From 1b3e8e14c5f78e30c22828b9a2ec8deff1445927 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Mon, 6 Mar 2023 22:38:10 +0100 Subject: [PATCH 001/128] Netlist reader: anonymous circuits are not checked for known parameters --- src/db/db/dbNetlistSpiceReader.cc | 18 ++++++++++++++++-- 1 file changed, 16 insertions(+), 2 deletions(-) diff --git a/src/db/db/dbNetlistSpiceReader.cc b/src/db/db/dbNetlistSpiceReader.cc index 978662e3ef..46e6ce391d 100644 --- a/src/db/db/dbNetlistSpiceReader.cc +++ b/src/db/db/dbNetlistSpiceReader.cc @@ -227,11 +227,21 @@ class SpiceCachedCircuit typedef pin_list_type::const_iterator pin_const_iterator; SpiceCachedCircuit (const std::string &name) - : m_name (name) + : m_name (name), m_anonymous (false) { // .. nothing yet .. } + bool is_anonymous () const + { + return m_anonymous; + } + + void set_anonymous (bool f) + { + m_anonymous = f; + } + const std::string &name () const { return m_name; @@ -305,6 +315,7 @@ class SpiceCachedCircuit parameters_type m_parameters; pin_list_type m_pins; cards_type m_cards; + bool m_anonymous; }; static std::string @@ -1067,12 +1078,15 @@ SpiceNetlistBuilder::process_element (tl::Extractor &ex, const std::string &pref error (tl::sprintf (tl::to_string (tr ("Subcircuit '%s' not found in netlist")), model)); } else { db::SpiceCachedCircuit *cc_nc = mp_dict->create_cached_circuit (model); + cc_nc->set_anonymous (true); cc = cc_nc; std::vector pins; pins.resize (nn.size ()); cc_nc->set_pins (pins); } - } else { + } + + if (! cc->is_anonymous ()) { // issue warnings on unknown parameters which are skipped otherwise for (auto p = pv.begin (); p != pv.end (); ++p) { if (cc->parameters ().find (p->first) == cc->parameters ().end ()) { From 9cfc284b8cbed395b510be85665180cd8124e966 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Mon, 6 Mar 2023 23:04:55 +0100 Subject: [PATCH 002/128] Synonyms: connect/disconnect for events to get closer to PyQt5 --- src/pya/pya/pyaHelpers.cc | 2 ++ src/rba/rba/rbaInternal.cc | 4 +++ testdata/python/basic.py | 47 ++++++++++++++++++++++++++++++++- testdata/ruby/basic_testcore.rb | 46 +++++++++++++++++++++++++++++++- 4 files changed, 97 insertions(+), 2 deletions(-) diff --git a/src/pya/pya/pyaHelpers.cc b/src/pya/pya/pyaHelpers.cc index 0c350035a1..fc68b7d2de 100644 --- a/src/pya/pya/pyaHelpers.cc +++ b/src/pya/pya/pyaHelpers.cc @@ -627,7 +627,9 @@ PYASignal::make_class (PyObject *module) static PyMethodDef signal_methods[] = { {"add", (PyCFunction) &pya_signal_add, METH_VARARGS, "internal signal proxy object: += operator" }, + {"connect", (PyCFunction) &pya_signal_add, METH_VARARGS, "synonym to 'add' or '+='" }, {"remove", (PyCFunction) &pya_signal_remove, METH_VARARGS, "internal signal proxy object: -= operator" }, + {"disconnect", (PyCFunction) &pya_signal_remove, METH_VARARGS, "synonym to 'remove' or '-='" }, {"set", (PyCFunction) &pya_signal_set, METH_VARARGS, "internal signal proxy object: assignment" }, {"clear", (PyCFunction) &pya_signal_clear, METH_NOARGS, "internal signal proxy object: clears all receivers" }, {NULL, NULL}, diff --git a/src/rba/rba/rbaInternal.cc b/src/rba/rba/rbaInternal.cc index e751c83c53..6f51b83b2a 100644 --- a/src/rba/rba/rbaInternal.cc +++ b/src/rba/rba/rbaInternal.cc @@ -811,7 +811,11 @@ SignalHandler::define_class (VALUE module, const char *name) rb_define_method (klass, "set", (ruby_func) &SignalHandler::static_assign, 1); rb_define_method (klass, "clear", (ruby_func) &SignalHandler::static_clear, 0); rb_define_method (klass, "+", (ruby_func) &SignalHandler::static_add, 1); + rb_define_method (klass, "add", (ruby_func) &SignalHandler::static_add, 1); + rb_define_method (klass, "connect", (ruby_func) &SignalHandler::static_add, 1); rb_define_method (klass, "-", (ruby_func) &SignalHandler::static_remove, 1); + rb_define_method (klass, "remove", (ruby_func) &SignalHandler::static_remove, 1); + rb_define_method (klass, "disconnect", (ruby_func) &SignalHandler::static_remove, 1); } void SignalHandler::call (const gsi::MethodBase *meth, gsi::SerialArgs &args, gsi::SerialArgs &ret) const diff --git a/testdata/python/basic.py b/testdata/python/basic.py index 3c64efbb79..5b4ca230be 100644 --- a/testdata/python/basic.py +++ b/testdata/python/basic.py @@ -1400,10 +1400,55 @@ def f2(i, s): def f4(): n[0] = n[0] + 2 + n[0] = 0 e.e0(f4) e.s1() - self.assertEqual( 4, n[0] ) + self.assertEqual( 2, n[0] ) + + # remove event handler -> no events triggered anymore + n[0] = 0 + e.e0 -= f4 + e.s1() + self.assertEqual( 0, n[0] ) + + # adding again will re-activate it + e.e0 += f4 + n[0] = 0 + e.s1() + self.assertEqual( 2, n[0] ) + + # two events at once + def f5(): + n[0] = n[0] + 10 + n[0] = 0 + e.e0 += f5 + e.s1() + self.assertEqual( 12, n[0] ) + + # clearing events + e.e0.clear() + e.s1() + n[0] = 0 + self.assertEqual( 0, n[0] ) + + # synonyms: add, connect + e.e0.add(f4) + e.e0.connect(f5) + n[0] = 0 + e.s1() + self.assertEqual( 12, n[0] ) + + # synonyms: remove, disconnect + e.e0.disconnect(f4) + n[0] = 0 + e.s1() + self.assertEqual( 10, n[0] ) + n[0] = 0 + e.e0.remove(f5) + e.s1() + self.assertEqual( 0, n[0] ) + # another signal e.s2() self.assertEqual( 100, n[1] ) e.m = 1 diff --git a/testdata/ruby/basic_testcore.rb b/testdata/ruby/basic_testcore.rb index 87f2f1e4be..b75631c7cb 100644 --- a/testdata/ruby/basic_testcore.rb +++ b/testdata/ruby/basic_testcore.rb @@ -1325,11 +1325,55 @@ def test_24 assert_equal( 2, n0 ) # using lambda + n0 = 0 p = lambda { n0 += 2 } e.e0(&p) e.s1 - assert_equal( 4, n0 ) + assert_equal( 2, n0 ) + + # remove event handler -> no events triggered anymore + n0 = 0 + e.e0 -= p + e.s1 + assert_equal( 0, n0 ) + + # adding again will re-activate it + e.e0 += p + n0 = 0 + e.s1 + assert_equal( 2, n0 ) + + # two events at once + pp = lambda { n0 += 10 } + n0 = 0 + e.e0 += pp + e.s1 + assert_equal( 12, n0 ) + + # clearing events + e.e0.clear + e.s1 + n0 = 0 + assert_equal( 0, n0 ) + + # synonyms: add, connect + e.e0.add(p) + e.e0.connect(pp) + n0 = 0 + e.s1 + assert_equal( 12, n0 ) + + # synonyms: remove, disconnect + e.e0.disconnect(p) + n0 = 0 + e.s1 + assert_equal( 10, n0 ) + n0 = 0 + e.e0.remove(pp) + e.s1 + assert_equal( 0, n0 ) + # another signal e.s2 assert_equal( 100, n1 ) e.m = 1 From 7d0964655d37bf49ca8e1f3558ecab80f1542786 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Mon, 6 Mar 2023 23:51:58 +0100 Subject: [PATCH 003/128] Experimental: allow importing klayout.x pymods into KLayout itself. --- src/pya/pya/pyaModule.cc | 29 ++++++++++++++++++++++++++++- src/pya/pya/pyaModule.h | 12 ++++++++++++ 2 files changed, 40 insertions(+), 1 deletion(-) diff --git a/src/pya/pya/pyaModule.cc b/src/pya/pya/pyaModule.cc index e8fbc559ac..d8e7e59cf8 100644 --- a/src/pya/pya/pyaModule.cc +++ b/src/pya/pya/pyaModule.cc @@ -60,6 +60,7 @@ set_type_attr (PyTypeObject *type, const std::string &name, PythonRef &attr) std::map PythonModule::m_python_doc; std::vector PythonModule::m_classes; +std::map PythonModule::m_class_by_type; const std::string pymod_name ("klayout"); @@ -253,7 +254,26 @@ class PythonClassGenerator PyTypeObject *pt = PythonClassClientData::py_type (*cls, as_static); if (pt != 0) { + + if (! mp_module->is_class_of_module (cls)) { + + // class is already built, but not member of the module yet (e.g. + // on duplicate import into a new module object): add now without building again + + mp_module->register_class (cls); + tl_assert (mp_module->cls_for_type (pt) == cls); + + // add to the parent class as child class or add to module + + if (! cls->parent ()) { + PyList_Append (m_all_list, PythonRef (c2python (cls->name ())).get ()); + PyModule_AddObject (mp_module->module (), cls->name ().c_str (), (PyObject *) pt); + } + + } + return pt; + } PythonRef bases; @@ -717,6 +737,11 @@ PythonModule::make_classes (const char *mod_name) const gsi::ClassBase *PythonModule::cls_for_type (PyTypeObject *type) { + auto cls = m_class_by_type.find (type); + if (cls != m_class_by_type.end ()) { + return cls->second; + } + // GSI classes store their class index inside the __gsi_id__ attribute if (PyObject_HasAttrString ((PyObject *) type, "__gsi_id__")) { @@ -724,7 +749,9 @@ const gsi::ClassBase *PythonModule::cls_for_type (PyTypeObject *type) if (cls_id != NULL && pya::test_type (cls_id)) { size_t i = pya::python2c (cls_id); if (i < m_classes.size ()) { - return m_classes [i]; + const gsi::ClassBase *gsi_cls = m_classes [i]; + m_class_by_type.insert (std::make_pair (type, gsi_cls)); + return gsi_cls; } } diff --git a/src/pya/pya/pyaModule.h b/src/pya/pya/pyaModule.h index 010d6ef884..eb196a64d7 100644 --- a/src/pya/pya/pyaModule.h +++ b/src/pya/pya/pyaModule.h @@ -33,6 +33,7 @@ #include #include #include +#include namespace gsi { @@ -155,6 +156,15 @@ class PYA_PUBLIC PythonModule void register_class (const gsi::ClassBase *cls) { m_classes.push_back (cls); + m_class_set.insert (cls); + } + + /** + * @brief Returns a value indicating whether the class is member of this module + */ + bool is_class_of_module (const gsi::ClassBase *cls) + { + return m_class_set.find (cls) != m_class_set.end (); } private: @@ -168,6 +178,8 @@ class PYA_PUBLIC PythonModule static std::map m_python_doc; static std::vector m_classes; + static std::map m_class_by_type; + std::set m_class_set; }; } From 3e8f03ef5ff60b3c142b1432d7a8022fcea96707 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Tue, 7 Mar 2023 23:43:12 +0100 Subject: [PATCH 004/128] Synchronizing Python PCellDeclarationHelper between the two implementations (for standalone module + build-in for app) --- .../pcell_declaration_helper.lym | 2 +- .../klayout/db/pcell_declaration_helper.py | 575 +++++++++--------- 2 files changed, 294 insertions(+), 283 deletions(-) diff --git a/src/db/db/built-in-pymacros/pcell_declaration_helper.lym b/src/db/db/built-in-pymacros/pcell_declaration_helper.lym index 1df6dcb530..e3cdf7f62b 100644 --- a/src/db/db/built-in-pymacros/pcell_declaration_helper.lym +++ b/src/db/db/built-in-pymacros/pcell_declaration_helper.lym @@ -459,7 +459,7 @@ class _PCellDeclarationHelper(pya.PCellDeclaration): def produce(self, layout, layers, parameters, cell): """ - coerce parameters (make consistent) + produces the layout """ self.init_values(parameters, layers) self.cell = cell diff --git a/src/pymod/distutils_src/klayout/db/pcell_declaration_helper.py b/src/pymod/distutils_src/klayout/db/pcell_declaration_helper.py index bf10d5bb50..f8e5f2c7e7 100644 --- a/src/pymod/distutils_src/klayout/db/pcell_declaration_helper.py +++ b/src/pymod/distutils_src/klayout/db/pcell_declaration_helper.py @@ -2,298 +2,309 @@ class _PCellDeclarationHelperLayerDescriptor(object): - """ - A descriptor object which translates the PCell parameters into class attributes - """ - - def __init__(self, param_index): - self.param_index = param_index + """ + A descriptor object which translates the PCell parameters into class attributes + """ + + def __init__(self, param_index): + self.param_index = param_index + + def __get__(self, obj, type = None): + return obj._layers[self.param_index] + + def __set__(self, obj, value): + raise AttributeError("can't change layer attribute") - def __get__(self, obj, type=None): - return obj._layers[self.param_index] - - def __set__(self, obj, value): - raise AttributeError("can't change layer attribute") +class _PCellDeclarationHelperParameterDescriptor(object): + """ + A descriptor object which translates the PCell parameters into class attributes + + In some cases (i.e. can_convert_from_shape), these placeholders are not + connected to real parameters (obj._param_values is None). In this case, + the descriptor acts as a value holder (self.value) + """ + + def __init__(self, param_index, param_name): + self.param_index = param_index + self.param_name = param_name + self.value = None + + def __get__(self, obj, type = None): + if obj._param_values: + return obj._param_values[self.param_index] + elif obj._param_states: + return obj._param_states.parameter(self.param_name) + else: + return self.value + + def __set__(self, obj, value): + if obj._param_values: + obj._param_values[self.param_index] = value + else: + self.value = value +class _PCellDeclarationHelper(PCellDeclaration): + """ + A helper class that somewhat simplifies the implementation + of a PCell + """ -class _PCellDeclarationHelperParameterDescriptor(object): + def __init__(self): """ - A descriptor object which translates the PCell parameters into class attributes - - In some cases (i.e. can_convert_from_shape), these placeholders are not - connected to real parameters (obj._param_values is None). In this case, - the descriptor acts as a value holder (self.value) + initialize this instance """ - - def __init__(self, param_index): - self.param_index = param_index - self.value = None - - def __get__(self, obj, type=None): - if obj._param_values: - return obj._param_values[self.param_index] - else: - return self.value - - def __set__(self, obj, value): - if obj._param_values: - obj._param_values[self.param_index] = value - else: - self.value = value - - -class _PCellDeclarationHelper(PCellDeclaration): + # "private" attributes + self._param_decls = [] + self._param_values = None + self._param_states = None + self._layer_param_index = [] + self._layers = [] + # public attributes + self.layout = None + self.shape = None + self.layer = None + self.cell = None + + def param(self, name, value_type, description, hidden = False, readonly = False, unit = None, default = None, choices = None): """ - A helper class that somewhat simplifies the implementation - of a PCell + Defines a parameter + name -> the short name of the parameter + type -> the type of the parameter + description -> the description text + named parameters + hidden -> (boolean) true, if the parameter is not shown in the dialog + readonly -> (boolean) true, if the parameter cannot be edited + unit -> the unit string + default -> the default value + choices -> ([ [ d, v ], ...) choice descriptions/value for choice type + this method defines accessor methods for the parameters + {name} -> read accessor + set_{name} -> write accessor ({name}= does not work because the + Ruby confuses that method with variables) + {name}_layer -> read accessor for the layer index for TypeLayer parameters """ + + # create accessor methods for the parameters + param_index = len(self._param_decls) + setattr(type(self), name, _PCellDeclarationHelperParameterDescriptor(param_index, name)) + + if value_type == type(self).TypeLayer: + setattr(type(self), name + "_layer", _PCellDeclarationHelperLayerDescriptor(len(self._layer_param_index))) + self._layer_param_index.append(param_index) + + # store the parameter declarations + pdecl = PCellParameterDeclaration(name, value_type, description) + self._param_decls.append(pdecl) + + # set additional attributes of the parameters + pdecl.hidden = hidden + pdecl.readonly = readonly + if not (default is None): + pdecl.default = default + if not (unit is None): + pdecl.unit = unit + if not (choices is None): + if not isinstance(choices, list) and not isinstance(choices, tuple): + raise "choices value must be an list/tuple of two-element arrays (description, value)" + for c in choices: + if (not isinstance(choices, list) and not isinstance(choices, tuple)) or len(c) != 2: + raise "choices value must be an list/tuple of two-element arrays (description, value)" + pdecl.add_choice(c[0],c[1]) + + # return the declaration object for further operations + return pdecl + + def display_text(self, parameters): + """ + implementation of display_text + """ + self._param_values = parameters + try: + text = self.display_text_impl() + finally: + self._param_values = None + return text + + def get_parameters(self): + """ + gets the parameters + """ + return self._param_decls - def __init__(self): - """ - initialize this instance - """ - # "private" attributes - self._param_decls = [] - self._param_values = None - self._layer_param_index = [] - self._layers = [] - # public attributes - self.layout = None - self.shape = None - self.layer = None - self.cell = None - - def param( - self, - name, - value_type, - description, - hidden=False, - readonly=False, - unit=None, - default=None, - choices=None, - ): - """ - Defines a parameter - name -> the short name of the parameter - type -> the type of the parameter - description -> the description text - named parameters - hidden -> (boolean) true, if the parameter is not shown in the dialog - readonly -> (boolean) true, if the parameter cannot be edited - unit -> the unit string - default -> the default value - choices -> ([ [ d, v ], ...) choice descriptions/value for choice type - this method defines accessor methods for the parameters - {name} -> read accessor - set_{name} -> write accessor ({name}= does not work because the - Ruby confuses that method with variables) - {name}_layer -> read accessor for the layer index for TypeLayer parameters - """ - - # create accessor methods for the parameters - param_index = len(self._param_decls) - setattr( - type(self), name, _PCellDeclarationHelperParameterDescriptor(param_index) - ) - - if value_type == type(self).TypeLayer: - setattr( - type(self), - name + "_layer", - _PCellDeclarationHelperLayerDescriptor(len(self._layer_param_index)), - ) - self._layer_param_index.append(param_index) - - # store the parameter declarations - pdecl = PCellParameterDeclaration(name, value_type, description) - self._param_decls.append(pdecl) - - # set additional attributes of the parameters - pdecl.hidden = hidden - pdecl.readonly = readonly - if not (default is None): - pdecl.default = default - if not (unit is None): - pdecl.unit = unit - if not (choices is None): - if not isinstance(choices, list) and not isinstance(choices, tuple): - raise Exception( - "choices value must be an list/tuple of two-element arrays (description, value)" - ) - for c in choices: - if ( - not isinstance(choices, list) and not isinstance(choices, tuple) - ) or len(c) != 2: - raise Exception( - "choices value must be an list/tuple of two-element arrays (description, value)" - ) - pdecl.add_choice(c[0], c[1]) - - # return the declaration object for further operations - return pdecl - - def display_text(self, parameters): - """ - implementation of display_text - """ - self._param_values = parameters - text = self.display_text_impl() - self._param_values = None - return text - - def get_parameters(self): - """ - gets the parameters - """ - return self._param_decls - - def get_values(self): - """ - gets the temporary parameter values - """ - v = self._param_values - self._param_values = None - return v - - def init_values(self, values=None, layers=None): - """ - initializes the temporary parameter values - "values" are the original values. If "None" is given, the - default values will be used. - "layers" are the layer indexes corresponding to the layer - parameters. - """ - if not values: - self._param_values = [] - for pd in self._param_decls: - self._param_values.append(pd.default) - else: - self._param_values = values - self._layers = layers - - def finish(self): - """ - Needs to be called at the end of produce() after init_values was used - """ - self._param_values = None - self._layers = None - - def get_layers(self, parameters): - """ - get the layer definitions - """ - layers = [] - for i in self._layer_param_index: - layers.append(parameters[i]) - return layers - - def coerce_parameters(self, layout, parameters): - """ - coerce parameters (make consistent) - """ - self.init_values(parameters) - self.layout = layout - self.coerce_parameters_impl() - self.layout = None - return self.get_values() - - def produce(self, layout, layers, parameters, cell): - """ - coerce parameters (make consistent) - """ - self.init_values(parameters, layers) - self.cell = cell - self.layout = layout - self.produce_impl() - self.cell = None - self.layout = None - self.finish() - - def can_create_from_shape(self, layout, shape, layer): - """ - produce a helper for can_create_from_shape - """ - self.layout = layout - self.shape = shape - self.layer = layer - ret = self.can_create_from_shape_impl() - self.layout = None - self.shape = None - self.layer = None - return ret - - def transformation_from_shape(self, layout, shape, layer): - """ - produce a helper for parameters_from_shape - """ - self.layout = layout - self.shape = shape - self.layer = layer - t = self.transformation_from_shape_impl() - self.layout = None - self.shape = None - self.layer = None - return t - - def parameters_from_shape(self, layout, shape, layer): - """ - produce a helper for parameters_from_shape - with this helper, the implementation can use the parameter setters - """ - self.init_values() - self.layout = layout - self.shape = shape - self.layer = layer - self.parameters_from_shape_impl() - param = self.get_values() - self.layout = None - self.shape = None - self.layer = None - return param - - def display_text_impl(self): - """ - default implementation - """ - return "" - - def coerce_parameters_impl(self): - """ - default implementation - """ - pass - - def produce_impl(self): - """ - default implementation - """ - pass - - def can_create_from_shape_impl(self): - """ - default implementation - """ - return False - - def parameters_from_shape_impl(self): - """ - default implementation - """ - pass - - def transformation_from_shape_impl(self): - """ - default implementation - """ - return Trans() - + def get_values(self): + """ + gets the temporary parameter values + """ + v = self._param_values + self._param_values = None + return v + + def init_values(self, values = None, layers = None, states = None): + """ + initializes the temporary parameter values + "values" are the original values. If "None" is given, the + default values will be used. + "layers" are the layer indexes corresponding to the layer + parameters. + """ + self._param_values = None + self._param_states = None + if states: + self._param_states = states + elif not values: + self._param_values = [] + for pd in self._param_decls: + self._param_values.append(pd.default) + else: + self._param_values = values + self._layers = layers + + def finish(self): + """ + Needs to be called at the end of an implementation + """ + self._param_values = None + self._param_states = None + self._layers = None + self._cell = None + self._layout = None + self._layer = None + self._shape = None + + def get_layers(self, parameters): + """ + gets the layer definitions + """ + layers = [] + for i in self._layer_param_index: + layers.append(parameters[i]) + return layers + + def callback(self, layout, name, states): + """ + callback (change state on parameter change) + """ + self.init_values(states = states) + self.layout = layout + try: + self.callback_impl(name) + finally: + self.finish() + + def coerce_parameters(self, layout, parameters): + """ + coerce parameters (make consistent) + """ + self.init_values(parameters) + self.layout = layout + try: + self.coerce_parameters_impl() + parameters = self.get_values() + finally: + self.finish() + return parameters + + def produce(self, layout, layers, parameters, cell): + """ + produces the layout + """ + self.init_values(parameters, layers) + self.cell = cell + self.layout = layout + try: + self.produce_impl() + finally: + self.finish() + + def can_create_from_shape(self, layout, shape, layer): + """ + produce a helper for can_create_from_shape + """ + self.layout = layout + self.shape = shape + self.layer = layer + try: + ret = self.can_create_from_shape_impl() + finally: + self.finish() + return ret + + def transformation_from_shape(self, layout, shape, layer): + """ + produce a helper for parameters_from_shape + """ + self.layout = layout + self.shape = shape + self.layer = layer + try: + t = self.transformation_from_shape_impl() + finally: + self.finish() + return t + + def parameters_from_shape(self, layout, shape, layer): + """ + produce a helper for parameters_from_shape + with this helper, the implementation can use the parameter setters + """ + self.init_values() + self.layout = layout + self.shape = shape + self.layer = layer + try: + self.parameters_from_shape_impl() + param = self.get_values() + finally: + self.finish() + return param + + def display_text_impl(self): + """ + default implementation + """ + return "" + + def coerce_parameters_impl(self): + """ + default implementation + """ + pass + + def callback_impl(self, name): + """ + default implementation + """ + pass + + def produce_impl(self): + """ + default implementation + """ + pass + def can_create_from_shape_impl(self): + """ + default implementation + """ + return False + + def parameters_from_shape_impl(self): + """ + default implementation + """ + pass + + def transformation_from_shape_impl(self): + """ + default implementation + """ + return Trans() + # import the Type... constants from PCellParameterDeclaration for k in dir(PCellParameterDeclaration): - if k.startswith("Type"): - setattr(_PCellDeclarationHelper, k, getattr(PCellParameterDeclaration, k)) + if k.startswith("Type"): + setattr(_PCellDeclarationHelper, k, getattr(PCellParameterDeclaration, k)) -# Inject the PCellDeclarationHelper into pya module for consistency: +# Inject the PCellDeclarationHelper into module for consistency: PCellDeclarationHelper = _PCellDeclarationHelper + From c3e831f96fca80a525b490122b1ed8319603d46f Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Tue, 7 Mar 2023 23:44:12 +0100 Subject: [PATCH 005/128] Enhancing pymod tests (added lib, more robust, added pya also for Qt bindings off) --- src/pymod/unit_tests/pymod_tests.cc | 10 +++++++--- 1 file changed, 7 insertions(+), 3 deletions(-) diff --git a/src/pymod/unit_tests/pymod_tests.cc b/src/pymod/unit_tests/pymod_tests.cc index 7331437948..693b81cb44 100644 --- a/src/pymod/unit_tests/pymod_tests.cc +++ b/src/pymod/unit_tests/pymod_tests.cc @@ -51,6 +51,8 @@ int run_pymodtest (tl::TestBase *_this, const std::string &fn) fp += "/pymod/"; fp += fn; + int status = 0; + std::string text; { std::string cmd; @@ -71,12 +73,14 @@ int run_pymodtest (tl::TestBase *_this, const std::string &fn) tl::InputPipe pipe (cmd); tl::InputStream is (pipe); text = is.read_all (); + + status = pipe.wait (); } tl::info << text; EXPECT_EQ (text.find ("OK") != std::string::npos, true); - return 0; + return status; } #define PYMODTEST(n, file) \ @@ -88,6 +92,8 @@ PYMODTEST (import_tl, "import_tl.py") PYMODTEST (import_db, "import_db.py") PYMODTEST (import_rdb, "import_rdb.py") PYMODTEST (import_lay, "import_lay.py") +PYMODTEST (import_lib, "import_lib.py") +PYMODTEST (pya_tests, "pya_tests.py") #if defined(HAVE_QT) && defined(HAVE_QTBINDINGS) @@ -143,6 +149,4 @@ PYMODTEST (import_QtCore5Compat, "import_QtCore5Compat.py") #endif -PYMODTEST (import_pya, "pya_tests.py") - #endif From 3e53431d92307d530441be69681504f47a597d44 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Tue, 7 Mar 2023 23:44:39 +0100 Subject: [PATCH 006/128] Preparing for integrated python module (Mac) --- macbuild/build4mac.py | 4 +++- macbuild/macQAT.py | 4 ++-- macbuild/macQAT.sh | 2 +- 3 files changed, 6 insertions(+), 4 deletions(-) diff --git a/macbuild/build4mac.py b/macbuild/build4mac.py index fcfd4712b4..e047b04e47 100755 --- a/macbuild/build4mac.py +++ b/macbuild/build4mac.py @@ -1285,6 +1285,7 @@ def Deploy_Binaries_For_Bundle(config, parameters): # | +-- 'klayout' # | +-- db_plugins/ # | +-- lay_plugins/ + # | +-- pymod/ # +-- Buddy/+ # | +-- 'strm2cif' # | +-- 'strm2dxf' @@ -1378,7 +1379,7 @@ def Deploy_Binaries_For_Bundle(config, parameters): # Copy the contents of the plugin directories to a place next to # the application binary #------------------------------------------------------------------- - for piDir in [ "db_plugins", "lay_plugins" ]: + for piDir in [ "db_plugins", "lay_plugins", "pymod" ]: os.makedirs( os.path.join( targetDirM, piDir )) dynamicLinkLibs = glob.glob( os.path.join( MacBinDir, piDir, "*.dylib" ) ) for item in dynamicLinkLibs: @@ -1428,6 +1429,7 @@ def Deploy_Binaries_For_Bundle(config, parameters): # | +-- 'klayout' # | +-- db_plugins/ # | +-- lay_plugins/ + # | +-- pymod/ # : #---------------------------------------------------------------------------------- os.chdir( targetDirF ) diff --git a/macbuild/macQAT.py b/macbuild/macQAT.py index 51b8d13f8c..5838e36a68 100755 --- a/macbuild/macQAT.py +++ b/macbuild/macQAT.py @@ -184,11 +184,11 @@ def ExportEnvVariables(): MyEnviron[ 'TESTSRC' ] = ".." MyEnviron[ 'TESTTMP' ] = WorkDir if System == "Darwin": - MyEnviron[ 'DYLD_LIBRARY_PATH' ] = "%s:%s/db_plugins:%s/lay_plugins" % (ProjectDir, ProjectDir, ProjectDir) + MyEnviron[ 'DYLD_LIBRARY_PATH' ] = "%s:%s/db_plugins:%s/lay_plugins:%s/pymod" % (ProjectDir, ProjectDir, ProjectDir, ProjectDir) for env in [ 'TESTSRC', 'TESTTMP', 'DYLD_LIBRARY_PATH' ]: os.environ[env] = MyEnviron[env] else: - MyEnviron[ 'LD_LIBRARY_PATH' ] = "%s:%s/db_plugins:%s/lay_plugins" % (ProjectDir, ProjectDir, ProjectDir) + MyEnviron[ 'LD_LIBRARY_PATH' ] = "%s:%s/db_plugins:%s/lay_plugins:%s/pymod" % (ProjectDir, ProjectDir, ProjectDir, ProjectDir) for env in [ 'TESTSRC', 'TESTTMP', 'LD_LIBRARY_PATH' ]: os.environ[env] = MyEnviron[env] diff --git a/macbuild/macQAT.sh b/macbuild/macQAT.sh index f5e4622200..a04cc9d405 100755 --- a/macbuild/macQAT.sh +++ b/macbuild/macQAT.sh @@ -46,7 +46,7 @@ logfile=QATest_${gitSHA1}_${timestamp}__${presentDir}.log #---------------------------------------------------------------- export TESTSRC=.. export TESTTMP=QATest_${gitSHA1}_${timestamp}__${presentDir} -export DYLD_LIBRARY_PATH=$(pwd):$(pwd)/db_plugins:$(pwd)/lay_plugins +export DYLD_LIBRARY_PATH=$(pwd):$(pwd)/db_plugins:$(pwd)/lay_plugins:$(pwd)/pymod #---------------------------------------------------------------- # Environment variables for "ut_runner" From ee58ca6e61d668c3a7f36b8afb73988386a0a364 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Tue, 7 Mar 2023 23:44:52 +0100 Subject: [PATCH 007/128] Preparing for integrated python module (Windows) --- scripts/deploy-win-mingw.sh | 2 +- scripts/klayout-inst.nsis | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/scripts/deploy-win-mingw.sh b/scripts/deploy-win-mingw.sh index 26bdb6d555..a398018e8a 100644 --- a/scripts/deploy-win-mingw.sh +++ b/scripts/deploy-win-mingw.sh @@ -277,7 +277,7 @@ echo "Making .zip file $zipname.zip .." rm -rf $zipname $zipname.zip mkdir $zipname -cp -Rv *.dll .*-paths.txt db_plugins lay_plugins $plugins lib $zipname | sed -u 's/.*/echo -n ./' | sh +cp -Rv *.dll .*-paths.txt db_plugins lay_plugins pymod $plugins lib $zipname | sed -u 's/.*/echo -n ./' | sh cp klayout.exe $zipname/klayout_app.exe cp klayout.exe $zipname/klayout_vo_app.exe echo "" diff --git a/scripts/klayout-inst.nsis b/scripts/klayout-inst.nsis index a4d4a655e9..94474b4cb3 100644 --- a/scripts/klayout-inst.nsis +++ b/scripts/klayout-inst.nsis @@ -70,6 +70,7 @@ section file .*-paths.txt file /r db_plugins file /r lay_plugins + file /r pymod file /r audio file /r generic file /r iconengines From a8e0a540112ef3016cb3aed45b348c43b2060adf Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Tue, 7 Mar 2023 23:45:05 +0100 Subject: [PATCH 008/128] Preparing for integrated python module (Linux) --- scripts/makedeb.sh | 3 +++ scripts/rpm-data/klayout.spec | 4 ++++ 2 files changed, 7 insertions(+) diff --git a/scripts/makedeb.sh b/scripts/makedeb.sh index 81fc8291d3..7f5d0b2bc4 100755 --- a/scripts/makedeb.sh +++ b/scripts/makedeb.sh @@ -93,6 +93,7 @@ mkdir -p makedeb-tmp/${sharedir}/applications mkdir -p makedeb-tmp/${sharedir}/pixmaps mkdir -p makedeb-tmp/${libdir}/db_plugins mkdir -p makedeb-tmp/${libdir}/lay_plugins +mkdir -p makedeb-tmp/${libdir}/pymod mkdir -p makedeb-tmp/${bindir} cp etc/klayout.desktop makedeb-tmp/${sharedir}/applications @@ -106,6 +107,7 @@ cp -pd $bininstdir/klayout makedeb-tmp/${bindir} cp -pd $bininstdir/lib*so* makedeb-tmp/${libdir} cp -pd $bininstdir/db_plugins/lib*so* makedeb-tmp/${libdir}/db_plugins cp -pd $bininstdir/lay_plugins/lib*so* makedeb-tmp/${libdir}/lay_plugins +cp -rpd $bininstdir/pymod makedeb-tmp/${libdir}/pymod cd makedeb-tmp @@ -131,6 +133,7 @@ echo "Modifying control file .." strip ${bindir}/* strip ${libdir}/db_plugins/*.so* strip ${libdir}/lay_plugins/*.so* +strip ${libdir}/pymod/*.so* size=`du -ck usr | grep total | sed "s/ *total//"` diff --git a/scripts/rpm-data/klayout.spec b/scripts/rpm-data/klayout.spec index c7024b50c5..e261645a06 100644 --- a/scripts/rpm-data/klayout.spec +++ b/scripts/rpm-data/klayout.spec @@ -146,12 +146,16 @@ TARGET="linux-release" mkdir -p %{buildroot}%{_libdir}/klayout mkdir -p %{buildroot}%{_libdir}/klayout/db_plugins mkdir -p %{buildroot}%{_libdir}/klayout/lay_plugins +mkdir -p %{buildroot}%{_libdir}/klayout/pymod cp -pd %{_builddir}/bin.$TARGET/lib*.so* %{buildroot}%{_libdir}/klayout cp -pd %{_builddir}/bin.$TARGET/db_plugins/lib*.so* %{buildroot}%{_libdir}/klayout/db_plugins cp -pd %{_builddir}/bin.$TARGET/lay_plugins/lib*.so* %{buildroot}%{_libdir}/klayout/lay_plugins +cp -rpd %{_builddir}/bin.$TARGET/pymod/* %{buildroot}%{_libdir}/klayout/pymod chmod 644 %{buildroot}%{_libdir}/klayout/*.so* chmod 644 %{buildroot}%{_libdir}/klayout/db_plugins/*.so* chmod 644 %{buildroot}%{_libdir}/klayout/lay_plugins/*.so* +find %{buildroot}%{_libdir}/klayout/pymod -type f -exec chmod 644 {} + +find %{buildroot}%{_libdir}/klayout/pymod -type d -exec chmod 755 {} + # create and populate bindir mkdir -p %{buildroot}%{_bindir} From 0204f293b518934660b6797f2cb38cb6bc5ffb2b Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Wed, 8 Mar 2023 00:52:25 +0100 Subject: [PATCH 009/128] Generic environment set/clear functions, file function to get app exe path --- src/pya/pya/pya.cc | 9 +------ src/tl/tl/tlEnv.cc | 22 ++++++++++++++++ src/tl/tl/tlEnv.h | 12 +++++++++ src/tl/tl/tlFileUtils.cc | 20 +++++++++++---- src/tl/tl/tlFileUtils.h | 5 ++++ src/tl/unit_tests/tlEnvTests.cpp | 44 ++++++++++++++++++++++++++++++++ src/tl/unit_tests/unit_tests.pro | 1 + 7 files changed, 100 insertions(+), 13 deletions(-) create mode 100644 src/tl/unit_tests/tlEnvTests.cpp diff --git a/src/pya/pya/pya.cc b/src/pya/pya/pya.cc index 39a400f2c5..46f452fe33 100644 --- a/src/pya/pya/pya.cc +++ b/src/pya/pya/pya.cc @@ -40,10 +40,6 @@ #include "tlString.h" #include "tlInternational.h" -#if defined(HAVE_QT) -# include -#endif - // For the installation path #ifdef _WIN32 # include @@ -225,10 +221,7 @@ PythonInterpreter::PythonInterpreter (bool embedded) tl::SelfTimer timer (tl::verbosity () >= 21, "Initializing Python"); - std::string app_path; -#if defined(HAVE_QT) - app_path = tl::to_string (QCoreApplication::applicationFilePath ()); -#endif + std::string app_path = tl::get_exe_file (); #if PY_MAJOR_VERSION >= 3 diff --git a/src/tl/tl/tlEnv.cc b/src/tl/tl/tlEnv.cc index ffd779ddd5..5d6a6a3441 100644 --- a/src/tl/tl/tlEnv.cc +++ b/src/tl/tl/tlEnv.cc @@ -58,6 +58,28 @@ std::string get_env (const std::string &name, const std::string &def_value) #endif } +void set_env (const std::string &name, const std::string &value) +{ +#ifdef _WIN32 + std::wstring wstr = tl::to_wstring (name + "=" + value); + _wputenv (wstr.c_str ()); +#else + char *str = strdup ((name + "=" + value).c_str ()); + putenv (str); +#endif +} + +void unset_env (const std::string &name) +{ +#ifdef _WIN32 + std::wstring wstr = tl::to_wstring (name + "="); + _wputenv (wstr.c_str ()); +#else + char *str = strdup (name.c_str ()); // TODO: needed? + putenv (str); +#endif +} + bool has_env (const std::string &name) { #ifdef _WIN32 diff --git a/src/tl/tl/tlEnv.h b/src/tl/tl/tlEnv.h index 454b68bd86..bbe8c4c28e 100644 --- a/src/tl/tl/tlEnv.h +++ b/src/tl/tl/tlEnv.h @@ -38,6 +38,18 @@ namespace tl */ std::string TL_PUBLIC get_env (const std::string &name, const std::string &def_value = std::string ()); +/** + * @brief Sets the value of the given environment variable + * + * On Windows, the variable is removed when the value is an empty string. + */ +void TL_PUBLIC set_env (const std::string &name, const std::string &value); + +/** + * @brief Unsets the given environment variable + */ +void TL_PUBLIC unset_env (const std::string &name); + /** * @brief Gets the value if the given environment variable is set */ diff --git a/src/tl/tl/tlFileUtils.cc b/src/tl/tl/tlFileUtils.cc index 8b002aa788..2541a63ead 100644 --- a/src/tl/tl/tlFileUtils.cc +++ b/src/tl/tl/tlFileUtils.cc @@ -862,7 +862,7 @@ get_inst_path_internal () wchar_t buffer[MAX_PATH]; int len; if ((len = GetModuleFileNameW (NULL, buffer, MAX_PATH)) > 0) { - return tl::absolute_path (tl::to_string (std::wstring (buffer))); + return tl::to_string (std::wstring (buffer)); } #elif __APPLE__ @@ -871,7 +871,7 @@ get_inst_path_internal () int ret = proc_pidpath (getpid (), buffer, sizeof (buffer)); if (ret > 0) { // TODO: does this correctly translate paths? (MacOS uses UTF-8 encoding with D-like normalization) - return tl::absolute_path (buffer); + return std::string (buffer); } #elif defined (__FreeBSD__) @@ -880,7 +880,7 @@ get_inst_path_internal () size_t len = PATH_MAX; const int mib[4] = {CTL_KERN, KERN_PROC, KERN_PROC_PATHNAME, -1}; if (sysctl(&mib[0], 4, &path, &len, NULL, 0) == 0) { - return tl::absolute_path(path); + return path; } return ""; @@ -888,7 +888,7 @@ get_inst_path_internal () std::string pf = tl::sprintf ("/proc/%d/exe", getpid ()); if (tl::file_exists (pf)) { - return tl::absolute_path (pf); + return pf; } #endif @@ -900,7 +900,17 @@ get_inst_path () { static std::string s_inst_path; if (s_inst_path.empty ()) { - s_inst_path = get_inst_path_internal (); + s_inst_path = tl::absolute_path (get_inst_path_internal ()); + } + return s_inst_path; +} + +std::string +get_exe_file () +{ + static std::string s_inst_path; + if (s_inst_path.empty ()) { + s_inst_path = tl::absolute_file_path (get_inst_path_internal ()); } return s_inst_path; } diff --git a/src/tl/tl/tlFileUtils.h b/src/tl/tl/tlFileUtils.h index 354ab786e8..95727b9dd9 100644 --- a/src/tl/tl/tlFileUtils.h +++ b/src/tl/tl/tlFileUtils.h @@ -199,6 +199,11 @@ std::vector TL_PUBLIC split_path (const std::string &p, bool keep_l */ std::string TL_PUBLIC get_inst_path (); +/** + * @brief Gets the path of the binary executing + */ +std::string TL_PUBLIC get_exe_file (); + /** * @brief Gets the absolute path of the module (DLL/.so) which contains the given address * "address" is supposed to be the address of a function inside the module. diff --git a/src/tl/unit_tests/tlEnvTests.cpp b/src/tl/unit_tests/tlEnvTests.cpp new file mode 100644 index 0000000000..0e9f0fe0e5 --- /dev/null +++ b/src/tl/unit_tests/tlEnvTests.cpp @@ -0,0 +1,44 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + + +#include "tlEnv.h" +#include "tlUnitTest.h" + +TEST(1) +{ + const char *env_name = "$$$DOESNOTEXIST"; + + EXPECT_EQ (tl::has_env (env_name), false); + EXPECT_EQ (tl::has_env ("HOME"), true); + + tl::set_env (env_name, "abc"); + EXPECT_EQ (tl::has_env (env_name), true); + EXPECT_EQ (tl::get_env (env_name), "abc"); + + tl::set_env (env_name, "uvw"); + EXPECT_EQ (tl::has_env (env_name), true); + EXPECT_EQ (tl::get_env (env_name), "uvw"); + + tl::unset_env (env_name); + EXPECT_EQ (tl::has_env (env_name), false); +} diff --git a/src/tl/unit_tests/unit_tests.pro b/src/tl/unit_tests/unit_tests.pro index c648dcb1b6..de8099b72a 100644 --- a/src/tl/unit_tests/unit_tests.pro +++ b/src/tl/unit_tests/unit_tests.pro @@ -16,6 +16,7 @@ SOURCES = \ tlDataMappingTests.cc \ tlDeferredExecutionTests.cc \ tlDeflateTests.cc \ + tlEnvTests.cpp \ tlEventsTests.cc \ tlExpressionTests.cc \ tlFileSystemWatcherTests.cc \ From 35d9cdb65625120c9033b2f7ee0e238759dd004e Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Wed, 8 Mar 2023 01:15:53 +0100 Subject: [PATCH 010/128] Reworked Python initialization KLAYOUT_PYTHONPATH is copied into PYTHONPATH, so it is essentially equivalent (no more copying of internally generated paths). The installation's pymod folder is added to the path, so that we can put "klayout.db" etc. there. --- src/pya/pya/pya.cc | 59 +++++++++++++++++++++++++++++----------------- 1 file changed, 38 insertions(+), 21 deletions(-) diff --git a/src/pya/pya/pya.cc b/src/pya/pya/pya.cc index 46f452fe33..9da57b0d2c 100644 --- a/src/pya/pya/pya.cc +++ b/src/pya/pya/pya.cc @@ -34,6 +34,7 @@ #include "gsiDecl.h" #include "gsiDeclBasic.h" #include "tlLog.h" +#include "tlEnv.h" #include "tlStream.h" #include "tlTimer.h" #include "tlFileUtils.h" @@ -223,21 +224,42 @@ PythonInterpreter::PythonInterpreter (bool embedded) std::string app_path = tl::get_exe_file (); -#if PY_MAJOR_VERSION >= 3 + // If set, use $KLAYOUT_PYTHONPATH to initialize the path. + // Otherwise there may be some conflict between external installations and KLayout. - // if set, use $KLAYOUT_PYTHONPATH to initialize the path -# if defined(_WIN32) + bool has_klayout_pythonpath = false; - tl_assert (sizeof (wchar_t) == 2); + // Python is not easily convinced to use an external path properly. + // So we simply redirect PYTHONPATH + std::string pythonpath_name ("PYTHONPATH"); + std::string klayout_pythonpath_name ("KLAYOUT_PYTHONPATH"); + if (tl::has_env (pythonpath_name)) { + tl::unset_env (pythonpath_name); + } + if (tl::has_env (klayout_pythonpath_name)) { + has_klayout_pythonpath = true; + tl::set_env (pythonpath_name, tl::get_env (klayout_pythonpath_name)); + } + + // If set, use $KLAYOUT_PYTHONHOME to initialize the path. + // Otherwise there may be some conflict between external installations and KLayout. - Py_SetPythonHome ((wchar_t *) L""); // really ignore $PYTHONHOME + without this, we get dummy error message about lacking path for libraries + // Python is not easily convinced to use an external path properly. + // So we simply redirect PYTHONHOME + std::string pythonhome_name ("PYTHONHOME"); + std::string klayout_pythonhome_name ("KLAYOUT_PYTHONHOME"); + if (tl::has_env (pythonhome_name)) { + tl::unset_env (pythonhome_name); + } + if (tl::has_env (klayout_pythonhome_name)) { + tl::set_env (pythonhome_name, tl::get_env (klayout_pythonhome_name)); + } - const wchar_t *python_path = _wgetenv (L"KLAYOUT_PYTHONPATH"); - if (python_path) { +#if defined(_WIN32) && PY_MAJOR_VERSION >= 3 - Py_SetPath (python_path); + tl_assert (sizeof (wchar_t) == 2); - } else { + if (! has_klayout_pythonpath) { // If present, read the paths from a file in INST_PATH/.python-paths.txt. // The content of this file is evaluated as an expression and the result @@ -289,18 +311,6 @@ PythonInterpreter::PythonInterpreter (bool embedded) } -# else - - const char *python_path = getenv ("KLAYOUT_PYTHONPATH"); - if (python_path) { - - std::wstring path = tl::to_wstring (tl::to_string_from_local (python_path)); - Py_SetPath (path.c_str ()); - - } - -# endif - #endif #if PY_MAJOR_VERSION < 3 @@ -366,6 +376,13 @@ PythonInterpreter::PythonInterpreter (bool embedded) m_pya_module.reset (new pya::PythonModule ()); m_pya_module->init (pya_module_name, module); m_pya_module->make_classes (); + + // Add a reference to the "pymod" directory close to our own library. + // We can put build-in modules there. + std::string module_path = tl::get_module_path ((void *) &reset_interpreter); + if (! module_path.empty ()) { + add_path (tl::combine_path (tl::absolute_path (module_path), "pymod")); + } } PythonInterpreter::~PythonInterpreter () From 0253c25b302796321d0d56af2c9aa559911983bd Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Wed, 8 Mar 2023 22:37:56 +0100 Subject: [PATCH 011/128] Avoids a Qt warning internally --- src/laybasic/laybasic/layPlugin.cc | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/src/laybasic/laybasic/layPlugin.cc b/src/laybasic/laybasic/layPlugin.cc index ca24ed0900..9cb6bec5e2 100644 --- a/src/laybasic/laybasic/layPlugin.cc +++ b/src/laybasic/laybasic/layPlugin.cc @@ -172,7 +172,9 @@ PluginDeclaration::init_menu (lay::Dispatcher *dispatcher) mp_editable_mode_action.reset (new Action (title)); #if defined(HAVE_QT) - gtf::action_connect (mp_editable_mode_action->qaction (), SIGNAL (triggered ()), this, SLOT (toggle_editable_enabled ())); + if (mp_editable_mode_action->qaction ()) { + gtf::action_connect (mp_editable_mode_action->qaction (), SIGNAL (triggered ()), this, SLOT (toggle_editable_enabled ())); + } #endif mp_editable_mode_action->set_checkable (true); mp_editable_mode_action->set_checked (m_editable_enabled); From 92204915a4e766417acc0901a781f5649bf4948e Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Wed, 8 Mar 2023 23:54:32 +0100 Subject: [PATCH 012/128] Refactoring: pya is a native binary package now. It's available to pymod, but may also be the basis of the built-in pya module. --- src/pymod/QtCore/QtCoreMain.cc | 15 +-- src/pymod/QtCore/QtCoreMain.h | 36 ++++++ src/pymod/QtCore5Compat/QtCore5CompatMain.cc | 5 +- src/pymod/QtCore5Compat/QtCore5CompatMain.h | 25 +++++ src/pymod/QtDesigner/QtDesignerMain.cc | 5 +- src/pymod/QtDesigner/QtDesignerMain.h | 25 +++++ src/pymod/QtGui/QtGuiMain.cc | 10 +- src/pymod/QtGui/QtGuiMain.h | 30 +++++ src/pymod/QtMultimedia/QtMultimediaMain.cc | 10 +- src/pymod/QtMultimedia/QtMultimediaMain.h | 30 +++++ src/pymod/QtNetwork/QtNetworkMain.cc | 5 +- src/pymod/QtNetwork/QtNetworkMain.h | 25 +++++ .../QtPrintSupport/QtPrintSupportMain.cc | 5 +- src/pymod/QtPrintSupport/QtPrintSupportMain.h | 25 +++++ src/pymod/QtSql/QtSqlMain.cc | 5 +- src/pymod/QtSql/QtSqlMain.h | 25 +++++ src/pymod/QtSvg/QtSvgMain.cc | 5 +- src/pymod/QtSvg/QtSvgMain.h | 25 +++++ src/pymod/QtUiTools/QtUiToolsMain.cc | 8 +- src/pymod/QtUiTools/QtUiToolsMain.h | 29 +++++ src/pymod/QtWidgets/QtWidgetsMain.cc | 5 +- src/pymod/QtWidgets/QtWidgetsMain.h | 25 +++++ src/pymod/QtXml/QtXmlMain.cc | 21 +--- src/pymod/QtXml/QtXmlMain.h | 41 +++++++ src/pymod/QtXmlPatterns/QtXmlPatternsMain.cc | 10 +- src/pymod/QtXmlPatterns/QtXmlPatternsMain.h | 30 +++++ src/pymod/ant/antMain.cc | 4 +- src/pymod/ant/antMain.h | 24 ++++ src/pymod/db/dbMain.cc | 3 +- src/pymod/db/dbMain.h | 24 ++++ .../distutils_src/klayout/pya/__init__.py | 4 + src/pymod/distutils_src/pya/__init__.py | 11 +- src/pymod/edt/edtMain.cc | 4 +- src/pymod/edt/edtMain.h | 24 ++++ src/pymod/img/imgMain.cc | 4 +- src/pymod/img/imgMain.h | 24 ++++ src/pymod/lay/layMain.cc | 15 +-- src/pymod/lay/layMain.h | 35 ++++++ src/pymod/lib/libMain.cc | 4 +- src/pymod/lib/libMain.h | 24 ++++ src/pymod/lym/lymMain.cc | 4 +- src/pymod/lym/lymMain.h | 24 ++++ src/pymod/pya/pya.pro | 106 ++++++++++++++++++ src/pymod/pya/pyaMain.cc | 76 +++++++++++++ src/pymod/pymod.pro | 1 + src/pymod/pymodHelper.h | 2 +- src/pymod/rdb/rdbMain.cc | 4 +- src/pymod/rdb/rdbMain.h | 24 ++++ 48 files changed, 786 insertions(+), 139 deletions(-) create mode 100644 src/pymod/QtCore/QtCoreMain.h create mode 100644 src/pymod/QtCore5Compat/QtCore5CompatMain.h create mode 100644 src/pymod/QtDesigner/QtDesignerMain.h create mode 100644 src/pymod/QtGui/QtGuiMain.h create mode 100644 src/pymod/QtMultimedia/QtMultimediaMain.h create mode 100644 src/pymod/QtNetwork/QtNetworkMain.h create mode 100644 src/pymod/QtPrintSupport/QtPrintSupportMain.h create mode 100644 src/pymod/QtSql/QtSqlMain.h create mode 100644 src/pymod/QtSvg/QtSvgMain.h create mode 100644 src/pymod/QtUiTools/QtUiToolsMain.h create mode 100644 src/pymod/QtWidgets/QtWidgetsMain.h create mode 100644 src/pymod/QtXml/QtXmlMain.h create mode 100644 src/pymod/QtXmlPatterns/QtXmlPatternsMain.h create mode 100644 src/pymod/ant/antMain.h create mode 100644 src/pymod/db/dbMain.h create mode 100644 src/pymod/distutils_src/klayout/pya/__init__.py create mode 100644 src/pymod/edt/edtMain.h create mode 100644 src/pymod/img/imgMain.h create mode 100644 src/pymod/lay/layMain.h create mode 100644 src/pymod/lib/libMain.h create mode 100644 src/pymod/lym/lymMain.h create mode 100644 src/pymod/pya/pya.pro create mode 100644 src/pymod/pya/pyaMain.cc create mode 100644 src/pymod/rdb/rdbMain.h diff --git a/src/pymod/QtCore/QtCoreMain.cc b/src/pymod/QtCore/QtCoreMain.cc index de5e946b9e..8d47c6675a 100644 --- a/src/pymod/QtCore/QtCoreMain.cc +++ b/src/pymod/QtCore/QtCoreMain.cc @@ -22,19 +22,6 @@ #include "../pymodHelper.h" -// To force linking of the QtCore module -#include "../../gsiqt/qtbasic/gsiQtCoreExternals.h" -FORCE_LINK_GSI_QTCORE - -// And this is *only* required because of QSignalMapper which takes a QWidget argument from -// the QtGui library and we need to supply the GSI binding for this ... -#include "../../gsiqt/qtbasic/gsiQtGuiExternals.h" -FORCE_LINK_GSI_QTGUI - -// And because we pull in QtGui, we also need to pull in QtWidgets because QtGui bindings -// use QAction and QWidget which are itself in QtWidgets -#include "../../gsiqt/qtbasic/gsiQtWidgetsExternals.h" -FORCE_LINK_GSI_QTWIDGETS - +#include "QtCoreMain.h" DEFINE_PYMOD(QtCore, "QtCore", "KLayout/Qt module 'QtCore'") diff --git a/src/pymod/QtCore/QtCoreMain.h b/src/pymod/QtCore/QtCoreMain.h new file mode 100644 index 0000000000..2fefe9d7c6 --- /dev/null +++ b/src/pymod/QtCore/QtCoreMain.h @@ -0,0 +1,36 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// To force linking of the QtCore module +#include "../../gsiqt/qtbasic/gsiQtCoreExternals.h" +FORCE_LINK_GSI_QTCORE + +// And this is *only* required because of QSignalMapper which takes a QWidget argument from +// the QtGui library and we need to supply the GSI binding for this ... +#include "../../gsiqt/qtbasic/gsiQtGuiExternals.h" +FORCE_LINK_GSI_QTGUI + +// And because we pull in QtGui, we also need to pull in QtWidgets because QtGui bindings +// use QAction and QWidget which are itself in QtWidgets +#include "../../gsiqt/qtbasic/gsiQtWidgetsExternals.h" +FORCE_LINK_GSI_QTWIDGETS + diff --git a/src/pymod/QtCore5Compat/QtCore5CompatMain.cc b/src/pymod/QtCore5Compat/QtCore5CompatMain.cc index d6be388180..7fca785c8c 100644 --- a/src/pymod/QtCore5Compat/QtCore5CompatMain.cc +++ b/src/pymod/QtCore5Compat/QtCore5CompatMain.cc @@ -22,8 +22,5 @@ #include "../pymodHelper.h" -// To force linking of the QtCore5Compat module -#include "../../gsiqt/qtbasic/gsiQtCore5CompatExternals.h" -FORCE_LINK_GSI_QTCORE5COMPAT - +#include "QtCore5CompatMain.h" DEFINE_PYMOD(QtCore5Compat, "QtCore5Compat", "KLayout/Qt module 'QtCore5Compat'") diff --git a/src/pymod/QtCore5Compat/QtCore5CompatMain.h b/src/pymod/QtCore5Compat/QtCore5CompatMain.h new file mode 100644 index 0000000000..dac584ad5e --- /dev/null +++ b/src/pymod/QtCore5Compat/QtCore5CompatMain.h @@ -0,0 +1,25 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// To force linking of the QtCore5Compat module +#include "../../gsiqt/qtbasic/gsiQtCore5CompatExternals.h" +FORCE_LINK_GSI_QTCORE5COMPAT diff --git a/src/pymod/QtDesigner/QtDesignerMain.cc b/src/pymod/QtDesigner/QtDesignerMain.cc index 25960aeddc..84fdb7502e 100644 --- a/src/pymod/QtDesigner/QtDesignerMain.cc +++ b/src/pymod/QtDesigner/QtDesignerMain.cc @@ -22,8 +22,5 @@ #include "../pymodHelper.h" -// To force linking of the QtDesigner module -#include "../../gsiqt/qtbasic/gsiQtDesignerExternals.h" -FORCE_LINK_GSI_QTDESIGNER - +#include "QtDesignerMain.h" DEFINE_PYMOD(QtDesigner, "QtDesigner", "KLayout/Qt module 'QtDesigner'") diff --git a/src/pymod/QtDesigner/QtDesignerMain.h b/src/pymod/QtDesigner/QtDesignerMain.h new file mode 100644 index 0000000000..79f8a7c4f4 --- /dev/null +++ b/src/pymod/QtDesigner/QtDesignerMain.h @@ -0,0 +1,25 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// To force linking of the QtDesigner module +#include "../../gsiqt/qtbasic/gsiQtDesignerExternals.h" +FORCE_LINK_GSI_QTDESIGNER diff --git a/src/pymod/QtGui/QtGuiMain.cc b/src/pymod/QtGui/QtGuiMain.cc index 1319c2e1e1..ac9cc87b5a 100644 --- a/src/pymod/QtGui/QtGuiMain.cc +++ b/src/pymod/QtGui/QtGuiMain.cc @@ -22,13 +22,5 @@ #include "../pymodHelper.h" -// To force linking of the QtGui module -#include "../../gsiqt/qtbasic/gsiQtGuiExternals.h" -FORCE_LINK_GSI_QTGUI - -// This is required because QAction and QWidget are used are arguments in QtGui, but are -// defined in QtWidgets -#include "../../gsiqt/qtbasic/gsiQtWidgetsExternals.h" -FORCE_LINK_GSI_QTWIDGETS - +#include "QtGuiMain.h" DEFINE_PYMOD(QtGui, "QtGui", "KLayout/Qt module 'QtGui'") diff --git a/src/pymod/QtGui/QtGuiMain.h b/src/pymod/QtGui/QtGuiMain.h new file mode 100644 index 0000000000..87decc3966 --- /dev/null +++ b/src/pymod/QtGui/QtGuiMain.h @@ -0,0 +1,30 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// To force linking of the QtGui module +#include "../../gsiqt/qtbasic/gsiQtGuiExternals.h" +FORCE_LINK_GSI_QTGUI + +// This is required because QAction and QWidget are used are arguments in QtGui, but are +// defined in QtWidgets +#include "../../gsiqt/qtbasic/gsiQtWidgetsExternals.h" +FORCE_LINK_GSI_QTWIDGETS diff --git a/src/pymod/QtMultimedia/QtMultimediaMain.cc b/src/pymod/QtMultimedia/QtMultimediaMain.cc index 2ca63979bf..b0996f5192 100644 --- a/src/pymod/QtMultimedia/QtMultimediaMain.cc +++ b/src/pymod/QtMultimedia/QtMultimediaMain.cc @@ -22,13 +22,5 @@ #include "../pymodHelper.h" -// To force linking of the QtMultimedia module -#include "../../gsiqt/qtbasic/gsiQtMultimediaExternals.h" -FORCE_LINK_GSI_QTMULTIMEDIA - -// This is required because QAction and QWidget are used are arguments in QtGui, but are -// defined in QtWidgets -#include "../../gsiqt/qtbasic/gsiQtNetworkExternals.h" -FORCE_LINK_GSI_QTNETWORK - +#include "QtMultimediaMain.h" DEFINE_PYMOD(QtMultimedia, "QtMultimedia", "KLayout/Qt module 'QtMultimedia'") diff --git a/src/pymod/QtMultimedia/QtMultimediaMain.h b/src/pymod/QtMultimedia/QtMultimediaMain.h new file mode 100644 index 0000000000..eef8d36d63 --- /dev/null +++ b/src/pymod/QtMultimedia/QtMultimediaMain.h @@ -0,0 +1,30 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// To force linking of the QtMultimedia module +#include "../../gsiqt/qtbasic/gsiQtMultimediaExternals.h" +FORCE_LINK_GSI_QTMULTIMEDIA + +// This is required because QAction and QWidget are used are arguments in QtGui, but are +// defined in QtWidgets +#include "../../gsiqt/qtbasic/gsiQtNetworkExternals.h" +FORCE_LINK_GSI_QTNETWORK diff --git a/src/pymod/QtNetwork/QtNetworkMain.cc b/src/pymod/QtNetwork/QtNetworkMain.cc index 0d6c300211..75b0bb8bd7 100644 --- a/src/pymod/QtNetwork/QtNetworkMain.cc +++ b/src/pymod/QtNetwork/QtNetworkMain.cc @@ -22,8 +22,5 @@ #include "../pymodHelper.h" -// To force linking of the QtNetwork module -#include "../../gsiqt/qtbasic/gsiQtNetworkExternals.h" -FORCE_LINK_GSI_QTNETWORK - +#include "QtNetworkMain.h" DEFINE_PYMOD(QtNetwork, "QtNetwork", "KLayout/Qt module 'QtNetwork'") diff --git a/src/pymod/QtNetwork/QtNetworkMain.h b/src/pymod/QtNetwork/QtNetworkMain.h new file mode 100644 index 0000000000..2285fabb3a --- /dev/null +++ b/src/pymod/QtNetwork/QtNetworkMain.h @@ -0,0 +1,25 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// To force linking of the QtNetwork module +#include "../../gsiqt/qtbasic/gsiQtNetworkExternals.h" +FORCE_LINK_GSI_QTNETWORK diff --git a/src/pymod/QtPrintSupport/QtPrintSupportMain.cc b/src/pymod/QtPrintSupport/QtPrintSupportMain.cc index 556e7bb9e7..3cdfe418cc 100644 --- a/src/pymod/QtPrintSupport/QtPrintSupportMain.cc +++ b/src/pymod/QtPrintSupport/QtPrintSupportMain.cc @@ -22,8 +22,5 @@ #include "../pymodHelper.h" -// To force linking of the QtPrintSupport module -#include "../../gsiqt/qtbasic/gsiQtPrintSupportExternals.h" -FORCE_LINK_GSI_QTPRINTSUPPORT - +#include "QtPrintSupportMain.h" DEFINE_PYMOD(QtPrintSupport, "QtPrintSupport", "KLayout/Qt module 'QtPrintSupport'") diff --git a/src/pymod/QtPrintSupport/QtPrintSupportMain.h b/src/pymod/QtPrintSupport/QtPrintSupportMain.h new file mode 100644 index 0000000000..453a9714bf --- /dev/null +++ b/src/pymod/QtPrintSupport/QtPrintSupportMain.h @@ -0,0 +1,25 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// To force linking of the QtPrintSupport module +#include "../../gsiqt/qtbasic/gsiQtPrintSupportExternals.h" +FORCE_LINK_GSI_QTPRINTSUPPORT diff --git a/src/pymod/QtSql/QtSqlMain.cc b/src/pymod/QtSql/QtSqlMain.cc index bf16b25dcd..9db124b2dd 100644 --- a/src/pymod/QtSql/QtSqlMain.cc +++ b/src/pymod/QtSql/QtSqlMain.cc @@ -22,8 +22,5 @@ #include "../pymodHelper.h" -// To force linking of the QtSql module -#include "../../gsiqt/qtbasic/gsiQtSqlExternals.h" -FORCE_LINK_GSI_QTSQL - +#include "QtSqtMain.h" DEFINE_PYMOD(QtSql, "QtSql", "KLayout/Qt module 'QtSql'") diff --git a/src/pymod/QtSql/QtSqlMain.h b/src/pymod/QtSql/QtSqlMain.h new file mode 100644 index 0000000000..e16c0b0de1 --- /dev/null +++ b/src/pymod/QtSql/QtSqlMain.h @@ -0,0 +1,25 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// To force linking of the QtSql module +#include "../../gsiqt/qtbasic/gsiQtSqlExternals.h" +FORCE_LINK_GSI_QTSQL diff --git a/src/pymod/QtSvg/QtSvgMain.cc b/src/pymod/QtSvg/QtSvgMain.cc index 765762f8d3..de369342b0 100644 --- a/src/pymod/QtSvg/QtSvgMain.cc +++ b/src/pymod/QtSvg/QtSvgMain.cc @@ -22,8 +22,5 @@ #include "../pymodHelper.h" -// To force linking of the QtSvg module -#include "../../gsiqt/qtbasic/gsiQtSvgExternals.h" -FORCE_LINK_GSI_QTSVG - +#include "QtSvgMain.h" DEFINE_PYMOD(QtSvg, "QtSvg", "KLayout/Qt module 'QtSvg'") diff --git a/src/pymod/QtSvg/QtSvgMain.h b/src/pymod/QtSvg/QtSvgMain.h new file mode 100644 index 0000000000..e5cc9d372d --- /dev/null +++ b/src/pymod/QtSvg/QtSvgMain.h @@ -0,0 +1,25 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// To force linking of the QtSvg module +#include "../../gsiqt/qtbasic/gsiQtSvgExternals.h" +FORCE_LINK_GSI_QTSVG diff --git a/src/pymod/QtUiTools/QtUiToolsMain.cc b/src/pymod/QtUiTools/QtUiToolsMain.cc index 71f5db2b68..5b4cedbdda 100644 --- a/src/pymod/QtUiTools/QtUiToolsMain.cc +++ b/src/pymod/QtUiTools/QtUiToolsMain.cc @@ -22,12 +22,6 @@ #include "../pymodHelper.h" -// To force linking of the QtCore module -#include "../../gsiqt/qtbasic/gsiQtCoreExternals.h" -FORCE_LINK_GSI_QTCORE - -# include "../../gsiqt/qtbasic/gsiQtUiToolsExternals.h" -FORCE_LINK_GSI_QTUITOOLS - +#include "QtUiToolsMain.h" DEFINE_PYMOD(QtUiTools, "QtUiTools", "KLayout/Qt module 'QtUiTools'") diff --git a/src/pymod/QtUiTools/QtUiToolsMain.h b/src/pymod/QtUiTools/QtUiToolsMain.h new file mode 100644 index 0000000000..ca08435a86 --- /dev/null +++ b/src/pymod/QtUiTools/QtUiToolsMain.h @@ -0,0 +1,29 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// To force linking of the QtCore module +#include "../../gsiqt/qtbasic/gsiQtCoreExternals.h" +FORCE_LINK_GSI_QTCORE + +# include "../../gsiqt/qtbasic/gsiQtUiToolsExternals.h" +FORCE_LINK_GSI_QTUITOOLS + diff --git a/src/pymod/QtWidgets/QtWidgetsMain.cc b/src/pymod/QtWidgets/QtWidgetsMain.cc index 38d4b67bd1..59f5a9abd6 100644 --- a/src/pymod/QtWidgets/QtWidgetsMain.cc +++ b/src/pymod/QtWidgets/QtWidgetsMain.cc @@ -22,8 +22,5 @@ #include "../pymodHelper.h" -// To force linking of the QtWidgets module -#include "../../gsiqt/qtbasic/gsiQtWidgetsExternals.h" -FORCE_LINK_GSI_QTWIDGETS - +#include "QtWidgetsMain.h" DEFINE_PYMOD(QtWidgets, "QtWidgets", "KLayout/Qt module 'QtWidgets'") diff --git a/src/pymod/QtWidgets/QtWidgetsMain.h b/src/pymod/QtWidgets/QtWidgetsMain.h new file mode 100644 index 0000000000..43b313474d --- /dev/null +++ b/src/pymod/QtWidgets/QtWidgetsMain.h @@ -0,0 +1,25 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// To force linking of the QtWidgets module +#include "../../gsiqt/qtbasic/gsiQtWidgetsExternals.h" +FORCE_LINK_GSI_QTWIDGETS diff --git a/src/pymod/QtXml/QtXmlMain.cc b/src/pymod/QtXml/QtXmlMain.cc index 6e5d6f8261..376797d23f 100644 --- a/src/pymod/QtXml/QtXmlMain.cc +++ b/src/pymod/QtXml/QtXmlMain.cc @@ -22,24 +22,5 @@ #include "../pymodHelper.h" -// To force linking of the QtXml module -#include "../../gsiqt/qtbasic/gsiQtXmlExternals.h" -FORCE_LINK_GSI_QTXML - -// To force linking of the QtCore module (some arguments -// are QIODevice or QTextStream) -#include "../../gsiqt/qtbasic/gsiQtCoreExternals.h" -FORCE_LINK_GSI_QTCORE - -// And because will pull in QtCore: -// This is *only* required because of QSignalMapper which takes a QWidget argument from -// the QtGui library and we need to supply the GSI binding for this ... -#include "../../gsiqt/qtbasic/gsiQtGuiExternals.h" -FORCE_LINK_GSI_QTGUI - -// And because we pull in QtGui, we also need to pull in QtWidgets because QtGui bindings -// use QAction and QWidget which are itself in QtWidgets -#include "../../gsiqt/qtbasic/gsiQtWidgetsExternals.h" -FORCE_LINK_GSI_QTWIDGETS - +#include "QtXmlMain.h" DEFINE_PYMOD(QtXml, "QtXml", "KLayout/Qt module 'QtXml'") diff --git a/src/pymod/QtXml/QtXmlMain.h b/src/pymod/QtXml/QtXmlMain.h new file mode 100644 index 0000000000..e9ce9e1f45 --- /dev/null +++ b/src/pymod/QtXml/QtXmlMain.h @@ -0,0 +1,41 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// To force linking of the QtXml module +#include "../../gsiqt/qtbasic/gsiQtXmlExternals.h" +FORCE_LINK_GSI_QTXML + +// To force linking of the QtCore module (some arguments +// are QIODevice or QTextStream) +#include "../../gsiqt/qtbasic/gsiQtCoreExternals.h" +FORCE_LINK_GSI_QTCORE + +// And because will pull in QtCore: +// This is *only* required because of QSignalMapper which takes a QWidget argument from +// the QtGui library and we need to supply the GSI binding for this ... +#include "../../gsiqt/qtbasic/gsiQtGuiExternals.h" +FORCE_LINK_GSI_QTGUI + +// And because we pull in QtGui, we also need to pull in QtWidgets because QtGui bindings +// use QAction and QWidget which are itself in QtWidgets +#include "../../gsiqt/qtbasic/gsiQtWidgetsExternals.h" +FORCE_LINK_GSI_QTWIDGETS diff --git a/src/pymod/QtXmlPatterns/QtXmlPatternsMain.cc b/src/pymod/QtXmlPatterns/QtXmlPatternsMain.cc index f0d3c8c456..60f2203a32 100644 --- a/src/pymod/QtXmlPatterns/QtXmlPatternsMain.cc +++ b/src/pymod/QtXmlPatterns/QtXmlPatternsMain.cc @@ -22,13 +22,5 @@ #include "../pymodHelper.h" -// To force linking of the QtXmlPatterns module -#include "../../gsiqt/qtbasic/gsiQtXmlPatternsExternals.h" -FORCE_LINK_GSI_QTXMLPATTERNS - -// To force linking of the QtNetwork module (some arguments -// are QNetworkAccessManager) -#include "../../gsiqt/qtbasic/gsiQtNetworkExternals.h" -FORCE_LINK_GSI_QTNETWORK - +#include "QtXmlPatternsMain.h" DEFINE_PYMOD(QtXmlPatterns, "QtXmlPatterns", "KLayout/Qt module 'QtXmlPatterns'") diff --git a/src/pymod/QtXmlPatterns/QtXmlPatternsMain.h b/src/pymod/QtXmlPatterns/QtXmlPatternsMain.h new file mode 100644 index 0000000000..9f0b1f7ccd --- /dev/null +++ b/src/pymod/QtXmlPatterns/QtXmlPatternsMain.h @@ -0,0 +1,30 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// To force linking of the QtXmlPatterns module +#include "../../gsiqt/qtbasic/gsiQtXmlPatternsExternals.h" +FORCE_LINK_GSI_QTXMLPATTERNS + +// To force linking of the QtNetwork module (some arguments +// are QNetworkAccessManager) +#include "../../gsiqt/qtbasic/gsiQtNetworkExternals.h" +FORCE_LINK_GSI_QTNETWORK diff --git a/src/pymod/ant/antMain.cc b/src/pymod/ant/antMain.cc index 87f201ed49..431e6b41a9 100644 --- a/src/pymod/ant/antMain.cc +++ b/src/pymod/ant/antMain.cc @@ -22,7 +22,5 @@ #include "../pymodHelper.h" -// to force linking of the ant module -# include "../../ant/ant/antForceLink.h" - +#include "antMain.h" DEFINE_PYMOD(antcore, "ant", "KLayout core module 'ant'") diff --git a/src/pymod/ant/antMain.h b/src/pymod/ant/antMain.h new file mode 100644 index 0000000000..d81d76d277 --- /dev/null +++ b/src/pymod/ant/antMain.h @@ -0,0 +1,24 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// to force linking of the ant module +#include "../../ant/ant/antForceLink.h" diff --git a/src/pymod/db/dbMain.cc b/src/pymod/db/dbMain.cc index 93f9217bbf..da8d20f040 100644 --- a/src/pymod/db/dbMain.cc +++ b/src/pymod/db/dbMain.cc @@ -24,8 +24,7 @@ #include "../../db/db/dbInit.h" -// to force linking of the db module -#include "../../db/db/dbForceLink.h" +#include "dbMain.h" static PyObject *db_module_init (const char *pymod_name, const char *mod_name, const char *mod_description) { diff --git a/src/pymod/db/dbMain.h b/src/pymod/db/dbMain.h new file mode 100644 index 0000000000..a1e04eacd6 --- /dev/null +++ b/src/pymod/db/dbMain.h @@ -0,0 +1,24 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// to force linking of the db module +#include "../../db/db/dbForceLink.h" diff --git a/src/pymod/distutils_src/klayout/pya/__init__.py b/src/pymod/distutils_src/klayout/pya/__init__.py new file mode 100644 index 0000000000..66f96ac93d --- /dev/null +++ b/src/pymod/distutils_src/klayout/pya/__init__.py @@ -0,0 +1,4 @@ + +from ..pyacore import __all__ +from ..pyacore import * + diff --git a/src/pymod/distutils_src/pya/__init__.py b/src/pymod/distutils_src/pya/__init__.py index ff9d59e2ec..df2cefac7d 100644 --- a/src/pymod/distutils_src/pya/__init__.py +++ b/src/pymod/distutils_src/pya/__init__.py @@ -1,9 +1,4 @@ -# import all packages from klayout, such as klayout.db and klayout.tl -# WARNING: doing it manually until it becomes impractical -# TODO: We need a specification document explaining what should go into pya -from klayout.db import * # noqa -from klayout.lib import * # noqa -from klayout.tl import * # noqa -from klayout.rdb import * # noqa -from klayout.lay import * # noqa +# pull everything from the generic klayout.pya package into pya +from klayout.pya import __all__ +from klayout.pya import * diff --git a/src/pymod/edt/edtMain.cc b/src/pymod/edt/edtMain.cc index e3887760ea..de5201d2a0 100644 --- a/src/pymod/edt/edtMain.cc +++ b/src/pymod/edt/edtMain.cc @@ -22,7 +22,5 @@ #include "../pymodHelper.h" -// to force linking of the edt module -# include "../../edt/edt/edtForceLink.h" - +#include "edtMain.h" DEFINE_PYMOD(edtcore, "edt", "KLayout core module 'edt'") diff --git a/src/pymod/edt/edtMain.h b/src/pymod/edt/edtMain.h new file mode 100644 index 0000000000..ccfd2cb2a2 --- /dev/null +++ b/src/pymod/edt/edtMain.h @@ -0,0 +1,24 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warrlymy of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// to force linking of the edt module +#include "../../edt/edt/edtForceLink.h" diff --git a/src/pymod/img/imgMain.cc b/src/pymod/img/imgMain.cc index 538e5044cb..866144459c 100644 --- a/src/pymod/img/imgMain.cc +++ b/src/pymod/img/imgMain.cc @@ -22,7 +22,5 @@ #include "../pymodHelper.h" -// to force linking of the img module -# include "../../img/img/imgForceLink.h" - +#include "imgMain.h" DEFINE_PYMOD(imgcore, "img", "KLayout core module 'img'") diff --git a/src/pymod/img/imgMain.h b/src/pymod/img/imgMain.h new file mode 100644 index 0000000000..627e610c5b --- /dev/null +++ b/src/pymod/img/imgMain.h @@ -0,0 +1,24 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warrimgy of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// to force linking of the img module +#include "../../img/img/imgForceLink.h" diff --git a/src/pymod/lay/layMain.cc b/src/pymod/lay/layMain.cc index c329668673..f36cee5e48 100644 --- a/src/pymod/lay/layMain.cc +++ b/src/pymod/lay/layMain.cc @@ -22,18 +22,5 @@ #include "../pymodHelper.h" -// to force linking of the layview module -#if defined(HAVE_QT) -# include "../../lay/lay/layForceLink.h" -#else -# include "../../layview/layview/layviewForceLink.h" -#endif - -// Force-include other dependencies -// NOTE: these libraries contribute to the "lay" module space. Hence we have to include them. -#include "../../ant/ant/antForceLink.h" -#include "../../img/img/imgForceLink.h" -#include "../../edt/edt/edtForceLink.h" -#include "../../lym/lym/lymForceLink.h" - +#include "layMain.h" DEFINE_PYMOD(laycore, "lay", "KLayout core module 'lay'") diff --git a/src/pymod/lay/layMain.h b/src/pymod/lay/layMain.h new file mode 100644 index 0000000000..e9e16751ea --- /dev/null +++ b/src/pymod/lay/layMain.h @@ -0,0 +1,35 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// to force linking of the layview module +#if defined(HAVE_QT) +# include "../../lay/lay/layForceLink.h" +#else +# include "../../layview/layview/layviewForceLink.h" +#endif + +// Force-include other dependencies +// NOTE: these libraries contribute to the "lay" module space. Hence we have to include them. +#include "../../ant/ant/antForceLink.h" +#include "../../img/img/imgForceLink.h" +#include "../../edt/edt/edtForceLink.h" +#include "../../lym/lym/lymForceLink.h" diff --git a/src/pymod/lib/libMain.cc b/src/pymod/lib/libMain.cc index bc3e6a9ad5..6315b5dba1 100644 --- a/src/pymod/lib/libMain.cc +++ b/src/pymod/lib/libMain.cc @@ -22,12 +22,10 @@ #include "../pymodHelper.h" -// to force linking of the lib module -#include "../../lib/lib/libForceLink.h" - static PyObject *lib_module_init (const char *pymod_name, const char *mod_name, const char *mod_description) { return module_init (pymod_name, mod_name, mod_description); } +#include "libMain.h" DEFINE_PYMOD_WITH_INIT(libcore, "lib", "KLayout core module 'lib'", lib_module_init) diff --git a/src/pymod/lib/libMain.h b/src/pymod/lib/libMain.h new file mode 100644 index 0000000000..9b62feae9f --- /dev/null +++ b/src/pymod/lib/libMain.h @@ -0,0 +1,24 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// to force linking of the lib module +#include "../../lib/lib/libForceLink.h" diff --git a/src/pymod/lym/lymMain.cc b/src/pymod/lym/lymMain.cc index abd15ae150..a32e1ad609 100644 --- a/src/pymod/lym/lymMain.cc +++ b/src/pymod/lym/lymMain.cc @@ -22,7 +22,5 @@ #include "../pymodHelper.h" -// to force linking of the lym module -# include "../../lym/lym/lymForceLink.h" - +#include "lymMain.h" DEFINE_PYMOD(lymcore, "lym", "KLayout core module 'lym'") diff --git a/src/pymod/lym/lymMain.h b/src/pymod/lym/lymMain.h new file mode 100644 index 0000000000..a55de524ad --- /dev/null +++ b/src/pymod/lym/lymMain.h @@ -0,0 +1,24 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warrlymy of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// to force linking of the lym module +#include "../../lym/lym/lymForceLink.h" diff --git a/src/pymod/pya/pya.pro b/src/pymod/pya/pya.pro new file mode 100644 index 0000000000..cd6dc1bf7d --- /dev/null +++ b/src/pymod/pya/pya.pro @@ -0,0 +1,106 @@ + +TARGET = pyacore +REALMODULE = pya + +include($$PWD/../pymod.pri) + +SOURCES = \ + pyaMain.cc \ + +HEADERS += \ + +# needs all libraries as dependencies because we register all +# classes + +LIBS += -lklayout_layview + +!equals(HAVE_QT, "0") { + LIBS += -lklayout_layui + LIBS += -lklayout_lay +} + +LIBS += -lklayout_laybasic +LIBS += -lklayout_img +LIBS += -lklayout_lib +LIBS += -lklayout_edt +LIBS += -lklayout_ant +LIBS += -lklayout_lym +LIBS += -lklayout_db +LIBS += -lklayout_rdb + +# adds all the Qt binding stuff +!equals(HAVE_QT, "0") { + + equals(HAVE_QTBINDINGS, "1") { + + LIBS += -lklayout_QtCore -lklayout_QtGui + + !equals(HAVE_QT_NETWORK, "0") { + LIBS += -lklayout_QtNetwork + DEFINES += INCLUDE_QTNETWORK + } + + greaterThan(QT_MAJOR_VERSION, 4) { + LIBS += -lklayout_QtWidgets + DEFINES += INCLUDE_QTWIDGETS + } + + !equals(HAVE_QT_MULTIMEDIA, "0") { + greaterThan(QT_MAJOR_VERSION, 4) { + LIBS += -lklayout_QtMultimedia + DEFINES += INCLUDE_QTMULTIMEDIA + } + } + + !equals(HAVE_QT_PRINTSUPPORT, "0") { + greaterThan(QT_MAJOR_VERSION, 4) { + LIBS += -lklayout_QtPrintSupport + DEFINES += INCLUDE_QTPRINTSUPPORT + } + } + + !equals(HAVE_QT_SVG, "0") { + greaterThan(QT_MAJOR_VERSION, 4) { + LIBS += -lklayout_QtSvg + DEFINES += INCLUDE_QTSVG + } + } + + !equals(HAVE_QT_XML, "0") { + LIBS += -lklayout_QtXml + DEFINES += INCLUDE_QTXML + greaterThan(QT_MAJOR_VERSION, 4) { + lessThan(QT_MAJOR_VERSION, 6) { + LIBS += -lklayout_QtXmlPatterns + DEFINES += INCLUDE_QTXMLPATTERNS + } + } + } + + !equals(HAVE_QT_SQL, "0") { + LIBS += -lklayout_QtSql + DEFINES += INCLUDE_QTSQL + } + + !equals(HAVE_QT_DESIGNER, "0") { + lessThan(QT_MAJOR_VERSION, 6) { + LIBS += -lklayout_QtDesigner + DEFINES += INCLUDE_QTDESIGNER + } + } + + !equals(HAVE_QT_UITOOLS, "0") { + LIBS += -lklayout_QtUiTools + DEFINES += INCLUDE_QTUITOOLS + } + + !equals(HAVE_QT_CORE5COMPAT, "0") { + greaterThan(QT_MAJOR_VERSION, 5) { + LIBS += -lklayout_QtCore5Compat + DEFINES += INCLUDE_QTCORE5COMPAT + } + } + + } + +} diff --git a/src/pymod/pya/pyaMain.cc b/src/pymod/pya/pyaMain.cc new file mode 100644 index 0000000000..1d7e7ce3de --- /dev/null +++ b/src/pymod/pya/pyaMain.cc @@ -0,0 +1,76 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +#include "../pymodHelper.h" + +// to force linking of the layview module +#include "../db/dbMain.h" +#include "../rdb/rdbMain.h" +#include "../lib/libMain.h" +#include "../lay/layMain.h" + +#if defined(HAVE_QT) +# if defined(HAVE_QTBINDINGS) +# include "QtCore/QtCoreMain.h" +# include "QtGui/QtGuiMain.h" +# if defined(INCLUDE_QTNETWORK) +# include "QtNetwork/QtNetworkMain.h" +# endif +# if defined(INCLUDE_QTWIDGETS) +# include "QtWidgets/QtWidgetsMain.h" +# endif +# if defined(INCLUDE_QTPRINTSUPPORT) +# include "QtPrintSupport/QtPrintSupportMain.h" +# endif +# if defined(INCLUDE_QTSVG) +# include "QtSvg/QtSvgMain.h" +# endif +# if defined(INCLUDE_QTXML) +# include "QtXml/QtXmlMain.h" +# endif +# if defined(INCLUDE_QTXMLPATTERNS) +# include "QtXmlPatterns/QtXmlPatternsMain.h" +# endif +# if defined(INCLUDE_QTSQL) +# include "QtSql/QtSqlMain.h" +# endif +# if defined(INCLUDE_QTDESIGNER) +# include "QtDesigner/QtDesignerMain.h" +# endif +# if defined(INCLUDE_QTUITOOLS) +# include "QtUiTools/QtUiToolsMain.h" +# endif +# if defined(INCLUDE_QTCORE5COMPAT) +# include "QtCore5Compat/QtCore5CompatMain.h" +# endif +# endif +#endif + +#include "../../db/db/dbInit.h" + +static PyObject *pya_module_init (const char *pymod_name, const char *mod_name, const char *mod_description) +{ + db::init (); + return module_init (pymod_name, mod_name, mod_description); +} + +DEFINE_PYMOD_WITH_INIT(pyacore, 0, "KLayout generic Python module (pya)", pya_module_init) diff --git a/src/pymod/pymod.pro b/src/pymod/pymod.pro index b8f7744ea4..1fac8d258f 100644 --- a/src/pymod/pymod.pro +++ b/src/pymod/pymod.pro @@ -8,6 +8,7 @@ SUBDIRS = \ rdb \ lib \ lay \ + pya \ !equals(HAVE_QT, "0") { diff --git a/src/pymod/pymodHelper.h b/src/pymod/pymodHelper.h index 02b6790e7b..8f21489c23 100644 --- a/src/pymod/pymodHelper.h +++ b/src/pymod/pymodHelper.h @@ -27,7 +27,7 @@ * Use this helper file this way: * * #include "pymodHelper.h" - * DEFINE_PYMOD(mymod, "mymod", "KLayout Test module klayout.mymod") + * DEFINE_PYMOD(klayout.mymod, "mymod", "KLayout Test module klayout.mymod") */ #include diff --git a/src/pymod/rdb/rdbMain.cc b/src/pymod/rdb/rdbMain.cc index 48314a0718..ffcfe2e750 100644 --- a/src/pymod/rdb/rdbMain.cc +++ b/src/pymod/rdb/rdbMain.cc @@ -22,7 +22,5 @@ #include "../pymodHelper.h" -// to force linking of the rdb module -#include "../../rdb/rdb/rdbForceLink.h" - +#include "rdbMain.h" DEFINE_PYMOD(rdbcore, "rdb", "KLayout core module 'rdb'") diff --git a/src/pymod/rdb/rdbMain.h b/src/pymod/rdb/rdbMain.h new file mode 100644 index 0000000000..344cb11a90 --- /dev/null +++ b/src/pymod/rdb/rdbMain.h @@ -0,0 +1,24 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +// to force linking of the rdb module +#include "../../rdb/rdb/rdbForceLink.h" From 8b7e2b2b4077d34500e2de3e82240027a6991afb Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Fri, 10 Mar 2023 21:58:01 +0100 Subject: [PATCH 013/128] Refactoring of pya - using external module defintions for pya initialization --- src/pya/pya/pya.cc | 74 +++++++++------------------------------------- 1 file changed, 14 insertions(+), 60 deletions(-) diff --git a/src/pya/pya/pya.cc b/src/pya/pya/pya.cc index 9da57b0d2c..fb7f16fd33 100644 --- a/src/pya/pya/pya.cc +++ b/src/pya/pya/pya.cc @@ -162,38 +162,6 @@ class PythonStackTraceProvider static const char *pya_module_name = "pya"; -#if PY_MAJOR_VERSION < 3 - -static PyObject * -init_pya_module () -{ - static PyMethodDef module_methods[] = { - {NULL} // Sentinel - }; - return Py_InitModule3 (pya_module_name, module_methods, "KLayout Python API."); -} - -#else - -static PyObject * -init_pya_module () -{ - static struct PyModuleDef moduledef = { - PyModuleDef_HEAD_INIT, - pya_module_name, // m_name - "KLayout Python API.", // m_doc - -1, // m_size - NULL, // m_methods - NULL, // m_reload - NULL, // m_traverse - NULL, // m_clear - NULL, // m_free - }; - return PyModule_Create (&moduledef); -} - -#endif - static void reset_interpreter () { delete sp_interpreter; @@ -328,14 +296,6 @@ PythonInterpreter::PythonInterpreter (bool embedded) PySys_SetArgv (1, argv); #endif - PyObject *module = init_pya_module (); - if (module == NULL) { - check_error (); - return; - } - - PyImport_ImportModule (pya_module_name); - #else // Python 3 requires a unicode string for the application name @@ -346,7 +306,6 @@ PythonInterpreter::PythonInterpreter (bool embedded) Py_DECREF (an); Py_SetProgramName (mp_py3_app_name); - PyImport_AppendInittab (pya_module_name, &init_pya_module); Py_InitializeEx (0 /*don't set signals*/); // Set dummy argv[] @@ -354,35 +313,30 @@ PythonInterpreter::PythonInterpreter (bool embedded) wchar_t *argv[1] = { mp_py3_app_name }; PySys_SetArgvEx (1, argv, 0); - // Import the module - PyObject *module = PyImport_ImportModule (pya_module_name); - if (module == NULL) { - check_error (); - return; - } - #endif - // Build two objects that provide a way to redirect stdout, stderr - // and instantiate them two times for stdout and stderr. - PYAChannelObject::make_class (module); - m_stdout_channel = PythonRef (PYAChannelObject::create (gsi::Console::OS_stdout)); - m_stdout = PythonPtr (m_stdout_channel.get ()); - m_stderr_channel = PythonRef (PYAChannelObject::create (gsi::Console::OS_stderr)); - m_stderr = PythonPtr (m_stderr_channel.get ()); - sp_interpreter = this; - m_pya_module.reset (new pya::PythonModule ()); - m_pya_module->init (pya_module_name, module); - m_pya_module->make_classes (); - // Add a reference to the "pymod" directory close to our own library. // We can put build-in modules there. std::string module_path = tl::get_module_path ((void *) &reset_interpreter); if (! module_path.empty ()) { add_path (tl::combine_path (tl::absolute_path (module_path), "pymod")); } + + PyObject *pya_module = PyImport_ImportModule (pya_module_name); + if (pya_module == NULL) { + check_error (); + return; + } + + // Build two objects that provide a way to redirect stdout, stderr + // and instantiate them two times for stdout and stderr. + PYAChannelObject::make_class (pya_module); + m_stdout_channel = PythonRef (PYAChannelObject::create (gsi::Console::OS_stdout)); + m_stdout = PythonPtr (m_stdout_channel.get ()); + m_stderr_channel = PythonRef (PYAChannelObject::create (gsi::Console::OS_stderr)); + m_stderr = PythonPtr (m_stderr_channel.get ()); } PythonInterpreter::~PythonInterpreter () From 068849a634f1c70348ed10160aebd332d44233c1 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Fri, 10 Mar 2023 23:22:30 +0100 Subject: [PATCH 014/128] Refactoring, primary goal is to centralize the definition of PCellDeclarationHelper in Python --- .../pcell_declaration_helper.lym | 315 +---------- .../distutils_src/klayout/db/__init__.py | 41 +- .../klayout/db/pcell_declaration_helper.py | 85 ++- .../distutils_src/klayout/lay/__init__.py | 8 +- .../distutils_src/klayout/lib/__init__.py | 6 +- .../distutils_src/klayout/rdb/__init__.py | 6 +- .../distutils_src/klayout/tl/__init__.py | 6 +- src/pymod/distutils_src/pya/__init__.py | 17 + src/pymod/unit_tests/pymod_tests.cc | 1 + testdata/pymod/klayout_db_tests.py | 502 ++++++++++++++++++ 10 files changed, 621 insertions(+), 366 deletions(-) create mode 100644 testdata/pymod/klayout_db_tests.py diff --git a/src/db/db/built-in-pymacros/pcell_declaration_helper.lym b/src/db/db/built-in-pymacros/pcell_declaration_helper.lym index e3cdf7f62b..462883154b 100644 --- a/src/db/db/built-in-pymacros/pcell_declaration_helper.lym +++ b/src/db/db/built-in-pymacros/pcell_declaration_helper.lym @@ -8,6 +8,10 @@ @class [db] PCellDeclarationHelper < PCellDeclaration @brief A helper class to simplify the declaration of a PCell (Python version) +NOTE: in the following, "pya" can be replaced by "klayout.db" which is +the canonical module and the preferred way of addressing the +external Python library. + This class provides adds some convenience to the PCell declaration based on PCellDeclaration. PCellDeclaration is a C++ object which is less convenient to use than a Ruby-based approach. In particular this class @@ -252,314 +256,7 @@ This method must return a \\Trans object. The default implementation returns a u python -import pya - -class _PCellDeclarationHelperLayerDescriptor(object): - """ - A descriptor object which translates the PCell parameters into class attributes - """ - - def __init__(self, param_index): - self.param_index = param_index - - def __get__(self, obj, type = None): - return obj._layers[self.param_index] - - def __set__(self, obj, value): - raise AttributeError("can't change layer attribute") - -class _PCellDeclarationHelperParameterDescriptor(object): - """ - A descriptor object which translates the PCell parameters into class attributes - - In some cases (i.e. can_convert_from_shape), these placeholders are not - connected to real parameters (obj._param_values is None). In this case, - the descriptor acts as a value holder (self.value) - """ - - def __init__(self, param_index, param_name): - self.param_index = param_index - self.param_name = param_name - self.value = None - - def __get__(self, obj, type = None): - if obj._param_values: - return obj._param_values[self.param_index] - elif obj._param_states: - return obj._param_states.parameter(self.param_name) - else: - return self.value - - def __set__(self, obj, value): - if obj._param_values: - obj._param_values[self.param_index] = value - else: - self.value = value - -class _PCellDeclarationHelper(pya.PCellDeclaration): - """ - A helper class that somewhat simplifies the implementation - of a PCell - """ - - def __init__(self): - """ - initialize this instance - """ - # "private" attributes - self._param_decls = [] - self._param_values = None - self._param_states = None - self._layer_param_index = [] - self._layers = [] - # public attributes - self.layout = None - self.shape = None - self.layer = None - self.cell = None - - def param(self, name, value_type, description, hidden = False, readonly = False, unit = None, default = None, choices = None): - """ - Defines a parameter - name -> the short name of the parameter - type -> the type of the parameter - description -> the description text - named parameters - hidden -> (boolean) true, if the parameter is not shown in the dialog - readonly -> (boolean) true, if the parameter cannot be edited - unit -> the unit string - default -> the default value - choices -> ([ [ d, v ], ...) choice descriptions/value for choice type - this method defines accessor methods for the parameters - {name} -> read accessor - set_{name} -> write accessor ({name}= does not work because the - Ruby confuses that method with variables) - {name}_layer -> read accessor for the layer index for TypeLayer parameters - """ - - # create accessor methods for the parameters - param_index = len(self._param_decls) - setattr(type(self), name, _PCellDeclarationHelperParameterDescriptor(param_index, name)) - - if value_type == type(self).TypeLayer: - setattr(type(self), name + "_layer", _PCellDeclarationHelperLayerDescriptor(len(self._layer_param_index))) - self._layer_param_index.append(param_index) - - # store the parameter declarations - pdecl = pya.PCellParameterDeclaration(name, value_type, description) - self._param_decls.append(pdecl) - - # set additional attributes of the parameters - pdecl.hidden = hidden - pdecl.readonly = readonly - if not (default is None): - pdecl.default = default - if not (unit is None): - pdecl.unit = unit - if not (choices is None): - if not isinstance(choices, list) and not isinstance(choices, tuple): - raise "choices value must be an list/tuple of two-element arrays (description, value)" - for c in choices: - if (not isinstance(choices, list) and not isinstance(choices, tuple)) or len(c) != 2: - raise "choices value must be an list/tuple of two-element arrays (description, value)" - pdecl.add_choice(c[0],c[1]) - - # return the declaration object for further operations - return pdecl - - def display_text(self, parameters): - """ - implementation of display_text - """ - self._param_values = parameters - try: - text = self.display_text_impl() - finally: - self._param_values = None - return text - - def get_parameters(self): - """ - gets the parameters - """ - return self._param_decls - - def get_values(self): - """ - gets the temporary parameter values - """ - v = self._param_values - self._param_values = None - return v - - def init_values(self, values = None, layers = None, states = None): - """ - initializes the temporary parameter values - "values" are the original values. If "None" is given, the - default values will be used. - "layers" are the layer indexes corresponding to the layer - parameters. - """ - self._param_values = None - self._param_states = None - if states: - self._param_states = states - elif not values: - self._param_values = [] - for pd in self._param_decls: - self._param_values.append(pd.default) - else: - self._param_values = values - self._layers = layers - - def finish(self): - """ - Needs to be called at the end of an implementation - """ - self._param_values = None - self._param_states = None - self._layers = None - self._cell = None - self._layout = None - self._layer = None - self._shape = None - - def get_layers(self, parameters): - """ - gets the layer definitions - """ - layers = [] - for i in self._layer_param_index: - layers.append(parameters[i]) - return layers - - def callback(self, layout, name, states): - """ - callback (change state on parameter change) - """ - self.init_values(states = states) - self.layout = layout - try: - self.callback_impl(name) - finally: - self.finish() - - def coerce_parameters(self, layout, parameters): - """ - coerce parameters (make consistent) - """ - self.init_values(parameters) - self.layout = layout - try: - self.coerce_parameters_impl() - parameters = self.get_values() - finally: - self.finish() - return parameters - - def produce(self, layout, layers, parameters, cell): - """ - produces the layout - """ - self.init_values(parameters, layers) - self.cell = cell - self.layout = layout - try: - self.produce_impl() - finally: - self.finish() - - def can_create_from_shape(self, layout, shape, layer): - """ - produce a helper for can_create_from_shape - """ - self.layout = layout - self.shape = shape - self.layer = layer - try: - ret = self.can_create_from_shape_impl() - finally: - self.finish() - return ret - - def transformation_from_shape(self, layout, shape, layer): - """ - produce a helper for parameters_from_shape - """ - self.layout = layout - self.shape = shape - self.layer = layer - try: - t = self.transformation_from_shape_impl() - finally: - self.finish() - return t - - def parameters_from_shape(self, layout, shape, layer): - """ - produce a helper for parameters_from_shape - with this helper, the implementation can use the parameter setters - """ - self.init_values() - self.layout = layout - self.shape = shape - self.layer = layer - try: - self.parameters_from_shape_impl() - param = self.get_values() - finally: - self.finish() - return param - - def display_text_impl(self): - """ - default implementation - """ - return "" - - def coerce_parameters_impl(self): - """ - default implementation - """ - pass - - def callback_impl(self, name): - """ - default implementation - """ - pass - - def produce_impl(self): - """ - default implementation - """ - pass - - def can_create_from_shape_impl(self): - """ - default implementation - """ - return False - - def parameters_from_shape_impl(self): - """ - default implementation - """ - pass - - def transformation_from_shape_impl(self): - """ - default implementation - """ - return pya.Trans() - -# import the Type... constants from PCellParameterDeclaration -for k in dir(pya.PCellParameterDeclaration): - if k.startswith("Type"): - setattr(_PCellDeclarationHelper, k, getattr(pya.PCellParameterDeclaration, k)) - -# Inject the PCellDeclarationHelper into pya module for consistency: -setattr(pya, "PCellDeclarationHelper", _PCellDeclarationHelper) - +# No code provided here. This macro is supplied to provide the documentation. +# The basic code is located in klayout.db.pcell_declaration_helper now. diff --git a/src/pymod/distutils_src/klayout/db/__init__.py b/src/pymod/distutils_src/klayout/db/__init__.py index fee5eb8c94..55498829f2 100644 --- a/src/pymod/distutils_src/klayout/db/__init__.py +++ b/src/pymod/distutils_src/klayout/db/__init__.py @@ -1,20 +1,31 @@ -import functools -from typing import Type -import klayout.dbcore -from klayout.dbcore import * -from klayout.db.pcell_declaration_helper import PCellDeclarationHelper +import sys +from ..dbcore import __all__ +from ..dbcore import * -__all__ = klayout.dbcore.__all__ + ["PCellDeclarationHelper"] # type: ignore +from .pcell_declaration_helper import * + +# establish the PCellDeclarationHelper using the mixin provided by _pcell_declaration_helper +class PCellDeclarationHelper(_PCellDeclarationHelperMixin, PCellDeclaration): + def __init__(self): + super().__init__() + def _make_parameter_declaration(self, name, value_type, description): + return PCellParameterDeclaration(name, value_type, description) + def _make_default_trans(self): + return Trans() + +# import the Type... constants from PCellParameterDeclaration +for k in dir(PCellParameterDeclaration): + if k.startswith("Type"): + setattr(PCellDeclarationHelper, k, getattr(PCellParameterDeclaration, k)) # If class has from_s, to_s, and assign, use them to # enable serialization. -for name, cls in klayout.dbcore.__dict__.items(): - if not isinstance(cls, type): - continue - if hasattr(cls, 'from_s') and hasattr(cls, 'to_s') and hasattr(cls, 'assign'): - cls.__getstate__ = cls.to_s # type: ignore - def _setstate(self, str): - cls = self.__class__ - self.assign(cls.from_s(str)) - cls.__setstate__ = _setstate # type: ignore +for name in __all__: + cls = globals()[name] + if hasattr(cls, 'from_s') and hasattr(cls, 'to_s') and hasattr(cls, 'assign'): + cls.__getstate__ = cls.to_s # type: ignore + def _setstate(self, str): + cls = self.__class__ + self.assign(cls.from_s(str)) + cls.__setstate__ = _setstate # type: ignore diff --git a/src/pymod/distutils_src/klayout/db/pcell_declaration_helper.py b/src/pymod/distutils_src/klayout/db/pcell_declaration_helper.py index f8e5f2c7e7..4731b074fb 100644 --- a/src/pymod/distutils_src/klayout/db/pcell_declaration_helper.py +++ b/src/pymod/distutils_src/klayout/db/pcell_declaration_helper.py @@ -1,5 +1,3 @@ -from klayout.db import Trans, PCellDeclaration, PCellParameterDeclaration - class _PCellDeclarationHelperLayerDescriptor(object): """ @@ -43,16 +41,17 @@ def __set__(self, obj, value): else: self.value = value -class _PCellDeclarationHelper(PCellDeclaration): +class _PCellDeclarationHelperMixin: """ - A helper class that somewhat simplifies the implementation - of a PCell + A mixin class that somewhat simplifies the implementation of a PCell + Needed to build PCellDeclarationHelper """ - def __init__(self): + def __init__(self, *args, **kwargs): """ - initialize this instance + initializes this instance """ + super().__init__(*args, **kwargs) # "private" attributes self._param_decls = [] self._param_values = None @@ -93,7 +92,7 @@ def param(self, name, value_type, description, hidden = False, readonly = False, self._layer_param_index.append(param_index) # store the parameter declarations - pdecl = PCellParameterDeclaration(name, value_type, description) + pdecl = self._make_parameter_declaration(name, value_type, description) self._param_decls.append(pdecl) # set additional attributes of the parameters @@ -116,24 +115,33 @@ def param(self, name, value_type, description, hidden = False, readonly = False, def display_text(self, parameters): """ - implementation of display_text + Reimplementation of PCellDeclaration.display_text + + This function delegates the implementation to self.display_text_impl + after configuring the PCellDeclaration object. """ self._param_values = parameters try: text = self.display_text_impl() finally: - self._param_values = None + self.finish() return text def get_parameters(self): """ - gets the parameters + Reimplementation of PCellDeclaration.get_parameters + + This function uses the collected parameters to feed the + PCell declaration. """ return self._param_decls def get_values(self): """ - gets the temporary parameter values + Gets the temporary parameter values used for the current evaluation + + Call this function to get the a current parameter values. This + is an array of variants in the order the parameters are declared. """ v = self._param_values self._param_values = None @@ -141,7 +149,8 @@ def get_values(self): def init_values(self, values = None, layers = None, states = None): """ - initializes the temporary parameter values + initializes the temporary parameter values for the current evaluation + "values" are the original values. If "None" is given, the default values will be used. "layers" are the layer indexes corresponding to the layer @@ -161,7 +170,7 @@ def init_values(self, values = None, layers = None, states = None): def finish(self): """ - Needs to be called at the end of an implementation + Is called at the end of an implementation of a PCellDeclaration method """ self._param_values = None self._param_states = None @@ -173,7 +182,9 @@ def finish(self): def get_layers(self, parameters): """ - gets the layer definitions + Reimplements PCellDeclaration.get_layers. + + Gets the layer definitions from all layer parameters. """ layers = [] for i in self._layer_param_index: @@ -182,7 +193,10 @@ def get_layers(self, parameters): def callback(self, layout, name, states): """ - callback (change state on parameter change) + Reimplements PCellDeclaration.callback (change state on parameter change) + + The function delegates the implementation to callback_impl + after updating the state of this object with the current parameters. """ self.init_values(states = states) self.layout = layout @@ -193,7 +207,10 @@ def callback(self, layout, name, states): def coerce_parameters(self, layout, parameters): """ - coerce parameters (make consistent) + Reimplements PCellDeclaration.coerce parameters (make consistent) + + The function delegates the implementation to coerce_parameters_impl + after updating the state of this object with the current parameters. """ self.init_values(parameters) self.layout = layout @@ -206,7 +223,10 @@ def coerce_parameters(self, layout, parameters): def produce(self, layout, layers, parameters, cell): """ - produces the layout + Reimplements PCellDeclaration.produce (produces the layout) + + The function delegates the implementation to produce_impl + after updating the state of this object with the current parameters. """ self.init_values(parameters, layers) self.cell = cell @@ -218,7 +238,10 @@ def produce(self, layout, layers, parameters, cell): def can_create_from_shape(self, layout, shape, layer): """ - produce a helper for can_create_from_shape + Reimplements PCellDeclaration.can_create_from_shape + + The function delegates the implementation to can_create_from_shape_impl + after updating the state of this object with the current parameters. """ self.layout = layout self.shape = shape @@ -231,21 +254,28 @@ def can_create_from_shape(self, layout, shape, layer): def transformation_from_shape(self, layout, shape, layer): """ - produce a helper for parameters_from_shape + Reimplements PCellDeclaration.transformation_from_shape + + The function delegates the implementation to transformation_from_shape_impl + after updating the state of this object with the current parameters. """ self.layout = layout self.shape = shape self.layer = layer try: t = self.transformation_from_shape_impl() + if t is None: + t = self._make_default_trans() finally: self.finish() return t def parameters_from_shape(self, layout, shape, layer): """ - produce a helper for parameters_from_shape - with this helper, the implementation can use the parameter setters + Reimplements PCellDeclaration.parameters_from_shape + + The function delegates the implementation to parameters_from_shape_impl + after updating the state of this object with the current parameters. """ self.init_values() self.layout = layout @@ -298,13 +328,10 @@ def transformation_from_shape_impl(self): """ default implementation """ - return Trans() + return None -# import the Type... constants from PCellParameterDeclaration -for k in dir(PCellParameterDeclaration): - if k.startswith("Type"): - setattr(_PCellDeclarationHelper, k, getattr(PCellParameterDeclaration, k)) -# Inject the PCellDeclarationHelper into module for consistency: -PCellDeclarationHelper = _PCellDeclarationHelper +__all__ = [ "_PCellDeclarationHelperLayerDescriptor", + "_PCellDeclarationHelperParameterDescriptor", + "_PCellDeclarationHelperMixin" ] diff --git a/src/pymod/distutils_src/klayout/lay/__init__.py b/src/pymod/distutils_src/klayout/lay/__init__.py index e744d3dea0..08443bfdcc 100644 --- a/src/pymod/distutils_src/klayout/lay/__init__.py +++ b/src/pymod/distutils_src/klayout/lay/__init__.py @@ -1,6 +1,6 @@ -import klayout.dbcore # enables stream reader plugins -import klayout.laycore -from klayout.laycore import * +from ..dbcore import Layout # enables stream reader plugins + +from ..laycore import __all__ +from ..laycore import * -__all__ = klayout.laycore.__all__ diff --git a/src/pymod/distutils_src/klayout/lib/__init__.py b/src/pymod/distutils_src/klayout/lib/__init__.py index 90fb8d3deb..63172d56eb 100644 --- a/src/pymod/distutils_src/klayout/lib/__init__.py +++ b/src/pymod/distutils_src/klayout/lib/__init__.py @@ -1,4 +1,4 @@ -import klayout.libcore -from klayout.libcore import * -__all__ = klayout.libcore.__all__ +from ..libcore import __all__ +from ..libcore import * + diff --git a/src/pymod/distutils_src/klayout/rdb/__init__.py b/src/pymod/distutils_src/klayout/rdb/__init__.py index eb48ea8880..26ed03eb85 100644 --- a/src/pymod/distutils_src/klayout/rdb/__init__.py +++ b/src/pymod/distutils_src/klayout/rdb/__init__.py @@ -1,4 +1,4 @@ -import klayout.rdbcore -from klayout.rdbcore import * -__all__ = klayout.rdbcore.__all__ +from ..rdbcore import __all__ +from ..rdbcore import * + diff --git a/src/pymod/distutils_src/klayout/tl/__init__.py b/src/pymod/distutils_src/klayout/tl/__init__.py index a4c4287e95..84698bc500 100644 --- a/src/pymod/distutils_src/klayout/tl/__init__.py +++ b/src/pymod/distutils_src/klayout/tl/__init__.py @@ -1,4 +1,4 @@ -import klayout.tlcore -from klayout.tlcore import * -__all__ = klayout.tlcore.__all__ +from ..tlcore import __all__ +from ..tlcore import * + diff --git a/src/pymod/distutils_src/pya/__init__.py b/src/pymod/distutils_src/pya/__init__.py index df2cefac7d..a822c61774 100644 --- a/src/pymod/distutils_src/pya/__init__.py +++ b/src/pymod/distutils_src/pya/__init__.py @@ -2,3 +2,20 @@ # pull everything from the generic klayout.pya package into pya from klayout.pya import __all__ from klayout.pya import * + +from klayout.db.pcell_declaration_helper import * + +# establish the PCellDeclarationHelper using the mixin provided by _pcell_declaration_helper +class PCellDeclarationHelper(_PCellDeclarationHelperMixin, PCellDeclaration): + def __init__(self): + super().__init__() + def _make_parameter_declaration(self, name, value_type, description): + return PCellParameterDeclaration(name, value_type, description) + def _make_default_trans(self): + return Trans() + +# import the Type... constants from PCellParameterDeclaration +for k in dir(PCellParameterDeclaration): + if k.startswith("Type"): + setattr(PCellDeclarationHelper, k, getattr(PCellParameterDeclaration, k)) + diff --git a/src/pymod/unit_tests/pymod_tests.cc b/src/pymod/unit_tests/pymod_tests.cc index 693b81cb44..88cc5d7f48 100644 --- a/src/pymod/unit_tests/pymod_tests.cc +++ b/src/pymod/unit_tests/pymod_tests.cc @@ -90,6 +90,7 @@ PYMODTEST (bridge, "bridge.py") PYMODTEST (import_tl, "import_tl.py") PYMODTEST (import_db, "import_db.py") +PYMODTEST (klayout_db_tests, "klayout_db_tests.py") PYMODTEST (import_rdb, "import_rdb.py") PYMODTEST (import_lay, "import_lay.py") PYMODTEST (import_lib, "import_lib.py") diff --git a/testdata/pymod/klayout_db_tests.py b/testdata/pymod/klayout_db_tests.py new file mode 100644 index 0000000000..725cde5418 --- /dev/null +++ b/testdata/pymod/klayout_db_tests.py @@ -0,0 +1,502 @@ +# KLayout Layout Viewer +# Copyright (C) 2006-2023 Matthias Koefferlein +# +# This program is free software; you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation; either version 2 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + + +import klayout.db +import unittest +import sys + +class BoxPCell(klayout.db.PCellDeclaration): + + def display_text(self, parameters): + # provide a descriptive text for the cell + return "Box(L=" + str(parameters[0]) + ",W=" + ('%.3f' % parameters[1]) + ",H=" + ('%.3f' % parameters[2]) + ")" + + def get_parameters(self): + + # prepare a set of parameter declarations + param = [] + + param.append(klayout.db.PCellParameterDeclaration("l", klayout.db.PCellParameterDeclaration.TypeLayer, "Layer", klayout.db.LayerInfo(0, 0))) + param.append(klayout.db.PCellParameterDeclaration("w", klayout.db.PCellParameterDeclaration.TypeDouble, "Width", 1.0)) + param.append(klayout.db.PCellParameterDeclaration("h", klayout.db.PCellParameterDeclaration.TypeDouble, "Height", 1.0)) + + return param + + + def get_layers(self, parameters): + return [ parameters[0] ] + + def produce(self, layout, layers, parameters, cell): + + dbu = layout.dbu + + # fetch the parameters + l = parameters[0] + w = parameters[1] / layout.dbu + h = parameters[2] / layout.dbu + + # create the shape + cell.shapes(layers[0]).insert(klayout.db.Box(-w / 2, -h / 2, w / 2, h / 2)) + + def can_create_from_shape(self, layout, shape, layer): + return shape.is_box() + + def transformation_from_shape(self, layout, shape, layer): + return klayout.db.Trans(shape.box.center() - klayout.db.Point()) + + def parameters_from_shape(self, layout, shape, layer): + return [ layout.get_info(layer), shape.box.width() * layout.dbu, shape.box.height() * layout.dbu ] + +class PCellTestLib(klayout.db.Library): + + def __init__(self): + + # set the description + self.description = "PCell test lib" + + # create the PCell declarations + self.layout().register_pcell("Box", BoxPCell()) + + sb_index = self.layout().add_cell("StaticBox") + l10 = self.layout().insert_layer(klayout.db.LayerInfo(10, 0)) + sb_cell = self.layout().cell(sb_index) + sb_cell.shapes(l10).insert(klayout.db.Box(0, 0, 100, 200)) + + # register us with the name "MyLib" + self.register("PCellTestLib") + + +# A PCell based on the declaration helper + +class BoxPCell2(klayout.db.PCellDeclarationHelper): + + def __init__(self): + + super(BoxPCell2, self).__init__() + + self.param("layer", self.TypeLayer, "Layer", default = klayout.db.LayerInfo(0, 0)) + self.param("width", self.TypeDouble, "Width", default = 1.0) + self.param("height", self.TypeDouble, "Height", default = 1.0) + + def display_text_impl(self): + # provide a descriptive text for the cell + return "Box2(L=" + str(self.layer) + ",W=" + ('%.3f' % self.width) + ",H=" + ('%.3f' % self.height) + ")" + + def wants_lazy_evaluation(self): + return True + + def produce_impl(self): + + dbu = self.layout.dbu + + # fetch the parameters + l = self.layer_layer + w = self.width / self.layout.dbu + h = self.height / self.layout.dbu + + # create the shape + self.cell.shapes(l).insert(klayout.db.Box(-w / 2, -h / 2, w / 2, h / 2)) + + def can_create_from_shape_impl(self): + return self.shape.is_box() + + def transformation_from_shape_impl(self): + return klayout.db.Trans(self.shape.box.center() - klayout.db.Point()) + + def parameters_from_shape_impl(self): + self.layer = self.layout.get_info(self.layer) + self.width = self.shape.box.width() * self.layout.dbu + self.height = self.shape.box.height() * self.layout.dbu + +class PCellTestLib2(klayout.db.Library): + + def __init__(self): + + # set the description + self.description = "PCell test lib2" + + # create the PCell declarations + self.layout().register_pcell("Box2", BoxPCell2()) + + # register us with the name "MyLib" + self.register("PCellTestLib2") + + +def inspect_LayerInfo(self): + return "<" + str(self) + ">" + +klayout.db.LayerInfo.__repr__ = inspect_LayerInfo + +def find_layer(ly, lp): + + for li in ly.layer_indices(): + if str(ly.get_info(li)) == lp: + return li + return None + + +def nh(h): + """ + Returns a normalized hash representation + """ + v = [] + for k in sorted(h): + v.append(repr(k) + ": " + repr(h[k])) + return "{" + (", ".join(v)) + "}" + +class DBPCellTests(unittest.TestCase): + + def test_1(self): + + # instantiate and register the library + tl = PCellTestLib() + + ly = klayout.db.Layout(True) + ly.dbu = 0.01 + + li1 = find_layer(ly, "1/0") + self.assertEqual(li1 == None, True) + + ci1 = ly.add_cell("c1") + c1 = ly.cell(ci1) + + lib = klayout.db.Library.library_by_name("NoLib") + self.assertEqual(lib == None, True) + lib = klayout.db.Library.library_by_name("PCellTestLib") + self.assertEqual(lib != None, True) + pcell_decl = lib.layout().pcell_declaration("x") + self.assertEqual(pcell_decl == None, True) + pcell_decl = lib.layout().pcell_declaration("Box") + self.assertEqual(pcell_decl != None, True) + pcell_decl_id = lib.layout().pcell_id("Box") + self.assertEqual(pcell_decl.id(), pcell_decl_id) + self.assertEqual(":".join(lib.layout().pcell_names()), "Box") + self.assertEqual(lib.layout().pcell_ids(), [ pcell_decl_id ]) + self.assertEqual(lib.layout().pcell_declaration(pcell_decl_id).id(), pcell_decl_id) + + param = [ klayout.db.LayerInfo(1, 0) ] # rest is filled with defaults + pcell_var_id = ly.add_pcell_variant(lib, pcell_decl_id, param) + pcell_var = ly.cell(pcell_var_id) + pcell_inst = c1.insert(klayout.db.CellInstArray(pcell_var_id, klayout.db.Trans())) + self.assertEqual(pcell_var.layout().__repr__(), ly.__repr__()) + self.assertEqual(pcell_var.library().__repr__(), lib.__repr__()) + self.assertEqual(pcell_var.is_pcell_variant(), True) + self.assertEqual(pcell_var.display_title(), "PCellTestLib.Box(L=1/0,W=1.000,H=1.000)") + self.assertEqual(pcell_var.basic_name(), "Box") + self.assertEqual(pcell_var.pcell_declaration().wants_lazy_evaluation(), False) + self.assertEqual(c1.is_pcell_variant(), False) + self.assertEqual(c1.is_pcell_variant(pcell_inst), True) + self.assertEqual(pcell_var.pcell_id(), pcell_decl_id) + self.assertEqual(pcell_var.pcell_library().__repr__(), lib.__repr__()) + self.assertEqual(pcell_var.pcell_parameters().__repr__(), "[<1/0>, 1.0, 1.0]") + self.assertEqual(nh(pcell_var.pcell_parameters_by_name()), "{'h': 1.0, 'l': <1/0>, 'w': 1.0}") + self.assertEqual(pcell_var.pcell_parameter("h").__repr__(), "1.0") + self.assertEqual(c1.pcell_parameters(pcell_inst).__repr__(), "[<1/0>, 1.0, 1.0]") + self.assertEqual(nh(c1.pcell_parameters_by_name(pcell_inst)), "{'h': 1.0, 'l': <1/0>, 'w': 1.0}") + self.assertEqual(c1.pcell_parameter(pcell_inst, "h").__repr__(), "1.0") + self.assertEqual(nh(pcell_inst.pcell_parameters_by_name()), "{'h': 1.0, 'l': <1/0>, 'w': 1.0}") + self.assertEqual(pcell_inst["h"].__repr__(), "1.0") + self.assertEqual(pcell_inst["i"].__repr__(), "None") + self.assertEqual(pcell_inst.pcell_parameter("h").__repr__(), "1.0") + self.assertEqual(pcell_var.pcell_declaration().__repr__(), pcell_decl.__repr__()) + self.assertEqual(c1.pcell_declaration(pcell_inst).__repr__(), pcell_decl.__repr__()) + self.assertEqual(pcell_inst.pcell_declaration().__repr__(), pcell_decl.__repr__()) + + pcell_inst.change_pcell_parameter("h", 2.0) + self.assertEqual(nh(pcell_inst.pcell_parameters_by_name()), "{'h': 2.0, 'l': <1/0>, 'w': 1.0}") + pcell_inst.set_property("abc", "a property") + self.assertEqual(pcell_inst.property("abc").__repr__(), "'a property'") + + c1.clear() + + param = [ klayout.db.LayerInfo(1, 0), 5.0, 10.0 ] + pcell_var_id = ly.add_pcell_variant(lib, pcell_decl_id, param) + pcell_var = ly.cell(pcell_var_id) + pcell_inst = c1.insert(klayout.db.CellInstArray(pcell_var_id, klayout.db.Trans())) + self.assertEqual(pcell_var.layout().__repr__(), ly.__repr__()) + self.assertEqual(pcell_var.library().__repr__(), lib.__repr__()) + self.assertEqual(pcell_var.is_pcell_variant(), True) + self.assertEqual(pcell_var.display_title(), "PCellTestLib.Box(L=1/0,W=5.000,H=10.000)") + self.assertEqual(pcell_var.basic_name(), "Box") + self.assertEqual(c1.is_pcell_variant(), False) + self.assertEqual(c1.is_pcell_variant(pcell_inst), True) + self.assertEqual(pcell_var.pcell_id(), pcell_decl_id) + self.assertEqual(pcell_var.pcell_library().__repr__(), lib.__repr__()) + self.assertEqual(pcell_var.pcell_parameters().__repr__(), "[<1/0>, 5.0, 10.0]") + self.assertEqual(c1.pcell_parameters(pcell_inst).__repr__(), "[<1/0>, 5.0, 10.0]") + self.assertEqual(pcell_inst.pcell_parameters().__repr__(), "[<1/0>, 5.0, 10.0]") + self.assertEqual(pcell_var.pcell_declaration().__repr__(), pcell_decl.__repr__()) + self.assertEqual(c1.pcell_declaration(pcell_inst).__repr__(), pcell_decl.__repr__()) + + li1 = find_layer(ly, "1/0") + self.assertEqual(li1 != None, True) + self.assertEqual(ly.is_valid_layer(li1), True) + self.assertEqual(str(ly.get_info(li1)), "1/0") + + lib_proxy_id = ly.add_lib_cell(lib, lib.layout().cell_by_name("StaticBox")) + lib_proxy = ly.cell(lib_proxy_id) + self.assertEqual(lib_proxy.display_title(), "PCellTestLib.StaticBox") + self.assertEqual(lib_proxy.basic_name(), "StaticBox") + self.assertEqual(lib_proxy.layout().__repr__(), ly.__repr__()) + self.assertEqual(lib_proxy.library().__repr__(), lib.__repr__()) + self.assertEqual(lib_proxy.is_pcell_variant(), False) + self.assertEqual(lib.layout().cell(lib.layout().cell_by_name("StaticBox")).library().__repr__(), "None") + + li2 = find_layer(ly, "10/0") + self.assertEqual(li2 != None, True) + + self.assertEqual(ly.begin_shapes(c1.cell_index(), li1).shape().__str__(), "box (-250,-500;250,500)") + self.assertEqual(ly.begin_shapes(lib_proxy.cell_index(), li2).shape().__str__(), "box (0,0;10,20)") + + param = { "w": 1, "h": 2 } + c1.change_pcell_parameters(pcell_inst, param) + self.assertEqual(ly.begin_shapes(c1.cell_index(), li1).shape().__str__(), "box (-50,-100;50,100)") + + param = [ klayout.db.LayerInfo(1, 0), 5.0, 5.0 ] + c1.change_pcell_parameters(pcell_inst, param) + self.assertEqual(ly.begin_shapes(c1.cell_index(), li1).shape().__str__(), "box (-250,-250;250,250)") + + pcell_inst.change_pcell_parameters({ "w": 2.0, "h": 10.0 }) + self.assertEqual(ly.begin_shapes(c1.cell_index(), li1).shape().__str__(), "box (-100,-500;100,500)") + + pcell_inst.change_pcell_parameters([ klayout.db.LayerInfo(1, 0), 5.0, 5.0 ]) + self.assertEqual(ly.begin_shapes(c1.cell_index(), li1).shape().__str__(), "box (-250,-250;250,250)") + + pcell_inst.change_pcell_parameter("w", 5.0) + pcell_inst.change_pcell_parameter("h", 1.0) + self.assertEqual(ly.begin_shapes(c1.cell_index(), li1).shape().__str__(), "box (-250,-50;250,50)") + + c1.change_pcell_parameter(pcell_inst, "w", 10.0) + c1.change_pcell_parameter(pcell_inst, "h", 2.0) + self.assertEqual(ly.begin_shapes(c1.cell_index(), li1).shape().__str__(), "box (-500,-100;500,100)") + + self.assertEqual(ly.cell(pcell_inst.cell_index).is_pcell_variant(), True) + self.assertEqual(pcell_inst.is_pcell(), True) + new_id = ly.convert_cell_to_static(pcell_inst.cell_index) + self.assertEqual(new_id == pcell_inst.cell_index, False) + self.assertEqual(ly.cell(new_id).is_pcell_variant(), False) + param = [ klayout.db.LayerInfo(1, 0), 5.0, 5.0 ] + c1.change_pcell_parameters(pcell_inst, param) + self.assertEqual(ly.begin_shapes(c1.cell_index(), li1).shape().__str__(), "box (-250,-250;250,250)") + pcell_inst.cell_index = new_id + self.assertEqual(ly.begin_shapes(c1.cell_index(), li1).shape().__str__(), "box (-500,-100;500,100)") + + l10 = ly.layer(10, 0) + c1.shapes(l10).insert(klayout.db.Box(0, 10, 100, 210)) + l11 = ly.layer(11, 0) + c1.shapes(l11).insert(klayout.db.Text("hello", klayout.db.Trans())) + self.assertEqual(pcell_decl.can_create_from_shape(ly, ly.begin_shapes(c1.cell_index(), l11).shape(), l10), False) + self.assertEqual(pcell_decl.can_create_from_shape(ly, ly.begin_shapes(c1.cell_index(), l10).shape(), l10), True) + self.assertEqual(repr(pcell_decl.parameters_from_shape(ly, ly.begin_shapes(c1.cell_index(), l10).shape(), l10)), "[<10/0>, 1.0, 2.0]") + self.assertEqual(str(pcell_decl.transformation_from_shape(ly, ly.begin_shapes(c1.cell_index(), l10).shape(), l10)), "r0 50,110") + + + def test_1a(self): + + if not "PCellDeclarationHelper" in klayout.db.__dict__: + return + + # instantiate and register the library + tl = PCellTestLib2() + + ly = klayout.db.Layout(True) + ly.dbu = 0.01 + + li1 = find_layer(ly, "1/0") + self.assertEqual(li1 == None, True) + + ci1 = ly.add_cell("c1") + c1 = ly.cell(ci1) + + lib = klayout.db.Library.library_by_name("PCellTestLib2") + self.assertEqual(lib != None, True) + pcell_decl = lib.layout().pcell_declaration("Box2") + + param = [ klayout.db.LayerInfo(1, 0) ] # rest is filled with defaults + pcell_var_id = ly.add_pcell_variant(lib, pcell_decl.id(), param) + pcell_var = ly.cell(pcell_var_id) + pcell_inst = c1.insert(klayout.db.CellInstArray(pcell_var_id, klayout.db.Trans())) + self.assertEqual(pcell_var.basic_name(), "Box2") + self.assertEqual(pcell_var.pcell_parameters().__repr__(), "[<1/0>, 1.0, 1.0]") + self.assertEqual(pcell_var.display_title(), "PCellTestLib2.Box2(L=1/0,W=1.000,H=1.000)") + self.assertEqual(nh(pcell_var.pcell_parameters_by_name()), "{'height': 1.0, 'layer': <1/0>, 'width': 1.0}") + self.assertEqual(pcell_var.pcell_parameter("height").__repr__(), "1.0") + self.assertEqual(c1.pcell_parameters(pcell_inst).__repr__(), "[<1/0>, 1.0, 1.0]") + self.assertEqual(nh(c1.pcell_parameters_by_name(pcell_inst)), "{'height': 1.0, 'layer': <1/0>, 'width': 1.0}") + self.assertEqual(c1.pcell_parameter(pcell_inst, "height").__repr__(), "1.0") + self.assertEqual(nh(pcell_inst.pcell_parameters_by_name()), "{'height': 1.0, 'layer': <1/0>, 'width': 1.0}") + self.assertEqual(pcell_inst["height"].__repr__(), "1.0") + self.assertEqual(pcell_inst.pcell_parameter("height").__repr__(), "1.0") + self.assertEqual(pcell_var.pcell_declaration().__repr__(), pcell_decl.__repr__()) + self.assertEqual(c1.pcell_declaration(pcell_inst).__repr__(), pcell_decl.__repr__()) + self.assertEqual(pcell_inst.pcell_declaration().__repr__(), pcell_decl.__repr__()) + self.assertEqual(pcell_decl.wants_lazy_evaluation(), True) + + li1 = find_layer(ly, "1/0") + self.assertEqual(li1 == None, False) + pcell_inst.change_pcell_parameter("height", 2.0) + self.assertEqual(nh(pcell_inst.pcell_parameters_by_name()), "{'height': 2.0, 'layer': <1/0>, 'width': 1.0}") + + self.assertEqual(ly.begin_shapes(c1.cell_index(), li1).shape().__str__(), "box (-50,-100;50,100)") + + param = { "layer": klayout.db.LayerInfo(2, 0), "width": 2, "height": 1 } + li2 = ly.layer(2, 0) + c1.change_pcell_parameters(pcell_inst, param) + self.assertEqual(ly.begin_shapes(c1.cell_index(), li2).shape().__str__(), "box (-100,-50;100,50)") + + l10 = ly.layer(10, 0) + c1.shapes(l10).insert(klayout.db.Box(0, 10, 100, 210)) + l11 = ly.layer(11, 0) + c1.shapes(l11).insert(klayout.db.Text("hello", klayout.db.Trans())) + self.assertEqual(pcell_decl.can_create_from_shape(ly, ly.begin_shapes(c1.cell_index(), l11).shape(), l10), False) + self.assertEqual(pcell_decl.can_create_from_shape(ly, ly.begin_shapes(c1.cell_index(), l10).shape(), l10), True) + self.assertEqual(repr(pcell_decl.parameters_from_shape(ly, ly.begin_shapes(c1.cell_index(), l10).shape(), l10)), "[<10/0>, 1.0, 2.0]") + self.assertEqual(str(pcell_decl.transformation_from_shape(ly, ly.begin_shapes(c1.cell_index(), l10).shape(), l10)), "r0 50,110") + + + def test_2(self): + + # instantiate and register the library + tl = PCellTestLib() + + ly = klayout.db.Layout(True) + ly.dbu = 0.01 + + ci1 = ly.add_cell("c1") + c1 = ly.cell(ci1) + + lib = klayout.db.Library.library_by_name("PCellTestLib") + pcell_decl_id = lib.layout().pcell_id("Box") + + param = [ klayout.db.LayerInfo(1, 0), 10.0, 2.0 ] + pcell_var_id = ly.add_pcell_variant(lib, pcell_decl_id, param) + pcell_var = ly.cell(pcell_var_id) + pcell_inst = c1.insert(klayout.db.CellInstArray(pcell_var_id, klayout.db.Trans())) + + li1 = find_layer(ly, "1/0") + self.assertEqual(li1 != None, True) + self.assertEqual(ly.is_valid_layer(li1), True) + self.assertEqual(str(ly.get_info(li1)), "1/0") + + self.assertEqual(pcell_inst.is_pcell(), True) + + self.assertEqual(ly.begin_shapes(pcell_inst.cell_index, li1).shape().__str__(), "box (-500,-100;500,100)") + pcell_inst.convert_to_static() + self.assertEqual(pcell_inst.is_pcell(), False) + self.assertEqual(ly.begin_shapes(pcell_inst.cell_index, li1).shape().__str__(), "box (-500,-100;500,100)") + pcell_inst.convert_to_static() + self.assertEqual(pcell_inst.is_pcell(), False) + self.assertEqual(ly.begin_shapes(pcell_inst.cell_index, li1).shape().__str__(), "box (-500,-100;500,100)") + + def test_3(self): + + # instantiate and register the library + tl = PCellTestLib() + + ly = klayout.db.Layout(True) + ly.dbu = 0.01 + + c1 = ly.create_cell("c1") + + lib = klayout.db.Library.library_by_name("PCellTestLib") + pcell_decl_id = lib.layout().pcell_id("Box") + + param = { "w": 4.0, "h": 8.0, "l": klayout.db.LayerInfo(1, 0) } + pcell_var_id = ly.add_pcell_variant(lib, pcell_decl_id, param) + pcell_var = ly.cell(pcell_var_id) + pcell_inst = c1.insert(klayout.db.CellInstArray(pcell_var_id, klayout.db.Trans())) + + self.assertEqual(ly.begin_shapes(c1.cell_index(), ly.layer(1, 0)).shape().__str__(), "box (-200,-400;200,400)") + + def test_4(self): + + # instantiate and register the library + tl = PCellTestLib() + + lib = klayout.db.Library.library_by_name("PCellTestLib") + pcell_decl_id = lib.layout().pcell_id("Box") + + param = { "w": 4.0, "h": 8.0, "l": klayout.db.LayerInfo(1, 0) } + pcell_var_id = lib.layout().add_pcell_variant(pcell_decl_id, param) + + self.assertEqual(lib.layout().begin_shapes(pcell_var_id, lib.layout().layer(1, 0)).shape().__str__(), "box (-2000,-4000;2000,4000)") + + def test_5(self): + + # instantiate and register the library + tl = PCellTestLib() + + lib = klayout.db.Library.library_by_name("PCellTestLib") + pcell_decl_id = lib.layout().pcell_id("Box") + + param = { "w": 3.0, "h": 7.0, "l": klayout.db.LayerInfo(2, 0) } + pcell_var_id = lib.layout().add_pcell_variant(pcell_decl_id, param) + + self.assertEqual(lib.layout().begin_shapes(pcell_var_id, lib.layout().layer(2, 0)).shape().__str__(), "box (-1500,-3500;1500,3500)") + + + def test_6(self): + + # instantiate and register the library + tl = PCellTestLib() + + lib = klayout.db.Library.library_by_name("PCellTestLib") + + param = { "w": 3.0, "h": 8.0, "l": klayout.db.LayerInfo(3, 0) } + pcell_var = lib.layout().create_cell("Box", param) + + self.assertEqual(lib.layout().begin_shapes(pcell_var.cell_index(), lib.layout().layer(3, 0)).shape().__str__(), "box (-1500,-4000;1500,4000)") + + + def test_7(self): + + # instantiate and register the library + tl = PCellTestLib() + + ly = klayout.db.Layout(True) + ly.dbu = 0.01 + + param = { "w": 4.0, "h": 8.0, "l": klayout.db.LayerInfo(4, 0) } + cell = ly.create_cell("Box", "PCellTestLib", param) + + self.assertEqual(ly.begin_shapes(cell, ly.layer(4, 0)).shape().__str__(), "box (-200,-400;200,400)") + + def test_8(self): + + # instantiate and register the library + tl = PCellTestLib() + + lib = klayout.db.Library.library_by_name("PCellTestLib") + ly = klayout.db.Layout(True) + ly.dbu = 0.01 + + param = { "w": 2.0, "h": 6.0, "l": klayout.db.LayerInfo(5, 0) } + pcell_var = lib.layout().create_cell("Box", param) + pcell_var.name = "BOXVAR" + + cell = ly.create_cell("BOXVAR", "PCellTestLib") + + self.assertEqual(cell.begin_shapes_rec(ly.layer(5, 0)).shape().__str__(), "box (-100,-300;100,300)") + +# run unit tests +if __name__ == '__main__': + suite = unittest.TestLoader().loadTestsFromTestCase(DBPCellTests) + + if not unittest.TextTestRunner(verbosity = 1).run(suite).wasSuccessful(): + sys.exit(1) + From 293a898ae0dd362c819334e3a6456616c4fb8749 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Fri, 10 Mar 2023 23:45:37 +0100 Subject: [PATCH 015/128] [consider merging] avoid an assertion in the Python exit code for accessing an already destroyed Python object --- src/pya/pya/pyaInternal.cc | 8 ++++++++ src/pya/pya/pyaInternal.h | 1 + src/pya/pya/pyaRefs.cc | 7 +++++++ src/pya/pya/pyaRefs.h | 8 ++++++++ 4 files changed, 24 insertions(+) diff --git a/src/pya/pya/pyaInternal.cc b/src/pya/pya/pyaInternal.cc index cfd04e4a6d..ec5e6c0e42 100644 --- a/src/pya/pya/pyaInternal.cc +++ b/src/pya/pya/pyaInternal.cc @@ -859,6 +859,14 @@ PythonClassClientData::PythonClassClientData (const gsi::ClassBase *_cls, PyType // .. nothing yet .. } +PythonClassClientData::~PythonClassClientData () +{ + // This destructor is called from the exit code. Python may have shut down already. + // We must not try to release the objects in that case and simply don't care about them any longer. + py_type_object.release (); + py_type_object_static.release (); +} + PyTypeObject * PythonClassClientData::py_type (const gsi::ClassBase &cls_decl, bool as_static) { diff --git a/src/pya/pya/pyaInternal.h b/src/pya/pya/pyaInternal.h index 5cea68417b..92b227252d 100644 --- a/src/pya/pya/pyaInternal.h +++ b/src/pya/pya/pyaInternal.h @@ -302,6 +302,7 @@ struct PythonClassClientData : public gsi::PerClassClientSpecificData { PythonClassClientData (const gsi::ClassBase *_cls, PyTypeObject *_py_type, PyTypeObject *_py_type_static, PythonModule *module); + ~PythonClassClientData (); PythonPtr py_type_object; PythonPtr py_type_object_static; diff --git a/src/pya/pya/pyaRefs.cc b/src/pya/pya/pyaRefs.cc index 764fc548b9..536a5829e0 100644 --- a/src/pya/pya/pyaRefs.cc +++ b/src/pya/pya/pyaRefs.cc @@ -151,6 +151,13 @@ PythonPtr::~PythonPtr () Py_XDECREF (mp_obj); } +PyObject *PythonPtr::release () +{ + PyObject *obj = mp_obj; + mp_obj = NULL; + return obj; +} + PythonPtr::operator bool () const { return mp_obj != NULL; diff --git a/src/pya/pya/pyaRefs.h b/src/pya/pya/pyaRefs.h index 16ecaa39ac..86668960fc 100644 --- a/src/pya/pya/pyaRefs.h +++ b/src/pya/pya/pyaRefs.h @@ -211,6 +211,14 @@ class PYA_PUBLIC PythonPtr return mp_obj < other.mp_obj; } + /** + * @brief Releases the object + * + * This method returns and resets the raw pointer without changing the + * reference count. + */ + PyObject *release (); + private: PyObject *mp_obj; }; From d97942ac3a437111c2f5c442fff1fba44dda806f Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 11 Mar 2023 00:24:21 +0100 Subject: [PATCH 016/128] [consider merging] Fixed Qt Binding for Qt 5.15.2 where an include is missing --- scripts/mkqtdecl5/mkqtdecl.conf | 1 + src/gsiqt/qt5/QtCore/gsiDeclQByteArrayMatcher.cc | 1 + 2 files changed, 2 insertions(+) diff --git a/scripts/mkqtdecl5/mkqtdecl.conf b/scripts/mkqtdecl5/mkqtdecl.conf index a9667acbbb..e5a78cb220 100644 --- a/scripts/mkqtdecl5/mkqtdecl.conf +++ b/scripts/mkqtdecl5/mkqtdecl.conf @@ -360,6 +360,7 @@ drop_method "QNoDebug", /QNoDebug::operator<", "", "", "" ] include "QThread", [ "", "" ] +include "QByteArrayMatcher", [ "", "" ] rename "QLocale", /QLocale::toString\(int i/, "toString_i" rename "QLocale", /QLocale::toString\(unsigned int/, "toString_ui" diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQByteArrayMatcher.cc b/src/gsiqt/qt5/QtCore/gsiDeclQByteArrayMatcher.cc index 7351e9755f..2f611a7cec 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQByteArrayMatcher.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQByteArrayMatcher.cc @@ -27,6 +27,7 @@ * This file has been created automatically */ +#include #include #include "gsiQt.h" #include "gsiQtCoreCommon.h" From 18ae9706715fc9246f722559d6b1f4beaedafccd Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 11 Mar 2023 01:03:50 +0100 Subject: [PATCH 017/128] Fixed Qt bindings in pya module --- src/pymod/QtCore/QtCoreMain.h | 7 +++++- src/pymod/QtCore5Compat/QtCore5CompatMain.h | 3 +++ src/pymod/QtDesigner/QtDesignerMain.h | 2 ++ src/pymod/QtGui/QtGuiMain.h | 4 ++++ src/pymod/QtNetwork/QtNetworkMain.h | 2 ++ src/pymod/QtPrintSupport/QtPrintSupportMain.h | 2 ++ src/pymod/QtSql/QtSqlMain.cc | 2 +- src/pymod/QtSql/QtSqlMain.h | 2 ++ src/pymod/QtSvg/QtSvgMain.h | 2 ++ src/pymod/QtUiTools/QtUiToolsMain.h | 4 ++++ src/pymod/QtWidgets/QtWidgetsMain.h | 2 ++ src/pymod/QtXml/QtXmlMain.h | 8 +++++++ src/pymod/QtXmlPatterns/QtXmlPatternsMain.h | 4 ++++ src/pymod/pya/pyaMain.cc | 24 +++++++++---------- testdata/python/basic.py | 4 ++-- 15 files changed, 56 insertions(+), 16 deletions(-) diff --git a/src/pymod/QtCore/QtCoreMain.h b/src/pymod/QtCore/QtCoreMain.h index 2fefe9d7c6..6123fd4149 100644 --- a/src/pymod/QtCore/QtCoreMain.h +++ b/src/pymod/QtCore/QtCoreMain.h @@ -23,14 +23,19 @@ // To force linking of the QtCore module #include "../../gsiqt/qtbasic/gsiQtCoreExternals.h" FORCE_LINK_GSI_QTCORE +#undef FORCE_LINK_GSI_QTCORE +#define FORCE_LINK_GSI_QTCORE // And this is *only* required because of QSignalMapper which takes a QWidget argument from // the QtGui library and we need to supply the GSI binding for this ... #include "../../gsiqt/qtbasic/gsiQtGuiExternals.h" FORCE_LINK_GSI_QTGUI +#undef FORCE_LINK_GSI_QTGUI +#define FORCE_LINK_GSI_QTGUI // And because we pull in QtGui, we also need to pull in QtWidgets because QtGui bindings // use QAction and QWidget which are itself in QtWidgets #include "../../gsiqt/qtbasic/gsiQtWidgetsExternals.h" FORCE_LINK_GSI_QTWIDGETS - +#undef FORCE_LINK_GSI_QTWIDGETS +#define FORCE_LINK_GSI_QTWIDGETS diff --git a/src/pymod/QtCore5Compat/QtCore5CompatMain.h b/src/pymod/QtCore5Compat/QtCore5CompatMain.h index dac584ad5e..d4ff15247a 100644 --- a/src/pymod/QtCore5Compat/QtCore5CompatMain.h +++ b/src/pymod/QtCore5Compat/QtCore5CompatMain.h @@ -23,3 +23,6 @@ // To force linking of the QtCore5Compat module #include "../../gsiqt/qtbasic/gsiQtCore5CompatExternals.h" FORCE_LINK_GSI_QTCORE5COMPAT +#undef FORCE_LINK_GSI_QTCORE5COMPAT +#define FORCE_LINK_GSI_QTCORE5COMPAT + diff --git a/src/pymod/QtDesigner/QtDesignerMain.h b/src/pymod/QtDesigner/QtDesignerMain.h index 79f8a7c4f4..9f56641613 100644 --- a/src/pymod/QtDesigner/QtDesignerMain.h +++ b/src/pymod/QtDesigner/QtDesignerMain.h @@ -23,3 +23,5 @@ // To force linking of the QtDesigner module #include "../../gsiqt/qtbasic/gsiQtDesignerExternals.h" FORCE_LINK_GSI_QTDESIGNER +#undef FORCE_LINK_GSI_QTDESIGNER +#define FORCE_LINK_GSI_QTDESIGNER diff --git a/src/pymod/QtGui/QtGuiMain.h b/src/pymod/QtGui/QtGuiMain.h index 87decc3966..c53d0f641f 100644 --- a/src/pymod/QtGui/QtGuiMain.h +++ b/src/pymod/QtGui/QtGuiMain.h @@ -23,8 +23,12 @@ // To force linking of the QtGui module #include "../../gsiqt/qtbasic/gsiQtGuiExternals.h" FORCE_LINK_GSI_QTGUI +#undef FORCE_LINK_GSI_QTGUI +#define FORCE_LINK_GSI_QTGUI // This is required because QAction and QWidget are used are arguments in QtGui, but are // defined in QtWidgets #include "../../gsiqt/qtbasic/gsiQtWidgetsExternals.h" FORCE_LINK_GSI_QTWIDGETS +#undef FORCE_LINK_GSI_QTWIDGETS +#define FORCE_LINK_GSI_QTWIDGETS diff --git a/src/pymod/QtNetwork/QtNetworkMain.h b/src/pymod/QtNetwork/QtNetworkMain.h index 2285fabb3a..1060a4a81b 100644 --- a/src/pymod/QtNetwork/QtNetworkMain.h +++ b/src/pymod/QtNetwork/QtNetworkMain.h @@ -23,3 +23,5 @@ // To force linking of the QtNetwork module #include "../../gsiqt/qtbasic/gsiQtNetworkExternals.h" FORCE_LINK_GSI_QTNETWORK +#undef FORCE_LINK_GSI_QTNETWORK +#define FORCE_LINK_GSI_QTNETWORK diff --git a/src/pymod/QtPrintSupport/QtPrintSupportMain.h b/src/pymod/QtPrintSupport/QtPrintSupportMain.h index 453a9714bf..f759353818 100644 --- a/src/pymod/QtPrintSupport/QtPrintSupportMain.h +++ b/src/pymod/QtPrintSupport/QtPrintSupportMain.h @@ -23,3 +23,5 @@ // To force linking of the QtPrintSupport module #include "../../gsiqt/qtbasic/gsiQtPrintSupportExternals.h" FORCE_LINK_GSI_QTPRINTSUPPORT +#undef FORCE_LINK_GSI_QTPRINTSUPPORT +#define FORCE_LINK_GSI_QTPRINTSUPPORT diff --git a/src/pymod/QtSql/QtSqlMain.cc b/src/pymod/QtSql/QtSqlMain.cc index 9db124b2dd..1883472dc0 100644 --- a/src/pymod/QtSql/QtSqlMain.cc +++ b/src/pymod/QtSql/QtSqlMain.cc @@ -22,5 +22,5 @@ #include "../pymodHelper.h" -#include "QtSqtMain.h" +#include "QtSqlMain.h" DEFINE_PYMOD(QtSql, "QtSql", "KLayout/Qt module 'QtSql'") diff --git a/src/pymod/QtSql/QtSqlMain.h b/src/pymod/QtSql/QtSqlMain.h index e16c0b0de1..4e70d2ae58 100644 --- a/src/pymod/QtSql/QtSqlMain.h +++ b/src/pymod/QtSql/QtSqlMain.h @@ -23,3 +23,5 @@ // To force linking of the QtSql module #include "../../gsiqt/qtbasic/gsiQtSqlExternals.h" FORCE_LINK_GSI_QTSQL +#undef FORCE_LINK_GSI_QTSQL +#define FORCE_LINK_GSI_QTSQL diff --git a/src/pymod/QtSvg/QtSvgMain.h b/src/pymod/QtSvg/QtSvgMain.h index e5cc9d372d..61a07497da 100644 --- a/src/pymod/QtSvg/QtSvgMain.h +++ b/src/pymod/QtSvg/QtSvgMain.h @@ -23,3 +23,5 @@ // To force linking of the QtSvg module #include "../../gsiqt/qtbasic/gsiQtSvgExternals.h" FORCE_LINK_GSI_QTSVG +#undef FORCE_LINK_GSI_QTSVG +#define FORCE_LINK_GSI_QTSVG diff --git a/src/pymod/QtUiTools/QtUiToolsMain.h b/src/pymod/QtUiTools/QtUiToolsMain.h index ca08435a86..9395560b4d 100644 --- a/src/pymod/QtUiTools/QtUiToolsMain.h +++ b/src/pymod/QtUiTools/QtUiToolsMain.h @@ -23,7 +23,11 @@ // To force linking of the QtCore module #include "../../gsiqt/qtbasic/gsiQtCoreExternals.h" FORCE_LINK_GSI_QTCORE +#undef FORCE_LINK_GSI_QTCORE +#define FORCE_LINK_GSI_QTCORE # include "../../gsiqt/qtbasic/gsiQtUiToolsExternals.h" FORCE_LINK_GSI_QTUITOOLS +#undef FORCE_LINK_GSI_QTUITOOLS +#define FORCE_LINK_GSI_QTUITOOLS diff --git a/src/pymod/QtWidgets/QtWidgetsMain.h b/src/pymod/QtWidgets/QtWidgetsMain.h index 43b313474d..a7e073dd40 100644 --- a/src/pymod/QtWidgets/QtWidgetsMain.h +++ b/src/pymod/QtWidgets/QtWidgetsMain.h @@ -23,3 +23,5 @@ // To force linking of the QtWidgets module #include "../../gsiqt/qtbasic/gsiQtWidgetsExternals.h" FORCE_LINK_GSI_QTWIDGETS +#undef FORCE_LINK_GSI_QTWIDGETS +#define FORCE_LINK_GSI_QTWIDGETS diff --git a/src/pymod/QtXml/QtXmlMain.h b/src/pymod/QtXml/QtXmlMain.h index e9ce9e1f45..c37ca9cb95 100644 --- a/src/pymod/QtXml/QtXmlMain.h +++ b/src/pymod/QtXml/QtXmlMain.h @@ -23,19 +23,27 @@ // To force linking of the QtXml module #include "../../gsiqt/qtbasic/gsiQtXmlExternals.h" FORCE_LINK_GSI_QTXML +#undef FORCE_LINK_GSI_QTXML +#define FORCE_LINK_GSI_QTXML // To force linking of the QtCore module (some arguments // are QIODevice or QTextStream) #include "../../gsiqt/qtbasic/gsiQtCoreExternals.h" FORCE_LINK_GSI_QTCORE +#undef FORCE_LINK_GSI_QTCORE +#define FORCE_LINK_GSI_QTCORE // And because will pull in QtCore: // This is *only* required because of QSignalMapper which takes a QWidget argument from // the QtGui library and we need to supply the GSI binding for this ... #include "../../gsiqt/qtbasic/gsiQtGuiExternals.h" FORCE_LINK_GSI_QTGUI +#undef FORCE_LINK_GSI_QTGUI +#define FORCE_LINK_GSI_QTGUI // And because we pull in QtGui, we also need to pull in QtWidgets because QtGui bindings // use QAction and QWidget which are itself in QtWidgets #include "../../gsiqt/qtbasic/gsiQtWidgetsExternals.h" FORCE_LINK_GSI_QTWIDGETS +#undef FORCE_LINK_GSI_QTWIDGETS +#define FORCE_LINK_GSI_QTWIDGETS diff --git a/src/pymod/QtXmlPatterns/QtXmlPatternsMain.h b/src/pymod/QtXmlPatterns/QtXmlPatternsMain.h index 9f0b1f7ccd..faceffe975 100644 --- a/src/pymod/QtXmlPatterns/QtXmlPatternsMain.h +++ b/src/pymod/QtXmlPatterns/QtXmlPatternsMain.h @@ -23,8 +23,12 @@ // To force linking of the QtXmlPatterns module #include "../../gsiqt/qtbasic/gsiQtXmlPatternsExternals.h" FORCE_LINK_GSI_QTXMLPATTERNS +#undef FORCE_LINK_GSI_QTXMLPATTERNS +#define FORCE_LINK_GSI_QTXMLPATTERNS // To force linking of the QtNetwork module (some arguments // are QNetworkAccessManager) #include "../../gsiqt/qtbasic/gsiQtNetworkExternals.h" FORCE_LINK_GSI_QTNETWORK +#undef FORCE_LINK_GSI_QTNETWORK +#define FORCE_LINK_GSI_QTNETWORK diff --git a/src/pymod/pya/pyaMain.cc b/src/pymod/pya/pyaMain.cc index 1d7e7ce3de..f6ec0ad102 100644 --- a/src/pymod/pya/pyaMain.cc +++ b/src/pymod/pya/pyaMain.cc @@ -30,37 +30,37 @@ #if defined(HAVE_QT) # if defined(HAVE_QTBINDINGS) -# include "QtCore/QtCoreMain.h" -# include "QtGui/QtGuiMain.h" +# include "../QtCore/QtCoreMain.h" +# include "../QtGui/QtGuiMain.h" # if defined(INCLUDE_QTNETWORK) -# include "QtNetwork/QtNetworkMain.h" +# include "../QtNetwork/QtNetworkMain.h" # endif # if defined(INCLUDE_QTWIDGETS) -# include "QtWidgets/QtWidgetsMain.h" +# include "../QtWidgets/QtWidgetsMain.h" # endif # if defined(INCLUDE_QTPRINTSUPPORT) -# include "QtPrintSupport/QtPrintSupportMain.h" +# include "../QtPrintSupport/QtPrintSupportMain.h" # endif # if defined(INCLUDE_QTSVG) -# include "QtSvg/QtSvgMain.h" +# include "../QtSvg/QtSvgMain.h" # endif # if defined(INCLUDE_QTXML) -# include "QtXml/QtXmlMain.h" +# include "../QtXml/QtXmlMain.h" # endif # if defined(INCLUDE_QTXMLPATTERNS) -# include "QtXmlPatterns/QtXmlPatternsMain.h" +# include "../QtXmlPatterns/QtXmlPatternsMain.h" # endif # if defined(INCLUDE_QTSQL) -# include "QtSql/QtSqlMain.h" +# include "../QtSql/QtSqlMain.h" # endif # if defined(INCLUDE_QTDESIGNER) -# include "QtDesigner/QtDesignerMain.h" +# include "../QtDesigner/QtDesignerMain.h" # endif # if defined(INCLUDE_QTUITOOLS) -# include "QtUiTools/QtUiToolsMain.h" +# include "../QtUiTools/QtUiToolsMain.h" # endif # if defined(INCLUDE_QTCORE5COMPAT) -# include "QtCore5Compat/QtCore5CompatMain.h" +# include "../QtCore5Compat/QtCore5CompatMain.h" # endif # endif #endif diff --git a/testdata/python/basic.py b/testdata/python/basic.py index 5b4ca230be..d95b8527bf 100644 --- a/testdata/python/basic.py +++ b/testdata/python/basic.py @@ -2020,11 +2020,11 @@ def test_34(self): # Hint: QApplication creates some leaks (FT, GTK). Hence it must not be used in the leak_check case .. if not leak_check: a = pya.QCoreApplication.instance() - self.assertEqual("", str(type(a))) + self.assertEqual("", str(type(a))) qd = pya.QDialog() pya.QApplication.setActiveWindow(qd) self.assertEqual(repr(pya.QApplication.activeWindow), repr(qd)) - self.assertEqual("", str(type(pya.QApplication.activeWindow))) + self.assertEqual("", str(type(pya.QApplication.activeWindow))) qd._destroy() self.assertEqual(repr(pya.QApplication.activeWindow), "None") From 8a17a78a17a78d228591d0c49de58978b1b2c333 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 11 Mar 2023 18:42:14 +0100 Subject: [PATCH 018/128] Fixed Debian package build --- scripts/makedeb.sh | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/scripts/makedeb.sh b/scripts/makedeb.sh index 7f5d0b2bc4..c390944b27 100755 --- a/scripts/makedeb.sh +++ b/scripts/makedeb.sh @@ -133,7 +133,7 @@ echo "Modifying control file .." strip ${bindir}/* strip ${libdir}/db_plugins/*.so* strip ${libdir}/lay_plugins/*.so* -strip ${libdir}/pymod/*.so* +strip ${libdir}/pymod/klayout/*.so* size=`du -ck usr | grep total | sed "s/ *total//"` From f7d5e3f95c643fb5dd43e1778a26a30a3b06f33e Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 11 Mar 2023 18:46:56 +0100 Subject: [PATCH 019/128] Fixed Debian package build --- scripts/makedeb.sh | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/scripts/makedeb.sh b/scripts/makedeb.sh index c390944b27..0652b2254c 100755 --- a/scripts/makedeb.sh +++ b/scripts/makedeb.sh @@ -107,7 +107,7 @@ cp -pd $bininstdir/klayout makedeb-tmp/${bindir} cp -pd $bininstdir/lib*so* makedeb-tmp/${libdir} cp -pd $bininstdir/db_plugins/lib*so* makedeb-tmp/${libdir}/db_plugins cp -pd $bininstdir/lay_plugins/lib*so* makedeb-tmp/${libdir}/lay_plugins -cp -rpd $bininstdir/pymod makedeb-tmp/${libdir}/pymod +cp -rpd $bininstdir/pymod/* makedeb-tmp/${libdir}/pymod cd makedeb-tmp From ce31f47918a275ee362768fa8ce81190c7e67ddf Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 11 Mar 2023 19:55:06 +0100 Subject: [PATCH 020/128] [consider merging] regenerating pyi stubs, sorting methods by name for better stability of files, small patch (missing box ctor arg names) --- scripts/stubgen.py | 19 +- src/db/db/gsiDeclDbBox.cc | 4 +- src/pymod/distutils_src/klayout/dbcore.pyi | 69966 +++++++++--------- src/pymod/distutils_src/klayout/laycore.pyi | 17852 +++-- src/pymod/distutils_src/klayout/rdbcore.pyi | 556 +- src/pymod/distutils_src/klayout/tlcore.pyi | 1780 +- src/pymod/pymod.pri | 17 +- 7 files changed, 45480 insertions(+), 44714 deletions(-) diff --git a/scripts/stubgen.py b/scripts/stubgen.py index 98943562db..18439602ed 100644 --- a/scripts/stubgen.py +++ b/scripts/stubgen.py @@ -209,9 +209,14 @@ class PropertyStub(Stub): class ClassStub(Stub): indent_docstring: bool = True +def get_child_classes(c: ktl.Class): + child_classes = [] + for c_child in c.each_child_class(): + child_classes.append(c_child) + return sorted(child_classes, key=lambda cls: cls.name()) def get_py_child_classes(c: ktl.Class): - for c_child in c.each_child_class(): + for c_child in get_child_classes(c): yield c_child @@ -390,9 +395,9 @@ def format_args(m: ktl.Method, self_str: str = "self") -> str: ) ) - boundmethods = sorted(boundmethods) - properties = sorted(properties) - classmethods = sorted(classmethods) + boundmethods = sorted(boundmethods, key=lambda m: m.signature) + properties = sorted(properties, key=lambda m: m.signature) + classmethods = sorted(classmethods, key=lambda m: m.signature) return_list: List[Stub] = properties + classmethods + boundmethods @@ -415,7 +420,7 @@ def get_class_stub( signature="class " + full_name + base, docstring=c.doc(), name=full_name ) child_attributes = get_py_methods(c) - for child_c in c.each_child_class(): + for child_c in get_child_classes(c): _cstub.child_stubs.append( get_class_stub( child_c, @@ -434,7 +439,7 @@ def get_classes(module: str) -> List[ktl.Class]: if c.module() != module: continue _classes.append(c) - return _classes + return sorted(_classes, key=lambda cls: cls.name()) def get_module_stubs(module: str) -> List[ClassStub]: @@ -457,7 +462,7 @@ def print_mod(module, dependencies): if __name__ == "__main__": if len(argv) < 2: - print("Specity module in argument") + print("Specify module in argument") exit(1) if len(argv) == 2: print_mod(argv[1], []) diff --git a/src/db/db/gsiDeclDbBox.cc b/src/db/db/gsiDeclDbBox.cc index b55d8a915c..ab6b02db2b 100644 --- a/src/db/db/gsiDeclDbBox.cc +++ b/src/db/db/gsiDeclDbBox.cc @@ -141,14 +141,14 @@ struct box_defs "box is also an empty box. The width, height, p1 and p2 attributes of an empty box are undefined. " "Use \\empty? to get a value indicating whether the box is empty.\n" ) + - constructor ("new", &new_sq, + constructor ("new", &new_sq, gsi::arg ("w"), "@brief Creates a square with the given dimensions centered around the origin\n" "\n" "Note that for integer-unit boxes, the dimension has to be an even number to avoid rounding.\n" "\n" "This convenience constructor has been introduced in version 0.28." ) + - constructor ("new", &new_wh, + constructor ("new", &new_wh, gsi::arg ("w"), gsi::arg ("h"), "@brief Creates a rectangle with given width and height, centered around the origin\n" "\n" "Note that for integer-unit boxes, the dimensions have to be an even number to avoid rounding.\n" diff --git a/src/pymod/distutils_src/klayout/dbcore.pyi b/src/pymod/distutils_src/klayout/dbcore.pyi index fcf7dd1bf4..36e46e0f4a 100644 --- a/src/pymod/distutils_src/klayout/dbcore.pyi +++ b/src/pymod/distutils_src/klayout/dbcore.pyi @@ -94,16 +94,6 @@ class Box: """ @overload @classmethod - def new(cls, arg0: int) -> Box: - r""" - @brief Creates a square with the given dimensions centered around the origin - - Note that for integer-unit boxes, the dimension has to be an even number to avoid rounding. - - This convenience constructor has been introduced in version 0.28. - """ - @overload - @classmethod def new(cls, dbox: DBox) -> Box: r""" @brief Creates an integer coordinate box from a floating-point coordinate box @@ -112,13 +102,12 @@ class Box: """ @overload @classmethod - def new(cls, arg0: int, arg1: int) -> Box: + def new(cls, left: int, bottom: int, right: int, top: int) -> Box: r""" - @brief Creates a rectangle with given width and height, centered around the origin + @brief Creates a box with four coordinates - Note that for integer-unit boxes, the dimensions have to be an even number to avoid rounding. - This convenience constructor has been introduced in version 0.28. + Four coordinates are given to create a new box. If the coordinates are not provided in the correct order (i.e. right < left), these are swapped. """ @overload @classmethod @@ -131,12 +120,23 @@ class Box: """ @overload @classmethod - def new(cls, left: int, bottom: int, right: int, top: int) -> Box: + def new(cls, w: int) -> Box: r""" - @brief Creates a box with four coordinates + @brief Creates a square with the given dimensions centered around the origin + Note that for integer-unit boxes, the dimension has to be an even number to avoid rounding. - Four coordinates are given to create a new box. If the coordinates are not provided in the correct order (i.e. right < left), these are swapped. + This convenience constructor has been introduced in version 0.28. + """ + @overload + @classmethod + def new(cls, w: int, h: int) -> Box: + r""" + @brief Creates a rectangle with given width and height, centered around the origin + + Note that for integer-unit boxes, the dimensions have to be an even number to avoid rounding. + + This convenience constructor has been introduced in version 0.28. """ @classmethod def world(cls) -> Box: @@ -226,15 +226,6 @@ class Box: Empty boxes don't modify a box when joined with it. The intersection between an empty and any other box is also an empty box. The width, height, p1 and p2 attributes of an empty box are undefined. Use \empty? to get a value indicating whether the box is empty. """ @overload - def __init__(self, arg0: int) -> None: - r""" - @brief Creates a square with the given dimensions centered around the origin - - Note that for integer-unit boxes, the dimension has to be an even number to avoid rounding. - - This convenience constructor has been introduced in version 0.28. - """ - @overload def __init__(self, dbox: DBox) -> None: r""" @brief Creates an integer coordinate box from a floating-point coordinate box @@ -242,13 +233,12 @@ class Box: This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dbox'. """ @overload - def __init__(self, arg0: int, arg1: int) -> None: + def __init__(self, left: int, bottom: int, right: int, top: int) -> None: r""" - @brief Creates a rectangle with given width and height, centered around the origin + @brief Creates a box with four coordinates - Note that for integer-unit boxes, the dimensions have to be an even number to avoid rounding. - This convenience constructor has been introduced in version 0.28. + Four coordinates are given to create a new box. If the coordinates are not provided in the correct order (i.e. right < left), these are swapped. """ @overload def __init__(self, lower_left: Point, upper_right: Point) -> None: @@ -259,12 +249,22 @@ class Box: Two points are given to create a new box. If the coordinates are not provided in the correct order (i.e. right < left), these are swapped. """ @overload - def __init__(self, left: int, bottom: int, right: int, top: int) -> None: + def __init__(self, w: int) -> None: r""" - @brief Creates a box with four coordinates + @brief Creates a square with the given dimensions centered around the origin + + Note that for integer-unit boxes, the dimension has to be an even number to avoid rounding. + This convenience constructor has been introduced in version 0.28. + """ + @overload + def __init__(self, w: int, h: int) -> None: + r""" + @brief Creates a rectangle with given width and height, centered around the origin - Four coordinates are given to create a new box. If the coordinates are not provided in the correct order (i.e. right < left), these are swapped. + Note that for integer-unit boxes, the dimensions have to be an even number to avoid rounding. + + This convenience constructor has been introduced in version 0.28. """ def __lt__(self, box: Box) -> bool: r""" @@ -465,6 +465,17 @@ class Box: @return A reference to this box. """ @overload + def enlarge(self, dx: int, dy: int) -> Box: + r""" + @brief Enlarges the box by a certain amount. + + + This is a convenience method which takes two values instead of a Vector object. + This method has been introduced in version 0.23. + + @return A reference to this box. + """ + @overload def enlarge(self, enlargement: Vector) -> Box: r""" @brief Enlarges the box by a certain amount. @@ -484,23 +495,23 @@ class Box: @return A reference to this box. """ @overload - def enlarge(self, dx: int, dy: int) -> Box: + def enlarged(self, d: int) -> Box: r""" - @brief Enlarges the box by a certain amount. - + @brief Enlarges the box by a certain amount on all sides. - This is a convenience method which takes two values instead of a Vector object. - This method has been introduced in version 0.23. + This is a convenience method which takes one values instead of two values. It will apply the given enlargement in both directions. + This method has been introduced in version 0.28. - @return A reference to this box. + @return The enlarged box. """ @overload - def enlarged(self, d: int) -> Box: + def enlarged(self, dx: int, dy: int) -> Box: r""" - @brief Enlarges the box by a certain amount on all sides. + @brief Enlarges the box by a certain amount. - This is a convenience method which takes one values instead of two values. It will apply the given enlargement in both directions. - This method has been introduced in version 0.28. + + This is a convenience method which takes two values instead of a Vector object. + This method has been introduced in version 0.23. @return The enlarged box. """ @@ -521,17 +532,6 @@ class Box: @param enlargement The grow or shrink amount in x and y direction - @return The enlarged box. - """ - @overload - def enlarged(self, dx: int, dy: int) -> Box: - r""" - @brief Enlarges the box by a certain amount. - - - This is a convenience method which takes two values instead of a Vector object. - This method has been introduced in version 0.23. - @return The enlarged box. """ def hash(self) -> int: @@ -684,1078 +684,1070 @@ class Box: @brief Gets the width of the box """ -class DBox: +class Cell: r""" - @brief A box class with floating-point coordinates - - This object represents a box (a rectangular shape). - - The definition of the attributes is: p1 is the lower left point, p2 the - upper right one. If a box is constructed from two points (or four coordinates), the - coordinates are sorted accordingly. + @brief A cell - A box can be empty. An empty box represents no area - (not even a point). Empty boxes behave neutral with respect to most operations. - Empty boxes return true on \empty?. + A cell object consists of a set of shape containers (called layers), + a set of child cell instances and auxiliary information such as + the parent instance list. + A cell is identified through an index given to the cell upon instantiation. + Cell instances refer to single instances or array instances. Both are encapsulated in the + same object, the \CellInstArray object. In the simple case, this object refers to a single instance. + In the general case, this object may refer to a regular array of cell instances as well. - A box can be a point or a single - line. In this case, the area is zero but the box still - can overlap other boxes for example and it is not empty. + Starting from version 0.16, the child_inst and erase_inst methods are no longer available since + they were using index addressing which is no longer supported. Instead, instances are now addressed + with the \Instance reference objects. - See @The Database API@ for more details about the database objects. + See @The Database API@ for more details about the database objects like the Cell class. """ - bottom: float + ghost_cell: bool r""" Getter: - @brief Gets the bottom coordinate of the box + @brief Returns a value indicating whether the cell is a "ghost cell" - Setter: - @brief Sets the bottom coordinate of the box - """ - left: float - r""" - Getter: - @brief Gets the left coordinate of the box + The ghost cell flag is used by the GDS reader for example to indicate that + the cell is not located inside the file. Upon writing the reader can determine + whether to write the cell or not. + To satisfy the references inside the layout, a dummy cell is created in this case + which has the "ghost cell" flag set to true. - Setter: - @brief Sets the left coordinate of the box - """ - p1: DPoint - r""" - Getter: - @brief Gets the lower left point of the box + This method has been introduced in version 0.20. Setter: - @brief Sets the lower left point of the box - """ - p2: DPoint - r""" - Getter: - @brief Gets the upper right point of the box + @brief Sets the "ghost cell" flag - Setter: - @brief Sets the upper right point of the box + See \is_ghost_cell? for a description of this property. + + This method has been introduced in version 0.20. """ - right: float + name: str r""" Getter: - @brief Gets the right coordinate of the box + @brief Gets the cell's name + + This may be an internal name for proxy cells. See \basic_name for the formal name (PCell name or library cell name). + + This method has been introduced in version 0.22. Setter: - @brief Sets the right coordinate of the box + @brief Renames the cell + Renaming a cell may cause name clashes, i.e. the name may be identical to the name + of another cell. This does not have any immediate effect, but the cell needs to be renamed, for example when writing the layout to a GDS file. + + This method has been introduced in version 0.22. """ - top: float + prop_id: int r""" Getter: - @brief Gets the top coordinate of the box + @brief Gets the properties ID associated with the cell + This method has been introduced in version 0.23. Setter: - @brief Sets the top coordinate of the box + @brief Sets the properties ID associated with the cell + This method is provided, if a properties ID has been derived already. Usually it's more convenient to use \delete_property, \set_property or \property. + + This method has been introduced in version 0.23. """ @classmethod - def from_ibox(cls, box: Box) -> DBox: + def new(cls) -> Cell: r""" - @brief Creates a floating-point coordinate box from an integer coordinate box - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ibox'. + @brief Creates a new object of this class """ - @classmethod - def from_s(cls, s: str) -> DBox: + def __copy__(self) -> Cell: r""" - @brief Creates a box object from a string - Creates the object from a string representation (as returned by \to_s) + @brief Creates a copy of the cell - This method has been added in version 0.23. - """ - @overload - @classmethod - def new(cls) -> DBox: - r""" - @brief Creates an empty (invalid) box + This method will create a copy of the cell. The new cell will be member of the same layout the original cell was member of. The copy will inherit all shapes and instances, but get a different cell_index and a modified name as duplicate cell names are not allowed in the same layout. - Empty boxes don't modify a box when joined with it. The intersection between an empty and any other box is also an empty box. The width, height, p1 and p2 attributes of an empty box are undefined. Use \empty? to get a value indicating whether the box is empty. + This method has been introduced in version 0.27. """ - @overload - @classmethod - def new(cls, arg0: float) -> DBox: + def __deepcopy__(self) -> Cell: r""" - @brief Creates a square with the given dimensions centered around the origin + @brief Creates a copy of the cell - Note that for integer-unit boxes, the dimension has to be an even number to avoid rounding. + This method will create a copy of the cell. The new cell will be member of the same layout the original cell was member of. The copy will inherit all shapes and instances, but get a different cell_index and a modified name as duplicate cell names are not allowed in the same layout. - This convenience constructor has been introduced in version 0.28. + This method has been introduced in version 0.27. """ - @overload - @classmethod - def new(cls, box: Box) -> DBox: + def __init__(self) -> None: r""" - @brief Creates a floating-point coordinate box from an integer coordinate box - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ibox'. + @brief Creates a new object of this class """ - @overload - @classmethod - def new(cls, arg0: float, arg1: float) -> DBox: + def _create(self) -> None: r""" - @brief Creates a rectangle with given width and height, centered around the origin - - Note that for integer-unit boxes, the dimensions have to be an even number to avoid rounding. - - This convenience constructor has been introduced in version 0.28. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - @classmethod - def new(cls, lower_left: DPoint, upper_right: DPoint) -> DBox: + def _destroy(self) -> None: r""" - @brief Creates a box from two points - - - Two points are given to create a new box. If the coordinates are not provided in the correct order (i.e. right < left), these are swapped. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - @classmethod - def new(cls, left: float, bottom: float, right: float, top: float) -> DBox: + def _destroyed(self) -> bool: r""" - @brief Creates a box with four coordinates - + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - Four coordinates are given to create a new box. If the coordinates are not provided in the correct order (i.e. right < left), these are swapped. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @classmethod - def world(cls) -> DBox: + def _unmanage(self) -> None: r""" - @brief Gets the 'world' box - The world box is the biggest box that can be represented. So it is basically 'all'. The world box behaves neutral on intersections for example. In other operations such as displacement or transformations, the world box may render unexpected results because of coordinate overflow. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - The world box can be used - @ul - @li for comparison ('==', '!=', '<') @/li - @li in union and intersection ('+' and '&') @/li - @li in relations (\contains?, \overlaps?, \touches?) @/li - @li as 'all' argument in region queries @/li - @/ul + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def basic_name(self) -> str: + r""" + @brief Returns the name of the library or PCell or the real name of the cell + For non-proxy cells (see \is_proxy?), this method simply returns the cell name. + For proxy cells, this method returns the PCells definition name or the library + cell name. This name may differ from the actual cell's name because to ensure + that cell names are unique, KLayout may assign different names to the actual + cell compared to the source cell. - This method has been introduced in version 0.28. + This method has been introduced in version 0.22. """ @overload - def __add__(self, box: DBox) -> DBox: + def bbox(self) -> Box: r""" - @brief Joins two boxes - - - The + operator joins the first box with the one given as - the second argument. Joining constructs a box that encloses - both boxes given. Empty boxes are neutral: they do not - change another box when joining. Overwrites this box - with the result. + @brief Gets the bounding box of the cell - @param box The box to join with this box. + @return The bounding box of the cell - @return The joined box + The bounding box is computed over all layers. To compute the bounding box over single layers, use \bbox with a layer index argument. """ @overload - def __add__(self, point: DPoint) -> DBox: + def bbox(self, layer_index: int) -> Box: r""" - @brief Joins box with a point - + @brief Gets the per-layer bounding box of the cell - The + operator joins a point with the box. The resulting box will enclose both the original box and the point. + @return The bounding box of the cell considering only the given layer - @param point The point to join with this box. + The bounding box is the box enclosing all shapes on the given layer. - @return The box joined with the point + 'bbox' is the preferred synonym since version 0.28. """ - def __and__(self, box: DBox) -> DBox: + def bbox_per_layer(self, layer_index: int) -> Box: r""" - @brief Returns the intersection of this box with another box - + @brief Gets the per-layer bounding box of the cell - The intersection of two boxes is the largest - box common to both boxes. The intersection may be - empty if both boxes to not touch. If the boxes do - not overlap but touch the result may be a single - line or point with an area of zero. Overwrites this box - with the result. + @return The bounding box of the cell considering only the given layer - @param box The box to take the intersection with + The bounding box is the box enclosing all shapes on the given layer. - @return The intersection box - """ - def __copy__(self) -> DBox: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> DBox: - r""" - @brief Creates a copy of self - """ - def __eq__(self, box: object) -> bool: - r""" - @brief Returns true if this box is equal to the other box - Returns true, if this box and the given box are equal + 'bbox' is the preferred synonym since version 0.28. """ - def __hash__(self) -> int: + def begin_instances_rec(self) -> RecursiveInstanceIterator: r""" - @brief Computes a hash value - Returns a hash value for the given box. This method enables boxes as hash keys. + @brief Delivers a recursive instance iterator for the instances below the cell + @return A suitable iterator - This method has been introduced in version 0.25. - """ - @overload - def __init__(self) -> None: - r""" - @brief Creates an empty (invalid) box + For details see the description of the \RecursiveInstanceIterator class. - Empty boxes don't modify a box when joined with it. The intersection between an empty and any other box is also an empty box. The width, height, p1 and p2 attributes of an empty box are undefined. Use \empty? to get a value indicating whether the box is empty. + This method has been added in version 0.27. """ @overload - def __init__(self, arg0: float) -> None: + def begin_instances_rec_overlapping(self, region: Box) -> RecursiveInstanceIterator: r""" - @brief Creates a square with the given dimensions centered around the origin + @brief Delivers a recursive instance iterator for the instances below the cell using a region search + @param region The search region + @return A suitable iterator - Note that for integer-unit boxes, the dimension has to be an even number to avoid rounding. + For details see the description of the \RecursiveInstanceIterator class. + This version gives an iterator delivering instances whose bounding box overlaps the given region. - This convenience constructor has been introduced in version 0.28. + This method has been added in version 0.27. """ @overload - def __init__(self, box: Box) -> None: + def begin_instances_rec_overlapping(self, region: DBox) -> RecursiveInstanceIterator: r""" - @brief Creates a floating-point coordinate box from an integer coordinate box + @brief Delivers a recursive instance iterator for the instances below the cell using a region search, with the region given in micrometer units + @param region The search region as \DBox object in micrometer units + @return A suitable iterator - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ibox'. + For details see the description of the \RecursiveInstanceIterator class. + This version gives an iterator delivering instances whose bounding box overlaps the given region. + + This variant has been added in version 0.27. """ @overload - def __init__(self, arg0: float, arg1: float) -> None: + def begin_instances_rec_touching(self, region: Box) -> RecursiveInstanceIterator: r""" - @brief Creates a rectangle with given width and height, centered around the origin + @brief Delivers a recursive instance iterator for the instances below the cell + @param region The search region + @return A suitable iterator - Note that for integer-unit boxes, the dimensions have to be an even number to avoid rounding. + For details see the description of the \RecursiveInstanceIterator class. + This version gives an iterator delivering instances whose bounding box touches the given region. - This convenience constructor has been introduced in version 0.28. + This method has been added in version 0.27. """ @overload - def __init__(self, lower_left: DPoint, upper_right: DPoint) -> None: + def begin_instances_rec_touching(self, region: DBox) -> RecursiveInstanceIterator: r""" - @brief Creates a box from two points + @brief Delivers a recursive instance iterator for the instances below the cell using a region search, with the region given in micrometer units + @param region The search region as \DBox object in micrometer units + @return A suitable iterator + For details see the description of the \RecursiveInstanceIterator class. + This version gives an iterator delivering instances whose bounding box touches the given region. - Two points are given to create a new box. If the coordinates are not provided in the correct order (i.e. right < left), these are swapped. + This variant has been added in version 0.27. """ - @overload - def __init__(self, left: float, bottom: float, right: float, top: float) -> None: + def begin_shapes_rec(self, layer: int) -> RecursiveShapeIterator: r""" - @brief Creates a box with four coordinates + @brief Delivers a recursive shape iterator for the shapes below the cell on the given layer + @param layer The layer from which to get the shapes + @return A suitable iterator + For details see the description of the \RecursiveShapeIterator class. - Four coordinates are given to create a new box. If the coordinates are not provided in the correct order (i.e. right < left), these are swapped. - """ - def __lt__(self, box: DBox) -> bool: - r""" - @brief Returns true if this box is 'less' than another box - Returns true, if this box is 'less' with respect to first and second point (in this order) + This method has been added in version 0.23. """ @overload - def __mul__(self, box: DBox) -> DBox: + def begin_shapes_rec_overlapping(self, layer: int, region: Box) -> RecursiveShapeIterator: r""" - @brief Returns the convolution product from this box with another box - - - The * operator convolves the firstbox with the one given as - the second argument. The box resulting from "convolution" is the - outer boundary of the union set formed by placing - the second box at every point of the first. In other words, - the returned box of (p1,p2)*(q1,q2) is (p1+q1,p2+q2). + @brief Delivers a recursive shape iterator for the shapes below the cell on the given layer using a region search + @param layer The layer from which to get the shapes + @param region The search region + @return A suitable iterator - @param box The box to convolve with this box. + For details see the description of the \RecursiveShapeIterator class. + This version gives an iterator delivering shapes whose bounding box overlaps the given region. - @return The convolved box + This method has been added in version 0.23. """ @overload - def __mul__(self, scale_factor: float) -> DBox: + def begin_shapes_rec_overlapping(self, layer: int, region: DBox) -> RecursiveShapeIterator: r""" - @brief Returns the scaled box - - - The * operator scales the box with the given factor and returns the result. - - This method has been introduced in version 0.22. + @brief Delivers a recursive shape iterator for the shapes below the cell on the given layer using a region search, with the region given in micrometer units + @param layer The layer from which to get the shapes + @param region The search region as \DBox object in micrometer units + @return A suitable iterator - @param scale_factor The scaling factor + For details see the description of the \RecursiveShapeIterator class. + This version gives an iterator delivering shapes whose bounding box overlaps the given region. - @return The scaled box - """ - def __ne__(self, box: object) -> bool: - r""" - @brief Returns true if this box is not equal to the other box - Returns true, if this box and the given box are not equal + This variant has been added in version 0.25. """ @overload - def __rmul__(self, box: DBox) -> DBox: + def begin_shapes_rec_touching(self, layer: int, region: Box) -> RecursiveShapeIterator: r""" - @brief Returns the convolution product from this box with another box - - - The * operator convolves the firstbox with the one given as - the second argument. The box resulting from "convolution" is the - outer boundary of the union set formed by placing - the second box at every point of the first. In other words, - the returned box of (p1,p2)*(q1,q2) is (p1+q1,p2+q2). + @brief Delivers a recursive shape iterator for the shapes below the cell on the given layer using a region search + @param layer The layer from which to get the shapes + @param region The search region + @return A suitable iterator - @param box The box to convolve with this box. + For details see the description of the \RecursiveShapeIterator class. + This version gives an iterator delivering shapes whose bounding box touches the given region. - @return The convolved box + This method has been added in version 0.23. """ @overload - def __rmul__(self, scale_factor: float) -> DBox: + def begin_shapes_rec_touching(self, layer: int, region: DBox) -> RecursiveShapeIterator: r""" - @brief Returns the scaled box + @brief Delivers a recursive shape iterator for the shapes below the cell on the given layer using a region search, with the region given in micrometer units + @param layer The layer from which to get the shapes + @param region The search region as \DBox object in micrometer units + @return A suitable iterator + For details see the description of the \RecursiveShapeIterator class. + This version gives an iterator delivering shapes whose bounding box touches the given region. - The * operator scales the box with the given factor and returns the result. + This variant has been added in version 0.25. + """ + def called_cells(self) -> List[int]: + r""" + @brief Gets a list of all called cells - This method has been introduced in version 0.22. + This method determines all cells which are called either directly or indirectly by the cell. + It returns an array of cell indexes. Use the 'cell' method of \Layout to retrieve the corresponding Cell object. - @param scale_factor The scaling factor + This method has been introduced in version 0.19. - @return The scaled box + @return A list of cell indices. """ - def __str__(self, dbu: Optional[float] = ...) -> str: + def caller_cells(self) -> List[int]: r""" - @brief Returns a string representing this box + @brief Gets a list of all caller cells - This string can be turned into a box again by using \from_s - . If a DBU is given, the output units will be micrometers. + This method determines all cells which call this cell either directly or indirectly. + It returns an array of cell indexes. Use the 'cell' method of \Layout to retrieve the corresponding Cell object. - The DBU argument has been added in version 0.27.6. + This method has been introduced in version 0.19. + + @return A list of cell indices. """ - def _create(self) -> None: + def cell_index(self) -> int: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Gets the cell index + + @return The cell index of the cell """ - def _destroy(self) -> None: + def change_pcell_parameter(self, instance: Instance, name: str, value: Any) -> Instance: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Changes a single parameter for an individual PCell instance given by name + @return The new instance (the old may be invalid) + This will set the PCell parameter named 'name' to the given value for the instance addressed by 'instance'. If no parameter with that name exists, the method will do nothing. + + This method has been introduced in version 0.23. """ - def _destroyed(self) -> bool: + @overload + def change_pcell_parameters(self, instance: Instance, dict: Dict[str, Any]) -> Instance: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Changes the given parameter for an individual PCell instance + @return The new instance (the old may be invalid) + This version receives a dictionary of names and values. It will change the parameters given by the names to the values given by the values of the dictionary. The functionality is similar to the same function with an array, but more convenient to use. + Values with unknown names are ignored. + + This method has been introduced in version 0.24. """ - def _is_const_object(self) -> bool: + @overload + def change_pcell_parameters(self, instance: Instance, parameters: Sequence[Any]) -> Instance: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Changes the parameters for an individual PCell instance + @return The new instance (the old may be invalid) + If necessary, this method creates a new variant and replaces the given instance + by an instance of this variant. + + The parameters are given in the order the parameters are declared. Use \pcell_declaration on the instance to get the PCell declaration object of the cell. That PCellDeclaration object delivers the parameter declaration with it's 'get_parameters' method. + Each parameter in the variant list passed to the second list of values corresponds to one parameter declaration. + + There is a more convenient method (\change_pcell_parameter) that changes a single parameter by name. + + This method has been introduced in version 0.22. """ - def _manage(self) -> None: + def child_cells(self) -> int: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Gets the number of child cells - Usually it's not required to call this method. It has been introduced in version 0.24. + The number of child cells (not child instances!) is returned. + CAUTION: this method is SLOW, in particular if many instances are present. """ - def _unmanage(self) -> None: + def child_instances(self) -> int: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Gets the number of child instances - Usually it's not required to call this method. It has been introduced in version 0.24. + @return Returns the number of cell instances """ - def area(self) -> float: + @overload + def clear(self) -> None: r""" - @brief Computes the box area - - Returns the box area or 0 if the box is empty + @brief Clears the cell (deletes shapes and instances) + This method has been introduced in version 0.23. """ - def assign(self, other: DBox) -> None: + @overload + def clear(self, layer_index: int) -> None: r""" - @brief Assigns another object to self + @brief Clears the shapes on the given layer """ - def bbox(self) -> DBox: + def clear_insts(self) -> None: r""" - @brief Returns the bounding box - This method is provided for consistency of the shape API is returns the box itself. - - This method has been introduced in version 0.27. + @brief Clears the instance list """ - def center(self) -> DPoint: + def clear_shapes(self) -> None: r""" - @brief Gets the center of the box + @brief Clears all shapes in the cell """ @overload - def contains(self, point: DPoint) -> bool: + def copy(self, src: int, dest: int) -> None: r""" - @brief Returns true if the box contains the given point - + @brief Copies the shapes from the source to the target layer - Tests whether a point is inside the box. - It also returns true if the point is exactly on the box contour. + The destination layer is not overwritten. Instead, the shapes are added to the shapes of the destination layer. + If source are target layer are identical, this method does nothing. + This method will copy shapes within the cell. To copy shapes from another cell to this cell, use the copy method with the cell parameter. - @param p The point to test against. + This method has been introduced in version 0.19. - @return true if the point is inside the box. + @param src The layer index of the source layer + @param dest The layer index of the destination layer """ @overload - def contains(self, x: float, y: float) -> bool: + def copy(self, src_cell: Cell, src_layer: int, dest: int) -> None: r""" - @brief Returns true if the box contains the given point - - - Tests whether a point (x, y) is inside the box. - It also returns true if the point is exactly on the box contour. + @brief Copies shapes from another cell to the target layer in this cell - @return true if the point is inside the box. - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + This method will copy all shapes on layer 'src_layer' of cell 'src_cell' to the layer 'dest' of this cell. + The destination layer is not overwritten. Instead, the shapes are added to the shapes of the destination layer. + If the source cell lives in a layout with a different database unit than that current cell is in, the shapes will be transformed accordingly. The same way, shape properties are transformed as well. Note that the shape transformation may require rounding to smaller coordinates. This may result in a slight distortion of the original shapes, in particular when transforming into a layout with a bigger database unit. + @param src_cell The cell where to take the shapes from + @param src_layer The layer index of the layer from which to take the shapes + @param dest The layer index of the destination layer """ - def destroy(self) -> None: + def copy_instances(self, source_cell: Cell) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Copies the instances of child cells in the source cell to this cell + @param source_cell The cell where the instances are copied from + The source cell must reside in the same layout than this cell. The instances of child cells inside the source cell are copied to this cell. No new cells are created, just new instances are created to already existing cells in the target cell. + + The instances will be added to any existing instances in the cell. + + More elaborate methods of copying hierarchy trees between layouts or duplicating trees are provided through the \copy_tree_shapes (in cooperation with the \CellMapping class) or \copy_tree methods. + + This method has been added in version 0.23. """ - def destroyed(self) -> bool: + @overload + def copy_shapes(self, source_cell: Cell) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Copies the shapes from the given cell into this cell + @param source_cell The cell from where to copy shapes + All shapes are copied from the source cell to this cell. Instances are not copied. + + The source cell can reside in a different layout. In this case, the shapes are copied over from the other layout into this layout. Database unit conversion is done automatically if the database units differ between the layouts. Note that this may lead to grid snapping effects if the database unit of the target layout is not an integer fraction of the source layout. + + If source and target layout are different, the layers of the source and target layout are identified by their layer/datatype number or name (if no layer/datatype is present). + The shapes will be added to any shapes already in the cell. + + This method has been added in version 0.23. """ - def dup(self) -> DBox: + @overload + def copy_shapes(self, source_cell: Cell, layer_mapping: LayerMapping) -> None: r""" - @brief Creates a copy of self + @brief Copies the shapes from the given cell into this cell + @param source_cell The cell from where to copy shapes + @param layer_mapping A \LayerMapping object that specifies which layers are copied and where + All shapes on layers specified in the layer mapping object are copied from the source cell to this cell. Instances are not copied. + The target layer is taken from the mapping table. + + The shapes will be added to any shapes already in the cell. + + This method has been added in version 0.23. """ - def empty(self) -> bool: + def copy_tree(self, source_cell: Cell) -> List[int]: r""" - @brief Returns a value indicating whether the box is empty + @brief Copies the cell tree of the given cell into this cell + @param source_cell The cell from where to copy the cell tree + @return A list of indexes of newly created cells + The complete cell tree of the source cell is copied to the target cell plus all shapes in that tree are copied as well. This method will basically duplicate the cell tree of the source cell. - An empty box may be created with the default constructor for example. Such a box is neutral when combining it with other boxes and renders empty boxes if used in box intersections and false in geometrical relationship tests. + The source cell may reside in a separate layout. This method therefore provides a way to copy over complete cell trees from one layout to another. + + The shapes and instances will be added to any shapes or instances already in the cell. + + This method has been added in version 0.23. """ @overload - def enlarge(self, d: float) -> DBox: + def copy_tree_shapes(self, source_cell: Cell, cell_mapping: CellMapping) -> None: r""" - @brief Enlarges the box by a certain amount on all sides. + @brief Copies the shapes from the given cell and the cell tree below into this cell or subcells of this cell + @param source_cell The starting cell from where to copy shapes + @param cell_mapping The cell mapping object that determines how cells are identified between source and target layout - This is a convenience method which takes one values instead of two values. It will apply the given enlargement in both directions. - This method has been introduced in version 0.28. + This method is provided if source and target cell reside in different layouts. If will copy the shapes from all cells below the given source cell, but use a cell mapping object that provides a specification how cells are identified between the layouts. Cells in the source tree, for which no mapping is provided, will be flattened - their shapes will be propagated into parent cells for which a mapping is provided. - @return A reference to this box. + The cell mapping object provides various methods to map cell trees between layouts. See the \CellMapping class for details about the mapping methods available. The cell mapping object is also responsible for creating a proper hierarchy of cells in the target layout if that is required. + + Layers are identified between the layouts by the layer/datatype number of name if no layer/datatype number is present. + + The shapes copied will be added to any shapes already in the cells. + + This method has been added in version 0.23. """ @overload - def enlarge(self, enlargement: DVector) -> DBox: + def copy_tree_shapes(self, source_cell: Cell, cell_mapping: CellMapping, layer_mapping: LayerMapping) -> None: r""" - @brief Enlarges the box by a certain amount. + @brief Copies the shapes from the given cell and the cell tree below into this cell or subcells of this cell with layer mapping + @param source_cell The cell from where to copy shapes and instances + @param cell_mapping The cell mapping object that determines how cells are identified between source and target layout + This method is provided if source and target cell reside in different layouts. If will copy the shapes from all cells below the given source cell, but use a cell mapping object that provides a specification how cells are identified between the layouts. Cells in the source tree, for which no mapping is provided, will be flattened - their shapes will be propagated into parent cells for which a mapping is provided. - Enlarges the box by x and y value specified in the vector - passed. Positive values with grow the box, negative ones - will shrink the box. The result may be an empty box if the - box disappears. The amount specifies the grow or shrink - per edge. The width and height will change by twice the - amount. - Does not check for coordinate - overflows. + The cell mapping object provides various methods to map cell trees between layouts. See the \CellMapping class for details about the mapping methods available. The cell mapping object is also responsible for creating a proper hierarchy of cells in the target layout if that is required. - @param enlargement The grow or shrink amount in x and y direction + In addition, the layer mapping object can be specified which maps source to target layers. This feature can be used to restrict the copy operation to a subset of layers or to convert shapes to different layers in that step. - @return A reference to this box. + The shapes copied will be added to any shapes already in the cells. + + This method has been added in version 0.23. + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ @overload - def enlarge(self, dx: float, dy: float) -> DBox: + def dbbox(self) -> DBox: r""" - @brief Enlarges the box by a certain amount. + @brief Gets the bounding box of the cell in micrometer units + @return The bounding box of the cell - This is a convenience method which takes two values instead of a Vector object. - This method has been introduced in version 0.23. + The bounding box is computed over all layers. To compute the bounding box over single layers, use \dbbox with a layer index argument. - @return A reference to this box. + This method has been introduced in version 0.25. """ @overload - def enlarged(self, d: float) -> DBox: + def dbbox(self, layer_index: int) -> DBox: r""" - @brief Enlarges the box by a certain amount on all sides. + @brief Gets the per-layer bounding box of the cell in micrometer units - This is a convenience method which takes one values instead of two values. It will apply the given enlargement in both directions. - This method has been introduced in version 0.28. + @return The bounding box of the cell considering only the given layer - @return The enlarged box. + The bounding box is the box enclosing all shapes on the given layer. + + This method has been introduced in version 0.25. 'dbbox' is the preferred synonym since version 0.28. """ - @overload - def enlarged(self, enlargement: DVector) -> DBox: + def dbbox_per_layer(self, layer_index: int) -> DBox: r""" - @brief Returns the enlarged box. - + @brief Gets the per-layer bounding box of the cell in micrometer units - Enlarges the box by x and y value specified in the vector - passed. Positive values with grow the box, negative ones - will shrink the box. The result may be an empty box if the - box disappears. The amount specifies the grow or shrink - per edge. The width and height will change by twice the - amount. - Does not modify this box. Does not check for coordinate - overflows. + @return The bounding box of the cell considering only the given layer - @param enlargement The grow or shrink amount in x and y direction + The bounding box is the box enclosing all shapes on the given layer. - @return The enlarged box. + This method has been introduced in version 0.25. 'dbbox' is the preferred synonym since version 0.28. """ - @overload - def enlarged(self, dx: float, dy: float) -> DBox: + def delete(self) -> None: r""" - @brief Enlarges the box by a certain amount. + @brief Deletes this cell + + This deletes the cell but not the sub cells of the cell. + These subcells will likely become new top cells unless they are used + otherwise. + All instances of this cell are deleted as well. + Hint: to delete multiple cells, use "delete_cells" which is + far more efficient in this case. + After the cell has been deleted, the Cell object becomes invalid. Do not access methods or attributes of this object after deleting the cell. - This is a convenience method which takes two values instead of a Vector object. This method has been introduced in version 0.23. + """ + def delete_property(self, key: Any) -> None: + r""" + @brief Deletes the user property with the given key + This method is a convenience method that deletes the property with the given key. It does nothing if no property with that key exists. Using that method is more convenient than creating a new property set with a new ID and assigning that properties ID. + This method may change the properties ID. - @return The enlarged box. + This method has been introduced in version 0.23. """ - def hash(self) -> int: + def destroy(self) -> None: r""" - @brief Computes a hash value - Returns a hash value for the given box. This method enables boxes as hash keys. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def display_title(self) -> str: + r""" + @brief Returns a nice looking name for display purposes - This method has been introduced in version 0.25. + For example, this name include PCell parameters for PCell proxy cells. + + This method has been introduced in version 0.22. """ - def height(self) -> float: + def dump_mem_statistics(self, detailed: Optional[bool] = ...) -> None: r""" - @brief Gets the height of the box + @hide """ - def inside(self, box: DBox) -> bool: + def dup(self) -> Cell: r""" - @brief Tests if this box is inside the argument box + @brief Creates a copy of the cell + This method will create a copy of the cell. The new cell will be member of the same layout the original cell was member of. The copy will inherit all shapes and instances, but get a different cell_index and a modified name as duplicate cell names are not allowed in the same layout. - Returns true, if this box is inside the given box, i.e. the box intersection renders this box + This method has been introduced in version 0.27. """ - def is_const_object(self) -> bool: + def each_child_cell(self) -> Iterator[int]: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Iterates over all child cells + + This iterator will report the child cell indices, not every instance. """ - def is_point(self) -> bool: + def each_inst(self) -> Iterator[Instance]: r""" - @brief Returns true, if the box is a single point + @brief Iterates over all child instances (which may actually be instance arrays) + + Starting with version 0.15, this iterator delivers \Instance objects rather than \CellInstArray objects. """ @overload - def move(self, distance: DVector) -> DBox: + def each_overlapping_inst(self, b: Box) -> Iterator[Instance]: r""" - @brief Moves the box by a certain distance - + @brief Gets the instances overlapping the given rectangle - Moves the box by a given offset and returns the moved - box. Does not check for coordinate overflows. + This will iterate over all child cell + instances overlapping with the given rectangle b. - @param distance The offset to move the box. + @param b The region to iterate over - @return A reference to this box. + Starting with version 0.15, this iterator delivers \Instance objects rather than \CellInstArray objects. """ @overload - def move(self, dx: float, dy: float) -> DBox: + def each_overlapping_inst(self, b: DBox) -> Iterator[Instance]: r""" - @brief Moves the box by a certain distance + @brief Gets the instances overlapping the given rectangle, with the rectangle in micrometer units + This will iterate over all child cell + instances overlapping with the given rectangle b. This method is identical to the \each_overlapping_inst version that takes a \Box object, but instead of taking database unit coordinates in will take a micrometer unit \DBox object. - This is a convenience method which takes two values instead of a Point object. - This method has been introduced in version 0.23. + @param b The region to iterate over - @return A reference to this box. + This variant has been introduced in version 0.25. """ @overload - def moved(self, distance: DVector) -> DBox: + def each_overlapping_shape(self, layer_index: int, box: Box) -> Iterator[Shape]: r""" - @brief Returns the box moved by a certain distance - + @brief Iterates over all shapes of a given layer that overlap the given box - Moves the box by a given offset and returns the moved - box. Does not modify this box. Does not check for coordinate - overflows. + @param box The box by which to query the shapes + @param layer_index The layer on which to run the query - @param distance The offset to move the box. + This call is equivalent to each_overlapping_shape(layer_index,box,RBA::Shapes::SAll). + This convenience method has been introduced in version 0.16. + """ + @overload + def each_overlapping_shape(self, layer_index: int, box: Box, flags: int) -> Iterator[Shape]: + r""" + @brief Iterates over all shapes of a given layer that overlap the given box - @return The moved box. + @param flags An "or"-ed combination of the S.. constants of the \Shapes class + @param box The box by which to query the shapes + @param layer_index The layer on which to run the query """ @overload - def moved(self, dx: float, dy: float) -> DBox: + def each_overlapping_shape(self, layer_index: int, box: DBox) -> Iterator[Shape]: r""" - @brief Moves the box by a certain distance + @brief Iterates over all shapes of a given layer that overlap the given box, with the box given in micrometer units + @param box The box by which to query the shapes as a \DBox object in micrometer units + @param layer_index The layer on which to run the query - This is a convenience method which takes two values instead of a Point object. - This method has been introduced in version 0.23. + This call is equivalent to each_overlapping_shape(layer_index,box,RBA::Shapes::SAll). + This convenience method has been introduced in version 0.16. + """ + @overload + def each_overlapping_shape(self, layer_index: int, box: DBox, flags: int) -> Iterator[Shape]: + r""" + @brief Iterates over all shapes of a given layer that overlap the given box, with the box given in micrometer units - @return The moved box. + @param flags An "or"-ed combination of the S.. constants of the \Shapes class + @param box The box by which to query the shapes as a \DBox object in micrometer units + @param layer_index The layer on which to run the query """ - def overlaps(self, box: DBox) -> bool: + def each_parent_cell(self) -> Iterator[int]: r""" - @brief Tests if this box overlaps the argument box + @brief Iterates over all parent cells + This iterator will iterate over the parent cells, just returning their + cell index. + """ + def each_parent_inst(self) -> Iterator[ParentInstArray]: + r""" + @brief Iterates over the parent instance list (which may actually be instance arrays) - Returns true, if the intersection box of this box with the argument box exists and has a non-vanishing area + The parent instances are basically inversions of the instances. Using parent instances it is possible to determine how a specific cell is called from where. """ - def perimeter(self) -> float: + @overload + def each_shape(self, layer_index: int) -> Iterator[Shape]: r""" - @brief Returns the perimeter of the box + @brief Iterates over all shapes of a given layer - This method is equivalent to 2*(width+height). For empty boxes, this method returns 0. + @param layer_index The layer on which to run the query - This method has been introduced in version 0.23. + This call is equivalent to each_shape(layer_index,RBA::Shapes::SAll). + This convenience method has been introduced in version 0.16. """ - def to_itype(self, dbu: Optional[float] = ...) -> Box: + @overload + def each_shape(self, layer_index: int, flags: int) -> Iterator[Shape]: r""" - @brief Converts the box to an integer coordinate box + @brief Iterates over all shapes of a given layer - The database unit can be specified to translate the floating-point coordinate box in micron units to an integer-coordinate box in database units. The boxes coordinates will be divided by the database unit. + @param flags An "or"-ed combination of the S.. constants of the \Shapes class + @param layer_index The layer on which to run the query - This method has been introduced in version 0.25. + This iterator is equivalent to 'shapes(layer).each'. """ - def to_s(self, dbu: Optional[float] = ...) -> str: + @overload + def each_touching_inst(self, b: Box) -> Iterator[Instance]: r""" - @brief Returns a string representing this box + @brief Gets the instances touching the given rectangle - This string can be turned into a box again by using \from_s - . If a DBU is given, the output units will be micrometers. + This will iterate over all child cell + instances overlapping with the given rectangle b. - The DBU argument has been added in version 0.27.6. + @param b The region to iterate over + + Starting with version 0.15, this iterator delivers \Instance objects rather than \CellInstArray objects. """ - def touches(self, box: DBox) -> bool: + @overload + def each_touching_inst(self, b: DBox) -> Iterator[Instance]: r""" - @brief Tests if this box touches the argument box + @brief Gets the instances touching the given rectangle, with the rectangle in micrometer units + + This will iterate over all child cell + instances touching the given rectangle b. This method is identical to the \each_touching_inst version that takes a \Box object, but instead of taking database unit coordinates in will take a micrometer unit \DBox object. + @param b The region to iterate over - Two boxes touch if they overlap or their boundaries share at least one common point. Touching is equivalent to a non-empty intersection ('!(b1 & b2).empty?'). + This variant has been introduced in version 0.25. """ @overload - def transformed(self, t: DCplxTrans) -> DBox: + def each_touching_shape(self, layer_index: int, box: Box) -> Iterator[Shape]: r""" - @brief Returns the box transformed with the given complex transformation + @brief Iterates over all shapes of a given layer that touch the given box + @param box The box by which to query the shapes + @param layer_index The layer on which to run the query - @param t The magnifying transformation to apply - @return The transformed box (a DBox now) + This call is equivalent to each_touching_shape(layer_index,box,RBA::Shapes::SAll). + This convenience method has been introduced in version 0.16. """ @overload - def transformed(self, t: DTrans) -> DBox: + def each_touching_shape(self, layer_index: int, box: Box, flags: int) -> Iterator[Shape]: r""" - @brief Returns the box transformed with the given simple transformation - + @brief Iterates over all shapes of a given layer that touch the given box - @param t The transformation to apply - @return The transformed box + @param flags An "or"-ed combination of the S.. constants of the \Shapes class + @param box The box by which to query the shapes + @param layer_index The layer on which to run the query """ @overload - def transformed(self, t: VCplxTrans) -> Box: + def each_touching_shape(self, layer_index: int, box: DBox) -> Iterator[Shape]: r""" - @brief Transforms the box with the given complex transformation + @brief Iterates over all shapes of a given layer that touch the given box, with the box given in micrometer units + @param box The box by which to query the shapes as a \DBox object in micrometer units + @param layer_index The layer on which to run the query - @param t The magnifying transformation to apply - @return The transformed box (in this case an integer coordinate box) + This call is equivalent to each_touching_shape(layer_index,box,RBA::Shapes::SAll). + This convenience method has been introduced in version 0.16. + """ + @overload + def each_touching_shape(self, layer_index: int, box: DBox, flags: int) -> Iterator[Shape]: + r""" + @brief Iterates over all shapes of a given layer that touch the given box, with the box given in micrometer units - This method has been introduced in version 0.25. + @param flags An "or"-ed combination of the S.. constants of the \Shapes class + @param box The box by which to query the shapes as a \DBox object in micrometer units + @param layer_index The layer on which to run the query """ - def width(self) -> float: + def erase(self, inst: Instance) -> None: r""" - @brief Gets the width of the box + @brief Erases the instance given by the Instance object + + This method has been introduced in version 0.16. It can only be used in editable mode. """ + @overload + def fill_region(self, region: Region, fill_cell_index: int, fc_bbox: Box, row_step: Vector, column_step: Vector, origin: Optional[Point] = ..., remaining_parts: Optional[Region] = ..., fill_margin: Optional[Vector] = ..., remaining_polygons: Optional[Region] = ..., glue_box: Optional[Box] = ...) -> None: + r""" + @brief Fills the given region with cells of the given type (skew step version) + @param region The region to fill + @param fill_cell_index The fill cell to place + @param fc_bbox The fill cell's box to place + @param row_step The 'rows' step vector + @param column_step The 'columns' step vector + @param origin The global origin of the fill pattern or nil to allow local (per-polygon) optimization + @param remaining_parts See explanation in other version + @param fill_margin See explanation in other version + @param remaining_polygons See explanation in other version -class Cell: - r""" - @brief A cell - - A cell object consists of a set of shape containers (called layers), - a set of child cell instances and auxiliary information such as - the parent instance list. - A cell is identified through an index given to the cell upon instantiation. - Cell instances refer to single instances or array instances. Both are encapsulated in the - same object, the \CellInstArray object. In the simple case, this object refers to a single instance. - In the general case, this object may refer to a regular array of cell instances as well. + This version is similar to the version providing an orthogonal fill, but it offers more generic stepping of the fill cell. + The step pattern is defined by an origin and two vectors (row_step and column_step) which span the axes of the fill cell pattern. - Starting from version 0.16, the child_inst and erase_inst methods are no longer available since - they were using index addressing which is no longer supported. Instead, instances are now addressed - with the \Instance reference objects. + The fill box and the step vectors are decoupled which means the fill box can be larger or smaller than the step pitch - it can be overlapping and there can be space between the fill box instances. Fill boxes are placed where they fit entirely into a polygon of the region. The fill boxes lower left corner is the reference for the fill pattern and aligns with the origin if given. - See @The Database API@ for more details about the database objects like the Cell class. - """ - ghost_cell: bool - r""" - Getter: - @brief Returns a value indicating whether the cell is a "ghost cell" + This variant has been introduced in version 0.27. + """ + @overload + def fill_region(self, region: Region, fill_cell_index: int, fc_box: Box, origin: Optional[Point] = ..., remaining_parts: Optional[Region] = ..., fill_margin: Optional[Vector] = ..., remaining_polygons: Optional[Region] = ..., glue_box: Optional[Box] = ...) -> None: + r""" + @brief Fills the given region with cells of the given type (extended version) + @param region The region to fill + @param fill_cell_index The fill cell to place + @param fc_box The fill cell's footprint + @param origin The global origin of the fill pattern or nil to allow local (per-polygon) optimization + @param remaining_parts See explanation below + @param fill_margin See explanation below + @param remaining_polygons See explanation below + @param glue_box Guarantees fill cell compatibility to neighbor regions in enhanced mode - The ghost cell flag is used by the GDS reader for example to indicate that - the cell is not located inside the file. Upon writing the reader can determine - whether to write the cell or not. - To satisfy the references inside the layout, a dummy cell is created in this case - which has the "ghost cell" flag set to true. + This method creates a regular pattern of fill cells to cover the interior of the given region as far as possible. This process is also known as tiling. This implementation supports rectangular (not necessarily square) tile cells. The tile cell's footprint is given by the fc_box parameter and the cells will be arranged with their footprints forming a seamless array. - This method has been introduced in version 0.20. + The algorithm supports a global fill raster as well as local (per-polygon) origin optimization. In the latter case the origin of the regular raster is optimized per individual polygon of the fill region. To enable optimization, pass 'nil' to the 'origin' argument. - Setter: - @brief Sets the "ghost cell" flag + The implementation will basically try to find a repetition pattern of the tile cell's footprint and produce instances which fit entirely into the fill region. - See \is_ghost_cell? for a description of this property. + There is also a version available which offers skew step vectors as a generalization of the orthogonal ones. - This method has been introduced in version 0.20. - """ - name: str - r""" - Getter: - @brief Gets the cell's name + If the 'remaining_parts' argument is non-nil, the corresponding region will receive the parts of the polygons which are not covered by tiles. Basically the tiles are subtracted from the original polygons. A margin can be specified which is applied separately in x and y direction before the subtraction is done ('fill_margin' parameter). - This may be an internal name for proxy cells. See \basic_name for the formal name (PCell name or library cell name). + If the 'remaining_polygons' argument is non-nil, the corresponding region will receive all polygons from the input region which could not be filled and where there is no chance of filling because not a single tile will fit into them. - This method has been introduced in version 0.22. + 'remaining_parts' and 'remaining_polygons' can be identical with the input. In that case the input will be overwritten with the respective output. Otherwise, the respective polygons are added to these regions. - Setter: - @brief Renames the cell - Renaming a cell may cause name clashes, i.e. the name may be identical to the name - of another cell. This does not have any immediate effect, but the cell needs to be renamed, for example when writing the layout to a GDS file. + This allows setting up a more elaborate fill scheme using multiple iterations and local origin-optimization ('origin' is nil): - This method has been introduced in version 0.22. - """ - prop_id: int - r""" - Getter: - @brief Gets the properties ID associated with the cell + @code + r = ... # region to fill + c = ... # cell in which to produce the fill cells + fc_index = ... # fill cell index + fc_box = ... # fill cell footprint - This method has been introduced in version 0.23. - Setter: - @brief Sets the properties ID associated with the cell - This method is provided, if a properties ID has been derived already. Usually it's more convenient to use \delete_property, \set_property or \property. + fill_margin = RBA::Point::new(0, 0) # x/y distance between tile cells with different origin - This method has been introduced in version 0.23. - """ - @classmethod - def new(cls) -> Cell: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> Cell: - r""" - @brief Creates a copy of the cell + # Iteration: fill a region and fill the remaining parts as long as there is anything left. + # Polygons not worth being considered further are dropped (last argument is nil). + while !r.is_empty? + c.fill_region(r, fc_index, fc_box, nil, r, fill_margin, nil) + end + @/code - This method will create a copy of the cell. The new cell will be member of the same layout the original cell was member of. The copy will inherit all shapes and instances, but get a different cell_index and a modified name as duplicate cell names are not allowed in the same layout. + The glue box parameter supports fill cell array compatibility with neighboring regions. This is specifically useful when putting the fill_cell method into a tiling processor. Fill cell array compatibility means that the fill cell array continues over tile boundaries. This is easy with an origin: you can chose the origin identically over all tiles which is sufficient to guarantee fill cell array compatibility across the tiles. However there is no freedom of choice of the origin then and fill cell placement may not be optimal. To enable the origin for the tile boundary only, a glue box can given. The origin will then be used only when the polygons to fill not entirely inside and not at the border of the glue box. Hence, while a certain degree of freedom is present for the placement of fill cells inside the glue box, the fill cells are guaranteed to be placed at the raster implied by origin at the glue box border and beyond. To ensure fill cell compatibility inside the tiling processor, it is sufficient to use the tile box as the glue box. - This method has been introduced in version 0.27. + This method has been introduced in version 0.23 and enhanced in version 0.27. """ - def __deepcopy__(self) -> Cell: + def fill_region_multi(self, region: Region, fill_cell_index: int, fc_bbox: Box, row_step: Vector, column_step: Vector, fill_margin: Optional[Vector] = ..., remaining_polygons: Optional[Region] = ..., glue_box: Optional[Box] = ...) -> None: r""" - @brief Creates a copy of the cell + @brief Fills the given region with cells of the given type in enhanced mode with iterations + This version operates like \fill_region, but repeats the fill generation until no further fill cells can be placed. As the fill pattern origin changes between the iterations, narrow regions can be filled which cannot with a fixed fill pattern origin. The \fill_margin parameter is important as it controls the distance between fill cells with a different origin and therefore introduces a safety distance between pitch-incompatible arrays. - This method will create a copy of the cell. The new cell will be member of the same layout the original cell was member of. The copy will inherit all shapes and instances, but get a different cell_index and a modified name as duplicate cell names are not allowed in the same layout. + The origin is ignored unless a glue box is given. See \fill_region for a description of this concept. This method has been introduced in version 0.27. """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: + @overload + def flatten(self, levels: int, prune: bool) -> None: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Flattens the given cell - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + This method propagates all shapes from the specified number of hierarchy levels below into the given cell. + It also removes the instances of the cells from which the shapes came from, but does not remove the cells themselves if prune is set to false. + If prune is set to true, these cells are removed if not used otherwise. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def basic_name(self) -> str: - r""" - @brief Returns the name of the library or PCell or the real name of the cell - For non-proxy cells (see \is_proxy?), this method simply returns the cell name. - For proxy cells, this method returns the PCells definition name or the library - cell name. This name may differ from the actual cell's name because to ensure - that cell names are unique, KLayout may assign different names to the actual - cell compared to the source cell. + @param levels The number of hierarchy levels to flatten (-1: all, 0: none, 1: one level etc.) + @param prune Set to true to remove orphan cells. - This method has been introduced in version 0.22. + This method has been introduced in version 0.23. """ @overload - def bbox(self) -> Box: + def flatten(self, prune: bool) -> None: r""" - @brief Gets the bounding box of the cell - - @return The bounding box of the cell + @brief Flattens the given cell - The bounding box is computed over all layers. To compute the bounding box over single layers, use \bbox with a layer index argument. - """ - @overload - def bbox(self, layer_index: int) -> Box: - r""" - @brief Gets the per-layer bounding box of the cell + This method propagates all shapes from the hierarchy below into the given cell. + It also removes the instances of the cells from which the shapes came from, but does not remove the cells themselves if prune is set to false. + If prune is set to true, these cells are removed if not used otherwise. - @return The bounding box of the cell considering only the given layer + A version of this method exists which allows one to specify the number of hierarchy levels to which subcells are considered. - The bounding box is the box enclosing all shapes on the given layer. + @param prune Set to true to remove orphan cells. - 'bbox' is the preferred synonym since version 0.28. + This method has been introduced in version 0.23. """ - def bbox_per_layer(self, layer_index: int) -> Box: + def has_prop_id(self) -> bool: r""" - @brief Gets the per-layer bounding box of the cell - - @return The bounding box of the cell considering only the given layer - - The bounding box is the box enclosing all shapes on the given layer. + @brief Returns true, if the cell has user properties - 'bbox' is the preferred synonym since version 0.28. + This method has been introduced in version 0.23. """ - def begin_instances_rec(self) -> RecursiveInstanceIterator: + def hierarchy_levels(self) -> int: r""" - @brief Delivers a recursive instance iterator for the instances below the cell - @return A suitable iterator + @brief Returns the number of hierarchy levels below - For details see the description of the \RecursiveInstanceIterator class. + This method returns the number of call levels below the current cell. If there are no child cells, this method will return 0, if there are only direct children, it will return 1. - This method has been added in version 0.27. + CAUTION: this method may be expensive! """ @overload - def begin_instances_rec_overlapping(self, region: Box) -> RecursiveInstanceIterator: + def insert(self, cell_inst_array: CellInstArray) -> Instance: r""" - @brief Delivers a recursive instance iterator for the instances below the cell using a region search - @param region The search region - @return A suitable iterator - - For details see the description of the \RecursiveInstanceIterator class. - This version gives an iterator delivering instances whose bounding box overlaps the given region. - - This method has been added in version 0.27. + @brief Inserts a cell instance (array) + @return An Instance object representing the new instance + With version 0.16, this method returns an Instance object that represents the new instance. + It's use is discouraged in readonly mode, since it invalidates other Instance references. """ @overload - def begin_instances_rec_overlapping(self, region: DBox) -> RecursiveInstanceIterator: + def insert(self, cell_inst_array: CellInstArray, property_id: int) -> Instance: r""" - @brief Delivers a recursive instance iterator for the instances below the cell using a region search, with the region given in micrometer units - @param region The search region as \DBox object in micrometer units - @return A suitable iterator - - For details see the description of the \RecursiveInstanceIterator class. - This version gives an iterator delivering instances whose bounding box overlaps the given region. - - This variant has been added in version 0.27. + @brief Inserts a cell instance (array) with properties + @return An \Instance object representing the new instance + The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. + With version 0.16, this method returns an Instance object that represents the new instance. + It's use is discouraged in readonly mode, since it invalidates other Instance references. """ @overload - def begin_instances_rec_touching(self, region: Box) -> RecursiveInstanceIterator: + def insert(self, cell_inst_array: DCellInstArray) -> Instance: r""" - @brief Delivers a recursive instance iterator for the instances below the cell - @param region The search region - @return A suitable iterator - - For details see the description of the \RecursiveInstanceIterator class. - This version gives an iterator delivering instances whose bounding box touches the given region. + @brief Inserts a cell instance (array) given in micron units + @return An Instance object representing the new instance + This method inserts an instance array, similar to \insert with a \CellInstArray parameter. But in this version, the argument is a cell instance array given in micrometer units. It is translated to database units internally. - This method has been added in version 0.27. + This variant has been introduced in version 0.25. """ @overload - def begin_instances_rec_touching(self, region: DBox) -> RecursiveInstanceIterator: - r""" - @brief Delivers a recursive instance iterator for the instances below the cell using a region search, with the region given in micrometer units - @param region The search region as \DBox object in micrometer units - @return A suitable iterator - - For details see the description of the \RecursiveInstanceIterator class. - This version gives an iterator delivering instances whose bounding box touches the given region. - - This variant has been added in version 0.27. - """ - def begin_shapes_rec(self, layer: int) -> RecursiveShapeIterator: + def insert(self, cell_inst_array: DCellInstArray, property_id: int) -> Instance: r""" - @brief Delivers a recursive shape iterator for the shapes below the cell on the given layer - @param layer The layer from which to get the shapes - @return A suitable iterator - - For details see the description of the \RecursiveShapeIterator class. + @brief Inserts a cell instance (array) given in micron units with properties + @return An Instance object representing the new instance + This method inserts an instance array, similar to \insert with a \CellInstArray parameter and a property set ID. But in this version, the argument is a cell instance array given in micrometer units. It is translated to database units internally. - This method has been added in version 0.23. + This variant has been introduced in version 0.25. """ @overload - def begin_shapes_rec_overlapping(self, layer: int, region: Box) -> RecursiveShapeIterator: + def insert(self, inst: Instance) -> Instance: r""" - @brief Delivers a recursive shape iterator for the shapes below the cell on the given layer using a region search - @param layer The layer from which to get the shapes - @param region The search region - @return A suitable iterator - - For details see the description of the \RecursiveShapeIterator class. - This version gives an iterator delivering shapes whose bounding box overlaps the given region. + @brief Inserts a cell instance given by another reference + @return An Instance object representing the new instance + This method allows one to copy instances taken from a reference (an \Instance object). + This method is not suited to inserting instances from other Layouts into this cell. For this purpose, the hierarchical copy methods of \Layout have to be used. - This method has been added in version 0.23. + It has been added in version 0.16. """ - @overload - def begin_shapes_rec_overlapping(self, layer: int, region: DBox) -> RecursiveShapeIterator: + def is_const_object(self) -> bool: r""" - @brief Delivers a recursive shape iterator for the shapes below the cell on the given layer using a region search, with the region given in micrometer units - @param layer The layer from which to get the shapes - @param region The search region as \DBox object in micrometer units - @return A suitable iterator - - For details see the description of the \RecursiveShapeIterator class. - This version gives an iterator delivering shapes whose bounding box overlaps the given region. - - This variant has been added in version 0.25. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def begin_shapes_rec_touching(self, layer: int, region: Box) -> RecursiveShapeIterator: + def is_empty(self) -> bool: r""" - @brief Delivers a recursive shape iterator for the shapes below the cell on the given layer using a region search - @param layer The layer from which to get the shapes - @param region The search region - @return A suitable iterator + @brief Returns a value indicating whether the cell is empty - For details see the description of the \RecursiveShapeIterator class. - This version gives an iterator delivering shapes whose bounding box touches the given region. + An empty cell is a cell not containing instances nor any shapes. - This method has been added in version 0.23. + This method has been introduced in version 0.20. """ - @overload - def begin_shapes_rec_touching(self, layer: int, region: DBox) -> RecursiveShapeIterator: + def is_ghost_cell(self) -> bool: r""" - @brief Delivers a recursive shape iterator for the shapes below the cell on the given layer using a region search, with the region given in micrometer units - @param layer The layer from which to get the shapes - @param region The search region as \DBox object in micrometer units - @return A suitable iterator + @brief Returns a value indicating whether the cell is a "ghost cell" - For details see the description of the \RecursiveShapeIterator class. - This version gives an iterator delivering shapes whose bounding box touches the given region. + The ghost cell flag is used by the GDS reader for example to indicate that + the cell is not located inside the file. Upon writing the reader can determine + whether to write the cell or not. + To satisfy the references inside the layout, a dummy cell is created in this case + which has the "ghost cell" flag set to true. - This variant has been added in version 0.25. + This method has been introduced in version 0.20. """ - def called_cells(self) -> List[int]: + def is_leaf(self) -> bool: r""" - @brief Gets a list of all called cells - - This method determines all cells which are called either directly or indirectly by the cell. - It returns an array of cell indexes. Use the 'cell' method of \Layout to retrieve the corresponding Cell object. - - This method has been introduced in version 0.19. + @brief Gets a value indicating whether the cell is a leaf cell - @return A list of cell indices. + A cell is a leaf cell if there are no child instantiations. """ - def caller_cells(self) -> List[int]: + def is_library_cell(self) -> bool: r""" - @brief Gets a list of all caller cells - - This method determines all cells which call this cell either directly or indirectly. - It returns an array of cell indexes. Use the 'cell' method of \Layout to retrieve the corresponding Cell object. - - This method has been introduced in version 0.19. + @brief Returns true, if the cell is a proxy cell pointing to a library cell + If the cell is imported from some library, this attribute returns true. + Please note, that this attribute can combine with \is_pcell? for PCells imported from + a library. - @return A list of cell indices. + This method has been introduced in version 0.22. """ - def cell_index(self) -> int: + @overload + def is_pcell_variant(self) -> bool: r""" - @brief Gets the cell index + @brief Returns true, if this cell is a pcell variant + this method returns true, if this cell represents a pcell with a distinct + set of parameters (a PCell proxy). This also is true, if the PCell is imported from a library. - @return The cell index of the cell - """ - def change_pcell_parameter(self, instance: Instance, name: str, value: Any) -> Instance: - r""" - @brief Changes a single parameter for an individual PCell instance given by name - @return The new instance (the old may be invalid) - This will set the PCell parameter named 'name' to the given value for the instance addressed by 'instance'. If no parameter with that name exists, the method will do nothing. + Technically, PCells imported from a library are library proxies which are + pointing to PCell variant proxies. This scheme can even proceed over multiple + indirections, i.e. a library using PCells from another library. - This method has been introduced in version 0.23. + This method has been introduced in version 0.22. """ @overload - def change_pcell_parameters(self, instance: Instance, parameters: Sequence[Any]) -> Instance: + def is_pcell_variant(self, instance: Instance) -> bool: r""" - @brief Changes the parameters for an individual PCell instance - @return The new instance (the old may be invalid) - If necessary, this method creates a new variant and replaces the given instance - by an instance of this variant. - - The parameters are given in the order the parameters are declared. Use \pcell_declaration on the instance to get the PCell declaration object of the cell. That PCellDeclaration object delivers the parameter declaration with it's 'get_parameters' method. - Each parameter in the variant list passed to the second list of values corresponds to one parameter declaration. - - There is a more convenient method (\change_pcell_parameter) that changes a single parameter by name. + @brief Returns true, if this instance is a PCell variant + This method returns true, if this instance represents a PCell with a distinct + set of parameters. This method also returns true, if it is a PCell imported from a library. This method has been introduced in version 0.22. """ - @overload - def change_pcell_parameters(self, instance: Instance, dict: Dict[str, Any]) -> Instance: + def is_proxy(self) -> bool: r""" - @brief Changes the given parameter for an individual PCell instance - @return The new instance (the old may be invalid) - This version receives a dictionary of names and values. It will change the parameters given by the names to the values given by the values of the dictionary. The functionality is similar to the same function with an array, but more convenient to use. - Values with unknown names are ignored. + @brief Returns true, if the cell presents some external entity + A cell may represent some data which is imported from some other source, i.e. + a library. Such cells are called "proxy cells". For a library reference, the + proxy cell is some kind of pointer to the library and the cell within the library. - This method has been introduced in version 0.24. + For PCells, this data can even be computed through some script. + A PCell proxy represents all instances with a given set of parameters. + + Proxy cells cannot be modified, except that pcell parameters can be modified + and PCell instances can be recomputed. + + This method has been introduced in version 0.22. """ - def child_cells(self) -> int: + def is_top(self) -> bool: r""" - @brief Gets the number of child cells + @brief Gets a value indicating whether the cell is a top-level cell - The number of child cells (not child instances!) is returned. - CAUTION: this method is SLOW, in particular if many instances are present. + A cell is a top-level cell if there are no parent instantiations. """ - def child_instances(self) -> int: + def is_valid(self, instance: Instance) -> bool: r""" - @brief Gets the number of child instances - - @return Returns the number of cell instances + @brief Tests if the given \Instance object is still pointing to a valid object + This method has been introduced in version 0.16. + If the instance represented by the given reference has been deleted, this method returns false. If however, another instance has been inserted already that occupies the original instances position, this method will return true again. """ @overload - def clear(self) -> None: + def layout(self) -> Layout: r""" - @brief Clears the cell (deletes shapes and instances) - This method has been introduced in version 0.23. + @brief Returns a reference to the layout where the cell resides + + this method has been introduced in version 0.22. """ @overload - def clear(self, layer_index: int) -> None: + def layout(self) -> Layout: r""" - @brief Clears the shapes on the given layer + @brief Returns a reference to the layout where the cell resides (const references) + + this method has been introduced in version 0.22. """ - def clear_insts(self) -> None: + def library(self) -> Library: r""" - @brief Clears the instance list + @brief Returns a reference to the library from which the cell is imported + if the cell is not imported from a library, this reference is nil. + + this method has been introduced in version 0.22. """ - def clear_shapes(self) -> None: + def library_cell_index(self) -> int: r""" - @brief Clears all shapes in the cell + @brief Returns the index of the cell in the layout of the library (if it's a library proxy) + Together with the \library method, it is possible to locate the source cell of + a library proxy. The source cell can be retrieved from a cell "c" with + + @code + c.library.layout.cell(c.library_cell_index) + @/code + + This cell may be itself a proxy, + i.e. for pcell libraries, where the library cells are pcell variants which itself + are proxies to a pcell. + + This method has been introduced in version 0.22. """ @overload - def copy(self, src: int, dest: int) -> None: + def move(self, src: int, dest: int) -> None: r""" - @brief Copies the shapes from the source to the target layer + @brief Moves the shapes from the source to the target layer The destination layer is not overwritten. Instead, the shapes are added to the shapes of the destination layer. - If source are target layer are identical, this method does nothing. - This method will copy shapes within the cell. To copy shapes from another cell to this cell, use the copy method with the cell parameter. + This method will move shapes within the cell. To move shapes from another cell to this cell, use the copy method with the cell parameter. This method has been introduced in version 0.19. @@ -1763,37 +1755,37 @@ class Cell: @param dest The layer index of the destination layer """ @overload - def copy(self, src_cell: Cell, src_layer: int, dest: int) -> None: + def move(self, src_cell: Cell, src_layer: int, dest: int) -> None: r""" - @brief Copies shapes from another cell to the target layer in this cell + @brief Moves shapes from another cell to the target layer in this cell - This method will copy all shapes on layer 'src_layer' of cell 'src_cell' to the layer 'dest' of this cell. + This method will move all shapes on layer 'src_layer' of cell 'src_cell' to the layer 'dest' of this cell. The destination layer is not overwritten. Instead, the shapes are added to the shapes of the destination layer. If the source cell lives in a layout with a different database unit than that current cell is in, the shapes will be transformed accordingly. The same way, shape properties are transformed as well. Note that the shape transformation may require rounding to smaller coordinates. This may result in a slight distortion of the original shapes, in particular when transforming into a layout with a bigger database unit. @param src_cell The cell where to take the shapes from @param src_layer The layer index of the layer from which to take the shapes @param dest The layer index of the destination layer """ - def copy_instances(self, source_cell: Cell) -> None: + def move_instances(self, source_cell: Cell) -> None: r""" - @brief Copies the instances of child cells in the source cell to this cell - @param source_cell The cell where the instances are copied from - The source cell must reside in the same layout than this cell. The instances of child cells inside the source cell are copied to this cell. No new cells are created, just new instances are created to already existing cells in the target cell. + @brief Moves the instances of child cells in the source cell to this cell + @param source_cell The cell where the instances are moved from + The source cell must reside in the same layout than this cell. The instances of child cells inside the source cell are moved to this cell. No new cells are created, just new instances are created to already existing cells in the target cell. The instances will be added to any existing instances in the cell. - More elaborate methods of copying hierarchy trees between layouts or duplicating trees are provided through the \copy_tree_shapes (in cooperation with the \CellMapping class) or \copy_tree methods. + More elaborate methods of moving hierarchy trees between layouts are provided through the \move_tree_shapes (in cooperation with the \CellMapping class) or \move_tree methods. This method has been added in version 0.23. """ @overload - def copy_shapes(self, source_cell: Cell) -> None: + def move_shapes(self, source_cell: Cell) -> None: r""" - @brief Copies the shapes from the given cell into this cell - @param source_cell The cell from where to copy shapes - All shapes are copied from the source cell to this cell. Instances are not copied. + @brief Moves the shapes from the given cell into this cell + @param source_cell The cell from where to move shapes + All shapes are moved from the source cell to this cell. Instances are not moved. - The source cell can reside in a different layout. In this case, the shapes are copied over from the other layout into this layout. Database unit conversion is done automatically if the database units differ between the layouts. Note that this may lead to grid snapping effects if the database unit of the target layout is not an integer fraction of the source layout. + The source cell can reside in a different layout. In this case, the shapes are moved over from the other layout into this layout. Database unit conversion is done automatically if the database units differ between the layouts. Note that this may lead to grid snapping effects if the database unit of the target layout is not an integer fraction of the source layout. If source and target layout are different, the layers of the source and target layout are identified by their layer/datatype number or name (if no layer/datatype is present). The shapes will be added to any shapes already in the cell. @@ -1801,1478 +1793,1225 @@ class Cell: This method has been added in version 0.23. """ @overload - def copy_shapes(self, source_cell: Cell, layer_mapping: LayerMapping) -> None: + def move_shapes(self, source_cell: Cell, layer_mapping: LayerMapping) -> None: r""" - @brief Copies the shapes from the given cell into this cell - @param source_cell The cell from where to copy shapes - @param layer_mapping A \LayerMapping object that specifies which layers are copied and where - All shapes on layers specified in the layer mapping object are copied from the source cell to this cell. Instances are not copied. + @brief Moves the shapes from the given cell into this cell + @param source_cell The cell from where to move shapes + @param layer_mapping A \LayerMapping object that specifies which layers are moved and where + All shapes on layers specified in the layer mapping object are moved from the source cell to this cell. Instances are not moved. The target layer is taken from the mapping table. The shapes will be added to any shapes already in the cell. This method has been added in version 0.23. """ - def copy_tree(self, source_cell: Cell) -> List[int]: + def move_tree(self, source_cell: Cell) -> List[int]: r""" - @brief Copies the cell tree of the given cell into this cell - @param source_cell The cell from where to copy the cell tree + @brief Moves the cell tree of the given cell into this cell + @param source_cell The cell from where to move the cell tree @return A list of indexes of newly created cells - The complete cell tree of the source cell is copied to the target cell plus all shapes in that tree are copied as well. This method will basically duplicate the cell tree of the source cell. + The complete cell tree of the source cell is moved to the target cell plus all shapes in that tree are moved as well. This method will basically rebuild the cell tree of the source cell and empty the source cell. - The source cell may reside in a separate layout. This method therefore provides a way to copy over complete cell trees from one layout to another. + The source cell may reside in a separate layout. This method therefore provides a way to move over complete cell trees from one layout to another. The shapes and instances will be added to any shapes or instances already in the cell. This method has been added in version 0.23. """ @overload - def copy_tree_shapes(self, source_cell: Cell, cell_mapping: CellMapping) -> None: + def move_tree_shapes(self, source_cell: Cell, cell_mapping: CellMapping) -> None: r""" - @brief Copies the shapes from the given cell and the cell tree below into this cell or subcells of this cell - @param source_cell The starting cell from where to copy shapes + @brief Moves the shapes from the given cell and the cell tree below into this cell or subcells of this cell + @param source_cell The starting cell from where to move shapes @param cell_mapping The cell mapping object that determines how cells are identified between source and target layout - This method is provided if source and target cell reside in different layouts. If will copy the shapes from all cells below the given source cell, but use a cell mapping object that provides a specification how cells are identified between the layouts. Cells in the source tree, for which no mapping is provided, will be flattened - their shapes will be propagated into parent cells for which a mapping is provided. + This method is provided if source and target cell reside in different layouts. If will move the shapes from all cells below the given source cell, but use a cell mapping object that provides a specification how cells are identified between the layouts. Cells in the source tree, for which no mapping is provided, will be flattened - their shapes will be propagated into parent cells for which a mapping is provided. The cell mapping object provides various methods to map cell trees between layouts. See the \CellMapping class for details about the mapping methods available. The cell mapping object is also responsible for creating a proper hierarchy of cells in the target layout if that is required. Layers are identified between the layouts by the layer/datatype number of name if no layer/datatype number is present. - The shapes copied will be added to any shapes already in the cells. + The shapes moved will be added to any shapes already in the cells. This method has been added in version 0.23. """ @overload - def copy_tree_shapes(self, source_cell: Cell, cell_mapping: CellMapping, layer_mapping: LayerMapping) -> None: + def move_tree_shapes(self, source_cell: Cell, cell_mapping: CellMapping, layer_mapping: LayerMapping) -> None: r""" - @brief Copies the shapes from the given cell and the cell tree below into this cell or subcells of this cell with layer mapping - @param source_cell The cell from where to copy shapes and instances + @brief Moves the shapes from the given cell and the cell tree below into this cell or subcells of this cell with layer mapping + @param source_cell The cell from where to move shapes and instances @param cell_mapping The cell mapping object that determines how cells are identified between source and target layout - This method is provided if source and target cell reside in different layouts. If will copy the shapes from all cells below the given source cell, but use a cell mapping object that provides a specification how cells are identified between the layouts. Cells in the source tree, for which no mapping is provided, will be flattened - their shapes will be propagated into parent cells for which a mapping is provided. + This method is provided if source and target cell reside in different layouts. If will move the shapes from all cells below the given source cell, but use a cell mapping object that provides a specification how cells are identified between the layouts. Cells in the source tree, for which no mapping is provided, will be flattened - their shapes will be propagated into parent cells for which a mapping is provided. The cell mapping object provides various methods to map cell trees between layouts. See the \CellMapping class for details about the mapping methods available. The cell mapping object is also responsible for creating a proper hierarchy of cells in the target layout if that is required. - In addition, the layer mapping object can be specified which maps source to target layers. This feature can be used to restrict the copy operation to a subset of layers or to convert shapes to different layers in that step. + In addition, the layer mapping object can be specified which maps source to target layers. This feature can be used to restrict the move operation to a subset of layers or to convert shapes to different layers in that step. - The shapes copied will be added to any shapes already in the cells. + The shapes moved will be added to any shapes already in the cells. This method has been added in version 0.23. """ - def create(self) -> None: + def parent_cells(self) -> int: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Gets the number of parent cells + + The number of parent cells (cells which reference our cell) is reported. """ @overload - def dbbox(self) -> DBox: + def pcell_declaration(self) -> PCellDeclaration_Native: r""" - @brief Gets the bounding box of the cell in micrometer units - - @return The bounding box of the cell - - The bounding box is computed over all layers. To compute the bounding box over single layers, use \dbbox with a layer index argument. + @brief Returns a reference to the PCell declaration + If this cell is not a PCell variant, this method returns nil. + PCell variants are proxy cells which are PCell incarnations for a specific parameter set. + The \PCellDeclaration object allows one to retrieve PCell parameter definitions for example. - This method has been introduced in version 0.25. + This method has been introduced in version 0.22. """ @overload - def dbbox(self, layer_index: int) -> DBox: + def pcell_declaration(self, instance: Instance) -> PCellDeclaration_Native: r""" - @brief Gets the per-layer bounding box of the cell in micrometer units - - @return The bounding box of the cell considering only the given layer - - The bounding box is the box enclosing all shapes on the given layer. + @brief Returns the PCell declaration of a pcell instance + If the instance is not a PCell instance, this method returns nil. + The \PCellDeclaration object allows one to retrieve PCell parameter definitions for example. - This method has been introduced in version 0.25. 'dbbox' is the preferred synonym since version 0.28. + This method has been introduced in version 0.22. """ - def dbbox_per_layer(self, layer_index: int) -> DBox: + def pcell_id(self) -> int: r""" - @brief Gets the per-layer bounding box of the cell in micrometer units - - @return The bounding box of the cell considering only the given layer + @brief Returns the PCell ID if the cell is a pcell variant + This method returns the ID which uniquely identifies the PCell within the + layout where it's declared. It can be used to retrieve the PCell declaration + or to create new PCell variants. - The bounding box is the box enclosing all shapes on the given layer. + The method will be rarely used. It's more convenient to use \pcell_declaration to directly retrieve the PCellDeclaration object for example. - This method has been introduced in version 0.25. 'dbbox' is the preferred synonym since version 0.28. + This method has been introduced in version 0.22. """ - def delete(self) -> None: + def pcell_library(self) -> Library: r""" - @brief Deletes this cell - - This deletes the cell but not the sub cells of the cell. - These subcells will likely become new top cells unless they are used - otherwise. - All instances of this cell are deleted as well. - Hint: to delete multiple cells, use "delete_cells" which is - far more efficient in this case. - - After the cell has been deleted, the Cell object becomes invalid. Do not access methods or attributes of this object after deleting the cell. + @brief Returns the library where the PCell is declared if this cell is a PCell and it is not defined locally. + A PCell often is not declared within the current layout but in some library. + This method returns a reference to that library, which technically is the last of the + chained library proxies. If this cell is not a PCell or it is not located in a + library, this method returns nil. - This method has been introduced in version 0.23. + This method has been introduced in version 0.22. """ - def delete_property(self, key: Any) -> None: + @overload + def pcell_parameter(self, instance: Instance, name: str) -> Any: r""" - @brief Deletes the user property with the given key - This method is a convenience method that deletes the property with the given key. It does nothing if no property with that key exists. Using that method is more convenient than creating a new property set with a new ID and assigning that properties ID. - This method may change the properties ID. + @brief Returns a PCell parameter by name for a pcell instance - This method has been introduced in version 0.23. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + If the given instance is a PCell instance, this method returns the value of the PCell parameter with the given name. + If the instance is not a PCell instance or the name is not a valid PCell parameter name, this + method returns nil. + + This method has been introduced in version 0.25. """ - def destroyed(self) -> bool: + @overload + def pcell_parameter(self, name: str) -> Any: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Gets a PCell parameter by name if the cell is a PCell variant + If the cell is a PCell variant, this method returns the parameter with the given name. + If the cell is not a PCell variant or the name is not a valid PCell parameter name, the return value is nil. + + This method has been introduced in version 0.25. """ - def display_title(self) -> str: + @overload + def pcell_parameters(self) -> List[Any]: r""" - @brief Returns a nice looking name for display purposes - - For example, this name include PCell parameters for PCell proxy cells. + @brief Returns the PCell parameters for a pcell variant + If the cell is a PCell variant, this method returns a list of + values for the PCell parameters. If the cell is not a PCell variant, this + method returns an empty list. This method also returns the PCell parameters if + the cell is a PCell imported from a library. This method has been introduced in version 0.22. """ - def dump_mem_statistics(self, detailed: Optional[bool] = ...) -> None: + @overload + def pcell_parameters(self, instance: Instance) -> List[Any]: r""" - @hide + @brief Returns the PCell parameters for a pcell instance + If the given instance is a PCell instance, this method returns a list of + values for the PCell parameters. If the instance is not a PCell instance, this + method returns an empty list. + + This method has been introduced in version 0.22. """ - def dup(self) -> Cell: + @overload + def pcell_parameters_by_name(self) -> Dict[str, Any]: r""" - @brief Creates a copy of the cell - - This method will create a copy of the cell. The new cell will be member of the same layout the original cell was member of. The copy will inherit all shapes and instances, but get a different cell_index and a modified name as duplicate cell names are not allowed in the same layout. + @brief Returns the PCell parameters for a pcell variant as a name to value dictionary + If the cell is a PCell variant, this method returns a dictionary of + values for the PCell parameters with the parameter names as the keys. If the cell is not a PCell variant, this + method returns an empty dictionary. This method also returns the PCell parameters if + the cell is a PCell imported from a library. - This method has been introduced in version 0.27. + This method has been introduced in version 0.24. """ - def each_child_cell(self) -> Iterator[int]: + @overload + def pcell_parameters_by_name(self, instance: Instance) -> Dict[str, Any]: r""" - @brief Iterates over all child cells + @brief Returns the PCell parameters for a pcell instance as a name to value dictionary + If the given instance is a PCell instance, this method returns a dictionary of + values for the PCell parameters with the parameter names as the keys. If the instance is not a PCell instance, this + method returns an empty dictionary. - This iterator will report the child cell indices, not every instance. + This method has been introduced in version 0.24. """ - def each_inst(self) -> Iterator[Instance]: + def property(self, key: Any) -> Any: r""" - @brief Iterates over all child instances (which may actually be instance arrays) - - Starting with version 0.15, this iterator delivers \Instance objects rather than \CellInstArray objects. + @brief Gets the user property with the given key + This method is a convenience method that gets the property with the given key. If no property with that key exists, it will return nil. Using that method is more convenient than using the layout object and the properties ID to retrieve the property value. + This method has been introduced in version 0.23. """ @overload - def each_overlapping_inst(self, b: Box) -> Iterator[Instance]: + def prune_cell(self) -> None: r""" - @brief Gets the instances overlapping the given rectangle + @brief Deletes the cell plus subcells not used otherwise - This will iterate over all child cell - instances overlapping with the given rectangle b. + This deletes the cell and also all sub cells of the cell which are not used otherwise. + All instances of this cell are deleted as well. + A version of this method exists which allows one to specify the number of hierarchy levels to which subcells are considered. - @param b The region to iterate over + After the cell has been deleted, the Cell object becomes invalid. Do not access methods or attributes of this object after deleting the cell. - Starting with version 0.15, this iterator delivers \Instance objects rather than \CellInstArray objects. + This method has been introduced in version 0.23. """ @overload - def each_overlapping_inst(self, b: DBox) -> Iterator[Instance]: + def prune_cell(self, levels: int) -> None: r""" - @brief Gets the instances overlapping the given rectangle, with the rectangle in micrometer units - - This will iterate over all child cell - instances overlapping with the given rectangle b. This method is identical to the \each_overlapping_inst version that takes a \Box object, but instead of taking database unit coordinates in will take a micrometer unit \DBox object. + @brief Deletes the cell plus subcells not used otherwise - @param b The region to iterate over + This deletes the cell and also all sub cells of the cell which are not used otherwise. + The number of hierarchy levels to consider can be specified as well. One level of hierarchy means that only the direct children of the cell are deleted with the cell itself. + All instances of this cell are deleted as well. - This variant has been introduced in version 0.25. - """ - @overload - def each_overlapping_shape(self, layer_index: int, box: Box) -> Iterator[Shape]: - r""" - @brief Iterates over all shapes of a given layer that overlap the given box + After the cell has been deleted, the Cell object becomes invalid. Do not access methods or attributes of this object after deleting the cell. - @param box The box by which to query the shapes - @param layer_index The layer on which to run the query + @param levels The number of hierarchy levels to consider (-1: all, 0: none, 1: one level etc.) - This call is equivalent to each_overlapping_shape(layer_index,box,RBA::Shapes::SAll). - This convenience method has been introduced in version 0.16. + This method has been introduced in version 0.23. """ @overload - def each_overlapping_shape(self, layer_index: int, box: DBox) -> Iterator[Shape]: + def prune_subcells(self) -> None: r""" - @brief Iterates over all shapes of a given layer that overlap the given box, with the box given in micrometer units + @brief Deletes all sub cells of the cell which are not used otherwise - @param box The box by which to query the shapes as a \DBox object in micrometer units - @param layer_index The layer on which to run the query + This deletes all sub cells of the cell which are not used otherwise. + All instances of the deleted cells are deleted as well. + A version of this method exists which allows one to specify the number of hierarchy levels to which subcells are considered. - This call is equivalent to each_overlapping_shape(layer_index,box,RBA::Shapes::SAll). - This convenience method has been introduced in version 0.16. + This method has been introduced in version 0.23. """ @overload - def each_overlapping_shape(self, layer_index: int, box: Box, flags: int) -> Iterator[Shape]: + def prune_subcells(self, levels: int) -> None: r""" - @brief Iterates over all shapes of a given layer that overlap the given box + @brief Deletes all sub cells of the cell which are not used otherwise down to the specified level of hierarchy - @param flags An "or"-ed combination of the S.. constants of the \Shapes class - @param box The box by which to query the shapes - @param layer_index The layer on which to run the query - """ - @overload - def each_overlapping_shape(self, layer_index: int, box: DBox, flags: int) -> Iterator[Shape]: - r""" - @brief Iterates over all shapes of a given layer that overlap the given box, with the box given in micrometer units + This deletes all sub cells of the cell which are not used otherwise. + All instances of the deleted cells are deleted as well. + It is possible to specify how many levels of hierarchy below the given root cell are considered. - @param flags An "or"-ed combination of the S.. constants of the \Shapes class - @param box The box by which to query the shapes as a \DBox object in micrometer units - @param layer_index The layer on which to run the query - """ - def each_parent_cell(self) -> Iterator[int]: - r""" - @brief Iterates over all parent cells + @param levels The number of hierarchy levels to consider (-1: all, 0: none, 1: one level etc.) - This iterator will iterate over the parent cells, just returning their - cell index. + This method has been introduced in version 0.23. """ - def each_parent_inst(self) -> Iterator[ParentInstArray]: + def qname(self) -> str: r""" - @brief Iterates over the parent instance list (which may actually be instance arrays) + @brief Returns the library-qualified name - The parent instances are basically inversions of the instances. Using parent instances it is possible to determine how a specific cell is called from where. + Library cells will be indicated by returning a qualified name composed of the library name, a dot and the basic cell name. For example: "Basic.TEXT" will be the qname of the TEXT cell of the Basic library. For non-library cells, the qname is identical to the basic name (see \name). + + This method has been introduced in version 0.25. """ @overload - def each_shape(self, layer_index: int) -> Iterator[Shape]: + def read(self, file_name: str) -> List[int]: r""" - @brief Iterates over all shapes of a given layer - - @param layer_index The layer on which to run the query + @brief Reads a layout file into this cell + This version uses the default options for reading the file. - This call is equivalent to each_shape(layer_index,RBA::Shapes::SAll). - This convenience method has been introduced in version 0.16. + This method has been introduced in version 0.28. """ @overload - def each_shape(self, layer_index: int, flags: int) -> Iterator[Shape]: + def read(self, file_name: str, options: LoadLayoutOptions) -> List[int]: r""" - @brief Iterates over all shapes of a given layer + @brief Reads a layout file into this cell - @param flags An "or"-ed combination of the S.. constants of the \Shapes class - @param layer_index The layer on which to run the query + @param file_name The path of the file to read + @param options The reader options to use + @return The indexes of the cells created during the reading (new child cells) - This iterator is equivalent to 'shapes(layer).each'. - """ - @overload - def each_touching_inst(self, b: Box) -> Iterator[Instance]: - r""" - @brief Gets the instances touching the given rectangle + The format of the file will be determined from the file name. The layout will be read into the cell, potentially creating new layers and a subhierarchy of cells below this cell. - This will iterate over all child cell - instances overlapping with the given rectangle b. + This feature is equivalent to the following code: - @param b The region to iterate over + @code + def Cell.read(file_name, options) + layout = RBA::Layout::new + layout.read(file_name, options) + cm = RBA::CellMapping::new + cm.for_single_cell_full(self, layout.top_cell) + self.move_tree_shapes(layout.top_cell) + end + @/code - Starting with version 0.15, this iterator delivers \Instance objects rather than \CellInstArray objects. + See \move_tree_shapes and \CellMapping for more details and how to implement more elaborate schemes. + + This method has been introduced in version 0.28. """ - @overload - def each_touching_inst(self, b: DBox) -> Iterator[Instance]: + def refresh(self) -> None: r""" - @brief Gets the instances touching the given rectangle, with the rectangle in micrometer units + @brief Refreshes a proxy cell - This will iterate over all child cell - instances touching the given rectangle b. This method is identical to the \each_touching_inst version that takes a \Box object, but instead of taking database unit coordinates in will take a micrometer unit \DBox object. + If the cell is a PCell variant, this method recomputes the PCell. + If the cell is a library proxy, this method reloads the information from the library, but not the library itself. + Note that if the cell is an PCell variant for a PCell coming from a library, this method will not recompute the PCell. Instead, you can use \Library#refresh to recompute all PCells from that library. - @param b The region to iterate over + You can use \Layout#refresh to refresh all cells from a layout. - This variant has been introduced in version 0.25. + This method has been introduced in version 0.22. """ @overload - def each_touching_shape(self, layer_index: int, box: Box) -> Iterator[Shape]: + def replace(self, instance: Instance, cell_inst_array: CellInstArray) -> Instance: r""" - @brief Iterates over all shapes of a given layer that touch the given box - - @param box The box by which to query the shapes - @param layer_index The layer on which to run the query - - This call is equivalent to each_touching_shape(layer_index,box,RBA::Shapes::SAll). - This convenience method has been introduced in version 0.16. + @brief Replaces a cell instance (array) with a different one + @return An \Instance object representing the new instance + This method has been introduced in version 0.16. It can only be used in editable mode. + The instance given by the instance object (first argument) is replaced by the given instance (second argument). The new object will not have any properties. """ @overload - def each_touching_shape(self, layer_index: int, box: DBox) -> Iterator[Shape]: + def replace(self, instance: Instance, cell_inst_array: CellInstArray, property_id: int) -> Instance: r""" - @brief Iterates over all shapes of a given layer that touch the given box, with the box given in micrometer units - - @param box The box by which to query the shapes as a \DBox object in micrometer units - @param layer_index The layer on which to run the query - - This call is equivalent to each_touching_shape(layer_index,box,RBA::Shapes::SAll). - This convenience method has been introduced in version 0.16. + @brief Replaces a cell instance (array) with a different one with properties + @return An \Instance object representing the new instance + This method has been introduced in version 0.16. It can only be used in editable mode. + The instance given by the instance object (first argument) is replaced by the given instance (second argument) with the given properties Id. + The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. + The new object will not have any properties. """ @overload - def each_touching_shape(self, layer_index: int, box: Box, flags: int) -> Iterator[Shape]: + def replace(self, instance: Instance, cell_inst_array: DCellInstArray) -> Instance: r""" - @brief Iterates over all shapes of a given layer that touch the given box + @brief Replaces a cell instance (array) with a different one, given in micrometer units + @return An \Instance object representing the new instance + This method is identical to the corresponding \replace variant with a \CellInstArray argument. It however accepts a micrometer-unit \DCellInstArray object which is translated to database units internally. - @param flags An "or"-ed combination of the S.. constants of the \Shapes class - @param box The box by which to query the shapes - @param layer_index The layer on which to run the query + This variant has been introduced in version 0.25. """ @overload - def each_touching_shape(self, layer_index: int, box: DBox, flags: int) -> Iterator[Shape]: + def replace(self, instance: Instance, cell_inst_array: DCellInstArray, property_id: int) -> Instance: r""" - @brief Iterates over all shapes of a given layer that touch the given box, with the box given in micrometer units + @brief Replaces a cell instance (array) with a different one and new properties, where the cell instance is given in micrometer units + @return An \Instance object representing the new instance + This method is identical to the corresponding \replace variant with a \CellInstArray argument and a property ID. It however accepts a micrometer-unit \DCellInstArray object which is translated to database units internally. - @param flags An "or"-ed combination of the S.. constants of the \Shapes class - @param box The box by which to query the shapes as a \DBox object in micrometer units - @param layer_index The layer on which to run the query + This variant has been introduced in version 0.25. """ - def erase(self, inst: Instance) -> None: + def replace_prop_id(self, instance: Instance, property_id: int) -> Instance: r""" - @brief Erases the instance given by the Instance object - + @brief Replaces (or install) the properties of a cell + @return An Instance object representing the new instance This method has been introduced in version 0.16. It can only be used in editable mode. + Changes the properties Id of the given instance or install a properties Id on that instance if it does not have one yet. + The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. + """ + def set_property(self, key: Any, value: Any) -> None: + r""" + @brief Sets the user property with the given key to the given value + This method is a convenience method that sets the property with the given key to the given value. If no property with that key exists, it will create one. Using that method is more convenient than creating a new property set with a new ID and assigning that properties ID. + This method may change the properties ID. Note: GDS only supports integer keys. OASIS supports numeric and string keys. + This method has been introduced in version 0.23. """ @overload - def fill_region(self, region: Region, fill_cell_index: int, fc_box: Box, origin: Optional[Point] = ..., remaining_parts: Optional[Region] = ..., fill_margin: Optional[Vector] = ..., remaining_polygons: Optional[Region] = ..., glue_box: Optional[Box] = ...) -> None: + def shapes(self, layer_index: int) -> Shapes: r""" - @brief Fills the given region with cells of the given type (extended version) - @param region The region to fill - @param fill_cell_index The fill cell to place - @param fc_box The fill cell's footprint - @param origin The global origin of the fill pattern or nil to allow local (per-polygon) optimization - @param remaining_parts See explanation below - @param fill_margin See explanation below - @param remaining_polygons See explanation below - @param glue_box Guarantees fill cell compatibility to neighbor regions in enhanced mode - - This method creates a regular pattern of fill cells to cover the interior of the given region as far as possible. This process is also known as tiling. This implementation supports rectangular (not necessarily square) tile cells. The tile cell's footprint is given by the fc_box parameter and the cells will be arranged with their footprints forming a seamless array. - - The algorithm supports a global fill raster as well as local (per-polygon) origin optimization. In the latter case the origin of the regular raster is optimized per individual polygon of the fill region. To enable optimization, pass 'nil' to the 'origin' argument. - - The implementation will basically try to find a repetition pattern of the tile cell's footprint and produce instances which fit entirely into the fill region. - - There is also a version available which offers skew step vectors as a generalization of the orthogonal ones. - - If the 'remaining_parts' argument is non-nil, the corresponding region will receive the parts of the polygons which are not covered by tiles. Basically the tiles are subtracted from the original polygons. A margin can be specified which is applied separately in x and y direction before the subtraction is done ('fill_margin' parameter). + @brief Returns the shapes list of the given layer - If the 'remaining_polygons' argument is non-nil, the corresponding region will receive all polygons from the input region which could not be filled and where there is no chance of filling because not a single tile will fit into them. + This method gives access to the shapes list on a certain layer. + If the layer does not exist yet, it is created. - 'remaining_parts' and 'remaining_polygons' can be identical with the input. In that case the input will be overwritten with the respective output. Otherwise, the respective polygons are added to these regions. + @param index The layer index of the shapes list to retrieve - This allows setting up a more elaborate fill scheme using multiple iterations and local origin-optimization ('origin' is nil): + @return A reference to the shapes list + """ + @overload + def shapes(self, layer_index: int) -> Shapes: + r""" + @brief Returns the shapes list of the given layer (const version) - @code - r = ... # region to fill - c = ... # cell in which to produce the fill cells - fc_index = ... # fill cell index - fc_box = ... # fill cell footprint + This method gives access to the shapes list on a certain layer. This is the const version - only const (reading) methods can be called on the returned object. - fill_margin = RBA::Point::new(0, 0) # x/y distance between tile cells with different origin + @param index The layer index of the shapes list to retrieve - # Iteration: fill a region and fill the remaining parts as long as there is anything left. - # Polygons not worth being considered further are dropped (last argument is nil). - while !r.is_empty? - c.fill_region(r, fc_index, fc_box, nil, r, fill_margin, nil) - end - @/code + @return A reference to the shapes list - The glue box parameter supports fill cell array compatibility with neighboring regions. This is specifically useful when putting the fill_cell method into a tiling processor. Fill cell array compatibility means that the fill cell array continues over tile boundaries. This is easy with an origin: you can chose the origin identically over all tiles which is sufficient to guarantee fill cell array compatibility across the tiles. However there is no freedom of choice of the origin then and fill cell placement may not be optimal. To enable the origin for the tile boundary only, a glue box can given. The origin will then be used only when the polygons to fill not entirely inside and not at the border of the glue box. Hence, while a certain degree of freedom is present for the placement of fill cells inside the glue box, the fill cells are guaranteed to be placed at the raster implied by origin at the glue box border and beyond. To ensure fill cell compatibility inside the tiling processor, it is sufficient to use the tile box as the glue box. + This variant has been introduced in version 0.26.4. + """ + def swap(self, layer_index1: int, layer_index2: int) -> None: + r""" + @brief Swaps the layers given - This method has been introduced in version 0.23 and enhanced in version 0.27. + This method swaps two layers inside this cell. """ @overload - def fill_region(self, region: Region, fill_cell_index: int, fc_bbox: Box, row_step: Vector, column_step: Vector, origin: Optional[Point] = ..., remaining_parts: Optional[Region] = ..., fill_margin: Optional[Vector] = ..., remaining_polygons: Optional[Region] = ..., glue_box: Optional[Box] = ...) -> None: + def transform(self, instance: Instance, trans: DCplxTrans) -> Instance: r""" - @brief Fills the given region with cells of the given type (skew step version) - @param region The region to fill - @param fill_cell_index The fill cell to place - @param fc_bbox The fill cell's box to place - @param row_step The 'rows' step vector - @param column_step The 'columns' step vector - @param origin The global origin of the fill pattern or nil to allow local (per-polygon) optimization - @param remaining_parts See explanation in other version - @param fill_margin See explanation in other version - @param remaining_polygons See explanation in other version - - This version is similar to the version providing an orthogonal fill, but it offers more generic stepping of the fill cell. - The step pattern is defined by an origin and two vectors (row_step and column_step) which span the axes of the fill cell pattern. - - The fill box and the step vectors are decoupled which means the fill box can be larger or smaller than the step pitch - it can be overlapping and there can be space between the fill box instances. Fill boxes are placed where they fit entirely into a polygon of the region. The fill boxes lower left corner is the reference for the fill pattern and aligns with the origin if given. + @brief Transforms the instance with the given complex floating-point transformation given in micrometer units + @return A reference (an \Instance object) to the new instance + This method is identical to the corresponding \transform method with a \ICplxTrans argument. For this variant however, the transformation is given in micrometer units and is translated to database units internally. - This variant has been introduced in version 0.27. + This variant has been introduced in version 0.25. """ - def fill_region_multi(self, region: Region, fill_cell_index: int, fc_bbox: Box, row_step: Vector, column_step: Vector, fill_margin: Optional[Vector] = ..., remaining_polygons: Optional[Region] = ..., glue_box: Optional[Box] = ...) -> None: + @overload + def transform(self, instance: Instance, trans: DTrans) -> Instance: r""" - @brief Fills the given region with cells of the given type in enhanced mode with iterations - This version operates like \fill_region, but repeats the fill generation until no further fill cells can be placed. As the fill pattern origin changes between the iterations, narrow regions can be filled which cannot with a fixed fill pattern origin. The \fill_margin parameter is important as it controls the distance between fill cells with a different origin and therefore introduces a safety distance between pitch-incompatible arrays. - - The origin is ignored unless a glue box is given. See \fill_region for a description of this concept. + @brief Transforms the instance with the transformation given in micrometer units + @return A reference (an \Instance object) to the new instance + This method is identical to the corresponding \transform method with a \Trans argument. For this variant however, the transformation is given in micrometer units and is translated to database units internally. - This method has been introduced in version 0.27. + This variant has been introduced in version 0.25. """ @overload - def flatten(self, prune: bool) -> None: + def transform(self, instance: Instance, trans: ICplxTrans) -> Instance: r""" - @brief Flattens the given cell - - This method propagates all shapes from the hierarchy below into the given cell. - It also removes the instances of the cells from which the shapes came from, but does not remove the cells themselves if prune is set to false. - If prune is set to true, these cells are removed if not used otherwise. - - A version of this method exists which allows one to specify the number of hierarchy levels to which subcells are considered. - - @param prune Set to true to remove orphan cells. - + @brief Transforms the instance with the given complex integer transformation + @return A reference (an \Instance object) to the new instance This method has been introduced in version 0.23. + The original instance may be deleted and re-inserted by this method. Therefore, a new reference is returned. + It is permitted in editable mode only. """ @overload - def flatten(self, levels: int, prune: bool) -> None: + def transform(self, instance: Instance, trans: Trans) -> Instance: r""" - @brief Flattens the given cell - - This method propagates all shapes from the specified number of hierarchy levels below into the given cell. - It also removes the instances of the cells from which the shapes came from, but does not remove the cells themselves if prune is set to false. - If prune is set to true, these cells are removed if not used otherwise. - - @param levels The number of hierarchy levels to flatten (-1: all, 0: none, 1: one level etc.) - @param prune Set to true to remove orphan cells. - - This method has been introduced in version 0.23. + @brief Transforms the instance with the given transformation + @return A reference (an \Instance object) to the new instance + This method has been introduced in version 0.16. + The original instance may be deleted and re-inserted by this method. Therefore, a new reference is returned. + It is permitted in editable mode only. """ - def has_prop_id(self) -> bool: + @overload + def transform(self, trans: DCplxTrans) -> None: r""" - @brief Returns true, if the cell has user properties + @brief Transforms the cell by the given, micrometer-unit transformation - This method has been introduced in version 0.23. + This method transforms all instances and all shapes by the given transformation. There is a variant called \transform_into which applies the transformation to instances in a way such that it can be applied recursively to the child cells. The difference is important in the presence of magnifications: "transform" will leave magnified instances while "transform_into" will not do so but expect the magnification to be applied inside the called cells too. + + This method has been introduced in version 0.26.7. """ - def hierarchy_levels(self) -> int: + @overload + def transform(self, trans: DTrans) -> None: r""" - @brief Returns the number of hierarchy levels below + @brief Transforms the cell by the given, micrometer-unit transformation - This method returns the number of call levels below the current cell. If there are no child cells, this method will return 0, if there are only direct children, it will return 1. + This method transforms all instances and all shapes by the given transformation. There is a variant called \transform_into which applies the transformation to instances in a way such that it can be applied recursively to the child cells. - CAUTION: this method may be expensive! + This method has been introduced in version 0.26.7. """ @overload - def insert(self, cell_inst_array: CellInstArray) -> Instance: - r""" - @brief Inserts a cell instance (array) - @return An Instance object representing the new instance - With version 0.16, this method returns an Instance object that represents the new instance. - It's use is discouraged in readonly mode, since it invalidates other Instance references. - """ - @overload - def insert(self, cell_inst_array: DCellInstArray) -> Instance: + def transform(self, trans: ICplxTrans) -> None: r""" - @brief Inserts a cell instance (array) given in micron units - @return An Instance object representing the new instance - This method inserts an instance array, similar to \insert with a \CellInstArray parameter. But in this version, the argument is a cell instance array given in micrometer units. It is translated to database units internally. + @brief Transforms the cell by the given complex integer transformation - This variant has been introduced in version 0.25. + This method transforms all instances and all shapes by the given transformation. There is a variant called \transform_into which applies the transformation to instances in a way such that it can be applied recursively to the child cells. The difference is important in the presence of magnifications: "transform" will leave magnified instances while "transform_into" will not do so but expect the magnification to be applied inside the called cells too. + + This method has been introduced in version 0.26.7. """ @overload - def insert(self, inst: Instance) -> Instance: + def transform(self, trans: Trans) -> None: r""" - @brief Inserts a cell instance given by another reference - @return An Instance object representing the new instance - This method allows one to copy instances taken from a reference (an \Instance object). - This method is not suited to inserting instances from other Layouts into this cell. For this purpose, the hierarchical copy methods of \Layout have to be used. + @brief Transforms the cell by the given integer transformation - It has been added in version 0.16. + This method transforms all instances and all shapes by the given transformation. There is a variant called \transform_into which applies the transformation to instances in a way such that it can be applied recursively to the child cells. + + This method has been introduced in version 0.26.7. """ @overload - def insert(self, cell_inst_array: CellInstArray, property_id: int) -> Instance: + def transform_into(self, instance: Instance, trans: DCplxTrans) -> Instance: r""" - @brief Inserts a cell instance (array) with properties - @return An \Instance object representing the new instance - The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. - With version 0.16, this method returns an Instance object that represents the new instance. - It's use is discouraged in readonly mode, since it invalidates other Instance references. + @brief Transforms the instance into a new coordinate system with the given complex transformation where the transformation is in micrometer units + @return A reference (an \Instance object) to the new instance + This method is identical to the corresponding \transform_into method with a \ICplxTrans argument. For this variant however, the transformation is given in micrometer units and is translated to database units internally. + + This variant has been introduced in version 0.25. """ @overload - def insert(self, cell_inst_array: DCellInstArray, property_id: int) -> Instance: + def transform_into(self, instance: Instance, trans: DTrans) -> Instance: r""" - @brief Inserts a cell instance (array) given in micron units with properties - @return An Instance object representing the new instance - This method inserts an instance array, similar to \insert with a \CellInstArray parameter and a property set ID. But in this version, the argument is a cell instance array given in micrometer units. It is translated to database units internally. + @brief Transforms the instance into a new coordinate system with the given transformation where the transformation is in micrometer units + @return A reference (an \Instance object) to the new instance + This method is identical to the corresponding \transform_into method with a \Trans argument. For this variant however, the transformation is given in micrometer units and is translated to database units internally. This variant has been introduced in version 0.25. """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def is_empty(self) -> bool: + @overload + def transform_into(self, instance: Instance, trans: ICplxTrans) -> Instance: r""" - @brief Returns a value indicating whether the cell is empty - - An empty cell is a cell not containing instances nor any shapes. + @brief Transforms the instance into a new coordinate system with the given complex integer transformation + @return A reference (an \Instance object) to the new instance - This method has been introduced in version 0.20. + See the comments for the simple-transformation version for a description of this method. + This method has been introduced in version 0.23. + The original instance may be deleted and re-inserted by this method. Therefore, a new reference is returned. + It is permitted in editable mode only. """ - def is_ghost_cell(self) -> bool: + @overload + def transform_into(self, instance: Instance, trans: Trans) -> Instance: r""" - @brief Returns a value indicating whether the cell is a "ghost cell" - - The ghost cell flag is used by the GDS reader for example to indicate that - the cell is not located inside the file. Upon writing the reader can determine - whether to write the cell or not. - To satisfy the references inside the layout, a dummy cell is created in this case - which has the "ghost cell" flag set to true. + @brief Transforms the instance into a new coordinate system with the given transformation + @return A reference (an \Instance object) to the new instance - This method has been introduced in version 0.20. - """ - def is_leaf(self) -> bool: - r""" - @brief Gets a value indicating whether the cell is a leaf cell + In contrast to the \transform method, this method allows propagation of the transformation into child cells. More precisely: it applies just a part of the given transformation to the instance, such that when transforming the cell instantiated and it's shapes with the same transformation, the result will reflect the desired transformation. Mathematically spoken, the transformation of the instance (A) is transformed with the given transformation T using "A' = T * A * Tinv" where Tinv is the inverse of T. In effect, the transformation T commutes with the new instance transformation A' and can be applied to child cells as well. This method is therefore useful to transform a hierarchy of cells. - A cell is a leaf cell if there are no child instantiations. + This method has been introduced in version 0.23. + The original instance may be deleted and re-inserted by this method. Therefore, a new reference is returned. + It is permitted in editable mode only. """ - def is_library_cell(self) -> bool: + @overload + def transform_into(self, trans: DCplxTrans) -> None: r""" - @brief Returns true, if the cell is a proxy cell pointing to a library cell - If the cell is imported from some library, this attribute returns true. - Please note, that this attribute can combine with \is_pcell? for PCells imported from - a library. + @brief Transforms the cell into a new coordinate system with the given complex integer transformation where the transformation is in micrometer units + This method is identical to the corresponding \transform_into method with a \ICplxTrans argument. For this variant however, the transformation is given in micrometer units and is translated to database units internally. - This method has been introduced in version 0.22. + This variant has been introduced in version 0.25. """ @overload - def is_pcell_variant(self) -> bool: + def transform_into(self, trans: DTrans) -> None: r""" - @brief Returns true, if this cell is a pcell variant - this method returns true, if this cell represents a pcell with a distinct - set of parameters (a PCell proxy). This also is true, if the PCell is imported from a library. - - Technically, PCells imported from a library are library proxies which are - pointing to PCell variant proxies. This scheme can even proceed over multiple - indirections, i.e. a library using PCells from another library. + @brief Transforms the cell into a new coordinate system with the given transformation where the transformation is in micrometer units + This method is identical to the corresponding \transform_into method with a \Trans argument. For this variant however, the transformation is given in micrometer units and is translated to database units internally. - This method has been introduced in version 0.22. + This variant has been introduced in version 0.25. """ @overload - def is_pcell_variant(self, instance: Instance) -> bool: + def transform_into(self, trans: ICplxTrans) -> None: r""" - @brief Returns true, if this instance is a PCell variant - This method returns true, if this instance represents a PCell with a distinct - set of parameters. This method also returns true, if it is a PCell imported from a library. + @brief Transforms the cell into a new coordinate system with the given complex integer transformation - This method has been introduced in version 0.22. + See the comments for the simple-transformation version for a description of this method. + This method has been introduced in version 0.23. """ - def is_proxy(self) -> bool: + @overload + def transform_into(self, trans: Trans) -> None: r""" - @brief Returns true, if the cell presents some external entity - A cell may represent some data which is imported from some other source, i.e. - a library. Such cells are called "proxy cells". For a library reference, the - proxy cell is some kind of pointer to the library and the cell within the library. - - For PCells, this data can even be computed through some script. - A PCell proxy represents all instances with a given set of parameters. - - Proxy cells cannot be modified, except that pcell parameters can be modified - and PCell instances can be recomputed. + @brief Transforms the cell into a new coordinate system with the given transformation - This method has been introduced in version 0.22. - """ - def is_top(self) -> bool: - r""" - @brief Gets a value indicating whether the cell is a top-level cell + This method transforms all instances and all shapes. The instances are transformed in a way that allows propagation of the transformation into child cells. For this, it applies just a part of the given transformation to the instance such that when transforming the shapes of the cell instantiated, the result will reflect the desired transformation. Mathematically spoken, the transformation of the instance (A) is transformed with the given transformation T using "A' = T * A * Tinv" where Tinv is the inverse of T. In effect, the transformation T commutes with the new instance transformation A' and can be applied to child cells as well. This method is therefore useful to transform a hierarchy of cells. - A cell is a top-level cell if there are no parent instantiations. - """ - def is_valid(self, instance: Instance) -> bool: - r""" - @brief Tests if the given \Instance object is still pointing to a valid object - This method has been introduced in version 0.16. - If the instance represented by the given reference has been deleted, this method returns false. If however, another instance has been inserted already that occupies the original instances position, this method will return true again. + It has been introduced in version 0.23. """ @overload - def layout(self) -> Layout: + def write(self, file_name: str) -> None: r""" - @brief Returns a reference to the layout where the cell resides + @brief Writes the cell to a layout file + The format of the file will be determined from the file name. Only the cell and it's subtree below will be saved. - this method has been introduced in version 0.22. + This method has been introduced in version 0.23. """ @overload - def layout(self) -> Layout: - r""" - @brief Returns a reference to the layout where the cell resides (const references) - - this method has been introduced in version 0.22. - """ - def library(self) -> Library: + def write(self, file_name: str, options: SaveLayoutOptions) -> None: r""" - @brief Returns a reference to the library from which the cell is imported - if the cell is not imported from a library, this reference is nil. + @brief Writes the cell to a layout file + The format of the file will be determined from the file name. Only the cell and it's subtree below will be saved. + In contrast to the other 'write' method, this version allows one to specify save options, i.e. scaling etc. - this method has been introduced in version 0.22. + This method has been introduced in version 0.23. """ - def library_cell_index(self) -> int: - r""" - @brief Returns the index of the cell in the layout of the library (if it's a library proxy) - Together with the \library method, it is possible to locate the source cell of - a library proxy. The source cell can be retrieved from a cell "c" with - @code - c.library.layout.cell(c.library_cell_index) - @/code +class CellInstArray: + r""" + @brief A single or array cell instance + This object represents either single or array cell instances. A cell instance array is a regular array, described by two displacement vectors (a, b) and the instance count along that axes (na, nb). - This cell may be itself a proxy, - i.e. for pcell libraries, where the library cells are pcell variants which itself - are proxies to a pcell. + In addition, this object represents either instances with simple transformations or instances with complex transformations. The latter includes magnified instances and instances rotated by an arbitrary angle. - This method has been introduced in version 0.22. - """ - @overload - def move(self, src: int, dest: int) -> None: - r""" - @brief Moves the shapes from the source to the target layer + The cell which is instantiated is given by a cell index. The cell index can be converted to a cell pointer by using \Layout#cell. The cell index of a cell can be obtained using \Cell#cell_index. - The destination layer is not overwritten. Instead, the shapes are added to the shapes of the destination layer. - This method will move shapes within the cell. To move shapes from another cell to this cell, use the copy method with the cell parameter. + See @The Database API@ for more details about the database objects. + """ + a: Vector + r""" + Getter: + @brief Gets the displacement vector for the 'a' axis - This method has been introduced in version 0.19. + Starting with version 0.25 the displacement is of vector type. - @param src The layer index of the source layer - @param dest The layer index of the destination layer - """ - @overload - def move(self, src_cell: Cell, src_layer: int, dest: int) -> None: - r""" - @brief Moves shapes from another cell to the target layer in this cell + Setter: + @brief Sets the displacement vector for the 'a' axis - This method will move all shapes on layer 'src_layer' of cell 'src_cell' to the layer 'dest' of this cell. - The destination layer is not overwritten. Instead, the shapes are added to the shapes of the destination layer. - If the source cell lives in a layout with a different database unit than that current cell is in, the shapes will be transformed accordingly. The same way, shape properties are transformed as well. Note that the shape transformation may require rounding to smaller coordinates. This may result in a slight distortion of the original shapes, in particular when transforming into a layout with a bigger database unit. - @param src_cell The cell where to take the shapes from - @param src_layer The layer index of the layer from which to take the shapes - @param dest The layer index of the destination layer - """ - def move_instances(self, source_cell: Cell) -> None: - r""" - @brief Moves the instances of child cells in the source cell to this cell - @param source_cell The cell where the instances are moved from - The source cell must reside in the same layout than this cell. The instances of child cells inside the source cell are moved to this cell. No new cells are created, just new instances are created to already existing cells in the target cell. + If the instance was not regular before this property is set, it will be initialized to a regular instance. - The instances will be added to any existing instances in the cell. + This method was introduced in version 0.22. Starting with version 0.25 the displacement is of vector type. + """ + b: Vector + r""" + Getter: + @brief Gets the displacement vector for the 'b' axis - More elaborate methods of moving hierarchy trees between layouts are provided through the \move_tree_shapes (in cooperation with the \CellMapping class) or \move_tree methods. + Starting with version 0.25 the displacement is of vector type. - This method has been added in version 0.23. - """ - @overload - def move_shapes(self, source_cell: Cell) -> None: - r""" - @brief Moves the shapes from the given cell into this cell - @param source_cell The cell from where to move shapes - All shapes are moved from the source cell to this cell. Instances are not moved. + Setter: + @brief Sets the displacement vector for the 'b' axis - The source cell can reside in a different layout. In this case, the shapes are moved over from the other layout into this layout. Database unit conversion is done automatically if the database units differ between the layouts. Note that this may lead to grid snapping effects if the database unit of the target layout is not an integer fraction of the source layout. + If the instance was not regular before this property is set, it will be initialized to a regular instance. - If source and target layout are different, the layers of the source and target layout are identified by their layer/datatype number or name (if no layer/datatype is present). - The shapes will be added to any shapes already in the cell. + This method was introduced in version 0.22. Starting with version 0.25 the displacement is of vector type. + """ + cell_index: int + r""" + Getter: + @brief Gets the cell index of the cell instantiated + Use \Layout#cell to get the \Cell object from the cell index. + Setter: + @brief Sets the index of the cell this instance refers to + """ + cplx_trans: ICplxTrans + r""" + Getter: + @brief Gets the complex transformation of the first instance in the array + This method is always applicable, compared to \trans, since simple transformations can be expressed as complex transformations as well. + Setter: + @brief Sets the complex transformation of the instance or the first instance in the array - This method has been added in version 0.23. - """ - @overload - def move_shapes(self, source_cell: Cell, layer_mapping: LayerMapping) -> None: + This method was introduced in version 0.22. + """ + @property + def cell(self) -> None: r""" - @brief Moves the shapes from the given cell into this cell - @param source_cell The cell from where to move shapes - @param layer_mapping A \LayerMapping object that specifies which layers are moved and where - All shapes on layers specified in the layer mapping object are moved from the source cell to this cell. Instances are not moved. - The target layer is taken from the mapping table. - - The shapes will be added to any shapes already in the cell. + WARNING: This variable can only be set, not retrieved. + @brief Sets the cell this instance refers to + This is a convenience method and equivalent to 'cell_index = cell.cell_index()'. There is no getter for the cell pointer because the \CellInstArray object only knows about cell indexes. - This method has been added in version 0.23. + This convenience method has been introduced in version 0.28. """ - def move_tree(self, source_cell: Cell) -> List[int]: - r""" - @brief Moves the cell tree of the given cell into this cell - @param source_cell The cell from where to move the cell tree - @return A list of indexes of newly created cells - The complete cell tree of the source cell is moved to the target cell plus all shapes in that tree are moved as well. This method will basically rebuild the cell tree of the source cell and empty the source cell. - - The source cell may reside in a separate layout. This method therefore provides a way to move over complete cell trees from one layout to another. + na: int + r""" + Getter: + @brief Gets the number of instances in the 'a' axis - The shapes and instances will be added to any shapes or instances already in the cell. + Setter: + @brief Sets the number of instances in the 'a' axis - This method has been added in version 0.23. - """ - @overload - def move_tree_shapes(self, source_cell: Cell, cell_mapping: CellMapping) -> None: - r""" - @brief Moves the shapes from the given cell and the cell tree below into this cell or subcells of this cell - @param source_cell The starting cell from where to move shapes - @param cell_mapping The cell mapping object that determines how cells are identified between source and target layout + If the instance was not regular before this property is set to a value larger than zero, it will be initialized to a regular instance. + To make an instance a single instance, set na or nb to 0. - This method is provided if source and target cell reside in different layouts. If will move the shapes from all cells below the given source cell, but use a cell mapping object that provides a specification how cells are identified between the layouts. Cells in the source tree, for which no mapping is provided, will be flattened - their shapes will be propagated into parent cells for which a mapping is provided. + This method was introduced in version 0.22. + """ + nb: int + r""" + Getter: + @brief Gets the number of instances in the 'b' axis - The cell mapping object provides various methods to map cell trees between layouts. See the \CellMapping class for details about the mapping methods available. The cell mapping object is also responsible for creating a proper hierarchy of cells in the target layout if that is required. + Setter: + @brief Sets the number of instances in the 'b' axis - Layers are identified between the layouts by the layer/datatype number of name if no layer/datatype number is present. + If the instance was not regular before this property is set to a value larger than zero, it will be initialized to a regular instance. + To make an instance a single instance, set na or nb to 0. - The shapes moved will be added to any shapes already in the cells. + This method was introduced in version 0.22. + """ + trans: Trans + r""" + Getter: + @brief Gets the transformation of the first instance in the array + The transformation returned is only valid if the array does not represent a complex transformation array + Setter: + @brief Sets the transformation of the instance or the first instance in the array - This method has been added in version 0.23. + This method was introduced in version 0.22. + """ + @overload + @classmethod + def new(cls) -> CellInstArray: + r""" + @brief Creates en empty cell instance with size 0 """ @overload - def move_tree_shapes(self, source_cell: Cell, cell_mapping: CellMapping, layer_mapping: LayerMapping) -> None: + @classmethod + def new(cls, cell: Cell, disp: Vector) -> CellInstArray: r""" - @brief Moves the shapes from the given cell and the cell tree below into this cell or subcells of this cell with layer mapping - @param source_cell The cell from where to move shapes and instances - @param cell_mapping The cell mapping object that determines how cells are identified between source and target layout - - This method is provided if source and target cell reside in different layouts. If will move the shapes from all cells below the given source cell, but use a cell mapping object that provides a specification how cells are identified between the layouts. Cells in the source tree, for which no mapping is provided, will be flattened - their shapes will be propagated into parent cells for which a mapping is provided. - - The cell mapping object provides various methods to map cell trees between layouts. See the \CellMapping class for details about the mapping methods available. The cell mapping object is also responsible for creating a proper hierarchy of cells in the target layout if that is required. - - In addition, the layer mapping object can be specified which maps source to target layers. This feature can be used to restrict the move operation to a subset of layers or to convert shapes to different layers in that step. - - The shapes moved will be added to any shapes already in the cells. + @brief Creates a single cell instance + @param cell The cell to instantiate + @param disp The displacement - This method has been added in version 0.23. + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ - def parent_cells(self) -> int: + @overload + @classmethod + def new(cls, cell: Cell, disp: Vector, a: Vector, b: Vector, na: int, nb: int) -> CellInstArray: r""" - @brief Gets the number of parent cells + @brief Creates a single cell instance + @param cell The cell to instantiate + @param disp The basic displacement of the first instance + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis - The number of parent cells (cells which reference our cell) is reported. + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ @overload - def pcell_declaration(self) -> PCellDeclaration_Native: + @classmethod + def new(cls, cell: Cell, trans: ICplxTrans) -> CellInstArray: r""" - @brief Returns a reference to the PCell declaration - If this cell is not a PCell variant, this method returns nil. - PCell variants are proxy cells which are PCell incarnations for a specific parameter set. - The \PCellDeclaration object allows one to retrieve PCell parameter definitions for example. + @brief Creates a single cell instance with a complex transformation + @param cell The cell to instantiate + @param trans The complex transformation by which to instantiate the cell - This method has been introduced in version 0.22. + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ @overload - def pcell_declaration(self, instance: Instance) -> PCellDeclaration_Native: + @classmethod + def new(cls, cell: Cell, trans: ICplxTrans, a: Vector, b: Vector, na: int, nb: int) -> CellInstArray: r""" - @brief Returns the PCell declaration of a pcell instance - If the instance is not a PCell instance, this method returns nil. - The \PCellDeclaration object allows one to retrieve PCell parameter definitions for example. + @brief Creates a single cell instance with a complex transformation + @param cell The cell to instantiate + @param trans The complex transformation by which to instantiate the cell + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis - This method has been introduced in version 0.22. + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ - def pcell_id(self) -> int: + @overload + @classmethod + def new(cls, cell: Cell, trans: Trans) -> CellInstArray: r""" - @brief Returns the PCell ID if the cell is a pcell variant - This method returns the ID which uniquely identifies the PCell within the - layout where it's declared. It can be used to retrieve the PCell declaration - or to create new PCell variants. - - The method will be rarely used. It's more convenient to use \pcell_declaration to directly retrieve the PCellDeclaration object for example. + @brief Creates a single cell instance + @param cell The cell to instantiate + @param trans The transformation by which to instantiate the cell - This method has been introduced in version 0.22. + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ - def pcell_library(self) -> Library: + @overload + @classmethod + def new(cls, cell: Cell, trans: Trans, a: Vector, b: Vector, na: int, nb: int) -> CellInstArray: r""" - @brief Returns the library where the PCell is declared if this cell is a PCell and it is not defined locally. - A PCell often is not declared within the current layout but in some library. - This method returns a reference to that library, which technically is the last of the - chained library proxies. If this cell is not a PCell or it is not located in a - library, this method returns nil. + @brief Creates a single cell instance + @param cell The cell to instantiate + @param trans The transformation by which to instantiate the cell + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis - This method has been introduced in version 0.22. + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ @overload - def pcell_parameter(self, name: str) -> Any: + @classmethod + def new(cls, cell_index: int, disp: Vector) -> CellInstArray: r""" - @brief Gets a PCell parameter by name if the cell is a PCell variant - If the cell is a PCell variant, this method returns the parameter with the given name. - If the cell is not a PCell variant or the name is not a valid PCell parameter name, the return value is nil. - - This method has been introduced in version 0.25. + @brief Creates a single cell instance + @param cell_index The cell to instantiate + @param disp The displacement + This convenience initializer has been introduced in version 0.28. """ @overload - def pcell_parameter(self, instance: Instance, name: str) -> Any: + @classmethod + def new(cls, cell_index: int, disp: Vector, a: Vector, b: Vector, na: int, nb: int) -> CellInstArray: r""" - @brief Returns a PCell parameter by name for a pcell instance - - If the given instance is a PCell instance, this method returns the value of the PCell parameter with the given name. - If the instance is not a PCell instance or the name is not a valid PCell parameter name, this - method returns nil. + @brief Creates a single cell instance + @param cell_index The cell to instantiate + @param disp The basic displacement of the first instance + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis - This method has been introduced in version 0.25. + This convenience initializer has been introduced in version 0.28. """ @overload - def pcell_parameters(self) -> List[Any]: + @classmethod + def new(cls, cell_index: int, trans: ICplxTrans) -> CellInstArray: r""" - @brief Returns the PCell parameters for a pcell variant - If the cell is a PCell variant, this method returns a list of - values for the PCell parameters. If the cell is not a PCell variant, this - method returns an empty list. This method also returns the PCell parameters if - the cell is a PCell imported from a library. - - This method has been introduced in version 0.22. + @brief Creates a single cell instance with a complex transformation + @param cell_index The cell to instantiate + @param trans The complex transformation by which to instantiate the cell """ @overload - def pcell_parameters(self, instance: Instance) -> List[Any]: + @classmethod + def new(cls, cell_index: int, trans: ICplxTrans, a: Vector, b: Vector, na: int, nb: int) -> CellInstArray: r""" - @brief Returns the PCell parameters for a pcell instance - If the given instance is a PCell instance, this method returns a list of - values for the PCell parameters. If the instance is not a PCell instance, this - method returns an empty list. + @brief Creates a single cell instance with a complex transformation + @param cell_index The cell to instantiate + @param trans The complex transformation by which to instantiate the cell + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis - This method has been introduced in version 0.22. + Starting with version 0.25 the displacements are of vector type. """ @overload - def pcell_parameters_by_name(self) -> Dict[str, Any]: + @classmethod + def new(cls, cell_index: int, trans: Trans) -> CellInstArray: r""" - @brief Returns the PCell parameters for a pcell variant as a name to value dictionary - If the cell is a PCell variant, this method returns a dictionary of - values for the PCell parameters with the parameter names as the keys. If the cell is not a PCell variant, this - method returns an empty dictionary. This method also returns the PCell parameters if - the cell is a PCell imported from a library. - - This method has been introduced in version 0.24. + @brief Creates a single cell instance + @param cell_index The cell to instantiate + @param trans The transformation by which to instantiate the cell """ @overload - def pcell_parameters_by_name(self, instance: Instance) -> Dict[str, Any]: + @classmethod + def new(cls, cell_index: int, trans: Trans, a: Vector, b: Vector, na: int, nb: int) -> CellInstArray: r""" - @brief Returns the PCell parameters for a pcell instance as a name to value dictionary - If the given instance is a PCell instance, this method returns a dictionary of - values for the PCell parameters with the parameter names as the keys. If the instance is not a PCell instance, this - method returns an empty dictionary. + @brief Creates a single cell instance + @param cell_index The cell to instantiate + @param trans The transformation by which to instantiate the cell + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis - This method has been introduced in version 0.24. + Starting with version 0.25 the displacements are of vector type. """ - def property(self, key: Any) -> Any: + def __copy__(self) -> CellInstArray: r""" - @brief Gets the user property with the given key - This method is a convenience method that gets the property with the given key. If no property with that key exists, it will return nil. Using that method is more convenient than using the layout object and the properties ID to retrieve the property value. - This method has been introduced in version 0.23. + @brief Creates a copy of self """ - @overload - def prune_cell(self) -> None: + def __deepcopy__(self) -> CellInstArray: r""" - @brief Deletes the cell plus subcells not used otherwise - - This deletes the cell and also all sub cells of the cell which are not used otherwise. - All instances of this cell are deleted as well. - A version of this method exists which allows one to specify the number of hierarchy levels to which subcells are considered. - - After the cell has been deleted, the Cell object becomes invalid. Do not access methods or attributes of this object after deleting the cell. + @brief Creates a copy of self + """ + def __eq__(self, other: object) -> bool: + r""" + @brief Compares two arrays for equality + """ + def __hash__(self) -> int: + r""" + @brief Computes a hash value + Returns a hash value for the given cell instance. This method enables cell instances as hash keys. - This method has been introduced in version 0.23. + This method has been introduced in version 0.25. """ @overload - def prune_cell(self, levels: int) -> None: + def __init__(self) -> None: r""" - @brief Deletes the cell plus subcells not used otherwise - - This deletes the cell and also all sub cells of the cell which are not used otherwise. - The number of hierarchy levels to consider can be specified as well. One level of hierarchy means that only the direct children of the cell are deleted with the cell itself. - All instances of this cell are deleted as well. - - After the cell has been deleted, the Cell object becomes invalid. Do not access methods or attributes of this object after deleting the cell. - - @param levels The number of hierarchy levels to consider (-1: all, 0: none, 1: one level etc.) - - This method has been introduced in version 0.23. + @brief Creates en empty cell instance with size 0 """ @overload - def prune_subcells(self) -> None: + def __init__(self, cell: Cell, disp: Vector) -> None: r""" - @brief Deletes all sub cells of the cell which are not used otherwise - - This deletes all sub cells of the cell which are not used otherwise. - All instances of the deleted cells are deleted as well. - A version of this method exists which allows one to specify the number of hierarchy levels to which subcells are considered. + @brief Creates a single cell instance + @param cell The cell to instantiate + @param disp The displacement - This method has been introduced in version 0.23. + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ @overload - def prune_subcells(self, levels: int) -> None: + def __init__(self, cell: Cell, disp: Vector, a: Vector, b: Vector, na: int, nb: int) -> None: r""" - @brief Deletes all sub cells of the cell which are not used otherwise down to the specified level of hierarchy - - This deletes all sub cells of the cell which are not used otherwise. - All instances of the deleted cells are deleted as well. - It is possible to specify how many levels of hierarchy below the given root cell are considered. - - @param levels The number of hierarchy levels to consider (-1: all, 0: none, 1: one level etc.) + @brief Creates a single cell instance + @param cell The cell to instantiate + @param disp The basic displacement of the first instance + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis - This method has been introduced in version 0.23. + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ - def qname(self) -> str: + @overload + def __init__(self, cell: Cell, trans: ICplxTrans) -> None: r""" - @brief Returns the library-qualified name - - Library cells will be indicated by returning a qualified name composed of the library name, a dot and the basic cell name. For example: "Basic.TEXT" will be the qname of the TEXT cell of the Basic library. For non-library cells, the qname is identical to the basic name (see \name). + @brief Creates a single cell instance with a complex transformation + @param cell The cell to instantiate + @param trans The complex transformation by which to instantiate the cell - This method has been introduced in version 0.25. + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ @overload - def read(self, file_name: str) -> List[int]: + def __init__(self, cell: Cell, trans: ICplxTrans, a: Vector, b: Vector, na: int, nb: int) -> None: r""" - @brief Reads a layout file into this cell - This version uses the default options for reading the file. + @brief Creates a single cell instance with a complex transformation + @param cell The cell to instantiate + @param trans The complex transformation by which to instantiate the cell + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis - This method has been introduced in version 0.28. + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ @overload - def read(self, file_name: str, options: LoadLayoutOptions) -> List[int]: + def __init__(self, cell: Cell, trans: Trans) -> None: r""" - @brief Reads a layout file into this cell - - @param file_name The path of the file to read - @param options The reader options to use - @return The indexes of the cells created during the reading (new child cells) - - The format of the file will be determined from the file name. The layout will be read into the cell, potentially creating new layers and a subhierarchy of cells below this cell. - - This feature is equivalent to the following code: - - @code - def Cell.read(file_name, options) - layout = RBA::Layout::new - layout.read(file_name, options) - cm = RBA::CellMapping::new - cm.for_single_cell_full(self, layout.top_cell) - self.move_tree_shapes(layout.top_cell) - end - @/code - - See \move_tree_shapes and \CellMapping for more details and how to implement more elaborate schemes. + @brief Creates a single cell instance + @param cell The cell to instantiate + @param trans The transformation by which to instantiate the cell - This method has been introduced in version 0.28. + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ - def refresh(self) -> None: + @overload + def __init__(self, cell: Cell, trans: Trans, a: Vector, b: Vector, na: int, nb: int) -> None: r""" - @brief Refreshes a proxy cell - - If the cell is a PCell variant, this method recomputes the PCell. - If the cell is a library proxy, this method reloads the information from the library, but not the library itself. - Note that if the cell is an PCell variant for a PCell coming from a library, this method will not recompute the PCell. Instead, you can use \Library#refresh to recompute all PCells from that library. + @brief Creates a single cell instance + @param cell The cell to instantiate + @param trans The transformation by which to instantiate the cell + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis - You can use \Layout#refresh to refresh all cells from a layout. + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + """ + @overload + def __init__(self, cell_index: int, disp: Vector) -> None: + r""" + @brief Creates a single cell instance + @param cell_index The cell to instantiate + @param disp The displacement + This convenience initializer has been introduced in version 0.28. + """ + @overload + def __init__(self, cell_index: int, disp: Vector, a: Vector, b: Vector, na: int, nb: int) -> None: + r""" + @brief Creates a single cell instance + @param cell_index The cell to instantiate + @param disp The basic displacement of the first instance + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis - This method has been introduced in version 0.22. + This convenience initializer has been introduced in version 0.28. """ @overload - def replace(self, instance: Instance, cell_inst_array: CellInstArray) -> Instance: + def __init__(self, cell_index: int, trans: ICplxTrans) -> None: r""" - @brief Replaces a cell instance (array) with a different one - @return An \Instance object representing the new instance - This method has been introduced in version 0.16. It can only be used in editable mode. - The instance given by the instance object (first argument) is replaced by the given instance (second argument). The new object will not have any properties. + @brief Creates a single cell instance with a complex transformation + @param cell_index The cell to instantiate + @param trans The complex transformation by which to instantiate the cell """ @overload - def replace(self, instance: Instance, cell_inst_array: DCellInstArray) -> Instance: + def __init__(self, cell_index: int, trans: ICplxTrans, a: Vector, b: Vector, na: int, nb: int) -> None: r""" - @brief Replaces a cell instance (array) with a different one, given in micrometer units - @return An \Instance object representing the new instance - This method is identical to the corresponding \replace variant with a \CellInstArray argument. It however accepts a micrometer-unit \DCellInstArray object which is translated to database units internally. + @brief Creates a single cell instance with a complex transformation + @param cell_index The cell to instantiate + @param trans The complex transformation by which to instantiate the cell + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis - This variant has been introduced in version 0.25. + Starting with version 0.25 the displacements are of vector type. """ @overload - def replace(self, instance: Instance, cell_inst_array: CellInstArray, property_id: int) -> Instance: + def __init__(self, cell_index: int, trans: Trans) -> None: r""" - @brief Replaces a cell instance (array) with a different one with properties - @return An \Instance object representing the new instance - This method has been introduced in version 0.16. It can only be used in editable mode. - The instance given by the instance object (first argument) is replaced by the given instance (second argument) with the given properties Id. - The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. - The new object will not have any properties. + @brief Creates a single cell instance + @param cell_index The cell to instantiate + @param trans The transformation by which to instantiate the cell """ @overload - def replace(self, instance: Instance, cell_inst_array: DCellInstArray, property_id: int) -> Instance: + def __init__(self, cell_index: int, trans: Trans, a: Vector, b: Vector, na: int, nb: int) -> None: r""" - @brief Replaces a cell instance (array) with a different one and new properties, where the cell instance is given in micrometer units - @return An \Instance object representing the new instance - This method is identical to the corresponding \replace variant with a \CellInstArray argument and a property ID. It however accepts a micrometer-unit \DCellInstArray object which is translated to database units internally. + @brief Creates a single cell instance + @param cell_index The cell to instantiate + @param trans The transformation by which to instantiate the cell + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis - This variant has been introduced in version 0.25. + Starting with version 0.25 the displacements are of vector type. """ - def replace_prop_id(self, instance: Instance, property_id: int) -> Instance: + def __len__(self) -> int: r""" - @brief Replaces (or install) the properties of a cell - @return An Instance object representing the new instance - This method has been introduced in version 0.16. It can only be used in editable mode. - Changes the properties Id of the given instance or install a properties Id on that instance if it does not have one yet. - The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. + @brief Gets the number of single instances in the array + If the instance represents a single instance, the count is 1. Otherwise it is na*nb. Starting with version 0.27, there may be iterated instances for which the size is larger than 1, but \is_regular_array? will return false. In this case, use \each_trans or \each_cplx_trans to retrieve the individual placements of the iterated instance. """ - def set_property(self, key: Any, value: Any) -> None: + def __lt__(self, other: CellInstArray) -> bool: r""" - @brief Sets the user property with the given key to the given value - This method is a convenience method that sets the property with the given key to the given value. If no property with that key exists, it will create one. Using that method is more convenient than creating a new property set with a new ID and assigning that properties ID. - This method may change the properties ID. Note: GDS only supports integer keys. OASIS supports numeric and string keys. - This method has been introduced in version 0.23. + @brief Compares two arrays for 'less' + The comparison provides an arbitrary sorting criterion and not specific sorting order. It is guaranteed that if an array a is less than b, b is not less than a. In addition, it a is not less than b and b is not less than a, then a is equal to b. """ - @overload - def shapes(self, layer_index: int) -> Shapes: + def __ne__(self, other: object) -> bool: r""" - @brief Returns the shapes list of the given layer - - This method gives access to the shapes list on a certain layer. - If the layer does not exist yet, it is created. - - @param index The layer index of the shapes list to retrieve - - @return A reference to the shapes list + @brief Compares two arrays for inequality """ - @overload - def shapes(self, layer_index: int) -> Shapes: + def __str__(self) -> str: r""" - @brief Returns the shapes list of the given layer (const version) - - This method gives access to the shapes list on a certain layer. This is the const version - only const (reading) methods can be called on the returned object. - - @param index The layer index of the shapes list to retrieve - - @return A reference to the shapes list + @brief Converts the array to a string - This variant has been introduced in version 0.26.4. + This method was introduced in version 0.22. """ - def swap(self, layer_index1: int, layer_index2: int) -> None: + def _create(self) -> None: r""" - @brief Swaps the layers given - - This method swaps two layers inside this cell. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def transform(self, trans: DCplxTrans) -> None: + def _destroy(self) -> None: r""" - @brief Transforms the cell by the given, micrometer-unit transformation - - This method transforms all instances and all shapes by the given transformation. There is a variant called \transform_into which applies the transformation to instances in a way such that it can be applied recursively to the child cells. The difference is important in the presence of magnifications: "transform" will leave magnified instances while "transform_into" will not do so but expect the magnification to be applied inside the called cells too. - - This method has been introduced in version 0.26.7. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def transform(self, trans: DTrans) -> None: + def _destroyed(self) -> bool: r""" - @brief Transforms the cell by the given, micrometer-unit transformation - - This method transforms all instances and all shapes by the given transformation. There is a variant called \transform_into which applies the transformation to instances in a way such that it can be applied recursively to the child cells. - - This method has been introduced in version 0.26.7. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def transform(self, trans: ICplxTrans) -> None: + def _is_const_object(self) -> bool: r""" - @brief Transforms the cell by the given complex integer transformation + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method transforms all instances and all shapes by the given transformation. There is a variant called \transform_into which applies the transformation to instances in a way such that it can be applied recursively to the child cells. The difference is important in the presence of magnifications: "transform" will leave magnified instances while "transform_into" will not do so but expect the magnification to be applied inside the called cells too. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.26.7. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def assign(self, other: CellInstArray) -> None: + r""" + @brief Assigns another object to self """ @overload - def transform(self, trans: Trans) -> None: + def bbox(self, layout: Layout) -> Box: r""" - @brief Transforms the cell by the given integer transformation - - This method transforms all instances and all shapes by the given transformation. There is a variant called \transform_into which applies the transformation to instances in a way such that it can be applied recursively to the child cells. - - This method has been introduced in version 0.26.7. + @brief Gets the bounding box of the array + The bounding box incorporates all instances that the array represents. It needs the layout object to access the actual cell from the cell index. """ @overload - def transform(self, instance: Instance, trans: DCplxTrans) -> Instance: + def bbox(self, layout: Layout, layer_index: int) -> Box: r""" - @brief Transforms the instance with the given complex floating-point transformation given in micrometer units - @return A reference (an \Instance object) to the new instance - This method is identical to the corresponding \transform method with a \ICplxTrans argument. For this variant however, the transformation is given in micrometer units and is translated to database units internally. + @brief Gets the bounding box of the array with respect to one layer + The bounding box incorporates all instances that the array represents. It needs the layout object to access the actual cell from the cell index. - This variant has been introduced in version 0.25. + 'bbox' is the preferred synonym since version 0.28. """ - @overload - def transform(self, instance: Instance, trans: DTrans) -> Instance: + def bbox_per_layer(self, layout: Layout, layer_index: int) -> Box: r""" - @brief Transforms the instance with the transformation given in micrometer units - @return A reference (an \Instance object) to the new instance - This method is identical to the corresponding \transform method with a \Trans argument. For this variant however, the transformation is given in micrometer units and is translated to database units internally. + @brief Gets the bounding box of the array with respect to one layer + The bounding box incorporates all instances that the array represents. It needs the layout object to access the actual cell from the cell index. - This variant has been introduced in version 0.25. + 'bbox' is the preferred synonym since version 0.28. """ - @overload - def transform(self, instance: Instance, trans: ICplxTrans) -> Instance: + def create(self) -> None: r""" - @brief Transforms the instance with the given complex integer transformation - @return A reference (an \Instance object) to the new instance - This method has been introduced in version 0.23. - The original instance may be deleted and re-inserted by this method. Therefore, a new reference is returned. - It is permitted in editable mode only. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def transform(self, instance: Instance, trans: Trans) -> Instance: + def destroy(self) -> None: r""" - @brief Transforms the instance with the given transformation - @return A reference (an \Instance object) to the new instance - This method has been introduced in version 0.16. - The original instance may be deleted and re-inserted by this method. Therefore, a new reference is returned. - It is permitted in editable mode only. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def transform_into(self, trans: DCplxTrans) -> None: + def destroyed(self) -> bool: r""" - @brief Transforms the cell into a new coordinate system with the given complex integer transformation where the transformation is in micrometer units - This method is identical to the corresponding \transform_into method with a \ICplxTrans argument. For this variant however, the transformation is given in micrometer units and is translated to database units internally. - - This variant has been introduced in version 0.25. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def transform_into(self, trans: DTrans) -> None: + def dup(self) -> CellInstArray: r""" - @brief Transforms the cell into a new coordinate system with the given transformation where the transformation is in micrometer units - This method is identical to the corresponding \transform_into method with a \Trans argument. For this variant however, the transformation is given in micrometer units and is translated to database units internally. + @brief Creates a copy of self + """ + def each_cplx_trans(self) -> Iterator[ICplxTrans]: + r""" + @brief Gets the complex transformations represented by this instance + For a single instance, this iterator will deliver the single, complex transformation. For array instances, the iterator will deliver each complex transformation of the expanded array. + This iterator is a generalization of \each_trans for general complex transformations. - This variant has been introduced in version 0.25. + This method has been introduced in version 0.25. """ - @overload - def transform_into(self, trans: ICplxTrans) -> None: + def each_trans(self) -> Iterator[Trans]: r""" - @brief Transforms the cell into a new coordinate system with the given complex integer transformation + @brief Gets the simple transformations represented by this instance + For a single instance, this iterator will deliver the single, simple transformation. For array instances, the iterator will deliver each simple transformation of the expanded array. - See the comments for the simple-transformation version for a description of this method. - This method has been introduced in version 0.23. + This iterator will only deliver valid transformations if the instance array is not of complex type (see \is_complex?). A more general iterator that delivers the complex transformations is \each_cplx_trans. + + This method has been introduced in version 0.25. """ - @overload - def transform_into(self, trans: Trans) -> None: + def hash(self) -> int: r""" - @brief Transforms the cell into a new coordinate system with the given transformation + @brief Computes a hash value + Returns a hash value for the given cell instance. This method enables cell instances as hash keys. - This method transforms all instances and all shapes. The instances are transformed in a way that allows propagation of the transformation into child cells. For this, it applies just a part of the given transformation to the instance such that when transforming the shapes of the cell instantiated, the result will reflect the desired transformation. Mathematically spoken, the transformation of the instance (A) is transformed with the given transformation T using "A' = T * A * Tinv" where Tinv is the inverse of T. In effect, the transformation T commutes with the new instance transformation A' and can be applied to child cells as well. This method is therefore useful to transform a hierarchy of cells. + This method has been introduced in version 0.25. + """ + def invert(self) -> None: + r""" + @brief Inverts the array reference - It has been introduced in version 0.23. + The inverted array reference describes in which transformations the parent cell is + seen from the current cell. """ - @overload - def transform_into(self, instance: Instance, trans: DCplxTrans) -> Instance: + def is_complex(self) -> bool: r""" - @brief Transforms the instance into a new coordinate system with the given complex transformation where the transformation is in micrometer units - @return A reference (an \Instance object) to the new instance - This method is identical to the corresponding \transform_into method with a \ICplxTrans argument. For this variant however, the transformation is given in micrometer units and is translated to database units internally. + @brief Gets a value indicating whether the array is a complex array - This variant has been introduced in version 0.25. + Returns true if the array represents complex instances (that is, with magnification and + arbitrary rotation angles). """ - @overload - def transform_into(self, instance: Instance, trans: DTrans) -> Instance: + def is_const_object(self) -> bool: r""" - @brief Transforms the instance into a new coordinate system with the given transformation where the transformation is in micrometer units - @return A reference (an \Instance object) to the new instance - This method is identical to the corresponding \transform_into method with a \Trans argument. For this variant however, the transformation is given in micrometer units and is translated to database units internally. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def is_regular_array(self) -> bool: + r""" + @brief Gets a value indicating whether this instance is a regular array + """ + def size(self) -> int: + r""" + @brief Gets the number of single instances in the array + If the instance represents a single instance, the count is 1. Otherwise it is na*nb. Starting with version 0.27, there may be iterated instances for which the size is larger than 1, but \is_regular_array? will return false. In this case, use \each_trans or \each_cplx_trans to retrieve the individual placements of the iterated instance. + """ + def to_s(self) -> str: + r""" + @brief Converts the array to a string - This variant has been introduced in version 0.25. + This method was introduced in version 0.22. """ @overload - def transform_into(self, instance: Instance, trans: ICplxTrans) -> Instance: + def transform(self, trans: ICplxTrans) -> None: r""" - @brief Transforms the instance into a new coordinate system with the given complex integer transformation - @return A reference (an \Instance object) to the new instance + @brief Transforms the cell instance with the given complex transformation - See the comments for the simple-transformation version for a description of this method. - This method has been introduced in version 0.23. - The original instance may be deleted and re-inserted by this method. Therefore, a new reference is returned. - It is permitted in editable mode only. + This method has been introduced in version 0.20. """ @overload - def transform_into(self, instance: Instance, trans: Trans) -> Instance: + def transform(self, trans: Trans) -> None: r""" - @brief Transforms the instance into a new coordinate system with the given transformation - @return A reference (an \Instance object) to the new instance - - In contrast to the \transform method, this method allows propagation of the transformation into child cells. More precisely: it applies just a part of the given transformation to the instance, such that when transforming the cell instantiated and it's shapes with the same transformation, the result will reflect the desired transformation. Mathematically spoken, the transformation of the instance (A) is transformed with the given transformation T using "A' = T * A * Tinv" where Tinv is the inverse of T. In effect, the transformation T commutes with the new instance transformation A' and can be applied to child cells as well. This method is therefore useful to transform a hierarchy of cells. + @brief Transforms the cell instance with the given transformation - This method has been introduced in version 0.23. - The original instance may be deleted and re-inserted by this method. Therefore, a new reference is returned. - It is permitted in editable mode only. + This method has been introduced in version 0.20. """ @overload - def write(self, file_name: str) -> None: + def transformed(self, trans: ICplxTrans) -> CellInstArray: r""" - @brief Writes the cell to a layout file - The format of the file will be determined from the file name. Only the cell and it's subtree below will be saved. + @brief Gets the transformed cell instance (complex transformation) - This method has been introduced in version 0.23. + This method has been introduced in version 0.20. """ @overload - def write(self, file_name: str, options: SaveLayoutOptions) -> None: + def transformed(self, trans: Trans) -> CellInstArray: r""" - @brief Writes the cell to a layout file - The format of the file will be determined from the file name. Only the cell and it's subtree below will be saved. - In contrast to the other 'write' method, this version allows one to specify save options, i.e. scaling etc. + @brief Gets the transformed cell instance - This method has been introduced in version 0.23. + This method has been introduced in version 0.20. """ -class Instance: +class CellMapping: r""" - @brief An instance proxy - - An instance proxy is basically a pointer to an instance of different kinds, - similar to \Shape, the shape proxy. \Instance objects can be duplicated without - creating copies of the instances itself: the copy will still point to the same instance - than the original. - - When the \Instance object is modified, the actual instance behind it is modified. The \Instance object acts as a simplified interface for single and array instances with or without properties. + @brief A cell mapping (source to target layout) - See @The Database API@ for more details about the database objects. - """ - a: Vector - r""" - Getter: - @brief Returns the displacement vector for the 'a' axis + A cell mapping is an association of cells in two layouts forming pairs of cells, i.e. one cell corresponds to another cell in the other layout. The CellMapping object describes the mapping of cells of a source layout B to a target layout A. The cell mapping object is basically a table associating a cell in layout B with a cell in layout A. - Starting with version 0.25 the displacement is of vector type. - Setter: - @brief Sets the displacement vector for the 'a' axis + The cell mapping is of particular interest for providing the cell mapping recipe in \Cell#copy_tree_shapes or \Cell#move_tree_shapes. - If the instance was not an array instance before it is made one. + The mapping object is used to create and hold that table. There are three basic modes in which a table can be generated: - This method has been introduced in version 0.23. Starting with version 0.25 the displacement is of vector type. - """ - b: Vector - r""" - Getter: - @brief Returns the displacement vector for the 'b' axis - - Starting with version 0.25 the displacement is of vector type. - Setter: - @brief Sets the displacement vector for the 'b' axis in micrometer units - - Like \b= with an integer displacement, this method will set the displacement vector but it accepts a vector in micrometer units that is of \DVector type. The vector will be translated to database units internally. - - This method has been introduced in version 0.25. - """ - cell: Cell - r""" - Getter: - @brief Gets the \Cell object of the cell this instance refers to - - Please note that before version 0.23 this method returned the cell the instance is contained in. For consistency, this method has been renamed \parent_cell. - - This method has been introduced in version 0.23. - Setter: - @brief Sets the \Cell object this instance refers to - - Setting the cell object to nil is equivalent to deleting the instance. - - This method has been introduced in version 0.23. - """ - cell_index: int - r""" - Getter: - @brief Get the index of the cell this instance refers to - - Setter: - @brief Sets the index of the cell this instance refers to - - This method has been introduced in version 0.23. - """ - cell_inst: CellInstArray - r""" - Getter: - @brief Gets the basic \CellInstArray object associated with this instance reference. - Setter: - @brief Returns the basic cell instance array object by giving a micrometer unit object. - This method replaces the instance by the given CellInstArray object and it internally transformed into database units. - - This method has been introduced in version 0.25 - """ - cplx_trans: ICplxTrans - r""" - Getter: - @brief Gets the complex transformation of the instance or the first instance in the array - This method is always valid compared to \trans, since simple transformations can be expressed as complex transformations as well. - Setter: - @brief Sets the complex transformation of the instance or the first instance in the array - - This method has been introduced in version 0.23. - """ - da: DVector - r""" - Getter: - @brief Returns the displacement vector for the 'a' axis in micrometer units - - Like \a, this method returns the displacement, but it will be translated to database units internally. - - This method has been introduced in version 0.25. - Setter: - @brief Sets the displacement vector for the 'a' axis in micrometer units - - Like \a= with an integer displacement, this method will set the displacement vector but it accepts a vector in micrometer units that is of \DVector type. The vector will be translated to database units internally. - - This method has been introduced in version 0.25. - """ - db: DVector - r""" - Getter: - @brief Returns the displacement vector for the 'b' axis in micrometer units - - Like \b, this method returns the displacement, but it will be translated to database units internally. + @ul + @li Top-level identity (\for_single_cell and \for_single_cell_full) @/li + @li Top-level identify for multiple cells (\for_multi_cells_full and \for_multi_cells_full) @/li + @li Geometrical identity (\from_geometry and \from_geometry_full)@/li + @li Name identity (\from_names and \from_names_full) @/li + @/ul - This method has been introduced in version 0.25. - Setter: - @brief Sets the displacement vector for the 'b' axis in micrometer units + 'full' refers to the way cells are treated which are not mentioned. In the 'full' versions, cells for which no mapping is established explicitly - specifically all child cells in top-level identity modes - are created in the target layout and instantiated according to their source layout hierarchy. Then, these new cells become targets of the respective source cells. In the plain version (without 'full' cells), no additional cells are created. For the case of \Layout#copy_tree_shapes cells not explicitly mapped are flattened. Hence for example, \for_single_cell will flatten all children of the source cell during \Layout#copy_tree_shapes or \Layout#move_tree_shapes. - Like \b= with an integer displacement, this method will set the displacement vector but it accepts a vector in micrometer units that is of \DVector type. The vector will be translated to database units internally. + Top-level identity means that only one cell (the top cell) is regarded identical. All child cells are not considered identical. In full mode (see below), this will create a new, identical cell tree below the top cell in layout A. - This method has been introduced in version 0.25. - """ - dcell_inst: DCellInstArray - r""" - Getter: - @brief Returns the micrometer unit version of the basic cell instance array object. + Geometrical identity is defined by the exact identity of the set of expanded instances in each starting cell. Therefore, when a cell is mapped to another cell, shapes can be transferred from one cell to another while effectively rendering the same flat geometry (in the context of the given starting cells). Location identity is basically the safest way to map cells from one hierarchy into another, because it preserves the flat shape geometry. However in some cases the algorithm may find multiple mapping candidates. In that case it will make a guess about what mapping to choose. - This method has been introduced in version 0.25 - Setter: - @brief Returns the basic cell instance array object by giving a micrometer unit object. - This method replaces the instance by the given CellInstArray object and it internally transformed into database units. + Name identity means that cells are identified by their names - for a source cell in layer B, a target cell with the same name is looked up in the target layout A and a mapping is created if a cell with the same name is found. However, name identity does not mean that the cells are actually equivalent because they may be placed differently. Hence, cell mapping by name is not a good choice when it is important to preserve the shape geometry of a layer. - This method has been introduced in version 0.25 - """ - dcplx_trans: DCplxTrans - r""" - Getter: - @brief Gets the complex transformation of the instance or the first instance in the array (in micrometer units) - This method returns the same transformation as \cplx_trans, but the displacement of this transformation is given in micrometer units. It is internally translated from database units into micrometers. + A cell might not be mapped to another cell which basically means that there is no corresponding cell. In this case, flattening to the next mapped cell is an option to transfer geometries despite the missing mapping. You can enforce a mapping by using the mapping generator methods in 'full' mode, i.e. \from_names_full or \from_geometry_full. These versions will create new cells and their corresponding instances in the target layout if no suitable target cell is found. - This method has been introduced in version 0.25. + This is a simple example for a cell mapping preserving the hierarchy of the source cell and creating a hierarchy copy in the top cell of the target layout ('hierarchical merge'): - Setter: - @brief Sets the complex transformation of the instance or the first instance in the array (in micrometer units) - This method sets the transformation the same way as \cplx_trans=, but the displacement of this transformation is given in micrometer units. It is internally translated into database units. + @code + cell_names = [ "A", "B", "C" ] - This method has been introduced in version 0.25. - """ - dtrans: DTrans - r""" - Getter: - @brief Gets the transformation of the instance or the first instance in the array (in micrometer units) - This method returns the same transformation as \cplx_trans, but the displacement of this transformation is given in micrometer units. It is internally translated from database units into micrometers. + source = RBA::Layout::new + source.read("input.gds") - This method has been introduced in version 0.25. + target = RBA::Layout::new + target_top = target.create_cell("IMPORTED") - Setter: - @brief Sets the transformation of the instance or the first instance in the array (in micrometer units) - This method sets the transformation the same way as \cplx_trans=, but the displacement of this transformation is given in micrometer units. It is internally translated into database units. + cm = RBA::CellMapping::new + # Copies the source layout hierarchy into the target top cell: + cm.for_single_cell_full(target_top, source.top_cell) + target.copy_tree_shapes(source, cm) + @/code - This method has been introduced in version 0.25. - """ - na: int - r""" - Getter: - @brief Returns the number of instances in the 'a' axis + Without 'full', the effect is move-with-flattening (note we're using 'move' in this example): - Setter: - @brief Sets the number of instances in the 'a' axis + @code + cell_names = [ "A", "B", "C" ] - If the instance was not an array instance before it is made one. + source = RBA::Layout::new + source.read("input.gds") - This method has been introduced in version 0.23. - """ - nb: int - r""" - Getter: - @brief Returns the number of instances in the 'b' axis + target = RBA::Layout::new + target_top = target.create_cell("IMPORTED") - Setter: - @brief Sets the number of instances in the 'b' axis + cm = RBA::CellMapping::new + # Flattens the source layout hierarchy into the target top cell: + cm.for_single_cell(target_top, source.top_cell) + target.move_tree_shapes(source, cm) + @/code - If the instance was not an array instance before it is made one. + This is another example for using \CellMapping in multiple top cell identity mode. It extracts cells 'A', 'B' and 'C' from one layout and copies them to another. It will also copy all shapes and all child cells. Child cells which are shared between the three initial cells will be shared in the target layout too. - This method has been introduced in version 0.23. - """ - parent_cell: Cell - r""" - Getter: - @brief Gets the cell this instance is contained in + @code + cell_names = [ "A", "B", "C" ] - Returns nil if the instance does not live inside a cell. - This method was named "cell" previously which lead to confusion with \cell_index. - It was renamed to "parent_cell" in version 0.23. + source = RBA::Layout::new + source.read("input.gds") - Setter: - @brief Moves the instance to a different cell + target = RBA::Layout::new - Both the current and the target cell must live in the same layout. + source_cells = cell_names.collect { |n| source.cell_by_name(n) } + target_cells = cell_names.collect { |n| target.create_cell(n) } - This method has been introduced in version 0.23. + cm = RBA::CellMapping::new + cm.for_multi_cells_full(target_cells, source_cells) + target.copy_tree_shapes(source, cm) + @/code """ - prop_id: int + DropCell: ClassVar[int] r""" - Getter: - @brief Gets the properties ID associated with the instance - - Setter: - @brief Sets the properties ID associated with the instance - This method is provided, if a properties ID has been derived already. Usually it's more convenient to use \delete_property, \set_property or \property. + @brief A constant indicating the request to drop a cell - This method has been introduced in version 0.22. - """ - trans: Trans - r""" - Getter: - @brief Gets the transformation of the instance or the first instance in the array - The transformation returned is only valid if the array does not represent a complex transformation array - Setter: - @brief Sets the transformation of the instance or the first instance in the array (in micrometer units) - This method sets the transformation the same way as \cplx_trans=, but the displacement of this transformation is given in micrometer units. It is internally translated into database units. + If used as a pseudo-target for the cell mapping, this index indicates that the cell shall be dropped rather than created on the target side or skipped by flattening. Instead, all shapes of this cell are discarded and it's children are not translated unless explicitly requested or if required are children for other cells. - This method has been introduced in version 0.25. + This constant has been introduced in version 0.25. """ @classmethod - def new(cls) -> Instance: + def new(cls) -> CellMapping: r""" @brief Creates a new object of this class """ - def __copy__(self) -> Instance: + def __copy__(self) -> CellMapping: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> Instance: + def __deepcopy__(self) -> CellMapping: r""" @brief Creates a copy of self """ - def __eq__(self, b: object) -> bool: - r""" - @brief Tests for equality of two Instance objects - See the hint on the < operator. - """ - def __getitem__(self, key: Any) -> Any: - r""" - @brief Gets the user property with the given key or, if available, the PCell parameter with the name given by the key - Getting the PCell parameter has priority over the user property. - This method has been introduced in version 0.25. - """ def __init__(self) -> None: r""" @brief Creates a new object of this class """ - def __len__(self) -> int: - r""" - @brief Gets the number of single instances in the instance array - If the instance represents a single instance, the count is 1. Otherwise it is na*nb. - """ - def __lt__(self, b: Instance) -> bool: - r""" - @brief Provides an order criterion for two Instance objects - Warning: this operator is just provided to establish any order, not a particular one. - """ - def __ne__(self, b: object) -> bool: - r""" - @brief Tests for inequality of two Instance objects - Warning: this operator returns true if both objects refer to the same instance, not just identical ones. - """ - def __setitem__(self, key: Any, value: Any) -> None: - r""" - @brief Sets the user property with the given key or, if available, the PCell parameter with the name given by the key - Setting the PCell parameter has priority over the user property. - This method has been introduced in version 0.25. - """ - def __str__(self) -> str: - r""" - @brief Creates a string showing the contents of the reference - - This method has been introduced with version 0.16. - """ def _create(self) -> None: r""" @brief Ensures the C++ object is created @@ -3310,114 +3049,31 @@ class Instance: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: Instance) -> None: + def assign(self, other: CellMapping) -> None: r""" @brief Assigns another object to self """ - @overload - def bbox(self) -> Box: - r""" - @brief Gets the bounding box of the instance - The bounding box incorporates all instances that the array represents. It gives the overall extension of the child cell as seen in the calling cell (or all array members if the instance forms an array). - This method has been introduced in version 0.23. - """ - @overload - def bbox(self, layer_index: int) -> Box: - r""" - @brief Gets the bounding box of the instance for a given layer - @param layer_index The index of the layer the bounding box will be computed for. - The bounding box incorporates all instances that the array represents. It gives the overall extension of the child cell as seen in the calling cell (or all array members if the instance forms an array) for the given layer. If the layer is empty in this cell and all it's children', an empty bounding box will be returned. - This method has been introduced in version 0.25. 'bbox' is the preferred synonym for it since version 0.28. - """ - def bbox_per_layer(self, layer_index: int) -> Box: - r""" - @brief Gets the bounding box of the instance for a given layer - @param layer_index The index of the layer the bounding box will be computed for. - The bounding box incorporates all instances that the array represents. It gives the overall extension of the child cell as seen in the calling cell (or all array members if the instance forms an array) for the given layer. If the layer is empty in this cell and all it's children', an empty bounding box will be returned. - This method has been introduced in version 0.25. 'bbox' is the preferred synonym for it since version 0.28. - """ - def change_pcell_parameter(self, name: str, value: Any) -> None: - r""" - @brief Changes a single parameter of a PCell instance to the given value - - This method changes a parameter of a PCell instance to the given value. The name identifies the PCell parameter and must correspond to one parameter listed in the PCell declaration. - - This method has been introduced in version 0.24. - """ - @overload - def change_pcell_parameters(self, params: Sequence[Any]) -> None: + def cell_mapping(self, cell_index_b: int) -> int: r""" - @brief Changes the parameters of a PCell instance to the list of parameters + @brief Determines cell mapping of a layout_b cell to the corresponding layout_a cell. - This method changes the parameters of a PCell instance to the given list of parameters. The list must correspond to the parameters listed in the pcell declaration. - A more convenient method is provided with the same name which accepts a dictionary of names and values - . - This method has been introduced in version 0.24. - """ - @overload - def change_pcell_parameters(self, dict: Dict[str, Any]) -> None: - r""" - @brief Changes the parameters of a PCell instance to the dictionary of parameters - This method changes the parameters of a PCell instance to the given values. The values are specifies as a dictionary of names (keys) vs. values. - Unknown names are ignored and only the parameters listed in the dictionary are changed. + @param cell_index_b The index of the cell in layout_b whose mapping is requested. + @return The cell index in layout_a. - This method has been introduced in version 0.24. + Note that the returned index can be \DropCell to indicate the cell shall be dropped. """ - def convert_to_static(self) -> None: + def clear(self) -> None: r""" - @brief Converts a PCell instance to a static cell - - If the instance is a PCell instance, this method will convert the cell into a static cell and remove the PCell variant if required. A new cell will be created containing the PCell content but being a static cell. If the instance is not a PCell instance, this method won't do anything. + @brief Clears the mapping. - This method has been introduced in version 0.24. + This method has been introduced in version 0.23. """ def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def dbbox(self) -> DBox: - r""" - @brief Gets the bounding box of the instance in micron units - Gets the bounding box (see \bbox) of the instance, but will compute the micrometer unit box by multiplying \bbox with the database unit. - - This method has been introduced in version 0.25. - """ - @overload - def dbbox(self, layer_index: int) -> DBox: - r""" - @brief Gets the bounding box of the instance in micron units - @param layer_index The index of the layer the bounding box will be computed for. - Gets the bounding box (see \bbox) of the instance, but will compute the micrometer unit box by multiplying \bbox with the database unit. - - This method has been introduced in version 0.25. 'dbbox' is the preferred synonym for it since version 0.28. - """ - def dbbox_per_layer(self, layer_index: int) -> DBox: - r""" - @brief Gets the bounding box of the instance in micron units - @param layer_index The index of the layer the bounding box will be computed for. - Gets the bounding box (see \bbox) of the instance, but will compute the micrometer unit box by multiplying \bbox with the database unit. - - This method has been introduced in version 0.25. 'dbbox' is the preferred synonym for it since version 0.28. - """ - def delete(self) -> None: - r""" - @brief Deletes this instance - - After this method was called, the instance object is pointing to nothing. - - This method has been introduced in version 0.23. - """ - def delete_property(self, key: Any) -> None: - r""" - @brief Deletes the user property with the given key - This method is a convenience method that deletes the property with the given key. It does nothing if no property with that key exists. Using that method is more convenient than creating a new property set with a new ID and assigning that properties ID. - This method may change the properties ID. Calling this method may invalidate any iterators. It should not be called inside a loop iterating over instances. - - This method has been introduced in version 0.22. - """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -3430,256 +3086,314 @@ class Instance: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> Instance: + def dup(self) -> CellMapping: r""" @brief Creates a copy of self """ - def explode(self) -> None: + @overload + def for_multi_cells(self, cell_a: Sequence[Cell], cell_b: Sequence[Cell]) -> None: r""" - @brief Explodes the instance array + @brief Initializes the cell mapping for top-level identity - This method does nothing if the instance was not an array before. - The instance object will point to the first instance of the array afterwards. + @param cell_a A list of target cells. + @param cell_b A list of source cells. + @return A list of indexes of cells created. - This method has been introduced in version 0.23. + This is a convenience version which uses cell references instead of layout/cell index combinations. It has been introduced in version 0.28. """ @overload - def flatten(self) -> None: + def for_multi_cells(self, layout_a: Layout, cell_indexes_a: Sequence[int], layout_b: Layout, cell_indexes_b: Sequence[int]) -> None: r""" - @brief Flattens the instance + @brief Initializes the cell mapping for top-level identity - This method will convert the instance to a number of shapes which are equivalent to the content of the cell. The instance itself will be removed. - There is another variant of this method which allows specification of the number of hierarchy levels to flatten. + @param layout_a The target layout. + @param cell_indexes_a A list of cell indexes for the target cells. + @param layout_b The source layout. + @param cell_indexes_b A list of cell indexes for the source cells (same number of indexes than \cell_indexes_a). - This method has been introduced in version 0.24. + The cell mapping is created for cells from cell_indexes_b to cell from cell_indexes_a in the respective layouts. This method clears the mapping and creates one for each cell pair from cell_indexes_b vs. cell_indexes_a. If used for \Layout#copy_tree_shapes or \Layout#move_tree_shapes, this cell mapping will essentially flatten the source cells in the target layout. + + This method is equivalent to \clear, followed by \map(cell_index_a, cell_index_b) for each cell pair. + + This method has been introduced in version 0.27. """ @overload - def flatten(self, levels: int) -> None: + def for_multi_cells_full(self, cell_a: Sequence[Cell], cell_b: Sequence[Cell]) -> List[int]: r""" - @brief Flattens the instance + @brief Initializes the cell mapping for top-level identity in full mapping mode - This method will convert the instance to a number of shapes which are equivalent to the content of the cell. The instance itself will be removed. - This version of the method allows specification of the number of hierarchy levels to remove. Specifying 1 for 'levels' will remove the instance and replace it by the contents of the cell. Specifying a negative value or zero for the number of levels will flatten the instance completely. + @param cell_a A list of target cells. + @param cell_b A list of source cells. + @return A list of indexes of cells created. - This method has been introduced in version 0.24. - """ - def has_prop_id(self) -> bool: - r""" - @brief Returns true, if the instance has properties + This is a convenience version which uses cell references instead of layout/cell index combinations. It has been introduced in version 0.28. """ - def is_complex(self) -> bool: + @overload + def for_multi_cells_full(self, layout_a: Layout, cell_indexes_a: Sequence[int], layout_b: Layout, cell_indexes_b: Sequence[int]) -> List[int]: r""" - @brief Tests, if the array is a complex array + @brief Initializes the cell mapping for top-level identity in full mapping mode - Returns true if the array represents complex instances (that is, with magnification and - arbitrary rotation angles). - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def is_null(self) -> bool: - r""" - @brief Checks, if the instance is a valid one - """ - def is_pcell(self) -> bool: - r""" - @brief Returns a value indicating whether the instance is a PCell instance + @param layout_a The target layout. + @param cell_indexes_a A list of cell indexes for the target cells. + @param layout_b The source layout. + @param cell_indexes_b A list of cell indexes for the source cells (same number of indexes than \cell_indexes_a). - This method has been introduced in version 0.24. - """ - def is_regular_array(self) -> bool: - r""" - @brief Tests, if this instance is a regular array - """ - def is_valid(self) -> bool: - r""" - @brief Tests if the \Instance object is still pointing to a valid instance - If the instance represented by the given reference has been deleted, this method returns false. If however, another instance has been inserted already that occupies the original instances position, this method will return true again. + The cell mapping is created for cells from cell_indexes_b to cell from cell_indexes_a in the respective layouts. This method clears the mapping and creates one for each cell pair from cell_indexes_b vs. cell_indexes_a. In addition and in contrast to \for_multi_cells, this method completes the mapping by adding all the child cells of all cells in cell_indexes_b to layout_a and creating the proper instances. - This method has been introduced in version 0.23 and is a shortcut for "inst.cell.is_valid?(inst)". + This method has been introduced in version 0.27. """ @overload - def layout(self) -> Layout: + def for_single_cell(self, cell_a: Cell, cell_b: Cell) -> None: r""" - @brief Gets the layout this instance is contained in + @brief Initializes the cell mapping for top-level identity - This method has been introduced in version 0.22. + @param cell_a The target cell. + @param cell_b The source cell. + @return A list of indexes of cells created. + + This is a convenience version which uses cell references instead of layout/cell index combinations. It has been introduced in version 0.28. """ @overload - def layout(self) -> Layout: + def for_single_cell(self, layout_a: Layout, cell_index_a: int, layout_b: Layout, cell_index_b: int) -> None: r""" - @brief Gets the layout this instance is contained in + @brief Initializes the cell mapping for top-level identity - This const version of the method has been introduced in version 0.25. - """ - def pcell_declaration(self) -> PCellDeclaration_Native: - r""" - @brief Returns the PCell declaration object + @param layout_a The target layout. + @param cell_index_a The index of the target cell. + @param layout_b The source layout. + @param cell_index_b The index of the source cell. - If the instance is a PCell instance, this method returns the PCell declaration object for that PCell. If not, this method will return nil. - This method has been introduced in version 0.24. - """ - def pcell_parameter(self, name: str) -> Any: - r""" - @brief Gets a PCell parameter by the name of the parameter - @return The parameter value or nil if the instance is not a PCell or does not have a parameter with given name + The cell mapping is created for cell_b to cell_a in the respective layouts. This method clears the mapping and creates one for the single cell pair. If used for \Cell#copy_tree or \Cell#move_tree, this cell mapping will essentially flatten the cell. - This method has been introduced in version 0.25. + This method is equivalent to \clear, followed by \map(cell_index_a, cell_index_b). + + This method has been introduced in version 0.23. """ - def pcell_parameters(self) -> List[Any]: + @overload + def for_single_cell_full(self, cell_a: Cell, cell_b: Cell) -> List[int]: r""" - @brief Gets the parameters of a PCell instance as a list of values - @return A list of values + @brief Initializes the cell mapping for top-level identity in full mapping mode - If the instance is a PCell instance, this method will return an array of values where each value corresponds to one parameter. The order of the values is the order the parameters are declared in the PCell declaration. - If the instance is not a PCell instance, this list returned will be empty. + @param cell_a The target cell. + @param cell_b The source cell. + @return A list of indexes of cells created. - This method has been introduced in version 0.24. + This is a convenience version which uses cell references instead of layout/cell index combinations. It has been introduced in version 0.28. """ - def pcell_parameters_by_name(self) -> Dict[str, Any]: + @overload + def for_single_cell_full(self, layout_a: Layout, cell_index_a: int, layout_b: Layout, cell_index_b: int) -> List[int]: r""" - @brief Gets the parameters of a PCell instance as a dictionary of values vs. names - @return A dictionary of values by parameter name + @brief Initializes the cell mapping for top-level identity in full mapping mode - If the instance is a PCell instance, this method will return a map of values vs. parameter names. The names are the ones defined in the PCell declaration.If the instance is not a PCell instance, the dictionary returned will be empty. + @param layout_a The target layout. + @param cell_index_a The index of the target cell. + @param layout_b The source layout. + @param cell_index_b The index of the source cell. - This method has been introduced in version 0.24. + The cell mapping is created for cell_b to cell_a in the respective layouts. This method clears the mapping and creates one for the single cell pair. In addition and in contrast to \for_single_cell, this method completes the mapping by adding all the child cells of cell_b to layout_a and creating the proper instances. + + This method has been introduced in version 0.23. """ - def property(self, key: Any) -> Any: + @overload + def from_geometry(self, cell_a: Cell, cell_b: Cell) -> None: r""" - @brief Gets the user property with the given key - This method is a convenience method that gets the property with the given key. If no property with that key exists, it will return nil. Using that method is more convenient than using the layout object and the properties ID to retrieve the property value. - This method has been introduced in version 0.22. - """ - def set_property(self, key: Any, value: Any) -> None: - r""" - @brief Sets the user property with the given key to the given value - This method is a convenience method that sets the property with the given key to the given value. If no property with that key exists, it will create one. Using that method is more convenient than creating a new property set with a new ID and assigning that properties ID. - This method may change the properties ID. Note: GDS only supports integer keys. OASIS supports numeric and string keys. Calling this method may invalidate any iterators. It should not be called inside a loop iterating over instances. + @brief Initializes the cell mapping using the geometrical identity - This method has been introduced in version 0.22. - """ - def size(self) -> int: - r""" - @brief Gets the number of single instances in the instance array - If the instance represents a single instance, the count is 1. Otherwise it is na*nb. + @param cell_a The target cell. + @param cell_b The source cell. + @return A list of indexes of cells created. + + This is a convenience version which uses cell references instead of layout/cell index combinations. It has been introduced in version 0.28. """ @overload - def to_s(self) -> str: + def from_geometry(self, layout_a: Layout, cell_index_a: int, layout_b: Layout, cell_index_b: int) -> None: r""" - @brief Creates a string showing the contents of the reference + @brief Initializes the cell mapping using the geometrical identity - This method has been introduced with version 0.16. + @param layout_a The target layout. + @param cell_index_a The index of the target starting cell. + @param layout_b The source layout. + @param cell_index_b The index of the source starting cell. + + The cell mapping is created for cells below cell_a and cell_b in the respective layouts. This method employs geometrical identity to derive mappings for the child cells of the starting cell in layout A and B. + If the geometrical identity is ambiguous, the algorithm will make an arbitrary choice. + + This method has been introduced in version 0.23. """ @overload - def to_s(self, with_cellname: bool) -> str: + def from_geometry_full(self, cell_a: Cell, cell_b: Cell) -> List[int]: r""" - @brief Creates a string showing the contents of the reference + @brief Initializes the cell mapping using the geometrical identity in full mapping mode - Passing true to with_cellname makes the string contain the cellname instead of the cell index + @param cell_a The target cell. + @param cell_b The source cell. + @return A list of indexes of cells created. - This method has been introduced with version 0.23. + This is a convenience version which uses cell references instead of layout/cell index combinations. It has been introduced in version 0.28. """ @overload - def transform(self, t: DCplxTrans) -> None: + def from_geometry_full(self, layout_a: Layout, cell_index_a: int, layout_b: Layout, cell_index_b: int) -> List[int]: r""" - @brief Transforms the instance array with the given complex transformation (given in micrometer units) - Transforms the instance like \transform does, but with a transformation given in micrometer units. The displacement of this transformation is given in micrometers and is internally translated to database units. + @brief Initializes the cell mapping using the geometrical identity in full mapping mode - This method has been introduced in version 0.25. + @param layout_a The target layout. + @param cell_index_a The index of the target starting cell. + @param layout_b The source layout. + @param cell_index_b The index of the source starting cell. + @return A list of indexes of cells created. + + The cell mapping is created for cells below cell_a and cell_b in the respective layouts. This method employs geometrical identity to derive mappings for the child cells of the starting cell in layout A and B. + If the geometrical identity is ambiguous, the algorithm will make an arbitrary choice. + + Full mapping means that cells which are not found in the target layout A are created there plus their corresponding instances are created as well. The returned list will contain the indexes of all cells created for that reason. + + This method has been introduced in version 0.23. """ @overload - def transform(self, t: DTrans) -> None: + def from_names(self, cell_a: Cell, cell_b: Cell) -> None: r""" - @brief Transforms the instance array with the given transformation (given in micrometer units) - Transforms the instance like \transform does, but with a transformation given in micrometer units. The displacement of this transformation is given in micrometers and is internally translated to database units. + @brief Initializes the cell mapping using the name identity - This method has been introduced in version 0.25. + @param cell_a The target cell. + @param cell_b The source cell. + @return A list of indexes of cells created. + + This is a convenience version which uses cell references instead of layout/cell index combinations. It has been introduced in version 0.28. """ @overload - def transform(self, t: ICplxTrans) -> None: + def from_names(self, layout_a: Layout, cell_index_a: int, layout_b: Layout, cell_index_b: int) -> None: r""" - @brief Transforms the instance array with the given complex transformation - See \Cell#transform for a description of this method. + @brief Initializes the cell mapping using the name identity + + @param layout_a The target layout. + @param cell_index_a The index of the target starting cell. + @param layout_b The source layout. + @param cell_index_b The index of the source starting cell. + + The cell mapping is created for cells below cell_a and cell_b in the respective layouts. + This method employs name identity to derive mappings for the child cells of the starting cell in layout A and B. This method has been introduced in version 0.23. """ @overload - def transform(self, t: Trans) -> None: + def from_names_full(self, cell_a: Cell, cell_b: Cell) -> List[int]: r""" - @brief Transforms the instance array with the given transformation - See \Cell#transform for a description of this method. + @brief Initializes the cell mapping using the name identity in full mapping mode - This method has been introduced in version 0.23. + @param cell_a The target cell. + @param cell_b The source cell. + @return A list of indexes of cells created. + + This is a convenience version which uses cell references instead of layout/cell index combinations. It has been introduced in version 0.28. """ @overload - def transform_into(self, t: DCplxTrans) -> None: + def from_names_full(self, layout_a: Layout, cell_index_a: int, layout_b: Layout, cell_index_b: int) -> List[int]: r""" - @brief Transforms the instance array with the given complex transformation (given in micrometer units) - Transforms the instance like \transform_into does, but with a transformation given in micrometer units. The displacement of this transformation is given in micrometers and is internally translated to database units. + @brief Initializes the cell mapping using the name identity in full mapping mode - This method has been introduced in version 0.25. + @param layout_a The target layout. + @param cell_index_a The index of the target starting cell. + @param layout_b The source layout. + @param cell_index_b The index of the source starting cell. + @return A list of indexes of cells created. + + The cell mapping is created for cells below cell_a and cell_b in the respective layouts. + This method employs name identity to derive mappings for the child cells of the starting cell in layout A and B. + + Full mapping means that cells which are not found in the target layout A are created there plus their corresponding instances are created as well. The returned list will contain the indexes of all cells created for that reason. + + This method has been introduced in version 0.23. """ - @overload - def transform_into(self, t: DTrans) -> None: + def has_mapping(self, cell_index_b: int) -> bool: r""" - @brief Transforms the instance array with the given transformation (given in micrometer units) - Transforms the instance like \transform_into does, but with a transformation given in micrometer units. The displacement of this transformation is given in micrometers and is internally translated to database units. + @brief Returns as value indicating whether a cell of layout_b has a mapping to a layout_a cell. - This method has been introduced in version 0.25. + @param cell_index_b The index of the cell in layout_b whose mapping is requested. + @return true, if the cell has a mapping + + Note that if the cell is supposed to be dropped (see \DropCell), the respective source cell will also be regarded "mapped", so has_mapping? will return true in this case. """ - @overload - def transform_into(self, t: ICplxTrans) -> None: + def is_const_object(self) -> bool: r""" - @brief Transforms the instance array with the given transformation - See \Cell#transform_into for a description of this method. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def map(self, cell_index_b: int, cell_index_a: int) -> None: + r""" + @brief Explicitly specifies a mapping. + + + @param cell_index_b The index of the cell in layout B (the "source") + @param cell_index_a The index of the cell in layout A (the "target") - this index can be \DropCell + + Beside using the mapping generator algorithms provided through \from_names and \from_geometry, it is possible to explicitly specify cell mappings using this method. This method has been introduced in version 0.23. """ - @overload - def transform_into(self, t: Trans) -> None: + def table(self) -> Dict[int, int]: r""" - @brief Transforms the instance array with the given transformation - See \Cell#transform_into for a description of this method. + @brief Returns the mapping table. - This method has been introduced in version 0.23. + The mapping table is a dictionary where the keys are source layout cell indexes and the values are the target layout cell indexes. + Note that the target cell index can be \DropCell to indicate that a cell is supposed to be dropped. + + This method has been introduced in version 0.25. """ -class ParentInstArray: +class Circuit(NetlistObject): r""" - @brief A parent instance + @brief Circuits are the basic building blocks of the netlist + A circuit has pins by which it can connect to the outside. Pins are created using \create_pin and are represented by the \Pin class. - A parent instance is basically an inverse instance: instead of pointing - to the child cell, it is pointing to the parent cell and the transformation - is representing the shift of the parent cell relative to the child cell. - For memory performance, a parent instance is not stored as a instance but - rather as a reference to a child instance and a reference to the cell which - is the parent. - The parent instance itself is computed on the fly. It is representative for - a set of instances belonging to the same cell index. The special parent instance - iterator takes care of producing the right sequence (\Cell#each_parent_inst). + Furthermore, a circuit manages the components of the netlist. Components are devices (class \Device) and subcircuits (class \SubCircuit). Devices are basic devices such as resistors or transistors. Subcircuits are other circuits to which nets from this circuit connect. Devices are created using the \create_device method. Subcircuits are created using the \create_subcircuit method. - See @The Database API@ for more details about the database objects. + Devices are connected through 'terminals', subcircuits are connected through their pins. Terminals and pins are described by integer ID's in the context of most methods. + + Finally, the circuit consists of the nets. Nets connect terminals of devices and pins of subcircuits or the circuit itself. Nets are created using \create_net and are represented by objects of the \Net class. + See there for more about nets. + + The Circuit object is only valid if the netlist object is alive. Circuits must be added to a netlist using \Netlist#add to become part of the netlist. + + The Circuit class has been introduced in version 0.26. """ - @classmethod - def new(cls) -> ParentInstArray: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> ParentInstArray: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> ParentInstArray: - r""" - @brief Creates a copy of self - """ - def __init__(self) -> None: + boundary: DPolygon + r""" + Getter: + @brief Gets the boundary of the circuit + Setter: + @brief Sets the boundary of the circuit + """ + cell_index: int + r""" + Getter: + @brief Gets the cell index of the circuit + See \cell_index= for details. + + Setter: + @brief Sets the cell index + The cell index relates a circuit with a cell from a layout. It's intended to hold a cell index number if the netlist was extracted from a layout. + """ + dont_purge: bool + r""" + Getter: + @brief Gets a value indicating whether the circuit can be purged on \Netlist#purge. + + Setter: + @brief Sets a value indicating whether the circuit can be purged on \Netlist#purge. + If this attribute is set to true, \Netlist#purge will never delete this circuit. + This flag therefore marks this circuit as 'precious'. + """ + name: str + r""" + Getter: + @brief Gets the name of the circuit + Setter: + @brief Sets the name of the circuit + """ + def _assign(self, other: NetlistObject) -> None: r""" - @brief Creates a new object of this class + @brief Assigns another object to self """ def _create(self) -> None: r""" @@ -3698,6 +3412,10 @@ class ParentInstArray: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ + def _dup(self) -> Circuit: + r""" + @brief Creates a copy of self + """ def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference @@ -3718,1352 +3436,1285 @@ class ParentInstArray: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: ParentInstArray) -> None: + def blank(self) -> None: r""" - @brief Assigns another object to self + @brief Blanks out the circuit + This method will remove all the innards of the circuit and just leave the pins. The pins won't be connected to inside nets anymore, but the circuit can still be called by subcircuit references. This method will eventually create a 'circuit abstract' (or black box). It will set the \dont_purge flag to mark this circuit as 'intentionally empty'. """ - def child_inst(self) -> Instance: + def clear(self) -> None: r""" - @brief Retrieve the child instance associated with this parent instance - - Starting with version 0.15, this method returns an \Instance object rather than a \CellInstArray reference. + @brief Clears the circuit + This method removes all objects and clears the other attributes. """ - def create(self) -> None: + def combine_devices(self) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Combines devices where possible + This method will combine devices that can be combined according to their device classes 'combine_devices' method. + For example, serial or parallel resistors can be combined into a single resistor. """ - def destroy(self) -> None: + @overload + def connect_pin(self, pin: Pin, net: Net) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Connects the given pin with the given net. + The net and the pin must be objects from inside the circuit. Any previous connected is resolved before this connection is made. A pin can only be connected to one net at a time. """ - def destroyed(self) -> bool: + @overload + def connect_pin(self, pin_id: int, net: Net) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Connects the given pin with the given net. + The net must be one inside the circuit. Any previous connected is resolved before this connection is made. A pin can only be connected to one net at a time. """ - def dinst(self) -> DCellInstArray: + def create_device(self, device_class: DeviceClass, name: Optional[str] = ...) -> Device: r""" - @brief Compute the inverse instance by which the parent is seen from the child in micrometer units + @brief Creates a new bound \Device object inside the circuit + This object describes a device of the circuit. The device is already attached to the device class. The name is optional and is used to identify the device in a netlist file. - This convenience method has been introduced in version 0.28. + For more details see the \Device class. """ - def dup(self) -> ParentInstArray: + def create_net(self, name: Optional[str] = ...) -> Net: r""" - @brief Creates a copy of self + @brief Creates a new \Net object inside the circuit + This object will describe a net of the circuit. The nets are basically connections between the different components of the circuit (subcircuits, devices and pins). + + A net needs to be filled with references to connect to specific objects. See the \Net class for more details. """ - def inst(self) -> CellInstArray: + def create_pin(self, name: str) -> Pin: r""" - @brief Compute the inverse instance by which the parent is seen from the child + @brief Creates a new \Pin object inside the circuit + This object will describe a pin of the circuit. A circuit connects to the outside through such a pin. The pin is added after all existing pins. For more details see the \Pin class. + + Starting with version 0.26.8, this method returns a reference to a \Pin object rather than a copy. """ - def is_const_object(self) -> bool: + def create_subcircuit(self, circuit: Circuit, name: Optional[str] = ...) -> SubCircuit: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Creates a new bound \SubCircuit object inside the circuit + This object describes an instance of another circuit inside the circuit. The subcircuit is already attached to the other circuit. The name is optional and is used to identify the subcircuit in a netlist file. + + For more details see the \SubCircuit class. """ - def parent_cell_index(self) -> int: + @overload + def device_by_id(self, id: int) -> Device: r""" - @brief Gets the index of the parent cell + @brief Gets the device object for a given ID. + If the ID is not a valid device ID, nil is returned. """ - -class CellInstArray: - r""" - @brief A single or array cell instance - This object represents either single or array cell instances. A cell instance array is a regular array, described by two displacement vectors (a, b) and the instance count along that axes (na, nb). - - In addition, this object represents either instances with simple transformations or instances with complex transformations. The latter includes magnified instances and instances rotated by an arbitrary angle. - - The cell which is instantiated is given by a cell index. The cell index can be converted to a cell pointer by using \Layout#cell. The cell index of a cell can be obtained using \Cell#cell_index. - - See @The Database API@ for more details about the database objects. - """ - a: Vector - r""" - Getter: - @brief Gets the displacement vector for the 'a' axis - - Starting with version 0.25 the displacement is of vector type. - - Setter: - @brief Sets the displacement vector for the 'a' axis - - If the instance was not regular before this property is set, it will be initialized to a regular instance. - - This method was introduced in version 0.22. Starting with version 0.25 the displacement is of vector type. - """ - b: Vector - r""" - Getter: - @brief Gets the displacement vector for the 'b' axis - - Starting with version 0.25 the displacement is of vector type. - - Setter: - @brief Sets the displacement vector for the 'b' axis - - If the instance was not regular before this property is set, it will be initialized to a regular instance. - - This method was introduced in version 0.22. Starting with version 0.25 the displacement is of vector type. - """ - @property - def cell(self) -> None: + @overload + def device_by_id(self, id: int) -> Device: r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the cell this instance refers to - This is a convenience method and equivalent to 'cell_index = cell.cell_index()'. There is no getter for the cell pointer because the \CellInstArray object only knows about cell indexes. + @brief Gets the device object for a given ID (const version). + If the ID is not a valid device ID, nil is returned. - This convenience method has been introduced in version 0.28. + This constness variant has been introduced in version 0.26.8 """ - cell_index: int - r""" - Getter: - @brief Gets the cell index of the cell instantiated - Use \Layout#cell to get the \Cell object from the cell index. - Setter: - @brief Sets the index of the cell this instance refers to - """ - cplx_trans: ICplxTrans - r""" - Getter: - @brief Gets the complex transformation of the first instance in the array - This method is always applicable, compared to \trans, since simple transformations can be expressed as complex transformations as well. - Setter: - @brief Sets the complex transformation of the instance or the first instance in the array - - This method was introduced in version 0.22. - """ - na: int - r""" - Getter: - @brief Gets the number of instances in the 'a' axis - - Setter: - @brief Sets the number of instances in the 'a' axis - - If the instance was not regular before this property is set to a value larger than zero, it will be initialized to a regular instance. - To make an instance a single instance, set na or nb to 0. - - This method was introduced in version 0.22. - """ - nb: int - r""" - Getter: - @brief Gets the number of instances in the 'b' axis - - Setter: - @brief Sets the number of instances in the 'b' axis - - If the instance was not regular before this property is set to a value larger than zero, it will be initialized to a regular instance. - To make an instance a single instance, set na or nb to 0. - - This method was introduced in version 0.22. - """ - trans: Trans - r""" - Getter: - @brief Gets the transformation of the first instance in the array - The transformation returned is only valid if the array does not represent a complex transformation array - Setter: - @brief Sets the transformation of the instance or the first instance in the array - - This method was introduced in version 0.22. - """ @overload - @classmethod - def new(cls) -> CellInstArray: + def device_by_name(self, name: str) -> Device: r""" - @brief Creates en empty cell instance with size 0 + @brief Gets the device object for a given name. + If the ID is not a valid device name, nil is returned. """ @overload - @classmethod - def new(cls, cell: Cell, disp: Vector) -> CellInstArray: + def device_by_name(self, name: str) -> Device: r""" - @brief Creates a single cell instance - @param cell The cell to instantiate - @param disp The displacement + @brief Gets the device object for a given name (const version). + If the ID is not a valid device name, nil is returned. - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + This constness variant has been introduced in version 0.26.8 """ @overload - @classmethod - def new(cls, cell: Cell, trans: ICplxTrans) -> CellInstArray: + def disconnect_pin(self, pin: Pin) -> None: r""" - @brief Creates a single cell instance with a complex transformation - @param cell The cell to instantiate - @param trans The complex transformation by which to instantiate the cell - - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + @brief Disconnects the given pin from any net. """ @overload - @classmethod - def new(cls, cell: Cell, trans: Trans) -> CellInstArray: + def disconnect_pin(self, pin_id: int) -> None: r""" - @brief Creates a single cell instance - @param cell The cell to instantiate - @param trans The transformation by which to instantiate the cell - - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + @brief Disconnects the given pin from any net. """ @overload - @classmethod - def new(cls, cell_index: int, disp: Vector) -> CellInstArray: + def each_child(self) -> Iterator[Circuit]: r""" - @brief Creates a single cell instance - @param cell_index The cell to instantiate - @param disp The displacement - This convenience initializer has been introduced in version 0.28. + @brief Iterates over the child circuits of this circuit + Child circuits are the ones that are referenced from this circuit via subcircuits. """ @overload - @classmethod - def new(cls, cell_index: int, trans: ICplxTrans) -> CellInstArray: + def each_child(self) -> Iterator[Circuit]: r""" - @brief Creates a single cell instance with a complex transformation - @param cell_index The cell to instantiate - @param trans The complex transformation by which to instantiate the cell + @brief Iterates over the child circuits of this circuit (const version) + Child circuits are the ones that are referenced from this circuit via subcircuits. + + This constness variant has been introduced in version 0.26.8 """ @overload - @classmethod - def new(cls, cell_index: int, trans: Trans) -> CellInstArray: + def each_device(self) -> Iterator[Device]: r""" - @brief Creates a single cell instance - @param cell_index The cell to instantiate - @param trans The transformation by which to instantiate the cell + @brief Iterates over the devices of the circuit """ @overload - @classmethod - def new(cls, cell: Cell, disp: Vector, a: Vector, b: Vector, na: int, nb: int) -> CellInstArray: + def each_device(self) -> Iterator[Device]: r""" - @brief Creates a single cell instance - @param cell The cell to instantiate - @param disp The basic displacement of the first instance - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis + @brief Iterates over the devices of the circuit (const version) - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + This constness variant has been introduced in version 0.26.8 """ @overload - @classmethod - def new(cls, cell: Cell, trans: ICplxTrans, a: Vector, b: Vector, na: int, nb: int) -> CellInstArray: + def each_net(self) -> Iterator[Net]: r""" - @brief Creates a single cell instance with a complex transformation - @param cell The cell to instantiate - @param trans The complex transformation by which to instantiate the cell - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis - - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + @brief Iterates over the nets of the circuit """ @overload - @classmethod - def new(cls, cell: Cell, trans: Trans, a: Vector, b: Vector, na: int, nb: int) -> CellInstArray: + def each_net(self) -> Iterator[Net]: r""" - @brief Creates a single cell instance - @param cell The cell to instantiate - @param trans The transformation by which to instantiate the cell - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis + @brief Iterates over the nets of the circuit (const version) - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + This constness variant has been introduced in version 0.26.8 """ @overload - @classmethod - def new(cls, cell_index: int, disp: Vector, a: Vector, b: Vector, na: int, nb: int) -> CellInstArray: + def each_parent(self) -> Iterator[Circuit]: r""" - @brief Creates a single cell instance - @param cell_index The cell to instantiate - @param disp The basic displacement of the first instance - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis - - This convenience initializer has been introduced in version 0.28. + @brief Iterates over the parent circuits of this circuit + Child circuits are the ones that are referencing this circuit via subcircuits. """ @overload - @classmethod - def new(cls, cell_index: int, trans: ICplxTrans, a: Vector, b: Vector, na: int, nb: int) -> CellInstArray: + def each_parent(self) -> Iterator[Circuit]: r""" - @brief Creates a single cell instance with a complex transformation - @param cell_index The cell to instantiate - @param trans The complex transformation by which to instantiate the cell - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis + @brief Iterates over the parent circuits of this circuit (const version) + Child circuits are the ones that are referencing this circuit via subcircuits. - Starting with version 0.25 the displacements are of vector type. + This constness variant has been introduced in version 0.26.8 """ @overload - @classmethod - def new(cls, cell_index: int, trans: Trans, a: Vector, b: Vector, na: int, nb: int) -> CellInstArray: - r""" - @brief Creates a single cell instance - @param cell_index The cell to instantiate - @param trans The transformation by which to instantiate the cell - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis - - Starting with version 0.25 the displacements are of vector type. - """ - def __copy__(self) -> CellInstArray: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> CellInstArray: - r""" - @brief Creates a copy of self - """ - def __eq__(self, other: object) -> bool: + def each_pin(self) -> Iterator[Pin]: r""" - @brief Compares two arrays for equality + @brief Iterates over the pins of the circuit """ - def __hash__(self) -> int: + @overload + def each_pin(self) -> Iterator[Pin]: r""" - @brief Computes a hash value - Returns a hash value for the given cell instance. This method enables cell instances as hash keys. + @brief Iterates over the pins of the circuit (const version) - This method has been introduced in version 0.25. + This constness variant has been introduced in version 0.26.8 """ @overload - def __init__(self) -> None: + def each_ref(self) -> Iterator[SubCircuit]: r""" - @brief Creates en empty cell instance with size 0 + @brief Iterates over the subcircuit objects referencing this circuit """ @overload - def __init__(self, cell: Cell, disp: Vector) -> None: + def each_ref(self) -> Iterator[SubCircuit]: r""" - @brief Creates a single cell instance - @param cell The cell to instantiate - @param disp The displacement + @brief Iterates over the subcircuit objects referencing this circuit (const version) - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. - """ - @overload - def __init__(self, cell: Cell, trans: ICplxTrans) -> None: - r""" - @brief Creates a single cell instance with a complex transformation - @param cell The cell to instantiate - @param trans The complex transformation by which to instantiate the cell - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + This constness variant has been introduced in version 0.26.8 """ @overload - def __init__(self, cell: Cell, trans: Trans) -> None: + def each_subcircuit(self) -> Iterator[SubCircuit]: r""" - @brief Creates a single cell instance - @param cell The cell to instantiate - @param trans The transformation by which to instantiate the cell - - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + @brief Iterates over the subcircuits of the circuit """ @overload - def __init__(self, cell_index: int, disp: Vector) -> None: + def each_subcircuit(self) -> Iterator[SubCircuit]: r""" - @brief Creates a single cell instance - @param cell_index The cell to instantiate - @param disp The displacement - This convenience initializer has been introduced in version 0.28. + @brief Iterates over the subcircuits of the circuit (const version) + + This constness variant has been introduced in version 0.26.8 """ - @overload - def __init__(self, cell_index: int, trans: ICplxTrans) -> None: + def flatten_subcircuit(self, subcircuit: SubCircuit) -> None: r""" - @brief Creates a single cell instance with a complex transformation - @param cell_index The cell to instantiate - @param trans The complex transformation by which to instantiate the cell + @brief Flattens a subcircuit + This method will substitute the given subcircuit by it's contents. The subcircuit is removed after this. """ - @overload - def __init__(self, cell_index: int, trans: Trans) -> None: + def has_refs(self) -> bool: r""" - @brief Creates a single cell instance - @param cell_index The cell to instantiate - @param trans The transformation by which to instantiate the cell + @brief Returns a value indicating whether the circuit has references + A circuit has references if there is at least one subcircuit referring to it. """ - @overload - def __init__(self, cell: Cell, disp: Vector, a: Vector, b: Vector, na: int, nb: int) -> None: + def join_nets(self, net: Net, with_: Net) -> None: r""" - @brief Creates a single cell instance - @param cell The cell to instantiate - @param disp The basic displacement of the first instance - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis + @brief Joins (connects) two nets into one + This method will connect the 'with' net with 'net' and remove 'with'. - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + This method has been introduced in version 0.26.4. """ - @overload - def __init__(self, cell: Cell, trans: ICplxTrans, a: Vector, b: Vector, na: int, nb: int) -> None: + def net_by_cluster_id(self, cluster_id: int) -> Net: r""" - @brief Creates a single cell instance with a complex transformation - @param cell The cell to instantiate - @param trans The complex transformation by which to instantiate the cell - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis - - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + @brief Gets the net object corresponding to a specific cluster ID + If the ID is not a valid pin cluster ID, nil is returned. """ @overload - def __init__(self, cell: Cell, trans: Trans, a: Vector, b: Vector, na: int, nb: int) -> None: + def net_by_name(self, name: str) -> Net: r""" - @brief Creates a single cell instance - @param cell The cell to instantiate - @param trans The transformation by which to instantiate the cell - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis - - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + @brief Gets the net object for a given name. + If the ID is not a valid net name, nil is returned. """ @overload - def __init__(self, cell_index: int, disp: Vector, a: Vector, b: Vector, na: int, nb: int) -> None: + def net_by_name(self, name: str) -> Net: r""" - @brief Creates a single cell instance - @param cell_index The cell to instantiate - @param disp The basic displacement of the first instance - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis + @brief Gets the net object for a given name (const version). + If the ID is not a valid net name, nil is returned. - This convenience initializer has been introduced in version 0.28. + This constness variant has been introduced in version 0.26.8 """ @overload - def __init__(self, cell_index: int, trans: ICplxTrans, a: Vector, b: Vector, na: int, nb: int) -> None: + def net_for_pin(self, pin: Pin) -> Net: r""" - @brief Creates a single cell instance with a complex transformation - @param cell_index The cell to instantiate - @param trans The complex transformation by which to instantiate the cell - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis - - Starting with version 0.25 the displacements are of vector type. + @brief Gets the net object attached to a specific pin. + This is the net object inside the circuit which attaches to the given outward-bound pin. + This method returns nil if the pin is not connected or the pin object is nil. """ @overload - def __init__(self, cell_index: int, trans: Trans, a: Vector, b: Vector, na: int, nb: int) -> None: + def net_for_pin(self, pin: Pin) -> Net: r""" - @brief Creates a single cell instance - @param cell_index The cell to instantiate - @param trans The transformation by which to instantiate the cell - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis + @brief Gets the net object attached to a specific pin (const version). + This is the net object inside the circuit which attaches to the given outward-bound pin. + This method returns nil if the pin is not connected or the pin object is nil. - Starting with version 0.25 the displacements are of vector type. - """ - def __len__(self) -> int: - r""" - @brief Gets the number of single instances in the array - If the instance represents a single instance, the count is 1. Otherwise it is na*nb. Starting with version 0.27, there may be iterated instances for which the size is larger than 1, but \is_regular_array? will return false. In this case, use \each_trans or \each_cplx_trans to retrieve the individual placements of the iterated instance. - """ - def __lt__(self, other: CellInstArray) -> bool: - r""" - @brief Compares two arrays for 'less' - The comparison provides an arbitrary sorting criterion and not specific sorting order. It is guaranteed that if an array a is less than b, b is not less than a. In addition, it a is not less than b and b is not less than a, then a is equal to b. + This constness variant has been introduced in version 0.26.8 """ - def __ne__(self, other: object) -> bool: + @overload + def net_for_pin(self, pin_id: int) -> Net: r""" - @brief Compares two arrays for inequality + @brief Gets the net object attached to a specific pin. + This is the net object inside the circuit which attaches to the given outward-bound pin. + This method returns nil if the pin is not connected or the pin ID is invalid. """ - def __str__(self) -> str: + @overload + def net_for_pin(self, pin_id: int) -> Net: r""" - @brief Converts the array to a string + @brief Gets the net object attached to a specific pin (const version). + This is the net object inside the circuit which attaches to the given outward-bound pin. + This method returns nil if the pin is not connected or the pin ID is invalid. - This method was introduced in version 0.22. - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + This constness variant has been introduced in version 0.26.8 """ - def _manage(self) -> None: + @overload + def netlist(self) -> Netlist: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief Gets the netlist object the circuit lives in """ - def _unmanage(self) -> None: + @overload + def netlist(self) -> Netlist: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Gets the netlist object the circuit lives in (const version) - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: CellInstArray) -> None: - r""" - @brief Assigns another object to self + This constness variant has been introduced in version 0.26.8 """ @overload - def bbox(self, layout: Layout) -> Box: + def nets_by_name(self, name_pattern: str) -> List[Net]: r""" - @brief Gets the bounding box of the array - The bounding box incorporates all instances that the array represents. It needs the layout object to access the actual cell from the cell index. + @brief Gets the net objects for a given name filter. + The name filter is a glob pattern. This method will return all \Net objects matching the glob pattern. + + This method has been introduced in version 0.27.3. """ @overload - def bbox(self, layout: Layout, layer_index: int) -> Box: + def nets_by_name(self, name_pattern: str) -> List[Net]: r""" - @brief Gets the bounding box of the array with respect to one layer - The bounding box incorporates all instances that the array represents. It needs the layout object to access the actual cell from the cell index. + @brief Gets the net objects for a given name filter (const version). + The name filter is a glob pattern. This method will return all \Net objects matching the glob pattern. - 'bbox' is the preferred synonym since version 0.28. - """ - def bbox_per_layer(self, layout: Layout, layer_index: int) -> Box: - r""" - @brief Gets the bounding box of the array with respect to one layer - The bounding box incorporates all instances that the array represents. It needs the layout object to access the actual cell from the cell index. - 'bbox' is the preferred synonym since version 0.28. - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + This constness variant has been introduced in version 0.27.3 """ - def destroy(self) -> None: + @overload + def pin_by_id(self, id: int) -> Pin: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Gets the \Pin object corresponding to a specific ID + If the ID is not a valid pin ID, nil is returned. """ - def destroyed(self) -> bool: + @overload + def pin_by_id(self, id: int) -> Pin: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Gets the \Pin object corresponding to a specific ID (const version) + If the ID is not a valid pin ID, nil is returned. + + This constness variant has been introduced in version 0.26.8 """ - def dup(self) -> CellInstArray: + @overload + def pin_by_name(self, name: str) -> Pin: r""" - @brief Creates a copy of self + @brief Gets the \Pin object corresponding to a specific name + If the ID is not a valid pin name, nil is returned. """ - def each_cplx_trans(self) -> Iterator[ICplxTrans]: + @overload + def pin_by_name(self, name: str) -> Pin: r""" - @brief Gets the complex transformations represented by this instance - For a single instance, this iterator will deliver the single, complex transformation. For array instances, the iterator will deliver each complex transformation of the expanded array. - This iterator is a generalization of \each_trans for general complex transformations. + @brief Gets the \Pin object corresponding to a specific name (const version) + If the ID is not a valid pin name, nil is returned. - This method has been introduced in version 0.25. + This constness variant has been introduced in version 0.26.8 """ - def each_trans(self) -> Iterator[Trans]: + def pin_count(self) -> int: r""" - @brief Gets the simple transformations represented by this instance - For a single instance, this iterator will deliver the single, simple transformation. For array instances, the iterator will deliver each simple transformation of the expanded array. - - This iterator will only deliver valid transformations if the instance array is not of complex type (see \is_complex?). A more general iterator that delivers the complex transformations is \each_cplx_trans. - - This method has been introduced in version 0.25. + @brief Gets the number of pins in the circuit """ - def hash(self) -> int: + def purge_nets(self) -> None: r""" - @brief Computes a hash value - Returns a hash value for the given cell instance. This method enables cell instances as hash keys. - - This method has been introduced in version 0.25. + @brief Purges floating nets. + Floating nets are nets with no device or subcircuit attached to. Such floating nets are removed in this step. If these nets are connected outward to a circuit pin, this circuit pin is also removed. """ - def invert(self) -> None: + def purge_nets_keep_pins(self) -> None: r""" - @brief Inverts the array reference + @brief Purges floating nets but keep pins. + This method will remove floating nets like \purge_nets, but if these nets are attached to a pin, the pin will be left disconnected from any net. - The inverted array reference describes in which transformations the parent cell is - seen from the current cell. + This method has been introduced in version 0.26.2. """ - def is_complex(self) -> bool: + def remove_device(self, device: Device) -> None: r""" - @brief Gets a value indicating whether the array is a complex array - - Returns true if the array represents complex instances (that is, with magnification and - arbitrary rotation angles). + @brief Removes the given device from the circuit """ - def is_const_object(self) -> bool: + def remove_net(self, net: Net) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Removes the given net from the circuit """ - def is_regular_array(self) -> bool: + def remove_pin(self, id: int) -> None: r""" - @brief Gets a value indicating whether this instance is a regular array + @brief Removes the pin with the given ID from the circuit + + This method has been introduced in version 0.26.2. """ - def size(self) -> int: + def remove_subcircuit(self, subcircuit: SubCircuit) -> None: r""" - @brief Gets the number of single instances in the array - If the instance represents a single instance, the count is 1. Otherwise it is na*nb. Starting with version 0.27, there may be iterated instances for which the size is larger than 1, but \is_regular_array? will return false. In this case, use \each_trans or \each_cplx_trans to retrieve the individual placements of the iterated instance. + @brief Removes the given subcircuit from the circuit """ - def to_s(self) -> str: + def rename_pin(self, id: int, new_name: str) -> None: r""" - @brief Converts the array to a string + @brief Renames the pin with the given ID to 'new_name' - This method was introduced in version 0.22. + This method has been introduced in version 0.26.8. """ @overload - def transform(self, trans: ICplxTrans) -> None: + def subcircuit_by_id(self, id: int) -> SubCircuit: r""" - @brief Transforms the cell instance with the given complex transformation - - This method has been introduced in version 0.20. + @brief Gets the subcircuit object for a given ID. + If the ID is not a valid subcircuit ID, nil is returned. """ @overload - def transform(self, trans: Trans) -> None: + def subcircuit_by_id(self, id: int) -> SubCircuit: r""" - @brief Transforms the cell instance with the given transformation + @brief Gets the subcircuit object for a given ID (const version). + If the ID is not a valid subcircuit ID, nil is returned. - This method has been introduced in version 0.20. + This constness variant has been introduced in version 0.26.8 """ @overload - def transformed(self, trans: ICplxTrans) -> CellInstArray: + def subcircuit_by_name(self, name: str) -> SubCircuit: r""" - @brief Gets the transformed cell instance (complex transformation) - - This method has been introduced in version 0.20. + @brief Gets the subcircuit object for a given name. + If the ID is not a valid subcircuit name, nil is returned. """ @overload - def transformed(self, trans: Trans) -> CellInstArray: + def subcircuit_by_name(self, name: str) -> SubCircuit: r""" - @brief Gets the transformed cell instance + @brief Gets the subcircuit object for a given name (const version). + If the ID is not a valid subcircuit name, nil is returned. - This method has been introduced in version 0.20. + This constness variant has been introduced in version 0.26.8 """ -class DCellInstArray: +class CompoundRegionOperationNode: r""" - @brief A single or array cell instance in micrometer units - This object is identical to \CellInstArray, except that it holds coordinates in micron units instead of database units. + @brief A base class for compound DRC operations - This class has been introduced in version 0.25. - """ - a: DVector - r""" - Getter: - @brief Gets the displacement vector for the 'a' axis + This class is not intended to be used directly but rather provide a factory for various incarnations of compound operation nodes. Compound operations are a way to specify complex DRC operations put together by building a tree of operations. This operation tree then is executed with \Region#complex_op and will act on individual clusters of shapes and their interacting neighbors. - Setter: - @brief Sets the displacement vector for the 'a' axis + A basic concept to the compound operations is the 'subject' (primary) and 'intruder' (secondary) input. The 'subject' is the Region, 'complex_op' with the operation tree is executed on. 'intruders' are regions inserted into the equation through secondary input nodes created with \new_secondary_node. The algorithm will execute the operation tree for every subject shape considering intruder shapes from the secondary inputs. The algorithm will only act on subject shapes primarily. As a consequence, 'lonely' intruder shapes without a subject shape are not considered at all. Only subject shapes trigger evaluation of the operation tree. - If the instance was not regular before this property is set, it will be initialized to a regular instance. - """ - b: DVector - r""" - Getter: - @brief Gets the displacement vector for the 'b' axis + The search distance for intruder shapes is determined by the operation and computed from the operation's requirements. - Setter: - @brief Sets the displacement vector for the 'b' axis + NOTE: this feature is experimental and not deployed into the the DRC framework yet. - If the instance was not regular before this property is set, it will be initialized to a regular instance. + This class has been introduced in version 0.27. """ - @property - def cell(self) -> None: + class GeometricalOp: r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the cell this instance refers to - This is a convenience method and equivalent to 'cell_index = cell.cell_index()'. There is no getter for the cell pointer because the \CellInstArray object only knows about cell indexes. + @brief This class represents the CompoundRegionOperationNode::GeometricalOp enum - This convenience method has been introduced in version 0.28. + This enum has been introduced in version 0.27. """ - cell_index: int - r""" - Getter: - @brief Gets the cell index of the cell instantiated - Use \Layout#cell to get the \Cell object from the cell index. - Setter: - @brief Sets the index of the cell this instance refers to - """ - cplx_trans: DCplxTrans - r""" - Getter: - @brief Gets the complex transformation of the first instance in the array - This method is always applicable, compared to \trans, since simple transformations can be expressed as complex transformations as well. - Setter: - @brief Sets the complex transformation of the instance or the first instance in the array - """ - na: int - r""" - Getter: - @brief Gets the number of instances in the 'a' axis - - Setter: - @brief Sets the number of instances in the 'a' axis - - If the instance was not regular before this property is set to a value larger than zero, it will be initialized to a regular instance. - To make an instance a single instance, set na or nb to 0. - """ - nb: int - r""" - Getter: - @brief Gets the number of instances in the 'b' axis - - Setter: - @brief Sets the number of instances in the 'b' axis - - If the instance was not regular before this property is set to a value larger than zero, it will be initialized to a regular instance. - To make an instance a single instance, set na or nb to 0. - """ - trans: DTrans - r""" - Getter: - @brief Gets the transformation of the first instance in the array - The transformation returned is only valid if the array does not represent a complex transformation array - Setter: - @brief Sets the transformation of the instance or the first instance in the array - """ - @overload - @classmethod - def new(cls) -> DCellInstArray: + And: ClassVar[CompoundRegionOperationNode.GeometricalOp] r""" - @brief Creates en empty cell instance with size 0 + @brief Indicates a geometrical '&' (and). """ - @overload - @classmethod - def new(cls, cell: Cell, disp: DVector) -> DCellInstArray: + Not: ClassVar[CompoundRegionOperationNode.GeometricalOp] r""" - @brief Creates a single cell instance - @param cell The cell to instantiate - @param disp The displacement - - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + @brief Indicates a geometrical '-' (not). """ - @overload - @classmethod - def new(cls, cell: Cell, trans: DCplxTrans) -> DCellInstArray: + Or: ClassVar[CompoundRegionOperationNode.GeometricalOp] r""" - @brief Creates a single cell instance with a complex transformation - @param cell The cell to instantiate - @param trans The complex transformation by which to instantiate the cell - - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + @brief Indicates a geometrical '|' (or). """ - @overload - @classmethod - def new(cls, cell: Cell, trans: DTrans) -> DCellInstArray: - r""" - @brief Creates a single cell instance - @param cell The cell to instantiate - @param trans The transformation by which to instantiate the cell - - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. - """ - @overload - @classmethod - def new(cls, cell_index: int, disp: DVector) -> DCellInstArray: - r""" - @brief Creates a single cell instance - @param cell_index The cell to instantiate - @param disp The displacement - This convenience initializer has been introduced in version 0.28. - """ - @overload - @classmethod - def new(cls, cell_index: int, trans: DCplxTrans) -> DCellInstArray: - r""" - @brief Creates a single cell instance with a complex transformation - @param cell_index The cell to instantiate - @param trans The complex transformation by which to instantiate the cell - """ - @overload - @classmethod - def new(cls, cell_index: int, trans: DTrans) -> DCellInstArray: + Xor: ClassVar[CompoundRegionOperationNode.GeometricalOp] r""" - @brief Creates a single cell instance - @param cell_index The cell to instantiate - @param trans The transformation by which to instantiate the cell + @brief Indicates a geometrical '^' (xor). """ - @overload - @classmethod - def new(cls, cell: Cell, disp: DVector, a: DVector, b: DVector, na: int, nb: int) -> DCellInstArray: + @overload + @classmethod + def new(cls, i: int) -> CompoundRegionOperationNode.GeometricalOp: + r""" + @brief Creates an enum from an integer value + """ + @overload + @classmethod + def new(cls, s: str) -> CompoundRegionOperationNode.GeometricalOp: + r""" + @brief Creates an enum from a string value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares two enums + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer value + """ + @overload + def __init__(self, i: int) -> None: + r""" + @brief Creates an enum from an integer value + """ + @overload + def __init__(self, s: str) -> None: + r""" + @brief Creates an enum from a string value + """ + @overload + def __lt__(self, other: CompoundRegionOperationNode.GeometricalOp) -> bool: + r""" + @brief Returns true if the first enum is less (in the enum symbol order) than the second + """ + @overload + def __lt__(self, other: int) -> bool: + r""" + @brief Returns true if the enum is less (in the enum symbol order) than the integer value + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer for inequality + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares two enums for inequality + """ + def __repr__(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + def inspect(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def to_i(self) -> int: + r""" + @brief Gets the integer value from the enum + """ + def to_s(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + class LogicalOp: r""" - @brief Creates a single cell instance - @param cell The cell to instantiate - @param disp The basic displacement of the first instance - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis + @brief This class represents the CompoundRegionOperationNode::LogicalOp enum - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + This enum has been introduced in version 0.27. """ - @overload - @classmethod - def new(cls, cell: Cell, trans: DCplxTrans, a: DVector, b: DVector, na: int, nb: int) -> DCellInstArray: + LogAnd: ClassVar[CompoundRegionOperationNode.LogicalOp] r""" - @brief Creates a single cell instance with a complex transformation - @param cell The cell to instantiate - @param trans The complex transformation by which to instantiate the cell - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis - - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + @brief Indicates a logical '&&' (and). """ - @overload - @classmethod - def new(cls, cell: Cell, trans: DTrans, a: DVector, b: DVector, na: int, nb: int) -> DCellInstArray: + LogOr: ClassVar[CompoundRegionOperationNode.LogicalOp] r""" - @brief Creates a single cell instance - @param cell The cell to instantiate - @param trans The transformation by which to instantiate the cell - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis - - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + @brief Indicates a logical '||' (or). """ - @overload - @classmethod - def new(cls, cell_index: int, disp: DVector, a: DVector, b: DVector, na: int, nb: int) -> DCellInstArray: + @overload + @classmethod + def new(cls, i: int) -> CompoundRegionOperationNode.LogicalOp: + r""" + @brief Creates an enum from an integer value + """ + @overload + @classmethod + def new(cls, s: str) -> CompoundRegionOperationNode.LogicalOp: + r""" + @brief Creates an enum from a string value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares two enums + """ + @overload + def __init__(self, i: int) -> None: + r""" + @brief Creates an enum from an integer value + """ + @overload + def __init__(self, s: str) -> None: + r""" + @brief Creates an enum from a string value + """ + @overload + def __lt__(self, other: CompoundRegionOperationNode.LogicalOp) -> bool: + r""" + @brief Returns true if the first enum is less (in the enum symbol order) than the second + """ + @overload + def __lt__(self, other: int) -> bool: + r""" + @brief Returns true if the enum is less (in the enum symbol order) than the integer value + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer for inequality + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares two enums for inequality + """ + def __repr__(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + def inspect(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def to_i(self) -> int: + r""" + @brief Gets the integer value from the enum + """ + def to_s(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + class ParameterType: r""" - @brief Creates a single cell instance - @param cell_index The cell to instantiate - @param disp The basic displacement of the first instance - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis + @brief This class represents the parameter type enum used in \CompoundRegionOperationNode#new_bbox_filter - This convenience initializer has been introduced in version 0.28. + This enum has been introduced in version 0.27. """ - @overload - @classmethod - def new(cls, cell_index: int, trans: DCplxTrans, a: DVector, b: DVector, na: int, nb: int) -> DCellInstArray: + BoxAverageDim: ClassVar[CompoundRegionOperationNode.ParameterType] r""" - @brief Creates a single cell instance with a complex transformation - @param cell_index The cell to instantiate - @param trans The complex transformation by which to instantiate the cell - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis + @brief Measures the average of width and height of the bounding box """ - @overload - @classmethod - def new(cls, cell_index: int, trans: DTrans, a: DVector, b: DVector, na: int, nb: int) -> DCellInstArray: + BoxHeight: ClassVar[CompoundRegionOperationNode.ParameterType] r""" - @brief Creates a single cell instance - @param cell_index The cell to instantiate - @param trans The transformation by which to instantiate the cell - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis + @brief Measures the height of the bounding box """ - def __copy__(self) -> DCellInstArray: + BoxMaxDim: ClassVar[CompoundRegionOperationNode.ParameterType] r""" - @brief Creates a copy of self + @brief Measures the maximum dimension of the bounding box """ - def __deepcopy__(self) -> DCellInstArray: + BoxMinDim: ClassVar[CompoundRegionOperationNode.ParameterType] r""" - @brief Creates a copy of self + @brief Measures the minimum dimension of the bounding box """ - def __eq__(self, other: object) -> bool: + BoxWidth: ClassVar[CompoundRegionOperationNode.ParameterType] r""" - @brief Compares two arrays for equality + @brief Measures the width of the bounding box """ - def __hash__(self) -> int: + @overload + @classmethod + def new(cls, i: int) -> CompoundRegionOperationNode.ParameterType: + r""" + @brief Creates an enum from an integer value + """ + @overload + @classmethod + def new(cls, s: str) -> CompoundRegionOperationNode.ParameterType: + r""" + @brief Creates an enum from a string value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares two enums + """ + @overload + def __init__(self, i: int) -> None: + r""" + @brief Creates an enum from an integer value + """ + @overload + def __init__(self, s: str) -> None: + r""" + @brief Creates an enum from a string value + """ + @overload + def __lt__(self, other: CompoundRegionOperationNode.ParameterType) -> bool: + r""" + @brief Returns true if the first enum is less (in the enum symbol order) than the second + """ + @overload + def __lt__(self, other: int) -> bool: + r""" + @brief Returns true if the enum is less (in the enum symbol order) than the integer value + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer for inequality + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares two enums for inequality + """ + def __repr__(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + def inspect(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def to_i(self) -> int: + r""" + @brief Gets the integer value from the enum + """ + def to_s(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + class RatioParameterType: r""" - @brief Computes a hash value - Returns a hash value for the given cell instance. This method enables cell instances as hash keys. + @brief This class represents the parameter type enum used in \CompoundRegionOperationNode#new_ratio_filter - This method has been introduced in version 0.25. + This enum has been introduced in version 0.27. """ - @overload - def __init__(self) -> None: + AreaRatio: ClassVar[CompoundRegionOperationNode.RatioParameterType] r""" - @brief Creates en empty cell instance with size 0 + @brief Measures the area ratio (bounding box area / polygon area) """ - @overload - def __init__(self, cell: Cell, disp: DVector) -> None: + AspectRatio: ClassVar[CompoundRegionOperationNode.RatioParameterType] r""" - @brief Creates a single cell instance - @param cell The cell to instantiate - @param disp The displacement - - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + @brief Measures the aspect ratio of the bounding box (larger / smaller dimension) """ - @overload - def __init__(self, cell: Cell, trans: DCplxTrans) -> None: + RelativeHeight: ClassVar[CompoundRegionOperationNode.RatioParameterType] r""" - @brief Creates a single cell instance with a complex transformation - @param cell The cell to instantiate - @param trans The complex transformation by which to instantiate the cell - - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + @brief Measures the relative height (height / width) """ - @overload - def __init__(self, cell: Cell, trans: DTrans) -> None: + @overload + @classmethod + def new(cls, i: int) -> CompoundRegionOperationNode.RatioParameterType: + r""" + @brief Creates an enum from an integer value + """ + @overload + @classmethod + def new(cls, s: str) -> CompoundRegionOperationNode.RatioParameterType: + r""" + @brief Creates an enum from a string value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares two enums + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer value + """ + @overload + def __init__(self, i: int) -> None: + r""" + @brief Creates an enum from an integer value + """ + @overload + def __init__(self, s: str) -> None: + r""" + @brief Creates an enum from a string value + """ + @overload + def __lt__(self, other: CompoundRegionOperationNode.RatioParameterType) -> bool: + r""" + @brief Returns true if the first enum is less (in the enum symbol order) than the second + """ + @overload + def __lt__(self, other: int) -> bool: + r""" + @brief Returns true if the enum is less (in the enum symbol order) than the integer value + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer for inequality + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares two enums for inequality + """ + def __repr__(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + def inspect(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def to_i(self) -> int: + r""" + @brief Gets the integer value from the enum + """ + def to_s(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + class ResultType: r""" - @brief Creates a single cell instance - @param cell The cell to instantiate - @param trans The transformation by which to instantiate the cell + @brief This class represents the CompoundRegionOperationNode::ResultType enum - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. - """ - @overload - def __init__(self, cell_index: int, disp: DVector) -> None: - r""" - @brief Creates a single cell instance - @param cell_index The cell to instantiate - @param disp The displacement - This convenience initializer has been introduced in version 0.28. - """ - @overload - def __init__(self, cell_index: int, trans: DCplxTrans) -> None: - r""" - @brief Creates a single cell instance with a complex transformation - @param cell_index The cell to instantiate - @param trans The complex transformation by which to instantiate the cell + This enum has been introduced in version 0.27. """ - @overload - def __init__(self, cell_index: int, trans: DTrans) -> None: + EdgePairs: ClassVar[CompoundRegionOperationNode.ResultType] r""" - @brief Creates a single cell instance - @param cell_index The cell to instantiate - @param trans The transformation by which to instantiate the cell + @brief Indicates edge pair result type. """ - @overload - def __init__(self, cell: Cell, disp: DVector, a: DVector, b: DVector, na: int, nb: int) -> None: + Edges: ClassVar[CompoundRegionOperationNode.ResultType] r""" - @brief Creates a single cell instance - @param cell The cell to instantiate - @param disp The basic displacement of the first instance - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis - - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + @brief Indicates edge result type. """ - @overload - def __init__(self, cell: Cell, trans: DCplxTrans, a: DVector, b: DVector, na: int, nb: int) -> None: + Region: ClassVar[CompoundRegionOperationNode.ResultType] r""" - @brief Creates a single cell instance with a complex transformation - @param cell The cell to instantiate - @param trans The complex transformation by which to instantiate the cell - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis - - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + @brief Indicates polygon result type. """ - @overload - def __init__(self, cell: Cell, trans: DTrans, a: DVector, b: DVector, na: int, nb: int) -> None: - r""" - @brief Creates a single cell instance - @param cell The cell to instantiate - @param trans The transformation by which to instantiate the cell - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis - - This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + @overload + @classmethod + def new(cls, i: int) -> CompoundRegionOperationNode.ResultType: + r""" + @brief Creates an enum from an integer value + """ + @overload + @classmethod + def new(cls, s: str) -> CompoundRegionOperationNode.ResultType: + r""" + @brief Creates an enum from a string value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares two enums + """ + @overload + def __init__(self, i: int) -> None: + r""" + @brief Creates an enum from an integer value + """ + @overload + def __init__(self, s: str) -> None: + r""" + @brief Creates an enum from a string value + """ + @overload + def __lt__(self, other: CompoundRegionOperationNode.ResultType) -> bool: + r""" + @brief Returns true if the first enum is less (in the enum symbol order) than the second + """ + @overload + def __lt__(self, other: int) -> bool: + r""" + @brief Returns true if the enum is less (in the enum symbol order) than the integer value + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer for inequality + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares two enums for inequality + """ + def __repr__(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + def inspect(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def to_i(self) -> int: + r""" + @brief Gets the integer value from the enum + """ + def to_s(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + description: str + r""" + Getter: + @brief Gets the description for this node + Setter: + @brief Sets the description for this node + """ + distance: int + r""" + Getter: + @brief Gets the distance value for this node + Setter: + @brief Sets the distance value for this nodeUsually it's not required to provide a distance because the nodes compute a distance based on their operation. If necessary you can supply a distance. The processor will use this distance or the computed one, whichever is larger. + """ + @classmethod + def new(cls) -> CompoundRegionOperationNode: + r""" + @brief Creates a new object of this class """ - @overload - def __init__(self, cell_index: int, disp: DVector, a: DVector, b: DVector, na: int, nb: int) -> None: + @classmethod + def new_area_filter(cls, input: CompoundRegionOperationNode, inverse: Optional[bool] = ..., amin: Optional[int] = ..., amax: Optional[int] = ...) -> CompoundRegionOperationNode: r""" - @brief Creates a single cell instance - @param cell_index The cell to instantiate - @param disp The basic displacement of the first instance - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis + @brief Creates a node filtering the input by area. + This node renders the input if the area is between amin and amax (exclusively). If 'inverse' is set to true, the input shape is returned if the area is less than amin (exclusively) or larger than amax (inclusively). + """ + @classmethod + def new_area_sum_filter(cls, input: CompoundRegionOperationNode, inverse: Optional[bool] = ..., amin: Optional[int] = ..., amax: Optional[int] = ...) -> CompoundRegionOperationNode: + r""" + @brief Creates a node filtering the input by area sum. + Like \new_area_filter, but applies to the sum of all shapes in the current set. + """ + @classmethod + def new_bbox_filter(cls, input: CompoundRegionOperationNode, parameter: CompoundRegionOperationNode.ParameterType, inverse: Optional[bool] = ..., pmin: Optional[int] = ..., pmax: Optional[int] = ...) -> CompoundRegionOperationNode: + r""" + @brief Creates a node filtering the input by bounding box parameters. + This node renders the input if the specified bounding box parameter of the input shape is between pmin and pmax (exclusively). If 'inverse' is set to true, the input shape is returned if the parameter is less than pmin (exclusively) or larger than pmax (inclusively). + """ + @classmethod + def new_case(cls, inputs: Sequence[CompoundRegionOperationNode]) -> CompoundRegionOperationNode: + r""" + @brief Creates a 'switch ladder' (case statement) compound operation node. - This convenience initializer has been introduced in version 0.28. + The inputs are treated as a sequence of condition/result pairs: c1,r1,c2,r2 etc. If there is an odd number of inputs, the last element is taken as the default result. The implementation will evaluate c1 and if not empty, will render r1. Otherwise, c2 will be evaluated and r2 rendered if c2 isn't empty etc. If none of the conditions renders a non-empty set and a default result is present, the default will be returned. Otherwise, the result is empty. """ - @overload - def __init__(self, cell_index: int, trans: DCplxTrans, a: DVector, b: DVector, na: int, nb: int) -> None: + @classmethod + def new_centers(cls, input: CompoundRegionOperationNode, length: int, fraction: float) -> CompoundRegionOperationNode: r""" - @brief Creates a single cell instance with a complex transformation - @param cell_index The cell to instantiate - @param trans The complex transformation by which to instantiate the cell - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis + @brief Creates a node delivering a part at the center of each input edge. """ - @overload - def __init__(self, cell_index: int, trans: DTrans, a: DVector, b: DVector, na: int, nb: int) -> None: + @classmethod + def new_convex_decomposition(cls, input: CompoundRegionOperationNode, mode: PreferredOrientation) -> CompoundRegionOperationNode: r""" - @brief Creates a single cell instance - @param cell_index The cell to instantiate - @param trans The transformation by which to instantiate the cell - @param a The displacement vector of the array in the 'a' axis - @param b The displacement vector of the array in the 'b' axis - @param na The number of placements in the 'a' axis - @param nb The number of placements in the 'b' axis + @brief Creates a node providing a composition into convex pieces. """ - def __len__(self) -> int: + @classmethod + def new_corners_as_dots(cls, input: CompoundRegionOperationNode, angle_min: float, include_angle_min: bool, angle_max: float, include_angle_max: bool) -> CompoundRegionOperationNode: r""" - @brief Gets the number of single instances in the array - If the instance represents a single instance, the count is 1. Otherwise it is na*nb. Starting with version 0.27, there may be iterated instances for which the size is larger than 1, but \is_regular_array? will return false. In this case, use \each_trans or \each_cplx_trans to retrieve the individual placements of the iterated instance. + @brief Creates a node turning corners into dots (single-point edges). """ - def __lt__(self, other: DCellInstArray) -> bool: + @classmethod + def new_corners_as_edge_pairs(cls, input: CompoundRegionOperationNode, angle_min: float, include_angle_min: bool, angle_max: float, include_angle_max: bool) -> CompoundRegionOperationNode: r""" - @brief Compares two arrays for 'less' - The comparison provides an arbitrary sorting criterion and not specific sorting order. It is guaranteed that if an array a is less than b, b is not less than a. In addition, it a is not less than b and b is not less than a, then a is equal to b. + @brief Creates a node turning corners into edge pairs containing the two edges adjacent to the corner. + The first edge will be the incoming edge and the second one the outgoing edge. + + This feature has been introduced in version 0.27.1. """ - def __ne__(self, other: object) -> bool: + @classmethod + def new_corners_as_rectangles(cls, input: CompoundRegionOperationNode, angle_min: float, include_angle_min: bool, angle_max: float, include_angle_max: bool, dim: int) -> CompoundRegionOperationNode: r""" - @brief Compares two arrays for inequality + @brief Creates a node turning corners into rectangles. """ - def __str__(self) -> str: + @classmethod + def new_count_filter(cls, inputs: CompoundRegionOperationNode, invert: Optional[bool] = ..., min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> CompoundRegionOperationNode: r""" - @brief Converts the array to a string + @brief Creates a node selecting results but their shape count. """ - def _create(self) -> None: + @classmethod + def new_edge_length_filter(cls, input: CompoundRegionOperationNode, inverse: Optional[bool] = ..., lmin: Optional[int] = ..., lmax: Optional[int] = ...) -> CompoundRegionOperationNode: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Creates a node filtering edges by their length. """ - def _destroy(self) -> None: + @classmethod + def new_edge_length_sum_filter(cls, input: CompoundRegionOperationNode, inverse: Optional[bool] = ..., lmin: Optional[int] = ..., lmax: Optional[int] = ...) -> CompoundRegionOperationNode: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Creates a node filtering edges by their length sum (over the local set). """ - def _destroyed(self) -> bool: + @classmethod + def new_edge_orientation_filter(cls, input: CompoundRegionOperationNode, inverse: bool, amin: float, include_amin: bool, amax: float, include_amax: bool) -> CompoundRegionOperationNode: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Creates a node filtering edges by their orientation. """ - def _is_const_object(self) -> bool: + @classmethod + def new_edge_pair_to_first_edges(cls, input: CompoundRegionOperationNode) -> CompoundRegionOperationNode: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Creates a node delivering the first edge of each edges pair. """ - def _manage(self) -> None: + @classmethod + def new_edge_pair_to_second_edges(cls, input: CompoundRegionOperationNode) -> CompoundRegionOperationNode: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief Creates a node delivering the second edge of each edges pair. """ - def _unmanage(self) -> None: + @classmethod + def new_edges(cls, input: CompoundRegionOperationNode) -> CompoundRegionOperationNode: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Creates a node converting polygons into it's edges. + """ + @classmethod + def new_empty(cls, type: CompoundRegionOperationNode.ResultType) -> CompoundRegionOperationNode: + r""" + @brief Creates a node delivering an empty result of the given type + """ + @classmethod + def new_enclosed_check(cls, other: CompoundRegionOperationNode, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ...) -> CompoundRegionOperationNode: + r""" + @brief Creates a node providing an enclosed (secondary enclosing primary) check. - Usually it's not required to call this method. It has been introduced in version 0.24. + This method has been added in version 0.27.5. """ - def assign(self, other: DCellInstArray) -> None: + @classmethod + def new_enclosing(cls, a: CompoundRegionOperationNode, b: CompoundRegionOperationNode, inverse: Optional[bool] = ..., min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> CompoundRegionOperationNode: r""" - @brief Assigns another object to self + @brief Creates a node representing an inside selection operation between the inputs. """ - @overload - def bbox(self, layout: Layout) -> DBox: + @classmethod + def new_enclosing_check(cls, other: CompoundRegionOperationNode, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ...) -> CompoundRegionOperationNode: r""" - @brief Gets the bounding box of the array - The bounding box incorporates all instances that the array represents. It needs the layout object to access the actual cell from the cell index. + @brief Creates a node providing an inside (enclosure) check. """ - @overload - def bbox(self, layout: Layout, layer_index: int) -> DBox: + @classmethod + def new_end_segments(cls, input: CompoundRegionOperationNode, length: int, fraction: float) -> CompoundRegionOperationNode: r""" - @brief Gets the bounding box of the array with respect to one layer - The bounding box incorporates all instances that the array represents. It needs the layout object to access the actual cell from the cell index. - - 'bbox' is the preferred synonym since version 0.28. + @brief Creates a node delivering a part at the end of each input edge. """ - def bbox_per_layer(self, layout: Layout, layer_index: int) -> DBox: + @classmethod + def new_extended(cls, input: CompoundRegionOperationNode, ext_b: int, ext_e: int, ext_o: int, ext_i: int) -> CompoundRegionOperationNode: r""" - @brief Gets the bounding box of the array with respect to one layer - The bounding box incorporates all instances that the array represents. It needs the layout object to access the actual cell from the cell index. - - 'bbox' is the preferred synonym since version 0.28. + @brief Creates a node delivering a polygonized version of the edges with the four extension parameters. """ - def create(self) -> None: + @classmethod + def new_extended_in(cls, input: CompoundRegionOperationNode, e: int) -> CompoundRegionOperationNode: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Creates a node delivering a polygonized, inside-extended version of the edges. """ - def destroy(self) -> None: + @classmethod + def new_extended_out(cls, input: CompoundRegionOperationNode, e: int) -> CompoundRegionOperationNode: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Creates a node delivering a polygonized, inside-extended version of the edges. """ - def destroyed(self) -> bool: + @classmethod + def new_extents(cls, input: CompoundRegionOperationNode, e: Optional[int] = ...) -> CompoundRegionOperationNode: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Creates a node returning the extents of the objects. + The 'e' parameter provides a generic enlargement which is applied to the boxes. This is helpful to cover dot-like edges or edge pairs in the input. """ - def dup(self) -> DCellInstArray: + @classmethod + def new_foreign(cls) -> CompoundRegionOperationNode: r""" - @brief Creates a copy of self + @brief Creates a node object representing the primary input without the current polygon """ - def each_cplx_trans(self) -> Iterator[DCplxTrans]: + @classmethod + def new_geometrical_boolean(cls, op: CompoundRegionOperationNode.GeometricalOp, a: CompoundRegionOperationNode, b: CompoundRegionOperationNode) -> CompoundRegionOperationNode: r""" - @brief Gets the complex transformations represented by this instance - For a single instance, this iterator will deliver the single, complex transformation. For array instances, the iterator will deliver each complex transformation of the expanded array. - This iterator is a generalization of \each_trans for general complex transformations. + @brief Creates a node representing a geometrical boolean operation between the inputs. """ - def each_trans(self) -> Iterator[DTrans]: + @classmethod + def new_hole_count_filter(cls, input: CompoundRegionOperationNode, inverse: Optional[bool] = ..., hmin: Optional[int] = ..., hmax: Optional[int] = ...) -> CompoundRegionOperationNode: r""" - @brief Gets the simple transformations represented by this instance - For a single instance, this iterator will deliver the single, simple transformation. For array instances, the iterator will deliver each simple transformation of the expanded array. - - This iterator will only deliver valid transformations if the instance array is not of complex type (see \is_complex?). A more general iterator that delivers the complex transformations is \each_cplx_trans. + @brief Creates a node filtering the input by number of holes per polygon. + This node renders the input if the hole count is between hmin and hmax (exclusively). If 'inverse' is set to true, the input shape is returned if the hole count is less than hmin (exclusively) or larger than hmax (inclusively). """ - def hash(self) -> int: + @classmethod + def new_holes(cls, input: CompoundRegionOperationNode) -> CompoundRegionOperationNode: r""" - @brief Computes a hash value - Returns a hash value for the given cell instance. This method enables cell instances as hash keys. - - This method has been introduced in version 0.25. + @brief Creates a node extracting the holes from polygons. """ - def invert(self) -> None: + @classmethod + def new_hulls(cls, input: CompoundRegionOperationNode) -> CompoundRegionOperationNode: r""" - @brief Inverts the array reference - - The inverted array reference describes in which transformations the parent cell is - seen from the current cell. + @brief Creates a node extracting the hulls from polygons. """ - def is_complex(self) -> bool: + @classmethod + def new_inside(cls, a: CompoundRegionOperationNode, b: CompoundRegionOperationNode, inverse: Optional[bool] = ...) -> CompoundRegionOperationNode: r""" - @brief Gets a value indicating whether the array is a complex array - - Returns true if the array represents complex instances (that is, with magnification and - arbitrary rotation angles). + @brief Creates a node representing an inside selection operation between the inputs. """ - def is_const_object(self) -> bool: + @classmethod + def new_interacting(cls, a: CompoundRegionOperationNode, b: CompoundRegionOperationNode, inverse: Optional[bool] = ..., min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> CompoundRegionOperationNode: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Creates a node representing an interacting selection operation between the inputs. """ - def is_regular_array(self) -> bool: + @classmethod + def new_isolated_check(cls, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ...) -> CompoundRegionOperationNode: r""" - @brief Gets a value indicating whether this instance is a regular array + @brief Creates a node providing a isolated polygons (space between different polygons) check. """ - def size(self) -> int: + @classmethod + def new_join(cls, inputs: Sequence[CompoundRegionOperationNode]) -> CompoundRegionOperationNode: r""" - @brief Gets the number of single instances in the array - If the instance represents a single instance, the count is 1. Otherwise it is na*nb. Starting with version 0.27, there may be iterated instances for which the size is larger than 1, but \is_regular_array? will return false. In this case, use \each_trans or \each_cplx_trans to retrieve the individual placements of the iterated instance. + @brief Creates a node that joins the inputs. """ - def to_s(self) -> str: + @classmethod + def new_logical_boolean(cls, op: CompoundRegionOperationNode.LogicalOp, invert: bool, inputs: Sequence[CompoundRegionOperationNode]) -> CompoundRegionOperationNode: r""" - @brief Converts the array to a string + @brief Creates a node representing a logical boolean operation between the inputs. + + A logical AND operation will evaluate the arguments and render the subject shape when all arguments are non-empty. The logical OR operation will evaluate the arguments and render the subject shape when one argument is non-empty. Setting 'inverse' to true will reverse the result and return the subject shape when one argument is empty in the AND case and when all arguments are empty in the OR case. """ - @overload - def transform(self, trans: DCplxTrans) -> None: + @classmethod + def new_merged(cls, input: CompoundRegionOperationNode, min_coherence: Optional[bool] = ..., min_wc: Optional[int] = ...) -> CompoundRegionOperationNode: r""" - @brief Transforms the cell instance with the given complex transformation + @brief Creates a node providing merged input polygons. """ @overload - def transform(self, trans: DTrans) -> None: + @classmethod + def new_minkowski_sum(cls, input: CompoundRegionOperationNode, e: Edge) -> CompoundRegionOperationNode: r""" - @brief Transforms the cell instance with the given transformation + @brief Creates a node providing a Minkowski sum with an edge. """ @overload - def transformed(self, trans: DCplxTrans) -> DCellInstArray: + @classmethod + def new_minkowski_sum(cls, input: CompoundRegionOperationNode, p: Box) -> CompoundRegionOperationNode: r""" - @brief Gets the transformed cell instance (complex transformation) + @brief Creates a node providing a Minkowski sum with a box. """ @overload - def transformed(self, trans: DTrans) -> DCellInstArray: + @classmethod + def new_minkowski_sum(cls, input: CompoundRegionOperationNode, p: Polygon) -> CompoundRegionOperationNode: r""" - @brief Gets the transformed cell instance + @brief Creates a node providing a Minkowski sum with a polygon. """ - -class CellMapping: - r""" - @brief A cell mapping (source to target layout) - - A cell mapping is an association of cells in two layouts forming pairs of cells, i.e. one cell corresponds to another cell in the other layout. The CellMapping object describes the mapping of cells of a source layout B to a target layout A. The cell mapping object is basically a table associating a cell in layout B with a cell in layout A. - - The cell mapping is of particular interest for providing the cell mapping recipe in \Cell#copy_tree_shapes or \Cell#move_tree_shapes. - - The mapping object is used to create and hold that table. There are three basic modes in which a table can be generated: - - @ul - @li Top-level identity (\for_single_cell and \for_single_cell_full) @/li - @li Top-level identify for multiple cells (\for_multi_cells_full and \for_multi_cells_full) @/li - @li Geometrical identity (\from_geometry and \from_geometry_full)@/li - @li Name identity (\from_names and \from_names_full) @/li - @/ul - - 'full' refers to the way cells are treated which are not mentioned. In the 'full' versions, cells for which no mapping is established explicitly - specifically all child cells in top-level identity modes - are created in the target layout and instantiated according to their source layout hierarchy. Then, these new cells become targets of the respective source cells. In the plain version (without 'full' cells), no additional cells are created. For the case of \Layout#copy_tree_shapes cells not explicitly mapped are flattened. Hence for example, \for_single_cell will flatten all children of the source cell during \Layout#copy_tree_shapes or \Layout#move_tree_shapes. - - Top-level identity means that only one cell (the top cell) is regarded identical. All child cells are not considered identical. In full mode (see below), this will create a new, identical cell tree below the top cell in layout A. - - Geometrical identity is defined by the exact identity of the set of expanded instances in each starting cell. Therefore, when a cell is mapped to another cell, shapes can be transferred from one cell to another while effectively rendering the same flat geometry (in the context of the given starting cells). Location identity is basically the safest way to map cells from one hierarchy into another, because it preserves the flat shape geometry. However in some cases the algorithm may find multiple mapping candidates. In that case it will make a guess about what mapping to choose. - - Name identity means that cells are identified by their names - for a source cell in layer B, a target cell with the same name is looked up in the target layout A and a mapping is created if a cell with the same name is found. However, name identity does not mean that the cells are actually equivalent because they may be placed differently. Hence, cell mapping by name is not a good choice when it is important to preserve the shape geometry of a layer. - - A cell might not be mapped to another cell which basically means that there is no corresponding cell. In this case, flattening to the next mapped cell is an option to transfer geometries despite the missing mapping. You can enforce a mapping by using the mapping generator methods in 'full' mode, i.e. \from_names_full or \from_geometry_full. These versions will create new cells and their corresponding instances in the target layout if no suitable target cell is found. - - This is a simple example for a cell mapping preserving the hierarchy of the source cell and creating a hierarchy copy in the top cell of the target layout ('hierarchical merge'): - - @code - cell_names = [ "A", "B", "C" ] - - source = RBA::Layout::new - source.read("input.gds") - - target = RBA::Layout::new - target_top = target.create_cell("IMPORTED") - - cm = RBA::CellMapping::new - # Copies the source layout hierarchy into the target top cell: - cm.for_single_cell_full(target_top, source.top_cell) - target.copy_tree_shapes(source, cm) - @/code - - Without 'full', the effect is move-with-flattening (note we're using 'move' in this example): - - @code - cell_names = [ "A", "B", "C" ] - - source = RBA::Layout::new - source.read("input.gds") - - target = RBA::Layout::new - target_top = target.create_cell("IMPORTED") - - cm = RBA::CellMapping::new - # Flattens the source layout hierarchy into the target top cell: - cm.for_single_cell(target_top, source.top_cell) - target.move_tree_shapes(source, cm) - @/code - - This is another example for using \CellMapping in multiple top cell identity mode. It extracts cells 'A', 'B' and 'C' from one layout and copies them to another. It will also copy all shapes and all child cells. Child cells which are shared between the three initial cells will be shared in the target layout too. - - @code - cell_names = [ "A", "B", "C" ] - - source = RBA::Layout::new - source.read("input.gds") - - target = RBA::Layout::new - - source_cells = cell_names.collect { |n| source.cell_by_name(n) } - target_cells = cell_names.collect { |n| target.create_cell(n) } - - cm = RBA::CellMapping::new - cm.for_multi_cells_full(target_cells, source_cells) - target.copy_tree_shapes(source, cm) - @/code - """ - DropCell: ClassVar[int] - r""" - @brief A constant indicating the request to drop a cell - - If used as a pseudo-target for the cell mapping, this index indicates that the cell shall be dropped rather than created on the target side or skipped by flattening. Instead, all shapes of this cell are discarded and it's children are not translated unless explicitly requested or if required are children for other cells. - - This constant has been introduced in version 0.25. - """ + @overload @classmethod - def new(cls) -> CellMapping: + def new_minkowski_sum(cls, input: CompoundRegionOperationNode, p: Sequence[Point]) -> CompoundRegionOperationNode: r""" - @brief Creates a new object of this class + @brief Creates a node providing a Minkowski sum with a point sequence forming a contour. """ - def __copy__(self) -> CellMapping: + @overload + @classmethod + def new_minkowsky_sum(cls, input: CompoundRegionOperationNode, e: Edge) -> CompoundRegionOperationNode: r""" - @brief Creates a copy of self + @brief Creates a node providing a Minkowski sum with an edge. """ - def __deepcopy__(self) -> CellMapping: + @overload + @classmethod + def new_minkowsky_sum(cls, input: CompoundRegionOperationNode, p: Box) -> CompoundRegionOperationNode: r""" - @brief Creates a copy of self + @brief Creates a node providing a Minkowski sum with a box. """ - def __init__(self) -> None: + @overload + @classmethod + def new_minkowsky_sum(cls, input: CompoundRegionOperationNode, p: Polygon) -> CompoundRegionOperationNode: r""" - @brief Creates a new object of this class + @brief Creates a node providing a Minkowski sum with a polygon. """ - def _create(self) -> None: + @overload + @classmethod + def new_minkowsky_sum(cls, input: CompoundRegionOperationNode, p: Sequence[Point]) -> CompoundRegionOperationNode: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Creates a node providing a Minkowski sum with a point sequence forming a contour. """ - def _destroy(self) -> None: + @classmethod + def new_notch_check(cls, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., negative: Optional[bool] = ...) -> CompoundRegionOperationNode: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Creates a node providing a intra-polygon space check. """ - def _destroyed(self) -> bool: + @classmethod + def new_outside(cls, a: CompoundRegionOperationNode, b: CompoundRegionOperationNode, inverse: Optional[bool] = ...) -> CompoundRegionOperationNode: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Creates a node representing an outside selection operation between the inputs. """ - def _is_const_object(self) -> bool: + @classmethod + def new_overlap_check(cls, other: CompoundRegionOperationNode, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ...) -> CompoundRegionOperationNode: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Creates a node providing an overlap check. """ - def _manage(self) -> None: + @classmethod + def new_overlapping(cls, a: CompoundRegionOperationNode, b: CompoundRegionOperationNode, inverse: Optional[bool] = ..., min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> CompoundRegionOperationNode: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief Creates a node representing an overlapping selection operation between the inputs. """ - def _unmanage(self) -> None: + @classmethod + def new_perimeter_filter(cls, input: CompoundRegionOperationNode, inverse: Optional[bool] = ..., pmin: Optional[int] = ..., pmax: Optional[int] = ...) -> CompoundRegionOperationNode: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief Creates a node filtering the input by perimeter. + This node renders the input if the perimeter is between pmin and pmax (exclusively). If 'inverse' is set to true, the input shape is returned if the perimeter is less than pmin (exclusively) or larger than pmax (inclusively). """ - def assign(self, other: CellMapping) -> None: + @classmethod + def new_perimeter_sum_filter(cls, input: CompoundRegionOperationNode, inverse: Optional[bool] = ..., amin: Optional[int] = ..., amax: Optional[int] = ...) -> CompoundRegionOperationNode: r""" - @brief Assigns another object to self + @brief Creates a node filtering the input by area sum. + Like \new_perimeter_filter, but applies to the sum of all shapes in the current set. """ - def cell_mapping(self, cell_index_b: int) -> int: + @classmethod + def new_polygon_breaker(cls, input: CompoundRegionOperationNode, max_vertex_count: int, max_area_ratio: float) -> CompoundRegionOperationNode: r""" - @brief Determines cell mapping of a layout_b cell to the corresponding layout_a cell. - - - @param cell_index_b The index of the cell in layout_b whose mapping is requested. - @return The cell index in layout_a. + @brief Creates a node providing a composition into parts with less than the given number of points and a smaller area ratio. + """ + @classmethod + def new_polygons(cls, input: CompoundRegionOperationNode, e: Optional[int] = ...) -> CompoundRegionOperationNode: + r""" + @brief Creates a node converting the input to polygons. + @param e The enlargement parameter when converting edges or edge pairs to polygons. + """ + @classmethod + def new_primary(cls) -> CompoundRegionOperationNode: + r""" + @brief Creates a node object representing the primary input + """ + @classmethod + def new_ratio_filter(cls, input: CompoundRegionOperationNode, parameter: CompoundRegionOperationNode.RatioParameterType, inverse: Optional[bool] = ..., pmin: Optional[float] = ..., pmin_included: Optional[bool] = ..., pmax: Optional[float] = ..., pmax_included: Optional[bool] = ...) -> CompoundRegionOperationNode: + r""" + @brief Creates a node filtering the input by ratio parameters. + This node renders the input if the specified ratio parameter of the input shape is between pmin and pmax. If 'pmin_included' is true, the range will include pmin. Same for 'pmax_included' and pmax. If 'inverse' is set to true, the input shape is returned if the parameter is not within the specified range. + """ + @classmethod + def new_rectangle_filter(cls, input: CompoundRegionOperationNode, is_square: Optional[bool] = ..., inverse: Optional[bool] = ...) -> CompoundRegionOperationNode: + r""" + @brief Creates a node filtering the input for rectangular or square shapes. + If 'is_square' is true, only squares will be selected. If 'inverse' is true, the non-rectangle/non-square shapes are returned. + """ + @classmethod + def new_rectilinear_filter(cls, input: CompoundRegionOperationNode, inverse: Optional[bool] = ...) -> CompoundRegionOperationNode: + r""" + @brief Creates a node filtering the input for rectilinear shapes (or non-rectilinear ones with 'inverse' set to 'true'). + """ + @classmethod + def new_relative_extents(cls, input: CompoundRegionOperationNode, fx1: float, fy1: float, fx2: float, fy2: float, dx: int, dy: int) -> CompoundRegionOperationNode: + r""" + @brief Creates a node returning markers at specified locations of the extent (e.g. at the center). + """ + @classmethod + def new_relative_extents_as_edges(cls, input: CompoundRegionOperationNode, fx1: float, fy1: float, fx2: float, fy2: float) -> CompoundRegionOperationNode: + r""" + @brief Creates a node returning edges at specified locations of the extent (e.g. at the center). + """ + @classmethod + def new_rounded_corners(cls, input: CompoundRegionOperationNode, rinner: float, router: float, n: int) -> CompoundRegionOperationNode: + r""" + @brief Creates a node generating rounded corners. + @param rinner The inner corner radius.@param router The outer corner radius.@param n The number if points per full circle. + """ + @classmethod + def new_secondary(cls, region: Region) -> CompoundRegionOperationNode: + r""" + @brief Creates a node object representing the secondary input from the given region + """ + @classmethod + def new_separation_check(cls, other: CompoundRegionOperationNode, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ...) -> CompoundRegionOperationNode: + r""" + @brief Creates a node providing a separation check. + """ + @classmethod + def new_sized(cls, input: CompoundRegionOperationNode, dx: int, dy: int, mode: int) -> CompoundRegionOperationNode: + r""" + @brief Creates a node providing sizing. + """ + @classmethod + def new_smoothed(cls, input: CompoundRegionOperationNode, d: int, keep_hv: Optional[bool] = ...) -> CompoundRegionOperationNode: + r""" + @brief Creates a node smoothing the polygons. + @param d The tolerance to be applied for the smoothing. + @param keep_hv If true, horizontal and vertical edges are maintained. + """ + @classmethod + def new_space_check(cls, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ...) -> CompoundRegionOperationNode: + r""" + @brief Creates a node providing a space check. + """ + @classmethod + def new_start_segments(cls, input: CompoundRegionOperationNode, length: int, fraction: float) -> CompoundRegionOperationNode: + r""" + @brief Creates a node delivering a part at the beginning of each input edge. + """ + @classmethod + def new_strange_polygons_filter(cls, input: CompoundRegionOperationNode) -> CompoundRegionOperationNode: + r""" + @brief Creates a node extracting strange polygons. + 'strange polygons' are ones which cannot be oriented - e.g. '8' shape polygons. + """ + @classmethod + def new_trapezoid_decomposition(cls, input: CompoundRegionOperationNode, mode: TrapezoidDecompositionMode) -> CompoundRegionOperationNode: + r""" + @brief Creates a node providing a composition into trapezoids. + """ + @classmethod + def new_width_check(cls, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., negative: Optional[bool] = ...) -> CompoundRegionOperationNode: + r""" + @brief Creates a node providing a width check. + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - Note that the returned index can be \DropCell to indicate the cell shall be dropped. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def clear(self) -> None: + def _unmanage(self) -> None: r""" - @brief Clears the mapping. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.23. + Usually it's not required to call this method. It has been introduced in version 0.24. """ def create(self) -> None: r""" @@ -5082,232 +4733,132 @@ class CellMapping: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> CellMapping: + def is_const_object(self) -> bool: r""" - @brief Creates a copy of self + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def for_multi_cells(self, cell_a: Sequence[Cell], cell_b: Sequence[Cell]) -> None: + def result_type(self) -> CompoundRegionOperationNode.ResultType: r""" - @brief Initializes the cell mapping for top-level identity - - @param cell_a A list of target cells. - @param cell_b A list of source cells. - @return A list of indexes of cells created. - - This is a convenience version which uses cell references instead of layout/cell index combinations. It has been introduced in version 0.28. + @brief Gets the result type of this node """ - @overload - def for_multi_cells(self, layout_a: Layout, cell_indexes_a: Sequence[int], layout_b: Layout, cell_indexes_b: Sequence[int]) -> None: - r""" - @brief Initializes the cell mapping for top-level identity - @param layout_a The target layout. - @param cell_indexes_a A list of cell indexes for the target cells. - @param layout_b The source layout. - @param cell_indexes_b A list of cell indexes for the source cells (same number of indexes than \cell_indexes_a). +class Connectivity: + r""" + @brief This class specifies connections between different layers. + Connections are build using \connect. There are basically two flavours of connections: intra-layer and inter-layer. - The cell mapping is created for cells from cell_indexes_b to cell from cell_indexes_a in the respective layouts. This method clears the mapping and creates one for each cell pair from cell_indexes_b vs. cell_indexes_a. If used for \Layout#copy_tree_shapes or \Layout#move_tree_shapes, this cell mapping will essentially flatten the source cells in the target layout. + Intra-layer connections make nets begin propagated along different shapes on the same net. Without the intra-layer connections, nets are not propagated over shape boundaries. As this is usually intended, intra-layer connections should always be specified for each layer. - This method is equivalent to \clear, followed by \map(cell_index_a, cell_index_b) for each cell pair. + Inter-layer connections connect shapes on different layers. Shapes which touch across layers will be connected if their layers are specified as being connected through inter-layer \connect. - This method has been introduced in version 0.27. + All layers are specified in terms of layer indexes. Layer indexes are layout layer indexes (see \Layout class). + + The connectivity object also manages the global nets. Global nets are substrate for example and they are propagated automatically from subcircuits to circuits. Global nets are defined by name and are managed through IDs. To get the name for a given ID, use \global_net_name. + This class has been introduced in version 0.26. + """ + @classmethod + def new(cls) -> Connectivity: + r""" + @brief Creates a new object of this class """ - @overload - def for_multi_cells_full(self, cell_a: Sequence[Cell], cell_b: Sequence[Cell]) -> List[int]: + def __copy__(self) -> Connectivity: r""" - @brief Initializes the cell mapping for top-level identity in full mapping mode - - @param cell_a A list of target cells. - @param cell_b A list of source cells. - @return A list of indexes of cells created. - - This is a convenience version which uses cell references instead of layout/cell index combinations. It has been introduced in version 0.28. + @brief Creates a copy of self """ - @overload - def for_multi_cells_full(self, layout_a: Layout, cell_indexes_a: Sequence[int], layout_b: Layout, cell_indexes_b: Sequence[int]) -> List[int]: + def __deepcopy__(self) -> Connectivity: r""" - @brief Initializes the cell mapping for top-level identity in full mapping mode - - @param layout_a The target layout. - @param cell_indexes_a A list of cell indexes for the target cells. - @param layout_b The source layout. - @param cell_indexes_b A list of cell indexes for the source cells (same number of indexes than \cell_indexes_a). - - The cell mapping is created for cells from cell_indexes_b to cell from cell_indexes_a in the respective layouts. This method clears the mapping and creates one for each cell pair from cell_indexes_b vs. cell_indexes_a. In addition and in contrast to \for_multi_cells, this method completes the mapping by adding all the child cells of all cells in cell_indexes_b to layout_a and creating the proper instances. - - This method has been introduced in version 0.27. + @brief Creates a copy of self """ - @overload - def for_single_cell(self, cell_a: Cell, cell_b: Cell) -> None: + def __init__(self) -> None: r""" - @brief Initializes the cell mapping for top-level identity - - @param cell_a The target cell. - @param cell_b The source cell. - @return A list of indexes of cells created. - - This is a convenience version which uses cell references instead of layout/cell index combinations. It has been introduced in version 0.28. + @brief Creates a new object of this class """ - @overload - def for_single_cell(self, layout_a: Layout, cell_index_a: int, layout_b: Layout, cell_index_b: int) -> None: + def _create(self) -> None: r""" - @brief Initializes the cell mapping for top-level identity - - @param layout_a The target layout. - @param cell_index_a The index of the target cell. - @param layout_b The source layout. - @param cell_index_b The index of the source cell. - - The cell mapping is created for cell_b to cell_a in the respective layouts. This method clears the mapping and creates one for the single cell pair. If used for \Cell#copy_tree or \Cell#move_tree, this cell mapping will essentially flatten the cell. - - This method is equivalent to \clear, followed by \map(cell_index_a, cell_index_b). - - This method has been introduced in version 0.23. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def for_single_cell_full(self, cell_a: Cell, cell_b: Cell) -> List[int]: + def _destroy(self) -> None: r""" - @brief Initializes the cell mapping for top-level identity in full mapping mode - - @param cell_a The target cell. - @param cell_b The source cell. - @return A list of indexes of cells created. - - This is a convenience version which uses cell references instead of layout/cell index combinations. It has been introduced in version 0.28. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def for_single_cell_full(self, layout_a: Layout, cell_index_a: int, layout_b: Layout, cell_index_b: int) -> List[int]: + def _destroyed(self) -> bool: r""" - @brief Initializes the cell mapping for top-level identity in full mapping mode - - @param layout_a The target layout. - @param cell_index_a The index of the target cell. - @param layout_b The source layout. - @param cell_index_b The index of the source cell. - - The cell mapping is created for cell_b to cell_a in the respective layouts. This method clears the mapping and creates one for the single cell pair. In addition and in contrast to \for_single_cell, this method completes the mapping by adding all the child cells of cell_b to layout_a and creating the proper instances. - - This method has been introduced in version 0.23. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def from_geometry(self, cell_a: Cell, cell_b: Cell) -> None: + def _is_const_object(self) -> bool: r""" - @brief Initializes the cell mapping using the geometrical identity - - @param cell_a The target cell. - @param cell_b The source cell. - @return A list of indexes of cells created. - - This is a convenience version which uses cell references instead of layout/cell index combinations. It has been introduced in version 0.28. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def from_geometry(self, layout_a: Layout, cell_index_a: int, layout_b: Layout, cell_index_b: int) -> None: + def _manage(self) -> None: r""" - @brief Initializes the cell mapping using the geometrical identity - - @param layout_a The target layout. - @param cell_index_a The index of the target starting cell. - @param layout_b The source layout. - @param cell_index_b The index of the source starting cell. - - The cell mapping is created for cells below cell_a and cell_b in the respective layouts. This method employs geometrical identity to derive mappings for the child cells of the starting cell in layout A and B. - If the geometrical identity is ambiguous, the algorithm will make an arbitrary choice. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method has been introduced in version 0.23. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def from_geometry_full(self, cell_a: Cell, cell_b: Cell) -> List[int]: + def _unmanage(self) -> None: r""" - @brief Initializes the cell mapping using the geometrical identity in full mapping mode - - @param cell_a The target cell. - @param cell_b The source cell. - @return A list of indexes of cells created. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This is a convenience version which uses cell references instead of layout/cell index combinations. It has been introduced in version 0.28. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def from_geometry_full(self, layout_a: Layout, cell_index_a: int, layout_b: Layout, cell_index_b: int) -> List[int]: + def assign(self, other: Connectivity) -> None: r""" - @brief Initializes the cell mapping using the geometrical identity in full mapping mode - - @param layout_a The target layout. - @param cell_index_a The index of the target starting cell. - @param layout_b The source layout. - @param cell_index_b The index of the source starting cell. - @return A list of indexes of cells created. - - The cell mapping is created for cells below cell_a and cell_b in the respective layouts. This method employs geometrical identity to derive mappings for the child cells of the starting cell in layout A and B. - If the geometrical identity is ambiguous, the algorithm will make an arbitrary choice. - - Full mapping means that cells which are not found in the target layout A are created there plus their corresponding instances are created as well. The returned list will contain the indexes of all cells created for that reason. - - This method has been introduced in version 0.23. + @brief Assigns another object to self """ @overload - def from_names(self, cell_a: Cell, cell_b: Cell) -> None: + def connect(self, layer: int) -> None: r""" - @brief Initializes the cell mapping using the name identity - - @param cell_a The target cell. - @param cell_b The source cell. - @return A list of indexes of cells created. - - This is a convenience version which uses cell references instead of layout/cell index combinations. It has been introduced in version 0.28. + @brief Specifies intra-layer connectivity. """ @overload - def from_names(self, layout_a: Layout, cell_index_a: int, layout_b: Layout, cell_index_b: int) -> None: + def connect(self, layer_a: int, layer_b: int) -> None: r""" - @brief Initializes the cell mapping using the name identity - - @param layout_a The target layout. - @param cell_index_a The index of the target starting cell. - @param layout_b The source layout. - @param cell_index_b The index of the source starting cell. - - The cell mapping is created for cells below cell_a and cell_b in the respective layouts. - This method employs name identity to derive mappings for the child cells of the starting cell in layout A and B. - - This method has been introduced in version 0.23. + @brief Specifies inter-layer connectivity. """ - @overload - def from_names_full(self, cell_a: Cell, cell_b: Cell) -> List[int]: + def connect_global(self, layer: int, global_net_name: str) -> int: r""" - @brief Initializes the cell mapping using the name identity in full mapping mode - - @param cell_a The target cell. - @param cell_b The source cell. - @return A list of indexes of cells created. - - This is a convenience version which uses cell references instead of layout/cell index combinations. It has been introduced in version 0.28. + @brief Connects the given layer to the global net given by name. + Returns the ID of the global net. """ - @overload - def from_names_full(self, layout_a: Layout, cell_index_a: int, layout_b: Layout, cell_index_b: int) -> List[int]: + def create(self) -> None: r""" - @brief Initializes the cell mapping using the name identity in full mapping mode - - @param layout_a The target layout. - @param cell_index_a The index of the target starting cell. - @param layout_b The source layout. - @param cell_index_b The index of the source starting cell. - @return A list of indexes of cells created. - - The cell mapping is created for cells below cell_a and cell_b in the respective layouts. - This method employs name identity to derive mappings for the child cells of the starting cell in layout A and B. - - Full mapping means that cells which are not found in the target layout A are created there plus their corresponding instances are created as well. The returned list will contain the indexes of all cells created for that reason. - - This method has been introduced in version 0.23. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def has_mapping(self, cell_index_b: int) -> bool: + def destroy(self) -> None: r""" - @brief Returns as value indicating whether a cell of layout_b has a mapping to a layout_a cell. - - @param cell_index_b The index of the cell in layout_b whose mapping is requested. - @return true, if the cell has a mapping - - Note that if the cell is supposed to be dropped (see \DropCell), the respective source cell will also be regarded "mapped", so has_mapping? will return true in this case. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> Connectivity: + r""" + @brief Creates a copy of self + """ + def global_net_id(self, global_net_name: str) -> int: + r""" + @brief Gets the ID for a given global net name. + """ + def global_net_name(self, global_net_id: int) -> str: + r""" + @brief Gets the name for a given global net ID. """ def is_const_object(self) -> bool: r""" @@ -5315,1219 +4866,1266 @@ class CellMapping: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def map(self, cell_index_b: int, cell_index_a: int) -> None: - r""" - @brief Explicitly specifies a mapping. +class CplxTrans: + r""" + @brief A complex transformation - @param cell_index_b The index of the cell in layout B (the "source") - @param cell_index_a The index of the cell in layout A (the "target") - this index can be \DropCell - - Beside using the mapping generator algorithms provided through \from_names and \from_geometry, it is possible to explicitly specify cell mappings using this method. + A complex transformation provides magnification, mirroring at the x-axis, rotation by an arbitrary + angle and a displacement. This is also the order, the operations are applied. + This version can transform integer-coordinate objects into floating-point coordinate objects. This is the generic and exact case, for example for non-integer magnifications. - This method has been introduced in version 0.23. - """ - def table(self) -> Dict[int, int]: - r""" - @brief Returns the mapping table. + Complex transformations are extensions of the simple transformation classes (\Trans or \DTrans in that case) and behave similar. - The mapping table is a dictionary where the keys are source layout cell indexes and the values are the target layout cell indexes. - Note that the target cell index can be \DropCell to indicate that a cell is supposed to be dropped. + Transformations can be used to transform points or other objects. Transformations can be combined with the '*' operator to form the transformation which is equivalent to applying the second and then the first. Here is some code: - This method has been introduced in version 0.25. - """ + @code + # Create a transformation that applies a magnification of 1.5, a rotation by 90 degree + # and displacement of 10 in x and 20 units in y direction: + t = RBA::DCplxTrans::new(1.5, 90, false, 10.0, 20.0) + t.to_s # r90 *1.5 10,20 + # compute the inverse: + t.inverted.to_s # r270 *0.666666667 -13,7 + # Combine with another displacement (applied after that): + (RBA::DCplxTrans::new(5, 5) * t).to_s # r90 *1.5 15,25 + # Transform a point: + t.trans(RBA::DPoint::new(100, 200)).to_s # -290,170 + @/code -class CompoundRegionOperationNode: + The inverse type of the CplxTrans type is VCplxTrans which will transform floating-point to integer coordinate objects. Transformations of CplxTrans type can be concatenated (operator *) with either itself or with transformations of compatible input or output type. This means, the operator CplxTrans * ICplxTrans is allowed (output types of ICplxTrans and input of CplxTrans are identical) while CplxTrans * DCplxTrans is not. + See @The Database API@ for more details about the database objects. + """ + M0: ClassVar[CplxTrans] r""" - @brief A base class for compound DRC operations - - This class is not intended to be used directly but rather provide a factory for various incarnations of compound operation nodes. Compound operations are a way to specify complex DRC operations put together by building a tree of operations. This operation tree then is executed with \Region#complex_op and will act on individual clusters of shapes and their interacting neighbors. - - A basic concept to the compound operations is the 'subject' (primary) and 'intruder' (secondary) input. The 'subject' is the Region, 'complex_op' with the operation tree is executed on. 'intruders' are regions inserted into the equation through secondary input nodes created with \new_secondary_node. The algorithm will execute the operation tree for every subject shape considering intruder shapes from the secondary inputs. The algorithm will only act on subject shapes primarily. As a consequence, 'lonely' intruder shapes without a subject shape are not considered at all. Only subject shapes trigger evaluation of the operation tree. + @brief A constant giving "mirrored at the x-axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + M135: ClassVar[CplxTrans] + r""" + @brief A constant giving "mirrored at the 135 degree axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + M45: ClassVar[CplxTrans] + r""" + @brief A constant giving "mirrored at the 45 degree axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + M90: ClassVar[CplxTrans] + r""" + @brief A constant giving "mirrored at the y (90 degree) axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + R0: ClassVar[CplxTrans] + r""" + @brief A constant giving "unrotated" (unit) transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + R180: ClassVar[CplxTrans] + r""" + @brief A constant giving "rotated by 180 degree counterclockwise" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + R270: ClassVar[CplxTrans] + r""" + @brief A constant giving "rotated by 270 degree counterclockwise" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + R90: ClassVar[CplxTrans] + r""" + @brief A constant giving "rotated by 90 degree counterclockwise" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + angle: float + r""" + Getter: + @brief Gets the angle - The search distance for intruder shapes is determined by the operation and computed from the operation's requirements. + Note that the simple transformation returns the angle in units of 90 degree. Hence for a simple trans (i.e. \Trans), a rotation angle of 180 degree delivers a value of 2 for the angle attribute. The complex transformation, supporting any rotation angle returns the angle in degree. - NOTE: this feature is experimental and not deployed into the the DRC framework yet. + @return The rotation angle this transformation provides in degree units (0..360 deg). - This class has been introduced in version 0.27. + Setter: + @brief Sets the angle + @param a The new angle + See \angle for a description of that attribute. """ - class LogicalOp: + disp: DVector + r""" + Getter: + @brief Gets the displacement + + Setter: + @brief Sets the displacement + @param u The new displacement + """ + mag: float + r""" + Getter: + @brief Gets the magnification + + Setter: + @brief Sets the magnification + @param m The new magnification + """ + mirror: bool + r""" + Getter: + @brief Gets the mirror flag + + If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. + Setter: + @brief Sets the mirror flag + "mirroring" describes a reflection at the x-axis which is included in the transformation prior to rotation.@param m The new mirror flag + """ + @classmethod + def from_dtrans(cls, trans: DCplxTrans) -> CplxTrans: r""" - @brief This class represents the CompoundRegionOperationNode::LogicalOp enum + @brief Creates a floating-point coordinate transformation from another coordinate flavour - This enum has been introduced in version 0.27. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtrans'. """ - LogAnd: ClassVar[CompoundRegionOperationNode.LogicalOp] + @classmethod + def from_s(cls, s: str) -> CplxTrans: r""" - @brief Indicates a logical '&&' (and). + @brief Creates an object from a string + Creates the object from a string representation (as returned by \to_s) + + This method has been added in version 0.23. """ - LogOr: ClassVar[CompoundRegionOperationNode.LogicalOp] + @overload + @classmethod + def new(cls) -> CplxTrans: r""" - @brief Indicates a logical '||' (or). + @brief Creates a unit transformation """ - @overload - @classmethod - def new(cls, i: int) -> CompoundRegionOperationNode.LogicalOp: - r""" - @brief Creates an enum from an integer value - """ - @overload - @classmethod - def new(cls, s: str) -> CompoundRegionOperationNode.LogicalOp: - r""" - @brief Creates an enum from a string value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares two enums - """ - @overload - def __init__(self, i: int) -> None: - r""" - @brief Creates an enum from an integer value - """ - @overload - def __init__(self, s: str) -> None: - r""" - @brief Creates an enum from a string value - """ - @overload - def __lt__(self, other: int) -> bool: - r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value - """ - @overload - def __lt__(self, other: CompoundRegionOperationNode.LogicalOp) -> bool: - r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer for inequality - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares two enums for inequality - """ - def __repr__(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def __str__(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - def inspect(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def to_i(self) -> int: - r""" - @brief Gets the integer value from the enum - """ - def to_s(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - class GeometricalOp: + @overload + @classmethod + def new(cls, c: CplxTrans, m: Optional[float] = ..., u: Optional[DVector] = ...) -> CplxTrans: r""" - @brief This class represents the CompoundRegionOperationNode::GeometricalOp enum + @brief Creates a transformation from another transformation plus a magnification and displacement - This enum has been introduced in version 0.27. + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. + + This variant has been introduced in version 0.25. + + @param c The original transformation + @param u The Additional displacement """ - And: ClassVar[CompoundRegionOperationNode.GeometricalOp] + @overload + @classmethod + def new(cls, c: CplxTrans, m: float, x: int, y: int) -> CplxTrans: r""" - @brief Indicates a geometrical '&' (and). + @brief Creates a transformation from another transformation plus a magnification and displacement + + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. + + This variant has been introduced in version 0.25. + + @param c The original transformation + @param x The Additional displacement (x) + @param y The Additional displacement (y) """ - Not: ClassVar[CompoundRegionOperationNode.GeometricalOp] + @overload + @classmethod + def new(cls, m: float) -> CplxTrans: r""" - @brief Indicates a geometrical '-' (not). + @brief Creates a transformation from a magnification + + Creates a magnifying transformation without displacement and rotation given the magnification m. """ - Or: ClassVar[CompoundRegionOperationNode.GeometricalOp] + @overload + @classmethod + def new(cls, mag: float, rot: float, mirrx: bool, u: DVector) -> CplxTrans: r""" - @brief Indicates a geometrical '|' (or). + @brief Creates a transformation using magnification, angle, mirror flag and displacement + + The sequence of operations is: magnification, mirroring at x axis, + rotation, application of displacement. + + @param mag The magnification + @param rot The rotation angle in units of degree + @param mirrx True, if mirrored at x axis + @param u The displacement """ - Xor: ClassVar[CompoundRegionOperationNode.GeometricalOp] + @overload + @classmethod + def new(cls, mag: float, rot: float, mirrx: bool, x: float, y: float) -> CplxTrans: r""" - @brief Indicates a geometrical '^' (xor). + @brief Creates a transformation using magnification, angle, mirror flag and displacement + + The sequence of operations is: magnification, mirroring at x axis, + rotation, application of displacement. + + @param mag The magnification + @param rot The rotation angle in units of degree + @param mirrx True, if mirrored at x axis + @param x The x displacement + @param y The y displacement """ - @overload - @classmethod - def new(cls, i: int) -> CompoundRegionOperationNode.GeometricalOp: - r""" - @brief Creates an enum from an integer value - """ - @overload - @classmethod - def new(cls, s: str) -> CompoundRegionOperationNode.GeometricalOp: - r""" - @brief Creates an enum from a string value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares two enums - """ - @overload - def __init__(self, i: int) -> None: - r""" - @brief Creates an enum from an integer value - """ - @overload - def __init__(self, s: str) -> None: - r""" - @brief Creates an enum from a string value - """ - @overload - def __lt__(self, other: int) -> bool: - r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value - """ - @overload - def __lt__(self, other: CompoundRegionOperationNode.GeometricalOp) -> bool: - r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares two enums for inequality - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer for inequality - """ - def __repr__(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def __str__(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - def inspect(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def to_i(self) -> int: - r""" - @brief Gets the integer value from the enum - """ - def to_s(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - class ResultType: + @overload + @classmethod + def new(cls, t: Trans) -> CplxTrans: r""" - @brief This class represents the CompoundRegionOperationNode::ResultType enum + @brief Creates a transformation from a simple transformation alone - This enum has been introduced in version 0.27. + Creates a magnifying transformation from a simple transformation and a magnification of 1.0. """ - EdgePairs: ClassVar[CompoundRegionOperationNode.ResultType] + @overload + @classmethod + def new(cls, t: Trans, m: float) -> CplxTrans: r""" - @brief Indicates edge pair result type. + @brief Creates a transformation from a simple transformation and a magnification + + Creates a magnifying transformation from a simple transformation and a magnification. """ - Edges: ClassVar[CompoundRegionOperationNode.ResultType] + @overload + @classmethod + def new(cls, trans: DCplxTrans) -> CplxTrans: r""" - @brief Indicates edge result type. + @brief Creates a floating-point coordinate transformation from another coordinate flavour + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtrans'. """ - Region: ClassVar[CompoundRegionOperationNode.ResultType] + @overload + @classmethod + def new(cls, trans: ICplxTrans) -> CplxTrans: r""" - @brief Indicates polygon result type. + @brief Creates a floating-point coordinate transformation from another coordinate flavour + + This constructor has been introduced in version 0.25. """ - @overload - @classmethod - def new(cls, i: int) -> CompoundRegionOperationNode.ResultType: - r""" - @brief Creates an enum from an integer value - """ - @overload - @classmethod - def new(cls, s: str) -> CompoundRegionOperationNode.ResultType: - r""" - @brief Creates an enum from a string value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares two enums - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer value - """ - @overload - def __init__(self, i: int) -> None: - r""" - @brief Creates an enum from an integer value - """ - @overload - def __init__(self, s: str) -> None: - r""" - @brief Creates an enum from a string value - """ - @overload - def __lt__(self, other: int) -> bool: - r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value - """ - @overload - def __lt__(self, other: CompoundRegionOperationNode.ResultType) -> bool: - r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer for inequality - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares two enums for inequality - """ - def __repr__(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def __str__(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - def inspect(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def to_i(self) -> int: - r""" - @brief Gets the integer value from the enum - """ - def to_s(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - class ParameterType: + @overload + @classmethod + def new(cls, trans: VCplxTrans) -> CplxTrans: r""" - @brief This class represents the parameter type enum used in \CompoundRegionOperationNode#new_bbox_filter + @brief Creates a floating-point coordinate transformation from another coordinate flavour - This enum has been introduced in version 0.27. + This constructor has been introduced in version 0.25. """ - BoxAverageDim: ClassVar[CompoundRegionOperationNode.ParameterType] + @overload + @classmethod + def new(cls, u: DVector) -> CplxTrans: r""" - @brief Measures the average of width and height of the bounding box + @brief Creates a transformation from a displacement + + Creates a transformation with a displacement only. + + This method has been added in version 0.25. """ - BoxHeight: ClassVar[CompoundRegionOperationNode.ParameterType] + @overload + @classmethod + def new(cls, x: float, y: float) -> CplxTrans: r""" - @brief Measures the height of the bounding box + @brief Creates a transformation from a x and y displacement + + This constructor will create a transformation with the specified displacement + but no rotation. + + @param x The x displacement + @param y The y displacement """ - BoxMaxDim: ClassVar[CompoundRegionOperationNode.ParameterType] + def __copy__(self) -> CplxTrans: r""" - @brief Measures the maximum dimension of the bounding box + @brief Creates a copy of self """ - BoxMinDim: ClassVar[CompoundRegionOperationNode.ParameterType] + def __deepcopy__(self) -> CplxTrans: r""" - @brief Measures the minimum dimension of the bounding box + @brief Creates a copy of self """ - BoxWidth: ClassVar[CompoundRegionOperationNode.ParameterType] + def __eq__(self, other: object) -> bool: r""" - @brief Measures the width of the bounding box + @brief Tests for equality """ - @overload - @classmethod - def new(cls, i: int) -> CompoundRegionOperationNode.ParameterType: - r""" - @brief Creates an enum from an integer value - """ - @overload - @classmethod - def new(cls, s: str) -> CompoundRegionOperationNode.ParameterType: - r""" - @brief Creates an enum from a string value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares two enums - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer value - """ - @overload - def __init__(self, i: int) -> None: - r""" - @brief Creates an enum from an integer value - """ - @overload - def __init__(self, s: str) -> None: - r""" - @brief Creates an enum from a string value - """ - @overload - def __lt__(self, other: int) -> bool: - r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value - """ - @overload - def __lt__(self, other: CompoundRegionOperationNode.ParameterType) -> bool: - r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares two enums for inequality - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer for inequality - """ - def __repr__(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def __str__(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - def inspect(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def to_i(self) -> int: - r""" - @brief Gets the integer value from the enum - """ - def to_s(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - class RatioParameterType: + def __hash__(self) -> int: r""" - @brief This class represents the parameter type enum used in \CompoundRegionOperationNode#new_ratio_filter + @brief Computes a hash value + Returns a hash value for the given transformation. This method enables transformations as hash keys. - This enum has been introduced in version 0.27. + This method has been introduced in version 0.25. """ - AreaRatio: ClassVar[CompoundRegionOperationNode.RatioParameterType] + @overload + def __init__(self) -> None: r""" - @brief Measures the area ratio (bounding box area / polygon area) + @brief Creates a unit transformation """ - AspectRatio: ClassVar[CompoundRegionOperationNode.RatioParameterType] + @overload + def __init__(self, c: CplxTrans, m: Optional[float] = ..., u: Optional[DVector] = ...) -> None: r""" - @brief Measures the aspect ratio of the bounding box (larger / smaller dimension) + @brief Creates a transformation from another transformation plus a magnification and displacement + + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. + + This variant has been introduced in version 0.25. + + @param c The original transformation + @param u The Additional displacement """ - RelativeHeight: ClassVar[CompoundRegionOperationNode.RatioParameterType] + @overload + def __init__(self, c: CplxTrans, m: float, x: int, y: int) -> None: r""" - @brief Measures the relative height (height / width) - """ - @overload - @classmethod - def new(cls, i: int) -> CompoundRegionOperationNode.RatioParameterType: - r""" - @brief Creates an enum from an integer value - """ - @overload - @classmethod - def new(cls, s: str) -> CompoundRegionOperationNode.RatioParameterType: - r""" - @brief Creates an enum from a string value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares two enums - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer value - """ - @overload - def __init__(self, i: int) -> None: - r""" - @brief Creates an enum from an integer value - """ - @overload - def __init__(self, s: str) -> None: - r""" - @brief Creates an enum from a string value - """ - @overload - def __lt__(self, other: int) -> bool: - r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value - """ - @overload - def __lt__(self, other: CompoundRegionOperationNode.RatioParameterType) -> bool: - r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer for inequality - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares two enums for inequality - """ - def __repr__(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def __str__(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - def inspect(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def to_i(self) -> int: - r""" - @brief Gets the integer value from the enum - """ - def to_s(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - description: str - r""" - Getter: - @brief Gets the description for this node - Setter: - @brief Sets the description for this node - """ - distance: int - r""" - Getter: - @brief Gets the distance value for this node - Setter: - @brief Sets the distance value for this nodeUsually it's not required to provide a distance because the nodes compute a distance based on their operation. If necessary you can supply a distance. The processor will use this distance or the computed one, whichever is larger. - """ - @classmethod - def new(cls) -> CompoundRegionOperationNode: - r""" - @brief Creates a new object of this class + @brief Creates a transformation from another transformation plus a magnification and displacement + + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. + + This variant has been introduced in version 0.25. + + @param c The original transformation + @param x The Additional displacement (x) + @param y The Additional displacement (y) """ - @classmethod - def new_area_filter(cls, input: CompoundRegionOperationNode, inverse: Optional[bool] = ..., amin: Optional[int] = ..., amax: Optional[int] = ...) -> CompoundRegionOperationNode: + @overload + def __init__(self, m: float) -> None: r""" - @brief Creates a node filtering the input by area. - This node renders the input if the area is between amin and amax (exclusively). If 'inverse' is set to true, the input shape is returned if the area is less than amin (exclusively) or larger than amax (inclusively). + @brief Creates a transformation from a magnification + + Creates a magnifying transformation without displacement and rotation given the magnification m. """ - @classmethod - def new_area_sum_filter(cls, input: CompoundRegionOperationNode, inverse: Optional[bool] = ..., amin: Optional[int] = ..., amax: Optional[int] = ...) -> CompoundRegionOperationNode: + @overload + def __init__(self, mag: float, rot: float, mirrx: bool, u: DVector) -> None: r""" - @brief Creates a node filtering the input by area sum. - Like \new_area_filter, but applies to the sum of all shapes in the current set. + @brief Creates a transformation using magnification, angle, mirror flag and displacement + + The sequence of operations is: magnification, mirroring at x axis, + rotation, application of displacement. + + @param mag The magnification + @param rot The rotation angle in units of degree + @param mirrx True, if mirrored at x axis + @param u The displacement """ - @classmethod - def new_bbox_filter(cls, input: CompoundRegionOperationNode, parameter: CompoundRegionOperationNode.ParameterType, inverse: Optional[bool] = ..., pmin: Optional[int] = ..., pmax: Optional[int] = ...) -> CompoundRegionOperationNode: + @overload + def __init__(self, mag: float, rot: float, mirrx: bool, x: float, y: float) -> None: r""" - @brief Creates a node filtering the input by bounding box parameters. - This node renders the input if the specified bounding box parameter of the input shape is between pmin and pmax (exclusively). If 'inverse' is set to true, the input shape is returned if the parameter is less than pmin (exclusively) or larger than pmax (inclusively). + @brief Creates a transformation using magnification, angle, mirror flag and displacement + + The sequence of operations is: magnification, mirroring at x axis, + rotation, application of displacement. + + @param mag The magnification + @param rot The rotation angle in units of degree + @param mirrx True, if mirrored at x axis + @param x The x displacement + @param y The y displacement """ - @classmethod - def new_case(cls, inputs: Sequence[CompoundRegionOperationNode]) -> CompoundRegionOperationNode: + @overload + def __init__(self, t: Trans) -> None: r""" - @brief Creates a 'switch ladder' (case statement) compound operation node. + @brief Creates a transformation from a simple transformation alone - The inputs are treated as a sequence of condition/result pairs: c1,r1,c2,r2 etc. If there is an odd number of inputs, the last element is taken as the default result. The implementation will evaluate c1 and if not empty, will render r1. Otherwise, c2 will be evaluated and r2 rendered if c2 isn't empty etc. If none of the conditions renders a non-empty set and a default result is present, the default will be returned. Otherwise, the result is empty. + Creates a magnifying transformation from a simple transformation and a magnification of 1.0. """ - @classmethod - def new_centers(cls, input: CompoundRegionOperationNode, length: int, fraction: float) -> CompoundRegionOperationNode: + @overload + def __init__(self, t: Trans, m: float) -> None: r""" - @brief Creates a node delivering a part at the center of each input edge. + @brief Creates a transformation from a simple transformation and a magnification + + Creates a magnifying transformation from a simple transformation and a magnification. """ - @classmethod - def new_convex_decomposition(cls, input: CompoundRegionOperationNode, mode: PreferredOrientation) -> CompoundRegionOperationNode: + @overload + def __init__(self, trans: DCplxTrans) -> None: r""" - @brief Creates a node providing a composition into convex pieces. + @brief Creates a floating-point coordinate transformation from another coordinate flavour + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtrans'. """ - @classmethod - def new_corners_as_dots(cls, input: CompoundRegionOperationNode, angle_min: float, include_angle_min: bool, angle_max: float, include_angle_max: bool) -> CompoundRegionOperationNode: + @overload + def __init__(self, trans: ICplxTrans) -> None: r""" - @brief Creates a node turning corners into dots (single-point edges). + @brief Creates a floating-point coordinate transformation from another coordinate flavour + + This constructor has been introduced in version 0.25. """ - @classmethod - def new_corners_as_edge_pairs(cls, input: CompoundRegionOperationNode, angle_min: float, include_angle_min: bool, angle_max: float, include_angle_max: bool) -> CompoundRegionOperationNode: + @overload + def __init__(self, trans: VCplxTrans) -> None: r""" - @brief Creates a node turning corners into edge pairs containing the two edges adjacent to the corner. - The first edge will be the incoming edge and the second one the outgoing edge. + @brief Creates a floating-point coordinate transformation from another coordinate flavour - This feature has been introduced in version 0.27.1. + This constructor has been introduced in version 0.25. """ - @classmethod - def new_corners_as_rectangles(cls, input: CompoundRegionOperationNode, angle_min: float, include_angle_min: bool, angle_max: float, include_angle_max: bool, dim: int) -> CompoundRegionOperationNode: + @overload + def __init__(self, u: DVector) -> None: r""" - @brief Creates a node turning corners into rectangles. + @brief Creates a transformation from a displacement + + Creates a transformation with a displacement only. + + This method has been added in version 0.25. """ - @classmethod - def new_count_filter(cls, inputs: CompoundRegionOperationNode, invert: Optional[bool] = ..., min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> CompoundRegionOperationNode: + @overload + def __init__(self, x: float, y: float) -> None: r""" - @brief Creates a node selecting results but their shape count. + @brief Creates a transformation from a x and y displacement + + This constructor will create a transformation with the specified displacement + but no rotation. + + @param x The x displacement + @param y The y displacement """ - @classmethod - def new_edge_length_filter(cls, input: CompoundRegionOperationNode, inverse: Optional[bool] = ..., lmin: Optional[int] = ..., lmax: Optional[int] = ...) -> CompoundRegionOperationNode: + def __lt__(self, other: CplxTrans) -> bool: r""" - @brief Creates a node filtering edges by their length. + @brief Provides a 'less' criterion for sorting + This method is provided to implement a sorting order. The definition of 'less' is opaque and might change in future versions. """ - @classmethod - def new_edge_length_sum_filter(cls, input: CompoundRegionOperationNode, inverse: Optional[bool] = ..., lmin: Optional[int] = ..., lmax: Optional[int] = ...) -> CompoundRegionOperationNode: + @overload + def __mul__(self, box: Box) -> DBox: r""" - @brief Creates a node filtering edges by their length sum (over the local set). + @brief Transforms a box + + 't*box' or 't.trans(box)' is equivalent to box.transformed(t). + + @param box The box to transform + @return The transformed box + + This convenience method has been introduced in version 0.25. """ - @classmethod - def new_edge_orientation_filter(cls, input: CompoundRegionOperationNode, inverse: bool, amin: float, include_amin: bool, amax: float, include_amax: bool) -> CompoundRegionOperationNode: + @overload + def __mul__(self, d: int) -> float: r""" - @brief Creates a node filtering edges by their orientation. + @brief Transforms a distance + + The "ctrans" method transforms the given distance. + e = t(d). For the simple transformations, there + is no magnification and no modification of the distance + therefore. + + @param d The distance to transform + @return The transformed distance + + The product '*' has been added as a synonym in version 0.28. """ - @classmethod - def new_edge_pair_to_first_edges(cls, input: CompoundRegionOperationNode) -> CompoundRegionOperationNode: + @overload + def __mul__(self, edge: Edge) -> DEdge: r""" - @brief Creates a node delivering the first edge of each edges pair. + @brief Transforms an edge + + 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). + + @param edge The edge to transform + @return The transformed edge + + This convenience method has been introduced in version 0.25. """ - @classmethod - def new_edge_pair_to_second_edges(cls, input: CompoundRegionOperationNode) -> CompoundRegionOperationNode: + @overload + def __mul__(self, p: Point) -> DPoint: r""" - @brief Creates a node delivering the second edge of each edges pair. + @brief Transforms a point + + The "trans" method or the * operator transforms the given point. + q = t(p) + + The * operator has been introduced in version 0.25. + + @param p The point to transform + @return The transformed point """ - @classmethod - def new_edges(cls, input: CompoundRegionOperationNode) -> CompoundRegionOperationNode: + @overload + def __mul__(self, p: Vector) -> DVector: r""" - @brief Creates a node converting polygons into it's edges. + @brief Transforms a vector + + The "trans" method or the * operator transforms the given vector. + w = t(v) + + Vector transformation has been introduced in version 0.25. + + @param v The vector to transform + @return The transformed vector """ - @classmethod - def new_empty(cls, type: CompoundRegionOperationNode.ResultType) -> CompoundRegionOperationNode: + @overload + def __mul__(self, path: Path) -> DPath: r""" - @brief Creates a node delivering an empty result of the given type + @brief Transforms a path + + 't*path' or 't.trans(path)' is equivalent to path.transformed(t). + + @param path The path to transform + @return The transformed path + + This convenience method has been introduced in version 0.25. """ - @classmethod - def new_enclosed_check(cls, other: CompoundRegionOperationNode, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ...) -> CompoundRegionOperationNode: + @overload + def __mul__(self, polygon: Polygon) -> DPolygon: r""" - @brief Creates a node providing an enclosed (secondary enclosing primary) check. + @brief Transforms a polygon - This method has been added in version 0.27.5. + 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). + + @param polygon The polygon to transform + @return The transformed polygon + + This convenience method has been introduced in version 0.25. """ - @classmethod - def new_enclosing(cls, a: CompoundRegionOperationNode, b: CompoundRegionOperationNode, inverse: Optional[bool] = ..., min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> CompoundRegionOperationNode: + @overload + def __mul__(self, t: CplxTrans) -> CplxTrans: r""" - @brief Creates a node representing an inside selection operation between the inputs. + @brief Returns the concatenated transformation + + The * operator returns self*t ("t is applied before this transformation"). + + @param t The transformation to apply before + @return The modified transformation """ - @classmethod - def new_enclosing_check(cls, other: CompoundRegionOperationNode, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ...) -> CompoundRegionOperationNode: + @overload + def __mul__(self, t: ICplxTrans) -> CplxTrans: r""" - @brief Creates a node providing an inside (enclosure) check. + @brief Multiplication (concatenation) of transformations + + The * operator returns self*t ("t is applied before this transformation"). + + @param t The transformation to apply before + @return The modified transformation """ - @classmethod - def new_end_segments(cls, input: CompoundRegionOperationNode, length: int, fraction: float) -> CompoundRegionOperationNode: + @overload + def __mul__(self, t: VCplxTrans) -> DCplxTrans: r""" - @brief Creates a node delivering a part at the end of each input edge. + @brief Multiplication (concatenation) of transformations + + The * operator returns self*t ("t is applied before this transformation"). + + @param t The transformation to apply before + @return The modified transformation """ - @classmethod - def new_extended(cls, input: CompoundRegionOperationNode, ext_b: int, ext_e: int, ext_o: int, ext_i: int) -> CompoundRegionOperationNode: + @overload + def __mul__(self, text: Text) -> DText: r""" - @brief Creates a node delivering a polygonized version of the edges with the four extension parameters. + @brief Transforms a text + + 't*text' or 't.trans(text)' is equivalent to text.transformed(t). + + @param text The text to transform + @return The transformed text + + This convenience method has been introduced in version 0.25. """ - @classmethod - def new_extended_in(cls, input: CompoundRegionOperationNode, e: int) -> CompoundRegionOperationNode: + def __ne__(self, other: object) -> bool: r""" - @brief Creates a node delivering a polygonized, inside-extended version of the edges. + @brief Tests for inequality """ - @classmethod - def new_extended_out(cls, input: CompoundRegionOperationNode, e: int) -> CompoundRegionOperationNode: + @overload + def __rmul__(self, box: Box) -> DBox: r""" - @brief Creates a node delivering a polygonized, inside-extended version of the edges. + @brief Transforms a box + + 't*box' or 't.trans(box)' is equivalent to box.transformed(t). + + @param box The box to transform + @return The transformed box + + This convenience method has been introduced in version 0.25. """ - @classmethod - def new_extents(cls, input: CompoundRegionOperationNode, e: Optional[int] = ...) -> CompoundRegionOperationNode: + @overload + def __rmul__(self, d: int) -> float: r""" - @brief Creates a node returning the extents of the objects. - The 'e' parameter provides a generic enlargement which is applied to the boxes. This is helpful to cover dot-like edges or edge pairs in the input. + @brief Transforms a distance + + The "ctrans" method transforms the given distance. + e = t(d). For the simple transformations, there + is no magnification and no modification of the distance + therefore. + + @param d The distance to transform + @return The transformed distance + + The product '*' has been added as a synonym in version 0.28. """ - @classmethod - def new_foreign(cls) -> CompoundRegionOperationNode: + @overload + def __rmul__(self, edge: Edge) -> DEdge: r""" - @brief Creates a node object representing the primary input without the current polygon + @brief Transforms an edge + + 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). + + @param edge The edge to transform + @return The transformed edge + + This convenience method has been introduced in version 0.25. """ - @classmethod - def new_geometrical_boolean(cls, op: CompoundRegionOperationNode.GeometricalOp, a: CompoundRegionOperationNode, b: CompoundRegionOperationNode) -> CompoundRegionOperationNode: + @overload + def __rmul__(self, p: Point) -> DPoint: r""" - @brief Creates a node representing a geometrical boolean operation between the inputs. + @brief Transforms a point + + The "trans" method or the * operator transforms the given point. + q = t(p) + + The * operator has been introduced in version 0.25. + + @param p The point to transform + @return The transformed point """ - @classmethod - def new_hole_count_filter(cls, input: CompoundRegionOperationNode, inverse: Optional[bool] = ..., hmin: Optional[int] = ..., hmax: Optional[int] = ...) -> CompoundRegionOperationNode: + @overload + def __rmul__(self, p: Vector) -> DVector: r""" - @brief Creates a node filtering the input by number of holes per polygon. - This node renders the input if the hole count is between hmin and hmax (exclusively). If 'inverse' is set to true, the input shape is returned if the hole count is less than hmin (exclusively) or larger than hmax (inclusively). + @brief Transforms a vector + + The "trans" method or the * operator transforms the given vector. + w = t(v) + + Vector transformation has been introduced in version 0.25. + + @param v The vector to transform + @return The transformed vector """ - @classmethod - def new_holes(cls, input: CompoundRegionOperationNode) -> CompoundRegionOperationNode: + @overload + def __rmul__(self, path: Path) -> DPath: r""" - @brief Creates a node extracting the holes from polygons. + @brief Transforms a path + + 't*path' or 't.trans(path)' is equivalent to path.transformed(t). + + @param path The path to transform + @return The transformed path + + This convenience method has been introduced in version 0.25. """ - @classmethod - def new_hulls(cls, input: CompoundRegionOperationNode) -> CompoundRegionOperationNode: + @overload + def __rmul__(self, polygon: Polygon) -> DPolygon: r""" - @brief Creates a node extracting the hulls from polygons. + @brief Transforms a polygon + + 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). + + @param polygon The polygon to transform + @return The transformed polygon + + This convenience method has been introduced in version 0.25. """ - @classmethod - def new_inside(cls, a: CompoundRegionOperationNode, b: CompoundRegionOperationNode, inverse: Optional[bool] = ...) -> CompoundRegionOperationNode: + @overload + def __rmul__(self, text: Text) -> DText: r""" - @brief Creates a node representing an inside selection operation between the inputs. + @brief Transforms a text + + 't*text' or 't.trans(text)' is equivalent to text.transformed(t). + + @param text The text to transform + @return The transformed text + + This convenience method has been introduced in version 0.25. """ - @classmethod - def new_interacting(cls, a: CompoundRegionOperationNode, b: CompoundRegionOperationNode, inverse: Optional[bool] = ..., min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> CompoundRegionOperationNode: + def __str__(self, lazy: Optional[bool] = ..., dbu: Optional[float] = ...) -> str: r""" - @brief Creates a node representing an interacting selection operation between the inputs. + @brief String conversion + If 'lazy' is true, some parts are omitted when not required. + If a DBU is given, the output units will be micrometers. + + The lazy and DBU arguments have been added in version 0.27.6. """ - @classmethod - def new_isolated_check(cls, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ...) -> CompoundRegionOperationNode: + def _create(self) -> None: r""" - @brief Creates a node providing a isolated polygons (space between different polygons) check. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @classmethod - def new_join(cls, inputs: Sequence[CompoundRegionOperationNode]) -> CompoundRegionOperationNode: + def _destroy(self) -> None: r""" - @brief Creates a node that joins the inputs. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @classmethod - def new_logical_boolean(cls, op: CompoundRegionOperationNode.LogicalOp, invert: bool, inputs: Sequence[CompoundRegionOperationNode]) -> CompoundRegionOperationNode: + def _destroyed(self) -> bool: r""" - @brief Creates a node representing a logical boolean operation between the inputs. - - A logical AND operation will evaluate the arguments and render the subject shape when all arguments are non-empty. The logical OR operation will evaluate the arguments and render the subject shape when one argument is non-empty. Setting 'inverse' to true will reverse the result and return the subject shape when one argument is empty in the AND case and when all arguments are empty in the OR case. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @classmethod - def new_merged(cls, input: CompoundRegionOperationNode, min_coherence: Optional[bool] = ..., min_wc: Optional[int] = ...) -> CompoundRegionOperationNode: + def _is_const_object(self) -> bool: r""" - @brief Creates a node providing merged input polygons. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - @classmethod - def new_minkowski_sum(cls, input: CompoundRegionOperationNode, e: Edge) -> CompoundRegionOperationNode: + def _manage(self) -> None: r""" - @brief Creates a node providing a Minkowski sum with an edge. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - @classmethod - def new_minkowski_sum(cls, input: CompoundRegionOperationNode, p: Box) -> CompoundRegionOperationNode: + def _unmanage(self) -> None: r""" - @brief Creates a node providing a Minkowski sum with a box. - """ - @overload - @classmethod - def new_minkowski_sum(cls, input: CompoundRegionOperationNode, p: Polygon) -> CompoundRegionOperationNode: - r""" - @brief Creates a node providing a Minkowski sum with a polygon. - """ - @overload - @classmethod - def new_minkowski_sum(cls, input: CompoundRegionOperationNode, p: Sequence[Point]) -> CompoundRegionOperationNode: - r""" - @brief Creates a node providing a Minkowski sum with a point sequence forming a contour. - """ - @overload - @classmethod - def new_minkowsky_sum(cls, input: CompoundRegionOperationNode, e: Edge) -> CompoundRegionOperationNode: - r""" - @brief Creates a node providing a Minkowski sum with an edge. - """ - @overload - @classmethod - def new_minkowsky_sum(cls, input: CompoundRegionOperationNode, p: Box) -> CompoundRegionOperationNode: - r""" - @brief Creates a node providing a Minkowski sum with a box. - """ - @overload - @classmethod - def new_minkowsky_sum(cls, input: CompoundRegionOperationNode, p: Polygon) -> CompoundRegionOperationNode: - r""" - @brief Creates a node providing a Minkowski sum with a polygon. - """ - @overload - @classmethod - def new_minkowsky_sum(cls, input: CompoundRegionOperationNode, p: Sequence[Point]) -> CompoundRegionOperationNode: - r""" - @brief Creates a node providing a Minkowski sum with a point sequence forming a contour. - """ - @classmethod - def new_notch_check(cls, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., negative: Optional[bool] = ...) -> CompoundRegionOperationNode: - r""" - @brief Creates a node providing a intra-polygon space check. - """ - @classmethod - def new_outside(cls, a: CompoundRegionOperationNode, b: CompoundRegionOperationNode, inverse: Optional[bool] = ...) -> CompoundRegionOperationNode: - r""" - @brief Creates a node representing an outside selection operation between the inputs. - """ - @classmethod - def new_overlap_check(cls, other: CompoundRegionOperationNode, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ...) -> CompoundRegionOperationNode: - r""" - @brief Creates a node providing an overlap check. - """ - @classmethod - def new_overlapping(cls, a: CompoundRegionOperationNode, b: CompoundRegionOperationNode, inverse: Optional[bool] = ..., min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> CompoundRegionOperationNode: - r""" - @brief Creates a node representing an overlapping selection operation between the inputs. - """ - @classmethod - def new_perimeter_filter(cls, input: CompoundRegionOperationNode, inverse: Optional[bool] = ..., pmin: Optional[int] = ..., pmax: Optional[int] = ...) -> CompoundRegionOperationNode: - r""" - @brief Creates a node filtering the input by perimeter. - This node renders the input if the perimeter is between pmin and pmax (exclusively). If 'inverse' is set to true, the input shape is returned if the perimeter is less than pmin (exclusively) or larger than pmax (inclusively). - """ - @classmethod - def new_perimeter_sum_filter(cls, input: CompoundRegionOperationNode, inverse: Optional[bool] = ..., amin: Optional[int] = ..., amax: Optional[int] = ...) -> CompoundRegionOperationNode: - r""" - @brief Creates a node filtering the input by area sum. - Like \new_perimeter_filter, but applies to the sum of all shapes in the current set. - """ - @classmethod - def new_polygon_breaker(cls, input: CompoundRegionOperationNode, max_vertex_count: int, max_area_ratio: float) -> CompoundRegionOperationNode: - r""" - @brief Creates a node providing a composition into parts with less than the given number of points and a smaller area ratio. - """ - @classmethod - def new_polygons(cls, input: CompoundRegionOperationNode, e: Optional[int] = ...) -> CompoundRegionOperationNode: - r""" - @brief Creates a node converting the input to polygons. - @param e The enlargement parameter when converting edges or edge pairs to polygons. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @classmethod - def new_primary(cls) -> CompoundRegionOperationNode: + def assign(self, other: CplxTrans) -> None: r""" - @brief Creates a node object representing the primary input + @brief Assigns another object to self """ - @classmethod - def new_ratio_filter(cls, input: CompoundRegionOperationNode, parameter: CompoundRegionOperationNode.RatioParameterType, inverse: Optional[bool] = ..., pmin: Optional[float] = ..., pmin_included: Optional[bool] = ..., pmax: Optional[float] = ..., pmax_included: Optional[bool] = ...) -> CompoundRegionOperationNode: + def create(self) -> None: r""" - @brief Creates a node filtering the input by ratio parameters. - This node renders the input if the specified ratio parameter of the input shape is between pmin and pmax. If 'pmin_included' is true, the range will include pmin. Same for 'pmax_included' and pmax. If 'inverse' is set to true, the input shape is returned if the parameter is not within the specified range. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @classmethod - def new_rectangle_filter(cls, input: CompoundRegionOperationNode, is_square: Optional[bool] = ..., inverse: Optional[bool] = ...) -> CompoundRegionOperationNode: + def ctrans(self, d: int) -> float: r""" - @brief Creates a node filtering the input for rectangular or square shapes. - If 'is_square' is true, only squares will be selected. If 'inverse' is true, the non-rectangle/non-square shapes are returned. + @brief Transforms a distance + + The "ctrans" method transforms the given distance. + e = t(d). For the simple transformations, there + is no magnification and no modification of the distance + therefore. + + @param d The distance to transform + @return The transformed distance + + The product '*' has been added as a synonym in version 0.28. """ - @classmethod - def new_rectilinear_filter(cls, input: CompoundRegionOperationNode, inverse: Optional[bool] = ...) -> CompoundRegionOperationNode: + def destroy(self) -> None: r""" - @brief Creates a node filtering the input for rectilinear shapes (or non-rectilinear ones with 'inverse' set to 'true'). + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @classmethod - def new_relative_extents(cls, input: CompoundRegionOperationNode, fx1: float, fy1: float, fx2: float, fy2: float, dx: int, dy: int) -> CompoundRegionOperationNode: + def destroyed(self) -> bool: r""" - @brief Creates a node returning markers at specified locations of the extent (e.g. at the center). + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @classmethod - def new_relative_extents_as_edges(cls, input: CompoundRegionOperationNode, fx1: float, fy1: float, fx2: float, fy2: float) -> CompoundRegionOperationNode: + def dup(self) -> CplxTrans: r""" - @brief Creates a node returning edges at specified locations of the extent (e.g. at the center). + @brief Creates a copy of self """ - @classmethod - def new_rounded_corners(cls, input: CompoundRegionOperationNode, rinner: float, router: float, n: int) -> CompoundRegionOperationNode: + def hash(self) -> int: r""" - @brief Creates a node generating rounded corners. - @param rinner The inner corner radius.@param router The outer corner radius.@param n The number if points per full circle. + @brief Computes a hash value + Returns a hash value for the given transformation. This method enables transformations as hash keys. + + This method has been introduced in version 0.25. """ - @classmethod - def new_secondary(cls, region: Region) -> CompoundRegionOperationNode: + def invert(self) -> CplxTrans: r""" - @brief Creates a node object representing the secondary input from the given region + @brief Inverts the transformation (in place) + + Inverts the transformation and replaces this transformation by it's + inverted one. + + @return The inverted transformation """ - @classmethod - def new_separation_check(cls, other: CompoundRegionOperationNode, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ...) -> CompoundRegionOperationNode: + def inverted(self) -> VCplxTrans: r""" - @brief Creates a node providing a separation check. + @brief Returns the inverted transformation + + Returns the inverted transformation. This method does not modify the transformation. + + @return The inverted transformation """ - @classmethod - def new_sized(cls, input: CompoundRegionOperationNode, dx: int, dy: int, mode: int) -> CompoundRegionOperationNode: + def is_complex(self) -> bool: r""" - @brief Creates a node providing sizing. + @brief Returns true if the transformation is a complex one + + If this predicate is false, the transformation can safely be converted to a simple transformation. + Otherwise, this conversion will be lossy. + The predicate value is equivalent to 'is_mag || !is_ortho'. + + This method has been introduced in version 0.27.5. """ - @classmethod - def new_smoothed(cls, input: CompoundRegionOperationNode, d: int, keep_hv: Optional[bool] = ...) -> CompoundRegionOperationNode: + def is_const_object(self) -> bool: r""" - @brief Creates a node smoothing the polygons. - @param d The tolerance to be applied for the smoothing. - @param keep_hv If true, horizontal and vertical edges are maintained. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @classmethod - def new_space_check(cls, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ...) -> CompoundRegionOperationNode: + def is_mag(self) -> bool: r""" - @brief Creates a node providing a space check. + @brief Tests, if the transformation is a magnifying one + + This is the recommended test for checking if the transformation represents + a magnification. """ - @classmethod - def new_start_segments(cls, input: CompoundRegionOperationNode, length: int, fraction: float) -> CompoundRegionOperationNode: + def is_mirror(self) -> bool: r""" - @brief Creates a node delivering a part at the beginning of each input edge. + @brief Gets the mirror flag + + If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. """ - @classmethod - def new_strange_polygons_filter(cls, input: CompoundRegionOperationNode) -> CompoundRegionOperationNode: + def is_ortho(self) -> bool: r""" - @brief Creates a node extracting strange polygons. - 'strange polygons' are ones which cannot be oriented - e.g. '8' shape polygons. + @brief Tests, if the transformation is an orthogonal transformation + + If the rotation is by a multiple of 90 degree, this method will return true. """ - @classmethod - def new_trapezoid_decomposition(cls, input: CompoundRegionOperationNode, mode: TrapezoidDecompositionMode) -> CompoundRegionOperationNode: + def is_unity(self) -> bool: r""" - @brief Creates a node providing a composition into trapezoids. + @brief Tests, whether this is a unit transformation """ - @classmethod - def new_width_check(cls, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., negative: Optional[bool] = ...) -> CompoundRegionOperationNode: + def rot(self) -> int: r""" - @brief Creates a node providing a width check. + @brief Returns the respective simple transformation equivalent rotation code if possible + + If this transformation is orthogonal (is_ortho () == true), then this method + will return the corresponding fixpoint transformation, not taking into account + magnification and displacement. If the transformation is not orthogonal, the result + reflects the quadrant the rotation goes into. """ - def __init__(self) -> None: + def s_trans(self) -> Trans: r""" - @brief Creates a new object of this class + @brief Extracts the simple transformation part + + The simple transformation part does not reflect magnification or arbitrary angles. + Rotation angles are rounded down to multiples of 90 degree. Magnification is fixed to 1.0. """ - def _create(self) -> None: + def to_itrans(self, dbu: Optional[float] = ...) -> ICplxTrans: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Converts the transformation to another transformation with integer input and output coordinates + + The database unit can be specified to translate the floating-point coordinate displacement in micron units to an integer-coordinate displacement in database units. The displacement's' coordinates will be divided by the database unit. + + This method has been introduced in version 0.25. """ - def _destroy(self) -> None: + def to_s(self, lazy: Optional[bool] = ..., dbu: Optional[float] = ...) -> str: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief String conversion + If 'lazy' is true, some parts are omitted when not required. + If a DBU is given, the output units will be micrometers. + + The lazy and DBU arguments have been added in version 0.27.6. """ - def _destroyed(self) -> bool: + def to_trans(self) -> DCplxTrans: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Converts the transformation to another transformation with floating-point input coordinates + + This method has been introduced in version 0.25. """ - def _is_const_object(self) -> bool: + def to_vtrans(self, dbu: Optional[float] = ...) -> VCplxTrans: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Converts the transformation to another transformation with integer output and floating-point input coordinates + + The database unit can be specified to translate the floating-point coordinate displacement in micron units to an integer-coordinate displacement in database units. The displacement's' coordinates will be divided by the database unit. + + This method has been introduced in version 0.25. """ - def _manage(self) -> None: + @overload + def trans(self, box: Box) -> DBox: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Transforms a box - Usually it's not required to call this method. It has been introduced in version 0.24. + 't*box' or 't.trans(box)' is equivalent to box.transformed(t). + + @param box The box to transform + @return The transformed box + + This convenience method has been introduced in version 0.25. """ - def _unmanage(self) -> None: + @overload + def trans(self, edge: Edge) -> DEdge: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Transforms an edge - Usually it's not required to call this method. It has been introduced in version 0.24. + 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). + + @param edge The edge to transform + @return The transformed edge + + This convenience method has been introduced in version 0.25. """ - def create(self) -> None: + @overload + def trans(self, p: Point) -> DPoint: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Transforms a point + + The "trans" method or the * operator transforms the given point. + q = t(p) + + The * operator has been introduced in version 0.25. + + @param p The point to transform + @return The transformed point """ - def destroy(self) -> None: + @overload + def trans(self, p: Vector) -> DVector: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Transforms a vector + + The "trans" method or the * operator transforms the given vector. + w = t(v) + + Vector transformation has been introduced in version 0.25. + + @param v The vector to transform + @return The transformed vector """ - def destroyed(self) -> bool: + @overload + def trans(self, path: Path) -> DPath: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Transforms a path + + 't*path' or 't.trans(path)' is equivalent to path.transformed(t). + + @param path The path to transform + @return The transformed path + + This convenience method has been introduced in version 0.25. """ - def is_const_object(self) -> bool: + @overload + def trans(self, polygon: Polygon) -> DPolygon: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Transforms a polygon + + 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). + + @param polygon The polygon to transform + @return The transformed polygon + + This convenience method has been introduced in version 0.25. """ - def result_type(self) -> CompoundRegionOperationNode.ResultType: + @overload + def trans(self, text: Text) -> DText: r""" - @brief Gets the result type of this node + @brief Transforms a text + + 't*text' or 't.trans(text)' is equivalent to text.transformed(t). + + @param text The text to transform + @return The transformed text + + This convenience method has been introduced in version 0.25. """ -class TrapezoidDecompositionMode: +class DBox: r""" - @brief This class represents the TrapezoidDecompositionMode enum used within trapezoid decomposition + @brief A box class with floating-point coordinates - This enum has been introduced in version 0.27. + This object represents a box (a rectangular shape). + + The definition of the attributes is: p1 is the lower left point, p2 the + upper right one. If a box is constructed from two points (or four coordinates), the + coordinates are sorted accordingly. + + A box can be empty. An empty box represents no area + (not even a point). Empty boxes behave neutral with respect to most operations. + Empty boxes return true on \empty?. + + A box can be a point or a single + line. In this case, the area is zero but the box still + can overlap other boxes for example and it is not empty. + + See @The Database API@ for more details about the database objects. """ - TD_htrapezoids: ClassVar[TrapezoidDecompositionMode] + bottom: float r""" - @brief Indicates horizontal trapezoid decomposition. + Getter: + @brief Gets the bottom coordinate of the box + + Setter: + @brief Sets the bottom coordinate of the box """ - TD_simple: ClassVar[TrapezoidDecompositionMode] + left: float r""" - @brief Indicates unspecific decomposition. + Getter: + @brief Gets the left coordinate of the box + + Setter: + @brief Sets the left coordinate of the box """ - TD_vtrapezoids: ClassVar[TrapezoidDecompositionMode] + p1: DPoint r""" - @brief Indicates vertical trapezoid decomposition. + Getter: + @brief Gets the lower left point of the box + + Setter: + @brief Sets the lower left point of the box + """ + p2: DPoint + r""" + Getter: + @brief Gets the upper right point of the box + + Setter: + @brief Sets the upper right point of the box + """ + right: float + r""" + Getter: + @brief Gets the right coordinate of the box + + Setter: + @brief Sets the right coordinate of the box + """ + top: float + r""" + Getter: + @brief Gets the top coordinate of the box + + Setter: + @brief Sets the top coordinate of the box """ - @overload @classmethod - def new(cls, i: int) -> TrapezoidDecompositionMode: + def from_ibox(cls, box: Box) -> DBox: r""" - @brief Creates an enum from an integer value + @brief Creates a floating-point coordinate box from an integer coordinate box + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ibox'. """ - @overload @classmethod - def new(cls, s: str) -> TrapezoidDecompositionMode: - r""" - @brief Creates an enum from a string value - """ - def __copy__(self) -> TrapezoidDecompositionMode: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> TrapezoidDecompositionMode: + def from_s(cls, s: str) -> DBox: r""" - @brief Creates a copy of self + @brief Creates a box object from a string + Creates the object from a string representation (as returned by \to_s) + + This method has been added in version 0.23. """ @overload - def __eq__(self, other: object) -> bool: + @classmethod + def new(cls) -> DBox: r""" - @brief Compares an enum with an integer value + @brief Creates an empty (invalid) box + + Empty boxes don't modify a box when joined with it. The intersection between an empty and any other box is also an empty box. The width, height, p1 and p2 attributes of an empty box are undefined. Use \empty? to get a value indicating whether the box is empty. """ @overload - def __eq__(self, other: object) -> bool: + @classmethod + def new(cls, box: Box) -> DBox: r""" - @brief Compares two enums + @brief Creates a floating-point coordinate box from an integer coordinate box + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ibox'. """ @overload - def __init__(self, i: int) -> None: + @classmethod + def new(cls, left: float, bottom: float, right: float, top: float) -> DBox: r""" - @brief Creates an enum from an integer value + @brief Creates a box with four coordinates + + + Four coordinates are given to create a new box. If the coordinates are not provided in the correct order (i.e. right < left), these are swapped. """ @overload - def __init__(self, s: str) -> None: + @classmethod + def new(cls, lower_left: DPoint, upper_right: DPoint) -> DBox: r""" - @brief Creates an enum from a string value + @brief Creates a box from two points + + + Two points are given to create a new box. If the coordinates are not provided in the correct order (i.e. right < left), these are swapped. """ @overload - def __lt__(self, other: int) -> bool: + @classmethod + def new(cls, w: float) -> DBox: r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value + @brief Creates a square with the given dimensions centered around the origin + + Note that for integer-unit boxes, the dimension has to be an even number to avoid rounding. + + This convenience constructor has been introduced in version 0.28. """ @overload - def __lt__(self, other: TrapezoidDecompositionMode) -> bool: + @classmethod + def new(cls, w: float, h: float) -> DBox: r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second + @brief Creates a rectangle with given width and height, centered around the origin + + Note that for integer-unit boxes, the dimensions have to be an even number to avoid rounding. + + This convenience constructor has been introduced in version 0.28. """ - @overload - def __ne__(self, other: object) -> bool: + @classmethod + def world(cls) -> DBox: r""" - @brief Compares an enum with an integer for inequality + @brief Gets the 'world' box + The world box is the biggest box that can be represented. So it is basically 'all'. The world box behaves neutral on intersections for example. In other operations such as displacement or transformations, the world box may render unexpected results because of coordinate overflow. + + The world box can be used + @ul + @li for comparison ('==', '!=', '<') @/li + @li in union and intersection ('+' and '&') @/li + @li in relations (\contains?, \overlaps?, \touches?) @/li + @li as 'all' argument in region queries @/li + @/ul + + This method has been introduced in version 0.28. """ @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares two enums for inequality - """ - def __repr__(self) -> str: + def __add__(self, box: DBox) -> DBox: r""" - @brief Converts an enum to a visual string - """ - def __str__(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Joins two boxes - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: TrapezoidDecompositionMode) -> None: - r""" - @brief Assigns another object to self - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + The + operator joins the first box with the one given as + the second argument. Joining constructs a box that encloses + both boxes given. Empty boxes are neutral: they do not + change another box when joining. Overwrites this box + with the result. + + @param box The box to join with this box. + + @return The joined box """ - def destroy(self) -> None: + @overload + def __add__(self, point: DPoint) -> DBox: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Joins box with a point + + + The + operator joins a point with the box. The resulting box will enclose both the original box and the point. + + @param point The point to join with this box. + + @return The box joined with the point """ - def destroyed(self) -> bool: + def __and__(self, box: DBox) -> DBox: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Returns the intersection of this box with another box + + + The intersection of two boxes is the largest + box common to both boxes. The intersection may be + empty if both boxes to not touch. If the boxes do + not overlap but touch the result may be a single + line or point with an area of zero. Overwrites this box + with the result. + + @param box The box to take the intersection with + + @return The intersection box """ - def dup(self) -> TrapezoidDecompositionMode: + def __copy__(self) -> DBox: r""" @brief Creates a copy of self """ - def inspect(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def is_const_object(self) -> bool: + def __deepcopy__(self) -> DBox: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Creates a copy of self """ - def to_i(self) -> int: + def __eq__(self, box: object) -> bool: r""" - @brief Gets the integer value from the enum + @brief Returns true if this box is equal to the other box + Returns true, if this box and the given box are equal """ - def to_s(self) -> str: + def __hash__(self) -> int: r""" - @brief Gets the symbolic string from an enum - """ - -class PreferredOrientation: - r""" - @brief This class represents the PreferredOrientation enum used within polygon decomposition + @brief Computes a hash value + Returns a hash value for the given box. This method enables boxes as hash keys. - This enum has been introduced in version 0.27. - """ - PO_any: ClassVar[PreferredOrientation] - r""" - @brief Indicates any orientation. - """ - PO_horizontal: ClassVar[PreferredOrientation] - r""" - @brief Indicates horizontal orientation. - """ - PO_htrapezoids: ClassVar[PreferredOrientation] - r""" - @brief Indicates horizontal trapezoid decomposition. - """ - PO_vertical: ClassVar[PreferredOrientation] - r""" - @brief Indicates vertical orientation. - """ - PO_vtrapezoids: ClassVar[PreferredOrientation] - r""" - @brief Indicates vertical trapezoid decomposition. - """ - @overload - @classmethod - def new(cls, i: int) -> PreferredOrientation: - r""" - @brief Creates an enum from an integer value + This method has been introduced in version 0.25. """ @overload - @classmethod - def new(cls, s: str) -> PreferredOrientation: + def __init__(self) -> None: r""" - @brief Creates an enum from a string value + @brief Creates an empty (invalid) box + + Empty boxes don't modify a box when joined with it. The intersection between an empty and any other box is also an empty box. The width, height, p1 and p2 attributes of an empty box are undefined. Use \empty? to get a value indicating whether the box is empty. """ - def __copy__(self) -> PreferredOrientation: + @overload + def __init__(self, box: Box) -> None: r""" - @brief Creates a copy of self + @brief Creates a floating-point coordinate box from an integer coordinate box + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ibox'. """ - def __deepcopy__(self) -> PreferredOrientation: + @overload + def __init__(self, left: float, bottom: float, right: float, top: float) -> None: r""" - @brief Creates a copy of self + @brief Creates a box with four coordinates + + + Four coordinates are given to create a new box. If the coordinates are not provided in the correct order (i.e. right < left), these are swapped. """ @overload - def __eq__(self, other: object) -> bool: + def __init__(self, lower_left: DPoint, upper_right: DPoint) -> None: r""" - @brief Compares an enum with an integer value + @brief Creates a box from two points + + + Two points are given to create a new box. If the coordinates are not provided in the correct order (i.e. right < left), these are swapped. """ @overload - def __eq__(self, other: object) -> bool: + def __init__(self, w: float) -> None: r""" - @brief Compares two enums + @brief Creates a square with the given dimensions centered around the origin + + Note that for integer-unit boxes, the dimension has to be an even number to avoid rounding. + + This convenience constructor has been introduced in version 0.28. """ @overload - def __init__(self, i: int) -> None: + def __init__(self, w: float, h: float) -> None: r""" - @brief Creates an enum from an integer value + @brief Creates a rectangle with given width and height, centered around the origin + + Note that for integer-unit boxes, the dimensions have to be an even number to avoid rounding. + + This convenience constructor has been introduced in version 0.28. """ - @overload - def __init__(self, s: str) -> None: + def __lt__(self, box: DBox) -> bool: r""" - @brief Creates an enum from a string value + @brief Returns true if this box is 'less' than another box + Returns true, if this box is 'less' with respect to first and second point (in this order) """ @overload - def __lt__(self, other: int) -> bool: + def __mul__(self, box: DBox) -> DBox: r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value + @brief Returns the convolution product from this box with another box + + + The * operator convolves the firstbox with the one given as + the second argument. The box resulting from "convolution" is the + outer boundary of the union set formed by placing + the second box at every point of the first. In other words, + the returned box of (p1,p2)*(q1,q2) is (p1+q1,p2+q2). + + @param box The box to convolve with this box. + + @return The convolved box """ @overload - def __lt__(self, other: PreferredOrientation) -> bool: + def __mul__(self, scale_factor: float) -> DBox: r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second + @brief Returns the scaled box + + + The * operator scales the box with the given factor and returns the result. + + This method has been introduced in version 0.22. + + @param scale_factor The scaling factor + + @return The scaled box """ - @overload - def __ne__(self, other: object) -> bool: + def __ne__(self, box: object) -> bool: r""" - @brief Compares an enum with an integer for inequality + @brief Returns true if this box is not equal to the other box + Returns true, if this box and the given box are not equal """ @overload - def __ne__(self, other: object) -> bool: + def __rmul__(self, box: DBox) -> DBox: r""" - @brief Compares two enums for inequality + @brief Returns the convolution product from this box with another box + + + The * operator convolves the firstbox with the one given as + the second argument. The box resulting from "convolution" is the + outer boundary of the union set formed by placing + the second box at every point of the first. In other words, + the returned box of (p1,p2)*(q1,q2) is (p1+q1,p2+q2). + + @param box The box to convolve with this box. + + @return The convolved box """ - def __repr__(self) -> str: + @overload + def __rmul__(self, scale_factor: float) -> DBox: r""" - @brief Converts an enum to a visual string + @brief Returns the scaled box + + + The * operator scales the box with the given factor and returns the result. + + This method has been introduced in version 0.22. + + @param scale_factor The scaling factor + + @return The scaled box """ - def __str__(self) -> str: + def __str__(self, dbu: Optional[float] = ...) -> str: r""" - @brief Gets the symbolic string from an enum + @brief Returns a string representing this box + + This string can be turned into a box again by using \from_s + . If a DBU is given, the output units will be micrometers. + + The DBU argument has been added in version 0.27.6. """ def _create(self) -> None: r""" @@ -6566,10 +6164,51 @@ class PreferredOrientation: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: PreferredOrientation) -> None: + def area(self) -> float: + r""" + @brief Computes the box area + + Returns the box area or 0 if the box is empty + """ + def assign(self, other: DBox) -> None: r""" @brief Assigns another object to self """ + def bbox(self) -> DBox: + r""" + @brief Returns the bounding box + This method is provided for consistency of the shape API is returns the box itself. + + This method has been introduced in version 0.27. + """ + def center(self) -> DPoint: + r""" + @brief Gets the center of the box + """ + @overload + def contains(self, point: DPoint) -> bool: + r""" + @brief Returns true if the box contains the given point + + + Tests whether a point is inside the box. + It also returns true if the point is exactly on the box contour. + + @param p The point to test against. + + @return true if the point is inside the box. + """ + @overload + def contains(self, x: float, y: float) -> bool: + r""" + @brief Returns true if the box contains the given point + + + Tests whether a point (x, y) is inside the box. + It also returns true if the point is exactly on the box contour. + + @return true if the point is inside the box. + """ def create(self) -> None: r""" @brief Ensures the C++ object is created @@ -6587,1580 +6226,1426 @@ class PreferredOrientation: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> PreferredOrientation: + def dup(self) -> DBox: r""" @brief Creates a copy of self """ - def inspect(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def to_i(self) -> int: + def empty(self) -> bool: r""" - @brief Gets the integer value from the enum + @brief Returns a value indicating whether the box is empty + + An empty box may be created with the default constructor for example. Such a box is neutral when combining it with other boxes and renders empty boxes if used in box intersections and false in geometrical relationship tests. """ - def to_s(self) -> str: + @overload + def enlarge(self, d: float) -> DBox: r""" - @brief Gets the symbolic string from an enum - """ - -class Edge: - r""" - @brief An edge class - - An edge is a connection between points, usually participating in a larger context such as a polygon. An edge has a defined direction (from p1 to p2). Edges play a role in the database as parts of polygons and to describe a line through both points. - Although supported, edges are rarely used as individual database objects. + @brief Enlarges the box by a certain amount on all sides. - See @The Database API@ for more details about the database objects like the Edge class. - """ - p1: Point - r""" - Getter: - @brief The first point. + This is a convenience method which takes one values instead of two values. It will apply the given enlargement in both directions. + This method has been introduced in version 0.28. - Setter: - @brief Sets the first point. - This method has been added in version 0.23. - """ - p2: Point - r""" - Getter: - @brief The second point. + @return A reference to this box. + """ + @overload + def enlarge(self, dx: float, dy: float) -> DBox: + r""" + @brief Enlarges the box by a certain amount. - Setter: - @brief Sets the second point. - This method has been added in version 0.23. - """ - x1: int - r""" - Getter: - @brief Shortcut for p1.x - Setter: - @brief Sets p1.x - This method has been added in version 0.23. - """ - x2: int - r""" - Getter: - @brief Shortcut for p2.x + This is a convenience method which takes two values instead of a Vector object. + This method has been introduced in version 0.23. - Setter: - @brief Sets p2.x - This method has been added in version 0.23. - """ - y1: int - r""" - Getter: - @brief Shortcut for p1.y + @return A reference to this box. + """ + @overload + def enlarge(self, enlargement: DVector) -> DBox: + r""" + @brief Enlarges the box by a certain amount. - Setter: - @brief Sets p1.y - This method has been added in version 0.23. - """ - y2: int - r""" - Getter: - @brief Shortcut for p2.y - Setter: - @brief Sets p2.y - This method has been added in version 0.23. - """ - @classmethod - def from_dedge(cls, dedge: DEdge) -> Edge: - r""" - @brief Creates an integer coordinate edge from a floating-point coordinate edge + Enlarges the box by x and y value specified in the vector + passed. Positive values with grow the box, negative ones + will shrink the box. The result may be an empty box if the + box disappears. The amount specifies the grow or shrink + per edge. The width and height will change by twice the + amount. + Does not check for coordinate + overflows. - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dedge'. - """ - @classmethod - def from_s(cls, s: str) -> Edge: - r""" - @brief Creates an object from a string - Creates the object from a string representation (as returned by \to_s) + @param enlargement The grow or shrink amount in x and y direction - This method has been added in version 0.23. - """ - @overload - @classmethod - def new(cls) -> Edge: - r""" - @brief Default constructor: creates a degenerated edge 0,0 to 0,0 + @return A reference to this box. """ @overload - @classmethod - def new(cls, dedge: DEdge) -> Edge: + def enlarged(self, d: float) -> DBox: r""" - @brief Creates an integer coordinate edge from a floating-point coordinate edge + @brief Enlarges the box by a certain amount on all sides. - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dedge'. + This is a convenience method which takes one values instead of two values. It will apply the given enlargement in both directions. + This method has been introduced in version 0.28. + + @return The enlarged box. """ @overload - @classmethod - def new(cls, p1: Point, p2: Point) -> Edge: + def enlarged(self, dx: float, dy: float) -> DBox: r""" - @brief Constructor with two points + @brief Enlarges the box by a certain amount. - Two points are given to create a new edge. + + This is a convenience method which takes two values instead of a Vector object. + This method has been introduced in version 0.23. + + @return The enlarged box. """ @overload - @classmethod - def new(cls, x1: int, y1: int, x2: int, y2: int) -> Edge: + def enlarged(self, enlargement: DVector) -> DBox: r""" - @brief Constructor with two coordinates given as single values + @brief Returns the enlarged box. - Two points are given to create a new edge. - """ - @classmethod - def new_pp(cls, p1: Point, p2: Point) -> Edge: - r""" - @brief Constructor with two points - Two points are given to create a new edge. + Enlarges the box by x and y value specified in the vector + passed. Positive values with grow the box, negative ones + will shrink the box. The result may be an empty box if the + box disappears. The amount specifies the grow or shrink + per edge. The width and height will change by twice the + amount. + Does not modify this box. Does not check for coordinate + overflows. + + @param enlargement The grow or shrink amount in x and y direction + + @return The enlarged box. """ - @classmethod - def new_xyxy(cls, x1: int, y1: int, x2: int, y2: int) -> Edge: + def hash(self) -> int: r""" - @brief Constructor with two coordinates given as single values + @brief Computes a hash value + Returns a hash value for the given box. This method enables boxes as hash keys. - Two points are given to create a new edge. + This method has been introduced in version 0.25. """ - def __copy__(self) -> Edge: + def height(self) -> float: r""" - @brief Creates a copy of self + @brief Gets the height of the box """ - def __deepcopy__(self) -> Edge: + def inside(self, box: DBox) -> bool: r""" - @brief Creates a copy of self + @brief Tests if this box is inside the argument box + + + Returns true, if this box is inside the given box, i.e. the box intersection renders this box """ - def __eq__(self, e: object) -> bool: + def is_const_object(self) -> bool: r""" - @brief Equality test - @param e The object to compare against + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def __hash__(self) -> int: + def is_point(self) -> bool: r""" - @brief Computes a hash value - Returns a hash value for the given edge. This method enables edges as hash keys. - - This method has been introduced in version 0.25. + @brief Returns true, if the box is a single point """ @overload - def __init__(self) -> None: + def move(self, distance: DVector) -> DBox: r""" - @brief Default constructor: creates a degenerated edge 0,0 to 0,0 - """ - @overload - def __init__(self, dedge: DEdge) -> None: - r""" - @brief Creates an integer coordinate edge from a floating-point coordinate edge + @brief Moves the box by a certain distance - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dedge'. - """ - @overload - def __init__(self, p1: Point, p2: Point) -> None: - r""" - @brief Constructor with two points - Two points are given to create a new edge. + Moves the box by a given offset and returns the moved + box. Does not check for coordinate overflows. + + @param distance The offset to move the box. + + @return A reference to this box. """ @overload - def __init__(self, x1: int, y1: int, x2: int, y2: int) -> None: + def move(self, dx: float, dy: float) -> DBox: r""" - @brief Constructor with two coordinates given as single values + @brief Moves the box by a certain distance - Two points are given to create a new edge. - """ - def __lt__(self, e: Edge) -> bool: - r""" - @brief Less operator - @param e The object to compare against - @return True, if the edge is 'less' as the other edge with respect to first and second point + + This is a convenience method which takes two values instead of a Point object. + This method has been introduced in version 0.23. + + @return A reference to this box. """ - def __mul__(self, scale_factor: float) -> Edge: + @overload + def moved(self, distance: DVector) -> DBox: r""" - @brief Scale edge + @brief Returns the box moved by a certain distance - The * operator scales self with the given factor. - This method has been introduced in version 0.22. + Moves the box by a given offset and returns the moved + box. Does not modify this box. Does not check for coordinate + overflows. - @param scale_factor The scaling factor + @param distance The offset to move the box. - @return The scaled edge - """ - def __ne__(self, e: object) -> bool: - r""" - @brief Inequality test - @param e The object to compare against + @return The moved box. """ - def __rmul__(self, scale_factor: float) -> Edge: + @overload + def moved(self, dx: float, dy: float) -> DBox: r""" - @brief Scale edge - - The * operator scales self with the given factor. + @brief Moves the box by a certain distance - This method has been introduced in version 0.22. - @param scale_factor The scaling factor + This is a convenience method which takes two values instead of a Point object. + This method has been introduced in version 0.23. - @return The scaled edge + @return The moved box. """ - def __str__(self, dbu: Optional[float] = ...) -> str: + def overlaps(self, box: DBox) -> bool: r""" - @brief Returns a string representing the edge - If a DBU is given, the output units will be micrometers. + @brief Tests if this box overlaps the argument box - The DBU argument has been added in version 0.27.6. - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - Usually it's not required to call this method. It has been introduced in version 0.24. + Returns true, if the intersection box of this box with the argument box exists and has a non-vanishing area """ - def _unmanage(self) -> None: + def perimeter(self) -> float: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Returns the perimeter of the box - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: Edge) -> None: - r""" - @brief Assigns another object to self + This method is equivalent to 2*(width+height). For empty boxes, this method returns 0. + + This method has been introduced in version 0.23. """ - def bbox(self) -> Box: + def to_itype(self, dbu: Optional[float] = ...) -> Box: r""" - @brief Return the bounding box of the edge. + @brief Converts the box to an integer coordinate box + + The database unit can be specified to translate the floating-point coordinate box in micron units to an integer-coordinate box in database units. The boxes coordinates will be divided by the database unit. + + This method has been introduced in version 0.25. """ - def clipped(self, box: Box) -> Any: + def to_s(self, dbu: Optional[float] = ...) -> str: r""" - @brief Returns the edge clipped at the given box + @brief Returns a string representing this box - @param box The clip box. - @return The clipped edge or nil if the edge does not intersect with the box. + This string can be turned into a box again by using \from_s + . If a DBU is given, the output units will be micrometers. - This method has been introduced in version 0.26.2. + The DBU argument has been added in version 0.27.6. """ - def clipped_line(self, box: Box) -> Any: + def touches(self, box: DBox) -> bool: r""" - @brief Returns the line through the edge clipped at the given box - - @param box The clip box. - @return The part of the line through the box or nil if the line does not intersect with the box. + @brief Tests if this box touches the argument box - In contrast to \clipped, this method will consider the edge extended infinitely (a "line"). The returned edge will be the part of this line going through the box. - This method has been introduced in version 0.26.2. + Two boxes touch if they overlap or their boundaries share at least one common point. Touching is equivalent to a non-empty intersection ('!(b1 & b2).empty?'). """ - def coincident(self, e: Edge) -> bool: + @overload + def transformed(self, t: DCplxTrans) -> DBox: r""" - @brief Coincidence check. - - Checks whether a edge is coincident with another edge. - Coincidence is defined by being parallel and that - at least one point of one edge is on the other edge. + @brief Returns the box transformed with the given complex transformation - @param e the edge to test with - @return True if the edges are coincident. + @param t The magnifying transformation to apply + @return The transformed box (a DBox now) """ - def contains(self, p: Point) -> bool: + @overload + def transformed(self, t: DTrans) -> DBox: r""" - @brief Test whether a point is on an edge. - - A point is on a edge if it is on (or at least closer - than a grid point to) the edge. + @brief Returns the box transformed with the given simple transformation - @param p The point to test with the edge. - @return True if the point is on the edge. + @param t The transformation to apply + @return The transformed box """ - def contains_excl(self, p: Point) -> bool: + @overload + def transformed(self, t: VCplxTrans) -> Box: r""" - @brief Test whether a point is on an edge excluding the endpoints. + @brief Transforms the box with the given complex transformation - A point is on a edge if it is on (or at least closer - than a grid point to) the edge. - @param p The point to test with the edge. + @param t The magnifying transformation to apply + @return The transformed box (in this case an integer coordinate box) - @return True if the point is on the edge but not equal p1 or p2. + This method has been introduced in version 0.25. """ - def create(self) -> None: + def width(self) -> float: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Gets the width of the box """ - def crossed_by(self, e: Edge) -> bool: - r""" - @brief Check, if an edge is cut by a line (given by an edge) - This method returns true if p1 is in one semispace - while p2 is in the other or one of them is on the line - through the edge "e" +class DCellInstArray: + r""" + @brief A single or array cell instance in micrometer units + This object is identical to \CellInstArray, except that it holds coordinates in micron units instead of database units. - @param e The edge representing the line that the edge must be crossing. - """ - def crossing_point(self, e: Edge) -> Point: - r""" - @brief Returns the crossing point on two edges. + This class has been introduced in version 0.25. + """ + a: DVector + r""" + Getter: + @brief Gets the displacement vector for the 'a' axis - This method delivers the point where the given edge (self) crosses the line given by the edge in argument "e". If self does not cross this line, the result is undefined. See \crossed_by? for a description of the crossing predicate. + Setter: + @brief Sets the displacement vector for the 'a' axis - @param e The edge representing the line that self must be crossing. - @return The point where self crosses the line given by "e". + If the instance was not regular before this property is set, it will be initialized to a regular instance. + """ + b: DVector + r""" + Getter: + @brief Gets the displacement vector for the 'b' axis - This method has been introduced in version 0.19. - """ - def cut_point(self, e: Edge) -> Any: + Setter: + @brief Sets the displacement vector for the 'b' axis + + If the instance was not regular before this property is set, it will be initialized to a regular instance. + """ + cell_index: int + r""" + Getter: + @brief Gets the cell index of the cell instantiated + Use \Layout#cell to get the \Cell object from the cell index. + Setter: + @brief Sets the index of the cell this instance refers to + """ + cplx_trans: DCplxTrans + r""" + Getter: + @brief Gets the complex transformation of the first instance in the array + This method is always applicable, compared to \trans, since simple transformations can be expressed as complex transformations as well. + Setter: + @brief Sets the complex transformation of the instance or the first instance in the array + """ + @property + def cell(self) -> None: r""" - @brief Returns the intersection point of the lines through the two edges. + WARNING: This variable can only be set, not retrieved. + @brief Sets the cell this instance refers to + This is a convenience method and equivalent to 'cell_index = cell.cell_index()'. There is no getter for the cell pointer because the \CellInstArray object only knows about cell indexes. - This method delivers the intersection point between the lines through the two edges. If the lines are parallel and do not intersect, the result will be nil. - In contrast to \intersection_point, this method will regard the edges as infinitely extended and intersection is not confined to the edge span. + This convenience method has been introduced in version 0.28. + """ + na: int + r""" + Getter: + @brief Gets the number of instances in the 'a' axis - @param e The edge to test. - @return The point where the lines intersect. + Setter: + @brief Sets the number of instances in the 'a' axis - This method has been introduced in version 0.27.1. - """ - def d(self) -> Vector: + If the instance was not regular before this property is set to a value larger than zero, it will be initialized to a regular instance. + To make an instance a single instance, set na or nb to 0. + """ + nb: int + r""" + Getter: + @brief Gets the number of instances in the 'b' axis + + Setter: + @brief Sets the number of instances in the 'b' axis + + If the instance was not regular before this property is set to a value larger than zero, it will be initialized to a regular instance. + To make an instance a single instance, set na or nb to 0. + """ + trans: DTrans + r""" + Getter: + @brief Gets the transformation of the first instance in the array + The transformation returned is only valid if the array does not represent a complex transformation array + Setter: + @brief Sets the transformation of the instance or the first instance in the array + """ + @overload + @classmethod + def new(cls) -> DCellInstArray: r""" - @brief Gets the edge extension as a vector. - This method is equivalent to p2 - p1. - This method has been introduced in version 0.26.2. + @brief Creates en empty cell instance with size 0 """ - def destroy(self) -> None: + @overload + @classmethod + def new(cls, cell: Cell, disp: DVector) -> DCellInstArray: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Creates a single cell instance + @param cell The cell to instantiate + @param disp The displacement + + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ - def destroyed(self) -> bool: + @overload + @classmethod + def new(cls, cell: Cell, disp: DVector, a: DVector, b: DVector, na: int, nb: int) -> DCellInstArray: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Creates a single cell instance + @param cell The cell to instantiate + @param disp The basic displacement of the first instance + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis + + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ - def distance(self, p: Point) -> int: + @overload + @classmethod + def new(cls, cell: Cell, trans: DCplxTrans) -> DCellInstArray: r""" - @brief Distance between the edge and a point. - - Returns the distance between the edge and the point. The - distance is signed which is negative if the point is to the - "right" of the edge and positive if the point is to the "left". - The distance is measured by projecting the point onto the - line through the edge. If the edge is degenerated, the distance - is not defined. - - @param p The point to test. + @brief Creates a single cell instance with a complex transformation + @param cell The cell to instantiate + @param trans The complex transformation by which to instantiate the cell - @return The distance + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ - def distance_abs(self, p: Point) -> int: + @overload + @classmethod + def new(cls, cell: Cell, trans: DCplxTrans, a: DVector, b: DVector, na: int, nb: int) -> DCellInstArray: r""" - @brief Absolute distance between the edge and a point. + @brief Creates a single cell instance with a complex transformation + @param cell The cell to instantiate + @param trans The complex transformation by which to instantiate the cell + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis - Returns the distance between the edge and the point. + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + """ + @overload + @classmethod + def new(cls, cell: Cell, trans: DTrans) -> DCellInstArray: + r""" + @brief Creates a single cell instance + @param cell The cell to instantiate + @param trans The transformation by which to instantiate the cell - @param p The point to test. + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. + """ + @overload + @classmethod + def new(cls, cell: Cell, trans: DTrans, a: DVector, b: DVector, na: int, nb: int) -> DCellInstArray: + r""" + @brief Creates a single cell instance + @param cell The cell to instantiate + @param trans The transformation by which to instantiate the cell + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis - @return The distance + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ - def dup(self) -> Edge: + @overload + @classmethod + def new(cls, cell_index: int, disp: DVector) -> DCellInstArray: r""" - @brief Creates a copy of self + @brief Creates a single cell instance + @param cell_index The cell to instantiate + @param disp The displacement + This convenience initializer has been introduced in version 0.28. """ - def dx(self) -> int: + @overload + @classmethod + def new(cls, cell_index: int, disp: DVector, a: DVector, b: DVector, na: int, nb: int) -> DCellInstArray: r""" - @brief The horizontal extend of the edge. + @brief Creates a single cell instance + @param cell_index The cell to instantiate + @param disp The basic displacement of the first instance + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis + + This convenience initializer has been introduced in version 0.28. """ - def dx_abs(self) -> int: + @overload + @classmethod + def new(cls, cell_index: int, trans: DCplxTrans) -> DCellInstArray: r""" - @brief The absolute value of the horizontal extend of the edge. + @brief Creates a single cell instance with a complex transformation + @param cell_index The cell to instantiate + @param trans The complex transformation by which to instantiate the cell """ - def dy(self) -> int: + @overload + @classmethod + def new(cls, cell_index: int, trans: DCplxTrans, a: DVector, b: DVector, na: int, nb: int) -> DCellInstArray: r""" - @brief The vertical extend of the edge. + @brief Creates a single cell instance with a complex transformation + @param cell_index The cell to instantiate + @param trans The complex transformation by which to instantiate the cell + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis """ - def dy_abs(self) -> int: + @overload + @classmethod + def new(cls, cell_index: int, trans: DTrans) -> DCellInstArray: r""" - @brief The absolute value of the vertical extend of the edge. + @brief Creates a single cell instance + @param cell_index The cell to instantiate + @param trans The transformation by which to instantiate the cell """ - def enlarge(self, p: Vector) -> Edge: + @overload + @classmethod + def new(cls, cell_index: int, trans: DTrans, a: DVector, b: DVector, na: int, nb: int) -> DCellInstArray: r""" - @brief Enlarges the edge. - - Enlarges the edge by the given distance and returns the - enlarged edge. The edge is overwritten. - Enlargement means - that the first point is shifted by -p, the second by p. - - @param p The distance to move the edge points. - - @return The enlarged edge. + @brief Creates a single cell instance + @param cell_index The cell to instantiate + @param trans The transformation by which to instantiate the cell + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis """ - def enlarged(self, p: Vector) -> Edge: + def __copy__(self) -> DCellInstArray: r""" - @brief Returns the enlarged edge (does not modify self) - - Enlarges the edge by the given offset and returns the - enlarged edge. The edge is not modified. Enlargement means - that the first point is shifted by -p, the second by p. - - @param p The distance to move the edge points. - - @return The enlarged edge. + @brief Creates a copy of self """ - def extend(self, d: int) -> Edge: + def __deepcopy__(self) -> DCellInstArray: r""" - @brief Extends the edge (modifies self) - - Extends the edge by the given distance and returns the - extended edge. The edge is not modified. Extending means - that the first point is shifted by -d along the edge, the second by d. - The length of the edge will increase by 2*d. - - \extended is a version that does not modify self but returns the extended edges. - - This method has been introduced in version 0.23. - - @param d The distance by which to shift the end points. - - @return The extended edge (self). + @brief Creates a copy of self """ - def extended(self, d: int) -> Edge: + def __eq__(self, other: object) -> bool: r""" - @brief Returns the extended edge (does not modify self) - - Extends the edge by the given distance and returns the - extended edge. The edge is not modified. Extending means - that the first point is shifted by -d along the edge, the second by d. - The length of the edge will increase by 2*d. - - \extend is a version that modifies self (in-place). - - This method has been introduced in version 0.23. - - @param d The distance by which to shift the end points. - - @return The extended edge. + @brief Compares two arrays for equality """ - def hash(self) -> int: + def __hash__(self) -> int: r""" @brief Computes a hash value - Returns a hash value for the given edge. This method enables edges as hash keys. + Returns a hash value for the given cell instance. This method enables cell instances as hash keys. This method has been introduced in version 0.25. """ - def intersect(self, e: Edge) -> bool: + @overload + def __init__(self) -> None: r""" - @brief Intersection test. - - Returns true if the edges intersect. Two edges intersect if they share at least one point. - If the edges coincide, they also intersect. - For degenerated edges, the intersection is mapped to - point containment tests. - - @param e The edge to test. + @brief Creates en empty cell instance with size 0 """ - def intersection_point(self, e: Edge) -> Any: + @overload + def __init__(self, cell: Cell, disp: DVector) -> None: r""" - @brief Returns the intersection point of two edges. - - This method delivers the intersection point. If the edges do not intersect, the result will be nil. - - @param e The edge to test. - @return The point where the edges intersect. + @brief Creates a single cell instance + @param cell The cell to instantiate + @param disp The displacement - This method has been introduced in version 0.19. - From version 0.26.2, this method will return nil in case of non-intersection. - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ - def is_degenerate(self) -> bool: + @overload + def __init__(self, cell: Cell, disp: DVector, a: DVector, b: DVector, na: int, nb: int) -> None: r""" - @brief Test for degenerated edge + @brief Creates a single cell instance + @param cell The cell to instantiate + @param disp The basic displacement of the first instance + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis - An edge is degenerate, if both end and start point are identical. + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ - def is_parallel(self, e: Edge) -> bool: + @overload + def __init__(self, cell: Cell, trans: DCplxTrans) -> None: r""" - @brief Test for being parallel - - @param e The edge to test against + @brief Creates a single cell instance with a complex transformation + @param cell The cell to instantiate + @param trans The complex transformation by which to instantiate the cell - @return True if both edges are parallel + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ - def length(self) -> int: + @overload + def __init__(self, cell: Cell, trans: DCplxTrans, a: DVector, b: DVector, na: int, nb: int) -> None: r""" - @brief The length of the edge + @brief Creates a single cell instance with a complex transformation + @param cell The cell to instantiate + @param trans The complex transformation by which to instantiate the cell + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis + + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ @overload - def move(self, p: Vector) -> Edge: + def __init__(self, cell: Cell, trans: DTrans) -> None: r""" - @brief Moves the edge. - - Moves the edge by the given offset and returns the - moved edge. The edge is overwritten. - - @param p The distance to move the edge. + @brief Creates a single cell instance + @param cell The cell to instantiate + @param trans The transformation by which to instantiate the cell - @return The moved edge. + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ @overload - def move(self, dx: int, dy: int) -> Edge: + def __init__(self, cell: Cell, trans: DTrans, a: DVector, b: DVector, na: int, nb: int) -> None: r""" - @brief Moves the edge. - - Moves the edge by the given offset and returns the - moved edge. The edge is overwritten. - - @param dx The x distance to move the edge. - @param dy The y distance to move the edge. - - @return The moved edge. + @brief Creates a single cell instance + @param cell The cell to instantiate + @param trans The transformation by which to instantiate the cell + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis - This version has been added in version 0.23. + This convenience variant takes a \Cell pointer and is equivalent to using 'cell.cell_index()'. It has been introduced in version 0.28. """ @overload - def moved(self, p: Vector) -> Edge: + def __init__(self, cell_index: int, disp: DVector) -> None: r""" - @brief Returns the moved edge (does not modify self) - - Moves the edge by the given offset and returns the - moved edge. The edge is not modified. - - @param p The distance to move the edge. - - @return The moved edge. + @brief Creates a single cell instance + @param cell_index The cell to instantiate + @param disp The displacement + This convenience initializer has been introduced in version 0.28. """ @overload - def moved(self, dx: int, dy: int) -> Edge: + def __init__(self, cell_index: int, disp: DVector, a: DVector, b: DVector, na: int, nb: int) -> None: r""" - @brief Returns the moved edge (does not modify self) - - Moves the edge by the given offset and returns the - moved edge. The edge is not modified. - - @param dx The x distance to move the edge. - @param dy The y distance to move the edge. - - @return The moved edge. + @brief Creates a single cell instance + @param cell_index The cell to instantiate + @param disp The basic displacement of the first instance + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis - This version has been added in version 0.23. + This convenience initializer has been introduced in version 0.28. """ - def ortho_length(self) -> int: + @overload + def __init__(self, cell_index: int, trans: DCplxTrans) -> None: r""" - @brief The orthogonal length of the edge ("manhattan-length") - - @return The orthogonal length (abs(dx)+abs(dy)) + @brief Creates a single cell instance with a complex transformation + @param cell_index The cell to instantiate + @param trans The complex transformation by which to instantiate the cell """ - def shift(self, d: int) -> Edge: + @overload + def __init__(self, cell_index: int, trans: DCplxTrans, a: DVector, b: DVector, na: int, nb: int) -> None: r""" - @brief Shifts the edge (modifies self) - - Shifts the edge by the given distance and returns the - shifted edge. The edge is not modified. Shifting by a positive value will produce an edge which is shifted by d to the left. Shifting by a negative value will produce an edge which is shifted by d to the right. - - \shifted is a version that does not modify self but returns the extended edges. - - This method has been introduced in version 0.23. - - @param d The distance by which to shift the edge. - - @return The shifted edge (self). + @brief Creates a single cell instance with a complex transformation + @param cell_index The cell to instantiate + @param trans The complex transformation by which to instantiate the cell + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis """ - def shifted(self, d: int) -> Edge: + @overload + def __init__(self, cell_index: int, trans: DTrans) -> None: r""" - @brief Returns the shifted edge (does not modify self) - - Shifts the edge by the given distance and returns the - shifted edge. The edge is not modified. Shifting by a positive value will produce an edge which is shifted by d to the left. Shifting by a negative value will produce an edge which is shifted by d to the right. - - \shift is a version that modifies self (in-place). - - This method has been introduced in version 0.23. - - @param d The distance by which to shift the edge. - - @return The shifted edge. + @brief Creates a single cell instance + @param cell_index The cell to instantiate + @param trans The transformation by which to instantiate the cell """ - def side_of(self, p: Point) -> int: + @overload + def __init__(self, cell_index: int, trans: DTrans, a: DVector, b: DVector, na: int, nb: int) -> None: r""" - @brief Indicates at which side the point is located relative to the edge. - - Returns 1 if the point is "left" of the edge, 0 if on - and -1 if the point is "right" of the edge. - - @param p The point to test. - - @return The side value + @brief Creates a single cell instance + @param cell_index The cell to instantiate + @param trans The transformation by which to instantiate the cell + @param a The displacement vector of the array in the 'a' axis + @param b The displacement vector of the array in the 'b' axis + @param na The number of placements in the 'a' axis + @param nb The number of placements in the 'b' axis """ - def sq_length(self) -> int: + def __len__(self) -> int: r""" - @brief The square of the length of the edge + @brief Gets the number of single instances in the array + If the instance represents a single instance, the count is 1. Otherwise it is na*nb. Starting with version 0.27, there may be iterated instances for which the size is larger than 1, but \is_regular_array? will return false. In this case, use \each_trans or \each_cplx_trans to retrieve the individual placements of the iterated instance. """ - def swap_points(self) -> Edge: + def __lt__(self, other: DCellInstArray) -> bool: r""" - @brief Swap the points of the edge - - This version modifies self. A version that does not modify self is \swapped_points. Swapping the points basically reverses the direction of the edge. - - This method has been introduced in version 0.23. + @brief Compares two arrays for 'less' + The comparison provides an arbitrary sorting criterion and not specific sorting order. It is guaranteed that if an array a is less than b, b is not less than a. In addition, it a is not less than b and b is not less than a, then a is equal to b. """ - def swapped_points(self) -> Edge: + def __ne__(self, other: object) -> bool: r""" - @brief Returns an edge in which both points are swapped - - Swapping the points basically reverses the direction of the edge. - - This method has been introduced in version 0.23. + @brief Compares two arrays for inequality """ - def to_dtype(self, dbu: Optional[float] = ...) -> DEdge: + def __str__(self) -> str: r""" - @brief Converts the edge to a floating-point coordinate edge - - The database unit can be specified to translate the integer-coordinate edge into a floating-point coordinate edge in micron units. The database unit is basically a scaling factor. - - This method has been introduced in version 0.25. + @brief Converts the array to a string """ - def to_s(self, dbu: Optional[float] = ...) -> str: + def _create(self) -> None: r""" - @brief Returns a string representing the edge - If a DBU is given, the output units will be micrometers. - - The DBU argument has been added in version 0.27.6. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def transformed(self, t: CplxTrans) -> DEdge: + def _destroy(self) -> None: r""" - @brief Transform the edge. - - Transforms the edge with the given complex transformation. - Does not modify the edge but returns the transformed edge. - - @param t The transformation to apply. - - @return The transformed edge. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def transformed(self, t: ICplxTrans) -> Edge: + def _destroyed(self) -> bool: r""" - @brief Transform the edge. - - Transforms the edge with the given complex transformation. - Does not modify the edge but returns the transformed edge. - - @param t The transformation to apply. - - @return The transformed edge (in this case an integer coordinate edge). - - This method has been introduced in version 0.18. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def transformed(self, t: Trans) -> Edge: + def _is_const_object(self) -> bool: r""" - @brief Transform the edge. - - Transforms the edge with the given transformation. - Does not modify the edge but returns the transformed edge. - - @param t The transformation to apply. - - @return The transformed edge. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def transformed_cplx(self, t: CplxTrans) -> DEdge: + def _manage(self) -> None: r""" - @brief Transform the edge. - - Transforms the edge with the given complex transformation. - Does not modify the edge but returns the transformed edge. - - @param t The transformation to apply. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - @return The transformed edge. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - -class DEdge: - r""" - @brief An edge class - - An edge is a connection between points, usually participating in a larger context such as a polygon. An edge has a defined direction (from p1 to p2). Edges play a role in the database as parts of polygons and to describe a line through both points. - The \Edge object is also used inside the boolean processor (\EdgeProcessor). - Although supported, edges are rarely used as individual database objects. - - See @The Database API@ for more details about the database objects like the Edge class. - """ - p1: DPoint - r""" - Getter: - @brief The first point. - - Setter: - @brief Sets the first point. - This method has been added in version 0.23. - """ - p2: DPoint - r""" - Getter: - @brief The second point. - - Setter: - @brief Sets the second point. - This method has been added in version 0.23. - """ - x1: float - r""" - Getter: - @brief Shortcut for p1.x - - Setter: - @brief Sets p1.x - This method has been added in version 0.23. - """ - x2: float - r""" - Getter: - @brief Shortcut for p2.x - - Setter: - @brief Sets p2.x - This method has been added in version 0.23. - """ - y1: float - r""" - Getter: - @brief Shortcut for p1.y - - Setter: - @brief Sets p1.y - This method has been added in version 0.23. - """ - y2: float - r""" - Getter: - @brief Shortcut for p2.y - - Setter: - @brief Sets p2.y - This method has been added in version 0.23. - """ - @classmethod - def from_iedge(cls, edge: Edge) -> DEdge: + def _unmanage(self) -> None: r""" - @brief Creates a floating-point coordinate edge from an integer coordinate edge + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_iedge'. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @classmethod - def from_s(cls, s: str) -> DEdge: + def assign(self, other: DCellInstArray) -> None: r""" - @brief Creates an object from a string - Creates the object from a string representation (as returned by \to_s) - - This method has been added in version 0.23. + @brief Assigns another object to self """ @overload - @classmethod - def new(cls) -> DEdge: + def bbox(self, layout: Layout) -> DBox: r""" - @brief Default constructor: creates a degenerated edge 0,0 to 0,0 + @brief Gets the bounding box of the array + The bounding box incorporates all instances that the array represents. It needs the layout object to access the actual cell from the cell index. """ @overload - @classmethod - def new(cls, edge: Edge) -> DEdge: + def bbox(self, layout: Layout, layer_index: int) -> DBox: r""" - @brief Creates a floating-point coordinate edge from an integer coordinate edge + @brief Gets the bounding box of the array with respect to one layer + The bounding box incorporates all instances that the array represents. It needs the layout object to access the actual cell from the cell index. - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_iedge'. + 'bbox' is the preferred synonym since version 0.28. """ - @overload - @classmethod - def new(cls, p1: DPoint, p2: DPoint) -> DEdge: + def bbox_per_layer(self, layout: Layout, layer_index: int) -> DBox: r""" - @brief Constructor with two points + @brief Gets the bounding box of the array with respect to one layer + The bounding box incorporates all instances that the array represents. It needs the layout object to access the actual cell from the cell index. - Two points are given to create a new edge. + 'bbox' is the preferred synonym since version 0.28. """ - @overload - @classmethod - def new(cls, x1: float, y1: float, x2: float, y2: float) -> DEdge: + def create(self) -> None: r""" - @brief Constructor with two coordinates given as single values - - Two points are given to create a new edge. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @classmethod - def new_pp(cls, p1: DPoint, p2: DPoint) -> DEdge: + def destroy(self) -> None: r""" - @brief Constructor with two points - - Two points are given to create a new edge. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @classmethod - def new_xyxy(cls, x1: float, y1: float, x2: float, y2: float) -> DEdge: + def destroyed(self) -> bool: r""" - @brief Constructor with two coordinates given as single values - - Two points are given to create a new edge. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def __copy__(self) -> DEdge: + def dup(self) -> DCellInstArray: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> DEdge: + def each_cplx_trans(self) -> Iterator[DCplxTrans]: r""" - @brief Creates a copy of self + @brief Gets the complex transformations represented by this instance + For a single instance, this iterator will deliver the single, complex transformation. For array instances, the iterator will deliver each complex transformation of the expanded array. + This iterator is a generalization of \each_trans for general complex transformations. """ - def __eq__(self, e: object) -> bool: + def each_trans(self) -> Iterator[DTrans]: r""" - @brief Equality test - @param e The object to compare against + @brief Gets the simple transformations represented by this instance + For a single instance, this iterator will deliver the single, simple transformation. For array instances, the iterator will deliver each simple transformation of the expanded array. + + This iterator will only deliver valid transformations if the instance array is not of complex type (see \is_complex?). A more general iterator that delivers the complex transformations is \each_cplx_trans. """ - def __hash__(self) -> int: + def hash(self) -> int: r""" @brief Computes a hash value - Returns a hash value for the given edge. This method enables edges as hash keys. + Returns a hash value for the given cell instance. This method enables cell instances as hash keys. This method has been introduced in version 0.25. """ - @overload - def __init__(self) -> None: - r""" - @brief Default constructor: creates a degenerated edge 0,0 to 0,0 - """ - @overload - def __init__(self, edge: Edge) -> None: + def invert(self) -> None: r""" - @brief Creates a floating-point coordinate edge from an integer coordinate edge + @brief Inverts the array reference - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_iedge'. + The inverted array reference describes in which transformations the parent cell is + seen from the current cell. """ - @overload - def __init__(self, p1: DPoint, p2: DPoint) -> None: + def is_complex(self) -> bool: r""" - @brief Constructor with two points + @brief Gets a value indicating whether the array is a complex array - Two points are given to create a new edge. + Returns true if the array represents complex instances (that is, with magnification and + arbitrary rotation angles). """ - @overload - def __init__(self, x1: float, y1: float, x2: float, y2: float) -> None: + def is_const_object(self) -> bool: r""" - @brief Constructor with two coordinates given as single values - - Two points are given to create a new edge. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def __lt__(self, e: DEdge) -> bool: + def is_regular_array(self) -> bool: r""" - @brief Less operator - @param e The object to compare against - @return True, if the edge is 'less' as the other edge with respect to first and second point + @brief Gets a value indicating whether this instance is a regular array """ - def __mul__(self, scale_factor: float) -> DEdge: + def size(self) -> int: r""" - @brief Scale edge - - The * operator scales self with the given factor. - - This method has been introduced in version 0.22. - - @param scale_factor The scaling factor - - @return The scaled edge + @brief Gets the number of single instances in the array + If the instance represents a single instance, the count is 1. Otherwise it is na*nb. Starting with version 0.27, there may be iterated instances for which the size is larger than 1, but \is_regular_array? will return false. In this case, use \each_trans or \each_cplx_trans to retrieve the individual placements of the iterated instance. """ - def __ne__(self, e: object) -> bool: + def to_s(self) -> str: r""" - @brief Inequality test - @param e The object to compare against + @brief Converts the array to a string """ - def __rmul__(self, scale_factor: float) -> DEdge: + @overload + def transform(self, trans: DCplxTrans) -> None: r""" - @brief Scale edge - - The * operator scales self with the given factor. - - This method has been introduced in version 0.22. - - @param scale_factor The scaling factor - - @return The scaled edge + @brief Transforms the cell instance with the given complex transformation """ - def __str__(self, dbu: Optional[float] = ...) -> str: + @overload + def transform(self, trans: DTrans) -> None: r""" - @brief Returns a string representing the edge - If a DBU is given, the output units will be micrometers. - - The DBU argument has been added in version 0.27.6. + @brief Transforms the cell instance with the given transformation """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: + @overload + def transformed(self, trans: DCplxTrans) -> DCellInstArray: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Gets the transformed cell instance (complex transformation) """ - def _is_const_object(self) -> bool: + @overload + def transformed(self, trans: DTrans) -> DCellInstArray: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Gets the transformed cell instance """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. +class DCplxTrans: + r""" + @brief A complex transformation - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: DEdge) -> None: - r""" - @brief Assigns another object to self - """ - def bbox(self) -> DBox: - r""" - @brief Return the bounding box of the edge. - """ - def clipped(self, box: DBox) -> Any: - r""" - @brief Returns the edge clipped at the given box + A complex transformation provides magnification, mirroring at the x-axis, rotation by an arbitrary + angle and a displacement. This is also the order, the operations are applied. - @param box The clip box. - @return The clipped edge or nil if the edge does not intersect with the box. + A complex transformation provides a superset of the simple transformation. + In many applications, a complex transformation computes floating-point coordinates to minimize rounding effects. + This version can transform floating-point coordinate objects. - This method has been introduced in version 0.26.2. - """ - def clipped_line(self, box: DBox) -> Any: - r""" - @brief Returns the line through the edge clipped at the given box + Complex transformations are extensions of the simple transformation classes (\DTrans in that case) and behave similar. - @param box The clip box. - @return The part of the line through the box or nil if the line does not intersect with the box. + Transformations can be used to transform points or other objects. Transformations can be combined with the '*' operator to form the transformation which is equivalent to applying the second and then the first. Here is some code: - In contrast to \clipped, this method will consider the edge extended infinitely (a "line"). The returned edge will be the part of this line going through the box. + @code + # Create a transformation that applies a magnification of 1.5, a rotation by 90 degree + # and displacement of 10 in x and 20 units in y direction: + t = RBA::CplxTrans::new(1.5, 90, false, 10.0, 20.0) + t.to_s # r90 *1.5 10,20 + # compute the inverse: + t.inverted.to_s # r270 *0.666666667 -13,7 + # Combine with another displacement (applied after that): + (RBA::CplxTrans::new(5, 5) * t).to_s # r90 *1.5 15,25 + # Transform a point: + t.trans(RBA::Point::new(100, 200)).to_s # -290,170 + @/code - This method has been introduced in version 0.26.2. - """ - def coincident(self, e: DEdge) -> bool: - r""" - @brief Coincidence check. + See @The Database API@ for more details about the database objects. + """ + M0: ClassVar[DCplxTrans] + r""" + @brief A constant giving "mirrored at the x-axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + M135: ClassVar[DCplxTrans] + r""" + @brief A constant giving "mirrored at the 135 degree axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + M45: ClassVar[DCplxTrans] + r""" + @brief A constant giving "mirrored at the 45 degree axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + M90: ClassVar[DCplxTrans] + r""" + @brief A constant giving "mirrored at the y (90 degree) axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + R0: ClassVar[DCplxTrans] + r""" + @brief A constant giving "unrotated" (unit) transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + R180: ClassVar[DCplxTrans] + r""" + @brief A constant giving "rotated by 180 degree counterclockwise" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + R270: ClassVar[DCplxTrans] + r""" + @brief A constant giving "rotated by 270 degree counterclockwise" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + R90: ClassVar[DCplxTrans] + r""" + @brief A constant giving "rotated by 90 degree counterclockwise" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + angle: float + r""" + Getter: + @brief Gets the angle - Checks whether a edge is coincident with another edge. - Coincidence is defined by being parallel and that - at least one point of one edge is on the other edge. + Note that the simple transformation returns the angle in units of 90 degree. Hence for a simple trans (i.e. \Trans), a rotation angle of 180 degree delivers a value of 2 for the angle attribute. The complex transformation, supporting any rotation angle returns the angle in degree. - @param e the edge to test with + @return The rotation angle this transformation provides in degree units (0..360 deg). - @return True if the edges are coincident. - """ - def contains(self, p: DPoint) -> bool: - r""" - @brief Test whether a point is on an edge. + Setter: + @brief Sets the angle + @param a The new angle + See \angle for a description of that attribute. + """ + disp: DVector + r""" + Getter: + @brief Gets the displacement - A point is on a edge if it is on (or at least closer - than a grid point to) the edge. + Setter: + @brief Sets the displacement + @param u The new displacement + """ + mag: float + r""" + Getter: + @brief Gets the magnification - @param p The point to test with the edge. + Setter: + @brief Sets the magnification + @param m The new magnification + """ + mirror: bool + r""" + Getter: + @brief Gets the mirror flag - @return True if the point is on the edge. - """ - def contains_excl(self, p: DPoint) -> bool: + If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. + Setter: + @brief Sets the mirror flag + "mirroring" describes a reflection at the x-axis which is included in the transformation prior to rotation.@param m The new mirror flag + """ + @classmethod + def from_itrans(cls, trans: CplxTrans) -> DCplxTrans: r""" - @brief Test whether a point is on an edge excluding the endpoints. - - A point is on a edge if it is on (or at least closer - than a grid point to) the edge. + @brief Creates a floating-point coordinate transformation from another coordinate flavour - @param p The point to test with the edge. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_itrans'. + """ + @classmethod + def from_s(cls, s: str) -> DCplxTrans: + r""" + @brief Creates an object from a string + Creates the object from a string representation (as returned by \to_s) - @return True if the point is on the edge but not equal p1 or p2. + This method has been added in version 0.23. """ - def create(self) -> None: + @overload + @classmethod + def new(cls) -> DCplxTrans: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Creates a unit transformation """ - def crossed_by(self, e: DEdge) -> bool: + @overload + @classmethod + def new(cls, c: DCplxTrans, m: Optional[float] = ..., u: Optional[DVector] = ...) -> DCplxTrans: r""" - @brief Check, if an edge is cut by a line (given by an edge) + @brief Creates a transformation from another transformation plus a magnification and displacement - This method returns true if p1 is in one semispace - while p2 is in the other or one of them is on the line - through the edge "e" + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - @param e The edge representing the line that the edge must be crossing. + This variant has been introduced in version 0.25. + + @param c The original transformation + @param u The Additional displacement """ - def crossing_point(self, e: DEdge) -> DPoint: + @overload + @classmethod + def new(cls, c: DCplxTrans, m: float, x: float, y: float) -> DCplxTrans: r""" - @brief Returns the crossing point on two edges. + @brief Creates a transformation from another transformation plus a magnification and displacement - This method delivers the point where the given edge (self) crosses the line given by the edge in argument "e". If self does not cross this line, the result is undefined. See \crossed_by? for a description of the crossing predicate. + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - @param e The edge representing the line that self must be crossing. - @return The point where self crosses the line given by "e". + This variant has been introduced in version 0.25. - This method has been introduced in version 0.19. + @param c The original transformation + @param x The Additional displacement (x) + @param y The Additional displacement (y) """ - def cut_point(self, e: DEdge) -> Any: + @overload + @classmethod + def new(cls, m: float) -> DCplxTrans: r""" - @brief Returns the intersection point of the lines through the two edges. + @brief Creates a transformation from a magnification - This method delivers the intersection point between the lines through the two edges. If the lines are parallel and do not intersect, the result will be nil. - In contrast to \intersection_point, this method will regard the edges as infinitely extended and intersection is not confined to the edge span. + Creates a magnifying transformation without displacement and rotation given the magnification m. + """ + @overload + @classmethod + def new(cls, mag: float, rot: float, mirrx: bool, u: DVector) -> DCplxTrans: + r""" + @brief Creates a transformation using magnification, angle, mirror flag and displacement - @param e The edge to test. - @return The point where the lines intersect. + The sequence of operations is: magnification, mirroring at x axis, + rotation, application of displacement. - This method has been introduced in version 0.27.1. + @param mag The magnification + @param rot The rotation angle in units of degree + @param mirrx True, if mirrored at x axis + @param u The displacement """ - def d(self) -> DVector: + @overload + @classmethod + def new(cls, mag: float, rot: float, mirrx: bool, x: float, y: float) -> DCplxTrans: r""" - @brief Gets the edge extension as a vector. - This method is equivalent to p2 - p1. - This method has been introduced in version 0.26.2. + @brief Creates a transformation using magnification, angle, mirror flag and displacement + + The sequence of operations is: magnification, mirroring at x axis, + rotation, application of displacement. + + @param mag The magnification + @param rot The rotation angle in units of degree + @param mirrx True, if mirrored at x axis + @param x The x displacement + @param y The y displacement """ - def destroy(self) -> None: + @overload + @classmethod + def new(cls, t: DTrans) -> DCplxTrans: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Creates a transformation from a simple transformation alone + + Creates a magnifying transformation from a simple transformation and a magnification of 1.0. """ - def destroyed(self) -> bool: + @overload + @classmethod + def new(cls, t: DTrans, m: float) -> DCplxTrans: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Creates a transformation from a simple transformation and a magnification + + Creates a magnifying transformation from a simple transformation and a magnification. """ - def distance(self, p: DPoint) -> float: + @overload + @classmethod + def new(cls, trans: CplxTrans) -> DCplxTrans: r""" - @brief Distance between the edge and a point. + @brief Creates a floating-point coordinate transformation from another coordinate flavour - Returns the distance between the edge and the point. The - distance is signed which is negative if the point is to the - "right" of the edge and positive if the point is to the "left". - The distance is measured by projecting the point onto the - line through the edge. If the edge is degenerated, the distance - is not defined. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_itrans'. + """ + @overload + @classmethod + def new(cls, trans: ICplxTrans) -> DCplxTrans: + r""" + @brief Creates a floating-point coordinate transformation from another coordinate flavour - @param p The point to test. + This constructor has been introduced in version 0.25. + """ + @overload + @classmethod + def new(cls, trans: VCplxTrans) -> DCplxTrans: + r""" + @brief Creates a floating-point coordinate transformation from another coordinate flavour - @return The distance + This constructor has been introduced in version 0.25. """ - def distance_abs(self, p: DPoint) -> float: + @overload + @classmethod + def new(cls, u: DVector) -> DCplxTrans: r""" - @brief Absolute distance between the edge and a point. + @brief Creates a transformation from a displacement - Returns the distance between the edge and the point. + Creates a transformation with a displacement only. - @param p The point to test. + This method has been added in version 0.25. + """ + @overload + @classmethod + def new(cls, x: float, y: float) -> DCplxTrans: + r""" + @brief Creates a transformation from a x and y displacement - @return The distance + This constructor will create a transformation with the specified displacement + but no rotation. + + @param x The x displacement + @param y The y displacement """ - def dup(self) -> DEdge: + def __copy__(self) -> DCplxTrans: r""" @brief Creates a copy of self """ - def dx(self) -> float: + def __deepcopy__(self) -> DCplxTrans: r""" - @brief The horizontal extend of the edge. + @brief Creates a copy of self """ - def dx_abs(self) -> float: + def __eq__(self, other: object) -> bool: r""" - @brief The absolute value of the horizontal extend of the edge. + @brief Tests for equality """ - def dy(self) -> float: + def __hash__(self) -> int: r""" - @brief The vertical extend of the edge. + @brief Computes a hash value + Returns a hash value for the given transformation. This method enables transformations as hash keys. + + This method has been introduced in version 0.25. """ - def dy_abs(self) -> float: + @overload + def __init__(self) -> None: r""" - @brief The absolute value of the vertical extend of the edge. + @brief Creates a unit transformation """ - def enlarge(self, p: DVector) -> DEdge: + @overload + def __init__(self, c: DCplxTrans, m: Optional[float] = ..., u: Optional[DVector] = ...) -> None: r""" - @brief Enlarges the edge. + @brief Creates a transformation from another transformation plus a magnification and displacement - Enlarges the edge by the given distance and returns the - enlarged edge. The edge is overwritten. - Enlargement means - that the first point is shifted by -p, the second by p. + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - @param p The distance to move the edge points. + This variant has been introduced in version 0.25. - @return The enlarged edge. + @param c The original transformation + @param u The Additional displacement """ - def enlarged(self, p: DVector) -> DEdge: + @overload + def __init__(self, c: DCplxTrans, m: float, x: float, y: float) -> None: r""" - @brief Returns the enlarged edge (does not modify self) + @brief Creates a transformation from another transformation plus a magnification and displacement - Enlarges the edge by the given offset and returns the - enlarged edge. The edge is not modified. Enlargement means - that the first point is shifted by -p, the second by p. + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - @param p The distance to move the edge points. + This variant has been introduced in version 0.25. - @return The enlarged edge. + @param c The original transformation + @param x The Additional displacement (x) + @param y The Additional displacement (y) """ - def extend(self, d: float) -> DEdge: + @overload + def __init__(self, m: float) -> None: r""" - @brief Extends the edge (modifies self) - - Extends the edge by the given distance and returns the - extended edge. The edge is not modified. Extending means - that the first point is shifted by -d along the edge, the second by d. - The length of the edge will increase by 2*d. - - \extended is a version that does not modify self but returns the extended edges. - - This method has been introduced in version 0.23. - - @param d The distance by which to shift the end points. + @brief Creates a transformation from a magnification - @return The extended edge (self). + Creates a magnifying transformation without displacement and rotation given the magnification m. """ - def extended(self, d: float) -> DEdge: + @overload + def __init__(self, mag: float, rot: float, mirrx: bool, u: DVector) -> None: r""" - @brief Returns the extended edge (does not modify self) - - Extends the edge by the given distance and returns the - extended edge. The edge is not modified. Extending means - that the first point is shifted by -d along the edge, the second by d. - The length of the edge will increase by 2*d. + @brief Creates a transformation using magnification, angle, mirror flag and displacement - \extend is a version that modifies self (in-place). + The sequence of operations is: magnification, mirroring at x axis, + rotation, application of displacement. - This method has been introduced in version 0.23. + @param mag The magnification + @param rot The rotation angle in units of degree + @param mirrx True, if mirrored at x axis + @param u The displacement + """ + @overload + def __init__(self, mag: float, rot: float, mirrx: bool, x: float, y: float) -> None: + r""" + @brief Creates a transformation using magnification, angle, mirror flag and displacement - @param d The distance by which to shift the end points. + The sequence of operations is: magnification, mirroring at x axis, + rotation, application of displacement. - @return The extended edge. + @param mag The magnification + @param rot The rotation angle in units of degree + @param mirrx True, if mirrored at x axis + @param x The x displacement + @param y The y displacement """ - def hash(self) -> int: + @overload + def __init__(self, t: DTrans) -> None: r""" - @brief Computes a hash value - Returns a hash value for the given edge. This method enables edges as hash keys. + @brief Creates a transformation from a simple transformation alone - This method has been introduced in version 0.25. + Creates a magnifying transformation from a simple transformation and a magnification of 1.0. """ - def intersect(self, e: DEdge) -> bool: + @overload + def __init__(self, t: DTrans, m: float) -> None: r""" - @brief Intersection test. - - Returns true if the edges intersect. Two edges intersect if they share at least one point. - If the edges coincide, they also intersect. - For degenerated edges, the intersection is mapped to - point containment tests. + @brief Creates a transformation from a simple transformation and a magnification - @param e The edge to test. + Creates a magnifying transformation from a simple transformation and a magnification. """ - def intersection_point(self, e: DEdge) -> Any: + @overload + def __init__(self, trans: CplxTrans) -> None: r""" - @brief Returns the intersection point of two edges. - - This method delivers the intersection point. If the edges do not intersect, the result will be nil. - - @param e The edge to test. - @return The point where the edges intersect. + @brief Creates a floating-point coordinate transformation from another coordinate flavour - This method has been introduced in version 0.19. - From version 0.26.2, this method will return nil in case of non-intersection. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_itrans'. """ - def is_const_object(self) -> bool: + @overload + def __init__(self, trans: ICplxTrans) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Creates a floating-point coordinate transformation from another coordinate flavour + + This constructor has been introduced in version 0.25. """ - def is_degenerate(self) -> bool: + @overload + def __init__(self, trans: VCplxTrans) -> None: r""" - @brief Test for degenerated edge + @brief Creates a floating-point coordinate transformation from another coordinate flavour - An edge is degenerate, if both end and start point are identical. + This constructor has been introduced in version 0.25. """ - def is_parallel(self, e: DEdge) -> bool: + @overload + def __init__(self, u: DVector) -> None: r""" - @brief Test for being parallel + @brief Creates a transformation from a displacement - @param e The edge to test against + Creates a transformation with a displacement only. - @return True if both edges are parallel - """ - def length(self) -> float: - r""" - @brief The length of the edge + This method has been added in version 0.25. """ @overload - def move(self, p: DVector) -> DEdge: + def __init__(self, x: float, y: float) -> None: r""" - @brief Moves the edge. + @brief Creates a transformation from a x and y displacement - Moves the edge by the given offset and returns the - moved edge. The edge is overwritten. - - @param p The distance to move the edge. + This constructor will create a transformation with the specified displacement + but no rotation. - @return The moved edge. + @param x The x displacement + @param y The y displacement + """ + def __lt__(self, other: DCplxTrans) -> bool: + r""" + @brief Provides a 'less' criterion for sorting + This method is provided to implement a sorting order. The definition of 'less' is opaque and might change in future versions. """ @overload - def move(self, dx: float, dy: float) -> DEdge: + def __mul__(self, box: DBox) -> DBox: r""" - @brief Moves the edge. - - Moves the edge by the given offset and returns the - moved edge. The edge is overwritten. + @brief Transforms a box - @param dx The x distance to move the edge. - @param dy The y distance to move the edge. + 't*box' or 't.trans(box)' is equivalent to box.transformed(t). - @return The moved edge. + @param box The box to transform + @return The transformed box - This version has been added in version 0.23. + This convenience method has been introduced in version 0.25. """ @overload - def moved(self, p: DVector) -> DEdge: + def __mul__(self, d: float) -> float: r""" - @brief Returns the moved edge (does not modify self) + @brief Transforms a distance - Moves the edge by the given offset and returns the - moved edge. The edge is not modified. + The "ctrans" method transforms the given distance. + e = t(d). For the simple transformations, there + is no magnification and no modification of the distance + therefore. - @param p The distance to move the edge. + @param d The distance to transform + @return The transformed distance - @return The moved edge. + The product '*' has been added as a synonym in version 0.28. """ @overload - def moved(self, dx: float, dy: float) -> DEdge: + def __mul__(self, edge: DEdge) -> DEdge: r""" - @brief Returns the moved edge (does not modify self) - - Moves the edge by the given offset and returns the - moved edge. The edge is not modified. + @brief Transforms an edge - @param dx The x distance to move the edge. - @param dy The y distance to move the edge. + 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). - @return The moved edge. + @param edge The edge to transform + @return The transformed edge - This version has been added in version 0.23. + This convenience method has been introduced in version 0.25. """ - def ortho_length(self) -> float: + @overload + def __mul__(self, p: DPoint) -> DPoint: r""" - @brief The orthogonal length of the edge ("manhattan-length") + @brief Transforms a point - @return The orthogonal length (abs(dx)+abs(dy)) - """ - def shift(self, d: float) -> DEdge: - r""" - @brief Shifts the edge (modifies self) + The "trans" method or the * operator transforms the given point. + q = t(p) - Shifts the edge by the given distance and returns the - shifted edge. The edge is not modified. Shifting by a positive value will produce an edge which is shifted by d to the left. Shifting by a negative value will produce an edge which is shifted by d to the right. + The * operator has been introduced in version 0.25. - \shifted is a version that does not modify self but returns the extended edges. + @param p The point to transform + @return The transformed point + """ + @overload + def __mul__(self, p: DVector) -> DVector: + r""" + @brief Transforms a vector - This method has been introduced in version 0.23. + The "trans" method or the * operator transforms the given vector. + w = t(v) - @param d The distance by which to shift the edge. + Vector transformation has been introduced in version 0.25. - @return The shifted edge (self). + @param v The vector to transform + @return The transformed vector """ - def shifted(self, d: float) -> DEdge: + @overload + def __mul__(self, path: DPath) -> DPath: r""" - @brief Returns the shifted edge (does not modify self) - - Shifts the edge by the given distance and returns the - shifted edge. The edge is not modified. Shifting by a positive value will produce an edge which is shifted by d to the left. Shifting by a negative value will produce an edge which is shifted by d to the right. - - \shift is a version that modifies self (in-place). + @brief Transforms a path - This method has been introduced in version 0.23. + 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - @param d The distance by which to shift the edge. + @param path The path to transform + @return The transformed path - @return The shifted edge. + This convenience method has been introduced in version 0.25. """ - def side_of(self, p: DPoint) -> int: + @overload + def __mul__(self, polygon: DPolygon) -> DPolygon: r""" - @brief Indicates at which side the point is located relative to the edge. + @brief Transforms a polygon - Returns 1 if the point is "left" of the edge, 0 if on - and -1 if the point is "right" of the edge. + 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - @param p The point to test. + @param polygon The polygon to transform + @return The transformed polygon - @return The side value - """ - def sq_length(self) -> float: - r""" - @brief The square of the length of the edge + This convenience method has been introduced in version 0.25. """ - def swap_points(self) -> DEdge: + @overload + def __mul__(self, t: CplxTrans) -> CplxTrans: r""" - @brief Swap the points of the edge + @brief Multiplication (concatenation) of transformations - This version modifies self. A version that does not modify self is \swapped_points. Swapping the points basically reverses the direction of the edge. + The * operator returns self*t ("t is applied before this transformation"). - This method has been introduced in version 0.23. + @param t The transformation to apply before + @return The modified transformation """ - def swapped_points(self) -> DEdge: + @overload + def __mul__(self, t: DCplxTrans) -> DCplxTrans: r""" - @brief Returns an edge in which both points are swapped + @brief Returns the concatenated transformation - Swapping the points basically reverses the direction of the edge. + The * operator returns self*t ("t is applied before this transformation"). - This method has been introduced in version 0.23. + @param t The transformation to apply before + @return The modified transformation """ - def to_itype(self, dbu: Optional[float] = ...) -> Edge: + @overload + def __mul__(self, text: DText) -> DText: r""" - @brief Converts the edge to an integer coordinate edge + @brief Transforms a text - The database unit can be specified to translate the floating-point coordinate edge in micron units to an integer-coordinate edge in database units. The edges coordinates will be divided by the database unit. + 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - This method has been introduced in version 0.25. + @param text The text to transform + @return The transformed text + + This convenience method has been introduced in version 0.25. """ - def to_s(self, dbu: Optional[float] = ...) -> str: + def __ne__(self, other: object) -> bool: r""" - @brief Returns a string representing the edge - If a DBU is given, the output units will be micrometers. - - The DBU argument has been added in version 0.27.6. + @brief Tests for inequality """ @overload - def transformed(self, t: DCplxTrans) -> DEdge: + def __rmul__(self, box: DBox) -> DBox: r""" - @brief Transform the edge. + @brief Transforms a box - Transforms the edge with the given complex transformation. - Does not modify the edge but returns the transformed edge. + 't*box' or 't.trans(box)' is equivalent to box.transformed(t). - @param t The transformation to apply. + @param box The box to transform + @return The transformed box - @return The transformed edge. + This convenience method has been introduced in version 0.25. """ @overload - def transformed(self, t: DTrans) -> DEdge: + def __rmul__(self, d: float) -> float: r""" - @brief Transform the edge. + @brief Transforms a distance - Transforms the edge with the given transformation. - Does not modify the edge but returns the transformed edge. + The "ctrans" method transforms the given distance. + e = t(d). For the simple transformations, there + is no magnification and no modification of the distance + therefore. - @param t The transformation to apply. + @param d The distance to transform + @return The transformed distance - @return The transformed edge. + The product '*' has been added as a synonym in version 0.28. """ @overload - def transformed(self, t: VCplxTrans) -> Edge: - r""" - @brief Transforms the edge with the given complex transformation - - @param t The magnifying transformation to apply - @return The transformed edge (in this case an integer coordinate edge) - - This method has been introduced in version 0.25. - """ - def transformed_cplx(self, t: DCplxTrans) -> DEdge: + def __rmul__(self, edge: DEdge) -> DEdge: r""" - @brief Transform the edge. + @brief Transforms an edge - Transforms the edge with the given complex transformation. - Does not modify the edge but returns the transformed edge. + 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). - @param t The transformation to apply. + @param edge The edge to transform + @return The transformed edge - @return The transformed edge. + This convenience method has been introduced in version 0.25. """ + @overload + def __rmul__(self, p: DPoint) -> DPoint: + r""" + @brief Transforms a point -class EdgePair: - r""" - @brief An edge pair (a pair of two edges) - Edge pairs are objects representing two edges or parts of edges. They play a role mainly in the context of DRC functions, where they specify a DRC violation by connecting two edges which violate the condition checked. Within the framework of polygon and edge collections which provide DRC functionality, edges pairs are used in the form of edge pair collections (\EdgePairs). - - Edge pairs basically consist of two edges, called first and second. If created by a two-layer DRC function, the first edge will correspond to edges from the first layer and the second to edges from the second layer. - - This class has been introduced in version 0.23. - """ - first: Edge - r""" - Getter: - @brief Gets the first edge - - Setter: - @brief Sets the first edge - """ - second: Edge - r""" - Getter: - @brief Gets the second edge - - Setter: - @brief Sets the second edge - """ - symmetric: bool - r""" - Getter: - @brief Returns a value indicating whether the edge pair is symmetric - For symmetric edge pairs, the edges are commutable. Specifically, a symmetric edge pair with (e1,e2) is identical to (e2,e1). Symmetric edge pairs are generated by some checks for which there is no directed error marker (width, space, notch, isolated). - - Symmetric edge pairs have been introduced in version 0.27. - - Setter: - @brief Sets a value indicating whether the edge pair is symmetric - See \symmetric? for a description of this attribute. + The "trans" method or the * operator transforms the given point. + q = t(p) - Symmetric edge pairs have been introduced in version 0.27. - """ - @classmethod - def from_s(cls, s: str) -> EdgePair: - r""" - @brief Creates an object from a string - Creates the object from a string representation (as returned by \to_s) + The * operator has been introduced in version 0.25. - This method has been added in version 0.23. + @param p The point to transform + @return The transformed point """ @overload - @classmethod - def new(cls) -> EdgePair: + def __rmul__(self, p: DVector) -> DVector: r""" - @brief Default constructor + @brief Transforms a vector - This constructor creates an default edge pair. - """ - @overload - @classmethod - def new(cls, dedge_pair: DEdgePair) -> EdgePair: - r""" - @brief Creates an integer coordinate edge pair from a floating-point coordinate edge pair + The "trans" method or the * operator transforms the given vector. + w = t(v) - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dedge_pair'. + Vector transformation has been introduced in version 0.25. + + @param v The vector to transform + @return The transformed vector """ @overload - @classmethod - def new(cls, first: Edge, second: Edge, symmetric: Optional[bool] = ...) -> EdgePair: + def __rmul__(self, path: DPath) -> DPath: r""" - @brief Constructor from two edges + @brief Transforms a path - This constructor creates an edge pair from the two edges given. - See \symmetric? for a description of this attribute. - """ - def __copy__(self) -> EdgePair: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> EdgePair: - r""" - @brief Creates a copy of self - """ - def __eq__(self, box: object) -> bool: - r""" - @brief Equality - Returns true, if this edge pair and the given one are equal + 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - This method has been introduced in version 0.25. - """ - def __hash__(self) -> int: - r""" - @brief Computes a hash value - Returns a hash value for the given edge pair. This method enables edge pairs as hash keys. + @param path The path to transform + @return The transformed path - This method has been introduced in version 0.25. + This convenience method has been introduced in version 0.25. """ @overload - def __init__(self) -> None: + def __rmul__(self, polygon: DPolygon) -> DPolygon: r""" - @brief Default constructor + @brief Transforms a polygon - This constructor creates an default edge pair. - """ - @overload - def __init__(self, dedge_pair: DEdgePair) -> None: - r""" - @brief Creates an integer coordinate edge pair from a floating-point coordinate edge pair + 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dedge_pair'. + @param polygon The polygon to transform + @return The transformed polygon + + This convenience method has been introduced in version 0.25. """ @overload - def __init__(self, first: Edge, second: Edge, symmetric: Optional[bool] = ...) -> None: + def __rmul__(self, text: DText) -> DText: r""" - @brief Constructor from two edges + @brief Transforms a text - This constructor creates an edge pair from the two edges given. - See \symmetric? for a description of this attribute. - """ - def __lt__(self, box: EdgePair) -> bool: - r""" - @brief Less operator - Returns true, if this edge pair is 'less' with respect to first and second edge + 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - This method has been introduced in version 0.25. - """ - def __ne__(self, box: object) -> bool: - r""" - @brief Inequality - Returns true, if this edge pair and the given one are not equal + @param text The text to transform + @return The transformed text - This method has been introduced in version 0.25. + This convenience method has been introduced in version 0.25. """ - def __str__(self, dbu: Optional[float] = ...) -> str: + def __str__(self, lazy: Optional[bool] = ..., dbu: Optional[float] = ...) -> str: r""" - @brief Returns a string representing the edge pair - If a DBU is given, the output units will be micrometers. + @brief String conversion + If 'lazy' is true, some parts are omitted when not required. + If a DBU is given, the output units will be micrometers. - The DBU argument has been added in version 0.27.6. + The lazy and DBU arguments have been added in version 0.27.6. """ def _create(self) -> None: r""" @@ -8199,25 +7684,29 @@ class EdgePair: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def area(self) -> int: - r""" - @brief Gets the area between the edges of the edge pair - - This attribute has been introduced in version 0.28. - """ - def assign(self, other: EdgePair) -> None: + def assign(self, other: DCplxTrans) -> None: r""" @brief Assigns another object to self """ - def bbox(self) -> Box: - r""" - @brief Gets the bounding box of the edge pair - """ def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ + def ctrans(self, d: float) -> float: + r""" + @brief Transforms a distance + + The "ctrans" method transforms the given distance. + e = t(d). For the simple transformations, there + is no magnification and no modification of the distance + therefore. + + @param d The distance to transform + @return The transformed distance + + The product '*' has been added as a synonym in version 0.28. + """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -8230,164 +7719,279 @@ class EdgePair: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> EdgePair: + def dup(self) -> DCplxTrans: r""" @brief Creates a copy of self """ - def greater(self) -> Edge: - r""" - @brief Gets the 'greater' edge for symmetric edge pairs - As first and second edges are commutable for symmetric edge pairs (see \symmetric?), this accessor allows retrieving a 'second' edge in a way independent on the actual assignment. - - This read-only attribute has been introduced in version 0.27. - """ def hash(self) -> int: r""" @brief Computes a hash value - Returns a hash value for the given edge pair. This method enables edge pairs as hash keys. + Returns a hash value for the given transformation. This method enables transformations as hash keys. This method has been introduced in version 0.25. """ + def invert(self) -> DCplxTrans: + r""" + @brief Inverts the transformation (in place) + + Inverts the transformation and replaces this transformation by it's + inverted one. + + @return The inverted transformation + """ + def inverted(self) -> DCplxTrans: + r""" + @brief Returns the inverted transformation + + Returns the inverted transformation. This method does not modify the transformation. + + @return The inverted transformation + """ + def is_complex(self) -> bool: + r""" + @brief Returns true if the transformation is a complex one + + If this predicate is false, the transformation can safely be converted to a simple transformation. + Otherwise, this conversion will be lossy. + The predicate value is equivalent to 'is_mag || !is_ortho'. + + This method has been introduced in version 0.27.5. + """ def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def lesser(self) -> Edge: + def is_mag(self) -> bool: r""" - @brief Gets the 'lesser' edge for symmetric edge pairs - As first and second edges are commutable for symmetric edge pairs (see \symmetric?), this accessor allows retrieving a 'first' edge in a way independent on the actual assignment. + @brief Tests, if the transformation is a magnifying one - This read-only attribute has been introduced in version 0.27. + This is the recommended test for checking if the transformation represents + a magnification. """ - def normalized(self) -> EdgePair: + def is_mirror(self) -> bool: r""" - @brief Normalizes the edge pair - This method normalized the edge pair such that when connecting the edges at their - start and end points a closed loop is formed which is oriented clockwise. To achieve this, the points of the first and/or first and second edge are swapped. Normalization is a first step recommended before converting an edge pair to a polygon, because that way the polygons won't be self-overlapping and the enlargement parameter is applied properly. + @brief Gets the mirror flag + + If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. """ - def perimeter(self) -> int: + def is_ortho(self) -> bool: r""" - @brief Gets the perimeter of the edge pair - - The perimeter is defined as the sum of the lengths of both edges ('active perimeter'). + @brief Tests, if the transformation is an orthogonal transformation - This attribute has been introduced in version 0.28. + If the rotation is by a multiple of 90 degree, this method will return true. """ - def polygon(self, e: int) -> Polygon: + def is_unity(self) -> bool: r""" - @brief Convert an edge pair to a polygon - The polygon is formed by connecting the end and start points of the edges. It is recommended to use \normalized before converting the edge pair to a polygon. - - The enlargement parameter applies the specified enlargement parallel and perpendicular to the edges. Basically this introduces a bias which blows up edge pairs by the specified amount. That parameter is useful to convert degenerated edge pairs to valid polygons, i.e. edge pairs with coincident edges and edge pairs consisting of two point-like edges. - - Another version for converting edge pairs to simple polygons is \simple_polygon which renders a \SimplePolygon object. - @param e The enlargement (set to zero for exact representation) + @brief Tests, whether this is a unit transformation """ - def simple_polygon(self, e: int) -> SimplePolygon: + def rot(self) -> int: r""" - @brief Convert an edge pair to a simple polygon - The polygon is formed by connecting the end and start points of the edges. It is recommended to use \normalized before converting the edge pair to a polygon. + @brief Returns the respective simple transformation equivalent rotation code if possible - The enlargement parameter applies the specified enlargement parallel and perpendicular to the edges. Basically this introduces a bias which blows up edge pairs by the specified amount. That parameter is useful to convert degenerated edge pairs to valid polygons, i.e. edge pairs with coincident edges and edge pairs consisting of two point-like edges. + If this transformation is orthogonal (is_ortho () == true), then this method + will return the corresponding fixpoint transformation, not taking into account + magnification and displacement. If the transformation is not orthogonal, the result + reflects the quadrant the rotation goes into. + """ + def s_trans(self) -> DTrans: + r""" + @brief Extracts the simple transformation part - Another version for converting edge pairs to polygons is \polygon which renders a \Polygon object. - @param e The enlargement (set to zero for exact representation) + The simple transformation part does not reflect magnification or arbitrary angles. + Rotation angles are rounded down to multiples of 90 degree. Magnification is fixed to 1.0. """ - def to_dtype(self, dbu: Optional[float] = ...) -> DEdgePair: + def to_itrans(self, dbu: Optional[float] = ...) -> ICplxTrans: r""" - @brief Converts the edge pair to a floating-point coordinate edge pair + @brief Converts the transformation to another transformation with integer input and output coordinates - The database unit can be specified to translate the integer-coordinate edge pair into a floating-point coordinate edge pair in micron units. The database unit is basically a scaling factor. + The database unit can be specified to translate the floating-point coordinate displacement in micron units to an integer-coordinate displacement in database units. The displacement's' coordinates will be divided by the database unit. This method has been introduced in version 0.25. """ - def to_s(self, dbu: Optional[float] = ...) -> str: + def to_s(self, lazy: Optional[bool] = ..., dbu: Optional[float] = ...) -> str: r""" - @brief Returns a string representing the edge pair - If a DBU is given, the output units will be micrometers. + @brief String conversion + If 'lazy' is true, some parts are omitted when not required. + If a DBU is given, the output units will be micrometers. - The DBU argument has been added in version 0.27.6. + The lazy and DBU arguments have been added in version 0.27.6. """ - @overload - def transformed(self, t: CplxTrans) -> DEdgePair: + def to_trans(self) -> CplxTrans: r""" - @brief Returns the transformed edge pair + @brief Converts the transformation to another transformation with integer input coordinates - Transforms the edge pair with the given complex transformation. - Does not modify the edge pair but returns the transformed edge. + This method has been introduced in version 0.25. + """ + def to_vtrans(self, dbu: Optional[float] = ...) -> VCplxTrans: + r""" + @brief Converts the transformation to another transformation with integer output coordinates - @param t The transformation to apply. + The database unit can be specified to translate the floating-point coordinate displacement in micron units to an integer-coordinate displacement in database units. The displacement's' coordinates will be divided by the database unit. - @return The transformed edge pair + This method has been introduced in version 0.25. """ @overload - def transformed(self, t: ICplxTrans) -> EdgePair: + def trans(self, box: DBox) -> DBox: r""" - @brief Returns the transformed edge pair + @brief Transforms a box - Transforms the edge pair with the given complex transformation. - Does not modify the edge pair but returns the transformed edge. + 't*box' or 't.trans(box)' is equivalent to box.transformed(t). - @param t The transformation to apply. + @param box The box to transform + @return The transformed box - @return The transformed edge pair (in this case an integer coordinate edge pair). + This convenience method has been introduced in version 0.25. """ @overload - def transformed(self, t: Trans) -> EdgePair: + def trans(self, edge: DEdge) -> DEdge: r""" - @brief Returns the transformed pair + @brief Transforms an edge - Transforms the edge pair with the given transformation. - Does not modify the edge pair but returns the transformed edge. + 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). - @param t The transformation to apply. + @param edge The edge to transform + @return The transformed edge - @return The transformed edge pair + This convenience method has been introduced in version 0.25. """ + @overload + def trans(self, p: DPoint) -> DPoint: + r""" + @brief Transforms a point -class DEdgePair: + The "trans" method or the * operator transforms the given point. + q = t(p) + + The * operator has been introduced in version 0.25. + + @param p The point to transform + @return The transformed point + """ + @overload + def trans(self, p: DVector) -> DVector: + r""" + @brief Transforms a vector + + The "trans" method or the * operator transforms the given vector. + w = t(v) + + Vector transformation has been introduced in version 0.25. + + @param v The vector to transform + @return The transformed vector + """ + @overload + def trans(self, path: DPath) -> DPath: + r""" + @brief Transforms a path + + 't*path' or 't.trans(path)' is equivalent to path.transformed(t). + + @param path The path to transform + @return The transformed path + + This convenience method has been introduced in version 0.25. + """ + @overload + def trans(self, polygon: DPolygon) -> DPolygon: + r""" + @brief Transforms a polygon + + 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). + + @param polygon The polygon to transform + @return The transformed polygon + + This convenience method has been introduced in version 0.25. + """ + @overload + def trans(self, text: DText) -> DText: + r""" + @brief Transforms a text + + 't*text' or 't.trans(text)' is equivalent to text.transformed(t). + + @param text The text to transform + @return The transformed text + + This convenience method has been introduced in version 0.25. + """ + +class DEdge: r""" - @brief An edge pair (a pair of two edges) - Edge pairs are objects representing two edges or parts of edges. They play a role mainly in the context of DRC functions, where they specify a DRC violation by connecting two edges which violate the condition checked. Within the framework of polygon and edge collections which provide DRC functionality, edges pairs with integer coordinates (\EdgePair type) are used in the form of edge pair collections (\EdgePairs). + @brief An edge class - Edge pairs basically consist of two edges, called first and second. If created by a two-layer DRC function, the first edge will correspond to edges from the first layer and the second to edges from the second layer. + An edge is a connection between points, usually participating in a larger context such as a polygon. An edge has a defined direction (from p1 to p2). Edges play a role in the database as parts of polygons and to describe a line through both points. + The \Edge object is also used inside the boolean processor (\EdgeProcessor). + Although supported, edges are rarely used as individual database objects. - This class has been introduced in version 0.23. + See @The Database API@ for more details about the database objects like the Edge class. """ - first: DEdge + p1: DPoint r""" Getter: - @brief Gets the first edge + @brief The first point. Setter: - @brief Sets the first edge + @brief Sets the first point. + This method has been added in version 0.23. """ - second: DEdge + p2: DPoint r""" Getter: - @brief Gets the second edge + @brief The second point. Setter: - @brief Sets the second edge + @brief Sets the second point. + This method has been added in version 0.23. """ - symmetric: bool + x1: float r""" Getter: - @brief Returns a value indicating whether the edge pair is symmetric - For symmetric edge pairs, the edges are commutable. Specifically, a symmetric edge pair with (e1,e2) is identical to (e2,e1). Symmetric edge pairs are generated by some checks for which there is no directed error marker (width, space, notch, isolated). + @brief Shortcut for p1.x - Symmetric edge pairs have been introduced in version 0.27. + Setter: + @brief Sets p1.x + This method has been added in version 0.23. + """ + x2: float + r""" + Getter: + @brief Shortcut for p2.x Setter: - @brief Sets a value indicating whether the edge pair is symmetric - See \symmetric? for a description of this attribute. + @brief Sets p2.x + This method has been added in version 0.23. + """ + y1: float + r""" + Getter: + @brief Shortcut for p1.y - Symmetric edge pairs have been introduced in version 0.27. + Setter: + @brief Sets p1.y + This method has been added in version 0.23. + """ + y2: float + r""" + Getter: + @brief Shortcut for p2.y + + Setter: + @brief Sets p2.y + This method has been added in version 0.23. """ @classmethod - def from_s(cls, s: str) -> DEdgePair: + def from_iedge(cls, edge: Edge) -> DEdge: + r""" + @brief Creates a floating-point coordinate edge from an integer coordinate edge + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_iedge'. + """ + @classmethod + def from_s(cls, s: str) -> DEdge: r""" @brief Creates an object from a string Creates the object from a string representation (as returned by \to_s) @@ -8396,90 +8000,132 @@ class DEdgePair: """ @overload @classmethod - def new(cls) -> DEdgePair: + def new(cls) -> DEdge: r""" - @brief Default constructor + @brief Default constructor: creates a degenerated edge 0,0 to 0,0 + """ + @overload + @classmethod + def new(cls, edge: Edge) -> DEdge: + r""" + @brief Creates a floating-point coordinate edge from an integer coordinate edge - This constructor creates an default edge pair. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_iedge'. """ @overload @classmethod - def new(cls, edge_pair: EdgePair) -> DEdgePair: + def new(cls, p1: DPoint, p2: DPoint) -> DEdge: r""" - @brief Creates a floating-point coordinate edge pair from an integer coordinate edge + @brief Constructor with two points - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_iedge_pair'. + Two points are given to create a new edge. """ @overload @classmethod - def new(cls, first: DEdge, second: DEdge, symmetric: Optional[bool] = ...) -> DEdgePair: + def new(cls, x1: float, y1: float, x2: float, y2: float) -> DEdge: r""" - @brief Constructor from two edges + @brief Constructor with two coordinates given as single values - This constructor creates an edge pair from the two edges given. - See \symmetric? for a description of this attribute. + Two points are given to create a new edge. """ - def __copy__(self) -> DEdgePair: + @classmethod + def new_pp(cls, p1: DPoint, p2: DPoint) -> DEdge: + r""" + @brief Constructor with two points + + Two points are given to create a new edge. + """ + @classmethod + def new_xyxy(cls, x1: float, y1: float, x2: float, y2: float) -> DEdge: + r""" + @brief Constructor with two coordinates given as single values + + Two points are given to create a new edge. + """ + def __copy__(self) -> DEdge: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> DEdgePair: + def __deepcopy__(self) -> DEdge: r""" @brief Creates a copy of self """ - def __eq__(self, box: object) -> bool: + def __eq__(self, e: object) -> bool: r""" - @brief Equality - Returns true, if this edge pair and the given one are equal - - This method has been introduced in version 0.25. + @brief Equality test + @param e The object to compare against """ def __hash__(self) -> int: r""" @brief Computes a hash value - Returns a hash value for the given edge pair. This method enables edge pairs as hash keys. + Returns a hash value for the given edge. This method enables edges as hash keys. This method has been introduced in version 0.25. """ @overload def __init__(self) -> None: r""" - @brief Default constructor + @brief Default constructor: creates a degenerated edge 0,0 to 0,0 + """ + @overload + def __init__(self, edge: Edge) -> None: + r""" + @brief Creates a floating-point coordinate edge from an integer coordinate edge - This constructor creates an default edge pair. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_iedge'. """ @overload - def __init__(self, edge_pair: EdgePair) -> None: + def __init__(self, p1: DPoint, p2: DPoint) -> None: r""" - @brief Creates a floating-point coordinate edge pair from an integer coordinate edge + @brief Constructor with two points - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_iedge_pair'. + Two points are given to create a new edge. """ @overload - def __init__(self, first: DEdge, second: DEdge, symmetric: Optional[bool] = ...) -> None: + def __init__(self, x1: float, y1: float, x2: float, y2: float) -> None: r""" - @brief Constructor from two edges + @brief Constructor with two coordinates given as single values - This constructor creates an edge pair from the two edges given. - See \symmetric? for a description of this attribute. + Two points are given to create a new edge. """ - def __lt__(self, box: DEdgePair) -> bool: + def __lt__(self, e: DEdge) -> bool: r""" @brief Less operator - Returns true, if this edge pair is 'less' with respect to first and second edge + @param e The object to compare against + @return True, if the edge is 'less' as the other edge with respect to first and second point + """ + def __mul__(self, scale_factor: float) -> DEdge: + r""" + @brief Scale edge - This method has been introduced in version 0.25. + The * operator scales self with the given factor. + + This method has been introduced in version 0.22. + + @param scale_factor The scaling factor + + @return The scaled edge """ - def __ne__(self, box: object) -> bool: + def __ne__(self, e: object) -> bool: r""" - @brief Inequality - Returns true, if this edge pair and the given one are not equal + @brief Inequality test + @param e The object to compare against + """ + def __rmul__(self, scale_factor: float) -> DEdge: + r""" + @brief Scale edge - This method has been introduced in version 0.25. + The * operator scales self with the given factor. + + This method has been introduced in version 0.22. + + @param scale_factor The scaling factor + + @return The scaled edge """ def __str__(self, dbu: Optional[float] = ...) -> str: r""" - @brief Returns a string representing the edge pair + @brief Returns a string representing the edge If a DBU is given, the output units will be micrometers. The DBU argument has been added in version 0.27.6. @@ -8521,25 +8167,112 @@ class DEdgePair: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def area(self) -> float: + def assign(self, other: DEdge) -> None: r""" - @brief Gets the area between the edges of the edge pair + @brief Assigns another object to self + """ + def bbox(self) -> DBox: + r""" + @brief Return the bounding box of the edge. + """ + def clipped(self, box: DBox) -> Any: + r""" + @brief Returns the edge clipped at the given box - This attribute has been introduced in version 0.28. + @param box The clip box. + @return The clipped edge or nil if the edge does not intersect with the box. + + This method has been introduced in version 0.26.2. """ - def assign(self, other: DEdgePair) -> None: + def clipped_line(self, box: DBox) -> Any: r""" - @brief Assigns another object to self + @brief Returns the line through the edge clipped at the given box + + @param box The clip box. + @return The part of the line through the box or nil if the line does not intersect with the box. + + In contrast to \clipped, this method will consider the edge extended infinitely (a "line"). The returned edge will be the part of this line going through the box. + + This method has been introduced in version 0.26.2. """ - def bbox(self) -> DBox: + def coincident(self, e: DEdge) -> bool: r""" - @brief Gets the bounding box of the edge pair + @brief Coincidence check. + + Checks whether a edge is coincident with another edge. + Coincidence is defined by being parallel and that + at least one point of one edge is on the other edge. + + @param e the edge to test with + + @return True if the edges are coincident. + """ + def contains(self, p: DPoint) -> bool: + r""" + @brief Test whether a point is on an edge. + + A point is on a edge if it is on (or at least closer + than a grid point to) the edge. + + @param p The point to test with the edge. + + @return True if the point is on the edge. + """ + def contains_excl(self, p: DPoint) -> bool: + r""" + @brief Test whether a point is on an edge excluding the endpoints. + + A point is on a edge if it is on (or at least closer + than a grid point to) the edge. + + @param p The point to test with the edge. + + @return True if the point is on the edge but not equal p1 or p2. """ def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ + def crossed_by(self, e: DEdge) -> bool: + r""" + @brief Check, if an edge is cut by a line (given by an edge) + + This method returns true if p1 is in one semispace + while p2 is in the other or one of them is on the line + through the edge "e" + + @param e The edge representing the line that the edge must be crossing. + """ + def crossing_point(self, e: DEdge) -> DPoint: + r""" + @brief Returns the crossing point on two edges. + + This method delivers the point where the given edge (self) crosses the line given by the edge in argument "e". If self does not cross this line, the result is undefined. See \crossed_by? for a description of the crossing predicate. + + @param e The edge representing the line that self must be crossing. + @return The point where self crosses the line given by "e". + + This method has been introduced in version 0.19. + """ + def cut_point(self, e: DEdge) -> Any: + r""" + @brief Returns the intersection point of the lines through the two edges. + + This method delivers the intersection point between the lines through the two edges. If the lines are parallel and do not intersect, the result will be nil. + In contrast to \intersection_point, this method will regard the edges as infinitely extended and intersection is not confined to the edge span. + + @param e The edge to test. + @return The point where the lines intersect. + + This method has been introduced in version 0.27.1. + """ + def d(self) -> DVector: + r""" + @brief Gets the edge extension as a vector. + This method is equivalent to p2 - p1. + This method has been introduced in version 0.26.2. + """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -8552,420 +8285,482 @@ class DEdgePair: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> DEdgePair: - r""" - @brief Creates a copy of self - """ - def greater(self) -> DEdge: + def distance(self, p: DPoint) -> float: r""" - @brief Gets the 'greater' edge for symmetric edge pairs - As first and second edges are commutable for symmetric edge pairs (see \symmetric?), this accessor allows retrieving a 'second' edge in a way independent on the actual assignment. + @brief Distance between the edge and a point. - This read-only attribute has been introduced in version 0.27. + Returns the distance between the edge and the point. The + distance is signed which is negative if the point is to the + "right" of the edge and positive if the point is to the "left". + The distance is measured by projecting the point onto the + line through the edge. If the edge is degenerated, the distance + is not defined. + + @param p The point to test. + + @return The distance """ - def hash(self) -> int: + def distance_abs(self, p: DPoint) -> float: r""" - @brief Computes a hash value - Returns a hash value for the given edge pair. This method enables edge pairs as hash keys. + @brief Absolute distance between the edge and a point. - This method has been introduced in version 0.25. + Returns the distance between the edge and the point. + + @param p The point to test. + + @return The distance """ - def is_const_object(self) -> bool: + def dup(self) -> DEdge: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Creates a copy of self """ - def lesser(self) -> DEdge: + def dx(self) -> float: r""" - @brief Gets the 'lesser' edge for symmetric edge pairs - As first and second edges are commutable for symmetric edge pairs (see \symmetric?), this accessor allows retrieving a 'first' edge in a way independent on the actual assignment. - - This read-only attribute has been introduced in version 0.27. + @brief The horizontal extend of the edge. """ - def normalized(self) -> DEdgePair: + def dx_abs(self) -> float: r""" - @brief Normalizes the edge pair - This method normalized the edge pair such that when connecting the edges at their - start and end points a closed loop is formed which is oriented clockwise. To achieve this, the points of the first and/or first and second edge are swapped. Normalization is a first step recommended before converting an edge pair to a polygon, because that way the polygons won't be self-overlapping and the enlargement parameter is applied properly. + @brief The absolute value of the horizontal extend of the edge. """ - def perimeter(self) -> float: + def dy(self) -> float: r""" - @brief Gets the perimeter of the edge pair - - The perimeter is defined as the sum of the lengths of both edges ('active perimeter'). - - This attribute has been introduced in version 0.28. + @brief The vertical extend of the edge. """ - def polygon(self, e: float) -> DPolygon: + def dy_abs(self) -> float: r""" - @brief Convert an edge pair to a polygon - The polygon is formed by connecting the end and start points of the edges. It is recommended to use \normalized before converting the edge pair to a polygon. - - The enlargement parameter applies the specified enlargement parallel and perpendicular to the edges. Basically this introduces a bias which blows up edge pairs by the specified amount. That parameter is useful to convert degenerated edge pairs to valid polygons, i.e. edge pairs with coincident edges and edge pairs consisting of two point-like edges. - - Another version for converting edge pairs to simple polygons is \simple_polygon which renders a \SimplePolygon object. - @param e The enlargement (set to zero for exact representation) + @brief The absolute value of the vertical extend of the edge. """ - def simple_polygon(self, e: float) -> DSimplePolygon: + def enlarge(self, p: DVector) -> DEdge: r""" - @brief Convert an edge pair to a simple polygon - The polygon is formed by connecting the end and start points of the edges. It is recommended to use \normalized before converting the edge pair to a polygon. + @brief Enlarges the edge. - The enlargement parameter applies the specified enlargement parallel and perpendicular to the edges. Basically this introduces a bias which blows up edge pairs by the specified amount. That parameter is useful to convert degenerated edge pairs to valid polygons, i.e. edge pairs with coincident edges and edge pairs consisting of two point-like edges. + Enlarges the edge by the given distance and returns the + enlarged edge. The edge is overwritten. + Enlargement means + that the first point is shifted by -p, the second by p. - Another version for converting edge pairs to polygons is \polygon which renders a \Polygon object. - @param e The enlargement (set to zero for exact representation) + @param p The distance to move the edge points. + + @return The enlarged edge. """ - def to_itype(self, dbu: Optional[float] = ...) -> EdgePair: + def enlarged(self, p: DVector) -> DEdge: r""" - @brief Converts the edge pair to an integer coordinate edge pair + @brief Returns the enlarged edge (does not modify self) - The database unit can be specified to translate the floating-point coordinate edge pair in micron units to an integer-coordinate edge pair in database units. The edge pair's' coordinates will be divided by the database unit. + Enlarges the edge by the given offset and returns the + enlarged edge. The edge is not modified. Enlargement means + that the first point is shifted by -p, the second by p. - This method has been introduced in version 0.25. - """ - def to_s(self, dbu: Optional[float] = ...) -> str: - r""" - @brief Returns a string representing the edge pair - If a DBU is given, the output units will be micrometers. + @param p The distance to move the edge points. - The DBU argument has been added in version 0.27.6. + @return The enlarged edge. """ - @overload - def transformed(self, t: DCplxTrans) -> DEdgePair: + def extend(self, d: float) -> DEdge: r""" - @brief Returns the transformed edge pair - - Transforms the edge pair with the given complex transformation. - Does not modify the edge pair but returns the transformed edge. + @brief Extends the edge (modifies self) - @param t The transformation to apply. + Extends the edge by the given distance and returns the + extended edge. The edge is not modified. Extending means + that the first point is shifted by -d along the edge, the second by d. + The length of the edge will increase by 2*d. - @return The transformed edge pair - """ - @overload - def transformed(self, t: DTrans) -> DEdgePair: - r""" - @brief Returns the transformed pair + \extended is a version that does not modify self but returns the extended edges. - Transforms the edge pair with the given transformation. - Does not modify the edge pair but returns the transformed edge. + This method has been introduced in version 0.23. - @param t The transformation to apply. + @param d The distance by which to shift the end points. - @return The transformed edge pair + @return The extended edge (self). """ - @overload - def transformed(self, t: VCplxTrans) -> EdgePair: + def extended(self, d: float) -> DEdge: r""" - @brief Transforms the edge pair with the given complex transformation + @brief Returns the extended edge (does not modify self) + Extends the edge by the given distance and returns the + extended edge. The edge is not modified. Extending means + that the first point is shifted by -d along the edge, the second by d. + The length of the edge will increase by 2*d. - @param t The magnifying transformation to apply - @return The transformed edge pair (in this case an integer coordinate edge pair) + \extend is a version that modifies self (in-place). - This method has been introduced in version 0.25. - """ + This method has been introduced in version 0.23. -class EdgePairs(ShapeCollection): - r""" - @brief EdgePairs (a collection of edge pairs) + @param d The distance by which to shift the end points. - Edge pairs are used mainly in the context of the DRC functions (width_check, space_check etc.) of \Region and \Edges. A single edge pair represents two edges participating in a DRC violation. In the two-layer checks (inside, overlap) The first edge represents an edge from the first layer and the second edge an edge from the second layer. For single-layer checks (width, space) the order of the edges is arbitrary. + @return The extended edge. + """ + def hash(self) -> int: + r""" + @brief Computes a hash value + Returns a hash value for the given edge. This method enables edges as hash keys. - This class has been introduced in version 0.23. - """ - @overload - @classmethod - def new(cls) -> EdgePairs: + This method has been introduced in version 0.25. + """ + def intersect(self, e: DEdge) -> bool: r""" - @brief Default constructor + @brief Intersection test. - This constructor creates an empty edge pair collection. + Returns true if the edges intersect. Two edges intersect if they share at least one point. + If the edges coincide, they also intersect. + For degenerated edges, the intersection is mapped to + point containment tests. + + @param e The edge to test. """ - @overload - @classmethod - def new(cls, array: Sequence[EdgePair]) -> EdgePairs: + def intersection_point(self, e: DEdge) -> Any: r""" - @brief Constructor from an edge pair array + @brief Returns the intersection point of two edges. - This constructor creates an edge pair collection from an array of \EdgePair objects. + This method delivers the intersection point. If the edges do not intersect, the result will be nil. - This constructor has been introduced in version 0.26. + @param e The edge to test. + @return The point where the edges intersect. + + This method has been introduced in version 0.19. + From version 0.26.2, this method will return nil in case of non-intersection. """ - @overload - @classmethod - def new(cls, edge_pair: EdgePair) -> EdgePairs: + def is_const_object(self) -> bool: r""" - @brief Constructor from a single edge pair object + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def is_degenerate(self) -> bool: + r""" + @brief Test for degenerated edge - This constructor creates an edge pair collection with a single edge pair. + An edge is degenerate, if both end and start point are identical. + """ + def is_parallel(self, e: DEdge) -> bool: + r""" + @brief Test for being parallel - This constructor has been introduced in version 0.26. + @param e The edge to test against + + @return True if both edges are parallel + """ + def length(self) -> float: + r""" + @brief The length of the edge """ @overload - @classmethod - def new(cls, shape_iterator: RecursiveShapeIterator) -> EdgePairs: + def move(self, dx: float, dy: float) -> DEdge: r""" - @brief Constructor from a hierarchical shape set + @brief Moves the edge. - This constructor creates an edge pair collection from the shapes delivered by the given recursive shape iterator. - Only edge pairs are taken from the shape set and other shapes are ignored. - This method allows feeding the edge pair collection from a hierarchy of cells. - Edge pairs in layout objects are somewhat special as most formats don't support reading or writing of edge pairs. Still they are useful objects and can be created and manipulated inside layouts. + Moves the edge by the given offset and returns the + moved edge. The edge is overwritten. - @code - layout = ... # a layout - cell = ... # the index of the initial cell - layer = ... # the index of the layer from where to take the shapes from - r = RBA::EdgePairs::new(layout.begin_shapes(cell, layer)) - @/code + @param dx The x distance to move the edge. + @param dy The y distance to move the edge. - This constructor has been introduced in version 0.26. + @return The moved edge. + + This version has been added in version 0.23. """ @overload - @classmethod - def new(cls, shapes: Shapes) -> EdgePairs: + def move(self, p: DVector) -> DEdge: r""" - @brief Shapes constructor + @brief Moves the edge. - This constructor creates an edge pair collection from a \Shapes collection. + Moves the edge by the given offset and returns the + moved edge. The edge is overwritten. - This constructor has been introduced in version 0.26. + @param p The distance to move the edge. + + @return The moved edge. """ @overload - @classmethod - def new(cls, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore) -> EdgePairs: + def moved(self, dx: float, dy: float) -> DEdge: r""" - @brief Creates a hierarchical edge pair collection from an original layer + @brief Returns the moved edge (does not modify self) - This constructor creates an edge pair collection from the shapes delivered by the given recursive shape iterator. - This version will create a hierarchical edge pair collection which supports hierarchical operations. - Edge pairs in layout objects are somewhat special as most formats don't support reading or writing of edge pairs. Still they are useful objects and can be created and manipulated inside layouts. + Moves the edge by the given offset and returns the + moved edge. The edge is not modified. - @code - dss = RBA::DeepShapeStore::new - layout = ... # a layout - cell = ... # the index of the initial cell - layer = ... # the index of the layer from where to take the shapes from - r = RBA::EdgePairs::new(layout.begin_shapes(cell, layer)) - @/code + @param dx The x distance to move the edge. + @param dy The y distance to move the edge. - This constructor has been introduced in version 0.26. + @return The moved edge. + + This version has been added in version 0.23. """ @overload - @classmethod - def new(cls, shape_iterator: RecursiveShapeIterator, trans: ICplxTrans) -> EdgePairs: + def moved(self, p: DVector) -> DEdge: r""" - @brief Constructor from a hierarchical shape set with a transformation + @brief Returns the moved edge (does not modify self) - This constructor creates an edge pair collection from the shapes delivered by the given recursive shape iterator. - Only edge pairs are taken from the shape set and other shapes are ignored. - The given transformation is applied to each edge pair taken. - This method allows feeding the edge pair collection from a hierarchy of cells. - The transformation is useful to scale to a specific database unit for example. - Edge pairs in layout objects are somewhat special as most formats don't support reading or writing of edge pairs. Still they are useful objects and can be created and manipulated inside layouts. + Moves the edge by the given offset and returns the + moved edge. The edge is not modified. - @code - layout = ... # a layout - cell = ... # the index of the initial cell - layer = ... # the index of the layer from where to take the shapes from - dbu = 0.1 # the target database unit - r = RBA::EdgePairs::new(layout.begin_shapes(cell, layer), RBA::ICplxTrans::new(layout.dbu / dbu)) - @/code + @param p The distance to move the edge. - This constructor has been introduced in version 0.26. + @return The moved edge. """ - @overload - @classmethod - def new(cls, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, trans: ICplxTrans) -> EdgePairs: + def ortho_length(self) -> float: r""" - @brief Creates a hierarchical edge pair collection from an original layer with a transformation + @brief The orthogonal length of the edge ("manhattan-length") - This constructor creates an edge pair collection from the shapes delivered by the given recursive shape iterator. - This version will create a hierarchical edge pair collection which supports hierarchical operations. - The transformation is useful to scale to a specific database unit for example. - Edge pairs in layout objects are somewhat special as most formats don't support reading or writing of edge pairs. Still they are useful objects and can be created and manipulated inside layouts. + @return The orthogonal length (abs(dx)+abs(dy)) + """ + def shift(self, d: float) -> DEdge: + r""" + @brief Shifts the edge (modifies self) - @code - dss = RBA::DeepShapeStore::new - layout = ... # a layout - cell = ... # the index of the initial cell - layer = ... # the index of the layer from where to take the shapes from - dbu = 0.1 # the target database unit - r = RBA::EdgePairs::new(layout.begin_shapes(cell, layer), RBA::ICplxTrans::new(layout.dbu / dbu)) - @/code + Shifts the edge by the given distance and returns the + shifted edge. The edge is not modified. Shifting by a positive value will produce an edge which is shifted by d to the left. Shifting by a negative value will produce an edge which is shifted by d to the right. - This constructor has been introduced in version 0.26. + \shifted is a version that does not modify self but returns the extended edges. + + This method has been introduced in version 0.23. + + @param d The distance by which to shift the edge. + + @return The shifted edge (self). """ - def __add__(self, other: EdgePairs) -> EdgePairs: + def shifted(self, d: float) -> DEdge: r""" - @brief Returns the combined edge pair collection of self and the other one + @brief Returns the shifted edge (does not modify self) - @return The resulting edge pair collection + Shifts the edge by the given distance and returns the + shifted edge. The edge is not modified. Shifting by a positive value will produce an edge which is shifted by d to the left. Shifting by a negative value will produce an edge which is shifted by d to the right. - This operator adds the edge pairs of the other collection to self and returns a new combined set. + \shift is a version that modifies self (in-place). - This method has been introduced in version 0.24. + This method has been introduced in version 0.23. + + @param d The distance by which to shift the edge. + + @return The shifted edge. """ - def __copy__(self) -> EdgePairs: + def side_of(self, p: DPoint) -> int: r""" - @brief Creates a copy of self + @brief Indicates at which side the point is located relative to the edge. + + Returns 1 if the point is "left" of the edge, 0 if on + and -1 if the point is "right" of the edge. + + @param p The point to test. + + @return The side value """ - def __deepcopy__(self) -> EdgePairs: + def sq_length(self) -> float: r""" - @brief Creates a copy of self + @brief The square of the length of the edge """ - def __getitem__(self, n: int) -> EdgePair: + def swap_points(self) -> DEdge: r""" - @brief Returns the nth edge pair + @brief Swap the points of the edge - This method returns nil if the index is out of range. It is available for flat edge pairs only - i.e. those for which \has_valid_edge_pairs? is true. Use \flatten to explicitly flatten an edge pair collection. + This version modifies self. A version that does not modify self is \swapped_points. Swapping the points basically reverses the direction of the edge. - The \each iterator is the more general approach to access the edge pairs. + This method has been introduced in version 0.23. """ - def __iadd__(self, other: EdgePairs) -> EdgePairs: + def swapped_points(self) -> DEdge: r""" - @brief Adds the edge pairs of the other edge pair collection to self + @brief Returns an edge in which both points are swapped - @return The edge pair collection after modification (self) + Swapping the points basically reverses the direction of the edge. - This operator adds the edge pairs of the other collection to self. + This method has been introduced in version 0.23. + """ + def to_itype(self, dbu: Optional[float] = ...) -> Edge: + r""" + @brief Converts the edge to an integer coordinate edge - This method has been introduced in version 0.24. + The database unit can be specified to translate the floating-point coordinate edge in micron units to an integer-coordinate edge in database units. The edges coordinates will be divided by the database unit. + + This method has been introduced in version 0.25. """ - @overload - def __init__(self) -> None: + def to_s(self, dbu: Optional[float] = ...) -> str: r""" - @brief Default constructor + @brief Returns a string representing the edge + If a DBU is given, the output units will be micrometers. - This constructor creates an empty edge pair collection. + The DBU argument has been added in version 0.27.6. """ @overload - def __init__(self, array: Sequence[EdgePair]) -> None: + def transformed(self, t: DCplxTrans) -> DEdge: r""" - @brief Constructor from an edge pair array + @brief Transform the edge. - This constructor creates an edge pair collection from an array of \EdgePair objects. + Transforms the edge with the given complex transformation. + Does not modify the edge but returns the transformed edge. - This constructor has been introduced in version 0.26. + @param t The transformation to apply. + + @return The transformed edge. """ @overload - def __init__(self, edge_pair: EdgePair) -> None: + def transformed(self, t: DTrans) -> DEdge: r""" - @brief Constructor from a single edge pair object + @brief Transform the edge. - This constructor creates an edge pair collection with a single edge pair. + Transforms the edge with the given transformation. + Does not modify the edge but returns the transformed edge. - This constructor has been introduced in version 0.26. + @param t The transformation to apply. + + @return The transformed edge. """ @overload - def __init__(self, shape_iterator: RecursiveShapeIterator) -> None: + def transformed(self, t: VCplxTrans) -> Edge: r""" - @brief Constructor from a hierarchical shape set - - This constructor creates an edge pair collection from the shapes delivered by the given recursive shape iterator. - Only edge pairs are taken from the shape set and other shapes are ignored. - This method allows feeding the edge pair collection from a hierarchy of cells. - Edge pairs in layout objects are somewhat special as most formats don't support reading or writing of edge pairs. Still they are useful objects and can be created and manipulated inside layouts. + @brief Transforms the edge with the given complex transformation - @code - layout = ... # a layout - cell = ... # the index of the initial cell - layer = ... # the index of the layer from where to take the shapes from - r = RBA::EdgePairs::new(layout.begin_shapes(cell, layer)) - @/code + @param t The magnifying transformation to apply + @return The transformed edge (in this case an integer coordinate edge) - This constructor has been introduced in version 0.26. + This method has been introduced in version 0.25. """ - @overload - def __init__(self, shapes: Shapes) -> None: + def transformed_cplx(self, t: DCplxTrans) -> DEdge: r""" - @brief Shapes constructor + @brief Transform the edge. - This constructor creates an edge pair collection from a \Shapes collection. + Transforms the edge with the given complex transformation. + Does not modify the edge but returns the transformed edge. - This constructor has been introduced in version 0.26. + @param t The transformation to apply. + + @return The transformed edge. """ - @overload - def __init__(self, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore) -> None: + +class DEdgePair: + r""" + @brief An edge pair (a pair of two edges) + Edge pairs are objects representing two edges or parts of edges. They play a role mainly in the context of DRC functions, where they specify a DRC violation by connecting two edges which violate the condition checked. Within the framework of polygon and edge collections which provide DRC functionality, edges pairs with integer coordinates (\EdgePair type) are used in the form of edge pair collections (\EdgePairs). + + Edge pairs basically consist of two edges, called first and second. If created by a two-layer DRC function, the first edge will correspond to edges from the first layer and the second to edges from the second layer. + + This class has been introduced in version 0.23. + """ + first: DEdge + r""" + Getter: + @brief Gets the first edge + + Setter: + @brief Sets the first edge + """ + second: DEdge + r""" + Getter: + @brief Gets the second edge + + Setter: + @brief Sets the second edge + """ + symmetric: bool + r""" + Getter: + @brief Returns a value indicating whether the edge pair is symmetric + For symmetric edge pairs, the edges are commutable. Specifically, a symmetric edge pair with (e1,e2) is identical to (e2,e1). Symmetric edge pairs are generated by some checks for which there is no directed error marker (width, space, notch, isolated). + + Symmetric edge pairs have been introduced in version 0.27. + + Setter: + @brief Sets a value indicating whether the edge pair is symmetric + See \symmetric? for a description of this attribute. + + Symmetric edge pairs have been introduced in version 0.27. + """ + @classmethod + def from_s(cls, s: str) -> DEdgePair: r""" - @brief Creates a hierarchical edge pair collection from an original layer + @brief Creates an object from a string + Creates the object from a string representation (as returned by \to_s) - This constructor creates an edge pair collection from the shapes delivered by the given recursive shape iterator. - This version will create a hierarchical edge pair collection which supports hierarchical operations. - Edge pairs in layout objects are somewhat special as most formats don't support reading or writing of edge pairs. Still they are useful objects and can be created and manipulated inside layouts. + This method has been added in version 0.23. + """ + @overload + @classmethod + def new(cls) -> DEdgePair: + r""" + @brief Default constructor - @code - dss = RBA::DeepShapeStore::new - layout = ... # a layout - cell = ... # the index of the initial cell - layer = ... # the index of the layer from where to take the shapes from - r = RBA::EdgePairs::new(layout.begin_shapes(cell, layer)) - @/code + This constructor creates an default edge pair. + """ + @overload + @classmethod + def new(cls, edge_pair: EdgePair) -> DEdgePair: + r""" + @brief Creates a floating-point coordinate edge pair from an integer coordinate edge - This constructor has been introduced in version 0.26. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_iedge_pair'. """ @overload - def __init__(self, shape_iterator: RecursiveShapeIterator, trans: ICplxTrans) -> None: + @classmethod + def new(cls, first: DEdge, second: DEdge, symmetric: Optional[bool] = ...) -> DEdgePair: r""" - @brief Constructor from a hierarchical shape set with a transformation + @brief Constructor from two edges - This constructor creates an edge pair collection from the shapes delivered by the given recursive shape iterator. - Only edge pairs are taken from the shape set and other shapes are ignored. - The given transformation is applied to each edge pair taken. - This method allows feeding the edge pair collection from a hierarchy of cells. - The transformation is useful to scale to a specific database unit for example. - Edge pairs in layout objects are somewhat special as most formats don't support reading or writing of edge pairs. Still they are useful objects and can be created and manipulated inside layouts. + This constructor creates an edge pair from the two edges given. + See \symmetric? for a description of this attribute. + """ + def __copy__(self) -> DEdgePair: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> DEdgePair: + r""" + @brief Creates a copy of self + """ + def __eq__(self, box: object) -> bool: + r""" + @brief Equality + Returns true, if this edge pair and the given one are equal - @code - layout = ... # a layout - cell = ... # the index of the initial cell - layer = ... # the index of the layer from where to take the shapes from - dbu = 0.1 # the target database unit - r = RBA::EdgePairs::new(layout.begin_shapes(cell, layer), RBA::ICplxTrans::new(layout.dbu / dbu)) - @/code + This method has been introduced in version 0.25. + """ + def __hash__(self) -> int: + r""" + @brief Computes a hash value + Returns a hash value for the given edge pair. This method enables edge pairs as hash keys. - This constructor has been introduced in version 0.26. + This method has been introduced in version 0.25. """ @overload - def __init__(self, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, trans: ICplxTrans) -> None: + def __init__(self) -> None: r""" - @brief Creates a hierarchical edge pair collection from an original layer with a transformation - - This constructor creates an edge pair collection from the shapes delivered by the given recursive shape iterator. - This version will create a hierarchical edge pair collection which supports hierarchical operations. - The transformation is useful to scale to a specific database unit for example. - Edge pairs in layout objects are somewhat special as most formats don't support reading or writing of edge pairs. Still they are useful objects and can be created and manipulated inside layouts. + @brief Default constructor - @code - dss = RBA::DeepShapeStore::new - layout = ... # a layout - cell = ... # the index of the initial cell - layer = ... # the index of the layer from where to take the shapes from - dbu = 0.1 # the target database unit - r = RBA::EdgePairs::new(layout.begin_shapes(cell, layer), RBA::ICplxTrans::new(layout.dbu / dbu)) - @/code + This constructor creates an default edge pair. + """ + @overload + def __init__(self, edge_pair: EdgePair) -> None: + r""" + @brief Creates a floating-point coordinate edge pair from an integer coordinate edge - This constructor has been introduced in version 0.26. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_iedge_pair'. """ - def __iter__(self) -> Iterator[EdgePair]: + @overload + def __init__(self, first: DEdge, second: DEdge, symmetric: Optional[bool] = ...) -> None: r""" - @brief Returns each edge pair of the edge pair collection + @brief Constructor from two edges + + This constructor creates an edge pair from the two edges given. + See \symmetric? for a description of this attribute. """ - def __len__(self) -> int: + def __lt__(self, box: DEdgePair) -> bool: r""" - @brief Returns the (flat) number of edge pairs in the edge pair collection + @brief Less operator + Returns true, if this edge pair is 'less' with respect to first and second edge - The count is computed 'as if flat', i.e. edge pairs inside a cell are multiplied by the number of times a cell is instantiated. + This method has been introduced in version 0.25. + """ + def __ne__(self, box: object) -> bool: + r""" + @brief Inequality + Returns true, if this edge pair and the given one are not equal - Starting with version 0.27, the method is called 'count' for consistency with \Region. 'size' is still provided as an alias. + This method has been introduced in version 0.25. """ - def __str__(self) -> str: + def __str__(self, dbu: Optional[float] = ...) -> str: r""" - @brief Converts the edge pair collection to a string - The length of the output is limited to 20 edge pairs to avoid giant strings on large regions. For full output use "to_s" with a maximum count parameter. + @brief Returns a string representing the edge pair + If a DBU is given, the output units will be micrometers. + + The DBU argument has been added in version 0.27.6. """ def _create(self) -> None: r""" @@ -9004,38 +8799,25 @@ class EdgePairs(ShapeCollection): Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: ShapeCollection) -> None: - r""" - @brief Assigns another object to self - """ - def bbox(self) -> Box: + def area(self) -> float: r""" - @brief Return the bounding box of the edge pair collection - The bounding box is the box enclosing all points of all edge pairs. + @brief Gets the area between the edges of the edge pair + + This attribute has been introduced in version 0.28. """ - def clear(self) -> None: + def assign(self, other: DEdgePair) -> None: r""" - @brief Clears the edge pair collection + @brief Assigns another object to self """ - def count(self) -> int: + def bbox(self) -> DBox: r""" - @brief Returns the (flat) number of edge pairs in the edge pair collection - - The count is computed 'as if flat', i.e. edge pairs inside a cell are multiplied by the number of times a cell is instantiated. - - Starting with version 0.27, the method is called 'count' for consistency with \Region. 'size' is still provided as an alias. + @brief Gets the bounding box of the edge pair """ def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def data_id(self) -> int: - r""" - @brief Returns the data ID (a unique identifier for the underlying data storage) - - This method has been added in version 0.26. - """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -9048,642 +8830,811 @@ class EdgePairs(ShapeCollection): This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def disable_progress(self) -> None: - r""" - @brief Disable progress reporting - Calling this method will disable progress reporting. See \enable_progress. - """ - def dup(self) -> EdgePairs: + def dup(self) -> DEdgePair: r""" @brief Creates a copy of self """ - def each(self) -> Iterator[EdgePair]: + def greater(self) -> DEdge: r""" - @brief Returns each edge pair of the edge pair collection + @brief Gets the 'greater' edge for symmetric edge pairs + As first and second edges are commutable for symmetric edge pairs (see \symmetric?), this accessor allows retrieving a 'second' edge in a way independent on the actual assignment. + + This read-only attribute has been introduced in version 0.27. """ - def edges(self) -> Edges: + def hash(self) -> int: r""" - @brief Decomposes the edge pairs into single edges - @return An edge collection containing the individual edges + @brief Computes a hash value + Returns a hash value for the given edge pair. This method enables edge pairs as hash keys. + + This method has been introduced in version 0.25. """ - def enable_progress(self, label: str) -> None: - r""" - @brief Enable progress reporting - After calling this method, the edge pair collection will report the progress through a progress bar while expensive operations are running. - The label is a text which is put in front of the progress bar. - Using a progress bar will imply a performance penalty of a few percent typically. - """ - @overload - def extents(self) -> Region: - r""" - @brief Returns a region with the bounding boxes of the edge pairs - This method will return a region consisting of the bounding boxes of the edge pairs. - The boxes will not be merged, so it is possible to determine overlaps of these boxes for example. - """ - @overload - def extents(self, d: int) -> Region: + def is_const_object(self) -> bool: r""" - @brief Returns a region with the enlarged bounding boxes of the edge pairs - This method will return a region consisting of the bounding boxes of the edge pairs enlarged by the given distance d. - The enlargement is specified per edge, i.e the width and height will be increased by 2*d. - The boxes will not be merged, so it is possible to determine overlaps of these boxes for example. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def extents(self, dx: int, dy: int) -> Region: + def lesser(self) -> DEdge: r""" - @brief Returns a region with the enlarged bounding boxes of the edge pairs - This method will return a region consisting of the bounding boxes of the edge pairs enlarged by the given distance dx in x direction and dy in y direction. - The enlargement is specified per edge, i.e the width will be increased by 2*dx. - The boxes will not be merged, so it is possible to determine overlaps of these boxes for example. + @brief Gets the 'lesser' edge for symmetric edge pairs + As first and second edges are commutable for symmetric edge pairs (see \symmetric?), this accessor allows retrieving a 'first' edge in a way independent on the actual assignment. + + This read-only attribute has been introduced in version 0.27. """ - def first_edges(self) -> Edges: + def normalized(self) -> DEdgePair: r""" - @brief Returns the first one of all edges - @return An edge collection containing the first edges + @brief Normalizes the edge pair + This method normalized the edge pair such that when connecting the edges at their + start and end points a closed loop is formed which is oriented clockwise. To achieve this, the points of the first and/or first and second edge are swapped. Normalization is a first step recommended before converting an edge pair to a polygon, because that way the polygons won't be self-overlapping and the enlargement parameter is applied properly. """ - def flatten(self) -> None: + def perimeter(self) -> float: r""" - @brief Explicitly flattens an edge pair collection + @brief Gets the perimeter of the edge pair - If the collection is already flat (i.e. \has_valid_edge_pairs? returns true), this method will not change the collection. + The perimeter is defined as the sum of the lengths of both edges ('active perimeter'). - This method has been introduced in version 0.26. + This attribute has been introduced in version 0.28. """ - def has_valid_edge_pairs(self) -> bool: + def polygon(self, e: float) -> DPolygon: r""" - @brief Returns true if the edge pair collection is flat and individual edge pairs can be accessed randomly + @brief Convert an edge pair to a polygon + The polygon is formed by connecting the end and start points of the edges. It is recommended to use \normalized before converting the edge pair to a polygon. - This method has been introduced in version 0.26. + The enlargement parameter applies the specified enlargement parallel and perpendicular to the edges. Basically this introduces a bias which blows up edge pairs by the specified amount. That parameter is useful to convert degenerated edge pairs to valid polygons, i.e. edge pairs with coincident edges and edge pairs consisting of two point-like edges. + + Another version for converting edge pairs to simple polygons is \simple_polygon which renders a \SimplePolygon object. + @param e The enlargement (set to zero for exact representation) """ - def hier_count(self) -> int: + def simple_polygon(self, e: float) -> DSimplePolygon: r""" - @brief Returns the (hierarchical) number of edge pairs in the edge pair collection + @brief Convert an edge pair to a simple polygon + The polygon is formed by connecting the end and start points of the edges. It is recommended to use \normalized before converting the edge pair to a polygon. - The count is computed 'hierarchical', i.e. edge pairs inside a cell are counted once even if the cell is instantiated multiple times. + The enlargement parameter applies the specified enlargement parallel and perpendicular to the edges. Basically this introduces a bias which blows up edge pairs by the specified amount. That parameter is useful to convert degenerated edge pairs to valid polygons, i.e. edge pairs with coincident edges and edge pairs consisting of two point-like edges. - This method has been introduced in version 0.27. - """ - @overload - def insert(self, edge_pair: EdgePair) -> None: - r""" - @brief Inserts an edge pair into the collection + Another version for converting edge pairs to polygons is \polygon which renders a \Polygon object. + @param e The enlargement (set to zero for exact representation) """ - @overload - def insert(self, edge_pairs: EdgePairs) -> None: + def to_itype(self, dbu: Optional[float] = ...) -> EdgePair: r""" - @brief Inserts all edge pairs from the other edge pair collection into this edge pair collection + @brief Converts the edge pair to an integer coordinate edge pair + + The database unit can be specified to translate the floating-point coordinate edge pair in micron units to an integer-coordinate edge pair in database units. The edge pair's' coordinates will be divided by the database unit. + This method has been introduced in version 0.25. """ - @overload - def insert(self, first: Edge, second: Edge) -> None: - r""" - @brief Inserts an edge pair into the collection - """ - def insert_into(self, layout: Layout, cell_index: int, layer: int) -> None: + def to_s(self, dbu: Optional[float] = ...) -> str: r""" - @brief Inserts this edge pairs into the given layout, below the given cell and into the given layer. - If the edge pair collection is a hierarchical one, a suitable hierarchy will be built below the top cell or and existing hierarchy will be reused. + @brief Returns a string representing the edge pair + If a DBU is given, the output units will be micrometers. - This method has been introduced in version 0.26. + The DBU argument has been added in version 0.27.6. """ - def insert_into_as_polygons(self, layout: Layout, cell_index: int, layer: int, e: int) -> None: + @overload + def transformed(self, t: DCplxTrans) -> DEdgePair: r""" - @brief Inserts this edge pairs into the given layout, below the given cell and into the given layer. - If the edge pair collection is a hierarchical one, a suitable hierarchy will be built below the top cell or and existing hierarchy will be reused. + @brief Returns the transformed edge pair - The edge pairs will be converted to polygons with the enlargement value given be 'e'. + Transforms the edge pair with the given complex transformation. + Does not modify the edge pair but returns the transformed edge. - This method has been introduced in version 0.26. - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def is_deep(self) -> bool: - r""" - @brief Returns true if the edge pair collection is a deep (hierarchical) one + @param t The transformation to apply. - This method has been added in version 0.26. - """ - def is_empty(self) -> bool: - r""" - @brief Returns true if the collection is empty + @return The transformed edge pair """ @overload - def move(self, p: Vector) -> EdgePairs: + def transformed(self, t: DTrans) -> DEdgePair: r""" - @brief Moves the edge pair collection - - Moves the edge pairs by the given offset and returns the - moved edge pair collection. The edge pair collection is overwritten. + @brief Returns the transformed pair - @param p The distance to move the edge pairs. + Transforms the edge pair with the given transformation. + Does not modify the edge pair but returns the transformed edge. - @return The moved edge pairs (self). + @param t The transformation to apply. - Starting with version 0.25 the displacement is of vector type. + @return The transformed edge pair """ @overload - def move(self, x: int, y: int) -> EdgePairs: + def transformed(self, t: VCplxTrans) -> EdgePair: r""" - @brief Moves the edge pair collection + @brief Transforms the edge pair with the given complex transformation - Moves the edge pairs by the given offset and returns the - moved edge pairs. The edge pair collection is overwritten. - @param x The x distance to move the edge pairs. - @param y The y distance to move the edge pairs. + @param t The magnifying transformation to apply + @return The transformed edge pair (in this case an integer coordinate edge pair) - @return The moved edge pairs (self). + This method has been introduced in version 0.25. """ - @overload - def moved(self, p: Vector) -> EdgePairs: - r""" - @brief Returns the moved edge pair collection (does not modify self) - Moves the edge pairs by the given offset and returns the - moved edge pairs. The edge pair collection is not modified. +class DPath: + r""" + @brief A path class - @param p The distance to move the edge pairs. + A path consists of an sequence of line segments forming the 'spine' of the path and a width. In addition, the starting point can be drawn back by a certain extent (the 'begin extension') and the end point can be pulled forward somewhat (by the 'end extension'). - @return The moved edge pairs. + A path may have round ends for special purposes. In particular, a round-ended path with a single point can represent a circle. Round-ended paths should have being and end extensions equal to half the width. Non-round-ended paths with a single point are allowed but the definition of the resulting shape in not well defined and may differ in other tools. - Starting with version 0.25 the displacement is of vector type. - """ - @overload - def moved(self, x: int, y: int) -> EdgePairs: - r""" - @brief Returns the moved edge pair collection (does not modify self) + See @The Database API@ for more details about the database objects. + """ + bgn_ext: float + r""" + Getter: + @brief Get the begin extension - Moves the edge pairs by the given offset and returns the - moved edge pairs. The edge pair collection is not modified. + Setter: + @brief Set the begin extension + """ + end_ext: float + r""" + Getter: + @brief Get the end extension - @param x The x distance to move the edge pairs. - @param y The y distance to move the edge pairs. + Setter: + @brief Set the end extension + """ + points: int + r""" + Getter: + @brief Get the number of points + Setter: + @brief Set the points of the path + @param p An array of points to assign to the path's spine + """ + round: bool + r""" + Getter: + @brief Returns true, if the path has round ends - @return The moved edge pairs. - """ - @overload - def polygons(self) -> Region: - r""" - @brief Converts the edge pairs to polygons - This method creates polygons from the edge pairs. Each polygon will be a triangle or quadrangle which connects the start and end points of the edges forming the edge pair. - """ - @overload - def polygons(self, e: int) -> Region: - r""" - @brief Converts the edge pairs to polygons - This method creates polygons from the edge pairs. Each polygon will be a triangle or quadrangle which connects the start and end points of the edges forming the edge pair. This version allows one to specify an enlargement which is applied to the edges. The length of the edges is modified by applying the enlargement and the edges are shifted by the enlargement. By specifying an enlargement it is possible to give edge pairs an area which otherwise would not have one (coincident edges, two point-like edges). - """ - def second_edges(self) -> Edges: - r""" - @brief Returns the second one of all edges - @return An edge collection containing the second edges - """ - def size(self) -> int: - r""" - @brief Returns the (flat) number of edge pairs in the edge pair collection + Setter: + @brief Set the 'round ends' flag + A path with round ends show half circles at the ends, instead of square or rectangular ends. Paths with this flag set should use a begin and end extension of half the width (see \bgn_ext and \end_ext). The interpretation of such paths in other tools may differ otherwise. + """ + width: float + r""" + Getter: + @brief Get the width - The count is computed 'as if flat', i.e. edge pairs inside a cell are multiplied by the number of times a cell is instantiated. + Setter: + @brief Set the width + """ + @classmethod + def from_ipath(cls, path: Path) -> DPath: + r""" + @brief Creates a floating-point coordinate path from an integer coordinate path - Starting with version 0.27, the method is called 'count' for consistency with \Region. 'size' is still provided as an alias. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipath'. """ - def swap(self, other: EdgePairs) -> None: + @classmethod + def from_s(cls, s: str) -> DPath: r""" - @brief Swap the contents of this collection with the contents of another collection - This method is useful to avoid excessive memory allocation in some cases. For managed memory languages such as Ruby, those cases will be rare. + @brief Creates an object from a string + Creates the object from a string representation (as returned by \to_s) + + This method has been added in version 0.23. """ @overload - def to_s(self) -> str: + @classmethod + def new(cls) -> DPath: r""" - @brief Converts the edge pair collection to a string - The length of the output is limited to 20 edge pairs to avoid giant strings on large regions. For full output use "to_s" with a maximum count parameter. + @brief Default constructor: creates an empty (invalid) path with width 0 """ @overload - def to_s(self, max_count: int) -> str: + @classmethod + def new(cls, path: Path) -> DPath: r""" - @brief Converts the edge pair collection to a string - This version allows specification of the maximum number of edge pairs contained in the string. + @brief Creates a floating-point coordinate path from an integer coordinate path + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipath'. """ @overload - def transform(self, t: ICplxTrans) -> EdgePairs: + @classmethod + def new(cls, pts: Sequence[DPoint], width: float) -> DPath: r""" - @brief Transform the edge pair collection with a complex transformation (modifies self) - - Transforms the edge pair collection with the given transformation. - This version modifies the edge pair collection and returns a reference to self. + @brief Constructor given the points of the path's spine and the width - @param t The transformation to apply. - @return The transformed edge pair collection. + @param pts The points forming the spine of the path + @param width The width of the path """ @overload - def transform(self, t: IMatrix2d) -> EdgePairs: + @classmethod + def new(cls, pts: Sequence[DPoint], width: float, bgn_ext: float, end_ext: float) -> DPath: r""" - @brief Transform the edge pair collection (modifies self) - - Transforms the edge pair collection with the given 2d matrix transformation. - This version modifies the edge pair collection and returns a reference to self. - - @param t The transformation to apply. + @brief Constructor given the points of the path's spine, the width and the extensions - @return The transformed edge pair collection. - This variant has been introduced in version 0.27. + @param pts The points forming the spine of the path + @param width The width of the path + @param bgn_ext The begin extension of the path + @param end_ext The end extension of the path """ @overload - def transform(self, t: IMatrix3d) -> EdgePairs: + @classmethod + def new(cls, pts: Sequence[DPoint], width: float, bgn_ext: float, end_ext: float, round: bool) -> DPath: r""" - @brief Transform the edge pair collection (modifies self) - - Transforms the edge pair collection with the given 3d matrix transformation. - This version modifies the edge pair collection and returns a reference to self. - - @param t The transformation to apply. + @brief Constructor given the points of the path's spine, the width, the extensions and the round end flag - @return The transformed edge pair collection. - This variant has been introduced in version 0.27. + @param pts The points forming the spine of the path + @param width The width of the path + @param bgn_ext The begin extension of the path + @param end_ext The end extension of the path + @param round If this flag is true, the path will get rounded ends """ - @overload - def transform(self, t: Trans) -> EdgePairs: + @classmethod + def new_pw(cls, pts: Sequence[DPoint], width: float) -> DPath: r""" - @brief Transform the edge pair collection (modifies self) - - Transforms the edge pair collection with the given transformation. - This version modifies the edge pair collection and returns a reference to self. + @brief Constructor given the points of the path's spine and the width - @param t The transformation to apply. - @return The transformed edge pair collection. + @param pts The points forming the spine of the path + @param width The width of the path """ - def transform_icplx(self, t: ICplxTrans) -> EdgePairs: + @classmethod + def new_pwx(cls, pts: Sequence[DPoint], width: float, bgn_ext: float, end_ext: float) -> DPath: r""" - @brief Transform the edge pair collection with a complex transformation (modifies self) - - Transforms the edge pair collection with the given transformation. - This version modifies the edge pair collection and returns a reference to self. + @brief Constructor given the points of the path's spine, the width and the extensions - @param t The transformation to apply. - @return The transformed edge pair collection. + @param pts The points forming the spine of the path + @param width The width of the path + @param bgn_ext The begin extension of the path + @param end_ext The end extension of the path """ - @overload - def transformed(self, t: ICplxTrans) -> EdgePairs: + @classmethod + def new_pwxr(cls, pts: Sequence[DPoint], width: float, bgn_ext: float, end_ext: float, round: bool) -> DPath: r""" - @brief Transform the edge pair collection with a complex transformation - - Transforms the edge pairs with the given complex transformation. - Does not modify the edge pair collection but returns the transformed edge pairs. + @brief Constructor given the points of the path's spine, the width, the extensions and the round end flag - @param t The transformation to apply. - @return The transformed edge pairs. + @param pts The points forming the spine of the path + @param width The width of the path + @param bgn_ext The begin extension of the path + @param end_ext The end extension of the path + @param round If this flag is true, the path will get rounded ends """ - @overload - def transformed(self, t: IMatrix2d) -> EdgePairs: + def __copy__(self) -> DPath: r""" - @brief Transform the edge pair collection - - Transforms the edge pairs with the given 2d matrix transformation. - Does not modify the edge pair collection but returns the transformed edge pairs. - - @param t The transformation to apply. - - @return The transformed edge pairs. - - This variant has been introduced in version 0.27. + @brief Creates a copy of self """ - @overload - def transformed(self, t: IMatrix3d) -> EdgePairs: + def __deepcopy__(self) -> DPath: r""" - @brief Transform the edge pair collection - - Transforms the edge pairs with the given 3d matrix transformation. - Does not modify the edge pair collection but returns the transformed edge pairs. - - @param t The transformation to apply. - - @return The transformed edge pairs. - - This variant has been introduced in version 0.27. + @brief Creates a copy of self """ - @overload - def transformed(self, t: Trans) -> EdgePairs: + def __eq__(self, p: object) -> bool: r""" - @brief Transform the edge pair collection - - Transforms the edge pairs with the given transformation. - Does not modify the edge pair collection but returns the transformed edge pairs. - - @param t The transformation to apply. - - @return The transformed edge pairs. + @brief Equality test + @param p The object to compare against """ - def transformed_icplx(self, t: ICplxTrans) -> EdgePairs: + def __hash__(self) -> int: r""" - @brief Transform the edge pair collection with a complex transformation - - Transforms the edge pairs with the given complex transformation. - Does not modify the edge pair collection but returns the transformed edge pairs. - - @param t The transformation to apply. + @brief Computes a hash value + Returns a hash value for the given polygon. This method enables polygons as hash keys. - @return The transformed edge pairs. + This method has been introduced in version 0.25. """ @overload - def with_angle(self, angle: float, inverse: bool) -> EdgePairs: + def __init__(self) -> None: r""" - @brief Filter the edge pairs by orientation of their edges - Filters the edge pairs in the edge pair collection by orientation. If "inverse" is false, only edge pairs with at least one edge having the given angle to the x-axis are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. - - This will filter edge pairs with at least one horizontal edge: - - @code - horizontal = edge_pairs.with_angle(0, false) - @/code - - Note that the inverse @b result @/b of \with_angle is delivered by \with_angle_both with the inverse flag set as edge pairs are unselected when both edges fail to meet the criterion. - I.e - - @code - result = edge_pairs.with_angle(0, false) - others = edge_pairs.with_angle_both(0, true) - @/code - - This method has been added in version 0.27.1. + @brief Default constructor: creates an empty (invalid) path with width 0 """ @overload - def with_angle(self, type: Edges.EdgeType, inverse: bool) -> EdgePairs: + def __init__(self, path: Path) -> None: r""" - @brief Filter the edge pairs by orientation of their edges - Filters the edge pairs in the edge pair collection by orientation. If "inverse" is false, only edge pairs with at least one edge having an angle of the given type are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. - - This version allows specifying an edge type instead of an angle. Edge types include multiple distinct orientations and are specified using one of the \Edges#OrthoEdges, \Edges#DiagonalEdges or \Edges#OrthoDiagonalEdges types. - - Note that the inverse @b result @/b of \with_angle is delivered by \with_angle_both with the inverse flag set as edge pairs are unselected when both edges fail to meet the criterion. - I.e - - @code - result = edge_pairs.with_angle(RBA::Edges::Ortho, false) - others = edge_pairs.with_angle_both(RBA::Edges::Ortho, true) - @/code + @brief Creates a floating-point coordinate path from an integer coordinate path - This method has been added in version 0.28. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipath'. """ @overload - def with_angle(self, min_angle: float, max_angle: float, inverse: bool, include_min_angle: Optional[bool] = ..., include_max_angle: Optional[bool] = ...) -> EdgePairs: + def __init__(self, pts: Sequence[DPoint], width: float) -> None: r""" - @brief Filter the edge pairs by orientation of their edges - Filters the edge pairs in the edge pair collection by orientation. If "inverse" is false, only edge pairs with at least one edge having an angle between min_angle and max_angle are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. - - With "include_min_angle" set to true (the default), the minimum angle is included in the criterion while with false, the minimum angle itself is not included. Same for "include_max_angle" where the default is false, meaning the maximum angle is not included in the range. - - Note that the inverse @b result @/b of \with_angle is delivered by \with_angle_both with the inverse flag set as edge pairs are unselected when both edges fail to meet the criterion. - I.e + @brief Constructor given the points of the path's spine and the width - @code - result = edge_pairs.with_angle(0, 45, false) - others = edge_pairs.with_angle_both(0, 45, true) - @/code - This method has been added in version 0.27.1. + @param pts The points forming the spine of the path + @param width The width of the path """ @overload - def with_angle_both(self, angle: float, inverse: bool) -> EdgePairs: + def __init__(self, pts: Sequence[DPoint], width: float, bgn_ext: float, end_ext: float) -> None: r""" - @brief Filter the edge pairs by orientation of both of their edges - Filters the edge pairs in the edge pair collection by orientation. If "inverse" is false, only edge pairs with both edges having the given angle to the x-axis are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. - - This will filter edge pairs with at least one horizontal edge: - - @code - horizontal = edge_pairs.with_angle_both(0, false) - @/code - - Note that the inverse @b result @/b of \with_angle_both is delivered by \with_angle with the inverse flag set as edge pairs are unselected when one edge fails to meet the criterion. - I.e + @brief Constructor given the points of the path's spine, the width and the extensions - @code - result = edge_pairs.with_angle_both(0, false) - others = edge_pairs.with_angle(0, true) - @/code - This method has been added in version 0.27.1. + @param pts The points forming the spine of the path + @param width The width of the path + @param bgn_ext The begin extension of the path + @param end_ext The end extension of the path """ @overload - def with_angle_both(self, type: Edges.EdgeType, inverse: bool) -> EdgePairs: + def __init__(self, pts: Sequence[DPoint], width: float, bgn_ext: float, end_ext: float, round: bool) -> None: r""" - @brief Filter the edge pairs by orientation of their edges - Filters the edge pairs in the edge pair collection by orientation. If "inverse" is false, only edge pairs with both edges having an angle of the given type are returned. If "inverse" is true, edge pairs not fulfilling this criterion for both edges are returned. + @brief Constructor given the points of the path's spine, the width, the extensions and the round end flag - This version allows specifying an edge type instead of an angle. Edge types include multiple distinct orientations and are specified using one of the \Edges#OrthoEdges, \Edges#DiagonalEdges or \Edges#OrthoDiagonalEdges types. - Note that the inverse @b result @/b of \with_angle_both is delivered by \with_angle with the inverse flag set as edge pairs are unselected when one edge fails to meet the criterion. - I.e + @param pts The points forming the spine of the path + @param width The width of the path + @param bgn_ext The begin extension of the path + @param end_ext The end extension of the path + @param round If this flag is true, the path will get rounded ends + """ + def __lt__(self, p: DPath) -> bool: + r""" + @brief Less operator + @param p The object to compare against + This operator is provided to establish some, not necessarily a certain sorting order + """ + def __mul__(self, f: float) -> DPath: + r""" + @brief Scaling by some factor - @code - result = edge_pairs.with_angle_both(RBA::Edges::Ortho, false) - others = edge_pairs.with_angle(RBA::Edges::Ortho, true) - @/code - This method has been added in version 0.28. + Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. """ - @overload - def with_angle_both(self, min_angle: float, max_angle: float, inverse: bool, include_min_angle: Optional[bool] = ..., include_max_angle: Optional[bool] = ...) -> EdgePairs: + def __ne__(self, p: object) -> bool: r""" - @brief Filter the edge pairs by orientation of both of their edges - Filters the edge pairs in the edge pair collection by orientation. If "inverse" is false, only edge pairs with both edges having an angle between min_angle and max_angle are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. + @brief Inequality test + @param p The object to compare against + """ + def __rmul__(self, f: float) -> DPath: + r""" + @brief Scaling by some factor - With "include_min_angle" set to true (the default), the minimum angle is included in the criterion while with false, the minimum angle itself is not included. Same for "include_max_angle" where the default is false, meaning the maximum angle is not included in the range. - Note that the inverse @b result @/b of \with_angle_both is delivered by \with_angle with the inverse flag set as edge pairs are unselected when one edge fails to meet the criterion. - I.e + Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + """ + def __str__(self) -> str: + r""" + @brief Convert to a string + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - @code - result = edge_pairs.with_angle_both(0, 45, false) - others = edge_pairs.with_angle(0, 45, true) - @/code + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been added in version 0.27.1. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def with_area(self, area: int, inverse: bool) -> EdgePairs: + def area(self) -> float: r""" - @brief Filters the edge pairs by the enclosed area - Filters the edge pairs in the edge pair collection by enclosed area. If "inverse" is false, only edge pairs with the given area are returned. If "inverse" is true, edge pairs not with the given area are returned. + @brief Returns the approximate area of the path + This method returns the approximate value of the area. It is computed from the length times the width. end extensions are taken into account correctly, but not effects of the corner interpolation. + This method was added in version 0.22. + """ + def assign(self, other: DPath) -> None: + r""" + @brief Assigns another object to self + """ + def bbox(self) -> DBox: + r""" + @brief Returns the bounding box of the path + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> DPath: + r""" + @brief Creates a copy of self + """ + def each_point(self) -> Iterator[DPoint]: + r""" + @brief Get the points that make up the path's spine + """ + def hash(self) -> int: + r""" + @brief Computes a hash value + Returns a hash value for the given polygon. This method enables polygons as hash keys. - This method has been added in version 0.27.2. + This method has been introduced in version 0.25. """ - @overload - def with_area(self, min_area: int, max_area: int, inverse: bool) -> EdgePairs: + def is_const_object(self) -> bool: r""" - @brief Filters the edge pairs by the enclosed area - Filters the edge pairs in the edge pair collection by enclosed area. If "inverse" is false, only edge pairs with an area between min_area and max_area (max_area itself is excluded) are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def is_round(self) -> bool: + r""" + @brief Returns true, if the path has round ends + """ + def length(self) -> float: + r""" + @brief Returns the length of the path + the length of the path is determined by summing the lengths of the segments and adding begin and end extensions. For round-ended paths the length of the paths between the tips of the ends. - This method has been added in version 0.27.2. + This method was added in version 0.23. """ @overload - def with_distance(self, distance: int, inverse: bool) -> EdgePairs: + def move(self, dx: float, dy: float) -> DPath: r""" - @brief Filters the edge pairs by the distance of the edges - Filters the edge pairs in the edge pair collection by distance of the edges. If "inverse" is false, only edge pairs where both edges have the given distance are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. + @brief Moves the path. - Distance is measured as the shortest distance between any of the points on the edges. + Moves the path by the given offset and returns the + moved path. The path is overwritten. - This method has been added in version 0.27.1. + @param dx The x distance to move the path. + @param dy The y distance to move the path. + + @return The moved path. + + This version has been added in version 0.23. """ @overload - def with_distance(self, min_distance: Any, max_distance: Any, inverse: bool) -> EdgePairs: + def move(self, p: DVector) -> DPath: r""" - @brief Filters the edge pairs by the distance of the edges - Filters the edge pairs in the edge pair collection by distance of the edges. If "inverse" is false, only edge pairs where both edges have a distance between min_distance and max_distance (max_distance itself is excluded) are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. + @brief Moves the path. - Distance is measured as the shortest distance between any of the points on the edges. + Moves the path by the given offset and returns the + moved path. The path is overwritten. - This method has been added in version 0.27.1. + @param p The distance to move the path. + + @return The moved path. """ @overload - def with_internal_angle(self, angle: float, inverse: bool) -> EdgePairs: + def moved(self, dx: float, dy: float) -> DPath: r""" - @brief Filters the edge pairs by the angle between their edges - Filters the edge pairs in the edge pair collection by the angle between their edges. If "inverse" is false, only edge pairs with the given angle are returned. If "inverse" is true, edge pairs not with the given angle are returned. + @brief Returns the moved path (does not change self) - The angle is measured between the two edges. It is between 0 (parallel or anti-parallel edges) and 90 degree (perpendicular edges). + Moves the path by the given offset and returns the + moved path. The path is not modified. - This method has been added in version 0.27.2. + @param dx The x distance to move the path. + @param dy The y distance to move the path. + + @return The moved path. + + This version has been added in version 0.23. """ @overload - def with_internal_angle(self, min_angle: float, max_angle: float, inverse: bool, include_min_angle: Optional[bool] = ..., include_max_angle: Optional[bool] = ...) -> EdgePairs: + def moved(self, p: DVector) -> DPath: r""" - @brief Filters the edge pairs by the angle between their edges - Filters the edge pairs in the edge pair collection by the angle between their edges. If "inverse" is false, only edge pairs with an angle between min_angle and max_angle (max_angle itself is excluded) are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. + @brief Returns the moved path (does not change self) - The angle is measured between the two edges. It is between 0 (parallel or anti-parallel edges) and 90 degree (perpendicular edges). + Moves the path by the given offset and returns the + moved path. The path is not modified. - With "include_min_angle" set to true (the default), the minimum angle is included in the criterion while with false, the minimum angle itself is not included. Same for "include_max_angle" where the default is false, meaning the maximum angle is not included in the range. + @param p The distance to move the path. - This method has been added in version 0.27.2. + @return The moved path. """ - @overload - def with_length(self, length: int, inverse: bool) -> EdgePairs: + def num_points(self) -> int: r""" - @brief Filters the edge pairs by length of one of their edges - Filters the edge pairs in the edge pair collection by length of at least one of their edges. If "inverse" is false, only edge pairs with at least one edge having the given length are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. + @brief Get the number of points + """ + def perimeter(self) -> float: + r""" + @brief Returns the approximate perimeter of the path + This method returns the approximate value of the perimeter. It is computed from the length and the width. end extensions are taken into account correctly, but not effects of the corner interpolation. + This method was added in version 0.24.4. + """ + def polygon(self) -> DPolygon: + r""" + @brief Convert the path to a polygon + The returned polygon is not guaranteed to be non-self overlapping. This may happen if the path overlaps itself or contains very short segments. + """ + def round_corners(self, radius: float, npoints: int, accuracy: float) -> DPath: + r""" + @brief Creates a new path whose corners are interpolated with circular bends - This method has been added in version 0.27.1. + @param radius The radius of the bends + @param npoints The number of points (per full circle) used for interpolating the bends + @param accuracy The numerical accuracy of the computation + + The accuracy parameter controls the numerical resolution of the approximation process and should be in the order of half the database unit. This accuracy is used for suppressing redundant points and simplification of the resulting path. + + This method has been introduced in version 0.25. + """ + def simple_polygon(self) -> DSimplePolygon: + r""" + @brief Convert the path to a simple polygon + The returned polygon is not guaranteed to be non-selfoverlapping. This may happen if the path overlaps itself or contains very short segments. + """ + def to_itype(self, dbu: Optional[float] = ...) -> Path: + r""" + @brief Converts the path to an integer coordinate path + + The database unit can be specified to translate the floating-point coordinate path in micron units to an integer-coordinate path in database units. The path's' coordinates will be divided by the database unit. + + This method has been introduced in version 0.25. + """ + def to_s(self) -> str: + r""" + @brief Convert to a string """ @overload - def with_length(self, min_length: Any, max_length: Any, inverse: bool) -> EdgePairs: + def transformed(self, t: DCplxTrans) -> DPath: r""" - @brief Filters the edge pairs by length of one of their edges - Filters the edge pairs in the edge pair collection by length of at least one of their edges. If "inverse" is false, only edge pairs with at least one edge having a length between min_length and max_length (excluding max_length itself) are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. + @brief Transform the path. - If you don't want to specify a lower or upper limit, pass nil to that parameter. + Transforms the path with the given complex transformation. + Does not modify the path but returns the transformed path. - This method has been added in version 0.27.1. + @param t The transformation to apply. + + @return The transformed path. """ @overload - def with_length_both(self, length: int, inverse: bool) -> EdgePairs: + def transformed(self, t: DTrans) -> DPath: r""" - @brief Filters the edge pairs by length of both of their edges - Filters the edge pairs in the edge pair collection by length of both of their edges. If "inverse" is false, only edge pairs where both edges have the given length are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. + @brief Transform the path. - This method has been added in version 0.27.1. + Transforms the path with the given transformation. + Does not modify the path but returns the transformed path. + + @param t The transformation to apply. + + @return The transformed path. """ @overload - def with_length_both(self, min_length: Any, max_length: Any, inverse: bool) -> EdgePairs: + def transformed(self, t: VCplxTrans) -> Path: r""" - @brief Filters the edge pairs by length of both of their edges - Filters the edge pairs in the edge pair collection by length of both of their edges. If "inverse" is false, only edge pairs with both edges having a length between min_length and max_length (excluding max_length itself) are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. + @brief Transforms the polygon with the given complex transformation - If you don't want to specify a lower or upper limit, pass nil to that parameter. - This method has been added in version 0.27.1. + @param t The magnifying transformation to apply + @return The transformed path (in this case an integer coordinate path) + + This method has been introduced in version 0.25. """ + def transformed_cplx(self, t: DCplxTrans) -> DPath: + r""" + @brief Transform the path. -class EdgeProcessor: - r""" - @brief The edge processor (boolean, sizing, merge) + Transforms the path with the given complex transformation. + Does not modify the path but returns the transformed path. - The edge processor implements the boolean and edge set operations (size, merge). Because the edge processor might allocate resources which can be reused in later operations, it is implemented as an object that can be used several times. + @param t The transformation to apply. - Here is a simple example of how to use the edge processor: + @return The transformed path. + """ - @code - ep = RBA::EdgeProcessor::new - # Prepare two boxes - a = [ RBA::Polygon::new(RBA::Box::new(0, 0, 300, 300)) ] - b = [ RBA::Polygon::new(RBA::Box::new(100, 100, 200, 200)) ] - # Run an XOR -> creates a polygon with a hole, since the 'resolve_holes' parameter - # is false: - out = ep.boolean_p2p(a, b, RBA::EdgeProcessor::ModeXor, false, false) - out.to_s # -> [(0,0;0,300;300,300;300,0/100,100;200,100;200,200;100,200)] - @/code - """ - ModeANotB: ClassVar[int] - r""" - @brief boolean method's mode value for A NOT B operation - """ - ModeAnd: ClassVar[int] - r""" - @brief boolean method's mode value for AND operation - """ - ModeBNotA: ClassVar[int] +class DPoint: r""" - @brief boolean method's mode value for B NOT A operation + @brief A point class with double (floating-point) coordinates + Points represent a coordinate in the two-dimensional coordinate space of layout. They are not geometrical objects by itself. But they are frequently used in the database API for various purposes. Other than the integer variant (\Point), points with floating-point coordinates can represent fractions of a database unit. + + See @The Database API@ for more details about the database objects. """ - ModeOr: ClassVar[int] + x: float r""" - @brief boolean method's mode value for OR operation + Getter: + @brief Accessor to the x coordinate + + Setter: + @brief Write accessor to the x coordinate """ - ModeXor: ClassVar[int] + y: float r""" - @brief boolean method's mode value for XOR operation + Getter: + @brief Accessor to the y coordinate + + Setter: + @brief Write accessor to the y coordinate """ @classmethod - def mode_and(cls) -> int: + def from_ipoint(cls, point: Point) -> DPoint: r""" - @brief boolean method's mode value for AND operation + @brief Creates a floating-point coordinate point from an integer coordinate point + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipoint'. """ @classmethod - def mode_anotb(cls) -> int: + def from_s(cls, s: str) -> DPoint: r""" - @brief boolean method's mode value for A NOT B operation + @brief Creates an object from a string + Creates the object from a string representation (as returned by \to_s) + + This method has been added in version 0.23. """ + @overload @classmethod - def mode_bnota(cls) -> int: + def new(cls) -> DPoint: r""" - @brief boolean method's mode value for B NOT A operation + @brief Default constructor: creates a point at 0,0 """ + @overload @classmethod - def mode_or(cls) -> int: + def new(cls, point: Point) -> DPoint: r""" - @brief boolean method's mode value for OR operation + @brief Creates a floating-point coordinate point from an integer coordinate point + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipoint'. """ + @overload @classmethod - def mode_xor(cls) -> int: + def new(cls, v: DVector) -> DPoint: r""" - @brief boolean method's mode value for XOR operation + @brief Default constructor: creates a point at from an vector + This constructor is equivalent to computing point(0,0)+v. + This method has been introduced in version 0.25. """ + @overload @classmethod - def new(cls) -> EdgeProcessor: + def new(cls, x: float, y: float) -> DPoint: r""" - @brief Creates a new object of this class + @brief Constructor for a point from two coordinate values + """ - def __copy__(self) -> EdgeProcessor: + def __add__(self, v: DVector) -> DPoint: + r""" + @brief Adds a vector to a point + + + Adds vector v to self by adding the coordinates. + + Starting with version 0.25, this method expects a vector argument. + """ + def __copy__(self) -> DPoint: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> EdgeProcessor: + def __deepcopy__(self) -> DPoint: r""" @brief Creates a copy of self """ + def __eq__(self, p: object) -> bool: + r""" + @brief Equality test operator + + """ + def __hash__(self) -> int: + r""" + @brief Computes a hash value + Returns a hash value for the given point. This method enables points as hash keys. + + This method has been introduced in version 0.25. + """ + def __imul__(self, f: float) -> DPoint: + r""" + @brief Scaling by some factor + + + Scales object in place. All coordinates are multiplied with the given factor and if necessary rounded. + """ + @overload def __init__(self) -> None: r""" - @brief Creates a new object of this class + @brief Default constructor: creates a point at 0,0 + """ + @overload + def __init__(self, point: Point) -> None: + r""" + @brief Creates a floating-point coordinate point from an integer coordinate point + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipoint'. + """ + @overload + def __init__(self, v: DVector) -> None: + r""" + @brief Default constructor: creates a point at from an vector + This constructor is equivalent to computing point(0,0)+v. + This method has been introduced in version 0.25. + """ + @overload + def __init__(self, x: float, y: float) -> None: + r""" + @brief Constructor for a point from two coordinate values + + """ + def __itruediv__(self, d: float) -> DPoint: + r""" + @brief Division by some divisor + + + Divides the object in place. All coordinates are divided with the given divisor and if necessary rounded. + """ + def __lt__(self, p: DPoint) -> bool: + r""" + @brief "less" comparison operator + + + This operator is provided to establish a sorting + order + """ + def __mul__(self, f: float) -> DPoint: + r""" + @brief Scaling by some factor + + + Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + """ + def __ne__(self, p: object) -> bool: + r""" + @brief Inequality test operator + + """ + def __neg__(self) -> DPoint: + r""" + @brief Compute the negative of a point + + + Returns a new point with -x, -y. + + This method has been added in version 0.23. + """ + def __rmul__(self, f: float) -> DPoint: + r""" + @brief Scaling by some factor + + + Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + """ + def __str__(self, dbu: Optional[float] = ...) -> str: + r""" + @brief String conversion. + If a DBU is given, the output units will be micrometers. + + The DBU argument has been added in version 0.27.6. + """ + @overload + def __sub__(self, p: DPoint) -> DVector: + r""" + @brief Subtract one point from another + + + Subtract point p from self by subtracting the coordinates. This renders a vector. + + Starting with version 0.25, this method renders a vector. + """ + @overload + def __sub__(self, v: DVector) -> DPoint: + r""" + @brief Subtract one vector from a point + + + Subtract vector v from from self by subtracting the coordinates. This renders a point. + + This method has been added in version 0.27. + """ + def __truediv__(self, d: float) -> DPoint: + r""" + @brief Division by some divisor + + + Returns the scaled object. All coordinates are divided with the given divisor and if necessary rounded. """ def _create(self) -> None: r""" @@ -9722,161 +9673,17 @@ class EdgeProcessor: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: EdgeProcessor) -> None: - r""" - @brief Assigns another object to self - """ - @overload - def boolean(self, a: Sequence[Edge], b: Sequence[Edge], mode: int) -> List[Edge]: + def abs(self) -> float: r""" - @brief Boolean operation for a set of given edges, creating edges - - This method computes the result for the given boolean operation on two sets of edges. - The input edges must form closed contours where holes and hulls must be oriented differently. - The input edges are processed with a simple non-zero wrap count rule as a whole. - - The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while - holes are oriented counter-clockwise. + @brief The absolute value of the point (Euclidian distance to 0,0) - Prior to version 0.21 this method was called 'boolean'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + The returned value is 'sqrt(x*x+y*y)'. - @param a The input edges (first operand) - @param b The input edges (second operand) - @param mode The boolean mode (one of the Mode.. values) - @return The output edges + This method has been introduced in version 0.23. """ - @overload - def boolean(self, a: Sequence[Polygon], b: Sequence[Polygon], mode: int) -> List[Edge]: + def assign(self, other: DPoint) -> None: r""" - @brief Boolean operation for a set of given polygons, creating edges - - This method computes the result for the given boolean operation on two sets of polygons. - The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while - holes are oriented counter-clockwise. - - This is a convenience method that bundles filling of the edges, processing with - a Boolean operator and puts the result into an output vector. - - Prior to version 0.21 this method was called 'boolean'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. - - @param a The input polygons (first operand) - @param b The input polygons (second operand) - @param mode The boolean mode - @return The output edges - """ - def boolean_e2e(self, a: Sequence[Edge], b: Sequence[Edge], mode: int) -> List[Edge]: - r""" - @brief Boolean operation for a set of given edges, creating edges - - This method computes the result for the given boolean operation on two sets of edges. - The input edges must form closed contours where holes and hulls must be oriented differently. - The input edges are processed with a simple non-zero wrap count rule as a whole. - - The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while - holes are oriented counter-clockwise. - - Prior to version 0.21 this method was called 'boolean'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. - - @param a The input edges (first operand) - @param b The input edges (second operand) - @param mode The boolean mode (one of the Mode.. values) - @return The output edges - """ - def boolean_e2p(self, a: Sequence[Edge], b: Sequence[Edge], mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: - r""" - @brief Boolean operation for a set of given edges, creating polygons - - This method computes the result for the given boolean operation on two sets of edges. - The input edges must form closed contours where holes and hulls must be oriented differently. - The input edges are processed with a simple non-zero wrap count rule as a whole. - - This method produces polygons on output and allows fine-tuning of the parameters for that purpose. - - Prior to version 0.21 this method was called 'boolean_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. - - @param a The input polygons (first operand) - @param b The input polygons (second operand) - @param mode The boolean mode (one of the Mode.. values) - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if touching corners should be resolved into less connected contours - @return The output polygons - """ - def boolean_p2e(self, a: Sequence[Polygon], b: Sequence[Polygon], mode: int) -> List[Edge]: - r""" - @brief Boolean operation for a set of given polygons, creating edges - - This method computes the result for the given boolean operation on two sets of polygons. - The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while - holes are oriented counter-clockwise. - - This is a convenience method that bundles filling of the edges, processing with - a Boolean operator and puts the result into an output vector. - - Prior to version 0.21 this method was called 'boolean'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. - - @param a The input polygons (first operand) - @param b The input polygons (second operand) - @param mode The boolean mode - @return The output edges - """ - def boolean_p2p(self, a: Sequence[Polygon], b: Sequence[Polygon], mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: - r""" - @brief Boolean operation for a set of given polygons, creating polygons - - This method computes the result for the given boolean operation on two sets of polygons. - This method produces polygons on output and allows fine-tuning of the parameters for that purpose. - - This is a convenience method that bundles filling of the edges, processing with - a Boolean operator and puts the result into an output vector. - - Prior to version 0.21 this method was called 'boolean_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. - - @param a The input polygons (first operand) - @param b The input polygons (second operand) - @param mode The boolean mode (one of the Mode.. values) - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if touching corners should be resolved into less connected contours - @return The output polygons - """ - @overload - def boolean_to_polygon(self, a: Sequence[Edge], b: Sequence[Edge], mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: - r""" - @brief Boolean operation for a set of given edges, creating polygons - - This method computes the result for the given boolean operation on two sets of edges. - The input edges must form closed contours where holes and hulls must be oriented differently. - The input edges are processed with a simple non-zero wrap count rule as a whole. - - This method produces polygons on output and allows fine-tuning of the parameters for that purpose. - - Prior to version 0.21 this method was called 'boolean_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. - - @param a The input polygons (first operand) - @param b The input polygons (second operand) - @param mode The boolean mode (one of the Mode.. values) - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if touching corners should be resolved into less connected contours - @return The output polygons - """ - @overload - def boolean_to_polygon(self, a: Sequence[Polygon], b: Sequence[Polygon], mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: - r""" - @brief Boolean operation for a set of given polygons, creating polygons - - This method computes the result for the given boolean operation on two sets of polygons. - This method produces polygons on output and allows fine-tuning of the parameters for that purpose. - - This is a convenience method that bundles filling of the edges, processing with - a Boolean operator and puts the result into an output vector. - - Prior to version 0.21 this method was called 'boolean_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. - - @param a The input polygons (first operand) - @param b The input polygons (second operand) - @param mode The boolean mode (one of the Mode.. values) - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if touching corners should be resolved into less connected contours - @return The output polygons + @brief Assigns another object to self """ def create(self) -> None: r""" @@ -9895,25 +9702,23 @@ class EdgeProcessor: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def disable_progress(self) -> None: + def distance(self, d: DPoint) -> float: r""" - @brief Disable progress reporting - Calling this method will stop the edge processor from showing a progress bar. See \enable_progress. + @brief The Euclidian distance to another point - This method has been introduced in version 0.23. + + @param d The other point to compute the distance to. """ - def dup(self) -> EdgeProcessor: + def dup(self) -> DPoint: r""" @brief Creates a copy of self """ - def enable_progress(self, label: str) -> None: + def hash(self) -> int: r""" - @brief Enable progress reporting - After calling this method, the edge processor will report the progress through a progress bar. - The label is a text which is put in front of the progress bar. - Using a progress bar will imply a performance penalty of a few percent typically. + @brief Computes a hash value + Returns a hash value for the given point. This method enables points as hash keys. - This method has been introduced in version 0.23. + This method has been introduced in version 0.25. """ def is_const_object(self) -> bool: r""" @@ -9921,1329 +9726,973 @@ class EdgeProcessor: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def merge(self, in_: Sequence[Polygon], min_wc: int) -> List[Edge]: + def sq_abs(self) -> float: r""" - @brief Merge the given polygons - - In contrast to "simple_merge", this merge implementation considers each polygon individually before merging them. - Thus self-overlaps are effectively removed before the output is computed and holes are correctly merged with the - hull. In addition, this method allows selecting areas with a higher wrap count which in turn allows computing overlaps - of polygons on the same layer. Because this method merges the polygons before the overlap is computed, self-overlapping - polygons do not contribute to higher wrap count areas. - - The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while - holes are oriented counter-clockwise. + @brief The square of the absolute value of the point (Euclidian distance to 0,0) - Prior to version 0.21 this method was called 'merge'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + The returned value is 'x*x+y*y'. - @param in The input polygons - @param min_wc The minimum wrap count for output (0: all polygons, 1: at least two overlapping) - @return The output edges + This method has been introduced in version 0.23. """ - def merge_p2e(self, in_: Sequence[Polygon], min_wc: int) -> List[Edge]: + def sq_distance(self, d: DPoint) -> float: r""" - @brief Merge the given polygons - - In contrast to "simple_merge", this merge implementation considers each polygon individually before merging them. - Thus self-overlaps are effectively removed before the output is computed and holes are correctly merged with the - hull. In addition, this method allows selecting areas with a higher wrap count which in turn allows computing overlaps - of polygons on the same layer. Because this method merges the polygons before the overlap is computed, self-overlapping - polygons do not contribute to higher wrap count areas. - - The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while - holes are oriented counter-clockwise. + @brief The square Euclidian distance to another point - Prior to version 0.21 this method was called 'merge'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. - @param in The input polygons - @param min_wc The minimum wrap count for output (0: all polygons, 1: at least two overlapping) - @return The output edges + @param d The other point to compute the distance to. """ - def merge_p2p(self, in_: Sequence[Polygon], min_wc: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + def to_itype(self, dbu: Optional[float] = ...) -> Point: r""" - @brief Merge the given polygons - - In contrast to "simple_merge", this merge implementation considers each polygon individually before merging them. - Thus self-overlaps are effectively removed before the output is computed and holes are correctly merged with the - hull. In addition, this method allows selecting areas with a higher wrap count which in turn allows computing overlaps - of polygons on the same layer. Because this method merges the polygons before the overlap is computed, self-overlapping - polygons do not contribute to higher wrap count areas. + @brief Converts the point to an integer coordinate point - This method produces polygons and allows fine-tuning of the parameters for that purpose. + The database unit can be specified to translate the floating-point coordinate point in micron units to an integer-coordinate point in database units. The point's' coordinates will be divided by the database unit. - Prior to version 0.21 this method was called 'merge_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + This method has been introduced in version 0.25. + """ + def to_s(self, dbu: Optional[float] = ...) -> str: + r""" + @brief String conversion. + If a DBU is given, the output units will be micrometers. - @param in The input polygons - @param min_wc The minimum wrap count for output (0: all polygons, 1: at least two overlapping) - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if touching corners should be resolved into less connected contours - @return The output polygons + The DBU argument has been added in version 0.27.6. """ - def merge_to_polygon(self, in_: Sequence[Polygon], min_wc: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + def to_v(self) -> DVector: r""" - @brief Merge the given polygons + @brief Turns the point into a vector + This method returns a vector representing the distance from (0,0) to the point.This method has been introduced in version 0.25. + """ - In contrast to "simple_merge", this merge implementation considers each polygon individually before merging them. - Thus self-overlaps are effectively removed before the output is computed and holes are correctly merged with the - hull. In addition, this method allows selecting areas with a higher wrap count which in turn allows computing overlaps - of polygons on the same layer. Because this method merges the polygons before the overlap is computed, self-overlapping - polygons do not contribute to higher wrap count areas. +class DPolygon: + r""" + @brief A polygon class - This method produces polygons and allows fine-tuning of the parameters for that purpose. + A polygon consists of an outer hull and zero to many + holes. Each contour consists of several points. The point + list is normalized such that the leftmost, lowest point is + the first one. The orientation is normalized such that + the orientation of the hull contour is clockwise, while + the orientation of the holes is counterclockwise. - Prior to version 0.21 this method was called 'merge_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + It is in no way checked that the contours are not overlapping. + This must be ensured by the user of the object + when filling the contours. - @param in The input polygons - @param min_wc The minimum wrap count for output (0: all polygons, 1: at least two overlapping) - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if touching corners should be resolved into less connected contours - @return The output polygons - """ - @overload - def simple_merge(self, in_: Sequence[Edge]) -> List[Edge]: - r""" - @brief Merge the given edges in a simple "non-zero wrapcount" fashion + A polygon can be asked for the number of holes using the \holes method. \each_point_hull delivers the points of the hull contour. \each_point_hole delivers the points of a specific hole. \each_edge delivers the edges (point-to-point connections) of both hull and holes. \bbox delivers the bounding box, \area the area and \perimeter the perimeter of the polygon. - The edges provided must form valid closed contours. Contours oriented differently "cancel" each other. - Overlapping contours are merged when the orientation is the same. + Here's an example of how to create a polygon: - The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while - holes are oriented counter-clockwise. + @code + hull = [ RBA::DPoint::new(0, 0), RBA::DPoint::new(6000, 0), + RBA::DPoint::new(6000, 3000), RBA::DPoint::new(0, 3000) ] + hole1 = [ RBA::DPoint::new(1000, 1000), RBA::DPoint::new(2000, 1000), + RBA::DPoint::new(2000, 2000), RBA::DPoint::new(1000, 2000) ] + hole2 = [ RBA::DPoint::new(3000, 1000), RBA::DPoint::new(4000, 1000), + RBA::DPoint::new(4000, 2000), RBA::DPoint::new(3000, 2000) ] + poly = RBA::DPolygon::new(hull) + poly.insert_hole(hole1) + poly.insert_hole(hole2) - This is a convenience method that bundles filling of the edges, processing with - a SimpleMerge operator and puts the result into an output vector. + # ask the polygon for some properties + poly.holes # -> 2 + poly.area # -> 16000000.0 + poly.perimeter # -> 26000.0 + poly.bbox # -> (0,0;6000,3000) + @/code - Prior to version 0.21 this method was called 'simple_merge'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + The \DPolygon class stores coordinates in floating-point format which gives a higher precision for some operations. A class that stores integer coordinates is \Polygon. - @param in The input edges - @return The output edges + See @The Database API@ for more details about the database objects. + """ + @property + def hull(self) -> None: + r""" + WARNING: This variable can only be set, not retrieved. + @brief Sets the points of the hull of polygon + @param p An array of points to assign to the polygon's hull + The 'assign_hull' variant is provided in analogy to 'assign_hole'. """ - @overload - def simple_merge(self, in_: Sequence[Polygon]) -> List[Edge]: + @classmethod + def ellipse(cls, box: DBox, n: int) -> DPolygon: r""" - @brief Merge the given polygons in a simple "non-zero wrapcount" fashion - - The wrapcount is computed over all polygons, i.e. overlapping polygons may "cancel" if they - have different orientation (since a polygon is oriented by construction that is not easy to achieve). - The other merge operation provided for this purpose is "merge" which normalizes each polygon individually before - merging them. "simple_merge" is somewhat faster and consumes less memory. + @brief Creates a simple polygon approximating an ellipse - The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while - holes are oriented counter-clockwise. + @param box The bounding box of the ellipse + @param n The number of points that will be used to approximate the ellipse - This is a convenience method that bundles filling of the edges, processing with - a SimpleMerge operator and puts the result into an output vector. + This method has been introduced in version 0.23. + """ + @classmethod + def from_ipoly(cls, polygon: Polygon) -> DPolygon: + r""" + @brief Creates a floating-point coordinate polygon from an integer coordinate polygon - Prior to version 0.21 this method was called 'simple_merge'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipolygon'. + """ + @classmethod + def from_s(cls, s: str) -> DPolygon: + r""" + @brief Creates a polygon from a string + Creates the object from a string representation (as returned by \to_s) - @param in The input polygons - @return The output edges + This method has been added in version 0.23. """ @overload - def simple_merge(self, in_: Sequence[Edge], mode: int) -> List[Edge]: + @classmethod + def new(cls) -> DPolygon: r""" - @brief Merge the given polygons and specify the merge mode - - The edges provided must form valid closed contours. Contours oriented differently "cancel" each other. - Overlapping contours are merged when the orientation is the same. - - The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while - holes are oriented counter-clockwise. - - This is a convenience method that bundles filling of the edges, processing with - a SimpleMerge operator and puts the result into an output vector. - - This method has been added in version 0.22. - - The mode specifies the rule to use when producing output. A value of 0 specifies the even-odd rule. A positive value specifies the wrap count threshold (positive only). A negative value specifies the threshold of the absolute value of the wrap count (i.e. -1 is non-zero rule). - - @param mode See description - @param in The input edges - @return The output edges + @brief Creates an empty (invalid) polygon """ @overload - def simple_merge(self, in_: Sequence[Polygon], mode: int) -> List[Edge]: + @classmethod + def new(cls, box: DBox) -> DPolygon: r""" - @brief Merge the given polygons and specify the merge mode - - The wrapcount is computed over all polygons, i.e. overlapping polygons may "cancel" if they - have different orientation (since a polygon is oriented by construction that is not easy to achieve). - The other merge operation provided for this purpose is "merge" which normalizes each polygon individually before - merging them. "simple_merge" is somewhat faster and consumes less memory. - - The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while - holes are oriented counter-clockwise. - - This is a convenience method that bundles filling of the edges, processing with - a SimpleMerge operator and puts the result into an output vector. - - This method has been added in version 0.22. - - The mode specifies the rule to use when producing output. A value of 0 specifies the even-odd rule. A positive value specifies the wrap count threshold (positive only). A negative value specifies the threshold of the absolute value of the wrap count (i.e. -1 is non-zero rule). + @brief Creates a polygon from a box - @param mode See description - @param in The input polygons - @return The output edges + @param box The box to convert to a polygon """ @overload - def simple_merge_e2e(self, in_: Sequence[Edge]) -> List[Edge]: + @classmethod + def new(cls, polygon: Polygon) -> DPolygon: r""" - @brief Merge the given edges in a simple "non-zero wrapcount" fashion - - The edges provided must form valid closed contours. Contours oriented differently "cancel" each other. - Overlapping contours are merged when the orientation is the same. - - The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while - holes are oriented counter-clockwise. - - This is a convenience method that bundles filling of the edges, processing with - a SimpleMerge operator and puts the result into an output vector. - - Prior to version 0.21 this method was called 'simple_merge'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + @brief Creates a floating-point coordinate polygon from an integer coordinate polygon - @param in The input edges - @return The output edges + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipolygon'. """ @overload - def simple_merge_e2e(self, in_: Sequence[Edge], mode: int) -> List[Edge]: + @classmethod + def new(cls, pts: Sequence[DPoint], raw: Optional[bool] = ...) -> DPolygon: r""" - @brief Merge the given polygons and specify the merge mode - - The edges provided must form valid closed contours. Contours oriented differently "cancel" each other. - Overlapping contours are merged when the orientation is the same. - - The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while - holes are oriented counter-clockwise. - - This is a convenience method that bundles filling of the edges, processing with - a SimpleMerge operator and puts the result into an output vector. - - This method has been added in version 0.22. + @brief Creates a polygon from a point array for the hull - The mode specifies the rule to use when producing output. A value of 0 specifies the even-odd rule. A positive value specifies the wrap count threshold (positive only). A negative value specifies the threshold of the absolute value of the wrap count (i.e. -1 is non-zero rule). + @param pts The points forming the polygon hull + @param raw If true, the point list won't be modified (see \assign_hull) - @param mode See description - @param in The input edges - @return The output edges + The 'raw' argument was added in version 0.24. """ @overload - def simple_merge_e2p(self, in_: Sequence[Edge], resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + @classmethod + def new(cls, sp: DSimplePolygon) -> DPolygon: r""" - @brief Merge the given edges in a simple "non-zero wrapcount" fashion into polygons - - The edges provided must form valid closed contours. Contours oriented differently "cancel" each other. - Overlapping contours are merged when the orientation is the same. - - This method produces polygons and allows fine-tuning of the parameters for that purpose. - - This is a convenience method that bundles filling of the edges, processing with - a SimpleMerge operator and puts the result into an output vector. - - Prior to version 0.21 this method was called 'simple_merge_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + @brief Creates a polygon from a simple polygon + @param sp The simple polygon that is converted into the polygon + This method was introduced in version 0.22. + """ + def __copy__(self) -> DPolygon: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> DPolygon: + r""" + @brief Creates a copy of self + """ + def __eq__(self, p: object) -> bool: + r""" + @brief Returns a value indicating whether the polygons are equal + @param p The object to compare against + """ + def __hash__(self) -> int: + r""" + @brief Computes a hash value + Returns a hash value for the given polygon. This method enables polygons as hash keys. - @param in The input edges - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if touching corners should be resolved into less connected contours - @return The output polygons + This method has been introduced in version 0.25. """ @overload - def simple_merge_e2p(self, in_: Sequence[Edge], resolve_holes: bool, min_coherence: bool, mode: int) -> List[Polygon]: + def __init__(self) -> None: r""" - @brief Merge the given polygons and specify the merge mode - - The edges provided must form valid closed contours. Contours oriented differently "cancel" each other. - Overlapping contours are merged when the orientation is the same. - - This method produces polygons and allows fine-tuning of the parameters for that purpose. - - This is a convenience method that bundles filling of the edges, processing with - a SimpleMerge operator and puts the result into an output vector. - - This method has been added in version 0.22. - - The mode specifies the rule to use when producing output. A value of 0 specifies the even-odd rule. A positive value specifies the wrap count threshold (positive only). A negative value specifies the threshold of the absolute value of the wrap count (i.e. -1 is non-zero rule). - - @param mode See description - @param in The input edges - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if touching corners should be resolved into less connected contours - @return The output polygons + @brief Creates an empty (invalid) polygon """ @overload - def simple_merge_p2e(self, in_: Sequence[Polygon]) -> List[Edge]: + def __init__(self, box: DBox) -> None: r""" - @brief Merge the given polygons in a simple "non-zero wrapcount" fashion - - The wrapcount is computed over all polygons, i.e. overlapping polygons may "cancel" if they - have different orientation (since a polygon is oriented by construction that is not easy to achieve). - The other merge operation provided for this purpose is "merge" which normalizes each polygon individually before - merging them. "simple_merge" is somewhat faster and consumes less memory. - - The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while - holes are oriented counter-clockwise. - - This is a convenience method that bundles filling of the edges, processing with - a SimpleMerge operator and puts the result into an output vector. - - Prior to version 0.21 this method was called 'simple_merge'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + @brief Creates a polygon from a box - @param in The input polygons - @return The output edges + @param box The box to convert to a polygon """ @overload - def simple_merge_p2e(self, in_: Sequence[Polygon], mode: int) -> List[Edge]: + def __init__(self, polygon: Polygon) -> None: r""" - @brief Merge the given polygons and specify the merge mode - - The wrapcount is computed over all polygons, i.e. overlapping polygons may "cancel" if they - have different orientation (since a polygon is oriented by construction that is not easy to achieve). - The other merge operation provided for this purpose is "merge" which normalizes each polygon individually before - merging them. "simple_merge" is somewhat faster and consumes less memory. - - The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while - holes are oriented counter-clockwise. - - This is a convenience method that bundles filling of the edges, processing with - a SimpleMerge operator and puts the result into an output vector. - - This method has been added in version 0.22. - - The mode specifies the rule to use when producing output. A value of 0 specifies the even-odd rule. A positive value specifies the wrap count threshold (positive only). A negative value specifies the threshold of the absolute value of the wrap count (i.e. -1 is non-zero rule). + @brief Creates a floating-point coordinate polygon from an integer coordinate polygon - @param mode See description - @param in The input polygons - @return The output edges + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipolygon'. """ @overload - def simple_merge_p2p(self, in_: Sequence[Polygon], resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + def __init__(self, pts: Sequence[DPoint], raw: Optional[bool] = ...) -> None: r""" - @brief Merge the given polygons in a simple "non-zero wrapcount" fashion into polygons - - The wrapcount is computed over all polygons, i.e. overlapping polygons may "cancel" if they - have different orientation (since a polygon is oriented by construction that is not easy to achieve). - The other merge operation provided for this purpose is "merge" which normalizes each polygon individually before - merging them. "simple_merge" is somewhat faster and consumes less memory. - - This method produces polygons and allows fine-tuning of the parameters for that purpose. - - This is a convenience method that bundles filling of the edges, processing with - a SimpleMerge operator and puts the result into an output vector. + @brief Creates a polygon from a point array for the hull - Prior to version 0.21 this method was called 'simple_merge_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + @param pts The points forming the polygon hull + @param raw If true, the point list won't be modified (see \assign_hull) - @param in The input polygons - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if touching corners should be resolved into less connected contours - @return The output polygons + The 'raw' argument was added in version 0.24. """ @overload - def simple_merge_p2p(self, in_: Sequence[Polygon], resolve_holes: bool, min_coherence: bool, mode: int) -> List[Polygon]: + def __init__(self, sp: DSimplePolygon) -> None: r""" - @brief Merge the given polygons and specify the merge mode - - The wrapcount is computed over all polygons, i.e. overlapping polygons may "cancel" if they - have different orientation (since a polygon is oriented by construction that is not easy to achieve). - The other merge operation provided for this purpose is "merge" which normalizes each polygon individually before - merging them. "simple_merge" is somewhat faster and consumes less memory. + @brief Creates a polygon from a simple polygon + @param sp The simple polygon that is converted into the polygon + This method was introduced in version 0.22. + """ + def __lt__(self, p: DPolygon) -> bool: + r""" + @brief Returns a value indicating whether self is less than p + @param p The object to compare against + This operator is provided to establish some, not necessarily a certain sorting order + """ + def __mul__(self, f: float) -> DPolygon: + r""" + @brief Scales the polygon by some factor - This method produces polygons and allows fine-tuning of the parameters for that purpose. + Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + """ + def __ne__(self, p: object) -> bool: + r""" + @brief Returns a value indicating whether the polygons are not equal + @param p The object to compare against + """ + def __rmul__(self, f: float) -> DPolygon: + r""" + @brief Scales the polygon by some factor - This is a convenience method that bundles filling of the edges, processing with - a SimpleMerge operator and puts the result into an output vector. + Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + """ + def __str__(self) -> str: + r""" + @brief Returns a string representing the polygon + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method has been added in version 0.22. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - The mode specifies the rule to use when producing output. A value of 0 specifies the even-odd rule. A positive value specifies the wrap count threshold (positive only). A negative value specifies the threshold of the absolute value of the wrap count (i.e. -1 is non-zero rule). + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def area(self) -> float: + r""" + @brief Gets the area of the polygon + The area is correct only if the polygon is not self-overlapping and the polygon is oriented clockwise.Orientation is ensured automatically in most cases. + """ + def area2(self) -> float: + r""" + @brief Gets the double area of the polygon + This method is provided because the area for an integer-type polygon is a multiple of 1/2. Hence the double area can be expresses precisely as an integer for these types. - @param mode See description - @param in The input polygons - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if touching corners should be resolved into less connected contours - @return The output polygons + This method has been introduced in version 0.26.1 + """ + def assign(self, other: DPolygon) -> None: + r""" + @brief Assigns another object to self """ @overload - def simple_merge_to_polygon(self, in_: Sequence[Edge], resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + def assign_hole(self, n: int, b: DBox) -> None: r""" - @brief Merge the given edges in a simple "non-zero wrapcount" fashion into polygons - - The edges provided must form valid closed contours. Contours oriented differently "cancel" each other. - Overlapping contours are merged when the orientation is the same. - - This method produces polygons and allows fine-tuning of the parameters for that purpose. - - This is a convenience method that bundles filling of the edges, processing with - a SimpleMerge operator and puts the result into an output vector. - - Prior to version 0.21 this method was called 'simple_merge_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. - - @param in The input edges - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if touching corners should be resolved into less connected contours - @return The output polygons + @brief Sets the box as the given hole of the polygon + @param n The index of the hole to which the points should be assigned + @param b The box to assign to the polygon's hole + If the hole index is not valid, this method does nothing. + This method was introduced in version 0.23. """ @overload - def simple_merge_to_polygon(self, in_: Sequence[Polygon], resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + def assign_hole(self, n: int, p: Sequence[DPoint], raw: Optional[bool] = ...) -> None: r""" - @brief Merge the given polygons in a simple "non-zero wrapcount" fashion into polygons + @brief Sets the points of the given hole of the polygon + @param n The index of the hole to which the points should be assigned + @param p An array of points to assign to the polygon's hole + @param raw If true, the points won't be compressed (see \assign_hull) + If the hole index is not valid, this method does nothing. - The wrapcount is computed over all polygons, i.e. overlapping polygons may "cancel" if they - have different orientation (since a polygon is oriented by construction that is not easy to achieve). - The other merge operation provided for this purpose is "merge" which normalizes each polygon individually before - merging them. "simple_merge" is somewhat faster and consumes less memory. + This method was introduced in version 0.18. + The 'raw' argument was added in version 0.24. + """ + def assign_hull(self, p: Sequence[DPoint], raw: Optional[bool] = ...) -> None: + r""" + @brief Sets the points of the hull of polygon + @param p An array of points to assign to the polygon's hull + @param raw If true, the points won't be compressed - This method produces polygons and allows fine-tuning of the parameters for that purpose. + If the 'raw' argument is set to true, the points are taken as they are. Specifically no removal of redundant points or joining of coincident edges will take place. In effect, polygons consisting of a single point or two points can be constructed as well as polygons with duplicate points. Note that such polygons may cause problems in some applications. - This is a convenience method that bundles filling of the edges, processing with - a SimpleMerge operator and puts the result into an output vector. + Regardless of raw mode, the point list will be adjusted such that the first point is the lowest-leftmost one and the orientation is clockwise always. - Prior to version 0.21 this method was called 'simple_merge_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + The 'assign_hull' variant is provided in analogy to 'assign_hole'. - @param in The input polygons - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if touching corners should be resolved into less connected contours - @return The output polygons + The 'raw' argument was added in version 0.24. """ - @overload - def simple_merge_to_polygon(self, in_: Sequence[Edge], resolve_holes: bool, min_coherence: bool, mode: int) -> List[Polygon]: + def bbox(self) -> DBox: r""" - @brief Merge the given polygons and specify the merge mode - - The edges provided must form valid closed contours. Contours oriented differently "cancel" each other. - Overlapping contours are merged when the orientation is the same. - - This method produces polygons and allows fine-tuning of the parameters for that purpose. - - This is a convenience method that bundles filling of the edges, processing with - a SimpleMerge operator and puts the result into an output vector. + @brief Returns the bounding box of the polygon + The bounding box is the box enclosing all points of the polygon. + """ + def compress(self, remove_reflected: bool) -> None: + r""" + @brief Compresses the polygon. - This method has been added in version 0.22. + This method removes redundant points from the polygon, such as points being on a line formed by two other points. + If remove_reflected is true, points are also removed if the two adjacent edges form a spike. - The mode specifies the rule to use when producing output. A value of 0 specifies the even-odd rule. A positive value specifies the wrap count threshold (positive only). A negative value specifies the threshold of the absolute value of the wrap count (i.e. -1 is non-zero rule). + @param remove_reflected See description of the functionality. - @param mode See description - @param in The input edges - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if touching corners should be resolved into less connected contours - @return The output polygons + This method was introduced in version 0.18. + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> DPolygon: + r""" + @brief Creates a copy of self """ @overload - def simple_merge_to_polygon(self, in_: Sequence[Polygon], resolve_holes: bool, min_coherence: bool, mode: int) -> List[Polygon]: + def each_edge(self) -> Iterator[DEdge]: r""" - @brief Merge the given polygons and specify the merge mode - - The wrapcount is computed over all polygons, i.e. overlapping polygons may "cancel" if they - have different orientation (since a polygon is oriented by construction that is not easy to achieve). - The other merge operation provided for this purpose is "merge" which normalizes each polygon individually before - merging them. "simple_merge" is somewhat faster and consumes less memory. - - This method produces polygons and allows fine-tuning of the parameters for that purpose. - - This is a convenience method that bundles filling of the edges, processing with - a SimpleMerge operator and puts the result into an output vector. - - This method has been added in version 0.22. - - The mode specifies the rule to use when producing output. A value of 0 specifies the even-odd rule. A positive value specifies the wrap count threshold (positive only). A negative value specifies the threshold of the absolute value of the wrap count (i.e. -1 is non-zero rule). + @brief Iterates over the edges that make up the polygon - @param mode See description - @param in The input polygons - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if touching corners should be resolved into less connected contours - @return The output polygons + This iterator will deliver all edges, including those of the holes. Hole edges are oriented counterclockwise while hull edges are oriented clockwise. """ @overload - def size(self, in_: Sequence[Polygon], d: int, mode: int) -> List[Edge]: + def each_edge(self, contour: int) -> Iterator[DEdge]: r""" - @brief Size the given polygons (isotropic) + @brief Iterates over the edges of one contour of the polygon - This method is equivalent to calling the anisotropic version with identical dx and dy. + @param contour The contour number (0 for hull, 1 for first hole ...) - Prior to version 0.21 this method was called 'size'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + This iterator will deliver all edges of the contour specified by the contour parameter. The hull has contour number 0, the first hole has contour 1 etc. + Hole edges are oriented counterclockwise while hull edges are oriented clockwise. - @param in The input polygons - @param d The sizing value in x direction - @param mode The sizing mode - @return The output edges + This method was introduced in version 0.24. """ - @overload - def size(self, in_: Sequence[Polygon], dx: int, dy: int, mode: int) -> List[Edge]: + def each_point_hole(self, n: int) -> Iterator[DPoint]: r""" - @brief Size the given polygons + @brief Iterates over the points that make up the nth hole + The hole number must be less than the number of holes (see \holes) + """ + def each_point_hull(self) -> Iterator[DPoint]: + r""" + @brief Iterates over the points that make up the hull + """ + def extract_rad(self) -> List[Any]: + r""" + @brief Extracts the corner radii from a rounded polygon - This method sizes a set of polygons. Before the sizing is applied, the polygons are merged. After that, sizing is applied - on the individual result polygons of the merge step. The result may contain overlapping contours, but no self-overlaps. + Attempts to extract the radii of rounded corner polygon. This is essentially the inverse of the \round_corners method. If this method succeeds, if will return an array of four elements: @ul + @li The polygon with the rounded corners replaced by edgy ones @/li + @li The radius of the inner corners @/li + @li The radius of the outer corners @/li + @li The number of points per full circle @/li + @/ul - dx and dy describe the sizing. A positive value indicates oversize (outwards) while a negative one describes undersize (inwards). - The sizing applied can be chosen differently in x and y direction. In this case, the sign must be identical for both - dx and dy. + This method is based on some assumptions and may fail. In this case, an empty array is returned. - The 'mode' parameter describes the corner fill strategy. Mode 0 connects all corner segments directly. Mode 1 is the 'octagon' strategy in which square corners are interpolated with a partial octagon. Mode 2 is the standard mode in which corners are filled by expanding edges unless these edges form a sharp bend with an angle of more than 90 degree. In that case, the corners are cut off. In Mode 3, no cutoff occurs up to a bending angle of 135 degree. Mode 4 and 5 are even more aggressive and allow very sharp bends without cutoff. This strategy may produce long spikes on sharply bending corners. - The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while - holes are oriented counter-clockwise. + If successful, the following code will more or less render the original polygon and parameters - Prior to version 0.21 this method was called 'size'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + @code + p = ... # some polygon + p.round_corners(ri, ro, n) + (p2, ri2, ro2, n2) = p.extract_rad + # -> p2 == p, ro2 == ro, ri2 == ri, n2 == n (within some limits) + @/code - @param in The input polygons - @param dx The sizing value in x direction - @param dy The sizing value in y direction - @param mode The sizing mode (standard is 2) - @return The output edges + This method was introduced in version 0.25. """ - @overload - def size_p2e(self, in_: Sequence[Polygon], d: int, mode: int) -> List[Edge]: + def hash(self) -> int: r""" - @brief Size the given polygons (isotropic) - - This method is equivalent to calling the anisotropic version with identical dx and dy. - - Prior to version 0.21 this method was called 'size'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + @brief Computes a hash value + Returns a hash value for the given polygon. This method enables polygons as hash keys. - @param in The input polygons - @param d The sizing value in x direction - @param mode The sizing mode - @return The output edges + This method has been introduced in version 0.25. + """ + def holes(self) -> int: + r""" + @brief Returns the number of holes """ @overload - def size_p2e(self, in_: Sequence[Polygon], dx: int, dy: int, mode: int) -> List[Edge]: + def insert_hole(self, b: DBox) -> None: r""" - @brief Size the given polygons - - This method sizes a set of polygons. Before the sizing is applied, the polygons are merged. After that, sizing is applied - on the individual result polygons of the merge step. The result may contain overlapping contours, but no self-overlaps. + @brief Inserts a hole from the given box + @param b The box to insert as a new hole + This method was introduced in version 0.23. + """ + @overload + def insert_hole(self, p: Sequence[DPoint], raw: Optional[bool] = ...) -> None: + r""" + @brief Inserts a hole with the given points + @param p An array of points to insert as a new hole + @param raw If true, the points won't be compressed (see \assign_hull) - dx and dy describe the sizing. A positive value indicates oversize (outwards) while a negative one describes undersize (inwards). - The sizing applied can be chosen differently in x and y direction. In this case, the sign must be identical for both - dx and dy. + The 'raw' argument was added in version 0.24. + """ + def inside(self, p: DPoint) -> bool: + r""" + @brief Tests, if the given point is inside the polygon + If the given point is inside or on the edge of the polygon, true is returned. This tests works well only if the polygon is not self-overlapping and oriented clockwise. + """ + def is_box(self) -> bool: + r""" + @brief Returns true, if the polygon is a simple box. - The 'mode' parameter describes the corner fill strategy. Mode 0 connects all corner segments directly. Mode 1 is the 'octagon' strategy in which square corners are interpolated with a partial octagon. Mode 2 is the standard mode in which corners are filled by expanding edges unless these edges form a sharp bend with an angle of more than 90 degree. In that case, the corners are cut off. In Mode 3, no cutoff occurs up to a bending angle of 135 degree. Mode 4 and 5 are even more aggressive and allow very sharp bends without cutoff. This strategy may produce long spikes on sharply bending corners. - The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while - holes are oriented counter-clockwise. + A polygon is a box if it is identical to it's bounding box. - Prior to version 0.21 this method was called 'size'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + @return True if the polygon is a box. - @param in The input polygons - @param dx The sizing value in x direction - @param dy The sizing value in y direction - @param mode The sizing mode (standard is 2) - @return The output edges + This method was introduced in version 0.23. """ - @overload - def size_p2p(self, in_: Sequence[Polygon], d: int, mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + def is_const_object(self) -> bool: r""" - @brief Size the given polygons into polygons (isotropic) - - This method is equivalent to calling the anisotropic version with identical dx and dy. - - Prior to version 0.21 this method was called 'size_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def is_empty(self) -> bool: + r""" + @brief Returns a value indicating whether the polygon is empty + """ + def is_halfmanhattan(self) -> bool: + r""" + @brief Returns a value indicating whether the polygon is half-manhattan + Half-manhattan polygons have edges which are multiples of 45 degree. These polygons can be clipped at a rectangle without potential grid snapping. - @param in The input polygons - @param d The sizing value in x direction - @param mode The sizing mode - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if touching corners should be resolved into less connected contours - @return The output polygons + This predicate was introduced in version 0.27. + """ + def is_rectilinear(self) -> bool: + r""" + @brief Returns a value indicating whether the polygon is rectilinear """ @overload - def size_p2p(self, in_: Sequence[Polygon], dx: int, dy: int, mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + def move(self, p: DVector) -> DPolygon: r""" - @brief Size the given polygons into polygons - - This method sizes a set of polygons. Before the sizing is applied, the polygons are merged. After that, sizing is applied - on the individual result polygons of the merge step. The result may contain overlapping polygons, but no self-overlapping ones. - Polygon overlap occurs if the polygons are close enough, so a positive sizing makes polygons overlap. + @brief Moves the polygon. - dx and dy describe the sizing. A positive value indicates oversize (outwards) while a negative one describes undersize (inwards). - The sizing applied can be chosen differently in x and y direction. In this case, the sign must be identical for both - dx and dy. + Moves the polygon by the given offset and returns the + moved polygon. The polygon is overwritten. - The 'mode' parameter describes the corner fill strategy. Mode 0 connects all corner segments directly. Mode 1 is the 'octagon' strategy in which square corners are interpolated with a partial octagon. Mode 2 is the standard mode in which corners are filled by expanding edges unless these edges form a sharp bend with an angle of more than 90 degree. In that case, the corners are cut off. In Mode 3, no cutoff occurs up to a bending angle of 135 degree. Mode 4 and 5 are even more aggressive and allow very sharp bends without cutoff. This strategy may produce long spikes on sharply bending corners. - This method produces polygons and allows fine-tuning of the parameters for that purpose. + @param p The distance to move the polygon. - Prior to version 0.21 this method was called 'size_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + @return The moved polygon (self). - @param in The input polygons - @param dx The sizing value in x direction - @param dy The sizing value in y direction - @param mode The sizing mode (standard is 2) - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if touching corners should be resolved into less connected contours - @return The output polygons + This method has been introduced in version 0.23. """ @overload - def size_to_polygon(self, in_: Sequence[Polygon], d: int, mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + def move(self, x: float, y: float) -> DPolygon: r""" - @brief Size the given polygons into polygons (isotropic) + @brief Moves the polygon. - This method is equivalent to calling the anisotropic version with identical dx and dy. + Moves the polygon by the given offset and returns the + moved polygon. The polygon is overwritten. - Prior to version 0.21 this method was called 'size_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + @param x The x distance to move the polygon. + @param y The y distance to move the polygon. - @param in The input polygons - @param d The sizing value in x direction - @param mode The sizing mode - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if touching corners should be resolved into less connected contours - @return The output polygons + @return The moved polygon (self). """ @overload - def size_to_polygon(self, in_: Sequence[Polygon], dx: int, dy: int, mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + def moved(self, p: DVector) -> DPolygon: r""" - @brief Size the given polygons into polygons - - This method sizes a set of polygons. Before the sizing is applied, the polygons are merged. After that, sizing is applied - on the individual result polygons of the merge step. The result may contain overlapping polygons, but no self-overlapping ones. - Polygon overlap occurs if the polygons are close enough, so a positive sizing makes polygons overlap. + @brief Returns the moved polygon (does not modify self) - dx and dy describe the sizing. A positive value indicates oversize (outwards) while a negative one describes undersize (inwards). - The sizing applied can be chosen differently in x and y direction. In this case, the sign must be identical for both - dx and dy. + Moves the polygon by the given offset and returns the + moved polygon. The polygon is not modified. - The 'mode' parameter describes the corner fill strategy. Mode 0 connects all corner segments directly. Mode 1 is the 'octagon' strategy in which square corners are interpolated with a partial octagon. Mode 2 is the standard mode in which corners are filled by expanding edges unless these edges form a sharp bend with an angle of more than 90 degree. In that case, the corners are cut off. In Mode 3, no cutoff occurs up to a bending angle of 135 degree. Mode 4 and 5 are even more aggressive and allow very sharp bends without cutoff. This strategy may produce long spikes on sharply bending corners. - This method produces polygons and allows fine-tuning of the parameters for that purpose. + @param p The distance to move the polygon. - Prior to version 0.21 this method was called 'size_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + @return The moved polygon. - @param in The input polygons - @param dx The sizing value in x direction - @param dy The sizing value in y direction - @param mode The sizing mode (standard is 2) - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if touching corners should be resolved into less connected contours - @return The output polygons + This method has been introduced in version 0.23. """ + @overload + def moved(self, x: float, y: float) -> DPolygon: + r""" + @brief Returns the moved polygon (does not modify self) -class Edges(ShapeCollection): - r""" - @brief A collection of edges (Not necessarily describing closed contours) - - - This class was introduced to simplify operations on edges sets. See \Edge for a description of the individual edge object. The edge collection contains an arbitrary number of edges and supports operations to select edges by various criteria, produce polygons from the edges by applying an extension, filtering edges against other edges collections and checking geometrical relations to other edges (DRC functionality). - - The edge collection is supposed to work closely with the \Region polygon set. Both are related, although the edge collection has a lower rank since it potentially represents a disconnected collection of edges. Edge collections may form closed contours, for example immediately after they have been derived from a polygon set using \Region#edges. But this state is volatile and can easily be destroyed by filtering edges. Hence the connected state does not play an important role in the edge collection's API. + Moves the polygon by the given offset and returns the + moved polygon. The polygon is not modified. - Edge collections may also contain points (degenerated edges with identical start and end points). Such point-like objects participate in some although not all methods of the edge collection class. - Edge collections can be used in two different flavors: in raw mode or merged semantics. With merged semantics (the default), connected edges are considered to belong together and are effectively merged. - Overlapping parts are counted once in that mode. Dot-like edges are not considered in merged semantics. - In raw mode (without merged semantics), each edge is considered as it is. Overlaps between edges - may exists and merging has to be done explicitly using the \merge method. The semantics can be - selected using \merged_semantics=. + @param x The x distance to move the polygon. + @param y The y distance to move the polygon. + @return The moved polygon. - This class has been introduced in version 0.23. - """ - class EdgeType: + This method has been introduced in version 0.23. + """ + def num_points(self) -> int: r""" - @brief This enum specifies the the edge type for edge angle filters. - - This enum was introduced in version 0.28. + @brief Gets the total number of points (hull plus holes) + This method was introduced in version 0.18. """ - DiagonalEdges: ClassVar[Edges.EdgeType] + def num_points_hole(self, n: int) -> int: r""" - @brief Diagonal edges are selected (-45 and 45 degree) + @brief Gets the number of points of the given hole + The argument gives the index of the hole of which the number of points are requested. The index must be less than the number of holes (see \holes). """ - OrthoDiagonalEdges: ClassVar[Edges.EdgeType] + def num_points_hull(self) -> int: r""" - @brief Diagonal or orthogonal edges are selected (0, 90, -45 and 45 degree) + @brief Gets the number of points of the hull """ - OrthoEdges: ClassVar[Edges.EdgeType] + def perimeter(self) -> float: r""" - @brief Horizontal and vertical edges are selected + @brief Gets the perimeter of the polygon + The perimeter is sum of the lengths of all edges making up the polygon. + + This method has been introduce in version 0.23. """ - @overload - @classmethod - def new(cls, i: int) -> Edges.EdgeType: - r""" - @brief Creates an enum from an integer value - """ - @overload - @classmethod - def new(cls, s: str) -> Edges.EdgeType: - r""" - @brief Creates an enum from a string value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares two enums - """ - @overload - def __init__(self, i: int) -> None: - r""" - @brief Creates an enum from an integer value - """ - @overload - def __init__(self, s: str) -> None: - r""" - @brief Creates an enum from a string value - """ - @overload - def __lt__(self, other: int) -> bool: - r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value - """ - @overload - def __lt__(self, other: Edges.EdgeType) -> bool: - r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer for inequality - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares two enums for inequality - """ - def __repr__(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def __str__(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - def inspect(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def to_i(self) -> int: - r""" - @brief Gets the integer value from the enum - """ - def to_s(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - DiagonalEdges: ClassVar[Edges.EdgeType] - r""" - @brief Diagonal edges are selected (-45 and 45 degree) - """ - Euclidian: ClassVar[Region.Metrics] - r""" - @brief Specifies Euclidian metrics for the check functions - This value can be used for the metrics parameter in the check functions, i.e. \width_check. This value specifies Euclidian metrics, i.e. the distance between two points is measured by: - - @code - d = sqrt(dx^2 + dy^2) - @/code - - All points within a circle with radius d around one point are considered to have a smaller distance than d. - """ - OrthoDiagonalEdges: ClassVar[Edges.EdgeType] - r""" - @brief Diagonal or orthogonal edges are selected (0, 90, -45 and 45 degree) - """ - OrthoEdges: ClassVar[Edges.EdgeType] - r""" - @brief Horizontal and vertical edges are selected - """ - Projection: ClassVar[Region.Metrics] - r""" - @brief Specifies projected distance metrics for the check functions - This value can be used for the metrics parameter in the check functions, i.e. \width_check. This value specifies projected metrics, i.e. the distance is defined as the minimum distance measured perpendicular to one edge. That implies that the distance is defined only where two edges have a non-vanishing projection onto each other. - """ - Square: ClassVar[Region.Metrics] - r""" - @brief Specifies square metrics for the check functions - This value can be used for the metrics parameter in the check functions, i.e. \width_check. This value specifies square metrics, i.e. the distance between two points is measured by: - - @code - d = max(abs(dx), abs(dy)) - @/code - - All points within a square with length 2*d around one point are considered to have a smaller distance than d in this metrics. - """ - merged_semantics: bool - r""" - Getter: - @brief Gets a flag indicating whether merged semantics is enabled - See \merged_semantics= for a description of this attribute. - - Setter: - @brief Enable or disable merged semantics - If merged semantics is enabled (the default), colinear, connected or overlapping edges will be considered - as single edges. - """ - @overload - @classmethod - def new(cls) -> Edges: - r""" - @brief Default constructor - - This constructor creates an empty edge collection. - """ - @overload - @classmethod - def new(cls, array: Sequence[Edge]) -> Edges: - r""" - @brief Constructor from an edge array - - This constructor creates an edge collection from an array of edges. - """ - @overload - @classmethod - def new(cls, array: Sequence[Polygon]) -> Edges: + def point_hole(self, n: int, p: int) -> DPoint: r""" - @brief Constructor from a polygon array - - This constructor creates an edge collection from an array of polygons. - The edges form the contours of the polygons. + @brief Gets a specific point of a hole + @param n The index of the hole to which the points should be assigned + @param p The index of the point to get + If the index of the point or of the hole is not valid, a default value is returned. + This method was introduced in version 0.18. """ - @overload - @classmethod - def new(cls, box: Box) -> Edges: + def point_hull(self, p: int) -> DPoint: r""" - @brief Box constructor - - This constructor creates an edge collection from a box. - The edges form the contour of the box. + @brief Gets a specific point of the hull + @param p The index of the point to get + If the index of the point is not a valid index, a default value is returned. + This method was introduced in version 0.18. """ - @overload - @classmethod - def new(cls, edge: Edge) -> Edges: + def round_corners(self, rinner: float, router: float, n: int) -> DPolygon: r""" - @brief Constructor from a single edge + @brief Rounds the corners of the polygon - This constructor creates an edge collection with a single edge. - """ - @overload - @classmethod - def new(cls, path: Path) -> Edges: - r""" - @brief Path constructor + Replaces the corners of the polygon with circle segments. - This constructor creates an edge collection from a path. - The edges form the contour of the path. - """ - @overload - @classmethod - def new(cls, polygon: Polygon) -> Edges: - r""" - @brief Polygon constructor + @param rinner The circle radius of inner corners (in database units). + @param router The circle radius of outer corners (in database units). + @param n The number of points per full circle. - This constructor creates an edge collection from a polygon. - The edges form the contour of the polygon. - """ - @overload - @classmethod - def new(cls, polygon: SimplePolygon) -> Edges: - r""" - @brief Simple polygon constructor + @return The new polygon. - This constructor creates an edge collection from a simple polygon. - The edges form the contour of the polygon. + This method was introduced in version 0.20 for integer coordinates and in 0.25 for all coordinate types. """ @overload - @classmethod - def new(cls, shape_iterator: RecursiveShapeIterator, as_edges: Optional[bool] = ...) -> Edges: + def size(self, d: float, mode: Optional[int] = ...) -> None: r""" - @brief Constructor of a flat edge collection from a hierarchical shape set - - This constructor creates an edge collection from the shapes delivered by the given recursive shape iterator. - It feeds the shapes from a hierarchy of cells into a flat edge set. - - Text objects are not inserted, because they cannot be converted to edges. - Edge objects are inserted as such. If "as_edges" is true, "solid" objects (boxes, polygons, paths) are converted to edges which form the hull of these objects. If "as_edges" is false, solid objects are ignored. + @brief Sizes the polygon (biasing) + Shifts the contour outwards (d>0) or inwards (d<0). + This method is equivalent to @code - layout = ... # a layout - cell = ... # the index of the initial cell - layer = ... # the index of the layer from where to take the shapes from - r = RBA::Edges::new(layout.begin_shapes(cell, layer), false) + size(d, d, mode) @/code - """ - @overload - @classmethod - def new(cls, shapes: Shapes, as_edges: Optional[bool] = ...) -> Edges: - r""" - @brief Constructor of a flat edge collection from a \Shapes container - If 'as_edges' is true, the shapes from the container will be converted to edges (i.e. polygon contours to edges). Otherwise, only edges will be taken from the container. + See \size for a detailed description. - This method has been introduced in version 0.26. + This method has been introduced in version 0.23. """ @overload - @classmethod - def new(cls, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, as_edges: Optional[bool] = ...) -> Edges: + def size(self, dv: Vector, mode: Optional[int] = ...) -> None: r""" - @brief Constructor of a hierarchical edge collection - - This constructor creates an edge collection from the shapes delivered by the given recursive shape iterator. - It feeds the shapes from a hierarchy of cells into the hierarchical edge set. - The edges remain within their original hierarchy unless other operations require the edges to be moved in the hierarchy. - - Text objects are not inserted, because they cannot be converted to edges. - Edge objects are inserted as such. If "as_edges" is true, "solid" objects (boxes, polygons, paths) are converted to edges which form the hull of these objects. If "as_edges" is false, solid objects are ignored. + @brief Sizes the polygon (biasing) + This method is equivalent to @code - dss = RBA::DeepShapeStore::new - layout = ... # a layout - cell = ... # the index of the initial cell - layer = ... # the index of the layer from where to take the shapes from - r = RBA::Edges::new(layout.begin_shapes(cell, layer), dss, false) + size(dv.x, dv.y, mode) @/code - """ - @overload - @classmethod - def new(cls, shape_iterator: RecursiveShapeIterator, expr: str, as_pattern: Optional[bool] = ...) -> Edges: - r""" - @brief Constructor from a text set - - @param shape_iterator The iterator from which to derive the texts - @param expr The selection string - @param as_pattern If true, the selection string is treated as a glob pattern. Otherwise the match is exact. - - This special constructor will create dot-like edges from the text objects delivered by the shape iterator. Each text object will give a degenerated edge (a dot) that represents the text origin. - Texts can be selected by their strings - either through a glob pattern or by exact comparison with the given string. The following options are available: - @code - dots = RBA::Edges::new(iter, "*") # all texts - dots = RBA::Edges::new(iter, "A*") # all texts starting with an 'A' - dots = RBA::Edges::new(iter, "A*", false) # all texts exactly matching 'A*' - @/code + See \size for a detailed description. - This method has been introduced in version 0.26. + This version has been introduced in version 0.28. """ @overload - @classmethod - def new(cls, shape_iterator: RecursiveShapeIterator, trans: ICplxTrans, as_edges: Optional[bool] = ...) -> Edges: + def size(self, dx: float, dy: float, mode: int) -> None: r""" - @brief Constructor of a flat edge collection from a hierarchical shape set with a transformation + @brief Sizes the polygon (biasing) - This constructor creates an edge collection from the shapes delivered by the given recursive shape iterator. - It feeds the shapes from a hierarchy of cells into a flat edge set. - The transformation is useful to scale to a specific database unit for example. + Shifts the contour outwards (dx,dy>0) or inwards (dx,dy<0). + dx is the sizing in x-direction and dy is the sizing in y-direction. The sign of dx and dy should be identical. + The sizing operation create invalid (self-overlapping, reverse oriented) contours. - Text objects are not inserted, because they cannot be converted to edges. - Edge objects are inserted as such. If "as_edges" is true, "solid" objects (boxes, polygons, paths) are converted to edges which form the hull of these objects. If "as_edges" is false, solid objects are ignored. + The mode defines at which bending angle cutoff occurs + (0:>0, 1:>45, 2:>90, 3:>135, 4:>approx. 168, other:>approx. 179) + + In order to obtain a proper polygon in the general case, the + sized polygon must be merged in 'greater than zero' wrap count mode. This is necessary since in the general case, + sizing can be complicated operation which lets a single polygon fall apart into disjoint pieces for example. + This can be achieved using the \EdgeProcessor class for example: @code - layout = ... # a layout - cell = ... # the index of the initial cell - layer = ... # the index of the layer from where to take the shapes from - dbu = 0.1 # the target database unit - r = RBA::Edges::new(layout.begin_shapes(cell, layer), RBA::ICplxTrans::new(layout.dbu / dbu)) + poly = ... # a RBA::Polygon + poly.size(-50, 2) + ep = RBA::EdgeProcessor::new + # result is an array of RBA::Polygon objects + result = ep.simple_merge_p2p([ poly ], false, false, 1) @/code """ @overload - @classmethod - def new(cls, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, expr: str, as_pattern: Optional[bool] = ...) -> Edges: + def sized(self, d: float, mode: Optional[int] = ...) -> DPolygon: r""" - @brief Constructor from a text set - - @param shape_iterator The iterator from which to derive the texts - @param dss The \DeepShapeStore object that acts as a heap for hierarchical operations. - @param expr The selection string - @param as_pattern If true, the selection string is treated as a glob pattern. Otherwise the match is exact. - - This special constructor will create a deep edge set from the text objects delivered by the shape iterator. Each text object will give a degenerated edge (a dot) that represents the text origin. - Texts can be selected by their strings - either through a glob pattern or by exact comparison with the given string. The following options are available: + @brief Sizes the polygon (biasing) without modifying self + Shifts the contour outwards (d>0) or inwards (d<0). + This method is equivalent to @code - region = RBA::Region::new(iter, dss, "*") # all texts - region = RBA::Region::new(iter, dss, "A*") # all texts starting with an 'A' - region = RBA::Region::new(iter, dss, "A*", false) # all texts exactly matching 'A*' + sized(d, d, mode) @/code - This method has been introduced in version 0.26. + See \size and \sized for a detailed description. """ @overload - @classmethod - def new(cls, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, trans: ICplxTrans, as_edges: Optional[bool] = ...) -> Edges: + def sized(self, dv: Vector, mode: Optional[int] = ...) -> DPolygon: r""" - @brief Constructor of a hierarchical edge collection with a transformation - - This constructor creates an edge collection from the shapes delivered by the given recursive shape iterator. - It feeds the shapes from a hierarchy of cells into the hierarchical edge set. - The edges remain within their original hierarchy unless other operations require the edges to be moved in the hierarchy. - The transformation is useful to scale to a specific database unit for example. - - Text objects are not inserted, because they cannot be converted to edges. - Edge objects are inserted as such. If "as_edges" is true, "solid" objects (boxes, polygons, paths) are converted to edges which form the hull of these objects. If "as_edges" is false, solid objects are ignored. + @brief Sizes the polygon (biasing) without modifying self + This method is equivalent to @code - dss = RBA::DeepShapeStore::new - layout = ... # a layout - cell = ... # the index of the initial cell - layer = ... # the index of the layer from where to take the shapes from - dbu = 0.1 # the target database unit - r = RBA::Edges::new(layout.begin_shapes(cell, layer), dss, RBA::ICplxTrans::new(layout.dbu / dbu), false) + sized(dv.x, dv.y, mode) @/code - """ - def __add__(self, other: Edges) -> Edges: - r""" - @brief Returns the combined edge set of self and the other one - @return The resulting edge set + See \size and \sized for a detailed description. - This operator adds the edges of the other edge set to self and returns a new combined edge set. This usually creates unmerged edge sets and edges may overlap. Use \merge if you want to ensure the result edge set is merged. + This version has been introduced in version 0.28. """ @overload - def __and__(self, other: Edges) -> Edges: + def sized(self, dx: float, dy: float, mode: int) -> DPolygon: r""" - @brief Returns the boolean AND between self and the other edge collection + @brief Sizes the polygon (biasing) without modifying self - @return The result of the boolean AND operation + This method applies sizing to the polygon but does not modify self. Instead a sized copy is returned. + See \size for a description of the operation. - The boolean AND operation will return all parts of the edges in this collection which are coincident with parts of the edges in the other collection.The result will be a merged edge collection. + This method has been introduced in version 0.23. """ - @overload - def __and__(self, other: Region) -> Edges: + def split(self) -> List[DPolygon]: r""" - @brief Returns the parts of the edges inside the given region - - @return The edges inside the given region + @brief Splits the polygon into two or more parts + This method will break the polygon into parts. The exact breaking algorithm is unspecified, the result are smaller polygons of roughly equal number of points and 'less concave' nature. Usually the returned polygon set consists of two polygons, but there can be more. The merged region of the resulting polygons equals the original polygon with the exception of small snapping effects at new vertexes. - This operation returns the parts of the edges which are inside the given region. - Edges on the borders of the polygons are included in the edge set. - As a side effect, the edges are made non-intersecting by introducing cut points where - edges intersect. + The intended use for this method is a iteratively split polygons until the satisfy some maximum number of points limit. - This method has been introduced in version 0.24. - """ - def __copy__(self) -> Edges: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> Edges: - r""" - @brief Creates a copy of self + This method has been introduced in version 0.25.3. """ - def __getitem__(self, n: int) -> Edge: + def to_itype(self, dbu: Optional[float] = ...) -> Polygon: r""" - @brief Returns the nth edge of the collection + @brief Converts the polygon to an integer coordinate polygon - This method returns nil if the index is out of range. It is available for flat edge collections only - i.e. those for which \has_valid_edges? is true. Use \flatten to explicitly flatten an edge collection. - This method returns the raw edge (not merged edges, even if merged semantics is enabled). + The database unit can be specified to translate the floating-point coordinate polygon in micron units to an integer-coordinate polygon in database units. The polygons coordinates will be divided by the database unit. - The \each iterator is the more general approach to access the edges. + This method has been introduced in version 0.25. """ - def __iadd__(self, other: Edges) -> Edges: + def to_s(self) -> str: r""" - @brief Adds the edges of the other edge collection to self - - @return The edge set after modification (self) - - This operator adds the edges of the other edge set to self. This usually creates unmerged edge sets and edges may overlap. Use \merge if you want to ensure the result edge set is merged. + @brief Returns a string representing the polygon """ @overload - def __iand__(self, other: Edges) -> Edges: + def touches(self, box: DBox) -> bool: r""" - @brief Performs the boolean AND between self and the other edge collection - - @return The edge collection after modification (self) + @brief Returns true, if the polygon touches the given box. + The box and the polygon touch if they overlap or their contours share at least one point. - The boolean AND operation will return all parts of the edges in this collection which are coincident with parts of the edges in the other collection.The result will be a merged edge collection. + This method was introduced in version 0.25.1. """ @overload - def __iand__(self, other: Region) -> Edges: + def touches(self, edge: DEdge) -> bool: r""" - @brief Selects the parts of the edges inside the given region - - @return The edge collection after modification (self) - - This operation selects the parts of the edges which are inside the given region. - Edges on the borders of the polygons are included in the edge set. - As a side effect, the edges are made non-intersecting by introducing cut points where - edges intersect. + @brief Returns true, if the polygon touches the given edge. + The edge and the polygon touch if they overlap or the edge shares at least one point with the polygon's contour. - This method has been introduced in version 0.24. + This method was introduced in version 0.25.1. """ @overload - def __init__(self) -> None: + def touches(self, polygon: DPolygon) -> bool: r""" - @brief Default constructor + @brief Returns true, if the polygon touches the other polygon. + The polygons touch if they overlap or their contours share at least one point. - This constructor creates an empty edge collection. + This method was introduced in version 0.25.1. """ @overload - def __init__(self, array: Sequence[Edge]) -> None: + def touches(self, simple_polygon: DSimplePolygon) -> bool: r""" - @brief Constructor from an edge array + @brief Returns true, if the polygon touches the other polygon. + The polygons touch if they overlap or their contours share at least one point. - This constructor creates an edge collection from an array of edges. + This method was introduced in version 0.25.1. """ @overload - def __init__(self, array: Sequence[Polygon]) -> None: + def transform(self, t: DCplxTrans) -> DPolygon: r""" - @brief Constructor from a polygon array + @brief Transforms the polygon with a complex transformation (in-place) - This constructor creates an edge collection from an array of polygons. - The edges form the contours of the polygons. - """ - @overload - def __init__(self, box: Box) -> None: - r""" - @brief Box constructor + Transforms the polygon with the given complex transformation. + Modifies self and returns self. An out-of-place version which does not modify self is \transformed. - This constructor creates an edge collection from a box. - The edges form the contour of the box. - """ - @overload - def __init__(self, edge: Edge) -> None: - r""" - @brief Constructor from a single edge + @param t The transformation to apply. - This constructor creates an edge collection with a single edge. + This method has been introduced in version 0.24. """ @overload - def __init__(self, path: Path) -> None: + def transform(self, t: DTrans) -> DPolygon: r""" - @brief Path constructor + @brief Transforms the polygon (in-place) - This constructor creates an edge collection from a path. - The edges form the contour of the path. - """ - @overload - def __init__(self, polygon: Polygon) -> None: - r""" - @brief Polygon constructor + Transforms the polygon with the given transformation. + Modifies self and returns self. An out-of-place version which does not modify self is \transformed. - This constructor creates an edge collection from a polygon. - The edges form the contour of the polygon. - """ - @overload - def __init__(self, polygon: SimplePolygon) -> None: - r""" - @brief Simple polygon constructor + @param t The transformation to apply. - This constructor creates an edge collection from a simple polygon. - The edges form the contour of the polygon. + This method has been introduced in version 0.24. """ @overload - def __init__(self, shape_iterator: RecursiveShapeIterator, as_edges: Optional[bool] = ...) -> None: + def transformed(self, t: DCplxTrans) -> DPolygon: r""" - @brief Constructor of a flat edge collection from a hierarchical shape set + @brief Transforms the polygon with a complex transformation - This constructor creates an edge collection from the shapes delivered by the given recursive shape iterator. - It feeds the shapes from a hierarchy of cells into a flat edge set. + Transforms the polygon with the given complex transformation. + Does not modify the polygon but returns the transformed polygon. - Text objects are not inserted, because they cannot be converted to edges. - Edge objects are inserted as such. If "as_edges" is true, "solid" objects (boxes, polygons, paths) are converted to edges which form the hull of these objects. If "as_edges" is false, solid objects are ignored. + @param t The transformation to apply. - @code - layout = ... # a layout - cell = ... # the index of the initial cell - layer = ... # the index of the layer from where to take the shapes from - r = RBA::Edges::new(layout.begin_shapes(cell, layer), false) - @/code + @return The transformed polygon. + + With version 0.25, the original 'transformed_cplx' method is deprecated and 'transformed' takes both simple and complex transformations. """ @overload - def __init__(self, shapes: Shapes, as_edges: Optional[bool] = ...) -> None: + def transformed(self, t: DTrans) -> DPolygon: r""" - @brief Constructor of a flat edge collection from a \Shapes container + @brief Transforms the polygon - If 'as_edges' is true, the shapes from the container will be converted to edges (i.e. polygon contours to edges). Otherwise, only edges will be taken from the container. + Transforms the polygon with the given transformation. + Does not modify the polygon but returns the transformed polygon. - This method has been introduced in version 0.26. + @param t The transformation to apply. + + @return The transformed polygon. """ @overload - def __init__(self, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, as_edges: Optional[bool] = ...) -> None: + def transformed(self, t: VCplxTrans) -> Polygon: r""" - @brief Constructor of a hierarchical edge collection + @brief Transforms the polygon with the given complex transformation - This constructor creates an edge collection from the shapes delivered by the given recursive shape iterator. - It feeds the shapes from a hierarchy of cells into the hierarchical edge set. - The edges remain within their original hierarchy unless other operations require the edges to be moved in the hierarchy. - Text objects are not inserted, because they cannot be converted to edges. - Edge objects are inserted as such. If "as_edges" is true, "solid" objects (boxes, polygons, paths) are converted to edges which form the hull of these objects. If "as_edges" is false, solid objects are ignored. + @param t The magnifying transformation to apply + @return The transformed polygon (in this case an integer coordinate polygon) - @code - dss = RBA::DeepShapeStore::new - layout = ... # a layout - cell = ... # the index of the initial cell - layer = ... # the index of the layer from where to take the shapes from - r = RBA::Edges::new(layout.begin_shapes(cell, layer), dss, false) - @/code + This method has been introduced in version 0.25. """ - @overload - def __init__(self, shape_iterator: RecursiveShapeIterator, expr: str, as_pattern: Optional[bool] = ...) -> None: + def transformed_cplx(self, t: DCplxTrans) -> DPolygon: r""" - @brief Constructor from a text set + @brief Transforms the polygon with a complex transformation - @param shape_iterator The iterator from which to derive the texts - @param expr The selection string - @param as_pattern If true, the selection string is treated as a glob pattern. Otherwise the match is exact. + Transforms the polygon with the given complex transformation. + Does not modify the polygon but returns the transformed polygon. - This special constructor will create dot-like edges from the text objects delivered by the shape iterator. Each text object will give a degenerated edge (a dot) that represents the text origin. - Texts can be selected by their strings - either through a glob pattern or by exact comparison with the given string. The following options are available: + @param t The transformation to apply. - @code - dots = RBA::Edges::new(iter, "*") # all texts - dots = RBA::Edges::new(iter, "A*") # all texts starting with an 'A' - dots = RBA::Edges::new(iter, "A*", false) # all texts exactly matching 'A*' - @/code + @return The transformed polygon. - This method has been introduced in version 0.26. + With version 0.25, the original 'transformed_cplx' method is deprecated and 'transformed' takes both simple and complex transformations. """ - @overload - def __init__(self, shape_iterator: RecursiveShapeIterator, trans: ICplxTrans, as_edges: Optional[bool] = ...) -> None: - r""" - @brief Constructor of a flat edge collection from a hierarchical shape set with a transformation - This constructor creates an edge collection from the shapes delivered by the given recursive shape iterator. - It feeds the shapes from a hierarchy of cells into a flat edge set. - The transformation is useful to scale to a specific database unit for example. +class DSimplePolygon: + r""" + @brief A simple polygon class - Text objects are not inserted, because they cannot be converted to edges. - Edge objects are inserted as such. If "as_edges" is true, "solid" objects (boxes, polygons, paths) are converted to edges which form the hull of these objects. If "as_edges" is false, solid objects are ignored. + A simple polygon consists of an outer hull only. To support polygons with holes, use \DPolygon. + The contour consists of several points. The point + list is normalized such that the leftmost, lowest point is + the first one. The orientation is normalized such that + the orientation of the hull contour is clockwise. - @code - layout = ... # a layout - cell = ... # the index of the initial cell - layer = ... # the index of the layer from where to take the shapes from - dbu = 0.1 # the target database unit - r = RBA::Edges::new(layout.begin_shapes(cell, layer), RBA::ICplxTrans::new(layout.dbu / dbu)) - @/code - """ - @overload - def __init__(self, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, expr: str, as_pattern: Optional[bool] = ...) -> None: - r""" - @brief Constructor from a text set + It is in no way checked that the contours are not over- + lapping. This must be ensured by the user of the object + when filling the contours. - @param shape_iterator The iterator from which to derive the texts - @param dss The \DeepShapeStore object that acts as a heap for hierarchical operations. - @param expr The selection string - @param as_pattern If true, the selection string is treated as a glob pattern. Otherwise the match is exact. + The \DSimplePolygon class stores coordinates in floating-point format which gives a higher precision for some operations. A class that stores integer coordinates is \SimplePolygon. - This special constructor will create a deep edge set from the text objects delivered by the shape iterator. Each text object will give a degenerated edge (a dot) that represents the text origin. - Texts can be selected by their strings - either through a glob pattern or by exact comparison with the given string. The following options are available: + See @The Database API@ for more details about the database objects. + """ + @property + def points(self) -> None: + r""" + WARNING: This variable can only be set, not retrieved. + @brief Sets the points of the simple polygon - @code - region = RBA::Region::new(iter, dss, "*") # all texts - region = RBA::Region::new(iter, dss, "A*") # all texts starting with an 'A' - region = RBA::Region::new(iter, dss, "A*", false) # all texts exactly matching 'A*' - @/code + @param pts An array of points to assign to the simple polygon - This method has been introduced in version 0.26. + See the constructor description for details about raw mode. """ - @overload - def __init__(self, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, trans: ICplxTrans, as_edges: Optional[bool] = ...) -> None: + @classmethod + def ellipse(cls, box: DBox, n: int) -> DSimplePolygon: r""" - @brief Constructor of a hierarchical edge collection with a transformation - - This constructor creates an edge collection from the shapes delivered by the given recursive shape iterator. - It feeds the shapes from a hierarchy of cells into the hierarchical edge set. - The edges remain within their original hierarchy unless other operations require the edges to be moved in the hierarchy. - The transformation is useful to scale to a specific database unit for example. + @brief Creates a simple polygon approximating an ellipse - Text objects are not inserted, because they cannot be converted to edges. - Edge objects are inserted as such. If "as_edges" is true, "solid" objects (boxes, polygons, paths) are converted to edges which form the hull of these objects. If "as_edges" is false, solid objects are ignored. + @param box The bounding box of the ellipse + @param n The number of points that will be used to approximate the ellipse - @code - dss = RBA::DeepShapeStore::new - layout = ... # a layout - cell = ... # the index of the initial cell - layer = ... # the index of the layer from where to take the shapes from - dbu = 0.1 # the target database unit - r = RBA::Edges::new(layout.begin_shapes(cell, layer), dss, RBA::ICplxTrans::new(layout.dbu / dbu), false) - @/code + This method has been introduced in version 0.23. """ - def __ior__(self, other: Edges) -> Edges: + @classmethod + def from_ipoly(cls, polygon: SimplePolygon) -> DSimplePolygon: r""" - @brief Performs the boolean OR between self and the other edge set - - @return The edge collection after modification (self) + @brief Creates a floating-point coordinate polygon from an integer coordinate polygon + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipoly'. + """ + @classmethod + def from_s(cls, s: str) -> DSimplePolygon: + r""" + @brief Creates an object from a string + Creates the object from a string representation (as returned by \to_s) - The boolean OR is implemented by merging the edges of both edge sets. To simply join the edge collections without merging, the + operator is more efficient. + This method has been added in version 0.23. """ @overload - def __isub__(self, other: Edges) -> Edges: + @classmethod + def new(cls) -> DSimplePolygon: r""" - @brief Performs the boolean NOT between self and the other edge collection - - @return The edge collection after modification (self) + @brief Default constructor: creates an empty (invalid) polygon + """ + @overload + @classmethod + def new(cls, box: DBox) -> DSimplePolygon: + r""" + @brief Constructor converting a box to a polygon - The boolean NOT operation will return all parts of the edges in this collection which are not coincident with parts of the edges in the other collection.The result will be a merged edge collection. + @param box The box to convert to a polygon """ @overload - def __isub__(self, other: Region) -> Edges: + @classmethod + def new(cls, polygon: SimplePolygon) -> DSimplePolygon: r""" - @brief Selects the parts of the edges outside the given region + @brief Creates a floating-point coordinate polygon from an integer coordinate polygon + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipoly'. + """ + @overload + @classmethod + def new(cls, pts: Sequence[DPoint], raw: Optional[bool] = ...) -> DSimplePolygon: + r""" + @brief Constructor given the points of the simple polygon - @return The edge collection after modification (self) + @param pts The points forming the simple polygon + @param raw If true, the points are taken as they are (see below) - This operation selects the parts of the edges which are outside the given region. - Edges on the borders of the polygons are not included in the edge set. - As a side effect, the edges are made non-intersecting by introducing cut points where - edges intersect. + If the 'raw' argument is set to true, the points are taken as they are. Specifically no removal of redundant points or joining of coincident edges will take place. In effect, polygons consisting of a single point or two points can be constructed as well as polygons with duplicate points. Note that such polygons may cause problems in some applications. - This method has been introduced in version 0.24. + Regardless of raw mode, the point list will be adjusted such that the first point is the lowest-leftmost one and the orientation is clockwise always. + + The 'raw' argument has been added in version 0.24. """ - def __iter__(self) -> Iterator[Edge]: + def __copy__(self) -> DSimplePolygon: r""" - @brief Returns each edge of the region + @brief Creates a copy of self """ - def __ixor__(self, other: Edges) -> Edges: + def __deepcopy__(self) -> DSimplePolygon: r""" - @brief Performs the boolean XOR between self and the other edge collection - - @return The edge collection after modification (self) - - The boolean XOR operation will return all parts of the edges in this and the other collection except the parts where both are coincident. - The result will be a merged edge collection. + @brief Creates a copy of self """ - def __len__(self) -> int: + def __eq__(self, p: object) -> bool: r""" - @brief Returns the (flat) number of edges in the edge collection - - This returns the number of raw edges (not merged edges if merged semantics is enabled). - The count is computed 'as if flat', i.e. edges inside a cell are multiplied by the number of times a cell is instantiated. - - Starting with version 0.27, the method is called 'count' for consistency with \Region. 'size' is still provided as an alias. + @brief Returns a value indicating whether self is equal to p + @param p The object to compare against """ - def __or__(self, other: Edges) -> Edges: + def __hash__(self) -> int: r""" - @brief Returns the boolean OR between self and the other edge set - - @return The resulting edge collection + @brief Computes a hash value + Returns a hash value for the given polygon. This method enables polygons as hash keys. - The boolean OR is implemented by merging the edges of both edge sets. To simply join the edge collections without merging, the + operator is more efficient. + This method has been introduced in version 0.25. """ - def __str__(self) -> str: + @overload + def __init__(self) -> None: r""" - @brief Converts the edge collection to a string - The length of the output is limited to 20 edges to avoid giant strings on large regions. For full output use "to_s" with a maximum count parameter. + @brief Default constructor: creates an empty (invalid) polygon """ @overload - def __sub__(self, other: Edges) -> Edges: + def __init__(self, box: DBox) -> None: r""" - @brief Returns the boolean NOT between self and the other edge collection - - @return The result of the boolean NOT operation + @brief Constructor converting a box to a polygon - The boolean NOT operation will return all parts of the edges in this collection which are not coincident with parts of the edges in the other collection.The result will be a merged edge collection. + @param box The box to convert to a polygon """ @overload - def __sub__(self, other: Region) -> Edges: + def __init__(self, polygon: SimplePolygon) -> None: r""" - @brief Returns the parts of the edges outside the given region + @brief Creates a floating-point coordinate polygon from an integer coordinate polygon + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipoly'. + """ + @overload + def __init__(self, pts: Sequence[DPoint], raw: Optional[bool] = ...) -> None: + r""" + @brief Constructor given the points of the simple polygon - @return The edges outside the given region + @param pts The points forming the simple polygon + @param raw If true, the points are taken as they are (see below) - This operation returns the parts of the edges which are outside the given region. - Edges on the borders of the polygons are not included in the edge set. - As a side effect, the edges are made non-intersecting by introducing cut points where - edges intersect. + If the 'raw' argument is set to true, the points are taken as they are. Specifically no removal of redundant points or joining of coincident edges will take place. In effect, polygons consisting of a single point or two points can be constructed as well as polygons with duplicate points. Note that such polygons may cause problems in some applications. - This method has been introduced in version 0.24. + Regardless of raw mode, the point list will be adjusted such that the first point is the lowest-leftmost one and the orientation is clockwise always. + + The 'raw' argument has been added in version 0.24. """ - def __xor__(self, other: Edges) -> Edges: + def __lt__(self, p: DSimplePolygon) -> bool: r""" - @brief Returns the boolean XOR between self and the other edge collection + @brief Returns a value indicating whether self is less than p + @param p The object to compare against + This operator is provided to establish some, not necessarily a certain sorting order - @return The result of the boolean XOR operation + This method has been introduced in version 0.25. + """ + def __mul__(self, f: float) -> DSimplePolygon: + r""" + @brief Scales the polygon by some factor - The boolean XOR operation will return all parts of the edges in this and the other collection except the parts where both are coincident. - The result will be a merged edge collection. + Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + """ + def __ne__(self, p: object) -> bool: + r""" + @brief Returns a value indicating whether self is not equal to p + @param p The object to compare against + """ + def __rmul__(self, f: float) -> DSimplePolygon: + r""" + @brief Scales the polygon by some factor + + Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + """ + def __str__(self) -> str: + r""" + @brief Returns a string representing the polygon """ def _create(self) -> None: r""" @@ -11282,77 +10731,42 @@ class Edges(ShapeCollection): Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def andnot(self, other: Edges) -> List[Edges]: + def area(self) -> float: r""" - @brief Returns the boolean AND and NOT between self and the other edge set - - @return A two-element array of edge collections with the first one being the AND result and the second one being the NOT result - - This method will compute the boolean AND and NOT between two edge sets simultaneously. Because this requires a single sweep only, using this method is faster than doing AND and NOT separately. - - This method has been added in version 0.28. + @brief Gets the area of the polygon + The area is correct only if the polygon is not self-overlapping and the polygon is oriented clockwise. """ - @overload - def andnot(self, other: Region) -> List[Edges]: + def area2(self) -> float: r""" - @brief Returns the boolean AND and NOT between self and the region - - @return A two-element array of edge collections with the first one being the AND result and the second one being the NOT result - - This method will compute the boolean AND and NOT simultaneously. Because this requires a single sweep only, using this method is faster than doing AND and NOT separately. + @brief Gets the double area of the polygon + This method is provided because the area for an integer-type polygon is a multiple of 1/2. Hence the double area can be expresses precisely as an integer for these types. - This method has been added in version 0.28. + This method has been introduced in version 0.26.1 """ - def assign(self, other: ShapeCollection) -> None: + def assign(self, other: DSimplePolygon) -> None: r""" @brief Assigns another object to self """ - def bbox(self) -> Box: + def bbox(self) -> DBox: r""" - @brief Returns the bounding box of the edge collection - The bounding box is the box enclosing all points of all edges. + @brief Returns the bounding box of the simple polygon """ - def centers(self, length: int, fraction: float) -> Edges: + def compress(self, remove_reflected: bool) -> None: r""" - @brief Returns edges representing the center part of the edges - @return A new collection of edges representing the part around the center - This method allows one to specify the length of these segments in a twofold way: either as a fixed length or by specifying a fraction of the original length: - - @code - edges = ... # An edge collection - edges.centers(100, 0.0) # All segments have a length of 100 DBU - edges.centers(0, 50.0) # All segments have a length of half the original length - edges.centers(100, 50.0) # All segments have a length of half the original length - # or 100 DBU, whichever is larger - @/code + @brief Compressed the simple polygon. - It is possible to specify 0 for both values. In this case, degenerated edges (points) are delivered which specify the centers of the edges but can't participate in some functions. - """ - def clear(self) -> None: - r""" - @brief Clears the edge collection - """ - def count(self) -> int: - r""" - @brief Returns the (flat) number of edges in the edge collection + This method removes redundant points from the polygon, such as points being on a line formed by two other points. + If remove_reflected is true, points are also removed if the two adjacent edges form a spike. - This returns the number of raw edges (not merged edges if merged semantics is enabled). - The count is computed 'as if flat', i.e. edges inside a cell are multiplied by the number of times a cell is instantiated. + @param remove_reflected See description of the functionality. - Starting with version 0.27, the method is called 'count' for consistency with \Region. 'size' is still provided as an alias. + This method was introduced in version 0.18. """ def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def data_id(self) -> int: - r""" - @brief Returns the data ID (a unique identifier for the underlying data storage) - - This method has been added in version 0.26. - """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -11365,1165 +10779,1293 @@ class Edges(ShapeCollection): This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def disable_progress(self) -> None: - r""" - @brief Disable progress reporting - Calling this method will disable progress reporting. See \enable_progress. - """ - def dup(self) -> Edges: + def dup(self) -> DSimplePolygon: r""" @brief Creates a copy of self """ - def each(self) -> Iterator[Edge]: - r""" - @brief Returns each edge of the region - """ - def each_merged(self) -> Iterator[Edge]: + def each_edge(self) -> Iterator[DEdge]: r""" - @brief Returns each edge of the region - - In contrast to \each, this method delivers merged edges if merge semantics applies while \each delivers the original edges only. - - This method has been introduced in version 0.25. + @brief Iterates over the edges that make up the simple polygon """ - def enable_progress(self, label: str) -> None: + def each_point(self) -> Iterator[DPoint]: r""" - @brief Enable progress reporting - After calling this method, the edge collection will report the progress through a progress bar while expensive operations are running. - The label is a text which is put in front of the progress bar. - Using a progress bar will imply a performance penalty of a few percent typically. + @brief Iterates over the points that make up the simple polygon """ - def enclosed_check(self, other: Edges, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ...) -> EdgePairs: + def extract_rad(self) -> List[Any]: r""" - @brief Performs an inside check with options - @param d The minimum distance for which the edges are checked - @param other The other edge collection against which to check - @param whole_edges If true, deliver the whole edges - @param metrics Specify the metrics type - @param ignore_angle The threshold angle above which no check is performed - @param min_projection The lower threshold of the projected length of one edge onto another - @param max_projection The upper threshold of the projected length of one edge onto another + @brief Extracts the corner radii from a rounded polygon - If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. + Attempts to extract the radii of rounded corner polygon. This is essentially the inverse of the \round_corners method. If this method succeeds, if will return an array of four elements: @ul + @li The polygon with the rounded corners replaced by edgy ones @/li + @li The radius of the inner corners @/li + @li The radius of the outer corners @/li + @li The number of points per full circle @/li + @/ul - "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. - Use nil for this value to select the default (Euclidian metrics). + This method is based on some assumptions and may fail. In this case, an empty array is returned. - "ignore_angle" specifies the angle threshold of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. - Use nil for this value to select the default. + If successful, the following code will more or less render the original polygon and parameters - "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one threshold, pass nil to the respective value. + @code + p = ... # some polygon + p.round_corners(ri, ro, n) + (p2, ri2, ro2, n2) = p.extract_rad + # -> p2 == p, ro2 == ro, ri2 == ri, n2 == n (within some limits) + @/code - The 'enclosed_check' alias was introduced in version 0.27.5. + This method was introduced in version 0.25. """ - def enclosing_check(self, other: Edges, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ...) -> EdgePairs: + def hash(self) -> int: r""" - @brief Performs an enclosing check with options - @param d The minimum distance for which the edges are checked - @param other The other edge collection against which to check - @param whole_edges If true, deliver the whole edges - @param metrics Specify the metrics type - @param ignore_angle The threshold angle above which no check is performed - @param min_projection The lower threshold of the projected length of one edge onto another - @param max_projection The upper threshold of the projected length of one edge onto another - - If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. - - "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. - Use nil for this value to select the default (Euclidian metrics). - - "ignore_angle" specifies the angle threshold of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. - Use nil for this value to select the default. + @brief Computes a hash value + Returns a hash value for the given polygon. This method enables polygons as hash keys. - "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one threshold, pass nil to the respective value. + This method has been introduced in version 0.25. """ - def end_segments(self, length: int, fraction: float) -> Edges: + def inside(self, p: DPoint) -> bool: r""" - @brief Returns edges representing a part of the edge before the end point - @return A new collection of edges representing the end part - This method allows one to specify the length of these segments in a twofold way: either as a fixed length or by specifying a fraction of the original length: - - @code - edges = ... # An edge collection - edges.end_segments(100, 0.0) # All segments have a length of 100 DBU - edges.end_segments(0, 50.0) # All segments have a length of half the original length - edges.end_segments(100, 50.0) # All segments have a length of half the original length - # or 100 DBU, whichever is larger - @/code - - It is possible to specify 0 for both values. In this case, degenerated edges (points) are delivered which specify the end positions of the edges but can't participate in some functions. + @brief Gets a value indicating whether the given point is inside the polygon + If the given point is inside or on the edge the polygon, true is returned. This tests works well only if the polygon is not self-overlapping and oriented clockwise. """ - def extended(self, b: int, e: int, o: int, i: int, join: bool) -> Region: + def is_box(self) -> bool: r""" - @brief Returns a region with shapes representing the edges with the specified extensions - @param b the parallel extension at the start point of the edge - @param e the parallel extension at the end point of the edge - @param o the perpendicular extension to the "outside" (left side as seen in the direction of the edge) - @param i the perpendicular extension to the "inside" (right side as seen in the direction of the edge) - @param join If true, connected edges are joined before the extension is applied - @return A region containing the polygons representing these extended edges - This is a generic version of \extended_in and \extended_out. It allows one to specify extensions for all four directions of an edge and to join the edges before the extension is applied. + @brief Returns a value indicating whether the polygon is a simple box. - For degenerated edges forming a point, a rectangle with the b, e, o and i used as left, right, top and bottom distance to the center point of this edge is created. + A polygon is a box if it is identical to it's bounding box. - If join is true and edges form a closed loop, the b and e parameters are ignored and a rim polygon is created that forms the loop with the outside and inside extension given by o and i. - """ - def extended_in(self, e: int) -> Region: - r""" - @brief Returns a region with shapes representing the edges with the given width - @param e The extension width - @return A region containing the polygons representing these extended edges - The edges are extended to the "inside" by the given distance "e". The distance will be applied to the right side as seen in the direction of the edge. By definition, this is the side pointing to the inside of the polygon if the edge was derived from a polygon. + @return True if the polygon is a box. - Other versions of this feature are \extended_out and \extended. + This method was introduced in version 0.23. """ - def extended_out(self, e: int) -> Region: + def is_const_object(self) -> bool: r""" - @brief Returns a region with shapes representing the edges with the given width - @param e The extension width - @return A region containing the polygons representing these extended edges - The edges are extended to the "outside" by the given distance "e". The distance will be applied to the left side as seen in the direction of the edge. By definition, this is the side pointing to the outside of the polygon if the edge was derived from a polygon. - - Other versions of this feature are \extended_in and \extended. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def extents(self) -> Region: + def is_empty(self) -> bool: r""" - @brief Returns a region with the bounding boxes of the edges - This method will return a region consisting of the bounding boxes of the edges. - The boxes will not be merged, so it is possible to determine overlaps of these boxes for example. + @brief Returns a value indicating whether the polygon is empty """ - @overload - def extents(self, d: int) -> Region: + def is_halfmanhattan(self) -> bool: r""" - @brief Returns a region with the enlarged bounding boxes of the edges - This method will return a region consisting of the bounding boxes of the edges enlarged by the given distance d. - The enlargement is specified per edge, i.e the width and height will be increased by 2*d. - The boxes will not be merged, so it is possible to determine overlaps of these boxes for example. + @brief Returns a value indicating whether the polygon is half-manhattan + Half-manhattan polygons have edges which are multiples of 45 degree. These polygons can be clipped at a rectangle without potential grid snapping. + + This predicate was introduced in version 0.27. """ - @overload - def extents(self, dx: int, dy: int) -> Region: + def is_rectilinear(self) -> bool: r""" - @brief Returns a region with the enlarged bounding boxes of the edges - This method will return a region consisting of the bounding boxes of the edges enlarged by the given distance dx in x direction and dy in y direction. - The enlargement is specified per edge, i.e the width will be increased by 2*dx. - The boxes will not be merged, so it is possible to determine overlaps of these boxes for example. + @brief Returns a value indicating whether the polygon is rectilinear """ - def flatten(self) -> None: + @overload + def move(self, p: DVector) -> DSimplePolygon: r""" - @brief Explicitly flattens an edge collection + @brief Moves the simple polygon. - If the collection is already flat (i.e. \has_valid_edges? returns true), this method will not change it. + Moves the simple polygon by the given offset and returns the + moved simple polygon. The polygon is overwritten. - This method has been introduced in version 0.26. - """ - def has_valid_edges(self) -> bool: - r""" - @brief Returns true if the edge collection is flat and individual edges can be accessed randomly + @param p The distance to move the simple polygon. - This method has been introduced in version 0.26. + @return The moved simple polygon. """ - def hier_count(self) -> int: + @overload + def move(self, x: float, y: float) -> DSimplePolygon: r""" - @brief Returns the (hierarchical) number of edges in the edge collection + @brief Moves the polygon. - This returns the number of raw edges (not merged edges if merged semantics is enabled). - The count is computed 'hierarchical', i.e. edges inside a cell are counted once even if the cell is instantiated multiple times. + Moves the polygon by the given offset and returns the + moved polygon. The polygon is overwritten. - This method has been introduced in version 0.27. - """ - def in_(self, other: Edges) -> Edges: - r""" - @brief Returns all edges which are members of the other edge collection - This method returns all edges in self which can be found in the other edge collection as well with exactly the same geometry. - """ - def in_and_out(self, other: Edges) -> List[Edges]: - r""" - @brief Returns all polygons which are members and not members of the other region - This method is equivalent to calling \members_of and \not_members_of, but delivers both results at the same time and is more efficient than two separate calls. The first element returned is the \members_of part, the second is the \not_members_of part. + @param x The x distance to move the polygon. + @param y The y distance to move the polygon. - This method has been introduced in version 0.28. + @return The moved polygon (self). """ @overload - def insert(self, box: Box) -> None: + def moved(self, p: DVector) -> DSimplePolygon: r""" - @brief Inserts a box + @brief Returns the moved simple polygon - Inserts the edges that form the contour of the box into the edge collection. + Moves the simple polygon by the given offset and returns the + moved simple polygon. The polygon is not modified. + + @param p The distance to move the simple polygon. + + @return The moved simple polygon. """ @overload - def insert(self, edge: Edge) -> None: + def moved(self, x: float, y: float) -> DSimplePolygon: r""" - @brief Inserts an edge + @brief Returns the moved polygon (does not modify self) - Inserts the edge into the edge collection. + Moves the polygon by the given offset and returns the + moved polygon. The polygon is not modified. + + @param x The x distance to move the polygon. + @param y The y distance to move the polygon. + + @return The moved polygon. + + This method has been introduced in version 0.23. """ - @overload - def insert(self, edges: Edges) -> None: + def num_points(self) -> int: r""" - @brief Inserts all edges from the other edge collection into this one - This method has been introduced in version 0.25. + @brief Gets the number of points """ - @overload - def insert(self, edges: Sequence[Edge]) -> None: + def perimeter(self) -> float: r""" - @brief Inserts all edges from the array into this edge collection + @brief Gets the perimeter of the polygon + The perimeter is sum of the lengths of all edges making up the polygon. """ - @overload - def insert(self, path: Path) -> None: + def point(self, p: int) -> DPoint: r""" - @brief Inserts a path - - Inserts the edges that form the contour of the path into the edge collection. + @brief Gets a specific point of the contour@param p The index of the point to get + If the index of the point is not a valid index, a default value is returned. + This method was introduced in version 0.18. """ - @overload - def insert(self, polygon: Polygon) -> None: + def round_corners(self, rinner: float, router: float, n: int) -> DSimplePolygon: r""" - @brief Inserts a polygon + @brief Rounds the corners of the polygon - Inserts the edges that form the contour of the polygon into the edge collection. + Replaces the corners of the polygon with circle segments. + + @param rinner The circle radius of inner corners (in database units). + @param router The circle radius of outer corners (in database units). + @param n The number of points per full circle. + + @return The new polygon. + + This method was introduced in version 0.22 for integer coordinates and in 0.25 for all coordinate types. """ - @overload - def insert(self, polygon: SimplePolygon) -> None: + def set_points(self, pts: Sequence[DPoint], raw: Optional[bool] = ...) -> None: r""" - @brief Inserts a simple polygon + @brief Sets the points of the simple polygon - Inserts the edges that form the contour of the simple polygon into the edge collection. + @param pts An array of points to assign to the simple polygon + @param raw If true, the points are taken as they are + + See the constructor description for details about raw mode. + + This method has been added in version 0.24. """ - @overload - def insert(self, polygons: Sequence[Polygon]) -> None: + def split(self) -> List[DSimplePolygon]: r""" - @brief Inserts all polygons from the array into this edge collection + @brief Splits the polygon into two or more parts + This method will break the polygon into parts. The exact breaking algorithm is unspecified, the result are smaller polygons of roughly equal number of points and 'less concave' nature. Usually the returned polygon set consists of two polygons, but there can be more. The merged region of the resulting polygons equals the original polygon with the exception of small snapping effects at new vertexes. + + The intended use for this method is a iteratively split polygons until the satisfy some maximum number of points limit. + + This method has been introduced in version 0.25.3. """ - @overload - def insert(self, region: Region) -> None: + def to_itype(self, dbu: Optional[float] = ...) -> SimplePolygon: r""" - @brief Inserts a region - Inserts the edges that form the contours of the polygons from the region into the edge collection. + @brief Converts the polygon to an integer coordinate polygon + The database unit can be specified to translate the floating-point coordinate polygon in micron units to an integer-coordinate polygon in database units. The polygon's' coordinates will be divided by the database unit. This method has been introduced in version 0.25. """ - @overload - def insert(self, shape_iterator: RecursiveShapeIterator) -> None: + def to_s(self) -> str: r""" - @brief Inserts all shapes delivered by the recursive shape iterator into this edge collection - - For "solid" shapes (boxes, polygons, paths), this method inserts the edges that form the contour of the shape into the edge collection. - Edge shapes are inserted as such. - Text objects are not inserted, because they cannot be converted to polygons. + @brief Returns a string representing the polygon """ @overload - def insert(self, shapes: Shapes) -> None: + def touches(self, box: DBox) -> bool: r""" - @brief Inserts all edges from the shape collection into this edge collection - This method takes each edge from the shape collection and inserts it into the region. "Polygon-like" objects are inserted as edges forming the contours of the polygons. - Text objects are ignored. + @brief Returns true, if the polygon touches the given box. + The box and the polygon touch if they overlap or their contours share at least one point. - This method has been introduced in version 0.25. + This method was introduced in version 0.25.1. """ @overload - def insert(self, shape_iterator: RecursiveShapeIterator, trans: ICplxTrans) -> None: + def touches(self, edge: DEdge) -> bool: r""" - @brief Inserts all shapes delivered by the recursive shape iterator into this edge collection with a transformation + @brief Returns true, if the polygon touches the given edge. + The edge and the polygon touch if they overlap or the edge shares at least one point with the polygon's contour. - For "solid" shapes (boxes, polygons, paths), this method inserts the edges that form the contour of the shape into the edge collection. - Edge shapes are inserted as such. - Text objects are not inserted, because they cannot be converted to polygons. - This variant will apply the given transformation to the shapes. This is useful to scale the shapes to a specific database unit for example. + This method was introduced in version 0.25.1. """ @overload - def insert(self, shapes: Shapes, trans: ICplxTrans) -> None: + def touches(self, polygon: DPolygon) -> bool: r""" - @brief Inserts all edges from the shape collection into this edge collection with complex transformation - This method acts as the version without transformation, but will apply the given complex transformation before inserting the edges. + @brief Returns true, if the polygon touches the other polygon. + The polygons touch if they overlap or their contours share at least one point. - This method has been introduced in version 0.25. + This method was introduced in version 0.25.1. """ @overload - def insert(self, shapes: Shapes, trans: Trans) -> None: + def touches(self, simple_polygon: DSimplePolygon) -> bool: r""" - @brief Inserts all edges from the shape collection into this edge collection (with transformation) - This method acts as the version without transformation, but will apply the given transformation before inserting the edges. + @brief Returns true, if the polygon touches the other polygon. + The polygons touch if they overlap or their contours share at least one point. - This method has been introduced in version 0.25. + This method was introduced in version 0.25.1. """ - def insert_into(self, layout: Layout, cell_index: int, layer: int) -> None: + @overload + def transform(self, t: DCplxTrans) -> DSimplePolygon: r""" - @brief Inserts this edge collection into the given layout, below the given cell and into the given layer. - If the edge collection is a hierarchical one, a suitable hierarchy will be built below the top cell or and existing hierarchy will be reused. + @brief Transforms the simple polygon with a complex transformation (in-place) - This method has been introduced in version 0.26. + Transforms the simple polygon with the given complex transformation. + Modifies self and returns self. An out-of-place version which does not modify self is \transformed. + + @param t The transformation to apply. + + This method has been introduced in version 0.24. """ @overload - def inside(self, other: Edges) -> Edges: + def transform(self, t: DTrans) -> DSimplePolygon: r""" - @brief Returns the edges of this edge collection which are inside (completely covered by) edges from the other edge collection + @brief Transforms the simple polygon (in-place) - @return A new edge collection containing the edges overlapping or touching edges from the other edge collection + Transforms the simple polygon with the given transformation. + Modifies self and returns self. An out-of-place version which does not modify self is \transformed. - This method has been introduced in version 0.28. + @param t The transformation to apply. + + This method has been introduced in version 0.24. """ @overload - def inside(self, other: Region) -> Edges: + def transformed(self, t: DCplxTrans) -> DSimplePolygon: r""" - @brief Returns the edges from this edge collection which are inside (completely covered by) polygons from the region + @brief Transforms the simple polygon. - @return A new edge collection containing the edges overlapping or touching polygons from the region + Transforms the simple polygon with the given complex transformation. + Does not modify the simple polygon but returns the transformed polygon. - This method has been introduced in version 0.28. + @param t The transformation to apply. + + @return The transformed simple polygon. + + With version 0.25, the original 'transformed_cplx' method is deprecated and 'transformed' takes both simple and complex transformations. """ - def inside_check(self, other: Edges, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ...) -> EdgePairs: + @overload + def transformed(self, t: DTrans) -> DSimplePolygon: r""" - @brief Performs an inside check with options - @param d The minimum distance for which the edges are checked - @param other The other edge collection against which to check - @param whole_edges If true, deliver the whole edges - @param metrics Specify the metrics type - @param ignore_angle The threshold angle above which no check is performed - @param min_projection The lower threshold of the projected length of one edge onto another - @param max_projection The upper threshold of the projected length of one edge onto another + @brief Transforms the simple polygon. - If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. + Transforms the simple polygon with the given transformation. + Does not modify the simple polygon but returns the transformed polygon. - "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. - Use nil for this value to select the default (Euclidian metrics). + @param t The transformation to apply. - "ignore_angle" specifies the angle threshold of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. - Use nil for this value to select the default. + @return The transformed simple polygon. + """ + @overload + def transformed(self, t: VCplxTrans) -> SimplePolygon: + r""" + @brief Transforms the polygon with the given complex transformation - "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one threshold, pass nil to the respective value. + @param t The magnifying transformation to apply + @return The transformed polygon (in this case an integer coordinate polygon) - The 'enclosed_check' alias was introduced in version 0.27.5. + This method has been introduced in version 0.25. """ - def inside_outside_part(self, other: Region) -> List[Edges]: + def transformed_cplx(self, t: DCplxTrans) -> DSimplePolygon: r""" - @brief Returns the partial edges inside and outside the given region + @brief Transforms the simple polygon. - @return A two-element array of edge collections with the first one being the \inside_part result and the second one being the \outside_part result + Transforms the simple polygon with the given complex transformation. + Does not modify the simple polygon but returns the transformed polygon. - This method will compute the results simultaneously. Because this requires a single sweep only, using this method is faster than doing \inside_part and \outside_part separately. + @param t The transformation to apply. - This method has been added in version 0.28. + @return The transformed simple polygon. + + With version 0.25, the original 'transformed_cplx' method is deprecated and 'transformed' takes both simple and complex transformations. """ - def inside_part(self, other: Region) -> Edges: - r""" - @brief Returns the parts of the edges of this edge collection which are inside the polygons of the region - @return A new edge collection containing the edge parts inside the region +class DText: + r""" + @brief A text object - This operation returns the parts of the edges which are inside the given region. - This functionality is similar to the '&' operator, but edges on the borders of the polygons are not included in the edge set. - As a side effect, the edges are made non-intersecting by introducing cut points where - edges intersect. + A text object has a point (location), a text, a text transformation, + a text size and a font id. Text size and font id are provided to be + be able to render the text correctly. + Text objects are used as labels (i.e. for pins) or to indicate a particular position. - This method has been introduced in version 0.24. + The \DText class uses floating-point coordinates. A class that operates with integer coordinates is \Text. + + See @The Database API@ for more details about the database objects. + """ + HAlignCenter: ClassVar[HAlign] + r""" + @brief Centered horizontal alignment + """ + HAlignLeft: ClassVar[HAlign] + r""" + @brief Left horizontal alignment + """ + HAlignRight: ClassVar[HAlign] + r""" + @brief Right horizontal alignment + """ + NoHAlign: ClassVar[HAlign] + r""" + @brief Undefined horizontal alignment + """ + NoVAlign: ClassVar[VAlign] + r""" + @brief Undefined vertical alignment + """ + VAlignBottom: ClassVar[VAlign] + r""" + @brief Bottom vertical alignment + """ + VAlignCenter: ClassVar[VAlign] + r""" + @brief Centered vertical alignment + """ + VAlignTop: ClassVar[VAlign] + r""" + @brief Top vertical alignment + """ + font: int + r""" + Getter: + @brief Gets the font number + See \font= for a description of this property. + Setter: + @brief Sets the font number + The font number does not play a role for KLayout. This property is provided for compatibility with other systems which allow using different fonts for the text objects. + """ + halign: HAlign + r""" + Getter: + @brief Gets the horizontal alignment + + See \halign= for a description of this property. + + Setter: + @brief Sets the horizontal alignment + + This property specifies how the text is aligned relative to the anchor point. + This property has been introduced in version 0.22 and extended to enums in 0.28. + """ + size: float + r""" + Getter: + @brief Gets the text height + + Setter: + @brief Sets the text height of this object + """ + string: str + r""" + Getter: + @brief Get the text string + + Setter: + @brief Assign a text string to this object + """ + trans: DTrans + r""" + Getter: + @brief Gets the transformation + + Setter: + @brief Assign a transformation (text position and orientation) to this object + """ + valign: VAlign + r""" + Getter: + @brief Gets the vertical alignment + + See \valign= for a description of this property. + + Setter: + @brief Sets the vertical alignment + + This is the version accepting integer values. It's provided for backward compatibility. + """ + x: float + r""" + Getter: + @brief Gets the x location of the text + + This method has been introduced in version 0.23. + + Setter: + @brief Sets the x location of the text + + This method has been introduced in version 0.23. + """ + y: float + r""" + Getter: + @brief Gets the y location of the text + + This method has been introduced in version 0.23. + + Setter: + @brief Sets the y location of the text + + This method has been introduced in version 0.23. + """ + @classmethod + def from_s(cls, s: str) -> DText: + r""" + @brief Creates an object from a string + Creates the object from a string representation (as returned by \to_s) + + This method has been added in version 0.23. """ @overload - def interacting(self, other: Edges) -> Edges: + @classmethod + def new(cls) -> DText: r""" - @brief Returns the edges of this edge collection which overlap or touch edges from the other edge collection + @brief Default constructor - @return A new edge collection containing the edges overlapping or touching edges from the other edge collection + Creates a text with unit transformation and empty text. """ @overload - def interacting(self, other: Region) -> Edges: + @classmethod + def new(cls, Text: Text) -> DText: r""" - @brief Returns the edges from this edge collection which overlap or touch polygons from the region + @brief Creates a floating-point coordinate text from an integer coordinate text - @return A new edge collection containing the edges overlapping or touching polygons from the region + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_itext'. """ - def intersections(self, other: Edges) -> Edges: + @overload + @classmethod + def new(cls, string: str, trans: DTrans) -> DText: r""" - @brief Computes the intersections between this edges and other edges - This computation is like an AND operation, but also including crossing points between non-coincident edges as degenerated (point-like) edges. + @brief Constructor with string and transformation - This method has been introduced in version 0.26.2 + + A string and a transformation is provided to this constructor. The transformation specifies the location and orientation of the text object. """ - def is_const_object(self) -> bool: + @overload + @classmethod + def new(cls, string: str, trans: DTrans, height: float, font: int) -> DText: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Constructor with string, transformation, text height and font + + + A string and a transformation is provided to this constructor. The transformation specifies the location and orientation of the text object. In addition, the text height and font can be specified. """ - def is_deep(self) -> bool: + @overload + @classmethod + def new(cls, string: str, x: float, y: float) -> DText: r""" - @brief Returns true if the edge collection is a deep (hierarchical) one + @brief Constructor with string and location - This method has been added in version 0.26. + + A string and a location is provided to this constructor. The location is specifies as a pair of x and y coordinates. + + This method has been introduced in version 0.23. """ - def is_empty(self) -> bool: + def __copy__(self) -> DText: r""" - @brief Returns true if the edge collection is empty + @brief Creates a copy of self """ - def is_merged(self) -> bool: + def __deepcopy__(self) -> DText: r""" - @brief Returns true if the edge collection is merged - If the region is merged, coincident edges have been merged into single edges. You can ensure merged state by calling \merge. + @brief Creates a copy of self """ - @overload - def length(self) -> int: + def __eq__(self, text: object) -> bool: r""" - @brief Returns the total length of all edges in the edge collection + @brief Equality - Merged semantics applies for this method (see \merged_semantics= of merged semantics) - """ - @overload - def length(self, rect: Box) -> int: - r""" - @brief Returns the total length of all edges in the edge collection (restricted to a rectangle) - This version will compute the total length of all edges in the collection, restricting the computation to the given rectangle. - Edges along the border are handled in a special way: they are counted when they are oriented with their inside side toward the rectangle (in other words: outside edges must coincide with the rectangle's border in order to be counted). - Merged semantics applies for this method (see \merged_semantics= of merged semantics) + Return true, if this text object and the given text are equal """ - def members_of(self, other: Edges) -> Edges: + def __hash__(self) -> int: r""" - @brief Returns all edges which are members of the other edge collection - This method returns all edges in self which can be found in the other edge collection as well with exactly the same geometry. + @brief Computes a hash value + Returns a hash value for the given text object. This method enables texts as hash keys. + + This method has been introduced in version 0.25. """ - def merge(self) -> Edges: + @overload + def __init__(self) -> None: r""" - @brief Merge the edges - - @return The edge collection after the edges have been merged (self). + @brief Default constructor - Merging joins parallel edges which overlap or touch. - Crossing edges are not merged. - If the edge collection is already merged, this method does nothing + Creates a text with unit transformation and empty text. """ - def merged(self) -> Edges: + @overload + def __init__(self, Text: Text) -> None: r""" - @brief Returns the merged edge collection - - @return The edge collection after the edges have been merged. + @brief Creates a floating-point coordinate text from an integer coordinate text - Merging joins parallel edges which overlap or touch. - Crossing edges are not merged. - In contrast to \merge, this method does not modify the edge collection but returns a merged copy. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_itext'. """ @overload - def move(self, v: Vector) -> Edges: + def __init__(self, string: str, trans: DTrans) -> None: r""" - @brief Moves the edge collection - - Moves the polygon by the given offset and returns the - moved edge collection. The edge collection is overwritten. - - @param v The distance to move the edge collection. + @brief Constructor with string and transformation - @return The moved edge collection (self). - Starting with version 0.25 the displacement type is a vector. + A string and a transformation is provided to this constructor. The transformation specifies the location and orientation of the text object. """ @overload - def move(self, x: int, y: int) -> Edges: + def __init__(self, string: str, trans: DTrans, height: float, font: int) -> None: r""" - @brief Moves the edge collection - - Moves the edge collection by the given offset and returns the - moved edge collection. The edge collection is overwritten. + @brief Constructor with string, transformation, text height and font - @param x The x distance to move the edge collection. - @param y The y distance to move the edge collection. - @return The moved edge collection (self). + A string and a transformation is provided to this constructor. The transformation specifies the location and orientation of the text object. In addition, the text height and font can be specified. """ @overload - def moved(self, v: Vector) -> Edges: + def __init__(self, string: str, x: float, y: float) -> None: r""" - @brief Returns the moved edge collection (does not modify self) - - Moves the edge collection by the given offset and returns the - moved edge collection. The edge collection is not modified. + @brief Constructor with string and location - @param v The distance to move the edge collection. - @return The moved edge collection. + A string and a location is provided to this constructor. The location is specifies as a pair of x and y coordinates. - Starting with version 0.25 the displacement type is a vector. + This method has been introduced in version 0.23. """ - @overload - def moved(self, x: int, v: int) -> Edges: + def __lt__(self, t: DText) -> bool: r""" - @brief Returns the moved edge collection (does not modify self) + @brief Less operator + @param t The object to compare against + This operator is provided to establish some, not necessarily a certain sorting order + """ + def __ne__(self, text: object) -> bool: + r""" + @brief Inequality - Moves the edge collection by the given offset and returns the - moved edge collection. The edge collection is not modified. - @param x The x distance to move the edge collection. - @param y The y distance to move the edge collection. + Return true, if this text object and the given text are not equal + """ + def __str__(self, dbu: Optional[float] = ...) -> str: + r""" + @brief Converts the object to a string. + If a DBU is given, the output units will be micrometers. - @return The moved edge collection. + The DBU argument has been added in version 0.27.6. """ - def not_in(self, other: Edges) -> Edges: + def _create(self) -> None: r""" - @brief Returns all edges which are not members of the other edge collection - This method returns all edges in self which can not be found in the other edge collection with exactly the same geometry. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def not_inside(self, other: Edges) -> Edges: + def _destroy(self) -> None: r""" - @brief Returns the edges of this edge collection which are not inside (completely covered by) edges from the other edge collection - - @return A new edge collection containing the edges not overlapping or touching edges from the other edge collection - - This method has been introduced in version 0.28. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def not_inside(self, other: Region) -> Edges: + def _destroyed(self) -> bool: r""" - @brief Returns the edges from this edge collection which are not inside (completely covered by) polygons from the region - - @return A new edge collection containing the edges not overlapping or touching polygons from the region - - This method has been introduced in version 0.28. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def not_interacting(self, other: Edges) -> Edges: + def _is_const_object(self) -> bool: r""" - @brief Returns the edges of this edge collection which do not overlap or touch edges from the other edge collection + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - @return A new edge collection containing the edges not overlapping or touching edges from the other edge collection + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def not_interacting(self, other: Region) -> Edges: + def _unmanage(self) -> None: r""" - @brief Returns the edges from this edge collection which do not overlap or touch polygons from the region + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - @return A new edge collection containing the edges not overlapping or touching polygons from the region + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def not_members_of(self, other: Edges) -> Edges: + def assign(self, other: DText) -> None: r""" - @brief Returns all edges which are not members of the other edge collection - This method returns all edges in self which can not be found in the other edge collection with exactly the same geometry. + @brief Assigns another object to self """ - @overload - def not_outside(self, other: Edges) -> Edges: + def bbox(self) -> DBox: r""" - @brief Returns the edges of this edge collection which are not outside (completely covered by) edges from the other edge collection - - @return A new edge collection containing the edges not overlapping or touching edges from the other edge collection + @brief Gets the bounding box of the text + The bounding box of the text is a single point - the location of the text. Both points of the box are identical. - This method has been introduced in version 0.28. + This method has been added in version 0.28. """ - @overload - def not_outside(self, other: Region) -> Edges: + def create(self) -> None: r""" - @brief Returns the edges from this edge collection which are not outside (completely covered by) polygons from the region - - @return A new edge collection containing the edges not overlapping or touching polygons from the region - - This method has been introduced in version 0.28. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def outside(self, other: Edges) -> Edges: + def destroy(self) -> None: r""" - @brief Returns the edges of this edge collection which are outside (completely covered by) edges from the other edge collection - - @return A new edge collection containing the edges overlapping or touching edges from the other edge collection - - This method has been introduced in version 0.28. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def outside(self, other: Region) -> Edges: + def destroyed(self) -> bool: r""" - @brief Returns the edges from this edge collection which are outside (completely covered by) polygons from the region - - @return A new edge collection containing the edges overlapping or touching polygons from the region - - This method has been introduced in version 0.28. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def outside_part(self, other: Region) -> Edges: + def dup(self) -> DText: r""" - @brief Returns the parts of the edges of this edge collection which are outside the polygons of the region - - @return A new edge collection containing the edge parts outside the region - - This operation returns the parts of the edges which are not inside the given region. - This functionality is similar to the '-' operator, but edges on the borders of the polygons are included in the edge set. - As a side effect, the edges are made non-intersecting by introducing cut points where - edges intersect. - - This method has been introduced in version 0.24. + @brief Creates a copy of self """ - def overlap_check(self, other: Edges, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ...) -> EdgePairs: + def hash(self) -> int: r""" - @brief Performs an overlap check with options - @param d The minimum distance for which the edges are checked - @param other The other edge collection against which to check - @param whole_edges If true, deliver the whole edges - @param metrics Specify the metrics type - @param ignore_angle The threshold angle above which no check is performed - @param min_projection The lower threshold of the projected length of one edge onto another - @param max_projection The upper threshold of the projected length of one edge onto another - - If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. - - "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. - Use nil for this value to select the default (Euclidian metrics). - - "ignore_angle" specifies the angle threshold of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. - Use nil for this value to select the default. + @brief Computes a hash value + Returns a hash value for the given text object. This method enables texts as hash keys. - "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one threshold, pass nil to the respective value. + This method has been introduced in version 0.25. """ - @overload - def pull_interacting(self, other: Edges) -> Edges: + def is_const_object(self) -> bool: r""" - @brief Returns all edges of "other" which are interacting with polygons of this edge set - See the other \pull_interacting version for more details. - - @return The edge collection after the edges have been selected (from other) - - Merged semantics applies for this method (see \merged_semantics= of merged semantics) - - This method has been introduced in version 0.26.1 + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ @overload - def pull_interacting(self, other: Region) -> Region: + def move(self, distance: DVector) -> DText: r""" - @brief Returns all polygons of "other" which are interacting with (overlapping, touching) edges of this edge set - The "pull_..." methods are similar to "select_..." but work the opposite way: they select shapes from the argument region rather than self. In a deep (hierarchical) context the output region will be hierarchically aligned with self, so the "pull_..." methods provide a way for re-hierarchization. - - @return The region after the polygons have been selected (from other) + @brief Moves the text by a certain distance (modifies self) - Merged semantics applies for this method (see \merged_semantics= of merged semantics) - This method has been introduced in version 0.26.1 - """ - @overload - def select_inside(self, other: Edges) -> Edges: - r""" - @brief Selects the edges from this edge collection which are inside (completely covered by) edges from the other edge collection + Moves the text by a given offset and returns the moved + text. Does not check for coordinate overflows. - @return The edge collection after the edges have been selected (self) + @param p The offset to move the text. - This method has been introduced in version 0.28. + @return A reference to this text object """ @overload - def select_inside(self, other: Region) -> Edges: + def move(self, dx: float, dy: float) -> DText: r""" - @brief Selects the edges from this edge collection which are inside (completely covered by) polygons from the region + @brief Moves the text by a certain distance (modifies self) - @return The edge collection after the edges have been selected (self) - This method has been introduced in version 0.28. - """ - def select_inside_part(self, other: Region) -> Edges: - r""" - @brief Selects the parts of the edges from this edge collection which are inside the polygons of the given region + Moves the text by a given distance in x and y direction and returns the moved + text. Does not check for coordinate overflows. - @return The edge collection after the edges have been selected (self) + @param dx The x distance to move the text. + @param dy The y distance to move the text. - This operation selects the parts of the edges which are inside the given region. - This functionality is similar to the '&=' operator, but edges on the borders of the polygons are not included in the edge set. - As a side effect, the edges are made non-intersecting by introducing cut points where - edges intersect. + @return A reference to this text object - This method has been introduced in version 0.24. + This method was introduced in version 0.23. """ @overload - def select_interacting(self, other: Edges) -> Edges: + def moved(self, distance: DVector) -> DText: r""" - @brief Selects the edges from this edge collection which overlap or touch edges from the other edge collection + @brief Returns the text moved by a certain distance (does not modify self) - @return The edge collection after the edges have been selected (self) - """ - @overload - def select_interacting(self, other: Region) -> Edges: - r""" - @brief Selects the edges from this edge collection which overlap or touch polygons from the region - @return The edge collection after the edges have been selected (self) - """ - @overload - def select_not_inside(self, other: Edges) -> Edges: - r""" - @brief Selects the edges from this edge collection which are not inside (completely covered by) edges from the other edge collection + Moves the text by a given offset and returns the moved + text. Does not modify *this. Does not check for coordinate + overflows. - @return The edge collection after the edges have been selected (self) + @param p The offset to move the text. - This method has been introduced in version 0.28. + @return The moved text. """ @overload - def select_not_inside(self, other: Region) -> Edges: + def moved(self, dx: float, dy: float) -> DText: r""" - @brief Selects the edges from this edge collection which are not inside (completely covered by) polygons from the region + @brief Returns the text moved by a certain distance (does not modify self) - @return The edge collection after the edges have been selected (self) - This method has been introduced in version 0.28. + Moves the text by a given offset and returns the moved + text. Does not modify *this. Does not check for coordinate + overflows. + + @param dx The x distance to move the text. + @param dy The y distance to move the text. + + @return The moved text. + + This method was introduced in version 0.23. """ - @overload - def select_not_interacting(self, other: Edges) -> Edges: + def position(self) -> DPoint: r""" - @brief Selects the edges from this edge collection which do not overlap or touch edges from the other edge collection + @brief Gets the position of the text - @return The edge collection after the edges have been selected (self) + This convenience method has been added in version 0.28. """ - @overload - def select_not_interacting(self, other: Region) -> Edges: + def to_itype(self, dbu: Optional[float] = ...) -> Text: r""" - @brief Selects the edges from this edge collection which do not overlap or touch polygons from the region + @brief Converts the text to an integer coordinate text - @return The edge collection after the edges have been selected (self) + The database unit can be specified to translate the floating-point coordinate Text in micron units to an integer-coordinate text in database units. The text's coordinates will be divided by the database unit. + + This method has been introduced in version 0.25. """ - @overload - def select_not_outside(self, other: Edges) -> Edges: + def to_s(self, dbu: Optional[float] = ...) -> str: r""" - @brief Selects the edges from this edge collection which are not outside (completely covered by) edges from the other edge collection - - @return The edge collection after the edges have been selected (self) + @brief Converts the object to a string. + If a DBU is given, the output units will be micrometers. - This method has been introduced in version 0.28. + The DBU argument has been added in version 0.27.6. """ @overload - def select_not_outside(self, other: Region) -> Edges: + def transformed(self, t: DCplxTrans) -> DText: r""" - @brief Selects the edges from this edge collection which are not outside (completely covered by) polygons from the region + @brief Transforms the text with the given complex transformation - @return The edge collection after the edges have been selected (self) - This method has been introduced in version 0.28. + @param t The magnifying transformation to apply + @return The transformed text (a DText now) """ @overload - def select_outside(self, other: Edges) -> Edges: + def transformed(self, t: DTrans) -> DText: r""" - @brief Selects the edges from this edge collection which are outside (completely covered by) edges from the other edge collection + @brief Transforms the text with the given simple transformation - @return The edge collection after the edges have been selected (self) - This method has been introduced in version 0.28. + @param t The transformation to apply + @return The transformed text """ @overload - def select_outside(self, other: Region) -> Edges: + def transformed(self, t: VCplxTrans) -> Text: r""" - @brief Selects the edges from this edge collection which are outside (completely covered by) polygons from the region + @brief Transforms the text with the given complex transformation - @return The edge collection after the edges have been selected (self) - This method has been introduced in version 0.28. + @param t The magnifying transformation to apply + @return The transformed text (in this case an integer coordinate text) + + This method has been introduced in version 0.25. """ - def select_outside_part(self, other: Region) -> Edges: - r""" - @brief Selects the parts of the edges from this edge collection which are outside the polygons of the given region - @return The edge collection after the edges have been selected (self) +class DTrans: + r""" + @brief A simple transformation - This operation selects the parts of the edges which are not inside the given region. - This functionality is similar to the '-=' operator, but edges on the borders of the polygons are included in the edge set. - As a side effect, the edges are made non-intersecting by introducing cut points where - edges intersect. + Simple transformations only provide rotations about angles which a multiples of 90 degree. + Together with the mirror options, this results in 8 distinct orientations (fixpoint transformations). + These can be combined with a displacement which is applied after the rotation/mirror. + This version acts on floating-point coordinates. A version for integer coordinates is \Trans. - This method has been introduced in version 0.24. - """ - def separation_check(self, other: Edges, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ...) -> EdgePairs: - r""" - @brief Performs an overlap check with options - @param d The minimum distance for which the edges are checked - @param other The other edge collection against which to check - @param whole_edges If true, deliver the whole edges - @param metrics Specify the metrics type - @param ignore_angle The threshold angle above which no check is performed - @param min_projection The lower threshold of the projected length of one edge onto another - @param max_projection The upper threshold of the projected length of one edge onto another + Here are some examples for using the DTrans class: - If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. + @code + t = RBA::DTrans::new(0, 100) # displacement by 100 DBU in y direction + # the inverse: -> "r0 0,-100" + t.inverted.to_s + # concatenation: -> "r90 -100,0" + (RBA::DTrans::new(RBA::DTrans::R90) * t).to_s + # apply to a point: -> "0,100" + RBA::DTrans::new(RBA::DTrans::R90).trans(RBA::DPoint::new(100, 0)) + @/code - "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. - Use nil for this value to select the default (Euclidian metrics). + See @The Database API@ for more details about the database objects. + """ + M0: ClassVar[DTrans] + r""" + @brief A constant giving "mirrored at the x-axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + M135: ClassVar[DTrans] + r""" + @brief A constant giving "mirrored at the 135 degree axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + M45: ClassVar[DTrans] + r""" + @brief A constant giving "mirrored at the 45 degree axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + M90: ClassVar[DTrans] + r""" + @brief A constant giving "mirrored at the y (90 degree) axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + R0: ClassVar[DTrans] + r""" + @brief A constant giving "unrotated" (unit) transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + R180: ClassVar[DTrans] + r""" + @brief A constant giving "rotated by 180 degree counterclockwise" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + R270: ClassVar[DTrans] + r""" + @brief A constant giving "rotated by 270 degree counterclockwise" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + R90: ClassVar[DTrans] + r""" + @brief A constant giving "rotated by 90 degree counterclockwise" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + angle: int + r""" + Getter: + @brief Gets the angle in units of 90 degree - "ignore_angle" specifies the angle threshold of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. - Use nil for this value to select the default. + This value delivers the rotation component. In addition, a mirroring at the x axis may be applied before if the \is_mirror? property is true. + Setter: + @brief Sets the angle in units of 90 degree + @param a The new angle - "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one threshold, pass nil to the respective value. - """ - def size(self) -> int: - r""" - @brief Returns the (flat) number of edges in the edge collection + This method was introduced in version 0.20. + """ + disp: DVector + r""" + Getter: + @brief Gets to the displacement vector - This returns the number of raw edges (not merged edges if merged semantics is enabled). - The count is computed 'as if flat', i.e. edges inside a cell are multiplied by the number of times a cell is instantiated. + Staring with version 0.25 the displacement type is a vector. + Setter: + @brief Sets the displacement + @param u The new displacement - Starting with version 0.27, the method is called 'count' for consistency with \Region. 'size' is still provided as an alias. - """ - def space_check(self, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ...) -> EdgePairs: - r""" - @brief Performs a space check with options - @param d The minimum distance for which the edges are checked - @param whole_edges If true, deliver the whole edges - @param metrics Specify the metrics type - @param ignore_angle The threshold angle above which no check is performed - @param min_projection The lower threshold of the projected length of one edge onto another - @param max_projection The upper threshold of the projected length of one edge onto another + This method was introduced in version 0.20. + Staring with version 0.25 the displacement type is a vector. + """ + mirror: bool + r""" + Getter: + @brief Gets the mirror flag - If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the space check. + If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. + Setter: + @brief Sets the mirror flag + "mirroring" describes a reflection at the x-axis which is included in the transformation prior to rotation.@param m The new mirror flag - "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. - Use nil for this value to select the default (Euclidian metrics). + This method was introduced in version 0.20. + """ + rot: int + r""" + Getter: + @brief Gets the angle/mirror code - "ignore_angle" specifies the angle threshold of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. - Use nil for this value to select the default. + The angle/mirror code is one of the constants R0, R90, R180, R270, M0, M45, M90 and M135. rx is the rotation by an angle of x counter clockwise. mx is the mirroring at the axis given by the angle x (to the x-axis). + Setter: + @brief Sets the angle/mirror code + @param r The new angle/rotation code (see \rot property) - "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one threshold, pass nil to the respective value. - """ - @overload - def split_inside(self, other: Edges) -> List[Edges]: + This method was introduced in version 0.20. + """ + @classmethod + def from_itrans(cls, trans: Trans) -> DTrans: r""" - @brief Selects the edges from this edge collection which are and are not inside (completely covered by) edges from the other collection + @brief Creates a floating-point coordinate transformation from an integer coordinate transformation - @return A two-element list of edge collections (first: inside, second: non-inside) + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_itrans'. + """ + @classmethod + def from_s(cls, s: str) -> DTrans: + r""" + @brief Creates a transformation from a string + Creates the object from a string representation (as returned by \to_s) - This method provides a faster way to compute both inside and non-inside edges compared to using separate methods. It has been introduced in version 0.28. + This method has been added in version 0.23. """ @overload - def split_inside(self, other: Region) -> List[Edges]: + @classmethod + def new(cls) -> DTrans: r""" - @brief Selects the edges from this edge collection which are and are not inside (completely covered by) polygons from the other region - - @return A two-element list of edge collections (first: inside, second: non-inside) - - This method provides a faster way to compute both inside and non-inside edges compared to using separate methods. It has been introduced in version 0.28. + @brief Creates a unit transformation """ @overload - def split_interacting(self, other: Edges) -> List[Edges]: + @classmethod + def new(cls, c: DTrans, u: Optional[DVector] = ...) -> DTrans: r""" - @brief Selects the edges from this edge collection which do and do not interact with edges from the other collection + @brief Creates a transformation from another transformation plus a displacement - @return A two-element list of edge collections (first: interacting, second: non-interacting) + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - This method provides a faster way to compute both interacting and non-interacting edges compared to using separate methods. It has been introduced in version 0.28. + This variant has been introduced in version 0.25. + + @param c The original transformation + @param u The Additional displacement """ @overload - def split_interacting(self, other: Region) -> List[Edges]: + @classmethod + def new(cls, c: DTrans, x: float, y: float) -> DTrans: r""" - @brief Selects the edges from this edge collection which do and do not interact with polygons from the other region + @brief Creates a transformation from another transformation plus a displacement - @return A two-element list of edge collections (first: interacting, second: non-interacting) + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - This method provides a faster way to compute both interacting and non-interacting edges compared to using separate methods. It has been introduced in version 0.28. + This variant has been introduced in version 0.25. + + @param c The original transformation + @param x The Additional displacement (x) + @param y The Additional displacement (y) """ @overload - def split_outside(self, other: Edges) -> List[Edges]: + @classmethod + def new(cls, rot: int, mirr: Optional[bool] = ..., u: Optional[DVector] = ...) -> DTrans: r""" - @brief Selects the edges from this edge collection which are and are not outside (completely covered by) edges from the other collection + @brief Creates a transformation using angle and mirror flag - @return A two-element list of edge collections (first: outside, second: non-outside) + The sequence of operations is: mirroring at x axis, + rotation, application of displacement. - This method provides a faster way to compute both outside and non-outside edges compared to using separate methods. It has been introduced in version 0.28. + @param rot The rotation in units of 90 degree + @param mirrx True, if mirrored at x axis + @param u The displacement """ @overload - def split_outside(self, other: Region) -> List[Edges]: + @classmethod + def new(cls, rot: int, mirr: bool, x: float, y: float) -> DTrans: r""" - @brief Selects the edges from this edge collection which are and are not outside (completely covered by) polygons from the other region + @brief Creates a transformation using angle and mirror flag and two coordinate values for displacement - @return A two-element list of edge collections (first: outside, second: non-outside) + The sequence of operations is: mirroring at x axis, + rotation, application of displacement. - This method provides a faster way to compute both outside and non-outside edges compared to using separate methods. It has been introduced in version 0.28. + @param rot The rotation in units of 90 degree + @param mirrx True, if mirrored at x axis + @param x The horizontal displacement + @param y The vertical displacement """ - def start_segments(self, length: int, fraction: float) -> Edges: + @overload + @classmethod + def new(cls, trans: Trans) -> DTrans: r""" - @brief Returns edges representing a part of the edge after the start point - @return A new collection of edges representing the start part - This method allows one to specify the length of these segments in a twofold way: either as a fixed length or by specifying a fraction of the original length: - - @code - edges = ... # An edge collection - edges.start_segments(100, 0.0) # All segments have a length of 100 DBU - edges.start_segments(0, 50.0) # All segments have a length of half the original length - edges.start_segments(100, 50.0) # All segments have a length of half the original length - # or 100 DBU, whichever is larger - @/code + @brief Creates a floating-point coordinate transformation from an integer coordinate transformation - It is possible to specify 0 for both values. In this case, degenerated edges (points) are delivered which specify the start positions of the edges but can't participate in some functions. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_itrans'. """ - def swap(self, other: Edges) -> None: + @overload + @classmethod + def new(cls, u: DVector) -> DTrans: r""" - @brief Swap the contents of this edge collection with the contents of another one - This method is useful to avoid excessive memory allocation in some cases. For managed memory languages such as Ruby, those cases will be rare. + @brief Creates a transformation using a displacement only + + @param u The displacement """ @overload - def to_s(self) -> str: + @classmethod + def new(cls, x: float, y: float) -> DTrans: r""" - @brief Converts the edge collection to a string - The length of the output is limited to 20 edges to avoid giant strings on large regions. For full output use "to_s" with a maximum count parameter. + @brief Creates a transformation using a displacement given as two coordinates + + @param x The horizontal displacement + @param y The vertical displacement + """ + def __copy__(self) -> DTrans: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> DTrans: + r""" + @brief Creates a copy of self + """ + def __eq__(self, other: object) -> bool: + r""" + @brief Tests for equality + """ + def __hash__(self) -> int: + r""" + @brief Computes a hash value + Returns a hash value for the given transformation. This method enables transformations as hash keys. + + This method has been introduced in version 0.25. """ @overload - def to_s(self, max_count: int) -> str: + def __init__(self) -> None: r""" - @brief Converts the edge collection to a string - This version allows specification of the maximum number of edges contained in the string. + @brief Creates a unit transformation """ @overload - def transform(self, t: ICplxTrans) -> Edges: + def __init__(self, c: DTrans, u: Optional[DVector] = ...) -> None: r""" - @brief Transform the edge collection with a complex transformation (modifies self) + @brief Creates a transformation from another transformation plus a displacement - Transforms the edge collection with the given transformation. - This version modifies the edge collection and returns a reference to self. + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - @param t The transformation to apply. + This variant has been introduced in version 0.25. - @return The transformed edge collection. + @param c The original transformation + @param u The Additional displacement """ @overload - def transform(self, t: IMatrix2d) -> Edges: + def __init__(self, c: DTrans, x: float, y: float) -> None: r""" - @brief Transform the edge collection (modifies self) - - Transforms the edge collection with the given 2d matrix transformation. - This version modifies the edge collection and returns a reference to self. + @brief Creates a transformation from another transformation plus a displacement - @param t The transformation to apply. + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - @return The transformed edge collection. + This variant has been introduced in version 0.25. - This variant has been introduced in version 0.27. + @param c The original transformation + @param x The Additional displacement (x) + @param y The Additional displacement (y) """ @overload - def transform(self, t: IMatrix3d) -> Edges: + def __init__(self, rot: int, mirr: Optional[bool] = ..., u: Optional[DVector] = ...) -> None: r""" - @brief Transform the edge collection (modifies self) - - Transforms the edge collection with the given 3d matrix transformation. - This version modifies the edge collection and returns a reference to self. - - @param t The transformation to apply. + @brief Creates a transformation using angle and mirror flag - @return The transformed edge collection. + The sequence of operations is: mirroring at x axis, + rotation, application of displacement. - This variant has been introduced in version 0.27. + @param rot The rotation in units of 90 degree + @param mirrx True, if mirrored at x axis + @param u The displacement """ @overload - def transform(self, t: Trans) -> Edges: + def __init__(self, rot: int, mirr: bool, x: float, y: float) -> None: r""" - @brief Transform the edge collection (modifies self) - - Transforms the edge collection with the given transformation. - This version modifies the edge collection and returns a reference to self. + @brief Creates a transformation using angle and mirror flag and two coordinate values for displacement - @param t The transformation to apply. + The sequence of operations is: mirroring at x axis, + rotation, application of displacement. - @return The transformed edge collection. + @param rot The rotation in units of 90 degree + @param mirrx True, if mirrored at x axis + @param x The horizontal displacement + @param y The vertical displacement """ - def transform_icplx(self, t: ICplxTrans) -> Edges: + @overload + def __init__(self, trans: Trans) -> None: r""" - @brief Transform the edge collection with a complex transformation (modifies self) + @brief Creates a floating-point coordinate transformation from an integer coordinate transformation - Transforms the edge collection with the given transformation. - This version modifies the edge collection and returns a reference to self. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_itrans'. + """ + @overload + def __init__(self, u: DVector) -> None: + r""" + @brief Creates a transformation using a displacement only - @param t The transformation to apply. + @param u The displacement + """ + @overload + def __init__(self, x: float, y: float) -> None: + r""" + @brief Creates a transformation using a displacement given as two coordinates - @return The transformed edge collection. + @param x The horizontal displacement + @param y The vertical displacement + """ + def __lt__(self, other: DTrans) -> bool: + r""" + @brief Provides a 'less' criterion for sorting + This method is provided to implement a sorting order. The definition of 'less' is opaque and might change in future versions. """ @overload - def transformed(self, t: ICplxTrans) -> Edges: + def __mul__(self, box: DBox) -> DBox: r""" - @brief Transform the edge collection with a complex transformation + @brief Transforms a box - Transforms the edge collection with the given complex transformation. - Does not modify the edge collection but returns the transformed edge collection. + 't*box' or 't.trans(box)' is equivalent to box.transformed(t). - @param t The transformation to apply. + @param box The box to transform + @return The transformed box - @return The transformed edge collection. + This convenience method has been introduced in version 0.25. """ @overload - def transformed(self, t: IMatrix2d) -> Edges: + def __mul__(self, d: float) -> float: r""" - @brief Transform the edge collection - - Transforms the edge collection with the given 2d matrix transformation. - Does not modify the edge collection but returns the transformed edge collection. + @brief Transforms a distance - @param t The transformation to apply. + The "ctrans" method transforms the given distance. + e = t(d). For the simple transformations, there + is no magnification and no modification of the distance + therefore. - @return The transformed edge collection. + @param d The distance to transform + @return The transformed distance - This variant has been introduced in version 0.27. + The product '*' has been added as a synonym in version 0.28. """ @overload - def transformed(self, t: IMatrix3d) -> Edges: + def __mul__(self, edge: DEdge) -> DEdge: r""" - @brief Transform the edge collection - - Transforms the edge collection with the given 3d matrix transformation. - Does not modify the edge collection but returns the transformed edge collection. + @brief Transforms an edge - @param t The transformation to apply. + 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). - @return The transformed edge collection. + @param edge The edge to transform + @return The transformed edge - This variant has been introduced in version 0.27. + This convenience method has been introduced in version 0.25. """ @overload - def transformed(self, t: Trans) -> Edges: + def __mul__(self, p: DPoint) -> DPoint: r""" - @brief Transform the edge collection + @brief Transforms a point - Transforms the edge collection with the given transformation. - Does not modify the edge collection but returns the transformed edge collection. + The "trans" method or the * operator transforms the given point. + q = t(p) - @param t The transformation to apply. + The * operator has been introduced in version 0.25. - @return The transformed edge collection. + @param p The point to transform + @return The transformed point """ - def transformed_icplx(self, t: ICplxTrans) -> Edges: + @overload + def __mul__(self, path: DPath) -> DPath: r""" - @brief Transform the edge collection with a complex transformation + @brief Transforms a path - Transforms the edge collection with the given complex transformation. - Does not modify the edge collection but returns the transformed edge collection. + 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - @param t The transformation to apply. + @param path The path to transform + @return The transformed path - @return The transformed edge collection. + This convenience method has been introduced in version 0.25. """ - def width_check(self, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ...) -> EdgePairs: + @overload + def __mul__(self, polygon: DPolygon) -> DPolygon: r""" - @brief Performs a width check with options - @param d The minimum width for which the edges are checked - @param whole_edges If true, deliver the whole edges - @param metrics Specify the metrics type - @param ignore_angle The threshold angle above which no check is performed - @param min_projection The lower threshold of the projected length of one edge onto another - @param max_projection The upper threshold of the projected length of one edge onto another - - If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. + @brief Transforms a polygon - "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. - Use nil for this value to select the default (Euclidian metrics). + 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - "ignore_angle" specifies the angle threshold of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. - Use nil for this value to select the default. + @param polygon The polygon to transform + @return The transformed polygon - "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one threshold, pass nil to the respective value. + This convenience method has been introduced in version 0.25. """ @overload - def with_angle(self, angle: float, inverse: bool) -> Edges: + def __mul__(self, t: DTrans) -> DTrans: r""" - @brief Filters the edges by orientation - Filters the edges in the edge collection by orientation. If "inverse" is false, only edges which have the given angle to the x-axis are returned. If "inverse" is true, edges not having the given angle are returned. + @brief Returns the concatenated transformation - This will select horizontal edges: + The * operator returns self*t ("t is applied before this transformation"). - @code - horizontal = edges.with_angle(0, false) - @/code + @param t The transformation to apply before + @return The modified transformation """ @overload - def with_angle(self, type: Edges.EdgeType, inverse: bool) -> Edges: + def __mul__(self, text: DText) -> DText: r""" - @brief Filters the edges by orientation type - Filters the edges in the edge collection by orientation. If "inverse" is false, only edges which have an angle of the given type are returned. If "inverse" is true, edges which do not conform to this criterion are returned. + @brief Transforms a text - This version allows specifying an edge type instead of an angle. Edge types include multiple distinct orientations and are specified using one of the \OrthoEdges, \DiagonalEdges or \OrthoDiagonalEdges types. + 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - This method has been added in version 0.28. + @param text The text to transform + @return The transformed text + + This convenience method has been introduced in version 0.25. """ @overload - def with_angle(self, min_angle: float, max_angle: float, inverse: bool, include_min_angle: Optional[bool] = ..., include_max_angle: Optional[bool] = ...) -> Edges: + def __mul__(self, v: DVector) -> DVector: r""" - @brief Filters the edges by orientation - Filters the edges in the edge collection by orientation. If "inverse" is false, only edges which have an angle to the x-axis larger or equal to "min_angle" (depending on "include_min_angle") and equal or less than "max_angle" (depending on "include_max_angle") are returned. If "inverse" is true, edges which do not conform to this criterion are returned. + @brief Transforms a vector - With "include_min_angle" set to true (the default), the minimum angle is included in the criterion while with false, the minimum angle itself is not included. Same for "include_max_angle" where the default is false, meaning the maximum angle is not included in the range. + The "trans" method or the * operator transforms the given vector. + w = t(v) - The two "include.." arguments have been added in version 0.27. + Vector transformation has been introduced in version 0.25. + + @param v The vector to transform + @return The transformed vector """ - @overload - def with_length(self, length: int, inverse: bool) -> Edges: + def __ne__(self, other: object) -> bool: r""" - @brief Filters the edges by length - Filters the edges in the edge collection by length. If "inverse" is false, only edges which have the given length are returned. If "inverse" is true, edges not having the given length are returned. + @brief Tests for inequality """ @overload - def with_length(self, min_length: Any, max_length: Any, inverse: bool) -> Edges: + def __rmul__(self, box: DBox) -> DBox: r""" - @brief Filters the edges by length - Filters the edges in the edge collection by length. If "inverse" is false, only edges which have a length larger or equal to "min_length" and less than "max_length" are returned. If "inverse" is true, edges not having a length less than "min_length" or larger or equal than "max_length" are returned. + @brief Transforms a box - If you don't want to specify a lower or upper limit, pass nil to that parameter. - """ + 't*box' or 't.trans(box)' is equivalent to box.transformed(t). -class InstElement: - r""" - @brief An element in an instantiation path + @param box The box to transform + @return The transformed box - This objects are used to reference a single instance in a instantiation path. The object is composed of a \CellInstArray object (accessible through the \cell_inst accessor) that describes the basic instance, which may be an array. The particular instance within the array can be further retrieved using the \array_member_trans, \specific_trans or \specific_cplx_trans methods. - """ - @overload - @classmethod - def new(cls) -> InstElement: - r""" - @brief Default constructor + This convenience method has been introduced in version 0.25. """ @overload - @classmethod - def new(cls, inst: Instance) -> InstElement: + def __rmul__(self, d: float) -> float: r""" - @brief Create an instance element from a single instance alone - Starting with version 0.15, this method takes an \Instance object (an instance reference) as the argument. + @brief Transforms a distance + + The "ctrans" method transforms the given distance. + e = t(d). For the simple transformations, there + is no magnification and no modification of the distance + therefore. + + @param d The distance to transform + @return The transformed distance + + The product '*' has been added as a synonym in version 0.28. """ @overload - @classmethod - def new(cls, inst: Instance, a_index: int, b_index: int) -> InstElement: - r""" - @brief Create an instance element from an array instance pointing into a certain array member - Starting with version 0.15, this method takes an \Instance object (an instance reference) as the first argument. - """ - @classmethod - def new_i(cls, inst: Instance) -> InstElement: - r""" - @brief Create an instance element from a single instance alone - Starting with version 0.15, this method takes an \Instance object (an instance reference) as the argument. - """ - @classmethod - def new_iab(cls, inst: Instance, a_index: int, b_index: int) -> InstElement: - r""" - @brief Create an instance element from an array instance pointing into a certain array member - Starting with version 0.15, this method takes an \Instance object (an instance reference) as the first argument. - """ - def __copy__(self) -> InstElement: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> InstElement: + def __rmul__(self, edge: DEdge) -> DEdge: r""" - @brief Creates a copy of self + @brief Transforms an edge + + 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). + + @param edge The edge to transform + @return The transformed edge + + This convenience method has been introduced in version 0.25. """ - def __eq__(self, b: object) -> bool: + @overload + def __rmul__(self, p: DPoint) -> DPoint: r""" - @brief Equality of two InstElement objects - Note: this operator returns true if both instance elements refer to the same instance, not just identical ones. + @brief Transforms a point + + The "trans" method or the * operator transforms the given point. + q = t(p) + + The * operator has been introduced in version 0.25. + + @param p The point to transform + @return The transformed point """ @overload - def __init__(self) -> None: + def __rmul__(self, path: DPath) -> DPath: r""" - @brief Default constructor + @brief Transforms a path + + 't*path' or 't.trans(path)' is equivalent to path.transformed(t). + + @param path The path to transform + @return The transformed path + + This convenience method has been introduced in version 0.25. """ @overload - def __init__(self, inst: Instance) -> None: + def __rmul__(self, polygon: DPolygon) -> DPolygon: r""" - @brief Create an instance element from a single instance alone - Starting with version 0.15, this method takes an \Instance object (an instance reference) as the argument. + @brief Transforms a polygon + + 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). + + @param polygon The polygon to transform + @return The transformed polygon + + This convenience method has been introduced in version 0.25. """ @overload - def __init__(self, inst: Instance, a_index: int, b_index: int) -> None: + def __rmul__(self, text: DText) -> DText: r""" - @brief Create an instance element from an array instance pointing into a certain array member - Starting with version 0.15, this method takes an \Instance object (an instance reference) as the first argument. + @brief Transforms a text + + 't*text' or 't.trans(text)' is equivalent to text.transformed(t). + + @param text The text to transform + @return The transformed text + + This convenience method has been introduced in version 0.25. """ - def __lt__(self, b: InstElement) -> bool: + @overload + def __rmul__(self, v: DVector) -> DVector: r""" - @brief Provides an order criterion for two InstElement objects - Note: this operator is just provided to establish any order, not a particular one. + @brief Transforms a vector + + The "trans" method or the * operator transforms the given vector. + w = t(v) + + Vector transformation has been introduced in version 0.25. + + @param v The vector to transform + @return The transformed vector """ - def __ne__(self, b: object) -> bool: + def __str__(self, dbu: Optional[float] = ...) -> str: r""" - @brief Inequality of two InstElement objects - See the comments on the == operator. + @brief String conversion + If a DBU is given, the output units will be micrometers. + + The DBU argument has been added in version 0.27.6. """ def _create(self) -> None: r""" @@ -12562,28 +12104,29 @@ class InstElement: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def array_member_trans(self) -> Trans: - r""" - @brief Returns the transformation for this array member - - The array member transformation is the one applicable in addition to the global transformation for the member selected from an array. - If this instance is not an array instance, the specific transformation is a unit transformation without displacement. - """ - def assign(self, other: InstElement) -> None: + def assign(self, other: DTrans) -> None: r""" @brief Assigns another object to self """ - def cell_inst(self) -> CellInstArray: - r""" - @brief Accessor to the cell instance (array). - - This method is equivalent to "self.inst.cell_inst" and provided for convenience. - """ def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ + def ctrans(self, d: float) -> float: + r""" + @brief Transforms a distance + + The "ctrans" method transforms the given distance. + e = t(d). For the simple transformations, there + is no magnification and no modification of the distance + therefore. + + @param d The distance to transform + @return The transformed distance + + The product '*' has been added as a synonym in version 0.28. + """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -12596,31 +12139,32 @@ class InstElement: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> InstElement: + def dup(self) -> DTrans: r""" @brief Creates a copy of self """ - def ia(self) -> int: + def hash(self) -> int: r""" - @brief Returns the 'a' axis index for array instances - For instance elements describing one member of an array, this attribute will deliver the a axis index addressed by this element. See \ib and \array_member_trans for further attributes applicable to array members. - If the element is a plain instance and not an array member, this attribute is a negative value. + @brief Computes a hash value + Returns a hash value for the given transformation. This method enables transformations as hash keys. This method has been introduced in version 0.25. """ - def ib(self) -> int: + def invert(self) -> DTrans: r""" - @brief Returns the 'b' axis index for array instances - For instance elements describing one member of an array, this attribute will deliver the a axis index addressed by this element. See \ia and \array_member_trans for further attributes applicable to array members. - If the element is a plain instance and not an array member, this attribute is a negative value. + @brief Inverts the transformation (in place) - This method has been introduced in version 0.25. + Inverts the transformation and replaces this object by the + inverted one. + + @return The inverted transformation """ - def inst(self) -> Instance: + def inverted(self) -> DTrans: r""" - @brief Gets the \Instance object held in this instance path element. + @brief Returns the inverted transformation + Returns the inverted transformation - This method has been added in version 0.24. + @return The inverted transformation """ def is_const_object(self) -> bool: r""" @@ -12628,364 +12172,318 @@ class InstElement: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def prop_id(self) -> int: + def is_mirror(self) -> bool: r""" - @brief Accessor to the property attached to this instance. + @brief Gets the mirror flag - This method is equivalent to "self.inst.prop_id" and provided for convenience. + If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. """ - def specific_cplx_trans(self) -> ICplxTrans: + def to_itype(self, dbu: Optional[float] = ...) -> Trans: r""" - @brief Returns the specific complex transformation for this instance + @brief Converts the transformation to an integer coordinate transformation - The specific transformation is the one applicable for the member selected from an array. - This is the effective transformation applied for this array member. \array_member_trans gives the transformation applied additionally to the instances' global transformation (in other words, specific_cplx_trans = array_member_trans * cell_inst.cplx_trans). + The database unit can be specified to translate the floating-point coordinate transformation in micron units to an integer-coordinate transformation in database units. The transformation's' coordinates will be divided by the database unit. + + This method has been introduced in version 0.25. """ - def specific_trans(self) -> Trans: + def to_s(self, dbu: Optional[float] = ...) -> str: r""" - @brief Returns the specific transformation for this instance + @brief String conversion + If a DBU is given, the output units will be micrometers. - The specific transformation is the one applicable for the member selected from an array. - This is the effective transformation applied for this array member. \array_member_trans gives the transformation applied additionally to the instances' global transformation (in other words, specific_trans = array_member_trans * cell_inst.trans). - This method delivers a simple transformation that does not include magnification components. To get these as well, use \specific_cplx_trans. + The DBU argument has been added in version 0.27.6. """ + @overload + def trans(self, box: DBox) -> DBox: + r""" + @brief Transforms a box -class LayerMapping: - r""" - @brief A layer mapping (source to target layout) - - A layer mapping is an association of layers in two layouts forming pairs of layers, i.e. one layer corresponds to another layer in the other layout. The LayerMapping object describes the mapping of layers of a source layout A to a target layout B. - - A layer mapping can be set up manually or using the methods \create or \create_full. - - @code - lm = RBA::LayerMapping::new - # explicit: - lm.map(2, 1) # map layer index 2 of source to 1 of target - lm.map(7, 3) # map layer index 7 of source to 3 of target - ... - # or employing the specification identity: - lm.create(target_layout, source_layout) - # plus creating layers which don't exist in the target layout yet: - new_layers = lm.create_full(target_layout, source_layout) - @/code - - A layer might not be mapped to another layer which basically means that there is no corresponding layer. - Such layers will be ignored in operations using the layer mapping. Use \create_full to ensure all layers - of the source layout are mapped. - - LayerMapping objects play a role mainly in the hierarchical copy or move operations of \Layout. However, use is not restricted to these applications. + 't*box' or 't.trans(box)' is equivalent to box.transformed(t). - This class has been introduced in version 0.23. - """ - @classmethod - def new(cls) -> LayerMapping: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> LayerMapping: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> LayerMapping: - r""" - @brief Creates a copy of self - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @param box The box to transform + @return The transformed box - Usually it's not required to call this method. It has been introduced in version 0.24. + This convenience method has been introduced in version 0.25. """ - def _unmanage(self) -> None: + @overload + def trans(self, edge: DEdge) -> DEdge: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Transforms an edge - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: LayerMapping) -> None: - r""" - @brief Assigns another object to self - """ - def clear(self) -> None: - r""" - @brief Clears the mapping. - """ - def create(self, layout_a: Layout, layout_b: Layout) -> None: - r""" - @brief Initialize the layer mapping from two layouts + 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). - @param layout_a The target layout - @param layout_b The source layout + @param edge The edge to transform + @return The transformed edge - The layer mapping is created by looking up each layer of layout_b in layout_a. All layers with matching specifications (\LayerInfo) are mapped. Layouts without a layer/datatype/name specification will not be mapped. - \create_full is a version of this method which creates new layers in layout_a if no corresponding layer is found. + This convenience method has been introduced in version 0.25. """ - def create_full(self, layout_a: Layout, layout_b: Layout) -> List[int]: + @overload + def trans(self, p: DPoint) -> DPoint: r""" - @brief Initialize the layer mapping from two layouts + @brief Transforms a point - @param layout_a The target layout - @param layout_b The source layout - @return A list of layers created + The "trans" method or the * operator transforms the given point. + q = t(p) - The layer mapping is created by looking up each layer of layout_b in layout_a. All layers with matching specifications (\LayerInfo) are mapped. Layouts without a layer/datatype/name specification will not be mapped. - Layers with a valid specification which are not found in layout_a are created there. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def dup(self) -> LayerMapping: - r""" - @brief Creates a copy of self + The * operator has been introduced in version 0.25. + + @param p The point to transform + @return The transformed point """ - def has_mapping(self, layer_index_b: int) -> bool: + @overload + def trans(self, path: DPath) -> DPath: r""" - @brief Determine if a layer in layout_b has a mapping to a layout_a layer. + @brief Transforms a path + 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - @param layer_index_b The index of the layer in layout_b whose mapping is requested. - @return true, if the layer has a mapping - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @param path The path to transform + @return The transformed path + + This convenience method has been introduced in version 0.25. """ - def layer_mapping(self, layer_index_b: int) -> int: + @overload + def trans(self, polygon: DPolygon) -> DPolygon: r""" - @brief Determine layer mapping of a layout_b layer to the corresponding layout_a layer. + @brief Transforms a polygon + 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - @param layer_index_b The index of the layer in layout_b whose mapping is requested. - @return The corresponding layer in layout_a. + @param polygon The polygon to transform + @return The transformed polygon + + This convenience method has been introduced in version 0.25. """ - def map(self, layer_index_b: int, layer_index_a: int) -> None: + @overload + def trans(self, text: DText) -> DText: r""" - @brief Explicitly specify a mapping. + @brief Transforms a text + 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - @param layer_index_b The index of the layer in layout B (the "source") - @param layer_index_a The index of the layer in layout A (the "target") + @param text The text to transform + @return The transformed text - Beside using the mapping generator algorithms provided through \create and \create_full, it is possible to explicitly specify layer mappings using this method. + This convenience method has been introduced in version 0.25. """ - def table(self) -> Dict[int, int]: + @overload + def trans(self, v: DVector) -> DVector: r""" - @brief Returns the mapping table. + @brief Transforms a vector - The mapping table is a dictionary where the keys are source layout layer indexes and the values are the target layout layer indexes. + The "trans" method or the * operator transforms the given vector. + w = t(v) - This method has been introduced in version 0.25. + Vector transformation has been introduced in version 0.25. + + @param v The vector to transform + @return The transformed vector """ -class LayerInfo: +class DVector: r""" - @brief A structure encapsulating the layer properties - - The layer properties describe how a layer is stored in a GDS2 or OASIS file for example. The \LayerInfo object represents the storage properties that are attached to a layer in the database. - - In general, a layer has either a layer and a datatype number (in GDS2), a name (for example in DXF or CIF) or both (in OASIS). In the latter case, the primary identification is through layer and datatype number and the name is some annotation attached to it. A \LayerInfo object which specifies just a name returns true on \is_named?. - The \LayerInfo object can also specify an anonymous layer (use \LayerInfo#new without arguments). Such a layer will not be stored when saving the layout. They can be employed for temporary layers for example. Use \LayerInfo#anonymous? to test whether a layer does not have a specification. + @brief A vector class with double (floating-point) coordinates + A vector is a distance in cartesian, 2 dimensional space. A vector is given by two coordinates (x and y) and represents the distance between two points. Being the distance, transformations act differently on vectors: the displacement is not applied. + Vectors are not geometrical objects by itself. But they are frequently used in the database API for various purposes. Other than the integer variant (\Vector), points with floating-point coordinates can represent fractions of a database unit or vectors in physical (micron) units. - The \LayerInfo is used for example in \Layout#insert_layer to specify the properties of the new layer that will be created. The \is_equivalent? method compares two \LayerInfo objects using the layer and datatype numbers with a higher priority over the name. - """ - datatype: int - r""" - Getter: - @brief Gets the datatype + This class has been introduced in version 0.25. - Setter: - @brief Set the datatype + See @The Database API@ for more details about the database objects. """ - layer: int + x: float r""" Getter: - @brief Gets the layer number + @brief Accessor to the x coordinate Setter: - @brief Sets the layer number + @brief Write accessor to the x coordinate """ - name: str + y: float r""" Getter: - @brief Gets the layer name + @brief Accessor to the y coordinate Setter: - @brief Set the layer name - The name is set on OASIS input for example, if the layer has a name. + @brief Write accessor to the y coordinate """ @classmethod - def from_string(cls, s: str, as_target: Optional[bool] = ...) -> LayerInfo: + def from_s(cls, s: str) -> DVector: r""" - @brief Create a layer info object from a string - @param The string - @return The LayerInfo object - - If 'as_target' is true, relative specifications such as '*+1' for layer or datatype are permitted. - - This method will take strings as produced by \to_s and create a \LayerInfo object from them. The format is either "layer", "layer/datatype", "name" or "name (layer/datatype)". - - This method was added in version 0.23. - The 'as_target' argument has been added in version 0.26.5. + @brief Creates an object from a string + Creates the object from a string representation (as returned by \to_s) """ @overload @classmethod - def new(cls) -> LayerInfo: + def new(cls) -> DVector: r""" - @brief The default constructor. - Creates a default \LayerInfo object. - - This method was added in version 0.18. + @brief Default constructor: creates a null vector with coordinates (0,0) """ @overload @classmethod - def new(cls, name: str) -> LayerInfo: + def new(cls, p: DPoint) -> DVector: r""" - @brief The constructor for a named layer. - Creates a \LayerInfo object representing a named layer. - @param name The name - - This method was added in version 0.18. + @brief Default constructor: creates a vector from a point + This constructor is equivalent to computing p-point(0,0). + This method has been introduced in version 0.25. """ @overload @classmethod - def new(cls, layer: int, datatype: int) -> LayerInfo: + def new(cls, vector: Vector) -> DVector: r""" - @brief The constructor for a layer/datatype pair. - Creates a \LayerInfo object representing a layer and datatype. - @param layer The layer number - @param datatype The datatype number - - This method was added in version 0.18. + @brief Creates a floating-point coordinate vector from an integer coordinate vector """ @overload @classmethod - def new(cls, layer: int, datatype: int, name: str) -> LayerInfo: + def new(cls, x: float, y: float) -> DVector: r""" - @brief The constructor for a named layer with layer and datatype. - Creates a \LayerInfo object representing a named layer with layer and datatype. - @param layer The layer number - @param datatype The datatype number - @param name The name + @brief Constructor for a vector from two coordinate values - This method was added in version 0.18. """ - def __copy__(self) -> LayerInfo: + @overload + def __add__(self, p: DPoint) -> DPoint: + r""" + @brief Adds a vector and a point + + + Returns the point p shifted by the vector. + """ + @overload + def __add__(self, v: DVector) -> DVector: + r""" + @brief Adds two vectors + + + Adds vector v to self by adding the coordinates. + """ + def __copy__(self) -> DVector: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> LayerInfo: + def __deepcopy__(self) -> DVector: r""" @brief Creates a copy of self """ - def __eq__(self, b: object) -> bool: + def __eq__(self, v: object) -> bool: r""" - @brief Compares two layer info objects - @return True, if both are equal + @brief Equality test operator - This method was added in version 0.18. """ def __hash__(self) -> int: r""" @brief Computes a hash value - Returns a hash value for the given layer info object. This method enables layer info objects as hash keys. + Returns a hash value for the given vector. This method enables vectors as hash keys. This method has been introduced in version 0.25. """ + def __imul__(self, f: float) -> DVector: + r""" + @brief Scaling by some factor + + + Scales object in place. All coordinates are multiplied with the given factor and if necessary rounded. + """ @overload def __init__(self) -> None: r""" - @brief The default constructor. - Creates a default \LayerInfo object. + @brief Default constructor: creates a null vector with coordinates (0,0) + """ + @overload + def __init__(self, p: DPoint) -> None: + r""" + @brief Default constructor: creates a vector from a point + This constructor is equivalent to computing p-point(0,0). + This method has been introduced in version 0.25. + """ + @overload + def __init__(self, vector: Vector) -> None: + r""" + @brief Creates a floating-point coordinate vector from an integer coordinate vector + """ + @overload + def __init__(self, x: float, y: float) -> None: + r""" + @brief Constructor for a vector from two coordinate values - This method was added in version 0.18. + """ + def __itruediv__(self, d: float) -> DVector: + r""" + @brief Division by some divisor + + + Divides the object in place. All coordinates are divided with the given divisor and if necessary rounded. + """ + def __lt__(self, v: DVector) -> bool: + r""" + @brief "less" comparison operator + + + This operator is provided to establish a sorting + order """ @overload - def __init__(self, name: str) -> None: + def __mul__(self, f: float) -> DVector: r""" - @brief The constructor for a named layer. - Creates a \LayerInfo object representing a named layer. - @param name The name + @brief Scaling by some factor - This method was added in version 0.18. + + Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. """ @overload - def __init__(self, layer: int, datatype: int) -> None: + def __mul__(self, v: DVector) -> float: r""" - @brief The constructor for a layer/datatype pair. - Creates a \LayerInfo object representing a layer and datatype. - @param layer The layer number - @param datatype The datatype number + @brief Computes the scalar product between self and the given vector - This method was added in version 0.18. + + The scalar product of a and b is defined as: vp = ax*bx+ay*by. + """ + def __ne__(self, v: object) -> bool: + r""" + @brief Inequality test operator + + """ + def __neg__(self) -> DVector: + r""" + @brief Compute the negative of a vector + + + Returns a new vector with -x,-y. """ @overload - def __init__(self, layer: int, datatype: int, name: str) -> None: + def __rmul__(self, f: float) -> DVector: r""" - @brief The constructor for a named layer with layer and datatype. - Creates a \LayerInfo object representing a named layer with layer and datatype. - @param layer The layer number - @param datatype The datatype number - @param name The name + @brief Scaling by some factor - This method was added in version 0.18. + + Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. """ - def __ne__(self, b: object) -> bool: + @overload + def __rmul__(self, v: DVector) -> float: r""" - @brief Compares two layer info objects - @return True, if both are not equal + @brief Computes the scalar product between self and the given vector - This method was added in version 0.18. + + The scalar product of a and b is defined as: vp = ax*bx+ay*by. """ - def __str__(self, as_target: Optional[bool] = ...) -> str: + def __str__(self, dbu: Optional[float] = ...) -> str: r""" - @brief Convert the layer info object to a string - @return The string + @brief String conversion + If a DBU is given, the output units will be micrometers. - If 'as_target' is true, wildcard and relative specifications are formatted such such. + The DBU argument has been added in version 0.27.6. + """ + def __sub__(self, v: DVector) -> DVector: + r""" + @brief Subtract two vectors - This method was added in version 0.18. - The 'as_target' argument has been added in version 0.26.5. + + Subtract vector v from self by subtracting the coordinates. + """ + def __truediv__(self, d: float) -> DVector: + r""" + @brief Division by some divisor + + + Returns the scaled object. All coordinates are divided with the given divisor and if necessary rounded. """ def _create(self) -> None: r""" @@ -13024,14 +12522,12 @@ class LayerInfo: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def anonymous(self) -> bool: + def abs(self) -> float: r""" - @brief Returns true, if the layer has no specification (i.e. is created by the default constructor). - @return True, if the layer does not have any specification. - - This method was added in version 0.23. + @brief Returns the length of the vector + 'abs' is an alias provided for compatibility with the former point type. """ - def assign(self, other: LayerInfo) -> None: + def assign(self, other: DVector) -> None: r""" @brief Assigns another object to self """ @@ -13052,14 +12548,14 @@ class LayerInfo: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> LayerInfo: + def dup(self) -> DVector: r""" @brief Creates a copy of self """ def hash(self) -> int: r""" @brief Computes a hash value - Returns a hash value for the given layer info object. This method enables layer info objects as hash keys. + Returns a hash value for the given vector. This method enables vectors as hash keys. This method has been introduced in version 0.25. """ @@ -13069,90 +12565,182 @@ class LayerInfo: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def is_equivalent(self, b: LayerInfo) -> bool: + def length(self) -> float: r""" - @brief Equivalence of two layer info objects - @return True, if both are equivalent + @brief Returns the length of the vector + 'abs' is an alias provided for compatibility with the former point type. + """ + def sprod(self, v: DVector) -> float: + r""" + @brief Computes the scalar product between self and the given vector - First, layer and datatype are compared. The name is of second order and used only if no layer or datatype is given. - This is basically a weak comparison that reflects the search preferences. - This method was added in version 0.18. + The scalar product of a and b is defined as: vp = ax*bx+ay*by. """ - def is_named(self) -> bool: + def sprod_sign(self, v: DVector) -> int: r""" - @brief Returns true, if the layer is purely specified by name. - @return True, if no layer or datatype is given. + @brief Computes the scalar product between self and the given vector and returns a value indicating the sign of the product - This method was added in version 0.18. + + @return 1 if the scalar product is positive, 0 if it is zero and -1 if it is negative. """ - def to_s(self, as_target: Optional[bool] = ...) -> str: + def sq_abs(self) -> float: r""" - @brief Convert the layer info object to a string - @return The string + @brief The square length of the vector + 'sq_abs' is an alias provided for compatibility with the former point type. + """ + def sq_length(self) -> float: + r""" + @brief The square length of the vector + 'sq_abs' is an alias provided for compatibility with the former point type. + """ + def to_itype(self, dbu: Optional[float] = ...) -> Vector: + r""" + @brief Converts the point to an integer coordinate point - If 'as_target' is true, wildcard and relative specifications are formatted such such. + The database unit can be specified to translate the floating-point coordinate vector in micron units to an integer-coordinate vector in database units. The vector's' coordinates will be divided by the database unit. + """ + def to_p(self) -> DPoint: + r""" + @brief Turns the vector into a point + This method returns the point resulting from adding the vector to (0,0). + This method has been introduced in version 0.25. + """ + def to_s(self, dbu: Optional[float] = ...) -> str: + r""" + @brief String conversion + If a DBU is given, the output units will be micrometers. - This method was added in version 0.18. - The 'as_target' argument has been added in version 0.26.5. + The DBU argument has been added in version 0.27.6. """ + def vprod(self, v: DVector) -> float: + r""" + @brief Computes the vector product between self and the given vector -class LayoutMetaInfo: - r""" - @brief A piece of layout meta information - Layout meta information is basically additional data that can be attached to a layout. Layout readers may generate meta information and some writers will add layout information to the layout object. Some writers will also read meta information to determine certain attributes. - Multiple layout meta information objects can be attached to one layout using \Layout#add_meta_info. Meta information is identified by a unique name and carries a string value plus an optional description string. The description string is for information only and is not evaluated by code. + The vector product of a and b is defined as: vp = ax*by-ay*bx. + """ + def vprod_sign(self, v: DVector) -> int: + r""" + @brief Computes the vector product between self and the given vector and returns a value indicating the sign of the product - See also \Layout#each_meta_info and \Layout#meta_info_value and \Layout#remove_meta_info - This class has been introduced in version 0.25. - """ - description: str + + @return 1 if the vector product is positive, 0 if it is zero and -1 if it is negative. + """ + +class DeepShapeStore: r""" - Getter: - @brief Gets the description of the layout meta info object + @brief An opaque layout heap for the deep region processor + + This class is used for keeping intermediate, hierarchical data for the deep region processor. It is used in conjunction with the region constructor to create a deep (hierarchical) region. + @code + layout = ... # a layout + layer = ... # a layer + cell = ... # a cell (initial cell for the deep region) + dss = RBA::DeepShapeStore::new + region = RBA::Region::new(cell.begin(layer), dss) + @/code + + The DeepShapeStore object also supplies some configuration options for the operations acting on the deep regions. See for example \threads=. + + This class has been introduced in version 0.26. + """ + @property + def subcircuit_hierarchy_for_nets(self) -> None: + r""" + WARNING: This variable can only be set, not retrieved. + @brief Sets a value indicating whether to build a subcircuit hierarchy per net + + + This flag is used to determine the way, net subcircuit hierarchies are built: + when true, subcells are created for subcircuits on a net. Otherwise the net + shapes are produced flat inside the cell they appear on. + + This attribute has been introduced in version 0.28.4 + """ + max_area_ratio: float + r""" + Getter: + @brief Gets the max. area ratio. Setter: - @brief Sets the description of the layout meta info object + @brief Sets the max. area ratio for bounding box vs. polygon area + + This parameter is used to simplify complex polygons. It is used by + create_polygon_layer with the default parameters. It's also used by + boolean operations when they deliver their output. """ - name: str + max_vertex_count: int r""" Getter: - @brief Gets the name of the layout meta info object + @brief Gets the maximum vertex count. Setter: - @brief Sets the name of the layout meta info object + @brief Sets the maximum vertex count default value + + This parameter is used to simplify complex polygons. It is used by + create_polygon_layer with the default parameters. It's also used by + boolean operations when they deliver their output. """ - value: str + reject_odd_polygons: bool r""" Getter: - @brief Gets the value of the layout meta info object + @brief Gets a flag indicating whether to reject odd polygons. + This attribute has been introduced in version 0.27. + Setter: + @brief Sets a flag indicating whether to reject odd polygons + + Some kind of 'odd' (e.g. non-orientable) polygons may spoil the functionality because they cannot be handled properly. By using this flag, the shape store we reject these kind of polygons. The default is 'accept' (without warning). + + This attribute has been introduced in version 0.27. + """ + text_enlargement: int + r""" + Getter: + @brief Gets the text enlargement value. Setter: - @brief Sets the value of the layout meta info object + @brief Sets the text enlargement value + + If set to a non-negative value, text objects are converted to boxes with the + given enlargement (width = 2 * enlargement). The box centers are identical + to the original location of the text. + If this value is negative (the default), texts are ignored. + """ + text_property_name: Any + r""" + Getter: + @brief Gets the text property name. + + Setter: + @brief Sets the text property name. + + If set to a non-null variant, text strings are attached to the generated boxes + as properties with this particular name. This option has an effect only if the + text_enlargement property is not negative. + By default, the name is empty. + """ + threads: int + r""" + Getter: + @brief Gets the number of threads. + + Setter: + @brief Sets the number of threads to allocate for the hierarchical processor """ @classmethod - def new(cls, name: str, value: str, description: Optional[str] = ...) -> LayoutMetaInfo: - r""" - @brief Creates a layout meta info object - @param name The name - @param value The value - @param description An optional description text - """ - def __copy__(self) -> LayoutMetaInfo: + def instance_count(cls) -> int: r""" - @brief Creates a copy of self + @hide """ - def __deepcopy__(self) -> LayoutMetaInfo: + @classmethod + def new(cls) -> DeepShapeStore: r""" - @brief Creates a copy of self + @brief Creates a new object of this class """ - def __init__(self, name: str, value: str, description: Optional[str] = ...) -> None: + def __init__(self) -> None: r""" - @brief Creates a layout meta info object - @param name The name - @param value The value - @param description An optional description text + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -13191,9 +12779,54 @@ class LayoutMetaInfo: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: LayoutMetaInfo) -> None: + def add_breakout_cell(self, layout_index: int, cell_index: Sequence[int]) -> None: r""" - @brief Assigns another object to self + @brief Adds a cell indexe to the breakout cell list for the given layout inside the store + See \clear_breakout_cells for an explanation of breakout cells. + + This method has been added in version 0.26.1 + """ + @overload + def add_breakout_cells(self, layout_index: int, cells: Sequence[int]) -> None: + r""" + @brief Adds cell indexes to the breakout cell list for the given layout inside the store + See \clear_breakout_cells for an explanation of breakout cells. + + This method has been added in version 0.26.1 + """ + @overload + def add_breakout_cells(self, layout_index: int, pattern: str) -> None: + r""" + @brief Adds cells (given by a cell name pattern) to the breakout cell list for the given layout inside the store + See \clear_breakout_cells for an explanation of breakout cells. + + This method has been added in version 0.26.1 + """ + @overload + def add_breakout_cells(self, pattern: str) -> None: + r""" + @brief Adds cells (given by a cell name pattern) to the breakout cell list to all layouts inside the store + See \clear_breakout_cells for an explanation of breakout cells. + + This method has been added in version 0.26.1 + """ + @overload + def clear_breakout_cells(self) -> None: + r""" + @brief Clears the breakout cells + See the other variant of \clear_breakout_cells for details. + + This method has been added in version 0.26.1 + """ + @overload + def clear_breakout_cells(self, layout_index: int) -> None: + r""" + @brief Clears the breakout cells + Breakout cells are a feature by which hierarchy handling can be disabled for specific cells. If cells are specified as breakout cells, they don't interact with neighbor or parent cells, hence are virtually isolated. Breakout cells are useful to shortcut hierarchy evaluation for cells which are otherwise difficult to handle. An example are memory array cells with overlaps to their neighbors: a precise handling of such cells would generate variants and the boundary of the array. Although precise, this behavior leads to partial flattening and propagation of shapes. In consequence, this will also result in wrong device detection in LVS applications. In such cases, these array cells can be declared 'breakout cells' which makes them isolated entities and variant generation does not happen. + + See also \set_breakout_cells and \add_breakout_cells. + + This method has been added in version 0.26.1 """ def create(self) -> None: r""" @@ -13212,163 +12845,316 @@ class LayoutMetaInfo: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> LayoutMetaInfo: - r""" - @brief Creates a copy of self - """ def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ + def is_singular(self) -> bool: + r""" + @brief Gets a value indicating whether there is a single layout variant -class Layout: - r""" - @brief The layout object + Specifically for network extraction, singular DSS objects are required. Multiple layouts may be present if different sources of layouts have been used. Such DSS objects are not usable for network extraction. + """ + def pop_state(self) -> None: + r""" + @brief Restores the store's state on the state state + This will restore the state pushed by \push_state. - This object represents a layout. - The layout object contains the cell hierarchy and - adds functionality for managing cell names and layer names. - The cell hierarchy can be changed by adding cells and cell instances. - Cell instances will virtually put the content of a cell into another cell. Many cell instances can be put into a cell thus forming repetitions of the cell content. This process can be repeated over multiple levels. In effect a cell graphs is created with parent cells and child cells. The graph must not be recursive, so there is at least one top cell, which does not have a parent cell. Multiple top cells can be present. + This method has been added in version 0.26.1 + """ + def push_state(self) -> None: + r""" + @brief Pushes the store's state on the state state + This will save the stores state (\threads, \max_vertex_count, \max_area_ratio, breakout cells ...) on the state stack. \pop_state can be used to restore the state. - \Layout is the very basic class of the layout database. It has a rich set of methods to manipulate and query the layout hierarchy, the geometrical objects, the meta information and other features of the layout database. For a discussion of the basic API and the related classes see @The Database API@. + This method has been added in version 0.26.1 + """ + @overload + def set_breakout_cells(self, layout_index: int, cells: Sequence[int]) -> None: + r""" + @brief Sets the breakout cell list (as cell indexes) for the given layout inside the store + See \clear_breakout_cells for an explanation of breakout cells. - Usually layout objects have already been created by KLayout's application core. You can address such a layout via the \CellView object inside the \LayoutView class. For example: + This method has been added in version 0.26.1 + """ + @overload + def set_breakout_cells(self, layout_index: int, pattern: str) -> None: + r""" + @brief Sets the breakout cell list (as cell name pattern) for the given layout inside the store + See \clear_breakout_cells for an explanation of breakout cells. - @code - active_layout = RBA::CellView::active.layout - puts "Top cell of current layout is #{active_layout.top_cell.name}" - @/code + This method has been added in version 0.26.1 + """ + @overload + def set_breakout_cells(self, pattern: str) -> None: + r""" + @brief Sets the breakout cell list (as cell name pattern) for the all layouts inside the store + See \clear_breakout_cells for an explanation of breakout cells. - However, a layout can also be used standalone: + This method has been added in version 0.26.1 + """ - @code - layout = RBA::Layout::new - cell = layout.create_cell("TOP") - layer = layout.layer(RBA::LayerInfo::new(1, 0)) - cell.shapes(layer).insert(RBA::Box::new(0, 0, 1000, 1000)) - layout.write("single_rect.gds") - @/code - """ - dbu: float +class Device(NetlistObject): r""" - Getter: - @brief Gets the database unit + @brief A device inside a circuit. + Device object represent atomic devices such as resistors, diodes or transistors. The \Device class represents a particular device with specific parameters. The type of device is represented by a \DeviceClass object. Device objects live in \Circuit objects, the device class objects live in the \Netlist object. - The database unit is the value of one units distance in micrometers. - For numerical reasons and to be compliant with the GDS2 format, the database objects use integer coordinates. The basic unit of these coordinates is the database unit. - You can convert coordinates to micrometers by multiplying the integer value with the database unit. - Typical values for the database unit are 0.001 micrometer (one nanometer). + Devices connect to nets through terminals. Terminals are described by a terminal ID which is essentially the zero-based index of the terminal. Terminal definitions can be obtained from the device class using the \DeviceClass#terminal_definitions method. - Setter: - @brief Sets the database unit + Devices connect to nets through the \Device#connect_terminal method. Device terminals can be disconnected using \Device#disconnect_terminal. - See \dbu for a description of the database unit. + Device objects are created inside a circuit with \Circuit#create_device. + + This class has been added in version 0.26. """ - prop_id: int + device_abstract: DeviceAbstract r""" Getter: - @brief Gets the properties ID associated with the layout + @brief Gets the device abstract for this device instance. + See \DeviceAbstract for more details. - This method has been introduced in version 0.24. Setter: - @brief Sets the properties ID associated with the layout - This method is provided, if a properties ID has been derived already. Usually it's more convenient to use \delete_property, \set_property or \property. + @hide + Provided for test purposes mainly. Be careful with pointers! + """ + name: str + r""" + Getter: + @brief Gets the name of the device. - This method has been introduced in version 0.24. + Setter: + @brief Sets the name of the device. + Device names are used to name a device inside a netlist file. Device names should be unique within a circuit. """ - technology_name: str + trans: DCplxTrans r""" Getter: - @brief Gets the name of the technology this layout is associated with - This method has been introduced in version 0.27. Before that, the technology has been kept in the 'technology' meta data element. + @brief Gets the location of the device. + See \trans= for details about this method. Setter: - @brief Sets the name of the technology this layout is associated with - Changing the technology name will re-assess all library references because libraries can be technology specified. Cell layouts may be substituted during this re-assessment. - - This method has been introduced in version 0.27. + @brief Sets the location of the device. + The device location is essentially describing the position of the device. The position is typically the center of some recognition shape. In this case the transformation is a plain displacement to the center of this shape. """ - @overload - @classmethod - def new(cls) -> Layout: + def _assign(self, other: NetlistObject) -> None: r""" - @brief Creates a layout object - - Starting with version 0.25, layouts created with the default constructor are always editable. Before that version, they inherited the editable flag from the application. + @brief Assigns another object to self """ - @overload - @classmethod - def new(cls, editable: bool) -> Layout: + def _create(self) -> None: r""" - @brief Creates a layout object + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _dup(self) -> Device: + r""" + @brief Creates a copy of self + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This constructor specifies whether the layout is editable. In editable mode, some optimizations are disabled and the layout can be manipulated through a variety of methods. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method was introduced in version 0.22. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def add_combined_abstract(self, ref: DeviceAbstractRef) -> None: + r""" + @hide + Provided for test purposes mainly. + """ + def add_reconnected_terminal_for(self, outer_terminal: int, descriptor: DeviceReconnectedTerminal) -> None: + r""" + @hide + Provided for test purposes mainly. """ @overload - @classmethod - def new(cls, manager: Manager) -> Layout: + def circuit(self) -> Circuit: r""" - @brief Creates a layout object attached to a manager - - This constructor specifies a manager object which is used to store undo information for example. - - Starting with version 0.25, layouts created with the default constructor are always editable. Before that version, they inherited the editable flag from the application. + @brief Gets the circuit the device lives in. """ @overload - @classmethod - def new(cls, editable: bool, manager: Manager) -> Layout: + def circuit(self) -> Circuit: r""" - @brief Creates a layout object attached to a manager - - This constructor specifies a manager object which is used to store undo information for example. It also allows one to specify whether the layout is editable. In editable mode, some optimizations are disabled and the layout can be manipulated through a variety of methods. + @brief Gets the circuit the device lives in (non-const version). - This method was introduced in version 0.22. + This constness variant has been introduced in version 0.26.8 """ - def __copy__(self) -> Layout: + def clear_combined_abstracts(self) -> None: r""" - @brief Creates a copy of self + @hide + Provided for test purposes mainly. """ - def __deepcopy__(self) -> Layout: + def clear_reconnected_terminals(self) -> None: r""" - @brief Creates a copy of self + @hide + Provided for test purposes mainly. """ @overload - def __init__(self) -> None: + def connect_terminal(self, terminal_id: int, net: Net) -> None: r""" - @brief Creates a layout object - - Starting with version 0.25, layouts created with the default constructor are always editable. Before that version, they inherited the editable flag from the application. + @brief Connects the given terminal to the specified net. """ @overload - def __init__(self, editable: bool) -> None: + def connect_terminal(self, terminal_name: str, net: Net) -> None: r""" - @brief Creates a layout object - - This constructor specifies whether the layout is editable. In editable mode, some optimizations are disabled and the layout can be manipulated through a variety of methods. + @brief Connects the given terminal to the specified net. + This version accepts a terminal name. If the name is not a valid terminal name, an exception is raised. + If the terminal has been connected to a global net, it will be disconnected from there. + """ + def device_class(self) -> DeviceClass: + r""" + @brief Gets the device class the device belongs to. + """ + @overload + def disconnect_terminal(self, terminal_id: int) -> None: + r""" + @brief Disconnects the given terminal from any net. + If the terminal has been connected to a global, this connection will be disconnected too. + """ + @overload + def disconnect_terminal(self, terminal_name: str) -> None: + r""" + @brief Disconnects the given terminal from any net. + This version accepts a terminal name. If the name is not a valid terminal name, an exception is raised. + """ + def each_combined_abstract(self) -> Iterator[DeviceAbstractRef]: + r""" + @brief Iterates over the combined device specifications. + This feature applies to combined devices. This iterator will deliver all device abstracts present in addition to the default device abstract. + """ + def each_reconnected_terminal_for(self, terminal_id: int) -> Iterator[DeviceReconnectedTerminal]: + r""" + @brief Iterates over the reconnected terminal specifications for a given outer terminal. + This feature applies to combined devices. This iterator will deliver all device-to-abstract terminal reroutings. + """ + def expanded_name(self) -> str: + r""" + @brief Gets the expanded name of the device. + The expanded name takes the name of the device. If the name is empty, the numeric ID will be used to build a name. + """ + def id(self) -> int: + r""" + @brief Gets the device ID. + The ID is a unique integer which identifies the device. + It can be used to retrieve the device from the circuit using \Circuit#device_by_id. + When assigned, the device ID is not 0. + """ + def is_combined_device(self) -> bool: + r""" + @brief Returns true, if the device is a combined device. + Combined devices feature multiple device abstracts and device-to-abstract terminal connections. + See \each_reconnected_terminal and \each_combined_abstract for more details. + """ + @overload + def net_for_terminal(self, terminal_id: int) -> Net: + r""" + @brief Gets the net connected to the specified terminal. + If the terminal is not connected, nil is returned for the net. + """ + @overload + def net_for_terminal(self, terminal_id: int) -> Net: + r""" + @brief Gets the net connected to the specified terminal (non-const version). + If the terminal is not connected, nil is returned for the net. - This method was introduced in version 0.22. + This constness variant has been introduced in version 0.26.8 """ @overload - def __init__(self, manager: Manager) -> None: + def net_for_terminal(self, terminal_name: str) -> Net: r""" - @brief Creates a layout object attached to a manager + @brief Gets the net connected to the specified terminal. + If the terminal is not connected, nil is returned for the net. - This constructor specifies a manager object which is used to store undo information for example. + This convenience method has been introduced in version 0.27.3. + """ + @overload + def net_for_terminal(self, terminal_name: str) -> Net: + r""" + @brief Gets the net connected to the specified terminal (non-const version). + If the terminal is not connected, nil is returned for the net. - Starting with version 0.25, layouts created with the default constructor are always editable. Before that version, they inherited the editable flag from the application. + This convenience method has been introduced in version 0.27.3. """ @overload - def __init__(self, editable: bool, manager: Manager) -> None: + def parameter(self, param_id: int) -> float: r""" - @brief Creates a layout object attached to a manager + @brief Gets the parameter value for the given parameter ID. + """ + @overload + def parameter(self, param_name: str) -> float: + r""" + @brief Gets the parameter value for the given parameter name. + If the parameter name is not valid, an exception is thrown. + """ + @overload + def set_parameter(self, param_id: int, value: float) -> None: + r""" + @brief Sets the parameter value for the given parameter ID. + """ + @overload + def set_parameter(self, param_name: str, value: float) -> None: + r""" + @brief Sets the parameter value for the given parameter name. + If the parameter name is not valid, an exception is thrown. + """ - This constructor specifies a manager object which is used to store undo information for example. It also allows one to specify whether the layout is editable. In editable mode, some optimizations are disabled and the layout can be manipulated through a variety of methods. +class DeviceAbstract: + r""" + @brief A geometrical device abstract + This class represents the geometrical model for the device. It links into the extracted layout to a cell which holds the terminal shapes for the device. - This method was introduced in version 0.22. + This class has been added in version 0.26. + """ + name: str + r""" + Getter: + @brief Gets the name of the device abstract. + + Setter: + @brief Sets the name of the device abstract. + Device names are used to name a device abstract inside a netlist file. Device names should be unique within a netlist. + """ + @classmethod + def new(cls) -> DeviceAbstract: + r""" + @brief Creates a new object of this class + """ + def __copy__(self) -> DeviceAbstract: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> DeviceAbstract: + r""" + @brief Creates a copy of self + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -13407,596 +13193,360 @@ class Layout: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def add_cell(self, name: str) -> int: + def assign(self, other: DeviceAbstract) -> None: r""" - @brief Adds a cell with the given name - @return The index of the newly created cell. - - From version 0.23 on this method is deprecated because another method exists which is more convenient because is returns a \Cell object (\create_cell). + @brief Assigns another object to self """ - def add_lib_cell(self, library: Library, lib_cell_index: int) -> int: + def cell_index(self) -> int: r""" - @brief Imports a cell from the library - @param library The reference to the library from which to import the cell - @param lib_cell_index The index of the imported cell in the library - @return The cell index of the new proxy cell in this layout - This method imports the given cell from the library and creates a new proxy cell. - The proxy cell acts as a pointer to the actual cell which still resides in the - library (precisely: in library.layout). The name of the new cell will be the name of - library cell. - - This method has been introduced in version 0.22. + @brief Gets the cell index of the device abstract. + This is the cell that represents the device. """ - def add_meta_info(self, info: LayoutMetaInfo) -> None: + def cluster_id_for_terminal(self, terminal_id: int) -> int: r""" - @brief Adds meta information to the layout - See \LayoutMetaInfo for details about layouts and meta information. - This method has been introduced in version 0.25. + @brief Gets the cluster ID for the given terminal. + The cluster ID links the terminal to geometrical shapes within the clusters of the cell (see \cell_index) """ - @overload - def add_pcell_variant(self, pcell_id: int, parameters: Sequence[Any]) -> int: + def create(self) -> None: r""" - @brief Creates a PCell variant for the given PCell ID with the given parameters - @return The cell index of the pcell variant proxy cell - This method will create a PCell variant proxy for a local PCell definition. - It will create the PCell variant for the given parameters. Note that this method - does not allow one to create PCell instances for PCells located in a library. Use - \add_pcell_variant with the library parameter for that purpose. - - The parameters are a sequence of variants which correspond to the parameters declared by the \PCellDeclaration object. - - The name of the new cell will be the name of the PCell. - If a cell with that name already exists, a new unique name is generated. - - This method has been introduced in version 0.22. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def add_pcell_variant(self, library: Library, pcell_id: int, parameters: Sequence[Any]) -> int: + def destroy(self) -> None: r""" - @brief Creates a PCell variant for a PCell located in an external library - @return The cell index of the new proxy cell in this layout - This method will import a PCell from a library and create a variant for the - given parameter set. - Technically, this method creates a proxy to the library and creates the variant - inside that library. - - The parameters are a sequence of variants which correspond to the parameters declared by the \PCellDeclaration object. - - The name of the new cell will be the name of the PCell. - If a cell with that name already exists, a new unique name is generated. - - This method has been introduced in version 0.22. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def add_pcell_variant(self, pcell_id: int, parameters: Dict[str, Any]) -> int: + def destroyed(self) -> bool: r""" - @brief Creates a PCell variant for the given PCell ID with the parameters given as a name/value dictionary - @return The cell index of the pcell variant proxy cell - This method will create a PCell variant proxy for a local PCell definition. - It will create the PCell variant for the given parameters. Note that this method - does not allow one to create PCell instances for PCells located in a library. Use - \add_pcell_variant with the library parameter for that purpose. - Unlike the variant using a list of parameters, this version allows specification - of the parameters with a key/value dictionary. The keys are the parameter names - as given by the PCell declaration. - - The parameters are a sequence of variants which correspond to the parameters declared by the \PCellDeclaration object. - - The name of the new cell will be the name of the PCell. - If a cell with that name already exists, a new unique name is generated. - - This method has been introduced in version 0.22. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def add_pcell_variant(self, library: Library, pcell_id: int, parameters: Dict[str, Any]) -> int: + def device_class(self) -> DeviceClass: r""" - @brief Creates a PCell variant for a PCell located in an external library with the parameters given as a name/value dictionary - @return The cell index of the new proxy cell in this layout - This method will import a PCell from a library and create a variant for the - given parameter set. - Technically, this method creates a proxy to the library and creates the variant - inside that library. - Unlike the variant using a list of parameters, this version allows specification - of the parameters with a key/value dictionary. The keys are the parameter names - as given by the PCell declaration. - - The parameters are a sequence of variants which correspond to the parameters declared by the \PCellDeclaration object. - - The name of the new cell will be the name of the PCell. - If a cell with that name already exists, a new unique name is generated. - - This method has been introduced in version 0.22. + @brief Gets the device class of the device. """ - def assign(self, other: Layout) -> None: + def dup(self) -> DeviceAbstract: r""" - @brief Assigns another object to self + @brief Creates a copy of self """ - @overload - def begin_shapes(self, cell: Cell, layer: int) -> RecursiveShapeIterator: + def is_const_object(self) -> bool: r""" - @brief Delivers a recursive shape iterator for the shapes below the given cell on the given layer - @param cell The cell object of the initial (top) cell - @param layer The layer from which to get the shapes - @return A suitable iterator - - For details see the description of the \RecursiveShapeIterator class. - This version is convenience overload which takes a cell object instead of a cell index. - - This method is deprecated. Use \Cell#begin_shapes_rec instead. - - This method has been added in version 0.24. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ @overload - def begin_shapes(self, cell_index: int, layer: int) -> RecursiveShapeIterator: + def netlist(self) -> Netlist: r""" - @brief Delivers a recursive shape iterator for the shapes below the given cell on the given layer - @param cell_index The index of the initial (top) cell - @param layer The layer from which to get the shapes - @return A suitable iterator - - For details see the description of the \RecursiveShapeIterator class. - - This method is deprecated. Use \Cell#begin_shapes_rec instead. + @brief Gets the netlist the device abstract lives in (non-const version). - This method has been added in version 0.18. + This constness variant has been introduced in version 0.26.8 """ @overload - def begin_shapes_overlapping(self, cell: Cell, layer: int, region: DBox) -> RecursiveShapeIterator: + def netlist(self) -> Netlist: r""" - @brief Delivers a recursive shape iterator for the shapes below the given cell on the given layer using a region search, the region given in micrometer units - @param cell The cell object for the starting cell - @param layer The layer from which to get the shapes - @param region The search region as a \DBox object in micrometer units - @return A suitable iterator - - For details see the description of the \RecursiveShapeIterator class. - This version gives an iterator delivering shapes whose bounding box overlaps the given region. - It is convenience overload which takes a cell object instead of a cell index. + @brief Gets the netlist the device abstract lives in. + """ - This method is deprecated. Use \Cell#begin_shapes_rec_overlapping instead. +class DeviceAbstractRef: + r""" + @brief Describes an additional device abstract reference for combined devices. + Combined devices are implemented as a generalization of the device abstract concept in \Device. For combined devices, multiple \DeviceAbstract references are present. This class describes such an additional reference. A reference is a pointer to an abstract plus a transformation by which the abstract is transformed geometrically as compared to the first (initial) abstract. - This variant has been added in version 0.25. + This class has been introduced in version 0.26. + """ + device_abstract: DeviceAbstract + r""" + Getter: + @brief The getter for the device abstract reference. + See the class description for details. + Setter: + @brief The setter for the device abstract reference. + See the class description for details. + """ + trans: DCplxTrans + r""" + Getter: + @brief The getter for the relative transformation of the instance. + See the class description for details. + Setter: + @brief The setter for the relative transformation of the instance. + See the class description for details. + """ + @classmethod + def new(cls) -> DeviceAbstractRef: + r""" + @brief Creates a new object of this class """ - @overload - def begin_shapes_overlapping(self, cell_index: int, layer: int, region: Box) -> RecursiveShapeIterator: + def __copy__(self) -> DeviceAbstractRef: r""" - @brief Delivers a recursive shape iterator for the shapes below the given cell on the given layer using a region search - @param cell_index The index of the starting cell - @param layer The layer from which to get the shapes - @param region The search region - @return A suitable iterator - - For details see the description of the \RecursiveShapeIterator class. - This version gives an iterator delivering shapes whose bounding box overlaps the given region. - - This method is deprecated. Use \Cell#begin_shapes_rec_overlapping instead. - - This method has been added in version 0.18. + @brief Creates a copy of self """ - @overload - def begin_shapes_overlapping(self, cell_index: int, layer: int, region: DBox) -> RecursiveShapeIterator: + def __deepcopy__(self) -> DeviceAbstractRef: r""" - @brief Delivers a recursive shape iterator for the shapes below the given cell on the given layer using a region search, the region given in micrometer units - @param cell_index The index of the starting cell - @param layer The layer from which to get the shapes - @param region The search region as a \DBox object in micrometer units - @return A suitable iterator - - For details see the description of the \RecursiveShapeIterator class. - This version gives an iterator delivering shapes whose bounding box overlaps the given region. - - This method is deprecated. Use \Cell#begin_shapes_rec_overlapping instead. - - This variant has been added in version 0.25. + @brief Creates a copy of self """ - @overload - def begin_shapes_overlapping(self, cell_index: Cell, layer: int, region: Box) -> RecursiveShapeIterator: + def __init__(self) -> None: r""" - @brief Delivers a recursive shape iterator for the shapes below the given cell on the given layer using a region search - @param cell The cell object for the starting cell - @param layer The layer from which to get the shapes - @param region The search region - @return A suitable iterator - - For details see the description of the \RecursiveShapeIterator class. - This version gives an iterator delivering shapes whose bounding box overlaps the given region. - It is convenience overload which takes a cell object instead of a cell index. - - This method is deprecated. Use \Cell#begin_shapes_rec_overlapping instead. - - This method has been added in version 0.24. + @brief Creates a new object of this class """ - @overload - def begin_shapes_touching(self, cell: Cell, layer: int, region: Box) -> RecursiveShapeIterator: + def _create(self) -> None: r""" - @brief Delivers a recursive shape iterator for the shapes below the given cell on the given layer using a region search - @param cell The cell object for the starting cell - @param layer The layer from which to get the shapes - @param region The search region - @return A suitable iterator - - For details see the description of the \RecursiveShapeIterator class. - This version gives an iterator delivering shapes whose bounding box touches the given region. - It is convenience overload which takes a cell object instead of a cell index. - - This method is deprecated. Use \Cell#begin_shapes_rec_touching instead. - - This method has been added in version 0.24. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def begin_shapes_touching(self, cell: Cell, layer: int, region: DBox) -> RecursiveShapeIterator: + def _destroy(self) -> None: r""" - @brief Delivers a recursive shape iterator for the shapes below the given cell on the given layer using a region search, the region given in micrometer units - @param cell The cell object for the starting cell - @param layer The layer from which to get the shapes - @param region The search region as a \DBox object in micrometer units - @return A suitable iterator - - For details see the description of the \RecursiveShapeIterator class. - This version gives an iterator delivering shapes whose bounding box touches the given region. - It is convenience overload which takes a cell object instead of a cell index. - - This method is deprecated. Use \Cell#begin_shapes_rec_touching instead. - - This variant has been added in version 0.25. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def begin_shapes_touching(self, cell_index: int, layer: int, region: Box) -> RecursiveShapeIterator: + def _destroyed(self) -> bool: r""" - @brief Delivers a recursive shape iterator for the shapes below the given cell on the given layer using a region search - @param cell_index The index of the starting cell - @param layer The layer from which to get the shapes - @param region The search region - @return A suitable iterator - - For details see the description of the \RecursiveShapeIterator class. - This version gives an iterator delivering shapes whose bounding box touches the given region. - - This method is deprecated. Use \Cell#begin_shapes_rec_touching instead. - - This method has been added in version 0.18. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def begin_shapes_touching(self, cell_index: int, layer: int, region: DBox) -> RecursiveShapeIterator: + def _is_const_object(self) -> bool: r""" - @brief Delivers a recursive shape iterator for the shapes below the given cell on the given layer using a region search, the region given in micrometer units - @param cell_index The index of the starting cell - @param layer The layer from which to get the shapes - @param region The search region as a \DBox object in micrometer units - @return A suitable iterator - - For details see the description of the \RecursiveShapeIterator class. - This version gives an iterator delivering shapes whose bounding box touches the given region. - - This method is deprecated. Use \Cell#begin_shapes_rec_touching instead. - - This variant has been added in version 0.25. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def cell(self, i: int) -> Cell: + def _manage(self) -> None: r""" - @brief Gets a cell object from the cell index - - @param i The cell index - @return A reference to the cell (a \Cell object) + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - If the cell index is not a valid cell index, this method will raise an error. Use \is_valid_cell_index? to test whether a given cell index is valid. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def cell(self, name: str) -> Cell: + def _unmanage(self) -> None: r""" - @brief Gets a cell object from the cell name - - @param name The cell name - @return A reference to the cell (a \Cell object) + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - If name is not a valid cell name, this method will return "nil". - This method has been introduced in version 0.23 and replaces \cell_by_name. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def cell_by_name(self, name: str) -> int: + def assign(self, other: DeviceAbstractRef) -> None: r""" - @brief Gets the cell index for a given name - Returns the cell index for the cell with the given name. If no cell with this name exists, an exception is thrown. - From version 0.23 on, a version of the \cell method is provided which returns a \Cell object for the cell with the given name or "nil" if the name is not valid. This method replaces \cell_by_name and \has_cell? + @brief Assigns another object to self """ - def cell_name(self, index: int) -> str: + def create(self) -> None: r""" - @brief Gets the name for a cell with the given index + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def cells(self) -> int: + def destroy(self) -> None: r""" - @brief Returns the number of cells - - @return The number of cells (the maximum cell index) + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def cells(self, name_filter: str) -> List[Cell]: + def destroyed(self) -> bool: r""" - @brief Gets the cell objects for a given name filter - - @param name_filter The cell name filter (glob pattern) - @return A list of \Cell object of the cells matching the pattern - - This method has been introduced in version 0.27.3. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def cleanup(self, cell_indexes_to_keep: Optional[Sequence[int]] = ...) -> None: + def dup(self) -> DeviceAbstractRef: r""" - @brief Cleans up the layout - This method will remove proxy objects that are no longer in use. After changing PCell parameters such proxy objects may still be present in the layout and are cached for later reuse. Usually they are cleaned up automatically, but in a scripting context it may be useful to clean up these cells explicitly. - - Use 'cell_indexes_to_keep' for specifying a list of cell indexes of PCell variants or library proxies you don't want to be cleaned up. - - This method has been introduced in version 0.25. + @brief Creates a copy of self """ - def clear(self) -> None: + def is_const_object(self) -> bool: r""" - @brief Clears the layout - - Clears the layout completely. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def clear_layer(self, layer_index: int) -> None: - r""" - @brief Clears a layer - - Clears the layer: removes all shapes. - This method was introduced in version 0.19. +class DeviceClass: + r""" + @brief A class describing a specific type of device. + Device class objects live in the context of a \Netlist object. After a device class is created, it must be added to the netlist using \Netlist#add. The netlist will own the device class object. When the netlist is destroyed, the device class object will become invalid. - @param layer_index The index of the layer to delete. - """ - @overload - def clip(self, cell: int, box: Box) -> int: - r""" - @brief Clips the given cell by the given rectangle and produce a new cell with the clip - @param cell The cell index of the cell to clip - @param box The clip box in database units - @return The index of the new cell + The \DeviceClass class is the base class for other device classes. - This method will cut a rectangular region given by the box from the given cell. The clip will be stored in a new cell whose index is returned. The clip will be performed hierarchically. The resulting cell will hold a hierarchy of child cells, which are potentially clipped versions of child cells of the original cell. - This method has been added in version 0.21. - """ - @overload - def clip(self, cell: int, box: DBox) -> int: - r""" - @brief Clips the given cell by the given rectangle and produce a new cell with the clip - @param cell The cell index of the cell to clip - @param box The clip box in micrometer units - @return The index of the new cell + This class has been added in version 0.26. In version 0.27.3, the 'GenericDeviceClass' has been integrated with \DeviceClass and the device class was made writeable in most respects. This enables manipulating built-in device classes. + """ + combiner: GenericDeviceCombiner + r""" + Getter: + @brief Gets a device combiner or nil if none is registered. - This variant which takes a micrometer-unit box has been added in version 0.28. - """ - @overload - def clip(self, cell: Cell, box: Box) -> Cell: - r""" - @brief Clips the given cell by the given rectangle and produce a new cell with the clip - @param cell The cell reference of the cell to clip - @param box The clip box in database units - @return The reference to the new cell + This method has been added in version 0.27.3. - This variant which takes cell references instead of cell indexes has been added in version 0.28. - """ - @overload - def clip(self, cell: Cell, box: DBox) -> Cell: - r""" - @brief Clips the given cell by the given rectangle and produce a new cell with the clip - @param cell The cell reference of the cell to clip - @param box The clip box in micrometer units - @return The reference to the new cell + Setter: + @brief Specifies a device combiner (parallel or serial device combination). - This variant which takes a micrometer-unit box and cell references has been added in version 0.28. - """ - @overload - def clip_into(self, cell: int, target: Layout, box: Box) -> int: - r""" - @brief Clips the given cell by the given rectangle and produce a new cell with the clip - @param cell The cell index of the cell to clip - @param box The clip box in database units - @param target The target layout - @return The index of the new cell in the target layout + You can assign nil for the combiner to remove it. - This method will cut a rectangular region given by the box from the given cell. The clip will be stored in a new cell in the target layout. The clip will be performed hierarchically. The resulting cell will hold a hierarchy of child cells, which are potentially clipped versions of child cells of the original cell. + In special cases, you can even implement a custom combiner by deriving your own comparer from the \GenericDeviceCombiner class. - Please note that it is important that the database unit of the target layout is identical to the database unit of the source layout to achieve the desired results.This method also assumes that the target layout holds the same layers than the source layout. It will copy shapes to the same layers than they have been on the original layout. - This method has been added in version 0.21. - """ - @overload - def clip_into(self, cell: int, target: Layout, box: DBox) -> int: + This method has been added in version 0.27.3. + """ + @property + def supports_parallel_combination(self) -> None: r""" - @brief Clips the given cell by the given rectangle and produce a new cell with the clip - @param cell The cell index of the cell to clip - @param box The clip box in micrometer units - @param target The target layout - @return The index of the new cell in the target layout + WARNING: This variable can only be set, not retrieved. + @brief Specifies whether the device supports parallel device combination. + Parallel device combination means that all terminals of two combination candidates are connected to the same nets. If the device does not support this combination mode, this predicate can be set to false. This will make the device extractor skip the combination test in parallel mode and improve performance somewhat. - This variant which takes a micrometer-unit box has been added in version 0.28. + This method has been moved from 'GenericDeviceClass' to 'DeviceClass' in version 0.27.3. """ - @overload - def clip_into(self, cell: Cell, target: Layout, box: Box) -> Cell: + @property + def supports_serial_combination(self) -> None: r""" - @brief Clips the given cell by the given rectangle and produce a new cell with the clip - @param cell The reference to the cell to clip - @param box The clip box in database units - @param target The target layout - @return The reference to the new cell in the target layout + WARNING: This variable can only be set, not retrieved. + @brief Specifies whether the device supports serial device combination. + Serial device combination means that the devices are connected by internal nodes. If the device does not support this combination mode, this predicate can be set to false. This will make the device extractor skip the combination test in serial mode and improve performance somewhat. - This variant which takes cell references instead of cell indexes has been added in version 0.28. + This method has been moved from 'GenericDeviceClass' to 'DeviceClass' in version 0.27.3. """ - @overload - def clip_into(self, cell: Cell, target: Layout, box: DBox) -> Cell: - r""" - @brief Clips the given cell by the given rectangle and produce a new cell with the clip - @param cell The reference to the cell to clip - @param box The clip box in micrometer units - @param target The target layout - @return The reference to the new cell in the target layout + description: str + r""" + Getter: + @brief Gets the description text of the device class. + Setter: + @brief Sets the description of the device class. + """ + equal_parameters: EqualDeviceParameters + r""" + Getter: + @brief Gets the device parameter comparer for netlist verification or nil if no comparer is registered. + See \equal_parameters= for the setter. - This variant which takes a micrometer-unit box and cell references has been added in version 0.28. - """ - def convert_cell_to_static(self, cell_index: int) -> int: - r""" - @brief Converts a PCell or library cell to a usual (static) cell - @return The index of the new cell - This method will create a new cell which contains the static representation of the PCell or library proxy given by "cell_index". If that cell is not a PCell or library proxy, it won't be touched and the input cell index is returned. + This method has been moved from 'GenericDeviceClass' to 'DeviceClass' in version 0.27.3. - This method has been added in version 0.23. - """ - def copy_layer(self, src: int, dest: int) -> None: - r""" - @brief Copies a layer + Setter: + @brief Specifies a device parameter comparer for netlist verification. + By default, all devices are compared with all parameters. If you want to select only certain parameters for comparison or use a fuzzy compare criterion, use an \EqualDeviceParameters object and assign it to the device class of one netlist. You can also chain multiple \EqualDeviceParameters objects with the '+' operator for specifying multiple parameters in the equality check. - This method was introduced in version 0.19. + You can assign nil for the parameter comparer to remove it. - Copy a layer from the source to the target. The target is not cleared before, so that this method - merges shapes from the source with the target layer. + In special cases, you can even implement a custom compare scheme by deriving your own comparer from the \GenericDeviceParameterCompare class. - @param src The layer index of the source layer. - @param dest The layer index of the destination layer. - """ - @overload - def copy_tree_shapes(self, source_layout: Layout, cell_mapping: CellMapping) -> None: - r""" - @brief Copies the shapes for all given mappings in the \CellMapping object - @param source_layout The layout where to take the shapes from - @param cell_mapping The cell mapping object that determines how cells are identified between source and target layout + This method has been moved from 'GenericDeviceClass' to 'DeviceClass' in version 0.27.3. + """ + name: str + r""" + Getter: + @brief Gets the name of the device class. + Setter: + @brief Sets the name of the device class. + """ + strict: bool + r""" + Getter: + @brief Gets a value indicating whether this class performs strict terminal mapping + See \strict= for details about this attribute. + Setter: + @brief Sets a value indicating whether this class performs strict terminal mapping - Provide a \CellMapping object to specify pairs of cells which are mapped from the source layout to this layout. When constructing such a cell mapping object for example with \CellMapping#for_multi_cells_full, use self as the target layout. During the cell mapping construction, the cell mapper will usually create a suitable target hierarchy already. After having completed the cell mapping, use \copy_tree_shapes to copy over the shapes from the source to the target layout. + Classes with this flag set never allow terminal swapping, even if the device symmetry supports that. If two classes are involved in a netlist compare, + terminal swapping will be disabled if one of the classes is in strict mode. - This method has been added in version 0.26.8. + By default, device classes are not strict and terminal swapping is allowed as far as the device symmetry supports that. + """ + @classmethod + def new(cls) -> DeviceClass: + r""" + @brief Creates a new object of this class """ - @overload - def copy_tree_shapes(self, source_layout: Layout, cell_mapping: CellMapping, layer_mapping: LayerMapping) -> None: + def __copy__(self) -> DeviceClass: r""" - @brief Copies the shapes for all given mappings in the \CellMapping object using the given layer mapping - @param source_layout The layout where to take the shapes from - @param cell_mapping The cell mapping object that determines how cells are identified between source and target layout - @param layer_mapping Specifies which layers are copied from the source layout to the target layout - - Provide a \CellMapping object to specify pairs of cells which are mapped from the source layout to this layout. When constructing such a cell mapping object for example with \CellMapping#for_multi_cells_full, use self as the target layout. During the cell mapping construction, the cell mapper will usually create a suitable target hierarchy already. After having completed the cell mapping, use \copy_tree_shapes to copy over the shapes from the source to the target layout. - - This method has been added in version 0.26.8. + @brief Creates a copy of self """ - def create(self) -> None: + def __deepcopy__(self) -> DeviceClass: + r""" + @brief Creates a copy of self + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class + """ + def _create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def create_cell(self, name: str) -> Cell: + def _destroy(self) -> None: r""" - @brief Creates a cell with the given name - @param name The name of the cell to create - @return The \Cell object of the newly created cell. - - If a cell with that name already exists, the unique name will be chosen for the new cell consisting of the given name plus a suitable suffix. - - This method has been introduce in version 0.23 and replaces \add_cell. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def create_cell(self, name: str, lib_name: str) -> Cell: + def _destroyed(self) -> bool: r""" - @brief Creates a cell with the given name - @param name The name of the library cell and the name of the cell to create - @param lib_name The name of the library where to take the cell from - @return The \Cell object of the newly created cell or an existing cell if the library cell has already been used in this layout. - - Library cells are imported by creating a 'library proxy'. This is a cell which represents the library cell in the framework of the current layout. The library proxy is linked to the library and will be updated if the library cell is changed. - - This method will look up the cell by the given name in the specified library and create a new library proxy for this cell. - If the same library cell has already been used, the original library proxy is returned. Hence, strictly speaking this method does not always create a new cell but may return a reference to an existing cell. - - If the library name is not valid, nil is returned. - - This method has been introduce in version 0.24. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def create_cell(self, pcell_name: str, params: Dict[str, Any]) -> Cell: + def _is_const_object(self) -> bool: r""" - @brief Creates a cell as a PCell variant for the PCell with the given name - @param pcell_name The name of the PCell and also the name of the cell to create - @param params The PCell parameters (key/value dictionary) - @return The \Cell object of the newly created cell or an existing cell if the PCell has already been used with these parameters. - - PCells are instantiated by creating a PCell variant. A PCell variant is linked to the PCell and represents this PCell with a particular parameter set. - - This method will look up the PCell by the PCell name and create a new PCell variant for the given parameters. If the PCell has already been instantiated with the same parameters, the original variant will be returned. Hence this method is not strictly creating a cell - only if the required variant has not been created yet. - - The parameters are specified as a key/value dictionary with the names being the ones from the PCell declaration. - - If no PCell with the given name exists, nil is returned. - - This method has been introduce in version 0.24. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def create_cell(self, pcell_name: str, lib_name: str, params: Dict[str, Any]) -> Cell: + def _manage(self) -> None: r""" - @brief Creates a cell for a PCell with the given PCell name from the given library - @param pcell_name The name of the PCell and also the name of the cell to create - @param lib_name The name of the library where to take the PCell from - @param params The PCell parameters (key/value dictionary) - @return The \Cell object of the newly created cell or an existing cell if this PCell has already been used with the given parameters - - This method will look up the PCell by the PCell name in the specified library and create a new PCell variant for the given parameters plus the library proxy. The parameters must be specified as a key/value dictionary with the names being the ones from the PCell declaration. - - If no PCell with the given name exists or the library name is not valid, nil is returned. Note that this function - despite the name - may not always create a new cell, but return an existing cell if the PCell from the library has already been used with the given parameters. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method has been introduce in version 0.24. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def delete_cell(self, cell_index: int) -> None: + def _unmanage(self) -> None: r""" - @brief Deletes a cell - - This deletes a cell but not the sub cells of the cell. - These subcells will likely become new top cells unless they are used - otherwise. - All instances of this cell are deleted as well. - Hint: to delete multiple cells, use "delete_cells" which is - far more efficient in this case. - - @param cell_index The index of the cell to delete + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.20. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def delete_cell_rec(self, cell_index: int) -> None: + def add_parameter(self, parameter_def: DeviceParameterDefinition) -> None: r""" - @brief Deletes a cell plus all subcells - - This deletes a cell and also all sub cells of the cell. - In contrast to \prune_cell, all cells are deleted together with their instances even if they are used otherwise. - - @param cell_index The index of the cell to delete + @brief Adds the given parameter definition to the device class + This method will define a new parameter. The new parameter is added at the end of existing parameters. The parameter definition object passed as the argument is modified to contain the new ID of the parameter. + The parameter is copied into the device class. Modifying the parameter object later does not have the effect of changing the parameter definition. - This method has been introduced in version 0.20. + This method has been moved from 'GenericDeviceClass' to 'DeviceClass' in version 0.27.3. """ - def delete_cells(self, cell_index_list: Sequence[int]) -> None: + def add_terminal(self, terminal_def: DeviceTerminalDefinition) -> None: r""" - @brief Deletes multiple cells - - This deletes the cells but not the sub cells of these cells. - These subcells will likely become new top cells unless they are used - otherwise. - All instances of these cells are deleted as well. + @brief Adds the given terminal definition to the device class + This method will define a new terminal. The new terminal is added at the end of existing terminals. The terminal definition object passed as the argument is modified to contain the new ID of the terminal. - @param cell_index_list An array of cell indices of the cells to delete + The terminal is copied into the device class. Modifying the terminal object later does not have the effect of changing the terminal definition. - This method has been introduced in version 0.20. + This method has been moved from 'GenericDeviceClass' to 'DeviceClass' in version 0.27.3. """ - def delete_layer(self, layer_index: int) -> None: + def assign(self, other: DeviceClass) -> None: r""" - @brief Deletes a layer + @brief Assigns another object to self + """ + def clear_equivalent_terminal_ids(self) -> None: + r""" + @brief Clears all equivalent terminal ids - This method frees the memory allocated for the shapes of this layer and remembers the - layer's index for reuse when the next layer is allocated. + This method has been added in version 0.27.3. + """ + def clear_parameters(self) -> None: + r""" + @brief Clears the list of parameters - @param layer_index The index of the layer to delete. + This method has been added in version 0.27.3. """ - def delete_property(self, key: Any) -> None: + def clear_terminals(self) -> None: r""" - @brief Deletes the user property with the given key - This method is a convenience method that deletes the property with the given key. It does nothing if no property with that key exists. Using that method is more convenient than creating a new property set with a new ID and assigning that properties ID. - This method may change the properties ID. + @brief Clears the list of terminals - This method has been introduced in version 0.24. + This method has been moved from 'GenericDeviceClass' to 'DeviceClass' in version 0.27.3. + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ def destroy(self) -> None: r""" @@ -14010,1237 +13560,991 @@ class Layout: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dump_mem_statistics(self, detailed: Optional[bool] = ...) -> None: - r""" - @hide - """ - def dup(self) -> Layout: + def dup(self) -> DeviceClass: r""" @brief Creates a copy of self """ - def each_cell(self) -> Iterator[Cell]: + @overload + def enable_parameter(self, parameter_id: int, enable: bool) -> None: r""" - @brief Iterates the unsorted cell list + @brief Enables or disables a parameter. + Some parameters are 'secondary' parameters which are extracted but not handled in device compare and are not shown in the netlist browser. For example, the 'W' parameter of the resistor is such a secondary parameter. This method allows turning a parameter in a primary one ('enable') or into a secondary one ('disable'). + + This method has been introduced in version 0.27.3. """ - def each_cell_bottom_up(self) -> Iterator[int]: + @overload + def enable_parameter(self, parameter_name: str, enable: bool) -> None: r""" - @brief Iterates the bottom-up sorted cell list + @brief Enables or disables a parameter. + Some parameters are 'secondary' parameters which are extracted but not handled in device compare and are not shown in the netlist browser. For example, the 'W' parameter of the resistor is such a secondary parameter. This method allows turning a parameter in a primary one ('enable') or into a secondary one ('disable'). - In bottom-up traversal a cell is not delivered before - the last child cell of this cell has been delivered. - The bottom-up iterator does not deliver cells but cell - indices actually. + This version accepts a parameter name. + + This method has been introduced in version 0.27.3. """ - def each_cell_top_down(self) -> Iterator[int]: + def equivalent_terminal_id(self, original_id: int, equivalent_id: int) -> None: r""" - @brief Iterates the top-down sorted cell list + @brief Specifies a terminal to be equivalent to another. + Use this method to specify two terminals to be exchangeable. For example to make S and D of a MOS transistor equivalent, call this method with S and D terminal IDs. In netlist matching, S will be translated to D and thus made equivalent to D. - The top-down cell list has the property of delivering all - cells before they are instantiated. In addition the first - cells are all top cells. There is at least one top cell. - The top-down iterator does not deliver cells but cell - indices actually. - @brief begin iterator of the top-down sorted cell list + Note that terminal equivalence is not effective if the device class operates in strict mode (see \DeviceClass#strict=). + + This method has been moved from 'GenericDeviceClass' to 'DeviceClass' in version 0.27.3. """ - def each_meta_info(self) -> Iterator[LayoutMetaInfo]: + def has_parameter(self, name: str) -> bool: r""" - @brief Iterates over the meta information of the layout - See \LayoutMetaInfo for details about layouts and meta information. - - This method has been introduced in version 0.25. + @brief Returns true, if the device class has a parameter with the given name. """ - def each_top_cell(self) -> Iterator[int]: + def has_terminal(self, name: str) -> bool: r""" - @brief Iterates the top cells - A layout may have an arbitrary number of top cells. The usual case however is that there is one top cell. + @brief Returns true, if the device class has a terminal with the given name. """ - def end_changes(self) -> None: + def id(self) -> int: r""" - @brief Cancels the "in changes" state (see "start_changes") + @brief Gets the unique ID of the device class + The ID is a unique integer that identifies the device class. Use the ID to check for object identity - i.e. to determine whether two devices share the same device class. """ - @overload - def find_layer(self, info: LayerInfo) -> Any: + def is_const_object(self) -> bool: r""" - @brief Finds a layer with the given properties - - If a layer with the given properties already exists, this method will return the index of that layer.If no such layer exists, it will return nil. - - This method has been introduced in version 0.23. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def find_layer(self, name: str) -> Any: + def netlist(self) -> Netlist: r""" - @brief Finds a layer with the given name - - If a layer with the given name already exists, this method will return the index of that layer.If no such layer exists, it will return nil. - - This method has been introduced in version 0.23. + @brief Gets the netlist the device class lives in. """ @overload - def find_layer(self, layer: int, datatype: int) -> Any: + def parameter_definition(self, parameter_id: int) -> DeviceParameterDefinition: r""" - @brief Finds a layer with the given layer and datatype number - - If a layer with the given layer/datatype already exists, this method will return the index of that layer.If no such layer exists, it will return nil. - - This method has been introduced in version 0.23. + @brief Gets the parameter definition object for a given ID. + Parameter definition IDs are used in some places to reference a specific parameter of a device. This method obtains the corresponding definition object. """ @overload - def find_layer(self, layer: int, datatype: int, name: str) -> Any: + def parameter_definition(self, parameter_name: str) -> DeviceParameterDefinition: r""" - @brief Finds a layer with the given layer and datatype number and name - - If a layer with the given layer/datatype/name already exists, this method will return the index of that layer.If no such layer exists, it will return nil. + @brief Gets the parameter definition object for a given ID. + Parameter definition IDs are used in some places to reference a specific parameter of a device. This method obtains the corresponding definition object. + This version accepts a parameter name. - This method has been introduced in version 0.23. + This method has been introduced in version 0.27.3. """ - def flatten(self, cell_index: int, levels: int, prune: bool) -> None: + def parameter_definitions(self) -> List[DeviceParameterDefinition]: r""" - @brief Flattens the given cell - - This method propagates all shapes and instances from the specified number of hierarchy levels below into the given cell. - It also removes the instances of the cells from which the shapes came from, but does not remove the cells themselves if prune is set to false. - If prune is set to true, these cells are removed if not used otherwise. - - @param cell_index The cell which should be flattened - @param levels The number of hierarchy levels to flatten (-1: all, 0: none, 1: one level etc.) - @param prune Set to true to remove orphan cells. - - This method has been introduced in version 0.20. + @brief Gets the list of parameter definitions of the device. + See the \DeviceParameterDefinition class description for details. """ - def flatten_into(self, source_cell_index: int, target_cell_index: int, trans: ICplxTrans, levels: int) -> None: + def parameter_id(self, name: str) -> int: r""" - @brief Flattens the given cell into another cell - - This method works like 'flatten', but allows specification of a target cell which can be different from the source cell plus a transformation which is applied for all shapes and instances in the target cell. - - In contrast to the 'flatten' method, the source cell is not modified. + @brief Returns the parameter ID of the parameter with the given name. + An exception is thrown if there is no parameter with the given name. Use \has_parameter to check whether the name is a valid parameter name. + """ + def terminal_definition(self, terminal_id: int) -> DeviceTerminalDefinition: + r""" + @brief Gets the terminal definition object for a given ID. + Terminal definition IDs are used in some places to reference a specific terminal of a device. This method obtains the corresponding definition object. + """ + def terminal_definitions(self) -> List[DeviceTerminalDefinition]: + r""" + @brief Gets the list of terminal definitions of the device. + See the \DeviceTerminalDefinition class description for details. + """ + def terminal_id(self, name: str) -> int: + r""" + @brief Returns the terminal ID of the terminal with the given name. + An exception is thrown if there is no terminal with the given name. Use \has_terminal to check whether the name is a valid terminal name. + """ - @param source_cell_index The source cell which should be flattened - @param target_cell_index The target cell into which the resulting objects are written - @param trans The transformation to apply on the output shapes and instances - @param levels The number of hierarchy levels to flatten (-1: all, 0: none, 1: one level etc.) +class DeviceClassBJT3Transistor(DeviceClass): + r""" + @brief A device class for a bipolar transistor. + This class describes a bipolar transistor. Bipolar transistors have tree terminals: the collector (C), the base (B) and the emitter (E). + Multi-emitter transistors are resolved in individual devices. + The parameters are AE, AB and AC for the emitter, base and collector areas in square micrometers and PE, PB and PC for the emitter, base and collector perimeters in micrometers. + In addition, the emitter count (NE) is given. The emitter count is 1 always for a transistor extracted initially. Upon combination of devices, the emitter counts are added, thus forming multi-emitter devices. - This method has been introduced in version 0.24. + This class has been introduced in version 0.26. + """ + PARAM_AB: ClassVar[int] + r""" + @brief A constant giving the parameter ID for parameter AB (base area) + """ + PARAM_AC: ClassVar[int] + r""" + @brief A constant giving the parameter ID for parameter AC (collector area) + """ + PARAM_AE: ClassVar[int] + r""" + @brief A constant giving the parameter ID for parameter AE (emitter area) + """ + PARAM_NE: ClassVar[int] + r""" + @brief A constant giving the parameter ID for parameter NE (emitter count) + """ + PARAM_PB: ClassVar[int] + r""" + @brief A constant giving the parameter ID for parameter PB (base perimeter) + """ + PARAM_PC: ClassVar[int] + r""" + @brief A constant giving the parameter ID for parameter PC (collector perimeter) + """ + PARAM_PE: ClassVar[int] + r""" + @brief A constant giving the parameter ID for parameter PE (emitter perimeter) + """ + TERMINAL_B: ClassVar[int] + r""" + @brief A constant giving the terminal ID for terminal B (base) + """ + TERMINAL_C: ClassVar[int] + r""" + @brief A constant giving the terminal ID for terminal C (collector) + """ + TERMINAL_E: ClassVar[int] + r""" + @brief A constant giving the terminal ID for terminal E (emitter) + """ + def _assign(self, other: DeviceClass) -> None: + r""" + @brief Assigns another object to self """ - def get_info(self, index: int) -> LayerInfo: + def _create(self) -> None: r""" - @brief Gets the info structure for a specified layer + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def guiding_shape_layer(self) -> int: + def _destroy(self) -> None: r""" - @brief Returns the index of the guiding shape layer - The guiding shape layer is used to store guiding shapes for PCells. - - This method has been added in version 0.22. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def has_cell(self, name: str) -> bool: + def _destroyed(self) -> bool: r""" - @brief Returns true if a cell with a given name exists - Returns true, if the layout has a cell with the given name + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def has_prop_id(self) -> bool: + def _dup(self) -> DeviceClassBJT3Transistor: r""" - @brief Returns true, if the layout has user properties - - This method has been introduced in version 0.24. + @brief Creates a copy of self """ - @overload - def insert(self, cell_index: int, layer: int, edge_pairs: EdgePairs) -> None: + def _is_const_object(self) -> bool: r""" - @brief Inserts an edge pair collection into the given cell and layer - If the edge pair collection is (conceptionally) flat, it will be inserted into the cell's shapes list as a flat sequence of edge pairs. - If the edge pair collection is deep (hierarchical), it will create a subhierarchy below the given cell and it's edge pairs will be put into the respective cells. Suitable subcells will be picked for inserting the edge pairs. If a hierarchy already exists below the given cell, the algorithm will try to reuse this hierarchy. - - This method has been introduced in version 0.27. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def insert(self, cell_index: int, layer: int, edges: Edges) -> None: + def _manage(self) -> None: r""" - @brief Inserts an edge collection into the given cell and layer - If the edge collection is (conceptionally) flat, it will be inserted into the cell's shapes list as a flat sequence of edges. - If the edge collection is deep (hierarchical), it will create a subhierarchy below the given cell and it's edges will be put into the respective cells. Suitable subcells will be picked for inserting the edges. If a hierarchy already exists below the given cell, the algorithm will try to reuse this hierarchy. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method has been introduced in version 0.26. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def insert(self, cell_index: int, layer: int, region: Region) -> None: + def _unmanage(self) -> None: r""" - @brief Inserts a region into the given cell and layer - If the region is (conceptionally) a flat region, it will be inserted into the cell's shapes list as a flat sequence of polygons. - If the region is a deep (hierarchical) region, it will create a subhierarchy below the given cell and it's shapes will be put into the respective cells. Suitable subcells will be picked for inserting the shapes. If a hierarchy already exists below the given cell, the algorithm will try to reuse this hierarchy. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.26. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def insert(self, cell_index: int, layer: int, texts: Texts) -> None: - r""" - @brief Inserts an text collection into the given cell and layer - If the text collection is (conceptionally) flat, it will be inserted into the cell's shapes list as a flat sequence of texts. - If the text collection is deep (hierarchical), it will create a subhierarchy below the given cell and it's texts will be put into the respective cells. Suitable subcells will be picked for inserting the texts. If a hierarchy already exists below the given cell, the algorithm will try to reuse this hierarchy. - This method has been introduced in version 0.27. +class DeviceClassBJT4Transistor(DeviceClassBJT3Transistor): + r""" + @brief A device class for a 4-terminal bipolar transistor. + This class describes a bipolar transistor with a substrate terminal. A device class for a bipolar transistor without a substrate terminal is \DeviceClassBJT3Transistor. + The additional terminal is 'S' for the substrate terminal. + BJT4 transistors combine in parallel if both substrate terminals are connected to the same net. + + This class has been introduced in version 0.26. + """ + TERMINAL_S: ClassVar[int] + r""" + @brief A constant giving the terminal ID for terminal S + """ + def _assign(self, other: DeviceClass) -> None: + r""" + @brief Assigns another object to self """ - def insert_layer(self, props: LayerInfo) -> int: + def _create(self) -> None: r""" - @brief Inserts a new layer with the given properties - @return The index of the newly created layer + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def insert_layer_at(self, index: int, props: LayerInfo) -> None: + def _destroy(self) -> None: r""" - @brief Inserts a new layer with the given properties at the given index - This method will associate the given layer info with the given layer index. If a layer with that index already exists, this method will change the properties of the layer with that index. Otherwise a new layer is created. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def insert_special_layer(self, props: LayerInfo) -> int: + def _destroyed(self) -> bool: r""" - @brief Inserts a new special layer with the given properties - - Special layers can be used to represent objects that should not participate in normal viewing or other related operations. Special layers are not reported as valid layers. - - @return The index of the newly created layer + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def insert_special_layer_at(self, index: int, props: LayerInfo) -> None: + def _dup(self) -> DeviceClassBJT4Transistor: r""" - @brief Inserts a new special layer with the given properties at the given index - - See \insert_special_layer for a description of special layers. + @brief Creates a copy of self """ - def is_const_object(self) -> bool: + def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def is_editable(self) -> bool: + def _manage(self) -> None: r""" - @brief Returns a value indicating whether the layout is editable. - @return True, if the layout is editable. - If a layout is editable, in general manipulation methods are enabled and some optimizations are disabled (i.e. shape arrays are expanded). + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method has been introduced in version 0.22. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def is_free_layer(self, layer_index: int) -> bool: + def _unmanage(self) -> None: r""" - @brief Returns true, if a layer index is a free (unused) layer index + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - @return true, if this is the case + Usually it's not required to call this method. It has been introduced in version 0.24. + """ - This method has been introduced in version 0.26. +class DeviceClassCapacitor(DeviceClass): + r""" + @brief A device class for a capacitor. + This describes a capacitor. Capacitors are defined by their combination behavior and the basic parameter 'C' which is the capacitance in Farad. + + A capacitor has two terminals, A and B. + The parameters of a capacitor are C (the value in Farad) and A and P (area and perimeter in square micrometers and micrometers respectively). + + This class has been introduced in version 0.26. + """ + PARAM_A: ClassVar[int] + r""" + @brief A constant giving the parameter ID for parameter A + """ + PARAM_C: ClassVar[int] + r""" + @brief A constant giving the parameter ID for parameter C + """ + PARAM_P: ClassVar[int] + r""" + @brief A constant giving the parameter ID for parameter P + """ + TERMINAL_A: ClassVar[int] + r""" + @brief A constant giving the terminal ID for terminal A + """ + TERMINAL_B: ClassVar[int] + r""" + @brief A constant giving the terminal ID for terminal B + """ + def _assign(self, other: DeviceClass) -> None: + r""" + @brief Assigns another object to self """ - def is_special_layer(self, layer_index: int) -> bool: + def _create(self) -> None: r""" - @brief Returns true, if a layer index is a special layer index - - @return true, if this is the case + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def is_valid_cell_index(self, cell_index: int) -> bool: + def _destroy(self) -> None: r""" - @brief Returns true, if a cell index is a valid index - - @return true, if this is the case - This method has been added in version 0.20. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def is_valid_layer(self, layer_index: int) -> bool: + def _destroyed(self) -> bool: r""" - @brief Returns true, if a layer index is a valid normal layout layer index - - @return true, if this is the case + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def layer(self) -> int: + def _dup(self) -> DeviceClassCapacitor: r""" - @brief Creates a new internal layer - - This method will create a new internal layer and return the layer index for this layer. - The layer does not have any properties attached to it. That means, it is not going to be saved to a layout file unless it is given database properties with \set_info. - - This method is equivalent to "layer(RBA::LayerInfo::new())". - - This method has been introduced in version 0.25. + @brief Creates a copy of self """ - @overload - def layer(self, info: LayerInfo) -> int: + def _is_const_object(self) -> bool: r""" - @brief Finds or creates a layer with the given properties - - If a layer with the given properties already exists, this method will return the index of that layer.If no such layer exists, a new one with these properties will be created and its index will be returned. If "info" is anonymous (info.anonymous? is true), a new layer will always be created. - - This method has been introduced in version 0.23. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def layer(self, name: str) -> int: + def _manage(self) -> None: r""" - @brief Finds or creates a layer with the given name - - If a layer with the given name already exists, this method will return the index of that layer.If no such layer exists, a new one with this name will be created and its index will be returned. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method has been introduced in version 0.23. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def layer(self, layer: int, datatype: int) -> int: + def _unmanage(self) -> None: r""" - @brief Finds or creates a layer with the given layer and datatype number - - If a layer with the given layer/datatype already exists, this method will return the index of that layer.If no such layer exists, a new one with these properties will be created and its index will be returned. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.23. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def layer(self, layer: int, datatype: int, name: str) -> int: - r""" - @brief Finds or creates a layer with the given layer and datatype number and name - If a layer with the given layer/datatype/name already exists, this method will return the index of that layer.If no such layer exists, a new one with these properties will be created and its index will be returned. +class DeviceClassCapacitorWithBulk(DeviceClassCapacitor): + r""" + @brief A device class for a capacitor with a bulk terminal (substrate, well). + This class is similar to \DeviceClassCapacitor, but provides an additional terminal (BULK) for the well or substrate the capacitor is embedded in. - This method has been introduced in version 0.23. + The additional terminal is 'W' for the well/substrate terminal. + + This class has been introduced in version 0.26. + """ + TERMINAL_W: ClassVar[int] + r""" + @brief A constant giving the terminal ID for terminal W (well, bulk) + """ + def _assign(self, other: DeviceClass) -> None: + r""" + @brief Assigns another object to self """ - def layer_indexes(self) -> List[int]: + def _create(self) -> None: r""" - @brief Gets a list of valid layer's indices - This method returns an array with layer indices representing valid layers. - - This method has been introduced in version 0.19. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def layer_indices(self) -> List[int]: + def _destroy(self) -> None: r""" - @brief Gets a list of valid layer's indices - This method returns an array with layer indices representing valid layers. - - This method has been introduced in version 0.19. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def layer_infos(self) -> List[LayerInfo]: + def _destroyed(self) -> bool: r""" - @brief Gets a list of valid layer's properties - The method returns an array with layer properties representing valid layers. - The sequence and length of this list corresponds to that of \layer_indexes. - - This method has been introduced in version 0.25. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def layers(self) -> int: + def _dup(self) -> DeviceClassCapacitorWithBulk: r""" - @brief Returns the number of layers - The number of layers reports the maximum (plus 1) layer index used so far. Not all of the layers with an index in the range of 0 to layers-1 needs to be a valid layer. These layers can be either valid, special or unused. Use \is_valid_layer? and \is_special_layer? to test for the first two states. + @brief Creates a copy of self """ - def library(self) -> Library: + def _is_const_object(self) -> bool: r""" - @brief Gets the library this layout lives in or nil if the layout is not part of a library - This attribute has been introduced in version 0.27.5. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def meta_info_value(self, name: str) -> str: + def _manage(self) -> None: r""" - @brief Gets the meta information value for a given name - See \LayoutMetaInfo for details about layouts and meta information. - - If no meta information with the given name exists, an empty string will be returned. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method has been introduced in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def move_layer(self, src: int, dest: int) -> None: + def _unmanage(self) -> None: r""" - @brief Moves a layer + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method was introduced in version 0.19. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ - Move a layer from the source to the target. The target is not cleared before, so that this method - merges shapes from the source with the target layer. The source layer is empty after that operation. +class DeviceClassDiode(DeviceClass): + r""" + @brief A device class for a diode. + This class describes a diode. + A diode has two terminals, A (anode) and C (cathode). + It has two parameters: The diode area in square micrometers (A) and the diode area perimeter in micrometers (P). - @param src The layer index of the source layer. - @param dest The layer index of the destination layer. + Diodes only combine when parallel and in the same direction. In this case, their areas and perimeters are added. + This class has been introduced in version 0.26. + """ + PARAM_A: ClassVar[int] + r""" + @brief A constant giving the parameter ID for parameter A + """ + PARAM_P: ClassVar[int] + r""" + @brief A constant giving the parameter ID for parameter P + """ + TERMINAL_A: ClassVar[int] + r""" + @brief A constant giving the terminal ID for terminal A + """ + TERMINAL_C: ClassVar[int] + r""" + @brief A constant giving the terminal ID for terminal C + """ + def _assign(self, other: DeviceClass) -> None: + r""" + @brief Assigns another object to self """ - @overload - def move_tree_shapes(self, source_layout: Layout, cell_mapping: CellMapping) -> None: + def _create(self) -> None: r""" - @brief Moves the shapes for all given mappings in the \CellMapping object - - This method acts like the corresponding \copy_tree_shapes method, but removes the shapes from the source layout after they have been copied. - - This method has been added in version 0.26.8. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def move_tree_shapes(self, source_layout: Layout, cell_mapping: CellMapping, layer_mapping: LayerMapping) -> None: + def _destroy(self) -> None: r""" - @brief Moves the shapes for all given mappings in the \CellMapping object using the given layer mapping - - This method acts like the corresponding \copy_tree_shapes method, but removes the shapes from the source layout after they have been copied. - - This method has been added in version 0.26.8. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def multi_clip(self, cell: int, boxes: Sequence[Box]) -> List[int]: + def _destroyed(self) -> bool: r""" - @brief Clips the given cell by the given rectangles and produces new cells with the clips, one for each rectangle. - @param cell The cell index of the cell to clip - @param boxes The clip boxes in database units - @return The indexes of the new cells - - This method will cut rectangular regions given by the boxes from the given cell. The clips will be stored in a new cells whose indexed are returned. The clips will be performed hierarchically. The resulting cells will hold a hierarchy of child cells, which are potentially clipped versions of child cells of the original cell. This version is somewhat more efficient than doing individual clips because the clip cells may share clipped versions of child cells. - - This method has been added in version 0.21. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def multi_clip(self, cell: int, boxes: Sequence[DBox]) -> List[int]: + def _dup(self) -> DeviceClassDiode: r""" - @brief Clips the given cell by the given rectangles and produces new cells with the clips, one for each rectangle. - @param cell The cell index of the cell to clip - @param boxes The clip boxes in micrometer units - @return The indexes of the new cells - - This variant which takes micrometer-unit boxes has been added in version 0.28. + @brief Creates a copy of self """ - @overload - def multi_clip(self, cell: Cell, boxes: Sequence[Box]) -> List[Cell]: + def _is_const_object(self) -> bool: r""" - @brief Clips the given cell by the given rectangles and produces new cells with the clips, one for each rectangle. - @param cell The reference to the cell to clip - @param boxes The clip boxes in database units - @return The references to the new cells - - This variant which takes cell references has been added in version 0.28. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def multi_clip(self, cell: Cell, boxes: Sequence[DBox]) -> List[Cell]: + def _manage(self) -> None: r""" - @brief Clips the given cell by the given rectangles and produces new cells with the clips, one for each rectangle. - @param cell The reference to the cell to clip - @param boxes The clip boxes in micrometer units - @return The references to the new cells + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This variant which takes cell references and micrometer-unit boxes has been added in version 0.28. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def multi_clip_into(self, cell: int, target: Layout, boxes: Sequence[Box]) -> List[int]: + def _unmanage(self) -> None: r""" - @brief Clips the given cell by the given rectangles and produces new cells with the clips, one for each rectangle. - @param cell The cell index of the cell to clip - @param boxes The clip boxes in database units - @param target The target layout - @return The indexes of the new cells + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method will cut rectangular regions given by the boxes from the given cell. The clips will be stored in a new cells in the given target layout. The clips will be performed hierarchically. The resulting cells will hold a hierarchy of child cells, which are potentially clipped versions of child cells of the original cell. This version is somewhat more efficient than doing individual clips because the clip cells may share clipped versions of child cells. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ - Please note that it is important that the database unit of the target layout is identical to the database unit of the source layout to achieve the desired results. This method also assumes that the target layout holds the same layers than the source layout. It will copy shapes to the same layers than they have been on the original layout. +class DeviceClassFactory: + r""" + @brief A factory for creating specific device classes for the standard device extractors + Use a reimplementation of this class to provide a device class generator for built-in device extractors such as \DeviceExtractorMOS3Transistor. The constructor of this extractor has a 'factory' parameter which takes an object of \DeviceClassFactory type. - This method has been added in version 0.21. - """ - @overload - def multi_clip_into(self, cell: int, target: Layout, boxes: Sequence[DBox]) -> List[int]: - r""" - @brief Clips the given cell by the given rectangles and produces new cells with the clips, one for each rectangle. - @param cell The cell index of the cell to clip - @param boxes The clip boxes in database units - @param target The target layout - @return The indexes of the new cells + If such an object is provided, this factory is used to create the actual device class. The following code shows an example: - This variant which takes micrometer-unit boxes has been added in version 0.28. - """ - @overload - def multi_clip_into(self, cell: Cell, target: Layout, boxes: Sequence[Box]) -> List[Cell]: - r""" - @brief Clips the given cell by the given rectangles and produces new cells with the clips, one for each rectangle. - @param cell The reference the cell to clip - @param boxes The clip boxes in database units - @param target The target layout - @return The references to the new cells + @code + class MyClass < RBA::DeviceClassMOS3Transistor + ... overrides some methods ... + end - This variant which takes cell references boxes has been added in version 0.28. - """ - @overload - def multi_clip_into(self, cell: Cell, target: Layout, boxes: Sequence[DBox]) -> List[Cell]: - r""" - @brief Clips the given cell by the given rectangles and produces new cells with the clips, one for each rectangle. - @param cell The reference the cell to clip - @param boxes The clip boxes in micrometer units - @param target The target layout - @return The references to the new cells + class MyFactory < RBA::DeviceClassFactory + def create_class + MyClass.new + end + end - This variant which takes cell references and micrometer-unit boxes has been added in version 0.28. - """ - @overload - def pcell_declaration(self, name: str) -> PCellDeclaration_Native: - r""" - @brief Gets a reference to the PCell declaration for the PCell with the given name - Returns a reference to the local PCell declaration with the given name. If the name - is not a valid PCell name, this method returns nil. + extractor = RBA::DeviceExtractorMOS3Transistor::new("NMOS", false, MyFactory.new) + @/code - Usually this method is used on library layouts that define - PCells. Note that this method cannot be used on the layouts using the PCell from - a library. + When using a factory with a device extractor, make sure it creates a corresponding device class, e.g. for the \DeviceExtractorMOS3Transistor extractor create a device class derived from \DeviceClassMOS3Transistor. - This method has been introduced in version 0.22. + This class has been introduced in version 0.27.3. + """ + @classmethod + def new(cls) -> DeviceClassFactory: + r""" + @brief Creates a new object of this class """ - @overload - def pcell_declaration(self, pcell_id: int) -> PCellDeclaration_Native: + def __copy__(self) -> DeviceClassFactory: r""" - @brief Gets a reference to the PCell declaration for the PCell with the given PCell ID. - Returns a reference to the local PCell declaration with the given PCell id. If the parameter - is not a valid PCell ID, this method returns nil. The PCell ID is the number returned - by \register_pcell for example. - - Usually this method is used on library layouts that define - PCells. Note that this method cannot be used on the layouts using the PCell from - a library. - - This method has been introduced in version 0.22. + @brief Creates a copy of self """ - def pcell_id(self, name: str) -> int: + def __deepcopy__(self) -> DeviceClassFactory: r""" - @brief Gets the ID of the PCell with the given name - This method is equivalent to 'pcell_declaration(name).id'. - - This method has been introduced in version 0.22. + @brief Creates a copy of self """ - def pcell_ids(self) -> List[int]: + def __init__(self) -> None: r""" - @brief Gets the IDs of the PCells registered in the layout - Returns an array of PCell IDs. - - This method has been introduced in version 0.24. + @brief Creates a new object of this class """ - def pcell_names(self) -> List[str]: + def _create(self) -> None: r""" - @brief Gets the names of the PCells registered in the layout - Returns an array of PCell names. - - This method has been introduced in version 0.24. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def properties(self, properties_id: int) -> List[Any]: + def _destroy(self) -> None: r""" - @brief Gets the properties set for a given properties ID - - Basically performs the backward conversion of the 'properties_id' method. Given a properties ID, returns the properties set as an array of pairs of variants. In this array, each key and the value are stored as pairs (arrays with two elements). - If the properties ID is not valid, an empty array is returned. - - @param properties_id The properties ID to get the properties for - @return The array of variants (see \properties_id) + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def properties_id(self, properties: Sequence[Any]) -> int: + def _destroyed(self) -> bool: r""" - @brief Gets the properties ID for a given properties set - - Before a set of properties can be attached to a shape, it must be converted into an ID that is unique for that set. The properties set must be given as a list of pairs of variants, each pair describing a name and a value. The name acts as the key for the property and does not need to be a string (it can be an integer or double value as well). - The backward conversion can be performed with the 'properties' method. - - @param properties The array of pairs of variants (both elements can be integer, double or string) - @return The unique properties ID for that set + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def property(self, key: Any) -> Any: + def _is_const_object(self) -> bool: r""" - @brief Gets the user property with the given key - This method is a convenience method that gets the property with the given key. If no property with that key exists, it will return nil. Using that method is more convenient than using the properties ID to retrieve the property value. - This method has been introduced in version 0.24. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def prune_cell(self, cell_index: int, levels: int) -> None: + def _manage(self) -> None: r""" - @brief Deletes a cell plus subcells not used otherwise - - This deletes a cell and also all sub cells of the cell which are not used otherwise. - The number of hierarchy levels to consider can be specified as well. One level of hierarchy means that only the direct children of the cell are deleted with the cell itself. - All instances of this cell are deleted as well. - - @param cell_index The index of the cell to delete - @param levels The number of hierarchy levels to consider (-1: all, 0: none, 1: one level etc.) + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method has been introduced in version 0.20. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def prune_subcells(self, cell_index: int, levels: int) -> None: + def _unmanage(self) -> None: r""" - @brief Deletes all sub cells of the cell which are not used otherwise down to the specified level of hierarchy - - This deletes all sub cells of the cell which are not used otherwise. - All instances of the deleted cells are deleted as well. - It is possible to specify how many levels of hierarchy below the given root cell are considered. - - @param cell_index The root cell from which to delete a sub cells - @param levels The number of hierarchy levels to consider (-1: all, 0: none, 1: one level etc.) + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.20. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def read(self, filename: str) -> LayerMap: + def assign(self, other: DeviceClassFactory) -> None: r""" - @brief Load the layout from the given file - The format of the file is determined automatically and automatic unzipping is provided. No particular options can be specified. - @param filename The name of the file to load. - @return A layer map that contains the mapping used by the reader including the layers that have been created. - This method has been added in version 0.18. + @brief Assigns another object to self """ - @overload - def read(self, filename: str, options: LoadLayoutOptions) -> LayerMap: + def create(self) -> None: r""" - @brief Load the layout from the given file with options - The format of the file is determined automatically and automatic unzipping is provided. In this version, some reader options can be specified. @param filename The name of the file to load. - @param options The options object specifying further options for the reader. - @return A layer map that contains the mapping used by the reader including the layers that have been created. - This method has been added in version 0.18. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def refresh(self) -> None: + def destroy(self) -> None: r""" - @brief Calls \Cell#refresh on all cells inside this layout - This method is useful to recompute all PCells from a layout. Note that this does not update PCells which are linked from a library. To recompute PCells from a library, you need to use \Library#refresh on the library object from which the PCells are imported. - - This method has been introduced in version 0.27.9. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def register_pcell(self, name: str, declaration: PCellDeclaration_Native) -> int: + def destroyed(self) -> bool: r""" - @brief Registers a PCell declaration under the given name - Registers a local PCell in the current layout. If a declaration with that name - already exists, it is replaced with the new declaration. - - This method has been introduced in version 0.22. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def remove_meta_info(self, name: str) -> None: + def dup(self) -> DeviceClassFactory: r""" - @brief Removes meta information from the layout - See \LayoutMetaInfo for details about layouts and meta information. - This method has been introduced in version 0.25. + @brief Creates a copy of self """ - def rename_cell(self, index: int, name: str) -> None: + def is_const_object(self) -> bool: r""" - @brief Renames the cell with given index - The cell with the given index is renamed to the given name. NOTE: it is not ensured that the name is unique. This method allows assigning identical names to different cells which usually breaks things. - Consider using \unique_cell_name to generate truely unique names. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def scale_and_snap(self, cell: Cell, grid: int, mult: int, div: int) -> None: - r""" - @brief Scales and snaps the layout below a given cell by the given rational factor and snaps to the given grid - This method is useful to scale a layout by a non-integer factor. The scale factor is given by the rational number mult / div. After scaling, the layout will be snapped to the given grid. +class DeviceClassInductor(DeviceClass): + r""" + @brief A device class for an inductor. + This class describes an inductor. Inductors are defined by their combination behavior and the basic parameter 'L' which is the inductance in Henry. - Snapping happens 'as-if-flat' - that is, touching edges will stay touching, regardless of their hierarchy path. To achieve this, this method usually needs to produce cell variants. + An inductor has two terminals, A and B. - This method has been introduced in version 0.26.1. + This class has been introduced in version 0.26. + """ + PARAM_L: ClassVar[int] + r""" + @brief A constant giving the parameter ID for parameter L + """ + TERMINAL_A: ClassVar[int] + r""" + @brief A constant giving the terminal ID for terminal A + """ + TERMINAL_B: ClassVar[int] + r""" + @brief A constant giving the terminal ID for terminal B + """ + def _assign(self, other: DeviceClass) -> None: + r""" + @brief Assigns another object to self """ - @overload - def scale_and_snap(self, cell_index: int, grid: int, mult: int, div: int) -> None: + def _create(self) -> None: r""" - @brief Scales and snaps the layout below a given cell by the given rational factor and snaps to the given grid - - Like the other version of \scale_and_snap, but taking a cell index for the argument. - - This method has been introduced in version 0.26.1. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def set_info(self, index: int, props: LayerInfo) -> None: + def _destroy(self) -> None: r""" - @brief Sets the info structure for a specified layer + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def set_property(self, key: Any, value: Any) -> None: + def _destroyed(self) -> bool: r""" - @brief Sets the user property with the given key to the given value - This method is a convenience method that sets the property with the given key to the given value. If no property with that key exists, it will create one. Using that method is more convenient than creating a new property set with a new ID and assigning that properties ID. - This method may change the properties ID. Note: GDS only supports integer keys. OASIS supports numeric and string keys. - This method has been introduced in version 0.24. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def start_changes(self) -> None: + def _dup(self) -> DeviceClassInductor: r""" - @brief Signals the start of an operation bringing the layout into invalid state - - This method should be called whenever the layout is - about to be brought into an invalid state. After calling - this method, \under_construction? returns true which - tells foreign code (i.e. the asynchronous painter or the cell tree view) - not to use this layout object. + @brief Creates a copy of self + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This state is cancelled by the \end_changes method. - The start_changes method can be called multiple times - and must be cancelled the same number of times. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method can be used to speed up certain operations. For example iterating over the layout with a \RecursiveShapeIterator while modifying other layers of the layout can be very inefficient, because inside the loop the layout's state is invalidate and updated frequently. - Putting a update and start_changes sequence before the loop (use both methods in that order!) and a end_changes call after the loop can improve the performance dramatically. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ - In addition, it can be necessary to prevent redraw operations in certain cases by using start_changes .. end_changes, in particular when it is possible to put a layout object into an invalid state temporarily. +class DeviceClassMOS3Transistor(DeviceClass): + r""" + @brief A device class for a 3-terminal MOS transistor. + This class describes a MOS transistor without a bulk terminal. A device class for a MOS transistor with a bulk terminal is \DeviceClassMOS4Transistor. MOS transistors are defined by their combination behavior and the basic parameters. - While the layout is under construction \update can be called to update the internal state explicitly if required. - This for example might be necessary to update the cell bounding boxes or to redo the sorting for region queries. - """ - def swap_layers(self, a: int, b: int) -> None: - r""" - @brief Swap two layers + The parameters are L, W, AS, AD, PS and PD for the gate length and width in micrometers, source and drain area in square micrometers and the source and drain perimeter in micrometers. - Swaps the shapes of both layers. + The terminals are S, G and D for source, gate and drain. - This method was introduced in version 0.19. + MOS transistors combine in parallel mode, when both gate lengths are identical and their gates are connected (source and drain can be swapped). In this case, their widths and source and drain areas are added. - @param a The first of the layers to swap. - @param b The second of the layers to swap. - """ - def technology(self) -> Technology: + This class has been introduced in version 0.26. + """ + PARAM_AD: ClassVar[int] + r""" + @brief A constant giving the parameter ID for parameter AD + """ + PARAM_AS: ClassVar[int] + r""" + @brief A constant giving the parameter ID for parameter AS + """ + PARAM_L: ClassVar[int] + r""" + @brief A constant giving the parameter ID for parameter L + """ + PARAM_PD: ClassVar[int] + r""" + @brief A constant giving the parameter ID for parameter PD + """ + PARAM_PS: ClassVar[int] + r""" + @brief A constant giving the parameter ID for parameter PS + """ + PARAM_W: ClassVar[int] + r""" + @brief A constant giving the parameter ID for parameter W + """ + TERMINAL_D: ClassVar[int] + r""" + @brief A constant giving the terminal ID for terminal D + """ + TERMINAL_G: ClassVar[int] + r""" + @brief A constant giving the terminal ID for terminal G + """ + TERMINAL_S: ClassVar[int] + r""" + @brief A constant giving the terminal ID for terminal S + """ + def _assign(self, other: DeviceClass) -> None: r""" - @brief Gets the \Technology object of the technology this layout is associated with or nil if the layout is not associated with a technology - This method has been introduced in version 0.27. Before that, the technology has been kept in the 'technology' meta data element. + @brief Assigns another object to self """ - def top_cell(self) -> Cell: + def _create(self) -> None: r""" - @brief Returns the top cell object - @return The \Cell object of the top cell - If the layout has a single top cell, this method returns the top cell's \Cell object. - If the layout does not have a top cell, this method returns "nil". If the layout has multiple - top cells, this method raises an error. - - This method has been introduced in version 0.23. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def top_cells(self) -> List[Cell]: + def _destroy(self) -> None: r""" - @brief Returns the top cell objects - @return The \Cell objects of the top cells - This method returns and array of \Cell objects representing the top cells of the layout. - This array can be empty, if the layout does not have a top cell (i.e. no cell at all). - - This method has been introduced in version 0.23. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def transform(self, trans: DCplxTrans) -> None: + def _destroyed(self) -> bool: r""" - @brief Transforms the layout with the given complex integer transformation, which is in micrometer units - This variant will internally translate the transformation's displacement into database units. Apart from that, it behaves identical to the version with a \ICplxTrans argument. - - This method has been introduced in version 0.23. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def transform(self, trans: DTrans) -> None: + def _dup(self) -> DeviceClassMOS3Transistor: r""" - @brief Transforms the layout with the given transformation, which is in micrometer units - This variant will internally translate the transformation's displacement into database units. Apart from that, it behaves identical to the version with a \Trans argument. - - This variant has been introduced in version 0.25. + @brief Creates a copy of self """ - @overload - def transform(self, trans: ICplxTrans) -> None: + def _is_const_object(self) -> bool: r""" - @brief Transforms the layout with the given complex integer transformation - - This method has been introduced in version 0.23. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def transform(self, trans: Trans) -> None: + def _manage(self) -> None: r""" - @brief Transforms the layout with the given transformation + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method has been introduced in version 0.23. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def under_construction(self) -> bool: + def _unmanage(self) -> None: r""" - @brief Returns true if the layout object is under construction + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - A layout object is either under construction if a transaction - is ongoing or the layout is brought into invalid state by - "start_changes". + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def unique_cell_name(self, name: str) -> str: + def join_split_gates(self, circuit: Circuit) -> None: r""" - @brief Creates a new unique cell name from the given name - @return A unique name derived from the argument + @brief Joins source/drain nets from 'split gate' transistor strings on the given circuit + This method has been introduced in version 0.27.9 + """ - If a cell with the given name exists, a suffix will be added to make the name unique. Otherwise, the argument will be returned unchanged. +class DeviceClassMOS4Transistor(DeviceClassMOS3Transistor): + r""" + @brief A device class for a 4-terminal MOS transistor. + This class describes a MOS transistor with a bulk terminal. A device class for a MOS transistor without a bulk terminal is \DeviceClassMOS3Transistor. MOS transistors are defined by their combination behavior and the basic parameters. - The returned name can be used to rename cells without risk of creating name clashes. + The additional terminal is 'B' for the bulk terminal. + MOS4 transistors combine in parallel if both bulk terminals are connected to the same net. - This method has been introduced in version 0.28. + This class has been introduced in version 0.26. + """ + TERMINAL_B: ClassVar[int] + r""" + @brief A constant giving the terminal ID for terminal B + """ + def _assign(self, other: DeviceClass) -> None: + r""" + @brief Assigns another object to self """ - def update(self) -> None: + def _create(self) -> None: r""" - @brief Updates the internals of the layout - This method updates the internal state of the layout. Usually this is done automatically - This method is provided to ensure this explicitly. This can be useful while using \start_changes and \end_changes to wrap a performance-critical operation. See \start_changes for more details. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def write(self, filename: str) -> None: + def _destroy(self) -> None: r""" - @brief Writes the layout to a stream file - @param filename The file to which to write the layout + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def write(self, filename: str, options: SaveLayoutOptions) -> None: + def _destroyed(self) -> bool: r""" - @brief Writes the layout to a stream file - @param filename The file to which to write the layout - @param options The option set to use for writing. See \SaveLayoutOptions for details - - This version automatically determines the compression mode from the file name. The file is written with zlib compression if the suffix is ".gz" or ".gzip". - - This variant has been introduced in version 0.23. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def write(self, filename: str, gzip: bool, options: SaveLayoutOptions) -> None: + def _dup(self) -> DeviceClassMOS4Transistor: r""" - @brief Writes the layout to a stream file - @param filename The file to which to write the layout - @param gzip Ignored - @param options The option set to use for writing. See \SaveLayoutOptions for details - - Starting with version 0.23, this variant is deprecated since the more convenient variant with two parameters automatically determines the compression mode from the file name. The gzip parameter is ignored staring with version 0.23. + @brief Creates a copy of self """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. -class SaveLayoutOptions: - r""" - @brief Options for saving layouts - - This class describes the various options for saving a layout to a stream file (GDS2, OASIS and others). - There are: layers to be saved, cell or cells to be saved, scale factor, format, database unit - and format specific options. - - Usually the default constructor provides a suitable object. Please note, that the format written is "GDS2" by default. Either explicitly set a format using \format= or derive the format from the file name using \set_format_from_filename. - - The layers are specified by either selecting all layers or by defining layer by layer using the - \add_layer method. \select_all_layers will explicitly select all layers for saving, \deselect_all_layers will explicitly clear the list of layers. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - Cells are selected in a similar fashion: by default, all cells are selected. Using \add_cell, specific - cells can be selected for saving. All these cells plus their hierarchy will then be written to the stream file. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ - """ - cif_blank_separator: bool +class DeviceClassResistor(DeviceClass): r""" - Getter: - @brief Gets a flag indicating whether blanks shall be used as x/y separator characters - See \cif_blank_separator= method for a description of that property. - This property has been added in version 0.23.10. + @brief A device class for a resistor. + This class describes a resistor. Resistors are defined by their combination behavior and the basic parameter 'R' which is the resistance in Ohm. - The predicate version (cif_blank_separator?) has been added in version 0.25.1. + A resistor has two terminals, A and B. + The parameters of a resistor are R (the value in Ohms), L and W (length and width in micrometers) and A and P (area and perimeter in square micrometers and micrometers respectively). - Setter: - @brief Sets a flag indicating whether blanks shall be used as x/y separator characters - If this property is set to true, the x and y coordinates are separated with blank characters rather than comma characters. - This property has been added in version 0.23.10. + This class has been introduced in version 0.26. """ - cif_dummy_calls: bool + PARAM_A: ClassVar[int] r""" - Getter: - @brief Gets a flag indicating whether dummy calls shall be written - See \cif_dummy_calls= method for a description of that property. - This property has been added in version 0.23.10. - - The predicate version (cif_blank_separator?) has been added in version 0.25.1. - - Setter: - @brief Sets a flag indicating whether dummy calls shall be written - If this property is set to true, dummy calls will be written in the top level entity of the CIF file calling every top cell. - This option is useful for enhanced compatibility with other tools. - - This property has been added in version 0.23.10. + @brief A constant giving the parameter ID for parameter A """ - dbu: float + PARAM_L: ClassVar[int] r""" - Getter: - @brief Get the explicit database unit if one is set - - See \dbu= for a description of that attribute. - - Setter: - @brief Set the database unit to be used in the stream file - - By default, the database unit of the layout is used. This method allows one to explicitly use a different - database unit. A scale factor is introduced automatically which scales all layout objects accordingly so their physical dimensions remain the same. When scaling to a larger database unit or one that is not an integer fraction of the original one, rounding errors may occur and the layout may become slightly distorted. + @brief A constant giving the parameter ID for parameter L """ - dxf_polygon_mode: int + PARAM_P: ClassVar[int] r""" - Getter: - @brief Specifies how to write polygons. - See \dxf_polygon_mode= for a description of this property. - - This property has been added in version 0.21.3. - - Setter: - @brief Specifies how to write polygons. - The mode is 0 (write POLYLINE entities), 1 (write LWPOLYLINE entities), 2 (decompose into SOLID entities), 3 (write HATCH entities), or 4 (write LINE entities). - - This property has been added in version 0.21.3. '4', in version 0.25.6. + @brief A constant giving the parameter ID for parameter P """ - format: str + PARAM_R: ClassVar[int] r""" - Getter: - @brief Gets the format name - - See \format= for a description of that method. - - Setter: - @brief Select a format - The format string can be either "GDS2", "OASIS", "CIF" or "DXF". Other formats may be available if - a suitable plugin is installed. + @brief A constant giving the parameter ID for parameter R """ - gds2_libname: str + PARAM_W: ClassVar[int] r""" - Getter: - @brief Get the library name - See \gds2_libname= method for a description of the library name. - This property has been added in version 0.18. - - Setter: - @brief Set the library name - - The library name is the string written into the LIBNAME records of the GDS file. - The library name should not be an empty string and is subject to certain limitations in the character choice. - - This property has been added in version 0.18. + @brief A constant giving the parameter ID for parameter W """ - gds2_max_cellname_length: int + TERMINAL_A: ClassVar[int] r""" - Getter: - @brief Get the maximum length of cell names - See \gds2_max_cellname_length= method for a description of the maximum cell name length. - This property has been added in version 0.18. - - Setter: - @brief Maximum length of cell names - - This property describes the maximum number of characters for cell names. - Longer cell names will be shortened. - - This property has been added in version 0.18. + @brief A constant giving the terminal ID for terminal A """ - gds2_max_vertex_count: int + TERMINAL_B: ClassVar[int] r""" - Getter: - @brief Gets the maximum number of vertices for polygons to write - See \gds2_max_vertex_count= method for a description of the maximum vertex count. - This property has been added in version 0.18. - - Setter: - @brief Sets the maximum number of vertices for polygons to write - This property describes the maximum number of point for polygons in GDS2 files. - Polygons with more points will be split. - The minimum value for this property is 4. The maximum allowed value is about 4000 or 8000, depending on the - GDS2 interpretation. If \gds2_multi_xy_records is true, this - property is not used. Instead, the number of points is unlimited. - - This property has been added in version 0.18. + @brief A constant giving the terminal ID for terminal B """ - gds2_multi_xy_records: bool - r""" - Getter: - @brief Gets the property enabling multiple XY records for BOUNDARY elements - See \gds2_multi_xy_records= method for a description of this property. - This property has been added in version 0.18. + def _assign(self, other: DeviceClass) -> None: + r""" + @brief Assigns another object to self + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _dup(self) -> DeviceClassResistor: + r""" + @brief Creates a copy of self + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - Setter: - @brief Uses multiple XY records in BOUNDARY elements for unlimited large polygons + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - Setting this property to true allows producing polygons with an unlimited number of points - at the cost of incompatible formats. Setting it to true disables the \gds2_max_vertex_count setting. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ - This property has been added in version 0.18. - """ - gds2_no_zero_length_paths: bool +class DeviceClassResistorWithBulk(DeviceClassResistor): r""" - Getter: - @brief Gets a value indicating whether zero-length paths are eliminated - - This property has been added in version 0.23. - - Setter: - @brief Eliminates zero-length paths if true - - If this property is set to true, paths with zero length will be converted to BOUNDARY objects. + @brief A device class for a resistor with a bulk terminal (substrate, well). + This class is similar to \DeviceClassResistor, but provides an additional terminal (BULK) for the well or substrate the resistor is embedded in. + The additional terminal is 'W' for the well/substrate terminal. - This property has been added in version 0.23. + This class has been introduced in version 0.26. """ - gds2_resolve_skew_arrays: bool + TERMINAL_W: ClassVar[int] r""" - Getter: - @brief Gets a value indicating whether to resolve skew arrays into single instances - See \gds2_resolve_skew_arrays= method for a description of this property. - This property has been added in version 0.27.1. - - Setter: - @brief Resolves skew arrays into single instances - - Setting this property to true will make skew (non-orthogonal) arrays being resolved into single instances. - Skew arrays happen if either the row or column vector isn't parallel to x or y axis. Such arrays can cause problems with some legacy software and can be disabled with this option. - - This property has been added in version 0.27.1. - """ - gds2_user_units: float - r""" - Getter: - @brief Get the user units - See \gds2_user_units= method for a description of the user units. - This property has been added in version 0.18. - - Setter: - @brief Set the users units to write into the GDS file - - The user units of a GDS file are rarely used and usually are set to 1 (micron). - The intention of the user units is to specify the display units. KLayout ignores the user unit and uses microns as the display unit. - The user unit must be larger than zero. - - This property has been added in version 0.18. - """ - gds2_write_cell_properties: bool - r""" - Getter: - @brief Gets a value indicating whether cell properties are written - - This property has been added in version 0.23. - - Setter: - @brief Enables writing of cell properties if set to true - - If this property is set to true, cell properties will be written as PROPATTR/PROPVALUE records immediately following the BGNSTR records. This is a non-standard extension and is therefore disabled by default. - - - This property has been added in version 0.23. - """ - gds2_write_file_properties: bool - r""" - Getter: - @brief Gets a value indicating whether layout properties are written - - This property has been added in version 0.24. - - Setter: - @brief Enables writing of file properties if set to true - - If this property is set to true, layout properties will be written as PROPATTR/PROPVALUE records immediately following the BGNLIB records. This is a non-standard extension and is therefore disabled by default. - - - This property has been added in version 0.24. - """ - gds2_write_timestamps: bool - r""" - Getter: - @brief Gets a value indicating whether the current time is written into the GDS2 timestamp fields - - This property has been added in version 0.21.16. - - Setter: - @brief Writes the current time into the GDS2 timestamps if set to true - - If this property is set to false, the time fields will all be zero. This somewhat simplifies compare and diff applications. - - - This property has been added in version 0.21.16. - """ - keep_instances: bool - r""" - Getter: - @brief Gets a flag indicating whether instances will be kept even if the target cell is dropped - - See \keep_instances= for details about this flag. - - This method was introduced in version 0.23. - - Setter: - @brief Enables or disables instances for dropped cells - - If this flag is set to true, instances for cells will be written, even if the cell is dropped. That may happen, if cells are selected with \select_this_cell or \add_this_cell or \no_empty_cells is used. Even if cells called by such cells are not selected, instances will be written for that cell if "keep_instances" is true. That feature is supported by the GDS format currently and results in "ghost cells" which have instances but no cell definition. - - The default value is false (instances of dropped cells are not written). - - This method was introduced in version 0.23. - """ - mag_lambda: float - r""" - Getter: - @brief Gets the lambda value - See \mag_lambda= method for a description of this attribute. - This property has been added in version 0.26.2. - - Setter: - @brief Specifies the lambda value to used for writing - - The lambda value is the basic unit of the layout. - The layout is brought to units of this value. If the layout is not on-grid on this unit, snapping will happen. If the value is less or equal to zero, KLayout will use the lambda value stored inside the layout set by a previous read operation of a MAGIC file. The lambda value is stored in the Layout object as the "lambda" metadata attribute. - - This property has been added in version 0.26.2. - """ - mag_tech: str - r""" - Getter: - @brief Gets the technology string used for writing - See \mag_tech= method for a description of this attribute. - This property has been added in version 0.26.2. - - Setter: - @brief Specifies the technology string used for writing - - If this string is empty, the writer will try to obtain the technology from the "technology" metadata attribute of the layout. - - This property has been added in version 0.26.2. - """ - mag_write_timestamp: bool - r""" - Getter: - @brief Gets a value indicating whether to write a timestamp - See \write_timestamp= method for a description of this attribute. - - This property has been added in version 0.26.2. - - Setter: - @brief Specifies whether to write a timestamp - - If this attribute is set to false, the timestamp written is 0. This is not permitted in the strict sense, but simplifies comparison of Magic files. - - This property has been added in version 0.26.2. - """ - no_empty_cells: bool - r""" - Getter: - @brief Returns a flag indicating whether empty cells are not written. - - Setter: - @brief Don't write empty cells if this flag is set - - By default, all cells are written (no_empty_cells is false). - This applies to empty cells which do not contain shapes for the specified layers as well as cells which are empty because they reference empty cells only. - """ - oasis_compression_level: int - r""" - Getter: - @brief Get the OASIS compression level - See \oasis_compression_level= method for a description of the OASIS compression level. - Setter: - @brief Set the OASIS compression level - The OASIS compression level is an integer number between 0 and 10. 0 basically is no compression, 1 produces shape arrays in a simple fashion. 2 and higher compression levels will use a more elaborate algorithm to find shape arrays which uses 2nd and further neighbor distances. The higher the level, the higher the memory requirements and run times. - """ - oasis_permissive: bool - r""" - Getter: - @brief Gets the OASIS permissive mode - See \oasis_permissive= method for a description of this predicate. - This method has been introduced in version 0.25.1. - Setter: - @brief Sets OASIS permissive mode - If this flag is true, certain shapes which cannot be written to OASIS are reported as warnings, not as errors. For example, paths with odd width (are rounded) or polygons with less than three points (are skipped). - - This method has been introduced in version 0.25.1. - """ - oasis_recompress: bool - r""" - Getter: - @brief Gets the OASIS recompression mode - See \oasis_recompress= method for a description of this predicate. - This method has been introduced in version 0.23. - Setter: - @brief Sets OASIS recompression mode - If this flag is true, shape arrays already existing will be resolved and compression is applied to the individual shapes again. If this flag is false (the default), shape arrays already existing will be written as such. - - This method has been introduced in version 0.23. - """ - oasis_strict_mode: bool - r""" - Getter: - @brief Gets a value indicating whether to write strict-mode OASIS files - - Setter: - @brief Sets a value indicating whether to write strict-mode OASIS files - Setting this property clears all format specific options for other formats such as GDS. - """ - oasis_substitution_char: str - r""" - Getter: - @brief Gets the substitution character - - See \oasis_substitution_char for details. This attribute has been introduced in version 0.23. - - Setter: - @brief Sets the substitution character for a-strings and n-strings - The substitution character is used in place of invalid characters. The value of this attribute is a string which is either empty or a single character. If the string is empty, no substitution is made at the risk of producing invalid OASIS files. - - This attribute has been introduce in version 0.23. - """ - oasis_write_cblocks: bool - r""" - Getter: - @brief Gets a value indicating whether to write compressed CBLOCKS per cell - - Setter: - @brief Sets a value indicating whether to write compressed CBLOCKS per cell - Setting this property clears all format specific options for other formats such as GDS. - """ - oasis_write_cell_bounding_boxes: bool - r""" - Getter: - @brief Gets a value indicating whether cell bounding boxes are written - See \oasis_write_cell_bounding_boxes= method for a description of this flag. - This method has been introduced in version 0.24.3. - Setter: - @brief Sets a value indicating whether cell bounding boxes are written - If this value is set to true, cell bounding boxes are written (S_BOUNDING_BOX). The S_BOUNDING_BOX properties will be attached to the CELLNAME records. - - Setting this value to true will also enable writing of other standard properties like S_TOP_CELL (see \oasis_write_std_properties=). - By default, cell bounding boxes are not written, but standard properties are. - - This method has been introduced in version 0.24.3. + @brief A constant giving the terminal ID for terminal W (well, bulk) """ - oasis_write_std_properties: bool - r""" - Getter: - @brief Gets a value indicating whether standard properties will be written - See \oasis_write_std_properties= method for a description of this flag. - This method has been introduced in version 0.24. - Setter: - @brief Sets a value indicating whether standard properties will be written - If this value is false, no standard properties are written. If true, S_TOP_CELL and some other global standard properties are written. In addition, \oasis_write_cell_bounding_boxes= can be used to write cell bounding boxes using S_BOUNDING_BOX. + def _assign(self, other: DeviceClass) -> None: + r""" + @brief Assigns another object to self + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _dup(self) -> DeviceClassResistorWithBulk: + r""" + @brief Creates a copy of self + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - By default, this flag is true and standard properties are written. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - Setting this property to false clears the oasis_write_cell_bounding_boxes flag too. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ - This method has been introduced in version 0.24. - """ - oasis_write_std_properties_ext: int - r""" - Getter: - @hide - Setter: - @hide - """ - scale_factor: float +class DeviceExtractorBJT3Transistor(DeviceExtractorBase): r""" - Getter: - @brief Gets the scaling factor currently set - - Setter: - @brief Set the scaling factor for the saving + @brief A device extractor for a bipolar transistor (BJT) - Using a scaling factor will scale all objects accordingly. This scale factor adds to a potential scaling implied by using an explicit database unit. + This class supplies the generic extractor for a bipolar transistor device. - Be aware that rounding effects may occur if fractional scaling factors are used. + Extraction of vertical and lateral transistors is supported through a generic geometry model: The basic area is the base area. A marker shape must be provided for this area. The emitter of the transistor is defined by emitter layer shapes inside the base area. Multiple emitter shapes can be present. In this case, multiple transistor devices sharing the same base and collector are generated. + Finally, a collector layer can be given. If non-empty, the parts inside the base region will define the collector terminals. If empty, the collector is formed by the substrate. In this case, the base region will be output to the 'tC' terminal output layer. This layer then needs to be connected to a global net to form the net connection. - By default, no scaling is applied. - """ - write_context_info: bool - r""" - Getter: - @brief Gets a flag indicating whether context information will be stored + The device class produced by this extractor is \DeviceClassBJT3Transistor. + The extractor delivers these parameters: - See \write_context_info= for details about this flag. + @ul + @li 'AE', 'AB' and 'AC' - the emitter, base and collector areas in square micrometer units @/li + @li 'PE', 'PB' and 'PC' - the emitter, base and collector perimeters in micrometer units @/li + @li 'NE' - emitter count (initially 1 but increases when devices are combined) @/li + @/ul - This method was introduced in version 0.23. + The device layer names are: - Setter: - @brief Enables or disables context information + @ul + @li 'E' - emitter. @/li + @li 'B' - base. @/li + @li 'C' - collector. @/li + @/ul - If this flag is set to false, no context information for PCell or library cell instances is written. Those cells will be converted to plain cells and KLayout will not be able to restore the identity of those cells. Use this option to enforce compatibility with other tools that don't understand the context information of KLayout. + The terminals are output on these layers: + @ul + @li 'tE' - emitter. Default output is 'E'. @/li + @li 'tB' - base. Default output is 'B'. @/li + @li 'tC' - collector. Default output is 'C'. @/li + @/ul - The default value is true (context information is stored). Not all formats support context information, hence that flag has no effect for formats like CIF or DXF. + This class is a closed one and methods cannot be reimplemented. To reimplement specific methods, see \DeviceExtractor. - This method was introduced in version 0.23. + This class has been introduced in version 0.26. """ @classmethod - def new(cls) -> SaveLayoutOptions: - r""" - @brief Default constructor - - This will initialize the scale factor to 1.0, the database unit is set to - "same as original" and all layers are selected as well as all cells. - The default format is GDS2. - """ - def __copy__(self) -> SaveLayoutOptions: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> SaveLayoutOptions: + def new(cls, name: str, factory: Optional[DeviceClassFactory] = ...) -> DeviceExtractorBJT3Transistor: r""" - @brief Creates a copy of self + @brief Creates a new device extractor with the given name + For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. """ - def __init__(self) -> None: + def __init__(self, name: str, factory: Optional[DeviceClassFactory] = ...) -> None: r""" - @brief Default constructor - - This will initialize the scale factor to 1.0, the database unit is set to - "same as original" and all layers are selected as well as all cells. - The default format is GDS2. + @brief Creates a new device extractor with the given name + For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. """ def _create(self) -> None: r""" @@ -15279,141 +14583,95 @@ class SaveLayoutOptions: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def add_cell(self, cell_index: int) -> None: - r""" - @brief Add a cell (plus hierarchy) to be saved - - The index of the cell must be a valid index in the context of the layout that will be saved. - This method clears the 'select all cells' flag. - - This method also implicitly adds the children of that cell. A method that does not add the children in \add_this_cell. - """ - def add_layer(self, layer_index: int, properties: LayerInfo) -> None: - r""" - @brief Add a layer to be saved +class DeviceExtractorBJT4Transistor(DeviceExtractorBJT3Transistor): + r""" + @brief A device extractor for a four-terminal bipolar transistor (BJT) + This class supplies the generic extractor for a bipolar transistor device. + It is based on the \DeviceExtractorBJT3Transistor class with the extension of a substrate terminal and corresponding substrate terminal output (annotation) layer. - Adds the layer with the given index to the layer list that will be written. - If all layers have been selected previously, all layers will - be unselected first and only the new layer remains. + Two new layers are introduced: - The 'properties' argument can be used to assign different layer properties than the ones - present in the layout. Pass a default \LayerInfo object to this argument to use the - properties from the layout object. Construct a valid \LayerInfo object with explicit layer, - datatype and possibly a name to override the properties stored in the layout. - """ - def add_this_cell(self, cell_index: int) -> None: - r""" - @brief Adds a cell to be saved + @ul + @li 'S' - the bulk (substrate) layer. Currently this layer is ignored and can be empty. @/li@li 'tS' - the bulk terminal output layer (defaults to 'S'). @/li@/ul + The bulk terminal layer ('tS') can be an empty layer representing the wafer substrate. + In this use mode the substrate terminal shapes will be produced on the 'tS' layer. This + layer then needs to be connected to a global net to establish the net connection. - The index of the cell must be a valid index in the context of the layout that will be saved. - This method clears the 'select all cells' flag. - Unlike \add_cell, this method does not implicitly add all children of that cell. + The device class produced by this extractor is \DeviceClassBJT4Transistor. + The This class is a closed one and methods cannot be reimplemented. To reimplement specific methods, see \DeviceExtractor. - This method has been added in version 0.23. - """ - def assign(self, other: SaveLayoutOptions) -> None: + This class has been introduced in version 0.26. + """ + @classmethod + def new(cls, name: str, factory: Optional[DeviceClassFactory] = ...) -> DeviceExtractorBJT4Transistor: r""" - @brief Assigns another object to self + @brief Creates a new device extractor with the given name + For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. """ - def clear_cells(self) -> None: + def __init__(self, name: str, factory: Optional[DeviceClassFactory] = ...) -> None: r""" - @brief Clears all cells to be saved - - This method can be used to ensure that no cell is selected before \add_cell is called to specify a cell. - This method clears the 'select all cells' flag. - - This method has been added in version 0.22. + @brief Creates a new device extractor with the given name + For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. """ - def create(self) -> None: + def _create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def deselect_all_layers(self) -> None: - r""" - @brief Unselect all layers: no layer will be saved - - This method will clear all layers selected with \add_layer so far and clear the 'select all layers' flag. - Using this method is the only way to save a layout without any layers. - """ - def destroy(self) -> None: + def _destroy(self) -> None: r""" @brief Explicitly destroys the object Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. If the object is not owned by the script, this method will do nothing. """ - def destroyed(self) -> bool: + def _destroyed(self) -> bool: r""" @brief Returns a value indicating whether the object was already destroyed This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> SaveLayoutOptions: - r""" - @brief Creates a copy of self - """ - def is_const_object(self) -> bool: + def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def select_all_cells(self) -> None: - r""" - @brief Select all cells to save - - This method will clear all cells specified with \add_cells so far and set the 'select all cells' flag. - This is the default. - """ - def select_all_layers(self) -> None: - r""" - @brief Select all layers to be saved - - This method will clear all layers selected with \add_layer so far and set the 'select all layers' flag. - This is the default. - """ - def select_cell(self, cell_index: int) -> None: - r""" - @brief Selects a cell to be saved (plus hierarchy below) - - - This method is basically a convenience method that combines \clear_cells and \add_cell. - This method clears the 'select all cells' flag. - - This method has been added in version 0.22. - """ - def select_this_cell(self, cell_index: int) -> None: + def _manage(self) -> None: r""" - @brief Selects a cell to be saved - - - This method is basically a convenience method that combines \clear_cells and \add_this_cell. - This method clears the 'select all cells' flag. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method has been added in version 0.23. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def set_format_from_filename(self, filename: str) -> bool: + def _unmanage(self) -> None: r""" - @brief Select a format from the given file name - - This method will set the format according to the file's extension. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.22. Beginning with version 0.23, this method always returns true, since the only consumer for the return value, Layout#write, now ignores that parameter and automatically determines the compression mode from the file name. + Usually it's not required to call this method. It has been introduced in version 0.24. """ -class LayoutQueryIterator: +class DeviceExtractorBase: r""" - @brief Provides the results of the query + @brief The base class for all device extractors. + This is an abstract base class for device extractors. See \GenericDeviceExtractor for a generic class which you can reimplement to supply your own customized device extractor. In many cases using one of the preconfigured specific device extractors may be useful already and it's not required to implement a custom one. For an example about a preconfigured device extractor see \DeviceExtractorMOS3Transistor. - This object is used by \LayoutQuery#each to deliver the results of a query in an iterative fashion. See \LayoutQuery for a detailed description of the query interface. + This class cannot and should not be instantiated explicitly. Use one of the subclasses instead. - The LayoutQueryIterator class has been introduced in version 0.25. + This class has been introduced in version 0.26. + """ + name: str + r""" + Getter: + @brief Gets the name of the device extractor and the device class. + Setter: + @brief Sets the name of the device extractor and the device class. """ @classmethod - def new(cls) -> LayoutQueryIterator: + def new(cls) -> DeviceExtractorBase: r""" @brief Creates a new object of this class """ @@ -15458,23 +14716,11 @@ class LayoutQueryIterator: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def cell(self) -> Any: - r""" - @brief A shortcut for 'get("cell")' - """ - def cell_index(self) -> Any: - r""" - @brief A shortcut for 'get("cell_index")' - """ def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def data(self) -> Any: - r""" - @brief A shortcut for 'get("data")' - """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -15487,29 +14733,20 @@ class LayoutQueryIterator: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dtrans(self) -> Any: + def device_class(self) -> DeviceClass: r""" - @brief A shortcut for 'get("dtrans")' - """ - def get(self, name: str) -> Any: - r""" - @brief Gets the query property with the given name - The query properties available can be obtained from the query object using \LayoutQuery#property_names. - Some shortcut methods are available. For example, the \data method provides a shortcut for 'get("data")'. + @brief Gets the device class used during extraction + The attribute will hold the actual device class used in the device extraction. It is valid only after 'extract_devices'. - If a property with the given name is not available, nil will be returned. - """ - def initial_cell(self) -> Any: - r""" - @brief A shortcut for 'get("initial_cell")' + This method has been added in version 0.27.3. """ - def initial_cell_index(self) -> Any: + def each_error(self) -> Iterator[NetlistDeviceExtractorError]: r""" - @brief A shortcut for 'get("initial_cell_index")' + @brief Iterates over all errors collected in the device extractor. """ - def inst(self) -> Any: + def each_layer_definition(self) -> Iterator[NetlistDeviceExtractorLayerDefinition]: r""" - @brief A shortcut for 'get("inst")' + @brief Iterates over all layer definitions. """ def is_const_object(self) -> bool: r""" @@ -15517,71 +14754,55 @@ class LayoutQueryIterator: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def layer_index(self) -> Any: - r""" - @brief A shortcut for 'get("layer_index")' - """ - def layout(self) -> Layout: - r""" - @brief Gets the layout the query acts on - """ - def parent_cell(self) -> Any: - r""" - @brief A shortcut for 'get("parent_cell")' - """ - def parent_cell_index(self) -> Any: - r""" - @brief A shortcut for 'get("parent_cell_index")' - """ - def path_dtrans(self) -> Any: - r""" - @brief A shortcut for 'get("path_dtrans")' - """ - def path_trans(self) -> Any: - r""" - @brief A shortcut for 'get("path_trans")' - """ - def query(self) -> LayoutQuery: - r""" - @brief Gets the query the iterator follows on - """ - def shape(self) -> Any: - r""" - @brief A shortcut for 'get("shape")' - """ - def trans(self) -> Any: + def test_initialize(self, netlist: Netlist) -> None: r""" - @brief A shortcut for 'get("trans")' + @hide """ -class LayoutQuery: +class DeviceExtractorCapacitor(DeviceExtractorBase): r""" - @brief A layout query - Layout queries are the backbone of the "Search & replace" feature. Layout queries allow retrieval of data from layouts and manipulation of layouts. This object provides script binding for this feature. - Layout queries are used by first creating a query object. Depending on the nature of the query, either \execute or \each can be used to execute the query. \execute will run the query and return once the query is finished. \execute is useful for running queries that don't return results such as "delete" or "with ... do" queries. - \each can be used when the results of the query need to be retrieved. + @brief A device extractor for a two-terminal capacitor - The \each method will call a block a of code for every result available. It will provide a \LayoutQueryIterator object that allows accessing the results of the query. Depending on the query, different attributes of the iterator object will be available. For example, "select" queries will fill the "data" attribute with an array of values corresponding to the columns of the selection. + This class supplies the generic extractor for a capacitor device. + The device is defined by two geometry layers forming the 'plates' of the capacitor. + The capacitance is computed from the overlapping area of the plates using 'C = A * area_cap' (area_cap is the capacitance per square micrometer area). - Here is some sample code: - @code - ly = RBA::CellView::active.layout - q = RBA::LayoutQuery::new("select cell.name, cell.bbox from *") - q.each(ly) do |iter| - puts "cell name: #{iter.data[0]}, bounding box: #{iter.data[1]}" - end - @/code + Although 'area_cap' can be given in any unit, Farad should be preferred as this is the convention used for output into a netlist. - The LayoutQuery class has been introduced in version 0.25. + The device class produced by this extractor is \DeviceClassCapacitor. + The extractor produces three parameters: + + @ul + @li 'C' - the capacitance @/li + @li 'A' - the capacitor's area in square micrometer units @/li + @li 'P' - the capacitor's perimeter in micrometer units @/li + @/ul + + The device layer names are: + + @ul + @li 'P1', 'P2' - the two plates. @/li + @/ul + + The terminals are output on these layers: + @ul + @li 'tA', 'tB' - the two terminals. Defaults to 'P1' and 'P2'. @/li + @/ul + + This class is a closed one and methods cannot be reimplemented. To reimplement specific methods, see \DeviceExtractor. + + This class has been introduced in version 0.26. """ @classmethod - def new(cls, query: str) -> LayoutQuery: + def new(cls, name: str, area_cap: float, factory: Optional[DeviceClassFactory] = ...) -> DeviceExtractorCapacitor: r""" - @brief Creates a new query object from the given query string + @brief Creates a new device extractor with the given name + For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. """ - def __init__(self, query: str) -> None: + def __init__(self, name: str, area_cap: float, factory: Optional[DeviceClassFactory] = ...) -> None: r""" - @brief Creates a new query object from the given query string + @brief Creates a new device extractor with the given name + For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. """ def _create(self) -> None: r""" @@ -15620,136 +14841,138 @@ class LayoutQuery: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def create(self) -> None: + +class DeviceExtractorCapacitorWithBulk(DeviceExtractorBase): + r""" + @brief A device extractor for a capacitor with a bulk terminal + + This class supplies the generic extractor for a capacitor device including a bulk terminal. + The device is defined the same way than devices are defined for \DeviceExtractorCapacitor. + + The device class produced by this extractor is \DeviceClassCapacitorWithBulk. + The extractor produces three parameters: + + @ul + @li 'C' - the capacitance @/li + @li 'A' - the capacitor's area in square micrometer units @/li + @li 'P' - the capacitor's perimeter in micrometer units @/li + @/ul + + The device layer names are: + + @ul + @li 'P1', 'P2' - the two plates. @/li + @li 'W' - well, bulk. Currently this layer is ignored for the extraction and can be empty. @/li + @/ul + + The terminals are output on these layers: + @ul + @li 'tA', 'tB' - the two terminals. Defaults to 'P1' and 'P2'. @/li + @li 'tW' - the bulk terminal (copy of the resistor area). @/li + @/ul + + The bulk terminal layer can be an empty layer representing the substrate. In this case, it needs to be connected globally. + + This class is a closed one and methods cannot be reimplemented. To reimplement specific methods, see \DeviceExtractor. + + This class has been introduced in version 0.26. + """ + @classmethod + def new(cls, name: str, sheet_rho: float, factory: Optional[DeviceClassFactory] = ...) -> DeviceExtractorCapacitorWithBulk: + r""" + @brief Creates a new device extractor with the given name + For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. + """ + def __init__(self, name: str, sheet_rho: float, factory: Optional[DeviceClassFactory] = ...) -> None: + r""" + @brief Creates a new device extractor with the given name + For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. + """ + def _create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def destroy(self) -> None: + def _destroy(self) -> None: r""" @brief Explicitly destroys the object Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. If the object is not owned by the script, this method will do nothing. """ - def destroyed(self) -> bool: + def _destroyed(self) -> bool: r""" @brief Returns a value indicating whether the object was already destroyed This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def each(self, layout: Layout, context: Optional[tl.ExpressionContext] = ...) -> Iterator[LayoutQueryIterator]: - r""" - @brief Executes the query and delivered the results iteratively. - The argument to the block is a \LayoutQueryIterator object which can be asked for specific results. - - The context argument allows supplying an expression execution context. This context can be used for example to supply variables for the execution. It has been added in version 0.26. - """ - def execute(self, layout: Layout, context: Optional[tl.ExpressionContext] = ...) -> None: - r""" - @brief Executes the query - - This method can be used to execute "active" queries such - as "delete" or "with ... do". - It is basically equivalent to iterating over the query until it is - done. - - The context argument allows supplying an expression execution context. This context can be used for example to supply variables for the execution. It has been added in version 0.26. - """ - def is_const_object(self) -> bool: + def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def property_names(self) -> List[str]: + def _manage(self) -> None: r""" - @brief Gets a list of property names available. - The list of properties available from the query depends on the nature of the query. This method allows detection of the properties available. Within the query, all of these properties can be obtained from the query iterator using \LayoutQueryIterator#get. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. -class Library: - r""" - @brief A Library + Usually it's not required to call this method. It has been introduced in version 0.24. + """ - A library is basically a wrapper around a layout object. The layout object - provides cells and potentially PCells that can be imported into other layouts. +class DeviceExtractorDiode(DeviceExtractorBase): + r""" + @brief A device extractor for a planar diode - The library provides a name which is used to identify the library and a description - which is used for identifying the library in a user interface. + This class supplies the generic extractor for a planar diode. + The diode is defined by two layers whose overlap area forms + the diode. The p-type layer forms the anode, the n-type layer + the cathode. - After a library is created and the layout is filled, it must be registered using the register method. + The device class produced by this extractor is \DeviceClassDiode. + The extractor extracts the two parameters of this class: - This class has been introduced in version 0.22. - """ - description: str - r""" - Getter: - @brief Returns the libraries' description text + @ul + @li 'A' - the diode area in square micrometer units. @/li + @li 'P' - the diode perimeter in micrometer units. @/li + @/ul - Setter: - @brief Sets the libraries' description text - """ - technology: str - r""" - Getter: - @brief Returns name of the technology the library is associated with - If this attribute is a non-empty string, this library is only offered for selection if the current layout uses this technology. + The device layers are: - This attribute has been introduced in version 0.25. In version 0.27 this attribute is deprecated as a library can now be associated with multiple technologies. - Setter: - @brief sets the name of the technology the library is associated with + @ul + @li 'P' - the p doped area. @/li + @li 'N' - the n doped area. @/li + @/ul - See \technology for details. This attribute has been introduced in version 0.25. In version 0.27, a library can be associated with multiple technologies and this method will revert the selection to a single one. Passing an empty string is equivalent to \clear_technologies. - """ - @classmethod - def library_by_id(cls, id: int) -> Library: - r""" - @brief Gets the library object for the given ID - If the ID is not valid, nil is returned. + The diode region is defined by the overlap of p and n regions. - This method has been introduced in version 0.27. - """ - @classmethod - def library_by_name(cls, name: str, for_technology: Optional[str] = ...) -> Library: - r""" - @brief Gets a library by name - Returns the library object for the given name. If the name is not a valid - library name, nil is returned. + The terminal output layers are: - Different libraries can be registered under the same names for different technologies. When a technology name is given in 'for_technologies', the first library matching this technology is returned. If no technology is given, the first library is returned. + @ul + @li 'tA' - anode. Defaults to 'P'. @/li + @li 'tC' - cathode. Defaults to 'N'. @/li + @/ul - The technology selector has been introduced in version 0.27. - """ - @classmethod - def library_ids(cls) -> List[int]: - r""" - @brief Returns a list of valid library IDs. - See \library_names for the reasoning behind this method. - This method has been introduced in version 0.27. - """ - @classmethod - def library_names(cls) -> List[str]: - r""" - @brief Returns a list of the names of all libraries registered in the system. + This class is a closed one and methods cannot be reimplemented. To reimplement specific methods, see \DeviceExtractor. - NOTE: starting with version 0.27, the name of a library does not need to be unique if libraries are associated with specific technologies. This method will only return the names and it's not possible not unambiguously derive the library object. It is recommended to use \library_ids and \library_by_id to obtain the library unambiguously. - """ + This class has been introduced in version 0.26. + """ @classmethod - def new(cls) -> Library: - r""" - @brief Creates a new, empty library - """ - def __copy__(self) -> Library: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> Library: + def new(cls, name: str, factory: Optional[DeviceClassFactory] = ...) -> DeviceExtractorDiode: r""" - @brief Creates a copy of self + @brief Creates a new device extractor with the given name + For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. """ - def __init__(self) -> None: + def __init__(self, name: str, factory: Optional[DeviceClassFactory] = ...) -> None: r""" - @brief Creates a new, empty library + @brief Creates a new device extractor with the given name + For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. """ def _create(self) -> None: r""" @@ -15788,135 +15011,144 @@ class Library: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def add_technology(self, tech: str) -> None: - r""" - @brief Additionally associates the library with the given technology. - See also \clear_technologies. - This method has been introduced in version 0.27 - """ - def assign(self, other: Library) -> None: +class DeviceExtractorMOS3Transistor(DeviceExtractorBase): + r""" + @brief A device extractor for a three-terminal MOS transistor + + This class supplies the generic extractor for a MOS device. + The device is defined by two basic input layers: the diffusion area + (source and drain) and the gate area. It requires a third layer + (poly) to put the gate terminals on. The separation between poly + and allows separating the device recognition layer (gate) from the + conductive layer. + + The device class produced by this extractor is \DeviceClassMOS3Transistor. + + The extractor delivers six parameters: + + @ul + @li 'L' - the gate length in micrometer units @/li + @li 'W' - the gate width in micrometer units @/li + @li 'AS' and 'AD' - the source and drain region areas in square micrometers @/li + @li 'PS' and 'PD' - the source and drain region perimeters in micrometer units @/li + @/ul + + The device layer names are: + + @ul + @li In strict mode: 'S' (source), 'D' (drain) and 'G' (gate). @/li + @li In non-strict mode: 'SD' (source and drain) and 'G' (gate). @/li + @/ul + + The terminals are output on these layers: + @ul + @li 'tS' - source. Default output is 'S' (strict mode) or 'SD' (otherwise). @/li + @li 'tD' - drain. Default output is 'D' (strict mode) or 'SD' (otherwise). @/li + @li 'tG' - gate. Default output is 'G'. @/li + @/ul + + The source/drain (diffusion) area is distributed on the number of gates connecting to + the particular source or drain area. + + This class is a closed one and methods cannot be reimplemented. To reimplement specific methods, see \DeviceExtractor. + + This class has been introduced in version 0.26. + """ + @classmethod + def new(cls, name: str, strict: Optional[bool] = ..., factory: Optional[DeviceClassFactory] = ...) -> DeviceExtractorMOS3Transistor: r""" - @brief Assigns another object to self + @brief Creates a new device extractor with the given name. + If \strict is true, the MOS device extraction will happen in strict mode. That is, source and drain are not interchangeable. + + For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. """ - def clear_technologies(self) -> None: + def __init__(self, name: str, strict: Optional[bool] = ..., factory: Optional[DeviceClassFactory] = ...) -> None: r""" - @brief Clears the list of technologies the library is associated with. - See also \add_technology. + @brief Creates a new device extractor with the given name. + If \strict is true, the MOS device extraction will happen in strict mode. That is, source and drain are not interchangeable. - This method has been introduced in version 0.27 + For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. """ - def create(self) -> None: + def _create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def delete(self) -> None: - r""" - @brief Deletes the library - - This method will delete the library object. Library proxies pointing to this library will become invalid and the library object cannot be used any more after calling this method. - - This method has been introduced in version 0.25. - """ - def destroy(self) -> None: + def _destroy(self) -> None: r""" @brief Explicitly destroys the object Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. If the object is not owned by the script, this method will do nothing. """ - def destroyed(self) -> bool: + def _destroyed(self) -> bool: r""" @brief Returns a value indicating whether the object was already destroyed This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> Library: - r""" - @brief Creates a copy of self - """ - def for_technologies(self) -> bool: - r""" - @brief Returns a value indicating whether the library is associated with any technology. - The method is equivalent to checking whether the \technologies list is empty. - - This method has been introduced in version 0.27 - """ - def id(self) -> int: - r""" - @brief Returns the library's ID - The ID is set when the library is registered and cannot be changed - """ - def is_const_object(self) -> bool: + def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def is_for_technology(self, tech: str) -> bool: - r""" - @brief Returns a value indicating whether the library is associated with the given technology. - This method has been introduced in version 0.27 - """ - def layout(self) -> Layout: - r""" - @brief The layout object where the cells reside that this library defines - """ - def layout_const(self) -> Layout: + def _manage(self) -> None: r""" - @brief The layout object where the cells reside that this library defines (const version) + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def name(self) -> str: + def _unmanage(self) -> None: r""" - @brief Returns the libraries' name - The name is set when the library is registered and cannot be changed + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def refresh(self) -> None: + def strict(self) -> bool: r""" - @brief Updates all layouts using this library. - This method will retire cells or update layouts in the attached clients. - It will also recompute the PCells inside the library. - This method has been introduced in version 0.27.8. + @brief Returns a value indicating whether extraction happens in strict mode. """ - def register(self, name: str) -> None: - r""" - @brief Registers the library with the given name - This method can be called in the constructor to register the library after - the layout object has been filled with content. If a library with that name - already exists for the same technologies, it will be replaced with this library. +class DeviceExtractorMOS4Transistor(DeviceExtractorBase): + r""" + @brief A device extractor for a four-terminal MOS transistor - This method will set the libraries' name. + This class supplies the generic extractor for a MOS device. + It is based on the \DeviceExtractorMOS3Transistor class with the extension of a bulk terminal and corresponding bulk terminal output (annotation) layer. - The technology specific behaviour has been introduced in version 0.27. - """ - def technologies(self) -> List[str]: - r""" - @brief Gets the list of technologies this library is associated with. - This method has been introduced in version 0.27 - """ + The parameters of a MOS4 device are the same than for MOS3 devices. For the device layers the bulk layer is added. -class PCellDeclaration_Native: - r""" - @hide - @alias PCellDeclaration + @ul + @li 'B' (bulk) - currently this layer is not used and can be empty. @/li + @/ul + + The bulk terminals are output on this layer: + @ul + @li 'tB' - bulk terminal (a copy of the gate shape). Default output is 'B'. @/li + @/ul + + The bulk terminal layer can be empty. In this case, it needs + to be connected to a global net to establish the net connection. + + The device class produced by this extractor is \DeviceClassMOS4Transistor. + + This class is a closed one and methods cannot be reimplemented. To reimplement specific methods, see \DeviceExtractor. + + This class has been introduced in version 0.26. """ @classmethod - def new(cls) -> PCellDeclaration_Native: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> PCellDeclaration_Native: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> PCellDeclaration_Native: + def new(cls, name: str, strict: Optional[bool] = ..., factory: Optional[DeviceClassFactory] = ...) -> DeviceExtractorMOS4Transistor: r""" - @brief Creates a copy of self + @brief Creates a new device extractor with the given name + For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. """ - def __init__(self) -> None: + def __init__(self, name: str, strict: Optional[bool] = ..., factory: Optional[DeviceClassFactory] = ...) -> None: r""" - @brief Creates a new object of this class + @brief Creates a new device extractor with the given name + For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. """ def _create(self) -> None: r""" @@ -15955,264 +15187,242 @@ class PCellDeclaration_Native: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: PCellDeclaration_Native) -> None: - r""" - @brief Assigns another object to self - """ - def callback(self, layout: Layout, name: str, states: PCellParameterStates) -> None: - r""" - """ - def can_create_from_shape(self, layout: Layout, shape: Shape, layer: int) -> bool: - r""" - """ - def coerce_parameters(self, layout: Layout, parameters: Sequence[Any]) -> List[Any]: - r""" - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def display_text(self, parameters: Sequence[Any]) -> str: + +class DeviceExtractorResistor(DeviceExtractorBase): + r""" + @brief A device extractor for a two-terminal resistor + + This class supplies the generic extractor for a resistor device. + The device is defined by two geometry layers: the resistor 'wire' and two contacts per wire. The contacts should be attached to the ends of the wire. The wire length and width is computed from the edge lengths between the contacts and along the contacts respectively. + + This simple computation is precise only when the resistor shape is a rectangle. + + Using the given sheet resistance, the resistance value is computed by 'R = L / W * sheet_rho'. + + The device class produced by this extractor is \DeviceClassResistor. + The extractor produces three parameters: + + @ul + @li 'R' - the resistance in Ohm @/li + @li 'A' - the resistor's area in square micrometer units @/li + @li 'P' - the resistor's perimeter in micrometer units @/li + @/ul + + The device layer names are: + + @ul + @li 'R' - resistor path. This is the geometry that defines the resistor's current path. @/li + @li 'C' - contacts. These areas form the contact regions at the ends of the resistor path. @/li + @/ul + + The terminals are output on these layers: + @ul + @li 'tA', 'tB' - the two terminals of the resistor. @/li + @/ul + + This class is a closed one and methods cannot be reimplemented. To reimplement specific methods, see \DeviceExtractor. + + This class has been introduced in version 0.26. + """ + @classmethod + def new(cls, name: str, sheet_rho: float, factory: Optional[DeviceClassFactory] = ...) -> DeviceExtractorResistor: r""" + @brief Creates a new device extractor with the given name + For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. """ - def dup(self) -> PCellDeclaration_Native: + def __init__(self, name: str, sheet_rho: float, factory: Optional[DeviceClassFactory] = ...) -> None: r""" - @brief Creates a copy of self + @brief Creates a new device extractor with the given name + For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. """ - def get_layers(self, parameters: Sequence[Any]) -> List[LayerInfo]: + def _create(self) -> None: r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def get_parameters(self) -> List[PCellParameterDeclaration]: + def _destroy(self) -> None: r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def id(self) -> int: + def _destroyed(self) -> bool: r""" - @brief Gets the integer ID of the PCell declaration - This ID is used to identify the PCell in the context of a Layout object for example + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def is_const_object(self) -> bool: + def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def layout(self) -> Layout: - r""" - @brief Gets the Layout object the PCell is registered in or nil if it is not registered yet. - This attribute has been added in version 0.27.5. - """ - def name(self) -> str: + def _manage(self) -> None: r""" - @brief Gets the name of the PCell + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def parameters_from_shape(self, layout: Layout, shape: Shape, layer: int) -> List[Any]: + def _unmanage(self) -> None: r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def produce(self, layout: Layout, layers: Sequence[int], parameters: Sequence[Any], cell: Cell) -> None: + +class DeviceExtractorResistorWithBulk(DeviceExtractorBase): + r""" + @brief A device extractor for a resistor with a bulk terminal + + This class supplies the generic extractor for a resistor device including a bulk terminal. + The device is defined the same way than devices are defined for \DeviceExtractorResistor. + + The device class produced by this extractor is \DeviceClassResistorWithBulk. + The extractor produces three parameters: + + @ul + @li 'R' - the resistance in Ohm @/li + @li 'A' - the resistor's area in square micrometer units @/li + @li 'P' - the resistor's perimeter in micrometer units @/li + @/ul + + The device layer names are: + + @ul + @li 'R' - resistor path. This is the geometry that defines the resistor's current path. @/li + @li 'C' - contacts. These areas form the contact regions at the ends of the resistor path. @/li + @li 'W' - well, bulk. Currently this layer is ignored for the extraction and can be empty. @/li + @/ul + + The terminals are output on these layers: + @ul + @li 'tA', 'tB' - the two terminals of the resistor. @/li + @li 'tW' - the bulk terminal (copy of the resistor area). @/li + @/ul + + The bulk terminal layer can be an empty layer representing the substrate. In this case, it needs to be connected globally. + + This class is a closed one and methods cannot be reimplemented. To reimplement specific methods, see \DeviceExtractor. + + This class has been introduced in version 0.26. + """ + @classmethod + def new(cls, name: str, sheet_rho: float, factory: Optional[DeviceClassFactory] = ...) -> DeviceExtractorResistorWithBulk: r""" + @brief Creates a new device extractor with the given name + For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. """ - def transformation_from_shape(self, layout: Layout, shape: Shape, layer: int) -> Trans: + def __init__(self, name: str, sheet_rho: float, factory: Optional[DeviceClassFactory] = ...) -> None: r""" + @brief Creates a new device extractor with the given name + For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. """ - def wants_lazy_evaluation(self) -> bool: + def _create(self) -> None: r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - -class PCellParameterState: - r""" - @brief Provides access to the attributes of a single parameter within \PCellParameterStates. - - See \PCellParameterStates for details about this feature. - - This class has been introduced in version 0.28. - """ - class ParameterStateIcon: + def _destroy(self) -> None: r""" - @brief This enum specifies the icon shown next to the parameter in PCell parameter list. - - This enum was introduced in version 0.28. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - ErrorIcon: ClassVar[PCellParameterState.ParameterStateIcon] + def _destroyed(self) -> bool: r""" - @brief An icon indicating an error is shown + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - InfoIcon: ClassVar[PCellParameterState.ParameterStateIcon] + def _is_const_object(self) -> bool: r""" - @brief A general 'information' icon is shown + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - NoIcon: ClassVar[PCellParameterState.ParameterStateIcon] + def _manage(self) -> None: r""" - @brief No icon is shown for the parameter + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - WarningIcon: ClassVar[PCellParameterState.ParameterStateIcon] + def _unmanage(self) -> None: r""" - @brief An icon indicating a warning is shown + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - @classmethod - def new(cls, i: int) -> PCellParameterState.ParameterStateIcon: - r""" - @brief Creates an enum from an integer value - """ - @overload - @classmethod - def new(cls, s: str) -> PCellParameterState.ParameterStateIcon: - r""" - @brief Creates an enum from a string value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares two enums - """ - @overload - def __init__(self, i: int) -> None: - r""" - @brief Creates an enum from an integer value - """ - @overload - def __init__(self, s: str) -> None: - r""" - @brief Creates an enum from a string value - """ - @overload - def __lt__(self, other: int) -> bool: - r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value - """ - @overload - def __lt__(self, other: PCellParameterState.ParameterStateIcon) -> bool: - r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares two enums for inequality - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer for inequality - """ - def __repr__(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def __str__(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - def inspect(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def to_i(self) -> int: - r""" - @brief Gets the integer value from the enum - """ - def to_s(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - ErrorIcon: ClassVar[PCellParameterState.ParameterStateIcon] - r""" - @brief An icon indicating an error is shown - """ - InfoIcon: ClassVar[PCellParameterState.ParameterStateIcon] - r""" - @brief A general 'information' icon is shown - """ - NoIcon: ClassVar[PCellParameterState.ParameterStateIcon] - r""" - @brief No icon is shown for the parameter - """ - WarningIcon: ClassVar[PCellParameterState.ParameterStateIcon] - r""" - @brief An icon indicating a warning is shown - """ - enabled: bool + +class DeviceParameterDefinition: r""" - Getter: - @brief Gets a value indicating whether the parameter is enabled in the parameter form + @brief A parameter descriptor + This class is used inside the \DeviceClass class to describe a parameter of the device. - Setter: - @brief Sets a value indicating whether the parameter is enabled in the parameter form + This class has been added in version 0.26. """ - @property - def icon(self) -> None: - r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the icon for the parameter - """ - readonly: bool + default_value: float r""" Getter: - @brief Gets a value indicating whether the parameter is read-only (not editable) in the parameter form - + @brief Gets the default value of the parameter. Setter: - @brief Sets a value indicating whether the parameter is made read-only (not editable) in the parameter form + @brief Sets the default value of the parameter. + The default value is used to initialize parameters of \Device objects. """ - tooltip: str + description: str r""" Getter: - @brief Gets the tool tip text - + @brief Gets the description of the parameter. Setter: - @brief Sets the tool tip text - - The tool tip is shown when hovering over the parameter label or edit field. + @brief Sets the description of the parameter. """ - value: Any + is_primary: bool r""" Getter: - @brief Gets the value of the parameter - + @brief Gets a value indicating whether the parameter is a primary parameter + See \is_primary= for details about this predicate. Setter: - @brief Sets the value of the parameter + @brief Sets a value indicating whether the parameter is a primary parameter + If this flag is set to true (the default), the parameter is considered a primary parameter. + Only primary parameters are compared by default. """ - visible: bool + name: str r""" Getter: - @brief Gets a value indicating whether the parameter is visible in the parameter form - + @brief Gets the name of the parameter. Setter: - @brief Sets a value indicating whether the parameter is visible in the parameter form + @brief Sets the name of the parameter. """ @classmethod - def new(cls) -> PCellParameterState: + def new(cls, name: str, description: Optional[str] = ..., default_value: Optional[float] = ..., is_primary: Optional[bool] = ..., si_scaling: Optional[float] = ...) -> DeviceParameterDefinition: r""" - @brief Creates a new object of this class + @brief Creates a new parameter definition. + @param name The name of the parameter + @param description The human-readable description + @param default_value The initial value + @param is_primary True, if the parameter is a primary parameter (see \is_primary=) + @param si_scaling The scaling factor to SI units """ - def __copy__(self) -> PCellParameterState: + def __copy__(self) -> DeviceParameterDefinition: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> PCellParameterState: + def __deepcopy__(self) -> DeviceParameterDefinition: r""" @brief Creates a copy of self """ - def __init__(self) -> None: + def __init__(self, name: str, description: Optional[str] = ..., default_value: Optional[float] = ..., is_primary: Optional[bool] = ..., si_scaling: Optional[float] = ...) -> None: r""" - @brief Creates a new object of this class + @brief Creates a new parameter definition. + @param name The name of the parameter + @param description The human-readable description + @param default_value The initial value + @param is_primary True, if the parameter is a primary parameter (see \is_primary=) + @param si_scaling The scaling factor to SI units """ def _create(self) -> None: r""" @@ -16251,7 +15461,7 @@ class PCellParameterState: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: PCellParameterState) -> None: + def assign(self, other: DeviceParameterDefinition) -> None: r""" @brief Assigns another object to self """ @@ -16272,52 +15482,64 @@ class PCellParameterState: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> PCellParameterState: + def dup(self) -> DeviceParameterDefinition: r""" @brief Creates a copy of self """ + def id(self) -> int: + r""" + @brief Gets the ID of the parameter. + The ID of the parameter is used in some places to refer to a specific parameter (e.g. in the \NetParameterRef object). + """ def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def is_enabled(self) -> bool: - r""" - @brief Gets a value indicating whether the parameter is enabled in the parameter form - """ - def is_readonly(self) -> bool: - r""" - @brief Gets a value indicating whether the parameter is read-only (not editable) in the parameter form - """ - def is_visible(self) -> bool: + def si_scaling(self) -> float: r""" - @brief Gets a value indicating whether the parameter is visible in the parameter form + @brief Gets the scaling factor to SI units. + For parameters in micrometers for example, this factor will be 1e-6. """ -class PCellParameterStates: +class DeviceReconnectedTerminal: r""" - @brief Provides access to the parameter states inside a 'callback' implementation of a PCell - - Example: enables or disables a parameter 'n' based on the value: + @brief Describes a terminal rerouting in combined devices. + Combined devices are implemented as a generalization of the device abstract concept in \Device. For combined devices, multiple \DeviceAbstract references are present. To support different combination schemes, device-to-abstract routing is supported. Parallel combinations will route all outer terminals to corresponding terminals of all device abstracts (because of terminal swapping these may be different ones). - @code - n_param = states.parameter("n") - n_param.enabled = n_param.value > 1.0 - @/code + This object describes one route to an abstract's terminal. The device index is 0 for the main device abstract and 1 for the first combined device abstract. - This class has been introduced in version 0.28. + This class has been introduced in version 0.26. + """ + device_index: int + r""" + Getter: + @brief The device abstract index getter. + See the class description for details. + Setter: + @brief The device abstract index setter. + See the class description for details. + """ + other_terminal_id: int + r""" + Getter: + @brief The getter for the abstract's connected terminal. + See the class description for details. + Setter: + @brief The setter for the abstract's connected terminal. + See the class description for details. """ @classmethod - def new(cls) -> PCellParameterStates: + def new(cls) -> DeviceReconnectedTerminal: r""" @brief Creates a new object of this class """ - def __copy__(self) -> PCellParameterStates: + def __copy__(self) -> DeviceReconnectedTerminal: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> PCellParameterStates: + def __deepcopy__(self) -> DeviceReconnectedTerminal: r""" @brief Creates a copy of self """ @@ -16362,7 +15584,7 @@ class PCellParameterStates: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: PCellParameterStates) -> None: + def assign(self, other: DeviceReconnectedTerminal) -> None: r""" @brief Assigns another object to self """ @@ -16383,55 +15605,54 @@ class PCellParameterStates: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> PCellParameterStates: + def dup(self) -> DeviceReconnectedTerminal: r""" @brief Creates a copy of self """ - def has_parameter(self, name: str) -> bool: - r""" - @brief Gets a value indicating whether a parameter with that name exists - """ def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def parameter(self, name: str) -> PCellParameterState: - r""" - @brief Gets the parameter by name - - This will return a \PCellParameterState object that can be used to manipulate the parameter state. - """ -class PCellDeclaration(PCellDeclaration_Native): +class DeviceTerminalDefinition: r""" - @brief A PCell declaration providing the parameters and code to produce the PCell - - A PCell declaration is basically the recipe of how to create a PCell layout from - a parameter set. The declaration includes - - @ul - @li Parameters: names, types, default values @/li - @li Layers: the layers the PCell wants to create @/li - @li Code: a production callback that is called whenever a PCell is instantiated with a certain parameter set @/li - @li Display name: the name that is shown for a given PCell instance @/li - @/ul - - All these declarations are implemented by deriving from the PCellDeclaration class - and reimplementing the specific methods. Reimplementing the \display_name method is - optional. The default implementation creates a name from the PCell name plus the - parameters. - - By supplying the information about the layers it wants to create, KLayout is able to - call the production callback with a defined set of the layer ID's which are already - mapped to valid actual layout layers. + @brief A terminal descriptor + This class is used inside the \DeviceClass class to describe a terminal of the device. - This class has been introduced in version 0.22. + This class has been added in version 0.26. """ - def _assign(self, other: PCellDeclaration_Native) -> None: + description: str + r""" + Getter: + @brief Gets the description of the terminal. + Setter: + @brief Sets the description of the terminal. + """ + name: str + r""" + Getter: + @brief Gets the name of the terminal. + Setter: + @brief Sets the name of the terminal. + """ + @classmethod + def new(cls, name: str, description: Optional[str] = ...) -> DeviceTerminalDefinition: r""" - @brief Assigns another object to self + @brief Creates a new terminal definition. + """ + def __copy__(self) -> DeviceTerminalDefinition: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> DeviceTerminalDefinition: + r""" + @brief Creates a copy of self + """ + def __init__(self, name: str, description: Optional[str] = ...) -> None: + r""" + @brief Creates a new terminal definition. """ def _create(self) -> None: r""" @@ -16450,10 +15671,6 @@ class PCellDeclaration(PCellDeclaration_Native): This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def _dup(self) -> PCellDeclaration: - r""" - @brief Creates a copy of self - """ def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference @@ -16474,332 +15691,252 @@ class PCellDeclaration(PCellDeclaration_Native): Usually it's not required to call this method. It has been introduced in version 0.24. """ - def callback(self, arg0: Layout, arg1: str, arg2: PCellParameterStates) -> None: + def assign(self, other: DeviceTerminalDefinition) -> None: r""" - @hide + @brief Assigns another object to self """ - def can_create_from_shape(self, arg0: Layout, arg1: Shape, arg2: int) -> bool: + def create(self) -> None: r""" - @hide + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def display_text(self, arg0: Sequence[Any]) -> str: + def destroy(self) -> None: r""" - @hide + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def get_parameters(self) -> List[PCellParameterDeclaration]: + def destroyed(self) -> bool: r""" - @hide + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def parameters_from_shape(self, arg0: Layout, arg1: Shape, arg2: int) -> List[Any]: + def dup(self) -> DeviceTerminalDefinition: r""" - @hide + @brief Creates a copy of self """ - def produce(self, arg0: Layout, arg1: Sequence[int], arg2: Sequence[Any], arg3: Cell) -> None: + def id(self) -> int: r""" - @hide + @brief Gets the ID of the terminal. + The ID of the terminal is used in some places to refer to a specific terminal (e.g. in the \NetTerminalRef object). """ - def transformation_from_shape(self, arg0: Layout, arg1: Shape, arg2: int) -> Trans: + def is_const_object(self) -> bool: r""" - @hide - """ - def wants_lazy_evaluation(self) -> bool: - r""" - @hide + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ -class PCellParameterDeclaration: +class Edge: r""" - @brief A PCell parameter declaration - - This class declares a PCell parameter by providing a name, the type and a value - and additional - information like description, unit string and default value. It is used in the \PCellDeclaration class to - deliver the necessary information. + @brief An edge class - This class has been introduced in version 0.22. - """ - TypeBoolean: ClassVar[int] - r""" - @brief Type code: boolean data - """ - TypeCallback: ClassVar[int] - r""" - @brief Type code: a button triggering a callback + An edge is a connection between points, usually participating in a larger context such as a polygon. An edge has a defined direction (from p1 to p2). Edges play a role in the database as parts of polygons and to describe a line through both points. + Although supported, edges are rarely used as individual database objects. - This code has been introduced in version 0.28. - """ - TypeDouble: ClassVar[int] - r""" - @brief Type code: floating-point data - """ - TypeInt: ClassVar[int] - r""" - @brief Type code: integer data - """ - TypeLayer: ClassVar[int] - r""" - @brief Type code: a layer (a \LayerInfo object) - """ - TypeList: ClassVar[int] - r""" - @brief Type code: a list of variants - """ - TypeNone: ClassVar[int] - r""" - @brief Type code: unspecific type - """ - TypeShape: ClassVar[int] - r""" - @brief Type code: a guiding shape (Box, Edge, Point, Polygon or Path) - """ - TypeString: ClassVar[int] - r""" - @brief Type code: string data + See @The Database API@ for more details about the database objects like the Edge class. """ - default: Any + p1: Point r""" Getter: - @brief Gets the default value + @brief The first point. Setter: - @brief Sets the default value - If a default value is defined, it will be used to initialize the parameter value - when a PCell is created. + @brief Sets the first point. + This method has been added in version 0.23. """ - description: str + p2: Point r""" Getter: - @brief Gets the description text + @brief The second point. Setter: - @brief Sets the description + @brief Sets the second point. + This method has been added in version 0.23. """ - hidden: bool + x1: int r""" Getter: - @brief Returns true, if the parameter is a hidden parameter that should not be shown in the user interface - By making a parameter hidden, it is possible to create internal parameters which cannot be - edited. + @brief Shortcut for p1.x Setter: - @brief Makes the parameter hidden if this attribute is set to true + @brief Sets p1.x + This method has been added in version 0.23. """ - name: str + x2: int r""" Getter: - @brief Gets the name + @brief Shortcut for p2.x Setter: - @brief Sets the name + @brief Sets p2.x + This method has been added in version 0.23. """ - readonly: bool + y1: int r""" Getter: - @brief Returns true, if the parameter is a read-only parameter - By making a parameter read-only, it is shown but cannot be - edited. + @brief Shortcut for p1.y Setter: - @brief Makes the parameter read-only if this attribute is set to true - """ - type: int - r""" - Getter: - @brief Gets the type - The type is one of the T... constants. - Setter: - @brief Sets the type + @brief Sets p1.y + This method has been added in version 0.23. """ - unit: str + y2: int r""" Getter: - @brief Gets the unit string + @brief Shortcut for p2.y Setter: - @brief Sets the unit string - The unit string is shown right to the edit fields for numeric parameters. + @brief Sets p2.y + This method has been added in version 0.23. """ - @overload @classmethod - def new(cls, name: str, type: int, description: str) -> PCellParameterDeclaration: + def from_dedge(cls, dedge: DEdge) -> Edge: r""" - @brief Create a new parameter declaration with the given name and type - @param name The parameter name - @param type One of the Type... constants describing the type of the parameter - @param description The description text + @brief Creates an integer coordinate edge from a floating-point coordinate edge + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dedge'. """ - @overload @classmethod - def new(cls, name: str, type: int, description: str, default: Any) -> PCellParameterDeclaration: + def from_s(cls, s: str) -> Edge: r""" - @brief Create a new parameter declaration with the given name, type and default value - @param name The parameter name - @param type One of the Type... constants describing the type of the parameter - @param description The description text - @param default The default (initial) value + @brief Creates an object from a string + Creates the object from a string representation (as returned by \to_s) + + This method has been added in version 0.23. """ @overload @classmethod - def new(cls, name: str, type: int, description: str, default: Any, unit: str) -> PCellParameterDeclaration: - r""" - @brief Create a new parameter declaration with the given name, type, default value and unit string - @param name The parameter name - @param type One of the Type... constants describing the type of the parameter - @param description The description text - @param default The default (initial) value - @param unit The unit string - """ - def __copy__(self) -> PCellParameterDeclaration: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> PCellParameterDeclaration: + def new(cls) -> Edge: r""" - @brief Creates a copy of self + @brief Default constructor: creates a degenerated edge 0,0 to 0,0 """ @overload - def __init__(self, name: str, type: int, description: str) -> None: + @classmethod + def new(cls, dedge: DEdge) -> Edge: r""" - @brief Create a new parameter declaration with the given name and type - @param name The parameter name - @param type One of the Type... constants describing the type of the parameter - @param description The description text + @brief Creates an integer coordinate edge from a floating-point coordinate edge + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dedge'. """ @overload - def __init__(self, name: str, type: int, description: str, default: Any) -> None: + @classmethod + def new(cls, p1: Point, p2: Point) -> Edge: r""" - @brief Create a new parameter declaration with the given name, type and default value - @param name The parameter name - @param type One of the Type... constants describing the type of the parameter - @param description The description text - @param default The default (initial) value + @brief Constructor with two points + + Two points are given to create a new edge. """ @overload - def __init__(self, name: str, type: int, description: str, default: Any, unit: str) -> None: - r""" - @brief Create a new parameter declaration with the given name, type, default value and unit string - @param name The parameter name - @param type One of the Type... constants describing the type of the parameter - @param description The description text - @param default The default (initial) value - @param unit The unit string - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: + @classmethod + def new(cls, x1: int, y1: int, x2: int, y2: int) -> Edge: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Constructor with two coordinates given as single values + + Two points are given to create a new edge. """ - def _manage(self) -> None: + @classmethod + def new_pp(cls, p1: Point, p2: Point) -> Edge: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Constructor with two points - Usually it's not required to call this method. It has been introduced in version 0.24. + Two points are given to create a new edge. """ - def _unmanage(self) -> None: + @classmethod + def new_xyxy(cls, x1: int, y1: int, x2: int, y2: int) -> Edge: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Constructor with two coordinates given as single values - Usually it's not required to call this method. It has been introduced in version 0.24. + Two points are given to create a new edge. """ - def add_choice(self, description: str, value: Any) -> None: + def __copy__(self) -> Edge: r""" - @brief Add a new value to the list of choices - This method will add the given value with the given description to the list of - choices. If choices are defined, KLayout will show a drop-down box instead of an - entry field in the parameter user interface. + @brief Creates a copy of self """ - def assign(self, other: PCellParameterDeclaration) -> None: + def __deepcopy__(self) -> Edge: r""" - @brief Assigns another object to self + @brief Creates a copy of self """ - def choice_descriptions(self) -> List[str]: + def __eq__(self, e: object) -> bool: r""" - @brief Returns a list of choice descriptions + @brief Equality test + @param e The object to compare against """ - def choice_values(self) -> List[Any]: + def __hash__(self) -> int: r""" - @brief Returns a list of choice values + @brief Computes a hash value + Returns a hash value for the given edge. This method enables edges as hash keys. + + This method has been introduced in version 0.25. """ - def clear_choices(self) -> None: + @overload + def __init__(self) -> None: r""" - @brief Clears the list of choices + @brief Default constructor: creates a degenerated edge 0,0 to 0,0 """ - def create(self) -> None: + @overload + def __init__(self, dedge: DEdge) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Creates an integer coordinate edge from a floating-point coordinate edge + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dedge'. """ - def destroy(self) -> None: + @overload + def __init__(self, p1: Point, p2: Point) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Constructor with two points + + Two points are given to create a new edge. """ - def destroyed(self) -> bool: + @overload + def __init__(self, x1: int, y1: int, x2: int, y2: int) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Constructor with two coordinates given as single values + + Two points are given to create a new edge. """ - def dup(self) -> PCellParameterDeclaration: + def __lt__(self, e: Edge) -> bool: r""" - @brief Creates a copy of self + @brief Less operator + @param e The object to compare against + @return True, if the edge is 'less' as the other edge with respect to first and second point """ - def is_const_object(self) -> bool: + def __mul__(self, scale_factor: float) -> Edge: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - -class Manager: - r""" - @brief A transaction manager class + @brief Scale edge - Manager objects control layout and potentially other objects in the layout database and queue operations to form transactions. A transaction is a sequence of operations that can be undone or redone. + The * operator scales self with the given factor. - In order to equip a layout object with undo/redo support, instantiate the layout object with a manager attached and embrace the operations to undo/redo with transaction/commit calls. + This method has been introduced in version 0.22. - The use of transactions is subject to certain constraints, i.e. transacted sequences may not be mixed with non-transacted ones. + @param scale_factor The scaling factor - This class has been introduced in version 0.19. - """ - @classmethod - def new(cls) -> Manager: - r""" - @brief Creates a new object of this class + @return The scaled edge """ - def __copy__(self) -> Manager: + def __ne__(self, e: object) -> bool: r""" - @brief Creates a copy of self + @brief Inequality test + @param e The object to compare against """ - def __deepcopy__(self) -> Manager: + def __rmul__(self, scale_factor: float) -> Edge: r""" - @brief Creates a copy of self + @brief Scale edge + + The * operator scales self with the given factor. + + This method has been introduced in version 0.22. + + @param scale_factor The scaling factor + + @return The scaled edge """ - def __init__(self) -> None: + def __str__(self, dbu: Optional[float] = ...) -> str: r""" - @brief Creates a new object of this class + @brief Returns a string representing the edge + If a DBU is given, the output units will be micrometers. + + The DBU argument has been added in version 0.27.6. """ def _create(self) -> None: r""" @@ -16838,326 +15975,604 @@ class Manager: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: Manager) -> None: + def assign(self, other: Edge) -> None: r""" @brief Assigns another object to self """ - def commit(self) -> None: - r""" - @brief Close a transaction. - """ - def create(self) -> None: + def bbox(self) -> Box: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Return the bounding box of the edge. """ - def destroy(self) -> None: + def clipped(self, box: Box) -> Any: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Returns the edge clipped at the given box + + @param box The clip box. + @return The clipped edge or nil if the edge does not intersect with the box. + + This method has been introduced in version 0.26.2. """ - def destroyed(self) -> bool: + def clipped_line(self, box: Box) -> Any: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Returns the line through the edge clipped at the given box + + @param box The clip box. + @return The part of the line through the box or nil if the line does not intersect with the box. + + In contrast to \clipped, this method will consider the edge extended infinitely (a "line"). The returned edge will be the part of this line going through the box. + + This method has been introduced in version 0.26.2. """ - def dup(self) -> Manager: + def coincident(self, e: Edge) -> bool: r""" - @brief Creates a copy of self + @brief Coincidence check. + + Checks whether a edge is coincident with another edge. + Coincidence is defined by being parallel and that + at least one point of one edge is on the other edge. + + @param e the edge to test with + + @return True if the edges are coincident. """ - def has_redo(self) -> bool: + def contains(self, p: Point) -> bool: r""" - @brief Determine if a transaction is available for 'redo' + @brief Test whether a point is on an edge. - @return True, if a transaction is available. + A point is on a edge if it is on (or at least closer + than a grid point to) the edge. + + @param p The point to test with the edge. + + @return True if the point is on the edge. """ - def has_undo(self) -> bool: + def contains_excl(self, p: Point) -> bool: r""" - @brief Determine if a transaction is available for 'undo' + @brief Test whether a point is on an edge excluding the endpoints. - @return True, if a transaction is available. + A point is on a edge if it is on (or at least closer + than a grid point to) the edge. + + @param p The point to test with the edge. + + @return True if the point is on the edge but not equal p1 or p2. """ - def is_const_object(self) -> bool: + def create(self) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def redo(self) -> None: + def crossed_by(self, e: Edge) -> bool: r""" - @brief Redo the next available transaction + @brief Check, if an edge is cut by a line (given by an edge) - The next transaction is redone with this method. - The 'has_redo' method can be used to determine whether - there are transactions to undo. + This method returns true if p1 is in one semispace + while p2 is in the other or one of them is on the line + through the edge "e" + + @param e The edge representing the line that the edge must be crossing. """ - @overload - def transaction(self, description: str) -> int: + def crossing_point(self, e: Edge) -> Point: r""" - @brief Begin a transaction - + @brief Returns the crossing point on two edges. - This call will open a new transaction. A transaction consists - of a set of operations issued with the 'queue' method. - A transaction is closed with the 'commit' method. + This method delivers the point where the given edge (self) crosses the line given by the edge in argument "e". If self does not cross this line, the result is undefined. See \crossed_by? for a description of the crossing predicate. - @param description The description for this transaction. + @param e The edge representing the line that self must be crossing. + @return The point where self crosses the line given by "e". - @return The ID of the transaction (can be used to join other transactions with this one) + This method has been introduced in version 0.19. """ - @overload - def transaction(self, description: str, join_with: int) -> int: + def cut_point(self, e: Edge) -> Any: r""" - @brief Begin a joined transaction - - - This call will open a new transaction and join if with the previous transaction. - The ID of the previous transaction must be equal to the ID given with 'join_with'. + @brief Returns the intersection point of the lines through the two edges. - This overload was introduced in version 0.22. + This method delivers the intersection point between the lines through the two edges. If the lines are parallel and do not intersect, the result will be nil. + In contrast to \intersection_point, this method will regard the edges as infinitely extended and intersection is not confined to the edge span. - @param description The description for this transaction (ignored if joined). - @param description The ID of the previous transaction. + @param e The edge to test. + @return The point where the lines intersect. - @return The ID of the new transaction (can be used to join more) + This method has been introduced in version 0.27.1. """ - def transaction_for_redo(self) -> str: + def d(self) -> Vector: r""" - @brief Return the description of the next transaction for 'redo' + @brief Gets the edge extension as a vector. + This method is equivalent to p2 - p1. + This method has been introduced in version 0.26.2. """ - def transaction_for_undo(self) -> str: + def destroy(self) -> None: r""" - @brief Return the description of the next transaction for 'undo' + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def undo(self) -> None: + def destroyed(self) -> bool: r""" - @brief Undo the current transaction - - The current transaction is undone with this method. - The 'has_undo' method can be used to determine whether - there are transactions to undo. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ + def distance(self, p: Point) -> int: + r""" + @brief Distance between the edge and a point. -class Matrix2d: - r""" - @brief A 2d matrix object used mainly for representing rotation and shear transformations. - - This object represents a 2x2 matrix. This matrix is used to implement affine transformations in the 2d space mainly. It can be decomposed into basic transformations: mirroring, rotation and shear. In that case, the assumed execution order of the basic transformations is mirroring at the x axis, rotation, magnification and shear. + Returns the distance between the edge and the point. The + distance is signed which is negative if the point is to the + "right" of the edge and positive if the point is to the "left". + The distance is measured by projecting the point onto the + line through the edge. If the edge is degenerated, the distance + is not defined. - The matrix is a generalization of the transformations and is of limited use in a layout database context. It is useful however to implement shear transformations on polygons, edges and polygon or edge collections. + @param p The point to test. - This class was introduced in version 0.22. - """ - @overload - @classmethod - def new(cls) -> Matrix2d: + @return The distance + """ + def distance_abs(self, p: Point) -> int: r""" - @brief Create a new Matrix2d representing a unit transformation + @brief Absolute distance between the edge and a point. + + Returns the distance between the edge and the point. + + @param p The point to test. + + @return The distance """ - @overload - @classmethod - def new(cls, m: float) -> Matrix2d: + def dup(self) -> Edge: r""" - @brief Create a new Matrix2d representing an isotropic magnification - @param m The magnification + @brief Creates a copy of self """ - @overload - @classmethod - def new(cls, t: DCplxTrans) -> Matrix2d: + def dx(self) -> int: r""" - @brief Create a new Matrix2d from the given complex transformation@param t The transformation from which to create the matrix (not taking into account the displacement) + @brief The horizontal extend of the edge. """ - @overload - @classmethod - def new(cls, mx: float, my: float) -> Matrix2d: + def dx_abs(self) -> int: r""" - @brief Create a new Matrix2d representing an anisotropic magnification - @param mx The magnification in x direction - @param my The magnification in y direction + @brief The absolute value of the horizontal extend of the edge. """ - @overload - @classmethod - def new(cls, m11: float, m12: float, m21: float, m22: float) -> Matrix2d: + def dy(self) -> int: r""" - @brief Create a new Matrix2d from the four coefficients + @brief The vertical extend of the edge. """ - @overload - @classmethod - def newc(cls, mag: float, rotation: float, mirror: bool) -> Matrix2d: + def dy_abs(self) -> int: r""" - @brief Create a new Matrix2d representing an isotropic magnification, rotation and mirroring - @param mag The magnification in x direction - @param rotation The rotation angle (in degree) - @param mirror The mirror flag (at x axis) + @brief The absolute value of the vertical extend of the edge. + """ + def enlarge(self, p: Vector) -> Edge: + r""" + @brief Enlarges the edge. - This constructor is provided to construct a matrix similar to the complex transformation. - This constructor is called 'newc' to distinguish it from the constructors taking matrix coefficients ('c' is for composite). - The order of execution of the operations is mirror, magnification, rotation (as for complex transformations). + Enlarges the edge by the given distance and returns the + enlarged edge. The edge is overwritten. + Enlargement means + that the first point is shifted by -p, the second by p. + + @param p The distance to move the edge points. + + @return The enlarged edge. """ - @overload - @classmethod - def newc(cls, shear: float, mx: float, my: float, rotation: float, mirror: bool) -> Matrix2d: + def enlarged(self, p: Vector) -> Edge: r""" - @brief Create a new Matrix2d representing a shear, anisotropic magnification, rotation and mirroring - @param shear The shear angle - @param mx The magnification in x direction - @param my The magnification in y direction - @param rotation The rotation angle (in degree) - @param mirror The mirror flag (at x axis) + @brief Returns the enlarged edge (does not modify self) - The order of execution of the operations is mirror, magnification, shear and rotation. - This constructor is called 'newc' to distinguish it from the constructor taking the four matrix coefficients ('c' is for composite). + Enlarges the edge by the given offset and returns the + enlarged edge. The edge is not modified. Enlargement means + that the first point is shifted by -p, the second by p. + + @param p The distance to move the edge points. + + @return The enlarged edge. """ - def __add__(self, m: Matrix2d) -> Matrix2d: + def extend(self, d: int) -> Edge: r""" - @brief Sum of two matrices. - @param m The other matrix. - @return The (element-wise) sum of self+m + @brief Extends the edge (modifies self) + + Extends the edge by the given distance and returns the + extended edge. The edge is not modified. Extending means + that the first point is shifted by -d along the edge, the second by d. + The length of the edge will increase by 2*d. + + \extended is a version that does not modify self but returns the extended edges. + + This method has been introduced in version 0.23. + + @param d The distance by which to shift the end points. + + @return The extended edge (self). """ - def __copy__(self) -> Matrix2d: + def extended(self, d: int) -> Edge: r""" - @brief Creates a copy of self + @brief Returns the extended edge (does not modify self) + + Extends the edge by the given distance and returns the + extended edge. The edge is not modified. Extending means + that the first point is shifted by -d along the edge, the second by d. + The length of the edge will increase by 2*d. + + \extend is a version that modifies self (in-place). + + This method has been introduced in version 0.23. + + @param d The distance by which to shift the end points. + + @return The extended edge. """ - def __deepcopy__(self) -> Matrix2d: + def hash(self) -> int: r""" - @brief Creates a copy of self + @brief Computes a hash value + Returns a hash value for the given edge. This method enables edges as hash keys. + + This method has been introduced in version 0.25. """ - @overload - def __init__(self) -> None: + def intersect(self, e: Edge) -> bool: r""" - @brief Create a new Matrix2d representing a unit transformation + @brief Intersection test. + + Returns true if the edges intersect. Two edges intersect if they share at least one point. + If the edges coincide, they also intersect. + For degenerated edges, the intersection is mapped to + point containment tests. + + @param e The edge to test. """ - @overload - def __init__(self, m: float) -> None: + def intersection_point(self, e: Edge) -> Any: r""" - @brief Create a new Matrix2d representing an isotropic magnification - @param m The magnification + @brief Returns the intersection point of two edges. + + This method delivers the intersection point. If the edges do not intersect, the result will be nil. + + @param e The edge to test. + @return The point where the edges intersect. + + This method has been introduced in version 0.19. + From version 0.26.2, this method will return nil in case of non-intersection. """ - @overload - def __init__(self, t: DCplxTrans) -> None: + def is_const_object(self) -> bool: r""" - @brief Create a new Matrix2d from the given complex transformation@param t The transformation from which to create the matrix (not taking into account the displacement) + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def __init__(self, mx: float, my: float) -> None: + def is_degenerate(self) -> bool: r""" - @brief Create a new Matrix2d representing an anisotropic magnification - @param mx The magnification in x direction - @param my The magnification in y direction + @brief Test for degenerated edge + + An edge is degenerate, if both end and start point are identical. """ - @overload - def __init__(self, m11: float, m12: float, m21: float, m22: float) -> None: + def is_parallel(self, e: Edge) -> bool: r""" - @brief Create a new Matrix2d from the four coefficients + @brief Test for being parallel + + @param e The edge to test against + + @return True if both edges are parallel + """ + def length(self) -> int: + r""" + @brief The length of the edge """ @overload - def __mul__(self, box: DBox) -> DBox: + def move(self, dx: int, dy: int) -> Edge: r""" - @brief Transforms a box with this matrix. - @param box The box to transform. - @return The transformed box + @brief Moves the edge. - Please note that the box remains a box, even though the matrix supports shear and rotation. The returned box will be the bounding box of the sheared and rotated rectangle. + Moves the edge by the given offset and returns the + moved edge. The edge is overwritten. + + @param dx The x distance to move the edge. + @param dy The y distance to move the edge. + + @return The moved edge. + + This version has been added in version 0.23. """ @overload - def __mul__(self, e: DEdge) -> DEdge: + def move(self, p: Vector) -> Edge: r""" - @brief Transforms an edge with this matrix. - @param e The edge to transform. - @return The transformed edge + @brief Moves the edge. + + Moves the edge by the given offset and returns the + moved edge. The edge is overwritten. + + @param p The distance to move the edge. + + @return The moved edge. """ @overload - def __mul__(self, m: Matrix2d) -> Matrix2d: + def moved(self, dx: int, dy: int) -> Edge: r""" - @brief Product of two matrices. - @param m The other matrix. - @return The matrix product self*m + @brief Returns the moved edge (does not modify self) + + Moves the edge by the given offset and returns the + moved edge. The edge is not modified. + + @param dx The x distance to move the edge. + @param dy The y distance to move the edge. + + @return The moved edge. + + This version has been added in version 0.23. """ @overload - def __mul__(self, p: DPoint) -> DPoint: + def moved(self, p: Vector) -> Edge: r""" - @brief Transforms a point with this matrix. - @param p The point to transform. - @return The transformed point + @brief Returns the moved edge (does not modify self) + + Moves the edge by the given offset and returns the + moved edge. The edge is not modified. + + @param p The distance to move the edge. + + @return The moved edge. """ - @overload - def __mul__(self, p: DPolygon) -> DPolygon: + def ortho_length(self) -> int: r""" - @brief Transforms a polygon with this matrix. - @param p The polygon to transform. - @return The transformed polygon + @brief The orthogonal length of the edge ("manhattan-length") + + @return The orthogonal length (abs(dx)+abs(dy)) + """ + def shift(self, d: int) -> Edge: + r""" + @brief Shifts the edge (modifies self) + + Shifts the edge by the given distance and returns the + shifted edge. The edge is not modified. Shifting by a positive value will produce an edge which is shifted by d to the left. Shifting by a negative value will produce an edge which is shifted by d to the right. + + \shifted is a version that does not modify self but returns the extended edges. + + This method has been introduced in version 0.23. + + @param d The distance by which to shift the edge. + + @return The shifted edge (self). + """ + def shifted(self, d: int) -> Edge: + r""" + @brief Returns the shifted edge (does not modify self) + + Shifts the edge by the given distance and returns the + shifted edge. The edge is not modified. Shifting by a positive value will produce an edge which is shifted by d to the left. Shifting by a negative value will produce an edge which is shifted by d to the right. + + \shift is a version that modifies self (in-place). + + This method has been introduced in version 0.23. + + @param d The distance by which to shift the edge. + + @return The shifted edge. + """ + def side_of(self, p: Point) -> int: + r""" + @brief Indicates at which side the point is located relative to the edge. + + Returns 1 if the point is "left" of the edge, 0 if on + and -1 if the point is "right" of the edge. + + @param p The point to test. + + @return The side value + """ + def sq_length(self) -> int: + r""" + @brief The square of the length of the edge + """ + def swap_points(self) -> Edge: + r""" + @brief Swap the points of the edge + + This version modifies self. A version that does not modify self is \swapped_points. Swapping the points basically reverses the direction of the edge. + + This method has been introduced in version 0.23. + """ + def swapped_points(self) -> Edge: + r""" + @brief Returns an edge in which both points are swapped + + Swapping the points basically reverses the direction of the edge. + + This method has been introduced in version 0.23. + """ + def to_dtype(self, dbu: Optional[float] = ...) -> DEdge: + r""" + @brief Converts the edge to a floating-point coordinate edge + + The database unit can be specified to translate the integer-coordinate edge into a floating-point coordinate edge in micron units. The database unit is basically a scaling factor. + + This method has been introduced in version 0.25. + """ + def to_s(self, dbu: Optional[float] = ...) -> str: + r""" + @brief Returns a string representing the edge + If a DBU is given, the output units will be micrometers. + + The DBU argument has been added in version 0.27.6. """ @overload - def __mul__(self, p: DSimplePolygon) -> DSimplePolygon: + def transformed(self, t: CplxTrans) -> DEdge: r""" - @brief Transforms a simple polygon with this matrix. - @param p The simple polygon to transform. - @return The transformed simple polygon + @brief Transform the edge. + + Transforms the edge with the given complex transformation. + Does not modify the edge but returns the transformed edge. + + @param t The transformation to apply. + + @return The transformed edge. """ @overload - def __mul__(self, v: DVector) -> DVector: + def transformed(self, t: ICplxTrans) -> Edge: r""" - @brief Transforms a vector with this matrix. - @param v The vector to transform. - @return The transformed vector + @brief Transform the edge. + + Transforms the edge with the given complex transformation. + Does not modify the edge but returns the transformed edge. + + @param t The transformation to apply. + + @return The transformed edge (in this case an integer coordinate edge). + + This method has been introduced in version 0.18. """ @overload - def __rmul__(self, box: DBox) -> DBox: + def transformed(self, t: Trans) -> Edge: r""" - @brief Transforms a box with this matrix. - @param box The box to transform. - @return The transformed box + @brief Transform the edge. - Please note that the box remains a box, even though the matrix supports shear and rotation. The returned box will be the bounding box of the sheared and rotated rectangle. + Transforms the edge with the given transformation. + Does not modify the edge but returns the transformed edge. + + @param t The transformation to apply. + + @return The transformed edge. + """ + def transformed_cplx(self, t: CplxTrans) -> DEdge: + r""" + @brief Transform the edge. + + Transforms the edge with the given complex transformation. + Does not modify the edge but returns the transformed edge. + + @param t The transformation to apply. + + @return The transformed edge. + """ + +class EdgePair: + r""" + @brief An edge pair (a pair of two edges) + Edge pairs are objects representing two edges or parts of edges. They play a role mainly in the context of DRC functions, where they specify a DRC violation by connecting two edges which violate the condition checked. Within the framework of polygon and edge collections which provide DRC functionality, edges pairs are used in the form of edge pair collections (\EdgePairs). + + Edge pairs basically consist of two edges, called first and second. If created by a two-layer DRC function, the first edge will correspond to edges from the first layer and the second to edges from the second layer. + + This class has been introduced in version 0.23. + """ + first: Edge + r""" + Getter: + @brief Gets the first edge + + Setter: + @brief Sets the first edge + """ + second: Edge + r""" + Getter: + @brief Gets the second edge + + Setter: + @brief Sets the second edge + """ + symmetric: bool + r""" + Getter: + @brief Returns a value indicating whether the edge pair is symmetric + For symmetric edge pairs, the edges are commutable. Specifically, a symmetric edge pair with (e1,e2) is identical to (e2,e1). Symmetric edge pairs are generated by some checks for which there is no directed error marker (width, space, notch, isolated). + + Symmetric edge pairs have been introduced in version 0.27. + + Setter: + @brief Sets a value indicating whether the edge pair is symmetric + See \symmetric? for a description of this attribute. + + Symmetric edge pairs have been introduced in version 0.27. + """ + @classmethod + def from_s(cls, s: str) -> EdgePair: + r""" + @brief Creates an object from a string + Creates the object from a string representation (as returned by \to_s) + + This method has been added in version 0.23. """ @overload - def __rmul__(self, e: DEdge) -> DEdge: + @classmethod + def new(cls) -> EdgePair: r""" - @brief Transforms an edge with this matrix. - @param e The edge to transform. - @return The transformed edge + @brief Default constructor + + This constructor creates an default edge pair. """ @overload - def __rmul__(self, m: Matrix2d) -> Matrix2d: + @classmethod + def new(cls, dedge_pair: DEdgePair) -> EdgePair: r""" - @brief Product of two matrices. - @param m The other matrix. - @return The matrix product self*m + @brief Creates an integer coordinate edge pair from a floating-point coordinate edge pair + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dedge_pair'. """ @overload - def __rmul__(self, p: DPoint) -> DPoint: + @classmethod + def new(cls, first: Edge, second: Edge, symmetric: Optional[bool] = ...) -> EdgePair: r""" - @brief Transforms a point with this matrix. - @param p The point to transform. - @return The transformed point + @brief Constructor from two edges + + This constructor creates an edge pair from the two edges given. + See \symmetric? for a description of this attribute. + """ + def __copy__(self) -> EdgePair: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> EdgePair: + r""" + @brief Creates a copy of self + """ + def __eq__(self, box: object) -> bool: + r""" + @brief Equality + Returns true, if this edge pair and the given one are equal + + This method has been introduced in version 0.25. + """ + def __hash__(self) -> int: + r""" + @brief Computes a hash value + Returns a hash value for the given edge pair. This method enables edge pairs as hash keys. + + This method has been introduced in version 0.25. """ @overload - def __rmul__(self, p: DPolygon) -> DPolygon: + def __init__(self) -> None: r""" - @brief Transforms a polygon with this matrix. - @param p The polygon to transform. - @return The transformed polygon + @brief Default constructor + + This constructor creates an default edge pair. """ @overload - def __rmul__(self, p: DSimplePolygon) -> DSimplePolygon: + def __init__(self, dedge_pair: DEdgePair) -> None: r""" - @brief Transforms a simple polygon with this matrix. - @param p The simple polygon to transform. - @return The transformed simple polygon + @brief Creates an integer coordinate edge pair from a floating-point coordinate edge pair + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dedge_pair'. """ @overload - def __rmul__(self, v: DVector) -> DVector: + def __init__(self, first: Edge, second: Edge, symmetric: Optional[bool] = ...) -> None: r""" - @brief Transforms a vector with this matrix. - @param v The vector to transform. - @return The transformed vector + @brief Constructor from two edges + + This constructor creates an edge pair from the two edges given. + See \symmetric? for a description of this attribute. """ - def __str__(self) -> str: + def __lt__(self, box: EdgePair) -> bool: r""" - @brief Convert the matrix to a string. - @return The string representing this matrix + @brief Less operator + Returns true, if this edge pair is 'less' with respect to first and second edge + + This method has been introduced in version 0.25. + """ + def __ne__(self, box: object) -> bool: + r""" + @brief Inequality + Returns true, if this edge pair and the given one are not equal + + This method has been introduced in version 0.25. + """ + def __str__(self, dbu: Optional[float] = ...) -> str: + r""" + @brief Returns a string representing the edge pair + If a DBU is given, the output units will be micrometers. + + The DBU argument has been added in version 0.27.6. """ def _create(self) -> None: r""" @@ -17196,21 +16611,19 @@ class Matrix2d: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def angle(self) -> float: + def area(self) -> int: r""" - @brief Returns the rotation angle of the rotation component of this matrix. - @return The angle in degree. - The matrix is decomposed into basic transformations assuming an execution order of mirroring at the x axis, rotation, magnification and shear. + @brief Gets the area between the edges of the edge pair + + This attribute has been introduced in version 0.28. """ - def assign(self, other: Matrix2d) -> None: + def assign(self, other: EdgePair) -> None: r""" @brief Assigns another object to self """ - def cplx_trans(self) -> DCplxTrans: + def bbox(self) -> Box: r""" - @brief Converts this matrix to a complex transformation (if possible). - @return The complex transformation. - This method is successful only if the matrix does not contain shear components and the magnification must be isotropic. + @brief Gets the bounding box of the edge pair """ def create(self) -> None: r""" @@ -17229,14 +16642,23 @@ class Matrix2d: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> Matrix2d: + def dup(self) -> EdgePair: r""" @brief Creates a copy of self """ - def inverted(self) -> Matrix2d: + def greater(self) -> Edge: r""" - @brief The inverse of this matrix. - @return The inverse of this matrix + @brief Gets the 'greater' edge for symmetric edge pairs + As first and second edges are commutable for symmetric edge pairs (see \symmetric?), this accessor allows retrieving a 'second' edge in a way independent on the actual assignment. + + This read-only attribute has been introduced in version 0.27. + """ + def hash(self) -> int: + r""" + @brief Computes a hash value + Returns a hash value for the given edge pair. This method enables edge pairs as hash keys. + + This method has been introduced in version 0.25. """ def is_const_object(self) -> bool: r""" @@ -17244,284 +16666,397 @@ class Matrix2d: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def is_mirror(self) -> bool: - r""" - @brief Returns the mirror flag of this matrix. - @return True if this matrix has a mirror component. - The matrix is decomposed into basic transformations assuming an execution order of mirroring at the x axis, rotation, magnification and shear. - """ - def m(self, i: int, j: int) -> float: + def lesser(self) -> Edge: r""" - @brief Gets the m coefficient with the given index. - @return The coefficient [i,j] + @brief Gets the 'lesser' edge for symmetric edge pairs + As first and second edges are commutable for symmetric edge pairs (see \symmetric?), this accessor allows retrieving a 'first' edge in a way independent on the actual assignment. + + This read-only attribute has been introduced in version 0.27. """ - def m11(self) -> float: + def normalized(self) -> EdgePair: r""" - @brief Gets the m11 coefficient. - @return The value of the m11 coefficient + @brief Normalizes the edge pair + This method normalized the edge pair such that when connecting the edges at their + start and end points a closed loop is formed which is oriented clockwise. To achieve this, the points of the first and/or first and second edge are swapped. Normalization is a first step recommended before converting an edge pair to a polygon, because that way the polygons won't be self-overlapping and the enlargement parameter is applied properly. """ - def m12(self) -> float: + def perimeter(self) -> int: r""" - @brief Gets the m12 coefficient. - @return The value of the m12 coefficient + @brief Gets the perimeter of the edge pair + + The perimeter is defined as the sum of the lengths of both edges ('active perimeter'). + + This attribute has been introduced in version 0.28. """ - def m21(self) -> float: + def polygon(self, e: int) -> Polygon: r""" - @brief Gets the m21 coefficient. - @return The value of the m21 coefficient + @brief Convert an edge pair to a polygon + The polygon is formed by connecting the end and start points of the edges. It is recommended to use \normalized before converting the edge pair to a polygon. + + The enlargement parameter applies the specified enlargement parallel and perpendicular to the edges. Basically this introduces a bias which blows up edge pairs by the specified amount. That parameter is useful to convert degenerated edge pairs to valid polygons, i.e. edge pairs with coincident edges and edge pairs consisting of two point-like edges. + + Another version for converting edge pairs to simple polygons is \simple_polygon which renders a \SimplePolygon object. + @param e The enlargement (set to zero for exact representation) """ - def m22(self) -> float: + def simple_polygon(self, e: int) -> SimplePolygon: r""" - @brief Gets the m22 coefficient. - @return The value of the m22 coefficient + @brief Convert an edge pair to a simple polygon + The polygon is formed by connecting the end and start points of the edges. It is recommended to use \normalized before converting the edge pair to a polygon. + + The enlargement parameter applies the specified enlargement parallel and perpendicular to the edges. Basically this introduces a bias which blows up edge pairs by the specified amount. That parameter is useful to convert degenerated edge pairs to valid polygons, i.e. edge pairs with coincident edges and edge pairs consisting of two point-like edges. + + Another version for converting edge pairs to polygons is \polygon which renders a \Polygon object. + @param e The enlargement (set to zero for exact representation) """ - def mag_x(self) -> float: + def to_dtype(self, dbu: Optional[float] = ...) -> DEdgePair: r""" - @brief Returns the x magnification of the magnification component of this matrix. - @return The magnification factor. - The matrix is decomposed into basic transformations assuming an execution order of mirroring at the x axis, magnification, shear and rotation. + @brief Converts the edge pair to a floating-point coordinate edge pair + + The database unit can be specified to translate the integer-coordinate edge pair into a floating-point coordinate edge pair in micron units. The database unit is basically a scaling factor. + + This method has been introduced in version 0.25. """ - def mag_y(self) -> float: + def to_s(self, dbu: Optional[float] = ...) -> str: r""" - @brief Returns the y magnification of the magnification component of this matrix. - @return The magnification factor. - The matrix is decomposed into basic transformations assuming an execution order of mirroring at the x axis, magnification, shear and rotation. + @brief Returns a string representing the edge pair + If a DBU is given, the output units will be micrometers. + + The DBU argument has been added in version 0.27.6. """ - def shear_angle(self) -> float: + @overload + def transformed(self, t: CplxTrans) -> DEdgePair: r""" - @brief Returns the magnitude of the shear component of this matrix. - @return The shear angle in degree. - The matrix is decomposed into basic transformations assuming an execution order of mirroring at the x axis, rotation, magnification and shear. - The shear basic transformation will tilt the x axis towards the y axis and vice versa. The shear angle gives the tilt angle of the axes towards the other one. The possible range for this angle is -45 to 45 degree. + @brief Returns the transformed edge pair + + Transforms the edge pair with the given complex transformation. + Does not modify the edge pair but returns the transformed edge. + + @param t The transformation to apply. + + @return The transformed edge pair """ - def to_s(self) -> str: + @overload + def transformed(self, t: ICplxTrans) -> EdgePair: r""" - @brief Convert the matrix to a string. - @return The string representing this matrix + @brief Returns the transformed edge pair + + Transforms the edge pair with the given complex transformation. + Does not modify the edge pair but returns the transformed edge. + + @param t The transformation to apply. + + @return The transformed edge pair (in this case an integer coordinate edge pair). """ - def trans(self, p: DPoint) -> DPoint: + @overload + def transformed(self, t: Trans) -> EdgePair: r""" - @brief Transforms a point with this matrix. - @param p The point to transform. - @return The transformed point + @brief Returns the transformed pair + + Transforms the edge pair with the given transformation. + Does not modify the edge pair but returns the transformed edge. + + @param t The transformation to apply. + + @return The transformed edge pair """ -class IMatrix2d: +class EdgePairs(ShapeCollection): r""" - @brief A 2d matrix object used mainly for representing rotation and shear transformations (integer coordinate version). + @brief EdgePairs (a collection of edge pairs) - This object represents a 2x2 matrix. This matrix is used to implement affine transformations in the 2d space mainly. It can be decomposed into basic transformations: mirroring, rotation and shear. In that case, the assumed execution order of the basic transformations is mirroring at the x axis, rotation, magnification and shear. + Edge pairs are used mainly in the context of the DRC functions (width_check, space_check etc.) of \Region and \Edges. A single edge pair represents two edges participating in a DRC violation. In the two-layer checks (inside, overlap) The first edge represents an edge from the first layer and the second edge an edge from the second layer. For single-layer checks (width, space) the order of the edges is arbitrary. - The integer variant was introduced in version 0.27. + This class has been introduced in version 0.23. """ @overload @classmethod - def new(cls) -> IMatrix2d: + def new(cls) -> EdgePairs: r""" - @brief Create a new Matrix2d representing a unit transformation + @brief Default constructor + + This constructor creates an empty edge pair collection. """ @overload @classmethod - def new(cls, m: float) -> IMatrix2d: + def new(cls, array: Sequence[EdgePair]) -> EdgePairs: r""" - @brief Create a new Matrix2d representing an isotropic magnification - @param m The magnification + @brief Constructor from an edge pair array + + This constructor creates an edge pair collection from an array of \EdgePair objects. + + This constructor has been introduced in version 0.26. """ @overload @classmethod - def new(cls, t: DCplxTrans) -> IMatrix2d: + def new(cls, edge_pair: EdgePair) -> EdgePairs: r""" - @brief Create a new Matrix2d from the given complex transformation@param t The transformation from which to create the matrix (not taking into account the displacement) + @brief Constructor from a single edge pair object + + This constructor creates an edge pair collection with a single edge pair. + + This constructor has been introduced in version 0.26. """ @overload @classmethod - def new(cls, mx: float, my: float) -> IMatrix2d: + def new(cls, shape_iterator: RecursiveShapeIterator) -> EdgePairs: r""" - @brief Create a new Matrix2d representing an anisotropic magnification - @param mx The magnification in x direction - @param my The magnification in y direction + @brief Constructor from a hierarchical shape set + + This constructor creates an edge pair collection from the shapes delivered by the given recursive shape iterator. + Only edge pairs are taken from the shape set and other shapes are ignored. + This method allows feeding the edge pair collection from a hierarchy of cells. + Edge pairs in layout objects are somewhat special as most formats don't support reading or writing of edge pairs. Still they are useful objects and can be created and manipulated inside layouts. + + @code + layout = ... # a layout + cell = ... # the index of the initial cell + layer = ... # the index of the layer from where to take the shapes from + r = RBA::EdgePairs::new(layout.begin_shapes(cell, layer)) + @/code + + This constructor has been introduced in version 0.26. """ @overload @classmethod - def new(cls, m11: float, m12: float, m21: float, m22: float) -> IMatrix2d: + def new(cls, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore) -> EdgePairs: r""" - @brief Create a new Matrix2d from the four coefficients + @brief Creates a hierarchical edge pair collection from an original layer + + This constructor creates an edge pair collection from the shapes delivered by the given recursive shape iterator. + This version will create a hierarchical edge pair collection which supports hierarchical operations. + Edge pairs in layout objects are somewhat special as most formats don't support reading or writing of edge pairs. Still they are useful objects and can be created and manipulated inside layouts. + + @code + dss = RBA::DeepShapeStore::new + layout = ... # a layout + cell = ... # the index of the initial cell + layer = ... # the index of the layer from where to take the shapes from + r = RBA::EdgePairs::new(layout.begin_shapes(cell, layer)) + @/code + + This constructor has been introduced in version 0.26. """ @overload @classmethod - def newc(cls, mag: float, rotation: float, mirror: bool) -> IMatrix2d: + def new(cls, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, trans: ICplxTrans) -> EdgePairs: r""" - @brief Create a new Matrix2d representing an isotropic magnification, rotation and mirroring - @param mag The magnification in x direction - @param rotation The rotation angle (in degree) - @param mirror The mirror flag (at x axis) + @brief Creates a hierarchical edge pair collection from an original layer with a transformation - This constructor is provided to construct a matrix similar to the complex transformation. - This constructor is called 'newc' to distinguish it from the constructors taking matrix coefficients ('c' is for composite). - The order of execution of the operations is mirror, magnification, rotation (as for complex transformations). + This constructor creates an edge pair collection from the shapes delivered by the given recursive shape iterator. + This version will create a hierarchical edge pair collection which supports hierarchical operations. + The transformation is useful to scale to a specific database unit for example. + Edge pairs in layout objects are somewhat special as most formats don't support reading or writing of edge pairs. Still they are useful objects and can be created and manipulated inside layouts. + + @code + dss = RBA::DeepShapeStore::new + layout = ... # a layout + cell = ... # the index of the initial cell + layer = ... # the index of the layer from where to take the shapes from + dbu = 0.1 # the target database unit + r = RBA::EdgePairs::new(layout.begin_shapes(cell, layer), RBA::ICplxTrans::new(layout.dbu / dbu)) + @/code + + This constructor has been introduced in version 0.26. """ @overload @classmethod - def newc(cls, shear: float, mx: float, my: float, rotation: float, mirror: bool) -> IMatrix2d: + def new(cls, shape_iterator: RecursiveShapeIterator, trans: ICplxTrans) -> EdgePairs: r""" - @brief Create a new Matrix2d representing a shear, anisotropic magnification, rotation and mirroring - @param shear The shear angle - @param mx The magnification in x direction - @param my The magnification in y direction - @param rotation The rotation angle (in degree) - @param mirror The mirror flag (at x axis) + @brief Constructor from a hierarchical shape set with a transformation - The order of execution of the operations is mirror, magnification, shear and rotation. - This constructor is called 'newc' to distinguish it from the constructor taking the four matrix coefficients ('c' is for composite). - """ - def __add__(self, m: IMatrix2d) -> IMatrix2d: - r""" - @brief Sum of two matrices. - @param m The other matrix. - @return The (element-wise) sum of self+m - """ - def __copy__(self) -> IMatrix2d: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> IMatrix2d: - r""" - @brief Creates a copy of self - """ - @overload - def __init__(self) -> None: - r""" - @brief Create a new Matrix2d representing a unit transformation + This constructor creates an edge pair collection from the shapes delivered by the given recursive shape iterator. + Only edge pairs are taken from the shape set and other shapes are ignored. + The given transformation is applied to each edge pair taken. + This method allows feeding the edge pair collection from a hierarchy of cells. + The transformation is useful to scale to a specific database unit for example. + Edge pairs in layout objects are somewhat special as most formats don't support reading or writing of edge pairs. Still they are useful objects and can be created and manipulated inside layouts. + + @code + layout = ... # a layout + cell = ... # the index of the initial cell + layer = ... # the index of the layer from where to take the shapes from + dbu = 0.1 # the target database unit + r = RBA::EdgePairs::new(layout.begin_shapes(cell, layer), RBA::ICplxTrans::new(layout.dbu / dbu)) + @/code + + This constructor has been introduced in version 0.26. """ @overload - def __init__(self, m: float) -> None: + @classmethod + def new(cls, shapes: Shapes) -> EdgePairs: r""" - @brief Create a new Matrix2d representing an isotropic magnification - @param m The magnification + @brief Shapes constructor + + This constructor creates an edge pair collection from a \Shapes collection. + + This constructor has been introduced in version 0.26. """ - @overload - def __init__(self, t: DCplxTrans) -> None: + def __add__(self, other: EdgePairs) -> EdgePairs: r""" - @brief Create a new Matrix2d from the given complex transformation@param t The transformation from which to create the matrix (not taking into account the displacement) + @brief Returns the combined edge pair collection of self and the other one + + @return The resulting edge pair collection + + This operator adds the edge pairs of the other collection to self and returns a new combined set. + + This method has been introduced in version 0.24. """ - @overload - def __init__(self, mx: float, my: float) -> None: + def __copy__(self) -> EdgePairs: r""" - @brief Create a new Matrix2d representing an anisotropic magnification - @param mx The magnification in x direction - @param my The magnification in y direction + @brief Creates a copy of self """ - @overload - def __init__(self, m11: float, m12: float, m21: float, m22: float) -> None: + def __deepcopy__(self) -> EdgePairs: r""" - @brief Create a new Matrix2d from the four coefficients + @brief Creates a copy of self """ - @overload - def __mul__(self, box: Box) -> Box: + def __getitem__(self, n: int) -> EdgePair: r""" - @brief Transforms a box with this matrix. - @param box The box to transform. - @return The transformed box + @brief Returns the nth edge pair - Please note that the box remains a box, even though the matrix supports shear and rotation. The returned box will be the bounding box of the sheared and rotated rectangle. - """ - @overload - def __mul__(self, e: Edge) -> Edge: - r""" - @brief Transforms an edge with this matrix. - @param e The edge to transform. - @return The transformed edge - """ - @overload - def __mul__(self, m: IMatrix2d) -> IMatrix2d: - r""" - @brief Product of two matrices. - @param m The other matrix. - @return The matrix product self*m + This method returns nil if the index is out of range. It is available for flat edge pairs only - i.e. those for which \has_valid_edge_pairs? is true. Use \flatten to explicitly flatten an edge pair collection. + + The \each iterator is the more general approach to access the edge pairs. """ - @overload - def __mul__(self, p: Point) -> Point: + def __iadd__(self, other: EdgePairs) -> EdgePairs: r""" - @brief Transforms a point with this matrix. - @param p The point to transform. - @return The transformed point + @brief Adds the edge pairs of the other edge pair collection to self + + @return The edge pair collection after modification (self) + + This operator adds the edge pairs of the other collection to self. + + This method has been introduced in version 0.24. """ @overload - def __mul__(self, p: Polygon) -> Polygon: + def __init__(self) -> None: r""" - @brief Transforms a polygon with this matrix. - @param p The polygon to transform. - @return The transformed polygon + @brief Default constructor + + This constructor creates an empty edge pair collection. """ @overload - def __mul__(self, p: SimplePolygon) -> SimplePolygon: + def __init__(self, array: Sequence[EdgePair]) -> None: r""" - @brief Transforms a simple polygon with this matrix. - @param p The simple polygon to transform. - @return The transformed simple polygon + @brief Constructor from an edge pair array + + This constructor creates an edge pair collection from an array of \EdgePair objects. + + This constructor has been introduced in version 0.26. """ @overload - def __mul__(self, v: Vector) -> Vector: + def __init__(self, edge_pair: EdgePair) -> None: r""" - @brief Transforms a vector with this matrix. - @param v The vector to transform. - @return The transformed vector + @brief Constructor from a single edge pair object + + This constructor creates an edge pair collection with a single edge pair. + + This constructor has been introduced in version 0.26. """ @overload - def __rmul__(self, box: Box) -> Box: + def __init__(self, shape_iterator: RecursiveShapeIterator) -> None: r""" - @brief Transforms a box with this matrix. - @param box The box to transform. - @return The transformed box + @brief Constructor from a hierarchical shape set - Please note that the box remains a box, even though the matrix supports shear and rotation. The returned box will be the bounding box of the sheared and rotated rectangle. + This constructor creates an edge pair collection from the shapes delivered by the given recursive shape iterator. + Only edge pairs are taken from the shape set and other shapes are ignored. + This method allows feeding the edge pair collection from a hierarchy of cells. + Edge pairs in layout objects are somewhat special as most formats don't support reading or writing of edge pairs. Still they are useful objects and can be created and manipulated inside layouts. + + @code + layout = ... # a layout + cell = ... # the index of the initial cell + layer = ... # the index of the layer from where to take the shapes from + r = RBA::EdgePairs::new(layout.begin_shapes(cell, layer)) + @/code + + This constructor has been introduced in version 0.26. """ @overload - def __rmul__(self, e: Edge) -> Edge: + def __init__(self, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore) -> None: r""" - @brief Transforms an edge with this matrix. - @param e The edge to transform. - @return The transformed edge + @brief Creates a hierarchical edge pair collection from an original layer + + This constructor creates an edge pair collection from the shapes delivered by the given recursive shape iterator. + This version will create a hierarchical edge pair collection which supports hierarchical operations. + Edge pairs in layout objects are somewhat special as most formats don't support reading or writing of edge pairs. Still they are useful objects and can be created and manipulated inside layouts. + + @code + dss = RBA::DeepShapeStore::new + layout = ... # a layout + cell = ... # the index of the initial cell + layer = ... # the index of the layer from where to take the shapes from + r = RBA::EdgePairs::new(layout.begin_shapes(cell, layer)) + @/code + + This constructor has been introduced in version 0.26. """ @overload - def __rmul__(self, m: IMatrix2d) -> IMatrix2d: + def __init__(self, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, trans: ICplxTrans) -> None: r""" - @brief Product of two matrices. - @param m The other matrix. - @return The matrix product self*m + @brief Creates a hierarchical edge pair collection from an original layer with a transformation + + This constructor creates an edge pair collection from the shapes delivered by the given recursive shape iterator. + This version will create a hierarchical edge pair collection which supports hierarchical operations. + The transformation is useful to scale to a specific database unit for example. + Edge pairs in layout objects are somewhat special as most formats don't support reading or writing of edge pairs. Still they are useful objects and can be created and manipulated inside layouts. + + @code + dss = RBA::DeepShapeStore::new + layout = ... # a layout + cell = ... # the index of the initial cell + layer = ... # the index of the layer from where to take the shapes from + dbu = 0.1 # the target database unit + r = RBA::EdgePairs::new(layout.begin_shapes(cell, layer), RBA::ICplxTrans::new(layout.dbu / dbu)) + @/code + + This constructor has been introduced in version 0.26. """ @overload - def __rmul__(self, p: Point) -> Point: + def __init__(self, shape_iterator: RecursiveShapeIterator, trans: ICplxTrans) -> None: r""" - @brief Transforms a point with this matrix. - @param p The point to transform. - @return The transformed point + @brief Constructor from a hierarchical shape set with a transformation + + This constructor creates an edge pair collection from the shapes delivered by the given recursive shape iterator. + Only edge pairs are taken from the shape set and other shapes are ignored. + The given transformation is applied to each edge pair taken. + This method allows feeding the edge pair collection from a hierarchy of cells. + The transformation is useful to scale to a specific database unit for example. + Edge pairs in layout objects are somewhat special as most formats don't support reading or writing of edge pairs. Still they are useful objects and can be created and manipulated inside layouts. + + @code + layout = ... # a layout + cell = ... # the index of the initial cell + layer = ... # the index of the layer from where to take the shapes from + dbu = 0.1 # the target database unit + r = RBA::EdgePairs::new(layout.begin_shapes(cell, layer), RBA::ICplxTrans::new(layout.dbu / dbu)) + @/code + + This constructor has been introduced in version 0.26. """ @overload - def __rmul__(self, p: Polygon) -> Polygon: + def __init__(self, shapes: Shapes) -> None: r""" - @brief Transforms a polygon with this matrix. - @param p The polygon to transform. - @return The transformed polygon + @brief Shapes constructor + + This constructor creates an edge pair collection from a \Shapes collection. + + This constructor has been introduced in version 0.26. """ - @overload - def __rmul__(self, p: SimplePolygon) -> SimplePolygon: + def __iter__(self) -> Iterator[EdgePair]: r""" - @brief Transforms a simple polygon with this matrix. - @param p The simple polygon to transform. - @return The transformed simple polygon + @brief Returns each edge pair of the edge pair collection """ - @overload - def __rmul__(self, v: Vector) -> Vector: + def __len__(self) -> int: r""" - @brief Transforms a vector with this matrix. - @param v The vector to transform. - @return The transformed vector + @brief Returns the (flat) number of edge pairs in the edge pair collection + + The count is computed 'as if flat', i.e. edge pairs inside a cell are multiplied by the number of times a cell is instantiated. + + Starting with version 0.27, the method is called 'count' for consistency with \Region. 'size' is still provided as an alias. """ def __str__(self) -> str: r""" - @brief Convert the matrix to a string. - @return The string representing this matrix + @brief Converts the edge pair collection to a string + The length of the output is limited to 20 edge pairs to avoid giant strings on large regions. For full output use "to_s" with a maximum count parameter. """ def _create(self) -> None: r""" @@ -17560,28 +17095,39 @@ class IMatrix2d: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def angle(self) -> float: - r""" - @brief Returns the rotation angle of the rotation component of this matrix. - @return The angle in degree. - The matrix is decomposed into basic transformations assuming an execution order of mirroring at the x axis, rotation, magnification and shear. - """ - def assign(self, other: IMatrix2d) -> None: + def assign(self, other: ShapeCollection) -> None: r""" @brief Assigns another object to self """ - def cplx_trans(self) -> ICplxTrans: + def bbox(self) -> Box: r""" - @brief Converts this matrix to a complex transformation (if possible). - @return The complex transformation. - This method is successful only if the matrix does not contain shear components and the magnification must be isotropic. + @brief Return the bounding box of the edge pair collection + The bounding box is the box enclosing all points of all edge pairs. """ - def create(self) -> None: + def clear(self) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Clears the edge pair collection """ - def destroy(self) -> None: + def count(self) -> int: + r""" + @brief Returns the (flat) number of edge pairs in the edge pair collection + + The count is computed 'as if flat', i.e. edge pairs inside a cell are multiplied by the number of times a cell is instantiated. + + Starting with version 0.27, the method is called 'count' for consistency with \Region. 'size' is still provided as an alias. + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def data_id(self) -> int: + r""" + @brief Returns the data ID (a unique identifier for the underlying data storage) + + This method has been added in version 0.26. + """ + def destroy(self) -> None: r""" @brief Explicitly destroys the object Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. @@ -17593,850 +17139,865 @@ class IMatrix2d: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> IMatrix2d: + def disable_progress(self) -> None: r""" - @brief Creates a copy of self + @brief Disable progress reporting + Calling this method will disable progress reporting. See \enable_progress. """ - def inverted(self) -> IMatrix2d: + def dup(self) -> EdgePairs: r""" - @brief The inverse of this matrix. - @return The inverse of this matrix + @brief Creates a copy of self """ - def is_const_object(self) -> bool: + def each(self) -> Iterator[EdgePair]: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Returns each edge pair of the edge pair collection """ - def is_mirror(self) -> bool: + def edges(self) -> Edges: r""" - @brief Returns the mirror flag of this matrix. - @return True if this matrix has a mirror component. - The matrix is decomposed into basic transformations assuming an execution order of mirroring at the x axis, rotation, magnification and shear. + @brief Decomposes the edge pairs into single edges + @return An edge collection containing the individual edges """ - def m(self, i: int, j: int) -> float: + def enable_progress(self, label: str) -> None: r""" - @brief Gets the m coefficient with the given index. - @return The coefficient [i,j] + @brief Enable progress reporting + After calling this method, the edge pair collection will report the progress through a progress bar while expensive operations are running. + The label is a text which is put in front of the progress bar. + Using a progress bar will imply a performance penalty of a few percent typically. """ - def m11(self) -> float: + def enable_properties(self) -> None: r""" - @brief Gets the m11 coefficient. - @return The value of the m11 coefficient + @brief Enables properties for the given container. + This method has an effect mainly on original layers and will import properties from such layers. By default, properties are not enabled on original layers. Alternatively you can apply \filter_properties or \map_properties to enable properties with a specific name key. + + This method has been introduced in version 0.28.4. """ - def m12(self) -> float: + @overload + def extents(self) -> Region: r""" - @brief Gets the m12 coefficient. - @return The value of the m12 coefficient + @brief Returns a region with the bounding boxes of the edge pairs + This method will return a region consisting of the bounding boxes of the edge pairs. + The boxes will not be merged, so it is possible to determine overlaps of these boxes for example. """ - def m21(self) -> float: + @overload + def extents(self, d: int) -> Region: r""" - @brief Gets the m21 coefficient. - @return The value of the m21 coefficient + @brief Returns a region with the enlarged bounding boxes of the edge pairs + This method will return a region consisting of the bounding boxes of the edge pairs enlarged by the given distance d. + The enlargement is specified per edge, i.e the width and height will be increased by 2*d. + The boxes will not be merged, so it is possible to determine overlaps of these boxes for example. """ - def m22(self) -> float: + @overload + def extents(self, dx: int, dy: int) -> Region: r""" - @brief Gets the m22 coefficient. - @return The value of the m22 coefficient + @brief Returns a region with the enlarged bounding boxes of the edge pairs + This method will return a region consisting of the bounding boxes of the edge pairs enlarged by the given distance dx in x direction and dy in y direction. + The enlargement is specified per edge, i.e the width will be increased by 2*dx. + The boxes will not be merged, so it is possible to determine overlaps of these boxes for example. """ - def mag_x(self) -> float: + def filter_properties(self, keys: Sequence[Any]) -> None: r""" - @brief Returns the x magnification of the magnification component of this matrix. - @return The magnification factor. - The matrix is decomposed into basic transformations assuming an execution order of mirroring at the x axis, magnification, shear and rotation. + @brief Filters properties by certain keys. + Calling this method on a container will reduce the properties to values with name keys from the 'keys' list. + As a side effect, this method enables properties on original layers. + + This method has been introduced in version 0.28.4. """ - def mag_y(self) -> float: + def first_edges(self) -> Edges: r""" - @brief Returns the y magnification of the magnification component of this matrix. - @return The magnification factor. - The matrix is decomposed into basic transformations assuming an execution order of mirroring at the x axis, magnification, shear and rotation. + @brief Returns the first one of all edges + @return An edge collection containing the first edges """ - def shear_angle(self) -> float: + def flatten(self) -> None: r""" - @brief Returns the magnitude of the shear component of this matrix. - @return The shear angle in degree. - The matrix is decomposed into basic transformations assuming an execution order of mirroring at the x axis, rotation, magnification and shear. - The shear basic transformation will tilt the x axis towards the y axis and vice versa. The shear angle gives the tilt angle of the axes towards the other one. The possible range for this angle is -45 to 45 degree. + @brief Explicitly flattens an edge pair collection + + If the collection is already flat (i.e. \has_valid_edge_pairs? returns true), this method will not change the collection. + + This method has been introduced in version 0.26. """ - def to_s(self) -> str: + def has_valid_edge_pairs(self) -> bool: r""" - @brief Convert the matrix to a string. - @return The string representing this matrix + @brief Returns true if the edge pair collection is flat and individual edge pairs can be accessed randomly + + This method has been introduced in version 0.26. """ - def trans(self, p: Point) -> Point: + def hier_count(self) -> int: r""" - @brief Transforms a point with this matrix. - @param p The point to transform. - @return The transformed point - """ - -class Matrix3d: - r""" - @brief A 3d matrix object used mainly for representing rotation, shear, displacement and perspective transformations. + @brief Returns the (hierarchical) number of edge pairs in the edge pair collection - This object represents a 3x3 matrix. This matrix is used to implement generic geometrical transformations in the 2d space mainly. It can be decomposed into basic transformations: mirroring, rotation, shear, displacement and perspective distortion. In that case, the assumed execution order of the basic transformations is mirroring at the x axis, rotation, magnification, shear, displacement and perspective distortion. + The count is computed 'hierarchical', i.e. edge pairs inside a cell are counted once even if the cell is instantiated multiple times. - This class was introduced in version 0.22. - """ - AdjustAll: ClassVar[int] - r""" - @brief Mode for \adjust: currently equivalent to \adjust_perspective - """ - AdjustDisplacement: ClassVar[int] - r""" - @brief Mode for \adjust: adjust displacement only - """ - AdjustMagnification: ClassVar[int] - r""" - @brief Mode for \adjust: adjust rotation, mirror option and magnification - """ - AdjustNone: ClassVar[int] - r""" - @brief Mode for \adjust: adjust nothing - """ - AdjustPerspective: ClassVar[int] - r""" - @brief Mode for \adjust: adjust whole matrix including perspective transformation - """ - AdjustRotation: ClassVar[int] - r""" - @brief Mode for \adjust: adjust rotation only - """ - AdjustRotationMirror: ClassVar[int] - r""" - @brief Mode for \adjust: adjust rotation and mirror option - """ - AdjustShear: ClassVar[int] - r""" - @brief Mode for \adjust: adjust rotation, mirror option, magnification and shear - """ + This method has been introduced in version 0.27. + """ @overload - @classmethod - def new(cls) -> Matrix3d: + def insert(self, edge_pair: EdgePair) -> None: r""" - @brief Create a new Matrix3d representing a unit transformation + @brief Inserts an edge pair into the collection """ @overload - @classmethod - def new(cls, m: float) -> Matrix3d: + def insert(self, edge_pairs: EdgePairs) -> None: r""" - @brief Create a new Matrix3d representing a magnification - @param m The magnification + @brief Inserts all edge pairs from the other edge pair collection into this edge pair collection + This method has been introduced in version 0.25. """ @overload - @classmethod - def new(cls, t: DCplxTrans) -> Matrix3d: + def insert(self, first: Edge, second: Edge) -> None: r""" - @brief Create a new Matrix3d from the given complex transformation@param t The transformation from which to create the matrix + @brief Inserts an edge pair into the collection """ - @overload - @classmethod - def new(cls, m11: float, m12: float, m21: float, m22: float) -> Matrix3d: + def insert_into(self, layout: Layout, cell_index: int, layer: int) -> None: r""" - @brief Create a new Matrix3d from the four coefficients of a Matrix2d + @brief Inserts this edge pairs into the given layout, below the given cell and into the given layer. + If the edge pair collection is a hierarchical one, a suitable hierarchy will be built below the top cell or and existing hierarchy will be reused. + + This method has been introduced in version 0.26. """ - @overload - @classmethod - def new(cls, m11: float, m12: float, m21: float, m22: float, dx: float, dy: float) -> Matrix3d: + def insert_into_as_polygons(self, layout: Layout, cell_index: int, layer: int, e: int) -> None: r""" - @brief Create a new Matrix3d from the four coefficients of a Matrix2d plus a displacement + @brief Inserts this edge pairs into the given layout, below the given cell and into the given layer. + If the edge pair collection is a hierarchical one, a suitable hierarchy will be built below the top cell or and existing hierarchy will be reused. + + The edge pairs will be converted to polygons with the enlargement value given be 'e'. + + This method has been introduced in version 0.26. """ - @overload - @classmethod - def new(cls, m11: float, m12: float, m13: float, m21: float, m22: float, m23: float, m31: float, m32: float, m33: float) -> Matrix3d: + def is_const_object(self) -> bool: r""" - @brief Create a new Matrix3d from the nine matrix coefficients + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - @classmethod - def newc(cls, mag: float, rotation: float, mirrx: bool) -> Matrix3d: + def is_deep(self) -> bool: r""" - @brief Create a new Matrix3d representing a isotropic magnification, rotation and mirroring - @param mag The magnification - @param rotation The rotation angle (in degree) - @param mirrx The mirror flag (at x axis) + @brief Returns true if the edge pair collection is a deep (hierarchical) one - The order of execution of the operations is mirror, magnification and rotation. - This constructor is called 'newc' to distinguish it from the constructors taking coefficients ('c' is for composite). + This method has been added in version 0.26. """ - @overload - @classmethod - def newc(cls, shear: float, mx: float, my: float, rotation: float, mirrx: bool) -> Matrix3d: + def is_empty(self) -> bool: r""" - @brief Create a new Matrix3d representing a shear, anisotropic magnification, rotation and mirroring - @param shear The shear angle - @param mx The magnification in x direction - @param mx The magnification in y direction - @param rotation The rotation angle (in degree) - @param mirrx The mirror flag (at x axis) + @brief Returns true if the collection is empty + """ + def map_properties(self, key_map: Dict[Any, Any]) -> None: + r""" + @brief Maps properties by name key. + Calling this method on a container will reduce the properties to values with name keys from the 'keys' hash and renames the properties. Properties not listed in the key map will be removed. + As a side effect, this method enables properties on original layers. - The order of execution of the operations is mirror, magnification, rotation and shear. - This constructor is called 'newc' to distinguish it from the constructor taking the four matrix coefficients ('c' is for composite). + This method has been introduced in version 0.28.4. """ @overload - @classmethod - def newc(cls, u: DVector, shear: float, mx: float, my: float, rotation: float, mirrx: bool) -> Matrix3d: + def move(self, p: Vector) -> EdgePairs: r""" - @brief Create a new Matrix3d representing a displacement, shear, anisotropic magnification, rotation and mirroring - @param u The displacement - @param shear The shear angle - @param mx The magnification in x direction - @param mx The magnification in y direction - @param rotation The rotation angle (in degree) - @param mirrx The mirror flag (at x axis) + @brief Moves the edge pair collection - The order of execution of the operations is mirror, magnification, rotation, shear and displacement. - This constructor is called 'newc' to distinguish it from the constructor taking the four matrix coefficients ('c' is for composite). + Moves the edge pairs by the given offset and returns the + moved edge pair collection. The edge pair collection is overwritten. + + @param p The distance to move the edge pairs. + + @return The moved edge pairs (self). Starting with version 0.25 the displacement is of vector type. """ @overload - @classmethod - def newc(cls, tx: float, ty: float, z: float, u: DVector, shear: float, mx: float, my: float, rotation: float, mirrx: bool) -> Matrix3d: + def move(self, x: int, y: int) -> EdgePairs: r""" - @brief Create a new Matrix3d representing a perspective distortion, displacement, shear, anisotropic magnification, rotation and mirroring - @param tx The perspective tilt angle x (around the y axis) - @param ty The perspective tilt angle y (around the x axis) - @param z The observer distance at which the tilt angles are given - @param u The displacement - @param shear The shear angle - @param mx The magnification in x direction - @param mx The magnification in y direction - @param rotation The rotation angle (in degree) - @param mirrx The mirror flag (at x axis) + @brief Moves the edge pair collection - The order of execution of the operations is mirror, magnification, rotation, shear, perspective distortion and displacement. - This constructor is called 'newc' to distinguish it from the constructor taking the four matrix coefficients ('c' is for composite). + Moves the edge pairs by the given offset and returns the + moved edge pairs. The edge pair collection is overwritten. - The tx and ty parameters represent the perspective distortion. They denote a tilt of the xy plane around the y axis (tx) or the x axis (ty) in degree. The same effect is achieved for different tilt angles for different observer distances. Hence, the observer distance must be given at which the tilt angles are given. If the magnitude of the tilt angle is not important, z can be set to 1. + @param x The x distance to move the edge pairs. + @param y The y distance to move the edge pairs. - Starting with version 0.25 the displacement is of vector type. - """ - def __add__(self, m: Matrix3d) -> Matrix3d: - r""" - @brief Sum of two matrices. - @param m The other matrix. - @return The (element-wise) sum of self+m - """ - def __copy__(self) -> Matrix3d: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> Matrix3d: - r""" - @brief Creates a copy of self + @return The moved edge pairs (self). """ @overload - def __init__(self) -> None: + def moved(self, p: Vector) -> EdgePairs: r""" - @brief Create a new Matrix3d representing a unit transformation + @brief Returns the moved edge pair collection (does not modify self) + + Moves the edge pairs by the given offset and returns the + moved edge pairs. The edge pair collection is not modified. + + @param p The distance to move the edge pairs. + + @return The moved edge pairs. + + Starting with version 0.25 the displacement is of vector type. """ @overload - def __init__(self, m: float) -> None: + def moved(self, x: int, y: int) -> EdgePairs: r""" - @brief Create a new Matrix3d representing a magnification - @param m The magnification + @brief Returns the moved edge pair collection (does not modify self) + + Moves the edge pairs by the given offset and returns the + moved edge pairs. The edge pair collection is not modified. + + @param x The x distance to move the edge pairs. + @param y The y distance to move the edge pairs. + + @return The moved edge pairs. """ @overload - def __init__(self, t: DCplxTrans) -> None: + def polygons(self) -> Region: r""" - @brief Create a new Matrix3d from the given complex transformation@param t The transformation from which to create the matrix + @brief Converts the edge pairs to polygons + This method creates polygons from the edge pairs. Each polygon will be a triangle or quadrangle which connects the start and end points of the edges forming the edge pair. """ @overload - def __init__(self, m11: float, m12: float, m21: float, m22: float) -> None: + def polygons(self, e: int) -> Region: r""" - @brief Create a new Matrix3d from the four coefficients of a Matrix2d + @brief Converts the edge pairs to polygons + This method creates polygons from the edge pairs. Each polygon will be a triangle or quadrangle which connects the start and end points of the edges forming the edge pair. This version allows one to specify an enlargement which is applied to the edges. The length of the edges is modified by applying the enlargement and the edges are shifted by the enlargement. By specifying an enlargement it is possible to give edge pairs an area which otherwise would not have one (coincident edges, two point-like edges). """ - @overload - def __init__(self, m11: float, m12: float, m21: float, m22: float, dx: float, dy: float) -> None: + def remove_properties(self) -> None: r""" - @brief Create a new Matrix3d from the four coefficients of a Matrix2d plus a displacement + @brief Removes properties for the given container. + This will remove all properties on the given container. + + This method has been introduced in version 0.28.4. """ - @overload - def __init__(self, m11: float, m12: float, m13: float, m21: float, m22: float, m23: float, m31: float, m32: float, m33: float) -> None: + def second_edges(self) -> Edges: r""" - @brief Create a new Matrix3d from the nine matrix coefficients + @brief Returns the second one of all edges + @return An edge collection containing the second edges """ - @overload - def __mul__(self, box: DBox) -> DBox: + def size(self) -> int: r""" - @brief Transforms a box with this matrix. - @param box The box to transform. - @return The transformed box + @brief Returns the (flat) number of edge pairs in the edge pair collection - Please note that the box remains a box, even though the matrix supports shear and rotation. The returned box will be the bounding box of the sheared and rotated rectangle. + The count is computed 'as if flat', i.e. edge pairs inside a cell are multiplied by the number of times a cell is instantiated. + + Starting with version 0.27, the method is called 'count' for consistency with \Region. 'size' is still provided as an alias. """ - @overload - def __mul__(self, e: DEdge) -> DEdge: + def swap(self, other: EdgePairs) -> None: r""" - @brief Transforms an edge with this matrix. - @param e The edge to transform. - @return The transformed edge + @brief Swap the contents of this collection with the contents of another collection + This method is useful to avoid excessive memory allocation in some cases. For managed memory languages such as Ruby, those cases will be rare. """ @overload - def __mul__(self, m: Matrix3d) -> Matrix3d: + def to_s(self) -> str: r""" - @brief Product of two matrices. - @param m The other matrix. - @return The matrix product self*m + @brief Converts the edge pair collection to a string + The length of the output is limited to 20 edge pairs to avoid giant strings on large regions. For full output use "to_s" with a maximum count parameter. """ @overload - def __mul__(self, p: DPoint) -> DPoint: + def to_s(self, max_count: int) -> str: r""" - @brief Transforms a point with this matrix. - @param p The point to transform. - @return The transformed point + @brief Converts the edge pair collection to a string + This version allows specification of the maximum number of edge pairs contained in the string. """ @overload - def __mul__(self, p: DPolygon) -> DPolygon: + def transform(self, t: ICplxTrans) -> EdgePairs: r""" - @brief Transforms a polygon with this matrix. - @param p The polygon to transform. - @return The transformed polygon + @brief Transform the edge pair collection with a complex transformation (modifies self) + + Transforms the edge pair collection with the given transformation. + This version modifies the edge pair collection and returns a reference to self. + + @param t The transformation to apply. + + @return The transformed edge pair collection. """ @overload - def __mul__(self, p: DSimplePolygon) -> DSimplePolygon: + def transform(self, t: IMatrix2d) -> EdgePairs: r""" - @brief Transforms a simple polygon with this matrix. - @param p The simple polygon to transform. - @return The transformed simple polygon + @brief Transform the edge pair collection (modifies self) + + Transforms the edge pair collection with the given 2d matrix transformation. + This version modifies the edge pair collection and returns a reference to self. + + @param t The transformation to apply. + + @return The transformed edge pair collection. + + This variant has been introduced in version 0.27. """ @overload - def __mul__(self, v: DVector) -> DVector: + def transform(self, t: IMatrix3d) -> EdgePairs: r""" - @brief Transforms a vector with this matrix. - @param v The vector to transform. - @return The transformed vector + @brief Transform the edge pair collection (modifies self) + + Transforms the edge pair collection with the given 3d matrix transformation. + This version modifies the edge pair collection and returns a reference to self. + + @param t The transformation to apply. + + @return The transformed edge pair collection. + + This variant has been introduced in version 0.27. """ @overload - def __rmul__(self, box: DBox) -> DBox: + def transform(self, t: Trans) -> EdgePairs: r""" - @brief Transforms a box with this matrix. - @param box The box to transform. - @return The transformed box + @brief Transform the edge pair collection (modifies self) - Please note that the box remains a box, even though the matrix supports shear and rotation. The returned box will be the bounding box of the sheared and rotated rectangle. + Transforms the edge pair collection with the given transformation. + This version modifies the edge pair collection and returns a reference to self. + + @param t The transformation to apply. + + @return The transformed edge pair collection. """ - @overload - def __rmul__(self, e: DEdge) -> DEdge: + def transform_icplx(self, t: ICplxTrans) -> EdgePairs: r""" - @brief Transforms an edge with this matrix. - @param e The edge to transform. - @return The transformed edge + @brief Transform the edge pair collection with a complex transformation (modifies self) + + Transforms the edge pair collection with the given transformation. + This version modifies the edge pair collection and returns a reference to self. + + @param t The transformation to apply. + + @return The transformed edge pair collection. """ @overload - def __rmul__(self, m: Matrix3d) -> Matrix3d: + def transformed(self, t: ICplxTrans) -> EdgePairs: r""" - @brief Product of two matrices. - @param m The other matrix. - @return The matrix product self*m + @brief Transform the edge pair collection with a complex transformation + + Transforms the edge pairs with the given complex transformation. + Does not modify the edge pair collection but returns the transformed edge pairs. + + @param t The transformation to apply. + + @return The transformed edge pairs. """ @overload - def __rmul__(self, p: DPoint) -> DPoint: + def transformed(self, t: IMatrix2d) -> EdgePairs: r""" - @brief Transforms a point with this matrix. - @param p The point to transform. - @return The transformed point + @brief Transform the edge pair collection + + Transforms the edge pairs with the given 2d matrix transformation. + Does not modify the edge pair collection but returns the transformed edge pairs. + + @param t The transformation to apply. + + @return The transformed edge pairs. + + This variant has been introduced in version 0.27. """ @overload - def __rmul__(self, p: DPolygon) -> DPolygon: + def transformed(self, t: IMatrix3d) -> EdgePairs: r""" - @brief Transforms a polygon with this matrix. - @param p The polygon to transform. - @return The transformed polygon + @brief Transform the edge pair collection + + Transforms the edge pairs with the given 3d matrix transformation. + Does not modify the edge pair collection but returns the transformed edge pairs. + + @param t The transformation to apply. + + @return The transformed edge pairs. + + This variant has been introduced in version 0.27. """ @overload - def __rmul__(self, p: DSimplePolygon) -> DSimplePolygon: + def transformed(self, t: Trans) -> EdgePairs: r""" - @brief Transforms a simple polygon with this matrix. - @param p The simple polygon to transform. - @return The transformed simple polygon + @brief Transform the edge pair collection + + Transforms the edge pairs with the given transformation. + Does not modify the edge pair collection but returns the transformed edge pairs. + + @param t The transformation to apply. + + @return The transformed edge pairs. """ - @overload - def __rmul__(self, v: DVector) -> DVector: + def transformed_icplx(self, t: ICplxTrans) -> EdgePairs: r""" - @brief Transforms a vector with this matrix. - @param v The vector to transform. - @return The transformed vector + @brief Transform the edge pair collection with a complex transformation + + Transforms the edge pairs with the given complex transformation. + Does not modify the edge pair collection but returns the transformed edge pairs. + + @param t The transformation to apply. + + @return The transformed edge pairs. """ - def __str__(self) -> str: + @overload + def with_angle(self, angle: float, inverse: bool) -> EdgePairs: r""" - @brief Convert the matrix to a string. - @return The string representing this matrix - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Filter the edge pairs by orientation of their edges + Filters the edge pairs in the edge pair collection by orientation. If "inverse" is false, only edge pairs with at least one edge having the given angle to the x-axis are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + This will filter edge pairs with at least one horizontal edge: - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def adjust(self, landmarks_before: Sequence[DPoint], landmarks_after: Sequence[DPoint], flags: int, fixed_point: int) -> None: - r""" - @brief Adjust a 3d matrix to match the given set of landmarks + @code + horizontal = edge_pairs.with_angle(0, false) + @/code - This function tries to adjust the matrix - such, that either the matrix is changed as little as possible (if few landmarks are given) - or that the "after" landmarks will match as close as possible to the "before" landmarks - (if the problem is overdetermined). + Note that the inverse @b result @/b of \with_angle is delivered by \with_angle_both with the inverse flag set as edge pairs are unselected when both edges fail to meet the criterion. + I.e - @param landmarks_before The points before the transformation. - @param landmarks_after The points after the transformation. - @param mode Selects the adjustment mode. Must be one of the Adjust... constants. - @param fixed_point The index of the fixed point (one that is definitely mapped to the target) or -1 if there is none - """ - def angle(self) -> float: - r""" - @brief Returns the rotation angle of the rotation component of this matrix. - @return The angle in degree. - See the description of this class for details about the basic transformations. - """ - def assign(self, other: Matrix3d) -> None: - r""" - @brief Assigns another object to self - """ - def cplx_trans(self) -> DCplxTrans: - r""" - @brief Converts this matrix to a complex transformation (if possible). - @return The complex transformation. - This method is successful only if the matrix does not contain shear or perspective distortion components and the magnification must be isotropic. - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def disp(self) -> DVector: - r""" - @brief Returns the displacement vector of this transformation. + @code + result = edge_pairs.with_angle(0, false) + others = edge_pairs.with_angle_both(0, true) + @/code - Starting with version 0.25 this method returns a vector type instead of a point. - @return The displacement vector. - """ - def dup(self) -> Matrix3d: - r""" - @brief Creates a copy of self + This method has been added in version 0.27.1. """ - def inverted(self) -> Matrix3d: + @overload + def with_angle(self, min_angle: float, max_angle: float, inverse: bool, include_min_angle: Optional[bool] = ..., include_max_angle: Optional[bool] = ...) -> EdgePairs: r""" - @brief The inverse of this matrix. - @return The inverse of this matrix + @brief Filter the edge pairs by orientation of their edges + Filters the edge pairs in the edge pair collection by orientation. If "inverse" is false, only edge pairs with at least one edge having an angle between min_angle and max_angle are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. + + With "include_min_angle" set to true (the default), the minimum angle is included in the criterion while with false, the minimum angle itself is not included. Same for "include_max_angle" where the default is false, meaning the maximum angle is not included in the range. + + Note that the inverse @b result @/b of \with_angle is delivered by \with_angle_both with the inverse flag set as edge pairs are unselected when both edges fail to meet the criterion. + I.e + + @code + result = edge_pairs.with_angle(0, 45, false) + others = edge_pairs.with_angle_both(0, 45, true) + @/code + + This method has been added in version 0.27.1. """ - def is_const_object(self) -> bool: + @overload + def with_angle(self, type: Edges.EdgeType, inverse: bool) -> EdgePairs: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Filter the edge pairs by orientation of their edges + Filters the edge pairs in the edge pair collection by orientation. If "inverse" is false, only edge pairs with at least one edge having an angle of the given type are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. + + This version allows specifying an edge type instead of an angle. Edge types include multiple distinct orientations and are specified using one of the \Edges#OrthoEdges, \Edges#DiagonalEdges or \Edges#OrthoDiagonalEdges types. + + Note that the inverse @b result @/b of \with_angle is delivered by \with_angle_both with the inverse flag set as edge pairs are unselected when both edges fail to meet the criterion. + I.e + + @code + result = edge_pairs.with_angle(RBA::Edges::Ortho, false) + others = edge_pairs.with_angle_both(RBA::Edges::Ortho, true) + @/code + + This method has been added in version 0.28. """ - def is_mirror(self) -> bool: + @overload + def with_angle_both(self, angle: float, inverse: bool) -> EdgePairs: r""" - @brief Returns the mirror flag of this matrix. - @return True if this matrix has a mirror component. - See the description of this class for details about the basic transformations. + @brief Filter the edge pairs by orientation of both of their edges + Filters the edge pairs in the edge pair collection by orientation. If "inverse" is false, only edge pairs with both edges having the given angle to the x-axis are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. + + This will filter edge pairs with at least one horizontal edge: + + @code + horizontal = edge_pairs.with_angle_both(0, false) + @/code + + Note that the inverse @b result @/b of \with_angle_both is delivered by \with_angle with the inverse flag set as edge pairs are unselected when one edge fails to meet the criterion. + I.e + + @code + result = edge_pairs.with_angle_both(0, false) + others = edge_pairs.with_angle(0, true) + @/code + + This method has been added in version 0.27.1. """ - def m(self, i: int, j: int) -> float: + @overload + def with_angle_both(self, min_angle: float, max_angle: float, inverse: bool, include_min_angle: Optional[bool] = ..., include_max_angle: Optional[bool] = ...) -> EdgePairs: r""" - @brief Gets the m coefficient with the given index. - @return The coefficient [i,j] + @brief Filter the edge pairs by orientation of both of their edges + Filters the edge pairs in the edge pair collection by orientation. If "inverse" is false, only edge pairs with both edges having an angle between min_angle and max_angle are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. + + With "include_min_angle" set to true (the default), the minimum angle is included in the criterion while with false, the minimum angle itself is not included. Same for "include_max_angle" where the default is false, meaning the maximum angle is not included in the range. + + Note that the inverse @b result @/b of \with_angle_both is delivered by \with_angle with the inverse flag set as edge pairs are unselected when one edge fails to meet the criterion. + I.e + + @code + result = edge_pairs.with_angle_both(0, 45, false) + others = edge_pairs.with_angle(0, 45, true) + @/code + + This method has been added in version 0.27.1. """ - def mag_x(self) -> float: + @overload + def with_angle_both(self, type: Edges.EdgeType, inverse: bool) -> EdgePairs: r""" - @brief Returns the x magnification of the magnification component of this matrix. - @return The magnification factor. + @brief Filter the edge pairs by orientation of their edges + Filters the edge pairs in the edge pair collection by orientation. If "inverse" is false, only edge pairs with both edges having an angle of the given type are returned. If "inverse" is true, edge pairs not fulfilling this criterion for both edges are returned. + + This version allows specifying an edge type instead of an angle. Edge types include multiple distinct orientations and are specified using one of the \Edges#OrthoEdges, \Edges#DiagonalEdges or \Edges#OrthoDiagonalEdges types. + + Note that the inverse @b result @/b of \with_angle_both is delivered by \with_angle with the inverse flag set as edge pairs are unselected when one edge fails to meet the criterion. + I.e + + @code + result = edge_pairs.with_angle_both(RBA::Edges::Ortho, false) + others = edge_pairs.with_angle(RBA::Edges::Ortho, true) + @/code + + This method has been added in version 0.28. """ - def mag_y(self) -> float: + @overload + def with_area(self, area: int, inverse: bool) -> EdgePairs: r""" - @brief Returns the y magnification of the magnification component of this matrix. - @return The magnification factor. + @brief Filters the edge pairs by the enclosed area + Filters the edge pairs in the edge pair collection by enclosed area. If "inverse" is false, only edge pairs with the given area are returned. If "inverse" is true, edge pairs not with the given area are returned. + + This method has been added in version 0.27.2. """ - def shear_angle(self) -> float: + @overload + def with_area(self, min_area: int, max_area: int, inverse: bool) -> EdgePairs: r""" - @brief Returns the magnitude of the shear component of this matrix. - @return The shear angle in degree. - The shear basic transformation will tilt the x axis towards the y axis and vice versa. The shear angle gives the tilt angle of the axes towards the other one. The possible range for this angle is -45 to 45 degree.See the description of this class for details about the basic transformations. + @brief Filters the edge pairs by the enclosed area + Filters the edge pairs in the edge pair collection by enclosed area. If "inverse" is false, only edge pairs with an area between min_area and max_area (max_area itself is excluded) are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. + + This method has been added in version 0.27.2. """ - def to_s(self) -> str: + @overload + def with_distance(self, distance: int, inverse: bool) -> EdgePairs: r""" - @brief Convert the matrix to a string. - @return The string representing this matrix + @brief Filters the edge pairs by the distance of the edges + Filters the edge pairs in the edge pair collection by distance of the edges. If "inverse" is false, only edge pairs where both edges have the given distance are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. + + Distance is measured as the shortest distance between any of the points on the edges. + + This method has been added in version 0.27.1. """ - def trans(self, p: DPoint) -> DPoint: + @overload + def with_distance(self, min_distance: Any, max_distance: Any, inverse: bool) -> EdgePairs: r""" - @brief Transforms a point with this matrix. - @param p The point to transform. - @return The transformed point + @brief Filters the edge pairs by the distance of the edges + Filters the edge pairs in the edge pair collection by distance of the edges. If "inverse" is false, only edge pairs where both edges have a distance between min_distance and max_distance (max_distance itself is excluded) are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. + + Distance is measured as the shortest distance between any of the points on the edges. + + This method has been added in version 0.27.1. """ - def tx(self, z: float) -> float: + @overload + def with_internal_angle(self, angle: float, inverse: bool) -> EdgePairs: r""" - @brief Returns the perspective tilt angle tx. - @param z The observer distance at which the tilt angle is computed. - @return The tilt angle tx. - The tx and ty parameters represent the perspective distortion. They denote a tilt of the xy plane around the y axis (tx) or the x axis (ty) in degree. The same effect is achieved for different tilt angles at different observer distances. Hence, the observer distance must be specified at which the tilt angle is computed. If the magnitude of the tilt angle is not important, z can be set to 1. + @brief Filters the edge pairs by the angle between their edges + Filters the edge pairs in the edge pair collection by the angle between their edges. If "inverse" is false, only edge pairs with the given angle are returned. If "inverse" is true, edge pairs not with the given angle are returned. + + The angle is measured between the two edges. It is between 0 (parallel or anti-parallel edges) and 90 degree (perpendicular edges). + + This method has been added in version 0.27.2. """ - def ty(self, z: float) -> float: + @overload + def with_internal_angle(self, min_angle: float, max_angle: float, inverse: bool, include_min_angle: Optional[bool] = ..., include_max_angle: Optional[bool] = ...) -> EdgePairs: r""" - @brief Returns the perspective tilt angle ty. - @param z The observer distance at which the tilt angle is computed. - @return The tilt angle ty. - The tx and ty parameters represent the perspective distortion. They denote a tilt of the xy plane around the y axis (tx) or the x axis (ty) in degree. The same effect is achieved for different tilt angles at different observer distances. Hence, the observer distance must be specified at which the tilt angle is computed. If the magnitude of the tilt angle is not important, z can be set to 1. - """ + @brief Filters the edge pairs by the angle between their edges + Filters the edge pairs in the edge pair collection by the angle between their edges. If "inverse" is false, only edge pairs with an angle between min_angle and max_angle (max_angle itself is excluded) are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. -class IMatrix3d: - r""" - @brief A 3d matrix object used mainly for representing rotation, shear, displacement and perspective transformations (integer coordinate version). + The angle is measured between the two edges. It is between 0 (parallel or anti-parallel edges) and 90 degree (perpendicular edges). - This object represents a 3x3 matrix. This matrix is used to implement generic geometrical transformations in the 2d space mainly. It can be decomposed into basic transformations: mirroring, rotation, shear, displacement and perspective distortion. In that case, the assumed execution order of the basic transformations is mirroring at the x axis, rotation, magnification, shear, displacement and perspective distortion. + With "include_min_angle" set to true (the default), the minimum angle is included in the criterion while with false, the minimum angle itself is not included. Same for "include_max_angle" where the default is false, meaning the maximum angle is not included in the range. - The integer variant was introduced in version 0.27. - """ - @overload - @classmethod - def new(cls) -> IMatrix3d: - r""" - @brief Create a new Matrix3d representing a unit transformation + This method has been added in version 0.27.2. """ @overload - @classmethod - def new(cls, m: float) -> IMatrix3d: + def with_length(self, length: int, inverse: bool) -> EdgePairs: r""" - @brief Create a new Matrix3d representing a magnification - @param m The magnification + @brief Filters the edge pairs by length of one of their edges + Filters the edge pairs in the edge pair collection by length of at least one of their edges. If "inverse" is false, only edge pairs with at least one edge having the given length are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. + + This method has been added in version 0.27.1. """ @overload - @classmethod - def new(cls, t: ICplxTrans) -> IMatrix3d: + def with_length(self, min_length: Any, max_length: Any, inverse: bool) -> EdgePairs: r""" - @brief Create a new Matrix3d from the given complex transformation@param t The transformation from which to create the matrix + @brief Filters the edge pairs by length of one of their edges + Filters the edge pairs in the edge pair collection by length of at least one of their edges. If "inverse" is false, only edge pairs with at least one edge having a length between min_length and max_length (excluding max_length itself) are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. + + If you don't want to specify a lower or upper limit, pass nil to that parameter. + + This method has been added in version 0.27.1. """ @overload - @classmethod - def new(cls, m11: float, m12: float, m21: float, m22: float) -> IMatrix3d: + def with_length_both(self, length: int, inverse: bool) -> EdgePairs: r""" - @brief Create a new Matrix3d from the four coefficients of a Matrix2d + @brief Filters the edge pairs by length of both of their edges + Filters the edge pairs in the edge pair collection by length of both of their edges. If "inverse" is false, only edge pairs where both edges have the given length are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. + + This method has been added in version 0.27.1. """ @overload - @classmethod - def new(cls, m11: float, m12: float, m21: float, m22: float, dx: float, dy: float) -> IMatrix3d: + def with_length_both(self, min_length: Any, max_length: Any, inverse: bool) -> EdgePairs: r""" - @brief Create a new Matrix3d from the four coefficients of a Matrix2d plus a displacement + @brief Filters the edge pairs by length of both of their edges + Filters the edge pairs in the edge pair collection by length of both of their edges. If "inverse" is false, only edge pairs with both edges having a length between min_length and max_length (excluding max_length itself) are returned. If "inverse" is true, edge pairs not fulfilling this criterion are returned. + + If you don't want to specify a lower or upper limit, pass nil to that parameter. + + This method has been added in version 0.27.1. """ - @overload + +class EdgeProcessor: + r""" + @brief The edge processor (boolean, sizing, merge) + + The edge processor implements the boolean and edge set operations (size, merge). Because the edge processor might allocate resources which can be reused in later operations, it is implemented as an object that can be used several times. + + Here is a simple example of how to use the edge processor: + + @code + ep = RBA::EdgeProcessor::new + # Prepare two boxes + a = [ RBA::Polygon::new(RBA::Box::new(0, 0, 300, 300)) ] + b = [ RBA::Polygon::new(RBA::Box::new(100, 100, 200, 200)) ] + # Run an XOR -> creates a polygon with a hole, since the 'resolve_holes' parameter + # is false: + out = ep.boolean_p2p(a, b, RBA::EdgeProcessor::ModeXor, false, false) + out.to_s # -> [(0,0;0,300;300,300;300,0/100,100;200,100;200,200;100,200)] + @/code + """ + ModeANotB: ClassVar[int] + r""" + @brief boolean method's mode value for A NOT B operation + """ + ModeAnd: ClassVar[int] + r""" + @brief boolean method's mode value for AND operation + """ + ModeBNotA: ClassVar[int] + r""" + @brief boolean method's mode value for B NOT A operation + """ + ModeOr: ClassVar[int] + r""" + @brief boolean method's mode value for OR operation + """ + ModeXor: ClassVar[int] + r""" + @brief boolean method's mode value for XOR operation + """ @classmethod - def new(cls, m11: float, m12: float, m13: float, m21: float, m22: float, m23: float, m31: float, m32: float, m33: float) -> IMatrix3d: + def mode_and(cls) -> int: r""" - @brief Create a new Matrix3d from the nine matrix coefficients + @brief boolean method's mode value for AND operation """ - @overload @classmethod - def newc(cls, mag: float, rotation: float, mirrx: bool) -> IMatrix3d: + def mode_anotb(cls) -> int: r""" - @brief Create a new Matrix3d representing a isotropic magnification, rotation and mirroring - @param mag The magnification - @param rotation The rotation angle (in degree) - @param mirrx The mirror flag (at x axis) - - The order of execution of the operations is mirror, magnification and rotation. - This constructor is called 'newc' to distinguish it from the constructors taking coefficients ('c' is for composite). + @brief boolean method's mode value for A NOT B operation """ - @overload @classmethod - def newc(cls, shear: float, mx: float, my: float, rotation: float, mirrx: bool) -> IMatrix3d: + def mode_bnota(cls) -> int: r""" - @brief Create a new Matrix3d representing a shear, anisotropic magnification, rotation and mirroring - @param shear The shear angle - @param mx The magnification in x direction - @param mx The magnification in y direction - @param rotation The rotation angle (in degree) - @param mirrx The mirror flag (at x axis) - - The order of execution of the operations is mirror, magnification, rotation and shear. - This constructor is called 'newc' to distinguish it from the constructor taking the four matrix coefficients ('c' is for composite). + @brief boolean method's mode value for B NOT A operation """ - @overload @classmethod - def newc(cls, u: Vector, shear: float, mx: float, my: float, rotation: float, mirrx: bool) -> IMatrix3d: + def mode_or(cls) -> int: r""" - @brief Create a new Matrix3d representing a displacement, shear, anisotropic magnification, rotation and mirroring - @param u The displacement - @param shear The shear angle - @param mx The magnification in x direction - @param mx The magnification in y direction - @param rotation The rotation angle (in degree) - @param mirrx The mirror flag (at x axis) - - The order of execution of the operations is mirror, magnification, rotation, shear and displacement. - This constructor is called 'newc' to distinguish it from the constructor taking the four matrix coefficients ('c' is for composite). - - Starting with version 0.25 the displacement is of vector type. + @brief boolean method's mode value for OR operation """ - @overload @classmethod - def newc(cls, tx: float, ty: float, z: float, u: Vector, shear: float, mx: float, my: float, rotation: float, mirrx: bool) -> IMatrix3d: + def mode_xor(cls) -> int: r""" - @brief Create a new Matrix3d representing a perspective distortion, displacement, shear, anisotropic magnification, rotation and mirroring - @param tx The perspective tilt angle x (around the y axis) - @param ty The perspective tilt angle y (around the x axis) - @param z The observer distance at which the tilt angles are given - @param u The displacement - @param shear The shear angle - @param mx The magnification in x direction - @param mx The magnification in y direction - @param rotation The rotation angle (in degree) - @param mirrx The mirror flag (at x axis) - - The order of execution of the operations is mirror, magnification, rotation, shear, perspective distortion and displacement. - This constructor is called 'newc' to distinguish it from the constructor taking the four matrix coefficients ('c' is for composite). - - The tx and ty parameters represent the perspective distortion. They denote a tilt of the xy plane around the y axis (tx) or the x axis (ty) in degree. The same effect is achieved for different tilt angles for different observer distances. Hence, the observer distance must be given at which the tilt angles are given. If the magnitude of the tilt angle is not important, z can be set to 1. - - Starting with version 0.25 the displacement is of vector type. + @brief boolean method's mode value for XOR operation """ - def __add__(self, m: IMatrix3d) -> IMatrix3d: + @classmethod + def new(cls) -> EdgeProcessor: r""" - @brief Sum of two matrices. - @param m The other matrix. - @return The (element-wise) sum of self+m + @brief Creates a new object of this class """ - def __copy__(self) -> IMatrix3d: + def __copy__(self) -> EdgeProcessor: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> IMatrix3d: + def __deepcopy__(self) -> EdgeProcessor: r""" @brief Creates a copy of self """ - @overload def __init__(self) -> None: r""" - @brief Create a new Matrix3d representing a unit transformation + @brief Creates a new object of this class """ - @overload - def __init__(self, m: float) -> None: + def _create(self) -> None: r""" - @brief Create a new Matrix3d representing a magnification - @param m The magnification + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def __init__(self, t: ICplxTrans) -> None: + def _destroy(self) -> None: r""" - @brief Create a new Matrix3d from the given complex transformation@param t The transformation from which to create the matrix + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def __init__(self, m11: float, m12: float, m21: float, m22: float) -> None: + def _destroyed(self) -> bool: r""" - @brief Create a new Matrix3d from the four coefficients of a Matrix2d + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def __init__(self, m11: float, m12: float, m21: float, m22: float, dx: float, dy: float) -> None: + def _is_const_object(self) -> bool: r""" - @brief Create a new Matrix3d from the four coefficients of a Matrix2d plus a displacement + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def __init__(self, m11: float, m12: float, m13: float, m21: float, m22: float, m23: float, m31: float, m32: float, m33: float) -> None: + def _manage(self) -> None: r""" - @brief Create a new Matrix3d from the nine matrix coefficients + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def __mul__(self, box: Box) -> Box: + def _unmanage(self) -> None: r""" - @brief Transforms a box with this matrix. - @param box The box to transform. - @return The transformed box + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - Please note that the box remains a box, even though the matrix supports shear and rotation. The returned box will be the bounding box of the sheared and rotated rectangle. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def assign(self, other: EdgeProcessor) -> None: + r""" + @brief Assigns another object to self """ @overload - def __mul__(self, e: Edge) -> Edge: + def boolean(self, a: Sequence[Edge], b: Sequence[Edge], mode: int) -> List[Edge]: r""" - @brief Transforms an edge with this matrix. - @param e The edge to transform. - @return The transformed edge + @brief Boolean operation for a set of given edges, creating edges + + This method computes the result for the given boolean operation on two sets of edges. + The input edges must form closed contours where holes and hulls must be oriented differently. + The input edges are processed with a simple non-zero wrap count rule as a whole. + + The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while + holes are oriented counter-clockwise. + + Prior to version 0.21 this method was called 'boolean'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param a The input edges (first operand) + @param b The input edges (second operand) + @param mode The boolean mode (one of the Mode.. values) + @return The output edges """ @overload - def __mul__(self, m: IMatrix3d) -> IMatrix3d: + def boolean(self, a: Sequence[Polygon], b: Sequence[Polygon], mode: int) -> List[Edge]: r""" - @brief Product of two matrices. - @param m The other matrix. - @return The matrix product self*m - """ - @overload - def __mul__(self, p: Point) -> Point: - r""" - @brief Transforms a point with this matrix. - @param p The point to transform. - @return The transformed point - """ - @overload - def __mul__(self, p: Polygon) -> Polygon: - r""" - @brief Transforms a polygon with this matrix. - @param p The polygon to transform. - @return The transformed polygon - """ - @overload - def __mul__(self, p: SimplePolygon) -> SimplePolygon: - r""" - @brief Transforms a simple polygon with this matrix. - @param p The simple polygon to transform. - @return The transformed simple polygon - """ - @overload - def __mul__(self, v: Vector) -> Vector: - r""" - @brief Transforms a vector with this matrix. - @param v The vector to transform. - @return The transformed vector - """ - @overload - def __rmul__(self, box: Box) -> Box: - r""" - @brief Transforms a box with this matrix. - @param box The box to transform. - @return The transformed box + @brief Boolean operation for a set of given polygons, creating edges - Please note that the box remains a box, even though the matrix supports shear and rotation. The returned box will be the bounding box of the sheared and rotated rectangle. + This method computes the result for the given boolean operation on two sets of polygons. + The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while + holes are oriented counter-clockwise. + + This is a convenience method that bundles filling of the edges, processing with + a Boolean operator and puts the result into an output vector. + + Prior to version 0.21 this method was called 'boolean'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param a The input polygons (first operand) + @param b The input polygons (second operand) + @param mode The boolean mode + @return The output edges """ - @overload - def __rmul__(self, e: Edge) -> Edge: + def boolean_e2e(self, a: Sequence[Edge], b: Sequence[Edge], mode: int) -> List[Edge]: r""" - @brief Transforms an edge with this matrix. - @param e The edge to transform. - @return The transformed edge + @brief Boolean operation for a set of given edges, creating edges + + This method computes the result for the given boolean operation on two sets of edges. + The input edges must form closed contours where holes and hulls must be oriented differently. + The input edges are processed with a simple non-zero wrap count rule as a whole. + + The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while + holes are oriented counter-clockwise. + + Prior to version 0.21 this method was called 'boolean'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param a The input edges (first operand) + @param b The input edges (second operand) + @param mode The boolean mode (one of the Mode.. values) + @return The output edges """ - @overload - def __rmul__(self, m: IMatrix3d) -> IMatrix3d: + def boolean_e2p(self, a: Sequence[Edge], b: Sequence[Edge], mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: r""" - @brief Product of two matrices. - @param m The other matrix. - @return The matrix product self*m + @brief Boolean operation for a set of given edges, creating polygons + + This method computes the result for the given boolean operation on two sets of edges. + The input edges must form closed contours where holes and hulls must be oriented differently. + The input edges are processed with a simple non-zero wrap count rule as a whole. + + This method produces polygons on output and allows fine-tuning of the parameters for that purpose. + + Prior to version 0.21 this method was called 'boolean_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param a The input polygons (first operand) + @param b The input polygons (second operand) + @param mode The boolean mode (one of the Mode.. values) + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if touching corners should be resolved into less connected contours + @return The output polygons """ - @overload - def __rmul__(self, p: Point) -> Point: + def boolean_p2e(self, a: Sequence[Polygon], b: Sequence[Polygon], mode: int) -> List[Edge]: r""" - @brief Transforms a point with this matrix. - @param p The point to transform. - @return The transformed point + @brief Boolean operation for a set of given polygons, creating edges + + This method computes the result for the given boolean operation on two sets of polygons. + The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while + holes are oriented counter-clockwise. + + This is a convenience method that bundles filling of the edges, processing with + a Boolean operator and puts the result into an output vector. + + Prior to version 0.21 this method was called 'boolean'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param a The input polygons (first operand) + @param b The input polygons (second operand) + @param mode The boolean mode + @return The output edges """ - @overload - def __rmul__(self, p: Polygon) -> Polygon: + def boolean_p2p(self, a: Sequence[Polygon], b: Sequence[Polygon], mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: r""" - @brief Transforms a polygon with this matrix. - @param p The polygon to transform. - @return The transformed polygon + @brief Boolean operation for a set of given polygons, creating polygons + + This method computes the result for the given boolean operation on two sets of polygons. + This method produces polygons on output and allows fine-tuning of the parameters for that purpose. + + This is a convenience method that bundles filling of the edges, processing with + a Boolean operator and puts the result into an output vector. + + Prior to version 0.21 this method was called 'boolean_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param a The input polygons (first operand) + @param b The input polygons (second operand) + @param mode The boolean mode (one of the Mode.. values) + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if touching corners should be resolved into less connected contours + @return The output polygons """ @overload - def __rmul__(self, p: SimplePolygon) -> SimplePolygon: + def boolean_to_polygon(self, a: Sequence[Edge], b: Sequence[Edge], mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: r""" - @brief Transforms a simple polygon with this matrix. - @param p The simple polygon to transform. - @return The transformed simple polygon + @brief Boolean operation for a set of given edges, creating polygons + + This method computes the result for the given boolean operation on two sets of edges. + The input edges must form closed contours where holes and hulls must be oriented differently. + The input edges are processed with a simple non-zero wrap count rule as a whole. + + This method produces polygons on output and allows fine-tuning of the parameters for that purpose. + + Prior to version 0.21 this method was called 'boolean_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param a The input polygons (first operand) + @param b The input polygons (second operand) + @param mode The boolean mode (one of the Mode.. values) + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if touching corners should be resolved into less connected contours + @return The output polygons """ @overload - def __rmul__(self, v: Vector) -> Vector: - r""" - @brief Transforms a vector with this matrix. - @param v The vector to transform. - @return The transformed vector - """ - def __str__(self) -> str: - r""" - @brief Convert the matrix to a string. - @return The string representing this matrix - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: + def boolean_to_polygon(self, a: Sequence[Polygon], b: Sequence[Polygon], mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Boolean operation for a set of given polygons, creating polygons - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + This method computes the result for the given boolean operation on two sets of polygons. + This method produces polygons on output and allows fine-tuning of the parameters for that purpose. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def angle(self) -> float: - r""" - @brief Returns the rotation angle of the rotation component of this matrix. - @return The angle in degree. - See the description of this class for details about the basic transformations. - """ - def assign(self, other: IMatrix3d) -> None: - r""" - @brief Assigns another object to self - """ - def cplx_trans(self) -> DCplxTrans: - r""" - @brief Converts this matrix to a complex transformation (if possible). - @return The complex transformation. - This method is successful only if the matrix does not contain shear or perspective distortion components and the magnification must be isotropic. + This is a convenience method that bundles filling of the edges, processing with + a Boolean operator and puts the result into an output vector. + + Prior to version 0.21 this method was called 'boolean_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param a The input polygons (first operand) + @param b The input polygons (second operand) + @param mode The boolean mode (one of the Mode.. values) + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if touching corners should be resolved into less connected contours + @return The output polygons """ def create(self) -> None: r""" @@ -18455,21 +18016,25 @@ class IMatrix3d: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def disp(self) -> Vector: + def disable_progress(self) -> None: r""" - @brief Returns the displacement vector of this transformation. + @brief Disable progress reporting + Calling this method will stop the edge processor from showing a progress bar. See \enable_progress. - Starting with version 0.25 this method returns a vector type instead of a point. - @return The displacement vector. + This method has been introduced in version 0.23. """ - def dup(self) -> IMatrix3d: + def dup(self) -> EdgeProcessor: r""" @brief Creates a copy of self """ - def inverted(self) -> IMatrix3d: + def enable_progress(self, label: str) -> None: r""" - @brief The inverse of this matrix. - @return The inverse of this matrix + @brief Enable progress reporting + After calling this method, the edge processor will report the progress through a progress bar. + The label is a text which is put in front of the progress bar. + Using a progress bar will imply a performance penalty of a few percent typically. + + This method has been introduced in version 0.23. """ def is_const_object(self) -> bool: r""" @@ -18477,2514 +18042,2655 @@ class IMatrix3d: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def is_mirror(self) -> bool: - r""" - @brief Returns the mirror flag of this matrix. - @return True if this matrix has a mirror component. - See the description of this class for details about the basic transformations. - """ - def m(self, i: int, j: int) -> float: - r""" - @brief Gets the m coefficient with the given index. - @return The coefficient [i,j] - """ - def mag_x(self) -> float: - r""" - @brief Returns the x magnification of the magnification component of this matrix. - @return The magnification factor. - """ - def mag_y(self) -> float: - r""" - @brief Returns the y magnification of the magnification component of this matrix. - @return The magnification factor. - """ - def shear_angle(self) -> float: - r""" - @brief Returns the magnitude of the shear component of this matrix. - @return The shear angle in degree. - The shear basic transformation will tilt the x axis towards the y axis and vice versa. The shear angle gives the tilt angle of the axes towards the other one. The possible range for this angle is -45 to 45 degree.See the description of this class for details about the basic transformations. - """ - def to_s(self) -> str: - r""" - @brief Convert the matrix to a string. - @return The string representing this matrix - """ - def trans(self, p: Point) -> Point: - r""" - @brief Transforms a point with this matrix. - @param p The point to transform. - @return The transformed point - """ - def tx(self, z: float) -> float: - r""" - @brief Returns the perspective tilt angle tx. - @param z The observer distance at which the tilt angle is computed. - @return The tilt angle tx. - The tx and ty parameters represent the perspective distortion. They denote a tilt of the xy plane around the y axis (tx) or the x axis (ty) in degree. The same effect is achieved for different tilt angles at different observer distances. Hence, the observer distance must be specified at which the tilt angle is computed. If the magnitude of the tilt angle is not important, z can be set to 1. - """ - def ty(self, z: float) -> float: + def merge(self, in_: Sequence[Polygon], min_wc: int) -> List[Edge]: r""" - @brief Returns the perspective tilt angle ty. - @param z The observer distance at which the tilt angle is computed. - @return The tilt angle ty. - The tx and ty parameters represent the perspective distortion. They denote a tilt of the xy plane around the y axis (tx) or the x axis (ty) in degree. The same effect is achieved for different tilt angles at different observer distances. Hence, the observer distance must be specified at which the tilt angle is computed. If the magnitude of the tilt angle is not important, z can be set to 1. - """ - -class Path: - r""" - @brief A path class + @brief Merge the given polygons - A path consists of an sequence of line segments forming the 'spine' of the path and a width. In addition, the starting point can be drawn back by a certain extent (the 'begin extension') and the end point can be pulled forward somewhat (by the 'end extension'). + In contrast to "simple_merge", this merge implementation considers each polygon individually before merging them. + Thus self-overlaps are effectively removed before the output is computed and holes are correctly merged with the + hull. In addition, this method allows selecting areas with a higher wrap count which in turn allows computing overlaps + of polygons on the same layer. Because this method merges the polygons before the overlap is computed, self-overlapping + polygons do not contribute to higher wrap count areas. - A path may have round ends for special purposes. In particular, a round-ended path with a single point can represent a circle. Round-ended paths should have being and end extensions equal to half the width. Non-round-ended paths with a single point are allowed but the definition of the resulting shape in not well defined and may differ in other tools. + The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while + holes are oriented counter-clockwise. - See @The Database API@ for more details about the database objects. - """ - bgn_ext: int - r""" - Getter: - @brief Get the begin extension + Prior to version 0.21 this method was called 'merge'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. - Setter: - @brief Set the begin extension - """ - end_ext: int - r""" - Getter: - @brief Get the end extension + @param in The input polygons + @param min_wc The minimum wrap count for output (0: all polygons, 1: at least two overlapping) + @return The output edges + """ + def merge_p2e(self, in_: Sequence[Polygon], min_wc: int) -> List[Edge]: + r""" + @brief Merge the given polygons - Setter: - @brief Set the end extension - """ - points: int - r""" - Getter: - @brief Get the number of points - Setter: - @brief Set the points of the path - @param p An array of points to assign to the path's spine - """ - round: bool - r""" - Getter: - @brief Returns true, if the path has round ends + In contrast to "simple_merge", this merge implementation considers each polygon individually before merging them. + Thus self-overlaps are effectively removed before the output is computed and holes are correctly merged with the + hull. In addition, this method allows selecting areas with a higher wrap count which in turn allows computing overlaps + of polygons on the same layer. Because this method merges the polygons before the overlap is computed, self-overlapping + polygons do not contribute to higher wrap count areas. - Setter: - @brief Set the 'round ends' flag - A path with round ends show half circles at the ends, instead of square or rectangular ends. Paths with this flag set should use a begin and end extension of half the width (see \bgn_ext and \end_ext). The interpretation of such paths in other tools may differ otherwise. - """ - width: int - r""" - Getter: - @brief Get the width + The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while + holes are oriented counter-clockwise. - Setter: - @brief Set the width - """ - @classmethod - def from_dpath(cls, dpath: DPath) -> Path: - r""" - @brief Creates an integer coordinate path from a floating-point coordinate path + Prior to version 0.21 this method was called 'merge'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpath'. + @param in The input polygons + @param min_wc The minimum wrap count for output (0: all polygons, 1: at least two overlapping) + @return The output edges """ - @classmethod - def from_s(cls, s: str) -> Path: + def merge_p2p(self, in_: Sequence[Polygon], min_wc: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: r""" - @brief Creates an object from a string - Creates the object from a string representation (as returned by \to_s) + @brief Merge the given polygons - This method has been added in version 0.23. - """ - @overload - @classmethod - def new(cls) -> Path: - r""" - @brief Default constructor: creates an empty (invalid) path with width 0 - """ - @overload - @classmethod - def new(cls, dpath: DPath) -> Path: - r""" - @brief Creates an integer coordinate path from a floating-point coordinate path + In contrast to "simple_merge", this merge implementation considers each polygon individually before merging them. + Thus self-overlaps are effectively removed before the output is computed and holes are correctly merged with the + hull. In addition, this method allows selecting areas with a higher wrap count which in turn allows computing overlaps + of polygons on the same layer. Because this method merges the polygons before the overlap is computed, self-overlapping + polygons do not contribute to higher wrap count areas. - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpath'. + This method produces polygons and allows fine-tuning of the parameters for that purpose. + + Prior to version 0.21 this method was called 'merge_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param in The input polygons + @param min_wc The minimum wrap count for output (0: all polygons, 1: at least two overlapping) + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if touching corners should be resolved into less connected contours + @return The output polygons """ - @overload - @classmethod - def new(cls, pts: Sequence[Point], width: int) -> Path: + def merge_to_polygon(self, in_: Sequence[Polygon], min_wc: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: r""" - @brief Constructor given the points of the path's spine and the width + @brief Merge the given polygons + In contrast to "simple_merge", this merge implementation considers each polygon individually before merging them. + Thus self-overlaps are effectively removed before the output is computed and holes are correctly merged with the + hull. In addition, this method allows selecting areas with a higher wrap count which in turn allows computing overlaps + of polygons on the same layer. Because this method merges the polygons before the overlap is computed, self-overlapping + polygons do not contribute to higher wrap count areas. - @param pts The points forming the spine of the path - @param width The width of the path + This method produces polygons and allows fine-tuning of the parameters for that purpose. + + Prior to version 0.21 this method was called 'merge_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param in The input polygons + @param min_wc The minimum wrap count for output (0: all polygons, 1: at least two overlapping) + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if touching corners should be resolved into less connected contours + @return The output polygons """ @overload - @classmethod - def new(cls, pts: Sequence[Point], width: int, bgn_ext: int, end_ext: int) -> Path: + def simple_merge(self, in_: Sequence[Edge]) -> List[Edge]: r""" - @brief Constructor given the points of the path's spine, the width and the extensions + @brief Merge the given edges in a simple "non-zero wrapcount" fashion + The edges provided must form valid closed contours. Contours oriented differently "cancel" each other. + Overlapping contours are merged when the orientation is the same. - @param pts The points forming the spine of the path - @param width The width of the path - @param bgn_ext The begin extension of the path - @param end_ext The end extension of the path + The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while + holes are oriented counter-clockwise. + + This is a convenience method that bundles filling of the edges, processing with + a SimpleMerge operator and puts the result into an output vector. + + Prior to version 0.21 this method was called 'simple_merge'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param in The input edges + @return The output edges """ @overload - @classmethod - def new(cls, pts: Sequence[Point], width: int, bgn_ext: int, end_ext: int, round: bool) -> Path: + def simple_merge(self, in_: Sequence[Edge], mode: int) -> List[Edge]: r""" - @brief Constructor given the points of the path's spine, the width, the extensions and the round end flag + @brief Merge the given polygons and specify the merge mode + The edges provided must form valid closed contours. Contours oriented differently "cancel" each other. + Overlapping contours are merged when the orientation is the same. - @param pts The points forming the spine of the path - @param width The width of the path - @param bgn_ext The begin extension of the path - @param end_ext The end extension of the path - @param round If this flag is true, the path will get rounded ends - """ - @classmethod - def new_pw(cls, pts: Sequence[Point], width: int) -> Path: - r""" - @brief Constructor given the points of the path's spine and the width + The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while + holes are oriented counter-clockwise. + This is a convenience method that bundles filling of the edges, processing with + a SimpleMerge operator and puts the result into an output vector. - @param pts The points forming the spine of the path - @param width The width of the path - """ - @classmethod - def new_pwx(cls, pts: Sequence[Point], width: int, bgn_ext: int, end_ext: int) -> Path: - r""" - @brief Constructor given the points of the path's spine, the width and the extensions + This method has been added in version 0.22. + The mode specifies the rule to use when producing output. A value of 0 specifies the even-odd rule. A positive value specifies the wrap count threshold (positive only). A negative value specifies the threshold of the absolute value of the wrap count (i.e. -1 is non-zero rule). - @param pts The points forming the spine of the path - @param width The width of the path - @param bgn_ext The begin extension of the path - @param end_ext The end extension of the path + @param mode See description + @param in The input edges + @return The output edges """ - @classmethod - def new_pwxr(cls, pts: Sequence[Point], width: int, bgn_ext: int, end_ext: int, round: bool) -> Path: + @overload + def simple_merge(self, in_: Sequence[Polygon]) -> List[Edge]: r""" - @brief Constructor given the points of the path's spine, the width, the extensions and the round end flag + @brief Merge the given polygons in a simple "non-zero wrapcount" fashion + The wrapcount is computed over all polygons, i.e. overlapping polygons may "cancel" if they + have different orientation (since a polygon is oriented by construction that is not easy to achieve). + The other merge operation provided for this purpose is "merge" which normalizes each polygon individually before + merging them. "simple_merge" is somewhat faster and consumes less memory. - @param pts The points forming the spine of the path - @param width The width of the path - @param bgn_ext The begin extension of the path - @param end_ext The end extension of the path - @param round If this flag is true, the path will get rounded ends - """ - def __copy__(self) -> Path: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> Path: - r""" - @brief Creates a copy of self - """ - def __eq__(self, p: object) -> bool: - r""" - @brief Equality test - @param p The object to compare against - """ - def __hash__(self) -> int: - r""" - @brief Computes a hash value - Returns a hash value for the given polygon. This method enables polygons as hash keys. + The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while + holes are oriented counter-clockwise. - This method has been introduced in version 0.25. + This is a convenience method that bundles filling of the edges, processing with + a SimpleMerge operator and puts the result into an output vector. + + Prior to version 0.21 this method was called 'simple_merge'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param in The input polygons + @return The output edges """ @overload - def __init__(self) -> None: + def simple_merge(self, in_: Sequence[Polygon], mode: int) -> List[Edge]: r""" - @brief Default constructor: creates an empty (invalid) path with width 0 + @brief Merge the given polygons and specify the merge mode + + The wrapcount is computed over all polygons, i.e. overlapping polygons may "cancel" if they + have different orientation (since a polygon is oriented by construction that is not easy to achieve). + The other merge operation provided for this purpose is "merge" which normalizes each polygon individually before + merging them. "simple_merge" is somewhat faster and consumes less memory. + + The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while + holes are oriented counter-clockwise. + + This is a convenience method that bundles filling of the edges, processing with + a SimpleMerge operator and puts the result into an output vector. + + This method has been added in version 0.22. + + The mode specifies the rule to use when producing output. A value of 0 specifies the even-odd rule. A positive value specifies the wrap count threshold (positive only). A negative value specifies the threshold of the absolute value of the wrap count (i.e. -1 is non-zero rule). + + @param mode See description + @param in The input polygons + @return The output edges """ @overload - def __init__(self, dpath: DPath) -> None: + def simple_merge_e2e(self, in_: Sequence[Edge]) -> List[Edge]: r""" - @brief Creates an integer coordinate path from a floating-point coordinate path + @brief Merge the given edges in a simple "non-zero wrapcount" fashion - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpath'. + The edges provided must form valid closed contours. Contours oriented differently "cancel" each other. + Overlapping contours are merged when the orientation is the same. + + The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while + holes are oriented counter-clockwise. + + This is a convenience method that bundles filling of the edges, processing with + a SimpleMerge operator and puts the result into an output vector. + + Prior to version 0.21 this method was called 'simple_merge'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param in The input edges + @return The output edges """ @overload - def __init__(self, pts: Sequence[Point], width: int) -> None: + def simple_merge_e2e(self, in_: Sequence[Edge], mode: int) -> List[Edge]: r""" - @brief Constructor given the points of the path's spine and the width + @brief Merge the given polygons and specify the merge mode + The edges provided must form valid closed contours. Contours oriented differently "cancel" each other. + Overlapping contours are merged when the orientation is the same. - @param pts The points forming the spine of the path - @param width The width of the path + The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while + holes are oriented counter-clockwise. + + This is a convenience method that bundles filling of the edges, processing with + a SimpleMerge operator and puts the result into an output vector. + + This method has been added in version 0.22. + + The mode specifies the rule to use when producing output. A value of 0 specifies the even-odd rule. A positive value specifies the wrap count threshold (positive only). A negative value specifies the threshold of the absolute value of the wrap count (i.e. -1 is non-zero rule). + + @param mode See description + @param in The input edges + @return The output edges """ @overload - def __init__(self, pts: Sequence[Point], width: int, bgn_ext: int, end_ext: int) -> None: + def simple_merge_e2p(self, in_: Sequence[Edge], resolve_holes: bool, min_coherence: bool) -> List[Polygon]: r""" - @brief Constructor given the points of the path's spine, the width and the extensions + @brief Merge the given edges in a simple "non-zero wrapcount" fashion into polygons + + The edges provided must form valid closed contours. Contours oriented differently "cancel" each other. + Overlapping contours are merged when the orientation is the same. + This method produces polygons and allows fine-tuning of the parameters for that purpose. - @param pts The points forming the spine of the path - @param width The width of the path - @param bgn_ext The begin extension of the path - @param end_ext The end extension of the path + This is a convenience method that bundles filling of the edges, processing with + a SimpleMerge operator and puts the result into an output vector. + + Prior to version 0.21 this method was called 'simple_merge_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param in The input edges + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if touching corners should be resolved into less connected contours + @return The output polygons """ @overload - def __init__(self, pts: Sequence[Point], width: int, bgn_ext: int, end_ext: int, round: bool) -> None: + def simple_merge_e2p(self, in_: Sequence[Edge], resolve_holes: bool, min_coherence: bool, mode: int) -> List[Polygon]: r""" - @brief Constructor given the points of the path's spine, the width, the extensions and the round end flag + @brief Merge the given polygons and specify the merge mode + The edges provided must form valid closed contours. Contours oriented differently "cancel" each other. + Overlapping contours are merged when the orientation is the same. - @param pts The points forming the spine of the path - @param width The width of the path - @param bgn_ext The begin extension of the path - @param end_ext The end extension of the path - @param round If this flag is true, the path will get rounded ends - """ - def __lt__(self, p: Path) -> bool: - r""" - @brief Less operator - @param p The object to compare against - This operator is provided to establish some, not necessarily a certain sorting order - """ - def __mul__(self, f: float) -> Path: - r""" - @brief Scaling by some factor + This method produces polygons and allows fine-tuning of the parameters for that purpose. + This is a convenience method that bundles filling of the edges, processing with + a SimpleMerge operator and puts the result into an output vector. - Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. - """ - def __ne__(self, p: object) -> bool: - r""" - @brief Inequality test - @param p The object to compare against - """ - def __rmul__(self, f: float) -> Path: - r""" - @brief Scaling by some factor + This method has been added in version 0.22. + The mode specifies the rule to use when producing output. A value of 0 specifies the even-odd rule. A positive value specifies the wrap count threshold (positive only). A negative value specifies the threshold of the absolute value of the wrap count (i.e. -1 is non-zero rule). - Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. - """ - def __str__(self) -> str: - r""" - @brief Convert to a string - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @param mode See description + @param in The input edges + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if touching corners should be resolved into less connected contours + @return The output polygons """ - def _manage(self) -> None: + @overload + def simple_merge_p2e(self, in_: Sequence[Polygon]) -> List[Edge]: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Merge the given polygons in a simple "non-zero wrapcount" fashion - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + The wrapcount is computed over all polygons, i.e. overlapping polygons may "cancel" if they + have different orientation (since a polygon is oriented by construction that is not easy to achieve). + The other merge operation provided for this purpose is "merge" which normalizes each polygon individually before + merging them. "simple_merge" is somewhat faster and consumes less memory. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def area(self) -> int: - r""" - @brief Returns the approximate area of the path - This method returns the approximate value of the area. It is computed from the length times the width. end extensions are taken into account correctly, but not effects of the corner interpolation. - This method was added in version 0.22. - """ - def assign(self, other: Path) -> None: - r""" - @brief Assigns another object to self - """ - def bbox(self) -> Box: - r""" - @brief Returns the bounding box of the path - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def dup(self) -> Path: - r""" - @brief Creates a copy of self - """ - def each_point(self) -> Iterator[Point]: - r""" - @brief Get the points that make up the path's spine - """ - def hash(self) -> int: - r""" - @brief Computes a hash value - Returns a hash value for the given polygon. This method enables polygons as hash keys. + The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while + holes are oriented counter-clockwise. - This method has been introduced in version 0.25. - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def is_round(self) -> bool: - r""" - @brief Returns true, if the path has round ends - """ - def length(self) -> int: - r""" - @brief Returns the length of the path - the length of the path is determined by summing the lengths of the segments and adding begin and end extensions. For round-ended paths the length of the paths between the tips of the ends. + This is a convenience method that bundles filling of the edges, processing with + a SimpleMerge operator and puts the result into an output vector. - This method was added in version 0.23. + Prior to version 0.21 this method was called 'simple_merge'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param in The input polygons + @return The output edges """ @overload - def move(self, p: Vector) -> Path: + def simple_merge_p2e(self, in_: Sequence[Polygon], mode: int) -> List[Edge]: r""" - @brief Moves the path. + @brief Merge the given polygons and specify the merge mode - Moves the path by the given offset and returns the - moved path. The path is overwritten. + The wrapcount is computed over all polygons, i.e. overlapping polygons may "cancel" if they + have different orientation (since a polygon is oriented by construction that is not easy to achieve). + The other merge operation provided for this purpose is "merge" which normalizes each polygon individually before + merging them. "simple_merge" is somewhat faster and consumes less memory. - @param p The distance to move the path. + The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while + holes are oriented counter-clockwise. - @return The moved path. + This is a convenience method that bundles filling of the edges, processing with + a SimpleMerge operator and puts the result into an output vector. + + This method has been added in version 0.22. + + The mode specifies the rule to use when producing output. A value of 0 specifies the even-odd rule. A positive value specifies the wrap count threshold (positive only). A negative value specifies the threshold of the absolute value of the wrap count (i.e. -1 is non-zero rule). + + @param mode See description + @param in The input polygons + @return The output edges """ @overload - def move(self, dx: int, dy: int) -> Path: + def simple_merge_p2p(self, in_: Sequence[Polygon], resolve_holes: bool, min_coherence: bool) -> List[Polygon]: r""" - @brief Moves the path. + @brief Merge the given polygons in a simple "non-zero wrapcount" fashion into polygons - Moves the path by the given offset and returns the - moved path. The path is overwritten. + The wrapcount is computed over all polygons, i.e. overlapping polygons may "cancel" if they + have different orientation (since a polygon is oriented by construction that is not easy to achieve). + The other merge operation provided for this purpose is "merge" which normalizes each polygon individually before + merging them. "simple_merge" is somewhat faster and consumes less memory. - @param dx The x distance to move the path. - @param dy The y distance to move the path. + This method produces polygons and allows fine-tuning of the parameters for that purpose. - @return The moved path. + This is a convenience method that bundles filling of the edges, processing with + a SimpleMerge operator and puts the result into an output vector. - This version has been added in version 0.23. + Prior to version 0.21 this method was called 'simple_merge_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param in The input polygons + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if touching corners should be resolved into less connected contours + @return The output polygons """ @overload - def moved(self, p: Vector) -> Path: + def simple_merge_p2p(self, in_: Sequence[Polygon], resolve_holes: bool, min_coherence: bool, mode: int) -> List[Polygon]: r""" - @brief Returns the moved path (does not change self) + @brief Merge the given polygons and specify the merge mode - Moves the path by the given offset and returns the - moved path. The path is not modified. + The wrapcount is computed over all polygons, i.e. overlapping polygons may "cancel" if they + have different orientation (since a polygon is oriented by construction that is not easy to achieve). + The other merge operation provided for this purpose is "merge" which normalizes each polygon individually before + merging them. "simple_merge" is somewhat faster and consumes less memory. - @param p The distance to move the path. + This method produces polygons and allows fine-tuning of the parameters for that purpose. - @return The moved path. + This is a convenience method that bundles filling of the edges, processing with + a SimpleMerge operator and puts the result into an output vector. + + This method has been added in version 0.22. + + The mode specifies the rule to use when producing output. A value of 0 specifies the even-odd rule. A positive value specifies the wrap count threshold (positive only). A negative value specifies the threshold of the absolute value of the wrap count (i.e. -1 is non-zero rule). + + @param mode See description + @param in The input polygons + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if touching corners should be resolved into less connected contours + @return The output polygons """ @overload - def moved(self, dx: int, dy: int) -> Path: + def simple_merge_to_polygon(self, in_: Sequence[Edge], resolve_holes: bool, min_coherence: bool) -> List[Polygon]: r""" - @brief Returns the moved path (does not change self) + @brief Merge the given edges in a simple "non-zero wrapcount" fashion into polygons - Moves the path by the given offset and returns the - moved path. The path is not modified. + The edges provided must form valid closed contours. Contours oriented differently "cancel" each other. + Overlapping contours are merged when the orientation is the same. - @param dx The x distance to move the path. - @param dy The y distance to move the path. + This method produces polygons and allows fine-tuning of the parameters for that purpose. - @return The moved path. + This is a convenience method that bundles filling of the edges, processing with + a SimpleMerge operator and puts the result into an output vector. - This version has been added in version 0.23. - """ - def num_points(self) -> int: - r""" - @brief Get the number of points - """ - def perimeter(self) -> int: - r""" - @brief Returns the approximate perimeter of the path - This method returns the approximate value of the perimeter. It is computed from the length and the width. end extensions are taken into account correctly, but not effects of the corner interpolation. - This method was added in version 0.24.4. - """ - def polygon(self) -> Polygon: - r""" - @brief Convert the path to a polygon - The returned polygon is not guaranteed to be non-self overlapping. This may happen if the path overlaps itself or contains very short segments. + Prior to version 0.21 this method was called 'simple_merge_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param in The input edges + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if touching corners should be resolved into less connected contours + @return The output polygons """ - def round_corners(self, radius: float, npoints: int) -> Path: + @overload + def simple_merge_to_polygon(self, in_: Sequence[Edge], resolve_holes: bool, min_coherence: bool, mode: int) -> List[Polygon]: r""" - @brief Creates a new path whose corners are interpolated with circular bends + @brief Merge the given polygons and specify the merge mode - @param radius The radius of the bends - @param npoints The number of points (per full circle) used for interpolating the bends + The edges provided must form valid closed contours. Contours oriented differently "cancel" each other. + Overlapping contours are merged when the orientation is the same. - This method has been introduced in version 0.25. - """ - def simple_polygon(self) -> SimplePolygon: - r""" - @brief Convert the path to a simple polygon - The returned polygon is not guaranteed to be non-selfoverlapping. This may happen if the path overlaps itself or contains very short segments. - """ - def to_dtype(self, dbu: Optional[float] = ...) -> DPath: - r""" - @brief Converts the path to a floating-point coordinate path + This method produces polygons and allows fine-tuning of the parameters for that purpose. - The database unit can be specified to translate the integer-coordinate path into a floating-point coordinate path in micron units. The database unit is basically a scaling factor. + This is a convenience method that bundles filling of the edges, processing with + a SimpleMerge operator and puts the result into an output vector. - This method has been introduced in version 0.25. - """ - def to_s(self) -> str: - r""" - @brief Convert to a string + This method has been added in version 0.22. + + The mode specifies the rule to use when producing output. A value of 0 specifies the even-odd rule. A positive value specifies the wrap count threshold (positive only). A negative value specifies the threshold of the absolute value of the wrap count (i.e. -1 is non-zero rule). + + @param mode See description + @param in The input edges + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if touching corners should be resolved into less connected contours + @return The output polygons """ @overload - def transformed(self, t: CplxTrans) -> DPath: + def simple_merge_to_polygon(self, in_: Sequence[Polygon], resolve_holes: bool, min_coherence: bool) -> List[Polygon]: r""" - @brief Transform the path. + @brief Merge the given polygons in a simple "non-zero wrapcount" fashion into polygons - Transforms the path with the given complex transformation. - Does not modify the path but returns the transformed path. + The wrapcount is computed over all polygons, i.e. overlapping polygons may "cancel" if they + have different orientation (since a polygon is oriented by construction that is not easy to achieve). + The other merge operation provided for this purpose is "merge" which normalizes each polygon individually before + merging them. "simple_merge" is somewhat faster and consumes less memory. - @param t The transformation to apply. + This method produces polygons and allows fine-tuning of the parameters for that purpose. - @return The transformed path. + This is a convenience method that bundles filling of the edges, processing with + a SimpleMerge operator and puts the result into an output vector. + + Prior to version 0.21 this method was called 'simple_merge_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param in The input polygons + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if touching corners should be resolved into less connected contours + @return The output polygons """ @overload - def transformed(self, t: ICplxTrans) -> Path: + def simple_merge_to_polygon(self, in_: Sequence[Polygon], resolve_holes: bool, min_coherence: bool, mode: int) -> List[Polygon]: r""" - @brief Transform the path. + @brief Merge the given polygons and specify the merge mode - Transforms the path with the given complex transformation. - Does not modify the path but returns the transformed path. + The wrapcount is computed over all polygons, i.e. overlapping polygons may "cancel" if they + have different orientation (since a polygon is oriented by construction that is not easy to achieve). + The other merge operation provided for this purpose is "merge" which normalizes each polygon individually before + merging them. "simple_merge" is somewhat faster and consumes less memory. - @param t The transformation to apply. + This method produces polygons and allows fine-tuning of the parameters for that purpose. - @return The transformed path (in this case an integer coordinate path). + This is a convenience method that bundles filling of the edges, processing with + a SimpleMerge operator and puts the result into an output vector. - This method has been introduced in version 0.18. + This method has been added in version 0.22. + + The mode specifies the rule to use when producing output. A value of 0 specifies the even-odd rule. A positive value specifies the wrap count threshold (positive only). A negative value specifies the threshold of the absolute value of the wrap count (i.e. -1 is non-zero rule). + + @param mode See description + @param in The input polygons + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if touching corners should be resolved into less connected contours + @return The output polygons """ @overload - def transformed(self, t: Trans) -> Path: + def size(self, in_: Sequence[Polygon], d: int, mode: int) -> List[Edge]: r""" - @brief Transform the path. + @brief Size the given polygons (isotropic) - Transforms the path with the given transformation. - Does not modify the path but returns the transformed path. + This method is equivalent to calling the anisotropic version with identical dx and dy. - @param t The transformation to apply. + Prior to version 0.21 this method was called 'size'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. - @return The transformed path. + @param in The input polygons + @param d The sizing value in x direction + @param mode The sizing mode + @return The output edges """ - def transformed_cplx(self, t: CplxTrans) -> DPath: + @overload + def size(self, in_: Sequence[Polygon], dx: int, dy: int, mode: int) -> List[Edge]: r""" - @brief Transform the path. + @brief Size the given polygons - Transforms the path with the given complex transformation. - Does not modify the path but returns the transformed path. + This method sizes a set of polygons. Before the sizing is applied, the polygons are merged. After that, sizing is applied + on the individual result polygons of the merge step. The result may contain overlapping contours, but no self-overlaps. - @param t The transformation to apply. + dx and dy describe the sizing. A positive value indicates oversize (outwards) while a negative one describes undersize (inwards). + The sizing applied can be chosen differently in x and y direction. In this case, the sign must be identical for both + dx and dy. - @return The transformed path. - """ + The 'mode' parameter describes the corner fill strategy. Mode 0 connects all corner segments directly. Mode 1 is the 'octagon' strategy in which square corners are interpolated with a partial octagon. Mode 2 is the standard mode in which corners are filled by expanding edges unless these edges form a sharp bend with an angle of more than 90 degree. In that case, the corners are cut off. In Mode 3, no cutoff occurs up to a bending angle of 135 degree. Mode 4 and 5 are even more aggressive and allow very sharp bends without cutoff. This strategy may produce long spikes on sharply bending corners. + The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while + holes are oriented counter-clockwise. -class DPath: - r""" - @brief A path class + Prior to version 0.21 this method was called 'size'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. - A path consists of an sequence of line segments forming the 'spine' of the path and a width. In addition, the starting point can be drawn back by a certain extent (the 'begin extension') and the end point can be pulled forward somewhat (by the 'end extension'). + @param in The input polygons + @param dx The sizing value in x direction + @param dy The sizing value in y direction + @param mode The sizing mode (standard is 2) + @return The output edges + """ + @overload + def size_p2e(self, in_: Sequence[Polygon], d: int, mode: int) -> List[Edge]: + r""" + @brief Size the given polygons (isotropic) - A path may have round ends for special purposes. In particular, a round-ended path with a single point can represent a circle. Round-ended paths should have being and end extensions equal to half the width. Non-round-ended paths with a single point are allowed but the definition of the resulting shape in not well defined and may differ in other tools. + This method is equivalent to calling the anisotropic version with identical dx and dy. - See @The Database API@ for more details about the database objects. - """ - bgn_ext: float - r""" - Getter: - @brief Get the begin extension + Prior to version 0.21 this method was called 'size'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. - Setter: - @brief Set the begin extension + @param in The input polygons + @param d The sizing value in x direction + @param mode The sizing mode + @return The output edges + """ + @overload + def size_p2e(self, in_: Sequence[Polygon], dx: int, dy: int, mode: int) -> List[Edge]: + r""" + @brief Size the given polygons + + This method sizes a set of polygons. Before the sizing is applied, the polygons are merged. After that, sizing is applied + on the individual result polygons of the merge step. The result may contain overlapping contours, but no self-overlaps. + + dx and dy describe the sizing. A positive value indicates oversize (outwards) while a negative one describes undersize (inwards). + The sizing applied can be chosen differently in x and y direction. In this case, the sign must be identical for both + dx and dy. + + The 'mode' parameter describes the corner fill strategy. Mode 0 connects all corner segments directly. Mode 1 is the 'octagon' strategy in which square corners are interpolated with a partial octagon. Mode 2 is the standard mode in which corners are filled by expanding edges unless these edges form a sharp bend with an angle of more than 90 degree. In that case, the corners are cut off. In Mode 3, no cutoff occurs up to a bending angle of 135 degree. Mode 4 and 5 are even more aggressive and allow very sharp bends without cutoff. This strategy may produce long spikes on sharply bending corners. + The result is presented as a set of edges forming closed contours. Hulls are oriented clockwise while + holes are oriented counter-clockwise. + + Prior to version 0.21 this method was called 'size'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param in The input polygons + @param dx The sizing value in x direction + @param dy The sizing value in y direction + @param mode The sizing mode (standard is 2) + @return The output edges + """ + @overload + def size_p2p(self, in_: Sequence[Polygon], d: int, mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + r""" + @brief Size the given polygons into polygons (isotropic) + + This method is equivalent to calling the anisotropic version with identical dx and dy. + + Prior to version 0.21 this method was called 'size_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param in The input polygons + @param d The sizing value in x direction + @param mode The sizing mode + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if touching corners should be resolved into less connected contours + @return The output polygons + """ + @overload + def size_p2p(self, in_: Sequence[Polygon], dx: int, dy: int, mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + r""" + @brief Size the given polygons into polygons + + This method sizes a set of polygons. Before the sizing is applied, the polygons are merged. After that, sizing is applied + on the individual result polygons of the merge step. The result may contain overlapping polygons, but no self-overlapping ones. + Polygon overlap occurs if the polygons are close enough, so a positive sizing makes polygons overlap. + + dx and dy describe the sizing. A positive value indicates oversize (outwards) while a negative one describes undersize (inwards). + The sizing applied can be chosen differently in x and y direction. In this case, the sign must be identical for both + dx and dy. + + The 'mode' parameter describes the corner fill strategy. Mode 0 connects all corner segments directly. Mode 1 is the 'octagon' strategy in which square corners are interpolated with a partial octagon. Mode 2 is the standard mode in which corners are filled by expanding edges unless these edges form a sharp bend with an angle of more than 90 degree. In that case, the corners are cut off. In Mode 3, no cutoff occurs up to a bending angle of 135 degree. Mode 4 and 5 are even more aggressive and allow very sharp bends without cutoff. This strategy may produce long spikes on sharply bending corners. + This method produces polygons and allows fine-tuning of the parameters for that purpose. + + Prior to version 0.21 this method was called 'size_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param in The input polygons + @param dx The sizing value in x direction + @param dy The sizing value in y direction + @param mode The sizing mode (standard is 2) + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if touching corners should be resolved into less connected contours + @return The output polygons + """ + @overload + def size_to_polygon(self, in_: Sequence[Polygon], d: int, mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + r""" + @brief Size the given polygons into polygons (isotropic) + + This method is equivalent to calling the anisotropic version with identical dx and dy. + + Prior to version 0.21 this method was called 'size_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param in The input polygons + @param d The sizing value in x direction + @param mode The sizing mode + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if touching corners should be resolved into less connected contours + @return The output polygons + """ + @overload + def size_to_polygon(self, in_: Sequence[Polygon], dx: int, dy: int, mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + r""" + @brief Size the given polygons into polygons + + This method sizes a set of polygons. Before the sizing is applied, the polygons are merged. After that, sizing is applied + on the individual result polygons of the merge step. The result may contain overlapping polygons, but no self-overlapping ones. + Polygon overlap occurs if the polygons are close enough, so a positive sizing makes polygons overlap. + + dx and dy describe the sizing. A positive value indicates oversize (outwards) while a negative one describes undersize (inwards). + The sizing applied can be chosen differently in x and y direction. In this case, the sign must be identical for both + dx and dy. + + The 'mode' parameter describes the corner fill strategy. Mode 0 connects all corner segments directly. Mode 1 is the 'octagon' strategy in which square corners are interpolated with a partial octagon. Mode 2 is the standard mode in which corners are filled by expanding edges unless these edges form a sharp bend with an angle of more than 90 degree. In that case, the corners are cut off. In Mode 3, no cutoff occurs up to a bending angle of 135 degree. Mode 4 and 5 are even more aggressive and allow very sharp bends without cutoff. This strategy may produce long spikes on sharply bending corners. + This method produces polygons and allows fine-tuning of the parameters for that purpose. + + Prior to version 0.21 this method was called 'size_to_polygon'. Is was renamed to avoid ambiguities for empty input arrays. The old version is still available but deprecated. + + @param in The input polygons + @param dx The sizing value in x direction + @param dy The sizing value in y direction + @param mode The sizing mode (standard is 2) + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if touching corners should be resolved into less connected contours + @return The output polygons + """ + +class Edges(ShapeCollection): + r""" + @brief A collection of edges (Not necessarily describing closed contours) + + + This class was introduced to simplify operations on edges sets. See \Edge for a description of the individual edge object. The edge collection contains an arbitrary number of edges and supports operations to select edges by various criteria, produce polygons from the edges by applying an extension, filtering edges against other edges collections and checking geometrical relations to other edges (DRC functionality). + + The edge collection is supposed to work closely with the \Region polygon set. Both are related, although the edge collection has a lower rank since it potentially represents a disconnected collection of edges. Edge collections may form closed contours, for example immediately after they have been derived from a polygon set using \Region#edges. But this state is volatile and can easily be destroyed by filtering edges. Hence the connected state does not play an important role in the edge collection's API. + + Edge collections may also contain points (degenerated edges with identical start and end points). Such point-like objects participate in some although not all methods of the edge collection class. + Edge collections can be used in two different flavors: in raw mode or merged semantics. With merged semantics (the default), connected edges are considered to belong together and are effectively merged. + Overlapping parts are counted once in that mode. Dot-like edges are not considered in merged semantics. + In raw mode (without merged semantics), each edge is considered as it is. Overlaps between edges + may exists and merging has to be done explicitly using the \merge method. The semantics can be + selected using \merged_semantics=. + + + This class has been introduced in version 0.23. """ - end_ext: float + class EdgeType: + r""" + @brief This enum specifies the the edge type for edge angle filters. + + This enum was introduced in version 0.28. + """ + DiagonalEdges: ClassVar[Edges.EdgeType] + r""" + @brief Diagonal edges are selected (-45 and 45 degree) + """ + OrthoDiagonalEdges: ClassVar[Edges.EdgeType] + r""" + @brief Diagonal or orthogonal edges are selected (0, 90, -45 and 45 degree) + """ + OrthoEdges: ClassVar[Edges.EdgeType] + r""" + @brief Horizontal and vertical edges are selected + """ + @overload + @classmethod + def new(cls, i: int) -> Edges.EdgeType: + r""" + @brief Creates an enum from an integer value + """ + @overload + @classmethod + def new(cls, s: str) -> Edges.EdgeType: + r""" + @brief Creates an enum from a string value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares two enums + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer value + """ + @overload + def __init__(self, i: int) -> None: + r""" + @brief Creates an enum from an integer value + """ + @overload + def __init__(self, s: str) -> None: + r""" + @brief Creates an enum from a string value + """ + @overload + def __lt__(self, other: Edges.EdgeType) -> bool: + r""" + @brief Returns true if the first enum is less (in the enum symbol order) than the second + """ + @overload + def __lt__(self, other: int) -> bool: + r""" + @brief Returns true if the enum is less (in the enum symbol order) than the integer value + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares two enums for inequality + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer for inequality + """ + def __repr__(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + def inspect(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def to_i(self) -> int: + r""" + @brief Gets the integer value from the enum + """ + def to_s(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + DiagonalEdges: ClassVar[Edges.EdgeType] r""" - Getter: - @brief Get the end extension + @brief Diagonal edges are selected (-45 and 45 degree) + """ + DifferentPropertiesConstraint: ClassVar[PropertyConstraint] + r""" + @brief Specifies to consider shapes only if their user properties are different + When using this constraint - for example on a boolean operation - shapes are considered only if their user properties are different. Properties are generated on the output shapes where applicable. + """ + DifferentPropertiesConstraintDrop: ClassVar[PropertyConstraint] + r""" + @brief Specifies to consider shapes only if their user properties are different + When using this constraint - for example on a boolean operation - shapes are considered only if their user properties are the same. No properties are generated on the output shapes. + """ + Euclidian: ClassVar[Metrics] + r""" + @brief Specifies Euclidian metrics for the check functions + This value can be used for the metrics parameter in the check functions, i.e. \width_check. This value specifies Euclidian metrics, i.e. the distance between two points is measured by: - Setter: - @brief Set the end extension + @code + d = sqrt(dx^2 + dy^2) + @/code + + All points within a circle with radius d around one point are considered to have a smaller distance than d. """ - points: int + IgnoreProperties: ClassVar[PropertyConstraint] r""" - Getter: - @brief Get the number of points - Setter: - @brief Set the points of the path - @param p An array of points to assign to the path's spine + @brief Specifies to ignore properties + When using this constraint - for example on a boolean operation - properties are ignored and are not generated in the output. """ - round: bool + NoPropertyConstraint: ClassVar[PropertyConstraint] r""" - Getter: - @brief Returns true, if the path has round ends + @brief Specifies not to apply any property constraint + When using this constraint - for example on a boolean operation - shapes are considered regardless of their user properties. Properties are generated on the output shapes where applicable. + """ + OrthoDiagonalEdges: ClassVar[Edges.EdgeType] + r""" + @brief Diagonal or orthogonal edges are selected (0, 90, -45 and 45 degree) + """ + OrthoEdges: ClassVar[Edges.EdgeType] + r""" + @brief Horizontal and vertical edges are selected + """ + Projection: ClassVar[Metrics] + r""" + @brief Specifies projected distance metrics for the check functions + This value can be used for the metrics parameter in the check functions, i.e. \width_check. This value specifies projected metrics, i.e. the distance is defined as the minimum distance measured perpendicular to one edge. That implies that the distance is defined only where two edges have a non-vanishing projection onto each other. + """ + SamePropertiesConstraint: ClassVar[PropertyConstraint] + r""" + @brief Specifies to consider shapes only if their user properties are the same + When using this constraint - for example on a boolean operation - shapes are considered only if their user properties are the same. Properties are generated on the output shapes where applicable. + """ + SamePropertiesConstraintDrop: ClassVar[PropertyConstraint] + r""" + @brief Specifies to consider shapes only if their user properties are the same + When using this constraint - for example on a boolean operation - shapes are considered only if their user properties are the same. No properties are generated on the output shapes. + """ + Square: ClassVar[Metrics] + r""" + @brief Specifies square metrics for the check functions + This value can be used for the metrics parameter in the check functions, i.e. \width_check. This value specifies square metrics, i.e. the distance between two points is measured by: - Setter: - @brief Set the 'round ends' flag - A path with round ends show half circles at the ends, instead of square or rectangular ends. Paths with this flag set should use a begin and end extension of half the width (see \bgn_ext and \end_ext). The interpretation of such paths in other tools may differ otherwise. + @code + d = max(abs(dx), abs(dy)) + @/code + + All points within a square with length 2*d around one point are considered to have a smaller distance than d in this metrics. """ - width: float + merged_semantics: bool r""" Getter: - @brief Get the width + @brief Gets a flag indicating whether merged semantics is enabled + See \merged_semantics= for a description of this attribute. Setter: - @brief Set the width + @brief Enable or disable merged semantics + If merged semantics is enabled (the default), colinear, connected or overlapping edges will be considered + as single edges. """ + @overload @classmethod - def from_ipath(cls, path: Path) -> DPath: + def new(cls) -> Edges: r""" - @brief Creates a floating-point coordinate path from an integer coordinate path + @brief Default constructor - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipath'. + This constructor creates an empty edge collection. """ + @overload @classmethod - def from_s(cls, s: str) -> DPath: + def new(cls, array: Sequence[Edge]) -> Edges: r""" - @brief Creates an object from a string - Creates the object from a string representation (as returned by \to_s) + @brief Constructor from an edge array - This method has been added in version 0.23. + This constructor creates an edge collection from an array of edges. """ @overload @classmethod - def new(cls) -> DPath: + def new(cls, array: Sequence[Polygon]) -> Edges: r""" - @brief Default constructor: creates an empty (invalid) path with width 0 + @brief Constructor from a polygon array + + This constructor creates an edge collection from an array of polygons. + The edges form the contours of the polygons. """ @overload @classmethod - def new(cls, path: Path) -> DPath: + def new(cls, box: Box) -> Edges: r""" - @brief Creates a floating-point coordinate path from an integer coordinate path + @brief Box constructor - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipath'. + This constructor creates an edge collection from a box. + The edges form the contour of the box. """ @overload @classmethod - def new(cls, pts: Sequence[DPoint], width: float) -> DPath: + def new(cls, edge: Edge) -> Edges: r""" - @brief Constructor given the points of the path's spine and the width - + @brief Constructor from a single edge - @param pts The points forming the spine of the path - @param width The width of the path + This constructor creates an edge collection with a single edge. """ @overload @classmethod - def new(cls, pts: Sequence[DPoint], width: float, bgn_ext: float, end_ext: float) -> DPath: + def new(cls, path: Path) -> Edges: r""" - @brief Constructor given the points of the path's spine, the width and the extensions - + @brief Path constructor - @param pts The points forming the spine of the path - @param width The width of the path - @param bgn_ext The begin extension of the path - @param end_ext The end extension of the path + This constructor creates an edge collection from a path. + The edges form the contour of the path. """ @overload @classmethod - def new(cls, pts: Sequence[DPoint], width: float, bgn_ext: float, end_ext: float, round: bool) -> DPath: + def new(cls, polygon: Polygon) -> Edges: r""" - @brief Constructor given the points of the path's spine, the width, the extensions and the round end flag - + @brief Polygon constructor - @param pts The points forming the spine of the path - @param width The width of the path - @param bgn_ext The begin extension of the path - @param end_ext The end extension of the path - @param round If this flag is true, the path will get rounded ends + This constructor creates an edge collection from a polygon. + The edges form the contour of the polygon. """ + @overload @classmethod - def new_pw(cls, pts: Sequence[DPoint], width: float) -> DPath: + def new(cls, polygon: SimplePolygon) -> Edges: r""" - @brief Constructor given the points of the path's spine and the width - + @brief Simple polygon constructor - @param pts The points forming the spine of the path - @param width The width of the path + This constructor creates an edge collection from a simple polygon. + The edges form the contour of the polygon. """ + @overload @classmethod - def new_pwx(cls, pts: Sequence[DPoint], width: float, bgn_ext: float, end_ext: float) -> DPath: + def new(cls, shape_iterator: RecursiveShapeIterator, as_edges: Optional[bool] = ...) -> Edges: r""" - @brief Constructor given the points of the path's spine, the width and the extensions + @brief Constructor of a flat edge collection from a hierarchical shape set + This constructor creates an edge collection from the shapes delivered by the given recursive shape iterator. + It feeds the shapes from a hierarchy of cells into a flat edge set. - @param pts The points forming the spine of the path - @param width The width of the path - @param bgn_ext The begin extension of the path - @param end_ext The end extension of the path + Text objects are not inserted, because they cannot be converted to edges. + Edge objects are inserted as such. If "as_edges" is true, "solid" objects (boxes, polygons, paths) are converted to edges which form the hull of these objects. If "as_edges" is false, solid objects are ignored. + + @code + layout = ... # a layout + cell = ... # the index of the initial cell + layer = ... # the index of the layer from where to take the shapes from + r = RBA::Edges::new(layout.begin_shapes(cell, layer), false) + @/code """ + @overload @classmethod - def new_pwxr(cls, pts: Sequence[DPoint], width: float, bgn_ext: float, end_ext: float, round: bool) -> DPath: + def new(cls, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, as_edges: Optional[bool] = ...) -> Edges: r""" - @brief Constructor given the points of the path's spine, the width, the extensions and the round end flag + @brief Constructor of a hierarchical edge collection + This constructor creates an edge collection from the shapes delivered by the given recursive shape iterator. + It feeds the shapes from a hierarchy of cells into the hierarchical edge set. + The edges remain within their original hierarchy unless other operations require the edges to be moved in the hierarchy. - @param pts The points forming the spine of the path - @param width The width of the path - @param bgn_ext The begin extension of the path - @param end_ext The end extension of the path - @param round If this flag is true, the path will get rounded ends - """ - def __copy__(self) -> DPath: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> DPath: - r""" - @brief Creates a copy of self - """ - def __eq__(self, p: object) -> bool: - r""" - @brief Equality test - @param p The object to compare against - """ - def __hash__(self) -> int: - r""" - @brief Computes a hash value - Returns a hash value for the given polygon. This method enables polygons as hash keys. + Text objects are not inserted, because they cannot be converted to edges. + Edge objects are inserted as such. If "as_edges" is true, "solid" objects (boxes, polygons, paths) are converted to edges which form the hull of these objects. If "as_edges" is false, solid objects are ignored. - This method has been introduced in version 0.25. + @code + dss = RBA::DeepShapeStore::new + layout = ... # a layout + cell = ... # the index of the initial cell + layer = ... # the index of the layer from where to take the shapes from + r = RBA::Edges::new(layout.begin_shapes(cell, layer), dss, false) + @/code """ @overload - def __init__(self) -> None: + @classmethod + def new(cls, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, expr: str, as_pattern: Optional[bool] = ...) -> Edges: r""" - @brief Default constructor: creates an empty (invalid) path with width 0 + @brief Constructor from a text set + + @param shape_iterator The iterator from which to derive the texts + @param dss The \DeepShapeStore object that acts as a heap for hierarchical operations. + @param expr The selection string + @param as_pattern If true, the selection string is treated as a glob pattern. Otherwise the match is exact. + + This special constructor will create a deep edge set from the text objects delivered by the shape iterator. Each text object will give a degenerated edge (a dot) that represents the text origin. + Texts can be selected by their strings - either through a glob pattern or by exact comparison with the given string. The following options are available: + + @code + region = RBA::Region::new(iter, dss, "*") # all texts + region = RBA::Region::new(iter, dss, "A*") # all texts starting with an 'A' + region = RBA::Region::new(iter, dss, "A*", false) # all texts exactly matching 'A*' + @/code + + This method has been introduced in version 0.26. """ @overload - def __init__(self, path: Path) -> None: + @classmethod + def new(cls, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, trans: ICplxTrans, as_edges: Optional[bool] = ...) -> Edges: r""" - @brief Creates a floating-point coordinate path from an integer coordinate path + @brief Constructor of a hierarchical edge collection with a transformation - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipath'. + This constructor creates an edge collection from the shapes delivered by the given recursive shape iterator. + It feeds the shapes from a hierarchy of cells into the hierarchical edge set. + The edges remain within their original hierarchy unless other operations require the edges to be moved in the hierarchy. + The transformation is useful to scale to a specific database unit for example. + + Text objects are not inserted, because they cannot be converted to edges. + Edge objects are inserted as such. If "as_edges" is true, "solid" objects (boxes, polygons, paths) are converted to edges which form the hull of these objects. If "as_edges" is false, solid objects are ignored. + + @code + dss = RBA::DeepShapeStore::new + layout = ... # a layout + cell = ... # the index of the initial cell + layer = ... # the index of the layer from where to take the shapes from + dbu = 0.1 # the target database unit + r = RBA::Edges::new(layout.begin_shapes(cell, layer), dss, RBA::ICplxTrans::new(layout.dbu / dbu), false) + @/code """ @overload - def __init__(self, pts: Sequence[DPoint], width: float) -> None: + @classmethod + def new(cls, shape_iterator: RecursiveShapeIterator, expr: str, as_pattern: Optional[bool] = ...) -> Edges: r""" - @brief Constructor given the points of the path's spine and the width + @brief Constructor from a text set + @param shape_iterator The iterator from which to derive the texts + @param expr The selection string + @param as_pattern If true, the selection string is treated as a glob pattern. Otherwise the match is exact. - @param pts The points forming the spine of the path - @param width The width of the path + This special constructor will create dot-like edges from the text objects delivered by the shape iterator. Each text object will give a degenerated edge (a dot) that represents the text origin. + Texts can be selected by their strings - either through a glob pattern or by exact comparison with the given string. The following options are available: + + @code + dots = RBA::Edges::new(iter, "*") # all texts + dots = RBA::Edges::new(iter, "A*") # all texts starting with an 'A' + dots = RBA::Edges::new(iter, "A*", false) # all texts exactly matching 'A*' + @/code + + This method has been introduced in version 0.26. """ @overload - def __init__(self, pts: Sequence[DPoint], width: float, bgn_ext: float, end_ext: float) -> None: + @classmethod + def new(cls, shape_iterator: RecursiveShapeIterator, trans: ICplxTrans, as_edges: Optional[bool] = ...) -> Edges: r""" - @brief Constructor given the points of the path's spine, the width and the extensions + @brief Constructor of a flat edge collection from a hierarchical shape set with a transformation + This constructor creates an edge collection from the shapes delivered by the given recursive shape iterator. + It feeds the shapes from a hierarchy of cells into a flat edge set. + The transformation is useful to scale to a specific database unit for example. - @param pts The points forming the spine of the path - @param width The width of the path - @param bgn_ext The begin extension of the path - @param end_ext The end extension of the path + Text objects are not inserted, because they cannot be converted to edges. + Edge objects are inserted as such. If "as_edges" is true, "solid" objects (boxes, polygons, paths) are converted to edges which form the hull of these objects. If "as_edges" is false, solid objects are ignored. + + @code + layout = ... # a layout + cell = ... # the index of the initial cell + layer = ... # the index of the layer from where to take the shapes from + dbu = 0.1 # the target database unit + r = RBA::Edges::new(layout.begin_shapes(cell, layer), RBA::ICplxTrans::new(layout.dbu / dbu)) + @/code """ @overload - def __init__(self, pts: Sequence[DPoint], width: float, bgn_ext: float, end_ext: float, round: bool) -> None: + @classmethod + def new(cls, shapes: Shapes, as_edges: Optional[bool] = ...) -> Edges: r""" - @brief Constructor given the points of the path's spine, the width, the extensions and the round end flag + @brief Constructor of a flat edge collection from a \Shapes container + If 'as_edges' is true, the shapes from the container will be converted to edges (i.e. polygon contours to edges). Otherwise, only edges will be taken from the container. - @param pts The points forming the spine of the path - @param width The width of the path - @param bgn_ext The begin extension of the path - @param end_ext The end extension of the path - @param round If this flag is true, the path will get rounded ends - """ - def __lt__(self, p: DPath) -> bool: - r""" - @brief Less operator - @param p The object to compare against - This operator is provided to establish some, not necessarily a certain sorting order + This method has been introduced in version 0.26. """ - def __mul__(self, f: float) -> DPath: + def __add__(self, other: Edges) -> Edges: r""" - @brief Scaling by some factor + @brief Returns the combined edge set of self and the other one + @return The resulting edge set - Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. - """ - def __ne__(self, p: object) -> bool: - r""" - @brief Inequality test - @param p The object to compare against + This operator adds the edges of the other edge set to self and returns a new combined edge set. This usually creates unmerged edge sets and edges may overlap. Use \merge if you want to ensure the result edge set is merged. """ - def __rmul__(self, f: float) -> DPath: + @overload + def __and__(self, other: Edges) -> Edges: r""" - @brief Scaling by some factor + @brief Returns the boolean AND between self and the other edge collection + @return The result of the boolean AND operation - Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. - """ - def __str__(self) -> str: - r""" - @brief Convert to a string - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + The boolean AND operation will return all parts of the edges in this collection which are coincident with parts of the edges in the other collection.The result will be a merged edge collection. """ - def _destroy(self) -> None: + @overload + def __and__(self, other: Region) -> Edges: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Returns the parts of the edges inside the given region + + @return The edges inside the given region + + This operation returns the parts of the edges which are inside the given region. + Edges on the borders of the polygons are included in the edge set. + As a side effect, the edges are made non-intersecting by introducing cut points where + edges intersect. + + This method has been introduced in version 0.24. """ - def _destroyed(self) -> bool: + def __copy__(self) -> Edges: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Creates a copy of self """ - def _is_const_object(self) -> bool: + def __deepcopy__(self) -> Edges: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Creates a copy of self """ - def _manage(self) -> None: + def __getitem__(self, n: int) -> Edge: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Returns the nth edge of the collection - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + This method returns nil if the index is out of range. It is available for flat edge collections only - i.e. those for which \has_valid_edges? is true. Use \flatten to explicitly flatten an edge collection. + This method returns the raw edge (not merged edges, even if merged semantics is enabled). - Usually it's not required to call this method. It has been introduced in version 0.24. + The \each iterator is the more general approach to access the edges. """ - def area(self) -> float: + def __iadd__(self, other: Edges) -> Edges: r""" - @brief Returns the approximate area of the path - This method returns the approximate value of the area. It is computed from the length times the width. end extensions are taken into account correctly, but not effects of the corner interpolation. - This method was added in version 0.22. + @brief Adds the edges of the other edge collection to self + + @return The edge set after modification (self) + + This operator adds the edges of the other edge set to self. This usually creates unmerged edge sets and edges may overlap. Use \merge if you want to ensure the result edge set is merged. """ - def assign(self, other: DPath) -> None: + @overload + def __iand__(self, other: Edges) -> Edges: r""" - @brief Assigns another object to self + @brief Performs the boolean AND between self and the other edge collection + + @return The edge collection after modification (self) + + The boolean AND operation will return all parts of the edges in this collection which are coincident with parts of the edges in the other collection.The result will be a merged edge collection. """ - def bbox(self) -> DBox: + @overload + def __iand__(self, other: Region) -> Edges: r""" - @brief Returns the bounding box of the path + @brief Selects the parts of the edges inside the given region + + @return The edge collection after modification (self) + + This operation selects the parts of the edges which are inside the given region. + Edges on the borders of the polygons are included in the edge set. + As a side effect, the edges are made non-intersecting by introducing cut points where + edges intersect. + + This method has been introduced in version 0.24. """ - def create(self) -> None: + @overload + def __init__(self) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Default constructor + + This constructor creates an empty edge collection. """ - def destroy(self) -> None: + @overload + def __init__(self, array: Sequence[Edge]) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Constructor from an edge array + + This constructor creates an edge collection from an array of edges. """ - def destroyed(self) -> bool: + @overload + def __init__(self, array: Sequence[Polygon]) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Constructor from a polygon array + + This constructor creates an edge collection from an array of polygons. + The edges form the contours of the polygons. """ - def dup(self) -> DPath: + @overload + def __init__(self, box: Box) -> None: r""" - @brief Creates a copy of self + @brief Box constructor + + This constructor creates an edge collection from a box. + The edges form the contour of the box. """ - def each_point(self) -> Iterator[DPoint]: + @overload + def __init__(self, edge: Edge) -> None: r""" - @brief Get the points that make up the path's spine + @brief Constructor from a single edge + + This constructor creates an edge collection with a single edge. """ - def hash(self) -> int: + @overload + def __init__(self, path: Path) -> None: r""" - @brief Computes a hash value - Returns a hash value for the given polygon. This method enables polygons as hash keys. + @brief Path constructor - This method has been introduced in version 0.25. + This constructor creates an edge collection from a path. + The edges form the contour of the path. """ - def is_const_object(self) -> bool: + @overload + def __init__(self, polygon: Polygon) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Polygon constructor + + This constructor creates an edge collection from a polygon. + The edges form the contour of the polygon. """ - def is_round(self) -> bool: + @overload + def __init__(self, polygon: SimplePolygon) -> None: r""" - @brief Returns true, if the path has round ends + @brief Simple polygon constructor + + This constructor creates an edge collection from a simple polygon. + The edges form the contour of the polygon. """ - def length(self) -> float: + @overload + def __init__(self, shape_iterator: RecursiveShapeIterator, as_edges: Optional[bool] = ...) -> None: r""" - @brief Returns the length of the path - the length of the path is determined by summing the lengths of the segments and adding begin and end extensions. For round-ended paths the length of the paths between the tips of the ends. + @brief Constructor of a flat edge collection from a hierarchical shape set - This method was added in version 0.23. + This constructor creates an edge collection from the shapes delivered by the given recursive shape iterator. + It feeds the shapes from a hierarchy of cells into a flat edge set. + + Text objects are not inserted, because they cannot be converted to edges. + Edge objects are inserted as such. If "as_edges" is true, "solid" objects (boxes, polygons, paths) are converted to edges which form the hull of these objects. If "as_edges" is false, solid objects are ignored. + + @code + layout = ... # a layout + cell = ... # the index of the initial cell + layer = ... # the index of the layer from where to take the shapes from + r = RBA::Edges::new(layout.begin_shapes(cell, layer), false) + @/code """ @overload - def move(self, p: DVector) -> DPath: + def __init__(self, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, as_edges: Optional[bool] = ...) -> None: r""" - @brief Moves the path. + @brief Constructor of a hierarchical edge collection - Moves the path by the given offset and returns the - moved path. The path is overwritten. + This constructor creates an edge collection from the shapes delivered by the given recursive shape iterator. + It feeds the shapes from a hierarchy of cells into the hierarchical edge set. + The edges remain within their original hierarchy unless other operations require the edges to be moved in the hierarchy. - @param p The distance to move the path. + Text objects are not inserted, because they cannot be converted to edges. + Edge objects are inserted as such. If "as_edges" is true, "solid" objects (boxes, polygons, paths) are converted to edges which form the hull of these objects. If "as_edges" is false, solid objects are ignored. - @return The moved path. + @code + dss = RBA::DeepShapeStore::new + layout = ... # a layout + cell = ... # the index of the initial cell + layer = ... # the index of the layer from where to take the shapes from + r = RBA::Edges::new(layout.begin_shapes(cell, layer), dss, false) + @/code """ @overload - def move(self, dx: float, dy: float) -> DPath: + def __init__(self, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, expr: str, as_pattern: Optional[bool] = ...) -> None: r""" - @brief Moves the path. + @brief Constructor from a text set - Moves the path by the given offset and returns the - moved path. The path is overwritten. + @param shape_iterator The iterator from which to derive the texts + @param dss The \DeepShapeStore object that acts as a heap for hierarchical operations. + @param expr The selection string + @param as_pattern If true, the selection string is treated as a glob pattern. Otherwise the match is exact. - @param dx The x distance to move the path. - @param dy The y distance to move the path. + This special constructor will create a deep edge set from the text objects delivered by the shape iterator. Each text object will give a degenerated edge (a dot) that represents the text origin. + Texts can be selected by their strings - either through a glob pattern or by exact comparison with the given string. The following options are available: - @return The moved path. + @code + region = RBA::Region::new(iter, dss, "*") # all texts + region = RBA::Region::new(iter, dss, "A*") # all texts starting with an 'A' + region = RBA::Region::new(iter, dss, "A*", false) # all texts exactly matching 'A*' + @/code - This version has been added in version 0.23. + This method has been introduced in version 0.26. """ @overload - def moved(self, p: DVector) -> DPath: + def __init__(self, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, trans: ICplxTrans, as_edges: Optional[bool] = ...) -> None: r""" - @brief Returns the moved path (does not change self) + @brief Constructor of a hierarchical edge collection with a transformation - Moves the path by the given offset and returns the - moved path. The path is not modified. + This constructor creates an edge collection from the shapes delivered by the given recursive shape iterator. + It feeds the shapes from a hierarchy of cells into the hierarchical edge set. + The edges remain within their original hierarchy unless other operations require the edges to be moved in the hierarchy. + The transformation is useful to scale to a specific database unit for example. - @param p The distance to move the path. + Text objects are not inserted, because they cannot be converted to edges. + Edge objects are inserted as such. If "as_edges" is true, "solid" objects (boxes, polygons, paths) are converted to edges which form the hull of these objects. If "as_edges" is false, solid objects are ignored. - @return The moved path. + @code + dss = RBA::DeepShapeStore::new + layout = ... # a layout + cell = ... # the index of the initial cell + layer = ... # the index of the layer from where to take the shapes from + dbu = 0.1 # the target database unit + r = RBA::Edges::new(layout.begin_shapes(cell, layer), dss, RBA::ICplxTrans::new(layout.dbu / dbu), false) + @/code """ @overload - def moved(self, dx: float, dy: float) -> DPath: + def __init__(self, shape_iterator: RecursiveShapeIterator, expr: str, as_pattern: Optional[bool] = ...) -> None: r""" - @brief Returns the moved path (does not change self) + @brief Constructor from a text set - Moves the path by the given offset and returns the - moved path. The path is not modified. + @param shape_iterator The iterator from which to derive the texts + @param expr The selection string + @param as_pattern If true, the selection string is treated as a glob pattern. Otherwise the match is exact. - @param dx The x distance to move the path. - @param dy The y distance to move the path. + This special constructor will create dot-like edges from the text objects delivered by the shape iterator. Each text object will give a degenerated edge (a dot) that represents the text origin. + Texts can be selected by their strings - either through a glob pattern or by exact comparison with the given string. The following options are available: - @return The moved path. + @code + dots = RBA::Edges::new(iter, "*") # all texts + dots = RBA::Edges::new(iter, "A*") # all texts starting with an 'A' + dots = RBA::Edges::new(iter, "A*", false) # all texts exactly matching 'A*' + @/code - This version has been added in version 0.23. - """ - def num_points(self) -> int: - r""" - @brief Get the number of points - """ - def perimeter(self) -> float: - r""" - @brief Returns the approximate perimeter of the path - This method returns the approximate value of the perimeter. It is computed from the length and the width. end extensions are taken into account correctly, but not effects of the corner interpolation. - This method was added in version 0.24.4. - """ - def polygon(self) -> DPolygon: - r""" - @brief Convert the path to a polygon - The returned polygon is not guaranteed to be non-self overlapping. This may happen if the path overlaps itself or contains very short segments. + This method has been introduced in version 0.26. """ - def round_corners(self, radius: float, npoints: int, accuracy: float) -> DPath: + @overload + def __init__(self, shape_iterator: RecursiveShapeIterator, trans: ICplxTrans, as_edges: Optional[bool] = ...) -> None: r""" - @brief Creates a new path whose corners are interpolated with circular bends + @brief Constructor of a flat edge collection from a hierarchical shape set with a transformation - @param radius The radius of the bends - @param npoints The number of points (per full circle) used for interpolating the bends - @param accuracy The numerical accuracy of the computation + This constructor creates an edge collection from the shapes delivered by the given recursive shape iterator. + It feeds the shapes from a hierarchy of cells into a flat edge set. + The transformation is useful to scale to a specific database unit for example. - The accuracy parameter controls the numerical resolution of the approximation process and should be in the order of half the database unit. This accuracy is used for suppressing redundant points and simplification of the resulting path. + Text objects are not inserted, because they cannot be converted to edges. + Edge objects are inserted as such. If "as_edges" is true, "solid" objects (boxes, polygons, paths) are converted to edges which form the hull of these objects. If "as_edges" is false, solid objects are ignored. - This method has been introduced in version 0.25. - """ - def simple_polygon(self) -> DSimplePolygon: - r""" - @brief Convert the path to a simple polygon - The returned polygon is not guaranteed to be non-selfoverlapping. This may happen if the path overlaps itself or contains very short segments. + @code + layout = ... # a layout + cell = ... # the index of the initial cell + layer = ... # the index of the layer from where to take the shapes from + dbu = 0.1 # the target database unit + r = RBA::Edges::new(layout.begin_shapes(cell, layer), RBA::ICplxTrans::new(layout.dbu / dbu)) + @/code """ - def to_itype(self, dbu: Optional[float] = ...) -> Path: + @overload + def __init__(self, shapes: Shapes, as_edges: Optional[bool] = ...) -> None: r""" - @brief Converts the path to an integer coordinate path + @brief Constructor of a flat edge collection from a \Shapes container - The database unit can be specified to translate the floating-point coordinate path in micron units to an integer-coordinate path in database units. The path's' coordinates will be divided by the database unit. + If 'as_edges' is true, the shapes from the container will be converted to edges (i.e. polygon contours to edges). Otherwise, only edges will be taken from the container. - This method has been introduced in version 0.25. - """ - def to_s(self) -> str: - r""" - @brief Convert to a string + This method has been introduced in version 0.26. """ - @overload - def transformed(self, t: DCplxTrans) -> DPath: + def __ior__(self, other: Edges) -> Edges: r""" - @brief Transform the path. - - Transforms the path with the given complex transformation. - Does not modify the path but returns the transformed path. + @brief Performs the boolean OR between self and the other edge set - @param t The transformation to apply. + @return The edge collection after modification (self) - @return The transformed path. + The boolean OR is implemented by merging the edges of both edge sets. To simply join the edge collections without merging, the + operator is more efficient. """ @overload - def transformed(self, t: DTrans) -> DPath: + def __isub__(self, other: Edges) -> Edges: r""" - @brief Transform the path. - - Transforms the path with the given transformation. - Does not modify the path but returns the transformed path. + @brief Performs the boolean NOT between self and the other edge collection - @param t The transformation to apply. + @return The edge collection after modification (self) - @return The transformed path. + The boolean NOT operation will return all parts of the edges in this collection which are not coincident with parts of the edges in the other collection.The result will be a merged edge collection. """ @overload - def transformed(self, t: VCplxTrans) -> Path: + def __isub__(self, other: Region) -> Edges: r""" - @brief Transforms the polygon with the given complex transformation + @brief Selects the parts of the edges outside the given region + @return The edge collection after modification (self) - @param t The magnifying transformation to apply - @return The transformed path (in this case an integer coordinate path) + This operation selects the parts of the edges which are outside the given region. + Edges on the borders of the polygons are not included in the edge set. + As a side effect, the edges are made non-intersecting by introducing cut points where + edges intersect. - This method has been introduced in version 0.25. + This method has been introduced in version 0.24. """ - def transformed_cplx(self, t: DCplxTrans) -> DPath: + def __iter__(self) -> Iterator[Edge]: r""" - @brief Transform the path. - - Transforms the path with the given complex transformation. - Does not modify the path but returns the transformed path. - - @param t The transformation to apply. - - @return The transformed path. + @brief Returns each edge of the region """ + def __ixor__(self, other: Edges) -> Edges: + r""" + @brief Performs the boolean XOR between self and the other edge collection -class DPoint: - r""" - @brief A point class with double (floating-point) coordinates - Points represent a coordinate in the two-dimensional coordinate space of layout. They are not geometrical objects by itself. But they are frequently used in the database API for various purposes. Other than the integer variant (\Point), points with floating-point coordinates can represent fractions of a database unit. - - See @The Database API@ for more details about the database objects. - """ - x: float - r""" - Getter: - @brief Accessor to the x coordinate - - Setter: - @brief Write accessor to the x coordinate - """ - y: float - r""" - Getter: - @brief Accessor to the y coordinate + @return The edge collection after modification (self) - Setter: - @brief Write accessor to the y coordinate - """ - @classmethod - def from_ipoint(cls, point: Point) -> DPoint: + The boolean XOR operation will return all parts of the edges in this and the other collection except the parts where both are coincident. + The result will be a merged edge collection. + """ + def __len__(self) -> int: r""" - @brief Creates a floating-point coordinate point from an integer coordinate point + @brief Returns the (flat) number of edges in the edge collection - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipoint'. + This returns the number of raw edges (not merged edges if merged semantics is enabled). + The count is computed 'as if flat', i.e. edges inside a cell are multiplied by the number of times a cell is instantiated. + + Starting with version 0.27, the method is called 'count' for consistency with \Region. 'size' is still provided as an alias. """ - @classmethod - def from_s(cls, s: str) -> DPoint: + def __or__(self, other: Edges) -> Edges: r""" - @brief Creates an object from a string - Creates the object from a string representation (as returned by \to_s) + @brief Returns the boolean OR between self and the other edge set - This method has been added in version 0.23. + @return The resulting edge collection + + The boolean OR is implemented by merging the edges of both edge sets. To simply join the edge collections without merging, the + operator is more efficient. """ - @overload - @classmethod - def new(cls) -> DPoint: + def __str__(self) -> str: r""" - @brief Default constructor: creates a point at 0,0 + @brief Converts the edge collection to a string + The length of the output is limited to 20 edges to avoid giant strings on large regions. For full output use "to_s" with a maximum count parameter. """ @overload - @classmethod - def new(cls, point: Point) -> DPoint: + def __sub__(self, other: Edges) -> Edges: r""" - @brief Creates a floating-point coordinate point from an integer coordinate point + @brief Returns the boolean NOT between self and the other edge collection - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipoint'. - """ - @overload - @classmethod - def new(cls, v: DVector) -> DPoint: - r""" - @brief Default constructor: creates a point at from an vector - This constructor is equivalent to computing point(0,0)+v. - This method has been introduced in version 0.25. + @return The result of the boolean NOT operation + + The boolean NOT operation will return all parts of the edges in this collection which are not coincident with parts of the edges in the other collection.The result will be a merged edge collection. """ @overload - @classmethod - def new(cls, x: float, y: float) -> DPoint: + def __sub__(self, other: Region) -> Edges: r""" - @brief Constructor for a point from two coordinate values + @brief Returns the parts of the edges outside the given region + + @return The edges outside the given region + + This operation returns the parts of the edges which are outside the given region. + Edges on the borders of the polygons are not included in the edge set. + As a side effect, the edges are made non-intersecting by introducing cut points where + edges intersect. + This method has been introduced in version 0.24. """ - def __add__(self, v: DVector) -> DPoint: + def __xor__(self, other: Edges) -> Edges: r""" - @brief Adds a vector to a point - + @brief Returns the boolean XOR between self and the other edge collection - Adds vector v to self by adding the coordinates. + @return The result of the boolean XOR operation - Starting with version 0.25, this method expects a vector argument. + The boolean XOR operation will return all parts of the edges in this and the other collection except the parts where both are coincident. + The result will be a merged edge collection. """ - def __copy__(self) -> DPoint: + def _create(self) -> None: r""" - @brief Creates a copy of self + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def __deepcopy__(self) -> DPoint: + def _destroy(self) -> None: r""" - @brief Creates a copy of self + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def __eq__(self, p: object) -> bool: + def _destroyed(self) -> bool: r""" - @brief Equality test operator - + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def __hash__(self) -> int: + def _is_const_object(self) -> bool: r""" - @brief Computes a hash value - Returns a hash value for the given point. This method enables points as hash keys. - - This method has been introduced in version 0.25. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def __imul__(self, f: float) -> DPoint: + def _manage(self) -> None: r""" - @brief Scaling by some factor - + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - Scales object in place. All coordinates are multiplied with the given factor and if necessary rounded. - """ - @overload - def __init__(self) -> None: - r""" - @brief Default constructor: creates a point at 0,0 + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def __init__(self, point: Point) -> None: + def _unmanage(self) -> None: r""" - @brief Creates a floating-point coordinate point from an integer coordinate point + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipoint'. - """ - @overload - def __init__(self, v: DVector) -> None: - r""" - @brief Default constructor: creates a point at from an vector - This constructor is equivalent to computing point(0,0)+v. - This method has been introduced in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. """ @overload - def __init__(self, x: float, y: float) -> None: + def andnot(self, other: Edges) -> List[Edges]: r""" - @brief Constructor for a point from two coordinate values + @brief Returns the boolean AND and NOT between self and the other edge set - """ - def __itruediv__(self, d: float) -> DPoint: - r""" - @brief Division by some divisor + @return A two-element array of edge collections with the first one being the AND result and the second one being the NOT result + This method will compute the boolean AND and NOT between two edge sets simultaneously. Because this requires a single sweep only, using this method is faster than doing AND and NOT separately. - Divides the object in place. All coordinates are divided with the given divisor and if necessary rounded. + This method has been added in version 0.28. """ - def __lt__(self, p: DPoint) -> bool: + @overload + def andnot(self, other: Region) -> List[Edges]: r""" - @brief "less" comparison operator - + @brief Returns the boolean AND and NOT between self and the region - This operator is provided to establish a sorting - order - """ - def __mul__(self, f: float) -> DPoint: - r""" - @brief Scaling by some factor + @return A two-element array of edge collections with the first one being the AND result and the second one being the NOT result + This method will compute the boolean AND and NOT simultaneously. Because this requires a single sweep only, using this method is faster than doing AND and NOT separately. - Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + This method has been added in version 0.28. """ - def __ne__(self, p: object) -> bool: + def assign(self, other: ShapeCollection) -> None: r""" - @brief Inequality test operator - + @brief Assigns another object to self """ - def __neg__(self) -> DPoint: + def bbox(self) -> Box: r""" - @brief Compute the negative of a point - - - Returns a new point with -x, -y. - - This method has been added in version 0.23. + @brief Returns the bounding box of the edge collection + The bounding box is the box enclosing all points of all edges. """ - def __rmul__(self, f: float) -> DPoint: + def centers(self, length: int, fraction: float) -> Edges: r""" - @brief Scaling by some factor + @brief Returns edges representing the center part of the edges + @return A new collection of edges representing the part around the center + This method allows one to specify the length of these segments in a twofold way: either as a fixed length or by specifying a fraction of the original length: + @code + edges = ... # An edge collection + edges.centers(100, 0.0) # All segments have a length of 100 DBU + edges.centers(0, 50.0) # All segments have a length of half the original length + edges.centers(100, 50.0) # All segments have a length of half the original length + # or 100 DBU, whichever is larger + @/code - Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + It is possible to specify 0 for both values. In this case, degenerated edges (points) are delivered which specify the centers of the edges but can't participate in some functions. """ - def __str__(self, dbu: Optional[float] = ...) -> str: + def clear(self) -> None: r""" - @brief String conversion. - If a DBU is given, the output units will be micrometers. - - The DBU argument has been added in version 0.27.6. + @brief Clears the edge collection """ - @overload - def __sub__(self, p: DPoint) -> DVector: + def count(self) -> int: r""" - @brief Subtract one point from another - + @brief Returns the (flat) number of edges in the edge collection - Subtract point p from self by subtracting the coordinates. This renders a vector. + This returns the number of raw edges (not merged edges if merged semantics is enabled). + The count is computed 'as if flat', i.e. edges inside a cell are multiplied by the number of times a cell is instantiated. - Starting with version 0.25, this method renders a vector. + Starting with version 0.27, the method is called 'count' for consistency with \Region. 'size' is still provided as an alias. """ - @overload - def __sub__(self, v: DVector) -> DPoint: + def create(self) -> None: r""" - @brief Subtract one vector from a point - - - Subtract vector v from from self by subtracting the coordinates. This renders a point. - - This method has been added in version 0.27. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def __truediv__(self, d: float) -> DPoint: + def data_id(self) -> int: r""" - @brief Division by some divisor - + @brief Returns the data ID (a unique identifier for the underlying data storage) - Returns the scaled object. All coordinates are divided with the given divisor and if necessary rounded. - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + This method has been added in version 0.26. """ - def _destroy(self) -> None: + def destroy(self) -> None: r""" @brief Explicitly destroys the object Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. If the object is not owned by the script, this method will do nothing. """ - def _destroyed(self) -> bool: + def destroyed(self) -> bool: r""" @brief Returns a value indicating whether the object was already destroyed This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def _is_const_object(self) -> bool: + def disable_progress(self) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Disable progress reporting + Calling this method will disable progress reporting. See \enable_progress. """ - def _manage(self) -> None: + def dup(self) -> Edges: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief Creates a copy of self """ - def _unmanage(self) -> None: + def each(self) -> Iterator[Edge]: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief Returns each edge of the region """ - def abs(self) -> float: + def each_merged(self) -> Iterator[Edge]: r""" - @brief The absolute value of the point (Euclidian distance to 0,0) + @brief Returns each edge of the region - The returned value is 'sqrt(x*x+y*y)'. + In contrast to \each, this method delivers merged edges if merge semantics applies while \each delivers the original edges only. - This method has been introduced in version 0.23. - """ - def assign(self, other: DPoint) -> None: - r""" - @brief Assigns another object to self - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + This method has been introduced in version 0.25. """ - def destroy(self) -> None: + def enable_progress(self, label: str) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Enable progress reporting + After calling this method, the edge collection will report the progress through a progress bar while expensive operations are running. + The label is a text which is put in front of the progress bar. + Using a progress bar will imply a performance penalty of a few percent typically. """ - def destroyed(self) -> bool: + def enable_properties(self) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Enables properties for the given container. + This method has an effect mainly on original layers and will import properties from such layers. By default, properties are not enabled on original layers. Alternatively you can apply \filter_properties or \map_properties to enable properties with a specific name key. + + This method has been introduced in version 0.28.4. """ - def distance(self, d: DPoint) -> float: + def enclosed_check(self, other: Edges, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ...) -> EdgePairs: r""" - @brief The Euclidian distance to another point + @brief Performs an inside check with options + @param d The minimum distance for which the edges are checked + @param other The other edge collection against which to check + @param whole_edges If true, deliver the whole edges + @param metrics Specify the metrics type + @param ignore_angle The threshold angle above which no check is performed + @param min_projection The lower threshold of the projected length of one edge onto another + @param max_projection The upper threshold of the projected length of one edge onto another + If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. - @param d The other point to compute the distance to. - """ - def dup(self) -> DPoint: - r""" - @brief Creates a copy of self - """ - def hash(self) -> int: - r""" - @brief Computes a hash value - Returns a hash value for the given point. This method enables points as hash keys. + "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. + Use nil for this value to select the default (Euclidian metrics). - This method has been introduced in version 0.25. - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def sq_abs(self) -> float: - r""" - @brief The square of the absolute value of the point (Euclidian distance to 0,0) + "ignore_angle" specifies the angle threshold of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. + Use nil for this value to select the default. - The returned value is 'x*x+y*y'. + "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one threshold, pass nil to the respective value. - This method has been introduced in version 0.23. + The 'enclosed_check' alias was introduced in version 0.27.5. """ - def sq_distance(self, d: DPoint) -> float: + def enclosing_check(self, other: Edges, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ...) -> EdgePairs: r""" - @brief The square Euclidian distance to another point + @brief Performs an enclosing check with options + @param d The minimum distance for which the edges are checked + @param other The other edge collection against which to check + @param whole_edges If true, deliver the whole edges + @param metrics Specify the metrics type + @param ignore_angle The threshold angle above which no check is performed + @param min_projection The lower threshold of the projected length of one edge onto another + @param max_projection The upper threshold of the projected length of one edge onto another + If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. - @param d The other point to compute the distance to. - """ - def to_itype(self, dbu: Optional[float] = ...) -> Point: - r""" - @brief Converts the point to an integer coordinate point + "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. + Use nil for this value to select the default (Euclidian metrics). - The database unit can be specified to translate the floating-point coordinate point in micron units to an integer-coordinate point in database units. The point's' coordinates will be divided by the database unit. + "ignore_angle" specifies the angle threshold of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. + Use nil for this value to select the default. - This method has been introduced in version 0.25. + "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one threshold, pass nil to the respective value. """ - def to_s(self, dbu: Optional[float] = ...) -> str: + def end_segments(self, length: int, fraction: float) -> Edges: r""" - @brief String conversion. - If a DBU is given, the output units will be micrometers. + @brief Returns edges representing a part of the edge before the end point + @return A new collection of edges representing the end part + This method allows one to specify the length of these segments in a twofold way: either as a fixed length or by specifying a fraction of the original length: - The DBU argument has been added in version 0.27.6. + @code + edges = ... # An edge collection + edges.end_segments(100, 0.0) # All segments have a length of 100 DBU + edges.end_segments(0, 50.0) # All segments have a length of half the original length + edges.end_segments(100, 50.0) # All segments have a length of half the original length + # or 100 DBU, whichever is larger + @/code + + It is possible to specify 0 for both values. In this case, degenerated edges (points) are delivered which specify the end positions of the edges but can't participate in some functions. """ - def to_v(self) -> DVector: + def extended(self, b: int, e: int, o: int, i: int, join: bool) -> Region: r""" - @brief Turns the point into a vector - This method returns a vector representing the distance from (0,0) to the point.This method has been introduced in version 0.25. - """ - -class Point: - r""" - @brief An integer point class - Points represent a coordinate in the two-dimensional coordinate space of layout. They are not geometrical objects by itself. But they are frequently used in the database API for various purposes. - - See @The Database API@ for more details about the database objects. - """ - x: int - r""" - Getter: - @brief Accessor to the x coordinate + @brief Returns a region with shapes representing the edges with the specified extensions + @param b the parallel extension at the start point of the edge + @param e the parallel extension at the end point of the edge + @param o the perpendicular extension to the "outside" (left side as seen in the direction of the edge) + @param i the perpendicular extension to the "inside" (right side as seen in the direction of the edge) + @param join If true, connected edges are joined before the extension is applied + @return A region containing the polygons representing these extended edges + This is a generic version of \extended_in and \extended_out. It allows one to specify extensions for all four directions of an edge and to join the edges before the extension is applied. - Setter: - @brief Write accessor to the x coordinate - """ - y: int - r""" - Getter: - @brief Accessor to the y coordinate + For degenerated edges forming a point, a rectangle with the b, e, o and i used as left, right, top and bottom distance to the center point of this edge is created. - Setter: - @brief Write accessor to the y coordinate - """ - @classmethod - def from_dpoint(cls, dpoint: DPoint) -> Point: + If join is true and edges form a closed loop, the b and e parameters are ignored and a rim polygon is created that forms the loop with the outside and inside extension given by o and i. + """ + def extended_in(self, e: int) -> Region: r""" - @brief Creates an integer coordinate point from a floating-point coordinate point + @brief Returns a region with shapes representing the edges with the given width + @param e The extension width + @return A region containing the polygons representing these extended edges + The edges are extended to the "inside" by the given distance "e". The distance will be applied to the right side as seen in the direction of the edge. By definition, this is the side pointing to the inside of the polygon if the edge was derived from a polygon. - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpoint'. + Other versions of this feature are \extended_out and \extended. """ - @classmethod - def from_s(cls, s: str) -> Point: + def extended_out(self, e: int) -> Region: r""" - @brief Creates an object from a string - Creates the object from a string representation (as returned by \to_s) + @brief Returns a region with shapes representing the edges with the given width + @param e The extension width + @return A region containing the polygons representing these extended edges + The edges are extended to the "outside" by the given distance "e". The distance will be applied to the left side as seen in the direction of the edge. By definition, this is the side pointing to the outside of the polygon if the edge was derived from a polygon. - This method has been added in version 0.23. + Other versions of this feature are \extended_in and \extended. """ @overload - @classmethod - def new(cls) -> Point: + def extents(self) -> Region: r""" - @brief Default constructor: creates a point at 0,0 + @brief Returns a region with the bounding boxes of the edges + This method will return a region consisting of the bounding boxes of the edges. + The boxes will not be merged, so it is possible to determine overlaps of these boxes for example. """ @overload - @classmethod - def new(cls, dpoint: DPoint) -> Point: + def extents(self, d: int) -> Region: r""" - @brief Creates an integer coordinate point from a floating-point coordinate point - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpoint'. + @brief Returns a region with the enlarged bounding boxes of the edges + This method will return a region consisting of the bounding boxes of the edges enlarged by the given distance d. + The enlargement is specified per edge, i.e the width and height will be increased by 2*d. + The boxes will not be merged, so it is possible to determine overlaps of these boxes for example. """ @overload - @classmethod - def new(cls, v: Vector) -> Point: + def extents(self, dx: int, dy: int) -> Region: r""" - @brief Default constructor: creates a point at from an vector - This constructor is equivalent to computing point(0,0)+v. - This method has been introduced in version 0.25. + @brief Returns a region with the enlarged bounding boxes of the edges + This method will return a region consisting of the bounding boxes of the edges enlarged by the given distance dx in x direction and dy in y direction. + The enlargement is specified per edge, i.e the width will be increased by 2*dx. + The boxes will not be merged, so it is possible to determine overlaps of these boxes for example. """ - @overload - @classmethod - def new(cls, x: int, y: int) -> Point: + def filter_properties(self, keys: Sequence[Any]) -> None: r""" - @brief Constructor for a point from two coordinate values + @brief Filters properties by certain keys. + Calling this method on a container will reduce the properties to values with name keys from the 'keys' list. + As a side effect, this method enables properties on original layers. + This method has been introduced in version 0.28.4. """ - def __add__(self, v: Vector) -> Point: + def flatten(self) -> None: r""" - @brief Adds a vector to a point - + @brief Explicitly flattens an edge collection - Adds vector v to self by adding the coordinates. + If the collection is already flat (i.e. \has_valid_edges? returns true), this method will not change it. - Starting with version 0.25, this method expects a vector argument. - """ - def __copy__(self) -> Point: - r""" - @brief Creates a copy of self + This method has been introduced in version 0.26. """ - def __deepcopy__(self) -> Point: + def has_valid_edges(self) -> bool: r""" - @brief Creates a copy of self + @brief Returns true if the edge collection is flat and individual edges can be accessed randomly + + This method has been introduced in version 0.26. """ - def __eq__(self, p: object) -> bool: + def hier_count(self) -> int: r""" - @brief Equality test operator + @brief Returns the (hierarchical) number of edges in the edge collection + + This returns the number of raw edges (not merged edges if merged semantics is enabled). + The count is computed 'hierarchical', i.e. edges inside a cell are counted once even if the cell is instantiated multiple times. + This method has been introduced in version 0.27. """ - def __hash__(self) -> int: + def in_(self, other: Edges) -> Edges: r""" - @brief Computes a hash value - Returns a hash value for the given point. This method enables points as hash keys. - - This method has been introduced in version 0.25. + @brief Returns all edges which are members of the other edge collection + This method returns all edges in self which can be found in the other edge collection as well with exactly the same geometry. """ - def __imul__(self, f: float) -> Point: + def in_and_out(self, other: Edges) -> List[Edges]: r""" - @brief Scaling by some factor - + @brief Returns all polygons which are members and not members of the other region + This method is equivalent to calling \members_of and \not_members_of, but delivers both results at the same time and is more efficient than two separate calls. The first element returned is the \members_of part, the second is the \not_members_of part. - Scales object in place. All coordinates are multiplied with the given factor and if necessary rounded. + This method has been introduced in version 0.28. """ @overload - def __init__(self) -> None: + def insert(self, box: Box) -> None: r""" - @brief Default constructor: creates a point at 0,0 + @brief Inserts a box + + Inserts the edges that form the contour of the box into the edge collection. """ @overload - def __init__(self, dpoint: DPoint) -> None: + def insert(self, edge: Edge) -> None: r""" - @brief Creates an integer coordinate point from a floating-point coordinate point + @brief Inserts an edge - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpoint'. + Inserts the edge into the edge collection. """ @overload - def __init__(self, v: Vector) -> None: + def insert(self, edges: Edges) -> None: r""" - @brief Default constructor: creates a point at from an vector - This constructor is equivalent to computing point(0,0)+v. + @brief Inserts all edges from the other edge collection into this one This method has been introduced in version 0.25. """ @overload - def __init__(self, x: int, y: int) -> None: + def insert(self, edges: Sequence[Edge]) -> None: r""" - @brief Constructor for a point from two coordinate values - + @brief Inserts all edges from the array into this edge collection """ - def __itruediv__(self, d: float) -> Point: + @overload + def insert(self, path: Path) -> None: r""" - @brief Division by some divisor - + @brief Inserts a path - Divides the object in place. All coordinates are divided with the given divisor and if necessary rounded. + Inserts the edges that form the contour of the path into the edge collection. """ - def __lt__(self, p: Point) -> bool: + @overload + def insert(self, polygon: Polygon) -> None: r""" - @brief "less" comparison operator - + @brief Inserts a polygon - This operator is provided to establish a sorting - order + Inserts the edges that form the contour of the polygon into the edge collection. """ - def __mul__(self, f: float) -> Point: + @overload + def insert(self, polygon: SimplePolygon) -> None: r""" - @brief Scaling by some factor - + @brief Inserts a simple polygon - Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + Inserts the edges that form the contour of the simple polygon into the edge collection. """ - def __ne__(self, p: object) -> bool: + @overload + def insert(self, polygons: Sequence[Polygon]) -> None: r""" - @brief Inequality test operator - + @brief Inserts all polygons from the array into this edge collection """ - def __neg__(self) -> Point: + @overload + def insert(self, region: Region) -> None: r""" - @brief Compute the negative of a point - - - Returns a new point with -x, -y. + @brief Inserts a region + Inserts the edges that form the contours of the polygons from the region into the edge collection. - This method has been added in version 0.23. + This method has been introduced in version 0.25. """ - def __rmul__(self, f: float) -> Point: + @overload + def insert(self, shape_iterator: RecursiveShapeIterator) -> None: r""" - @brief Scaling by some factor - + @brief Inserts all shapes delivered by the recursive shape iterator into this edge collection - Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + For "solid" shapes (boxes, polygons, paths), this method inserts the edges that form the contour of the shape into the edge collection. + Edge shapes are inserted as such. + Text objects are not inserted, because they cannot be converted to polygons. """ - def __str__(self, dbu: Optional[float] = ...) -> str: + @overload + def insert(self, shape_iterator: RecursiveShapeIterator, trans: ICplxTrans) -> None: r""" - @brief String conversion. - If a DBU is given, the output units will be micrometers. + @brief Inserts all shapes delivered by the recursive shape iterator into this edge collection with a transformation - The DBU argument has been added in version 0.27.6. + For "solid" shapes (boxes, polygons, paths), this method inserts the edges that form the contour of the shape into the edge collection. + Edge shapes are inserted as such. + Text objects are not inserted, because they cannot be converted to polygons. + This variant will apply the given transformation to the shapes. This is useful to scale the shapes to a specific database unit for example. """ @overload - def __sub__(self, p: Point) -> Vector: + def insert(self, shapes: Shapes) -> None: r""" - @brief Subtract one point from another - - - Subtract point p from self by subtracting the coordinates. This renders a vector. + @brief Inserts all edges from the shape collection into this edge collection + This method takes each edge from the shape collection and inserts it into the region. "Polygon-like" objects are inserted as edges forming the contours of the polygons. + Text objects are ignored. - Starting with version 0.25, this method renders a vector. + This method has been introduced in version 0.25. """ @overload - def __sub__(self, v: Vector) -> Point: + def insert(self, shapes: Shapes, trans: ICplxTrans) -> None: r""" - @brief Subtract one vector from a point - - - Subtract vector v from from self by subtracting the coordinates. This renders a point. + @brief Inserts all edges from the shape collection into this edge collection with complex transformation + This method acts as the version without transformation, but will apply the given complex transformation before inserting the edges. - This method has been added in version 0.27. + This method has been introduced in version 0.25. """ - def __truediv__(self, d: float) -> Point: + @overload + def insert(self, shapes: Shapes, trans: Trans) -> None: r""" - @brief Division by some divisor + @brief Inserts all edges from the shape collection into this edge collection (with transformation) + This method acts as the version without transformation, but will apply the given transformation before inserting the edges. + This method has been introduced in version 0.25. + """ + def insert_into(self, layout: Layout, cell_index: int, layer: int) -> None: + r""" + @brief Inserts this edge collection into the given layout, below the given cell and into the given layer. + If the edge collection is a hierarchical one, a suitable hierarchy will be built below the top cell or and existing hierarchy will be reused. - Returns the scaled object. All coordinates are divided with the given divisor and if necessary rounded. + This method has been introduced in version 0.26. """ - def _create(self) -> None: + @overload + def inside(self, other: Edges) -> Edges: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Returns the edges of this edge collection which are inside (completely covered by) edges from the other edge collection + + @return A new edge collection containing the edges overlapping or touching edges from the other edge collection + + This method has been introduced in version 0.28. """ - def _destroy(self) -> None: + @overload + def inside(self, other: Region) -> Edges: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Returns the edges from this edge collection which are inside (completely covered by) polygons from the region + + @return A new edge collection containing the edges overlapping or touching polygons from the region + + This method has been introduced in version 0.28. """ - def _destroyed(self) -> bool: + def inside_check(self, other: Edges, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ...) -> EdgePairs: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Performs an inside check with options + @param d The minimum distance for which the edges are checked + @param other The other edge collection against which to check + @param whole_edges If true, deliver the whole edges + @param metrics Specify the metrics type + @param ignore_angle The threshold angle above which no check is performed + @param min_projection The lower threshold of the projected length of one edge onto another + @param max_projection The upper threshold of the projected length of one edge onto another + + If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. + + "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. + Use nil for this value to select the default (Euclidian metrics). + + "ignore_angle" specifies the angle threshold of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. + Use nil for this value to select the default. + + "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one threshold, pass nil to the respective value. + + The 'enclosed_check' alias was introduced in version 0.27.5. """ - def _is_const_object(self) -> bool: + def inside_outside_part(self, other: Region) -> List[Edges]: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Returns the partial edges inside and outside the given region + + @return A two-element array of edge collections with the first one being the \inside_part result and the second one being the \outside_part result + + This method will compute the results simultaneously. Because this requires a single sweep only, using this method is faster than doing \inside_part and \outside_part separately. + + This method has been added in version 0.28. """ - def _manage(self) -> None: + def inside_part(self, other: Region) -> Edges: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Returns the parts of the edges of this edge collection which are inside the polygons of the region - Usually it's not required to call this method. It has been introduced in version 0.24. + @return A new edge collection containing the edge parts inside the region + + This operation returns the parts of the edges which are inside the given region. + This functionality is similar to the '&' operator, but edges on the borders of the polygons are not included in the edge set. + As a side effect, the edges are made non-intersecting by introducing cut points where + edges intersect. + + This method has been introduced in version 0.24. """ - def _unmanage(self) -> None: + @overload + def interacting(self, other: Edges) -> Edges: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Returns the edges of this edge collection which overlap or touch edges from the other edge collection - Usually it's not required to call this method. It has been introduced in version 0.24. + @return A new edge collection containing the edges overlapping or touching edges from the other edge collection """ - def abs(self) -> float: + @overload + def interacting(self, other: Region) -> Edges: r""" - @brief The absolute value of the point (Euclidian distance to 0,0) + @brief Returns the edges from this edge collection which overlap or touch polygons from the region - The returned value is 'sqrt(x*x+y*y)'. + @return A new edge collection containing the edges overlapping or touching polygons from the region + """ + def intersections(self, other: Edges) -> Edges: + r""" + @brief Computes the intersections between this edges and other edges + This computation is like an AND operation, but also including crossing points between non-coincident edges as degenerated (point-like) edges. - This method has been introduced in version 0.23. + This method has been introduced in version 0.26.2 """ - def assign(self, other: Point) -> None: + def is_const_object(self) -> bool: r""" - @brief Assigns another object to self + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def create(self) -> None: + def is_deep(self) -> bool: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Returns true if the edge collection is a deep (hierarchical) one + + This method has been added in version 0.26. """ - def destroy(self) -> None: + def is_empty(self) -> bool: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Returns true if the edge collection is empty """ - def destroyed(self) -> bool: + def is_merged(self) -> bool: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Returns true if the edge collection is merged + If the region is merged, coincident edges have been merged into single edges. You can ensure merged state by calling \merge. """ - def distance(self, d: Point) -> float: + @overload + def length(self) -> int: r""" - @brief The Euclidian distance to another point - + @brief Returns the total length of all edges in the edge collection - @param d The other point to compute the distance to. + Merged semantics applies for this method (see \merged_semantics= of merged semantics) """ - def dup(self) -> Point: + @overload + def length(self, rect: Box) -> int: r""" - @brief Creates a copy of self + @brief Returns the total length of all edges in the edge collection (restricted to a rectangle) + This version will compute the total length of all edges in the collection, restricting the computation to the given rectangle. + Edges along the border are handled in a special way: they are counted when they are oriented with their inside side toward the rectangle (in other words: outside edges must coincide with the rectangle's border in order to be counted). + + Merged semantics applies for this method (see \merged_semantics= of merged semantics) """ - def hash(self) -> int: + def map_properties(self, key_map: Dict[Any, Any]) -> None: r""" - @brief Computes a hash value - Returns a hash value for the given point. This method enables points as hash keys. + @brief Maps properties by name key. + Calling this method on a container will reduce the properties to values with name keys from the 'keys' hash and renames the properties. Properties not listed in the key map will be removed. + As a side effect, this method enables properties on original layers. - This method has been introduced in version 0.25. + This method has been introduced in version 0.28.4. """ - def is_const_object(self) -> bool: + def members_of(self, other: Edges) -> Edges: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Returns all edges which are members of the other edge collection + This method returns all edges in self which can be found in the other edge collection as well with exactly the same geometry. """ - def sq_abs(self) -> float: + def merge(self) -> Edges: r""" - @brief The square of the absolute value of the point (Euclidian distance to 0,0) + @brief Merge the edges - The returned value is 'x*x+y*y'. + @return The edge collection after the edges have been merged (self). - This method has been introduced in version 0.23. + Merging joins parallel edges which overlap or touch. + Crossing edges are not merged. + If the edge collection is already merged, this method does nothing """ - def sq_distance(self, d: Point) -> float: + def merged(self) -> Edges: r""" - @brief The square Euclidian distance to another point + @brief Returns the merged edge collection + @return The edge collection after the edges have been merged. - @param d The other point to compute the distance to. + Merging joins parallel edges which overlap or touch. + Crossing edges are not merged. + In contrast to \merge, this method does not modify the edge collection but returns a merged copy. """ - def to_dtype(self, dbu: Optional[float] = ...) -> DPoint: + @overload + def move(self, v: Vector) -> Edges: r""" - @brief Converts the point to a floating-point coordinate point + @brief Moves the edge collection - The database unit can be specified to translate the integer-coordinate point into a floating-point coordinate point in micron units. The database unit is basically a scaling factor. + Moves the polygon by the given offset and returns the + moved edge collection. The edge collection is overwritten. - This method has been introduced in version 0.25. - """ - def to_s(self, dbu: Optional[float] = ...) -> str: - r""" - @brief String conversion. - If a DBU is given, the output units will be micrometers. + @param v The distance to move the edge collection. - The DBU argument has been added in version 0.27.6. + @return The moved edge collection (self). + + Starting with version 0.25 the displacement type is a vector. """ - def to_v(self) -> Vector: + @overload + def move(self, x: int, y: int) -> Edges: r""" - @brief Turns the point into a vector - This method returns a vector representing the distance from (0,0) to the point.This method has been introduced in version 0.25. - """ + @brief Moves the edge collection -class SimplePolygon: - r""" - @brief A simple polygon class + Moves the edge collection by the given offset and returns the + moved edge collection. The edge collection is overwritten. - A simple polygon consists of an outer hull only. To support polygons with holes, use \Polygon. - The hull contour consists of several points. The point - list is normalized such that the leftmost, lowest point is - the first one. The orientation is normalized such that - the orientation of the hull contour is clockwise. + @param x The x distance to move the edge collection. + @param y The y distance to move the edge collection. - It is in no way checked that the contours are not overlapping - This must be ensured by the user of the object - when filling the contours. + @return The moved edge collection (self). + """ + @overload + def moved(self, v: Vector) -> Edges: + r""" + @brief Returns the moved edge collection (does not modify self) - The \SimplePolygon class stores coordinates in integer format. A class that stores floating-point coordinates is \DSimplePolygon. + Moves the edge collection by the given offset and returns the + moved edge collection. The edge collection is not modified. - See @The Database API@ for more details about the database objects. - """ - @property - def points(self) -> None: - r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the points of the simple polygon + @param v The distance to move the edge collection. - @param pts An array of points to assign to the simple polygon + @return The moved edge collection. - See the constructor description for details about raw mode. + Starting with version 0.25 the displacement type is a vector. """ - @classmethod - def ellipse(cls, box: Box, n: int) -> SimplePolygon: + @overload + def moved(self, x: int, v: int) -> Edges: r""" - @brief Creates a simple polygon approximating an ellipse + @brief Returns the moved edge collection (does not modify self) - @param box The bounding box of the ellipse - @param n The number of points that will be used to approximate the ellipse + Moves the edge collection by the given offset and returns the + moved edge collection. The edge collection is not modified. - This method has been introduced in version 0.23. - """ - @classmethod - def from_dpoly(cls, dpolygon: DSimplePolygon) -> SimplePolygon: - r""" - @brief Creates an integer coordinate polygon from a floating-point coordinate polygon + @param x The x distance to move the edge collection. + @param y The y distance to move the edge collection. - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpoly'. + @return The moved edge collection. """ - @classmethod - def from_s(cls, s: str) -> SimplePolygon: + def not_in(self, other: Edges) -> Edges: r""" - @brief Creates an object from a string - Creates the object from a string representation (as returned by \to_s) - - This method has been added in version 0.23. + @brief Returns all edges which are not members of the other edge collection + This method returns all edges in self which can not be found in the other edge collection with exactly the same geometry. """ @overload - @classmethod - def new(cls) -> SimplePolygon: + def not_inside(self, other: Edges) -> Edges: r""" - @brief Default constructor: creates an empty (invalid) polygon + @brief Returns the edges of this edge collection which are not inside (completely covered by) edges from the other edge collection + + @return A new edge collection containing the edges not overlapping or touching edges from the other edge collection + + This method has been introduced in version 0.28. """ @overload - @classmethod - def new(cls, box: Box) -> SimplePolygon: + def not_inside(self, other: Region) -> Edges: r""" - @brief Constructor converting a box to a polygon + @brief Returns the edges from this edge collection which are not inside (completely covered by) polygons from the region - @param box The box to convert to a polygon + @return A new edge collection containing the edges not overlapping or touching polygons from the region + + This method has been introduced in version 0.28. """ @overload - @classmethod - def new(cls, dpolygon: DSimplePolygon) -> SimplePolygon: + def not_interacting(self, other: Edges) -> Edges: r""" - @brief Creates an integer coordinate polygon from a floating-point coordinate polygon + @brief Returns the edges of this edge collection which do not overlap or touch edges from the other edge collection - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpoly'. + @return A new edge collection containing the edges not overlapping or touching edges from the other edge collection """ @overload - @classmethod - def new(cls, pts: Sequence[Point], raw: Optional[bool] = ...) -> SimplePolygon: + def not_interacting(self, other: Region) -> Edges: r""" - @brief Constructor given the points of the simple polygon - - @param pts The points forming the simple polygon - @param raw If true, the points are taken as they are (see below) - - If the 'raw' argument is set to true, the points are taken as they are. Specifically no removal of redundant points or joining of coincident edges will take place. In effect, polygons consisting of a single point or two points can be constructed as well as polygons with duplicate points. Note that such polygons may cause problems in some applications. - - Regardless of raw mode, the point list will be adjusted such that the first point is the lowest-leftmost one and the orientation is clockwise always. + @brief Returns the edges from this edge collection which do not overlap or touch polygons from the region - The 'raw' argument has been added in version 0.24. - """ - def __copy__(self) -> SimplePolygon: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> SimplePolygon: - r""" - @brief Creates a copy of self + @return A new edge collection containing the edges not overlapping or touching polygons from the region """ - def __eq__(self, p: object) -> bool: + def not_members_of(self, other: Edges) -> Edges: r""" - @brief Returns a value indicating whether self is equal to p - @param p The object to compare against + @brief Returns all edges which are not members of the other edge collection + This method returns all edges in self which can not be found in the other edge collection with exactly the same geometry. """ - def __hash__(self) -> int: + @overload + def not_outside(self, other: Edges) -> Edges: r""" - @brief Computes a hash value - Returns a hash value for the given polygon. This method enables polygons as hash keys. + @brief Returns the edges of this edge collection which are not outside (completely covered by) edges from the other edge collection - This method has been introduced in version 0.25. + @return A new edge collection containing the edges not overlapping or touching edges from the other edge collection + + This method has been introduced in version 0.28. """ @overload - def __init__(self) -> None: + def not_outside(self, other: Region) -> Edges: r""" - @brief Default constructor: creates an empty (invalid) polygon + @brief Returns the edges from this edge collection which are not outside (completely covered by) polygons from the region + + @return A new edge collection containing the edges not overlapping or touching polygons from the region + + This method has been introduced in version 0.28. """ @overload - def __init__(self, box: Box) -> None: + def outside(self, other: Edges) -> Edges: r""" - @brief Constructor converting a box to a polygon + @brief Returns the edges of this edge collection which are outside (completely covered by) edges from the other edge collection - @param box The box to convert to a polygon + @return A new edge collection containing the edges overlapping or touching edges from the other edge collection + + This method has been introduced in version 0.28. """ @overload - def __init__(self, dpolygon: DSimplePolygon) -> None: + def outside(self, other: Region) -> Edges: r""" - @brief Creates an integer coordinate polygon from a floating-point coordinate polygon + @brief Returns the edges from this edge collection which are outside (completely covered by) polygons from the region - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpoly'. + @return A new edge collection containing the edges overlapping or touching polygons from the region + + This method has been introduced in version 0.28. """ - @overload - def __init__(self, pts: Sequence[Point], raw: Optional[bool] = ...) -> None: + def outside_part(self, other: Region) -> Edges: r""" - @brief Constructor given the points of the simple polygon - - @param pts The points forming the simple polygon - @param raw If true, the points are taken as they are (see below) + @brief Returns the parts of the edges of this edge collection which are outside the polygons of the region - If the 'raw' argument is set to true, the points are taken as they are. Specifically no removal of redundant points or joining of coincident edges will take place. In effect, polygons consisting of a single point or two points can be constructed as well as polygons with duplicate points. Note that such polygons may cause problems in some applications. + @return A new edge collection containing the edge parts outside the region - Regardless of raw mode, the point list will be adjusted such that the first point is the lowest-leftmost one and the orientation is clockwise always. + This operation returns the parts of the edges which are not inside the given region. + This functionality is similar to the '-' operator, but edges on the borders of the polygons are included in the edge set. + As a side effect, the edges are made non-intersecting by introducing cut points where + edges intersect. - The 'raw' argument has been added in version 0.24. + This method has been introduced in version 0.24. """ - def __lt__(self, p: SimplePolygon) -> bool: + def overlap_check(self, other: Edges, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ...) -> EdgePairs: r""" - @brief Returns a value indicating whether self is less than p - @param p The object to compare against - This operator is provided to establish some, not necessarily a certain sorting order + @brief Performs an overlap check with options + @param d The minimum distance for which the edges are checked + @param other The other edge collection against which to check + @param whole_edges If true, deliver the whole edges + @param metrics Specify the metrics type + @param ignore_angle The threshold angle above which no check is performed + @param min_projection The lower threshold of the projected length of one edge onto another + @param max_projection The upper threshold of the projected length of one edge onto another - This method has been introduced in version 0.25. + If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. + + "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. + Use nil for this value to select the default (Euclidian metrics). + + "ignore_angle" specifies the angle threshold of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. + Use nil for this value to select the default. + + "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one threshold, pass nil to the respective value. """ - def __mul__(self, f: float) -> SimplePolygon: + @overload + def pull_interacting(self, other: Edges) -> Edges: r""" - @brief Scales the polygon by some factor + @brief Returns all edges of "other" which are interacting with polygons of this edge set + See the other \pull_interacting version for more details. - Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + @return The edge collection after the edges have been selected (from other) + + Merged semantics applies for this method (see \merged_semantics= of merged semantics) + + This method has been introduced in version 0.26.1 """ - def __ne__(self, p: object) -> bool: + @overload + def pull_interacting(self, other: Region) -> Region: r""" - @brief Returns a value indicating whether self is not equal to p - @param p The object to compare against + @brief Returns all polygons of "other" which are interacting with (overlapping, touching) edges of this edge set + The "pull_..." methods are similar to "select_..." but work the opposite way: they select shapes from the argument region rather than self. In a deep (hierarchical) context the output region will be hierarchically aligned with self, so the "pull_..." methods provide a way for re-hierarchization. + + @return The region after the polygons have been selected (from other) + + Merged semantics applies for this method (see \merged_semantics= of merged semantics) + + This method has been introduced in version 0.26.1 """ - def __rmul__(self, f: float) -> SimplePolygon: + def remove_properties(self) -> None: r""" - @brief Scales the polygon by some factor + @brief Removes properties for the given container. + This will remove all properties on the given container. - Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + This method has been introduced in version 0.28.4. """ - def __str__(self) -> str: + @overload + def select_inside(self, other: Edges) -> Edges: r""" - @brief Returns a string representing the polygon + @brief Selects the edges from this edge collection which are inside (completely covered by) edges from the other edge collection + + @return The edge collection after the edges have been selected (self) + + This method has been introduced in version 0.28. """ - def _create(self) -> None: + @overload + def select_inside(self, other: Region) -> Edges: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Selects the edges from this edge collection which are inside (completely covered by) polygons from the region + + @return The edge collection after the edges have been selected (self) + + This method has been introduced in version 0.28. """ - def _destroy(self) -> None: + def select_inside_part(self, other: Region) -> Edges: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Selects the parts of the edges from this edge collection which are inside the polygons of the given region + + @return The edge collection after the edges have been selected (self) + + This operation selects the parts of the edges which are inside the given region. + This functionality is similar to the '&=' operator, but edges on the borders of the polygons are not included in the edge set. + As a side effect, the edges are made non-intersecting by introducing cut points where + edges intersect. + + This method has been introduced in version 0.24. """ - def _destroyed(self) -> bool: + @overload + def select_interacting(self, other: Edges) -> Edges: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Selects the edges from this edge collection which overlap or touch edges from the other edge collection + + @return The edge collection after the edges have been selected (self) """ - def _is_const_object(self) -> bool: + @overload + def select_interacting(self, other: Region) -> Edges: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Selects the edges from this edge collection which overlap or touch polygons from the region + + @return The edge collection after the edges have been selected (self) """ - def _manage(self) -> None: + @overload + def select_not_inside(self, other: Edges) -> Edges: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Selects the edges from this edge collection which are not inside (completely covered by) edges from the other edge collection - Usually it's not required to call this method. It has been introduced in version 0.24. + @return The edge collection after the edges have been selected (self) + + This method has been introduced in version 0.28. """ - def _unmanage(self) -> None: + @overload + def select_not_inside(self, other: Region) -> Edges: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Selects the edges from this edge collection which are not inside (completely covered by) polygons from the region - Usually it's not required to call this method. It has been introduced in version 0.24. + @return The edge collection after the edges have been selected (self) + + This method has been introduced in version 0.28. """ - def area(self) -> int: + @overload + def select_not_interacting(self, other: Edges) -> Edges: r""" - @brief Gets the area of the polygon - The area is correct only if the polygon is not self-overlapping and the polygon is oriented clockwise. + @brief Selects the edges from this edge collection which do not overlap or touch edges from the other edge collection + + @return The edge collection after the edges have been selected (self) """ - def area2(self) -> int: + @overload + def select_not_interacting(self, other: Region) -> Edges: r""" - @brief Gets the double area of the polygon - This method is provided because the area for an integer-type polygon is a multiple of 1/2. Hence the double area can be expresses precisely as an integer for these types. + @brief Selects the edges from this edge collection which do not overlap or touch polygons from the region - This method has been introduced in version 0.26.1 + @return The edge collection after the edges have been selected (self) """ - def assign(self, other: SimplePolygon) -> None: + @overload + def select_not_outside(self, other: Edges) -> Edges: r""" - @brief Assigns another object to self - """ - def bbox(self) -> Box: - r""" - @brief Returns the bounding box of the simple polygon - """ - def compress(self, remove_reflected: bool) -> None: - r""" - @brief Compressed the simple polygon. - - This method removes redundant points from the polygon, such as points being on a line formed by two other points. - If remove_reflected is true, points are also removed if the two adjacent edges form a spike. + @brief Selects the edges from this edge collection which are not outside (completely covered by) edges from the other edge collection - @param remove_reflected See description of the functionality. + @return The edge collection after the edges have been selected (self) - This method was introduced in version 0.18. - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def dup(self) -> SimplePolygon: - r""" - @brief Creates a copy of self - """ - def each_edge(self) -> Iterator[Edge]: - r""" - @brief Iterates over the edges that make up the simple polygon - """ - def each_point(self) -> Iterator[Point]: - r""" - @brief Iterates over the points that make up the simple polygon + This method has been introduced in version 0.28. """ - def extract_rad(self) -> List[Any]: + @overload + def select_not_outside(self, other: Region) -> Edges: r""" - @brief Extracts the corner radii from a rounded polygon - - Attempts to extract the radii of rounded corner polygon. This is essentially the inverse of the \round_corners method. If this method succeeds, if will return an array of four elements: @ul - @li The polygon with the rounded corners replaced by edgy ones @/li - @li The radius of the inner corners @/li - @li The radius of the outer corners @/li - @li The number of points per full circle @/li - @/ul - - This method is based on some assumptions and may fail. In this case, an empty array is returned. - - If successful, the following code will more or less render the original polygon and parameters - - @code - p = ... # some polygon - p.round_corners(ri, ro, n) - (p2, ri2, ro2, n2) = p.extract_rad - # -> p2 == p, ro2 == ro, ri2 == ri, n2 == n (within some limits) - @/code + @brief Selects the edges from this edge collection which are not outside (completely covered by) polygons from the region - This method was introduced in version 0.25. - """ - def hash(self) -> int: - r""" - @brief Computes a hash value - Returns a hash value for the given polygon. This method enables polygons as hash keys. + @return The edge collection after the edges have been selected (self) - This method has been introduced in version 0.25. - """ - def inside(self, p: Point) -> bool: - r""" - @brief Gets a value indicating whether the given point is inside the polygon - If the given point is inside or on the edge the polygon, true is returned. This tests works well only if the polygon is not self-overlapping and oriented clockwise. + This method has been introduced in version 0.28. """ - def is_box(self) -> bool: + @overload + def select_outside(self, other: Edges) -> Edges: r""" - @brief Returns a value indicating whether the polygon is a simple box. - - A polygon is a box if it is identical to it's bounding box. - - @return True if the polygon is a box. + @brief Selects the edges from this edge collection which are outside (completely covered by) edges from the other edge collection - This method was introduced in version 0.23. - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def is_empty(self) -> bool: - r""" - @brief Returns a value indicating whether the polygon is empty - """ - def is_halfmanhattan(self) -> bool: - r""" - @brief Returns a value indicating whether the polygon is half-manhattan - Half-manhattan polygons have edges which are multiples of 45 degree. These polygons can be clipped at a rectangle without potential grid snapping. + @return The edge collection after the edges have been selected (self) - This predicate was introduced in version 0.27. - """ - def is_rectilinear(self) -> bool: - r""" - @brief Returns a value indicating whether the polygon is rectilinear + This method has been introduced in version 0.28. """ @overload - def minkowski_sum(self, b: Box, resolve_holes: bool) -> Polygon: + def select_outside(self, other: Region) -> Edges: r""" - @brief Computes the Minkowski sum of a polygon and a box - - @param b The box. - @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. + @brief Selects the edges from this edge collection which are outside (completely covered by) polygons from the region - @return The new polygon representing the Minkowski sum of self and b. + @return The edge collection after the edges have been selected (self) - This method was introduced in version 0.22. + This method has been introduced in version 0.28. """ - @overload - def minkowski_sum(self, c: Sequence[Point], resolve_holes: bool) -> Polygon: + def select_outside_part(self, other: Region) -> Edges: r""" - @brief Computes the Minkowski sum of a polygon and a contour of points (a trace) + @brief Selects the parts of the edges from this edge collection which are outside the polygons of the given region - @param c The contour (a series of points forming the trace). - @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. + @return The edge collection after the edges have been selected (self) - @return The new polygon representing the Minkowski sum of self and c. + This operation selects the parts of the edges which are not inside the given region. + This functionality is similar to the '-=' operator, but edges on the borders of the polygons are included in the edge set. + As a side effect, the edges are made non-intersecting by introducing cut points where + edges intersect. - This method was introduced in version 0.22. + This method has been introduced in version 0.24. """ - @overload - def minkowski_sum(self, e: Edge, resolve_holes: bool) -> Polygon: + def separation_check(self, other: Edges, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ...) -> EdgePairs: r""" - @brief Computes the Minkowski sum of a polygon and an edge + @brief Performs an overlap check with options + @param d The minimum distance for which the edges are checked + @param other The other edge collection against which to check + @param whole_edges If true, deliver the whole edges + @param metrics Specify the metrics type + @param ignore_angle The threshold angle above which no check is performed + @param min_projection The lower threshold of the projected length of one edge onto another + @param max_projection The upper threshold of the projected length of one edge onto another - @param e The edge. - @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. + If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. - @return The new polygon representing the Minkowski sum of self and e. + "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. + Use nil for this value to select the default (Euclidian metrics). - This method was introduced in version 0.22. + "ignore_angle" specifies the angle threshold of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. + Use nil for this value to select the default. + + "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one threshold, pass nil to the respective value. """ - @overload - def minkowski_sum(self, p: SimplePolygon, resolve_holes: bool) -> Polygon: + def size(self) -> int: r""" - @brief Computes the Minkowski sum of a polygon and a polygon - - @param p The other polygon. - @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. + @brief Returns the (flat) number of edges in the edge collection - @return The new polygon representing the Minkowski sum of self and p. + This returns the number of raw edges (not merged edges if merged semantics is enabled). + The count is computed 'as if flat', i.e. edges inside a cell are multiplied by the number of times a cell is instantiated. - This method was introduced in version 0.22. + Starting with version 0.27, the method is called 'count' for consistency with \Region. 'size' is still provided as an alias. """ - @overload - def minkowsky_sum(self, b: Box, resolve_holes: bool) -> Polygon: + def space_check(self, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ...) -> EdgePairs: r""" - @brief Computes the Minkowski sum of a polygon and a box + @brief Performs a space check with options + @param d The minimum distance for which the edges are checked + @param whole_edges If true, deliver the whole edges + @param metrics Specify the metrics type + @param ignore_angle The threshold angle above which no check is performed + @param min_projection The lower threshold of the projected length of one edge onto another + @param max_projection The upper threshold of the projected length of one edge onto another - @param b The box. - @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. + If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the space check. - @return The new polygon representing the Minkowski sum of self and b. + "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. + Use nil for this value to select the default (Euclidian metrics). - This method was introduced in version 0.22. + "ignore_angle" specifies the angle threshold of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. + Use nil for this value to select the default. + + "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one threshold, pass nil to the respective value. """ @overload - def minkowsky_sum(self, c: Sequence[Point], resolve_holes: bool) -> Polygon: + def split_inside(self, other: Edges) -> List[Edges]: r""" - @brief Computes the Minkowski sum of a polygon and a contour of points (a trace) - - @param c The contour (a series of points forming the trace). - @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. + @brief Selects the edges from this edge collection which are and are not inside (completely covered by) edges from the other collection - @return The new polygon representing the Minkowski sum of self and c. + @return A two-element list of edge collections (first: inside, second: non-inside) - This method was introduced in version 0.22. + This method provides a faster way to compute both inside and non-inside edges compared to using separate methods. It has been introduced in version 0.28. """ @overload - def minkowsky_sum(self, e: Edge, resolve_holes: bool) -> Polygon: + def split_inside(self, other: Region) -> List[Edges]: r""" - @brief Computes the Minkowski sum of a polygon and an edge - - @param e The edge. - @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. + @brief Selects the edges from this edge collection which are and are not inside (completely covered by) polygons from the other region - @return The new polygon representing the Minkowski sum of self and e. + @return A two-element list of edge collections (first: inside, second: non-inside) - This method was introduced in version 0.22. + This method provides a faster way to compute both inside and non-inside edges compared to using separate methods. It has been introduced in version 0.28. """ @overload - def minkowsky_sum(self, p: SimplePolygon, resolve_holes: bool) -> Polygon: + def split_interacting(self, other: Edges) -> List[Edges]: r""" - @brief Computes the Minkowski sum of a polygon and a polygon - - @param p The other polygon. - @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. + @brief Selects the edges from this edge collection which do and do not interact with edges from the other collection - @return The new polygon representing the Minkowski sum of self and p. + @return A two-element list of edge collections (first: interacting, second: non-interacting) - This method was introduced in version 0.22. + This method provides a faster way to compute both interacting and non-interacting edges compared to using separate methods. It has been introduced in version 0.28. """ @overload - def move(self, p: Vector) -> SimplePolygon: + def split_interacting(self, other: Region) -> List[Edges]: r""" - @brief Moves the simple polygon. - - Moves the simple polygon by the given offset and returns the - moved simple polygon. The polygon is overwritten. + @brief Selects the edges from this edge collection which do and do not interact with polygons from the other region - @param p The distance to move the simple polygon. + @return A two-element list of edge collections (first: interacting, second: non-interacting) - @return The moved simple polygon. + This method provides a faster way to compute both interacting and non-interacting edges compared to using separate methods. It has been introduced in version 0.28. """ @overload - def move(self, x: int, y: int) -> SimplePolygon: + def split_outside(self, other: Edges) -> List[Edges]: r""" - @brief Moves the polygon. - - Moves the polygon by the given offset and returns the - moved polygon. The polygon is overwritten. + @brief Selects the edges from this edge collection which are and are not outside (completely covered by) edges from the other collection - @param x The x distance to move the polygon. - @param y The y distance to move the polygon. + @return A two-element list of edge collections (first: outside, second: non-outside) - @return The moved polygon (self). + This method provides a faster way to compute both outside and non-outside edges compared to using separate methods. It has been introduced in version 0.28. """ @overload - def moved(self, p: Vector) -> SimplePolygon: + def split_outside(self, other: Region) -> List[Edges]: r""" - @brief Returns the moved simple polygon - - Moves the simple polygon by the given offset and returns the - moved simple polygon. The polygon is not modified. + @brief Selects the edges from this edge collection which are and are not outside (completely covered by) polygons from the other region - @param p The distance to move the simple polygon. + @return A two-element list of edge collections (first: outside, second: non-outside) - @return The moved simple polygon. + This method provides a faster way to compute both outside and non-outside edges compared to using separate methods. It has been introduced in version 0.28. """ - @overload - def moved(self, x: int, y: int) -> SimplePolygon: + def start_segments(self, length: int, fraction: float) -> Edges: r""" - @brief Returns the moved polygon (does not modify self) - - Moves the polygon by the given offset and returns the - moved polygon. The polygon is not modified. - - @param x The x distance to move the polygon. - @param y The y distance to move the polygon. + @brief Returns edges representing a part of the edge after the start point + @return A new collection of edges representing the start part + This method allows one to specify the length of these segments in a twofold way: either as a fixed length or by specifying a fraction of the original length: - @return The moved polygon. + @code + edges = ... # An edge collection + edges.start_segments(100, 0.0) # All segments have a length of 100 DBU + edges.start_segments(0, 50.0) # All segments have a length of half the original length + edges.start_segments(100, 50.0) # All segments have a length of half the original length + # or 100 DBU, whichever is larger + @/code - This method has been introduced in version 0.23. + It is possible to specify 0 for both values. In this case, degenerated edges (points) are delivered which specify the start positions of the edges but can't participate in some functions. """ - def num_points(self) -> int: + def swap(self, other: Edges) -> None: r""" - @brief Gets the number of points + @brief Swap the contents of this edge collection with the contents of another one + This method is useful to avoid excessive memory allocation in some cases. For managed memory languages such as Ruby, those cases will be rare. """ - def perimeter(self) -> int: + @overload + def to_s(self) -> str: r""" - @brief Gets the perimeter of the polygon - The perimeter is sum of the lengths of all edges making up the polygon. + @brief Converts the edge collection to a string + The length of the output is limited to 20 edges to avoid giant strings on large regions. For full output use "to_s" with a maximum count parameter. """ - def point(self, p: int) -> Point: + @overload + def to_s(self, max_count: int) -> str: r""" - @brief Gets a specific point of the contour@param p The index of the point to get - If the index of the point is not a valid index, a default value is returned. - This method was introduced in version 0.18. + @brief Converts the edge collection to a string + This version allows specification of the maximum number of edges contained in the string. """ - def round_corners(self, rinner: float, router: float, n: int) -> SimplePolygon: + @overload + def transform(self, t: ICplxTrans) -> Edges: r""" - @brief Rounds the corners of the polygon - - Replaces the corners of the polygon with circle segments. + @brief Transform the edge collection with a complex transformation (modifies self) - @param rinner The circle radius of inner corners (in database units). - @param router The circle radius of outer corners (in database units). - @param n The number of points per full circle. + Transforms the edge collection with the given transformation. + This version modifies the edge collection and returns a reference to self. - @return The new polygon. + @param t The transformation to apply. - This method was introduced in version 0.22 for integer coordinates and in 0.25 for all coordinate types. + @return The transformed edge collection. """ - def set_points(self, pts: Sequence[Point], raw: Optional[bool] = ...) -> None: + @overload + def transform(self, t: IMatrix2d) -> Edges: r""" - @brief Sets the points of the simple polygon - - @param pts An array of points to assign to the simple polygon - @param raw If true, the points are taken as they are + @brief Transform the edge collection (modifies self) - See the constructor description for details about raw mode. + Transforms the edge collection with the given 2d matrix transformation. + This version modifies the edge collection and returns a reference to self. - This method has been added in version 0.24. - """ - def split(self) -> List[SimplePolygon]: - r""" - @brief Splits the polygon into two or more parts - This method will break the polygon into parts. The exact breaking algorithm is unspecified, the result are smaller polygons of roughly equal number of points and 'less concave' nature. Usually the returned polygon set consists of two polygons, but there can be more. The merged region of the resulting polygons equals the original polygon with the exception of small snapping effects at new vertexes. + @param t The transformation to apply. - The intended use for this method is a iteratively split polygons until the satisfy some maximum number of points limit. + @return The transformed edge collection. - This method has been introduced in version 0.25.3. + This variant has been introduced in version 0.27. """ - def to_dtype(self, dbu: Optional[float] = ...) -> DSimplePolygon: + @overload + def transform(self, t: IMatrix3d) -> Edges: r""" - @brief Converts the polygon to a floating-point coordinate polygon + @brief Transform the edge collection (modifies self) - The database unit can be specified to translate the integer-coordinate polygon into a floating-point coordinate polygon in micron units. The database unit is basically a scaling factor. + Transforms the edge collection with the given 3d matrix transformation. + This version modifies the edge collection and returns a reference to self. - This method has been introduced in version 0.25. - """ - def to_s(self) -> str: - r""" - @brief Returns a string representing the polygon - """ - @overload - def touches(self, box: Box) -> bool: - r""" - @brief Returns true, if the polygon touches the given box. - The box and the polygon touch if they overlap or their contours share at least one point. + @param t The transformation to apply. - This method was introduced in version 0.25.1. - """ - @overload - def touches(self, edge: Edge) -> bool: - r""" - @brief Returns true, if the polygon touches the given edge. - The edge and the polygon touch if they overlap or the edge shares at least one point with the polygon's contour. + @return The transformed edge collection. - This method was introduced in version 0.25.1. + This variant has been introduced in version 0.27. """ @overload - def touches(self, polygon: Polygon) -> bool: + def transform(self, t: Trans) -> Edges: r""" - @brief Returns true, if the polygon touches the other polygon. - The polygons touch if they overlap or their contours share at least one point. + @brief Transform the edge collection (modifies self) - This method was introduced in version 0.25.1. - """ - @overload - def touches(self, simple_polygon: SimplePolygon) -> bool: - r""" - @brief Returns true, if the polygon touches the other polygon. - The polygons touch if they overlap or their contours share at least one point. + Transforms the edge collection with the given transformation. + This version modifies the edge collection and returns a reference to self. - This method was introduced in version 0.25.1. + @param t The transformation to apply. + + @return The transformed edge collection. """ - @overload - def transform(self, t: ICplxTrans) -> SimplePolygon: + def transform_icplx(self, t: ICplxTrans) -> Edges: r""" - @brief Transforms the simple polygon with a complex transformation (in-place) + @brief Transform the edge collection with a complex transformation (modifies self) - Transforms the simple polygon with the given complex transformation. - Modifies self and returns self. An out-of-place version which does not modify self is \transformed. + Transforms the edge collection with the given transformation. + This version modifies the edge collection and returns a reference to self. @param t The transformation to apply. - This method has been introduced in version 0.24. + @return The transformed edge collection. """ @overload - def transform(self, t: Trans) -> SimplePolygon: + def transformed(self, t: ICplxTrans) -> Edges: r""" - @brief Transforms the simple polygon (in-place) + @brief Transform the edge collection with a complex transformation - Transforms the simple polygon with the given transformation. - Modifies self and returns self. An out-of-place version which does not modify self is \transformed. + Transforms the edge collection with the given complex transformation. + Does not modify the edge collection but returns the transformed edge collection. @param t The transformation to apply. - This method has been introduced in version 0.24. + @return The transformed edge collection. """ @overload - def transformed(self, t: CplxTrans) -> DSimplePolygon: + def transformed(self, t: IMatrix2d) -> Edges: r""" - @brief Transforms the simple polygon. + @brief Transform the edge collection - Transforms the simple polygon with the given complex transformation. - Does not modify the simple polygon but returns the transformed polygon. + Transforms the edge collection with the given 2d matrix transformation. + Does not modify the edge collection but returns the transformed edge collection. @param t The transformation to apply. - @return The transformed simple polygon. + @return The transformed edge collection. - With version 0.25, the original 'transformed_cplx' method is deprecated and 'transformed' takes both simple and complex transformations. + This variant has been introduced in version 0.27. """ @overload - def transformed(self, t: ICplxTrans) -> SimplePolygon: + def transformed(self, t: IMatrix3d) -> Edges: r""" - @brief Transforms the simple polygon. + @brief Transform the edge collection - Transforms the simple polygon with the given complex transformation. - Does not modify the simple polygon but returns the transformed polygon. + Transforms the edge collection with the given 3d matrix transformation. + Does not modify the edge collection but returns the transformed edge collection. @param t The transformation to apply. - @return The transformed simple polygon (in this case an integer coordinate object). + @return The transformed edge collection. - This method has been introduced in version 0.18. + This variant has been introduced in version 0.27. """ @overload - def transformed(self, t: Trans) -> SimplePolygon: + def transformed(self, t: Trans) -> Edges: r""" - @brief Transforms the simple polygon. + @brief Transform the edge collection - Transforms the simple polygon with the given transformation. - Does not modify the simple polygon but returns the transformed polygon. + Transforms the edge collection with the given transformation. + Does not modify the edge collection but returns the transformed edge collection. @param t The transformation to apply. - @return The transformed simple polygon. + @return The transformed edge collection. """ - def transformed_cplx(self, t: CplxTrans) -> DSimplePolygon: + def transformed_icplx(self, t: ICplxTrans) -> Edges: r""" - @brief Transforms the simple polygon. + @brief Transform the edge collection with a complex transformation - Transforms the simple polygon with the given complex transformation. - Does not modify the simple polygon but returns the transformed polygon. + Transforms the edge collection with the given complex transformation. + Does not modify the edge collection but returns the transformed edge collection. @param t The transformation to apply. - @return The transformed simple polygon. - - With version 0.25, the original 'transformed_cplx' method is deprecated and 'transformed' takes both simple and complex transformations. + @return The transformed edge collection. """ + def width_check(self, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ...) -> EdgePairs: + r""" + @brief Performs a width check with options + @param d The minimum width for which the edges are checked + @param whole_edges If true, deliver the whole edges + @param metrics Specify the metrics type + @param ignore_angle The threshold angle above which no check is performed + @param min_projection The lower threshold of the projected length of one edge onto another + @param max_projection The upper threshold of the projected length of one edge onto another -class DSimplePolygon: - r""" - @brief A simple polygon class - - A simple polygon consists of an outer hull only. To support polygons with holes, use \DPolygon. - The contour consists of several points. The point - list is normalized such that the leftmost, lowest point is - the first one. The orientation is normalized such that - the orientation of the hull contour is clockwise. + If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. - It is in no way checked that the contours are not over- - lapping. This must be ensured by the user of the object - when filling the contours. + "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. + Use nil for this value to select the default (Euclidian metrics). - The \DSimplePolygon class stores coordinates in floating-point format which gives a higher precision for some operations. A class that stores integer coordinates is \SimplePolygon. + "ignore_angle" specifies the angle threshold of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. + Use nil for this value to select the default. - See @The Database API@ for more details about the database objects. - """ - @property - def points(self) -> None: + "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one threshold, pass nil to the respective value. + """ + @overload + def with_angle(self, angle: float, inverse: bool) -> Edges: r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the points of the simple polygon + @brief Filters the edges by orientation + Filters the edges in the edge collection by orientation. If "inverse" is false, only edges which have the given angle to the x-axis are returned. If "inverse" is true, edges not having the given angle are returned. - @param pts An array of points to assign to the simple polygon + This will select horizontal edges: - See the constructor description for details about raw mode. + @code + horizontal = edges.with_angle(0, false) + @/code """ - @classmethod - def ellipse(cls, box: DBox, n: int) -> DSimplePolygon: + @overload + def with_angle(self, min_angle: float, max_angle: float, inverse: bool, include_min_angle: Optional[bool] = ..., include_max_angle: Optional[bool] = ...) -> Edges: r""" - @brief Creates a simple polygon approximating an ellipse + @brief Filters the edges by orientation + Filters the edges in the edge collection by orientation. If "inverse" is false, only edges which have an angle to the x-axis larger or equal to "min_angle" (depending on "include_min_angle") and equal or less than "max_angle" (depending on "include_max_angle") are returned. If "inverse" is true, edges which do not conform to this criterion are returned. - @param box The bounding box of the ellipse - @param n The number of points that will be used to approximate the ellipse + With "include_min_angle" set to true (the default), the minimum angle is included in the criterion while with false, the minimum angle itself is not included. Same for "include_max_angle" where the default is false, meaning the maximum angle is not included in the range. - This method has been introduced in version 0.23. - """ - @classmethod - def from_ipoly(cls, polygon: SimplePolygon) -> DSimplePolygon: - r""" - @brief Creates a floating-point coordinate polygon from an integer coordinate polygon - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipoly'. + The two "include.." arguments have been added in version 0.27. """ - @classmethod - def from_s(cls, s: str) -> DSimplePolygon: + @overload + def with_angle(self, type: Edges.EdgeType, inverse: bool) -> Edges: r""" - @brief Creates an object from a string - Creates the object from a string representation (as returned by \to_s) + @brief Filters the edges by orientation type + Filters the edges in the edge collection by orientation. If "inverse" is false, only edges which have an angle of the given type are returned. If "inverse" is true, edges which do not conform to this criterion are returned. - This method has been added in version 0.23. + This version allows specifying an edge type instead of an angle. Edge types include multiple distinct orientations and are specified using one of the \OrthoEdges, \DiagonalEdges or \OrthoDiagonalEdges types. + + This method has been added in version 0.28. """ @overload - @classmethod - def new(cls) -> DSimplePolygon: + def with_length(self, length: int, inverse: bool) -> Edges: r""" - @brief Default constructor: creates an empty (invalid) polygon + @brief Filters the edges by length + Filters the edges in the edge collection by length. If "inverse" is false, only edges which have the given length are returned. If "inverse" is true, edges not having the given length are returned. """ @overload - @classmethod - def new(cls, box: DBox) -> DSimplePolygon: + def with_length(self, min_length: Any, max_length: Any, inverse: bool) -> Edges: r""" - @brief Constructor converting a box to a polygon + @brief Filters the edges by length + Filters the edges in the edge collection by length. If "inverse" is false, only edges which have a length larger or equal to "min_length" and less than "max_length" are returned. If "inverse" is true, edges not having a length less than "min_length" or larger or equal than "max_length" are returned. - @param box The box to convert to a polygon - """ - @overload - @classmethod - def new(cls, polygon: SimplePolygon) -> DSimplePolygon: - r""" - @brief Creates a floating-point coordinate polygon from an integer coordinate polygon - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipoly'. + If you don't want to specify a lower or upper limit, pass nil to that parameter. """ - @overload - @classmethod - def new(cls, pts: Sequence[DPoint], raw: Optional[bool] = ...) -> DSimplePolygon: - r""" - @brief Constructor given the points of the simple polygon - @param pts The points forming the simple polygon - @param raw If true, the points are taken as they are (see below) +class EqualDeviceParameters: + r""" + @brief A device parameter equality comparer. + Attach this object to a device class with \DeviceClass#equal_parameters= to make the device class use this comparer: - If the 'raw' argument is set to true, the points are taken as they are. Specifically no removal of redundant points or joining of coincident edges will take place. In effect, polygons consisting of a single point or two points can be constructed as well as polygons with duplicate points. Note that such polygons may cause problems in some applications. + @code + # 20nm tolerance for length: + equal_device_parameters = RBA::EqualDeviceParameters::new(RBA::DeviceClassMOS4Transistor::PARAM_L, 0.02, 0.0) + # one percent tolerance for width: + equal_device_parameters += RBA::EqualDeviceParameters::new(RBA::DeviceClassMOS4Transistor::PARAM_W, 0.0, 0.01) + # applies the compare delegate: + netlist.device_class_by_name("NMOS").equal_parameters = equal_device_parameters + @/code - Regardless of raw mode, the point list will be adjusted such that the first point is the lowest-leftmost one and the orientation is clockwise always. + You can use this class to specify fuzzy equality criteria for the comparison of device parameters in netlist verification or to confine the equality of devices to certain parameters only. - The 'raw' argument has been added in version 0.24. - """ - def __copy__(self) -> DSimplePolygon: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> DSimplePolygon: - r""" - @brief Creates a copy of self - """ - def __eq__(self, p: object) -> bool: - r""" - @brief Returns a value indicating whether self is equal to p - @param p The object to compare against - """ - def __hash__(self) -> int: + This class has been added in version 0.26. + """ + @classmethod + def ignore(cls, param_id: int) -> EqualDeviceParameters: r""" - @brief Computes a hash value - Returns a hash value for the given polygon. This method enables polygons as hash keys. + @brief Creates a device parameter comparer which ignores the parameter. - This method has been introduced in version 0.25. - """ - @overload - def __init__(self) -> None: - r""" - @brief Default constructor: creates an empty (invalid) polygon - """ - @overload - def __init__(self, box: DBox) -> None: - r""" - @brief Constructor converting a box to a polygon + This specification can be used to make a parameter ignored. Starting with version 0.27.4, all primary parameters are compared. Before 0.27.4, giving a tolerance meant only those parameters are compared. To exclude a primary parameter from the compare, use the 'ignore' specification for that parameter. - @param box The box to convert to a polygon - """ - @overload - def __init__(self, polygon: SimplePolygon) -> None: - r""" - @brief Creates a floating-point coordinate polygon from an integer coordinate polygon - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipoly'. + This constructor has been introduced in version 0.27.4. """ - @overload - def __init__(self, pts: Sequence[DPoint], raw: Optional[bool] = ...) -> None: + @classmethod + def new(cls, param_id: int, absolute: Optional[float] = ..., relative: Optional[float] = ...) -> EqualDeviceParameters: r""" - @brief Constructor given the points of the simple polygon - - @param pts The points forming the simple polygon - @param raw If true, the points are taken as they are (see below) - - If the 'raw' argument is set to true, the points are taken as they are. Specifically no removal of redundant points or joining of coincident edges will take place. In effect, polygons consisting of a single point or two points can be constructed as well as polygons with duplicate points. Note that such polygons may cause problems in some applications. + @brief Creates a device parameter comparer for a single parameter. + 'absolute' is the absolute deviation allowed for the parameter values. 'relative' is the relative deviation allowed for the parameter values (a value between 0 and 1). - Regardless of raw mode, the point list will be adjusted such that the first point is the lowest-leftmost one and the orientation is clockwise always. + A value of 0 for both absolute and relative deviation means the parameters have to match exactly. - The 'raw' argument has been added in version 0.24. + If 'absolute' and 'relative' are both given, their deviations will add to the allowed difference between two parameter values. The relative deviation will be applied to the mean value of both parameter values. For example, when comparing parameter values of 40 and 60, a relative deviation of 0.35 means an absolute deviation of 17.5 (= 0.35 * average of 40 and 60) which does not make both values match. """ - def __lt__(self, p: DSimplePolygon) -> bool: + def __add__(self, other: EqualDeviceParameters) -> EqualDeviceParameters: r""" - @brief Returns a value indicating whether self is less than p - @param p The object to compare against - This operator is provided to establish some, not necessarily a certain sorting order - - This method has been introduced in version 0.25. + @brief Combines two parameters for comparison. + The '+' operator will join the parameter comparers and produce one that checks the combined parameters. """ - def __mul__(self, f: float) -> DSimplePolygon: + def __copy__(self) -> EqualDeviceParameters: r""" - @brief Scales the polygon by some factor - - Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + @brief Creates a copy of self """ - def __ne__(self, p: object) -> bool: + def __deepcopy__(self) -> EqualDeviceParameters: r""" - @brief Returns a value indicating whether self is not equal to p - @param p The object to compare against + @brief Creates a copy of self """ - def __rmul__(self, f: float) -> DSimplePolygon: + def __iadd__(self, other: EqualDeviceParameters) -> EqualDeviceParameters: r""" - @brief Scales the polygon by some factor - - Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + @brief Combines two parameters for comparison (in-place). + The '+=' operator will join the parameter comparers and produce one that checks the combined parameters. """ - def __str__(self) -> str: + def __init__(self, param_id: int, absolute: Optional[float] = ..., relative: Optional[float] = ...) -> None: r""" - @brief Returns a string representing the polygon + @brief Creates a device parameter comparer for a single parameter. + 'absolute' is the absolute deviation allowed for the parameter values. 'relative' is the relative deviation allowed for the parameter values (a value between 0 and 1). + + A value of 0 for both absolute and relative deviation means the parameters have to match exactly. + + If 'absolute' and 'relative' are both given, their deviations will add to the allowed difference between two parameter values. The relative deviation will be applied to the mean value of both parameter values. For example, when comparing parameter values of 40 and 60, a relative deviation of 0.35 means an absolute deviation of 17.5 (= 0.35 * average of 40 and 60) which does not make both values match. """ def _create(self) -> None: r""" @@ -21023,37 +20729,10 @@ class DSimplePolygon: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def area(self) -> float: - r""" - @brief Gets the area of the polygon - The area is correct only if the polygon is not self-overlapping and the polygon is oriented clockwise. - """ - def area2(self) -> float: - r""" - @brief Gets the double area of the polygon - This method is provided because the area for an integer-type polygon is a multiple of 1/2. Hence the double area can be expresses precisely as an integer for these types. - - This method has been introduced in version 0.26.1 - """ - def assign(self, other: DSimplePolygon) -> None: + def assign(self, other: EqualDeviceParameters) -> None: r""" @brief Assigns another object to self """ - def bbox(self) -> DBox: - r""" - @brief Returns the bounding box of the simple polygon - """ - def compress(self, remove_reflected: bool) -> None: - r""" - @brief Compressed the simple polygon. - - This method removes redundant points from the polygon, such as points being on a line formed by two other points. - If remove_reflected is true, points are also removed if the two adjacent edges form a spike. - - @param remove_reflected See description of the functionality. - - This method was introduced in version 0.18. - """ def create(self) -> None: r""" @brief Ensures the C++ object is created @@ -21071,547 +20750,589 @@ class DSimplePolygon: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> DSimplePolygon: + def dup(self) -> EqualDeviceParameters: r""" @brief Creates a copy of self """ - def each_edge(self) -> Iterator[DEdge]: + def is_const_object(self) -> bool: r""" - @brief Iterates over the edges that make up the simple polygon + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def each_point(self) -> Iterator[DPoint]: + def to_string(self) -> str: r""" - @brief Iterates over the points that make up the simple polygon + @hide """ - def extract_rad(self) -> List[Any]: - r""" - @brief Extracts the corner radii from a rounded polygon - - Attempts to extract the radii of rounded corner polygon. This is essentially the inverse of the \round_corners method. If this method succeeds, if will return an array of four elements: @ul - @li The polygon with the rounded corners replaced by edgy ones @/li - @li The radius of the inner corners @/li - @li The radius of the outer corners @/li - @li The number of points per full circle @/li - @/ul - - This method is based on some assumptions and may fail. In this case, an empty array is returned. - If successful, the following code will more or less render the original polygon and parameters +class GenericDeviceCombiner: + r""" + @brief A class implementing the combination of two devices (parallel or serial mode). + Reimplement this class to provide a custom device combiner. + Device combination requires 'supports_paralell_combination' or 'supports_serial_combination' to be set to true for the device class. In the netlist device combination step, the algorithm will try to identify devices which can be combined into single devices and use the combiner object to implement the actual joining of such devices. - @code - p = ... # some polygon - p.round_corners(ri, ro, n) - (p2, ri2, ro2, n2) = p.extract_rad - # -> p2 == p, ro2 == ro, ri2 == ri, n2 == n (within some limits) - @/code + Attach this object to a device class with \DeviceClass#combiner= to make the device class use this combiner. - This method was introduced in version 0.25. + This class has been added in version 0.27.3. + """ + @classmethod + def new(cls) -> GenericDeviceCombiner: + r""" + @brief Creates a new object of this class """ - def hash(self) -> int: + def __copy__(self) -> GenericDeviceCombiner: r""" - @brief Computes a hash value - Returns a hash value for the given polygon. This method enables polygons as hash keys. - - This method has been introduced in version 0.25. + @brief Creates a copy of self """ - def inside(self, p: DPoint) -> bool: + def __deepcopy__(self) -> GenericDeviceCombiner: r""" - @brief Gets a value indicating whether the given point is inside the polygon - If the given point is inside or on the edge the polygon, true is returned. This tests works well only if the polygon is not self-overlapping and oriented clockwise. + @brief Creates a copy of self """ - def is_box(self) -> bool: + def __init__(self) -> None: r""" - @brief Returns a value indicating whether the polygon is a simple box. - - A polygon is a box if it is identical to it's bounding box. - - @return True if the polygon is a box. - - This method was introduced in version 0.23. + @brief Creates a new object of this class """ - def is_const_object(self) -> bool: + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def is_empty(self) -> bool: + def _manage(self) -> None: r""" - @brief Returns a value indicating whether the polygon is empty + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def is_halfmanhattan(self) -> bool: + def _unmanage(self) -> None: r""" - @brief Returns a value indicating whether the polygon is half-manhattan - Half-manhattan polygons have edges which are multiples of 45 degree. These polygons can be clipped at a rectangle without potential grid snapping. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This predicate was introduced in version 0.27. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def is_rectilinear(self) -> bool: + def assign(self, other: GenericDeviceCombiner) -> None: r""" - @brief Returns a value indicating whether the polygon is rectilinear + @brief Assigns another object to self """ - @overload - def move(self, p: DVector) -> DSimplePolygon: + def create(self) -> None: r""" - @brief Moves the simple polygon. - - Moves the simple polygon by the given offset and returns the - moved simple polygon. The polygon is overwritten. - - @param p The distance to move the simple polygon. - - @return The moved simple polygon. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def move(self, x: float, y: float) -> DSimplePolygon: + def destroy(self) -> None: r""" - @brief Moves the polygon. - - Moves the polygon by the given offset and returns the - moved polygon. The polygon is overwritten. - - @param x The x distance to move the polygon. - @param y The y distance to move the polygon. - - @return The moved polygon (self). + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def moved(self, p: DVector) -> DSimplePolygon: + def destroyed(self) -> bool: r""" - @brief Returns the moved simple polygon + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> GenericDeviceCombiner: + r""" + @brief Creates a copy of self + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ - Moves the simple polygon by the given offset and returns the - moved simple polygon. The polygon is not modified. +class GenericDeviceExtractor(DeviceExtractorBase): + r""" + @brief The basic class for implementing custom device extractors. - @param p The distance to move the simple polygon. + This class serves as a base class for implementing customized device extractors. This class does not provide any extraction functionality, so you have to implement every detail. - @return The moved simple polygon. - """ - @overload - def moved(self, x: float, y: float) -> DSimplePolygon: - r""" - @brief Returns the moved polygon (does not modify self) + Device extraction requires a few definitions. The definitions are made in the reimplementation of the \setup + method. Required definitions to be made are: - Moves the polygon by the given offset and returns the - moved polygon. The polygon is not modified. + @ul + @li The name of the extractor. This will also be the name of the device class produced by the extractor. The name is set using \name=. @/li + @li The device class of the devices to produce. The device class is registered using \register_device_class. @/li + @li The layers used for the device extraction. These are input layers for the extraction as well as output layers for defining the terminals. Terminals are the points at which the nets connect to the devices. + Layers are defined using \define_layer. Initially, layers are abstract definitions with a name and a description. + Concrete layers will be given when defining the connectivity. @/li + @/ul - @param x The x distance to move the polygon. - @param y The y distance to move the polygon. + When the device extraction is started, the device extraction algorithm will first ask the device extractor for the 'connectivity'. This is not a connectivity in a sense of electrical connections. The connectivity defines are logical compound that makes up the device. 'Connected' shapes are collected and presented to the device extractor. + The connectivity is obtained by calling \get_connectivity. This method must be implemented to produce the connectivity. - @return The moved polygon. + Finally, the individual devices need to be extracted. Each cluster of connected shapes is presented to the device extractor. A cluster may include more than one device. It's the device extractor's responsibility to extract the devices from this cluster and deliver the devices through \create_device. In addition, terminals have to be defined, so the net extractor can connect to the devices. Terminal definitions are made through \define_terminal. The device extraction is implemented in the \extract_devices method. - This method has been introduced in version 0.23. + If errors occur during device extraction, the \error method may be used to issue such errors. Errors reported this way are kept in the error log. + + This class has been introduced in version 0.26. + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def num_points(self) -> int: + def _destroy(self) -> None: r""" - @brief Gets the number of points + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def perimeter(self) -> float: + def _destroyed(self) -> bool: r""" - @brief Gets the perimeter of the polygon - The perimeter is sum of the lengths of all edges making up the polygon. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def point(self, p: int) -> DPoint: + def _is_const_object(self) -> bool: r""" - @brief Gets a specific point of the contour@param p The index of the point to get - If the index of the point is not a valid index, a default value is returned. - This method was introduced in version 0.18. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def round_corners(self, rinner: float, router: float, n: int) -> DSimplePolygon: + def _manage(self) -> None: r""" - @brief Rounds the corners of the polygon - - Replaces the corners of the polygon with circle segments. - - @param rinner The circle radius of inner corners (in database units). - @param router The circle radius of outer corners (in database units). - @param n The number of points per full circle. - - @return The new polygon. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method was introduced in version 0.22 for integer coordinates and in 0.25 for all coordinate types. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def set_points(self, pts: Sequence[DPoint], raw: Optional[bool] = ...) -> None: + def _unmanage(self) -> None: r""" - @brief Sets the points of the simple polygon - - @param pts An array of points to assign to the simple polygon - @param raw If true, the points are taken as they are - - See the constructor description for details about raw mode. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been added in version 0.24. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def split(self) -> List[DSimplePolygon]: + def create_device(self) -> Device: r""" - @brief Splits the polygon into two or more parts - This method will break the polygon into parts. The exact breaking algorithm is unspecified, the result are smaller polygons of roughly equal number of points and 'less concave' nature. Usually the returned polygon set consists of two polygons, but there can be more. The merged region of the resulting polygons equals the original polygon with the exception of small snapping effects at new vertexes. - - The intended use for this method is a iteratively split polygons until the satisfy some maximum number of points limit. - - This method has been introduced in version 0.25.3. + @brief Creates a device. + The device object returned can be configured by the caller, e.g. set parameters. + It will be owned by the netlist and must not be deleted by the caller. """ - def to_itype(self, dbu: Optional[float] = ...) -> SimplePolygon: + def dbu(self) -> float: r""" - @brief Converts the polygon to an integer coordinate polygon - The database unit can be specified to translate the floating-point coordinate polygon in micron units to an integer-coordinate polygon in database units. The polygon's' coordinates will be divided by the database unit. - - This method has been introduced in version 0.25. + @brief Gets the database unit """ - def to_s(self) -> str: + def define_layer(self, name: str, description: str) -> NetlistDeviceExtractorLayerDefinition: r""" - @brief Returns a string representing the polygon + @brief Defines a layer. + @return The layer descriptor object created for this layer (use 'index' to get the layer's index) + Each call will define one more layer for the device extraction. + This method shall be used inside the implementation of \setup to define + the device layers. The actual geometries are later available to \extract_devices + in the order the layers are defined. """ - @overload - def touches(self, box: DBox) -> bool: + def define_opt_layer(self, name: str, fallback: int, description: str) -> NetlistDeviceExtractorLayerDefinition: r""" - @brief Returns true, if the polygon touches the given box. - The box and the polygon touch if they overlap or their contours share at least one point. - - This method was introduced in version 0.25.1. + @brief Defines a layer with a fallback layer. + @return The layer descriptor object created for this layer (use 'index' to get the layer's index) + As \define_layer, this method allows specification of device extraction layer. In addition to \define_layout, it features a fallback layer. If in the device extraction statement, the primary layer is not given, the fallback layer will be used. Hence, this layer is optional. The fallback layer is given by it's index and must be defined before the layer using the fallback layer is defined. For the index, 0 is the first layer defined, 1 the second and so forth. """ @overload - def touches(self, edge: DEdge) -> bool: + def define_terminal(self, device: Device, terminal_id: int, layer_index: int, point: Point) -> None: r""" - @brief Returns true, if the polygon touches the given edge. - The edge and the polygon touch if they overlap or the edge shares at least one point with the polygon's contour. + @brief Defines a device terminal. + This method will define a terminal to the given device and the given terminal ID. + The terminal will be placed on the layer given by "layer_index". The layer index + is the index of the layer during layer definition. The first layer is 0, the second layer 1 etc. - This method was introduced in version 0.25.1. + This version produces a point-like terminal. Note that the point is + specified in database units. """ @overload - def touches(self, polygon: DPolygon) -> bool: + def define_terminal(self, device: Device, terminal_id: int, layer_index: int, shape: Box) -> None: r""" - @brief Returns true, if the polygon touches the other polygon. - The polygons touch if they overlap or their contours share at least one point. + @brief Defines a device terminal. + This method will define a terminal to the given device and the given terminal ID. + The terminal will be placed on the layer given by "layer_index". The layer index + is the index of the layer during layer definition. The first layer is 0, the second layer 1 etc. - This method was introduced in version 0.25.1. + This version produces a terminal with a shape given by the box. Note that the box is + specified in database units. """ @overload - def touches(self, simple_polygon: DSimplePolygon) -> bool: + def define_terminal(self, device: Device, terminal_id: int, layer_index: int, shape: Polygon) -> None: r""" - @brief Returns true, if the polygon touches the other polygon. - The polygons touch if they overlap or their contours share at least one point. + @brief Defines a device terminal. + This method will define a terminal to the given device and the given terminal ID. + The terminal will be placed on the layer given by "layer_index". The layer index + is the index of the layer during layer definition. The first layer is 0, the second layer 1 etc. - This method was introduced in version 0.25.1. + This version produces a terminal with a shape given by the polygon. Note that the polygon is + specified in database units. """ @overload - def transform(self, t: DCplxTrans) -> DSimplePolygon: + def define_terminal(self, device: Device, terminal_name: str, layer_name: str, point: Point) -> None: r""" - @brief Transforms the simple polygon with a complex transformation (in-place) - - Transforms the simple polygon with the given complex transformation. - Modifies self and returns self. An out-of-place version which does not modify self is \transformed. - - @param t The transformation to apply. + @brief Defines a device terminal using names for terminal and layer. - This method has been introduced in version 0.24. + This convenience version of the ID-based \define_terminal methods allows using names for terminal and layer. + It has been introduced in version 0.28. """ @overload - def transform(self, t: DTrans) -> DSimplePolygon: + def define_terminal(self, device: Device, terminal_name: str, layer_name: str, shape: Box) -> None: r""" - @brief Transforms the simple polygon (in-place) + @brief Defines a device terminal using names for terminal and layer. - Transforms the simple polygon with the given transformation. - Modifies self and returns self. An out-of-place version which does not modify self is \transformed. - - @param t The transformation to apply. - - This method has been introduced in version 0.24. + This convenience version of the ID-based \define_terminal methods allows using names for terminal and layer. + It has been introduced in version 0.28. """ @overload - def transformed(self, t: DCplxTrans) -> DSimplePolygon: + def define_terminal(self, device: Device, terminal_name: str, layer_name: str, shape: Polygon) -> None: r""" - @brief Transforms the simple polygon. - - Transforms the simple polygon with the given complex transformation. - Does not modify the simple polygon but returns the transformed polygon. - - @param t The transformation to apply. - - @return The transformed simple polygon. + @brief Defines a device terminal using names for terminal and layer. - With version 0.25, the original 'transformed_cplx' method is deprecated and 'transformed' takes both simple and complex transformations. + This convenience version of the ID-based \define_terminal methods allows using names for terminal and layer. + It has been introduced in version 0.28. """ @overload - def transformed(self, t: DTrans) -> DSimplePolygon: + def error(self, category_name: str, category_description: str, message: str) -> None: r""" - @brief Transforms the simple polygon. - - Transforms the simple polygon with the given transformation. - Does not modify the simple polygon but returns the transformed polygon. - - @param t The transformation to apply. - - @return The transformed simple polygon. + @brief Issues an error with the given category name and description, message """ @overload - def transformed(self, t: VCplxTrans) -> SimplePolygon: + def error(self, category_name: str, category_description: str, message: str, geometry: DPolygon) -> None: r""" - @brief Transforms the polygon with the given complex transformation - - @param t The magnifying transformation to apply - @return The transformed polygon (in this case an integer coordinate polygon) - - This method has been introduced in version 0.25. + @brief Issues an error with the given category name and description, message and micrometer-units polygon geometry """ - def transformed_cplx(self, t: DCplxTrans) -> DSimplePolygon: + @overload + def error(self, category_name: str, category_description: str, message: str, geometry: Polygon) -> None: r""" - @brief Transforms the simple polygon. - - Transforms the simple polygon with the given complex transformation. - Does not modify the simple polygon but returns the transformed polygon. - - @param t The transformation to apply. - - @return The transformed simple polygon. - - With version 0.25, the original 'transformed_cplx' method is deprecated and 'transformed' takes both simple and complex transformations. + @brief Issues an error with the given category name and description, message and database-unit polygon geometry + """ + @overload + def error(self, message: str) -> None: + r""" + @brief Issues an error with the given message + """ + @overload + def error(self, message: str, geometry: DPolygon) -> None: + r""" + @brief Issues an error with the given message and micrometer-units polygon geometry + """ + @overload + def error(self, message: str, geometry: Polygon) -> None: + r""" + @brief Issues an error with the given message and database-unit polygon geometry + """ + def register_device_class(self, device_class: DeviceClass) -> None: + r""" + @brief Registers a device class. + The device class object will become owned by the netlist and must not be deleted by + the caller. The name of the device class will be changed to the name given to + the device extractor. + This method shall be used inside the implementation of \setup to register + the device classes. + """ + def sdbu(self) -> float: + r""" + @brief Gets the scaled database unit + Use this unit to compute device properties. It is the database unit multiplied with the + device scaling factor. """ -class Polygon: +class GenericDeviceParameterCompare(EqualDeviceParameters): r""" - @brief A polygon class - - A polygon consists of an outer hull and zero to many - holes. Each contour consists of several points. The point - list is normalized such that the leftmost, lowest point is - the first one. The orientation is normalized such that - the orientation of the hull contour is clockwise, while - the orientation of the holes is counterclockwise. - - It is in no way checked that the contours are not overlapping. - This must be ensured by the user of the object - when filling the contours. - - A polygon can be asked for the number of holes using the \holes method. \each_point_hull delivers the points of the hull contour. \each_point_hole delivers the points of a specific hole. \each_edge delivers the edges (point-to-point connections) of both hull and holes. \bbox delivers the bounding box, \area the area and \perimeter the perimeter of the polygon. + @brief A class implementing the comparison of device parameters. + Reimplement this class to provide a custom device parameter compare scheme. + Attach this object to a device class with \DeviceClass#equal_parameters= to make the device class use this comparer. - Here's an example of how to create a polygon: + This class is intended for special cases. In most scenarios it is easier to use \EqualDeviceParameters instead of implementing a custom comparer class. - @code - hull = [ RBA::Point::new(0, 0), RBA::Point::new(6000, 0), - RBA::Point::new(6000, 3000), RBA::Point::new(0, 3000) ] - hole1 = [ RBA::Point::new(1000, 1000), RBA::Point::new(2000, 1000), - RBA::Point::new(2000, 2000), RBA::Point::new(1000, 2000) ] - hole2 = [ RBA::Point::new(3000, 1000), RBA::Point::new(4000, 1000), - RBA::Point::new(4000, 2000), RBA::Point::new(3000, 2000) ] - poly = RBA::Polygon::new(hull) - poly.insert_hole(hole1) - poly.insert_hole(hole2) + This class has been added in version 0.26. The 'equal' method has been dropped in 0.27.1 as it can be expressed as !less(a,b) && !less(b,a). + """ + def _assign(self, other: EqualDeviceParameters) -> None: + r""" + @brief Assigns another object to self + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _dup(self) -> GenericDeviceParameterCompare: + r""" + @brief Creates a copy of self + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - # ask the polygon for some properties - poly.holes # -> 2 - poly.area # -> 16000000 - poly.perimeter # -> 26000 - poly.bbox # -> (0,0;6000,3000) - @/code + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - The \Polygon class stores coordinates in integer format. A class that stores floating-point coordinates is \DPolygon. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ - See @The Database API@ for more details about the database objects. - """ - PO_any: ClassVar[int] - r""" - @brief A value for the preferred orientation parameter of \decompose_convex - This value indicates that there is not cut preference - This constant has been introduced in version 0.25. - """ - PO_horizontal: ClassVar[int] - r""" - @brief A value for the preferred orientation parameter of \decompose_convex - This value indicates that there only horizontal cuts are allowed - This constant has been introduced in version 0.25. - """ - PO_htrapezoids: ClassVar[int] - r""" - @brief A value for the preferred orientation parameter of \decompose_convex - This value indicates that cuts shall favor decomposition into horizontal trapezoids - This constant has been introduced in version 0.25. - """ - PO_vertical: ClassVar[int] - r""" - @brief A value for the preferred orientation parameter of \decompose_convex - This value indicates that there only vertical cuts are allowed - This constant has been introduced in version 0.25. - """ - PO_vtrapezoids: ClassVar[int] - r""" - @brief A value for the preferred orientation parameter of \decompose_convex - This value indicates that cuts shall favor decomposition into vertical trapezoids - This constant has been introduced in version 0.25. - """ - TD_htrapezoids: ClassVar[int] - r""" - @brief A value for the mode parameter of \decompose_trapezoids - This value indicates simple decomposition mode. This mode produces horizontal trapezoids and tries to minimize the number of trapezoids. - This constant has been introduced in version 0.25. - """ - TD_simple: ClassVar[int] - r""" - @brief A value for the mode parameter of \decompose_trapezoids - This value indicates simple decomposition mode. This mode is fast but does not make any attempts to produce less trapezoids. - This constant has been introduced in version 0.25. - """ - TD_vtrapezoids: ClassVar[int] +class GenericNetlistCompareLogger(NetlistCompareLogger): r""" - @brief A value for the mode parameter of \decompose_trapezoids - This value indicates simple decomposition mode. This mode produces vertical trapezoids and tries to minimize the number of trapezoids. + @brief An event receiver for the netlist compare feature. + The \NetlistComparer class will send compare events to a logger derived from this class. Use this class to implement your own logger class. You can override on of it's methods to receive certain kind of events. + This class has been introduced in version 0.26. """ - @property - def hull(self) -> None: + class Severity: r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the points of the hull of polygon - @param p An array of points to assign to the polygon's hull - The 'assign_hull' variant is provided in analogy to 'assign_hole'. + @brief This class represents the log severity level for \GenericNetlistCompareLogger#log_entry. + This enum has been introduced in version 0.28. """ - @classmethod - def ellipse(cls, box: Box, n: int) -> Polygon: + Error: ClassVar[GenericNetlistCompareLogger.Severity] r""" - @brief Creates a simple polygon approximating an ellipse - - @param box The bounding box of the ellipse - @param n The number of points that will be used to approximate the ellipse - - This method has been introduced in version 0.23. + @brief An error """ - @classmethod - def from_dpoly(cls, dpolygon: DPolygon) -> Polygon: + Info: ClassVar[GenericNetlistCompareLogger.Severity] r""" - @brief Creates an integer coordinate polygon from a floating-point coordinate polygon - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpolygon'. + @brief Information only """ - @classmethod - def from_s(cls, s: str) -> Polygon: + NoSeverity: ClassVar[GenericNetlistCompareLogger.Severity] r""" - @brief Creates a polygon from a string - Creates the object from a string representation (as returned by \to_s) - - This method has been added in version 0.23. + @brief Unspecific severity """ - @overload - @classmethod - def new(cls) -> Polygon: + Warning: ClassVar[GenericNetlistCompareLogger.Severity] r""" - @brief Creates an empty (invalid) polygon + @brief A warning """ - @overload - @classmethod - def new(cls, box: Box) -> Polygon: + @overload + @classmethod + def new(cls, i: int) -> GenericNetlistCompareLogger.Severity: + r""" + @brief Creates an enum from an integer value + """ + @overload + @classmethod + def new(cls, s: str) -> GenericNetlistCompareLogger.Severity: + r""" + @brief Creates an enum from a string value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares two enums + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer value + """ + @overload + def __init__(self, i: int) -> None: + r""" + @brief Creates an enum from an integer value + """ + @overload + def __init__(self, s: str) -> None: + r""" + @brief Creates an enum from a string value + """ + @overload + def __lt__(self, other: GenericNetlistCompareLogger.Severity) -> bool: + r""" + @brief Returns true if the first enum is less (in the enum symbol order) than the second + """ + @overload + def __lt__(self, other: int) -> bool: + r""" + @brief Returns true if the enum is less (in the enum symbol order) than the integer value + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer for inequality + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares two enums for inequality + """ + def __repr__(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + def inspect(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def to_i(self) -> int: + r""" + @brief Gets the integer value from the enum + """ + def to_s(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + def _create(self) -> None: r""" - @brief Creates a polygon from a box + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - @param box The box to convert to a polygon + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - @classmethod - def new(cls, dpolygon: DPolygon) -> Polygon: + def _unmanage(self) -> None: r""" - @brief Creates an integer coordinate polygon from a floating-point coordinate polygon + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpolygon'. + Usually it's not required to call this method. It has been introduced in version 0.24. """ + +class HAlign: + r""" + @brief This class represents the horizontal alignment modes. + This enum has been introduced in version 0.28. + """ + HAlignCenter: ClassVar[HAlign] + r""" + @brief Centered horizontal alignment + """ + HAlignLeft: ClassVar[HAlign] + r""" + @brief Left horizontal alignment + """ + HAlignRight: ClassVar[HAlign] + r""" + @brief Right horizontal alignment + """ + NoHAlign: ClassVar[HAlign] + r""" + @brief Undefined horizontal alignment + """ @overload @classmethod - def new(cls, sp: SimplePolygon) -> Polygon: + def new(cls, i: int) -> HAlign: r""" - @brief Creates a polygon from a simple polygon - @param sp The simple polygon that is converted into the polygon - This method was introduced in version 0.22. + @brief Creates an enum from an integer value """ @overload @classmethod - def new(cls, pts: Sequence[Point], raw: Optional[bool] = ...) -> Polygon: + def new(cls, s: str) -> HAlign: r""" - @brief Creates a polygon from a point array for the hull - - @param pts The points forming the polygon hull - @param raw If true, the point list won't be modified (see \assign_hull) - - The 'raw' argument was added in version 0.24. + @brief Creates an enum from a string value """ - def __copy__(self) -> Polygon: + def __copy__(self) -> HAlign: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> Polygon: + def __deepcopy__(self) -> HAlign: r""" @brief Creates a copy of self """ - def __eq__(self, p: object) -> bool: - r""" - @brief Returns a value indicating whether the polygons are equal - @param p The object to compare against - """ - def __hash__(self) -> int: - r""" - @brief Computes a hash value - Returns a hash value for the given polygon. This method enables polygons as hash keys. - - This method has been introduced in version 0.25. - """ @overload - def __init__(self) -> None: + def __eq__(self, other: object) -> bool: r""" - @brief Creates an empty (invalid) polygon + @brief Compares an enum with an integer value """ @overload - def __init__(self, box: Box) -> None: + def __eq__(self, other: object) -> bool: r""" - @brief Creates a polygon from a box - - @param box The box to convert to a polygon + @brief Compares two enums """ @overload - def __init__(self, dpolygon: DPolygon) -> None: + def __init__(self, i: int) -> None: r""" - @brief Creates an integer coordinate polygon from a floating-point coordinate polygon - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpolygon'. + @brief Creates an enum from an integer value """ @overload - def __init__(self, sp: SimplePolygon) -> None: + def __init__(self, s: str) -> None: r""" - @brief Creates a polygon from a simple polygon - @param sp The simple polygon that is converted into the polygon - This method was introduced in version 0.22. + @brief Creates an enum from a string value """ @overload - def __init__(self, pts: Sequence[Point], raw: Optional[bool] = ...) -> None: + def __lt__(self, other: HAlign) -> bool: r""" - @brief Creates a polygon from a point array for the hull - - @param pts The points forming the polygon hull - @param raw If true, the point list won't be modified (see \assign_hull) - - The 'raw' argument was added in version 0.24. + @brief Returns true if the first enum is less (in the enum symbol order) than the second """ - def __lt__(self, p: Polygon) -> bool: + @overload + def __lt__(self, other: int) -> bool: r""" - @brief Returns a value indicating whether self is less than p - @param p The object to compare against - This operator is provided to establish some, not necessarily a certain sorting order + @brief Returns true if the enum is less (in the enum symbol order) than the integer value """ - def __mul__(self, f: float) -> Polygon: + @overload + def __ne__(self, other: object) -> bool: r""" - @brief Scales the polygon by some factor - - Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + @brief Compares two enums for inequality """ - def __ne__(self, p: object) -> bool: + @overload + def __ne__(self, other: object) -> bool: r""" - @brief Returns a value indicating whether the polygons are not equal - @param p The object to compare against + @brief Compares an enum with an integer for inequality """ - def __rmul__(self, f: float) -> Polygon: + def __repr__(self) -> str: r""" - @brief Scales the polygon by some factor - - Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + @brief Converts an enum to a visual string """ def __str__(self) -> str: r""" - @brief Returns a string representing the polygon + @brief Gets the symbolic string from an enum """ def _create(self) -> None: r""" @@ -21650,1546 +21371,1180 @@ class Polygon: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def area(self) -> int: + def assign(self, other: HAlign) -> None: r""" - @brief Gets the area of the polygon - The area is correct only if the polygon is not self-overlapping and the polygon is oriented clockwise.Orientation is ensured automatically in most cases. + @brief Assigns another object to self """ - def area2(self) -> int: + def create(self) -> None: r""" - @brief Gets the double area of the polygon - This method is provided because the area for an integer-type polygon is a multiple of 1/2. Hence the double area can be expresses precisely as an integer for these types. - - This method has been introduced in version 0.26.1 + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def assign(self, other: Polygon) -> None: + def destroy(self) -> None: r""" - @brief Assigns another object to self + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def assign_hole(self, n: int, b: Box) -> None: + def destroyed(self) -> bool: r""" - @brief Sets the box as the given hole of the polygon - @param n The index of the hole to which the points should be assigned - @param b The box to assign to the polygon's hole - If the hole index is not valid, this method does nothing. - This method was introduced in version 0.23. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def assign_hole(self, n: int, p: Sequence[Point], raw: Optional[bool] = ...) -> None: + def dup(self) -> HAlign: r""" - @brief Sets the points of the given hole of the polygon - @param n The index of the hole to which the points should be assigned - @param p An array of points to assign to the polygon's hole - @param raw If true, the points won't be compressed (see \assign_hull) - If the hole index is not valid, this method does nothing. - - This method was introduced in version 0.18. - The 'raw' argument was added in version 0.24. + @brief Creates a copy of self """ - def assign_hull(self, p: Sequence[Point], raw: Optional[bool] = ...) -> None: + def inspect(self) -> str: r""" - @brief Sets the points of the hull of polygon - @param p An array of points to assign to the polygon's hull - @param raw If true, the points won't be compressed - - If the 'raw' argument is set to true, the points are taken as they are. Specifically no removal of redundant points or joining of coincident edges will take place. In effect, polygons consisting of a single point or two points can be constructed as well as polygons with duplicate points. Note that such polygons may cause problems in some applications. - - Regardless of raw mode, the point list will be adjusted such that the first point is the lowest-leftmost one and the orientation is clockwise always. - - The 'assign_hull' variant is provided in analogy to 'assign_hole'. - - The 'raw' argument was added in version 0.24. + @brief Converts an enum to a visual string """ - def bbox(self) -> Box: + def is_const_object(self) -> bool: r""" - @brief Returns the bounding box of the polygon - The bounding box is the box enclosing all points of the polygon. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def compress(self, remove_reflected: bool) -> None: + def to_i(self) -> int: r""" - @brief Compresses the polygon. - - This method removes redundant points from the polygon, such as points being on a line formed by two other points. - If remove_reflected is true, points are also removed if the two adjacent edges form a spike. - - @param remove_reflected See description of the functionality. - - This method was introduced in version 0.18. + @brief Gets the integer value from the enum """ - def create(self) -> None: + def to_s(self) -> str: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Gets the symbolic string from an enum """ - def decompose_convex(self, preferred_orientation: Optional[int] = ...) -> List[SimplePolygon]: - r""" - @brief Decomposes the polygon into convex pieces - This method returns a decomposition of the polygon that contains convex pieces only. - If the polygon was convex already, the list returned has a single element which is the - original polygon. +class ICplxTrans: + r""" + @brief A complex transformation - @param preferred_orientation One of the PO_... constants + A complex transformation provides magnification, mirroring at the x-axis, rotation by an arbitrary + angle and a displacement. This is also the order, the operations are applied. + This version can transform integer-coordinate objects into the same, which may involve rounding and can be inexact. - This method was introduced in version 0.25. - """ - def decompose_trapezoids(self, mode: Optional[int] = ...) -> List[SimplePolygon]: - r""" - @brief Decomposes the polygon into trapezoids + Complex transformations are extensions of the simple transformation classes (\Trans in that case) and behave similar. - This method returns a decomposition of the polygon into trapezoid pieces. - It supports different modes for various applications. See the TD_... constants for details. + Transformations can be used to transform points or other objects. Transformations can be combined with the '*' operator to form the transformation which is equivalent to applying the second and then the first. Here is some code: - @param mode One of the TD_... constants + @code + # Create a transformation that applies a magnification of 1.5, a rotation by 90 degree + # and displacement of 10 in x and 20 units in y direction: + t = RBA::ICplxTrans::new(1.5, 90, false, 10.0, 20.0) + t.to_s # r90 *1.5 10,20 + # compute the inverse: + t.inverted.to_s # r270 *0.666666667 -13,7 + # Combine with another displacement (applied after that): + (RBA::ICplxTrans::new(5, 5) * t).to_s # r90 *1.5 15,25 + # Transform a point: + t.trans(RBA::Point::new(100, 200)).to_s # -290,170 + @/code - This method was introduced in version 0.25. - """ - def destroy(self) -> None: + This class has been introduced in version 0.18. + + See @The Database API@ for more details about the database objects. + """ + M0: ClassVar[ICplxTrans] + r""" + @brief A constant giving "mirrored at the x-axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + M135: ClassVar[ICplxTrans] + r""" + @brief A constant giving "mirrored at the 135 degree axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + M45: ClassVar[ICplxTrans] + r""" + @brief A constant giving "mirrored at the 45 degree axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + M90: ClassVar[ICplxTrans] + r""" + @brief A constant giving "mirrored at the y (90 degree) axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + R0: ClassVar[ICplxTrans] + r""" + @brief A constant giving "unrotated" (unit) transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + R180: ClassVar[ICplxTrans] + r""" + @brief A constant giving "rotated by 180 degree counterclockwise" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + R270: ClassVar[ICplxTrans] + r""" + @brief A constant giving "rotated by 270 degree counterclockwise" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + R90: ClassVar[ICplxTrans] + r""" + @brief A constant giving "rotated by 90 degree counterclockwise" transformation + The previous integer constant has been turned into a transformation in version 0.25. + """ + angle: float + r""" + Getter: + @brief Gets the angle + + Note that the simple transformation returns the angle in units of 90 degree. Hence for a simple trans (i.e. \Trans), a rotation angle of 180 degree delivers a value of 2 for the angle attribute. The complex transformation, supporting any rotation angle returns the angle in degree. + + @return The rotation angle this transformation provides in degree units (0..360 deg). + + Setter: + @brief Sets the angle + @param a The new angle + See \angle for a description of that attribute. + """ + disp: Vector + r""" + Getter: + @brief Gets the displacement + + Setter: + @brief Sets the displacement + @param u The new displacement + """ + mag: float + r""" + Getter: + @brief Gets the magnification + + Setter: + @brief Sets the magnification + @param m The new magnification + """ + mirror: bool + r""" + Getter: + @brief Gets the mirror flag + + If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. + Setter: + @brief Sets the mirror flag + "mirroring" describes a reflection at the x-axis which is included in the transformation prior to rotation.@param m The new mirror flag + """ + @classmethod + def from_dtrans(cls, trans: DCplxTrans) -> ICplxTrans: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Creates a floating-point coordinate transformation from another coordinate flavour + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtrans'. """ - def destroyed(self) -> bool: + @classmethod + def from_s(cls, s: str) -> ICplxTrans: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Creates an object from a string + Creates the object from a string representation (as returned by \to_s) + + This method has been added in version 0.23. """ - def dup(self) -> Polygon: + @classmethod + def from_trans(cls, trans: CplxTrans) -> ICplxTrans: r""" - @brief Creates a copy of self + @brief Creates a floating-point coordinate transformation from another coordinate flavour + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_trans'. """ @overload - def each_edge(self) -> Iterator[Edge]: + @classmethod + def new(cls) -> ICplxTrans: r""" - @brief Iterates over the edges that make up the polygon - - This iterator will deliver all edges, including those of the holes. Hole edges are oriented counterclockwise while hull edges are oriented clockwise. + @brief Creates a unit transformation """ @overload - def each_edge(self, contour: int) -> Iterator[Edge]: + @classmethod + def new(cls, c: ICplxTrans, m: Optional[float] = ..., u: Optional[Vector] = ...) -> ICplxTrans: r""" - @brief Iterates over the edges of one contour of the polygon + @brief Creates a transformation from another transformation plus a magnification and displacement - @param contour The contour number (0 for hull, 1 for first hole ...) + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - This iterator will deliver all edges of the contour specified by the contour parameter. The hull has contour number 0, the first hole has contour 1 etc. - Hole edges are oriented counterclockwise while hull edges are oriented clockwise. + This variant has been introduced in version 0.25. - This method was introduced in version 0.24. + @param c The original transformation + @param u The Additional displacement """ - def each_point_hole(self, n: int) -> Iterator[Point]: + @overload + @classmethod + def new(cls, c: ICplxTrans, m: float, x: int, y: int) -> ICplxTrans: r""" - @brief Iterates over the points that make up the nth hole - The hole number must be less than the number of holes (see \holes) + @brief Creates a transformation from another transformation plus a magnification and displacement + + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. + + This variant has been introduced in version 0.25. + + @param c The original transformation + @param x The Additional displacement (x) + @param y The Additional displacement (y) """ - def each_point_hull(self) -> Iterator[Point]: + @overload + @classmethod + def new(cls, m: float) -> ICplxTrans: r""" - @brief Iterates over the points that make up the hull + @brief Creates a transformation from a magnification + + Creates a magnifying transformation without displacement and rotation given the magnification m. """ - def extract_rad(self) -> List[Any]: + @overload + @classmethod + def new(cls, mag: float, rot: float, mirrx: bool, u: Vector) -> ICplxTrans: r""" - @brief Extracts the corner radii from a rounded polygon - - Attempts to extract the radii of rounded corner polygon. This is essentially the inverse of the \round_corners method. If this method succeeds, if will return an array of four elements: @ul - @li The polygon with the rounded corners replaced by edgy ones @/li - @li The radius of the inner corners @/li - @li The radius of the outer corners @/li - @li The number of points per full circle @/li - @/ul + @brief Creates a transformation using magnification, angle, mirror flag and displacement - This method is based on some assumptions and may fail. In this case, an empty array is returned. + The sequence of operations is: magnification, mirroring at x axis, + rotation, application of displacement. - If successful, the following code will more or less render the original polygon and parameters + @param mag The magnification + @param rot The rotation angle in units of degree + @param mirrx True, if mirrored at x axis + @param u The displacement + """ + @overload + @classmethod + def new(cls, mag: float, rot: float, mirrx: bool, x: int, y: int) -> ICplxTrans: + r""" + @brief Creates a transformation using magnification, angle, mirror flag and displacement - @code - p = ... # some polygon - p.round_corners(ri, ro, n) - (p2, ri2, ro2, n2) = p.extract_rad - # -> p2 == p, ro2 == ro, ri2 == ri, n2 == n (within some limits) - @/code + The sequence of operations is: magnification, mirroring at x axis, + rotation, application of displacement. - This method was introduced in version 0.25. + @param mag The magnification + @param rot The rotation angle in units of degree + @param mirrx True, if mirrored at x axis + @param x The x displacement + @param y The y displacement """ - def hash(self) -> int: + @overload + @classmethod + def new(cls, t: Trans) -> ICplxTrans: r""" - @brief Computes a hash value - Returns a hash value for the given polygon. This method enables polygons as hash keys. + @brief Creates a transformation from a simple transformation alone - This method has been introduced in version 0.25. + Creates a magnifying transformation from a simple transformation and a magnification of 1.0. """ - def holes(self) -> int: + @overload + @classmethod + def new(cls, t: Trans, m: float) -> ICplxTrans: r""" - @brief Returns the number of holes + @brief Creates a transformation from a simple transformation and a magnification + + Creates a magnifying transformation from a simple transformation and a magnification. """ @overload - def insert_hole(self, b: Box) -> None: + @classmethod + def new(cls, trans: CplxTrans) -> ICplxTrans: r""" - @brief Inserts a hole from the given box - @param b The box to insert as a new hole - This method was introduced in version 0.23. + @brief Creates a floating-point coordinate transformation from another coordinate flavour + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_trans'. """ @overload - def insert_hole(self, p: Sequence[Point], raw: Optional[bool] = ...) -> None: + @classmethod + def new(cls, trans: DCplxTrans) -> ICplxTrans: r""" - @brief Inserts a hole with the given points - @param p An array of points to insert as a new hole - @param raw If true, the points won't be compressed (see \assign_hull) + @brief Creates a floating-point coordinate transformation from another coordinate flavour - The 'raw' argument was added in version 0.24. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtrans'. """ - def inside(self, p: Point) -> bool: + @overload + @classmethod + def new(cls, trans: VCplxTrans) -> ICplxTrans: r""" - @brief Tests, if the given point is inside the polygon - If the given point is inside or on the edge of the polygon, true is returned. This tests works well only if the polygon is not self-overlapping and oriented clockwise. + @brief Creates a floating-point coordinate transformation from another coordinate flavour + + This constructor has been introduced in version 0.25. """ - def is_box(self) -> bool: + @overload + @classmethod + def new(cls, u: Vector) -> ICplxTrans: r""" - @brief Returns true, if the polygon is a simple box. + @brief Creates a transformation from a displacement - A polygon is a box if it is identical to it's bounding box. + Creates a transformation with a displacement only. - @return True if the polygon is a box. + This method has been added in version 0.25. + """ + @overload + @classmethod + def new(cls, x: int, y: int) -> ICplxTrans: + r""" + @brief Creates a transformation from a x and y displacement - This method was introduced in version 0.23. + This constructor will create a transformation with the specified displacement + but no rotation. + + @param x The x displacement + @param y The y displacement """ - def is_const_object(self) -> bool: + def __copy__(self) -> ICplxTrans: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Creates a copy of self """ - def is_convex(self) -> bool: + def __deepcopy__(self) -> ICplxTrans: r""" - @brief Returns a value indicating whether the polygon is convex - - This method will return true, if the polygon is convex. - - This method was introduced in version 0.25. + @brief Creates a copy of self """ - def is_empty(self) -> bool: + def __eq__(self, other: object) -> bool: r""" - @brief Returns a value indicating whether the polygon is empty + @brief Tests for equality """ - def is_halfmanhattan(self) -> bool: + def __hash__(self) -> int: r""" - @brief Returns a value indicating whether the polygon is half-manhattan - Half-manhattan polygons have edges which are multiples of 45 degree. These polygons can be clipped at a rectangle without potential grid snapping. + @brief Computes a hash value + Returns a hash value for the given transformation. This method enables transformations as hash keys. - This predicate was introduced in version 0.27. + This method has been introduced in version 0.25. """ - def is_rectilinear(self) -> bool: + @overload + def __init__(self) -> None: r""" - @brief Returns a value indicating whether the polygon is rectilinear + @brief Creates a unit transformation """ @overload - def minkowski_sum(self, b: Box, resolve_holes: bool) -> Polygon: + def __init__(self, c: ICplxTrans, m: Optional[float] = ..., u: Optional[Vector] = ...) -> None: r""" - @brief Computes the Minkowski sum of the polygon and a box + @brief Creates a transformation from another transformation plus a magnification and displacement - @param b The box. - @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - @return The new polygon representing the Minkowski sum of self and the box. + This variant has been introduced in version 0.25. - This method was introduced in version 0.22. + @param c The original transformation + @param u The Additional displacement """ @overload - def minkowski_sum(self, b: Polygon, resolve_holes: bool) -> Polygon: + def __init__(self, c: ICplxTrans, m: float, x: int, y: int) -> None: r""" - @brief Computes the Minkowski sum of the polygon and a polygon + @brief Creates a transformation from another transformation plus a magnification and displacement - @param p The first argument. - @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - @return The new polygon representing the Minkowski sum of self and p. + This variant has been introduced in version 0.25. - This method was introduced in version 0.22. + @param c The original transformation + @param x The Additional displacement (x) + @param y The Additional displacement (y) """ @overload - def minkowski_sum(self, b: Sequence[Point], resolve_holes: bool) -> Polygon: + def __init__(self, m: float) -> None: r""" - @brief Computes the Minkowski sum of the polygon and a contour of points (a trace) - - @param b The contour (a series of points forming the trace). - @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. - - @return The new polygon representing the Minkowski sum of self and the contour. + @brief Creates a transformation from a magnification - This method was introduced in version 0.22. + Creates a magnifying transformation without displacement and rotation given the magnification m. """ @overload - def minkowski_sum(self, e: Edge, resolve_holes: bool) -> Polygon: + def __init__(self, mag: float, rot: float, mirrx: bool, u: Vector) -> None: r""" - @brief Computes the Minkowski sum of the polygon and an edge - - @param e The edge. - @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. - - @return The new polygon representing the Minkowski sum with the edge e. + @brief Creates a transformation using magnification, angle, mirror flag and displacement - The Minkowski sum of a polygon and an edge basically results in the area covered when "dragging" the polygon along the line given by the edge. The effect is similar to drawing the line with a pencil that has the shape of the given polygon. + The sequence of operations is: magnification, mirroring at x axis, + rotation, application of displacement. - This method was introduced in version 0.22. + @param mag The magnification + @param rot The rotation angle in units of degree + @param mirrx True, if mirrored at x axis + @param u The displacement """ @overload - def minkowsky_sum(self, b: Box, resolve_holes: bool) -> Polygon: + def __init__(self, mag: float, rot: float, mirrx: bool, x: int, y: int) -> None: r""" - @brief Computes the Minkowski sum of the polygon and a box - - @param b The box. - @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. + @brief Creates a transformation using magnification, angle, mirror flag and displacement - @return The new polygon representing the Minkowski sum of self and the box. + The sequence of operations is: magnification, mirroring at x axis, + rotation, application of displacement. - This method was introduced in version 0.22. + @param mag The magnification + @param rot The rotation angle in units of degree + @param mirrx True, if mirrored at x axis + @param x The x displacement + @param y The y displacement """ @overload - def minkowsky_sum(self, b: Polygon, resolve_holes: bool) -> Polygon: + def __init__(self, t: Trans) -> None: r""" - @brief Computes the Minkowski sum of the polygon and a polygon - - @param p The first argument. - @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. - - @return The new polygon representing the Minkowski sum of self and p. + @brief Creates a transformation from a simple transformation alone - This method was introduced in version 0.22. + Creates a magnifying transformation from a simple transformation and a magnification of 1.0. """ @overload - def minkowsky_sum(self, b: Sequence[Point], resolve_holes: bool) -> Polygon: + def __init__(self, t: Trans, m: float) -> None: r""" - @brief Computes the Minkowski sum of the polygon and a contour of points (a trace) - - @param b The contour (a series of points forming the trace). - @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. - - @return The new polygon representing the Minkowski sum of self and the contour. + @brief Creates a transformation from a simple transformation and a magnification - This method was introduced in version 0.22. + Creates a magnifying transformation from a simple transformation and a magnification. """ @overload - def minkowsky_sum(self, e: Edge, resolve_holes: bool) -> Polygon: + def __init__(self, trans: CplxTrans) -> None: r""" - @brief Computes the Minkowski sum of the polygon and an edge - - @param e The edge. - @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. - - @return The new polygon representing the Minkowski sum with the edge e. - - The Minkowski sum of a polygon and an edge basically results in the area covered when "dragging" the polygon along the line given by the edge. The effect is similar to drawing the line with a pencil that has the shape of the given polygon. + @brief Creates a floating-point coordinate transformation from another coordinate flavour - This method was introduced in version 0.22. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_trans'. """ @overload - def move(self, p: Vector) -> Polygon: + def __init__(self, trans: DCplxTrans) -> None: r""" - @brief Moves the polygon. - - Moves the polygon by the given offset and returns the - moved polygon. The polygon is overwritten. - - @param p The distance to move the polygon. - - @return The moved polygon (self). + @brief Creates a floating-point coordinate transformation from another coordinate flavour - This method has been introduced in version 0.23. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtrans'. """ @overload - def move(self, x: int, y: int) -> Polygon: + def __init__(self, trans: VCplxTrans) -> None: r""" - @brief Moves the polygon. - - Moves the polygon by the given offset and returns the - moved polygon. The polygon is overwritten. - - @param x The x distance to move the polygon. - @param y The y distance to move the polygon. + @brief Creates a floating-point coordinate transformation from another coordinate flavour - @return The moved polygon (self). + This constructor has been introduced in version 0.25. """ @overload - def moved(self, p: Vector) -> Polygon: + def __init__(self, u: Vector) -> None: r""" - @brief Returns the moved polygon (does not modify self) - - Moves the polygon by the given offset and returns the - moved polygon. The polygon is not modified. - - @param p The distance to move the polygon. + @brief Creates a transformation from a displacement - @return The moved polygon. + Creates a transformation with a displacement only. - This method has been introduced in version 0.23. + This method has been added in version 0.25. """ @overload - def moved(self, x: int, y: int) -> Polygon: + def __init__(self, x: int, y: int) -> None: r""" - @brief Returns the moved polygon (does not modify self) - - Moves the polygon by the given offset and returns the - moved polygon. The polygon is not modified. - - @param x The x distance to move the polygon. - @param y The y distance to move the polygon. - - @return The moved polygon. + @brief Creates a transformation from a x and y displacement - This method has been introduced in version 0.23. - """ - def num_points(self) -> int: - r""" - @brief Gets the total number of points (hull plus holes) - This method was introduced in version 0.18. - """ - def num_points_hole(self, n: int) -> int: - r""" - @brief Gets the number of points of the given hole - The argument gives the index of the hole of which the number of points are requested. The index must be less than the number of holes (see \holes). - """ - def num_points_hull(self) -> int: - r""" - @brief Gets the number of points of the hull - """ - def perimeter(self) -> int: - r""" - @brief Gets the perimeter of the polygon - The perimeter is sum of the lengths of all edges making up the polygon. + This constructor will create a transformation with the specified displacement + but no rotation. - This method has been introduce in version 0.23. - """ - def point_hole(self, n: int, p: int) -> Point: - r""" - @brief Gets a specific point of a hole - @param n The index of the hole to which the points should be assigned - @param p The index of the point to get - If the index of the point or of the hole is not valid, a default value is returned. - This method was introduced in version 0.18. + @param x The x displacement + @param y The y displacement """ - def point_hull(self, p: int) -> Point: + def __lt__(self, other: ICplxTrans) -> bool: r""" - @brief Gets a specific point of the hull - @param p The index of the point to get - If the index of the point is not a valid index, a default value is returned. - This method was introduced in version 0.18. + @brief Provides a 'less' criterion for sorting + This method is provided to implement a sorting order. The definition of 'less' is opaque and might change in future versions. """ - def resolve_holes(self) -> None: + @overload + def __mul__(self, box: Box) -> Box: r""" - @brief Resolve holes by inserting cut lines and joining the holes with the hull + @brief Transforms a box - This method modifies the polygon. The out-of-place version is \resolved_holes. - This method was introduced in version 0.22. - """ - def resolved_holes(self) -> Polygon: - r""" - @brief Returns a polygon without holes + 't*box' or 't.trans(box)' is equivalent to box.transformed(t). - @return The new polygon without holes. + @param box The box to transform + @return The transformed box - This method does not modify the polygon but return a new polygon. - This method was introduced in version 0.22. + This convenience method has been introduced in version 0.25. """ - def round_corners(self, rinner: float, router: float, n: int) -> Polygon: + @overload + def __mul__(self, d: int) -> int: r""" - @brief Rounds the corners of the polygon - - Replaces the corners of the polygon with circle segments. + @brief Transforms a distance - @param rinner The circle radius of inner corners (in database units). - @param router The circle radius of outer corners (in database units). - @param n The number of points per full circle. + The "ctrans" method transforms the given distance. + e = t(d). For the simple transformations, there + is no magnification and no modification of the distance + therefore. - @return The new polygon. + @param d The distance to transform + @return The transformed distance - This method was introduced in version 0.20 for integer coordinates and in 0.25 for all coordinate types. + The product '*' has been added as a synonym in version 0.28. """ @overload - def size(self, d: int, mode: Optional[int] = ...) -> None: + def __mul__(self, edge: Edge) -> Edge: r""" - @brief Sizes the polygon (biasing) + @brief Transforms an edge - Shifts the contour outwards (d>0) or inwards (d<0). - This method is equivalent to - @code - size(d, d, mode) - @/code + 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). - See \size for a detailed description. + @param edge The edge to transform + @return The transformed edge - This method has been introduced in version 0.23. + This convenience method has been introduced in version 0.25. """ @overload - def size(self, dv: Vector, mode: Optional[int] = ...) -> None: + def __mul__(self, p: Point) -> Point: r""" - @brief Sizes the polygon (biasing) + @brief Transforms a point - This method is equivalent to - @code - size(dv.x, dv.y, mode) - @/code + The "trans" method or the * operator transforms the given point. + q = t(p) - See \size for a detailed description. + The * operator has been introduced in version 0.25. - This version has been introduced in version 0.28. + @param p The point to transform + @return The transformed point """ @overload - def size(self, dx: int, dy: int, mode: int) -> None: + def __mul__(self, p: Vector) -> Vector: r""" - @brief Sizes the polygon (biasing) - - Shifts the contour outwards (dx,dy>0) or inwards (dx,dy<0). - dx is the sizing in x-direction and dy is the sizing in y-direction. The sign of dx and dy should be identical. - The sizing operation create invalid (self-overlapping, reverse oriented) contours. + @brief Transforms a vector - The mode defines at which bending angle cutoff occurs - (0:>0, 1:>45, 2:>90, 3:>135, 4:>approx. 168, other:>approx. 179) + The "trans" method or the * operator transforms the given vector. + w = t(v) - In order to obtain a proper polygon in the general case, the - sized polygon must be merged in 'greater than zero' wrap count mode. This is necessary since in the general case, - sizing can be complicated operation which lets a single polygon fall apart into disjoint pieces for example. - This can be achieved using the \EdgeProcessor class for example: + Vector transformation has been introduced in version 0.25. - @code - poly = ... # a RBA::Polygon - poly.size(-50, 2) - ep = RBA::EdgeProcessor::new - # result is an array of RBA::Polygon objects - result = ep.simple_merge_p2p([ poly ], false, false, 1) - @/code + @param v The vector to transform + @return The transformed vector """ @overload - def sized(self, d: int, mode: Optional[int] = ...) -> Polygon: + def __mul__(self, path: Path) -> Path: r""" - @brief Sizes the polygon (biasing) without modifying self + @brief Transforms a path - Shifts the contour outwards (d>0) or inwards (d<0). - This method is equivalent to - @code - sized(d, d, mode) - @/code + 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - See \size and \sized for a detailed description. + @param path The path to transform + @return The transformed path + + This convenience method has been introduced in version 0.25. """ @overload - def sized(self, dv: Vector, mode: Optional[int] = ...) -> Polygon: + def __mul__(self, polygon: Polygon) -> Polygon: r""" - @brief Sizes the polygon (biasing) without modifying self + @brief Transforms a polygon - This method is equivalent to - @code - sized(dv.x, dv.y, mode) - @/code + 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - See \size and \sized for a detailed description. + @param polygon The polygon to transform + @return The transformed polygon - This version has been introduced in version 0.28. + This convenience method has been introduced in version 0.25. """ @overload - def sized(self, dx: int, dy: int, mode: int) -> Polygon: + def __mul__(self, t: ICplxTrans) -> ICplxTrans: r""" - @brief Sizes the polygon (biasing) without modifying self + @brief Returns the concatenated transformation - This method applies sizing to the polygon but does not modify self. Instead a sized copy is returned. - See \size for a description of the operation. + The * operator returns self*t ("t is applied before this transformation"). - This method has been introduced in version 0.23. + @param t The transformation to apply before + @return The modified transformation """ - def smooth(self, d: int, keep_hv: Optional[bool] = ...) -> Polygon: + @overload + def __mul__(self, t: VCplxTrans) -> VCplxTrans: r""" - @brief Smooths a polygon - - Remove vertices that deviate by more than the distance d from the average contour. - The value d is basically the roughness which is removed. - - @param d The smoothing "roughness". - @param keep_hv If true, horizontal and vertical edges will be preserved always. + @brief Multiplication (concatenation) of transformations - @return The smoothed polygon. + The * operator returns self*t ("t is applied before this transformation"). - This method was introduced in version 0.23. The 'keep_hv' optional parameter was added in version 0.27. + @param t The transformation to apply before + @return The modified transformation """ - def split(self) -> List[Polygon]: + @overload + def __mul__(self, text: Text) -> Text: r""" - @brief Splits the polygon into two or more parts - This method will break the polygon into parts. The exact breaking algorithm is unspecified, the result are smaller polygons of roughly equal number of points and 'less concave' nature. Usually the returned polygon set consists of two polygons, but there can be more. The merged region of the resulting polygons equals the original polygon with the exception of small snapping effects at new vertexes. - - The intended use for this method is a iteratively split polygons until the satisfy some maximum number of points limit. + @brief Transforms a text - This method has been introduced in version 0.25.3. - """ - def to_dtype(self, dbu: Optional[float] = ...) -> DPolygon: - r""" - @brief Converts the polygon to a floating-point coordinate polygon + 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - The database unit can be specified to translate the integer-coordinate polygon into a floating-point coordinate polygon in micron units. The database unit is basically a scaling factor. + @param text The text to transform + @return The transformed text - This method has been introduced in version 0.25. + This convenience method has been introduced in version 0.25. """ - def to_s(self) -> str: + def __ne__(self, other: object) -> bool: r""" - @brief Returns a string representing the polygon + @brief Tests for inequality """ - def to_simple_polygon(self) -> SimplePolygon: + @overload + def __rmul__(self, box: Box) -> Box: r""" - @brief Converts a polygon to a simple polygon + @brief Transforms a box - @return The simple polygon. + 't*box' or 't.trans(box)' is equivalent to box.transformed(t). - If the polygon contains holes, these will be resolved. - This operation requires a well-formed polygon. Reflecting edges, self-intersections and coincident points will be removed. + @param box The box to transform + @return The transformed box - This method was introduced in version 0.22. + This convenience method has been introduced in version 0.25. """ @overload - def touches(self, box: Box) -> bool: + def __rmul__(self, d: int) -> int: r""" - @brief Returns true, if the polygon touches the given box. - The box and the polygon touch if they overlap or their contours share at least one point. + @brief Transforms a distance - This method was introduced in version 0.25.1. - """ - @overload - def touches(self, edge: Edge) -> bool: - r""" - @brief Returns true, if the polygon touches the given edge. - The edge and the polygon touch if they overlap or the edge shares at least one point with the polygon's contour. + The "ctrans" method transforms the given distance. + e = t(d). For the simple transformations, there + is no magnification and no modification of the distance + therefore. - This method was introduced in version 0.25.1. - """ - @overload - def touches(self, polygon: Polygon) -> bool: - r""" - @brief Returns true, if the polygon touches the other polygon. - The polygons touch if they overlap or their contours share at least one point. + @param d The distance to transform + @return The transformed distance - This method was introduced in version 0.25.1. + The product '*' has been added as a synonym in version 0.28. """ @overload - def touches(self, simple_polygon: SimplePolygon) -> bool: + def __rmul__(self, edge: Edge) -> Edge: r""" - @brief Returns true, if the polygon touches the other polygon. - The polygons touch if they overlap or their contours share at least one point. + @brief Transforms an edge - This method was introduced in version 0.25.1. + 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). + + @param edge The edge to transform + @return The transformed edge + + This convenience method has been introduced in version 0.25. """ @overload - def transform(self, t: ICplxTrans) -> Polygon: + def __rmul__(self, p: Point) -> Point: r""" - @brief Transforms the polygon with a complex transformation (in-place) + @brief Transforms a point - Transforms the polygon with the given complex transformation. - This version modifies self and will return self as the modified polygon. An out-of-place version which does not modify self is \transformed. + The "trans" method or the * operator transforms the given point. + q = t(p) - @param t The transformation to apply. + The * operator has been introduced in version 0.25. - This method was introduced in version 0.24. + @param p The point to transform + @return The transformed point """ @overload - def transform(self, t: Trans) -> Polygon: + def __rmul__(self, p: Vector) -> Vector: r""" - @brief Transforms the polygon (in-place) + @brief Transforms a vector - Transforms the polygon with the given transformation. - Modifies self and returns self. An out-of-place version which does not modify self is \transformed. + The "trans" method or the * operator transforms the given vector. + w = t(v) - @param t The transformation to apply. + Vector transformation has been introduced in version 0.25. - This method has been introduced in version 0.24. + @param v The vector to transform + @return The transformed vector """ @overload - def transformed(self, t: CplxTrans) -> DPolygon: + def __rmul__(self, path: Path) -> Path: r""" - @brief Transforms the polygon with a complex transformation - - Transforms the polygon with the given complex transformation. - Does not modify the polygon but returns the transformed polygon. + @brief Transforms a path - @param t The transformation to apply. + 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - @return The transformed polygon. + @param path The path to transform + @return The transformed path - With version 0.25, the original 'transformed_cplx' method is deprecated and 'transformed' takes both simple and complex transformations. + This convenience method has been introduced in version 0.25. """ @overload - def transformed(self, t: ICplxTrans) -> Polygon: + def __rmul__(self, polygon: Polygon) -> Polygon: r""" - @brief Transforms the polygon with a complex transformation - - Transforms the polygon with the given complex transformation. - Does not modify the polygon but returns the transformed polygon. + @brief Transforms a polygon - @param t The transformation to apply. + 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - @return The transformed polygon (in this case an integer coordinate polygon). + @param polygon The polygon to transform + @return The transformed polygon - This method was introduced in version 0.18. + This convenience method has been introduced in version 0.25. """ @overload - def transformed(self, t: Trans) -> Polygon: + def __rmul__(self, text: Text) -> Text: r""" - @brief Transforms the polygon + @brief Transforms a text - Transforms the polygon with the given transformation. - Does not modify the polygon but returns the transformed polygon. + 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - @param t The transformation to apply. + @param text The text to transform + @return The transformed text - @return The transformed polygon. + This convenience method has been introduced in version 0.25. """ - def transformed_cplx(self, t: CplxTrans) -> DPolygon: + def __str__(self, lazy: Optional[bool] = ..., dbu: Optional[float] = ...) -> str: r""" - @brief Transforms the polygon with a complex transformation - - Transforms the polygon with the given complex transformation. - Does not modify the polygon but returns the transformed polygon. - - @param t The transformation to apply. - - @return The transformed polygon. + @brief String conversion + If 'lazy' is true, some parts are omitted when not required. + If a DBU is given, the output units will be micrometers. - With version 0.25, the original 'transformed_cplx' method is deprecated and 'transformed' takes both simple and complex transformations. + The lazy and DBU arguments have been added in version 0.27.6. """ - -class DPolygon: - r""" - @brief A polygon class - - A polygon consists of an outer hull and zero to many - holes. Each contour consists of several points. The point - list is normalized such that the leftmost, lowest point is - the first one. The orientation is normalized such that - the orientation of the hull contour is clockwise, while - the orientation of the holes is counterclockwise. - - It is in no way checked that the contours are not overlapping. - This must be ensured by the user of the object - when filling the contours. - - A polygon can be asked for the number of holes using the \holes method. \each_point_hull delivers the points of the hull contour. \each_point_hole delivers the points of a specific hole. \each_edge delivers the edges (point-to-point connections) of both hull and holes. \bbox delivers the bounding box, \area the area and \perimeter the perimeter of the polygon. - - Here's an example of how to create a polygon: - - @code - hull = [ RBA::DPoint::new(0, 0), RBA::DPoint::new(6000, 0), - RBA::DPoint::new(6000, 3000), RBA::DPoint::new(0, 3000) ] - hole1 = [ RBA::DPoint::new(1000, 1000), RBA::DPoint::new(2000, 1000), - RBA::DPoint::new(2000, 2000), RBA::DPoint::new(1000, 2000) ] - hole2 = [ RBA::DPoint::new(3000, 1000), RBA::DPoint::new(4000, 1000), - RBA::DPoint::new(4000, 2000), RBA::DPoint::new(3000, 2000) ] - poly = RBA::DPolygon::new(hull) - poly.insert_hole(hole1) - poly.insert_hole(hole2) - - # ask the polygon for some properties - poly.holes # -> 2 - poly.area # -> 16000000.0 - poly.perimeter # -> 26000.0 - poly.bbox # -> (0,0;6000,3000) - @/code - - The \DPolygon class stores coordinates in floating-point format which gives a higher precision for some operations. A class that stores integer coordinates is \Polygon. - - See @The Database API@ for more details about the database objects. - """ - @property - def hull(self) -> None: + def _create(self) -> None: r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the points of the hull of polygon - @param p An array of points to assign to the polygon's hull - The 'assign_hull' variant is provided in analogy to 'assign_hole'. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @classmethod - def ellipse(cls, box: DBox, n: int) -> DPolygon: + def _destroy(self) -> None: r""" - @brief Creates a simple polygon approximating an ellipse - - @param box The bounding box of the ellipse - @param n The number of points that will be used to approximate the ellipse - - This method has been introduced in version 0.23. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @classmethod - def from_ipoly(cls, polygon: Polygon) -> DPolygon: + def _destroyed(self) -> bool: r""" - @brief Creates a floating-point coordinate polygon from an integer coordinate polygon - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipolygon'. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @classmethod - def from_s(cls, s: str) -> DPolygon: + def _is_const_object(self) -> bool: r""" - @brief Creates a polygon from a string - Creates the object from a string representation (as returned by \to_s) - - This method has been added in version 0.23. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - @classmethod - def new(cls) -> DPolygon: + def _manage(self) -> None: r""" - @brief Creates an empty (invalid) polygon + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - @classmethod - def new(cls, box: DBox) -> DPolygon: + def _unmanage(self) -> None: r""" - @brief Creates a polygon from a box + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - @param box The box to convert to a polygon + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - @classmethod - def new(cls, polygon: Polygon) -> DPolygon: + def assign(self, other: ICplxTrans) -> None: r""" - @brief Creates a floating-point coordinate polygon from an integer coordinate polygon - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipolygon'. + @brief Assigns another object to self """ - @overload - @classmethod - def new(cls, sp: DSimplePolygon) -> DPolygon: + def create(self) -> None: r""" - @brief Creates a polygon from a simple polygon - @param sp The simple polygon that is converted into the polygon - This method was introduced in version 0.22. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - @classmethod - def new(cls, pts: Sequence[DPoint], raw: Optional[bool] = ...) -> DPolygon: + def ctrans(self, d: int) -> int: r""" - @brief Creates a polygon from a point array for the hull + @brief Transforms a distance - @param pts The points forming the polygon hull - @param raw If true, the point list won't be modified (see \assign_hull) + The "ctrans" method transforms the given distance. + e = t(d). For the simple transformations, there + is no magnification and no modification of the distance + therefore. - The 'raw' argument was added in version 0.24. + @param d The distance to transform + @return The transformed distance + + The product '*' has been added as a synonym in version 0.28. """ - def __copy__(self) -> DPolygon: + def destroy(self) -> None: r""" - @brief Creates a copy of self + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def __deepcopy__(self) -> DPolygon: + def destroyed(self) -> bool: r""" - @brief Creates a copy of self + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def __eq__(self, p: object) -> bool: + def dup(self) -> ICplxTrans: r""" - @brief Returns a value indicating whether the polygons are equal - @param p The object to compare against + @brief Creates a copy of self """ - def __hash__(self) -> int: + def hash(self) -> int: r""" @brief Computes a hash value - Returns a hash value for the given polygon. This method enables polygons as hash keys. + Returns a hash value for the given transformation. This method enables transformations as hash keys. This method has been introduced in version 0.25. """ - @overload - def __init__(self) -> None: - r""" - @brief Creates an empty (invalid) polygon - """ - @overload - def __init__(self, box: DBox) -> None: + def invert(self) -> ICplxTrans: r""" - @brief Creates a polygon from a box + @brief Inverts the transformation (in place) - @param box The box to convert to a polygon - """ - @overload - def __init__(self, polygon: Polygon) -> None: - r""" - @brief Creates a floating-point coordinate polygon from an integer coordinate polygon + Inverts the transformation and replaces this transformation by it's + inverted one. - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_ipolygon'. + @return The inverted transformation """ - @overload - def __init__(self, sp: DSimplePolygon) -> None: + def inverted(self) -> ICplxTrans: r""" - @brief Creates a polygon from a simple polygon - @param sp The simple polygon that is converted into the polygon - This method was introduced in version 0.22. + @brief Returns the inverted transformation + + Returns the inverted transformation. This method does not modify the transformation. + + @return The inverted transformation """ - @overload - def __init__(self, pts: Sequence[DPoint], raw: Optional[bool] = ...) -> None: + def is_complex(self) -> bool: r""" - @brief Creates a polygon from a point array for the hull + @brief Returns true if the transformation is a complex one - @param pts The points forming the polygon hull - @param raw If true, the point list won't be modified (see \assign_hull) + If this predicate is false, the transformation can safely be converted to a simple transformation. + Otherwise, this conversion will be lossy. + The predicate value is equivalent to 'is_mag || !is_ortho'. - The 'raw' argument was added in version 0.24. + This method has been introduced in version 0.27.5. """ - def __lt__(self, p: DPolygon) -> bool: + def is_const_object(self) -> bool: r""" - @brief Returns a value indicating whether self is less than p - @param p The object to compare against - This operator is provided to establish some, not necessarily a certain sorting order + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def __mul__(self, f: float) -> DPolygon: + def is_mag(self) -> bool: r""" - @brief Scales the polygon by some factor + @brief Tests, if the transformation is a magnifying one - Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + This is the recommended test for checking if the transformation represents + a magnification. """ - def __ne__(self, p: object) -> bool: + def is_mirror(self) -> bool: r""" - @brief Returns a value indicating whether the polygons are not equal - @param p The object to compare against + @brief Gets the mirror flag + + If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. """ - def __rmul__(self, f: float) -> DPolygon: + def is_ortho(self) -> bool: r""" - @brief Scales the polygon by some factor + @brief Tests, if the transformation is an orthogonal transformation - Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + If the rotation is by a multiple of 90 degree, this method will return true. """ - def __str__(self) -> str: + def is_unity(self) -> bool: r""" - @brief Returns a string representing the polygon + @brief Tests, whether this is a unit transformation """ - def _create(self) -> None: + def rot(self) -> int: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Returns the respective simple transformation equivalent rotation code if possible + + If this transformation is orthogonal (is_ortho () == true), then this method + will return the corresponding fixpoint transformation, not taking into account + magnification and displacement. If the transformation is not orthogonal, the result + reflects the quadrant the rotation goes into. """ - def _destroy(self) -> None: + def s_trans(self) -> Trans: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Extracts the simple transformation part + + The simple transformation part does not reflect magnification or arbitrary angles. + Rotation angles are rounded down to multiples of 90 degree. Magnification is fixed to 1.0. """ - def _destroyed(self) -> bool: + def to_itrans(self, dbu: Optional[float] = ...) -> DCplxTrans: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Converts the transformation to another transformation with floating-point input and output coordinates + + The database unit can be specified to translate the integer coordinate displacement in database units to a floating-point displacement in micron units. The displacement's' coordinates will be multiplied with the database unit. + + This method has been introduced in version 0.25. """ - def _is_const_object(self) -> bool: + def to_s(self, lazy: Optional[bool] = ..., dbu: Optional[float] = ...) -> str: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief String conversion + If 'lazy' is true, some parts are omitted when not required. + If a DBU is given, the output units will be micrometers. + + The lazy and DBU arguments have been added in version 0.27.6. """ - def _manage(self) -> None: + def to_trans(self) -> VCplxTrans: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Converts the transformation to another transformation with floating-point input coordinates - Usually it's not required to call this method. It has been introduced in version 0.24. + This method has been introduced in version 0.25. """ - def _unmanage(self) -> None: + def to_vtrans(self, dbu: Optional[float] = ...) -> CplxTrans: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Converts the transformation to another transformation with floating-point output coordinates - Usually it's not required to call this method. It has been introduced in version 0.24. + The database unit can be specified to translate the integer coordinate displacement in database units to a floating-point displacement in micron units. The displacement's' coordinates will be multiplied with the database unit. + + This method has been introduced in version 0.25. """ - def area(self) -> float: + @overload + def trans(self, box: Box) -> Box: r""" - @brief Gets the area of the polygon - The area is correct only if the polygon is not self-overlapping and the polygon is oriented clockwise.Orientation is ensured automatically in most cases. + @brief Transforms a box + + 't*box' or 't.trans(box)' is equivalent to box.transformed(t). + + @param box The box to transform + @return The transformed box + + This convenience method has been introduced in version 0.25. """ - def area2(self) -> float: + @overload + def trans(self, edge: Edge) -> Edge: r""" - @brief Gets the double area of the polygon - This method is provided because the area for an integer-type polygon is a multiple of 1/2. Hence the double area can be expresses precisely as an integer for these types. + @brief Transforms an edge - This method has been introduced in version 0.26.1 + 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). + + @param edge The edge to transform + @return The transformed edge + + This convenience method has been introduced in version 0.25. """ - def assign(self, other: DPolygon) -> None: + @overload + def trans(self, p: Point) -> Point: r""" - @brief Assigns another object to self + @brief Transforms a point + + The "trans" method or the * operator transforms the given point. + q = t(p) + + The * operator has been introduced in version 0.25. + + @param p The point to transform + @return The transformed point """ @overload - def assign_hole(self, n: int, b: DBox) -> None: + def trans(self, p: Vector) -> Vector: r""" - @brief Sets the box as the given hole of the polygon - @param n The index of the hole to which the points should be assigned - @param b The box to assign to the polygon's hole - If the hole index is not valid, this method does nothing. - This method was introduced in version 0.23. + @brief Transforms a vector + + The "trans" method or the * operator transforms the given vector. + w = t(v) + + Vector transformation has been introduced in version 0.25. + + @param v The vector to transform + @return The transformed vector """ @overload - def assign_hole(self, n: int, p: Sequence[DPoint], raw: Optional[bool] = ...) -> None: + def trans(self, path: Path) -> Path: r""" - @brief Sets the points of the given hole of the polygon - @param n The index of the hole to which the points should be assigned - @param p An array of points to assign to the polygon's hole - @param raw If true, the points won't be compressed (see \assign_hull) - If the hole index is not valid, this method does nothing. + @brief Transforms a path - This method was introduced in version 0.18. - The 'raw' argument was added in version 0.24. + 't*path' or 't.trans(path)' is equivalent to path.transformed(t). + + @param path The path to transform + @return The transformed path + + This convenience method has been introduced in version 0.25. """ - def assign_hull(self, p: Sequence[DPoint], raw: Optional[bool] = ...) -> None: + @overload + def trans(self, polygon: Polygon) -> Polygon: r""" - @brief Sets the points of the hull of polygon - @param p An array of points to assign to the polygon's hull - @param raw If true, the points won't be compressed - - If the 'raw' argument is set to true, the points are taken as they are. Specifically no removal of redundant points or joining of coincident edges will take place. In effect, polygons consisting of a single point or two points can be constructed as well as polygons with duplicate points. Note that such polygons may cause problems in some applications. + @brief Transforms a polygon - Regardless of raw mode, the point list will be adjusted such that the first point is the lowest-leftmost one and the orientation is clockwise always. + 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - The 'assign_hull' variant is provided in analogy to 'assign_hole'. + @param polygon The polygon to transform + @return The transformed polygon - The 'raw' argument was added in version 0.24. + This convenience method has been introduced in version 0.25. """ - def bbox(self) -> DBox: + @overload + def trans(self, text: Text) -> Text: r""" - @brief Returns the bounding box of the polygon - The bounding box is the box enclosing all points of the polygon. + @brief Transforms a text + + 't*text' or 't.trans(text)' is equivalent to text.transformed(t). + + @param text The text to transform + @return The transformed text + + This convenience method has been introduced in version 0.25. """ - def compress(self, remove_reflected: bool) -> None: - r""" - @brief Compresses the polygon. - This method removes redundant points from the polygon, such as points being on a line formed by two other points. - If remove_reflected is true, points are also removed if the two adjacent edges form a spike. +class IMatrix2d: + r""" + @brief A 2d matrix object used mainly for representing rotation and shear transformations (integer coordinate version). - @param remove_reflected See description of the functionality. + This object represents a 2x2 matrix. This matrix is used to implement affine transformations in the 2d space mainly. It can be decomposed into basic transformations: mirroring, rotation and shear. In that case, the assumed execution order of the basic transformations is mirroring at the x axis, rotation, magnification and shear. - This method was introduced in version 0.18. + The integer variant was introduced in version 0.27. + """ + @overload + @classmethod + def new(cls) -> IMatrix2d: + r""" + @brief Create a new Matrix2d representing a unit transformation """ - def create(self) -> None: + @overload + @classmethod + def new(cls, m11: float, m12: float, m21: float, m22: float) -> IMatrix2d: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Create a new Matrix2d from the four coefficients """ - def destroy(self) -> None: + @overload + @classmethod + def new(cls, m: float) -> IMatrix2d: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Create a new Matrix2d representing an isotropic magnification + @param m The magnification """ - def destroyed(self) -> bool: + @overload + @classmethod + def new(cls, mx: float, my: float) -> IMatrix2d: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Create a new Matrix2d representing an anisotropic magnification + @param mx The magnification in x direction + @param my The magnification in y direction """ - def dup(self) -> DPolygon: + @overload + @classmethod + def new(cls, t: DCplxTrans) -> IMatrix2d: r""" - @brief Creates a copy of self + @brief Create a new Matrix2d from the given complex transformation@param t The transformation from which to create the matrix (not taking into account the displacement) """ @overload - def each_edge(self) -> Iterator[DEdge]: + @classmethod + def newc(cls, mag: float, rotation: float, mirror: bool) -> IMatrix2d: r""" - @brief Iterates over the edges that make up the polygon + @brief Create a new Matrix2d representing an isotropic magnification, rotation and mirroring + @param mag The magnification in x direction + @param rotation The rotation angle (in degree) + @param mirror The mirror flag (at x axis) - This iterator will deliver all edges, including those of the holes. Hole edges are oriented counterclockwise while hull edges are oriented clockwise. + This constructor is provided to construct a matrix similar to the complex transformation. + This constructor is called 'newc' to distinguish it from the constructors taking matrix coefficients ('c' is for composite). + The order of execution of the operations is mirror, magnification, rotation (as for complex transformations). """ @overload - def each_edge(self, contour: int) -> Iterator[DEdge]: + @classmethod + def newc(cls, shear: float, mx: float, my: float, rotation: float, mirror: bool) -> IMatrix2d: r""" - @brief Iterates over the edges of one contour of the polygon - - @param contour The contour number (0 for hull, 1 for first hole ...) - - This iterator will deliver all edges of the contour specified by the contour parameter. The hull has contour number 0, the first hole has contour 1 etc. - Hole edges are oriented counterclockwise while hull edges are oriented clockwise. + @brief Create a new Matrix2d representing a shear, anisotropic magnification, rotation and mirroring + @param shear The shear angle + @param mx The magnification in x direction + @param my The magnification in y direction + @param rotation The rotation angle (in degree) + @param mirror The mirror flag (at x axis) - This method was introduced in version 0.24. + The order of execution of the operations is mirror, magnification, shear and rotation. + This constructor is called 'newc' to distinguish it from the constructor taking the four matrix coefficients ('c' is for composite). """ - def each_point_hole(self, n: int) -> Iterator[DPoint]: + def __add__(self, m: IMatrix2d) -> IMatrix2d: r""" - @brief Iterates over the points that make up the nth hole - The hole number must be less than the number of holes (see \holes) + @brief Sum of two matrices. + @param m The other matrix. + @return The (element-wise) sum of self+m """ - def each_point_hull(self) -> Iterator[DPoint]: + def __copy__(self) -> IMatrix2d: r""" - @brief Iterates over the points that make up the hull + @brief Creates a copy of self """ - def extract_rad(self) -> List[Any]: + def __deepcopy__(self) -> IMatrix2d: r""" - @brief Extracts the corner radii from a rounded polygon - - Attempts to extract the radii of rounded corner polygon. This is essentially the inverse of the \round_corners method. If this method succeeds, if will return an array of four elements: @ul - @li The polygon with the rounded corners replaced by edgy ones @/li - @li The radius of the inner corners @/li - @li The radius of the outer corners @/li - @li The number of points per full circle @/li - @/ul - - This method is based on some assumptions and may fail. In this case, an empty array is returned. - - If successful, the following code will more or less render the original polygon and parameters - - @code - p = ... # some polygon - p.round_corners(ri, ro, n) - (p2, ri2, ro2, n2) = p.extract_rad - # -> p2 == p, ro2 == ro, ri2 == ri, n2 == n (within some limits) - @/code - - This method was introduced in version 0.25. + @brief Creates a copy of self """ - def hash(self) -> int: + @overload + def __init__(self) -> None: r""" - @brief Computes a hash value - Returns a hash value for the given polygon. This method enables polygons as hash keys. - - This method has been introduced in version 0.25. + @brief Create a new Matrix2d representing a unit transformation """ - def holes(self) -> int: + @overload + def __init__(self, m11: float, m12: float, m21: float, m22: float) -> None: r""" - @brief Returns the number of holes + @brief Create a new Matrix2d from the four coefficients """ @overload - def insert_hole(self, b: DBox) -> None: + def __init__(self, m: float) -> None: r""" - @brief Inserts a hole from the given box - @param b The box to insert as a new hole - This method was introduced in version 0.23. + @brief Create a new Matrix2d representing an isotropic magnification + @param m The magnification """ @overload - def insert_hole(self, p: Sequence[DPoint], raw: Optional[bool] = ...) -> None: + def __init__(self, mx: float, my: float) -> None: r""" - @brief Inserts a hole with the given points - @param p An array of points to insert as a new hole - @param raw If true, the points won't be compressed (see \assign_hull) - - The 'raw' argument was added in version 0.24. + @brief Create a new Matrix2d representing an anisotropic magnification + @param mx The magnification in x direction + @param my The magnification in y direction """ - def inside(self, p: DPoint) -> bool: + @overload + def __init__(self, t: DCplxTrans) -> None: r""" - @brief Tests, if the given point is inside the polygon - If the given point is inside or on the edge of the polygon, true is returned. This tests works well only if the polygon is not self-overlapping and oriented clockwise. + @brief Create a new Matrix2d from the given complex transformation@param t The transformation from which to create the matrix (not taking into account the displacement) """ - def is_box(self) -> bool: + @overload + def __mul__(self, box: Box) -> Box: r""" - @brief Returns true, if the polygon is a simple box. - - A polygon is a box if it is identical to it's bounding box. - - @return True if the polygon is a box. + @brief Transforms a box with this matrix. + @param box The box to transform. + @return The transformed box - This method was introduced in version 0.23. + Please note that the box remains a box, even though the matrix supports shear and rotation. The returned box will be the bounding box of the sheared and rotated rectangle. """ - def is_const_object(self) -> bool: + @overload + def __mul__(self, e: Edge) -> Edge: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Transforms an edge with this matrix. + @param e The edge to transform. + @return The transformed edge """ - def is_empty(self) -> bool: + @overload + def __mul__(self, m: IMatrix2d) -> IMatrix2d: r""" - @brief Returns a value indicating whether the polygon is empty + @brief Product of two matrices. + @param m The other matrix. + @return The matrix product self*m """ - def is_halfmanhattan(self) -> bool: + @overload + def __mul__(self, p: Point) -> Point: r""" - @brief Returns a value indicating whether the polygon is half-manhattan - Half-manhattan polygons have edges which are multiples of 45 degree. These polygons can be clipped at a rectangle without potential grid snapping. - - This predicate was introduced in version 0.27. + @brief Transforms a point with this matrix. + @param p The point to transform. + @return The transformed point """ - def is_rectilinear(self) -> bool: + @overload + def __mul__(self, p: Polygon) -> Polygon: r""" - @brief Returns a value indicating whether the polygon is rectilinear + @brief Transforms a polygon with this matrix. + @param p The polygon to transform. + @return The transformed polygon """ @overload - def move(self, p: DVector) -> DPolygon: + def __mul__(self, p: SimplePolygon) -> SimplePolygon: r""" - @brief Moves the polygon. - - Moves the polygon by the given offset and returns the - moved polygon. The polygon is overwritten. - - @param p The distance to move the polygon. - - @return The moved polygon (self). - - This method has been introduced in version 0.23. + @brief Transforms a simple polygon with this matrix. + @param p The simple polygon to transform. + @return The transformed simple polygon """ @overload - def move(self, x: float, y: float) -> DPolygon: + def __mul__(self, v: Vector) -> Vector: r""" - @brief Moves the polygon. - - Moves the polygon by the given offset and returns the - moved polygon. The polygon is overwritten. - - @param x The x distance to move the polygon. - @param y The y distance to move the polygon. - - @return The moved polygon (self). + @brief Transforms a vector with this matrix. + @param v The vector to transform. + @return The transformed vector """ @overload - def moved(self, p: DVector) -> DPolygon: + def __rmul__(self, box: Box) -> Box: r""" - @brief Returns the moved polygon (does not modify self) - - Moves the polygon by the given offset and returns the - moved polygon. The polygon is not modified. - - @param p The distance to move the polygon. - - @return The moved polygon. + @brief Transforms a box with this matrix. + @param box The box to transform. + @return The transformed box - This method has been introduced in version 0.23. + Please note that the box remains a box, even though the matrix supports shear and rotation. The returned box will be the bounding box of the sheared and rotated rectangle. """ @overload - def moved(self, x: float, y: float) -> DPolygon: + def __rmul__(self, e: Edge) -> Edge: r""" - @brief Returns the moved polygon (does not modify self) - - Moves the polygon by the given offset and returns the - moved polygon. The polygon is not modified. - - @param x The x distance to move the polygon. - @param y The y distance to move the polygon. - - @return The moved polygon. - - This method has been introduced in version 0.23. + @brief Transforms an edge with this matrix. + @param e The edge to transform. + @return The transformed edge """ - def num_points(self) -> int: + @overload + def __rmul__(self, m: IMatrix2d) -> IMatrix2d: r""" - @brief Gets the total number of points (hull plus holes) - This method was introduced in version 0.18. + @brief Product of two matrices. + @param m The other matrix. + @return The matrix product self*m """ - def num_points_hole(self, n: int) -> int: + @overload + def __rmul__(self, p: Point) -> Point: r""" - @brief Gets the number of points of the given hole - The argument gives the index of the hole of which the number of points are requested. The index must be less than the number of holes (see \holes). - """ - def num_points_hull(self) -> int: - r""" - @brief Gets the number of points of the hull - """ - def perimeter(self) -> float: - r""" - @brief Gets the perimeter of the polygon - The perimeter is sum of the lengths of all edges making up the polygon. - - This method has been introduce in version 0.23. - """ - def point_hole(self, n: int, p: int) -> DPoint: - r""" - @brief Gets a specific point of a hole - @param n The index of the hole to which the points should be assigned - @param p The index of the point to get - If the index of the point or of the hole is not valid, a default value is returned. - This method was introduced in version 0.18. - """ - def point_hull(self, p: int) -> DPoint: - r""" - @brief Gets a specific point of the hull - @param p The index of the point to get - If the index of the point is not a valid index, a default value is returned. - This method was introduced in version 0.18. - """ - def round_corners(self, rinner: float, router: float, n: int) -> DPolygon: - r""" - @brief Rounds the corners of the polygon - - Replaces the corners of the polygon with circle segments. - - @param rinner The circle radius of inner corners (in database units). - @param router The circle radius of outer corners (in database units). - @param n The number of points per full circle. - - @return The new polygon. - - This method was introduced in version 0.20 for integer coordinates and in 0.25 for all coordinate types. - """ - @overload - def size(self, d: float, mode: Optional[int] = ...) -> None: - r""" - @brief Sizes the polygon (biasing) - - Shifts the contour outwards (d>0) or inwards (d<0). - This method is equivalent to - @code - size(d, d, mode) - @/code - - See \size for a detailed description. - - This method has been introduced in version 0.23. - """ - @overload - def size(self, dv: Vector, mode: Optional[int] = ...) -> None: - r""" - @brief Sizes the polygon (biasing) - - This method is equivalent to - @code - size(dv.x, dv.y, mode) - @/code - - See \size for a detailed description. - - This version has been introduced in version 0.28. - """ - @overload - def size(self, dx: float, dy: float, mode: int) -> None: - r""" - @brief Sizes the polygon (biasing) - - Shifts the contour outwards (dx,dy>0) or inwards (dx,dy<0). - dx is the sizing in x-direction and dy is the sizing in y-direction. The sign of dx and dy should be identical. - The sizing operation create invalid (self-overlapping, reverse oriented) contours. - - The mode defines at which bending angle cutoff occurs - (0:>0, 1:>45, 2:>90, 3:>135, 4:>approx. 168, other:>approx. 179) - - In order to obtain a proper polygon in the general case, the - sized polygon must be merged in 'greater than zero' wrap count mode. This is necessary since in the general case, - sizing can be complicated operation which lets a single polygon fall apart into disjoint pieces for example. - This can be achieved using the \EdgeProcessor class for example: - - @code - poly = ... # a RBA::Polygon - poly.size(-50, 2) - ep = RBA::EdgeProcessor::new - # result is an array of RBA::Polygon objects - result = ep.simple_merge_p2p([ poly ], false, false, 1) - @/code - """ - @overload - def sized(self, d: float, mode: Optional[int] = ...) -> DPolygon: - r""" - @brief Sizes the polygon (biasing) without modifying self - - Shifts the contour outwards (d>0) or inwards (d<0). - This method is equivalent to - @code - sized(d, d, mode) - @/code - - See \size and \sized for a detailed description. - """ - @overload - def sized(self, dv: Vector, mode: Optional[int] = ...) -> DPolygon: - r""" - @brief Sizes the polygon (biasing) without modifying self - - This method is equivalent to - @code - sized(dv.x, dv.y, mode) - @/code - - See \size and \sized for a detailed description. - - This version has been introduced in version 0.28. - """ - @overload - def sized(self, dx: float, dy: float, mode: int) -> DPolygon: - r""" - @brief Sizes the polygon (biasing) without modifying self - - This method applies sizing to the polygon but does not modify self. Instead a sized copy is returned. - See \size for a description of the operation. - - This method has been introduced in version 0.23. - """ - def split(self) -> List[DPolygon]: - r""" - @brief Splits the polygon into two or more parts - This method will break the polygon into parts. The exact breaking algorithm is unspecified, the result are smaller polygons of roughly equal number of points and 'less concave' nature. Usually the returned polygon set consists of two polygons, but there can be more. The merged region of the resulting polygons equals the original polygon with the exception of small snapping effects at new vertexes. - - The intended use for this method is a iteratively split polygons until the satisfy some maximum number of points limit. - - This method has been introduced in version 0.25.3. - """ - def to_itype(self, dbu: Optional[float] = ...) -> Polygon: - r""" - @brief Converts the polygon to an integer coordinate polygon - - The database unit can be specified to translate the floating-point coordinate polygon in micron units to an integer-coordinate polygon in database units. The polygons coordinates will be divided by the database unit. - - This method has been introduced in version 0.25. - """ - def to_s(self) -> str: - r""" - @brief Returns a string representing the polygon - """ - @overload - def touches(self, box: DBox) -> bool: - r""" - @brief Returns true, if the polygon touches the given box. - The box and the polygon touch if they overlap or their contours share at least one point. - - This method was introduced in version 0.25.1. - """ - @overload - def touches(self, edge: DEdge) -> bool: - r""" - @brief Returns true, if the polygon touches the given edge. - The edge and the polygon touch if they overlap or the edge shares at least one point with the polygon's contour. - - This method was introduced in version 0.25.1. - """ - @overload - def touches(self, polygon: DPolygon) -> bool: - r""" - @brief Returns true, if the polygon touches the other polygon. - The polygons touch if they overlap or their contours share at least one point. - - This method was introduced in version 0.25.1. - """ - @overload - def touches(self, simple_polygon: DSimplePolygon) -> bool: - r""" - @brief Returns true, if the polygon touches the other polygon. - The polygons touch if they overlap or their contours share at least one point. - - This method was introduced in version 0.25.1. - """ - @overload - def transform(self, t: DCplxTrans) -> DPolygon: - r""" - @brief Transforms the polygon with a complex transformation (in-place) - - Transforms the polygon with the given complex transformation. - Modifies self and returns self. An out-of-place version which does not modify self is \transformed. - - @param t The transformation to apply. - - This method has been introduced in version 0.24. - """ - @overload - def transform(self, t: DTrans) -> DPolygon: - r""" - @brief Transforms the polygon (in-place) - - Transforms the polygon with the given transformation. - Modifies self and returns self. An out-of-place version which does not modify self is \transformed. - - @param t The transformation to apply. - - This method has been introduced in version 0.24. + @brief Transforms a point with this matrix. + @param p The point to transform. + @return The transformed point """ @overload - def transformed(self, t: DCplxTrans) -> DPolygon: + def __rmul__(self, p: Polygon) -> Polygon: r""" - @brief Transforms the polygon with a complex transformation - - Transforms the polygon with the given complex transformation. - Does not modify the polygon but returns the transformed polygon. - - @param t The transformation to apply. - - @return The transformed polygon. - - With version 0.25, the original 'transformed_cplx' method is deprecated and 'transformed' takes both simple and complex transformations. + @brief Transforms a polygon with this matrix. + @param p The polygon to transform. + @return The transformed polygon """ @overload - def transformed(self, t: DTrans) -> DPolygon: + def __rmul__(self, p: SimplePolygon) -> SimplePolygon: r""" - @brief Transforms the polygon - - Transforms the polygon with the given transformation. - Does not modify the polygon but returns the transformed polygon. - - @param t The transformation to apply. - - @return The transformed polygon. + @brief Transforms a simple polygon with this matrix. + @param p The simple polygon to transform. + @return The transformed simple polygon """ @overload - def transformed(self, t: VCplxTrans) -> Polygon: - r""" - @brief Transforms the polygon with the given complex transformation - - - @param t The magnifying transformation to apply - @return The transformed polygon (in this case an integer coordinate polygon) - - This method has been introduced in version 0.25. - """ - def transformed_cplx(self, t: DCplxTrans) -> DPolygon: - r""" - @brief Transforms the polygon with a complex transformation - - Transforms the polygon with the given complex transformation. - Does not modify the polygon but returns the transformed polygon. - - @param t The transformation to apply. - - @return The transformed polygon. - - With version 0.25, the original 'transformed_cplx' method is deprecated and 'transformed' takes both simple and complex transformations. - """ - -class LayerMap: - r""" - @brief An object representing an arbitrary mapping of physical layers to logical layers - - "Physical" layers are stream layers or other separated layers in a CAD file. "Logical" layers are the layers present in a \Layout object. Logical layers are represented by an integer index while physical layers are given by a layer and datatype number or name. A logical layer is created automatically in the layout on reading if it does not exist yet. - - The mapping describes an association of a set of physical layers to a set of logical ones, where multiple - physical layers can be mapped to a single logical one, which effectively merges the layers. - - For each logical layer, a target layer can be specified. A target layer is the layer/datatype/name combination - as which the logical layer appears in the layout. By using a target layer different from the source layer - renaming a layer can be achieved while loading a layout. Another use case for that feature is to assign - layer names to GDS layer/datatype combinations which are numerical only. - - LayerMap objects are used in two ways: as input for the reader (inside a \LoadLayoutOptions class) and - as output from the reader (i.e. Layout::read method). For layer map objects used as input, the layer indexes - (logical layers) can be consecutive numbers. They do not need to correspond with real layer indexes from - a layout object. When used as output, the layer map's logical layers correspond to the layer indexes inside - the layout that the layer map was used upon. - - This is a sample how to use the LayerMap object. It maps all datatypes of layers 1, 2 and 3 to datatype 0 and - assigns the names 'ONE', 'TWO' and 'THREE' to these layout layers: - - @codelm = RBA::LayerMap::new - lm.map("1/0-255 : ONE (1/0)") - lm.map("2/0-255 : TWO (2/0)") - lm.map("3/0-255 : THREE (3/0)") - - # read the layout using the layer map - lo = RBA::LoadLayoutOptions::new - lo.layer_map.assign(lm) - ly = RBA::Layout::new - ly.read("input.gds", lo) - @/code - - 1:n mapping is supported: a physical layer can be mapped to multiple logical layers using 'mmap' instead of 'map'. When using this variant, mapping acts additive. - The following example will map layer 1, datatypes 0 to 255 to logical layer 0, and layer 1, datatype 17 to logical layers 0 plus 1: - @codelm = RBA::LayerMap::new - lm.map("1/0-255", 0) # (can be 'mmap' too) - lm.mmap("1/17", 1) - @/code - - 'unmapping' allows removing a mapping. This allows creating 'holes' in mapping ranges. The following example maps layer 1, datatypes 0 to 16 and 18 to 255 to logical layer 0: - @codelm = RBA::LayerMap::new - lm.map("1/0-255", 0) - lm.unmap("1/17") - @/code - - The LayerMap class has been introduced in version 0.18. Target layer have been introduced in version 0.20. 1:n mapping and unmapping has been introduced in version 0.27. - """ - @classmethod - def from_string(cls, arg0: str) -> LayerMap: - r""" - @brief Creates a layer map from the given string - The format of the string is that used in layer mapping files: one mapping entry per line, comments are allowed using '#' or '//'. The format of each line is that used in the 'map(string, index)' method. - - This method has been introduced in version 0.23. - """ - @classmethod - def new(cls) -> LayerMap: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> LayerMap: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> LayerMap: + def __rmul__(self, v: Vector) -> Vector: r""" - @brief Creates a copy of self + @brief Transforms a vector with this matrix. + @param v The vector to transform. + @return The transformed vector """ - def __init__(self) -> None: + def __str__(self) -> str: r""" - @brief Creates a new object of this class + @brief Convert the matrix to a string. + @return The string representing this matrix """ def _create(self) -> None: r""" @@ -23228,13 +22583,21 @@ class LayerMap: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: LayerMap) -> None: + def angle(self) -> float: + r""" + @brief Returns the rotation angle of the rotation component of this matrix. + @return The angle in degree. + The matrix is decomposed into basic transformations assuming an execution order of mirroring at the x axis, rotation, magnification and shear. + """ + def assign(self, other: IMatrix2d) -> None: r""" @brief Assigns another object to self """ - def clear(self) -> None: + def cplx_trans(self) -> ICplxTrans: r""" - @brief Clears the map + @brief Converts this matrix to a complex transformation (if possible). + @return The complex transformation. + This method is successful only if the matrix does not contain shear components and the magnification must be isotropic. """ def create(self) -> None: r""" @@ -23253,1068 +22616,964 @@ class LayerMap: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> LayerMap: + def dup(self) -> IMatrix2d: r""" @brief Creates a copy of self """ + def inverted(self) -> IMatrix2d: + r""" + @brief The inverse of this matrix. + @return The inverse of this matrix + """ def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def is_mapped(self, layer: LayerInfo) -> bool: + def is_mirror(self) -> bool: r""" - @brief Check, if a given physical layer is mapped - @param layer The physical layer specified with an \LayerInfo object. - @return True, if the layer is mapped. + @brief Returns the mirror flag of this matrix. + @return True if this matrix has a mirror component. + The matrix is decomposed into basic transformations assuming an execution order of mirroring at the x axis, rotation, magnification and shear. """ - def logical(self, layer: LayerInfo) -> int: + def m(self, i: int, j: int) -> float: r""" - @brief Returns the logical layer (the layer index in the layout object) for a given physical layer.n@param layer The physical layer specified with an \LayerInfo object. - @return The logical layer index or -1 if the layer is not mapped. - This method is deprecated with version 0.27 as in this version, layers can be mapped to multiple targets which this method can't capture. Use \logicals instead. + @brief Gets the m coefficient with the given index. + @return The coefficient [i,j] """ - def logicals(self, layer: LayerInfo) -> List[int]: + def m11(self) -> float: r""" - @brief Returns the logical layers for a given physical layer.n@param layer The physical layer specified with an \LayerInfo object. - @return This list of logical layers this physical layer as mapped to or empty if there is no mapping. - This method has been introduced in version 0.27. + @brief Gets the m11 coefficient. + @return The value of the m11 coefficient """ - @overload - def map(self, map_expr: str, log_layer: Optional[int] = ...) -> None: + def m12(self) -> float: r""" - @brief Maps a physical layer given by a string to a logical one - @param map_expr The string describing the physical layer to map. - @param log_layer The logical layer to which the physical layers are mapped. - - The string expression is constructed using the syntax: - "list[/list][;..]" for layer/datatype pairs. "list" is a - sequence of numbers, separated by comma values or a range - separated by a hyphen. Examples are: "1/2", "1-5/0", "1,2,5/0", - "1/5;5/6". - - layer/datatype wildcards can be specified with "*". When "*" is used - for the upper limit, it is equivalent to "all layer above". When used - alone, it is equivalent to "all layers". Examples: "1 / *", "* / 10-*" - - Named layers are specified simply by specifying the name, if - necessary in single or double quotes (if the name begins with a digit or - contains non-word characters). layer/datatype and name descriptions can - be mixed, i.e. "AA;1/5" (meaning: name "AA" or layer 1/datatype 5). - - A target layer can be specified with the ":" notation, where - target is a valid string for a LayerProperties() object. - - A target can include relative layer/datatype specifications and wildcards. - For example, "1-10/0: *+1/0" will add 1 to the original layer number. - "1-10/0-50: * / *" will use the original layers. - - If the logical layer is negative or omitted, the method will select the next available one. - - Target mapping has been added in version 0.20. The logical layer is optional since version 0.28. + @brief Gets the m12 coefficient. + @return The value of the m12 coefficient """ - @overload - def map(self, phys_layer: LayerInfo, log_layer: int) -> None: + def m21(self) -> float: r""" - @brief Maps a physical layer to a logical one - @param phys_layer The physical layer (a \LayerInfo object). - @param log_layer The logical layer to which the physical layer is mapped. - - In general, there may be more than one physical layer mapped - to one logical layer. This method will add the given physical layer to the mapping for the logical layer. + @brief Gets the m21 coefficient. + @return The value of the m21 coefficient """ - @overload - def map(self, phys_layer: LayerInfo, log_layer: int, target_layer: LayerInfo) -> None: + def m22(self) -> float: r""" - @brief Maps a physical layer to a logical one with a target layer - @param phys_layer The physical layer (a \LayerInfo object). - @param log_layer The logical layer to which the physical layer is mapped. - @param target_layer The properties of the layer that will be created unless it already exists. - - In general, there may be more than one physical layer mapped - to one logical layer. This method will add the given physical layer to the mapping for the logical layer. - - This method has been added in version 0.20. + @brief Gets the m22 coefficient. + @return The value of the m22 coefficient """ - @overload - def map(self, pl_start: LayerInfo, pl_stop: LayerInfo, log_layer: int) -> None: + def mag_x(self) -> float: r""" - @brief Maps a physical layer interval to a logical one - @param pl_start The first physical layer (a \LayerInfo object). - @param pl_stop The last physical layer (a \LayerInfo object). - @param log_layer The logical layer to which the physical layers are mapped. - - This method maps an interval of layers l1..l2 and datatypes d1..d2 to the mapping for the given logical layer. l1 and d1 are given by the pl_start argument, while l2 and d2 are given by the pl_stop argument. + @brief Returns the x magnification of the magnification component of this matrix. + @return The magnification factor. + The matrix is decomposed into basic transformations assuming an execution order of mirroring at the x axis, magnification, shear and rotation. """ - @overload - def map(self, pl_start: LayerInfo, pl_stop: LayerInfo, log_layer: int, layer_properties: LayerInfo) -> None: + def mag_y(self) -> float: r""" - @brief Maps a physical layer interval to a logical one with a target layer - @param pl_start The first physical layer (a \LayerInfo object). - @param pl_stop The last physical layer (a \LayerInfo object). - @param log_layer The logical layer to which the physical layers are mapped. - @param target_layer The properties of the layer that will be created unless it already exists. - - This method maps an interval of layers l1..l2 and datatypes d1..d2 to the mapping for the given logical layer. l1 and d1 are given by the pl_start argument, while l2 and d2 are given by the pl_stop argument. - This method has been added in version 0.20. + @brief Returns the y magnification of the magnification component of this matrix. + @return The magnification factor. + The matrix is decomposed into basic transformations assuming an execution order of mirroring at the x axis, magnification, shear and rotation. """ - def mapping(self, log_layer: int) -> LayerInfo: + def shear_angle(self) -> float: r""" - @brief Returns the mapped physical (or target if one is specified) layer for a given logical layer - @param log_layer The logical layer for which the mapping is requested. - @return A \LayerInfo object which is the physical layer mapped to the logical layer. - In general, there may be more than one physical layer mapped - to one logical layer. This method will return a single one of - them. It will return the one with the lowest layer and datatype. + @brief Returns the magnitude of the shear component of this matrix. + @return The shear angle in degree. + The matrix is decomposed into basic transformations assuming an execution order of mirroring at the x axis, rotation, magnification and shear. + The shear basic transformation will tilt the x axis towards the y axis and vice versa. The shear angle gives the tilt angle of the axes towards the other one. The possible range for this angle is -45 to 45 degree. """ - def mapping_str(self, log_layer: int) -> str: + def to_s(self) -> str: r""" - @brief Returns the mapping string for a given logical layer - @param log_layer The logical layer for which the mapping is requested. - @return A string describing the mapping. - The mapping string is compatible with the string that the "map" method accepts. + @brief Convert the matrix to a string. + @return The string representing this matrix """ - @overload - def mmap(self, map_expr: str, log_layer: Optional[int] = ...) -> None: + def trans(self, p: Point) -> Point: r""" - @brief Maps a physical layer given by an expression to a logical one and adds to existing mappings + @brief Transforms a point with this matrix. + @param p The point to transform. + @return The transformed point + """ - This method acts like the corresponding 'map' method, but adds the logical layer to the receivers of the given physical one. Hence this method implements 1:n mapping capabilities. - For backward compatibility, 'map' still substitutes mapping. +class IMatrix3d: + r""" + @brief A 3d matrix object used mainly for representing rotation, shear, displacement and perspective transformations (integer coordinate version). - If the logical layer is negative or omitted, the method will select the next available one. + This object represents a 3x3 matrix. This matrix is used to implement generic geometrical transformations in the 2d space mainly. It can be decomposed into basic transformations: mirroring, rotation, shear, displacement and perspective distortion. In that case, the assumed execution order of the basic transformations is mirroring at the x axis, rotation, magnification, shear, displacement and perspective distortion. - Multi-mapping has been added in version 0.27. The logical layer is optional since version 0.28. - """ + The integer variant was introduced in version 0.27. + """ @overload - def mmap(self, phys_layer: LayerInfo, log_layer: int) -> None: + @classmethod + def new(cls) -> IMatrix3d: r""" - @brief Maps a physical layer to a logical one and adds to existing mappings - - This method acts like the corresponding 'map' method, but adds the logical layer to the receivers of the given physical one. Hence this method implements 1:n mapping capabilities. - For backward compatibility, 'map' still substitutes mapping. - - Multi-mapping has been added in version 0.27. + @brief Create a new Matrix3d representing a unit transformation """ @overload - def mmap(self, phys_layer: LayerInfo, log_layer: int, target_layer: LayerInfo) -> None: + @classmethod + def new(cls, m11: float, m12: float, m13: float, m21: float, m22: float, m23: float, m31: float, m32: float, m33: float) -> IMatrix3d: r""" - @brief Maps a physical layer to a logical one, adds to existing mappings and specifies a target layer + @brief Create a new Matrix3d from the nine matrix coefficients + """ + @overload + @classmethod + def new(cls, m11: float, m12: float, m21: float, m22: float) -> IMatrix3d: + r""" + @brief Create a new Matrix3d from the four coefficients of a Matrix2d + """ + @overload + @classmethod + def new(cls, m11: float, m12: float, m21: float, m22: float, dx: float, dy: float) -> IMatrix3d: + r""" + @brief Create a new Matrix3d from the four coefficients of a Matrix2d plus a displacement + """ + @overload + @classmethod + def new(cls, m: float) -> IMatrix3d: + r""" + @brief Create a new Matrix3d representing a magnification + @param m The magnification + """ + @overload + @classmethod + def new(cls, t: ICplxTrans) -> IMatrix3d: + r""" + @brief Create a new Matrix3d from the given complex transformation@param t The transformation from which to create the matrix + """ + @overload + @classmethod + def newc(cls, mag: float, rotation: float, mirrx: bool) -> IMatrix3d: + r""" + @brief Create a new Matrix3d representing a isotropic magnification, rotation and mirroring + @param mag The magnification + @param rotation The rotation angle (in degree) + @param mirrx The mirror flag (at x axis) - This method acts like the corresponding 'map' method, but adds the logical layer to the receivers of the given physical one. Hence this method implements 1:n mapping capabilities. - For backward compatibility, 'map' still substitutes mapping. + The order of execution of the operations is mirror, magnification and rotation. + This constructor is called 'newc' to distinguish it from the constructors taking coefficients ('c' is for composite). + """ + @overload + @classmethod + def newc(cls, shear: float, mx: float, my: float, rotation: float, mirrx: bool) -> IMatrix3d: + r""" + @brief Create a new Matrix3d representing a shear, anisotropic magnification, rotation and mirroring + @param shear The shear angle + @param mx The magnification in x direction + @param mx The magnification in y direction + @param rotation The rotation angle (in degree) + @param mirrx The mirror flag (at x axis) - Multi-mapping has been added in version 0.27. + The order of execution of the operations is mirror, magnification, rotation and shear. + This constructor is called 'newc' to distinguish it from the constructor taking the four matrix coefficients ('c' is for composite). """ @overload - def mmap(self, pl_start: LayerInfo, pl_stop: LayerInfo, log_layer: int) -> None: + @classmethod + def newc(cls, tx: float, ty: float, z: float, u: Vector, shear: float, mx: float, my: float, rotation: float, mirrx: bool) -> IMatrix3d: r""" - @brief Maps a physical layer from the given interval to a logical one and adds to existing mappings + @brief Create a new Matrix3d representing a perspective distortion, displacement, shear, anisotropic magnification, rotation and mirroring + @param tx The perspective tilt angle x (around the y axis) + @param ty The perspective tilt angle y (around the x axis) + @param z The observer distance at which the tilt angles are given + @param u The displacement + @param shear The shear angle + @param mx The magnification in x direction + @param mx The magnification in y direction + @param rotation The rotation angle (in degree) + @param mirrx The mirror flag (at x axis) - This method acts like the corresponding 'map' method, but adds the logical layer to the receivers of the given physical one. Hence this method implements 1:n mapping capabilities. - For backward compatibility, 'map' still substitutes mapping. + The order of execution of the operations is mirror, magnification, rotation, shear, perspective distortion and displacement. + This constructor is called 'newc' to distinguish it from the constructor taking the four matrix coefficients ('c' is for composite). - Multi-mapping has been added in version 0.27. + The tx and ty parameters represent the perspective distortion. They denote a tilt of the xy plane around the y axis (tx) or the x axis (ty) in degree. The same effect is achieved for different tilt angles for different observer distances. Hence, the observer distance must be given at which the tilt angles are given. If the magnitude of the tilt angle is not important, z can be set to 1. + + Starting with version 0.25 the displacement is of vector type. """ @overload - def mmap(self, pl_start: LayerInfo, pl_stop: LayerInfo, log_layer: int, layer_properties: LayerInfo) -> None: + @classmethod + def newc(cls, u: Vector, shear: float, mx: float, my: float, rotation: float, mirrx: bool) -> IMatrix3d: r""" - @brief Maps a physical layer from the given interval to a logical one, adds to existing mappings and specifies a target layer + @brief Create a new Matrix3d representing a displacement, shear, anisotropic magnification, rotation and mirroring + @param u The displacement + @param shear The shear angle + @param mx The magnification in x direction + @param mx The magnification in y direction + @param rotation The rotation angle (in degree) + @param mirrx The mirror flag (at x axis) - This method acts like the corresponding 'map' method, but adds the logical layer to the receivers of the given physical one. Hence this method implements 1:n mapping capabilities. - For backward compatibility, 'map' still substitutes mapping. + The order of execution of the operations is mirror, magnification, rotation, shear and displacement. + This constructor is called 'newc' to distinguish it from the constructor taking the four matrix coefficients ('c' is for composite). - Multi-mapping has been added in version 0.27. + Starting with version 0.25 the displacement is of vector type. """ - def to_string(self) -> str: + def __add__(self, m: IMatrix3d) -> IMatrix3d: r""" - @brief Converts a layer mapping object to a string - This method is the inverse of the \from_string method. - - This method has been introduced in version 0.23. + @brief Sum of two matrices. + @param m The other matrix. + @return The (element-wise) sum of self+m + """ + def __copy__(self) -> IMatrix3d: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> IMatrix3d: + r""" + @brief Creates a copy of self """ @overload - def unmap(self, expr: str) -> None: + def __init__(self) -> None: r""" - @brief Unmaps the layers from the given expression - This method has been introduced in version 0.27. + @brief Create a new Matrix3d representing a unit transformation """ @overload - def unmap(self, phys_layer: LayerInfo) -> None: + def __init__(self, m11: float, m12: float, m13: float, m21: float, m22: float, m23: float, m31: float, m32: float, m33: float) -> None: r""" - @brief Unmaps the given layer - Unmapping will remove the specific layer from the mapping. This method allows generating 'mapping holes' by first mapping a range and then unmapping parts of it. - - This method has been introduced in version 0.27. + @brief Create a new Matrix3d from the nine matrix coefficients """ @overload - def unmap(self, pl_start: LayerInfo, pl_stop: LayerInfo) -> None: + def __init__(self, m11: float, m12: float, m21: float, m22: float) -> None: r""" - @brief Unmaps the layers from the given interval - This method has been introduced in version 0.27. + @brief Create a new Matrix3d from the four coefficients of a Matrix2d """ + @overload + def __init__(self, m11: float, m12: float, m21: float, m22: float, dx: float, dy: float) -> None: + r""" + @brief Create a new Matrix3d from the four coefficients of a Matrix2d plus a displacement + """ + @overload + def __init__(self, m: float) -> None: + r""" + @brief Create a new Matrix3d representing a magnification + @param m The magnification + """ + @overload + def __init__(self, t: ICplxTrans) -> None: + r""" + @brief Create a new Matrix3d from the given complex transformation@param t The transformation from which to create the matrix + """ + @overload + def __mul__(self, box: Box) -> Box: + r""" + @brief Transforms a box with this matrix. + @param box The box to transform. + @return The transformed box -class LoadLayoutOptions: - r""" - @brief Layout reader options - - This object describes various layer reader options used for loading layouts. - - This class has been introduced in version 0.18. - """ - class CellConflictResolution: + Please note that the box remains a box, even though the matrix supports shear and rotation. The returned box will be the bounding box of the sheared and rotated rectangle. + """ + @overload + def __mul__(self, e: Edge) -> Edge: r""" - @brief This enum specifies how cell conflicts are handled if a layout read into another layout and a cell name conflict arises. - Until version 0.26.8 and before, the mode was always 'AddToCell'. On reading, a cell was 'reopened' when encountering a cell name which already existed. This mode is still the default. The other modes are made available to support other ways of merging layouts. + @brief Transforms an edge with this matrix. + @param e The edge to transform. + @return The transformed edge + """ + @overload + def __mul__(self, m: IMatrix3d) -> IMatrix3d: + r""" + @brief Product of two matrices. + @param m The other matrix. + @return The matrix product self*m + """ + @overload + def __mul__(self, p: Point) -> Point: + r""" + @brief Transforms a point with this matrix. + @param p The point to transform. + @return The transformed point + """ + @overload + def __mul__(self, p: Polygon) -> Polygon: + r""" + @brief Transforms a polygon with this matrix. + @param p The polygon to transform. + @return The transformed polygon + """ + @overload + def __mul__(self, p: SimplePolygon) -> SimplePolygon: + r""" + @brief Transforms a simple polygon with this matrix. + @param p The simple polygon to transform. + @return The transformed simple polygon + """ + @overload + def __mul__(self, v: Vector) -> Vector: + r""" + @brief Transforms a vector with this matrix. + @param v The vector to transform. + @return The transformed vector + """ + @overload + def __rmul__(self, box: Box) -> Box: + r""" + @brief Transforms a box with this matrix. + @param box The box to transform. + @return The transformed box - Proxy cells are never modified in the existing layout. Proxy cells are always local to their layout file. So if the existing cell is a proxy cell, the new cell will be renamed. + Please note that the box remains a box, even though the matrix supports shear and rotation. The returned box will be the bounding box of the sheared and rotated rectangle. + """ + @overload + def __rmul__(self, e: Edge) -> Edge: + r""" + @brief Transforms an edge with this matrix. + @param e The edge to transform. + @return The transformed edge + """ + @overload + def __rmul__(self, m: IMatrix3d) -> IMatrix3d: + r""" + @brief Product of two matrices. + @param m The other matrix. + @return The matrix product self*m + """ + @overload + def __rmul__(self, p: Point) -> Point: + r""" + @brief Transforms a point with this matrix. + @param p The point to transform. + @return The transformed point + """ + @overload + def __rmul__(self, p: Polygon) -> Polygon: + r""" + @brief Transforms a polygon with this matrix. + @param p The polygon to transform. + @return The transformed polygon + """ + @overload + def __rmul__(self, p: SimplePolygon) -> SimplePolygon: + r""" + @brief Transforms a simple polygon with this matrix. + @param p The simple polygon to transform. + @return The transformed simple polygon + """ + @overload + def __rmul__(self, v: Vector) -> Vector: + r""" + @brief Transforms a vector with this matrix. + @param v The vector to transform. + @return The transformed vector + """ + def __str__(self) -> str: + r""" + @brief Convert the matrix to a string. + @return The string representing this matrix + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - If the new or existing cell is a ghost cell, both cells are merged always. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This enum was introduced in version 0.27. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - AddToCell: ClassVar[LoadLayoutOptions.CellConflictResolution] + def angle(self) -> float: r""" - @brief Add content to existing cell - This is the mode use in before version 0.27. Content of new cells is simply added to existing cells with the same name. + @brief Returns the rotation angle of the rotation component of this matrix. + @return The angle in degree. + See the description of this class for details about the basic transformations. """ - OverwriteCell: ClassVar[LoadLayoutOptions.CellConflictResolution] + def assign(self, other: IMatrix3d) -> None: r""" - @brief The old cell is overwritten entirely (including child cells which are not used otherwise) + @brief Assigns another object to self """ - RenameCell: ClassVar[LoadLayoutOptions.CellConflictResolution] + def cplx_trans(self) -> DCplxTrans: r""" - @brief The new cell will be renamed to become unique + @brief Converts this matrix to a complex transformation (if possible). + @return The complex transformation. + This method is successful only if the matrix does not contain shear or perspective distortion components and the magnification must be isotropic. """ - SkipNewCell: ClassVar[LoadLayoutOptions.CellConflictResolution] + def create(self) -> None: r""" - @brief The new cell is skipped entirely (including child cells which are not used otherwise) + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - @classmethod - def new(cls, i: int) -> LoadLayoutOptions.CellConflictResolution: - r""" - @brief Creates an enum from an integer value - """ - @overload - @classmethod - def new(cls, s: str) -> LoadLayoutOptions.CellConflictResolution: - r""" - @brief Creates an enum from a string value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares two enums - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer value - """ - @overload - def __init__(self, i: int) -> None: - r""" - @brief Creates an enum from an integer value - """ - @overload - def __init__(self, s: str) -> None: - r""" - @brief Creates an enum from a string value - """ - @overload - def __lt__(self, other: int) -> bool: - r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value - """ - @overload - def __lt__(self, other: LoadLayoutOptions.CellConflictResolution) -> bool: - r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares two enums for inequality - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer for inequality - """ - def __repr__(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def __str__(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - def inspect(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def to_i(self) -> int: - r""" - @brief Gets the integer value from the enum - """ - def to_s(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - AddToCell: ClassVar[LoadLayoutOptions.CellConflictResolution] - r""" - @brief Add content to existing cell - This is the mode use in before version 0.27. Content of new cells is simply added to existing cells with the same name. - """ - OverwriteCell: ClassVar[LoadLayoutOptions.CellConflictResolution] - r""" - @brief The old cell is overwritten entirely (including child cells which are not used otherwise) - """ - RenameCell: ClassVar[LoadLayoutOptions.CellConflictResolution] - r""" - @brief The new cell will be renamed to become unique - """ - SkipNewCell: ClassVar[LoadLayoutOptions.CellConflictResolution] - r""" - @brief The new cell is skipped entirely (including child cells which are not used otherwise) - """ - cell_conflict_resolution: LoadLayoutOptions.CellConflictResolution - r""" - Getter: - @brief Gets the cell conflict resolution mode + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def disp(self) -> Vector: + r""" + @brief Returns the displacement vector of this transformation. - Multiple layout files can be collected into a single Layout object by reading file after file into the Layout object. Cells with same names are considered a conflict. This mode indicates how such conflicts are resolved. See \LoadLayoutOptions::CellConflictResolution for the values allowed. The default mode is \LoadLayoutOptions::CellConflictResolution#AddToCell. + Starting with version 0.25 this method returns a vector type instead of a point. + @return The displacement vector. + """ + def dup(self) -> IMatrix3d: + r""" + @brief Creates a copy of self + """ + def inverted(self) -> IMatrix3d: + r""" + @brief The inverse of this matrix. + @return The inverse of this matrix + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def is_mirror(self) -> bool: + r""" + @brief Returns the mirror flag of this matrix. + @return True if this matrix has a mirror component. + See the description of this class for details about the basic transformations. + """ + def m(self, i: int, j: int) -> float: + r""" + @brief Gets the m coefficient with the given index. + @return The coefficient [i,j] + """ + def mag_x(self) -> float: + r""" + @brief Returns the x magnification of the magnification component of this matrix. + @return The magnification factor. + """ + def mag_y(self) -> float: + r""" + @brief Returns the y magnification of the magnification component of this matrix. + @return The magnification factor. + """ + def shear_angle(self) -> float: + r""" + @brief Returns the magnitude of the shear component of this matrix. + @return The shear angle in degree. + The shear basic transformation will tilt the x axis towards the y axis and vice versa. The shear angle gives the tilt angle of the axes towards the other one. The possible range for this angle is -45 to 45 degree.See the description of this class for details about the basic transformations. + """ + def to_s(self) -> str: + r""" + @brief Convert the matrix to a string. + @return The string representing this matrix + """ + def trans(self, p: Point) -> Point: + r""" + @brief Transforms a point with this matrix. + @param p The point to transform. + @return The transformed point + """ + def tx(self, z: float) -> float: + r""" + @brief Returns the perspective tilt angle tx. + @param z The observer distance at which the tilt angle is computed. + @return The tilt angle tx. + The tx and ty parameters represent the perspective distortion. They denote a tilt of the xy plane around the y axis (tx) or the x axis (ty) in degree. The same effect is achieved for different tilt angles at different observer distances. Hence, the observer distance must be specified at which the tilt angle is computed. If the magnitude of the tilt angle is not important, z can be set to 1. + """ + def ty(self, z: float) -> float: + r""" + @brief Returns the perspective tilt angle ty. + @param z The observer distance at which the tilt angle is computed. + @return The tilt angle ty. + The tx and ty parameters represent the perspective distortion. They denote a tilt of the xy plane around the y axis (tx) or the x axis (ty) in degree. The same effect is achieved for different tilt angles at different observer distances. Hence, the observer distance must be specified at which the tilt angle is computed. If the magnitude of the tilt angle is not important, z can be set to 1. + """ - This option has been introduced in version 0.27. - Setter: - @brief Sets the cell conflict resolution mode +class InstElement: + r""" + @brief An element in an instantiation path - See \cell_conflict_resolution for details about this option. - - This option has been introduced in version 0.27. + This objects are used to reference a single instance in a instantiation path. The object is composed of a \CellInstArray object (accessible through the \cell_inst accessor) that describes the basic instance, which may be an array. The particular instance within the array can be further retrieved using the \array_member_trans, \specific_trans or \specific_cplx_trans methods. """ - cif_create_other_layers: bool - r""" - Getter: - @brief Gets a value indicating whether other layers shall be created - @return True, if other layers will be created. - This attribute acts together with a layer map (see \cif_layer_map=). Layers not listed in this map are created as well when \cif_create_other_layers? is true. Otherwise they are ignored. + @overload + @classmethod + def new(cls) -> InstElement: + r""" + @brief Default constructor + """ + @overload + @classmethod + def new(cls, inst: Instance) -> InstElement: + r""" + @brief Create an instance element from a single instance alone + Starting with version 0.15, this method takes an \Instance object (an instance reference) as the argument. + """ + @overload + @classmethod + def new(cls, inst: Instance, a_index: int, b_index: int) -> InstElement: + r""" + @brief Create an instance element from an array instance pointing into a certain array member + Starting with version 0.15, this method takes an \Instance object (an instance reference) as the first argument. + """ + @classmethod + def new_i(cls, inst: Instance) -> InstElement: + r""" + @brief Create an instance element from a single instance alone + Starting with version 0.15, this method takes an \Instance object (an instance reference) as the argument. + """ + @classmethod + def new_iab(cls, inst: Instance, a_index: int, b_index: int) -> InstElement: + r""" + @brief Create an instance element from an array instance pointing into a certain array member + Starting with version 0.15, this method takes an \Instance object (an instance reference) as the first argument. + """ + def __copy__(self) -> InstElement: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> InstElement: + r""" + @brief Creates a copy of self + """ + def __eq__(self, b: object) -> bool: + r""" + @brief Equality of two InstElement objects + Note: this operator returns true if both instance elements refer to the same instance, not just identical ones. + """ + @overload + def __init__(self) -> None: + r""" + @brief Default constructor + """ + @overload + def __init__(self, inst: Instance) -> None: + r""" + @brief Create an instance element from a single instance alone + Starting with version 0.15, this method takes an \Instance object (an instance reference) as the argument. + """ + @overload + def __init__(self, inst: Instance, a_index: int, b_index: int) -> None: + r""" + @brief Create an instance element from an array instance pointing into a certain array member + Starting with version 0.15, this method takes an \Instance object (an instance reference) as the first argument. + """ + def __lt__(self, b: InstElement) -> bool: + r""" + @brief Provides an order criterion for two InstElement objects + Note: this operator is just provided to establish any order, not a particular one. + """ + def __ne__(self, b: object) -> bool: + r""" + @brief Inequality of two InstElement objects + See the comments on the == operator. + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. - Setter: - @brief Specifies whether other layers shall be created - @param create True, if other layers will be created. - See \cif_create_other_layers? for a description of this attribute. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. - """ - cif_dbu: float - r""" - Getter: - @brief Specifies the database unit which the reader uses and produces - See \cif_dbu= method for a description of this property. - This property has been added in version 0.21. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def array_member_trans(self) -> Trans: + r""" + @brief Returns the transformation for this array member - Setter: - @brief Specifies the database unit which the reader uses and produces + The array member transformation is the one applicable in addition to the global transformation for the member selected from an array. + If this instance is not an array instance, the specific transformation is a unit transformation without displacement. + """ + def assign(self, other: InstElement) -> None: + r""" + @brief Assigns another object to self + """ + def cell_inst(self) -> CellInstArray: + r""" + @brief Accessor to the cell instance (array). - This property has been added in version 0.21. - """ - cif_keep_layer_names: bool - r""" - Getter: - @brief Gets a value indicating whether layer names are kept - @return True, if layer names are kept. + This method is equivalent to "self.inst.cell_inst" and provided for convenience. + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> InstElement: + r""" + @brief Creates a copy of self + """ + def ia(self) -> int: + r""" + @brief Returns the 'a' axis index for array instances + For instance elements describing one member of an array, this attribute will deliver the a axis index addressed by this element. See \ib and \array_member_trans for further attributes applicable to array members. + If the element is a plain instance and not an array member, this attribute is a negative value. - When set to true, no attempt is made to translate layer names to GDS layer/datatype numbers. If set to false (the default), a layer named "L2D15" will be translated to GDS layer 2, datatype 15. + This method has been introduced in version 0.25. + """ + def ib(self) -> int: + r""" + @brief Returns the 'b' axis index for array instances + For instance elements describing one member of an array, this attribute will deliver the a axis index addressed by this element. See \ia and \array_member_trans for further attributes applicable to array members. + If the element is a plain instance and not an array member, this attribute is a negative value. - This method has been added in version 0.25.3. - Setter: - @brief Gets a value indicating whether layer names are kept - @param keep True, if layer names are to be kept. + This method has been introduced in version 0.25. + """ + def inst(self) -> Instance: + r""" + @brief Gets the \Instance object held in this instance path element. - See \cif_keep_layer_names? for a description of this property. + This method has been added in version 0.24. + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def prop_id(self) -> int: + r""" + @brief Accessor to the property attached to this instance. - This method has been added in version 0.25.3. - """ - cif_layer_map: LayerMap - r""" - Getter: - @brief Gets the layer map - @return A reference to the layer map + This method is equivalent to "self.inst.prop_id" and provided for convenience. + """ + def specific_cplx_trans(self) -> ICplxTrans: + r""" + @brief Returns the specific complex transformation for this instance - This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. + The specific transformation is the one applicable for the member selected from an array. + This is the effective transformation applied for this array member. \array_member_trans gives the transformation applied additionally to the instances' global transformation (in other words, specific_cplx_trans = array_member_trans * cell_inst.cplx_trans). + """ + def specific_trans(self) -> Trans: + r""" + @brief Returns the specific transformation for this instance - Python note: this method has been turned into a property in version 0.26. - Setter: - @brief Sets the layer map - This sets a layer mapping for the reader. Unlike \cif_set_layer_map, the 'create_other_layers' flag is not changed. - @param map The layer map to set. + The specific transformation is the one applicable for the member selected from an array. + This is the effective transformation applied for this array member. \array_member_trans gives the transformation applied additionally to the instances' global transformation (in other words, specific_trans = array_member_trans * cell_inst.trans). + This method delivers a simple transformation that does not include magnification components. To get these as well, use \specific_cplx_trans. + """ - This convenience method has been added in version 0.26. - """ - cif_wire_mode: int +class Instance: r""" - Getter: - @brief Specifies how to read 'W' objects - See \cif_wire_mode= method for a description of this mode. - This property has been added in version 0.21 and was renamed to cif_wire_mode in 0.25. + @brief An instance proxy - Setter: - @brief How to read 'W' objects + An instance proxy is basically a pointer to an instance of different kinds, + similar to \Shape, the shape proxy. \Instance objects can be duplicated without + creating copies of the instances itself: the copy will still point to the same instance + than the original. - This property specifies how to read 'W' (wire) objects. - Allowed values are 0 (as square ended paths), 1 (as flush ended paths), 2 (as round paths) + When the \Instance object is modified, the actual instance behind it is modified. The \Instance object acts as a simplified interface for single and array instances with or without properties. - This property has been added in version 0.21. + See @The Database API@ for more details about the database objects. """ - create_other_layers: bool + a: Vector r""" Getter: - @brief Gets a value indicating whether other layers shall be created - @return True, if other layers should be created. - This attribute acts together with a layer map (see \layer_map=). Layers not listed in this map are created as well when \create_other_layers? is true. Otherwise they are ignored. + @brief Returns the displacement vector for the 'a' axis - Starting with version 0.25 this option only applies to GDS2 and OASIS format. Other formats provide their own configuration. + Starting with version 0.25 the displacement is of vector type. Setter: - @brief Specifies whether other layers shall be created - @param create True, if other layers should be created. - See \create_other_layers? for a description of this attribute. + @brief Sets the displacement vector for the 'a' axis - Starting with version 0.25 this option only applies to GDS2 and OASIS format. Other formats provide their own configuration. + If the instance was not an array instance before it is made one. + + This method has been introduced in version 0.23. Starting with version 0.25 the displacement is of vector type. """ - dxf_circle_accuracy: float + b: Vector r""" Getter: - @brief Gets the accuracy of the circle approximation - - This property has been added in version 0.24.9. + @brief Returns the displacement vector for the 'b' axis + Starting with version 0.25 the displacement is of vector type. Setter: - @brief Specifies the accuracy of the circle approximation - - In addition to the number of points per circle, the circle accuracy can be specified. If set to a value larger than the database unit, the number of points per circle will be chosen such that the deviation from the ideal circle becomes less than this value. - - The actual number of points will not become bigger than the points specified through \dxf_circle_points=. The accuracy value is given in the DXF file units (see \dxf_unit) which is usually micrometers. - - \dxf_circle_points and \dxf_circle_accuracy also apply to other "round" structures such as arcs, ellipses and splines in the same sense than for circles. + @brief Sets the displacement vector for the 'b' axis + If the instance was not an array instance before it is made one. - This property has been added in version 0.24.9. + This method has been introduced in version 0.23. Starting with version 0.25 the displacement is of vector type. """ - dxf_circle_points: int + cell: Cell r""" Getter: - @brief Gets the number of points used per full circle for arc interpolation + @brief Gets the \Cell object of the cell this instance refers to - This property has been added in version 0.21.6. + Please note that before version 0.23 this method returned the cell the instance is contained in. For consistency, this method has been renamed \parent_cell. + This method has been introduced in version 0.23. Setter: - @brief Specifies the number of points used per full circle for arc interpolation - See also \dxf_circle_accuracy for how to specify the number of points based on an approximation accuracy. - - \dxf_circle_points and \dxf_circle_accuracy also apply to other "round" structures such as arcs, ellipses and splines in the same sense than for circles. + @brief Sets the \Cell object this instance refers to + Setting the cell object to nil is equivalent to deleting the instance. - This property has been added in version 0.21.6. + This method has been introduced in version 0.23. """ - dxf_contour_accuracy: float + cell_index: int r""" Getter: - @brief Gets the accuracy for contour closing - - - This property has been added in version 0.25.3. + @brief Get the index of the cell this instance refers to Setter: - @brief Specifies the accuracy for contour closing - - When polylines need to be connected or closed, this - value is used to indicate the accuracy. This is the value (in DXF units) - by which points may be separated and still be considered - connected. The default is 0.0 which implies exact - (within one DBU) closing. - - This value is effective in polyline mode 3 and 4. - + @brief Sets the index of the cell this instance refers to - This property has been added in version 0.25.3. + This method has been introduced in version 0.23. """ - dxf_create_other_layers: bool + cell_inst: CellInstArray r""" Getter: - @brief Gets a value indicating whether other layers shall be created - @return True, if other layers will be created. - This attribute acts together with a layer map (see \dxf_layer_map=). Layers not listed in this map are created as well when \dxf_create_other_layers? is true. Otherwise they are ignored. - - This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. + @brief Gets the basic \CellInstArray object associated with this instance reference. Setter: - @brief Specifies whether other layers shall be created - @param create True, if other layers will be created. - See \dxf_create_other_layers? for a description of this attribute. + @brief Returns the basic cell instance array object by giving a micrometer unit object. + This method replaces the instance by the given CellInstArray object and it internally transformed into database units. - This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. + This method has been introduced in version 0.25 """ - dxf_dbu: float + cplx_trans: ICplxTrans r""" Getter: - @brief Specifies the database unit which the reader uses and produces - - This property has been added in version 0.21. - + @brief Gets the complex transformation of the instance or the first instance in the array + This method is always valid compared to \trans, since simple transformations can be expressed as complex transformations as well. Setter: - @brief Specifies the database unit which the reader uses and produces + @brief Sets the complex transformation of the instance or the first instance in the array (in micrometer units) + This method sets the transformation the same way as \cplx_trans=, but the displacement of this transformation is given in micrometer units. It is internally translated into database units. - This property has been added in version 0.21. + This method has been introduced in version 0.25. """ - dxf_keep_layer_names: bool + da: DVector r""" Getter: - @brief Gets a value indicating whether layer names are kept - @return True, if layer names are kept. + @brief Returns the displacement vector for the 'a' axis in micrometer units - When set to true, no attempt is made to translate layer names to GDS layer/datatype numbers. If set to false (the default), a layer named "L2D15" will be translated to GDS layer 2, datatype 15. + Like \a, this method returns the displacement, but it will be translated to database units internally. - This method has been added in version 0.25.3. + This method has been introduced in version 0.25. Setter: - @brief Gets a value indicating whether layer names are kept - @param keep True, if layer names are to be kept. + @brief Sets the displacement vector for the 'a' axis in micrometer units - See \cif_keep_layer_names? for a description of this property. + Like \a= with an integer displacement, this method will set the displacement vector but it accepts a vector in micrometer units that is of \DVector type. The vector will be translated to database units internally. - This method has been added in version 0.25.3. + This method has been introduced in version 0.25. """ - dxf_keep_other_cells: bool + db: DVector r""" Getter: - @brief If this option is true, all cells are kept, not only the top cell and it's children + @brief Returns the displacement vector for the 'b' axis in micrometer units - This property has been added in version 0.21.15. + Like \b, this method returns the displacement, but it will be translated to database units internally. + This method has been introduced in version 0.25. Setter: - @brief If this option is set to true, all cells are kept, not only the top cell and it's children - - This property has been added in version 0.21.15. - """ - dxf_layer_map: LayerMap - r""" - Getter: - @brief Gets the layer map - @return A reference to the layer map + @brief Sets the displacement vector for the 'b' axis in micrometer units - This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. - Python note: this method has been turned into a property in version 0.26. - Setter: - @brief Sets the layer map - This sets a layer mapping for the reader. Unlike \dxf_set_layer_map, the 'create_other_layers' flag is not changed. - @param map The layer map to set. + Like \b= with an integer displacement, this method will set the displacement vector but it accepts a vector in micrometer units that is of \DVector type. The vector will be translated to database units internally. - This convenience method has been added in version 0.26. + This method has been introduced in version 0.25. """ - dxf_polyline_mode: int + dcell_inst: DCellInstArray r""" Getter: - @brief Specifies whether closed POLYLINE and LWPOLYLINE entities with width 0 are converted to polygons. - See \dxf_polyline_mode= for a description of this property. - - This property has been added in version 0.21.3. + @brief Returns the micrometer unit version of the basic cell instance array object. + This method has been introduced in version 0.25 Setter: - @brief Specifies how to treat POLYLINE/LWPOLYLINE entities. - The mode is 0 (automatic), 1 (keep lines), 2 (create polygons from closed polylines with width = 0), 3 (merge all lines with width = 0 into polygons), 4 (as 3 plus auto-close open contours). + @brief Returns the basic cell instance array object by giving a micrometer unit object. + This method replaces the instance by the given CellInstArray object and it internally transformed into database units. - This property has been added in version 0.21.3. + This method has been introduced in version 0.25 """ - dxf_render_texts_as_polygons: bool + dcplx_trans: DCplxTrans r""" Getter: - @brief If this option is true, text objects are rendered as polygons + @brief Gets the complex transformation of the instance or the first instance in the array (in micrometer units) + This method returns the same transformation as \cplx_trans, but the displacement of this transformation is given in micrometer units. It is internally translated from database units into micrometers. - This property has been added in version 0.21.15. + This method has been introduced in version 0.25. Setter: - @brief If this option is set to true, text objects are rendered as polygons + @brief Sets the complex transformation of the instance or the first instance in the array (in micrometer units) + This method sets the transformation the same way as \cplx_trans=, but the displacement of this transformation is given in micrometer units. It is internally translated into database units. - This property has been added in version 0.21.15. + This method has been introduced in version 0.25. """ - dxf_text_scaling: float + dtrans: DTrans r""" Getter: - @brief Gets the text scaling factor (see \dxf_text_scaling=) + @brief Gets the transformation of the instance or the first instance in the array (in micrometer units) + This method returns the same transformation as \cplx_trans, but the displacement of this transformation is given in micrometer units. It is internally translated from database units into micrometers. - This property has been added in version 0.21.20. + This method has been introduced in version 0.25. Setter: - @brief Specifies the text scaling in percent of the default scaling - - The default value 100, meaning that the letter pitch is roughly 92 percent of the specified text height. Decrease this value to get smaller fonts and increase it to get larger fonts. + @brief Sets the transformation of the instance or the first instance in the array (in micrometer units) + This method sets the transformation the same way as \cplx_trans=, but the displacement of this transformation is given in micrometer units. It is internally translated into database units. - This property has been added in version 0.21.20. + This method has been introduced in version 0.25. """ - dxf_unit: float + na: int r""" Getter: - @brief Specifies the unit in which the DXF file is drawn - - This property has been added in version 0.21.3. + @brief Returns the number of instances in the 'a' axis Setter: - @brief Specifies the unit in which the DXF file is drawn. + @brief Sets the number of instances in the 'a' axis - This property has been added in version 0.21.3. + If the instance was not an array instance before it is made one. + + This method has been introduced in version 0.23. """ - gds2_allow_big_records: bool + nb: int r""" Getter: - @brief Gets a value specifying whether to allow big records with a length of 32768 to 65535 bytes. - See \gds2_allow_big_records= method for a description of this property. - This property has been added in version 0.18. + @brief Returns the number of instances in the 'b' axis Setter: - @brief Allows big records with more than 32767 bytes + @brief Sets the number of instances in the 'b' axis - Setting this property to true allows larger records by treating the record length as unsigned short, which for example allows larger polygons (~8000 points rather than ~4000 points) without using multiple XY records. - For strict compatibility with the standard, this property should be set to false. The default is true. + If the instance was not an array instance before it is made one. - This property has been added in version 0.18. + This method has been introduced in version 0.23. """ - gds2_allow_multi_xy_records: bool + parent_cell: Cell r""" Getter: - @brief Gets a value specifying whether to allow big polygons with multiple XY records. - See \gds2_allow_multi_xy_records= method for a description of this property. - This property has been added in version 0.18. + @brief Gets the cell this instance is contained in + + Returns nil if the instance does not live inside a cell. + This method was named "cell" previously which lead to confusion with \cell_index. + It was renamed to "parent_cell" in version 0.23. Setter: - @brief Allows the use of multiple XY records in BOUNDARY elements for unlimited large polygons + @brief Moves the instance to a different cell - Setting this property to true allows big polygons that span over multiple XY records. - For strict compatibility with the standard, this property should be set to false. The default is true. + Both the current and the target cell must live in the same layout. - This property has been added in version 0.18. + This method has been introduced in version 0.23. """ - gds2_box_mode: int + prop_id: int r""" Getter: - @brief Gets a value specifying how to treat BOX records - See \gds2_box_mode= method for a description of this mode. - This property has been added in version 0.18. + @brief Gets the properties ID associated with the instance Setter: - @brief Sets a value specifying how to treat BOX records - This property specifies how BOX records are treated. - Allowed values are 0 (ignore), 1 (treat as rectangles), 2 (treat as boundaries) or 3 (treat as errors). The default is 1. + @brief Sets the properties ID associated with the instance + This method is provided, if a properties ID has been derived already. Usually it's more convenient to use \delete_property, \set_property or \property. - This property has been added in version 0.18. + This method has been introduced in version 0.22. """ - layer_map: LayerMap + trans: Trans r""" Getter: - @brief Gets the layer map - @return A reference to the layer map - - Starting with version 0.25 this option only applies to GDS2 and OASIS format. Other formats provide their own configuration. - Python note: this method has been turned into a property in version 0.26. + @brief Gets the transformation of the instance or the first instance in the array + The transformation returned is only valid if the array does not represent a complex transformation array Setter: - @brief Sets the layer map, but does not affect the "create_other_layers" flag. - Use \create_other_layers? to enable or disable other layers not listed in the layer map. - @param map The layer map to set. - This convenience method has been introduced with version 0.26. - """ - lefdef_config: LEFDEFReaderConfiguration - r""" - Getter: - @brief Gets a copy of the LEF/DEF reader configuration - The LEF/DEF reader configuration is wrapped in a separate object of class \LEFDEFReaderConfiguration. See there for details. - This method will return a copy of the reader configuration. To modify the configuration, modify the copy and set the modified configuration with \lefdef_config=. - + @brief Sets the transformation of the instance or the first instance in the array - This method has been added in version 0.25. - - Setter: - @brief Sets the LEF/DEF reader configuration - - - This method has been added in version 0.25. - """ - mag_create_other_layers: bool - r""" - Getter: - @brief Gets a value indicating whether other layers shall be created - @return True, if other layers will be created. - This attribute acts together with a layer map (see \mag_layer_map=). Layers not listed in this map are created as well when \mag_create_other_layers? is true. Otherwise they are ignored. - - This method has been added in version 0.26.2. - Setter: - @brief Specifies whether other layers shall be created - @param create True, if other layers will be created. - See \mag_create_other_layers? for a description of this attribute. - - This method has been added in version 0.26.2. - """ - mag_dbu: float - r""" - Getter: - @brief Specifies the database unit which the reader uses and produces - See \mag_dbu= method for a description of this property. - - This property has been added in version 0.26.2. - - Setter: - @brief Specifies the database unit which the reader uses and produces - The database unit is the final resolution of the produced layout. This physical resolution is usually defined by the layout system - GDS for example typically uses 1nm (mag_dbu=0.001). - All geometry in the MAG file will first be scaled to \mag_lambda and is then brought to the database unit. - - This property has been added in version 0.26.2. - """ - mag_keep_layer_names: bool - r""" - Getter: - @brief Gets a value indicating whether layer names are kept - @return True, if layer names are kept. - - When set to true, no attempt is made to translate layer names to GDS layer/datatype numbers. If set to false (the default), a layer named "L2D15" will be translated to GDS layer 2, datatype 15. - - This method has been added in version 0.26.2. - Setter: - @brief Gets a value indicating whether layer names are kept - @param keep True, if layer names are to be kept. - - See \mag_keep_layer_names? for a description of this property. - - This method has been added in version 0.26.2. - """ - mag_lambda: float - r""" - Getter: - @brief Gets the lambda value - See \mag_lambda= method for a description of this attribute. - - This property has been added in version 0.26.2. - - Setter: - @brief Specifies the lambda value to used for reading - - The lambda value is the basic unit of the layout. Magic draws layout as multiples of this basic unit. The layout read by the MAG reader will use the database unit specified by \mag_dbu, but the physical layout coordinates will be multiples of \mag_lambda. - - This property has been added in version 0.26.2. - """ - mag_layer_map: LayerMap - r""" - Getter: - @brief Gets the layer map - @return A reference to the layer map - - This method has been added in version 0.26.2. - Setter: - @brief Sets the layer map - This sets a layer mapping for the reader. Unlike \mag_set_layer_map, the 'create_other_layers' flag is not changed. - @param map The layer map to set. - - This method has been added in version 0.26.2. - """ - mag_library_paths: List[str] - r""" - Getter: - @brief Gets the locations where to look up libraries (in this order) - See \mag_library_paths= method for a description of this attribute. - - This property has been added in version 0.26.2. - - Setter: - @brief Specifies the locations where to look up libraries (in this order) - - The reader will look up library reference in these paths when it can't find them locally. - Relative paths in this collection are resolved relative to the initial file's path. - Expression interpolation is supported in the path strings. - - This property has been added in version 0.26.2. - """ - mag_merge: bool - r""" - Getter: - @brief Gets a value indicating whether boxes are merged into polygons - @return True, if boxes are merged. - - When set to true, the boxes and triangles of the Magic layout files are merged into polygons where possible. - - This method has been added in version 0.26.2. - Setter: - @brief Sets a value indicating whether boxes are merged into polygons - @param merge True, if boxes and triangles will be merged into polygons. - - See \mag_merge? for a description of this property. - - This method has been added in version 0.26.2. - """ - mebes_boundary_datatype: int - r""" - Getter: - @brief Gets the datatype number of the boundary layer to produce - See \mebes_produce_boundary= for a description of this attribute. - - This property has been added in version 0.23.10. - - Setter: - @brief Sets the datatype number of the boundary layer to produce - See \mebes_produce_boundary= for a description of this attribute. - - This property has been added in version 0.23.10. - """ - mebes_boundary_layer: int - r""" - Getter: - @brief Gets the layer number of the boundary layer to produce - See \mebes_produce_boundary= for a description of this attribute. - - This property has been added in version 0.23.10. - - Setter: - @brief Sets the layer number of the boundary layer to produce - See \mebes_produce_boundary= for a description of this attribute. - - This property has been added in version 0.23.10. - """ - mebes_boundary_name: str - r""" - Getter: - @brief Gets the name of the boundary layer to produce - See \mebes_produce_boundary= for a description of this attribute. - - This property has been added in version 0.23.10. - - Setter: - @brief Sets the name of the boundary layer to produce - See \mebes_produce_boundary= for a description of this attribute. - - This property has been added in version 0.23.10. - """ - mebes_create_other_layers: bool - r""" - Getter: - @brief Gets a value indicating whether other layers shall be created - @return True, if other layers will be created. - This attribute acts together with a layer map (see \mebes_layer_map=). Layers not listed in this map are created as well when \mebes_create_other_layers? is true. Otherwise they are ignored. - - This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. - Setter: - @brief Specifies whether other layers shall be created - @param create True, if other layers will be created. - See \mebes_create_other_layers? for a description of this attribute. - - This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. - """ - mebes_data_datatype: int - r""" - Getter: - @brief Gets the datatype number of the data layer to produce - - This property has been added in version 0.23.10. - - Setter: - @brief Sets the datatype number of the data layer to produce - - This property has been added in version 0.23.10. - """ - mebes_data_layer: int - r""" - Getter: - @brief Gets the layer number of the data layer to produce - - This property has been added in version 0.23.10. - - Setter: - @brief Sets the layer number of the data layer to produce - - This property has been added in version 0.23.10. - """ - mebes_data_name: str - r""" - Getter: - @brief Gets the name of the data layer to produce - - This property has been added in version 0.23.10. - - Setter: - @brief Sets the name of the data layer to produce - - This property has been added in version 0.23.10. - """ - mebes_invert: bool - r""" - Getter: - @brief Gets a value indicating whether to invert the MEBES pattern - If this property is set to true, the pattern will be inverted. - - This property has been added in version 0.22. - - Setter: - @brief Specify whether to invert the MEBES pattern - If this property is set to true, the pattern will be inverted. - - This property has been added in version 0.22. - """ - mebes_layer_map: LayerMap - r""" - Getter: - @brief Gets the layer map - @return The layer map. - - This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. - Setter: - @brief Sets the layer map - This sets a layer mapping for the reader. Unlike \mebes_set_layer_map, the 'create_other_layers' flag is not changed. - @param map The layer map to set. - - This convenience method has been added in version 0.26.2. - """ - mebes_num_shapes_per_cell: int - r""" - Getter: - @brief Gets the number of stripes collected per cell - See \mebes_num_stripes_per_cell= for details about this property. - - This property has been added in version 0.24.5. - - Setter: - @brief Specify the number of stripes collected per cell - See \mebes_num_stripes_per_cell= for details about this property. - - This property has been added in version 0.24.5. - """ - mebes_num_stripes_per_cell: int - r""" - Getter: - @brief Gets the number of stripes collected per cell - See \mebes_num_stripes_per_cell= for details about this property. - - This property has been added in version 0.23.10. - - Setter: - @brief Specify the number of stripes collected per cell - This property specifies how many stripes will be collected into one cell. - A smaller value means less but bigger cells. The default value is 64. - New cells will be formed whenever more than this number of stripes has been read - or a new segment is started and the number of shapes given by \mebes_num_shapes_per_cell - is exceeded. - - This property has been added in version 0.23.10. - """ - mebes_produce_boundary: bool - r""" - Getter: - @brief Gets a value indicating whether a boundary layer will be produced - See \mebes_produce_boundary= for details about this property. - - This property has been added in version 0.23.10. - - Setter: - @brief Specify whether to produce a boundary layer - If this property is set to true, the pattern boundary will be written to the layer and datatype specified with \mebes_boundary_name, \mebes_boundary_layer and \mebes_boundary_datatype. - By default, the boundary layer is produced. - - This property has been added in version 0.23.10. - """ - mebes_subresolution: bool - r""" - Getter: - @brief Gets a value indicating whether to invert the MEBES pattern - See \subresolution= for details about this property. - - This property has been added in version 0.23.10. - - Setter: - @brief Specify whether subresolution trapezoids are supported - If this property is set to true, subresolution trapezoid vertices are supported. - In order to implement support, the reader will create magnified instances with a magnification of 1/16. - By default this property is enabled. - - This property has been added in version 0.23.10. - """ - mebes_top_cell_index: int - r""" - Getter: - @brief Gets the cell index for the top cell to use - See \mebes_top_cell_index= for a description of this property. - - This property has been added in version 0.23.10. - - Setter: - @brief Specify the cell index for the top cell to use - If this property is set to a valid cell index, the MEBES reader will put the subcells and shapes into this cell. - - This property has been added in version 0.23.10. - """ - oasis_expect_strict_mode: int - r""" - Getter: - @hide - Setter: - @hide - """ - oasis_read_all_properties: int - r""" - Getter: - @hide - Setter: - @hide - """ - properties_enabled: bool - r""" - Getter: - @brief Gets a value indicating whether properties shall be read - @return True, if properties should be read. - Starting with version 0.25 this option only applies to GDS2 and OASIS format. Other formats provide their own configuration. - Setter: - @brief Specifies whether properties should be read - @param enabled True, if properties should be read. - Starting with version 0.25 this option only applies to GDS2 and OASIS format. Other formats provide their own configuration. - """ - text_enabled: bool - r""" - Getter: - @brief Gets a value indicating whether text objects shall be read - @return True, if text objects should be read. - Starting with version 0.25 this option only applies to GDS2 and OASIS format. Other formats provide their own configuration. - Setter: - @brief Specifies whether text objects shall be read - @param enabled True, if text objects should be read. - Starting with version 0.25 this option only applies to GDS2 and OASIS format. Other formats provide their own configuration. - """ - warn_level: int - r""" - Getter: - @brief Sets the warning level. - See \warn_level= for details about this attribute. - - This attribute has been added in version 0.28. - Setter: - @brief Sets the warning level. - The warning level is a reader-specific setting which enables or disables warnings - on specific levels. Level 0 is always "warnings off". The default level is 1 - which means "reasonable warnings emitted". - - This attribute has been added in version 0.28. + This method has been introduced in version 0.23. """ @classmethod - def new(cls) -> LoadLayoutOptions: + def new(cls) -> Instance: r""" @brief Creates a new object of this class """ - def __copy__(self) -> LoadLayoutOptions: + def __copy__(self) -> Instance: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> LoadLayoutOptions: + def __deepcopy__(self) -> Instance: r""" @brief Creates a copy of self """ + def __eq__(self, b: object) -> bool: + r""" + @brief Tests for equality of two Instance objects + See the hint on the < operator. + """ + def __getitem__(self, key: Any) -> Any: + r""" + @brief Gets the user property with the given key or, if available, the PCell parameter with the name given by the key + Getting the PCell parameter has priority over the user property. + This method has been introduced in version 0.25. + """ def __init__(self) -> None: r""" @brief Creates a new object of this class """ + def __len__(self) -> int: + r""" + @brief Gets the number of single instances in the instance array + If the instance represents a single instance, the count is 1. Otherwise it is na*nb. + """ + def __lt__(self, b: Instance) -> bool: + r""" + @brief Provides an order criterion for two Instance objects + Warning: this operator is just provided to establish any order, not a particular one. + """ + def __ne__(self, b: object) -> bool: + r""" + @brief Tests for inequality of two Instance objects + Warning: this operator returns true if both objects refer to the same instance, not just identical ones. + """ + def __setitem__(self, key: Any, value: Any) -> None: + r""" + @brief Sets the user property with the given key or, if available, the PCell parameter with the name given by the key + Setting the PCell parameter has priority over the user property. + This method has been introduced in version 0.25. + """ + def __str__(self) -> str: + r""" + @brief Creates a string showing the contents of the reference + + This method has been introduced with version 0.16. + """ def _create(self) -> None: r""" @brief Ensures the C++ object is created @@ -24352,1164 +23611,1185 @@ class LoadLayoutOptions: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: LoadLayoutOptions) -> None: + def assign(self, other: Instance) -> None: r""" @brief Assigns another object to self """ - def cif_select_all_layers(self) -> None: + @overload + def bbox(self) -> Box: r""" - @brief Selects all layers and disables the layer map - - This disables any layer map and enables reading of all layers. - New layers will be created when required. - - This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. + @brief Gets the bounding box of the instance + The bounding box incorporates all instances that the array represents. It gives the overall extension of the child cell as seen in the calling cell (or all array members if the instance forms an array). + This method has been introduced in version 0.23. """ - def cif_set_layer_map(self, map: LayerMap, create_other_layers: bool) -> None: + @overload + def bbox(self, layer_index: int) -> Box: r""" - @brief Sets the layer map - This sets a layer mapping for the reader. The layer map allows selection and translation of the original layers, for example to assign layer/datatype numbers to the named layers. - @param map The layer map to set. - @param create_other_layers The flag indicating whether other layers will be created as well. Set to false to read only the layers in the layer map. - - This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. + @brief Gets the bounding box of the instance for a given layer + @param layer_index The index of the layer the bounding box will be computed for. + The bounding box incorporates all instances that the array represents. It gives the overall extension of the child cell as seen in the calling cell (or all array members if the instance forms an array) for the given layer. If the layer is empty in this cell and all it's children', an empty bounding box will be returned. + This method has been introduced in version 0.25. 'bbox' is the preferred synonym for it since version 0.28. """ - def create(self) -> None: + def bbox_per_layer(self, layer_index: int) -> Box: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Gets the bounding box of the instance for a given layer + @param layer_index The index of the layer the bounding box will be computed for. + The bounding box incorporates all instances that the array represents. It gives the overall extension of the child cell as seen in the calling cell (or all array members if the instance forms an array) for the given layer. If the layer is empty in this cell and all it's children', an empty bounding box will be returned. + This method has been introduced in version 0.25. 'bbox' is the preferred synonym for it since version 0.28. """ - def destroy(self) -> None: + def change_pcell_parameter(self, name: str, value: Any) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Changes a single parameter of a PCell instance to the given value + + This method changes a parameter of a PCell instance to the given value. The name identifies the PCell parameter and must correspond to one parameter listed in the PCell declaration. + + This method has been introduced in version 0.24. """ - def destroyed(self) -> bool: + @overload + def change_pcell_parameters(self, dict: Dict[str, Any]) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Changes the parameters of a PCell instance to the dictionary of parameters + + This method changes the parameters of a PCell instance to the given values. The values are specifies as a dictionary of names (keys) vs. values. + Unknown names are ignored and only the parameters listed in the dictionary are changed. + + This method has been introduced in version 0.24. """ - def dup(self) -> LoadLayoutOptions: + @overload + def change_pcell_parameters(self, params: Sequence[Any]) -> None: r""" - @brief Creates a copy of self + @brief Changes the parameters of a PCell instance to the list of parameters + + This method changes the parameters of a PCell instance to the given list of parameters. The list must correspond to the parameters listed in the pcell declaration. + A more convenient method is provided with the same name which accepts a dictionary of names and values + . + This method has been introduced in version 0.24. """ - def dxf_select_all_layers(self) -> None: + def convert_to_static(self) -> None: r""" - @brief Selects all layers and disables the layer map + @brief Converts a PCell instance to a static cell - This disables any layer map and enables reading of all layers. - New layers will be created when required. + If the instance is a PCell instance, this method will convert the cell into a static cell and remove the PCell variant if required. A new cell will be created containing the PCell content but being a static cell. If the instance is not a PCell instance, this method won't do anything. - This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. + This method has been introduced in version 0.24. """ - def dxf_set_layer_map(self, map: LayerMap, create_other_layers: bool) -> None: + def create(self) -> None: r""" - @brief Sets the layer map - This sets a layer mapping for the reader. The layer map allows selection and translation of the original layers, for example to assign layer/datatype numbers to the named layers. - @param map The layer map to set. - @param create_other_layers The flag indicating whether other layers will be created as well. Set to false to read only the layers in the layer map. - - This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def is_const_object(self) -> bool: + @overload + def dbbox(self) -> DBox: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Gets the bounding box of the instance in micron units + Gets the bounding box (see \bbox) of the instance, but will compute the micrometer unit box by multiplying \bbox with the database unit. + + This method has been introduced in version 0.25. """ - def is_properties_enabled(self) -> bool: + @overload + def dbbox(self, layer_index: int) -> DBox: r""" - @brief Gets a value indicating whether properties shall be read - @return True, if properties should be read. - Starting with version 0.25 this option only applies to GDS2 and OASIS format. Other formats provide their own configuration. + @brief Gets the bounding box of the instance in micron units + @param layer_index The index of the layer the bounding box will be computed for. + Gets the bounding box (see \bbox) of the instance, but will compute the micrometer unit box by multiplying \bbox with the database unit. + + This method has been introduced in version 0.25. 'dbbox' is the preferred synonym for it since version 0.28. """ - def is_text_enabled(self) -> bool: + def dbbox_per_layer(self, layer_index: int) -> DBox: r""" - @brief Gets a value indicating whether text objects shall be read - @return True, if text objects should be read. - Starting with version 0.25 this option only applies to GDS2 and OASIS format. Other formats provide their own configuration. + @brief Gets the bounding box of the instance in micron units + @param layer_index The index of the layer the bounding box will be computed for. + Gets the bounding box (see \bbox) of the instance, but will compute the micrometer unit box by multiplying \bbox with the database unit. + + This method has been introduced in version 0.25. 'dbbox' is the preferred synonym for it since version 0.28. """ - def mag_select_all_layers(self) -> None: + def delete(self) -> None: r""" - @brief Selects all layers and disables the layer map + @brief Deletes this instance - This disables any layer map and enables reading of all layers. - New layers will be created when required. + After this method was called, the instance object is pointing to nothing. - This method has been added in version 0.26.2. + This method has been introduced in version 0.23. """ - def mag_set_layer_map(self, map: LayerMap, create_other_layers: bool) -> None: + def delete_property(self, key: Any) -> None: r""" - @brief Sets the layer map - This sets a layer mapping for the reader. The layer map allows selection and translation of the original layers, for example to assign layer/datatype numbers to the named layers. - @param map The layer map to set. - @param create_other_layers The flag indicating whether other layers will be created as well. Set to false to read only the layers in the layer map. + @brief Deletes the user property with the given key + This method is a convenience method that deletes the property with the given key. It does nothing if no property with that key exists. Using that method is more convenient than creating a new property set with a new ID and assigning that properties ID. + This method may change the properties ID. Calling this method may invalidate any iterators. It should not be called inside a loop iterating over instances. - This method has been added in version 0.26.2. + This method has been introduced in version 0.22. """ - def mebes_select_all_layers(self) -> None: + def destroy(self) -> None: r""" - @brief Selects all layers and disables the layer map - - This disables any layer map and enables reading of all layers. - New layers will be created when required. - - This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def mebes_set_layer_map(self, map: LayerMap, create_other_layers: bool) -> None: + def destroyed(self) -> bool: r""" - @brief Sets the layer map - This sets a layer mapping for the reader. The layer map allows selection and translation of the original layers. - @param map The layer map to set. - @param create_other_layers The flag indicating whether other layers will be created as well. Set to false to read only the layers in the layer map. - - This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def select_all_layers(self) -> None: + def dup(self) -> Instance: r""" - @brief Selects all layers and disables the layer map - - This disables any layer map and enables reading of all layers. - New layers will be created when required. - - Starting with version 0.25 this method only applies to GDS2 and OASIS format. Other formats provide their own configuration. + @brief Creates a copy of self """ - def set_layer_map(self, map: LayerMap, create_other_layers: bool) -> None: + def explode(self) -> None: r""" - @brief Sets the layer map - This sets a layer mapping for the reader. The layer map allows selection and translation of the original layers, for example to add a layer name. - @param map The layer map to set.@param create_other_layers The flag telling whether other layer should be created as well. Set to false if just the layers in the mapping table should be read. - - Starting with version 0.25 this option only applies to GDS2 and OASIS format. Other formats provide their own configuration. - """ - -class RecursiveInstanceIterator: - r""" - @brief An iterator delivering instances recursively - - The iterator can be obtained from a cell and optionally a region. - It simplifies retrieval of instances while considering - subcells as well. - Some options can be specified in addition, i.e. the hierarchy level to which to look into. - The search can be confined to instances of certain cells (see \targets=) or to certain regions. Subtrees can be selected for traversal or excluded from it (see \select_cells). - - This is some sample code: - - @code - # prints the effective instances of cell "A" as seen from the initial cell "cell" - iter = cell.begin_instances_rec - iter.targets = "A" - while !iter.at_end? - puts "Instance of #{iter.inst_cell.name} in #{cell.name}: " + (iter.dtrans * iter.inst_dtrans).to_s - iter.next - end - - # or shorter: - cell.begin_instances_rec.each do |iter| - puts "Instance of #{iter.inst_cell.name} in #{cell.name}: " + (iter.dtrans * iter.inst_dtrans).to_s - end - @/code - - Here, a target cell is specified which confines the search to instances of this particular cell. - 'iter.dtrans' gives us the accumulated transformation of all parents up to the top cell. 'iter.inst_dtrans' gives us the transformation from the current instance. 'iter.inst_cell' finally gives us the target cell of the current instance (which is always 'A' in our case). - - \Cell offers three methods to get these iterators: begin_instances_rec, begin_instances_rec_touching and begin_instances_rec_overlapping. - \Cell#begin_instances_rec will deliver a standard recursive instance iterator which starts from the given cell and iterates over all child cells. \Cell#begin_instances_rec_touching creates a RecursiveInstanceIterator which delivers the instances whose bounding boxed touch the given search box. \Cell#begin_instances_rec_overlapping gives an iterator which delivers all instances whose bounding box overlaps the search box. - - A RecursiveInstanceIterator object can also be created directly, like this: - - @code - iter = RBA::RecursiveInstanceIterator::new(layout, cell [, options ]) - @/code - - "layout" is the layout object, "cell" the \Cell object of the initial cell. - - The recursive instance iterator can be confined to a maximum hierarchy depth. By using \max_depth=, the iterator will restrict the search depth to the given depth in the cell tree. - In the same way, the iterator can be configured to start from a certain hierarchy depth using \min_depth=. The hierarchy depth always applies to the parent of the instances iterated. - - In addition, the recursive instance iterator supports selection and exclusion of subtrees. For that purpose it keeps flags per cell telling it for which cells to turn instance delivery on and off. The \select_cells method sets the "start delivery" flag while \unselect_cells sets the "stop delivery" flag. In effect, using \unselect_cells will exclude that cell plus the subtree from delivery. Parts of that subtree can be turned on again using \select_cells. For the cells selected that way, the instances of these cells and their child cells are delivered, even if their parent was unselected. - - To get instances from a specific cell, i.e. "MACRO" plus its child cells, unselect the top cell first and the select the desired cell again: - - @code - # deliver all instances inside "MACRO" and the sub-hierarchy: - iter = RBA::RecursiveInstanceIterator::new(layout, cell) - iter.unselect_cells(cell.cell_index) - iter.select_cells("MACRO") - ... - @/code - - The \unselect_all_cells and \select_all_cells methods turn on the "stop" and "start" flag for all cells respectively. If you use \unselect_all_cells and use \select_cells for a specific cell, the iterator will deliver only the instances of the selected cell, not its children. Those are still unselected by \unselect_all_cells: - - @code - # deliver all instance inside "MACRO" but not of child cells: - iter = RBA::RecursiveInstanceIterator::new(layout, cell) - iter.unselect_all_cells - iter.select_cells("MACRO") - ... - @/code - - Cell selection is done using cell indexes or glob pattern. Glob pattern are equivalent to the usual file name wildcards used on various command line shells. For example "A*" matches all cells starting with an "A". The curly brace notation and character classes are supported as well. For example "C{125,512}" matches "C125" and "C512" and "[ABC]*" matches all cells starting with an "A", a "B" or "C". "[^ABC]*" matches all cells not starting with one of that letters. - - To confine instance iteration to instances of certain cells, use the \targets feature: - - @code - # deliver all instance of "INV1": - iter = RBA::RecursiveInstanceIterator::new(layout, cell) - iter.targets = "INV1" - ... - @/code - - Targets can be specified either as lists of cell indexes or through a glob pattern. - - Instances are always delivered depth-first with child instances before their parents. A default recursive instance iterator will first deliver leaf cells, followed by the parent of these cells. - - When a search region is used, instances whose bounding box touch or overlap (depending on 'overlapping' flag) will be reported. The instance bounding box taken as reference is computed using all layers of the layout. - - The iterator will deliver the individual elements of instance arrays, confined to the search region if one is given. Consequently the return value (\current_inst_element) is an \InstElement object which is basically a combination of an \Instance object and information about the current array element. - \inst_cell, \inst_trans and \inst_dtrans are methods provided for convenience to access the current array member's transformation and the target cell of the current instance. - - The RecursiveInstanceIterator class has been introduced in version 0.27. - """ - max_depth: int - r""" - Getter: - @brief Gets the maximum hierarchy depth - - See \max_depth= for a description of that attribute. - - Setter: - @brief Specifies the maximum hierarchy depth to look into - - A depth of 0 instructs the iterator to deliver only instances from the initial cell. - A higher depth instructs the iterator to look deeper. - The depth must be specified before the instances are being retrieved. - """ - min_depth: int - r""" - Getter: - @brief Gets the minimum hierarchy depth - - See \min_depth= for a description of that attribute. - - Setter: - @brief Specifies the minimum hierarchy depth to look into - - A depth of 0 instructs the iterator to deliver instances from the top level. - 1 instructs to deliver instances from the first child level. - The minimum depth must be specified before the instances are being retrieved. - """ - overlapping: bool - r""" - Getter: - @brief Gets a flag indicating whether overlapping instances are selected when a region is used - - Setter: - @brief Sets a flag indicating whether overlapping instances are selected when a region is used - - If this flag is false, instances touching the search region are returned. - """ - region: Box - r""" - Getter: - @brief Gets the basic region that this iterator is using - The basic region is the overall box the region iterator iterates over. There may be an additional complex region that confines the region iterator. See \complex_region for this attribute. - - Setter: - @brief Sets the rectangular region that this iterator is iterating over - See \region for a description of this attribute. - Setting a simple region will reset the complex region to a rectangle and reset the iterator to the beginning of the sequence. - """ - targets: List[int] - r""" - Getter: - @brief Gets the list of target cells - See \targets= for a description of the target cell concept. This method returns a list of cell indexes of the selected target cells. - Setter: - @brief Specifies the target cells. - - If target cells are specified, only instances of these cells are delivered. This version takes a list of cell indexes for the targets. By default, no target cell list is present and the instances of all cells are delivered by the iterator. See \all_targets_enabled? and \enable_all_targets for a description of this mode. Once a target list is specified, the iteration is confined to the cells from this list. - The cells are given as a list of cell indexes. + @brief Explodes the instance array - This method will also reset the iterator. - """ - @overload - @classmethod - def new(cls, layout: Layout, cell: Cell) -> RecursiveInstanceIterator: - r""" - @brief Creates a recursive instance iterator. - @param layout The layout which shall be iterated - @param cell The initial cell which shall be iterated (including its children) - @param layer The layer (index) from which the shapes are taken + This method does nothing if the instance was not an array before. + The instance object will point to the first instance of the array afterwards. - This constructor creates a new recursive instance iterator which delivers the instances of the given cell plus its children. + This method has been introduced in version 0.23. """ @overload - @classmethod - def new(cls, layout: Layout, cell: Cell, box: Box, overlapping: Optional[bool] = ...) -> RecursiveInstanceIterator: + def flatten(self) -> None: r""" - @brief Creates a recursive instance iterator with a search region. - @param layout The layout which shall be iterated - @param cell The initial cell which shall be iterated (including its children) - @param box The search region - @param overlapping If set to true, instances overlapping the search region are reported, otherwise touching is sufficient + @brief Flattens the instance - This constructor creates a new recursive instance iterator which delivers the instances of the given cell plus its children. + This method will convert the instance to a number of shapes which are equivalent to the content of the cell. The instance itself will be removed. + There is another variant of this method which allows specification of the number of hierarchy levels to flatten. - The search is confined to the region given by the "box" parameter. If "overlapping" is true, instances whose bounding box is overlapping the search region are reported. If "overlapping" is false, instances whose bounding box touches the search region are reported. The bounding box of instances is measured taking all layers of the target cell into account. + This method has been introduced in version 0.24. """ @overload - @classmethod - def new(cls, layout: Layout, cell: Cell, region: Region, overlapping: bool) -> RecursiveInstanceIterator: + def flatten(self, levels: int) -> None: r""" - @brief Creates a recursive instance iterator with a search region. - @param layout The layout which shall be iterated - @param cell The initial cell which shall be iterated (including its children) - @param region The search region - @param overlapping If set to true, instances overlapping the search region are reported, otherwise touching is sufficient + @brief Flattens the instance - This constructor creates a new recursive instance iterator which delivers the instances of the given cell plus its children. + This method will convert the instance to a number of shapes which are equivalent to the content of the cell. The instance itself will be removed. + This version of the method allows specification of the number of hierarchy levels to remove. Specifying 1 for 'levels' will remove the instance and replace it by the contents of the cell. Specifying a negative value or zero for the number of levels will flatten the instance completely. - The search is confined to the region given by the "region" parameter. The region needs to be a rectilinear region. - If "overlapping" is true, instances whose bounding box is overlapping the search region are reported. If "overlapping" is false, instances whose bounding box touches the search region are reported. The bounding box of instances is measured taking all layers of the target cell into account. - """ - def __copy__(self) -> RecursiveInstanceIterator: - r""" - @brief Creates a copy of self + This method has been introduced in version 0.24. """ - def __deepcopy__(self) -> RecursiveInstanceIterator: + def has_prop_id(self) -> bool: r""" - @brief Creates a copy of self + @brief Returns true, if the instance has properties """ - def __eq__(self, other: object) -> bool: + def is_complex(self) -> bool: r""" - @brief Comparison of iterators - equality + @brief Tests, if the array is a complex array - Two iterators are equal if they point to the same instance. + Returns true if the array represents complex instances (that is, with magnification and + arbitrary rotation angles). """ - @overload - def __init__(self, layout: Layout, cell: Cell) -> None: + def is_const_object(self) -> bool: r""" - @brief Creates a recursive instance iterator. - @param layout The layout which shall be iterated - @param cell The initial cell which shall be iterated (including its children) - @param layer The layer (index) from which the shapes are taken - - This constructor creates a new recursive instance iterator which delivers the instances of the given cell plus its children. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def __init__(self, layout: Layout, cell: Cell, box: Box, overlapping: Optional[bool] = ...) -> None: + def is_null(self) -> bool: r""" - @brief Creates a recursive instance iterator with a search region. - @param layout The layout which shall be iterated - @param cell The initial cell which shall be iterated (including its children) - @param box The search region - @param overlapping If set to true, instances overlapping the search region are reported, otherwise touching is sufficient - - This constructor creates a new recursive instance iterator which delivers the instances of the given cell plus its children. - - The search is confined to the region given by the "box" parameter. If "overlapping" is true, instances whose bounding box is overlapping the search region are reported. If "overlapping" is false, instances whose bounding box touches the search region are reported. The bounding box of instances is measured taking all layers of the target cell into account. + @brief Checks, if the instance is a valid one """ - @overload - def __init__(self, layout: Layout, cell: Cell, region: Region, overlapping: bool) -> None: + def is_pcell(self) -> bool: r""" - @brief Creates a recursive instance iterator with a search region. - @param layout The layout which shall be iterated - @param cell The initial cell which shall be iterated (including its children) - @param region The search region - @param overlapping If set to true, instances overlapping the search region are reported, otherwise touching is sufficient - - This constructor creates a new recursive instance iterator which delivers the instances of the given cell plus its children. + @brief Returns a value indicating whether the instance is a PCell instance - The search is confined to the region given by the "region" parameter. The region needs to be a rectilinear region. - If "overlapping" is true, instances whose bounding box is overlapping the search region are reported. If "overlapping" is false, instances whose bounding box touches the search region are reported. The bounding box of instances is measured taking all layers of the target cell into account. + This method has been introduced in version 0.24. """ - def __iter__(self) -> Iterator[RecursiveInstanceIterator]: + def is_regular_array(self) -> bool: r""" - @brief Native iteration - This method enables native iteration, e.g. - - @code - iter = ... # RecursiveInstanceIterator - iter.each do |i| - ... i is the iterator itself - end - @/code - - This is slightly more convenient than the 'at_end' .. 'next' loop. - - This feature has been introduced in version 0.28. + @brief Tests, if this instance is a regular array """ - def __ne__(self, other: object) -> bool: + def is_valid(self) -> bool: r""" - @brief Comparison of iterators - inequality + @brief Tests if the \Instance object is still pointing to a valid instance + If the instance represented by the given reference has been deleted, this method returns false. If however, another instance has been inserted already that occupies the original instances position, this method will return true again. - Two iterators are not equal if they do not point to the same instance. - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + This method has been introduced in version 0.23 and is a shortcut for "inst.cell.is_valid?(inst)". """ - def _destroy(self) -> None: + @overload + def layout(self) -> Layout: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Gets the layout this instance is contained in + + This method has been introduced in version 0.22. """ - def _destroyed(self) -> bool: + @overload + def layout(self) -> Layout: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Gets the layout this instance is contained in + + This const version of the method has been introduced in version 0.25. """ - def _is_const_object(self) -> bool: + def pcell_declaration(self) -> PCellDeclaration_Native: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Returns the PCell declaration object + + If the instance is a PCell instance, this method returns the PCell declaration object for that PCell. If not, this method will return nil. + This method has been introduced in version 0.24. """ - def _manage(self) -> None: + def pcell_parameter(self, name: str) -> Any: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Gets a PCell parameter by the name of the parameter + @return The parameter value or nil if the instance is not a PCell or does not have a parameter with given name - Usually it's not required to call this method. It has been introduced in version 0.24. + This method has been introduced in version 0.25. """ - def _unmanage(self) -> None: + def pcell_parameters(self) -> List[Any]: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Gets the parameters of a PCell instance as a list of values + @return A list of values - Usually it's not required to call this method. It has been introduced in version 0.24. + If the instance is a PCell instance, this method will return an array of values where each value corresponds to one parameter. The order of the values is the order the parameters are declared in the PCell declaration. + If the instance is not a PCell instance, this list returned will be empty. + + This method has been introduced in version 0.24. """ - def all_targets_enabled(self) -> bool: + def pcell_parameters_by_name(self) -> Dict[str, Any]: r""" - @brief Gets a value indicating whether instances of all cells are reported - See \targets= for a description of the target cell concept. + @brief Gets the parameters of a PCell instance as a dictionary of values vs. names + @return A dictionary of values by parameter name + + If the instance is a PCell instance, this method will return a map of values vs. parameter names. The names are the ones defined in the PCell declaration.If the instance is not a PCell instance, the dictionary returned will be empty. + + This method has been introduced in version 0.24. """ - def assign(self, other: RecursiveInstanceIterator) -> None: + def property(self, key: Any) -> Any: r""" - @brief Assigns another object to self + @brief Gets the user property with the given key + This method is a convenience method that gets the property with the given key. If no property with that key exists, it will return nil. Using that method is more convenient than using the layout object and the properties ID to retrieve the property value. + This method has been introduced in version 0.22. """ - def at_end(self) -> bool: + def set_property(self, key: Any, value: Any) -> None: r""" - @brief End of iterator predicate + @brief Sets the user property with the given key to the given value + This method is a convenience method that sets the property with the given key to the given value. If no property with that key exists, it will create one. Using that method is more convenient than creating a new property set with a new ID and assigning that properties ID. + This method may change the properties ID. Note: GDS only supports integer keys. OASIS supports numeric and string keys. Calling this method may invalidate any iterators. It should not be called inside a loop iterating over instances. - Returns true, if the iterator is at the end of the sequence + This method has been introduced in version 0.22. """ - def cell(self) -> Cell: + def size(self) -> int: r""" - @brief Gets the cell the current instance sits in + @brief Gets the number of single instances in the instance array + If the instance represents a single instance, the count is 1. Otherwise it is na*nb. """ - def cell_index(self) -> int: + @overload + def to_s(self) -> str: r""" - @brief Gets the index of the cell the current instance sits in - This is equivalent to 'cell.cell_index'. + @brief Creates a string showing the contents of the reference + + This method has been introduced with version 0.16. """ - def complex_region(self) -> Region: + @overload + def to_s(self, with_cellname: bool) -> str: r""" - @brief Gets the complex region that this iterator is using - The complex region is the effective region (a \Region object) that the iterator is selecting from the layout. This region can be a single box or a complex region. + @brief Creates a string showing the contents of the reference + + Passing true to with_cellname makes the string contain the cellname instead of the cell index + + This method has been introduced with version 0.23. """ @overload - def confine_region(self, box_region: Box) -> None: + def transform(self, t: DCplxTrans) -> None: r""" - @brief Confines the region that this iterator is iterating over - This method is similar to setting the region (see \region=), but will confine any region (complex or simple) already set. Essentially it does a logical AND operation between the existing and given region. Hence this method can only reduce a region, not extend it. + @brief Transforms the instance array with the given complex transformation (given in micrometer units) + Transforms the instance like \transform does, but with a transformation given in micrometer units. The displacement of this transformation is given in micrometers and is internally translated to database units. + + This method has been introduced in version 0.25. """ @overload - def confine_region(self, complex_region: Region) -> None: + def transform(self, t: DTrans) -> None: r""" - @brief Confines the region that this iterator is iterating over - This method is similar to setting the region (see \region=), but will confine any region (complex or simple) already set. Essentially it does a logical AND operation between the existing and given region. Hence this method can only reduce a region, not extend it. + @brief Transforms the instance array with the given transformation (given in micrometer units) + Transforms the instance like \transform does, but with a transformation given in micrometer units. The displacement of this transformation is given in micrometers and is internally translated to database units. + + This method has been introduced in version 0.25. """ - def create(self) -> None: + @overload + def transform(self, t: ICplxTrans) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Transforms the instance array with the given complex transformation + See \Cell#transform for a description of this method. + + This method has been introduced in version 0.23. """ - def current_inst_element(self) -> InstElement: + @overload + def transform(self, t: Trans) -> None: r""" - @brief Gets the current instance - - This is the instance/array element the iterator currently refers to. - This is a \InstElement object representing the current instance and the array element the iterator currently points at. + @brief Transforms the instance array with the given transformation + See \Cell#transform for a description of this method. - See \inst_trans, \inst_dtrans and \inst_cell for convenience methods to access the details of the current element. + This method has been introduced in version 0.23. """ - def destroy(self) -> None: + @overload + def transform_into(self, t: DCplxTrans) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Transforms the instance array with the given complex transformation (given in micrometer units) + Transforms the instance like \transform_into does, but with a transformation given in micrometer units. The displacement of this transformation is given in micrometers and is internally translated to database units. + + This method has been introduced in version 0.25. """ - def destroyed(self) -> bool: + @overload + def transform_into(self, t: DTrans) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Transforms the instance array with the given transformation (given in micrometer units) + Transforms the instance like \transform_into does, but with a transformation given in micrometer units. The displacement of this transformation is given in micrometers and is internally translated to database units. + + This method has been introduced in version 0.25. """ - def dtrans(self) -> DCplxTrans: + @overload + def transform_into(self, t: ICplxTrans) -> None: r""" - @brief Gets the accumulated transformation of the current instance parent cell to the top cell + @brief Transforms the instance array with the given transformation + See \Cell#transform_into for a description of this method. - This transformation represents how the current instance is seen in the top cell. - This version returns the micron-unit transformation. + This method has been introduced in version 0.23. """ - def dup(self) -> RecursiveInstanceIterator: + @overload + def transform_into(self, t: Trans) -> None: r""" - @brief Creates a copy of self - """ - def each(self) -> Iterator[RecursiveInstanceIterator]: - r""" - @brief Native iteration - This method enables native iteration, e.g. - - @code - iter = ... # RecursiveInstanceIterator - iter.each do |i| - ... i is the iterator itself - end - @/code - - This is slightly more convenient than the 'at_end' .. 'next' loop. - - This feature has been introduced in version 0.28. - """ - def enable_all_targets(self) -> None: - r""" - @brief Enables 'all targets' mode in which instances of all cells are reported - See \targets= for a description of the target cell concept. - """ - def inst_cell(self) -> Cell: - r""" - @brief Gets the target cell of the current instance - This is the cell the current instance refers to. It is one of the \targets if a target list is given. - """ - def inst_dtrans(self) -> DCplxTrans: - r""" - @brief Gets the micron-unit transformation of the current instance - This is the transformation of the current instance inside its parent. - 'dtrans * inst_dtrans' gives the full micron-unit transformation how the current cell is seen in the top cell. - See also \inst_trans and \inst_cell. - """ - def inst_trans(self) -> ICplxTrans: - r""" - @brief Gets the integer-unit transformation of the current instance - This is the transformation of the current instance inside its parent. - 'trans * inst_trans' gives the full transformation how the current cell is seen in the top cell. - See also \inst_dtrans and \inst_cell. - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def layout(self) -> Layout: - r""" - @brief Gets the layout this iterator is connected to - """ - def next(self) -> None: - r""" - @brief Increments the iterator - This moves the iterator to the next instance inside the search scope. - """ - def path(self) -> List[InstElement]: - r""" - @brief Gets the instantiation path of the instance addressed currently - - This attribute is a sequence of \InstElement objects describing the cell instance path from the initial cell to the current instance. The path is empty if the current instance is in the top cell. - """ - def reset(self) -> None: - r""" - @brief Resets the iterator to the initial state - """ - def reset_selection(self) -> None: - r""" - @brief Resets the selection to the default state - - In the initial state, the top cell and its children are selected. Child cells can be switched on and off together with their sub-hierarchy using \select_cells and \unselect_cells. - - This method will also reset the iterator. - """ - def select_all_cells(self) -> None: - r""" - @brief Selects all cells. - - This method will set the "selected" mark on all cells. The effect is that subsequent calls of \unselect_cells will unselect only the specified cells, not their children, because they are still unselected. - - This method will also reset the iterator. - """ - @overload - def select_cells(self, cells: Sequence[int]) -> None: - r""" - @brief Unselects the given cells. - - This method will sets the "selected" mark on the given cells. That means that these cells or their child cells are visited, unless they are marked as "unselected" again with the \unselect_cells method. - - The cells are given as a list of cell indexes. - - This method will also reset the iterator. - """ - @overload - def select_cells(self, cells: str) -> None: - r""" - @brief Unselects the given cells. - - This method will sets the "selected" mark on the given cells. That means that these cells or their child cells are visited, unless they are marked as "unselected" again with the \unselect_cells method. - - The cells are given as a glob pattern. - A glob pattern follows the syntax of file names on the shell (i.e. "A*" are all cells starting with a letter "A"). - - This method will also reset the iterator. - """ - def top_cell(self) -> Cell: - r""" - @brief Gets the top cell this iterator is connected to - """ - def trans(self) -> ICplxTrans: - r""" - @brief Gets the accumulated transformation of the current instance parent cell to the top cell + @brief Transforms the instance array with the given transformation + See \Cell#transform_into for a description of this method. - This transformation represents how the current instance is seen in the top cell. + This method has been introduced in version 0.23. """ - def unselect_all_cells(self) -> None: - r""" - @brief Unselects all cells. - This method will set the "unselected" mark on all cells. The effect is that subsequent calls of \select_cells will select only the specified cells, not their children, because they are still unselected. +class LEFDEFReaderConfiguration: + r""" + @brief Detailed LEF/DEF reader options + This class is a aggregate belonging to the \LoadLayoutOptions class. It provides options for the LEF/DEF reader. These options have been placed into a separate class to account for their complexity. + This class specifically handles layer mapping. This is the process of generating layer names or GDS layer/datatypes from LEF/DEF layers and purpose combinations. There are basically two ways: to use a map file or to use pattern-based production rules. - This method will also reset the iterator. - """ - @overload - def unselect_cells(self, cells: Sequence[int]) -> None: - r""" - @brief Unselects the given cells. + To use a layer map file, set the \map_file attribute to the name of the layer map file. The layer map file lists the GDS layer and datatype numbers to generate for the geometry. - This method will sets the "unselected" mark on the given cells. That means that these cells or their child cells will not be visited, unless they are marked as "selected" again with the \select_cells method. + The pattern-based approach will use the layer name and attach a purpose-dependent suffix to it. Use the ..._suffix attributes to specify this suffix. For routing, the corresponding attribute is \routing_suffix for example. A purpose can also be mapped to a specific GDS datatype using the corresponding ..._datatype attributes. + The decorated or undecorated names are looked up in a layer mapping table in the next step. The layer mapping table is specified using the \layer_map attribute. This table can be used to map layer names to specific GDS layers by using entries of the form 'NAME: layer-number'. - The cells are given as a list of cell indexes. + If a layer map file is present, the pattern-based attributes are ignored. + """ + blockages_datatype: int + r""" + Getter: + @brief Gets the blockage marker layer datatype value. + See \produce_via_geometry for details about the layer production rules. + Setter: + @brief Sets the blockage marker layer datatype value. + See \produce_via_geometry for details about the layer production rules. + """ + blockages_suffix: str + r""" + Getter: + @brief Gets the blockage marker layer name suffix. + See \produce_via_geometry for details about the layer production rules. + Setter: + @brief Sets the blockage marker layer name suffix. + See \produce_via_geometry for details about the layer production rules. + """ + cell_outline_layer: str + r""" + Getter: + @brief Gets the layer on which to produce the cell outline (diearea). + This attribute is a string corresponding to the string representation of \LayerInfo. This string can be either a layer number, a layer/datatype pair, a name or a combination of both. See \LayerInfo for details. + The setter for this attribute is \cell_outline_layer=. See also \produce_cell_outlines. + Setter: + @brief Sets the layer on which to produce the cell outline (diearea). + See \cell_outline_layer for details. + """ + create_other_layers: bool + r""" + Getter: + @brief Gets a value indicating whether layers not mapped in the layer map shall be created too + See \layer_map for details. + Setter: + @brief Sets a value indicating whether layers not mapped in the layer map shall be created too + See \layer_map for details. + """ + dbu: float + r""" + Getter: + @brief Gets the database unit to use for producing the layout. + This value specifies the database to be used for the layout that is read. When a DEF file is specified with a different database unit, the layout is translated into this database unit. - This method will also reset the iterator. - """ - @overload - def unselect_cells(self, cells: str) -> None: + Setter: + @brief Sets the database unit to use for producing the layout. + See \dbu for details. + """ + @property + def paths_relative_to_cwd(self) -> None: r""" - @brief Unselects the given cells. - - This method will sets the "unselected" mark on the given cells. That means that these cells or their child cells will not be visited, unless they are marked as "selected" again with the \select_cells method. - - The cells are given as a glob pattern. - A glob pattern follows the syntax of file names on the shell (i.e. "A*" are all cells starting with a letter "A"). - - This method will also reset the iterator. + WARNING: This variable can only be set, not retrieved. + @brief Sets a value indicating whether to use paths relative to cwd (true) or DEF file (false) for map or LEF files + This write-only attribute has been introduced in version 0.27.9. """ - -class RecursiveShapeIterator: + fills_datatype: int r""" - @brief An iterator delivering shapes recursively - - The iterator can be obtained from a cell, a layer and optionally a region. - It simplifies retrieval of shapes from a geometrical region while considering - subcells as well. - Some options can be specified in addition, i.e. the level to which to look into or - shape classes and shape properties. The shapes are retrieved by using the \shape method, - \next moves to the next shape and \at_end tells, if the iterator has move shapes to deliver. - - This is some sample code: - - @code - # print the polygon-like objects as seen from the initial cell "cell" - iter = cell.begin_shapes_rec(layer) - while !iter.at_end? - if iter.shape.renders_polygon? - polygon = iter.shape.polygon.transformed(iter.itrans) - puts "In cell #{iter.cell.name}: " + polygon.to_s - end - iter.next - end - - # or shorter: - cell.begin_shapes_rec(layer).each do |iter| - if iter.shape.renders_polygon? - polygon = iter.shape.polygon.transformed(iter.itrans) - puts "In cell #{iter.cell.name}: " + polygon.to_s - end - end - @/code - - \Cell offers three methods to get these iterators: begin_shapes_rec, begin_shapes_rec_touching and begin_shapes_rec_overlapping. - \Cell#begin_shapes_rec will deliver a standard recursive shape iterator which starts from the given cell and iterates over all child cells. \Cell#begin_shapes_rec_touching delivers a RecursiveShapeIterator which delivers the shapes whose bounding boxed touch the given search box. \Cell#begin_shapes_rec_overlapping delivers all shapes whose bounding box overlaps the search box. - - A RecursiveShapeIterator object can also be created explicitly. This allows some more options, i.e. using multiple layers. A multi-layer recursive shape iterator can be created like this: - - @code - iter = RBA::RecursiveShapeIterator::new(layout, cell, [ layer_index1, layer_index2 .. ]) - @/code - - "layout" is the layout object, "cell" the RBA::Cell object of the initial cell. layer_index1 etc. are the layer indexes of the layers to get the shapes from. While iterating, \RecursiveShapeIterator#layer delivers the layer index of the current shape. + Getter: + @brief Gets the fill geometry layer datatype value. + See \produce_via_geometry for details about the layer production rules. - The recursive shape iterator can be confined to a maximum hierarchy depth. By using \max_depth=, the iterator will restrict the search depth to the given depth in the cell tree. + Fill support has been introduced in version 0.27. + Setter: + @brief Sets the fill geometry layer datatype value. + See \produce_via_geometry for details about the layer production rules. - In addition, the recursive shape iterator supports selection and exclusion of subtrees. For that purpose it keeps flags per cell telling it for which cells to turn shape delivery on and off. The \select_cells method sets the "start delivery" flag while \unselect_cells sets the "stop delivery" flag. In effect, using \unselect_cells will exclude that cell plus the subtree from delivery. Parts of that subtree can be turned on again using \select_cells. For the cells selected that way, the shapes of these cells and their child cells are delivered, even if their parent was unselected. + Fill support has been introduced in version 0.27. + """ + fills_datatype_str: str + r""" + Getter: + @hide + Setter: + @hide + """ + fills_suffix: str + r""" + Getter: + @brief Gets the fill geometry layer name suffix. + See \produce_via_geometry for details about the layer production rules. - To get shapes from a specific cell, i.e. "MACRO" plus its child cells, unselect the top cell first and the select the desired cell again: + Fill support has been introduced in version 0.27. + Setter: + @brief Sets the fill geometry layer name suffix. + See \produce_via_geometry for details about the layer production rules. - @code - # deliver all shapes inside "MACRO" and the sub-hierarchy: - iter = RBA::RecursiveShapeIterator::new(layout, cell, layer) - iter.unselect_cells(cell.cell_index) - iter.select_cells("MACRO") - @/code + Fill support has been introduced in version 0.27. + """ + fills_suffix_str: str + r""" + Getter: + @hide + Setter: + @hide + """ + instance_property_name: Any + r""" + Getter: + @brief Gets a value indicating whether and how to produce instance names as properties. + If set to a value not nil, instance names will be attached to the instances generated as user properties. + This attribute then specifies the user property name to be used for attaching the instance names. + If set to nil, no instance names will be produced. - Note that if "MACRO" uses library cells for example which are used otherwise as well, the iterator will only deliver the shapes for those instances belonging to "MACRO" (directly or indirectly), not those for other instances of these library cells. + The corresponding setter is \instance_property_name=. - The \unselect_all_cells and \select_all_cells methods turn on the "stop" and "start" flag for all cells respectively. If you use \unselect_all_cells and use \select_cells for a specific cell, the iterator will deliver only the shapes of the selected cell, not its children. Those are still unselected by \unselect_all_cells: + This method has been introduced in version 0.26.4. + Setter: + @brief Sets a value indicating whether and how to produce instance names as properties. + See \instance_property_name for details. - @code - # deliver all shapes of "MACRO" but not of child cells: - iter = RBA::RecursiveShapeIterator::new(layout, cell, layer) - iter.unselect_all_cells - iter.select_cells("MACRO") - @/code + This method has been introduced in version 0.26.4. + """ + labels_datatype: int + r""" + Getter: + @brief Gets the labels layer datatype value. + See \produce_via_geometry for details about the layer production rules. + Setter: + @brief Sets the labels layer datatype value. + See \produce_via_geometry for details about the layer production rules. + """ + labels_suffix: str + r""" + Getter: + @brief Gets the label layer name suffix. + See \produce_via_geometry for details about the layer production rules. + Setter: + @brief Sets the label layer name suffix. + See \produce_via_geometry for details about the layer production rules. + """ + layer_map: LayerMap + r""" + Getter: + @brief Gets the layer map to be used for the LEF/DEF reader + @return A reference to the layer map + Because LEF/DEF layer mapping is substantially different than for normal layout files, the LEF/DEF reader employs a separate layer mapping table. The LEF/DEF specific layer mapping is stored within the LEF/DEF reader's configuration and can be accessed with this attribute. The layer mapping table of \LoadLayoutOptions will be ignored for the LEF/DEF reader. - Cell selection is done using cell indexes or glob pattern. Glob pattern are equivalent to the usual file name wildcards used on various command line shells. For example "A*" matches all cells starting with an "A". The curly brace notation and character classes are supported as well. For example "C{125,512}" matches "C125" and "C512" and "[ABC]*" matches all cells starting with an "A", a "B" or "C". "[^ABC]*" matches all cells not starting with one of that letters. + The setter is \layer_map=. \create_other_layers= is available to control whether layers not specified in the layer mapping table shall be created automatically. + Setter: + @brief Sets the layer map to be used for the LEF/DEF reader + See \layer_map for details. + """ + lef_files: List[str] + r""" + Getter: + @brief Gets the list technology LEF files to additionally import + Returns a list of path names for technology LEF files to read in addition to the primary file. Relative paths are resolved relative to the file to read or relative to the technology base path. - The RecursiveShapeIterator class has been introduced in version 0.18 and has been extended substantially in 0.23. + The setter for this property is \lef_files=. + Setter: + @brief Sets the list technology LEF files to additionally import + See \lef_files for details. """ - global_dtrans: DCplxTrans + lef_labels_datatype: int r""" Getter: - @brief Gets the global transformation to apply to all shapes delivered (in micrometer units) - See also \global_dtrans=. + @brief Gets the lef_labels layer datatype value. + See \produce_via_geometry for details about the layer production rules. - This method has been introduced in version 0.27. + This method has been introduced in version 0.27.2 Setter: - @brief Sets the global transformation to apply to all shapes delivered (transformation in micrometer units) - The global transformation will be applied to all shapes delivered by biasing the "trans" attribute. - The search regions apply to the coordinate space after global transformation. + @brief Sets the lef_labels layer datatype value. + See \produce_via_geometry for details about the layer production rules. - This method has been introduced in version 0.27. + This method has been introduced in version 0.27.2 """ - global_trans: ICplxTrans + lef_labels_suffix: str r""" Getter: - @brief Gets the global transformation to apply to all shapes delivered - See also \global_trans=. + @brief Gets the label layer name suffix. + See \produce_via_geometry for details about the layer production rules. - This method has been introduced in version 0.27. + This method has been introduced in version 0.27.2 Setter: - @brief Sets the global transformation to apply to all shapes delivered - The global transformation will be applied to all shapes delivered by biasing the "trans" attribute. - The search regions apply to the coordinate space after global transformation. + @brief Sets the label layer name suffix. + See \produce_via_geometry for details about the layer production rules. - This method has been introduced in version 0.27. + This method has been introduced in version 0.27.2 """ - max_depth: int + lef_pins_datatype: int r""" Getter: - @brief Gets the maximum hierarchy depth + @brief Gets the LEF pin geometry layer datatype value. + See \produce_via_geometry for details about the layer production rules. + Setter: + @brief Sets the LEF pin geometry layer datatype value. + See \produce_via_geometry for details about the layer production rules. + """ + lef_pins_datatype_str: str + r""" + Getter: + @hide + Setter: + @hide + """ + lef_pins_suffix: str + r""" + Getter: + @brief Gets the LEF pin geometry layer name suffix. + See \produce_via_geometry for details about the layer production rules. + Setter: + @brief Sets the LEF pin geometry layer name suffix. + See \produce_via_geometry for details about the layer production rules. + """ + lef_pins_suffix_str: str + r""" + Getter: + @hide + Setter: + @hide + """ + macro_layout_files: List[str] + r""" + Getter: + @brief Gets the list of layout files to read for substituting macros in DEF + These files play the same role than the macro layouts (see \macro_layouts), except that this property specifies a list of file names. The given files are loaded automatically to resolve macro layouts instead of LEF geometry. See \macro_resolution_mode for details when this happens. Relative paths are resolved relative to the DEF file to read or relative to the technology base path. + Macros in need for substitution are looked up in the layout files by searching for cells with the same name. The files are scanned in the order they are given in the file list. + The files from \macro_layout_files are scanned after the layout objects specified with \macro_layouts. - See \max_depth= for a description of that attribute. + The setter for this property is \macro_layout_files=. - This method has been introduced in version 0.23. + This property has been added in version 0.27.1. Setter: - @brief Specifies the maximum hierarchy depth to look into + @brief Sets the list of layout files to read for substituting macros in DEF + See \macro_layout_files for details. - A depth of 0 instructs the iterator to deliver only shapes from the initial cell. - The depth must be specified before the shapes are being retrieved. - Setting the depth resets the iterator. + This property has been added in version 0.27.1. """ - min_depth: int + macro_layouts: List[Layout] r""" Getter: - @brief Gets the minimum hierarchy depth + @brief Gets the layout objects used for resolving LEF macros in the DEF reader. + The DEF reader can either use LEF geometry or use a separate source of layouts for the LEF macros. The \macro_resolution_mode controls whether to use LEF geometry. If LEF geometry is not used, the DEF reader will look up macro cells from the \macro_layouts and pull cell layouts from there. - See \min_depth= for a description of that attribute. + The LEF cells are looked up as cells by name from the macro layouts in the order these are given in this array. - This method has been introduced in version 0.27. + \macro_layout_files is another way of specifying such substitution layouts. This method accepts file names instead of layout objects. + + This property has been added in version 0.27. Setter: - @brief Specifies the minimum hierarchy depth to look into + @brief Sets the layout objects used for resolving LEF macros in the DEF reader. + See \macro_layouts for more details about this property. - A depth of 0 instructs the iterator to deliver shapes from the top level. - 1 instructs to deliver shapes from the first child level. - The minimum depth must be specified before the shapes are being retrieved. + Layout objects specified in the array for this property are not owned by the \LEFDEFReaderConfiguration object. Be sure to keep some other reference to these Layout objects if you are storing away the LEF/DEF reader configuration object. - This method has been introduced in version 0.27. + This property has been added in version 0.27. """ - overlapping: bool + macro_resolution_mode: int r""" Getter: - @brief Gets a flag indicating whether overlapping shapes are selected when a region is used + @brief Gets the macro resolution mode (LEF macros into DEF). + This property describes the way LEF macros are turned into layout cells when reading DEF. There are three modes available: - This method has been introduced in version 0.23. + @ul + @li 0: produce LEF geometry unless a FOREIGN cell is specified @/li + @li 1: produce LEF geometry always and ignore FOREIGN @/li + @li 2: Never produce LEF geometry and assume FOREIGN always @/li + @/ul - Setter: - @brief Sets a flag indicating whether overlapping shapes are selected when a region is used + If substitution layouts are specified with \macro_layouts, these are used to provide macro layouts in case no LEF geometry is taken. - If this flag is false, shapes touching the search region are returned. + This property has been added in version 0.27. - This method has been introduced in version 0.23. + Setter: + @brief Sets the macro resolution mode (LEF macros into DEF). + See \macro_resolution_mode for details about this property. + + This property has been added in version 0.27. """ - region: Box + map_file: str r""" Getter: - @brief Gets the basic region that this iterator is using - The basic region is the overall box the region iterator iterates over. There may be an additional complex region that confines the region iterator. See \complex_region for this attribute. + @brief Gets the layer map file to use. + If a layer map file is given, the reader will pull the layer mapping from this file. The layer mapping rules specified in the reader options are ignored in this case. These are the name suffix rules for vias, blockages, routing, special routing, pins etc. and the corresponding datatype rules. The \layer_map attribute will also be ignored. + The layer map file path will be resolved relative to the technology base path if the LEF/DEF reader options are used in the context of a technology. - This method has been introduced in version 0.23. + This property has been added in version 0.27. Setter: - @brief Sets the rectangular region that this iterator is iterating over - See \region for a description of this attribute. - Setting a simple region will reset the complex region to a rectangle and reset the iterator to the beginning of the sequence. - This method has been introduced in version 0.23. + @brief Sets the layer map file to use. + See \map_file for details about this property. + + This property has been added in version 0.27. """ - shape_flags: int + net_property_name: Any r""" Getter: - @brief Gets the shape selection flags - - See \shape_flags= for a description of that property. - - This getter has been introduced in version 0.28. + @brief Gets a value indicating whether and how to produce net names as properties. + If set to a value not nil, net names will be attached to the net shapes generated as user properties. + This attribute then specifies the user property name to be used for attaching the net names. + If set to nil, no net names will be produced. + The corresponding setter is \net_property_name=. Setter: - @brief Specifies the shape selection flags - - The flags are the same then being defined in \Shapes (the default is RBA::Shapes::SAll). - The flags must be specified before the shapes are being retrieved. - Settings the shapes flags will reset the iterator. + @brief Sets a value indicating whether and how to produce net names as properties. + See \net_property_name for details. """ - @overload - @classmethod - def new(cls, layout: Layout, cell: Cell, layer: int) -> RecursiveShapeIterator: - r""" - @brief Creates a recursive, single-layer shape iterator. - @param layout The layout which shall be iterated - @param cell The initial cell which shall be iterated (including its children) - @param layer The layer (index) from which the shapes are taken + obstructions_datatype: int + r""" + Getter: + @brief Gets the obstruction marker layer datatype value. + See \produce_via_geometry for details about the layer production rules. + Setter: + @brief Sets the obstruction marker layer datatype value. + See \produce_via_geometry for details about the layer production rules. + """ + obstructions_suffix: str + r""" + Getter: + @brief Gets the obstruction marker layer name suffix. + See \produce_via_geometry for details about the layer production rules. + Setter: + @brief Sets the obstruction marker layer name suffix. + See \produce_via_geometry for details about the layer production rules. + """ + pin_property_name: Any + r""" + Getter: + @brief Gets a value indicating whether and how to produce pin names as properties. + If set to a value not nil, pin names will be attached to the pin shapes generated as user properties. + This attribute then specifies the user property name to be used for attaching the pin names. + If set to nil, no pin names will be produced. - This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layer given by the layer index in the "layer" parameter. + The corresponding setter is \pin_property_name=. - This constructor has been introduced in version 0.23. - """ - @overload - @classmethod - def new(cls, layout: Layout, cell: Cell, layers: Sequence[int]) -> RecursiveShapeIterator: - r""" - @brief Creates a recursive, multi-layer shape iterator. - @param layout The layout which shall be iterated - @param cell The initial cell which shall be iterated (including its children) - @param layers The layer indexes from which the shapes are taken + This method has been introduced in version 0.26.4. + Setter: + @brief Sets a value indicating whether and how to produce pin names as properties. + See \pin_property_name for details. - This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layers given by the layer indexes in the "layers" parameter. - While iterating use the \layer method to retrieve the layer of the current shape. + This method has been introduced in version 0.26.4. + """ + pins_datatype: int + r""" + Getter: + @brief Gets the pin geometry layer datatype value. + See \produce_via_geometry for details about the layer production rules. + Setter: + @brief Sets the pin geometry layer datatype value. + See \produce_via_geometry for details about the layer production rules. + """ + pins_datatype_str: str + r""" + Getter: + @hide + Setter: + @hide + """ + pins_suffix: str + r""" + Getter: + @brief Gets the pin geometry layer name suffix. + See \produce_via_geometry for details about the layer production rules. + Setter: + @brief Sets the pin geometry layer name suffix. + See \produce_via_geometry for details about the layer production rules. + """ + pins_suffix_str: str + r""" + Getter: + @hide + Setter: + @hide + """ + placement_blockage_layer: str + r""" + Getter: + @brief Gets the layer on which to produce the placement blockage. + This attribute is a string corresponding to the string representation of \LayerInfo. This string can be either a layer number, a layer/datatype pair, a name or a combination of both. See \LayerInfo for details.The setter for this attribute is \placement_blockage_layer=. See also \produce_placement_blockages. + Setter: + @brief Sets the layer on which to produce the placement blockage. + See \placement_blockage_layer for details. + """ + produce_blockages: bool + r""" + Getter: + @brief Gets a value indicating whether routing blockage markers shall be produced. + See \produce_via_geometry for details about the layer production rules. + Setter: + @brief Sets a value indicating whether routing blockage markers shall be produced. + See \produce_via_geometry for details about the layer production rules. + """ + produce_cell_outlines: bool + r""" + Getter: + @brief Gets a value indicating whether to produce cell outlines (diearea). + If set to true, cell outlines will be produced on the layer given by \cell_outline_layer. + Setter: + @brief Sets a value indicating whether to produce cell outlines (diearea). + See \produce_cell_outlines for details. + """ + produce_fills: bool + r""" + Getter: + @brief Gets a value indicating whether fill geometries shall be produced. + See \produce_via_geometry for details about the layer production rules. - This constructor has been introduced in version 0.23. - """ - @overload - @classmethod - def new(cls, layout: Layout, cell: Cell, layer: int, box: Box, overlapping: Optional[bool] = ...) -> RecursiveShapeIterator: - r""" - @brief Creates a recursive, single-layer shape iterator with a region. - @param layout The layout which shall be iterated - @param cell The initial cell which shall be iterated (including its children) - @param layer The layer (index) from which the shapes are taken - @param box The search region - @param overlapping If set to true, shapes overlapping the search region are reported, otherwise touching is sufficient + Fill support has been introduced in version 0.27. + Setter: + @brief Sets a value indicating whether fill geometries shall be produced. + See \produce_via_geometry for details about the layer production rules. - This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layer given by the layer index in the "layer" parameter. + Fill support has been introduced in version 0.27. + """ + produce_labels: bool + r""" + Getter: + @brief Gets a value indicating whether labels shall be produced. + See \produce_via_geometry for details about the layer production rules. + Setter: + @brief Sets a value indicating whether labels shall be produced. + See \produce_via_geometry for details about the layer production rules. + """ + produce_lef_labels: bool + r""" + Getter: + @brief Gets a value indicating whether lef_labels shall be produced. + See \produce_via_geometry for details about the layer production rules. - The search is confined to the region given by the "box" parameter. If "overlapping" is true, shapes whose bounding box is overlapping the search region are reported. If "overlapping" is false, shapes whose bounding box touches the search region are reported. + This method has been introduced in version 0.27.2 - This constructor has been introduced in version 0.23. The 'overlapping' parameter has been made optional in version 0.27. - """ - @overload - @classmethod - def new(cls, layout: Layout, cell: Cell, layer: int, region: Region, overlapping: Optional[bool] = ...) -> RecursiveShapeIterator: - r""" - @brief Creates a recursive, single-layer shape iterator with a region. - @param layout The layout which shall be iterated - @param cell The initial cell which shall be iterated (including its children) - @param layer The layer (index) from which the shapes are taken - @param region The search region - @param overlapping If set to true, shapes overlapping the search region are reported, otherwise touching is sufficient + Setter: + @brief Sets a value indicating whether lef_labels shall be produced. + See \produce_via_geometry for details about the layer production rules. - This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layer given by the layer index in the "layer" parameter. + This method has been introduced in version 0.27.2 + """ + produce_lef_pins: bool + r""" + Getter: + @brief Gets a value indicating whether LEF pin geometries shall be produced. + See \produce_via_geometry for details about the layer production rules. + Setter: + @brief Sets a value indicating whether LEF pin geometries shall be produced. + See \produce_via_geometry for details about the layer production rules. + """ + produce_obstructions: bool + r""" + Getter: + @brief Gets a value indicating whether obstruction markers shall be produced. + See \produce_via_geometry for details about the layer production rules. + Setter: + @brief Sets a value indicating whether obstruction markers shall be produced. + See \produce_via_geometry for details about the layer production rules. + """ + produce_pins: bool + r""" + Getter: + @brief Gets a value indicating whether pin geometries shall be produced. + See \produce_via_geometry for details about the layer production rules. + Setter: + @brief Sets a value indicating whether pin geometries shall be produced. + See \produce_via_geometry for details about the layer production rules. + """ + produce_placement_blockages: bool + r""" + Getter: + @brief Gets a value indicating whether to produce placement blockage regions. + If set to true, polygons will be produced representing the placement blockage region on the layer given by \placement_blockage_layer. + Setter: + @brief Sets a value indicating whether to produce placement blockage regions. + See \produce_placement_blockages for details. + """ + produce_regions: bool + r""" + Getter: + @brief Gets a value indicating whether to produce regions. + If set to true, polygons will be produced representing the regions on the layer given by \region_layer. - The search is confined to the region given by the "region" parameter. The region needs to be a rectilinear region. - If "overlapping" is true, shapes whose bounding box is overlapping the search region are reported. If "overlapping" is false, shapes whose bounding box touches the search region are reported. + The attribute has been introduced in version 0.27. + Setter: + @brief Sets a value indicating whether to produce regions. + See \produce_regions for details. - This constructor has been introduced in version 0.25. The 'overlapping' parameter has been made optional in version 0.27. - """ - @overload - @classmethod - def new(cls, layout: Layout, cell: Cell, layers: Sequence[int], box: Box, overlapping: Optional[bool] = ...) -> RecursiveShapeIterator: - r""" - @brief Creates a recursive, multi-layer shape iterator with a region. - @param layout The layout which shall be iterated - @param cell The initial cell which shall be iterated (including its children) - @param layers The layer indexes from which the shapes are taken - @param box The search region - @param overlapping If set to true, shapes overlapping the search region are reported, otherwise touching is sufficient + The attribute has been introduced in version 0.27. + """ + produce_routing: bool + r""" + Getter: + @brief Gets a value indicating whether routing geometry shall be produced. + See \produce_via_geometry for details about the layer production rules. + Setter: + @brief Sets a value indicating whether routing geometry shall be produced. + See \produce_via_geometry for details about the layer production rules. + """ + produce_special_routing: bool + r""" + Getter: + @brief Gets a value indicating whether special routing geometry shall be produced. + See \produce_via_geometry for details about the layer production rules. - This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layers given by the layer indexes in the "layers" parameter. - While iterating use the \layer method to retrieve the layer of the current shape. + The differentiation between special and normal routing has been introduced in version 0.27. + Setter: + @brief Sets a value indicating whether special routing geometry shall be produced. + See \produce_via_geometry for details about the layer production rules. + The differentiation between special and normal routing has been introduced in version 0.27. + """ + produce_via_geometry: bool + r""" + Getter: + @brief Sets a value indicating whether via geometries shall be produced. - The search is confined to the region given by the "box" parameter. If "overlapping" is true, shapes whose bounding box is overlapping the search region are reported. If "overlapping" is false, shapes whose bounding box touches the search region are reported. + If set to true, shapes will be produced for each via. The layer to be produced will be determined from the via layer's name using the suffix provided by \via_geometry_suffix. If there is a specific mapping in the layer mapping table for the via layer including the suffix, the layer/datatype will be taken from the layer mapping table. If there is a mapping to the undecorated via layer, the datatype will be substituted with the \via_geometry_datatype value. If no mapping is defined, a unique number will be assigned to the layer number and the datatype will be taken from the \via_geometry_datatype value. - This constructor has been introduced in version 0.23. The 'overlapping' parameter has been made optional in version 0.27. - """ - @overload - @classmethod - def new(cls, layout: Layout, cell: Cell, layers: Sequence[int], region: Region, overlapping: Optional[bool] = ...) -> RecursiveShapeIterator: - r""" - @brief Creates a recursive, multi-layer shape iterator with a region. - @param layout The layout which shall be iterated - @param cell The initial cell which shall be iterated (including its children) - @param layers The layer indexes from which the shapes are taken - @param region The search region - @param overlapping If set to true, shapes overlapping the search region are reported, otherwise touching is sufficient + For example: the via layer is 'V1', \via_geometry_suffix is 'GEO' and \via_geometry_datatype is 1. Then: - This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layers given by the layer indexes in the "layers" parameter. - While iterating use the \layer method to retrieve the layer of the current shape. + @ul + @li If there is a mapping for 'V1.GEO', the layer and datatype will be taken from there. @/li + @li If there is a mapping for 'V1', the layer will be taken from there and the datatype will be taken from \via_geometry_datatype. The name of the produced layer will be 'V1.GEO'. @/li + @li If there is no mapping for both, the layer number will be a unique value, the datatype will be taken from \via_geometry_datatype and the layer name will be 'V1.GEO'. @/li@/ul - The search is confined to the region given by the "region" parameter. The region needs to be a rectilinear region. - If "overlapping" is true, shapes whose bounding box is overlapping the search region are reported. If "overlapping" is false, shapes whose bounding box touches the search region are reported. + Setter: + @brief Sets a value indicating whether via geometries shall be produced. + See \produce_via_geometry for details. + """ + read_lef_with_def: bool + r""" + Getter: + @brief Gets a value indicating whether to read all LEF files in the same directory than the DEF file. + If this property is set to true (the default), the DEF reader will automatically consume all LEF files next to the DEF file in addition to the LEF files specified with \lef_files. If set to false, only the LEF files specified with \lef_files will be read. - This constructor has been introduced in version 0.23. The 'overlapping' parameter has been made optional in version 0.27. + This property has been added in version 0.27. + + Setter: + @brief Sets a value indicating whether to read all LEF files in the same directory than the DEF file. + See \read_lef_with_def for details about this property. + + This property has been added in version 0.27. + """ + region_layer: str + r""" + Getter: + @brief Gets the layer on which to produce the regions. + This attribute is a string corresponding to the string representation of \LayerInfo. This string can be either a layer number, a layer/datatype pair, a name or a combination of both. See \LayerInfo for details.The setter for this attribute is \region_layer=. See also \produce_regions. + + The attribute has been introduced in version 0.27. + Setter: + @brief Sets the layer on which to produce the regions. + See \region_layer for details. + + The attribute has been introduced in version 0.27. + """ + routing_datatype: int + r""" + Getter: + @brief Gets the routing layer datatype value. + See \produce_via_geometry for details about the layer production rules. + Setter: + @brief Sets the routing layer datatype value. + See \produce_via_geometry for details about the layer production rules. + """ + routing_datatype_str: str + r""" + Getter: + @hide + Setter: + @hide + """ + routing_suffix: str + r""" + Getter: + @brief Gets the routing layer name suffix. + See \produce_via_geometry for details about the layer production rules. + Setter: + @brief Sets the routing layer name suffix. + See \produce_via_geometry for details about the layer production rules. + """ + routing_suffix_str: str + r""" + Getter: + @hide + Setter: + @hide + """ + separate_groups: bool + r""" + Getter: + @brief Gets a value indicating whether to create separate parent cells for individual groups. + If this property is set to true, instances belonging to different groups are separated by putting them into individual parent cells. These parent cells are named after the groups and are put into the master top cell. + If this property is set to false (the default), no such group parents will be formed. + This property has been added in version 0.27. + + Setter: + @brief Sets a value indicating whether to create separate parent cells for individual groups. + See \separate_groups for details about this property. + + This property has been added in version 0.27. + """ + special_routing_datatype: int + r""" + Getter: + @brief Gets the special routing layer datatype value. + See \produce_via_geometry for details about the layer production rules. + The differentiation between special and normal routing has been introduced in version 0.27. + Setter: + @brief Sets the special routing layer datatype value. + See \produce_via_geometry for details about the layer production rules. + The differentiation between special and normal routing has been introduced in version 0.27. + """ + special_routing_datatype_str: str + r""" + Getter: + @hide + Setter: + @hide + """ + special_routing_suffix: str + r""" + Getter: + @brief Gets the special routing layer name suffix. + See \produce_via_geometry for details about the layer production rules. + The differentiation between special and normal routing has been introduced in version 0.27. + Setter: + @brief Sets the special routing layer name suffix. + See \produce_via_geometry for details about the layer production rules. + The differentiation between special and normal routing has been introduced in version 0.27. + """ + special_routing_suffix_str: str + r""" + Getter: + @hide + Setter: + @hide + """ + via_cellname_prefix: str + r""" + Getter: + @brief Gets the via cellname prefix. + Vias are represented by cells. The cell name is formed by combining the via cell name prefix and the via name. + + This property has been added in version 0.27. + + Setter: + @brief Sets the via cellname prefix. + See \via_cellname_prefix for details about this property. + + This property has been added in version 0.27. + """ + via_geometry_datatype: int + r""" + Getter: + @brief Gets the via geometry layer datatype value. + See \produce_via_geometry for details about this property. + + Setter: + @brief Sets the via geometry layer datatype value. + See \produce_via_geometry for details about this property. + """ + via_geometry_datatype_str: str + r""" + Getter: + @hide + Setter: + @hide + """ + via_geometry_suffix: str + r""" + Getter: + @brief Gets the via geometry layer name suffix. + See \produce_via_geometry for details about this property. + + Setter: + @brief Sets the via geometry layer name suffix. + See \produce_via_geometry for details about this property. + """ + via_geometry_suffix_str: str + r""" + Getter: + @hide + Setter: + @hide + """ + @classmethod + def new(cls) -> LEFDEFReaderConfiguration: + r""" + @brief Creates a new object of this class """ - def __copy__(self) -> RecursiveShapeIterator: + def __copy__(self) -> LEFDEFReaderConfiguration: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> RecursiveShapeIterator: + def __deepcopy__(self) -> LEFDEFReaderConfiguration: r""" @brief Creates a copy of self """ - def __eq__(self, other: object) -> bool: + def __init__(self) -> None: r""" - @brief Comparison of iterators - equality - - Two iterators are equal if they point to the same shape. + @brief Creates a new object of this class """ - @overload - def __init__(self, layout: Layout, cell: Cell, layer: int) -> None: + def _create(self) -> None: r""" - @brief Creates a recursive, single-layer shape iterator. - @param layout The layout which shall be iterated - @param cell The initial cell which shall be iterated (including its children) - @param layer The layer (index) from which the shapes are taken + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layer given by the layer index in the "layer" parameter. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This constructor has been introduced in version 0.23. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def __init__(self, layout: Layout, cell: Cell, layers: Sequence[int]) -> None: + def assign(self, other: LEFDEFReaderConfiguration) -> None: r""" - @brief Creates a recursive, multi-layer shape iterator. - @param layout The layout which shall be iterated - @param cell The initial cell which shall be iterated (including its children) - @param layers The layer indexes from which the shapes are taken + @brief Assigns another object to self + """ + def clear_fill_datatypes_per_mask(self) -> None: + r""" + @brief Clears the fill layer datatypes per mask. + See \produce_via_geometry for details about this property. - This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layers given by the layer indexes in the "layers" parameter. - While iterating use the \layer method to retrieve the layer of the current shape. - This constructor has been introduced in version 0.23. + Mask specific rules have been introduced in version 0.27. """ - @overload - def __init__(self, layout: Layout, cell: Cell, layer: int, box: Box, overlapping: Optional[bool] = ...) -> None: + def clear_fills_suffixes_per_mask(self) -> None: r""" - @brief Creates a recursive, single-layer shape iterator with a region. - @param layout The layout which shall be iterated - @param cell The initial cell which shall be iterated (including its children) - @param layer The layer (index) from which the shapes are taken - @param box The search region - @param overlapping If set to true, shapes overlapping the search region are reported, otherwise touching is sufficient - - This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layer given by the layer index in the "layer" parameter. + @brief Clears the fill layer name suffix per mask. + See \produce_via_geometry for details about this property. - The search is confined to the region given by the "box" parameter. If "overlapping" is true, shapes whose bounding box is overlapping the search region are reported. If "overlapping" is false, shapes whose bounding box touches the search region are reported. - This constructor has been introduced in version 0.23. The 'overlapping' parameter has been made optional in version 0.27. + Mask specific rules have been introduced in version 0.27. """ - @overload - def __init__(self, layout: Layout, cell: Cell, layer: int, region: Region, overlapping: Optional[bool] = ...) -> None: + def clear_lef_pins_datatypes_per_mask(self) -> None: r""" - @brief Creates a recursive, single-layer shape iterator with a region. - @param layout The layout which shall be iterated - @param cell The initial cell which shall be iterated (including its children) - @param layer The layer (index) from which the shapes are taken - @param region The search region - @param overlapping If set to true, shapes overlapping the search region are reported, otherwise touching is sufficient - - This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layer given by the layer index in the "layer" parameter. + @brief Clears the LEF pin layer datatypes per mask. + See \produce_via_geometry for details about this property. - The search is confined to the region given by the "region" parameter. The region needs to be a rectilinear region. - If "overlapping" is true, shapes whose bounding box is overlapping the search region are reported. If "overlapping" is false, shapes whose bounding box touches the search region are reported. - This constructor has been introduced in version 0.25. The 'overlapping' parameter has been made optional in version 0.27. + Mask specific rules have been introduced in version 0.27. """ - @overload - def __init__(self, layout: Layout, cell: Cell, layers: Sequence[int], box: Box, overlapping: Optional[bool] = ...) -> None: + def clear_lef_pins_suffixes_per_mask(self) -> None: r""" - @brief Creates a recursive, multi-layer shape iterator with a region. - @param layout The layout which shall be iterated - @param cell The initial cell which shall be iterated (including its children) - @param layers The layer indexes from which the shapes are taken - @param box The search region - @param overlapping If set to true, shapes overlapping the search region are reported, otherwise touching is sufficient - - This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layers given by the layer indexes in the "layers" parameter. - While iterating use the \layer method to retrieve the layer of the current shape. + @brief Clears the LEF pin layer name suffix per mask. + See \produce_via_geometry for details about this property. - The search is confined to the region given by the "box" parameter. If "overlapping" is true, shapes whose bounding box is overlapping the search region are reported. If "overlapping" is false, shapes whose bounding box touches the search region are reported. - This constructor has been introduced in version 0.23. The 'overlapping' parameter has been made optional in version 0.27. + Mask specific rules have been introduced in version 0.27. """ - @overload - def __init__(self, layout: Layout, cell: Cell, layers: Sequence[int], region: Region, overlapping: Optional[bool] = ...) -> None: + def clear_pin_datatypes_per_mask(self) -> None: r""" - @brief Creates a recursive, multi-layer shape iterator with a region. - @param layout The layout which shall be iterated - @param cell The initial cell which shall be iterated (including its children) - @param layers The layer indexes from which the shapes are taken - @param region The search region - @param overlapping If set to true, shapes overlapping the search region are reported, otherwise touching is sufficient - - This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layers given by the layer indexes in the "layers" parameter. - While iterating use the \layer method to retrieve the layer of the current shape. + @brief Clears the pin layer datatypes per mask. + See \produce_via_geometry for details about this property. - The search is confined to the region given by the "region" parameter. The region needs to be a rectilinear region. - If "overlapping" is true, shapes whose bounding box is overlapping the search region are reported. If "overlapping" is false, shapes whose bounding box touches the search region are reported. - This constructor has been introduced in version 0.23. The 'overlapping' parameter has been made optional in version 0.27. + Mask specific rules have been introduced in version 0.27. """ - def __iter__(self) -> Iterator[RecursiveShapeIterator]: + def clear_pins_suffixes_per_mask(self) -> None: r""" - @brief Native iteration - This method enables native iteration, e.g. - - @code - iter = ... # RecursiveShapeIterator - iter.each do |i| - ... i is the iterator itself - end - @/code + @brief Clears the pin layer name suffix per mask. + See \produce_via_geometry for details about this property. - This is slightly more convenient than the 'at_end' .. 'next' loop. - This feature has been introduced in version 0.28. + Mask specific rules have been introduced in version 0.27. """ - def __ne__(self, other: object) -> bool: + def clear_routing_datatypes_per_mask(self) -> None: r""" - @brief Comparison of iterators - inequality + @brief Clears the routing layer datatypes per mask. + See \produce_via_geometry for details about this property. - Two iterators are not equal if they do not point to the same shape. - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - Usually it's not required to call this method. It has been introduced in version 0.24. + Mask specific rules have been introduced in version 0.27. """ - def _unmanage(self) -> None: + def clear_routing_suffixes_per_mask(self) -> None: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Clears the routing layer name suffix per mask. + See \produce_via_geometry for details about this property. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def always_apply_dtrans(self) -> DCplxTrans: - r""" - @brief Gets the global transformation if at top level, unity otherwise (micrometer-unit version) - As the global transformation is only applicable on top level, use this method to transform shapes and instances into their local (cell-level) version while considering the global transformation properly. - This method has been introduced in version 0.27. + Mask specific rules have been introduced in version 0.27. """ - def always_apply_trans(self) -> ICplxTrans: + def clear_special_routing_datatypes_per_mask(self) -> None: r""" - @brief Gets the global transformation if at top level, unity otherwise - As the global transformation is only applicable on top level, use this method to transform shapes and instances into their local (cell-level) version while considering the global transformation properly. + @brief Clears the special routing layer datatypes per mask. + See \produce_via_geometry for details about this property. - This method has been introduced in version 0.27. - """ - def assign(self, other: RecursiveShapeIterator) -> None: - r""" - @brief Assigns another object to self - """ - def at_end(self) -> bool: - r""" - @brief End of iterator predicate - Returns true, if the iterator is at the end of the sequence + Mask specific rules have been introduced in version 0.27. """ - def cell(self) -> Cell: + def clear_special_routing_suffixes_per_mask(self) -> None: r""" - @brief Gets the current cell's object + @brief Clears the special routing layer name suffix per mask. + See \produce_via_geometry for details about this property. - This method has been introduced in version 0.23. - """ - def cell_index(self) -> int: - r""" - @brief Gets the current cell's index - """ - def complex_region(self) -> Region: - r""" - @brief Gets the complex region that this iterator is using - The complex region is the effective region (a \Region object) that the iterator is selecting from the layout layers. This region can be a single box or a complex region. - This method has been introduced in version 0.25. + Mask specific rules have been introduced in version 0.27. """ - @overload - def confine_region(self, box_region: Box) -> None: + def clear_via_geometry_datatypes_per_mask(self) -> None: r""" - @brief Confines the region that this iterator is iterating over - This method is similar to setting the region (see \region=), but will confine any region (complex or simple) already set. Essentially it does a logical AND operation between the existing and given region. Hence this method can only reduce a region, not extend it. + @brief Clears the via geometry layer datatypes per mask. + See \produce_via_geometry for details about this property. - This method has been introduced in version 0.25. + + Mask specific rules have been introduced in version 0.27. """ - @overload - def confine_region(self, complex_region: Region) -> None: + def clear_via_geometry_suffixes_per_mask(self) -> None: r""" - @brief Confines the region that this iterator is iterating over - This method is similar to setting the region (see \region=), but will confine any region (complex or simple) already set. Essentially it does a logical AND operation between the existing and given region. Hence this method can only reduce a region, not extend it. + @brief Clears the via geometry layer name suffix per mask. + See \produce_via_geometry for details about this property. - This method has been introduced in version 0.25. + + Mask specific rules have been introduced in version 0.27. """ def create(self) -> None: r""" @@ -25528,33 +24808,16 @@ class RecursiveShapeIterator: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dtrans(self) -> DCplxTrans: - r""" - @brief Gets the transformation into the initial cell applicable for floating point types - - This transformation corresponds to the one delivered by \trans, but is applicable for the floating-point shape types in micron unit space. - - This method has been introduced in version 0.25.3. - """ - def dup(self) -> RecursiveShapeIterator: + def dup(self) -> LEFDEFReaderConfiguration: r""" @brief Creates a copy of self """ - def each(self) -> Iterator[RecursiveShapeIterator]: + def fills_suffix_per_mask(self, mask: int) -> str: r""" - @brief Native iteration - This method enables native iteration, e.g. - - @code - iter = ... # RecursiveShapeIterator - iter.each do |i| - ... i is the iterator itself - end - @/code - - This is slightly more convenient than the 'at_end' .. 'next' loop. + @brief Gets the fill geometry layer name suffix per mask. + See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - This feature has been introduced in version 0.28. + Mask specific rules have been introduced in version 0.27. """ def is_const_object(self) -> bool: r""" @@ -25562,1075 +24825,801 @@ class RecursiveShapeIterator: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def itrans(self) -> ICplxTrans: + def lef_pins_suffix_per_mask(self, mask: int) -> str: r""" - @brief Gets the current transformation by which the shapes must be transformed into the initial cell - - The shapes delivered are not transformed. Instead, this transformation must be applied to - get the shape in the coordinate system of the top cell. + @brief Gets the LEF pin geometry layer name suffix per mask. + See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - Starting with version 0.25, this transformation is a int-to-int transformation the 'itrans' method which was providing this transformation before is deprecated. + Mask specific rules have been introduced in version 0.27. """ - def layer(self) -> int: + def pins_suffix_per_mask(self, mask: int) -> str: r""" - @brief Returns the layer index where the current shape is coming from. + @brief Gets the pin geometry layer name suffix per mask. + See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - This method has been introduced in version 0.23. + Mask specific rules have been introduced in version 0.27. """ - def layout(self) -> Layout: + def routing_suffix_per_mask(self, mask: int) -> str: r""" - @brief Gets the layout this iterator is connected to + @brief Gets the routing geometry layer name suffix per mask. + See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - This method has been introduced in version 0.23. + Mask specific rules have been introduced in version 0.27. """ - def next(self) -> None: + def set_fills_datatype_per_mask(self, mask: int, datatype: int) -> None: r""" - @brief Increments the iterator - This moves the iterator to the next shape inside the search scope. + @brief Sets the fill geometry layer datatype value. + See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). + + Mask specific rules have been introduced in version 0.27. """ - def path(self) -> List[InstElement]: + def set_fills_suffix_per_mask(self, mask: int, suffix: str) -> None: r""" - @brief Gets the instantiation path of the shape addressed currently - - This attribute is a sequence of \InstElement objects describing the cell instance path from the initial cell to the current cell containing the current shape. + @brief Sets the fill geometry layer name suffix per mask. + See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - This method has been introduced in version 0.25. + Mask specific rules have been introduced in version 0.27. """ - def reset(self) -> None: + def set_lef_pins_datatype_per_mask(self, mask: int, datatype: int) -> None: r""" - @brief Resets the iterator to the initial state + @brief Sets the LEF pin geometry layer datatype value. + See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - This method has been introduced in version 0.23. + Mask specific rules have been introduced in version 0.27. """ - def reset_selection(self) -> None: + def set_lef_pins_suffix_per_mask(self, mask: int, suffix: str) -> None: r""" - @brief Resets the selection to the default state - - In the initial state, the top cell and its children are selected. Child cells can be switched on and off together with their sub-hierarchy using \select_cells and \unselect_cells. - - This method will also reset the iterator. + @brief Sets the LEF pin geometry layer name suffix per mask. + See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - This method has been introduced in version 0.23. + Mask specific rules have been introduced in version 0.27. """ - def select_all_cells(self) -> None: + def set_pins_datatype_per_mask(self, mask: int, datatype: int) -> None: r""" - @brief Selects all cells. - - This method will set the "selected" mark on all cells. The effect is that subsequent calls of \unselect_cells will unselect only the specified cells, not their children, because they are still unselected. - - This method will also reset the iterator. + @brief Sets the pin geometry layer datatype value. + See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - This method has been introduced in version 0.23. + Mask specific rules have been introduced in version 0.27. """ - @overload - def select_cells(self, cells: Sequence[int]) -> None: + def set_pins_suffix_per_mask(self, mask: int, suffix: str) -> None: r""" - @brief Unselects the given cells. - - This method will sets the "selected" mark on the given cells. That means that these cells or their child cells are visited, unless they are marked as "unselected" again with the \unselect_cells method. - - The cells are given as a list of cell indexes. - - This method will also reset the iterator. + @brief Sets the pin geometry layer name suffix per mask. + See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - This method has been introduced in version 0.23. + Mask specific rules have been introduced in version 0.27. """ - @overload - def select_cells(self, cells: str) -> None: + def set_routing_datatype_per_mask(self, mask: int, datatype: int) -> None: r""" - @brief Unselects the given cells. - - This method will sets the "selected" mark on the given cells. That means that these cells or their child cells are visited, unless they are marked as "unselected" again with the \unselect_cells method. - - The cells are given as a glob pattern. - A glob pattern follows the syntax of file names on the shell (i.e. "A*" are all cells starting with a letter "A"). - - This method will also reset the iterator. + @brief Sets the routing geometry layer datatype value. + See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - This method has been introduced in version 0.23. + Mask specific rules have been introduced in version 0.27. """ - def shape(self) -> Shape: + def set_routing_suffix_per_mask(self, mask: int, suffix: str) -> None: r""" - @brief Gets the current shape + @brief Sets the routing geometry layer name suffix per mask. + See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - Returns the shape currently referred to by the recursive iterator. - This shape is not transformed yet and is located in the current cell. + Mask specific rules have been introduced in version 0.27. """ - def top_cell(self) -> Cell: + def set_special_routing_datatype_per_mask(self, mask: int, datatype: int) -> None: r""" - @brief Gets the top cell this iterator is connected to + @brief Sets the special routing geometry layer datatype value. + See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - This method has been introduced in version 0.23. + Mask specific rules have been introduced in version 0.27. """ - def trans(self) -> ICplxTrans: + def set_special_routing_suffix_per_mask(self, mask: int, suffix: str) -> None: r""" - @brief Gets the current transformation by which the shapes must be transformed into the initial cell - - The shapes delivered are not transformed. Instead, this transformation must be applied to - get the shape in the coordinate system of the top cell. + @brief Sets the special routing geometry layer name suffix per mask. + See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - Starting with version 0.25, this transformation is a int-to-int transformation the 'itrans' method which was providing this transformation before is deprecated. + Mask specific rules have been introduced in version 0.27. """ - def unselect_all_cells(self) -> None: + def set_via_geometry_datatype_per_mask(self, mask: int, datatype: int) -> None: r""" - @brief Unselects all cells. - - This method will set the "unselected" mark on all cells. The effect is that subsequent calls of \select_cells will select only the specified cells, not their children, because they are still unselected. - - This method will also reset the iterator. + @brief Sets the via geometry layer datatype value. + See \produce_via_geometry for details about this property. + The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - This method has been introduced in version 0.23. + Mask specific rules have been introduced in version 0.27. """ - @overload - def unselect_cells(self, cells: Sequence[int]) -> None: + def set_via_geometry_suffix_per_mask(self, mask: int, suffix: str) -> None: r""" - @brief Unselects the given cells. - - This method will sets the "unselected" mark on the given cells. That means that these cells or their child cells will not be visited, unless they are marked as "selected" again with the \select_cells method. - - The cells are given as a list of cell indexes. - - This method will also reset the iterator. + @brief Sets the via geometry layer name suffix per mask. + See \produce_via_geometry for details about this property. + The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - This method has been introduced in version 0.23. + Mask specific rules have been introduced in version 0.27. """ - @overload - def unselect_cells(self, cells: str) -> None: + def special_routing_suffix_per_mask(self, mask: int) -> str: r""" - @brief Unselects the given cells. - - This method will sets the "unselected" mark on the given cells. That means that these cells or their child cells will not be visited, unless they are marked as "selected" again with the \select_cells method. - - The cells are given as a glob pattern. - A glob pattern follows the syntax of file names on the shell (i.e. "A*" are all cells starting with a letter "A"). + @brief Gets the special routing geometry layer name suffix per mask. + See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - This method will also reset the iterator. + Mask specific rules have been introduced in version 0.27. + """ + def via_geometry_suffix_per_mask(self, mask: int) -> str: + r""" + @brief Gets the via geometry layer name suffix per mask. + See \produce_via_geometry for details about this property. + The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - This method has been introduced in version 0.23. + Mask specific rules have been introduced in version 0.27. """ -class Region(ShapeCollection): +class LayerInfo: r""" - @brief A region (a potentially complex area consisting of multiple polygons) - + @brief A structure encapsulating the layer properties - This class was introduced to simplify operations on polygon sets like boolean or sizing operations. Regions consist of many polygons and thus are a generalization of single polygons which describes a single coherence set of points. Regions support a variety of operations and have several states. + The layer properties describe how a layer is stored in a GDS2 or OASIS file for example. The \LayerInfo object represents the storage properties that are attached to a layer in the database. - The region's state can be empty (does not contain anything) or box-like, i.e. the region consists of a single box. In that case, some operations can be simplified. Regions can have merged state. In merged state, regions consist of merged (non-touching, non-self overlapping) polygons. Each polygon describes one coherent area in merged state. + In general, a layer has either a layer and a datatype number (in GDS2), a name (for example in DXF or CIF) or both (in OASIS). In the latter case, the primary identification is through layer and datatype number and the name is some annotation attached to it. A \LayerInfo object which specifies just a name returns true on \is_named?. + The \LayerInfo object can also specify an anonymous layer (use \LayerInfo#new without arguments). Such a layer will not be stored when saving the layout. They can be employed for temporary layers for example. Use \LayerInfo#anonymous? to test whether a layer does not have a specification. - The preferred representation of polygons inside the region are polygons with holes. + The \LayerInfo is used for example in \Layout#insert_layer to specify the properties of the new layer that will be created. The \is_equivalent? method compares two \LayerInfo objects using the layer and datatype numbers with a higher priority over the name. + """ + datatype: int + r""" + Getter: + @brief Gets the datatype - Regions are always expressed in database units. If you want to use regions from different database unit domains, scale the regions accordingly, i.e. by using the \transformed method. + Setter: + @brief Set the datatype + """ + layer: int + r""" + Getter: + @brief Gets the layer number + Setter: + @brief Sets the layer number + """ + name: str + r""" + Getter: + @brief Gets the layer name - Regions provide convenient operators for the boolean operations. Hence it is often no longer required to work with the \EdgeProcessor class. For example: + Setter: + @brief Set the layer name + The name is set on OASIS input for example, if the layer has a name. + """ + @classmethod + def from_string(cls, s: str, as_target: Optional[bool] = ...) -> LayerInfo: + r""" + @brief Create a layer info object from a string + @param The string + @return The LayerInfo object - @code - r1 = RBA::Region::new(RBA::Box::new(0, 0, 100, 100)) - r2 = RBA::Region::new(RBA::Box::new(20, 20, 80, 80)) - # compute the XOR: - r1_xor_r2 = r1 ^ r2 - @/code + If 'as_target' is true, relative specifications such as '*+1' for layer or datatype are permitted. - Regions can be used in two different flavors: in raw mode or merged semantics. With merged semantics (the default), connected polygons are considered to belong together and are effectively merged. - Overlapping areas are counted once in that mode. Internal edges (i.e. arising from cut lines) are not considered. - In raw mode (without merged semantics), each polygon is considered as it is. Overlaps between polygons - may exists and merging has to be done explicitly using the \merge method. The semantics can be - selected using \merged_semantics=. + This method will take strings as produced by \to_s and create a \LayerInfo object from them. The format is either "layer", "layer/datatype", "name" or "name (layer/datatype)". + This method was added in version 0.23. + The 'as_target' argument has been added in version 0.26.5. + """ + @overload + @classmethod + def new(cls) -> LayerInfo: + r""" + @brief The default constructor. + Creates a default \LayerInfo object. - This class has been introduced in version 0.23. - """ - class Metrics: + This method was added in version 0.18. + """ + @overload + @classmethod + def new(cls, layer: int, datatype: int) -> LayerInfo: r""" - @brief This class represents the metrics type for \Region#width and related checks. + @brief The constructor for a layer/datatype pair. + Creates a \LayerInfo object representing a layer and datatype. + @param layer The layer number + @param datatype The datatype number - This enum has been introduced in version 0.27. + This method was added in version 0.18. """ - Euclidian: ClassVar[Region.Metrics] + @overload + @classmethod + def new(cls, layer: int, datatype: int, name: str) -> LayerInfo: r""" - @brief Specifies Euclidian metrics for the check functions - This value can be used for the metrics parameter in the check functions, i.e. \width_check. This value specifies Euclidian metrics, i.e. the distance between two points is measured by: + @brief The constructor for a named layer with layer and datatype. + Creates a \LayerInfo object representing a named layer with layer and datatype. + @param layer The layer number + @param datatype The datatype number + @param name The name - @code - d = sqrt(dx^2 + dy^2) - @/code + This method was added in version 0.18. + """ + @overload + @classmethod + def new(cls, name: str) -> LayerInfo: + r""" + @brief The constructor for a named layer. + Creates a \LayerInfo object representing a named layer. + @param name The name - All points within a circle with radius d around one point are considered to have a smaller distance than d. + This method was added in version 0.18. + """ + def __copy__(self) -> LayerInfo: + r""" + @brief Creates a copy of self """ - Projection: ClassVar[Region.Metrics] + def __deepcopy__(self) -> LayerInfo: r""" - @brief Specifies projected distance metrics for the check functions - This value can be used for the metrics parameter in the check functions, i.e. \width_check. This value specifies projected metrics, i.e. the distance is defined as the minimum distance measured perpendicular to one edge. That implies that the distance is defined only where two edges have a non-vanishing projection onto each other. + @brief Creates a copy of self """ - Square: ClassVar[Region.Metrics] + def __eq__(self, b: object) -> bool: r""" - @brief Specifies square metrics for the check functions - This value can be used for the metrics parameter in the check functions, i.e. \width_check. This value specifies square metrics, i.e. the distance between two points is measured by: + @brief Compares two layer info objects + @return True, if both are equal - @code - d = max(abs(dx), abs(dy)) - @/code + This method was added in version 0.18. + """ + def __hash__(self) -> int: + r""" + @brief Computes a hash value + Returns a hash value for the given layer info object. This method enables layer info objects as hash keys. - All points within a square with length 2*d around one point are considered to have a smaller distance than d in this metrics. + This method has been introduced in version 0.25. """ - @overload - @classmethod - def new(cls, i: int) -> Region.Metrics: - r""" - @brief Creates an enum from an integer value - """ - @overload - @classmethod - def new(cls, s: str) -> Region.Metrics: - r""" - @brief Creates an enum from a string value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares two enums - """ - @overload - def __init__(self, i: int) -> None: - r""" - @brief Creates an enum from an integer value - """ - @overload - def __init__(self, s: str) -> None: - r""" - @brief Creates an enum from a string value - """ - @overload - def __lt__(self, other: int) -> bool: - r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value - """ - @overload - def __lt__(self, other: Region.Metrics) -> bool: - r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares two enums for inequality - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer for inequality - """ - def __repr__(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def __str__(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - def inspect(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def to_i(self) -> int: - r""" - @brief Gets the integer value from the enum - """ - def to_s(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - class RectFilter: + @overload + def __init__(self) -> None: r""" - @brief This class represents the error filter mode on rectangles for \Region#separation and related checks. + @brief The default constructor. + Creates a default \LayerInfo object. - This enum has been introduced in version 0.27. + This method was added in version 0.18. """ - FourSidesAllowed: ClassVar[Region.RectFilter] + @overload + def __init__(self, layer: int, datatype: int) -> None: r""" - @brief Allow errors when on all sides + @brief The constructor for a layer/datatype pair. + Creates a \LayerInfo object representing a layer and datatype. + @param layer The layer number + @param datatype The datatype number + + This method was added in version 0.18. """ - NoRectFilter: ClassVar[Region.RectFilter] + @overload + def __init__(self, layer: int, datatype: int, name: str) -> None: r""" - @brief Specifies no filtering + @brief The constructor for a named layer with layer and datatype. + Creates a \LayerInfo object representing a named layer with layer and datatype. + @param layer The layer number + @param datatype The datatype number + @param name The name + + This method was added in version 0.18. """ - OneSideAllowed: ClassVar[Region.RectFilter] + @overload + def __init__(self, name: str) -> None: r""" - @brief Allow errors on one side + @brief The constructor for a named layer. + Creates a \LayerInfo object representing a named layer. + @param name The name + + This method was added in version 0.18. """ - ThreeSidesAllowed: ClassVar[Region.RectFilter] + def __ne__(self, b: object) -> bool: r""" - @brief Allow errors when on three sides + @brief Compares two layer info objects + @return True, if both are not equal + + This method was added in version 0.18. """ - TwoConnectedSidesAllowed: ClassVar[Region.RectFilter] + def __str__(self, as_target: Optional[bool] = ...) -> str: r""" - @brief Allow errors on two sides ("L" configuration) + @brief Convert the layer info object to a string + @return The string + + If 'as_target' is true, wildcard and relative specifications are formatted such such. + + This method was added in version 0.18. + The 'as_target' argument has been added in version 0.26.5. """ - TwoOppositeSidesAllowed: ClassVar[Region.RectFilter] + def _create(self) -> None: r""" - @brief Allow errors on two opposite sides + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - TwoSidesAllowed: ClassVar[Region.RectFilter] + def _destroy(self) -> None: r""" - @brief Allow errors on two sides (not specified which) + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - @classmethod - def new(cls, i: int) -> Region.RectFilter: - r""" - @brief Creates an enum from an integer value - """ - @overload - @classmethod - def new(cls, s: str) -> Region.RectFilter: - r""" - @brief Creates an enum from a string value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares two enums - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer value - """ - @overload - def __init__(self, i: int) -> None: - r""" - @brief Creates an enum from an integer value - """ - @overload - def __init__(self, s: str) -> None: - r""" - @brief Creates an enum from a string value - """ - @overload - def __lt__(self, other: int) -> bool: - r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value - """ - @overload - def __lt__(self, other: Region.RectFilter) -> bool: - r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer for inequality - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares two enums for inequality - """ - def __repr__(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def __str__(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - def inspect(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def to_i(self) -> int: - r""" - @brief Gets the integer value from the enum - """ - def to_s(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - class OppositeFilter: + def _destroyed(self) -> bool: r""" - @brief This class represents the opposite error filter mode for \Region#separation and related checks. - - This enum has been introduced in version 0.27. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - NoOppositeFilter: ClassVar[Region.OppositeFilter] + def _is_const_object(self) -> bool: r""" - @brief No opposite filtering + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - NotOpposite: ClassVar[Region.OppositeFilter] + def _manage(self) -> None: r""" - @brief Only errors NOT appearing on opposite sides of a figure will be reported + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - OnlyOpposite: ClassVar[Region.OppositeFilter] + def _unmanage(self) -> None: r""" - @brief Only errors appearing on opposite sides of a figure will be reported - """ - @overload - @classmethod - def new(cls, i: int) -> Region.OppositeFilter: - r""" - @brief Creates an enum from an integer value - """ - @overload - @classmethod - def new(cls, s: str) -> Region.OppositeFilter: - r""" - @brief Creates an enum from a string value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares two enums - """ - @overload - def __init__(self, i: int) -> None: - r""" - @brief Creates an enum from an integer value - """ - @overload - def __init__(self, s: str) -> None: - r""" - @brief Creates an enum from a string value - """ - @overload - def __lt__(self, other: int) -> bool: - r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value - """ - @overload - def __lt__(self, other: Region.OppositeFilter) -> bool: - r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares two enums for inequality - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer for inequality - """ - def __repr__(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def __str__(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - def inspect(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def to_i(self) -> int: - r""" - @brief Gets the integer value from the enum - """ - def to_s(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - Euclidian: ClassVar[Region.Metrics] - r""" - @brief Specifies Euclidian metrics for the check functions - This value can be used for the metrics parameter in the check functions, i.e. \width_check. This value specifies Euclidian metrics, i.e. the distance between two points is measured by: - - @code - d = sqrt(dx^2 + dy^2) - @/code - - All points within a circle with radius d around one point are considered to have a smaller distance than d. - """ - FourSidesAllowed: ClassVar[Region.RectFilter] - r""" - @brief Allow errors when on all sides - """ - NoOppositeFilter: ClassVar[Region.OppositeFilter] - r""" - @brief No opposite filtering - """ - NoRectFilter: ClassVar[Region.RectFilter] - r""" - @brief Specifies no filtering - """ - NotOpposite: ClassVar[Region.OppositeFilter] - r""" - @brief Only errors NOT appearing on opposite sides of a figure will be reported - """ - OneSideAllowed: ClassVar[Region.RectFilter] - r""" - @brief Allow errors on one side - """ - OnlyOpposite: ClassVar[Region.OppositeFilter] - r""" - @brief Only errors appearing on opposite sides of a figure will be reported - """ - Projection: ClassVar[Region.Metrics] - r""" - @brief Specifies projected distance metrics for the check functions - This value can be used for the metrics parameter in the check functions, i.e. \width_check. This value specifies projected metrics, i.e. the distance is defined as the minimum distance measured perpendicular to one edge. That implies that the distance is defined only where two edges have a non-vanishing projection onto each other. - """ - Square: ClassVar[Region.Metrics] - r""" - @brief Specifies square metrics for the check functions - This value can be used for the metrics parameter in the check functions, i.e. \width_check. This value specifies square metrics, i.e. the distance between two points is measured by: - - @code - d = max(abs(dx), abs(dy)) - @/code - - All points within a square with length 2*d around one point are considered to have a smaller distance than d in this metrics. - """ - ThreeSidesAllowed: ClassVar[Region.RectFilter] - r""" - @brief Allow errors when on three sides - """ - TwoConnectedSidesAllowed: ClassVar[Region.RectFilter] - r""" - @brief Allow errors on two sides ("L" configuration) - """ - TwoOppositeSidesAllowed: ClassVar[Region.RectFilter] - r""" - @brief Allow errors on two opposite sides - """ - TwoSidesAllowed: ClassVar[Region.RectFilter] - r""" - @brief Allow errors on two sides (not specified which) - """ - base_verbosity: int - r""" - Getter: - @brief Gets the minimum verbosity for timing reports - See \base_verbosity= for details. - - This method has been introduced in version 0.26. - - Setter: - @brief Sets the minimum verbosity for timing reports - Timing reports will be given only if the verbosity is larger than this value. Detailed reports will be given when the verbosity is more than this value plus 10. - In binary operations, the base verbosity of the first argument is considered. - - This method has been introduced in version 0.26. - """ - merged_semantics: bool - r""" - Getter: - @brief Gets a flag indicating whether merged semantics is enabled - See \merged_semantics= for a description of this attribute. - - Setter: - @brief Enables or disables merged semantics - If merged semantics is enabled (the default), coherent polygons will be considered - as single regions and artificial edges such as cut-lines will not be considered. - Merged semantics thus is equivalent to considering coherent areas rather than - single polygons - """ - min_coherence: bool - r""" - Getter: - @brief Gets a flag indicating whether minimum coherence is selected - See \min_coherence= for a description of this attribute. - - Setter: - @brief Enable or disable minimum coherence - If minimum coherence is set, the merge operations (explicit merge with \merge or - implicit merge through merged_semantics) are performed using minimum coherence mode. - The coherence mode determines how kissing-corner situations are resolved. If - minimum coherence is selected, they are resolved such that multiple polygons are - created which touch at a corner). - - The default setting is maximum coherence (min_coherence = false). - """ - strict_handling: bool - r""" - Getter: - @brief Gets a flag indicating whether merged semantics is enabled - See \strict_handling= for a description of this attribute. - - This method has been introduced in version 0.23.2. - Setter: - @brief Enables or disables strict handling - - Strict handling means to leave away some optimizations. Specifically the - output of boolean operations will be merged even if one input is empty. - Without strict handling, the operation will be optimized and output - won't be merged. - - Strict handling is disabled by default and optimization is in place. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.23.2. - """ - @overload - @classmethod - def new(cls) -> Region: + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def anonymous(self) -> bool: r""" - @brief Default constructor + @brief Returns true, if the layer has no specification (i.e. is created by the default constructor). + @return True, if the layer does not have any specification. - This constructor creates an empty region. + This method was added in version 0.23. """ - @overload - @classmethod - def new(cls, array: Sequence[Polygon]) -> Region: + def assign(self, other: LayerInfo) -> None: r""" - @brief Constructor from a polygon array - - This constructor creates a region from an array of polygons. + @brief Assigns another object to self """ - @overload - @classmethod - def new(cls, box: Box) -> Region: + def create(self) -> None: r""" - @brief Box constructor - - This constructor creates a region from a box. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - @classmethod - def new(cls, path: Path) -> Region: + def destroy(self) -> None: r""" - @brief Path constructor - - This constructor creates a region from a path. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - @classmethod - def new(cls, polygon: Polygon) -> Region: + def destroyed(self) -> bool: r""" - @brief Polygon constructor - - This constructor creates a region from a polygon. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - @classmethod - def new(cls, polygon: SimplePolygon) -> Region: + def dup(self) -> LayerInfo: r""" - @brief Simple polygon constructor - - This constructor creates a region from a simple polygon. + @brief Creates a copy of self """ - @overload - @classmethod - def new(cls, shape_iterator: RecursiveShapeIterator) -> Region: + def hash(self) -> int: r""" - @brief Constructor from a hierarchical shape set - - This constructor creates a region from the shapes delivered by the given recursive shape iterator. - Text objects and edges are not inserted, because they cannot be converted to polygons. - This method allows feeding the shapes from a hierarchy of cells into the region. + @brief Computes a hash value + Returns a hash value for the given layer info object. This method enables layer info objects as hash keys. - @code - layout = ... # a layout - cell = ... # the index of the initial cell - layer = ... # the index of the layer from where to take the shapes from - r = RBA::Region::new(layout.begin_shapes(cell, layer)) - @/code + This method has been introduced in version 0.25. """ - @overload - @classmethod - def new(cls, shapes: Shapes) -> Region: + def is_const_object(self) -> bool: r""" - @brief Shapes constructor - - This constructor creates a region from a \Shapes collection. - - This constructor has been introduced in version 0.25. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - @classmethod - def new(cls, shape_iterator: RecursiveShapeIterator, trans: ICplxTrans) -> Region: + def is_equivalent(self, b: LayerInfo) -> bool: r""" - @brief Constructor from a hierarchical shape set with a transformation + @brief Equivalence of two layer info objects + @return True, if both are equivalent - This constructor creates a region from the shapes delivered by the given recursive shape iterator. - Text objects and edges are not inserted, because they cannot be converted to polygons. - On the delivered shapes it applies the given transformation. - This method allows feeding the shapes from a hierarchy of cells into the region. - The transformation is useful to scale to a specific database unit for example. + First, layer and datatype are compared. The name is of second order and used only if no layer or datatype is given. + This is basically a weak comparison that reflects the search preferences. - @code - layout = ... # a layout - cell = ... # the index of the initial cell - layer = ... # the index of the layer from where to take the shapes from - dbu = 0.1 # the target database unit - r = RBA::Region::new(layout.begin_shapes(cell, layer), RBA::ICplxTrans::new(layout.dbu / dbu)) - @/code + This method was added in version 0.18. """ - @overload - @classmethod - def new(cls, shape_iterator: RecursiveShapeIterator, deep_shape_store: DeepShapeStore, area_ratio: Optional[float] = ..., max_vertex_count: Optional[int] = ...) -> Region: + def is_named(self) -> bool: r""" - @brief Constructor for a deep region from a hierarchical shape set - - This constructor creates a hierarchical region. Use a \DeepShapeStore object to supply the hierarchical heap. See \DeepShapeStore for more details. + @brief Returns true, if the layer is purely specified by name. + @return True, if no layer or datatype is given. - 'area_ratio' and 'max_vertex' supply two optimization parameters which control how big polygons are split to reduce the region's polygon complexity. + This method was added in version 0.18. + """ + def to_s(self, as_target: Optional[bool] = ...) -> str: + r""" + @brief Convert the layer info object to a string + @return The string - @param shape_iterator The recursive shape iterator which delivers the hierarchy to take - @param deep_shape_store The hierarchical heap (see there) - @param area_ratio The maximum ratio of bounding box to polygon area before polygons are split + If 'as_target' is true, wildcard and relative specifications are formatted such such. - This method has been introduced in version 0.26. + This method was added in version 0.18. + The 'as_target' argument has been added in version 0.26.5. """ - @overload - @classmethod - def new(cls, shape_iterator: RecursiveShapeIterator, expr: str, as_pattern: Optional[bool] = ..., enl: Optional[int] = ...) -> Region: - r""" - @brief Constructor from a text set - @param shape_iterator The iterator from which to derive the texts - @param expr The selection string - @param as_pattern If true, the selection string is treated as a glob pattern. Otherwise the match is exact. - @param enl The per-side enlargement of the box to mark the text (1 gives a 2x2 DBU box) - This special constructor will create a region from the text objects delivered by the shape iterator. Each text object will give a small (non-empty) box that represents the text origin. - Texts can be selected by their strings - either through a glob pattern or by exact comparison with the given string. The following options are available: +class LayerMap: + r""" + @brief An object representing an arbitrary mapping of physical layers to logical layers - @code - region = RBA::Region::new(iter, "*") # all texts - region = RBA::Region::new(iter, "A*") # all texts starting with an 'A' - region = RBA::Region::new(iter, "A*", false) # all texts exactly matching 'A*' - @/code + "Physical" layers are stream layers or other separated layers in a CAD file. "Logical" layers are the layers present in a \Layout object. Logical layers are represented by an integer index while physical layers are given by a layer and datatype number or name. A logical layer is created automatically in the layout on reading if it does not exist yet. - This method has been introduced in version 0.25. The enlargement parameter has been added in version 0.26. - """ - @overload - @classmethod - def new(cls, shape_iterator: RecursiveShapeIterator, deep_shape_store: DeepShapeStore, trans: ICplxTrans, area_ratio: Optional[float] = ..., max_vertex_count: Optional[int] = ...) -> Region: - r""" - @brief Constructor for a deep region from a hierarchical shape set + The mapping describes an association of a set of physical layers to a set of logical ones, where multiple + physical layers can be mapped to a single logical one, which effectively merges the layers. - This constructor creates a hierarchical region. Use a \DeepShapeStore object to supply the hierarchical heap. See \DeepShapeStore for more details. + For each logical layer, a target layer can be specified. A target layer is the layer/datatype/name combination + as which the logical layer appears in the layout. By using a target layer different from the source layer + renaming a layer can be achieved while loading a layout. Another use case for that feature is to assign + layer names to GDS layer/datatype combinations which are numerical only. - 'area_ratio' and 'max_vertex' supply two optimization parameters which control how big polygons are split to reduce the region's polygon complexity. + LayerMap objects are used in two ways: as input for the reader (inside a \LoadLayoutOptions class) and + as output from the reader (i.e. Layout::read method). For layer map objects used as input, the layer indexes + (logical layers) can be consecutive numbers. They do not need to correspond with real layer indexes from + a layout object. When used as output, the layer map's logical layers correspond to the layer indexes inside + the layout that the layer map was used upon. - The transformation is useful to scale to a specific database unit for example. + This is a sample how to use the LayerMap object. It maps all datatypes of layers 1, 2 and 3 to datatype 0 and + assigns the names 'ONE', 'TWO' and 'THREE' to these layout layers: - @param shape_iterator The recursive shape iterator which delivers the hierarchy to take - @param deep_shape_store The hierarchical heap (see there) - @param area_ratio The maximum ratio of bounding box to polygon area before polygons are split - @param trans The transformation to apply when storing the layout data + @codelm = RBA::LayerMap::new + lm.map("1/0-255 : ONE (1/0)") + lm.map("2/0-255 : TWO (2/0)") + lm.map("3/0-255 : THREE (3/0)") - This method has been introduced in version 0.26. - """ - @overload - @classmethod - def new(cls, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, expr: str, as_pattern: Optional[bool] = ..., enl: Optional[int] = ...) -> Region: - r""" - @brief Constructor from a text set + # read the layout using the layer map + lo = RBA::LoadLayoutOptions::new + lo.layer_map.assign(lm) + ly = RBA::Layout::new + ly.read("input.gds", lo) + @/code - @param shape_iterator The iterator from which to derive the texts - @param dss The \DeepShapeStore object that acts as a heap for hierarchical operations. - @param expr The selection string - @param as_pattern If true, the selection string is treated as a glob pattern. Otherwise the match is exact. - @param enl The per-side enlargement of the box to mark the text (1 gives a 2x2 DBU box) - This special constructor will create a deep region from the text objects delivered by the shape iterator. Each text object will give a small (non-empty) box that represents the text origin. - Texts can be selected by their strings - either through a glob pattern or by exact comparison with the given string. The following options are available: + 1:n mapping is supported: a physical layer can be mapped to multiple logical layers using 'mmap' instead of 'map'. When using this variant, mapping acts additive. + The following example will map layer 1, datatypes 0 to 255 to logical layer 0, and layer 1, datatype 17 to logical layers 0 plus 1: + @codelm = RBA::LayerMap::new + lm.map("1/0-255", 0) # (can be 'mmap' too) + lm.mmap("1/17", 1) + @/code - @code - region = RBA::Region::new(iter, dss, "*") # all texts - region = RBA::Region::new(iter, dss, "A*") # all texts starting with an 'A' - region = RBA::Region::new(iter, dss, "A*", false) # all texts exactly matching 'A*' - @/code + 'unmapping' allows removing a mapping. This allows creating 'holes' in mapping ranges. The following example maps layer 1, datatypes 0 to 16 and 18 to 255 to logical layer 0: + @codelm = RBA::LayerMap::new + lm.map("1/0-255", 0) + lm.unmap("1/17") + @/code - This variant has been introduced in version 0.26. - """ - def __add__(self, other: Region) -> Region: + The LayerMap class has been introduced in version 0.18. Target layer have been introduced in version 0.20. 1:n mapping and unmapping has been introduced in version 0.27. + """ + @classmethod + def from_string(cls, arg0: str) -> LayerMap: r""" - @brief Returns the combined region of self and the other region - - @return The resulting region + @brief Creates a layer map from the given string + The format of the string is that used in layer mapping files: one mapping entry per line, comments are allowed using '#' or '//'. The format of each line is that used in the 'map(string, index)' method. - This operator adds the polygons of the other region to self and returns a new combined region. This usually creates unmerged regions and polygons may overlap. Use \merge if you want to ensure the result region is merged. + This method has been introduced in version 0.23. """ - def __and__(self, other: Region) -> Region: + @classmethod + def new(cls) -> LayerMap: r""" - @brief Returns the boolean AND between self and the other region - - @return The result of the boolean AND operation - - This method will compute the boolean AND (intersection) between two regions. The result is often but not necessarily always merged. + @brief Creates a new object of this class """ - def __copy__(self) -> Region: + def __copy__(self) -> LayerMap: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> Region: + def __deepcopy__(self) -> LayerMap: r""" @brief Creates a copy of self """ - def __getitem__(self, n: int) -> Polygon: + def __init__(self) -> None: r""" - @brief Returns the nth polygon of the region - - This method returns nil if the index is out of range. It is available for flat regions only - i.e. those for which \has_valid_polygons? is true. Use \flatten to explicitly flatten a region. - This method returns the raw polygon (not merged polygons, even if merged semantics is enabled). - - The \each iterator is the more general approach to access the polygons. + @brief Creates a new object of this class """ - def __iadd__(self, other: Region) -> Region: + def _create(self) -> None: r""" - @brief Adds the polygons of the other region to self - - @return The region after modification (self) - - This operator adds the polygons of the other region to self. This usually creates unmerged regions and polygons may overlap. Use \merge if you want to ensure the result region is merged. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def __iand__(self, other: Region) -> Region: + def _destroy(self) -> None: r""" - @brief Performs the boolean AND between self and the other region - - @return The region after modification (self) - - This method will compute the boolean AND (intersection) between two regions. The result is often but not necessarily always merged. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def __init__(self) -> None: + def _destroyed(self) -> bool: r""" - @brief Default constructor - - This constructor creates an empty region. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def __init__(self, array: Sequence[Polygon]) -> None: + def _is_const_object(self) -> bool: r""" - @brief Constructor from a polygon array - - This constructor creates a region from an array of polygons. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def __init__(self, box: Box) -> None: + def _manage(self) -> None: r""" - @brief Box constructor + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This constructor creates a region from a box. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def __init__(self, path: Path) -> None: + def _unmanage(self) -> None: r""" - @brief Path constructor + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This constructor creates a region from a path. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def __init__(self, polygon: Polygon) -> None: + def assign(self, other: LayerMap) -> None: r""" - @brief Polygon constructor - - This constructor creates a region from a polygon. + @brief Assigns another object to self """ - @overload - def __init__(self, polygon: SimplePolygon) -> None: + def clear(self) -> None: r""" - @brief Simple polygon constructor - - This constructor creates a region from a simple polygon. + @brief Clears the map """ - @overload - def __init__(self, shape_iterator: RecursiveShapeIterator) -> None: + def create(self) -> None: r""" - @brief Constructor from a hierarchical shape set - - This constructor creates a region from the shapes delivered by the given recursive shape iterator. - Text objects and edges are not inserted, because they cannot be converted to polygons. - This method allows feeding the shapes from a hierarchy of cells into the region. - - @code - layout = ... # a layout - cell = ... # the index of the initial cell - layer = ... # the index of the layer from where to take the shapes from - r = RBA::Region::new(layout.begin_shapes(cell, layer)) - @/code + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def __init__(self, shapes: Shapes) -> None: + def destroy(self) -> None: r""" - @brief Shapes constructor - - This constructor creates a region from a \Shapes collection. - - This constructor has been introduced in version 0.25. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def __init__(self, shape_iterator: RecursiveShapeIterator, trans: ICplxTrans) -> None: + def destroyed(self) -> bool: r""" - @brief Constructor from a hierarchical shape set with a transformation - - This constructor creates a region from the shapes delivered by the given recursive shape iterator. - Text objects and edges are not inserted, because they cannot be converted to polygons. - On the delivered shapes it applies the given transformation. - This method allows feeding the shapes from a hierarchy of cells into the region. - The transformation is useful to scale to a specific database unit for example. - - @code - layout = ... # a layout - cell = ... # the index of the initial cell - layer = ... # the index of the layer from where to take the shapes from - dbu = 0.1 # the target database unit - r = RBA::Region::new(layout.begin_shapes(cell, layer), RBA::ICplxTrans::new(layout.dbu / dbu)) - @/code + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> LayerMap: + r""" + @brief Creates a copy of self + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def is_mapped(self, layer: LayerInfo) -> bool: + r""" + @brief Check, if a given physical layer is mapped + @param layer The physical layer specified with an \LayerInfo object. + @return True, if the layer is mapped. + """ + def logical(self, layer: LayerInfo) -> int: + r""" + @brief Returns the logical layer (the layer index in the layout object) for a given physical layer.n@param layer The physical layer specified with an \LayerInfo object. + @return The logical layer index or -1 if the layer is not mapped. + This method is deprecated with version 0.27 as in this version, layers can be mapped to multiple targets which this method can't capture. Use \logicals instead. + """ + def logicals(self, layer: LayerInfo) -> List[int]: + r""" + @brief Returns the logical layers for a given physical layer.n@param layer The physical layer specified with an \LayerInfo object. + @return This list of logical layers this physical layer as mapped to or empty if there is no mapping. + This method has been introduced in version 0.27. """ @overload - def __init__(self, shape_iterator: RecursiveShapeIterator, deep_shape_store: DeepShapeStore, area_ratio: Optional[float] = ..., max_vertex_count: Optional[int] = ...) -> None: + def map(self, map_expr: str, log_layer: Optional[int] = ...) -> None: r""" - @brief Constructor for a deep region from a hierarchical shape set + @brief Maps a physical layer given by a string to a logical one + @param map_expr The string describing the physical layer to map. + @param log_layer The logical layer to which the physical layers are mapped. - This constructor creates a hierarchical region. Use a \DeepShapeStore object to supply the hierarchical heap. See \DeepShapeStore for more details. + The string expression is constructed using the syntax: + "list[/list][;..]" for layer/datatype pairs. "list" is a + sequence of numbers, separated by comma values or a range + separated by a hyphen. Examples are: "1/2", "1-5/0", "1,2,5/0", + "1/5;5/6". - 'area_ratio' and 'max_vertex' supply two optimization parameters which control how big polygons are split to reduce the region's polygon complexity. + layer/datatype wildcards can be specified with "*". When "*" is used + for the upper limit, it is equivalent to "all layer above". When used + alone, it is equivalent to "all layers". Examples: "1 / *", "* / 10-*" - @param shape_iterator The recursive shape iterator which delivers the hierarchy to take - @param deep_shape_store The hierarchical heap (see there) - @param area_ratio The maximum ratio of bounding box to polygon area before polygons are split + Named layers are specified simply by specifying the name, if + necessary in single or double quotes (if the name begins with a digit or + contains non-word characters). layer/datatype and name descriptions can + be mixed, i.e. "AA;1/5" (meaning: name "AA" or layer 1/datatype 5). - This method has been introduced in version 0.26. - """ - @overload - def __init__(self, shape_iterator: RecursiveShapeIterator, expr: str, as_pattern: Optional[bool] = ..., enl: Optional[int] = ...) -> None: - r""" - @brief Constructor from a text set + A target layer can be specified with the ":" notation, where + target is a valid string for a LayerProperties() object. - @param shape_iterator The iterator from which to derive the texts - @param expr The selection string - @param as_pattern If true, the selection string is treated as a glob pattern. Otherwise the match is exact. - @param enl The per-side enlargement of the box to mark the text (1 gives a 2x2 DBU box) - This special constructor will create a region from the text objects delivered by the shape iterator. Each text object will give a small (non-empty) box that represents the text origin. - Texts can be selected by their strings - either through a glob pattern or by exact comparison with the given string. The following options are available: + A target can include relative layer/datatype specifications and wildcards. + For example, "1-10/0: *+1/0" will add 1 to the original layer number. + "1-10/0-50: * / *" will use the original layers. - @code - region = RBA::Region::new(iter, "*") # all texts - region = RBA::Region::new(iter, "A*") # all texts starting with an 'A' - region = RBA::Region::new(iter, "A*", false) # all texts exactly matching 'A*' - @/code + If the logical layer is negative or omitted, the method will select the next available one. - This method has been introduced in version 0.25. The enlargement parameter has been added in version 0.26. + Target mapping has been added in version 0.20. The logical layer is optional since version 0.28. """ @overload - def __init__(self, shape_iterator: RecursiveShapeIterator, deep_shape_store: DeepShapeStore, trans: ICplxTrans, area_ratio: Optional[float] = ..., max_vertex_count: Optional[int] = ...) -> None: + def map(self, phys_layer: LayerInfo, log_layer: int) -> None: r""" - @brief Constructor for a deep region from a hierarchical shape set - - This constructor creates a hierarchical region. Use a \DeepShapeStore object to supply the hierarchical heap. See \DeepShapeStore for more details. - - 'area_ratio' and 'max_vertex' supply two optimization parameters which control how big polygons are split to reduce the region's polygon complexity. - - The transformation is useful to scale to a specific database unit for example. - - @param shape_iterator The recursive shape iterator which delivers the hierarchy to take - @param deep_shape_store The hierarchical heap (see there) - @param area_ratio The maximum ratio of bounding box to polygon area before polygons are split - @param trans The transformation to apply when storing the layout data + @brief Maps a physical layer to a logical one + @param phys_layer The physical layer (a \LayerInfo object). + @param log_layer The logical layer to which the physical layer is mapped. - This method has been introduced in version 0.26. + In general, there may be more than one physical layer mapped + to one logical layer. This method will add the given physical layer to the mapping for the logical layer. """ @overload - def __init__(self, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, expr: str, as_pattern: Optional[bool] = ..., enl: Optional[int] = ...) -> None: + def map(self, phys_layer: LayerInfo, log_layer: int, target_layer: LayerInfo) -> None: r""" - @brief Constructor from a text set - - @param shape_iterator The iterator from which to derive the texts - @param dss The \DeepShapeStore object that acts as a heap for hierarchical operations. - @param expr The selection string - @param as_pattern If true, the selection string is treated as a glob pattern. Otherwise the match is exact. - @param enl The per-side enlargement of the box to mark the text (1 gives a 2x2 DBU box) - This special constructor will create a deep region from the text objects delivered by the shape iterator. Each text object will give a small (non-empty) box that represents the text origin. - Texts can be selected by their strings - either through a glob pattern or by exact comparison with the given string. The following options are available: + @brief Maps a physical layer to a logical one with a target layer + @param phys_layer The physical layer (a \LayerInfo object). + @param log_layer The logical layer to which the physical layer is mapped. + @param target_layer The properties of the layer that will be created unless it already exists. - @code - region = RBA::Region::new(iter, dss, "*") # all texts - region = RBA::Region::new(iter, dss, "A*") # all texts starting with an 'A' - region = RBA::Region::new(iter, dss, "A*", false) # all texts exactly matching 'A*' - @/code + In general, there may be more than one physical layer mapped + to one logical layer. This method will add the given physical layer to the mapping for the logical layer. - This variant has been introduced in version 0.26. + This method has been added in version 0.20. """ - def __ior__(self, other: Region) -> Region: + @overload + def map(self, pl_start: LayerInfo, pl_stop: LayerInfo, log_layer: int) -> None: r""" - @brief Performs the boolean OR between self and the other region - - @return The region after modification (self) + @brief Maps a physical layer interval to a logical one + @param pl_start The first physical layer (a \LayerInfo object). + @param pl_stop The last physical layer (a \LayerInfo object). + @param log_layer The logical layer to which the physical layers are mapped. - The boolean OR is implemented by merging the polygons of both regions. To simply join the regions without merging, the + operator is more efficient. + This method maps an interval of layers l1..l2 and datatypes d1..d2 to the mapping for the given logical layer. l1 and d1 are given by the pl_start argument, while l2 and d2 are given by the pl_stop argument. """ - def __isub__(self, other: Region) -> Region: + @overload + def map(self, pl_start: LayerInfo, pl_stop: LayerInfo, log_layer: int, layer_properties: LayerInfo) -> None: r""" - @brief Performs the boolean NOT between self and the other region - - @return The region after modification (self) + @brief Maps a physical layer interval to a logical one with a target layer + @param pl_start The first physical layer (a \LayerInfo object). + @param pl_stop The last physical layer (a \LayerInfo object). + @param log_layer The logical layer to which the physical layers are mapped. + @param target_layer The properties of the layer that will be created unless it already exists. - This method will compute the boolean NOT (intersection) between two regions. The result is often but not necessarily always merged. + This method maps an interval of layers l1..l2 and datatypes d1..d2 to the mapping for the given logical layer. l1 and d1 are given by the pl_start argument, while l2 and d2 are given by the pl_stop argument. + This method has been added in version 0.20. """ - def __iter__(self) -> Iterator[Polygon]: + def mapping(self, log_layer: int) -> LayerInfo: r""" - @brief Returns each polygon of the region - - This returns the raw polygons (not merged polygons if merged semantics is enabled). + @brief Returns the mapped physical (or target if one is specified) layer for a given logical layer + @param log_layer The logical layer for which the mapping is requested. + @return A \LayerInfo object which is the physical layer mapped to the logical layer. + In general, there may be more than one physical layer mapped + to one logical layer. This method will return a single one of + them. It will return the one with the lowest layer and datatype. """ - def __ixor__(self, other: Region) -> Region: + def mapping_str(self, log_layer: int) -> str: r""" - @brief Performs the boolean XOR between self and the other region - - @return The region after modification (self) - - This method will compute the boolean XOR (intersection) between two regions. The result is often but not necessarily always merged. + @brief Returns the mapping string for a given logical layer + @param log_layer The logical layer for which the mapping is requested. + @return A string describing the mapping. + The mapping string is compatible with the string that the "map" method accepts. """ - def __len__(self) -> int: + @overload + def mmap(self, map_expr: str, log_layer: Optional[int] = ...) -> None: r""" - @brief Returns the (flat) number of polygons in the region + @brief Maps a physical layer given by an expression to a logical one and adds to existing mappings - This returns the number of raw polygons (not merged polygons if merged semantics is enabled). - The count is computed 'as if flat', i.e. polygons inside a cell are multiplied by the number of times a cell is instantiated. + This method acts like the corresponding 'map' method, but adds the logical layer to the receivers of the given physical one. Hence this method implements 1:n mapping capabilities. + For backward compatibility, 'map' still substitutes mapping. - The 'count' alias has been provided in version 0.26 to avoid ambiguity with the 'size' method which applies a geometrical bias. + If the logical layer is negative or omitted, the method will select the next available one. + + Multi-mapping has been added in version 0.27. The logical layer is optional since version 0.28. """ - def __or__(self, other: Region) -> Region: + @overload + def mmap(self, phys_layer: LayerInfo, log_layer: int) -> None: r""" - @brief Returns the boolean OR between self and the other region + @brief Maps a physical layer to a logical one and adds to existing mappings - @return The resulting region + This method acts like the corresponding 'map' method, but adds the logical layer to the receivers of the given physical one. Hence this method implements 1:n mapping capabilities. + For backward compatibility, 'map' still substitutes mapping. - The boolean OR is implemented by merging the polygons of both regions. To simply join the regions without merging, the + operator is more efficient. + Multi-mapping has been added in version 0.27. """ - def __str__(self) -> str: + @overload + def mmap(self, phys_layer: LayerInfo, log_layer: int, target_layer: LayerInfo) -> None: r""" - @brief Converts the region to a string - The length of the output is limited to 20 polygons to avoid giant strings on large regions. For full output use "to_s" with a maximum count parameter. + @brief Maps a physical layer to a logical one, adds to existing mappings and specifies a target layer + + This method acts like the corresponding 'map' method, but adds the logical layer to the receivers of the given physical one. Hence this method implements 1:n mapping capabilities. + For backward compatibility, 'map' still substitutes mapping. + + Multi-mapping has been added in version 0.27. """ - def __sub__(self, other: Region) -> Region: + @overload + def mmap(self, pl_start: LayerInfo, pl_stop: LayerInfo, log_layer: int) -> None: r""" - @brief Returns the boolean NOT between self and the other region + @brief Maps a physical layer from the given interval to a logical one and adds to existing mappings - @return The result of the boolean NOT operation + This method acts like the corresponding 'map' method, but adds the logical layer to the receivers of the given physical one. Hence this method implements 1:n mapping capabilities. + For backward compatibility, 'map' still substitutes mapping. - This method will compute the boolean NOT (intersection) between two regions. The result is often but not necessarily always merged. + Multi-mapping has been added in version 0.27. """ - def __xor__(self, other: Region) -> Region: + @overload + def mmap(self, pl_start: LayerInfo, pl_stop: LayerInfo, log_layer: int, layer_properties: LayerInfo) -> None: r""" - @brief Returns the boolean XOR between self and the other region + @brief Maps a physical layer from the given interval to a logical one, adds to existing mappings and specifies a target layer - @return The result of the boolean XOR operation + This method acts like the corresponding 'map' method, but adds the logical layer to the receivers of the given physical one. Hence this method implements 1:n mapping capabilities. + For backward compatibility, 'map' still substitutes mapping. - This method will compute the boolean XOR (intersection) between two regions. The result is often but not necessarily always merged. + Multi-mapping has been added in version 0.27. """ - def _create(self) -> None: + def to_string(self) -> str: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Converts a layer mapping object to a string + This method is the inverse of the \from_string method. + + This method has been introduced in version 0.23. """ - def _destroy(self) -> None: + @overload + def unmap(self, expr: str) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + @brief Unmaps the layers from the given expression + This method has been introduced in version 0.27. + """ + @overload + def unmap(self, phys_layer: LayerInfo) -> None: + r""" + @brief Unmaps the given layer + Unmapping will remove the specific layer from the mapping. This method allows generating 'mapping holes' by first mapping a range and then unmapping parts of it. + + This method has been introduced in version 0.27. + """ + @overload + def unmap(self, pl_start: LayerInfo, pl_stop: LayerInfo) -> None: + r""" + @brief Unmaps the layers from the given interval + This method has been introduced in version 0.27. + """ + +class LayerMapping: + r""" + @brief A layer mapping (source to target layout) + + A layer mapping is an association of layers in two layouts forming pairs of layers, i.e. one layer corresponds to another layer in the other layout. The LayerMapping object describes the mapping of layers of a source layout A to a target layout B. + + A layer mapping can be set up manually or using the methods \create or \create_full. + + @code + lm = RBA::LayerMapping::new + # explicit: + lm.map(2, 1) # map layer index 2 of source to 1 of target + lm.map(7, 3) # map layer index 7 of source to 3 of target + ... + # or employing the specification identity: + lm.create(target_layout, source_layout) + # plus creating layers which don't exist in the target layout yet: + new_layers = lm.create_full(target_layout, source_layout) + @/code + + A layer might not be mapped to another layer which basically means that there is no corresponding layer. + Such layers will be ignored in operations using the layer mapping. Use \create_full to ensure all layers + of the source layout are mapped. + + LayerMapping objects play a role mainly in the hierarchical copy or move operations of \Layout. However, use is not restricted to these applications. + + This class has been introduced in version 0.23. + """ + @classmethod + def new(cls) -> LayerMapping: + r""" + @brief Creates a new object of this class + """ + def __copy__(self) -> LayerMapping: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> LayerMapping: + r""" + @brief Creates a copy of self + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. If the object is not owned by the script, this method will do nothing. """ def _destroyed(self) -> bool: @@ -26659,2993 +25648,3796 @@ class Region(ShapeCollection): Usually it's not required to call this method. It has been introduced in version 0.24. """ - def andnot(self, other: Region) -> List[Region]: + def assign(self, other: LayerMapping) -> None: r""" - @brief Returns the boolean AND and NOT between self and the other region - - @return A two-element array of regions with the first one being the AND result and the second one being the NOT result + @brief Assigns another object to self + """ + def clear(self) -> None: + r""" + @brief Clears the mapping. + """ + def create(self, layout_a: Layout, layout_b: Layout) -> None: + r""" + @brief Initialize the layer mapping from two layouts - This method will compute the boolean AND and NOT between two regions simultaneously. Because this requires a single sweep only, using this method is faster than doing AND and NOT separately. + @param layout_a The target layout + @param layout_b The source layout - This method has been added in version 0.27. + The layer mapping is created by looking up each layer of layout_b in layout_a. All layers with matching specifications (\LayerInfo) are mapped. Layouts without a layer/datatype/name specification will not be mapped. + \create_full is a version of this method which creates new layers in layout_a if no corresponding layer is found. """ - @overload - def area(self) -> int: + def create_full(self, layout_a: Layout, layout_b: Layout) -> List[int]: r""" - @brief The area of the region + @brief Initialize the layer mapping from two layouts - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - If merged semantics is not enabled, overlapping areas are counted twice. + @param layout_a The target layout + @param layout_b The source layout + @return A list of layers created + + The layer mapping is created by looking up each layer of layout_b in layout_a. All layers with matching specifications (\LayerInfo) are mapped. Layouts without a layer/datatype/name specification will not be mapped. + Layers with a valid specification which are not found in layout_a are created there. """ - @overload - def area(self, rect: Box) -> int: + def destroy(self) -> None: r""" - @brief The area of the region (restricted to a rectangle) - This version will compute the area of the shapes, restricting the computation to the given rectangle. - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - If merged semantics is not enabled, overlapping areas are counted twice. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def assign(self, other: ShapeCollection) -> None: + def destroyed(self) -> bool: r""" - @brief Assigns another object to self + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def bbox(self) -> Box: + def dup(self) -> LayerMapping: r""" - @brief Return the bounding box of the region - The bounding box is the box enclosing all points of all polygons. + @brief Creates a copy of self """ - def break_(self, max_vertex_count: int, max_area_ratio: Optional[float] = ...) -> None: + def has_mapping(self, layer_index_b: int) -> bool: r""" - @brief Breaks the polygons of the region into smaller ones - - There are two criteria for splitting a polygon: a polygon is split into parts with less then 'max_vertex_count' points and an bounding box-to-polygon area ratio less than 'max_area_ratio'. The area ratio is supposed to render polygons whose bounding box is a better approximation. This applies for example to 'L' shape polygons. + @brief Determine if a layer in layout_b has a mapping to a layout_a layer. - Using a value of 0 for either limit means that the respective limit isn't checked. Breaking happens by cutting the polygons into parts at 'good' locations. The algorithm does not have a specific goal to minimize the number of parts for example. The only goal is to achieve parts within the given limits. - This method has been introduced in version 0.26. + @param layer_index_b The index of the layer in layout_b whose mapping is requested. + @return true, if the layer has a mapping """ - def clear(self) -> None: + def is_const_object(self) -> bool: r""" - @brief Clears the region + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def complex_op(self, node: CompoundRegionOperationNode) -> Any: + def layer_mapping(self, layer_index_b: int) -> int: r""" - @brief Executes a complex operation (see \CompoundRegionOperationNode for details) + @brief Determine layer mapping of a layout_b layer to the corresponding layout_a layer. - This method has been introduced in version 0.27. + + @param layer_index_b The index of the layer in layout_b whose mapping is requested. + @return The corresponding layer in layout_a. """ - def corners(self, angle_min: Optional[float] = ..., angle_max: Optional[float] = ..., dim: Optional[int] = ..., include_min_angle: Optional[bool] = ..., include_max_angle: Optional[bool] = ...) -> Region: + def map(self, layer_index_b: int, layer_index_a: int) -> None: r""" - @brief This method will select all corners whose attached edges satisfy the angle condition. - - The angle values specify a range of angles: all corners whose attached edges form an angle between angle_min and angle_max will be reported boxes with 2*dim x 2*dim dimension. The default dimension is 2x2 DBU. - - If 'include_angle_min' is true, the angle condition is >= min. angle, otherwise it is > min. angle. Same for 'include_angle_,ax' and the max. angle. + @brief Explicitly specify a mapping. - The angle is measured between the incoming and the outcoming edge in mathematical sense: a positive value is a turn left while a negative value is a turn right. Since polygon contours are oriented clockwise, positive angles will report concave corners while negative ones report convex ones. - A similar function that reports corners as point-like edges is \corners_dots. + @param layer_index_b The index of the layer in layout B (the "source") + @param layer_index_a The index of the layer in layout A (the "target") - This method has been introduced in version 0.25. 'include_min_angle' and 'include_max_angle' have been added in version 0.27. + Beside using the mapping generator algorithms provided through \create and \create_full, it is possible to explicitly specify layer mappings using this method. """ - def corners_dots(self, angle_start: Optional[float] = ..., angle_end: Optional[float] = ..., include_min_angle: Optional[bool] = ..., include_max_angle: Optional[bool] = ...) -> Edges: + def table(self) -> Dict[int, int]: r""" - @brief This method will select all corners whose attached edges satisfy the angle condition. + @brief Returns the mapping table. - This method is similar to \corners, but delivers an \Edges collection with dot-like edges for each corner. + The mapping table is a dictionary where the keys are source layout layer indexes and the values are the target layout layer indexes. - This method has been introduced in version 0.25. 'include_min_angle' and 'include_max_angle' have been added in version 0.27. + This method has been introduced in version 0.25. """ - def corners_edge_pairs(self, angle_start: Optional[float] = ..., angle_end: Optional[float] = ..., include_min_angle: Optional[bool] = ..., include_max_angle: Optional[bool] = ...) -> EdgePairs: - r""" - @brief This method will select all corners whose attached edges satisfy the angle condition. - This method is similar to \corners, but delivers an \EdgePairs collection with an edge pairs for each corner. - The first edge is the incoming edge of the corner, the second one the outgoing edge. +class Layout: + r""" + @brief The layout object - This method has been introduced in version 0.27.1. + This object represents a layout. + The layout object contains the cell hierarchy and + adds functionality for managing cell names and layer names. + The cell hierarchy can be changed by adding cells and cell instances. + Cell instances will virtually put the content of a cell into another cell. Many cell instances can be put into a cell thus forming repetitions of the cell content. This process can be repeated over multiple levels. In effect a cell graphs is created with parent cells and child cells. The graph must not be recursive, so there is at least one top cell, which does not have a parent cell. Multiple top cells can be present. + + \Layout is the very basic class of the layout database. It has a rich set of methods to manipulate and query the layout hierarchy, the geometrical objects, the meta information and other features of the layout database. For a discussion of the basic API and the related classes see @The Database API@. + + Usually layout objects have already been created by KLayout's application core. You can address such a layout via the \CellView object inside the \LayoutView class. For example: + + @code + active_layout = RBA::CellView::active.layout + puts "Top cell of current layout is #{active_layout.top_cell.name}" + @/code + + However, a layout can also be used standalone: + + @code + layout = RBA::Layout::new + cell = layout.create_cell("TOP") + layer = layout.layer(RBA::LayerInfo::new(1, 0)) + cell.shapes(layer).insert(RBA::Box::new(0, 0, 1000, 1000)) + layout.write("single_rect.gds") + @/code + """ + dbu: float + r""" + Getter: + @brief Gets the database unit + + The database unit is the value of one units distance in micrometers. + For numerical reasons and to be compliant with the GDS2 format, the database objects use integer coordinates. The basic unit of these coordinates is the database unit. + You can convert coordinates to micrometers by multiplying the integer value with the database unit. + Typical values for the database unit are 0.001 micrometer (one nanometer). + + Setter: + @brief Sets the database unit + + See \dbu for a description of the database unit. + """ + prop_id: int + r""" + Getter: + @brief Gets the properties ID associated with the layout + + This method has been introduced in version 0.24. + Setter: + @brief Sets the properties ID associated with the layout + This method is provided, if a properties ID has been derived already. Usually it's more convenient to use \delete_property, \set_property or \property. + + This method has been introduced in version 0.24. + """ + technology_name: str + r""" + Getter: + @brief Gets the name of the technology this layout is associated with + This method has been introduced in version 0.27. Before that, the technology has been kept in the 'technology' meta data element. + Setter: + @brief Sets the name of the technology this layout is associated with + Changing the technology name will re-assess all library references because libraries can be technology specified. Cell layouts may be substituted during this re-assessment. + + This method has been introduced in version 0.27. + """ + @overload + @classmethod + def new(cls) -> Layout: + r""" + @brief Creates a layout object + + Starting with version 0.25, layouts created with the default constructor are always editable. Before that version, they inherited the editable flag from the application. """ - def count(self) -> int: + @overload + @classmethod + def new(cls, editable: bool) -> Layout: r""" - @brief Returns the (flat) number of polygons in the region + @brief Creates a layout object - This returns the number of raw polygons (not merged polygons if merged semantics is enabled). - The count is computed 'as if flat', i.e. polygons inside a cell are multiplied by the number of times a cell is instantiated. + This constructor specifies whether the layout is editable. In editable mode, some optimizations are disabled and the layout can be manipulated through a variety of methods. - The 'count' alias has been provided in version 0.26 to avoid ambiguity with the 'size' method which applies a geometrical bias. + This method was introduced in version 0.22. """ - def covering(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: + @overload + @classmethod + def new(cls, editable: bool, manager: Manager) -> Layout: r""" - @brief Returns the polygons of this region which are completely covering polygons from the other region + @brief Creates a layout object attached to a manager - @return A new region containing the polygons which are covering polygons from the other region + This constructor specifies a manager object which is used to store undo information for example. It also allows one to specify whether the layout is editable. In editable mode, some optimizations are disabled and the layout can be manipulated through a variety of methods. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + This method was introduced in version 0.22. + """ + @overload + @classmethod + def new(cls, manager: Manager) -> Layout: + r""" + @brief Creates a layout object attached to a manager - This attribute is sometimes called 'enclosing' instead of 'covering', but this term is reserved for the respective DRC function. + This constructor specifies a manager object which is used to store undo information for example. - This method has been introduced in version 0.27. + Starting with version 0.25, layouts created with the default constructor are always editable. Before that version, they inherited the editable flag from the application. """ - def create(self) -> None: + def __copy__(self) -> Layout: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Creates a copy of self """ - def data_id(self) -> int: + def __deepcopy__(self) -> Layout: r""" - @brief Returns the data ID (a unique identifier for the underlying data storage) - - This method has been added in version 0.26. + @brief Creates a copy of self """ - def decompose_convex(self, preferred_orientation: Optional[int] = ...) -> Shapes: + @overload + def __init__(self) -> None: r""" - @brief Decomposes the region into convex pieces. - - This method will return a \Shapes container that holds a decomposition of the region into convex, simple polygons. - See \Polygon#decompose_convex for details. If you want \Region output, you should use \decompose_convex_to_region. + @brief Creates a layout object - This method has been introduced in version 0.25. + Starting with version 0.25, layouts created with the default constructor are always editable. Before that version, they inherited the editable flag from the application. """ - def decompose_convex_to_region(self, preferred_orientation: Optional[int] = ...) -> Region: + @overload + def __init__(self, editable: bool) -> None: r""" - @brief Decomposes the region into convex pieces into a region. + @brief Creates a layout object - This method is identical to \decompose_convex, but delivers a \Region object. + This constructor specifies whether the layout is editable. In editable mode, some optimizations are disabled and the layout can be manipulated through a variety of methods. - This method has been introduced in version 0.25. + This method was introduced in version 0.22. """ - def decompose_trapezoids(self, mode: Optional[int] = ...) -> Shapes: + @overload + def __init__(self, editable: bool, manager: Manager) -> None: r""" - @brief Decomposes the region into trapezoids. + @brief Creates a layout object attached to a manager - This method will return a \Shapes container that holds a decomposition of the region into trapezoids. - See \Polygon#decompose_trapezoids for details. If you want \Region output, you should use \decompose_trapezoids_to_region. + This constructor specifies a manager object which is used to store undo information for example. It also allows one to specify whether the layout is editable. In editable mode, some optimizations are disabled and the layout can be manipulated through a variety of methods. - This method has been introduced in version 0.25. + This method was introduced in version 0.22. """ - def decompose_trapezoids_to_region(self, mode: Optional[int] = ...) -> Region: + @overload + def __init__(self, manager: Manager) -> None: r""" - @brief Decomposes the region into trapezoids. + @brief Creates a layout object attached to a manager - This method is identical to \decompose_trapezoids, but delivers a \Region object. + This constructor specifies a manager object which is used to store undo information for example. - This method has been introduced in version 0.25. + Starting with version 0.25, layouts created with the default constructor are always editable. Before that version, they inherited the editable flag from the application. """ - def destroy(self) -> None: + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: r""" @brief Explicitly destroys the object Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. If the object is not owned by the script, this method will do nothing. """ - def destroyed(self) -> bool: + def _destroyed(self) -> bool: r""" @brief Returns a value indicating whether the object was already destroyed This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def disable_progress(self) -> None: + def _is_const_object(self) -> bool: r""" - @brief Disable progress reporting - Calling this method will disable progress reporting. See \enable_progress. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def dup(self) -> Region: + def _manage(self) -> None: r""" - @brief Creates a copy of self + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def each(self) -> Iterator[Polygon]: + def _unmanage(self) -> None: r""" - @brief Returns each polygon of the region + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This returns the raw polygons (not merged polygons if merged semantics is enabled). + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def each_merged(self) -> Iterator[Polygon]: + def add_cell(self, name: str) -> int: r""" - @brief Returns each merged polygon of the region + @brief Adds a cell with the given name + @return The index of the newly created cell. - This returns the raw polygons if merged semantics is disabled or the merged ones if merged semantics is enabled. + From version 0.23 on this method is deprecated because another method exists which is more convenient because is returns a \Cell object (\create_cell). """ - def edges(self) -> Edges: + def add_lib_cell(self, library: Library, lib_cell_index: int) -> int: r""" - @brief Returns an edge collection representing all edges of the polygons in this region - This method will decompose the polygons into the individual edges. Edges making up the hulls of the polygons are oriented clockwise while edges making up the holes are oriented counterclockwise. - - The edge collection returned can be manipulated in various ways. See \Edges for a description of the possibilities of the edge collection. + @brief Imports a cell from the library + @param library The reference to the library from which to import the cell + @param lib_cell_index The index of the imported cell in the library + @return The cell index of the new proxy cell in this layout + This method imports the given cell from the library and creates a new proxy cell. + The proxy cell acts as a pointer to the actual cell which still resides in the + library (precisely: in library.layout). The name of the new cell will be the name of + library cell. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + This method has been introduced in version 0.22. """ - def enable_progress(self, label: str) -> None: + def add_meta_info(self, info: LayoutMetaInfo) -> None: r""" - @brief Enable progress reporting - After calling this method, the region will report the progress through a progress bar while expensive operations are running. - The label is a text which is put in front of the progress bar. - Using a progress bar will imply a performance penalty of a few percent typically. + @brief Adds meta information to the layout + See \LayoutMetaInfo for details about layouts and meta information. + This method has been introduced in version 0.25. """ - def enclosed_check(self, other: Region, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ...) -> EdgePairs: + @overload + def add_pcell_variant(self, library: Library, pcell_id: int, parameters: Dict[str, Any]) -> int: r""" - @brief Performs an inside check with options - @param d The minimum distance for which the polygons are checked - @param other The other region against which to check - @param whole_edges If true, deliver the whole edges - @param metrics Specify the metrics type - @param ignore_angle The angle above which no check is performed - @param min_projection The lower threshold of the projected length of one edge onto another - @param max_projection The upper limit of the projected length of one edge onto another - @param opposite_filter Specifies a filter mode for errors happening on opposite sides of inputs shapes - @param rect_filter Specifies an error filter for rectangular input shapes - @param negative Negative output from the first input - - If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. - - "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. - - "ignore_angle" specifies the angle limit of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. - Use nil for this value to select the default. - - "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one limit, pass nil to the respective value. - - "shielded" controls whether shielding is applied. Shielding means that rule violations are not detected 'through' other features. Measurements are only made where the opposite edge is unobstructed. - Shielding often is not optional as a rule violation in shielded case automatically comes with rule violations between the original and the shielding features. If not necessary, shielding can be disabled by setting this flag to false. In general, this will improve performance somewhat. - - "opposite_filter" specifies whether to require or reject errors happening on opposite sides of a figure. "rect_filter" allows suppressing specific error configurations on rectangular input figures. + @brief Creates a PCell variant for a PCell located in an external library with the parameters given as a name/value dictionary + @return The cell index of the new proxy cell in this layout + This method will import a PCell from a library and create a variant for the + given parameter set. + Technically, this method creates a proxy to the library and creates the variant + inside that library. + Unlike the variant using a list of parameters, this version allows specification + of the parameters with a key/value dictionary. The keys are the parameter names + as given by the PCell declaration. - If "negative" is true, only edges from the first input are output as pseudo edge-pairs where the distance is larger or equal to the limit. This is a way to flag the parts of the first input where the distance to the second input is bigger. Note that only the first input's edges are output. The output is still edge pairs, but each edge pair contains one edge from the original input and the reverse version of the edge as the second edge. + The parameters are a sequence of variants which correspond to the parameters declared by the \PCellDeclaration object. - Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + The name of the new cell will be the name of the PCell. + If a cell with that name already exists, a new unique name is generated. - The 'shielded', 'negative', 'not_opposite' and 'rect_sides' options have been introduced in version 0.27. The interpretation of the 'negative' flag has been restriced to first-layout only output in 0.27.1. - The 'enclosed_check' alias was introduced in version 0.27.5. + This method has been introduced in version 0.22. """ - def enclosing_check(self, other: Region, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ...) -> EdgePairs: + @overload + def add_pcell_variant(self, library: Library, pcell_id: int, parameters: Sequence[Any]) -> int: r""" - @brief Performs an enclosing check with options - @param d The minimum enclosing distance for which the polygons are checked - @param other The other region against which to check - @param whole_edges If true, deliver the whole edges - @param metrics Specify the metrics type - @param ignore_angle The angle above which no check is performed - @param min_projection The lower threshold of the projected length of one edge onto another - @param max_projection The upper limit of the projected length of one edge onto another - @param opposite_filter Specifies a filter mode for errors happening on opposite sides of inputs shapes - @param rect_filter Specifies an error filter for rectangular input shapes - @param negative Negative output from the first input + @brief Creates a PCell variant for a PCell located in an external library + @return The cell index of the new proxy cell in this layout + This method will import a PCell from a library and create a variant for the + given parameter set. + Technically, this method creates a proxy to the library and creates the variant + inside that library. - If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. + The parameters are a sequence of variants which correspond to the parameters declared by the \PCellDeclaration object. - "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. + The name of the new cell will be the name of the PCell. + If a cell with that name already exists, a new unique name is generated. - "ignore_angle" specifies the angle limit of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. - Use nil for this value to select the default. + This method has been introduced in version 0.22. + """ + @overload + def add_pcell_variant(self, pcell_id: int, parameters: Dict[str, Any]) -> int: + r""" + @brief Creates a PCell variant for the given PCell ID with the parameters given as a name/value dictionary + @return The cell index of the pcell variant proxy cell + This method will create a PCell variant proxy for a local PCell definition. + It will create the PCell variant for the given parameters. Note that this method + does not allow one to create PCell instances for PCells located in a library. Use + \add_pcell_variant with the library parameter for that purpose. + Unlike the variant using a list of parameters, this version allows specification + of the parameters with a key/value dictionary. The keys are the parameter names + as given by the PCell declaration. - "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one limit, pass nil to the respective value. + The parameters are a sequence of variants which correspond to the parameters declared by the \PCellDeclaration object. - "shielded" controls whether shielding is applied. Shielding means that rule violations are not detected 'through' other features. Measurements are only made where the opposite edge is unobstructed. - Shielding often is not optional as a rule violation in shielded case automatically comes with rule violations between the original and the shielding features. If not necessary, shielding can be disabled by setting this flag to false. In general, this will improve performance somewhat. + The name of the new cell will be the name of the PCell. + If a cell with that name already exists, a new unique name is generated. - "opposite_filter" specifies whether to require or reject errors happening on opposite sides of a figure. "rect_filter" allows suppressing specific error configurations on rectangular input figures. + This method has been introduced in version 0.22. + """ + @overload + def add_pcell_variant(self, pcell_id: int, parameters: Sequence[Any]) -> int: + r""" + @brief Creates a PCell variant for the given PCell ID with the given parameters + @return The cell index of the pcell variant proxy cell + This method will create a PCell variant proxy for a local PCell definition. + It will create the PCell variant for the given parameters. Note that this method + does not allow one to create PCell instances for PCells located in a library. Use + \add_pcell_variant with the library parameter for that purpose. - If "negative" is true, only edges from the first input are output as pseudo edge-pairs where the enclosure is larger or equal to the limit. This is a way to flag the parts of the first input where the enclosure vs. the second input is bigger. Note that only the first input's edges are output. The output is still edge pairs, but each edge pair contains one edge from the original input and the reverse version of the edge as the second edge. + The parameters are a sequence of variants which correspond to the parameters declared by the \PCellDeclaration object. - Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + The name of the new cell will be the name of the PCell. + If a cell with that name already exists, a new unique name is generated. - The 'shielded', 'negative', 'not_opposite' and 'rect_sides' options have been introduced in version 0.27. The interpretation of the 'negative' flag has been restriced to first-layout only output in 0.27.1. - """ - def extent_refs(self, arg0: float, arg1: float, arg2: float, arg3: float, arg4: int, arg5: int) -> Region: - r""" - @hide - This method is provided for DRC implementation. + This method has been introduced in version 0.22. """ - def extent_refs_edges(self, arg0: float, arg1: float, arg2: float, arg3: float) -> Edges: + def assign(self, other: Layout) -> None: r""" - @hide - This method is provided for DRC implementation. + @brief Assigns another object to self """ @overload - def extents(self) -> Region: + def begin_shapes(self, cell: Cell, layer: int) -> RecursiveShapeIterator: r""" - @brief Returns a region with the bounding boxes of the polygons - This method will return a region consisting of the bounding boxes of the polygons. - The boxes will not be merged, so it is possible to determine overlaps of these boxes for example. + @brief Delivers a recursive shape iterator for the shapes below the given cell on the given layer + @param cell The cell object of the initial (top) cell + @param layer The layer from which to get the shapes + @return A suitable iterator - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + For details see the description of the \RecursiveShapeIterator class. + This version is convenience overload which takes a cell object instead of a cell index. + + This method is deprecated. Use \Cell#begin_shapes_rec instead. + + This method has been added in version 0.24. """ @overload - def extents(self, d: int) -> Region: + def begin_shapes(self, cell_index: int, layer: int) -> RecursiveShapeIterator: r""" - @brief Returns a region with the enlarged bounding boxes of the polygons - This method will return a region consisting of the bounding boxes of the polygons enlarged by the given distance d. - The enlargement is specified per edge, i.e the width and height will be increased by 2*d. - The boxes will not be merged, so it is possible to determine overlaps of these boxes for example. + @brief Delivers a recursive shape iterator for the shapes below the given cell on the given layer + @param cell_index The index of the initial (top) cell + @param layer The layer from which to get the shapes + @return A suitable iterator - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + For details see the description of the \RecursiveShapeIterator class. + + This method is deprecated. Use \Cell#begin_shapes_rec instead. + + This method has been added in version 0.18. """ @overload - def extents(self, dx: int, dy: int) -> Region: + def begin_shapes_overlapping(self, cell: Cell, layer: int, region: DBox) -> RecursiveShapeIterator: r""" - @brief Returns a region with the enlarged bounding boxes of the polygons - This method will return a region consisting of the bounding boxes of the polygons enlarged by the given distance dx in x direction and dy in y direction. - The enlargement is specified per edge, i.e the width will be increased by 2*dx. - The boxes will not be merged, so it is possible to determine overlaps of these boxes for example. + @brief Delivers a recursive shape iterator for the shapes below the given cell on the given layer using a region search, the region given in micrometer units + @param cell The cell object for the starting cell + @param layer The layer from which to get the shapes + @param region The search region as a \DBox object in micrometer units + @return A suitable iterator - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + For details see the description of the \RecursiveShapeIterator class. + This version gives an iterator delivering shapes whose bounding box overlaps the given region. + It is convenience overload which takes a cell object instead of a cell index. + + This method is deprecated. Use \Cell#begin_shapes_rec_overlapping instead. + + This variant has been added in version 0.25. """ @overload - def fill(self, in_cell: Cell, fill_cell_index: int, fc_box: Box, origin: Optional[Point] = ..., remaining_parts: Optional[Region] = ..., fill_margin: Optional[Vector] = ..., remaining_polygons: Optional[Region] = ..., glue_box: Optional[Box] = ...) -> None: + def begin_shapes_overlapping(self, cell_index: Cell, layer: int, region: Box) -> RecursiveShapeIterator: r""" - @brief A mapping of \Cell#fill_region to the Region class + @brief Delivers a recursive shape iterator for the shapes below the given cell on the given layer using a region search + @param cell The cell object for the starting cell + @param layer The layer from which to get the shapes + @param region The search region + @return A suitable iterator - This method is equivalent to \Cell#fill_region, but is based on Region (with the cell being the first parameter). + For details see the description of the \RecursiveShapeIterator class. + This version gives an iterator delivering shapes whose bounding box overlaps the given region. + It is convenience overload which takes a cell object instead of a cell index. - This method has been introduced in version 0.27. + This method is deprecated. Use \Cell#begin_shapes_rec_overlapping instead. + + This method has been added in version 0.24. """ @overload - def fill(self, in_cell: Cell, fill_cell_index: int, fc_origin: Box, row_step: Vector, column_step: Vector, origin: Optional[Point] = ..., remaining_parts: Optional[Region] = ..., fill_margin: Optional[Vector] = ..., remaining_polygons: Optional[Region] = ..., glue_box: Optional[Box] = ...) -> None: + def begin_shapes_overlapping(self, cell_index: int, layer: int, region: Box) -> RecursiveShapeIterator: r""" - @brief A mapping of \Cell#fill_region to the Region class + @brief Delivers a recursive shape iterator for the shapes below the given cell on the given layer using a region search + @param cell_index The index of the starting cell + @param layer The layer from which to get the shapes + @param region The search region + @return A suitable iterator - This method is equivalent to \Cell#fill_region, but is based on Region (with the cell being the first parameter). + For details see the description of the \RecursiveShapeIterator class. + This version gives an iterator delivering shapes whose bounding box overlaps the given region. - This method has been introduced in version 0.27. + This method is deprecated. Use \Cell#begin_shapes_rec_overlapping instead. + + This method has been added in version 0.18. """ - def fill_multi(self, in_cell: Cell, fill_cell_index: int, fc_origin: Box, row_step: Vector, column_step: Vector, fill_margin: Optional[Vector] = ..., remaining_polygons: Optional[Region] = ..., glue_box: Optional[Box] = ...) -> None: + @overload + def begin_shapes_overlapping(self, cell_index: int, layer: int, region: DBox) -> RecursiveShapeIterator: r""" - @brief A mapping of \Cell#fill_region to the Region class + @brief Delivers a recursive shape iterator for the shapes below the given cell on the given layer using a region search, the region given in micrometer units + @param cell_index The index of the starting cell + @param layer The layer from which to get the shapes + @param region The search region as a \DBox object in micrometer units + @return A suitable iterator - This method is equivalent to \Cell#fill_region, but is based on Region (with the cell being the first parameter). + For details see the description of the \RecursiveShapeIterator class. + This version gives an iterator delivering shapes whose bounding box overlaps the given region. - This method has been introduced in version 0.27. + This method is deprecated. Use \Cell#begin_shapes_rec_overlapping instead. + + This variant has been added in version 0.25. """ - def flatten(self) -> Region: + @overload + def begin_shapes_touching(self, cell: Cell, layer: int, region: Box) -> RecursiveShapeIterator: r""" - @brief Explicitly flattens a region + @brief Delivers a recursive shape iterator for the shapes below the given cell on the given layer using a region search + @param cell The cell object for the starting cell + @param layer The layer from which to get the shapes + @param region The search region + @return A suitable iterator - If the region is already flat (i.e. \has_valid_polygons? returns true), this method will not change it. + For details see the description of the \RecursiveShapeIterator class. + This version gives an iterator delivering shapes whose bounding box touches the given region. + It is convenience overload which takes a cell object instead of a cell index. - Returns 'self', so this method can be used in a dot concatenation. + This method is deprecated. Use \Cell#begin_shapes_rec_touching instead. - This method has been introduced in version 0.26. + This method has been added in version 0.24. """ - def grid_check(self, gx: int, gy: int) -> EdgePairs: + @overload + def begin_shapes_touching(self, cell: Cell, layer: int, region: DBox) -> RecursiveShapeIterator: r""" - @brief Returns a marker for all vertices not being on the given grid - This method will return an edge pair object for every vertex whose x coordinate is not a multiple of gx or whose y coordinate is not a multiple of gy. The edge pair objects contain two edges consisting of the same single point - the original vertex. + @brief Delivers a recursive shape iterator for the shapes below the given cell on the given layer using a region search, the region given in micrometer units + @param cell The cell object for the starting cell + @param layer The layer from which to get the shapes + @param region The search region as a \DBox object in micrometer units + @return A suitable iterator - If gx or gy is 0 or less, the grid is not checked in that direction. + For details see the description of the \RecursiveShapeIterator class. + This version gives an iterator delivering shapes whose bounding box touches the given region. + It is convenience overload which takes a cell object instead of a cell index. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + This method is deprecated. Use \Cell#begin_shapes_rec_touching instead. + + This variant has been added in version 0.25. """ - def has_valid_polygons(self) -> bool: + @overload + def begin_shapes_touching(self, cell_index: int, layer: int, region: Box) -> RecursiveShapeIterator: r""" - @brief Returns true if the region is flat and individual polygons can be accessed randomly + @brief Delivers a recursive shape iterator for the shapes below the given cell on the given layer using a region search + @param cell_index The index of the starting cell + @param layer The layer from which to get the shapes + @param region The search region + @return A suitable iterator - This method has been introduced in version 0.26. + For details see the description of the \RecursiveShapeIterator class. + This version gives an iterator delivering shapes whose bounding box touches the given region. + + This method is deprecated. Use \Cell#begin_shapes_rec_touching instead. + + This method has been added in version 0.18. """ - def hier_count(self) -> int: + @overload + def begin_shapes_touching(self, cell_index: int, layer: int, region: DBox) -> RecursiveShapeIterator: r""" - @brief Returns the (hierarchical) number of polygons in the region + @brief Delivers a recursive shape iterator for the shapes below the given cell on the given layer using a region search, the region given in micrometer units + @param cell_index The index of the starting cell + @param layer The layer from which to get the shapes + @param region The search region as a \DBox object in micrometer units + @return A suitable iterator - This returns the number of raw polygons (not merged polygons if merged semantics is enabled). - The count is computed 'hierarchical', i.e. polygons inside a cell are counted once even if the cell is instantiated multiple times. + For details see the description of the \RecursiveShapeIterator class. + This version gives an iterator delivering shapes whose bounding box touches the given region. - This method has been introduced in version 0.27. + This method is deprecated. Use \Cell#begin_shapes_rec_touching instead. + + This variant has been added in version 0.25. """ - def holes(self) -> Region: + @overload + def cell(self, i: int) -> Cell: r""" - @brief Returns the holes of the region - This method returns all holes as filled polygons. + @brief Gets a cell object from the cell index - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - If merge semantics is not enabled, the holes may not be detected if the polygons are taken from a hole-less representation (i.e. GDS2 file). Use explicit merge (\merge method) in order to merge the polygons and detect holes. + @param i The cell index + @return A reference to the cell (a \Cell object) + + If the cell index is not a valid cell index, this method will raise an error. Use \is_valid_cell_index? to test whether a given cell index is valid. """ - def hulls(self) -> Region: + @overload + def cell(self, name: str) -> Cell: r""" - @brief Returns the hulls of the region - This method returns all hulls as polygons. The holes will be removed (filled). - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - If merge semantics is not enabled, the hull may also enclose holes if the polygons are taken from a hole-less representation (i.e. GDS2 file). Use explicit merge (\merge method) in order to merge the polygons and detect holes. + @brief Gets a cell object from the cell name + + @param name The cell name + @return A reference to the cell (a \Cell object) + + If name is not a valid cell name, this method will return "nil". + This method has been introduced in version 0.23 and replaces \cell_by_name. """ - def in_(self, other: Region) -> Region: + def cell_by_name(self, name: str) -> int: r""" - @brief Returns all polygons which are members of the other region - This method returns all polygons in self which can be found in the other region as well with exactly the same geometry. + @brief Gets the cell index for a given name + Returns the cell index for the cell with the given name. If no cell with this name exists, an exception is thrown. + From version 0.23 on, a version of the \cell method is provided which returns a \Cell object for the cell with the given name or "nil" if the name is not valid. This method replaces \cell_by_name and \has_cell? """ - def in_and_out(self, other: Region) -> List[Region]: + def cell_name(self, index: int) -> str: r""" - @brief Returns all polygons which are members and not members of the other region - This method is equivalent to calling \members_of and \not_members_of, but delivers both results at the same time and is more efficient than two separate calls. The first element returned is the \members_of part, the second is the \not_members_of part. - - This method has been introduced in version 0.28. + @brief Gets the name for a cell with the given index """ @overload - def insert(self, array: Sequence[Polygon]) -> None: + def cells(self) -> int: r""" - @brief Inserts all polygons from the array into this region + @brief Returns the number of cells + + @return The number of cells (the maximum cell index) """ @overload - def insert(self, box: Box) -> None: + def cells(self, name_filter: str) -> List[Cell]: r""" - @brief Inserts a box + @brief Gets the cell objects for a given name filter - Inserts a box into the region. + @param name_filter The cell name filter (glob pattern) + @return A list of \Cell object of the cells matching the pattern + + This method has been introduced in version 0.27.3. """ - @overload - def insert(self, path: Path) -> None: + def cleanup(self, cell_indexes_to_keep: Optional[Sequence[int]] = ...) -> None: r""" - @brief Inserts a path + @brief Cleans up the layout + This method will remove proxy objects that are no longer in use. After changing PCell parameters such proxy objects may still be present in the layout and are cached for later reuse. Usually they are cleaned up automatically, but in a scripting context it may be useful to clean up these cells explicitly. - Inserts a path into the region. + Use 'cell_indexes_to_keep' for specifying a list of cell indexes of PCell variants or library proxies you don't want to be cleaned up. + + This method has been introduced in version 0.25. """ - @overload - def insert(self, polygon: Polygon) -> None: + def clear(self) -> None: r""" - @brief Inserts a polygon + @brief Clears the layout - Inserts a polygon into the region. + Clears the layout completely. """ - @overload - def insert(self, polygon: SimplePolygon) -> None: + def clear_layer(self, layer_index: int) -> None: r""" - @brief Inserts a simple polygon + @brief Clears a layer - Inserts a simple polygon into the region. + Clears the layer: removes all shapes. + + This method was introduced in version 0.19. + + @param layer_index The index of the layer to delete. """ @overload - def insert(self, region: Region) -> None: + def clip(self, cell: Cell, box: Box) -> Cell: r""" - @brief Inserts all polygons from the other region into this region - This method has been introduced in version 0.25. + @brief Clips the given cell by the given rectangle and produce a new cell with the clip + @param cell The cell reference of the cell to clip + @param box The clip box in database units + @return The reference to the new cell + + This variant which takes cell references instead of cell indexes has been added in version 0.28. """ @overload - def insert(self, shape_iterator: RecursiveShapeIterator) -> None: + def clip(self, cell: Cell, box: DBox) -> Cell: r""" - @brief Inserts all shapes delivered by the recursive shape iterator into this region + @brief Clips the given cell by the given rectangle and produce a new cell with the clip + @param cell The cell reference of the cell to clip + @param box The clip box in micrometer units + @return The reference to the new cell - This method will insert all shapes delivered by the shape iterator and insert them into the region. - Text objects and edges are not inserted, because they cannot be converted to polygons. + This variant which takes a micrometer-unit box and cell references has been added in version 0.28. """ @overload - def insert(self, shapes: Shapes) -> None: + def clip(self, cell: int, box: Box) -> int: r""" - @brief Inserts all polygons from the shape collection into this region - This method takes each "polygon-like" shape from the shape collection and inserts this shape into the region. Paths and boxes are converted to polygons during this process. Edges and text objects are ignored. + @brief Clips the given cell by the given rectangle and produce a new cell with the clip + @param cell The cell index of the cell to clip + @param box The clip box in database units + @return The index of the new cell - This method has been introduced in version 0.25. + This method will cut a rectangular region given by the box from the given cell. The clip will be stored in a new cell whose index is returned. The clip will be performed hierarchically. The resulting cell will hold a hierarchy of child cells, which are potentially clipped versions of child cells of the original cell. + This method has been added in version 0.21. """ @overload - def insert(self, shape_iterator: RecursiveShapeIterator, trans: ICplxTrans) -> None: + def clip(self, cell: int, box: DBox) -> int: r""" - @brief Inserts all shapes delivered by the recursive shape iterator into this region with a transformation + @brief Clips the given cell by the given rectangle and produce a new cell with the clip + @param cell The cell index of the cell to clip + @param box The clip box in micrometer units + @return The index of the new cell - This method will insert all shapes delivered by the shape iterator and insert them into the region. - Text objects and edges are not inserted, because they cannot be converted to polygons. - This variant will apply the given transformation to the shapes. This is useful to scale the shapes to a specific database unit for example. + This variant which takes a micrometer-unit box has been added in version 0.28. """ @overload - def insert(self, shapes: Shapes, trans: ICplxTrans) -> None: + def clip_into(self, cell: Cell, target: Layout, box: Box) -> Cell: r""" - @brief Inserts all polygons from the shape collection into this region with complex transformation - This method takes each "polygon-like" shape from the shape collection and inserts this shape into the region after applying the given complex transformation. Paths and boxes are converted to polygons during this process. Edges and text objects are ignored. + @brief Clips the given cell by the given rectangle and produce a new cell with the clip + @param cell The reference to the cell to clip + @param box The clip box in database units + @param target The target layout + @return The reference to the new cell in the target layout - This method has been introduced in version 0.25. + This variant which takes cell references instead of cell indexes has been added in version 0.28. """ @overload - def insert(self, shapes: Shapes, trans: Trans) -> None: + def clip_into(self, cell: Cell, target: Layout, box: DBox) -> Cell: r""" - @brief Inserts all polygons from the shape collection into this region with transformation - This method takes each "polygon-like" shape from the shape collection and inserts this shape into the region after applying the given transformation. Paths and boxes are converted to polygons during this process. Edges and text objects are ignored. + @brief Clips the given cell by the given rectangle and produce a new cell with the clip + @param cell The reference to the cell to clip + @param box The clip box in micrometer units + @param target The target layout + @return The reference to the new cell in the target layout - This method has been introduced in version 0.25. + This variant which takes a micrometer-unit box and cell references has been added in version 0.28. """ - def insert_into(self, layout: Layout, cell_index: int, layer: int) -> None: + @overload + def clip_into(self, cell: int, target: Layout, box: Box) -> int: r""" - @brief Inserts this region into the given layout, below the given cell and into the given layer. - If the region is a hierarchical one, a suitable hierarchy will be built below the top cell or and existing hierarchy will be reused. + @brief Clips the given cell by the given rectangle and produce a new cell with the clip + @param cell The cell index of the cell to clip + @param box The clip box in database units + @param target The target layout + @return The index of the new cell in the target layout - This method has been introduced in version 0.26. + This method will cut a rectangular region given by the box from the given cell. The clip will be stored in a new cell in the target layout. The clip will be performed hierarchically. The resulting cell will hold a hierarchy of child cells, which are potentially clipped versions of child cells of the original cell. + + Please note that it is important that the database unit of the target layout is identical to the database unit of the source layout to achieve the desired results.This method also assumes that the target layout holds the same layers than the source layout. It will copy shapes to the same layers than they have been on the original layout. + This method has been added in version 0.21. """ - def inside(self, other: Region) -> Region: + @overload + def clip_into(self, cell: int, target: Layout, box: DBox) -> int: r""" - @brief Returns the polygons of this region which are completely inside polygons from the other region + @brief Clips the given cell by the given rectangle and produce a new cell with the clip + @param cell The cell index of the cell to clip + @param box The clip box in micrometer units + @param target The target layout + @return The index of the new cell in the target layout - @return A new region containing the polygons which are inside polygons from the other region + This variant which takes a micrometer-unit box has been added in version 0.28. + """ + def convert_cell_to_static(self, cell_index: int) -> int: + r""" + @brief Converts a PCell or library cell to a usual (static) cell + @return The index of the new cell + This method will create a new cell which contains the static representation of the PCell or library proxy given by "cell_index". If that cell is not a PCell or library proxy, it won't be touched and the input cell index is returned. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + This method has been added in version 0.23. """ - def inside_check(self, other: Region, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ...) -> EdgePairs: + def copy_layer(self, src: int, dest: int) -> None: r""" - @brief Performs an inside check with options - @param d The minimum distance for which the polygons are checked - @param other The other region against which to check - @param whole_edges If true, deliver the whole edges - @param metrics Specify the metrics type - @param ignore_angle The angle above which no check is performed - @param min_projection The lower threshold of the projected length of one edge onto another - @param max_projection The upper limit of the projected length of one edge onto another - @param opposite_filter Specifies a filter mode for errors happening on opposite sides of inputs shapes - @param rect_filter Specifies an error filter for rectangular input shapes - @param negative Negative output from the first input + @brief Copies a layer - If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. + This method was introduced in version 0.19. - "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. + Copy a layer from the source to the target. The target is not cleared before, so that this method + merges shapes from the source with the target layer. - "ignore_angle" specifies the angle limit of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. - Use nil for this value to select the default. + @param src The layer index of the source layer. + @param dest The layer index of the destination layer. + """ + @overload + def copy_tree_shapes(self, source_layout: Layout, cell_mapping: CellMapping) -> None: + r""" + @brief Copies the shapes for all given mappings in the \CellMapping object + @param source_layout The layout where to take the shapes from + @param cell_mapping The cell mapping object that determines how cells are identified between source and target layout - "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one limit, pass nil to the respective value. + Provide a \CellMapping object to specify pairs of cells which are mapped from the source layout to this layout. When constructing such a cell mapping object for example with \CellMapping#for_multi_cells_full, use self as the target layout. During the cell mapping construction, the cell mapper will usually create a suitable target hierarchy already. After having completed the cell mapping, use \copy_tree_shapes to copy over the shapes from the source to the target layout. - "shielded" controls whether shielding is applied. Shielding means that rule violations are not detected 'through' other features. Measurements are only made where the opposite edge is unobstructed. - Shielding often is not optional as a rule violation in shielded case automatically comes with rule violations between the original and the shielding features. If not necessary, shielding can be disabled by setting this flag to false. In general, this will improve performance somewhat. + This method has been added in version 0.26.8. + """ + @overload + def copy_tree_shapes(self, source_layout: Layout, cell_mapping: CellMapping, layer_mapping: LayerMapping) -> None: + r""" + @brief Copies the shapes for all given mappings in the \CellMapping object using the given layer mapping + @param source_layout The layout where to take the shapes from + @param cell_mapping The cell mapping object that determines how cells are identified between source and target layout + @param layer_mapping Specifies which layers are copied from the source layout to the target layout - "opposite_filter" specifies whether to require or reject errors happening on opposite sides of a figure. "rect_filter" allows suppressing specific error configurations on rectangular input figures. + Provide a \CellMapping object to specify pairs of cells which are mapped from the source layout to this layout. When constructing such a cell mapping object for example with \CellMapping#for_multi_cells_full, use self as the target layout. During the cell mapping construction, the cell mapper will usually create a suitable target hierarchy already. After having completed the cell mapping, use \copy_tree_shapes to copy over the shapes from the source to the target layout. - If "negative" is true, only edges from the first input are output as pseudo edge-pairs where the distance is larger or equal to the limit. This is a way to flag the parts of the first input where the distance to the second input is bigger. Note that only the first input's edges are output. The output is still edge pairs, but each edge pair contains one edge from the original input and the reverse version of the edge as the second edge. + This method has been added in version 0.26.8. + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + @overload + def create_cell(self, name: str) -> Cell: + r""" + @brief Creates a cell with the given name + @param name The name of the cell to create + @return The \Cell object of the newly created cell. - Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + If a cell with that name already exists, the unique name will be chosen for the new cell consisting of the given name plus a suitable suffix. - The 'shielded', 'negative', 'not_opposite' and 'rect_sides' options have been introduced in version 0.27. The interpretation of the 'negative' flag has been restriced to first-layout only output in 0.27.1. - The 'enclosed_check' alias was introduced in version 0.27.5. + This method has been introduce in version 0.23 and replaces \add_cell. """ @overload - def interacting(self, other: Edges, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: + def create_cell(self, name: str, lib_name: str) -> Cell: r""" - @brief Returns the polygons of this region which overlap or touch edges from the edge collection + @brief Creates a cell with the given name + @param name The name of the library cell and the name of the cell to create + @param lib_name The name of the library where to take the cell from + @return The \Cell object of the newly created cell or an existing cell if the library cell has already been used in this layout. - 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with edges of the edge collection to make the polygon selected. A polygon is selected by this method if the number of edges interacting with the polygon is between min_count and max_count (including max_count). + Library cells are imported by creating a 'library proxy'. This is a cell which represents the library cell in the framework of the current layout. The library proxy is linked to the library and will be updated if the library cell is changed. - @return A new region containing the polygons overlapping or touching edges from the edge collection + This method will look up the cell by the given name in the specified library and create a new library proxy for this cell. + If the same library cell has already been used, the original library proxy is returned. Hence, strictly speaking this method does not always create a new cell but may return a reference to an existing cell. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + If the library name is not valid, nil is returned. - This method has been introduced in version 0.25. - The min_count and max_count arguments have been added in version 0.27. + This method has been introduce in version 0.24. """ @overload - def interacting(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: + def create_cell(self, pcell_name: str, lib_name: str, params: Dict[str, Any]) -> Cell: r""" - @brief Returns the polygons of this region which overlap or touch polygons from the other region - - 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with (different) polygons of the other region to make the polygon selected. A polygon is selected by this method if the number of polygons interacting with a polygon of this region is between min_count and max_count (including max_count). + @brief Creates a cell for a PCell with the given PCell name from the given library + @param pcell_name The name of the PCell and also the name of the cell to create + @param lib_name The name of the library where to take the PCell from + @param params The PCell parameters (key/value dictionary) + @return The \Cell object of the newly created cell or an existing cell if this PCell has already been used with the given parameters - @return A new region containing the polygons overlapping or touching polygons from the other region + This method will look up the PCell by the PCell name in the specified library and create a new PCell variant for the given parameters plus the library proxy. The parameters must be specified as a key/value dictionary with the names being the ones from the PCell declaration. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + If no PCell with the given name exists or the library name is not valid, nil is returned. Note that this function - despite the name - may not always create a new cell, but return an existing cell if the PCell from the library has already been used with the given parameters. - The min_count and max_count arguments have been added in version 0.27. + This method has been introduce in version 0.24. """ @overload - def interacting(self, other: Texts, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: + def create_cell(self, pcell_name: str, params: Dict[str, Any]) -> Cell: r""" - @brief Returns the polygons of this region which overlap or touch texts + @brief Creates a cell as a PCell variant for the PCell with the given name + @param pcell_name The name of the PCell and also the name of the cell to create + @param params The PCell parameters (key/value dictionary) + @return The \Cell object of the newly created cell or an existing cell if the PCell has already been used with these parameters. - 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with texts of the text collection to make the polygon selected. A polygon is selected by this method if the number of texts interacting with the polygon is between min_count and max_count (including max_count). + PCells are instantiated by creating a PCell variant. A PCell variant is linked to the PCell and represents this PCell with a particular parameter set. - @return A new region containing the polygons overlapping or touching texts + This method will look up the PCell by the PCell name and create a new PCell variant for the given parameters. If the PCell has already been instantiated with the same parameters, the original variant will be returned. Hence this method is not strictly creating a cell - only if the required variant has not been created yet. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + The parameters are specified as a key/value dictionary with the names being the ones from the PCell declaration. - This method has been introduced in version 0.27 + If no PCell with the given name exists, nil is returned. + + This method has been introduce in version 0.24. """ - def is_box(self) -> bool: + def delete_cell(self, cell_index: int) -> None: r""" - @brief Returns true, if the region is a simple box + @brief Deletes a cell - @return True if the region is a box. + This deletes a cell but not the sub cells of the cell. + These subcells will likely become new top cells unless they are used + otherwise. + All instances of this cell are deleted as well. + Hint: to delete multiple cells, use "delete_cells" which is + far more efficient in this case. - This method does not apply implicit merging if merge semantics is enabled. - If the region is not merged, this method may return false even - if the merged region would be a box. + @param cell_index The index of the cell to delete + + This method has been introduced in version 0.20. """ - def is_const_object(self) -> bool: + def delete_cell_rec(self, cell_index: int) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Deletes a cell plus all subcells + + This deletes a cell and also all sub cells of the cell. + In contrast to \prune_cell, all cells are deleted together with their instances even if they are used otherwise. + + @param cell_index The index of the cell to delete + + This method has been introduced in version 0.20. """ - def is_deep(self) -> bool: + def delete_cells(self, cell_index_list: Sequence[int]) -> None: r""" - @brief Returns true if the region is a deep (hierarchical) one + @brief Deletes multiple cells - This method has been added in version 0.26. + This deletes the cells but not the sub cells of these cells. + These subcells will likely become new top cells unless they are used + otherwise. + All instances of these cells are deleted as well. + + @param cell_index_list An array of cell indices of the cells to delete + + This method has been introduced in version 0.20. """ - def is_empty(self) -> bool: + def delete_layer(self, layer_index: int) -> None: r""" - @brief Returns true if the region is empty + @brief Deletes a layer + + This method frees the memory allocated for the shapes of this layer and remembers the + layer's index for reuse when the next layer is allocated. + + @param layer_index The index of the layer to delete. """ - def is_merged(self) -> bool: + def delete_property(self, key: Any) -> None: r""" - @brief Returns true if the region is merged - If the region is merged, polygons will not touch or overlap. You can ensure merged state by calling \merge. + @brief Deletes the user property with the given key + This method is a convenience method that deletes the property with the given key. It does nothing if no property with that key exists. Using that method is more convenient than creating a new property set with a new ID and assigning that properties ID. + This method may change the properties ID. + + This method has been introduced in version 0.24. """ - def isolated_check(self, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ...) -> EdgePairs: + def destroy(self) -> None: r""" - @brief Performs a space check between edges of different polygons with options - @param d The minimum space for which the polygons are checked - @param whole_edges If true, deliver the whole edges - @param metrics Specify the metrics type - @param ignore_angle The angle above which no check is performed - @param min_projection The lower threshold of the projected length of one edge onto another - @param max_projection The upper limit of the projected length of one edge onto another - @param opposite_filter Specifies a filter mode for errors happening on opposite sides of inputs shapes - @param rect_filter Specifies an error filter for rectangular input shapes - @param negative If true, edges not violation the condition will be output as pseudo-edge pairs - - If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. - - "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. - - "ignore_angle" specifies the angle limit of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. - Use nil for this value to select the default. - - "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one limit, pass nil to the respective value. - - "shielded" controls whether shielding is applied. Shielding means that rule violations are not detected 'through' other features. Measurements are only made where the opposite edge is unobstructed. - Shielding often is not optional as a rule violation in shielded case automatically comes with rule violations between the original and the shielding features. If not necessary, shielding can be disabled by setting this flag to false. In general, this will improve performance somewhat. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dump_mem_statistics(self, detailed: Optional[bool] = ...) -> None: + r""" + @hide + """ + def dup(self) -> Layout: + r""" + @brief Creates a copy of self + """ + def each_cell(self) -> Iterator[Cell]: + r""" + @brief Iterates the unsorted cell list + """ + def each_cell_bottom_up(self) -> Iterator[int]: + r""" + @brief Iterates the bottom-up sorted cell list - "opposite_filter" specifies whether to require or reject errors happening on opposite sides of a figure. "rect_filter" allows suppressing specific error configurations on rectangular input figures. + In bottom-up traversal a cell is not delivered before + the last child cell of this cell has been delivered. + The bottom-up iterator does not deliver cells but cell + indices actually. + """ + def each_cell_top_down(self) -> Iterator[int]: + r""" + @brief Iterates the top-down sorted cell list - Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + The top-down cell list has the property of delivering all + cells before they are instantiated. In addition the first + cells are all top cells. There is at least one top cell. + The top-down iterator does not deliver cells but cell + indices actually. + @brief begin iterator of the top-down sorted cell list + """ + def each_meta_info(self) -> Iterator[LayoutMetaInfo]: + r""" + @brief Iterates over the meta information of the layout + See \LayoutMetaInfo for details about layouts and meta information. - The 'shielded', 'negative', 'not_opposite' and 'rect_sides' options have been introduced in version 0.27. + This method has been introduced in version 0.25. """ - def members_of(self, other: Region) -> Region: + def each_top_cell(self) -> Iterator[int]: r""" - @brief Returns all polygons which are members of the other region - This method returns all polygons in self which can be found in the other region as well with exactly the same geometry. + @brief Iterates the top cells + A layout may have an arbitrary number of top cells. The usual case however is that there is one top cell. """ - @overload - def merge(self) -> Region: + def end_changes(self) -> None: r""" - @brief Merge the region - - @return The region after is has been merged (self). - - Merging removes overlaps and joins touching polygons. - If the region is already merged, this method does nothing + @brief Cancels the "in changes" state (see "start_changes") """ @overload - def merge(self, min_wc: int) -> Region: + def find_layer(self, info: LayerInfo) -> Any: r""" - @brief Merge the region with options - - @param min_wc Overlap selection - @return The region after is has been merged (self). + @brief Finds a layer with the given properties - Merging removes overlaps and joins touching polygons. - This version provides one additional option: "min_wc" controls whether output is only produced if multiple polygons overlap. The value specifies the number of polygons that need to overlap. A value of 2 means that output is only produced if two or more polygons overlap. + If a layer with the given properties already exists, this method will return the index of that layer.If no such layer exists, it will return nil. - This method is equivalent to "merge(false, min_wc). + This method has been introduced in version 0.23. """ @overload - def merge(self, min_coherence: bool, min_wc: int) -> Region: + def find_layer(self, layer: int, datatype: int) -> Any: r""" - @brief Merge the region with options + @brief Finds a layer with the given layer and datatype number - @param min_coherence A flag indicating whether the resulting polygons shall have minimum coherence - @param min_wc Overlap selection - @return The region after is has been merged (self). + If a layer with the given layer/datatype already exists, this method will return the index of that layer.If no such layer exists, it will return nil. - Merging removes overlaps and joins touching polygons. - This version provides two additional options: if "min_coherence" is set to true, "kissing corners" are resolved by producing separate polygons. "min_wc" controls whether output is only produced if multiple polygons overlap. The value specifies the number of polygons that need to overlap. A value of 2 means that output is only produced if two or more polygons overlap. + This method has been introduced in version 0.23. """ @overload - def merged(self) -> Region: + def find_layer(self, layer: int, datatype: int, name: str) -> Any: r""" - @brief Returns the merged region + @brief Finds a layer with the given layer and datatype number and name - @return The region after is has been merged. + If a layer with the given layer/datatype/name already exists, this method will return the index of that layer.If no such layer exists, it will return nil. - Merging removes overlaps and joins touching polygons. - If the region is already merged, this method does nothing. - In contrast to \merge, this method does not modify the region but returns a merged copy. + This method has been introduced in version 0.23. """ @overload - def merged(self, min_wc: int) -> Region: + def find_layer(self, name: str) -> Any: r""" - @brief Returns the merged region (with options) - - @return The region after is has been merged. - - This version provides one additional options: "min_wc" controls whether output is only produced if multiple polygons overlap. The value specifies the number of polygons that need to overlap. A value of 2 means that output is only produced if two or more polygons overlap. + @brief Finds a layer with the given name - This method is equivalent to "merged(false, min_wc)". + If a layer with the given name already exists, this method will return the index of that layer.If no such layer exists, it will return nil. - In contrast to \merge, this method does not modify the region but returns a merged copy. + This method has been introduced in version 0.23. """ - @overload - def merged(self, min_coherence: bool, min_wc: int) -> Region: + def flatten(self, cell_index: int, levels: int, prune: bool) -> None: r""" - @brief Returns the merged region (with options) + @brief Flattens the given cell - @param min_coherence A flag indicating whether the resulting polygons shall have minimum coherence - @param min_wc Overlap selection - @return The region after is has been merged (self). + This method propagates all shapes and instances from the specified number of hierarchy levels below into the given cell. + It also removes the instances of the cells from which the shapes came from, but does not remove the cells themselves if prune is set to false. + If prune is set to true, these cells are removed if not used otherwise. - Merging removes overlaps and joins touching polygons. - This version provides two additional options: if "min_coherence" is set to true, "kissing corners" are resolved by producing separate polygons. "min_wc" controls whether output is only produced if multiple polygons overlap. The value specifies the number of polygons that need to overlap. A value of 2 means that output is only produced if two or more polygons overlap. + @param cell_index The cell which should be flattened + @param levels The number of hierarchy levels to flatten (-1: all, 0: none, 1: one level etc.) + @param prune Set to true to remove orphan cells. - In contrast to \merge, this method does not modify the region but returns a merged copy. + This method has been introduced in version 0.20. """ - @overload - def minkowski_sum(self, b: Box) -> Region: + def flatten_into(self, source_cell_index: int, target_cell_index: int, trans: ICplxTrans, levels: int) -> None: r""" - @brief Compute the Minkowski sum of the region and a box + @brief Flattens the given cell into another cell - @param b The box. + This method works like 'flatten', but allows specification of a target cell which can be different from the source cell plus a transformation which is applied for all shapes and instances in the target cell. - @return The new polygons representing the Minkowski sum of self and the box. + In contrast to the 'flatten' method, the source cell is not modified. - The result is equivalent to the region-with-polygon Minkowski sum with the box used as the second polygon. + @param source_cell_index The source cell which should be flattened + @param target_cell_index The target cell into which the resulting objects are written + @param trans The transformation to apply on the output shapes and instances + @param levels The number of hierarchy levels to flatten (-1: all, 0: none, 1: one level etc.) - The resulting polygons are not merged. In order to remove overlaps, use the \merge or \merged method.Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + This method has been introduced in version 0.24. """ - @overload - def minkowski_sum(self, b: Sequence[Point]) -> Region: + def get_info(self, index: int) -> LayerInfo: r""" - @brief Compute the Minkowski sum of the region and a contour of points (a trace) - - @param b The contour (a series of points forming the trace). - - @return The new polygons representing the Minkowski sum of self and the contour. + @brief Gets the info structure for a specified layer + """ + def guiding_shape_layer(self) -> int: + r""" + @brief Returns the index of the guiding shape layer + The guiding shape layer is used to store guiding shapes for PCells. - The Minkowski sum of a region and a contour basically results in the area covered when "dragging" the region along the contour. The effect is similar to drawing the contour with a pencil that has the shape of the given region. + This method has been added in version 0.22. + """ + def has_cell(self, name: str) -> bool: + r""" + @brief Returns true if a cell with a given name exists + Returns true, if the layout has a cell with the given name + """ + def has_prop_id(self) -> bool: + r""" + @brief Returns true, if the layout has user properties - The resulting polygons are not merged. In order to remove overlaps, use the \merge or \merged method.Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + This method has been introduced in version 0.24. """ @overload - def minkowski_sum(self, e: Edge) -> Region: + def insert(self, cell_index: int, layer: int, edge_pairs: EdgePairs) -> None: r""" - @brief Compute the Minkowski sum of the region and an edge - - @param e The edge. - - @return The new polygons representing the Minkowski sum with the edge e. - - The Minkowski sum of a region and an edge basically results in the area covered when "dragging" the region along the line given by the edge. The effect is similar to drawing the line with a pencil that has the shape of the given region. + @brief Inserts an edge pair collection into the given cell and layer + If the edge pair collection is (conceptionally) flat, it will be inserted into the cell's shapes list as a flat sequence of edge pairs. + If the edge pair collection is deep (hierarchical), it will create a subhierarchy below the given cell and it's edge pairs will be put into the respective cells. Suitable subcells will be picked for inserting the edge pairs. If a hierarchy already exists below the given cell, the algorithm will try to reuse this hierarchy. - The resulting polygons are not merged. In order to remove overlaps, use the \merge or \merged method.Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + This method has been introduced in version 0.27. """ @overload - def minkowski_sum(self, p: Polygon) -> Region: + def insert(self, cell_index: int, layer: int, edges: Edges) -> None: r""" - @brief Compute the Minkowski sum of the region and a polygon - - @param p The first argument. - - @return The new polygons representing the Minkowski sum of self and p. - - The Minkowski sum of a region and a polygon is basically the result of "painting" the region with a pen that has the shape of the second polygon. + @brief Inserts an edge collection into the given cell and layer + If the edge collection is (conceptionally) flat, it will be inserted into the cell's shapes list as a flat sequence of edges. + If the edge collection is deep (hierarchical), it will create a subhierarchy below the given cell and it's edges will be put into the respective cells. Suitable subcells will be picked for inserting the edges. If a hierarchy already exists below the given cell, the algorithm will try to reuse this hierarchy. - The resulting polygons are not merged. In order to remove overlaps, use the \merge or \merged method.Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + This method has been introduced in version 0.26. """ @overload - def minkowsky_sum(self, b: Box) -> Region: + def insert(self, cell_index: int, layer: int, region: Region) -> None: r""" - @brief Compute the Minkowski sum of the region and a box - - @param b The box. - - @return The new polygons representing the Minkowski sum of self and the box. - - The result is equivalent to the region-with-polygon Minkowski sum with the box used as the second polygon. + @brief Inserts a region into the given cell and layer + If the region is (conceptionally) a flat region, it will be inserted into the cell's shapes list as a flat sequence of polygons. + If the region is a deep (hierarchical) region, it will create a subhierarchy below the given cell and it's shapes will be put into the respective cells. Suitable subcells will be picked for inserting the shapes. If a hierarchy already exists below the given cell, the algorithm will try to reuse this hierarchy. - The resulting polygons are not merged. In order to remove overlaps, use the \merge or \merged method.Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + This method has been introduced in version 0.26. """ @overload - def minkowsky_sum(self, b: Sequence[Point]) -> Region: + def insert(self, cell_index: int, layer: int, texts: Texts) -> None: r""" - @brief Compute the Minkowski sum of the region and a contour of points (a trace) - - @param b The contour (a series of points forming the trace). + @brief Inserts an text collection into the given cell and layer + If the text collection is (conceptionally) flat, it will be inserted into the cell's shapes list as a flat sequence of texts. + If the text collection is deep (hierarchical), it will create a subhierarchy below the given cell and it's texts will be put into the respective cells. Suitable subcells will be picked for inserting the texts. If a hierarchy already exists below the given cell, the algorithm will try to reuse this hierarchy. - @return The new polygons representing the Minkowski sum of self and the contour. + This method has been introduced in version 0.27. + """ + def insert_layer(self, props: LayerInfo) -> int: + r""" + @brief Inserts a new layer with the given properties + @return The index of the newly created layer + """ + def insert_layer_at(self, index: int, props: LayerInfo) -> None: + r""" + @brief Inserts a new layer with the given properties at the given index + This method will associate the given layer info with the given layer index. If a layer with that index already exists, this method will change the properties of the layer with that index. Otherwise a new layer is created. + """ + def insert_special_layer(self, props: LayerInfo) -> int: + r""" + @brief Inserts a new special layer with the given properties - The Minkowski sum of a region and a contour basically results in the area covered when "dragging" the region along the contour. The effect is similar to drawing the contour with a pencil that has the shape of the given region. + Special layers can be used to represent objects that should not participate in normal viewing or other related operations. Special layers are not reported as valid layers. - The resulting polygons are not merged. In order to remove overlaps, use the \merge or \merged method.Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + @return The index of the newly created layer """ - @overload - def minkowsky_sum(self, e: Edge) -> Region: + def insert_special_layer_at(self, index: int, props: LayerInfo) -> None: r""" - @brief Compute the Minkowski sum of the region and an edge + @brief Inserts a new special layer with the given properties at the given index - @param e The edge. + See \insert_special_layer for a description of special layers. + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def is_editable(self) -> bool: + r""" + @brief Returns a value indicating whether the layout is editable. + @return True, if the layout is editable. + If a layout is editable, in general manipulation methods are enabled and some optimizations are disabled (i.e. shape arrays are expanded). - @return The new polygons representing the Minkowski sum with the edge e. + This method has been introduced in version 0.22. + """ + def is_free_layer(self, layer_index: int) -> bool: + r""" + @brief Returns true, if a layer index is a free (unused) layer index - The Minkowski sum of a region and an edge basically results in the area covered when "dragging" the region along the line given by the edge. The effect is similar to drawing the line with a pencil that has the shape of the given region. + @return true, if this is the case - The resulting polygons are not merged. In order to remove overlaps, use the \merge or \merged method.Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + This method has been introduced in version 0.26. """ - @overload - def minkowsky_sum(self, p: Polygon) -> Region: + def is_special_layer(self, layer_index: int) -> bool: r""" - @brief Compute the Minkowski sum of the region and a polygon - - @param p The first argument. + @brief Returns true, if a layer index is a special layer index - @return The new polygons representing the Minkowski sum of self and p. + @return true, if this is the case + """ + def is_valid_cell_index(self, cell_index: int) -> bool: + r""" + @brief Returns true, if a cell index is a valid index - The Minkowski sum of a region and a polygon is basically the result of "painting" the region with a pen that has the shape of the second polygon. + @return true, if this is the case + This method has been added in version 0.20. + """ + def is_valid_layer(self, layer_index: int) -> bool: + r""" + @brief Returns true, if a layer index is a valid normal layout layer index - The resulting polygons are not merged. In order to remove overlaps, use the \merge or \merged method.Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + @return true, if this is the case """ @overload - def move(self, v: Vector) -> Region: + def layer(self) -> int: r""" - @brief Moves the region - - Moves the polygon by the given offset and returns the - moved region. The region is overwritten. + @brief Creates a new internal layer - @param v The distance to move the region. + This method will create a new internal layer and return the layer index for this layer. + The layer does not have any properties attached to it. That means, it is not going to be saved to a layout file unless it is given database properties with \set_info. - Starting with version 0.25 this method accepts a vector argument. + This method is equivalent to "layer(RBA::LayerInfo::new())". - @return The moved region (self). + This method has been introduced in version 0.25. """ @overload - def move(self, x: int, y: int) -> Region: + def layer(self, info: LayerInfo) -> int: r""" - @brief Moves the region - - Moves the region by the given offset and returns the - moved region. The region is overwritten. + @brief Finds or creates a layer with the given properties - @param x The x distance to move the region. - @param y The y distance to move the region. + If a layer with the given properties already exists, this method will return the index of that layer.If no such layer exists, a new one with these properties will be created and its index will be returned. If "info" is anonymous (info.anonymous? is true), a new layer will always be created. - @return The moved region (self). + This method has been introduced in version 0.23. """ @overload - def moved(self, v: Vector) -> Region: + def layer(self, layer: int, datatype: int) -> int: r""" - @brief Returns the moved region (does not modify self) + @brief Finds or creates a layer with the given layer and datatype number - Moves the region by the given offset and returns the - moved region. The region is not modified. + If a layer with the given layer/datatype already exists, this method will return the index of that layer.If no such layer exists, a new one with these properties will be created and its index will be returned. - Starting with version 0.25 this method accepts a vector argument. + This method has been introduced in version 0.23. + """ + @overload + def layer(self, layer: int, datatype: int, name: str) -> int: + r""" + @brief Finds or creates a layer with the given layer and datatype number and name - @param p The distance to move the region. + If a layer with the given layer/datatype/name already exists, this method will return the index of that layer.If no such layer exists, a new one with these properties will be created and its index will be returned. - @return The moved region. + This method has been introduced in version 0.23. """ @overload - def moved(self, x: int, y: int) -> Region: + def layer(self, name: str) -> int: r""" - @brief Returns the moved region (does not modify self) - - Moves the region by the given offset and returns the - moved region. The region is not modified. + @brief Finds or creates a layer with the given name - @param x The x distance to move the region. - @param y The y distance to move the region. + If a layer with the given name already exists, this method will return the index of that layer.If no such layer exists, a new one with this name will be created and its index will be returned. - @return The moved region. + This method has been introduced in version 0.23. """ - def non_rectangles(self) -> Region: + def layer_indexes(self) -> List[int]: r""" - @brief Returns all polygons which are not rectangles - This method returns all polygons in self which are not rectangles.Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Gets a list of valid layer's indices + This method returns an array with layer indices representing valid layers. + + This method has been introduced in version 0.19. """ - def non_rectilinear(self) -> Region: + def layer_indices(self) -> List[int]: r""" - @brief Returns all polygons which are not rectilinear - This method returns all polygons in self which are not rectilinear.Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Gets a list of valid layer's indices + This method returns an array with layer indices representing valid layers. + + This method has been introduced in version 0.19. """ - def non_squares(self) -> Region: + def layer_infos(self) -> List[LayerInfo]: r""" - @brief Returns all polygons which are not squares - This method returns all polygons in self which are not squares.Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Gets a list of valid layer's properties + The method returns an array with layer properties representing valid layers. + The sequence and length of this list corresponds to that of \layer_indexes. - This method has been introduced in version 0.27. + This method has been introduced in version 0.25. """ - def not_covering(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: + def layers(self) -> int: r""" - @brief Returns the polygons of this region which are not completely covering polygons from the other region - - @return A new region containing the polygons which are not covering polygons from the other region - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - - This attribute is sometimes called 'enclosing' instead of 'covering', but this term is reserved for the respective DRC function. - - This method has been introduced in version 0.27. + @brief Returns the number of layers + The number of layers reports the maximum (plus 1) layer index used so far. Not all of the layers with an index in the range of 0 to layers-1 needs to be a valid layer. These layers can be either valid, special or unused. Use \is_valid_layer? and \is_special_layer? to test for the first two states. """ - def not_in(self, other: Region) -> Region: + def library(self) -> Library: r""" - @brief Returns all polygons which are not members of the other region - This method returns all polygons in self which can not be found in the other region with exactly the same geometry. + @brief Gets the library this layout lives in or nil if the layout is not part of a library + This attribute has been introduced in version 0.27.5. """ - def not_inside(self, other: Region) -> Region: + def meta_info_value(self, name: str) -> str: r""" - @brief Returns the polygons of this region which are not completely inside polygons from the other region + @brief Gets the meta information value for a given name + See \LayoutMetaInfo for details about layouts and meta information. - @return A new region containing the polygons which are not inside polygons from the other region + If no meta information with the given name exists, an empty string will be returned. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + This method has been introduced in version 0.25. """ - @overload - def not_interacting(self, other: Edges, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: + def move_layer(self, src: int, dest: int) -> None: r""" - @brief Returns the polygons of this region which do not overlap or touch edges from the edge collection - - 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with edges of the edge collection to make the polygon not selected. A polygon is not selected by this method if the number of edges interacting with the polygon is between min_count and max_count (including max_count). + @brief Moves a layer - @return A new region containing the polygons not overlapping or touching edges from the edge collection + This method was introduced in version 0.19. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + Move a layer from the source to the target. The target is not cleared before, so that this method + merges shapes from the source with the target layer. The source layer is empty after that operation. - This method has been introduced in version 0.25 - The min_count and max_count arguments have been added in version 0.27. + @param src The layer index of the source layer. + @param dest The layer index of the destination layer. """ @overload - def not_interacting(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: + def move_tree_shapes(self, source_layout: Layout, cell_mapping: CellMapping) -> None: r""" - @brief Returns the polygons of this region which do not overlap or touch polygons from the other region - - 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with (different) polygons of the other region to make the polygon not selected. A polygon is not selected by this method if the number of polygons interacting with a polygon of this region is between min_count and max_count (including max_count). - - @return A new region containing the polygons not overlapping or touching polygons from the other region + @brief Moves the shapes for all given mappings in the \CellMapping object - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + This method acts like the corresponding \copy_tree_shapes method, but removes the shapes from the source layout after they have been copied. - The min_count and max_count arguments have been added in version 0.27. + This method has been added in version 0.26.8. """ @overload - def not_interacting(self, other: Texts, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: + def move_tree_shapes(self, source_layout: Layout, cell_mapping: CellMapping, layer_mapping: LayerMapping) -> None: r""" - @brief Returns the polygons of this region which do not overlap or touch texts - - 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with texts of the text collection to make the polygon not selected. A polygon is not selected by this method if the number of texts interacting with the polygon is between min_count and max_count (including max_count). - - @return A new region containing the polygons not overlapping or touching texts + @brief Moves the shapes for all given mappings in the \CellMapping object using the given layer mapping - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + This method acts like the corresponding \copy_tree_shapes method, but removes the shapes from the source layout after they have been copied. - This method has been introduced in version 0.27 + This method has been added in version 0.26.8. """ - def not_members_of(self, other: Region) -> Region: + @overload + def multi_clip(self, cell: Cell, boxes: Sequence[Box]) -> List[Cell]: r""" - @brief Returns all polygons which are not members of the other region - This method returns all polygons in self which can not be found in the other region with exactly the same geometry. + @brief Clips the given cell by the given rectangles and produces new cells with the clips, one for each rectangle. + @param cell The reference to the cell to clip + @param boxes The clip boxes in database units + @return The references to the new cells + + This variant which takes cell references has been added in version 0.28. """ - def not_outside(self, other: Region) -> Region: + @overload + def multi_clip(self, cell: Cell, boxes: Sequence[DBox]) -> List[Cell]: r""" - @brief Returns the polygons of this region which are not completely outside polygons from the other region - - @return A new region containing the polygons which are not outside polygons from the other region + @brief Clips the given cell by the given rectangles and produces new cells with the clips, one for each rectangle. + @param cell The reference to the cell to clip + @param boxes The clip boxes in micrometer units + @return The references to the new cells - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + This variant which takes cell references and micrometer-unit boxes has been added in version 0.28. """ - def not_overlapping(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: + @overload + def multi_clip(self, cell: int, boxes: Sequence[Box]) -> List[int]: r""" - @brief Returns the polygons of this region which do not overlap polygons from the other region - - @return A new region containing the polygons not overlapping polygons from the other region + @brief Clips the given cell by the given rectangles and produces new cells with the clips, one for each rectangle. + @param cell The cell index of the cell to clip + @param boxes The clip boxes in database units + @return The indexes of the new cells - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + This method will cut rectangular regions given by the boxes from the given cell. The clips will be stored in a new cells whose indexed are returned. The clips will be performed hierarchically. The resulting cells will hold a hierarchy of child cells, which are potentially clipped versions of child cells of the original cell. This version is somewhat more efficient than doing individual clips because the clip cells may share clipped versions of child cells. - The count options have been introduced in version 0.27. + This method has been added in version 0.21. """ - def notch_check(self, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., negative: Optional[bool] = ...) -> EdgePairs: + @overload + def multi_clip(self, cell: int, boxes: Sequence[DBox]) -> List[int]: r""" - @brief Performs a space check between edges of the same polygon with options - @param d The minimum space for which the polygons are checked - @param whole_edges If true, deliver the whole edges - @param metrics Specify the metrics type - @param ignore_angle The angle above which no check is performed - @param min_projection The lower threshold of the projected length of one edge onto another - @param max_projection The upper limit of the projected length of one edge onto another - @param shielded Enables shielding - @param negative If true, edges not violation the condition will be output as pseudo-edge pairs - - This version is similar to the simple version with one parameter. In addition, it allows to specify many more options. - - If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the space check. - - "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. - - "ignore_angle" specifies the angle limit of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. - Use nil for this value to select the default. - - "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one limit, pass nil to the respective value. - - "shielded" controls whether shielding is applied. Shielding means that rule violations are not detected 'through' other features. Measurements are only made where the opposite edge is unobstructed. - Shielding often is not optional as a rule violation in shielded case automatically comes with rule violations between the original and the shielding features. If not necessary, shielding can be disabled by setting this flag to false. In general, this will improve performance somewhat. - - Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + @brief Clips the given cell by the given rectangles and produces new cells with the clips, one for each rectangle. + @param cell The cell index of the cell to clip + @param boxes The clip boxes in micrometer units + @return The indexes of the new cells - The 'shielded' and 'negative' options have been introduced in version 0.27. + This variant which takes micrometer-unit boxes has been added in version 0.28. """ - def outside(self, other: Region) -> Region: + @overload + def multi_clip_into(self, cell: Cell, target: Layout, boxes: Sequence[Box]) -> List[Cell]: r""" - @brief Returns the polygons of this region which are completely outside polygons from the other region - - @return A new region containing the polygons which are outside polygons from the other region + @brief Clips the given cell by the given rectangles and produces new cells with the clips, one for each rectangle. + @param cell The reference the cell to clip + @param boxes The clip boxes in database units + @param target The target layout + @return The references to the new cells - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + This variant which takes cell references boxes has been added in version 0.28. """ - def overlap_check(self, other: Region, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ...) -> EdgePairs: + @overload + def multi_clip_into(self, cell: Cell, target: Layout, boxes: Sequence[DBox]) -> List[Cell]: r""" - @brief Performs an overlap check with options - @param d The minimum overlap for which the polygons are checked - @param other The other region against which to check - @param whole_edges If true, deliver the whole edges - @param metrics Specify the metrics type - @param ignore_angle The angle above which no check is performed - @param min_projection The lower threshold of the projected length of one edge onto another - @param max_projection The upper limit of the projected length of one edge onto another - @param opposite_filter Specifies a filter mode for errors happening on opposite sides of inputs shapes - @param rect_filter Specifies an error filter for rectangular input shapes - @param negative Negative output from the first input - - If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. - - "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. - - "ignore_angle" specifies the angle limit of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. - Use nil for this value to select the default. - - "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one limit, pass nil to the respective value. - - "shielded" controls whether shielding is applied. Shielding means that rule violations are not detected 'through' other features. Measurements are only made where the opposite edge is unobstructed. - Shielding often is not optional as a rule violation in shielded case automatically comes with rule violations between the original and the shielding features. If not necessary, shielding can be disabled by setting this flag to false. In general, this will improve performance somewhat. - - "opposite_filter" specifies whether to require or reject errors happening on opposite sides of a figure. "rect_filter" allows suppressing specific error configurations on rectangular input figures. - - If "negative" is true, only edges from the first input are output as pseudo edge-pairs where the overlap is larger or equal to the limit. This is a way to flag the parts of the first input where the overlap vs. the second input is bigger. Note that only the first input's edges are output. The output is still edge pairs, but each edge pair contains one edge from the original input and the reverse version of the edge as the second edge. - - Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + @brief Clips the given cell by the given rectangles and produces new cells with the clips, one for each rectangle. + @param cell The reference the cell to clip + @param boxes The clip boxes in micrometer units + @param target The target layout + @return The references to the new cells - The 'shielded', 'negative', 'not_opposite' and 'rect_sides' options have been introduced in version 0.27. The interpretation of the 'negative' flag has been restriced to first-layout only output in 0.27.1. + This variant which takes cell references and micrometer-unit boxes has been added in version 0.28. """ - def overlapping(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: + @overload + def multi_clip_into(self, cell: int, target: Layout, boxes: Sequence[Box]) -> List[int]: r""" - @brief Returns the polygons of this region which overlap polygons from the other region + @brief Clips the given cell by the given rectangles and produces new cells with the clips, one for each rectangle. + @param cell The cell index of the cell to clip + @param boxes The clip boxes in database units + @param target The target layout + @return The indexes of the new cells - @return A new region containing the polygons overlapping polygons from the other region + This method will cut rectangular regions given by the boxes from the given cell. The clips will be stored in a new cells in the given target layout. The clips will be performed hierarchically. The resulting cells will hold a hierarchy of child cells, which are potentially clipped versions of child cells of the original cell. This version is somewhat more efficient than doing individual clips because the clip cells may share clipped versions of child cells. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + Please note that it is important that the database unit of the target layout is identical to the database unit of the source layout to achieve the desired results. This method also assumes that the target layout holds the same layers than the source layout. It will copy shapes to the same layers than they have been on the original layout. - The count options have been introduced in version 0.27. + This method has been added in version 0.21. """ @overload - def perimeter(self) -> int: + def multi_clip_into(self, cell: int, target: Layout, boxes: Sequence[DBox]) -> List[int]: r""" - @brief The total perimeter of the polygons + @brief Clips the given cell by the given rectangles and produces new cells with the clips, one for each rectangle. + @param cell The cell index of the cell to clip + @param boxes The clip boxes in database units + @param target The target layout + @return The indexes of the new cells - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - If merged semantics is not enabled, internal edges are counted as well. + This variant which takes micrometer-unit boxes has been added in version 0.28. """ @overload - def perimeter(self, rect: Box) -> int: + def pcell_declaration(self, name: str) -> PCellDeclaration_Native: r""" - @brief The total perimeter of the polygons (restricted to a rectangle) - This version will compute the perimeter of the polygons, restricting the computation to the given rectangle. - Edges along the border are handled in a special way: they are counted when they are oriented with their inside side toward the rectangle (in other words: outside edges must coincide with the rectangle's border in order to be counted). + @brief Gets a reference to the PCell declaration for the PCell with the given name + Returns a reference to the local PCell declaration with the given name. If the name + is not a valid PCell name, this method returns nil. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - If merged semantics is not enabled, internal edges are counted as well. + Usually this method is used on library layouts that define + PCells. Note that this method cannot be used on the layouts using the PCell from + a library. + + This method has been introduced in version 0.22. """ - def pull_inside(self, other: Region) -> Region: + @overload + def pcell_declaration(self, pcell_id: int) -> PCellDeclaration_Native: r""" - @brief Returns all polygons of "other" which are inside polygons of this region - The "pull_..." methods are similar to "select_..." but work the opposite way: they select shapes from the argument region rather than self. In a deep (hierarchical) context the output region will be hierarchically aligned with self, so the "pull_..." methods provide a way for re-hierarchization. - - @return The region after the polygons have been selected (from other) + @brief Gets a reference to the PCell declaration for the PCell with the given PCell ID. + Returns a reference to the local PCell declaration with the given PCell id. If the parameter + is not a valid PCell ID, this method returns nil. The PCell ID is the number returned + by \register_pcell for example. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + Usually this method is used on library layouts that define + PCells. Note that this method cannot be used on the layouts using the PCell from + a library. - This method has been introduced in version 0.26.1 + This method has been introduced in version 0.22. """ - @overload - def pull_interacting(self, other: Edges) -> Edges: + def pcell_id(self, name: str) -> int: r""" - @brief Returns all edges of "other" which are interacting with polygons of this region - See \pull_inside for a description of the "pull_..." methods. + @brief Gets the ID of the PCell with the given name + This method is equivalent to 'pcell_declaration(name).id'. - @return The edge collection after the edges have been selected (from other) + This method has been introduced in version 0.22. + """ + def pcell_ids(self) -> List[int]: + r""" + @brief Gets the IDs of the PCells registered in the layout + Returns an array of PCell IDs. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + This method has been introduced in version 0.24. + """ + def pcell_names(self) -> List[str]: + r""" + @brief Gets the names of the PCells registered in the layout + Returns an array of PCell names. - This method has been introduced in version 0.26.1 + This method has been introduced in version 0.24. """ - @overload - def pull_interacting(self, other: Region) -> Region: + def properties(self, properties_id: int) -> List[Any]: r""" - @brief Returns all polygons of "other" which are interacting with (overlapping, touching) polygons of this region - See \pull_inside for a description of the "pull_..." methods. + @brief Gets the properties set for a given properties ID - @return The region after the polygons have been selected (from other) + Basically performs the backward conversion of the 'properties_id' method. Given a properties ID, returns the properties set as an array of pairs of variants. In this array, each key and the value are stored as pairs (arrays with two elements). + If the properties ID is not valid, an empty array is returned. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @param properties_id The properties ID to get the properties for + @return The array of variants (see \properties_id) + """ + def properties_id(self, properties: Sequence[Any]) -> int: + r""" + @brief Gets the properties ID for a given properties set - This method has been introduced in version 0.26.1 + Before a set of properties can be attached to a shape, it must be converted into an ID that is unique for that set. The properties set must be given as a list of pairs of variants, each pair describing a name and a value. The name acts as the key for the property and does not need to be a string (it can be an integer or double value as well). + The backward conversion can be performed with the 'properties' method. + + @param properties The array of pairs of variants (both elements can be integer, double or string) + @return The unique properties ID for that set """ - @overload - def pull_interacting(self, other: Texts) -> Texts: + def property(self, key: Any) -> Any: r""" - @brief Returns all texts of "other" which are interacting with polygons of this region - See \pull_inside for a description of the "pull_..." methods. + @brief Gets the user property with the given key + This method is a convenience method that gets the property with the given key. If no property with that key exists, it will return nil. Using that method is more convenient than using the properties ID to retrieve the property value. + This method has been introduced in version 0.24. + """ + def prune_cell(self, cell_index: int, levels: int) -> None: + r""" + @brief Deletes a cell plus subcells not used otherwise - @return The text collection after the texts have been selected (from other) + This deletes a cell and also all sub cells of the cell which are not used otherwise. + The number of hierarchy levels to consider can be specified as well. One level of hierarchy means that only the direct children of the cell are deleted with the cell itself. + All instances of this cell are deleted as well. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @param cell_index The index of the cell to delete + @param levels The number of hierarchy levels to consider (-1: all, 0: none, 1: one level etc.) - This method has been introduced in version 0.27 + This method has been introduced in version 0.20. """ - def pull_overlapping(self, other: Region) -> Region: + def prune_subcells(self, cell_index: int, levels: int) -> None: r""" - @brief Returns all polygons of "other" which are overlapping polygons of this region - See \pull_inside for a description of the "pull_..." methods. + @brief Deletes all sub cells of the cell which are not used otherwise down to the specified level of hierarchy - @return The region after the polygons have been selected (from other) + This deletes all sub cells of the cell which are not used otherwise. + All instances of the deleted cells are deleted as well. + It is possible to specify how many levels of hierarchy below the given root cell are considered. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @param cell_index The root cell from which to delete a sub cells + @param levels The number of hierarchy levels to consider (-1: all, 0: none, 1: one level etc.) - This method has been introduced in version 0.26.1 + This method has been introduced in version 0.20. """ - def rectangles(self) -> Region: + @overload + def read(self, filename: str) -> LayerMap: r""" - @brief Returns all polygons which are rectangles - This method returns all polygons in self which are rectangles.Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Load the layout from the given file + The format of the file is determined automatically and automatic unzipping is provided. No particular options can be specified. + @param filename The name of the file to load. + @return A layer map that contains the mapping used by the reader including the layers that have been created. + This method has been added in version 0.18. """ - def rectilinear(self) -> Region: + @overload + def read(self, filename: str, options: LoadLayoutOptions) -> LayerMap: r""" - @brief Returns all polygons which are rectilinear - This method returns all polygons in self which are rectilinear.Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Load the layout from the given file with options + The format of the file is determined automatically and automatic unzipping is provided. In this version, some reader options can be specified. @param filename The name of the file to load. + @param options The options object specifying further options for the reader. + @return A layer map that contains the mapping used by the reader including the layers that have been created. + This method has been added in version 0.18. """ - def round_corners(self, r_inner: float, r_outer: float, n: int) -> None: + def refresh(self) -> None: r""" - @brief Corner rounding - @param r_inner Inner corner radius (in database units) - @param r_outer Outer corner radius (in database units) - @param n The number of points per circle - - This method rounds the corners of the polygons in the region. Inner corners will be rounded with a radius of r_inner and outer corners with a radius of r_outer. The circles will be approximated by segments using n segments per full circle. + @brief Calls \Cell#refresh on all cells inside this layout + This method is useful to recompute all PCells from a layout. Note that this does not update PCells which are linked from a library. To recompute PCells from a library, you need to use \Library#refresh on the library object from which the PCells are imported. - This method modifies the region. \rounded_corners is a method that does the same but returns a new region without modifying self. Merged semantics applies for this method. + This method has been introduced in version 0.27.9. """ - def rounded_corners(self, r_inner: float, r_outer: float, n: int) -> Region: + def register_pcell(self, name: str, declaration: PCellDeclaration_Native) -> int: r""" - @brief Corner rounding - @param r_inner Inner corner radius (in database units) - @param r_outer Outer corner radius (in database units) - @param n The number of points per circle + @brief Registers a PCell declaration under the given name + Registers a local PCell in the current layout. If a declaration with that name + already exists, it is replaced with the new declaration. - See \round_corners for a description of this method. This version returns a new region instead of modifying self (out-of-place). + This method has been introduced in version 0.22. """ - def scale_and_snap(self, gx: int, mx: int, dx: int, gy: int, my: int, dy: int) -> None: + def remove_meta_info(self, name: str) -> None: r""" - @brief Scales and snaps the region to the given grid - This method will first scale the region by a rational factor of mx/dx horizontally and my/dy vertically and then snap the region to the given grid - each x or y coordinate is brought on the gx or gy grid by rounding to the nearest value which is a multiple of gx or gy. + @brief Removes meta information from the layout + See \LayoutMetaInfo for details about layouts and meta information. + This method has been introduced in version 0.25. + """ + def rename_cell(self, index: int, name: str) -> None: + r""" + @brief Renames the cell with given index + The cell with the given index is renamed to the given name. NOTE: it is not ensured that the name is unique. This method allows assigning identical names to different cells which usually breaks things. + Consider using \unique_cell_name to generate truely unique names. + """ + @overload + def scale_and_snap(self, cell: Cell, grid: int, mult: int, div: int) -> None: + r""" + @brief Scales and snaps the layout below a given cell by the given rational factor and snaps to the given grid - If gx or gy is 0, the result is brought on a grid of 1. + This method is useful to scale a layout by a non-integer factor. The scale factor is given by the rational number mult / div. After scaling, the layout will be snapped to the given grid. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + Snapping happens 'as-if-flat' - that is, touching edges will stay touching, regardless of their hierarchy path. To achieve this, this method usually needs to produce cell variants. This method has been introduced in version 0.26.1. """ - def scaled_and_snapped(self, gx: int, mx: int, dx: int, gy: int, my: int, dy: int) -> Region: + @overload + def scale_and_snap(self, cell_index: int, grid: int, mult: int, div: int) -> None: r""" - @brief Returns the scaled and snapped region - This method will scale and snap the region to the given grid and return the scaled and snapped region (see \scale_and_snap). The original region is not modified. + @brief Scales and snaps the layout below a given cell by the given rational factor and snaps to the given grid + + Like the other version of \scale_and_snap, but taking a cell index for the argument. This method has been introduced in version 0.26.1. """ - def select_covering(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: + def set_info(self, index: int, props: LayerInfo) -> None: r""" - @brief Selects the polygons of this region which are completely covering polygons from the other region - - @return The region after the polygons have been selected (self) - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - - This attribute is sometimes called 'enclosing' instead of 'covering', but this term is reserved for the respective DRC function. - - This method has been introduced in version 0.27. + @brief Sets the info structure for a specified layer """ - def select_inside(self, other: Region) -> Region: + def set_property(self, key: Any, value: Any) -> None: r""" - @brief Selects the polygons of this region which are completely inside polygons from the other region - - @return The region after the polygons have been selected (self) - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Sets the user property with the given key to the given value + This method is a convenience method that sets the property with the given key to the given value. If no property with that key exists, it will create one. Using that method is more convenient than creating a new property set with a new ID and assigning that properties ID. + This method may change the properties ID. Note: GDS only supports integer keys. OASIS supports numeric and string keys. + This method has been introduced in version 0.24. """ - @overload - def select_interacting(self, other: Edges, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: + def start_changes(self) -> None: r""" - @brief Selects the polygons from this region which overlap or touch edges from the edge collection + @brief Signals the start of an operation bringing the layout into invalid state - 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with edges of the edge collection to make the polygon selected. A polygon is selected by this method if the number of edges interacting with the polygon is between min_count and max_count (including max_count). + This method should be called whenever the layout is + about to be brought into an invalid state. After calling + this method, \under_construction? returns true which + tells foreign code (i.e. the asynchronous painter or the cell tree view) + not to use this layout object. - @return The region after the polygons have been selected (self) + This state is cancelled by the \end_changes method. + The start_changes method can be called multiple times + and must be cancelled the same number of times. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + This method can be used to speed up certain operations. For example iterating over the layout with a \RecursiveShapeIterator while modifying other layers of the layout can be very inefficient, because inside the loop the layout's state is invalidate and updated frequently. + Putting a update and start_changes sequence before the loop (use both methods in that order!) and a end_changes call after the loop can improve the performance dramatically. - This method has been introduced in version 0.25 - The min_count and max_count arguments have been added in version 0.27. + In addition, it can be necessary to prevent redraw operations in certain cases by using start_changes .. end_changes, in particular when it is possible to put a layout object into an invalid state temporarily. + + While the layout is under construction \update can be called to update the internal state explicitly if required. + This for example might be necessary to update the cell bounding boxes or to redo the sorting for region queries. """ - @overload - def select_interacting(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: + def swap_layers(self, a: int, b: int) -> None: r""" - @brief Selects the polygons from this region which overlap or touch polygons from the other region - - 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with (different) polygons of the other region to make the polygon selected. A polygon is selected by this method if the number of polygons interacting with a polygon of this region is between min_count and max_count (including max_count). + @brief Swap two layers - @return The region after the polygons have been selected (self) + Swaps the shapes of both layers. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + This method was introduced in version 0.19. - The min_count and max_count arguments have been added in version 0.27. + @param a The first of the layers to swap. + @param b The second of the layers to swap. """ - @overload - def select_interacting(self, other: Texts, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: + def technology(self) -> Technology: r""" - @brief Selects the polygons of this region which overlap or touch texts - - @return The region after the polygons have been selected (self) - - 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with texts of the text collection to make the polygon selected. A polygon is selected by this method if the number of texts interacting with the polygon is between min_count and max_count (including max_count). - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - - This method has been introduced in version 0.27 + @brief Gets the \Technology object of the technology this layout is associated with or nil if the layout is not associated with a technology + This method has been introduced in version 0.27. Before that, the technology has been kept in the 'technology' meta data element. """ - def select_not_covering(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: + def top_cell(self) -> Cell: r""" - @brief Selects the polygons of this region which are not completely covering polygons from the other region - - @return The region after the polygons have been selected (self) - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - - This attribute is sometimes called 'enclosing' instead of 'covering', but this term is reserved for the respective DRC function. + @brief Returns the top cell object + @return The \Cell object of the top cell + If the layout has a single top cell, this method returns the top cell's \Cell object. + If the layout does not have a top cell, this method returns "nil". If the layout has multiple + top cells, this method raises an error. - This method has been introduced in version 0.27. + This method has been introduced in version 0.23. """ - def select_not_inside(self, other: Region) -> Region: + def top_cells(self) -> List[Cell]: r""" - @brief Selects the polygons of this region which are not completely inside polygons from the other region - - @return The region after the polygons have been selected (self) + @brief Returns the top cell objects + @return The \Cell objects of the top cells + This method returns and array of \Cell objects representing the top cells of the layout. + This array can be empty, if the layout does not have a top cell (i.e. no cell at all). - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + This method has been introduced in version 0.23. """ @overload - def select_not_interacting(self, other: Edges, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: + def transform(self, trans: DCplxTrans) -> None: r""" - @brief Selects the polygons from this region which do not overlap or touch edges from the edge collection - - 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with edges of the edge collection to make the polygon not selected. A polygon is not selected by this method if the number of edges interacting with the polygon is between min_count and max_count (including max_count). - - @return The region after the polygons have been selected (self) - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Transforms the layout with the given complex integer transformation, which is in micrometer units + This variant will internally translate the transformation's displacement into database units. Apart from that, it behaves identical to the version with a \ICplxTrans argument. - This method has been introduced in version 0.25 - The min_count and max_count arguments have been added in version 0.27. + This method has been introduced in version 0.23. """ @overload - def select_not_interacting(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: + def transform(self, trans: DTrans) -> None: r""" - @brief Selects the polygons from this region which do not overlap or touch polygons from the other region - - 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with (different) polygons of the other region to make the polygon not selected. A polygon is not selected by this method if the number of polygons interacting with a polygon of this region is between min_count and max_count (including max_count). - - @return The region after the polygons have been selected (self) - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Transforms the layout with the given transformation, which is in micrometer units + This variant will internally translate the transformation's displacement into database units. Apart from that, it behaves identical to the version with a \Trans argument. - The min_count and max_count arguments have been added in version 0.27. + This variant has been introduced in version 0.25. """ @overload - def select_not_interacting(self, other: Texts, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: + def transform(self, trans: ICplxTrans) -> None: r""" - @brief Selects the polygons of this region which do not overlap or touch texts - - 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with texts of the text collection to make the polygon not selected. A polygon is not selected by this method if the number of texts interacting with the polygon is between min_count and max_count (including max_count). - - @return The region after the polygons have been selected (self) - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Transforms the layout with the given complex integer transformation - This method has been introduced in version 0.27 + This method has been introduced in version 0.23. """ - def select_not_outside(self, other: Region) -> Region: + @overload + def transform(self, trans: Trans) -> None: r""" - @brief Selects the polygons of this region which are not completely outside polygons from the other region + @brief Transforms the layout with the given transformation - @return The region after the polygons have been selected (self) + This method has been introduced in version 0.23. + """ + def under_construction(self) -> bool: + r""" + @brief Returns true if the layout object is under construction - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + A layout object is either under construction if a transaction + is ongoing or the layout is brought into invalid state by + "start_changes". """ - def select_not_overlapping(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: + def unique_cell_name(self, name: str) -> str: r""" - @brief Selects the polygons from this region which do not overlap polygons from the other region + @brief Creates a new unique cell name from the given name + @return A unique name derived from the argument - @return The region after the polygons have been selected (self) + If a cell with the given name exists, a suffix will be added to make the name unique. Otherwise, the argument will be returned unchanged. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + The returned name can be used to rename cells without risk of creating name clashes. - The count options have been introduced in version 0.27. + This method has been introduced in version 0.28. """ - def select_outside(self, other: Region) -> Region: + def update(self) -> None: r""" - @brief Selects the polygons of this region which are completely outside polygons from the other region - - @return The region after the polygons have been selected (self) - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Updates the internals of the layout + This method updates the internal state of the layout. Usually this is done automatically + This method is provided to ensure this explicitly. This can be useful while using \start_changes and \end_changes to wrap a performance-critical operation. See \start_changes for more details. """ - def select_overlapping(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: + @overload + def write(self, filename: str) -> None: r""" - @brief Selects the polygons from this region which overlap polygons from the other region - - @return The region after the polygons have been selected (self) - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - - The count options have been introduced in version 0.27. + @brief Writes the layout to a stream file + @param filename The file to which to write the layout """ - def separation_check(self, other: Region, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ...) -> EdgePairs: + @overload + def write(self, filename: str, gzip: bool, options: SaveLayoutOptions) -> None: r""" - @brief Performs a separation check with options - @param d The minimum separation for which the polygons are checked - @param other The other region against which to check - @param whole_edges If true, deliver the whole edges - @param metrics Specify the metrics type - @param ignore_angle The angle above which no check is performed - @param min_projection The lower threshold of the projected length of one edge onto another - @param max_projection The upper limit of the projected length of one edge onto another - @param opposite_filter Specifies a filter mode for errors happening on opposite sides of inputs shapes - @param rect_filter Specifies an error filter for rectangular input shapes - @param negative Negative output from the first input + @brief Writes the layout to a stream file + @param filename The file to which to write the layout + @param gzip Ignored + @param options The option set to use for writing. See \SaveLayoutOptions for details - If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. + Starting with version 0.23, this variant is deprecated since the more convenient variant with two parameters automatically determines the compression mode from the file name. The gzip parameter is ignored staring with version 0.23. + """ + @overload + def write(self, filename: str, options: SaveLayoutOptions) -> None: + r""" + @brief Writes the layout to a stream file + @param filename The file to which to write the layout + @param options The option set to use for writing. See \SaveLayoutOptions for details - "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. + This version automatically determines the compression mode from the file name. The file is written with zlib compression if the suffix is ".gz" or ".gzip". - "ignore_angle" specifies the angle limit of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. - Use nil for this value to select the default. + This variant has been introduced in version 0.23. + """ - "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one limit, pass nil to the respective value. - - "shielded" controls whether shielding is applied. Shielding means that rule violations are not detected 'through' other features. Measurements are only made where the opposite edge is unobstructed. - Shielding often is not optional as a rule violation in shielded case automatically comes with rule violations between the original and the shielding features. If not necessary, shielding can be disabled by setting this flag to false. In general, this will improve performance somewhat. +class LayoutDiff: + r""" + @brief The layout compare tool - "opposite_filter" specifies whether to require or reject errors happening on opposite sides of a figure. "rect_filter" allows suppressing specific error configurations on rectangular input figures. + The layout compare tool is a facility to quickly compare layouts and derive events that give details about the differences. The events are basically emitted following a certain order: - If "negative" is true, only edges from the first input are output as pseudo edge-pairs where the separation is larger or equal to the limit. This is a way to flag the parts of the first input where the distance to the second input is bigger. Note that only the first input's edges are output. The output is still edge pairs, but each edge pair contains one edge from the original input and the reverse version of the edge as the second edge. + @ul + @li General configuration events (database units, layers ...) @/li + @li \on_begin_cell @/li + @li \on_begin_inst_differences (if the instances differ) @/li + @li details about instance differences (if \Verbose flag is given) @/li + @li \on_end_inst_differences (if the instances differ) @/li + @li \on_begin_layer @/li + @li \on_begin_polygon_differences (if the polygons differ) @/li + @li details about polygon differences (if \Verbose flag is given) @/li + @li \on_end_polygon_differences (if the polygons differ) @/li + @li other shape difference events (paths, boxes, ...) @/li + @li \on_end_layer @/li + @li repeated layer event groups @/li + @li \on_end_cell @/li + @li repeated cell event groups @/li + @/ul - Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + To use the diff facility, create a \LayoutDiff object and call the \compare_layout or \compare_cell method: - The 'shielded', 'negative', 'not_opposite' and 'rect_sides' options have been introduced in version 0.27. The interpretation of the 'negative' flag has been restriced to first-layout only output in 0.27.1. - """ - @overload - def size(self) -> int: - r""" - @brief Returns the (flat) number of polygons in the region + @code + lya = ... # layout A + lyb = ... # layout B - This returns the number of raw polygons (not merged polygons if merged semantics is enabled). - The count is computed 'as if flat', i.e. polygons inside a cell are multiplied by the number of times a cell is instantiated. + diff = RBA::LayoutDiff::new + diff.on_polygon_in_a_only do |poly| + puts "Polygon in A: #{diff.cell_a.name}@#{diff.layer_info_a.to_s}: #{poly.to_s}" + end + diff.on_polygon_in_b_only do |poly| + puts "Polygon in A: #{diff.cell_b.name}@#{diff.layer_info_b.to_s}: #{poly.to_s}" + end + diff.compare(lya, lyb, RBA::LayoutDiff::Verbose + RBA::LayoutDiff::NoLayerNames) + @/code + """ + BoxesAsPolygons: ClassVar[int] + r""" + @brief Compare boxes to polygons + This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. + """ + DontSummarizeMissingLayers: ClassVar[int] + r""" + @brief Don't summarize missing layers + If this mode is present, missing layers are treated as empty ones and every shape on the other layer will be reported as difference. - The 'count' alias has been provided in version 0.26 to avoid ambiguity with the 'size' method which applies a geometrical bias. - """ - @overload - def size(self, d: int, mode: Optional[int] = ...) -> Region: - r""" - @brief Isotropic sizing (biasing) + This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. + """ + FlattenArrayInsts: ClassVar[int] + r""" + @brief Compare array instances instance by instance + This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. + """ + NoLayerNames: ClassVar[int] + r""" + @brief Do not compare layer names + This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. + """ + NoProperties: ClassVar[int] + r""" + @brief Ignore properties + This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. + """ + NoTextDetails: ClassVar[int] + r""" + @brief Ignore text details (font, size, presentation) + This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. + """ + NoTextOrientation: ClassVar[int] + r""" + @brief Ignore text orientation + This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. + """ + PathsAsPolygons: ClassVar[int] + r""" + @brief Compare paths to polygons + This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. + """ + Silent: ClassVar[int] + r""" + @brief Silent compare - just report whether the layouts are identical + Silent mode will not issue any signals, but instead the return value of the \LayoutDiff#compare method will indicate whether the layouts are identical. In silent mode, the compare method will return immediately once a difference has been encountered so that mode may be much faster than the full compare. - @return The region after the sizing has applied (self) + This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. + """ + SmartCellMapping: ClassVar[int] + r""" + @brief Derive smart cell mapping instead of name mapping (available only if top cells are specified) + Smart cell mapping is only effective currently when cells are compared (with \LayoutDiff#compare with cells instead of layout objects). - This method is equivalent to "size(d, d, mode)". + This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. + """ + Verbose: ClassVar[int] + r""" + @brief Enables verbose mode (gives details about the differences) - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - """ - @overload - def size(self, dv: Vector, mode: Optional[int] = ...) -> Region: - r""" - @brief Anisotropic sizing (biasing) + See the event descriptions for details about the differences in verbose and non-verbose mode. - @return The region after the sizing has applied (self) + This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. + """ + on_bbox_differs: None + r""" + Getter: + @brief This signal indicates a difference in the bounding boxes of two cells + This signal is only emitted in non-verbose mode (without \Verbose flag) as a summarizing cell property. In verbose mode detailed events will be issued indicating the differences. - This method is equivalent to "size(dv.x, dv.y, mode)". + Setter: + @brief This signal indicates a difference in the bounding boxes of two cells + This signal is only emitted in non-verbose mode (without \Verbose flag) as a summarizing cell property. In verbose mode detailed events will be issued indicating the differences. + """ + on_begin_box_differences: None + r""" + Getter: + @brief This signal indicates differences in the boxes on the current layer + The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for boxes that are different between the two layouts. + Setter: + @brief This signal indicates differences in the boxes on the current layer + The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for boxes that are different between the two layouts. + """ + on_begin_cell: None + r""" + Getter: + @brief This signal initiates the sequence of events for a cell pair + All cell specific events happen between \begin_cell_event and \end_cell_event signals. + Setter: + @brief This signal initiates the sequence of events for a cell pair + All cell specific events happen between \begin_cell_event and \end_cell_event signals. + """ + on_begin_edge_differences: None + r""" + Getter: + @brief This signal indicates differences in the edges on the current layer + The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for edges that are different between the two layouts. + Setter: + @brief This signal indicates differences in the edges on the current layer + The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for edges that are different between the two layouts. + """ + on_begin_edge_pair_differences: None + r""" + Getter: + @brief This signal indicates differences in the edge pairs on the current layer + The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for edge pairs that are different between the two layouts. + This event has been introduced in version 0.28. + Setter: + @brief This signal indicates differences in the edge pairs on the current layer + The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for edge pairs that are different between the two layouts. + This event has been introduced in version 0.28. + """ + on_begin_inst_differences: None + r""" + Getter: + @brief This signal indicates differences in the cell instances + In verbose mode (see \Verbose) more events will follow that indicate the instances that are present only in the first and second layout (\instance_in_a_only_event and \instance_in_b_only_event). + Setter: + @brief This signal indicates differences in the cell instances + In verbose mode (see \Verbose) more events will follow that indicate the instances that are present only in the first and second layout (\instance_in_a_only_event and \instance_in_b_only_event). + """ + on_begin_layer: None + r""" + Getter: + @brief This signal indicates differences on the given layer + In verbose mode (see \Verbose) more events will follow that indicate the instances that are present only in the first and second layout (\polygon_in_a_only_event, \polygon_in_b_only_event and similar). + Setter: + @brief This signal indicates differences on the given layer + In verbose mode (see \Verbose) more events will follow that indicate the instances that are present only in the first and second layout (\polygon_in_a_only_event, \polygon_in_b_only_event and similar). + """ + on_begin_path_differences: None + r""" + Getter: + @brief This signal indicates differences in the paths on the current layer + The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for paths that are different between the two layouts. + Setter: + @brief This signal indicates differences in the paths on the current layer + The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for paths that are different between the two layouts. + """ + on_begin_polygon_differences: None + r""" + Getter: + @brief This signal indicates differences in the polygons on the current layer + The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for polygons that are different between the two layouts. + Setter: + @brief This signal indicates differences in the polygons on the current layer + The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for polygons that are different between the two layouts. + """ + on_begin_text_differences: None + r""" + Getter: + @brief This signal indicates differences in the texts on the current layer + The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for texts that are different between the two layouts. + Setter: + @brief This signal indicates differences in the texts on the current layer + The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for texts that are different between the two layouts. + """ + on_box_in_a_only: None + r""" + Getter: + @brief This signal indicates a box that is present in the first layout only + Setter: + @brief This signal indicates a box that is present in the first layout only + """ + on_box_in_b_only: None + r""" + Getter: + @brief This signal indicates a box that is present in the second layout only + Setter: + @brief This signal indicates a box that is present in the second layout only + """ + on_cell_in_a_only: None + r""" + Getter: + @brief This signal indicates that the given cell is only present in the first layout - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + Setter: + @brief This signal indicates that the given cell is only present in the first layout + """ + on_cell_in_b_only: None + r""" + Getter: + @brief This signal indicates that the given cell is only present in the second layout - This variant has been introduced in version 0.28. - """ - @overload - def size(self, dx: int, dy: int, mode: int) -> Region: - r""" - @brief Anisotropic sizing (biasing) + Setter: + @brief This signal indicates that the given cell is only present in the second layout + """ + on_cell_name_differs: None + r""" + Getter: + @brief This signal indicates a difference in the cell names + This signal is emitted in 'smart cell mapping' mode (see \SmartCellMapping) if two cells are considered identical, but have different names. + Setter: + @brief This signal indicates a difference in the cell names + This signal is emitted in 'smart cell mapping' mode (see \SmartCellMapping) if two cells are considered identical, but have different names. + """ + on_dbu_differs: None + r""" + Getter: + @brief This signal indicates a difference in the database units of the layouts - @return The region after the sizing has applied (self) + Setter: + @brief This signal indicates a difference in the database units of the layouts + """ + on_edge_in_a_only: None + r""" + Getter: + @brief This signal indicates an edge that is present in the first layout only + Setter: + @brief This signal indicates an edge that is present in the first layout only + """ + on_edge_in_b_only: None + r""" + Getter: + @brief This signal indicates an edge that is present in the second layout only + Setter: + @brief This signal indicates an edge that is present in the second layout only + """ + on_edge_pair_in_a_only: None + r""" + Getter: + @brief This signal indicates an edge pair that is present in the first layout only + This event has been introduced in version 0.28. + Setter: + @brief This signal indicates an edge pair that is present in the first layout only + This event has been introduced in version 0.28. + """ + on_edge_pair_in_b_only: None + r""" + Getter: + @brief This signal indicates an edge pair that is present in the second layout only + This event has been introduced in version 0.28. + Setter: + @brief This signal indicates an edge pair that is present in the second layout only + This event has been introduced in version 0.28. + """ + on_end_box_differences: None + r""" + Getter: + @brief This signal indicates the end of sequence of box differences - Shifts the contour outwards (dx,dy>0) or inwards (dx,dy<0). - dx is the sizing in x-direction and dy is the sizing in y-direction. The sign of dx and dy should be identical. + Setter: + @brief This signal indicates the end of sequence of box differences + """ + on_end_cell: None + r""" + Getter: + @brief This signal indicates the end of a sequence of signals for a specific cell - This method applies a sizing to the region. Before the sizing is done, the - region is merged if this is not the case already. + Setter: + @brief This signal indicates the end of a sequence of signals for a specific cell + """ + on_end_edge_differences: None + r""" + Getter: + @brief This signal indicates the end of sequence of edge differences - The mode defines at which bending angle cutoff occurs - (0:>0, 1:>45, 2:>90, 3:>135, 4:>approx. 168, other:>approx. 179) + Setter: + @brief This signal indicates the end of sequence of edge differences + """ + on_end_edge_pair_differences: None + r""" + Getter: + @brief This signal indicates the end of sequence of edge pair differences - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + This event has been introduced in version 0.28. + Setter: + @brief This signal indicates the end of sequence of edge pair differences - The result is a set of polygons which may be overlapping, but are not self- - intersecting. Polygons may overlap afterwards because they grew big enough to overlap their neighbors. - In that case, \merge can be used to detect this overlaps by setting the "min_wc" parameter to value 1: + This event has been introduced in version 0.28. + """ + on_end_inst_differences: None + r""" + Getter: + @brief This signal finishes a sequence of detailed instance difference events - @code - r = RBA::Region::new - r.insert(RBA::Box::new(0, 0, 50, 50)) - r.insert(RBA::Box::new(100, 0, 150, 50)) - r.size(50, 2) - r.merge(false, 1) - # r now is (50,-50;50,100;100,100;100,-50) - @/code - """ - @overload - def sized(self, d: int, mode: Optional[int] = ...) -> Region: - r""" - @brief Returns the isotropically sized region + Setter: + @brief This signal finishes a sequence of detailed instance difference events + """ + on_end_layer: None + r""" + Getter: + @brief This signal indicates the end of a sequence of signals for a specific layer - @return The sized region + Setter: + @brief This signal indicates the end of a sequence of signals for a specific layer + """ + on_end_path_differences: None + r""" + Getter: + @brief This signal indicates the end of sequence of path differences - This method is equivalent to "sized(d, d, mode)". - This method returns the sized region (see \size), but does not modify self. + Setter: + @brief This signal indicates the end of sequence of path differences + """ + on_end_polygon_differences: None + r""" + Getter: + @brief This signal indicates the end of sequence of polygon differences - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - """ - @overload - def sized(self, dv: Vector, mode: Optional[int] = ...) -> Region: - r""" - @brief Returns the (an)isotropically sized region + Setter: + @brief This signal indicates the end of sequence of polygon differences + """ + on_end_text_differences: None + r""" + Getter: + @brief This signal indicates the end of sequence of text differences - @return The sized region + Setter: + @brief This signal indicates the end of sequence of text differences + """ + on_instance_in_a_only: None + r""" + Getter: + @brief This signal indicates an instance that is present only in the first layout + This event is only emitted in verbose mode (\Verbose flag). + Setter: + @brief This signal indicates an instance that is present only in the first layout + This event is only emitted in verbose mode (\Verbose flag). + """ + on_instance_in_b_only: None + r""" + Getter: + @brief This signal indicates an instance that is present only in the second layout + This event is only emitted in verbose mode (\Verbose flag). + Setter: + @brief This signal indicates an instance that is present only in the second layout + This event is only emitted in verbose mode (\Verbose flag). + """ + on_layer_in_a_only: None + r""" + Getter: + @brief This signal indicates a layer that is present only in the first layout - This method is equivalent to "sized(dv.x, dv.y, mode)". - This method returns the sized region (see \size), but does not modify self. + Setter: + @brief This signal indicates a layer that is present only in the first layout + """ + on_layer_in_b_only: None + r""" + Getter: + @brief This signal indicates a layer that is present only in the second layout - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + Setter: + @brief This signal indicates a layer that is present only in the second layout + """ + on_layer_name_differs: None + r""" + Getter: + @brief This signal indicates a difference in the layer names - This variant has been introduced in version 0.28. - """ - @overload - def sized(self, dx: int, dy: int, mode: int) -> Region: - r""" - @brief Returns the anisotropically sized region + Setter: + @brief This signal indicates a difference in the layer names + """ + on_path_in_a_only: None + r""" + Getter: + @brief This signal indicates a path that is present in the first layout only + Setter: + @brief This signal indicates a path that is present in the first layout only + """ + on_path_in_b_only: None + r""" + Getter: + @brief This signal indicates a path that is present in the second layout only + Setter: + @brief This signal indicates a path that is present in the second layout only + """ + on_per_layer_bbox_differs: None + r""" + Getter: + @brief This signal indicates differences in the per-layer bounding boxes of the current cell - @return The sized region + Setter: + @brief This signal indicates differences in the per-layer bounding boxes of the current cell + """ + on_polygon_in_a_only: None + r""" + Getter: + @brief This signal indicates a polygon that is present in the first layout only - This method returns the sized region (see \size), but does not modify self. + Setter: + @brief This signal indicates a polygon that is present in the first layout only + """ + on_polygon_in_b_only: None + r""" + Getter: + @brief This signal indicates a polygon that is present in the second layout only - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - """ - def smooth(self, d: int, keep_hv: Optional[bool] = ...) -> None: + Setter: + @brief This signal indicates a polygon that is present in the second layout only + """ + on_text_in_a_only: None + r""" + Getter: + @brief This signal indicates a text that is present in the first layout only + Setter: + @brief This signal indicates a text that is present in the first layout only + """ + on_text_in_b_only: None + r""" + Getter: + @brief This signal indicates a text that is present in the second layout only + Setter: + @brief This signal indicates a text that is present in the second layout only + """ + @classmethod + def new(cls) -> LayoutDiff: r""" - @brief Smoothing - @param d The smoothing tolerance (in database units) - @param keep_hv If true, horizontal and vertical edges are maintained - - This method will simplify the merged polygons of the region by removing vertexes if the resulting polygon stays equivalent with the original polygon. Equivalence is measured in terms of a deviation which is guaranteed to not become larger than \d. - This method modifies the region. \smoothed is a method that does the same but returns a new region without modifying self. Merged semantics applies for this method. + @brief Creates a new object of this class """ - def smoothed(self, d: int, keep_hv: Optional[bool] = ...) -> Region: + def __copy__(self) -> LayoutDiff: r""" - @brief Smoothing - @param d The smoothing tolerance (in database units) - @param keep_hv If true, horizontal and vertical edges are maintained - - See \smooth for a description of this method. This version returns a new region instead of modifying self (out-of-place). It has been introduced in version 0.25. + @brief Creates a copy of self """ - def snap(self, gx: int, gy: int) -> None: + def __deepcopy__(self) -> LayoutDiff: r""" - @brief Snaps the region to the given grid - This method will snap the region to the given grid - each x or y coordinate is brought on the gx or gy grid by rounding to the nearest value which is a multiple of gx or gy. - - If gx or gy is 0, no snapping happens in that direction. - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Creates a copy of self """ - def snapped(self, gx: int, gy: int) -> Region: + def __init__(self) -> None: r""" - @brief Returns the snapped region - This method will snap the region to the given grid and return the snapped region (see \snap). The original region is not modified. + @brief Creates a new object of this class """ - def space_check(self, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ...) -> EdgePairs: + def _create(self) -> None: r""" - @brief Performs a space check with options - @param d The minimum space for which the polygons are checked - @param whole_edges If true, deliver the whole edges - @param metrics Specify the metrics type - @param ignore_angle The angle above which no check is performed - @param min_projection The lower threshold of the projected length of one edge onto another - @param max_projection The upper limit of the projected length of one edge onto another - @param opposite_filter Specifies a filter mode for errors happening on opposite sides of inputs shapes - @param rect_filter Specifies an error filter for rectangular input shapes - @param negative If true, edges not violation the condition will be output as pseudo-edge pairs - - If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. - - "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. - - "ignore_angle" specifies the angle limit of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. - Use nil for this value to select the default. - - "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one limit, pass nil to the respective value. - - "shielded" controls whether shielding is applied. Shielding means that rule violations are not detected 'through' other features. Measurements are only made where the opposite edge is unobstructed. - Shielding often is not optional as a rule violation in shielded case automatically comes with rule violations between the original and the shielding features. If not necessary, shielding can be disabled by setting this flag to false. In general, this will improve performance somewhat. - - "opposite_filter" specifies whether to require or reject errors happening on opposite sides of a figure. "rect_filter" allows suppressing specific error configurations on rectangular input figures. - - Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) - - The 'shielded', 'negative', 'not_opposite' and 'rect_sides' options have been introduced in version 0.27. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def split_covering(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> List[Region]: + def _destroy(self) -> None: r""" - @brief Returns the polygons of this region which are completely covering polygons from the other region and the ones which are not at the same time - - @return Two new regions: the first containing the result of \covering, the second the result of \not_covering - - This method is equivalent to calling \covering and \not_covering, but is faster when both results are required. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept). - - This method has been introduced in version 0.27. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def split_inside(self, other: Region) -> List[Region]: + def _destroyed(self) -> bool: r""" - @brief Returns the polygons of this region which are completely inside polygons from the other region and the ones which are not at the same time - - @return Two new regions: the first containing the result of \inside, the second the result of \not_inside - - This method is equivalent to calling \inside and \not_inside, but is faster when both results are required. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept). - - This method has been introduced in version 0.27. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def split_interacting(self, other: Edges, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> List[Region]: + def _is_const_object(self) -> bool: r""" - @brief Returns the polygons of this region which are interacting with edges from the other edge collection and the ones which are not at the same time - - @return Two new regions: the first containing the result of \interacting, the second the result of \not_interacting - - This method is equivalent to calling \interacting and \not_interacting, but is faster when both results are required. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept). - - This method has been introduced in version 0.27. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def split_interacting(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> List[Region]: + def _manage(self) -> None: r""" - @brief Returns the polygons of this region which are interacting with polygons from the other region and the ones which are not at the same time - - @return Two new regions: the first containing the result of \interacting, the second the result of \not_interacting + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method is equivalent to calling \interacting and \not_interacting, but is faster when both results are required. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept). + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.27. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def assign(self, other: LayoutDiff) -> None: + r""" + @brief Assigns another object to self + """ + def cell_a(self) -> Cell: + r""" + @brief Gets the current cell for the first layout + This attribute is the current cell and is set after \on_begin_cell and reset after \on_end_cell. + """ + def cell_b(self) -> Cell: + r""" + @brief Gets the current cell for the second layout + This attribute is the current cell and is set after \on_begin_cell and reset after \on_end_cell. """ @overload - def split_interacting(self, other: Texts, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> List[Region]: + def compare(self, a: Cell, b: Cell, flags: Optional[int] = ..., tolerance: Optional[int] = ...) -> bool: r""" - @brief Returns the polygons of this region which are interacting with texts from the other text collection and the ones which are not at the same time + @brief Compares two cells - @return Two new regions: the first containing the result of \interacting, the second the result of \not_interacting + Compares layer definitions, cells, instances and shapes and properties of two layout hierarchies starting from the given cells. + Cells are identified by name. Only layers with valid layer and datatype are compared. + Several flags can be specified as a bitwise or combination of the constants. - This method is equivalent to calling \interacting and \not_interacting, but is faster when both results are required. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept). + @param a The first top cell + @param b The second top cell + @param flags Flags to use for the comparison + @param tolerance A coordinate tolerance to apply (0: exact match, 1: one DBU tolerance is allowed ...) - This method has been introduced in version 0.27. + @return True, if the cells are identical """ - def split_outside(self, other: Region) -> List[Region]: + @overload + def compare(self, a: Layout, b: Layout, flags: Optional[int] = ..., tolerance: Optional[int] = ...) -> bool: r""" - @brief Returns the polygons of this region which are completely outside polygons from the other region and the ones which are not at the same time + @brief Compares two layouts - @return Two new regions: the first containing the result of \outside, the second the result of \not_outside + Compares layer definitions, cells, instances and shapes and properties. + Cells are identified by name. Only layers with valid layer and datatype are compared. + Several flags can be specified as a bitwise or combination of the constants. - This method is equivalent to calling \outside and \not_outside, but is faster when both results are required. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept). + @param a The first input layout + @param b The second input layout + @param flags Flags to use for the comparison + @param tolerance A coordinate tolerance to apply (0: exact match, 1: one DBU tolerance is allowed ...) - This method has been introduced in version 0.27. + @return True, if the layouts are identical """ - def split_overlapping(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> List[Region]: + def create(self) -> None: r""" - @brief Returns the polygons of this region which are overlapping with polygons from the other region and the ones which are not at the same time - - @return Two new regions: the first containing the result of \overlapping, the second the result of \not_overlapping - - This method is equivalent to calling \overlapping and \not_overlapping, but is faster when both results are required. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept). - - This method has been introduced in version 0.27. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def squares(self) -> Region: + def destroy(self) -> None: r""" - @brief Returns all polygons which are squares - This method returns all polygons in self which are squares.Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - - This method has been introduced in version 0.27. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def strange_polygon_check(self) -> Region: + def destroyed(self) -> bool: r""" - @brief Returns a region containing those parts of polygons which are "strange" - Strange parts of polygons are self-overlapping parts or non-orientable parts (i.e. in the "8" configuration). - - Merged semantics does not apply for this method (see \merged_semantics= for a description of this concept) + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def swap(self, other: Region) -> None: + def dup(self) -> LayoutDiff: r""" - @brief Swap the contents of this region with the contents of another region - This method is useful to avoid excessive memory allocation in some cases. For managed memory languages such as Ruby, those cases will be rare. + @brief Creates a copy of self """ - @overload - def texts(self, expr: Optional[str] = ..., as_pattern: Optional[bool] = ..., enl: Optional[int] = ...) -> Region: + def is_const_object(self) -> bool: r""" - @hide - This method is provided for DRC implementation only. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def texts(self, dss: DeepShapeStore, expr: Optional[str] = ..., as_pattern: Optional[bool] = ..., enl: Optional[int] = ...) -> Region: + def layer_index_a(self) -> int: r""" - @hide - This method is provided for DRC implementation only. + @brief Gets the current layer for the first layout + This attribute is the current cell and is set after \on_begin_layer and reset after \on_end_layer. """ - @overload - def texts_dots(self, expr: Optional[str] = ..., as_pattern: Optional[bool] = ...) -> Edges: + def layer_index_b(self) -> int: r""" - @hide - This method is provided for DRC implementation only. + @brief Gets the current layer for the second layout + This attribute is the current cell and is set after \on_begin_layer and reset after \on_end_layer. """ - @overload - def texts_dots(self, dss: DeepShapeStore, expr: Optional[str] = ..., as_pattern: Optional[bool] = ...) -> Edges: + def layer_info_a(self) -> LayerInfo: r""" - @hide - This method is provided for DRC implementation only. + @brief Gets the current layer properties for the first layout + This attribute is the current cell and is set after \on_begin_layer and reset after \on_end_layer. """ - @overload - def to_s(self) -> str: + def layer_info_b(self) -> LayerInfo: r""" - @brief Converts the region to a string - The length of the output is limited to 20 polygons to avoid giant strings on large regions. For full output use "to_s" with a maximum count parameter. + @brief Gets the current layer properties for the second layout + This attribute is the current cell and is set after \on_begin_layer and reset after \on_end_layer. """ - @overload - def to_s(self, max_count: int) -> str: + def layout_a(self) -> Layout: r""" - @brief Converts the region to a string - This version allows specification of the maximum number of polygons contained in the string. + @brief Gets the first layout the difference detector runs on """ - @overload - def transform(self, t: ICplxTrans) -> Region: + def layout_b(self) -> Layout: r""" - @brief Transform the region with a complex transformation (modifies self) - - Transforms the region with the given transformation. - This version modifies the region and returns a reference to self. + @brief Gets the second layout the difference detector runs on + """ - @param t The transformation to apply. +class LayoutMetaInfo: + r""" + @brief A piece of layout meta information + Layout meta information is basically additional data that can be attached to a layout. Layout readers may generate meta information and some writers will add layout information to the layout object. Some writers will also read meta information to determine certain attributes. - @return The transformed region. - """ - @overload - def transform(self, t: IMatrix2d) -> Region: - r""" - @brief Transform the region (modifies self) + Multiple layout meta information objects can be attached to one layout using \Layout#add_meta_info. Meta information is identified by a unique name and carries a string value plus an optional description string. The description string is for information only and is not evaluated by code. - Transforms the region with the given 2d matrix transformation. - This version modifies the region and returns a reference to self. + See also \Layout#each_meta_info and \Layout#meta_info_value and \Layout#remove_meta_info + This class has been introduced in version 0.25. + """ + description: str + r""" + Getter: + @brief Gets the description of the layout meta info object - @param t The transformation to apply. + Setter: + @brief Sets the description of the layout meta info object + """ + name: str + r""" + Getter: + @brief Gets the name of the layout meta info object - @return The transformed region. + Setter: + @brief Sets the name of the layout meta info object + """ + value: str + r""" + Getter: + @brief Gets the value of the layout meta info object - This variant was introduced in version 0.27. + Setter: + @brief Sets the value of the layout meta info object + """ + @classmethod + def new(cls, name: str, value: str, description: Optional[str] = ...) -> LayoutMetaInfo: + r""" + @brief Creates a layout meta info object + @param name The name + @param value The value + @param description An optional description text """ - @overload - def transform(self, t: IMatrix3d) -> Region: + def __copy__(self) -> LayoutMetaInfo: r""" - @brief Transform the region (modifies self) - - Transforms the region with the given 3d matrix transformation. - This version modifies the region and returns a reference to self. - - @param t The transformation to apply. - - @return The transformed region. - - This variant was introduced in version 0.27. + @brief Creates a copy of self """ - @overload - def transform(self, t: Trans) -> Region: + def __deepcopy__(self) -> LayoutMetaInfo: r""" - @brief Transform the region (modifies self) - - Transforms the region with the given transformation. - This version modifies the region and returns a reference to self. - - @param t The transformation to apply. - - @return The transformed region. + @brief Creates a copy of self """ - def transform_icplx(self, t: ICplxTrans) -> Region: + def __init__(self, name: str, value: str, description: Optional[str] = ...) -> None: r""" - @brief Transform the region with a complex transformation (modifies self) - - Transforms the region with the given transformation. - This version modifies the region and returns a reference to self. - - @param t The transformation to apply. - - @return The transformed region. + @brief Creates a layout meta info object + @param name The name + @param value The value + @param description An optional description text """ - @overload - def transformed(self, t: ICplxTrans) -> Region: + def _create(self) -> None: r""" - @brief Transforms the region with a complex transformation - - Transforms the region with the given complex transformation. - Does not modify the region but returns the transformed region. - - @param t The transformation to apply. - - @return The transformed region. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def transformed(self, t: IMatrix2d) -> Region: + def _destroy(self) -> None: r""" - @brief Transforms the region - - Transforms the region with the given 2d matrix transformation. - Does not modify the region but returns the transformed region. - - @param t The transformation to apply. - - @return The transformed region. - - This variant was introduced in version 0.27. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def transformed(self, t: IMatrix3d) -> Region: + def _destroyed(self) -> bool: r""" - @brief Transforms the region - - Transforms the region with the given 3d matrix transformation. - Does not modify the region but returns the transformed region. - - @param t The transformation to apply. - - @return The transformed region. - - This variant was introduced in version 0.27. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def transformed(self, t: Trans) -> Region: + def _is_const_object(self) -> bool: r""" - @brief Transforms the region - - Transforms the region with the given transformation. - Does not modify the region but returns the transformed region. - - @param t The transformation to apply. - - @return The transformed region. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def transformed_icplx(self, t: ICplxTrans) -> Region: + def _manage(self) -> None: r""" - @brief Transforms the region with a complex transformation - - Transforms the region with the given complex transformation. - Does not modify the region but returns the transformed region. - - @param t The transformation to apply. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - @return The transformed region. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def width_check(self, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Region.Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., negative: Optional[bool] = ...) -> EdgePairs: + def _unmanage(self) -> None: r""" - @brief Performs a width check with options - @param d The minimum width for which the polygons are checked - @param whole_edges If true, deliver the whole edges - @param metrics Specify the metrics type - @param ignore_angle The angle above which no check is performed - @param min_projection The lower threshold of the projected length of one edge onto another - @param max_projection The upper limit of the projected length of one edge onto another - @param shielded Enables shielding - @param negative If true, edges not violation the condition will be output as pseudo-edge pairs - - This version is similar to the simple version with one parameter. In addition, it allows to specify many more options. - - If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. - - "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. - - "ignore_angle" specifies the angle limit of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. - Use nil for this value to select the default. - - "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one limit, pass nil to the respective value. - - "shielded" controls whether shielding is applied. Shielding means that rule violations are not detected 'through' other features. Measurements are only made where the opposite edge is unobstructed. - Shielding often is not optional as a rule violation in shielded case automatically comes with rule violations between the original and the shielding features. If not necessary, shielding can be disabled by setting this flag to false. In general, this will improve performance somewhat. - - Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - The 'shielded' and 'negative' options have been introduced in version 0.27. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def with_angle(self, angle: float, inverse: bool) -> EdgePairs: + def assign(self, other: LayoutMetaInfo) -> None: r""" - @brief Returns markers on every corner with the given angle (or not with the given angle) - If the inverse flag is false, this method returns an error marker (an \EdgePair object) for every corner whose connected edges form an angle with the given value (in degree). If the inverse flag is true, the method returns markers for every corner whose angle is not the given value. - - The edge pair objects returned will contain both edges forming the angle. - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Assigns another object to self """ - @overload - def with_angle(self, amin: float, amax: float, inverse: bool) -> EdgePairs: + def create(self) -> None: r""" - @brief Returns markers on every corner with an angle of more than amin and less than amax (or the opposite) - If the inverse flag is false, this method returns an error marker (an \EdgePair object) for every corner whose connected edges form an angle whose value is more or equal to amin (in degree) or less (but not equal to) amax. If the inverse flag is true, the method returns markers for every corner whose angle is not matching that criterion. - - The edge pair objects returned will contain both edges forming the angle. - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def with_area(self, area: int, inverse: bool) -> Region: + def destroy(self) -> None: r""" - @brief Filter the polygons by area - Filters the polygons of the region by area. If "inverse" is false, only polygons which have the given area are returned. If "inverse" is true, polygons not having the given area are returned. - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def with_area(self, min_area: Any, max_area: Any, inverse: bool) -> Region: + def destroyed(self) -> bool: r""" - @brief Filter the polygons by area - Filters the polygons of the region by area. If "inverse" is false, only polygons which have an area larger or equal to "min_area" and less than "max_area" are returned. If "inverse" is true, polygons having an area less than "min_area" or larger or equal than "max_area" are returned. - - If you don't want to specify a lower or upper limit, pass nil to that parameter. - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def with_area_ratio(self, ratio: float, inverse: bool) -> Region: + def dup(self) -> LayoutMetaInfo: r""" - @brief Filters the polygons by the bounding box area to polygon area ratio - The area ratio is defined by the ratio of bounding box area to polygon area. It's a measure how much the bounding box is approximating the polygon. 'Thin polygons' have a large area ratio, boxes has an area ratio of 1. - The area ratio is always larger or equal to 1. - With 'inverse' set to false, this version filters polygons which have an area ratio equal to the given value. With 'inverse' set to true, all other polygons will be returned. - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - - This method has been introduced in version 0.27. + @brief Creates a copy of self """ - @overload - def with_area_ratio(self, min_ratio: Any, max_ratio: Any, inverse: bool, min_included: Optional[bool] = ..., max_included: Optional[bool] = ...) -> Region: + def is_const_object(self) -> bool: r""" - @brief Filters the polygons by the aspect ratio of their bounding boxes - The area ratio is defined by the ratio of bounding box area to polygon area. It's a measure how much the bounding box is approximating the polygon. 'Thin polygons' have a large area ratio, boxes has an area ratio of 1. - The area ratio is always larger or equal to 1. - With 'inverse' set to false, this version filters polygons which have an area ratio between 'min_ratio' and 'max_ratio'. With 'min_included' set to true, the 'min_ratio' value is included in the range, otherwise it's excluded. Same for 'max_included' and 'max_ratio'. With 'inverse' set to true, all other polygons will be returned. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ - If you don't want to specify a lower or upper limit, pass nil to that parameter. +class LayoutQuery: + r""" + @brief A layout query + Layout queries are the backbone of the "Search & replace" feature. Layout queries allow retrieval of data from layouts and manipulation of layouts. This object provides script binding for this feature. + Layout queries are used by first creating a query object. Depending on the nature of the query, either \execute or \each can be used to execute the query. \execute will run the query and return once the query is finished. \execute is useful for running queries that don't return results such as "delete" or "with ... do" queries. + \each can be used when the results of the query need to be retrieved. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + The \each method will call a block a of code for every result available. It will provide a \LayoutQueryIterator object that allows accessing the results of the query. Depending on the query, different attributes of the iterator object will be available. For example, "select" queries will fill the "data" attribute with an array of values corresponding to the columns of the selection. - This method has been introduced in version 0.27. - """ - @overload - def with_bbox_aspect_ratio(self, ratio: float, inverse: bool) -> Region: - r""" - @brief Filters the polygons by the aspect ratio of their bounding boxes - Filters the polygons of the region by the aspect ratio of their bounding boxes. The aspect ratio is the ratio of larger to smaller dimension of the bounding box. A square has an aspect ratio of 1. - - With 'inverse' set to false, this version filters polygons which have a bounding box aspect ratio equal to the given value. With 'inverse' set to true, all other polygons will be returned. - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + Here is some sample code: + @code + ly = RBA::CellView::active.layout + q = RBA::LayoutQuery::new("select cell.name, cell.bbox from *") + q.each(ly) do |iter| + puts "cell name: #{iter.data[0]}, bounding box: #{iter.data[1]}" + end + @/code - This method has been introduced in version 0.27. - """ - @overload - def with_bbox_aspect_ratio(self, min_ratio: Any, max_ratio: Any, inverse: bool, min_included: Optional[bool] = ..., max_included: Optional[bool] = ...) -> Region: + The LayoutQuery class has been introduced in version 0.25. + """ + @classmethod + def new(cls, query: str) -> LayoutQuery: r""" - @brief Filters the polygons by the aspect ratio of their bounding boxes - Filters the polygons of the region by the aspect ratio of their bounding boxes. The aspect ratio is the ratio of larger to smaller dimension of the bounding box. A square has an aspect ratio of 1. - - With 'inverse' set to false, this version filters polygons which have a bounding box aspect ratio between 'min_ratio' and 'max_ratio'. With 'min_included' set to true, the 'min_ratio' value is included in the range, otherwise it's excluded. Same for 'max_included' and 'max_ratio'. With 'inverse' set to true, all other polygons will be returned. - - If you don't want to specify a lower or upper limit, pass nil to that parameter. - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - - This method has been introduced in version 0.27. + @brief Creates a new query object from the given query string """ - @overload - def with_bbox_height(self, height: int, inverse: bool) -> Region: + def __init__(self, query: str) -> None: r""" - @brief Filter the polygons by bounding box height - Filters the polygons of the region by the height of their bounding box. If "inverse" is false, only polygons whose bounding box has the given height are returned. If "inverse" is true, polygons whose bounding box does not have the given height are returned. - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Creates a new query object from the given query string """ - @overload - def with_bbox_height(self, min_height: Any, max_height: Any, inverse: bool) -> Region: + def _create(self) -> None: r""" - @brief Filter the polygons by bounding box height - Filters the polygons of the region by the height of their bounding box. If "inverse" is false, only polygons whose bounding box has a height larger or equal to "min_height" and less than "max_height" are returned. If "inverse" is true, all polygons not matching this criterion are returned. - If you don't want to specify a lower or upper limit, pass nil to that parameter. - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def with_bbox_max(self, dim: int, inverse: bool) -> Region: + def _destroy(self) -> None: r""" - @brief Filter the polygons by bounding box width or height, whichever is larger - Filters the polygons of the region by the maximum dimension of their bounding box. If "inverse" is false, only polygons whose bounding box's larger dimension is equal to the given value are returned. If "inverse" is true, all polygons not matching this criterion are returned. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def with_bbox_max(self, min_dim: Any, max_dim: Any, inverse: bool) -> Region: + def _destroyed(self) -> bool: r""" - @brief Filter the polygons by bounding box width or height, whichever is larger - Filters the polygons of the region by the minimum dimension of their bounding box. If "inverse" is false, only polygons whose bounding box's larger dimension is larger or equal to "min_dim" and less than "max_dim" are returned. If "inverse" is true, all polygons not matching this criterion are returned. - If you don't want to specify a lower or upper limit, pass nil to that parameter. - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def with_bbox_min(self, dim: int, inverse: bool) -> Region: + def _is_const_object(self) -> bool: r""" - @brief Filter the polygons by bounding box width or height, whichever is smaller - Filters the polygons inside the region by the minimum dimension of their bounding box. If "inverse" is false, only polygons whose bounding box's smaller dimension is equal to the given value are returned. If "inverse" is true, all polygons not matching this criterion are returned. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def with_bbox_min(self, min_dim: Any, max_dim: Any, inverse: bool) -> Region: + def _manage(self) -> None: r""" - @brief Filter the polygons by bounding box width or height, whichever is smaller - Filters the polygons of the region by the minimum dimension of their bounding box. If "inverse" is false, only polygons whose bounding box's smaller dimension is larger or equal to "min_dim" and less than "max_dim" are returned. If "inverse" is true, all polygons not matching this criterion are returned. - If you don't want to specify a lower or upper limit, pass nil to that parameter. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def with_bbox_width(self, width: int, inverse: bool) -> Region: + def _unmanage(self) -> None: r""" - @brief Filter the polygons by bounding box width - Filters the polygons of the region by the width of their bounding box. If "inverse" is false, only polygons whose bounding box has the given width are returned. If "inverse" is true, polygons whose bounding box does not have the given width are returned. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def with_bbox_width(self, min_width: Any, max_width: Any, inverse: bool) -> Region: + def create(self) -> None: r""" - @brief Filter the polygons by bounding box width - Filters the polygons of the region by the width of their bounding box. If "inverse" is false, only polygons whose bounding box has a width larger or equal to "min_width" and less than "max_width" are returned. If "inverse" is true, all polygons not matching this criterion are returned. - If you don't want to specify a lower or upper limit, pass nil to that parameter. - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def with_holes(self, nholes: int, inverse: bool) -> Region: + def destroy(self) -> None: r""" - @brief Filters the polygons by their number of holes - Filters the polygons of the region by number of holes. If "inverse" is false, only polygons which have the given number of holes are returned. If "inverse" is true, polygons not having the given of holes are returned. - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - - This method has been introduced in version 0.27. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def with_holes(self, min_bholes: Any, max_nholes: Any, inverse: bool) -> Region: + def destroyed(self) -> bool: r""" - @brief Filter the polygons by their number of holes - Filters the polygons of the region by number of holes. If "inverse" is false, only polygons which have a hole count larger or equal to "min_nholes" and less than "max_nholes" are returned. If "inverse" is true, polygons having a hole count less than "min_nholes" or larger or equal than "max_nholes" are returned. - - If you don't want to specify a lower or upper limit, pass nil to that parameter. - - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - - This method has been introduced in version 0.27. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def with_perimeter(self, perimeter: int, inverse: bool) -> Region: + def each(self, layout: Layout, context: Optional[tl.ExpressionContext] = ...) -> Iterator[LayoutQueryIterator]: r""" - @brief Filter the polygons by perimeter - Filters the polygons of the region by perimeter. If "inverse" is false, only polygons which have the given perimeter are returned. If "inverse" is true, polygons not having the given perimeter are returned. + @brief Executes the query and delivered the results iteratively. + The argument to the block is a \LayoutQueryIterator object which can be asked for specific results. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + The context argument allows supplying an expression execution context. This context can be used for example to supply variables for the execution. It has been added in version 0.26. """ - @overload - def with_perimeter(self, min_perimeter: Any, max_perimeter: Any, inverse: bool) -> Region: + def execute(self, layout: Layout, context: Optional[tl.ExpressionContext] = ...) -> None: r""" - @brief Filter the polygons by perimeter - Filters the polygons of the region by perimeter. If "inverse" is false, only polygons which have a perimeter larger or equal to "min_perimeter" and less than "max_perimeter" are returned. If "inverse" is true, polygons having a perimeter less than "min_perimeter" or larger or equal than "max_perimeter" are returned. + @brief Executes the query - If you don't want to specify a lower or upper limit, pass nil to that parameter. + This method can be used to execute "active" queries such + as "delete" or "with ... do". + It is basically equivalent to iterating over the query until it is + done. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + The context argument allows supplying an expression execution context. This context can be used for example to supply variables for the execution. It has been added in version 0.26. """ - @overload - def with_relative_height(self, ratio: float, inverse: bool) -> Region: + def is_const_object(self) -> bool: r""" - @brief Filters the polygons by the ratio of height to width - This method filters the polygons of the region by the ratio of height vs. width of their bounding boxes. 'Tall' polygons have a large value while 'flat' polygons have a small value. A square has a relative height of 1. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def property_names(self) -> List[str]: + r""" + @brief Gets a list of property names available. + The list of properties available from the query depends on the nature of the query. This method allows detection of the properties available. Within the query, all of these properties can be obtained from the query iterator using \LayoutQueryIterator#get. + """ - An alternative method is 'with_area_ratio' which can be more efficient because it's isotropic. +class LayoutQueryIterator: + r""" + @brief Provides the results of the query - With 'inverse' set to false, this version filters polygons which have a relative height equal to the given value. With 'inverse' set to true, all other polygons will be returned. + This object is used by \LayoutQuery#each to deliver the results of a query in an iterative fashion. See \LayoutQuery for a detailed description of the query interface. - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + The LayoutQueryIterator class has been introduced in version 0.25. + """ + @classmethod + def new(cls) -> LayoutQueryIterator: + r""" + @brief Creates a new object of this class + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method has been introduced in version 0.27. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def with_relative_height(self, min_ratio: Any, max_ratio: Any, inverse: bool, min_included: Optional[bool] = ..., max_included: Optional[bool] = ...) -> Region: + def _unmanage(self) -> None: r""" - @brief Filters the polygons by the bounding box height to width ratio - This method filters the polygons of the region by the ratio of height vs. width of their bounding boxes. 'Tall' polygons have a large value while 'flat' polygons have a small value. A square has a relative height of 1. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - An alternative method is 'with_area_ratio' which can be more efficient because it's isotropic. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def cell(self) -> Any: + r""" + @brief A shortcut for 'get("cell")' + """ + def cell_index(self) -> Any: + r""" + @brief A shortcut for 'get("cell_index")' + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def data(self) -> Any: + r""" + @brief A shortcut for 'get("data")' + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dtrans(self) -> Any: + r""" + @brief A shortcut for 'get("dtrans")' + """ + def get(self, name: str) -> Any: + r""" + @brief Gets the query property with the given name + The query properties available can be obtained from the query object using \LayoutQuery#property_names. + Some shortcut methods are available. For example, the \data method provides a shortcut for 'get("data")'. - With 'inverse' set to false, this version filters polygons which have a relative height between 'min_ratio' and 'max_ratio'. With 'min_included' set to true, the 'min_ratio' value is included in the range, otherwise it's excluded. Same for 'max_included' and 'max_ratio'. With 'inverse' set to true, all other polygons will be returned. + If a property with the given name is not available, nil will be returned. + """ + def initial_cell(self) -> Any: + r""" + @brief A shortcut for 'get("initial_cell")' + """ + def initial_cell_index(self) -> Any: + r""" + @brief A shortcut for 'get("initial_cell_index")' + """ + def inst(self) -> Any: + r""" + @brief A shortcut for 'get("inst")' + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def layer_index(self) -> Any: + r""" + @brief A shortcut for 'get("layer_index")' + """ + def layout(self) -> Layout: + r""" + @brief Gets the layout the query acts on + """ + def parent_cell(self) -> Any: + r""" + @brief A shortcut for 'get("parent_cell")' + """ + def parent_cell_index(self) -> Any: + r""" + @brief A shortcut for 'get("parent_cell_index")' + """ + def path_dtrans(self) -> Any: + r""" + @brief A shortcut for 'get("path_dtrans")' + """ + def path_trans(self) -> Any: + r""" + @brief A shortcut for 'get("path_trans")' + """ + def query(self) -> LayoutQuery: + r""" + @brief Gets the query the iterator follows on + """ + def shape(self) -> Any: + r""" + @brief A shortcut for 'get("shape")' + """ + def trans(self) -> Any: + r""" + @brief A shortcut for 'get("trans")' + """ - If you don't want to specify a lower or upper limit, pass nil to that parameter. +class LayoutToNetlist: + r""" + @brief A generic framework for extracting netlists from layouts - Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + This class wraps various concepts from db::NetlistExtractor and db::NetlistDeviceExtractor + and more. It is supposed to provide a framework for extracting a netlist from a layout. - This method has been introduced in version 0.27. - """ + The use model of this class consists of five steps which need to be executed in this order. -class Shape: - r""" - @brief An object representing a shape in the layout database + @ul + @li Configuration: in this step, the LayoutToNetlist object is created and + if required, configured. Methods to be used in this step are \threads=, + \area_ratio= or \max_vertex_count=. The constructor for the LayoutToNetlist + object receives a \RecursiveShapeIterator object which basically supplies the + hierarchy and the layout taken as input. + @/li + @li Preparation + In this step, the device recognition and extraction layers are drawn from + the framework. Derived can now be computed using boolean operations. + Methods to use in this step are \make_layer and it's variants. + Layer preparation is not necessarily required to happen before all + other steps. Layers can be computed shortly before they are required. + @/li + @li Following the preparation, the devices can be extracted using \extract_devices. + This method needs to be called for each device extractor required. Each time, + a device extractor needs to be given plus a map of device layers. The device + layers are device extractor specific. Either original or derived layers + may be specified here. Layer preparation may happen between calls to \extract_devices. + @/li + @li Once the devices are derived, the netlist connectivity can be defined and the + netlist extracted. The connectivity is defined with \connect and it's + flavours. The actual netlist extraction happens with \extract_netlist. + @/li + @li After netlist extraction, the information is ready to be retrieved. + The produced netlist is available with \netlist. The Shapes of a + specific net are available with \shapes_of_net. \probe_net allows + finding a net by probing a specific location. + @/li + @/ul - The shape proxy is basically a pointer to a shape of different kinds. - No copy of the shape is created: if the shape proxy is copied the copy still - points to the original shape. If the original shape is modified or deleted, - the shape proxy will also point to a modified or invalid shape. - The proxy can be "null" which indicates an invalid reference. + You can also use the extractor with an existing \DeepShapeStore object or even flat data. In this case, preparation means importing existing regions with the \register method. + If you want to use the \LayoutToNetlist object with flat data, use the 'LayoutToNetlist(topcell, dbu)' constructor. If you want to use it with hierarchical data and an existing DeepShapeStore object, use the 'LayoutToNetlist(dss)' constructor. - Shape objects are used together with the \Shapes container object which - stores the actual shape objects and uses Shape references as pointers inside the - actual data storage. Shape references are used in various places, i.e. when removing or - transforming objects inside a \Shapes container. - """ - TBox: ClassVar[int] - r""" + This class has been introduced in version 0.26. """ - TBoxArray: ClassVar[int] + class BuildNetHierarchyMode: + r""" + @brief This class represents the LayoutToNetlist::BuildNetHierarchyMode enum + This enum is used for \LayoutToNetlist#build_all_nets and \LayoutToNetlist#build_net. + """ + BNH_Disconnected: ClassVar[LayoutToNetlist.BuildNetHierarchyMode] + r""" + @brief This constant tells \build_net and \build_all_nets to produce local nets without connections to subcircuits (used for the "hier_mode" parameter). + """ + BNH_Flatten: ClassVar[LayoutToNetlist.BuildNetHierarchyMode] + r""" + @brief This constant tells \build_net and \build_all_nets to flatten the nets (used for the "hier_mode" parameter). + """ + BNH_SubcircuitCells: ClassVar[LayoutToNetlist.BuildNetHierarchyMode] + r""" + @brief This constant tells \build_net and \build_all_nets to produce a hierarchy of subcircuit cells per net (used for the "hier_mode" parameter). + """ + @overload + @classmethod + def new(cls, i: int) -> LayoutToNetlist.BuildNetHierarchyMode: + r""" + @brief Creates an enum from an integer value + """ + @overload + @classmethod + def new(cls, s: str) -> LayoutToNetlist.BuildNetHierarchyMode: + r""" + @brief Creates an enum from a string value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares two enums + """ + @overload + def __init__(self, i: int) -> None: + r""" + @brief Creates an enum from an integer value + """ + @overload + def __init__(self, s: str) -> None: + r""" + @brief Creates an enum from a string value + """ + @overload + def __lt__(self, other: LayoutToNetlist.BuildNetHierarchyMode) -> bool: + r""" + @brief Returns true if the first enum is less (in the enum symbol order) than the second + """ + @overload + def __lt__(self, other: int) -> bool: + r""" + @brief Returns true if the enum is less (in the enum symbol order) than the integer value + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer for inequality + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares two enums for inequality + """ + def __repr__(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + def inspect(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def to_i(self) -> int: + r""" + @brief Gets the integer value from the enum + """ + def to_s(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + BNH_Disconnected: ClassVar[LayoutToNetlist.BuildNetHierarchyMode] r""" + @brief This constant tells \build_net and \build_all_nets to produce local nets without connections to subcircuits (used for the "hier_mode" parameter). """ - TBoxArrayMember: ClassVar[int] + BNH_Flatten: ClassVar[LayoutToNetlist.BuildNetHierarchyMode] r""" + @brief This constant tells \build_net and \build_all_nets to flatten the nets (used for the "hier_mode" parameter). """ - TEdge: ClassVar[int] + BNH_SubcircuitCells: ClassVar[LayoutToNetlist.BuildNetHierarchyMode] r""" + @brief This constant tells \build_net and \build_all_nets to produce a hierarchy of subcircuit cells per net (used for the "hier_mode" parameter). """ - TEdgePair: ClassVar[int] + area_ratio: float r""" + Getter: + @brief Gets the area_ratio parameter for the hierarchical network processor + See \area_ratio= for details about this attribute. + Setter: + @brief Sets the area_ratio parameter for the hierarchical network processor + This parameter controls splitting of large polygons in order to reduce the + error made by the bounding box approximation. """ - TNull: ClassVar[int] + description: str r""" + Getter: + @brief Gets the description of the database + + Setter: + @brief Sets the description of the database """ - TPath: ClassVar[int] + device_scaling: float r""" + Getter: + @brief Gets the device scaling factor + See \device_scaling= for details about this attribute. + Setter: + @brief Sets the device scaling factor + This factor will scale the physical properties of the extracted devices + accordingly. The scale factor applies an isotropic shrink (<1) or expansion (>1). """ - TPathPtrArray: ClassVar[int] + generator: str r""" + Getter: + @brief Gets the generator string. + The generator is the script that created this database. + + Setter: + @brief Sets the generator string. """ - TPathPtrArrayMember: ClassVar[int] - r""" - """ - TPathRef: ClassVar[int] - r""" - """ - TPoint: ClassVar[int] - r""" - """ - TPolygon: ClassVar[int] - r""" - """ - TPolygonPtrArray: ClassVar[int] - r""" - """ - TPolygonPtrArrayMember: ClassVar[int] - r""" - """ - TPolygonRef: ClassVar[int] - r""" - """ - TShortBox: ClassVar[int] - r""" - """ - TShortBoxArray: ClassVar[int] - r""" - """ - TShortBoxArrayMember: ClassVar[int] - r""" - """ - TSimplePolygon: ClassVar[int] - r""" - """ - TSimplePolygonPtrArray: ClassVar[int] - r""" - """ - TSimplePolygonPtrArrayMember: ClassVar[int] - r""" - """ - TSimplePolygonRef: ClassVar[int] - r""" - """ - TText: ClassVar[int] - r""" - """ - TTextPtrArray: ClassVar[int] - r""" - """ - TTextPtrArrayMember: ClassVar[int] - r""" - """ - TTextRef: ClassVar[int] - r""" - """ - TUserObject: ClassVar[int] - r""" - """ - box: Any - r""" - Getter: - @brief Gets the box object - - Starting with version 0.23, this method returns nil, if the shape does not represent a box. - Setter: - @brief Replaces the shape by the given box - This method replaces the shape by the given box. This method can only be called for editable layouts. It does not change the user properties of the shape. - Calling this method will invalidate any iterators. It should not be called inside a loop iterating over shapes. - - This method has been introduced in version 0.22. - """ - box_center: Point + include_floating_subcircuits: bool r""" Getter: - @brief Returns the center of the box - - Applies to boxes only. Returns the center of the box and throws an exception if the shape is not a box. + @brief Gets a flag indicating whether to include floating subcircuits in the netlist. + See \include_floating_subcircuits= for details. - This method has been introduced in version 0.23. + This attribute has been introduced in version 0.27. Setter: - @brief Sets the center of the box + @brief Sets a flag indicating whether to include floating subcircuits in the netlist. - Applies to boxes only. Changes the center of the box and throws an exception if the shape is not a box. + With 'include_floating_subcircuits' set to true, subcircuits with no connection to their parent circuit are still included in the circuit as floating subcircuits. Specifically on flattening this means that these subcircuits are properly propagated to their parent instead of appearing as additional top circuits. - This method has been introduced in version 0.23. + This attribute has been introduced in version 0.27 and replaces the arguments of \extract_netlist. """ - box_dcenter: DPoint + max_vertex_count: int r""" Getter: - @brief Returns the center of the box as a \DPoint object in micrometer units - - Applies to boxes only. Returns the center of the box and throws an exception if the shape is not a box. - Conversion from database units to micrometers is done internally. - - This method has been introduced in version 0.25. - + See \max_vertex_count= for details about this attribute. Setter: - @brief Sets the center of the box with the point being given in micrometer units - - Applies to boxes only. Changes the center of the box and throws an exception if the shape is not a box. - Translation from micrometer units to database units is done internally. - - This method has been introduced in version 0.25. + @brief Sets the max_vertex_count parameter for the hierarchical network processor + This parameter controls splitting of large polygons in order to enhance performance + for very big polygons. """ - box_dheight: float + name: str r""" Getter: - @brief Returns the height of the box in micrometer units - - Applies to boxes only. Returns the height of the box in micrometers and throws an exception if the shape is not a box. - - This method has been introduced in version 0.25. + @brief Gets the name of the database Setter: - @brief Sets the height of the box - - Applies to boxes only. Changes the height of the box to the value given in micrometer units and throws an exception if the shape is not a box. - Translation to database units happens internally. - - This method has been introduced in version 0.25. + @brief Sets the name of the database """ - box_dp1: DPoint + original_file: str r""" Getter: - @brief Returns the lower left point of the box as a \DPoint object in micrometer units - - Applies to boxes only. Returns the lower left point of the box and throws an exception if the shape is not a box. - Conversion from database units to micrometers is done internally. - - This method has been introduced in version 0.25. - + @brief Gets the original file name of the database + The original filename is the layout file from which the netlist DB was created. Setter: - @brief Sets the lower left corner of the box with the point being given in micrometer units - - Applies to boxes only. Changes the lower left point of the box and throws an exception if the shape is not a box. - Translation from micrometer units to database units is done internally. - - This method has been introduced in version 0.25. + @brief Sets the original file name of the database """ - box_dp2: DPoint + threads: int r""" Getter: - @brief Returns the upper right point of the box as a \DPoint object in micrometer units - - Applies to boxes only. Returns the upper right point of the box and throws an exception if the shape is not a box. - Conversion from database units to micrometers is done internally. - - This method has been introduced in version 0.25. + @brief Gets the number of threads to use for operations which support multiple threads Setter: - @brief Sets the upper right corner of the box with the point being given in micrometer units - - Applies to boxes only. Changes the upper right point of the box and throws an exception if the shape is not a box. - Translation from micrometer units to database units is done internally. - - This method has been introduced in version 0.25. + @brief Sets the number of threads to use for operations which support multiple threads """ - box_dwidth: float - r""" - Getter: - @brief Returns the width of the box in micrometer units + @overload + @classmethod + def new(cls) -> LayoutToNetlist: + r""" + @brief Creates a new and empty extractor object + The main objective for this constructor is to create an object suitable for reading an annotated netlist. + """ + @overload + @classmethod + def new(cls, dss: DeepShapeStore) -> LayoutToNetlist: + r""" + @brief Creates a new extractor object reusing an existing \DeepShapeStore object + This constructor can be used if there is a DSS object already from which the shapes can be taken. This version can only be used with \register to add layers (regions) inside the 'dss' object. - Applies to boxes only. Returns the width of the box in micrometers and throws an exception if the shape is not a box. + The make_... methods will not create new layers as there is no particular place defined where to create the layers. - This method has been introduced in version 0.25. + The extractor will not take ownership of the dss object unless you call \keep_dss. + """ + @overload + @classmethod + def new(cls, dss: DeepShapeStore, layout_index: int) -> LayoutToNetlist: + r""" + @brief Creates a new extractor object reusing an existing \DeepShapeStore object + This constructor can be used if there is a DSS object already from which the shapes can be taken. NOTE: in this case, the make_... functions will create new layers inside this DSS. To register existing layers (regions) use \register. + """ + @overload + @classmethod + def new(cls, iter: RecursiveShapeIterator) -> LayoutToNetlist: + r""" + @brief Creates a new extractor connected to an original layout + This constructor will attach the extractor to an original layout through the shape iterator. + """ + @overload + @classmethod + def new(cls, topcell_name: str, dbu: float) -> LayoutToNetlist: + r""" + @brief Creates a new extractor object with a flat DSS + @param topcell_name The name of the top cell of the internal flat layout + @param dbu The database unit to use for the internal flat layout - Setter: - @brief Sets the width of the box in micrometer units + This constructor will create an extractor for flat extraction. Layers registered with \register will be flattened. New layers created with make_... will be flat layers. - Applies to boxes only. Changes the width of the box to the value given in micrometer units and throws an exception if the shape is not a box. - Translation to database units happens internally. + The database unit is mandatory because the physical parameter extraction for devices requires this unit for translation of layout to physical dimensions. + """ + @overload + def __init__(self) -> None: + r""" + @brief Creates a new and empty extractor object + The main objective for this constructor is to create an object suitable for reading an annotated netlist. + """ + @overload + def __init__(self, dss: DeepShapeStore) -> None: + r""" + @brief Creates a new extractor object reusing an existing \DeepShapeStore object + This constructor can be used if there is a DSS object already from which the shapes can be taken. This version can only be used with \register to add layers (regions) inside the 'dss' object. - This method has been introduced in version 0.25. - """ - box_height: int - r""" - Getter: - @brief Returns the height of the box + The make_... methods will not create new layers as there is no particular place defined where to create the layers. - Applies to boxes only. Returns the height of the box and throws an exception if the shape is not a box. + The extractor will not take ownership of the dss object unless you call \keep_dss. + """ + @overload + def __init__(self, dss: DeepShapeStore, layout_index: int) -> None: + r""" + @brief Creates a new extractor object reusing an existing \DeepShapeStore object + This constructor can be used if there is a DSS object already from which the shapes can be taken. NOTE: in this case, the make_... functions will create new layers inside this DSS. To register existing layers (regions) use \register. + """ + @overload + def __init__(self, iter: RecursiveShapeIterator) -> None: + r""" + @brief Creates a new extractor connected to an original layout + This constructor will attach the extractor to an original layout through the shape iterator. + """ + @overload + def __init__(self, topcell_name: str, dbu: float) -> None: + r""" + @brief Creates a new extractor object with a flat DSS + @param topcell_name The name of the top cell of the internal flat layout + @param dbu The database unit to use for the internal flat layout - This method has been introduced in version 0.23. + This constructor will create an extractor for flat extraction. Layers registered with \register will be flattened. New layers created with make_... will be flat layers. - Setter: - @brief Sets the height of the box + The database unit is mandatory because the physical parameter extraction for devices requires this unit for translation of layout to physical dimensions. + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - Applies to boxes only. Changes the height of the box and throws an exception if the shape is not a box. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.23. - """ - box_p1: Point - r""" - Getter: - @brief Returns the lower left point of the box + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + @overload + def antenna_check(self, gate: Region, gate_area_factor: float, gate_perimeter_factor: float, metal: Region, metal_area_factor: float, metal_perimeter_factor: float, ratio: float, diodes: Optional[Sequence[Any]] = ..., texts: Optional[Texts] = ...) -> Region: + r""" + @brief Runs an antenna check on the extracted clusters taking the perimeter into account and providing an area factor - Applies to boxes only. Returns the lower left point of the box and throws an exception if the shape is not a box. + This (most generic) version of the \antenna_check method allows taking the perimeter of gate or metal into account and also provides a scaling factor for the area part. + The effective area is computed using: - This method has been introduced in version 0.23. + @code + Aeff = A * f + P * t + @/code - Setter: - @brief Sets the lower left point of the box + Here f is the area factor and t the perimeter factor. A is the polygon area and P the polygon perimeter. A use case for this variant is to set the area factor to zero. This way, only perimeter contributions are considered. - Applies to boxes only. Changes the lower left point of the box and throws an exception if the shape is not a box. + This variant has been introduced in version 0.26.6. + """ + @overload + def antenna_check(self, gate: Region, gate_perimeter_factor: float, metal: Region, metal_perimeter_factor: float, ratio: float, diodes: Optional[Sequence[Any]] = ..., texts: Optional[Texts] = ...) -> Region: + r""" + @brief Runs an antenna check on the extracted clusters taking the perimeter into account - This method has been introduced in version 0.23. - """ - box_p2: Point - r""" - Getter: - @brief Returns the upper right point of the box + This version of the \antenna_check method allows taking the perimeter of gate or metal into account. The effective area is computed using: - Applies to boxes only. Returns the upper right point of the box and throws an exception if the shape is not a box. + @code + Aeff = A + P * t + @/code - This method has been introduced in version 0.23. + Here Aeff is the area used in the check, A is the polygon area, P the perimeter and t the perimeter factor. This formula applies to gate polygon area/perimeter with 'gate_perimeter_factor' for t and metal polygon area/perimeter with 'metal_perimeter_factor'. The perimeter_factor has the dimension of micrometers and can be thought of as the width of the material. Essentially the side walls of the material are taking into account for the surface area as well. - Setter: - @brief Sets the upper right point of the box + This variant has been introduced in version 0.26.6. + """ + @overload + def antenna_check(self, gate: Region, metal: Region, ratio: float, diodes: Optional[Sequence[Any]] = ..., texts: Optional[Texts] = ...) -> Region: + r""" + @brief Runs an antenna check on the extracted clusters - Applies to boxes only. Changes the upper right point of the box and throws an exception if the shape is not a box. + The antenna check will traverse all clusters and run an antenna check + for all root clusters. The antenna ratio is defined by the total + area of all "metal" shapes divided by the total area of all "gate" shapes + on the cluster. Of all clusters where the antenna ratio is larger than + the limit ratio all metal shapes are copied to the output region as + error markers. - This method has been introduced in version 0.23. - """ - box_width: int - r""" - Getter: - @brief Returns the width of the box + The simple call is: - Applies to boxes only. Returns the width of the box and throws an exception if the shape is not a box. + @code + l2n = ... # a LayoutToNetlist object + l2n.extract_netlist + # check for antenna ratio 10.0 of metal vs. poly: + errors = l2n.antenna(poly, metal, 10.0) + @/code - This method has been introduced in version 0.23. + You can include diodes which rectify the antenna effect. Provide recognition layers for theses diodes and include them in the connections. Then specify the diode layers in the antenna call: - Setter: - @brief Sets the width of the box + @code + ... + # include diode_layer1: + errors = l2n.antenna(poly, metal, 10.0, [ diode_layer1 ]) + # include diode_layer1 and diode_layer2:errors = l2n.antenna(poly, metal, 10.0, [ diode_layer1, diode_layer2 ]) + @/code - Applies to boxes only. Changes the width of the box and throws an exception if the shape is not a box. + Diodes can be configured to partially reduce the antenna effect depending on their area. This will make the diode_layer1 increase the ratio by 50.0 per square micrometer area of the diode: - This method has been introduced in version 0.23. - """ - cell: Cell - r""" - Getter: - @brief Gets a reference to the cell the shape belongs to + @code + ... + # diode_layer1 increases the ratio by 50 per square micrometer area: + errors = l2n.antenna(poly, metal, 10.0 [ [ diode_layer, 50.0 ] ]) + @/code - This reference can be nil, if the Shape object is not living inside a cell + If 'texts' is non-nil, this text collection will receive labels explaining the error in terms of area values and relevant ratio. - This method has been introduced in version 0.22. - Setter: - @brief Moves the shape to a different cell + The 'texts' parameter has been added in version 0.27.11. + """ + def build_all_nets(self, cmap: CellMapping, target: Layout, lmap: Dict[int, Region], net_cell_name_prefix: Optional[Any] = ..., netname_prop: Optional[Any] = ..., hier_mode: Optional[LayoutToNetlist.BuildNetHierarchyMode] = ..., circuit_cell_name_prefix: Optional[Any] = ..., device_cell_name_prefix: Optional[Any] = ...) -> None: + r""" + @brief Builds a full hierarchical representation of the nets - Both the current and the target cell must reside in the same layout. + This method copies all nets into cells corresponding to the circuits. It uses the 'cmap' + object to determine the target cell (create it with "cell_mapping_into" or "const_cell_mapping_into"). + If no mapping is provided for a specific circuit cell, the nets are copied into the next mapped parent as many times as the circuit cell appears there (circuit flattening). - This method has been introduced in version 0.23. - """ - dbox: Any - r""" - Getter: - @brief Gets the box object in micrometer units - See \box for a description of this method. This method returns the box after translation to micrometer units. + The method has three net annotation modes: + @ul + @li No annotation (net_cell_name_prefix == nil and netname_prop == nil): the shapes will be put + into the target cell simply. @/li + @li Net name property (net_cell_name_prefix == nil and netname_prop != nil): the shapes will be + annotated with a property named with netname_prop and containing the net name string. @/li + @li Individual subcells per net (net_cell_name_prefix != 0): for each net, a subcell is created + and the net shapes will be put there (name of the subcell = net_cell_name_prefix + net name). + (this mode can be combined with netname_prop too). @/li + @/ul - This method has been added in version 0.25. + In addition, net hierarchy is covered in three ways: + @ul + @li No connection indicated (hier_mode == \BNH_Disconnected: the net shapes are simply put into their + respective circuits. The connections are not indicated. @/li + @li Subnet hierarchy (hier_mode == \BNH_SubcircuitCells): for each root net, a full hierarchy is built + to accommodate the subnets (see build_net in recursive mode). @/li + @li Flat (hier_mode == \BNH_Flatten): each net is flattened and put into the circuit it + belongs to. @/li + @/ul - Setter: - @brief Replaces the shape by the given box (in micrometer units) - This method replaces the shape by the given box, like \box= with a \Box argument does. This version translates the box from micrometer units to database units internally. + If a device cell name prefix is given, cells will be produced for each device abstract + using a name like device_cell_name_prefix + device name. Otherwise the device shapes are + treated as part of the net. - This method has been introduced in version 0.25. - """ - dedge: Any - r""" - Getter: - @brief Returns the edge object as a \DEdge object in micrometer units - See \edge for a description of this method. This method returns the edge after translation to micrometer units. + @param cmap The mapping of internal layout to target layout for the circuit mapping + @param target The target layout + @param lmap Target layer indexes (keys) and net regions (values) + @param hier_mode See description of this method + @param netname_prop An (optional) property name to which to attach the net name + @param circuit_cell_name_prefix See method description + @param net_cell_name_prefix See method description + @param device_cell_name_prefix See above + """ + def build_net(self, net: Net, target: Layout, target_cell: Cell, lmap: Dict[int, Region], netname_prop: Optional[Any] = ..., hier_mode: Optional[LayoutToNetlist.BuildNetHierarchyMode] = ..., circuit_cell_name_prefix: Optional[Any] = ..., device_cell_name_prefix: Optional[Any] = ...) -> None: + r""" + @brief Builds a net representation in the given layout and cell - This method has been added in version 0.25. + This method puts the shapes of a net into the given target cell using a variety of options + to represent the net name and the hierarchy of the net. - Setter: - @brief Replaces the shape by the given edge (in micrometer units) - This method replaces the shape by the given edge, like \edge= with a \Edge argument does. This version translates the edge from micrometer units to database units internally. + If the netname_prop name is not nil, a property with the given name is created and assigned + the net name. - This method has been introduced in version 0.25. - """ - dedge_pair: Any - r""" - Getter: - @brief Returns the edge pair object as a \DEdgePair object in micrometer units - See \edge_pair for a description of this method. This method returns the edge pair after translation to micrometer units. + Net hierarchy is covered in three ways: + @ul + @li No connection indicated (hier_mode == \BNH_Disconnected: the net shapes are simply put into their + respective circuits. The connections are not indicated. @/li + @li Subnet hierarchy (hier_mode == \BNH_SubcircuitCells): for each root net, a full hierarchy is built + to accommodate the subnets (see build_net in recursive mode). @/li + @li Flat (hier_mode == \BNH_Flatten): each net is flattened and put into the circuit it + belongs to. @/li + @/ul + If a device cell name prefix is given, cells will be produced for each device abstract + using a name like device_cell_name_prefix + device name. Otherwise the device shapes are + treated as part of the net. - This method has been added in version 0.26. + @param target The target layout + @param target_cell The target cell + @param lmap Target layer indexes (keys) and net regions (values) + @param hier_mode See description of this method + @param netname_prop An (optional) property name to which to attach the net name + @param cell_name_prefix Chooses recursive mode if non-null + @param device_cell_name_prefix See above + """ + def build_nets(self, nets: Sequence[Net], cmap: CellMapping, target: Layout, lmap: Dict[int, Region], net_cell_name_prefix: Optional[Any] = ..., netname_prop: Optional[Any] = ..., hier_mode: Optional[LayoutToNetlist.BuildNetHierarchyMode] = ..., circuit_cell_name_prefix: Optional[Any] = ..., device_cell_name_prefix: Optional[Any] = ...) -> None: + r""" + @brief Like \build_all_nets, but with the ability to select some nets. + """ + @overload + def cell_mapping_into(self, layout: Layout, cell: Cell, nets: Sequence[Net], with_device_cells: Optional[bool] = ...) -> CellMapping: + r""" + @brief Creates a cell mapping for copying shapes from the internal layout to the given target layout. + This version will only create cells which are required to represent the nets from the 'nets' argument. - Setter: - @brief Replaces the shape by the given edge pair (in micrometer units) - This method replaces the shape by the given edge pair, like \edge_pair= with a \EdgePair argument does. This version translates the edge pair from micrometer units to database units internally. + If 'with_device_cells' is true, cells will be produced for devices. These are cells not corresponding to circuits, so they are disabled normally. + Use this option, if you want to access device terminal shapes per device. - This method has been introduced in version 0.26. - """ - dpath: Any - r""" - Getter: - @brief Returns the path object as a \DPath object in micrometer units - See \path for a description of this method. This method returns the path after translation to micrometer units. + CAUTION: this function may create new cells in 'layout'. Use \const_cell_mapping_into if you want to use the target layout's hierarchy and not modify it. + """ + @overload + def cell_mapping_into(self, layout: Layout, cell: Cell, with_device_cells: Optional[bool] = ...) -> CellMapping: + r""" + @brief Creates a cell mapping for copying shapes from the internal layout to the given target layout. + If 'with_device_cells' is true, cells will be produced for devices. These are cells not corresponding to circuits, so they are disabled normally. + Use this option, if you want to access device terminal shapes per device. - This method has been added in version 0.25. + CAUTION: this function may create new cells in 'layout'. Use \const_cell_mapping_into if you want to use the target layout's hierarchy and not modify it. + """ + def clear_join_net_names(self) -> None: + r""" + @brief Clears all implicit net joining expressions. + See \extract_netlist for more details about this feature. - Setter: - @brief Replaces the shape by the given path (in micrometer units) - This method replaces the shape by the given path, like \path= with a \Path argument does. This version translates the path from micrometer units to database units internally. + This method has been introduced in version 0.27 and replaces the arguments of \extract_netlist. + """ + def clear_join_nets(self) -> None: + r""" + @brief Clears all explicit net joining expressions. + See \extract_netlist for more details about this feature. - This method has been introduced in version 0.25. - """ - dpoint: Any - r""" - Getter: - @brief Returns the point object as a \DPoint object in micrometer units - See \point for a description of this method. This method returns the point after translation to micrometer units. + Explicit net joining has been introduced in version 0.27. + """ + @overload + def connect(self, a: Region, b: Region) -> None: + r""" + @brief Defines an inter-layer connection for the given layers. + The conditions mentioned with intra-layer \connect apply for this method too. + """ + @overload + def connect(self, a: Region, b: Texts) -> None: + r""" + @brief Defines an inter-layer connection for the given layers. + The conditions mentioned with intra-layer \connect apply for this method too. + As one argument is a (hierarchical) text collection, this method is used to attach net labels to polygons. - This method has been introduced in version 0.28. + This variant has been introduced in version 0.27. + """ + @overload + def connect(self, a: Texts, b: Region) -> None: + r""" + @brief Defines an inter-layer connection for the given layers. + The conditions mentioned with intra-layer \connect apply for this method too. + As one argument is a (hierarchical) text collection, this method is used to attach net labels to polygons. - Setter: - @brief Replaces the shape by the given point (in micrometer units) - This method replaces the shape by the given point, like \point= with a \Point argument does. This version translates the point from micrometer units to database units internally. + This variant has been introduced in version 0.27. + """ + @overload + def connect(self, l: Region) -> None: + r""" + @brief Defines an intra-layer connection for the given layer. + The layer is either an original layer created with \make_includelayer and it's variants or + a derived layer. Certain limitations apply. It's safe to use + boolean operations for deriving layers. Other operations are applicable as long as they are + capable of delivering hierarchical layers. + """ + @overload + def connect_global(self, l: Region, global_net_name: str) -> int: + r""" + @brief Defines a connection of the given layer with a global net. + This method returns the ID of the global net. Use \global_net_name to get the name back from the ID. + """ + @overload + def connect_global(self, l: Texts, global_net_name: str) -> int: + r""" + @brief Defines a connection of the given text layer with a global net. + This method returns the ID of the global net. Use \global_net_name to get the name back from the ID. + This variant has been introduced in version 0.27. + """ + def const_cell_mapping_into(self, layout: Layout, cell: Cell) -> CellMapping: + r""" + @brief Creates a cell mapping for copying shapes from the internal layout to the given target layout. + This version will not create new cells in the target layout. + If the required cells do not exist there yet, flatting will happen. + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dss(self) -> DeepShapeStore: + r""" + @brief Gets a reference to the internal DSS object. + """ + def dump_joined_net_names(self) -> str: + r""" + @hide + """ + def dump_joined_net_names_per_cell(self) -> str: + r""" + @hide + """ + def dump_joined_nets(self) -> str: + r""" + @hide + """ + def dump_joined_nets_per_cell(self) -> str: + r""" + @hide + """ + def extract_devices(self, extractor: DeviceExtractorBase, layers: Dict[str, ShapeCollection]) -> None: + r""" + @brief Extracts devices + See the class description for more details. + This method will run device extraction for the given extractor. The layer map is specific + for the extractor and uses the region objects derived with \make_layer and it's variants. - This method has been introduced in version 0.28. - """ - dpolygon: Any - r""" - Getter: - @brief Returns the polygon object in micrometer units + In addition, derived regions can be passed too. Certain limitations apply. It's safe to use + boolean operations for deriving layers. Other operations are applicable as long as they are + capable of delivering hierarchical layers. - Returns the polygon object that this shape refers to or converts the object to a polygon. The method returns the same object than \polygon, but translates it to micrometer units internally. + If errors occur, the device extractor will contain theses errors. + """ + def extract_netlist(self) -> None: + r""" + @brief Runs the netlist extraction - This method has been introduced in version 0.25. + See the class description for more details. - Setter: - @brief Replaces the shape by the given polygon (in micrometer units) - This method replaces the shape by the given polygon, like \polygon= with a \Polygon argument does. This version translates the polygon from micrometer units to database units internally. + This method has been made parameter-less in version 0.27. Use \include_floating_subcircuits= and \join_net_names as substitutes for the arguments of previous versions. + """ + def filename(self) -> str: + r""" + @brief Gets the file name of the database + The filename is the name under which the database is stored or empty if it is not associated with a file. + """ + def global_net_name(self, global_net_id: int) -> str: + r""" + @brief Gets the global net name for the given global net ID. + """ + def internal_layout(self) -> Layout: + r""" + @brief Gets the internal layout + Usually it should not be required to obtain the internal layout. If you need to do so, make sure not to modify the layout as + the functionality of the netlist extractor depends on it. + """ + def internal_top_cell(self) -> Cell: + r""" + @brief Gets the internal top cell + Usually it should not be required to obtain the internal cell. If you need to do so, make sure not to modify the cell as + the functionality of the netlist extractor depends on it. + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def is_extracted(self) -> bool: + r""" + @brief Gets a value indicating whether the netlist has been extracted - This method has been introduced in version 0.25. - """ - dsimple_polygon: Any - r""" - Getter: - @brief Returns the simple polygon object in micrometer units + This method has been introduced in version 0.27.1. + """ + @overload + def is_persisted(self, layer: Region) -> bool: + r""" + @brief Returns true, if the given layer is a persisted region. + Persisted layers are kept inside the LayoutToNetlist object and are not released if their object is destroyed. Named layers are persisted, unnamed layers are not. Only persisted, named layers can be put into \connect. + """ + @overload + def is_persisted(self, layer: Texts) -> bool: + r""" + @brief Returns true, if the given layer is a persisted texts collection. + Persisted layers are kept inside the LayoutToNetlist object and are not released if their object is destroyed. Named layers are persisted, unnamed layers are not. Only persisted, named layers can be put into \connect. - Returns the simple polygon object that this shape refers to or converts the object to a simple polygon. The method returns the same object than \simple_polygon, but translates it to micrometer units internally. + The variant for Texts collections has been added in version 0.27. + """ + @overload + def join_net_names(self, cell_pattern: str, pattern: str) -> None: + r""" + @brief Specifies another pattern for implicit joining of nets for the cells from the given cell pattern. + This method allows applying implicit net joining for specific cells, not only for the top cell. - This method has been introduced in version 0.25. + This method adds a new pattern. Use \clear_join_net_names to clear the registered pattern. - Setter: - @brief Replaces the shape by the given simple polygon (in micrometer units) - This method replaces the shape by the given text, like \simple_polygon= with a \SimplePolygon argument does. This version translates the polygon from micrometer units to database units internally. + This method has been introduced in version 0.27 and replaces the arguments of \extract_netlist. + """ + @overload + def join_net_names(self, pattern: str) -> None: + r""" + @brief Specifies another pattern for implicit joining of nets for the top level cell. + Use this method to register a pattern for net labels considered in implicit net joining. Implicit net joining allows connecting multiple parts of the same nets (e.g. supply rails) without need for a physical connection. The pattern specifies labels to look for. When parts are labelled with a name matching the expression, the parts carrying the same name are joined. - This method has been introduced in version 0.25. - """ - dtext: Any - r""" - Getter: - @brief Returns the path object as a \DText object in micrometer units - See \text for a description of this method. This method returns the text after translation to micrometer units. + This method adds a new pattern. Use \clear_join_net_names to clear the registered pattern. - This method has been added in version 0.25. + Each pattern is a glob expression. Valid glob expressions are: + @ul + @li "" no implicit connections.@/li + @li "*" to make all labels candidates for implicit connections.@/li + @li "VDD" to make all 'VDD'' nets candidates for implicit connections.@/li + @li "VDD" to make all 'VDD'+suffix nets candidates for implicit connections.@/li + @li "{VDD,VSS}" to all VDD and VSS nets candidates for implicit connections.@/li + @/ul - Setter: - @brief Replaces the shape by the given text (in micrometer units) - This method replaces the shape by the given text, like \text= with a \Text argument does. This version translates the text from micrometer units to database units internally. + Label matching is case sensitive. - This method has been introduced in version 0.25. - """ - edge: Any - r""" - Getter: - @brief Returns the edge object + This method has been introduced in version 0.27 and replaces the arguments of \extract_netlist. + """ + @overload + def join_nets(self, cell_pattern: str, net_names: Sequence[str]) -> None: + r""" + @brief Specifies another name list for explicit joining of nets for the cells from the given cell pattern. + This method allows applying explicit net joining for specific cells, not only for the top cell. - Starting with version 0.23, this method returns nil, if the shape does not represent an edge. - Setter: - @brief Replaces the shape by the given edge - This method replaces the shape by the given edge. This method can only be called for editable layouts. It does not change the user properties of the shape. - Calling this method will invalidate any iterators. It should not be called inside a loop iterating over shapes. + This method adds a new name list. Use \clear_join_nets to clear the registered pattern. - This method has been introduced in version 0.22. - """ - edge_pair: Any - r""" - Getter: - @brief Returns the edge pair object + Explicit net joining has been introduced in version 0.27. + """ + @overload + def join_nets(self, net_names: Sequence[str]) -> None: + r""" + @brief Specifies another name list for explicit joining of nets for the top level cell. + Use this method to join nets from the set of net names. All these nets will be connected together forming a single net. + Explicit joining will imply implicit joining for the involved nets - partial nets involved will be connected too (intra-net joining). - This method has been introduced in version 0.26. - Setter: - @brief Replaces the shape by the given edge pair - This method replaces the shape by the given edge pair. This method can only be called for editable layouts. It does not change the user properties of the shape. - Calling this method will invalidate any iterators. It should not be called inside a loop iterating over shapes. + This method adds a new name list. Use \clear_join_nets to clear the registered pattern. - This method has been introduced in version 0.26. - """ - layer: int - r""" - Getter: - @brief Returns the layer index of the layer the shape is on - Throws an exception if the shape does not reside inside a cell. + Explicit net joining has been introduced in version 0.27. + """ + def keep_dss(self) -> None: + r""" + @brief Resumes ownership over the DSS object if created with an external one. + """ + def layer_by_index(self, index: int) -> Region: + r""" + @brief Gets a layer object for the given index. + Only named layers can be retrieved with this method. The returned object is a copy which represents the named layer. + """ + def layer_by_name(self, name: str) -> Region: + r""" + @brief Gets a layer object for the given name. + The returned object is a copy which represents the named layer. + """ + @overload + def layer_name(self, l: ShapeCollection) -> str: + r""" + @brief Gets the name of the given layer + """ + @overload + def layer_name(self, l: int) -> str: + r""" + @brief Gets the name of the given layer (by index) + """ + def layer_names(self) -> List[str]: + r""" + @brief Returns a list of names of the layer kept inside the LayoutToNetlist object. + """ + @overload + def layer_of(self, l: Region) -> int: + r""" + @brief Gets the internal layer for a given extraction layer + This method is required to derive the internal layer index - for example for + investigating the cluster tree. + """ + @overload + def layer_of(self, l: Texts) -> int: + r""" + @brief Gets the internal layer for a given text collection + This method is required to derive the internal layer index - for example for + investigating the cluster tree. - This method has been added in version 0.23. + The variant for Texts collections has been added in version 0.27. + """ + @overload + def make_layer(self, layer_index: int, name: Optional[str] = ...) -> Region: + r""" + @brief Creates a new hierarchical region representing an original layer + 'layer_index' is the layer index of the desired layer in the original layout. + This variant produces polygons and takes texts for net name annotation. + A variant not taking texts is \make_polygon_layer. A Variant only taking + texts is \make_text_layer. - Setter: - @brief Moves the shape to a layer given by the layer index object + The name is optional. If given, the layer will already be named accordingly (see \register). + """ + @overload + def make_layer(self, name: Optional[str] = ...) -> Region: + r""" + @brief Creates a new, empty hierarchical region - This method has been added in version 0.23. - """ - layer_info: LayerInfo - r""" - Getter: - @brief Returns the \LayerInfo object of the layer the shape is on - If the shape does not reside inside a cell, an empty layer is returned. + The name is optional. If given, the layer will already be named accordingly (see \register). + """ + def make_polygon_layer(self, layer_index: int, name: Optional[str] = ...) -> Region: + r""" + @brief Creates a new region representing an original layer taking polygons and texts + See \make_layer for details. - This method has been added in version 0.23. + The name is optional. If given, the layer will already be named accordingly (see \register). + """ + def make_text_layer(self, layer_index: int, name: Optional[str] = ...) -> Texts: + r""" + @brief Creates a new region representing an original layer taking texts only + See \make_layer for details. - Setter: - @brief Moves the shape to a layer given by a \LayerInfo object - If no layer with the given properties exists, an exception is thrown. + The name is optional. If given, the layer will already be named accordingly (see \register). - This method has been added in version 0.23. - """ - path: Any - r""" - Getter: - @brief Returns the path object + Starting with version 0.27, this method returns a \Texts object. + """ + def netlist(self) -> Netlist: + r""" + @brief gets the netlist extracted (0 if no extraction happened yet) + """ + @overload + def probe_net(self, of_layer: Region, point: DPoint, sc_path_out: Optional[Sequence[SubCircuit]] = ..., initial_circuit: Optional[Circuit] = ...) -> Net: + r""" + @brief Finds the net by probing a specific location on the given layer - Starting with version 0.23, this method returns nil, if the shape does not represent a path. - Setter: - @brief Replaces the shape by the given path object - This method replaces the shape by the given path object. This method can only be called for editable layouts. It does not change the user properties of the shape. - Calling this method will invalidate any iterators. It should not be called inside a loop iterating over shapes. + This method will find a net looking at the given layer at the specific position. + It will traverse the hierarchy below if no shape in the requested layer is found + in the specified location. The function will report the topmost net from far above the + hierarchy of circuits as possible. - This method has been introduced in version 0.22. - """ - path_bgnext: int - r""" - Getter: - @brief Gets the path's starting vertex extension + If \initial_circuit is given, the probing will start from this circuit and from the cell this circuit represents. By default, the probing will start from the top circuit. - Applies to paths only. Will throw an exception if the object is not a path. + If no net is found at all, 0 is returned. - Setter: - @brief Sets the path's starting vertex extension - Applies to paths only. Will throw an exception if the object is not a path. + It is recommended to use \probe_net on the netlist right after extraction. + Optimization functions such as \Netlist#purge will remove parts of the net which means + shape to net probing may no longer work for these nets. - This method has been introduced in version 0.23. - """ - path_dbgnext: float - r""" - Getter: - @brief Gets the path's starting vertex extension in micrometer units + If non-null and an array, 'sc_path_out' will receive a list of \SubCircuits objects which lead to the net from the top circuit of the database. - Applies to paths only. Will throw an exception if the object is not a path. + This variant accepts a micrometer-unit location. The location is given in the + coordinate space of the initial cell. - This method has been introduced in version 0.25. - Setter: - @brief Sets the path's starting vertex extension in micrometer units - Applies to paths only. Will throw an exception if the object is not a path. + The \sc_path_out and \initial_circuit parameters have been added in version 0.27. + """ + @overload + def probe_net(self, of_layer: Region, point: Point, sc_path_out: Optional[Sequence[SubCircuit]] = ..., initial_circuit: Optional[Circuit] = ...) -> Net: + r""" + @brief Finds the net by probing a specific location on the given layer + See the description of the other \probe_net variant. + This variant accepts a database-unit location. The location is given in the + coordinate space of the initial cell. - This method has been introduced in version 0.25. - """ - path_dendext: float - r""" - Getter: - @brief Gets the path's end vertex extension in micrometer units + The \sc_path_out and \initial_circuit parameters have been added in version 0.27. + """ + def read(self, path: str) -> None: + r""" + @brief Reads the extracted netlist from the file. + This method employs the native format of KLayout. + """ + def read_l2n(self, path: str) -> None: + r""" + @brief Reads the extracted netlist from the file. + This method employs the native format of KLayout. + """ + def register(self, l: ShapeCollection, n: Optional[str] = ...) -> None: + r""" + @brief Names the given layer + 'l' must be a \Region or \Texts object. + Flat regions or text collections must be registered with this function, before they can be used in \connect. Registering will copy the shapes into the LayoutToNetlist object in this step to enable netlist extraction. - Applies to paths only. Will throw an exception if the object is not a path. + Naming a layer allows the system to indicate the layer in various contexts, i.e. when writing the data to a file. Named layers are also persisted inside the LayoutToNetlist object. They are not discarded when the Region object is destroyed. - This method has been introduced in version 0.25. - Setter: - @brief Sets the path's end vertex extension in micrometer units - Applies to paths only. Will throw an exception if the object is not a path. + If required, the system will assign a name automatically. + This method has been generalized in version 0.27. + """ + def reset_extracted(self) -> None: + r""" + @brief Resets the extracted netlist and enables re-extraction + This method is implicitly called when using \connect or \connect_global after a netlist has been extracted. + This enables incremental connect with re-extraction. - This method has been introduced in version 0.25. - """ - path_dwidth: float + This method has been introduced in version 0.27.1. + """ + @overload + def shapes_of_net(self, net: Net, of_layer: Region, recursive: Optional[bool] = ..., trans: Optional[ICplxTrans] = ...) -> Region: + r""" + @brief Returns all shapes of a specific net and layer. + If 'recursive'' is true, the returned region will contain the shapes of + all subcircuits too. + + The optional 'trans' parameter allows applying a transformation to all shapes. It has been introduced in version 0.28.4. + """ + @overload + def shapes_of_net(self, net: Net, of_layer: Region, recursive: bool, to: Shapes, propid: Optional[int] = ..., trans: Optional[ICplxTrans] = ...) -> None: + r""" + @brief Sends all shapes of a specific net and layer to the given Shapes container. + If 'recursive'' is true, the returned region will contain the shapes of + all subcircuits too. + "prop_id" is an optional properties ID. If given, this property set will be attached to the shapes. + The optional 'trans' parameter allows applying a transformation to all shapes. It has been introduced in version 0.28.4. + """ + def write(self, path: str, short_format: Optional[bool] = ...) -> None: + r""" + @brief Writes the extracted netlist to a file. + This method employs the native format of KLayout. + """ + def write_l2n(self, path: str, short_format: Optional[bool] = ...) -> None: + r""" + @brief Writes the extracted netlist to a file. + This method employs the native format of KLayout. + """ + +class LayoutVsSchematic(LayoutToNetlist): r""" - Getter: - @brief Gets the path width in micrometer units + @brief A generic framework for doing LVS (layout vs. schematic) - Applies to paths only. Will throw an exception if the object is not a path. + This class extends the concept of the netlist extraction from a layout to LVS verification. It does so by adding these concepts to the \LayoutToNetlist class: - This method has been introduced in version 0.25. - Setter: - @brief Sets the path width in micrometer units - Applies to paths only. Will throw an exception if the object is not a path. - Conversion to database units is done internally. + @ul + @li A reference netlist. This will be the netlist against which the layout-derived netlist is compared against. See \reference and \reference=. + @/li + @li A compare step. During the compare the layout-derived netlist and the reference netlists are compared. The compare results are captured in the cross-reference object. See \compare and \NetlistComparer for the comparer object. + @/li + @li A cross-reference. This object (of class \NetlistCrossReference) will keep the relations between the objects of the two netlists. It also lists the differences between the netlists. See \xref about how to access this object.@/li + @/ul - This method has been introduced in version 0.25. + The LVS object can be persisted to and from a file in a specific format, so it is sometimes referred to as the "LVS database". + + LVS objects can be attached to layout views with \LayoutView#add_lvsdb so they become available in the netlist database browser. + + This class has been introduced in version 0.26. """ - path_endext: int + reference: Netlist r""" Getter: - @brief Obtain the path's end vertex extension - - Applies to paths only. Will throw an exception if the object is not a path. - - Setter: - @brief Sets the path's end vertex extension - Applies to paths only. Will throw an exception if the object is not a path. - - This method has been introduced in version 0.23. - """ - path_width: int - r""" - Getter: - @brief Gets the path width - - Applies to paths only. Will throw an exception if the object is not a path. - - Setter: - @brief Sets the path width - Applies to paths only. Will throw an exception if the object is not a path. - - This method has been introduced in version 0.23. - """ - point: Any - r""" - Getter: - @brief Returns the point object - - This method has been introduced in version 0.28. - - Setter: - @brief Replaces the shape by the given point - This method replaces the shape by the given point. This method can only be called for editable layouts. It does not change the user properties of the shape. - Calling this method will invalidate any iterators. It should not be called inside a loop iterating over shapes. - - This method has been introduced in version 0.28. - """ - polygon: Any - r""" - Getter: - @brief Returns the polygon object - - Returns the polygon object that this shape refers to or converts the object to a polygon. Paths, boxes and simple polygons are converted to polygons. For paths this operation renders the path's hull contour. - - Starting with version 0.23, this method returns nil, if the shape does not represent a geometrical primitive that can be converted to a polygon. - - Setter: - @brief Replaces the shape by the given polygon (in micrometer units) - This method replaces the shape by the given polygon, like \polygon= with a \Polygon argument does. This version translates the polygon from micrometer units to database units internally. - - This method has been introduced in version 0.25. - """ - prop_id: int - r""" - Getter: - @brief Gets the properties ID associated with the shape - - The \Layout object can be used to retrieve the actual properties associated with the ID. - Setter: - @brief Sets the properties ID of this shape - - The \Layout object can be used to retrieve an ID for a given set of properties. Calling this method will invalidate any iterators. It should not be called inside a loop iterating over shapes. - - This method has been introduced in version 0.22. - """ - round_path: bool - r""" - Getter: - @brief Returns true, if the path has round ends - - Applies to paths only. Will throw an exception if the object is not a path. - - Setter: - @brief The path will be a round-ended path if this property is set to true - - Applies to paths only. Will throw an exception if the object is not a path. - Please note that the extensions will apply as well. To get a path with circular ends, set the begin and end extensions to half the path's width. - - This method has been introduced in version 0.23. - """ - simple_polygon: Any - r""" - Getter: - @brief Returns the simple polygon object - - Returns the simple polygon object that this shape refers to or converts the object to a simple polygon. Paths, boxes and polygons are converted to simple polygons. Polygons with holes will have their holes removed but introducing cut lines that connect the hole contours with the outer contour. - Starting with version 0.23, this method returns nil, if the shape does not represent a geometrical primitive that can be converted to a simple polygon. - - Setter: - @brief Replaces the shape by the given simple polygon object - This method replaces the shape by the given simple polygon object. This method can only be called for editable layouts. It does not change the user properties of the shape. - Calling this method will invalidate any iterators. It should not be called inside a loop iterating over shapes. - - This method has been introduced in version 0.22. - """ - text: Any - r""" - Getter: - @brief Returns the text object - - Starting with version 0.23, this method returns nil, if the shape does not represent a text. - Setter: - @brief Replaces the shape by the given text object - This method replaces the shape by the given text object. This method can only be called for editable layouts. It does not change the user properties of the shape. - Calling this method will invalidate any iterators. It should not be called inside a loop iterating over shapes. - - This method has been introduced in version 0.22. - """ - text_dpos: DVector - r""" - Getter: - @brief Gets the text's position in micrometer units - - Applies to texts only. Will throw an exception if the object is not a text. - - This method has been added in version 0.25. - - Setter: - @brief Sets the text's position in micrometer units - Applies to texts only. Will throw an exception if the object is not a text. - - This method has been added in version 0.25. - """ - text_dsize: float - r""" - Getter: - @brief Gets the text size in micrometer units - - Applies to texts only. Will throw an exception if the object is not a text. - - This method has been introduced in version 0.25. - Setter: - @brief Sets the text size in micrometer units - - Applies to texts only. Will throw an exception if the object is not a text. - - This method has been introduced in version 0.25. - """ - text_dtrans: DTrans - r""" - Getter: - @brief Gets the text transformation in micrometer units - - Applies to texts only. Will throw an exception if the object is not a text. - - This method has been added in version 0.25. - - Setter: - @brief Sets the text transformation in micrometer units - Applies to texts only. Will throw an exception if the object is not a text. - - This method has been introduced in version 0.25. - """ - text_font: int - r""" - Getter: - @brief Gets the text's font - - Applies to texts only. Will throw an exception if the object is not a text. - - Setter: - @brief Sets the text's font - - Applies to texts only. Will throw an exception if the object is not a text. - - This method has been introduced in version 0.23. - """ - text_halign: int - r""" - Getter: - @brief Gets the text's horizontal alignment - - Applies to texts only. Will throw an exception if the object is not a text. - The return value is 0 for left alignment, 1 for center alignment and 2 to right alignment. - - This method has been introduced in version 0.22. - - Setter: - @brief Sets the text's horizontal alignment - - Applies to texts only. Will throw an exception if the object is not a text. - See \text_halign for a description of that property. - - This method has been introduced in version 0.23. - """ - text_pos: Vector - r""" - Getter: - @brief Gets the text's position - - Applies to texts only. Will throw an exception if the object is not a text. - - Setter: - @brief Sets the text's position - Applies to texts only. Will throw an exception if the object is not a text. - """ - text_rot: int - r""" - Getter: - @brief Gets the text's orientation code (see \Trans) - - Applies to texts only. Will throw an exception if the object is not a text. - - Setter: - @brief Sets the text's orientation code (see \Trans) - - Applies to texts only. Will throw an exception if the object is not a text. - """ - text_size: int - r""" - Getter: - @brief Gets the text size - - Applies to texts only. Will throw an exception if the object is not a text. - - Setter: - @brief Sets the text size - - Applies to texts only. Will throw an exception if the object is not a text. - - This method has been introduced in version 0.23. - """ - text_string: str - r""" - Getter: - @brief Obtain the text string - - Applies to texts only. Will throw an exception if the object is not a text. - - Setter: - @brief Sets the text string - - Applies to texts only. Will throw an exception if the object is not a text. - - This method has been introduced in version 0.23. - """ - text_trans: Trans - r""" - Getter: - @brief Gets the text transformation - - Applies to texts only. Will throw an exception if the object is not a text. - - Setter: - @brief Sets the text transformation - Applies to texts only. Will throw an exception if the object is not a text. - - This method has been introduced in version 0.23. - """ - text_valign: int - r""" - Getter: - @brief Gets the text's vertical alignment - - Applies to texts only. Will throw an exception if the object is not a text. - The return value is 0 for top alignment, 1 for center alignment and 2 to bottom alignment. - - This method has been introduced in version 0.22. + @brief Gets the reference netlist. Setter: - @brief Sets the text's vertical alignment - - Applies to texts only. Will throw an exception if the object is not a text. - See \text_valign for a description of that property. + @brief Sets the reference netlist. + This will set the reference netlist used inside \compare as the second netlist to compare against the layout-extracted netlist. - This method has been introduced in version 0.23. + The LVS object will take ownership over the netlist - i.e. if it goes out of scope, the reference netlist is deleted. """ + @overload @classmethod - def new(cls) -> Shape: - r""" - @brief Creates a new object of this class - """ - @classmethod - def t_box(cls) -> int: + def new(cls) -> LayoutVsSchematic: r""" + @brief Creates a new LVS object + The main objective for this constructor is to create an object suitable for reading and writing LVS database files. """ + @overload @classmethod - def t_box_array(cls) -> int: + def new(cls, dss: DeepShapeStore) -> LayoutVsSchematic: r""" + @brief Creates a new LVS object with the extractor object reusing an existing \DeepShapeStore object + See the corresponding constructor of the \LayoutToNetlist object for more details. """ + @overload @classmethod - def t_box_array_member(cls) -> int: + def new(cls, dss: DeepShapeStore, layout_index: int) -> LayoutVsSchematic: r""" + @brief Creates a new LVS object with the extractor object reusing an existing \DeepShapeStore object + See the corresponding constructor of the \LayoutToNetlist object for more details. """ + @overload @classmethod - def t_edge(cls) -> int: + def new(cls, iter: RecursiveShapeIterator) -> LayoutVsSchematic: r""" + @brief Creates a new LVS object with the extractor connected to an original layout + This constructor will attach the extractor of the LVS object to an original layout through the shape iterator. """ + @overload @classmethod - def t_edge_pair(cls) -> int: + def new(cls, topcell_name: str, dbu: float) -> LayoutVsSchematic: r""" + @brief Creates a new LVS object with the extractor object taking a flat DSS + See the corresponding constructor of the \LayoutToNetlist object for more details. """ - @classmethod - def t_null(cls) -> int: + @overload + def __init__(self) -> None: r""" + @brief Creates a new LVS object + The main objective for this constructor is to create an object suitable for reading and writing LVS database files. """ - @classmethod - def t_path(cls) -> int: + @overload + def __init__(self, dss: DeepShapeStore) -> None: r""" + @brief Creates a new LVS object with the extractor object reusing an existing \DeepShapeStore object + See the corresponding constructor of the \LayoutToNetlist object for more details. """ - @classmethod - def t_path_ptr_array(cls) -> int: + @overload + def __init__(self, dss: DeepShapeStore, layout_index: int) -> None: r""" + @brief Creates a new LVS object with the extractor object reusing an existing \DeepShapeStore object + See the corresponding constructor of the \LayoutToNetlist object for more details. """ - @classmethod - def t_path_ptr_array_member(cls) -> int: + @overload + def __init__(self, iter: RecursiveShapeIterator) -> None: r""" + @brief Creates a new LVS object with the extractor connected to an original layout + This constructor will attach the extractor of the LVS object to an original layout through the shape iterator. """ - @classmethod - def t_path_ref(cls) -> int: + @overload + def __init__(self, topcell_name: str, dbu: float) -> None: r""" + @brief Creates a new LVS object with the extractor object taking a flat DSS + See the corresponding constructor of the \LayoutToNetlist object for more details. """ - @classmethod - def t_point(cls) -> int: + def _create(self) -> None: r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @classmethod - def t_polygon(cls) -> int: + def _destroy(self) -> None: r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @classmethod - def t_polygon_ptr_array(cls) -> int: + def _destroyed(self) -> bool: r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @classmethod - def t_polygon_ptr_array_member(cls) -> int: + def _is_const_object(self) -> bool: r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @classmethod - def t_polygon_ref(cls) -> int: + def _manage(self) -> None: r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @classmethod - def t_short_box(cls) -> int: + def _unmanage(self) -> None: r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @classmethod - def t_short_box_array(cls) -> int: + def compare(self, comparer: NetlistComparer) -> bool: r""" + @brief Compare the layout-extracted netlist against the reference netlist using the given netlist comparer. """ - @classmethod - def t_short_box_array_member(cls) -> int: + def read(self, path: str) -> None: r""" + @brief Reads the LVS object from the file. + This method employs the native format of KLayout. """ - @classmethod - def t_simple_polygon(cls) -> int: + def read_l2n(self, path: str) -> None: r""" + @brief Reads the \LayoutToNetlist part of the object from a file. + This method employs the native format of KLayout. """ - @classmethod - def t_simple_polygon_ptr_array(cls) -> int: + def write(self, path: str, short_format: Optional[bool] = ...) -> None: r""" + @brief Writes the LVS object to a file. + This method employs the native format of KLayout. """ - @classmethod - def t_simple_polygon_ptr_array_member(cls) -> int: + def write_l2n(self, path: str, short_format: Optional[bool] = ...) -> None: r""" + @brief Writes the \LayoutToNetlist part of the object to a file. + This method employs the native format of KLayout. """ - @classmethod - def t_simple_polygon_ref(cls) -> int: + def xref(self) -> NetlistCrossReference: r""" + @brief Gets the cross-reference object + The cross-reference object is created while comparing the layout-extracted netlist against the reference netlist - i.e. during \compare. Before \compare is called, this object is nil. + It holds the results of the comparison - a cross-reference between the nets and other objects in the match case and a listing of non-matching nets and other objects for the non-matching cases. + See \NetlistCrossReference for more details. """ + +class Library: + r""" + @brief A Library + + A library is basically a wrapper around a layout object. The layout object + provides cells and potentially PCells that can be imported into other layouts. + + The library provides a name which is used to identify the library and a description + which is used for identifying the library in a user interface. + + After a library is created and the layout is filled, it must be registered using the register method. + + This class has been introduced in version 0.22. + """ + description: str + r""" + Getter: + @brief Returns the libraries' description text + + Setter: + @brief Sets the libraries' description text + """ + technology: str + r""" + Getter: + @brief Returns name of the technology the library is associated with + If this attribute is a non-empty string, this library is only offered for selection if the current layout uses this technology. + + This attribute has been introduced in version 0.25. In version 0.27 this attribute is deprecated as a library can now be associated with multiple technologies. + Setter: + @brief sets the name of the technology the library is associated with + + See \technology for details. This attribute has been introduced in version 0.25. In version 0.27, a library can be associated with multiple technologies and this method will revert the selection to a single one. Passing an empty string is equivalent to \clear_technologies. + """ @classmethod - def t_text(cls) -> int: + def library_by_id(cls, id: int) -> Library: r""" + @brief Gets the library object for the given ID + If the ID is not valid, nil is returned. + + This method has been introduced in version 0.27. """ @classmethod - def t_text_ptr_array(cls) -> int: + def library_by_name(cls, name: str, for_technology: Optional[str] = ...) -> Library: r""" + @brief Gets a library by name + Returns the library object for the given name. If the name is not a valid + library name, nil is returned. + + Different libraries can be registered under the same names for different technologies. When a technology name is given in 'for_technologies', the first library matching this technology is returned. If no technology is given, the first library is returned. + + The technology selector has been introduced in version 0.27. """ @classmethod - def t_text_ptr_array_member(cls) -> int: + def library_ids(cls) -> List[int]: r""" + @brief Returns a list of valid library IDs. + See \library_names for the reasoning behind this method. + This method has been introduced in version 0.27. """ @classmethod - def t_text_ref(cls) -> int: + def library_names(cls) -> List[str]: r""" + @brief Returns a list of the names of all libraries registered in the system. + + NOTE: starting with version 0.27, the name of a library does not need to be unique if libraries are associated with specific technologies. This method will only return the names and it's not possible not unambiguously derive the library object. It is recommended to use \library_ids and \library_by_id to obtain the library unambiguously. """ @classmethod - def t_user_object(cls) -> int: + def new(cls) -> Library: r""" + @brief Creates a new, empty library """ - def __copy__(self) -> Shape: + def __copy__(self) -> Library: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> Shape: + def __deepcopy__(self) -> Library: r""" @brief Creates a copy of self """ - def __eq__(self, other: object) -> bool: - r""" - @brief Equality operator - - Equality of shapes is not specified by the identity of the objects but by the - identity of the pointers - both shapes must refer to the same object. - """ def __init__(self) -> None: r""" - @brief Creates a new object of this class - """ - def __ne__(self, other: object) -> bool: - r""" - @brief Inequality operator - """ - def __str__(self) -> str: - r""" - @brief Create a string showing the contents of the reference - - This method has been introduced with version 0.16. + @brief Creates a new, empty library """ def _create(self) -> None: r""" @@ -29684,67 +29476,36 @@ class Shape: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def area(self) -> int: - r""" - @brief Returns the area of the shape - This method has been added in version 0.22. - """ - def array_dtrans(self) -> DTrans: - r""" - @brief Gets the array instance member transformation in micrometer units - - This attribute is valid only if \is_array_member? is true. - The transformation returned describes the relative transformation of the - array member addressed. The displacement is given in micrometer units. - - This method has been added in version 0.25. - """ - def array_trans(self) -> Trans: + def add_technology(self, tech: str) -> None: r""" - @brief Gets the array instance member transformation + @brief Additionally associates the library with the given technology. + See also \clear_technologies. - This attribute is valid only if \is_array_member? is true. - The transformation returned describes the relative transformation of the - array member addressed. + This method has been introduced in version 0.27 """ - def assign(self, other: Shape) -> None: + def assign(self, other: Library) -> None: r""" @brief Assigns another object to self """ - def bbox(self) -> Box: + def clear_technologies(self) -> None: r""" - @brief Returns the bounding box of the shape + @brief Clears the list of technologies the library is associated with. + See also \add_technology. + + This method has been introduced in version 0.27 """ def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def darea(self) -> float: - r""" - @brief Returns the area of the shape in square micrometer units - This method has been added in version 0.25. - """ - def dbbox(self) -> DBox: - r""" - @brief Returns the bounding box of the shape in micrometer units - This method has been added in version 0.25. - """ def delete(self) -> None: r""" - @brief Deletes the shape - - After the shape is deleted, the shape object is emptied and points to nothing. + @brief Deletes the library - This method has been introduced in version 0.23. - """ - def delete_property(self, key: Any) -> None: - r""" - @brief Deletes the user property with the given key - This method is a convenience method that deletes the property with the given key. It does nothing if no property with that key exists. Using that method is more convenient than creating a new property set with a new ID and assigning that properties ID. - This method may change the properties ID. Calling this method will invalidate any iterators. It should not be called inside a loop iterating over shapes. + This method will delete the library object. Library proxies pointing to this library will become invalid and the library object cannot be used any more after calling this method. - This method has been introduced in version 0.22. + This method has been introduced in version 0.25. """ def destroy(self) -> None: r""" @@ -29758,805 +29519,933 @@ class Shape: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dperimeter(self) -> float: - r""" - @brief Returns the perimeter of the shape in micrometer units - - This method will return an approximation of the perimeter for paths. - - This method has been added in version 0.25. - """ - def dup(self) -> Shape: + def dup(self) -> Library: r""" @brief Creates a copy of self """ - @overload - def each_dedge(self) -> Iterator[DEdge]: + def for_technologies(self) -> bool: r""" - @brief Iterates over the edges of the object and returns edges in micrometer units - - This method iterates over all edges of polygons and simple polygons like \each_edge, but will deliver edges in micrometer units. Multiplication by the database unit is done internally. + @brief Returns a value indicating whether the library is associated with any technology. + The method is equivalent to checking whether the \technologies list is empty. - This method has been introduced in version 0.25. + This method has been introduced in version 0.27 """ - @overload - def each_dedge(self, contour: int) -> Iterator[DEdge]: + def id(self) -> int: r""" - @brief Iterates over the edges of a single contour of the object and returns edges in micrometer units - - This method iterates over all edges of polygons and simple polygons like \each_edge, but will deliver edges in micrometer units. Multiplication by the database unit is done internally. - - This method has been introduced in version 0.25. + @brief Returns the library's ID + The ID is set when the library is registered and cannot be changed """ - def each_dpoint(self) -> Iterator[DPoint]: + def is_const_object(self) -> bool: r""" - @brief Iterates over all points of the object and returns points in micrometer units - - This method iterates over all points of the object like \each_point, but it returns \DPoint objects that are given in micrometer units already. Multiplication with the database unit happens internally. - - This method has been introduced in version 0.25. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def each_dpoint_hole(self, hole_index: int) -> Iterator[DPoint]: + def is_for_technology(self, tech: str) -> bool: r""" - @brief Iterates over a hole contour of the object and returns points in micrometer units - - This method iterates over all points of the object's contour' like \each_point_hole, but it returns \DPoint objects that are given in micrometer units already. Multiplication with the database unit happens internally. - - This method has been introduced in version 0.25. + @brief Returns a value indicating whether the library is associated with the given technology. + This method has been introduced in version 0.27 """ - def each_dpoint_hull(self) -> Iterator[DPoint]: + def layout(self) -> Layout: r""" - @brief Iterates over the hull contour of the object and returns points in micrometer units - - This method iterates over all points of the object's contour' like \each_point_hull, but it returns \DPoint objects that are given in micrometer units already. Multiplication with the database unit happens internally. - - This method has been introduced in version 0.25. + @brief The layout object where the cells reside that this library defines """ - @overload - def each_edge(self) -> Iterator[Edge]: + def layout_const(self) -> Layout: r""" - @brief Iterates over the edges of the object - - This method applies to polygons and simple polygons and delivers all edges that form the polygon's contours. Hole edges are oriented counterclockwise while hull edges are oriented clockwise. - - It will throw an exception if the object is not a polygon. + @brief The layout object where the cells reside that this library defines (const version) """ - @overload - def each_edge(self, contour: int) -> Iterator[Edge]: + def name(self) -> str: r""" - @brief Iterates over the edges of a single contour of the object - @param contour The contour number (0 for hull, 1 for first hole ...) - - This method applies to polygons and simple polygons and delivers all edges that form the given contour of the polygon. The hull has contour number 0, the first hole has contour 1 etc. - Hole edges are oriented counterclockwise while hull edges are oriented clockwise. - - It will throw an exception if the object is not a polygon. - - This method was introduced in version 0.24. + @brief Returns the libraries' name + The name is set when the library is registered and cannot be changed """ - def each_point(self) -> Iterator[Point]: + def refresh(self) -> None: r""" - @brief Iterates over all points of the object - - This method applies to paths and delivers all points of the path's center line. - It will throw an exception for other objects. + @brief Updates all layouts using this library. + This method will retire cells or update layouts in the attached clients. + It will also recompute the PCells inside the library. + This method has been introduced in version 0.27.8. """ - def each_point_hole(self, hole_index: int) -> Iterator[Point]: + def register(self, name: str) -> None: r""" - @brief Iterates over the points of a hole contour + @brief Registers the library with the given name - This method applies to polygons and delivers all points of the respective hole contour. - It will throw an exception for other objects. - Simple polygons deliver an empty sequence. + This method can be called in the constructor to register the library after + the layout object has been filled with content. If a library with that name + already exists for the same technologies, it will be replaced with this library. - @param hole The hole index (see holes () method) - """ - def each_point_hull(self) -> Iterator[Point]: - r""" - @brief Iterates over the hull contour of the object + This method will set the libraries' name. - This method applies to polygons and delivers all points of the polygon hull contour. - It will throw an exception for other objects. + The technology specific behaviour has been introduced in version 0.27. """ - def has_prop_id(self) -> bool: + def technologies(self) -> List[str]: r""" - @brief Returns true, if the shape has properties, i.e. has a properties ID + @brief Gets the list of technologies this library is associated with. + This method has been introduced in version 0.27 """ - def holes(self) -> int: + +class LoadLayoutOptions: + r""" + @brief Layout reader options + + This object describes various layer reader options used for loading layouts. + + This class has been introduced in version 0.18. + """ + class CellConflictResolution: r""" - @brief Returns the number of holes + @brief This enum specifies how cell conflicts are handled if a layout read into another layout and a cell name conflict arises. + Until version 0.26.8 and before, the mode was always 'AddToCell'. On reading, a cell was 'reopened' when encountering a cell name which already existed. This mode is still the default. The other modes are made available to support other ways of merging layouts. - This method applies to polygons and will throw an exception for other objects.. - Simple polygons deliver a value of zero. + Proxy cells are never modified in the existing layout. Proxy cells are always local to their layout file. So if the existing cell is a proxy cell, the new cell will be renamed. + + If the new or existing cell is a ghost cell, both cells are merged always. + + This enum was introduced in version 0.27. """ - def is_array_member(self) -> bool: + AddToCell: ClassVar[LoadLayoutOptions.CellConflictResolution] r""" - @brief Returns true, if the shape is a member of a shape array + @brief Add content to existing cell + This is the mode use in before version 0.27. Content of new cells is simply added to existing cells with the same name. """ - def is_box(self) -> bool: + OverwriteCell: ClassVar[LoadLayoutOptions.CellConflictResolution] r""" - @brief Returns true if the shape is a box + @brief The old cell is overwritten entirely (including child cells which are not used otherwise) """ - def is_const_object(self) -> bool: + RenameCell: ClassVar[LoadLayoutOptions.CellConflictResolution] r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief The new cell will be renamed to become unique """ - def is_edge(self) -> bool: + SkipNewCell: ClassVar[LoadLayoutOptions.CellConflictResolution] r""" - @brief Returns true, if the object is an edge + @brief The new cell is skipped entirely (including child cells which are not used otherwise) """ - def is_edge_pair(self) -> bool: - r""" - @brief Returns true, if the object is an edge pair + @overload + @classmethod + def new(cls, i: int) -> LoadLayoutOptions.CellConflictResolution: + r""" + @brief Creates an enum from an integer value + """ + @overload + @classmethod + def new(cls, s: str) -> LoadLayoutOptions.CellConflictResolution: + r""" + @brief Creates an enum from a string value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares two enums + """ + @overload + def __init__(self, i: int) -> None: + r""" + @brief Creates an enum from an integer value + """ + @overload + def __init__(self, s: str) -> None: + r""" + @brief Creates an enum from a string value + """ + @overload + def __lt__(self, other: LoadLayoutOptions.CellConflictResolution) -> bool: + r""" + @brief Returns true if the first enum is less (in the enum symbol order) than the second + """ + @overload + def __lt__(self, other: int) -> bool: + r""" + @brief Returns true if the enum is less (in the enum symbol order) than the integer value + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer for inequality + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares two enums for inequality + """ + def __repr__(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + def inspect(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def to_i(self) -> int: + r""" + @brief Gets the integer value from the enum + """ + def to_s(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + AddToCell: ClassVar[LoadLayoutOptions.CellConflictResolution] + r""" + @brief Add content to existing cell + This is the mode use in before version 0.27. Content of new cells is simply added to existing cells with the same name. + """ + OverwriteCell: ClassVar[LoadLayoutOptions.CellConflictResolution] + r""" + @brief The old cell is overwritten entirely (including child cells which are not used otherwise) + """ + RenameCell: ClassVar[LoadLayoutOptions.CellConflictResolution] + r""" + @brief The new cell will be renamed to become unique + """ + SkipNewCell: ClassVar[LoadLayoutOptions.CellConflictResolution] + r""" + @brief The new cell is skipped entirely (including child cells which are not used otherwise) + """ + cell_conflict_resolution: LoadLayoutOptions.CellConflictResolution + r""" + Getter: + @brief Gets the cell conflict resolution mode - This method has been introduced in version 0.26. - """ - def is_null(self) -> bool: - r""" - @brief Returns true, if the shape reference is a null reference (not referring to a shape) - """ - def is_path(self) -> bool: - r""" - @brief Returns true, if the shape is a path - """ - def is_point(self) -> bool: - r""" - @brief Returns true, if the object is an point + Multiple layout files can be collected into a single Layout object by reading file after file into the Layout object. Cells with same names are considered a conflict. This mode indicates how such conflicts are resolved. See \LoadLayoutOptions::CellConflictResolution for the values allowed. The default mode is \LoadLayoutOptions::CellConflictResolution#AddToCell. - This method has been introduced in version 0.28. - """ - def is_polygon(self) -> bool: - r""" - @brief Returns true, if the shape is a polygon + This option has been introduced in version 0.27. + Setter: + @brief Sets the cell conflict resolution mode - This method returns true only if the object is a polygon or a simple polygon. Other objects can convert to polygons, for example paths, so it may be possible to use the \polygon method also if is_polygon? does not return true. - """ - def is_simple_polygon(self) -> bool: - r""" - @brief Returns true, if the shape is a simple polygon + See \cell_conflict_resolution for details about this option. - This method returns true only if the object is a simple polygon. The simple polygon identity is contained in the polygon identity, so usually it is sufficient to use \is_polygon? and \polygon instead of specifically handle simply polygons. This method is provided only for specific optimisation purposes. - """ - def is_text(self) -> bool: - r""" - @brief Returns true, if the object is a text - """ - def is_user_object(self) -> bool: - r""" - @brief Returns true if the shape is a user defined object - """ - def is_valid(self) -> bool: - r""" - @brief Returns true, if the shape is valid + This option has been introduced in version 0.27. + """ + cif_create_other_layers: bool + r""" + Getter: + @brief Gets a value indicating whether other layers shall be created + @return True, if other layers will be created. + This attribute acts together with a layer map (see \cif_layer_map=). Layers not listed in this map are created as well when \cif_create_other_layers? is true. Otherwise they are ignored. - After the shape is deleted, the shape object is no longer valid and this method returns false. + This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. + Setter: + @brief Specifies whether other layers shall be created + @param create True, if other layers will be created. + See \cif_create_other_layers? for a description of this attribute. - This method has been introduced in version 0.23. - """ - def layout(self) -> Layout: - r""" - @brief Gets a reference to the Layout the shape belongs to + This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. + """ + cif_dbu: float + r""" + Getter: + @brief Specifies the database unit which the reader uses and produces + See \cif_dbu= method for a description of this property. + This property has been added in version 0.21. - This reference can be nil, if the Shape object is not living inside a layout. + Setter: + @brief Specifies the database unit which the reader uses and produces - This method has been introduced in version 0.22. - """ - def path_dlength(self) -> float: - r""" - @brief Returns the length of the path in micrometer units + This property has been added in version 0.21. + """ + cif_keep_layer_names: bool + r""" + Getter: + @brief Gets a value indicating whether layer names are kept + @return True, if layer names are kept. - Applies to paths only. Will throw an exception if the object is not a path. - This method returns the length of the spine plus extensions if present. - The value returned is given in micrometer units. + When set to true, no attempt is made to translate layer names to GDS layer/datatype numbers. If set to false (the default), a layer named "L2D15" will be translated to GDS layer 2, datatype 15. - This method has been added in version 0.25. - """ - def path_length(self) -> int: - r""" - @brief Returns the length of the path + This method has been added in version 0.25.3. + Setter: + @brief Gets a value indicating whether layer names are kept + @param keep True, if layer names are to be kept. - Applies to paths only. Will throw an exception if the object is not a path. - This method returns the length of the spine plus extensions if present. + See \cif_keep_layer_names? for a description of this property. - This method has been added in version 0.23. - """ - def perimeter(self) -> int: - r""" - @brief Returns the perimeter of the shape + This method has been added in version 0.25.3. + """ + cif_layer_map: LayerMap + r""" + Getter: + @brief Gets the layer map + @return A reference to the layer map - This method will return an approximation of the perimeter for paths. + This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. - This method has been added in version 0.23. - """ - def property(self, key: Any) -> Any: - r""" - @brief Gets the user property with the given key - This method is a convenience method that gets the property with the given key. If no property with that key does not exist, it will return nil. Using that method is more convenient than using the layout object and the properties ID to retrieve the property value. - This method has been introduced in version 0.22. - """ - def set_property(self, key: Any, value: Any) -> None: - r""" - @brief Sets the user property with the given key to the given value - This method is a convenience method that sets the property with the given key to the given value. If no property with that key exists, it will create one. Using that method is more convenient than creating a new property set with a new ID and assigning that properties ID. - This method may change the properties ID. Note: GDS only supports integer keys. OASIS supports numeric and string keys. Calling this method will invalidate any iterators. It should not be called inside a loop iterating over shapes. + Python note: this method has been turned into a property in version 0.26. + Setter: + @brief Sets the layer map + This sets a layer mapping for the reader. Unlike \cif_set_layer_map, the 'create_other_layers' flag is not changed. + @param map The layer map to set. - This method has been introduced in version 0.22. - """ - def shapes(self) -> Shapes: - r""" - @brief Gets a reference to the Shapes container the shape lives in + This convenience method has been added in version 0.26. + """ + cif_wire_mode: int + r""" + Getter: + @brief Specifies how to read 'W' objects + See \cif_wire_mode= method for a description of this mode. + This property has been added in version 0.21 and was renamed to cif_wire_mode in 0.25. - This reference can be nil, if the Shape object is not referring to an actual shape. + Setter: + @brief How to read 'W' objects - This method has been introduced in version 0.22. - """ - def to_s(self) -> str: - r""" - @brief Create a string showing the contents of the reference + This property specifies how to read 'W' (wire) objects. + Allowed values are 0 (as square ended paths), 1 (as flush ended paths), 2 (as round paths) - This method has been introduced with version 0.16. - """ - @overload - def transform(self, trans: DCplxTrans) -> None: - r""" - @brief Transforms the shape with the given complex transformation, given in micrometer units - This method has been introduced in version 0.25. - """ - @overload - def transform(self, trans: DTrans) -> None: - r""" - @brief Transforms the shape with the given transformation, given in micrometer units - This method has been introduced in version 0.25. - """ - @overload - def transform(self, trans: ICplxTrans) -> None: - r""" - @brief Transforms the shape with the given complex transformation - This method has been introduced in version 0.23. - """ - @overload - def transform(self, trans: Trans) -> None: - r""" - @brief Transforms the shape with the given transformation - This method has been introduced in version 0.23. - """ - def type(self) -> int: - r""" - @brief Return the type of the shape + This property has been added in version 0.21. + """ + create_other_layers: bool + r""" + Getter: + @brief Gets a value indicating whether other layers shall be created + @return True, if other layers should be created. + This attribute acts together with a layer map (see \layer_map=). Layers not listed in this map are created as well when \create_other_layers? is true. Otherwise they are ignored. - The returned values are the t_... constants available through the corresponding class members. - """ + Starting with version 0.25 this option only applies to GDS2 and OASIS format. Other formats provide their own configuration. + Setter: + @brief Specifies whether other layers shall be created + @param create True, if other layers should be created. + See \create_other_layers? for a description of this attribute. -class ShapeProcessor: + Starting with version 0.25 this option only applies to GDS2 and OASIS format. Other formats provide their own configuration. + """ + dxf_circle_accuracy: float r""" - @brief The shape processor (boolean, sizing, merge on shapes) + Getter: + @brief Gets the accuracy of the circle approximation - The shape processor implements the boolean and edge set operations (size, merge). Because the shape processor might allocate resources which can be reused in later operations, it is implemented as an object that can be used several times. The shape processor is similar to the \EdgeProcessor. The latter is specialized on handling polygons and edges directly. + This property has been added in version 0.24.9. + + Setter: + @brief Specifies the accuracy of the circle approximation + + In addition to the number of points per circle, the circle accuracy can be specified. If set to a value larger than the database unit, the number of points per circle will be chosen such that the deviation from the ideal circle becomes less than this value. + + The actual number of points will not become bigger than the points specified through \dxf_circle_points=. The accuracy value is given in the DXF file units (see \dxf_unit) which is usually micrometers. + + \dxf_circle_points and \dxf_circle_accuracy also apply to other "round" structures such as arcs, ellipses and splines in the same sense than for circles. + + + This property has been added in version 0.24.9. """ - @classmethod - def new(cls) -> ShapeProcessor: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> ShapeProcessor: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> ShapeProcessor: - r""" - @brief Creates a copy of self - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + dxf_circle_points: int + r""" + Getter: + @brief Gets the number of points used per full circle for arc interpolation - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: ShapeProcessor) -> None: - r""" - @brief Assigns another object to self - """ - @overload - def boolean(self, in_a: Sequence[Shape], in_b: Sequence[Shape], mode: int) -> List[Edge]: - r""" - @brief Boolean operation on two given shape sets into an edge set + This property has been added in version 0.21.6. - See the \EdgeProcessor for a description of the boolean operations. This implementation takes shapes - rather than polygons for input and produces an edge set. + Setter: + @brief Specifies the number of points used per full circle for arc interpolation + See also \dxf_circle_accuracy for how to specify the number of points based on an approximation accuracy. - This version does not feature a transformation for each shape (unity is assumed). + \dxf_circle_points and \dxf_circle_accuracy also apply to other "round" structures such as arcs, ellipses and splines in the same sense than for circles. - @param in_a The set of shapes to use for input A - @param in_b The set of shapes to use for input A - @param mode The boolean operation (see \EdgeProcessor) - """ - @overload - def boolean(self, in_a: Sequence[Shape], trans_a: Sequence[CplxTrans], in_b: Sequence[Shape], trans_b: Sequence[CplxTrans], mode: int) -> List[Edge]: - r""" - @brief Boolean operation on two given shape sets into an edge set - See the \EdgeProcessor for a description of the boolean operations. This implementation takes shapes - rather than polygons for input and produces an edge set. + This property has been added in version 0.21.6. + """ + dxf_contour_accuracy: float + r""" + Getter: + @brief Gets the accuracy for contour closing - @param in_a The set of shapes to use for input A - @param trans_a A set of transformations to apply before the shapes are used - @param in_b The set of shapes to use for input A - @param trans_b A set of transformations to apply before the shapes are used - @param mode The boolean operation (see \EdgeProcessor) - """ - @overload - def boolean(self, layout_a: Layout, cell_a: Cell, layer_a: int, layout_b: Layout, cell_b: Cell, layer_b: int, out: Shapes, mode: int, hierarchical: bool, resolve_holes: bool, min_coherence: bool) -> None: - r""" - @brief Boolean operation on shapes from layouts - See the \EdgeProcessor for a description of the boolean operations. This implementation takes shapes - from layout cells (optionally all in hierarchy) and produces new shapes in a shapes container. - @param layout_a The layout from which to take the shapes for input A - @param cell_a The cell (in 'layout') from which to take the shapes for input A - @param layer_a The cell (in 'layout') from which to take the shapes for input A - @param layout_b The layout from which to take the shapes for input B - @param cell_b The cell (in 'layout') from which to take the shapes for input B - @param layer_b The cell (in 'layout') from which to take the shapes for input B - @param out The shapes container where to put the shapes into (is cleared before) - @param mode The boolean operation (see \EdgeProcessor) - @param hierarchical Collect shapes from sub cells as well - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if minimum polygons should be created for touching corners - """ - @overload - def boolean_to_polygon(self, in_a: Sequence[Shape], in_b: Sequence[Shape], mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: - r""" - @brief Boolean operation on two given shape sets into a polygon set + This property has been added in version 0.25.3. - See the \EdgeProcessor for a description of the boolean operations. This implementation takes shapes - rather than polygons for input and produces a polygon set. + Setter: + @brief Specifies the accuracy for contour closing - This version does not feature a transformation for each shape (unity is assumed). + When polylines need to be connected or closed, this + value is used to indicate the accuracy. This is the value (in DXF units) + by which points may be separated and still be considered + connected. The default is 0.0 which implies exact + (within one DBU) closing. - @param in_a The set of shapes to use for input A - @param in_b The set of shapes to use for input A - @param mode The boolean operation (see \EdgeProcessor) - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if minimum polygons should be created for touching corners - """ - @overload - def boolean_to_polygon(self, in_a: Sequence[Shape], trans_a: Sequence[CplxTrans], in_b: Sequence[Shape], trans_b: Sequence[CplxTrans], mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: - r""" - @brief Boolean operation on two given shape sets into a polygon set + This value is effective in polyline mode 3 and 4. - See the \EdgeProcessor for a description of the boolean operations. This implementation takes shapes - rather than polygons for input and produces a polygon set. - @param in_a The set of shapes to use for input A - @param trans_a A set of transformations to apply before the shapes are used - @param in_b The set of shapes to use for input A - @param trans_b A set of transformations to apply before the shapes are used - @param mode The boolean operation (see \EdgeProcessor) - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if minimum polygons should be created for touching corners - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def dup(self) -> ShapeProcessor: - r""" - @brief Creates a copy of self - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - @overload - def merge(self, in_: Sequence[Shape], min_wc: int) -> List[Edge]: - r""" - @brief Merge the given shapes + This property has been added in version 0.25.3. + """ + dxf_create_other_layers: bool + r""" + Getter: + @brief Gets a value indicating whether other layers shall be created + @return True, if other layers will be created. + This attribute acts together with a layer map (see \dxf_layer_map=). Layers not listed in this map are created as well when \dxf_create_other_layers? is true. Otherwise they are ignored. - See the \EdgeProcessor for a description of the merge method. This implementation takes shapes - rather than polygons for input and produces an edge set. + This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. + Setter: + @brief Specifies whether other layers shall be created + @param create True, if other layers will be created. + See \dxf_create_other_layers? for a description of this attribute. - This version does not feature a transformation for each shape (unity is assumed). + This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. + """ + dxf_dbu: float + r""" + Getter: + @brief Specifies the database unit which the reader uses and produces - @param in The set of shapes to merge - @param min_wc The minimum wrap count for output (0: all polygons, 1: at least two overlapping) - """ - @overload - def merge(self, in_: Sequence[Shape], trans: Sequence[CplxTrans], min_wc: int) -> List[Edge]: - r""" - @brief Merge the given shapes + This property has been added in version 0.21. - See the \EdgeProcessor for a description of the merge method. This implementation takes shapes - rather than polygons for input and produces an edge set. + Setter: + @brief Specifies the database unit which the reader uses and produces - @param in The set of shapes to merge - @param trans A corresponding set of transformations to apply on the shapes - @param min_wc The minimum wrap count for output (0: all polygons, 1: at least two overlapping) - """ - @overload - def merge(self, layout: Layout, cell: Cell, layer: int, out: Shapes, hierarchical: bool, min_wc: int, resolve_holes: bool, min_coherence: bool) -> None: - r""" - @brief Merge the given shapes from a layout into a shapes container + This property has been added in version 0.21. + """ + dxf_keep_layer_names: bool + r""" + Getter: + @brief Gets a value indicating whether layer names are kept + @return True, if layer names are kept. - See the \EdgeProcessor for a description of the merge method. This implementation takes shapes - from a layout cell (optionally all in hierarchy) and produces new shapes in a shapes container. - @param layout The layout from which to take the shapes - @param cell The cell (in 'layout') from which to take the shapes - @param layer The cell (in 'layout') from which to take the shapes - @param out The shapes container where to put the shapes into (is cleared before) - @param hierarchical Collect shapes from sub cells as well - @param min_wc The minimum wrap count for output (0: all polygons, 1: at least two overlapping) - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if minimum polygons should be created for touching corners - """ - @overload - def merge_to_polygon(self, in_: Sequence[Shape], min_wc: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: - r""" - @brief Merge the given shapes + When set to true, no attempt is made to translate layer names to GDS layer/datatype numbers. If set to false (the default), a layer named "L2D15" will be translated to GDS layer 2, datatype 15. - See the \EdgeProcessor for a description of the merge method. This implementation takes shapes - rather than polygons for input and produces a polygon set. + This method has been added in version 0.25.3. + Setter: + @brief Gets a value indicating whether layer names are kept + @param keep True, if layer names are to be kept. - This version does not feature a transformation for each shape (unity is assumed). + See \cif_keep_layer_names? for a description of this property. - @param in The set of shapes to merge - @param min_wc The minimum wrap count for output (0: all polygons, 1: at least two overlapping) - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if minimum polygons should be created for touching corners - """ - @overload - def merge_to_polygon(self, in_: Sequence[Shape], trans: Sequence[CplxTrans], min_wc: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: - r""" - @brief Merge the given shapes + This method has been added in version 0.25.3. + """ + dxf_keep_other_cells: bool + r""" + Getter: + @brief If this option is true, all cells are kept, not only the top cell and it's children - See the \EdgeProcessor for a description of the merge method. This implementation takes shapes - rather than polygons for input and produces a polygon set. + This property has been added in version 0.21.15. - @param in The set of shapes to merge - @param trans A corresponding set of transformations to apply on the shapes - @param min_wc The minimum wrap count for output (0: all polygons, 1: at least two overlapping) - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if minimum polygons should be created for touching corners - """ - @overload - def size(self, in_: Sequence[Shape], d: int, mode: int) -> List[Edge]: - r""" - @brief Size the given shapes + Setter: + @brief If this option is set to true, all cells are kept, not only the top cell and it's children - See the \EdgeProcessor for a description of the sizing method. This implementation takes shapes - rather than polygons for input and produces an edge set. This is isotropic version that does not allow - to specify different values in x and y direction. - This version does not feature a transformation for each shape (unity is assumed). + This property has been added in version 0.21.15. + """ + dxf_layer_map: LayerMap + r""" + Getter: + @brief Gets the layer map + @return A reference to the layer map - @param in The set of shapes to size - @param d The sizing value - @param mode The sizing mode (see \EdgeProcessor) - """ - @overload - def size(self, in_: Sequence[Shape], dx: int, dy: int, mode: int) -> List[Edge]: - r""" - @brief Size the given shapes + This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. + Python note: this method has been turned into a property in version 0.26. + Setter: + @brief Sets the layer map + This sets a layer mapping for the reader. Unlike \dxf_set_layer_map, the 'create_other_layers' flag is not changed. + @param map The layer map to set. - See the \EdgeProcessor for a description of the sizing method. This implementation takes shapes - rather than polygons for input and produces an edge set. + This convenience method has been added in version 0.26. + """ + dxf_polyline_mode: int + r""" + Getter: + @brief Specifies whether closed POLYLINE and LWPOLYLINE entities with width 0 are converted to polygons. + See \dxf_polyline_mode= for a description of this property. - This version does not feature a transformation for each shape (unity is assumed). + This property has been added in version 0.21.3. - @param in The set of shapes to size - @param dx The sizing value in x-direction - @param dy The sizing value in y-direction - @param mode The sizing mode (see \EdgeProcessor) - """ - @overload - def size(self, in_: Sequence[Shape], trans: Sequence[CplxTrans], d: int, mode: int) -> List[Edge]: - r""" - @brief Size the given shapes + Setter: + @brief Specifies how to treat POLYLINE/LWPOLYLINE entities. + The mode is 0 (automatic), 1 (keep lines), 2 (create polygons from closed polylines with width = 0), 3 (merge all lines with width = 0 into polygons), 4 (as 3 plus auto-close open contours). - See the \EdgeProcessor for a description of the sizing method. This implementation takes shapes - rather than polygons for input and produces an edge set. This is isotropic version that does not allow - to specify different values in x and y direction. - @param in The set of shapes to size - @param trans A corresponding set of transformations to apply on the shapes - @param d The sizing value - @param mode The sizing mode (see \EdgeProcessor) - """ - @overload - def size(self, in_: Sequence[Shape], trans: Sequence[CplxTrans], dx: int, dy: int, mode: int) -> List[Edge]: - r""" - @brief Size the given shapes + This property has been added in version 0.21.3. + """ + dxf_render_texts_as_polygons: bool + r""" + Getter: + @brief If this option is true, text objects are rendered as polygons - See the \EdgeProcessor for a description of the sizing method. This implementation takes shapes - rather than polygons for input and produces an edge set. + This property has been added in version 0.21.15. - @param in The set of shapes to size - @param trans A corresponding set of transformations to apply on the shapes - @param dx The sizing value in x-direction - @param dy The sizing value in y-direction - @param mode The sizing mode (see \EdgeProcessor) - """ - @overload - def size(self, layout: Layout, cell: Cell, layer: int, out: Shapes, d: int, mode: int, hierarchical: bool, resolve_holes: bool, min_coherence: bool) -> None: - r""" - @brief Sizing operation on shapes from layouts + Setter: + @brief If this option is set to true, text objects are rendered as polygons - See the \EdgeProcessor for a description of the sizing operation. This implementation takes shapes - from a layout cell (optionally all in hierarchy) and produces new shapes in a shapes container. This is the isotropic version which does not allow specification of different sizing values in x and y-direction. - @param layout The layout from which to take the shapes - @param cell The cell (in 'layout') from which to take the shapes - @param layer The cell (in 'layout') from which to take the shapes - @param out The shapes container where to put the shapes into (is cleared before) - @param d The sizing value (see \EdgeProcessor) - @param mode The sizing mode (see \EdgeProcessor) - @param hierarchical Collect shapes from sub cells as well - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if minimum polygons should be created for touching corners - """ - @overload - def size(self, layout: Layout, cell: Cell, layer: int, out: Shapes, dx: int, dy: int, mode: int, hierarchical: bool, resolve_holes: bool, min_coherence: bool) -> None: - r""" - @brief Sizing operation on shapes from layouts + This property has been added in version 0.21.15. + """ + dxf_text_scaling: float + r""" + Getter: + @brief Gets the text scaling factor (see \dxf_text_scaling=) - See the \EdgeProcessor for a description of the sizing operation. This implementation takes shapes - from a layout cell (optionally all in hierarchy) and produces new shapes in a shapes container. - @param layout The layout from which to take the shapes - @param cell The cell (in 'layout') from which to take the shapes - @param layer The cell (in 'layout') from which to take the shapes - @param out The shapes container where to put the shapes into (is cleared before) - @param dx The sizing value in x-direction (see \EdgeProcessor) - @param dy The sizing value in y-direction (see \EdgeProcessor) - @param mode The sizing mode (see \EdgeProcessor) - @param hierarchical Collect shapes from sub cells as well - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if minimum polygons should be created for touching corners - """ - @overload - def size_to_polygon(self, in_: Sequence[Shape], d: int, mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: - r""" - @brief Size the given shapes + This property has been added in version 0.21.20. - See the \EdgeProcessor for a description of the sizing method. This implementation takes shapes - rather than polygons for input and produces a polygon set. This is isotropic version that does not allow - to specify different values in x and y direction. - This version does not feature a transformation for each shape (unity is assumed). + Setter: + @brief Specifies the text scaling in percent of the default scaling - @param in The set of shapes to size - @param d The sizing value - @param mode The sizing mode (see \EdgeProcessor) - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if minimum polygons should be created for touching corners - """ - @overload - def size_to_polygon(self, in_: Sequence[Shape], dx: int, dy: int, mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: - r""" - @brief Size the given shapes + The default value 100, meaning that the letter pitch is roughly 92 percent of the specified text height. Decrease this value to get smaller fonts and increase it to get larger fonts. - See the \EdgeProcessor for a description of the sizing method. This implementation takes shapes - rather than polygons for input and produces a polygon set. + This property has been added in version 0.21.20. + """ + dxf_unit: float + r""" + Getter: + @brief Specifies the unit in which the DXF file is drawn - This version does not feature a transformation for each shape (unity is assumed). + This property has been added in version 0.21.3. - @param in The set of shapes to size - @param dx The sizing value in x-direction - @param dy The sizing value in y-direction - @param mode The sizing mode (see \EdgeProcessor) - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if minimum polygons should be created for touching corners - """ - @overload - def size_to_polygon(self, in_: Sequence[Shape], trans: Sequence[CplxTrans], d: int, mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: - r""" - @brief Size the given shapes + Setter: + @brief Specifies the unit in which the DXF file is drawn. - See the \EdgeProcessor for a description of the sizing method. This implementation takes shapes - rather than polygons for input and produces a polygon set. This is isotropic version that does not allow - to specify different values in x and y direction. - @param in The set of shapes to size - @param trans A corresponding set of transformations to apply on the shapes - @param d The sizing value - @param mode The sizing mode (see \EdgeProcessor) - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if minimum polygons should be created for touching corners - """ - @overload - def size_to_polygon(self, in_: Sequence[Shape], trans: Sequence[CplxTrans], dx: int, dy: int, mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: - r""" - @brief Size the given shapes + This property has been added in version 0.21.3. + """ + gds2_allow_big_records: bool + r""" + Getter: + @brief Gets a value specifying whether to allow big records with a length of 32768 to 65535 bytes. + See \gds2_allow_big_records= method for a description of this property. + This property has been added in version 0.18. - See the \EdgeProcessor for a description of the sizing method. This implementation takes shapes - rather than polygons for input and produces a polygon set. + Setter: + @brief Allows big records with more than 32767 bytes - @param in The set of shapes to size - @param trans A corresponding set of transformations to apply on the shapes - @param dx The sizing value in x-direction - @param dy The sizing value in y-direction - @param mode The sizing mode (see \EdgeProcessor) - @param resolve_holes true, if holes should be resolved into the hull - @param min_coherence true, if minimum polygons should be created for touching corners - """ + Setting this property to true allows larger records by treating the record length as unsigned short, which for example allows larger polygons (~8000 points rather than ~4000 points) without using multiple XY records. + For strict compatibility with the standard, this property should be set to false. The default is true. -class Shapes: + This property has been added in version 0.18. + """ + gds2_allow_multi_xy_records: bool r""" - @brief A collection of shapes + Getter: + @brief Gets a value specifying whether to allow big polygons with multiple XY records. + See \gds2_allow_multi_xy_records= method for a description of this property. + This property has been added in version 0.18. - A shapes collection is a collection of geometrical objects, such as polygons, boxes, paths, edges, edge pairs or text objects. + Setter: + @brief Allows the use of multiple XY records in BOUNDARY elements for unlimited large polygons - Shapes objects are the basic containers for geometrical objects of a cell. Inside a cell, there is one Shapes object per layer. - """ - SAll: ClassVar[int] - r""" - @brief Indicates that all shapes shall be retrieved + Setting this property to true allows big polygons that span over multiple XY records. + For strict compatibility with the standard, this property should be set to false. The default is true. + + This property has been added in version 0.18. """ - SAllWithProperties: ClassVar[int] + gds2_box_mode: int r""" - @brief Indicates that all shapes with properties shall be retrieved + Getter: + @brief Gets a value specifying how to treat BOX records + See \gds2_box_mode= method for a description of this mode. + This property has been added in version 0.18. + + Setter: + @brief Sets a value specifying how to treat BOX records + This property specifies how BOX records are treated. + Allowed values are 0 (ignore), 1 (treat as rectangles), 2 (treat as boundaries) or 3 (treat as errors). The default is 1. + + This property has been added in version 0.18. """ - SBoxes: ClassVar[int] + layer_map: LayerMap r""" - @brief Indicates that boxes shall be retrieved + Getter: + @brief Gets the layer map + @return A reference to the layer map + + Starting with version 0.25 this option only applies to GDS2 and OASIS format. Other formats provide their own configuration. + Python note: this method has been turned into a property in version 0.26. + Setter: + @brief Sets the layer map, but does not affect the "create_other_layers" flag. + Use \create_other_layers? to enable or disable other layers not listed in the layer map. + @param map The layer map to set. + This convenience method has been introduced with version 0.26. """ - SEdgePairs: ClassVar[int] + lefdef_config: LEFDEFReaderConfiguration r""" - @brief Indicates that edge pairs shall be retrieved + Getter: + @brief Gets a copy of the LEF/DEF reader configuration + The LEF/DEF reader configuration is wrapped in a separate object of class \LEFDEFReaderConfiguration. See there for details. + This method will return a copy of the reader configuration. To modify the configuration, modify the copy and set the modified configuration with \lefdef_config=. + + + This method has been added in version 0.25. + + Setter: + @brief Sets the LEF/DEF reader configuration + + + This method has been added in version 0.25. """ - SEdges: ClassVar[int] + mag_create_other_layers: bool r""" - @brief Indicates that edges shall be retrieved + Getter: + @brief Gets a value indicating whether other layers shall be created + @return True, if other layers will be created. + This attribute acts together with a layer map (see \mag_layer_map=). Layers not listed in this map are created as well when \mag_create_other_layers? is true. Otherwise they are ignored. + + This method has been added in version 0.26.2. + Setter: + @brief Specifies whether other layers shall be created + @param create True, if other layers will be created. + See \mag_create_other_layers? for a description of this attribute. + + This method has been added in version 0.26.2. """ - SPaths: ClassVar[int] + mag_dbu: float r""" - @brief Indicates that paths shall be retrieved + Getter: + @brief Specifies the database unit which the reader uses and produces + See \mag_dbu= method for a description of this property. + + This property has been added in version 0.26.2. + + Setter: + @brief Specifies the database unit which the reader uses and produces + The database unit is the final resolution of the produced layout. This physical resolution is usually defined by the layout system - GDS for example typically uses 1nm (mag_dbu=0.001). + All geometry in the MAG file will first be scaled to \mag_lambda and is then brought to the database unit. + + This property has been added in version 0.26.2. """ - SPoints: ClassVar[int] + mag_keep_layer_names: bool r""" - @brief Indicates that points shall be retrieved - This constant has been added in version 0.28. + Getter: + @brief Gets a value indicating whether layer names are kept + @return True, if layer names are kept. + + When set to true, no attempt is made to translate layer names to GDS layer/datatype numbers. If set to false (the default), a layer named "L2D15" will be translated to GDS layer 2, datatype 15. + + This method has been added in version 0.26.2. + Setter: + @brief Gets a value indicating whether layer names are kept + @param keep True, if layer names are to be kept. + + See \mag_keep_layer_names? for a description of this property. + + This method has been added in version 0.26.2. """ - SPolygons: ClassVar[int] + mag_lambda: float r""" - @brief Indicates that polygons shall be retrieved + Getter: + @brief Gets the lambda value + See \mag_lambda= method for a description of this attribute. + + This property has been added in version 0.26.2. + + Setter: + @brief Specifies the lambda value to used for reading + + The lambda value is the basic unit of the layout. Magic draws layout as multiples of this basic unit. The layout read by the MAG reader will use the database unit specified by \mag_dbu, but the physical layout coordinates will be multiples of \mag_lambda. + + This property has been added in version 0.26.2. """ - SProperties: ClassVar[int] + mag_layer_map: LayerMap r""" - @brief Indicates that only shapes with properties shall be retrieved + Getter: + @brief Gets the layer map + @return A reference to the layer map + + This method has been added in version 0.26.2. + Setter: + @brief Sets the layer map + This sets a layer mapping for the reader. Unlike \mag_set_layer_map, the 'create_other_layers' flag is not changed. + @param map The layer map to set. + + This method has been added in version 0.26.2. """ - SRegions: ClassVar[int] + mag_library_paths: List[str] r""" - @brief Indicates that objects which can be polygonized shall be retrieved (paths, boxes, polygons etc.) + Getter: + @brief Gets the locations where to look up libraries (in this order) + See \mag_library_paths= method for a description of this attribute. - This constant has been added in version 0.27. + This property has been added in version 0.26.2. + + Setter: + @brief Specifies the locations where to look up libraries (in this order) + + The reader will look up library reference in these paths when it can't find them locally. + Relative paths in this collection are resolved relative to the initial file's path. + Expression interpolation is supported in the path strings. + + This property has been added in version 0.26.2. """ - STexts: ClassVar[int] + mag_merge: bool r""" - @brief Indicates that texts be retrieved + Getter: + @brief Gets a value indicating whether boxes are merged into polygons + @return True, if boxes are merged. + + When set to true, the boxes and triangles of the Magic layout files are merged into polygons where possible. + + This method has been added in version 0.26.2. + Setter: + @brief Sets a value indicating whether boxes are merged into polygons + @param merge True, if boxes and triangles will be merged into polygons. + + See \mag_merge? for a description of this property. + + This method has been added in version 0.26.2. """ - SUserObjects: ClassVar[int] + mebes_boundary_datatype: int r""" - @brief Indicates that user objects shall be retrieved + Getter: + @brief Gets the datatype number of the boundary layer to produce + See \mebes_produce_boundary= for a description of this attribute. + + This property has been added in version 0.23.10. + + Setter: + @brief Sets the datatype number of the boundary layer to produce + See \mebes_produce_boundary= for a description of this attribute. + + This property has been added in version 0.23.10. """ - @classmethod - def new(cls) -> Shapes: - r""" - @brief Creates a new object of this class - """ - @classmethod - def s_all(cls) -> int: - r""" - @brief Indicates that all shapes shall be retrieved - """ - @classmethod - def s_all_with_properties(cls) -> int: - r""" - @brief Indicates that all shapes with properties shall be retrieved - """ - @classmethod - def s_boxes(cls) -> int: - r""" - @brief Indicates that boxes shall be retrieved - """ - @classmethod - def s_edge_pairs(cls) -> int: - r""" - @brief Indicates that edge pairs shall be retrieved - """ - @classmethod - def s_edges(cls) -> int: - r""" - @brief Indicates that edges shall be retrieved - """ - @classmethod - def s_paths(cls) -> int: - r""" - @brief Indicates that paths shall be retrieved - """ - @classmethod - def s_points(cls) -> int: - r""" - @brief Indicates that points shall be retrieved - This constant has been added in version 0.28. - """ - @classmethod - def s_polygons(cls) -> int: - r""" - @brief Indicates that polygons shall be retrieved - """ - @classmethod - def s_properties(cls) -> int: - r""" - @brief Indicates that only shapes with properties shall be retrieved - """ - @classmethod - def s_regions(cls) -> int: - r""" - @brief Indicates that objects which can be polygonized shall be retrieved (paths, boxes, polygons etc.) + mebes_boundary_layer: int + r""" + Getter: + @brief Gets the layer number of the boundary layer to produce + See \mebes_produce_boundary= for a description of this attribute. - This constant has been added in version 0.27. - """ + This property has been added in version 0.23.10. + + Setter: + @brief Sets the layer number of the boundary layer to produce + See \mebes_produce_boundary= for a description of this attribute. + + This property has been added in version 0.23.10. + """ + mebes_boundary_name: str + r""" + Getter: + @brief Gets the name of the boundary layer to produce + See \mebes_produce_boundary= for a description of this attribute. + + This property has been added in version 0.23.10. + + Setter: + @brief Sets the name of the boundary layer to produce + See \mebes_produce_boundary= for a description of this attribute. + + This property has been added in version 0.23.10. + """ + mebes_create_other_layers: bool + r""" + Getter: + @brief Gets a value indicating whether other layers shall be created + @return True, if other layers will be created. + This attribute acts together with a layer map (see \mebes_layer_map=). Layers not listed in this map are created as well when \mebes_create_other_layers? is true. Otherwise they are ignored. + + This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. + Setter: + @brief Specifies whether other layers shall be created + @param create True, if other layers will be created. + See \mebes_create_other_layers? for a description of this attribute. + + This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. + """ + mebes_data_datatype: int + r""" + Getter: + @brief Gets the datatype number of the data layer to produce + + This property has been added in version 0.23.10. + + Setter: + @brief Sets the datatype number of the data layer to produce + + This property has been added in version 0.23.10. + """ + mebes_data_layer: int + r""" + Getter: + @brief Gets the layer number of the data layer to produce + + This property has been added in version 0.23.10. + + Setter: + @brief Sets the layer number of the data layer to produce + + This property has been added in version 0.23.10. + """ + mebes_data_name: str + r""" + Getter: + @brief Gets the name of the data layer to produce + + This property has been added in version 0.23.10. + + Setter: + @brief Sets the name of the data layer to produce + + This property has been added in version 0.23.10. + """ + mebes_invert: bool + r""" + Getter: + @brief Gets a value indicating whether to invert the MEBES pattern + If this property is set to true, the pattern will be inverted. + + This property has been added in version 0.22. + + Setter: + @brief Specify whether to invert the MEBES pattern + If this property is set to true, the pattern will be inverted. + + This property has been added in version 0.22. + """ + mebes_layer_map: LayerMap + r""" + Getter: + @brief Gets the layer map + @return The layer map. + + This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. + Setter: + @brief Sets the layer map + This sets a layer mapping for the reader. Unlike \mebes_set_layer_map, the 'create_other_layers' flag is not changed. + @param map The layer map to set. + + This convenience method has been added in version 0.26.2. + """ + mebes_num_shapes_per_cell: int + r""" + Getter: + @brief Gets the number of stripes collected per cell + See \mebes_num_stripes_per_cell= for details about this property. + + This property has been added in version 0.24.5. + + Setter: + @brief Specify the number of stripes collected per cell + See \mebes_num_stripes_per_cell= for details about this property. + + This property has been added in version 0.24.5. + """ + mebes_num_stripes_per_cell: int + r""" + Getter: + @brief Gets the number of stripes collected per cell + See \mebes_num_stripes_per_cell= for details about this property. + + This property has been added in version 0.23.10. + + Setter: + @brief Specify the number of stripes collected per cell + This property specifies how many stripes will be collected into one cell. + A smaller value means less but bigger cells. The default value is 64. + New cells will be formed whenever more than this number of stripes has been read + or a new segment is started and the number of shapes given by \mebes_num_shapes_per_cell + is exceeded. + + This property has been added in version 0.23.10. + """ + mebes_produce_boundary: bool + r""" + Getter: + @brief Gets a value indicating whether a boundary layer will be produced + See \mebes_produce_boundary= for details about this property. + + This property has been added in version 0.23.10. + + Setter: + @brief Specify whether to produce a boundary layer + If this property is set to true, the pattern boundary will be written to the layer and datatype specified with \mebes_boundary_name, \mebes_boundary_layer and \mebes_boundary_datatype. + By default, the boundary layer is produced. + + This property has been added in version 0.23.10. + """ + mebes_subresolution: bool + r""" + Getter: + @brief Gets a value indicating whether to invert the MEBES pattern + See \subresolution= for details about this property. + + This property has been added in version 0.23.10. + + Setter: + @brief Specify whether subresolution trapezoids are supported + If this property is set to true, subresolution trapezoid vertices are supported. + In order to implement support, the reader will create magnified instances with a magnification of 1/16. + By default this property is enabled. + + This property has been added in version 0.23.10. + """ + mebes_top_cell_index: int + r""" + Getter: + @brief Gets the cell index for the top cell to use + See \mebes_top_cell_index= for a description of this property. + + This property has been added in version 0.23.10. + + Setter: + @brief Specify the cell index for the top cell to use + If this property is set to a valid cell index, the MEBES reader will put the subcells and shapes into this cell. + + This property has been added in version 0.23.10. + """ + oasis_expect_strict_mode: int + r""" + Getter: + @hide + Setter: + @hide + """ + oasis_read_all_properties: int + r""" + Getter: + @hide + Setter: + @hide + """ + properties_enabled: bool + r""" + Getter: + @brief Gets a value indicating whether properties shall be read + @return True, if properties should be read. + Starting with version 0.25 this option only applies to GDS2 and OASIS format. Other formats provide their own configuration. + Setter: + @brief Specifies whether properties should be read + @param enabled True, if properties should be read. + Starting with version 0.25 this option only applies to GDS2 and OASIS format. Other formats provide their own configuration. + """ + text_enabled: bool + r""" + Getter: + @brief Gets a value indicating whether text objects shall be read + @return True, if text objects should be read. + Starting with version 0.25 this option only applies to GDS2 and OASIS format. Other formats provide their own configuration. + Setter: + @brief Specifies whether text objects shall be read + @param enabled True, if text objects should be read. + Starting with version 0.25 this option only applies to GDS2 and OASIS format. Other formats provide their own configuration. + """ + warn_level: int + r""" + Getter: + @brief Sets the warning level. + See \warn_level= for details about this attribute. + + This attribute has been added in version 0.28. + Setter: + @brief Sets the warning level. + The warning level is a reader-specific setting which enables or disables warnings + on specific levels. Level 0 is always "warnings off". The default level is 1 + which means "reasonable warnings emitted". + + This attribute has been added in version 0.28. + """ @classmethod - def s_texts(cls) -> int: + def from_technology(cls, technology: str) -> LoadLayoutOptions: r""" - @brief Indicates that texts be retrieved + @brief Gets the reader options of a given technology + @param technology The name of the technology to apply + Returns the reader options of a specific technology. If the technology name is not valid or an empty string, the reader options of the default technology are returned. + + This method has been introduced in version 0.25 """ @classmethod - def s_user_objects(cls) -> int: + def new(cls) -> LoadLayoutOptions: r""" - @brief Indicates that user objects shall be retrieved + @brief Creates a new object of this class """ - def __copy__(self) -> Shapes: + def __copy__(self) -> LoadLayoutOptions: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> Shapes: + def __deepcopy__(self) -> LoadLayoutOptions: r""" @brief Creates a copy of self """ @@ -30564,18 +30453,6 @@ class Shapes: r""" @brief Creates a new object of this class """ - def __iter__(self) -> Iterator[Shape]: - r""" - @brief Gets all shapes - - This call is equivalent to each(SAll). This convenience method has been introduced in version 0.16 - """ - def __len__(self) -> int: - r""" - @brief Gets the number of shapes in this container - This method was introduced in version 0.16 - @return The number of shapes in this container - """ def _create(self) -> None: r""" @brief Ensures the C++ object is created @@ -30613,21 +30490,27 @@ class Shapes: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: Shapes) -> None: + def assign(self, other: LoadLayoutOptions) -> None: r""" @brief Assigns another object to self """ - def cell(self) -> Cell: + def cif_select_all_layers(self) -> None: r""" - @brief Gets the cell the shape container belongs to - This method returns nil if the shape container does not belong to a cell. + @brief Selects all layers and disables the layer map - This method has been added in version 0.28. + This disables any layer map and enables reading of all layers. + New layers will be created when required. + + This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. """ - def clear(self) -> None: + def cif_set_layer_map(self, map: LayerMap, create_other_layers: bool) -> None: r""" - @brief Clears the shape container - This method has been introduced in version 0.16. It can only be used in editable mode. + @brief Sets the layer map + This sets a layer mapping for the reader. The layer map allows selection and translation of the original layers, for example to assign layer/datatype numbers to the named layers. + @param map The layer map to set. + @param create_other_layers The flag indicating whether other layers will be created as well. Set to false to read only the layers in the layer map. + + This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. """ def create(self) -> None: r""" @@ -30646,1067 +30529,927 @@ class Shapes: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dump_mem_statistics(self, detailed: Optional[bool] = ...) -> None: - r""" - @hide - """ - def dup(self) -> Shapes: + def dup(self) -> LoadLayoutOptions: r""" @brief Creates a copy of self """ - @overload - def each(self) -> Iterator[Shape]: + def dxf_select_all_layers(self) -> None: r""" - @brief Gets all shapes + @brief Selects all layers and disables the layer map - This call is equivalent to each(SAll). This convenience method has been introduced in version 0.16 - """ - @overload - def each(self, flags: int) -> Iterator[Shape]: - r""" - @brief Gets all shapes + This disables any layer map and enables reading of all layers. + New layers will be created when required. - @param flags An "or"-ed combination of the S... constants + This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. """ - @overload - def each_overlapping(self, region: Box) -> Iterator[Shape]: + def dxf_set_layer_map(self, map: LayerMap, create_other_layers: bool) -> None: r""" - @brief Gets all shapes that overlap the search box (region) - @param region The rectangular search region + @brief Sets the layer map + This sets a layer mapping for the reader. The layer map allows selection and translation of the original layers, for example to assign layer/datatype numbers to the named layers. + @param map The layer map to set. + @param create_other_layers The flag indicating whether other layers will be created as well. Set to false to read only the layers in the layer map. - This call is equivalent to each_overlapping(SAll,region). This convenience method has been introduced in version 0.16 + This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. """ - @overload - def each_overlapping(self, region: DBox) -> Iterator[Shape]: + def is_const_object(self) -> bool: r""" - @brief Gets all shapes that overlap the search box (region) where the search box is given in micrometer units - @param region The rectangular search region as a \DBox object in micrometer units - This call is equivalent to each_touching(SAll,region). - - This method was introduced in version 0.25 + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def each_overlapping(self, flags: int, region: Box) -> Iterator[Shape]: + def is_properties_enabled(self) -> bool: r""" - @brief Gets all shapes that overlap the search box (region) - This method was introduced in version 0.16 - - @param flags An "or"-ed combination of the S... constants - @param region The rectangular search region + @brief Gets a value indicating whether properties shall be read + @return True, if properties should be read. + Starting with version 0.25 this option only applies to GDS2 and OASIS format. Other formats provide their own configuration. """ - @overload - def each_overlapping(self, flags: int, region: DBox) -> Iterator[Shape]: + def is_text_enabled(self) -> bool: r""" - @brief Gets all shapes that overlap the search box (region) where the search box is given in micrometer units - @param flags An "or"-ed combination of the S... constants - @param region The rectangular search region as a \DBox object in micrometer units + @brief Gets a value indicating whether text objects shall be read + @return True, if text objects should be read. + Starting with version 0.25 this option only applies to GDS2 and OASIS format. Other formats provide their own configuration. + """ + def mag_select_all_layers(self) -> None: + r""" + @brief Selects all layers and disables the layer map - This method was introduced in version 0.25 + This disables any layer map and enables reading of all layers. + New layers will be created when required. + + This method has been added in version 0.26.2. """ - @overload - def each_touching(self, region: Box) -> Iterator[Shape]: + def mag_set_layer_map(self, map: LayerMap, create_other_layers: bool) -> None: r""" - @brief Gets all shapes that touch the search box (region) - @param region The rectangular search region + @brief Sets the layer map + This sets a layer mapping for the reader. The layer map allows selection and translation of the original layers, for example to assign layer/datatype numbers to the named layers. + @param map The layer map to set. + @param create_other_layers The flag indicating whether other layers will be created as well. Set to false to read only the layers in the layer map. - This call is equivalent to each_touching(SAll,region). This convenience method has been introduced in version 0.16 + This method has been added in version 0.26.2. """ - @overload - def each_touching(self, region: DBox) -> Iterator[Shape]: + def mebes_select_all_layers(self) -> None: r""" - @brief Gets all shapes that touch the search box (region) where the search box is given in micrometer units - @param region The rectangular search region as a \DBox object in micrometer units - This call is equivalent to each_touching(SAll,region). + @brief Selects all layers and disables the layer map - This method was introduced in version 0.25 + This disables any layer map and enables reading of all layers. + New layers will be created when required. + + This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. """ - @overload - def each_touching(self, flags: int, region: Box) -> Iterator[Shape]: + def mebes_set_layer_map(self, map: LayerMap, create_other_layers: bool) -> None: r""" - @brief Gets all shapes that touch the search box (region) - This method was introduced in version 0.16 + @brief Sets the layer map + This sets a layer mapping for the reader. The layer map allows selection and translation of the original layers. + @param map The layer map to set. + @param create_other_layers The flag indicating whether other layers will be created as well. Set to false to read only the layers in the layer map. - @param flags An "or"-ed combination of the S... constants - @param region The rectangular search region + This method has been added in version 0.25 and replaces the respective global option in \LoadLayoutOptions in a format-specific fashion. """ - @overload - def each_touching(self, flags: int, region: DBox) -> Iterator[Shape]: + def select_all_layers(self) -> None: r""" - @brief Gets all shapes that touch the search box (region) where the search box is given in micrometer units - @param flags An "or"-ed combination of the S... constants - @param region The rectangular search region as a \DBox object in micrometer units + @brief Selects all layers and disables the layer map - This method was introduced in version 0.25 + This disables any layer map and enables reading of all layers. + New layers will be created when required. + + Starting with version 0.25 this method only applies to GDS2 and OASIS format. Other formats provide their own configuration. """ - def erase(self, shape: Shape) -> None: + def set_layer_map(self, map: LayerMap, create_other_layers: bool) -> None: r""" - @brief Erases the shape pointed to by the given \Shape object - This method has been introduced in version 0.16. It can only be used in editable mode. - Erasing a shape will invalidate the shape reference. Access to this reference may then render invalid results. + @brief Sets the layer map + This sets a layer mapping for the reader. The layer map allows selection and translation of the original layers, for example to add a layer name. + @param map The layer map to set.@param create_other_layers The flag telling whether other layer should be created as well. Set to false if just the layers in the mapping table should be read. - @param shape The shape which to destroy + Starting with version 0.25 this option only applies to GDS2 and OASIS format. Other formats provide their own configuration. """ - def find(self, shape: Shape) -> Shape: + +class Manager: + r""" + @brief A transaction manager class + + Manager objects control layout and potentially other objects in the layout database and queue operations to form transactions. A transaction is a sequence of operations that can be undone or redone. + + In order to equip a layout object with undo/redo support, instantiate the layout object with a manager attached and embrace the operations to undo/redo with transaction/commit calls. + + The use of transactions is subject to certain constraints, i.e. transacted sequences may not be mixed with non-transacted ones. + + This class has been introduced in version 0.19. + """ + @classmethod + def new(cls) -> Manager: r""" - @brief Finds a shape inside this collected - This method has been introduced in version 0.21. - This method tries to find the given shape in this collection. The original shape may be located in another collection. If the shape is found, this method returns a reference to the shape in this collection, otherwise a null reference is returned. + @brief Creates a new object of this class """ - @overload - def insert(self, box: Box) -> Shape: + def __copy__(self) -> Manager: r""" - @brief Inserts a box into the shapes list - @return A reference to the new shape (a \Shape object) - - Starting with version 0.16, this method returns a reference to the newly created shape + @brief Creates a copy of self """ - @overload - def insert(self, box: DBox) -> Shape: + def __deepcopy__(self) -> Manager: r""" - @brief Inserts a micrometer-unit box into the shapes list - @return A reference to the new shape (a \Shape object) - This method behaves like the \insert version with a \Box argument, except that it will internally translate the box from micrometer to database units. - - This variant has been introduced in version 0.25. + @brief Creates a copy of self """ - @overload - def insert(self, edge: DEdge) -> Shape: + def __init__(self) -> None: r""" - @brief Inserts a micrometer-unit edge into the shapes list - @return A reference to the new shape (a \Shape object) - This method behaves like the \insert version with a \Edge argument, except that it will internally translate the edge from micrometer to database units. - - This variant has been introduced in version 0.25. + @brief Creates a new object of this class """ - @overload - def insert(self, edge: Edge) -> Shape: + def _create(self) -> None: r""" - @brief Inserts an edge into the shapes list - - Starting with version 0.16, this method returns a reference to the newly created shape + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def insert(self, edge_pair: DEdgePair) -> Shape: + def _destroy(self) -> None: r""" - @brief Inserts a micrometer-unit edge pair into the shapes list - @return A reference to the new shape (a \Shape object) - This method behaves like the \insert version with a \EdgePair argument, except that it will internally translate the edge pair from micrometer to database units. - - This variant has been introduced in version 0.26. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def insert(self, edge_pair: EdgePair) -> Shape: + def _destroyed(self) -> bool: r""" - @brief Inserts an edge pair into the shapes list - - This method has been introduced in version 0.26. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def insert(self, edge_pairs: EdgePairs) -> None: + def _is_const_object(self) -> bool: r""" - @brief Inserts the edges from the edge pair collection into this shape container - @param edges The edge pairs to insert - - This method inserts all edge pairs from the edge pair collection into this shape container. - - This method has been introduced in version 0.26. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def insert(self, edges: Edges) -> None: + def _manage(self) -> None: r""" - @brief Inserts the edges from the edge collection into this shape container - @param edges The edges to insert - - This method inserts all edges from the edge collection into this shape container. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method has been introduced in version 0.23. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def insert(self, iter: RecursiveShapeIterator) -> None: + def _unmanage(self) -> None: r""" - @brief Inserts the shapes taken from a recursive shape iterator - @param iter The iterator from which to take the shapes from - - This method iterates over all shapes from the iterator and inserts them into the container. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.25.3. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def insert(self, path: DPath) -> Shape: + def assign(self, other: Manager) -> None: r""" - @brief Inserts a micrometer-unit path into the shapes list - @return A reference to the new shape (a \Shape object) - This method behaves like the \insert version with a \Path argument, except that it will internally translate the path from micrometer to database units. - - This variant has been introduced in version 0.25. + @brief Assigns another object to self """ - @overload - def insert(self, path: Path) -> Shape: + def commit(self) -> None: r""" - @brief Inserts a path into the shapes list - @return A reference to the new shape (a \Shape object) - - Starting with version 0.16, this method returns a reference to the newly created shape + @brief Close a transaction. """ - @overload - def insert(self, point: DPoint) -> Shape: + def create(self) -> None: r""" - @brief Inserts a micrometer-unit point into the shapes list - @return A reference to the new shape (a \Shape object) - This method behaves like the \insert version with a \Point argument, except that it will internally translate the point from micrometer to database units. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> Manager: + r""" + @brief Creates a copy of self + """ + def has_redo(self) -> bool: + r""" + @brief Determine if a transaction is available for 'redo' - This variant has been introduced in version 0.28. + @return True, if a transaction is available. """ - @overload - def insert(self, point: Point) -> Shape: + def has_undo(self) -> bool: r""" - @brief Inserts an point into the shapes list + @brief Determine if a transaction is available for 'undo' - This variant has been introduced in version 0.28. + @return True, if a transaction is available. """ - @overload - def insert(self, polygon: DPolygon) -> Shape: + def is_const_object(self) -> bool: r""" - @brief Inserts a micrometer-unit polygon into the shapes list - @return A reference to the new shape (a \Shape object) - This method behaves like the \insert version with a \Polygon argument, except that it will internally translate the polygon from micrometer to database units. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def redo(self) -> None: + r""" + @brief Redo the next available transaction - This variant has been introduced in version 0.25. + The next transaction is redone with this method. + The 'has_redo' method can be used to determine whether + there are transactions to undo. """ @overload - def insert(self, polygon: Polygon) -> Shape: + def transaction(self, description: str) -> int: r""" - @brief Inserts a polygon into the shapes list - @return A reference to the new shape (a \Shape object) + @brief Begin a transaction - Starting with version 0.16, this method returns a reference to the newly created shape + + This call will open a new transaction. A transaction consists + of a set of operations issued with the 'queue' method. + A transaction is closed with the 'commit' method. + + @param description The description for this transaction. + + @return The ID of the transaction (can be used to join other transactions with this one) """ @overload - def insert(self, region: Region) -> None: + def transaction(self, description: str, join_with: int) -> int: r""" - @brief Inserts the polygons from the region into this shape container - @param region The region to insert + @brief Begin a joined transaction - This method inserts all polygons from the region into this shape container. - This method has been introduced in version 0.23. + This call will open a new transaction and join if with the previous transaction. + The ID of the previous transaction must be equal to the ID given with 'join_with'. + + This overload was introduced in version 0.22. + + @param description The description for this transaction (ignored if joined). + @param description The ID of the previous transaction. + + @return The ID of the new transaction (can be used to join more) """ - @overload - def insert(self, shape: Shape) -> Shape: + def transaction_for_redo(self) -> str: r""" - @brief Inserts a shape from a shape reference into the shapes list - @return A reference (a \Shape object) to the newly created shape - This method has been introduced in version 0.16. + @brief Return the description of the next transaction for 'redo' """ - @overload - def insert(self, shapes: Shapes) -> None: + def transaction_for_undo(self) -> str: r""" - @brief Inserts the shapes taken from another shape container - @param shapes The other container from which to take the shapes from - - This method takes all shapes from the given container and inserts them into this one. - - This method has been introduced in version 0.25.3. + @brief Return the description of the next transaction for 'undo' """ - @overload - def insert(self, simple_polygon: DSimplePolygon) -> Shape: + def undo(self) -> None: r""" - @brief Inserts a micrometer-unit simple polygon into the shapes list - @return A reference to the new shape (a \Shape object) - This method behaves like the \insert version with a \SimplePolygon argument, except that it will internally translate the polygon from micrometer to database units. + @brief Undo the current transaction - This variant has been introduced in version 0.25. + The current transaction is undone with this method. + The 'has_undo' method can be used to determine whether + there are transactions to undo. """ + +class Matrix2d: + r""" + @brief A 2d matrix object used mainly for representing rotation and shear transformations. + + This object represents a 2x2 matrix. This matrix is used to implement affine transformations in the 2d space mainly. It can be decomposed into basic transformations: mirroring, rotation and shear. In that case, the assumed execution order of the basic transformations is mirroring at the x axis, rotation, magnification and shear. + + The matrix is a generalization of the transformations and is of limited use in a layout database context. It is useful however to implement shear transformations on polygons, edges and polygon or edge collections. + + This class was introduced in version 0.22. + """ @overload - def insert(self, simple_polygon: SimplePolygon) -> Shape: + @classmethod + def new(cls) -> Matrix2d: r""" - @brief Inserts a simple polygon into the shapes list - @return A reference to the new shape (a \Shape object) - - Starting with version 0.16, this method returns a reference to the newly created shape + @brief Create a new Matrix2d representing a unit transformation """ @overload - def insert(self, text: DText) -> Shape: + @classmethod + def new(cls, m11: float, m12: float, m21: float, m22: float) -> Matrix2d: r""" - @brief Inserts a micrometer-unit text into the shapes list - @return A reference to the new shape (a \Shape object) - This method behaves like the \insert version with a \Text argument, except that it will internally translate the text from micrometer to database units. - - This variant has been introduced in version 0.25. + @brief Create a new Matrix2d from the four coefficients """ @overload - def insert(self, text: Text) -> Shape: + @classmethod + def new(cls, m: float) -> Matrix2d: r""" - @brief Inserts a text into the shapes list - @return A reference to the new shape (a \Shape object) - - Starting with version 0.16, this method returns a reference to the newly created shape + @brief Create a new Matrix2d representing an isotropic magnification + @param m The magnification """ @overload - def insert(self, texts: Texts) -> None: + @classmethod + def new(cls, mx: float, my: float) -> Matrix2d: r""" - @brief Inserts the texts from the text collection into this shape container - @param texts The texts to insert - - This method inserts all texts from the text collection into this shape container. - - This method has been introduced in version 0.27. + @brief Create a new Matrix2d representing an anisotropic magnification + @param mx The magnification in x direction + @param my The magnification in y direction """ @overload - def insert(self, box: Box, property_id: int) -> Shape: + @classmethod + def new(cls, t: DCplxTrans) -> Matrix2d: r""" - @brief Inserts a box with properties into the shapes list - @return A reference to the new shape (a \Shape object) - The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. - Starting with version 0.16, this method returns a reference to the newly created shape + @brief Create a new Matrix2d from the given complex transformation@param t The transformation from which to create the matrix (not taking into account the displacement) """ @overload - def insert(self, box: DBox, property_id: int) -> Shape: + @classmethod + def newc(cls, mag: float, rotation: float, mirror: bool) -> Matrix2d: r""" - @brief Inserts a micrometer-unit box with properties into the shapes list - @return A reference to the new shape (a \Shape object) - This method behaves like the \insert version with a \Box argument and a property ID, except that it will internally translate the box from micrometer to database units. + @brief Create a new Matrix2d representing an isotropic magnification, rotation and mirroring + @param mag The magnification in x direction + @param rotation The rotation angle (in degree) + @param mirror The mirror flag (at x axis) - This variant has been introduced in version 0.25. + This constructor is provided to construct a matrix similar to the complex transformation. + This constructor is called 'newc' to distinguish it from the constructors taking matrix coefficients ('c' is for composite). + The order of execution of the operations is mirror, magnification, rotation (as for complex transformations). """ @overload - def insert(self, edge: DEdge, property_id: int) -> Shape: + @classmethod + def newc(cls, shear: float, mx: float, my: float, rotation: float, mirror: bool) -> Matrix2d: r""" - @brief Inserts a micrometer-unit edge with properties into the shapes list - @return A reference to the new shape (a \Shape object) - This method behaves like the \insert version with a \Edge argument and a property ID, except that it will internally translate the edge from micrometer to database units. + @brief Create a new Matrix2d representing a shear, anisotropic magnification, rotation and mirroring + @param shear The shear angle + @param mx The magnification in x direction + @param my The magnification in y direction + @param rotation The rotation angle (in degree) + @param mirror The mirror flag (at x axis) - This variant has been introduced in version 0.25. + The order of execution of the operations is mirror, magnification, shear and rotation. + This constructor is called 'newc' to distinguish it from the constructor taking the four matrix coefficients ('c' is for composite). """ - @overload - def insert(self, edge: Edge, property_id: int) -> Shape: + def __add__(self, m: Matrix2d) -> Matrix2d: r""" - @brief Inserts an edge with properties into the shapes list - @return A reference to the new shape (a \Shape object) - The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. - Starting with version 0.16, this method returns a reference to the newly created shape. + @brief Sum of two matrices. + @param m The other matrix. + @return The (element-wise) sum of self+m """ - @overload - def insert(self, edge_pair: DEdgePair, property_id: int) -> Shape: + def __copy__(self) -> Matrix2d: r""" - @brief Inserts a micrometer-unit edge pair with properties into the shapes list - @return A reference to the new shape (a \Shape object) - This method behaves like the \insert version with a \EdgePair argument and a property ID, except that it will internally translate the edge pair from micrometer to database units. - - This variant has been introduced in version 0.26. + @brief Creates a copy of self """ - @overload - def insert(self, edge_pair: EdgePair, property_id: int) -> Shape: + def __deepcopy__(self) -> Matrix2d: r""" - @brief Inserts an edge pair with properties into the shapes list - @return A reference to the new shape (a \Shape object) - The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. - This method has been introduced in version 0.26. + @brief Creates a copy of self """ @overload - def insert(self, edge_pairs: EdgePairs, trans: DCplxTrans) -> None: + def __init__(self) -> None: r""" - @brief Inserts the edge pairs from the edge pair collection into this shape container with a transformation (given in micrometer units) - @param edges The edge pairs to insert - @param trans The transformation to apply (displacement in micrometer units) - - This method inserts all edge pairs from the edge pair collection into this shape container. - Before an edge pair is inserted, the given transformation is applied. - - This method has been introduced in version 0.26. + @brief Create a new Matrix2d representing a unit transformation """ @overload - def insert(self, edge_pairs: EdgePairs, trans: ICplxTrans) -> None: + def __init__(self, m11: float, m12: float, m21: float, m22: float) -> None: r""" - @brief Inserts the edge pairs from the edge pair collection into this shape container with a transformation - @param edges The edge pairs to insert - @param trans The transformation to apply - - This method inserts all edge pairs from the edge pair collection into this shape container. - Before an edge pair is inserted, the given transformation is applied. - - This method has been introduced in version 0.26. + @brief Create a new Matrix2d from the four coefficients """ @overload - def insert(self, edges: Edges, trans: DCplxTrans) -> None: + def __init__(self, m: float) -> None: r""" - @brief Inserts the edges from the edge collection into this shape container with a transformation (given in micrometer units) - @param edges The edges to insert - @param trans The transformation to apply (displacement in micrometer units) - - This method inserts all edges from the edge collection into this shape container. - Before an edge is inserted, the given transformation is applied. - - This method has been introduced in version 0.25. + @brief Create a new Matrix2d representing an isotropic magnification + @param m The magnification """ @overload - def insert(self, edges: Edges, trans: ICplxTrans) -> None: + def __init__(self, mx: float, my: float) -> None: r""" - @brief Inserts the edges from the edge collection into this shape container with a transformation - @param edges The edges to insert - @param trans The transformation to apply - - This method inserts all edges from the edge collection into this shape container. - Before an edge is inserted, the given transformation is applied. - - This method has been introduced in version 0.23. + @brief Create a new Matrix2d representing an anisotropic magnification + @param mx The magnification in x direction + @param my The magnification in y direction """ @overload - def insert(self, iter: RecursiveShapeIterator, trans: ICplxTrans) -> None: + def __init__(self, t: DCplxTrans) -> None: r""" - @brief Inserts the shapes taken from a recursive shape iterator with a transformation - @param iter The iterator from which to take the shapes from - @param trans The transformation to apply - - This method iterates over all shapes from the iterator and inserts them into the container. - The given transformation is applied before the shapes are inserted. - - This method has been introduced in version 0.25.3. + @brief Create a new Matrix2d from the given complex transformation@param t The transformation from which to create the matrix (not taking into account the displacement) """ @overload - def insert(self, path: DPath, property_id: int) -> Shape: + def __mul__(self, box: DBox) -> DBox: r""" - @brief Inserts a micrometer-unit path with properties into the shapes list - @return A reference to the new shape (a \Shape object) - This method behaves like the \insert version with a \Path argument and a property ID, except that it will internally translate the path from micrometer to database units. + @brief Transforms a box with this matrix. + @param box The box to transform. + @return The transformed box - This variant has been introduced in version 0.25. + Please note that the box remains a box, even though the matrix supports shear and rotation. The returned box will be the bounding box of the sheared and rotated rectangle. """ @overload - def insert(self, path: Path, property_id: int) -> Shape: - r""" - @brief Inserts a path with properties into the shapes list - @return A reference to the new shape (a \Shape object) - The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. - Starting with version 0.16, this method returns a reference to the newly created shape - """ - @overload - def insert(self, polygon: DPolygon, property_id: int) -> Shape: + def __mul__(self, e: DEdge) -> DEdge: r""" - @brief Inserts a micrometer-unit polygon with properties into the shapes list - @return A reference to the new shape (a \Shape object) - This method behaves like the \insert version with a \Polygon argument and a property ID, except that it will internally translate the polygon from micrometer to database units. - - This variant has been introduced in version 0.25. + @brief Transforms an edge with this matrix. + @param e The edge to transform. + @return The transformed edge """ @overload - def insert(self, polygon: Polygon, property_id: int) -> Shape: + def __mul__(self, m: Matrix2d) -> Matrix2d: r""" - @brief Inserts a polygon with properties into the shapes list - @return A reference to the new shape (a \Shape object) - The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. - Starting with version 0.16, this method returns a reference to the newly created shape + @brief Product of two matrices. + @param m The other matrix. + @return The matrix product self*m """ @overload - def insert(self, region: Region, trans: DCplxTrans) -> None: + def __mul__(self, p: DPoint) -> DPoint: r""" - @brief Inserts the polygons from the region into this shape container with a transformation (given in micrometer units) - @param region The region to insert - @param trans The transformation to apply (displacement in micrometer units) - - This method inserts all polygons from the region into this shape container. - Before a polygon is inserted, the given transformation is applied. - - This method has been introduced in version 0.25. + @brief Transforms a point with this matrix. + @param p The point to transform. + @return The transformed point """ @overload - def insert(self, region: Region, trans: ICplxTrans) -> None: + def __mul__(self, p: DPolygon) -> DPolygon: r""" - @brief Inserts the polygons from the region into this shape container with a transformation - @param region The region to insert - @param trans The transformation to apply - - This method inserts all polygons from the region into this shape container. - Before a polygon is inserted, the given transformation is applied. - - This method has been introduced in version 0.23. + @brief Transforms a polygon with this matrix. + @param p The polygon to transform. + @return The transformed polygon """ @overload - def insert(self, shape: Shape, trans: DCplxTrans) -> Shape: + def __mul__(self, p: DSimplePolygon) -> DSimplePolygon: r""" - @brief Inserts a shape from a shape reference into the shapes list with a complex integer transformation (given in micrometer units) - @param shape The shape to insert - @param trans The transformation to apply before the shape is inserted (displacement in micrometer units) - @return A reference (a \Shape object) to the newly created shape - This method has been introduced in version 0.25. + @brief Transforms a simple polygon with this matrix. + @param p The simple polygon to transform. + @return The transformed simple polygon """ @overload - def insert(self, shape: Shape, trans: DTrans) -> Shape: + def __mul__(self, v: DVector) -> DVector: r""" - @brief Inserts a shape from a shape reference into the shapes list with a transformation (given in micrometer units) - @param shape The shape to insert - @param trans The transformation to apply before the shape is inserted (displacement in micrometers) - @return A reference (a \Shape object) to the newly created shape - This method has been introduced in version 0.25. + @brief Transforms a vector with this matrix. + @param v The vector to transform. + @return The transformed vector """ @overload - def insert(self, shape: Shape, trans: ICplxTrans) -> Shape: + def __rmul__(self, box: DBox) -> DBox: r""" - @brief Inserts a shape from a shape reference into the shapes list with a complex integer transformation - @param shape The shape to insert - @param trans The transformation to apply before the shape is inserted - @return A reference (a \Shape object) to the newly created shape - This method has been introduced in version 0.22. + @brief Transforms a box with this matrix. + @param box The box to transform. + @return The transformed box + + Please note that the box remains a box, even though the matrix supports shear and rotation. The returned box will be the bounding box of the sheared and rotated rectangle. """ @overload - def insert(self, shape: Shape, trans: Trans) -> Shape: + def __rmul__(self, e: DEdge) -> DEdge: r""" - @brief Inserts a shape from a shape reference into the shapes list with a transformation - @param shape The shape to insert - @param trans The transformation to apply before the shape is inserted - @return A reference (a \Shape object) to the newly created shape - This method has been introduced in version 0.22. + @brief Transforms an edge with this matrix. + @param e The edge to transform. + @return The transformed edge """ @overload - def insert(self, shapes: Shapes, flags: int) -> None: + def __rmul__(self, m: Matrix2d) -> Matrix2d: r""" - @brief Inserts the shapes taken from another shape container - @param shapes The other container from which to take the shapes from - @param flags The filter flags for taking the shapes from the input container (see S... constants) - - This method takes all selected shapes from the given container and inserts them into this one. - - This method has been introduced in version 0.25.3. + @brief Product of two matrices. + @param m The other matrix. + @return The matrix product self*m """ @overload - def insert(self, shapes: Shapes, trans: ICplxTrans) -> None: + def __rmul__(self, p: DPoint) -> DPoint: r""" - @brief Inserts the shapes taken from another shape container with a transformation - @param shapes The other container from which to take the shapes from - @param trans The transformation to apply - - This method takes all shapes from the given container and inserts them into this one after applying the given transformation. - - This method has been introduced in version 0.25.3. + @brief Transforms a point with this matrix. + @param p The point to transform. + @return The transformed point """ @overload - def insert(self, simple_polygon: DSimplePolygon, property_id: int) -> Shape: + def __rmul__(self, p: DPolygon) -> DPolygon: r""" - @brief Inserts a micrometer-unit simple polygon with properties into the shapes list - @return A reference to the new shape (a \Shape object) - This method behaves like the \insert version with a \SimplePolygon argument and a property ID, except that it will internally translate the simple polygon from micrometer to database units. - - This variant has been introduced in version 0.25. + @brief Transforms a polygon with this matrix. + @param p The polygon to transform. + @return The transformed polygon """ @overload - def insert(self, simple_polygon: SimplePolygon, property_id: int) -> Shape: + def __rmul__(self, p: DSimplePolygon) -> DSimplePolygon: r""" - @brief Inserts a simple polygon with properties into the shapes list - @return A reference to the new shape (a \Shape object) - The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. - Starting with version 0.16, this method returns a reference to the newly created shape + @brief Transforms a simple polygon with this matrix. + @param p The simple polygon to transform. + @return The transformed simple polygon """ @overload - def insert(self, text: DText, property_id: int) -> Shape: + def __rmul__(self, v: DVector) -> DVector: r""" - @brief Inserts a micrometer-unit text with properties into the shapes list - @return A reference to the new shape (a \Shape object) - This method behaves like the \insert version with a \Text argument and a property ID, except that it will internally translate the text from micrometer to database units. - - This variant has been introduced in version 0.25. + @brief Transforms a vector with this matrix. + @param v The vector to transform. + @return The transformed vector """ - @overload - def insert(self, text: Text, property_id: int) -> Shape: + def __str__(self) -> str: r""" - @brief Inserts a text with properties into the shapes list - @return A reference to the new shape (a \Shape object) - The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. - Starting with version 0.16, this method returns a reference to the newly created shape + @brief Convert the matrix to a string. + @return The string representing this matrix """ - @overload - def insert(self, texts: Texts, trans: DCplxTrans) -> None: + def _create(self) -> None: r""" - @brief Inserts the texts from the text collection into this shape container with a transformation (given in micrometer units) - @param edges The text to insert - @param trans The transformation to apply (displacement in micrometer units) - - This method inserts all texts from the text collection into this shape container. - Before an text is inserted, the given transformation is applied. - - This method has been introduced in version 0.27. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def insert(self, texts: Texts, trans: ICplxTrans) -> None: + def _destroy(self) -> None: r""" - @brief Inserts the texts from the text collection into this shape container with a transformation - @param edges The texts to insert - @param trans The transformation to apply - - This method inserts all texts from the text collection into this shape container. - Before an text is inserted, the given transformation is applied. - - This method has been introduced in version 0.27. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def insert(self, shapes: Shapes, flags: int, trans: ICplxTrans) -> None: + def _destroyed(self) -> bool: r""" - @brief Inserts the shapes taken from another shape container with a transformation - @param shapes The other container from which to take the shapes from - @param flags The filter flags for taking the shapes from the input container (see S... constants) - @param trans The transformation to apply - - This method takes all selected shapes from the given container and inserts them into this one after applying the given transformation. - - This method has been introduced in version 0.25.3. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def insert_as_edges(self, edge_pairs: EdgePairs) -> None: + def _is_const_object(self) -> bool: r""" - @brief Inserts the edge pairs from the edge pair collection as individual edges into this shape container - @param edge_pairs The edge pairs to insert - - This method inserts all edge pairs from the edge pair collection into this shape container. - Each edge from the edge pair is inserted individually into the shape container. - - This method has been introduced in version 0.23. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def insert_as_edges(self, edge_pairs: EdgePairs, trans: DCplxTrans) -> None: + def _manage(self) -> None: r""" - @brief Inserts the edge pairs from the edge pair collection as individual into this shape container with a transformation (given in micrometer units) - @param edges The edge pairs to insert - @param trans The transformation to apply (displacement in micrometer units) - - This method inserts all edge pairs from the edge pair collection into this shape container. - Each edge from the edge pair is inserted individually into the shape container. - Before each edge is inserted into the shape collection, the given transformation is applied. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method has been introduced in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def insert_as_edges(self, edge_pairs: EdgePairs, trans: ICplxTrans) -> None: + def _unmanage(self) -> None: r""" - @brief Inserts the edge pairs from the edge pair collection as individual into this shape container with a transformation - @param edges The edge pairs to insert - @param trans The transformation to apply - - This method inserts all edge pairs from the edge pair collection into this shape container. - Each edge from the edge pair is inserted individually into the shape container. - Before each edge is inserted into the shape collection, the given transformation is applied. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.23. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def insert_as_polygons(self, edge_pairs: EdgePairs, e: int) -> None: + def angle(self) -> float: r""" - @brief Inserts the edge pairs from the edge pair collection as polygons into this shape container - @param edge_pairs The edge pairs to insert - @param e The extension to apply when converting the edges to polygons (in database units) - - This method inserts all edge pairs from the edge pair collection into this shape container. - The edge pairs are converted to polygons covering the area between the edges. - The extension parameter specifies a sizing which is applied when converting the edge pairs to polygons. This way, degenerated edge pairs (i.e. two point-like edges) do not vanish. - - This method has been introduced in version 0.23. + @brief Returns the rotation angle of the rotation component of this matrix. + @return The angle in degree. + The matrix is decomposed into basic transformations assuming an execution order of mirroring at the x axis, rotation, magnification and shear. """ - @overload - def insert_as_polygons(self, edge_pairs: EdgePairs, e: float) -> None: + def assign(self, other: Matrix2d) -> None: r""" - @brief Inserts the edge pairs from the edge pair collection as polygons into this shape container - @param edge_pairs The edge pairs to insert - @param e The extension to apply when converting the edges to polygons (in micrometer units) - - This method is identical to the version with a integer-type \e parameter, but for this version the \e parameter is given in micrometer units. - - This method has been introduced in version 0.25. + @brief Assigns another object to self """ - @overload - def insert_as_polygons(self, edge_pairs: EdgePairs, e: DCplxTrans, trans: float) -> None: + def cplx_trans(self) -> DCplxTrans: r""" - @brief Inserts the edge pairs from the edge pair collection as polygons into this shape container with a transformation - @param edges The edge pairs to insert - @param e The extension to apply when converting the edges to polygons (in micrometer units) - @param trans The transformation to apply (displacement in micrometer units) - - This method is identical to the version with a integer-type \e and \trans parameter, but for this version the \e parameter is given in micrometer units and the \trans parameter is a micrometer-unit transformation. - - This method has been introduced in version 0.25. + @brief Converts this matrix to a complex transformation (if possible). + @return The complex transformation. + This method is successful only if the matrix does not contain shear components and the magnification must be isotropic. """ - @overload - def insert_as_polygons(self, edge_pairs: EdgePairs, e: ICplxTrans, trans: int) -> None: + def create(self) -> None: r""" - @brief Inserts the edge pairs from the edge pair collection as polygons into this shape container with a transformation - @param edges The edge pairs to insert - @param e The extension to apply when converting the edges to polygons (in database units) - @param trans The transformation to apply - - This method inserts all edge pairs from the edge pair collection into this shape container. - The edge pairs are converted to polygons covering the area between the edges. - The extension parameter specifies a sizing which is applied when converting the edge pairs to polygons. This way, degenerated edge pairs (i.e. two point-like edges) do not vanish. - Before a polygon is inserted into the shape collection, the given transformation is applied. - - This method has been introduced in version 0.23. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def insert_box(self, box: Box) -> Shape: + def destroy(self) -> None: r""" - @brief Inserts a box into the shapes list - @return A reference to the new shape (a \Shape object) - - Starting with version 0.16, this method returns a reference to the newly created shape + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def insert_box_with_properties(self, box: Box, property_id: int) -> Shape: + def destroyed(self) -> bool: r""" - @brief Inserts a box with properties into the shapes list - @return A reference to the new shape (a \Shape object) - The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. - Starting with version 0.16, this method returns a reference to the newly created shape + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def insert_edge(self, edge: Edge) -> Shape: + def dup(self) -> Matrix2d: r""" - @brief Inserts an edge into the shapes list - - Starting with version 0.16, this method returns a reference to the newly created shape + @brief Creates a copy of self """ - def insert_edge_with_properties(self, edge: Edge, property_id: int) -> Shape: + def inverted(self) -> Matrix2d: r""" - @brief Inserts an edge with properties into the shapes list - @return A reference to the new shape (a \Shape object) - The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. - Starting with version 0.16, this method returns a reference to the newly created shape. + @brief The inverse of this matrix. + @return The inverse of this matrix """ - def insert_path(self, path: Path) -> Shape: + def is_const_object(self) -> bool: r""" - @brief Inserts a path into the shapes list - @return A reference to the new shape (a \Shape object) - - Starting with version 0.16, this method returns a reference to the newly created shape + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def insert_path_with_properties(self, path: Path, property_id: int) -> Shape: + def is_mirror(self) -> bool: r""" - @brief Inserts a path with properties into the shapes list - @return A reference to the new shape (a \Shape object) - The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. - Starting with version 0.16, this method returns a reference to the newly created shape + @brief Returns the mirror flag of this matrix. + @return True if this matrix has a mirror component. + The matrix is decomposed into basic transformations assuming an execution order of mirroring at the x axis, rotation, magnification and shear. """ - def insert_point(self, point: Point) -> Shape: + def m(self, i: int, j: int) -> float: r""" - @brief Inserts an point into the shapes list - - This variant has been introduced in version 0.28. + @brief Gets the m coefficient with the given index. + @return The coefficient [i,j] """ - def insert_polygon(self, polygon: Polygon) -> Shape: + def m11(self) -> float: r""" - @brief Inserts a polygon into the shapes list - @return A reference to the new shape (a \Shape object) - - Starting with version 0.16, this method returns a reference to the newly created shape + @brief Gets the m11 coefficient. + @return The value of the m11 coefficient """ - def insert_polygon_with_properties(self, polygon: Polygon, property_id: int) -> Shape: + def m12(self) -> float: r""" - @brief Inserts a polygon with properties into the shapes list - @return A reference to the new shape (a \Shape object) - The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. - Starting with version 0.16, this method returns a reference to the newly created shape + @brief Gets the m12 coefficient. + @return The value of the m12 coefficient """ - def insert_simple_polygon(self, simple_polygon: SimplePolygon) -> Shape: + def m21(self) -> float: r""" - @brief Inserts a simple polygon into the shapes list - @return A reference to the new shape (a \Shape object) - - Starting with version 0.16, this method returns a reference to the newly created shape + @brief Gets the m21 coefficient. + @return The value of the m21 coefficient """ - def insert_simple_polygon_with_properties(self, simple_polygon: SimplePolygon, property_id: int) -> Shape: + def m22(self) -> float: r""" - @brief Inserts a simple polygon with properties into the shapes list - @return A reference to the new shape (a \Shape object) - The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. - Starting with version 0.16, this method returns a reference to the newly created shape + @brief Gets the m22 coefficient. + @return The value of the m22 coefficient """ - def insert_text(self, text: Text) -> Shape: + def mag_x(self) -> float: r""" - @brief Inserts a text into the shapes list - @return A reference to the new shape (a \Shape object) - - Starting with version 0.16, this method returns a reference to the newly created shape + @brief Returns the x magnification of the magnification component of this matrix. + @return The magnification factor. + The matrix is decomposed into basic transformations assuming an execution order of mirroring at the x axis, magnification, shear and rotation. """ - def insert_text_with_properties(self, text: Text, property_id: int) -> Shape: + def mag_y(self) -> float: r""" - @brief Inserts a text with properties into the shapes list - @return A reference to the new shape (a \Shape object) - The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. - Starting with version 0.16, this method returns a reference to the newly created shape + @brief Returns the y magnification of the magnification component of this matrix. + @return The magnification factor. + The matrix is decomposed into basic transformations assuming an execution order of mirroring at the x axis, magnification, shear and rotation. """ - def is_const_object(self) -> bool: + def shear_angle(self) -> float: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Returns the magnitude of the shear component of this matrix. + @return The shear angle in degree. + The matrix is decomposed into basic transformations assuming an execution order of mirroring at the x axis, rotation, magnification and shear. + The shear basic transformation will tilt the x axis towards the y axis and vice versa. The shear angle gives the tilt angle of the axes towards the other one. The possible range for this angle is -45 to 45 degree. """ - def is_empty(self) -> bool: + def to_s(self) -> str: r""" - @brief Returns a value indicating whether the shapes container is empty - This method has been introduced in version 0.20. + @brief Convert the matrix to a string. + @return The string representing this matrix """ - def is_valid(self, shape: Shape) -> bool: + def trans(self, p: DPoint) -> DPoint: r""" - @brief Tests if the given \Shape object is still pointing to a valid object - This method has been introduced in version 0.16. - If the shape represented by the given reference has been deleted, this method returns false. If however, another shape has been inserted already that occupies the original shape's position, this method will return true again. + @brief Transforms a point with this matrix. + @param p The point to transform. + @return The transformed point """ - def layout(self) -> Layout: - r""" - @brief Gets the layout object the shape container belongs to - This method returns nil if the shape container does not belong to a layout. - This method has been added in version 0.28. - """ +class Matrix3d: + r""" + @brief A 3d matrix object used mainly for representing rotation, shear, displacement and perspective transformations. + + This object represents a 3x3 matrix. This matrix is used to implement generic geometrical transformations in the 2d space mainly. It can be decomposed into basic transformations: mirroring, rotation, shear, displacement and perspective distortion. In that case, the assumed execution order of the basic transformations is mirroring at the x axis, rotation, magnification, shear, displacement and perspective distortion. + + This class was introduced in version 0.22. + """ + AdjustAll: ClassVar[int] + r""" + @brief Mode for \adjust: currently equivalent to \adjust_perspective + """ + AdjustDisplacement: ClassVar[int] + r""" + @brief Mode for \adjust: adjust displacement only + """ + AdjustMagnification: ClassVar[int] + r""" + @brief Mode for \adjust: adjust rotation, mirror option and magnification + """ + AdjustNone: ClassVar[int] + r""" + @brief Mode for \adjust: adjust nothing + """ + AdjustPerspective: ClassVar[int] + r""" + @brief Mode for \adjust: adjust whole matrix including perspective transformation + """ + AdjustRotation: ClassVar[int] + r""" + @brief Mode for \adjust: adjust rotation only + """ + AdjustRotationMirror: ClassVar[int] + r""" + @brief Mode for \adjust: adjust rotation and mirror option + """ + AdjustShear: ClassVar[int] + r""" + @brief Mode for \adjust: adjust rotation, mirror option, magnification and shear + """ @overload - def replace(self, shape: Shape, box: Box) -> Shape: + @classmethod + def new(cls) -> Matrix3d: r""" - @brief Replaces the given shape with a box - @return A reference to the new shape (a \Shape object) - - This method has been introduced with version 0.16. It replaces the given shape with the object specified. It does not change the property Id. To change the property Id, use the \replace_prop_id method. To replace a shape and discard the property Id, erase the shape and insert a new shape. - This method is permitted in editable mode only. + @brief Create a new Matrix3d representing a unit transformation """ @overload - def replace(self, shape: Shape, box: DBox) -> Shape: + @classmethod + def new(cls, m11: float, m12: float, m13: float, m21: float, m22: float, m23: float, m31: float, m32: float, m33: float) -> Matrix3d: r""" - @brief Replaces the given shape with a box given in micrometer units - @return A reference to the new shape (a \Shape object) - - This method behaves like the \replace version with a \Box argument, except that it will internally translate the box from micrometer to database units. - - This variant has been introduced in version 0.25. + @brief Create a new Matrix3d from the nine matrix coefficients """ @overload - def replace(self, shape: Shape, edge: DEdge) -> Shape: + @classmethod + def new(cls, m11: float, m12: float, m21: float, m22: float) -> Matrix3d: r""" - @brief Replaces the given shape with an edge given in micrometer units - @return A reference to the new shape (a \Shape object) - - This method behaves like the \replace version with an \Edge argument, except that it will internally translate the edge from micrometer to database units. - - This variant has been introduced in version 0.25. + @brief Create a new Matrix3d from the four coefficients of a Matrix2d """ @overload - def replace(self, shape: Shape, edge: Edge) -> Shape: + @classmethod + def new(cls, m11: float, m12: float, m21: float, m22: float, dx: float, dy: float) -> Matrix3d: r""" - @brief Replaces the given shape with an edge object - - This method has been introduced with version 0.16. It replaces the given shape with the object specified. It does not change the property Id. To change the property Id, use the \replace_prop_id method. To replace a shape and discard the property Id, erase the shape and insert a new shape. - This method is permitted in editable mode only. + @brief Create a new Matrix3d from the four coefficients of a Matrix2d plus a displacement """ @overload - def replace(self, shape: Shape, edge_pair: DEdgePair) -> Shape: + @classmethod + def new(cls, m: float) -> Matrix3d: r""" - @brief Replaces the given shape with an edge pair given in micrometer units - @return A reference to the new shape (a \Shape object) + @brief Create a new Matrix3d representing a magnification + @param m The magnification + """ + @overload + @classmethod + def new(cls, t: DCplxTrans) -> Matrix3d: + r""" + @brief Create a new Matrix3d from the given complex transformation@param t The transformation from which to create the matrix + """ + @overload + @classmethod + def newc(cls, mag: float, rotation: float, mirrx: bool) -> Matrix3d: + r""" + @brief Create a new Matrix3d representing a isotropic magnification, rotation and mirroring + @param mag The magnification + @param rotation The rotation angle (in degree) + @param mirrx The mirror flag (at x axis) - This method behaves like the \replace version with an \EdgePair argument, except that it will internally translate the edge pair from micrometer to database units. + The order of execution of the operations is mirror, magnification and rotation. + This constructor is called 'newc' to distinguish it from the constructors taking coefficients ('c' is for composite). + """ + @overload + @classmethod + def newc(cls, shear: float, mx: float, my: float, rotation: float, mirrx: bool) -> Matrix3d: + r""" + @brief Create a new Matrix3d representing a shear, anisotropic magnification, rotation and mirroring + @param shear The shear angle + @param mx The magnification in x direction + @param mx The magnification in y direction + @param rotation The rotation angle (in degree) + @param mirrx The mirror flag (at x axis) - This variant has been introduced in version 0.26. + The order of execution of the operations is mirror, magnification, rotation and shear. + This constructor is called 'newc' to distinguish it from the constructor taking the four matrix coefficients ('c' is for composite). """ @overload - def replace(self, shape: Shape, edge_pair: EdgePair) -> Shape: + @classmethod + def newc(cls, tx: float, ty: float, z: float, u: DVector, shear: float, mx: float, my: float, rotation: float, mirrx: bool) -> Matrix3d: r""" - @brief Replaces the given shape with an edge pair object + @brief Create a new Matrix3d representing a perspective distortion, displacement, shear, anisotropic magnification, rotation and mirroring + @param tx The perspective tilt angle x (around the y axis) + @param ty The perspective tilt angle y (around the x axis) + @param z The observer distance at which the tilt angles are given + @param u The displacement + @param shear The shear angle + @param mx The magnification in x direction + @param mx The magnification in y direction + @param rotation The rotation angle (in degree) + @param mirrx The mirror flag (at x axis) - It replaces the given shape with the object specified. It does not change the property Id. To change the property Id, use the \replace_prop_id method. To replace a shape and discard the property Id, erase the shape and insert a new shape. - This method is permitted in editable mode only. + The order of execution of the operations is mirror, magnification, rotation, shear, perspective distortion and displacement. + This constructor is called 'newc' to distinguish it from the constructor taking the four matrix coefficients ('c' is for composite). - This method has been introduced in version 0.26. + The tx and ty parameters represent the perspective distortion. They denote a tilt of the xy plane around the y axis (tx) or the x axis (ty) in degree. The same effect is achieved for different tilt angles for different observer distances. Hence, the observer distance must be given at which the tilt angles are given. If the magnitude of the tilt angle is not important, z can be set to 1. + + Starting with version 0.25 the displacement is of vector type. """ @overload - def replace(self, shape: Shape, path: DPath) -> Shape: + @classmethod + def newc(cls, u: DVector, shear: float, mx: float, my: float, rotation: float, mirrx: bool) -> Matrix3d: r""" - @brief Replaces the given shape with a path given in micrometer units - @return A reference to the new shape (a \Shape object) + @brief Create a new Matrix3d representing a displacement, shear, anisotropic magnification, rotation and mirroring + @param u The displacement + @param shear The shear angle + @param mx The magnification in x direction + @param mx The magnification in y direction + @param rotation The rotation angle (in degree) + @param mirrx The mirror flag (at x axis) - This method behaves like the \replace version with a \Path argument, except that it will internally translate the path from micrometer to database units. + The order of execution of the operations is mirror, magnification, rotation, shear and displacement. + This constructor is called 'newc' to distinguish it from the constructor taking the four matrix coefficients ('c' is for composite). - This variant has been introduced in version 0.25. + Starting with version 0.25 the displacement is of vector type. + """ + def __add__(self, m: Matrix3d) -> Matrix3d: + r""" + @brief Sum of two matrices. + @param m The other matrix. + @return The (element-wise) sum of self+m + """ + def __copy__(self) -> Matrix3d: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> Matrix3d: + r""" + @brief Creates a copy of self """ @overload - def replace(self, shape: Shape, path: Path) -> Shape: + def __init__(self) -> None: r""" - @brief Replaces the given shape with a path - @return A reference to the new shape (a \Shape object) - - This method has been introduced with version 0.16. It replaces the given shape with the object specified. It does not change the property Id. To change the property Id, use the \replace_prop_id method. To replace a shape and discard the property Id, erase the shape and insert a new shape. - This method is permitted in editable mode only. + @brief Create a new Matrix3d representing a unit transformation """ @overload - def replace(self, shape: Shape, point: DPoint) -> Shape: + def __init__(self, m11: float, m12: float, m13: float, m21: float, m22: float, m23: float, m31: float, m32: float, m33: float) -> None: r""" - @brief Replaces the given shape with an point given in micrometer units - @return A reference to the new shape (a \Shape object) - - This method behaves like the \replace version with an \Point argument, except that it will internally translate the point from micrometer to database units. - - This variant has been introduced in version 0.28. + @brief Create a new Matrix3d from the nine matrix coefficients """ @overload - def replace(self, shape: Shape, point: Point) -> Shape: + def __init__(self, m11: float, m12: float, m21: float, m22: float) -> None: r""" - @brief Replaces the given shape with an point object - - This method replaces the given shape with the object specified. It does not change the property Id. To change the property Id, use the \replace_prop_id method. To replace a shape and discard the property Id, erase the shape and insert a new shape. - This variant has been introduced in version 0.28. + @brief Create a new Matrix3d from the four coefficients of a Matrix2d """ @overload - def replace(self, shape: Shape, polygon: DPolygon) -> Shape: + def __init__(self, m11: float, m12: float, m21: float, m22: float, dx: float, dy: float) -> None: r""" - @brief Replaces the given shape with a polygon given in micrometer units - @return A reference to the new shape (a \Shape object) - - This method behaves like the \replace version with a \Polygon argument, except that it will internally translate the polygon from micrometer to database units. - - This variant has been introduced in version 0.25. + @brief Create a new Matrix3d from the four coefficients of a Matrix2d plus a displacement """ @overload - def replace(self, shape: Shape, polygon: Polygon) -> Shape: + def __init__(self, m: float) -> None: r""" - @brief Replaces the given shape with a polygon - @return A reference to the new shape (a \Shape object) - - This method has been introduced with version 0.16. It replaces the given shape with the object specified. It does not change the property Id. To change the property Id, use the \replace_prop_id method. To replace a shape and discard the property Id, erase the shape and insert a new shape. - This method is permitted in editable mode only. + @brief Create a new Matrix3d representing a magnification + @param m The magnification """ @overload - def replace(self, shape: Shape, simple_polygon: DSimplePolygon) -> Shape: + def __init__(self, t: DCplxTrans) -> None: r""" - @brief Replaces the given shape with a simple polygon given in micrometer units - @return A reference to the new shape (a \Shape object) - - This method behaves like the \replace version with a \SimplePolygon argument, except that it will internally translate the simple polygon from micrometer to database units. - - This variant has been introduced in version 0.25. + @brief Create a new Matrix3d from the given complex transformation@param t The transformation from which to create the matrix """ @overload - def replace(self, shape: Shape, simple_polygon: SimplePolygon) -> Shape: + def __mul__(self, box: DBox) -> DBox: r""" - @brief Replaces the given shape with a simple polygon - @return A reference to the new shape (a \Shape object) + @brief Transforms a box with this matrix. + @param box The box to transform. + @return The transformed box - This method has been introduced with version 0.16. It replaces the given shape with the object specified. It does not change the property Id. To change the property Id, use the \replace_prop_id method. To replace a shape and discard the property Id, erase the shape and insert a new shape. - This method is permitted in editable mode only. + Please note that the box remains a box, even though the matrix supports shear and rotation. The returned box will be the bounding box of the sheared and rotated rectangle. """ @overload - def replace(self, shape: Shape, text: DText) -> Shape: + def __mul__(self, e: DEdge) -> DEdge: r""" - @brief Replaces the given shape with a text given in micrometer units - @return A reference to the new shape (a \Shape object) - - This method behaves like the \replace version with a \Text argument, except that it will internally translate the text from micrometer to database units. - - This variant has been introduced in version 0.25. + @brief Transforms an edge with this matrix. + @param e The edge to transform. + @return The transformed edge """ @overload - def replace(self, shape: Shape, text: Text) -> Shape: + def __mul__(self, m: Matrix3d) -> Matrix3d: r""" - @brief Replaces the given shape with a text object - @return A reference to the new shape (a \Shape object) - - This method has been introduced with version 0.16. It replaces the given shape with the object specified. It does not change the property Id. To change the property Id, use the \replace_prop_id method. To replace a shape and discard the property Id, erase the shape and insert a new shape. - This method is permitted in editable mode only. + @brief Product of two matrices. + @param m The other matrix. + @return The matrix product self*m """ - def replace_prop_id(self, shape: Shape, property_id: int) -> Shape: + @overload + def __mul__(self, p: DPoint) -> DPoint: r""" - @brief Replaces (or install) the properties of a shape - @return A \Shape object representing the new shape - This method has been introduced in version 0.16. It can only be used in editable mode. - Changes the properties Id of the given shape or install a properties Id on that shape if it does not have one yet. - The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. - This method will potentially invalidate the shape reference passed to it. Use the reference returned for future references. + @brief Transforms a point with this matrix. + @param p The point to transform. + @return The transformed point """ - def size(self) -> int: + @overload + def __mul__(self, p: DPolygon) -> DPolygon: r""" - @brief Gets the number of shapes in this container - This method was introduced in version 0.16 - @return The number of shapes in this container + @brief Transforms a polygon with this matrix. + @param p The polygon to transform. + @return The transformed polygon """ @overload - def transform(self, trans: DCplxTrans) -> None: + def __mul__(self, p: DSimplePolygon) -> DSimplePolygon: r""" - @brief Transforms all shapes with the given transformation (given in micrometer units) - This method will invalidate all references to shapes inside this collection. - The displacement of the transformation is given in micrometer units. - - It has been introduced in version 0.25. + @brief Transforms a simple polygon with this matrix. + @param p The simple polygon to transform. + @return The transformed simple polygon """ @overload - def transform(self, trans: DTrans) -> None: + def __mul__(self, v: DVector) -> DVector: r""" - @brief Transforms all shapes with the given transformation (given in micrometer units) - This method will invalidate all references to shapes inside this collection. - The displacement of the transformation is given in micrometer units. - - It has been introduced in version 0.25. + @brief Transforms a vector with this matrix. + @param v The vector to transform. + @return The transformed vector """ @overload - def transform(self, trans: ICplxTrans) -> None: + def __rmul__(self, box: DBox) -> DBox: r""" - @brief Transforms all shapes with the given complex integer transformation - This method will invalidate all references to shapes inside this collection. + @brief Transforms a box with this matrix. + @param box The box to transform. + @return The transformed box - It has been introduced in version 0.23. + Please note that the box remains a box, even though the matrix supports shear and rotation. The returned box will be the bounding box of the sheared and rotated rectangle. """ @overload - def transform(self, trans: Trans) -> None: + def __rmul__(self, e: DEdge) -> DEdge: r""" - @brief Transforms all shapes with the given transformation - This method will invalidate all references to shapes inside this collection. - - It has been introduced in version 0.23. + @brief Transforms an edge with this matrix. + @param e The edge to transform. + @return The transformed edge """ @overload - def transform(self, shape: Shape, trans: DCplxTrans) -> Shape: + def __rmul__(self, m: Matrix3d) -> Matrix3d: r""" - @brief Transforms the shape given by the reference with the given complex transformation, where the transformation is given in micrometer units - @param trans The transformation to apply (displacement in micrometer units) - @return A reference (a \Shape object) to the new shape - The original shape may be deleted and re-inserted by this method. Therefore, a new reference is returned. - It is permitted in editable mode only. - This method has been introduced in version 0.25. + @brief Product of two matrices. + @param m The other matrix. + @return The matrix product self*m """ @overload - def transform(self, shape: Shape, trans: DTrans) -> Shape: + def __rmul__(self, p: DPoint) -> DPoint: r""" - @brief Transforms the shape given by the reference with the given transformation, where the transformation is given in micrometer units - @param trans The transformation to apply (displacement in micrometer units) - @return A reference (a \Shape object) to the new shape - The original shape may be deleted and re-inserted by this method. Therefore, a new reference is returned. - It is permitted in editable mode only. - This method has been introduced in version 0.25. + @brief Transforms a point with this matrix. + @param p The point to transform. + @return The transformed point """ @overload - def transform(self, shape: Shape, trans: ICplxTrans) -> Shape: + def __rmul__(self, p: DPolygon) -> DPolygon: r""" - @brief Transforms the shape given by the reference with the given complex integer space transformation - @return A reference (a \Shape object) to the new shape - This method has been introduced in version 0.22. - The original shape may be deleted and re-inserted by this method. Therefore, a new reference is returned. - It is permitted in editable mode only. + @brief Transforms a polygon with this matrix. + @param p The polygon to transform. + @return The transformed polygon """ @overload - def transform(self, shape: Shape, trans: Trans) -> Shape: + def __rmul__(self, p: DSimplePolygon) -> DSimplePolygon: r""" - @brief Transforms the shape given by the reference with the given transformation - @return A reference (a \Shape object) to the new shape - The original shape may be deleted and re-inserted by this method. Therefore, a new reference is returned. - It is permitted in editable mode only. - - This method has been introduced in version 0.16. + @brief Transforms a simple polygon with this matrix. + @param p The simple polygon to transform. + @return The transformed simple polygon """ - -class TechnologyComponent: - r""" - @brief A part of a technology definition - Technology components extend technology definitions (class \Technology) by specialized subfeature definitions. For example, the net tracer supplies it's technology-dependent specification through a technology component called \NetTracerTechnology. - - Components are managed within technologies and can be accessed from a technology using \Technology#component. - - This class has been introduced in version 0.25. - """ - @classmethod - def new(cls) -> TechnologyComponent: + @overload + def __rmul__(self, v: DVector) -> DVector: r""" - @brief Creates a new object of this class + @brief Transforms a vector with this matrix. + @param v The vector to transform. + @return The transformed vector """ - def __init__(self) -> None: + def __str__(self) -> str: r""" - @brief Creates a new object of this class + @brief Convert the matrix to a string. + @return The string representing this matrix """ def _create(self) -> None: r""" @@ -31745,15 +31488,41 @@ class TechnologyComponent: Usually it's not required to call this method. It has been introduced in version 0.24. """ + def adjust(self, landmarks_before: Sequence[DPoint], landmarks_after: Sequence[DPoint], flags: int, fixed_point: int) -> None: + r""" + @brief Adjust a 3d matrix to match the given set of landmarks + + This function tries to adjust the matrix + such, that either the matrix is changed as little as possible (if few landmarks are given) + or that the "after" landmarks will match as close as possible to the "before" landmarks + (if the problem is overdetermined). + + @param landmarks_before The points before the transformation. + @param landmarks_after The points after the transformation. + @param mode Selects the adjustment mode. Must be one of the Adjust... constants. + @param fixed_point The index of the fixed point (one that is definitely mapped to the target) or -1 if there is none + """ + def angle(self) -> float: + r""" + @brief Returns the rotation angle of the rotation component of this matrix. + @return The angle in degree. + See the description of this class for details about the basic transformations. + """ + def assign(self, other: Matrix3d) -> None: + r""" + @brief Assigns another object to self + """ + def cplx_trans(self) -> DCplxTrans: + r""" + @brief Converts this matrix to a complex transformation (if possible). + @return The complex transformation. + This method is successful only if the matrix does not contain shear or perspective distortion components and the magnification must be isotropic. + """ def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def description(self) -> str: - r""" - @brief Gets the human-readable description string of the technology component - """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -31766,218 +31535,181 @@ class TechnologyComponent: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ + def disp(self) -> DVector: + r""" + @brief Returns the displacement vector of this transformation. + + Starting with version 0.25 this method returns a vector type instead of a point. + @return The displacement vector. + """ + def dup(self) -> Matrix3d: + r""" + @brief Creates a copy of self + """ + def inverted(self) -> Matrix3d: + r""" + @brief The inverse of this matrix. + @return The inverse of this matrix + """ def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def name(self) -> str: + def is_mirror(self) -> bool: r""" - @brief Gets the formal name of the technology component - This is the name by which the component can be obtained from a technology using \Technology#component. + @brief Returns the mirror flag of this matrix. + @return True if this matrix has a mirror component. + See the description of this class for details about the basic transformations. + """ + def m(self, i: int, j: int) -> float: + r""" + @brief Gets the m coefficient with the given index. + @return The coefficient [i,j] + """ + def mag_x(self) -> float: + r""" + @brief Returns the x magnification of the magnification component of this matrix. + @return The magnification factor. + """ + def mag_y(self) -> float: + r""" + @brief Returns the y magnification of the magnification component of this matrix. + @return The magnification factor. + """ + def shear_angle(self) -> float: + r""" + @brief Returns the magnitude of the shear component of this matrix. + @return The shear angle in degree. + The shear basic transformation will tilt the x axis towards the y axis and vice versa. The shear angle gives the tilt angle of the axes towards the other one. The possible range for this angle is -45 to 45 degree.See the description of this class for details about the basic transformations. + """ + def to_s(self) -> str: + r""" + @brief Convert the matrix to a string. + @return The string representing this matrix + """ + def trans(self, p: DPoint) -> DPoint: + r""" + @brief Transforms a point with this matrix. + @param p The point to transform. + @return The transformed point + """ + def tx(self, z: float) -> float: + r""" + @brief Returns the perspective tilt angle tx. + @param z The observer distance at which the tilt angle is computed. + @return The tilt angle tx. + The tx and ty parameters represent the perspective distortion. They denote a tilt of the xy plane around the y axis (tx) or the x axis (ty) in degree. The same effect is achieved for different tilt angles at different observer distances. Hence, the observer distance must be specified at which the tilt angle is computed. If the magnitude of the tilt angle is not important, z can be set to 1. + """ + def ty(self, z: float) -> float: + r""" + @brief Returns the perspective tilt angle ty. + @param z The observer distance at which the tilt angle is computed. + @return The tilt angle ty. + The tx and ty parameters represent the perspective distortion. They denote a tilt of the xy plane around the y axis (tx) or the x axis (ty) in degree. The same effect is achieved for different tilt angles at different observer distances. Hence, the observer distance must be specified at which the tilt angle is computed. If the magnitude of the tilt angle is not important, z can be set to 1. """ -class Technology: - r""" - @brief Represents a technology - - This class represents one technology from a set of technologies. The set of technologies available in the system can be obtained with \technology_names. Individual technology definitions are returned with \technology_by_name. Use \create_technology to register new technologies and \remove_technology to delete technologies. - - The Technology class has been introduced in version 0.25. - """ - add_other_layers: bool - r""" - Getter: - @brief Gets the flag indicating whether to add other layers to the layer properties - - Setter: - @brief Sets the flag indicating whether to add other layers to the layer properties - """ - dbu: float - r""" - Getter: - @brief Gets the default database unit - - The default database unit is the one used when creating a layout for example. - Setter: - @brief Sets the default database unit - """ - default_base_path: str - r""" - Getter: - @brief Gets the default base path - - See \base_path for details about the default base path. - - Setter: - @hide - """ - description: str - r""" - Getter: - @brief Gets the description - - The technology description is shown to the user in technology selection dialogs and for display purposes. - Setter: - @brief Sets the description - """ - explicit_base_path: str +class Metrics: r""" - Getter: - @brief Gets the explicit base path - - See \base_path for details about the explicit base path. - - Setter: - @brief Sets the explicit base path + @brief This class represents the metrics type for \Region#width and related checks. - See \base_path for details about the explicit base path. + This enum has been introduced in version 0.27. """ - group: str + Euclidian: ClassVar[Metrics] r""" - Getter: - @brief Gets the technology group - - The technology group is used to group certain technologies together in the technology selection menu. Technologies with the same group are put under a submenu with that group title. - - The 'group' attribute has been introduced in version 0.26.2. + @brief Specifies Euclidian metrics for the check functions + This value can be used for the metrics parameter in the check functions, i.e. \width_check. This value specifies Euclidian metrics, i.e. the distance between two points is measured by: - Setter: - @brief Sets the technology group - See \group for details about this attribute. + @code + d = sqrt(dx^2 + dy^2) + @/code - The 'group' attribute has been introduced in version 0.26.2. + All points within a circle with radius d around one point are considered to have a smaller distance than d. """ - layer_properties_file: str + Projection: ClassVar[Metrics] r""" - Getter: - @brief Gets the path of the layer properties file - - If empty, no layer properties file is associated with the technology. If non-empty, this path will be corrected by the base path (see \correct_path) and this layer properties file will be loaded for layouts with this technology. - Setter: - @brief Sets the path of the layer properties file - - See \layer_properties_file for details about this property. + @brief Specifies projected distance metrics for the check functions + This value can be used for the metrics parameter in the check functions, i.e. \width_check. This value specifies projected metrics, i.e. the distance is defined as the minimum distance measured perpendicular to one edge. That implies that the distance is defined only where two edges have a non-vanishing projection onto each other. """ - load_layout_options: LoadLayoutOptions + Square: ClassVar[Metrics] r""" - Getter: - @brief Gets the layout reader options - - This method returns the layout reader options that are used when reading layouts with this technology. - - Change the reader options by modifying the object and using the setter to change it: + @brief Specifies square metrics for the check functions + This value can be used for the metrics parameter in the check functions, i.e. \width_check. This value specifies square metrics, i.e. the distance between two points is measured by: @code - opt = tech.load_layout_options - opt.dxf_dbu = 2.5 - tech.load_layout_options = opt + d = max(abs(dx), abs(dy)) @/code - Setter: - @brief Sets the layout reader options - - See \load_layout_options for a description of this property. - """ - name: str - r""" - Getter: - @brief Gets the name of the technology - Setter: - @brief Sets the name of the technology - """ - save_layout_options: SaveLayoutOptions - r""" - Getter: - @brief Gets the layout writer options - - This method returns the layout writer options that are used when writing layouts with this technology. - - Change the reader options by modifying the object and using the setter to change it: - - @code - opt = tech.save_layout_options - opt.dbu = 0.01 - tech.save_layout_options = opt - @/code - - Setter: - @brief Sets the layout writer options - - See \save_layout_options for a description of this property. + All points within a square with length 2*d around one point are considered to have a smaller distance than d in this metrics. """ + @overload @classmethod - def clear_technologies(cls) -> None: + def new(cls, i: int) -> Metrics: r""" - @brief Clears all technologies - - This method has been introduced in version 0.26. + @brief Creates an enum from an integer value """ + @overload @classmethod - def create_technology(cls, name: str) -> Technology: + def new(cls, s: str) -> Metrics: r""" - @brief Creates a new (empty) technology with the given name - - This method returns a reference to the new technology. + @brief Creates an enum from a string value """ - @classmethod - def has_technology(cls, name: str) -> bool: + def __copy__(self) -> Metrics: r""" - @brief Returns a value indicating whether there is a technology with this name + @brief Creates a copy of self """ - @classmethod - def new(cls) -> Technology: + def __deepcopy__(self) -> Metrics: r""" - @brief Creates a new object of this class + @brief Creates a copy of self """ - @classmethod - def remove_technology(cls, name: str) -> None: + @overload + def __eq__(self, other: object) -> bool: r""" - @brief Removes the technology with the given name + @brief Compares two enums """ - @classmethod - def technologies_from_xml(cls, xml: str) -> None: + @overload + def __eq__(self, other: object) -> bool: r""" - @brief Loads the technologies from a XML representation - - See \technologies_to_xml for details. This method is the corresponding setter. + @brief Compares an enum with an integer value """ - @classmethod - def technologies_to_xml(cls) -> str: + @overload + def __init__(self, i: int) -> None: r""" - @brief Returns a XML representation of all technologies registered in the system - - \technologies_from_xml can be used to restore the technology definitions. This method is provided mainly as a substitute for the pre-0.25 way of accessing technology data through the 'technology-data' configuration parameter. This method will return the equivalent string. + @brief Creates an enum from an integer value """ - @classmethod - def technology_by_name(cls, name: str) -> Technology: + @overload + def __init__(self, s: str) -> None: r""" - @brief Gets the technology object for a given name + @brief Creates an enum from a string value """ - @classmethod - def technology_from_xml(cls, xml: str) -> Technology: + @overload + def __lt__(self, other: Metrics) -> bool: r""" - @brief Loads the technology from a XML representation - - See \technology_to_xml for details. + @brief Returns true if the first enum is less (in the enum symbol order) than the second """ - @classmethod - def technology_names(cls) -> List[str]: + @overload + def __lt__(self, other: int) -> bool: r""" - @brief Gets a list of technology names defined in the system + @brief Returns true if the enum is less (in the enum symbol order) than the integer value """ - def __copy__(self) -> Technology: + @overload + def __ne__(self, other: object) -> bool: r""" - @brief Creates a copy of self + @brief Compares two enums for inequality """ - def __deepcopy__(self) -> Technology: + @overload + def __ne__(self, other: object) -> bool: r""" - @brief Creates a copy of self + @brief Compares an enum with an integer for inequality """ - def __init__(self) -> None: + def __repr__(self) -> str: r""" - @brief Creates a new object of this class + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum """ def _create(self) -> None: r""" @@ -32016,36 +31748,10 @@ class Technology: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: Technology) -> None: + def assign(self, other: Metrics) -> None: r""" @brief Assigns another object to self """ - def base_path(self) -> str: - r""" - @brief Gets the base path of the technology - - The base path is the effective path where files are read from if their file path is a relative one. If the explicit path is set (see \explicit_base_path=), it is - used. If not, the default path is used. The default path is the one from which - a technology file was imported. The explicit one is the one that is specified - explicitly with \explicit_base_path=. - """ - def component(self, name: str) -> TechnologyComponent: - r""" - @brief Gets the technology component with the given name - The names are unique system identifiers. For all names, use \component_names. - """ - def component_names(self) -> List[str]: - r""" - @brief Gets the names of all components available for \component - """ - def correct_path(self, path: str) -> str: - r""" - @brief Makes a file path relative to the base path if one is specified - - This method turns an absolute path into one relative to the base path. Only files below the base path will be made relative. Files above or beside won't be made relative. - - See \base_path for details about the default base path. - """ def create(self) -> None: r""" @brief Ensures the C++ object is created @@ -32063,21 +31769,13 @@ class Technology: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> Technology: + def dup(self) -> Metrics: r""" @brief Creates a copy of self """ - def eff_layer_properties_file(self) -> str: - r""" - @brief Gets the effective path of the layer properties file - """ - def eff_path(self, path: str) -> str: + def inspect(self) -> str: r""" - @brief Makes a file path relative to the base path if one is specified - - This method will return the actual path for a file from the file's path. If the input path is a relative one, it will be made absolute by using the base path. - - See \base_path for details about the default base path. + @brief Converts an enum to a visual string """ def is_const_object(self) -> bool: r""" @@ -32085,281 +31783,223 @@ class Technology: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def load(self, file: str) -> None: - r""" - @brief Loads the technology definition from a file - """ - def save(self, file: str) -> None: + def to_i(self) -> int: r""" - @brief Saves the technology definition to a file + @brief Gets the integer value from the enum """ - def to_xml(self) -> str: + def to_s(self) -> str: r""" - @brief Returns a XML representation of this technolog - - \technology_from_xml can be used to restore the technology definition. + @brief Gets the symbolic string from an enum """ -class Text: - r""" - @brief A text object - - A text object has a point (location), a text, a text transformation, - a text size and a font id. Text size and font id are provided to be - be able to render the text correctly. - Text objects are used as labels (i.e. for pins) or to indicate a particular position. - - The \Text class uses integer coordinates. A class that operates with floating-point coordinates is \DText. - - See @The Database API@ for more details about the database objects. - """ - HAlignCenter: ClassVar[HAlign] - r""" - @brief Centered horizontal alignment - """ - HAlignLeft: ClassVar[HAlign] - r""" - @brief Left horizontal alignment - """ - HAlignRight: ClassVar[HAlign] - r""" - @brief Right horizontal alignment - """ - NoHAlign: ClassVar[HAlign] - r""" - @brief Undefined horizontal alignment - """ - NoVAlign: ClassVar[VAlign] - r""" - @brief Undefined vertical alignment - """ - VAlignBottom: ClassVar[VAlign] - r""" - @brief Bottom vertical alignment - """ - VAlignCenter: ClassVar[VAlign] - r""" - @brief Centered vertical alignment - """ - VAlignTop: ClassVar[VAlign] - r""" - @brief Top vertical alignment - """ - font: int - r""" - Getter: - @brief Gets the font number - See \font= for a description of this property. - Setter: - @brief Sets the font number - The font number does not play a role for KLayout. This property is provided for compatibility with other systems which allow using different fonts for the text objects. - """ - halign: HAlign - r""" - Getter: - @brief Gets the horizontal alignment - - See \halign= for a description of this property. - - Setter: - @brief Sets the horizontal alignment - - This property specifies how the text is aligned relative to the anchor point. - This property has been introduced in version 0.22 and extended to enums in 0.28. - """ - size: int +class Net(NetlistObject): r""" - Getter: - @brief Gets the text height + @brief A single net. + A net connects multiple pins or terminals together. Pins are either pin or subcircuits of outgoing pins of the circuit the net lives in. Terminals are connections made to specific terminals of devices. - Setter: - @brief Sets the text height of this object - """ - string: str - r""" - Getter: - @brief Get the text string + Net objects are created inside a circuit with \Circuit#create_net. - Setter: - @brief Assign a text string to this object - """ - trans: Trans - r""" - Getter: - @brief Gets the transformation + To connect a net to an outgoing pin of a circuit, use \Circuit#connect_pin, to disconnect a net from an outgoing pin use \Circuit#disconnect_pin. To connect a net to a pin of a subcircuit, use \SubCircuit#connect_pin, to disconnect a net from a pin of a subcircuit, use \SubCircuit#disconnect_pin. To connect a net to a terminal of a device, use \Device#connect_terminal, to disconnect a net from a terminal of a device, use \Device#disconnect_terminal. - Setter: - @brief Assign a transformation (text position and orientation) to this object + This class has been added in version 0.26. """ - valign: VAlign + cluster_id: int r""" Getter: - @brief Gets the vertical alignment - - See \valign= for a description of this property. - + @brief Gets the cluster ID of the net. + See \cluster_id= for details about the cluster ID. Setter: - @brief Sets the vertical alignment - - This property specifies how the text is aligned relative to the anchor point. - This property has been introduced in version 0.22 and extended to enums in 0.28. + @brief Sets the cluster ID of the net. + The cluster ID connects the net with a layout cluster. It is set when the net is extracted from a layout. """ - x: int + name: str r""" Getter: - @brief Gets the x location of the text - - This method has been introduced in version 0.23. - + @brief Gets the name of the net. + See \name= for details about the name. Setter: - @brief Sets the x location of the text - - This method has been introduced in version 0.23. + @brief Sets the name of the net. + The name of the net is used for naming the net in schematic files for example. The name of the net has to be unique. """ - y: int - r""" - Getter: - @brief Gets the y location of the text - - This method has been introduced in version 0.23. - - Setter: - @brief Sets the y location of the text + def __str__(self) -> str: + r""" + @brief Gets the qualified name. + The qualified name is like the expanded name, but the circuit's name is preceded + (i.e. 'CIRCUIT:NET') if available. + """ + def _assign(self, other: NetlistObject) -> None: + r""" + @brief Assigns another object to self + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _dup(self) -> Net: + r""" + @brief Creates a copy of self + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method has been introduced in version 0.23. - """ - @classmethod - def from_s(cls, s: str) -> Text: + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: r""" - @brief Creates an object from a string - Creates the object from a string representation (as returned by \to_s) + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been added in version 0.23. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def circuit(self) -> Circuit: + r""" + @brief Gets the circuit the net lives in. + """ + def clear(self) -> None: + r""" + @brief Clears the net. """ @overload - @classmethod - def new(cls) -> Text: + def each_pin(self) -> Iterator[NetPinRef]: r""" - @brief Default constructor + @brief Iterates over all outgoing pins the net connects. + Pin connections are described by \NetPinRef objects. Pin connections are connections to outgoing pins of the circuit the net lives in. + """ + @overload + def each_pin(self) -> Iterator[NetPinRef]: + r""" + @brief Iterates over all outgoing pins the net connects (non-const version). + Pin connections are described by \NetPinRef objects. Pin connections are connections to outgoing pins of the circuit the net lives in. - Creates a text with unit transformation and empty text. + This constness variant has been introduced in version 0.26.8 """ @overload - @classmethod - def new(cls, dtext: DText) -> Text: + def each_subcircuit_pin(self) -> Iterator[NetSubcircuitPinRef]: r""" - @brief Creates an integer coordinate text from a floating-point coordinate text - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtext'. + @brief Iterates over all subcircuit pins the net connects. + Subcircuit pin connections are described by \NetSubcircuitPinRef objects. These are connections to specific pins of subcircuits. """ @overload - @classmethod - def new(cls, string: str, trans: Trans) -> Text: + def each_subcircuit_pin(self) -> Iterator[NetSubcircuitPinRef]: r""" - @brief Constructor with string and transformation - + @brief Iterates over all subcircuit pins the net connects (non-const version). + Subcircuit pin connections are described by \NetSubcircuitPinRef objects. These are connections to specific pins of subcircuits. - A string and a transformation is provided to this constructor. The transformation specifies the location and orientation of the text object. + This constness variant has been introduced in version 0.26.8 """ @overload - @classmethod - def new(cls, string: str, x: int, y: int) -> Text: + def each_terminal(self) -> Iterator[NetTerminalRef]: r""" - @brief Constructor with string and location - - - A string and a location is provided to this constructor. The location is specifies as a pair of x and y coordinates. - - This method has been introduced in version 0.23. + @brief Iterates over all terminals the net connects. + Terminals connect devices. Terminal connections are described by \NetTerminalRef objects. """ @overload - @classmethod - def new(cls, string: str, trans: Trans, height: int, font: int) -> Text: + def each_terminal(self) -> Iterator[NetTerminalRef]: r""" - @brief Constructor with string, transformation, text height and font - + @brief Iterates over all terminals the net connects (non-const version). + Terminals connect devices. Terminal connections are described by \NetTerminalRef objects. - A string and a transformation is provided to this constructor. The transformation specifies the location and orientation of the text object. In addition, the text height and font can be specified. + This constness variant has been introduced in version 0.26.8 """ - def __copy__(self) -> Text: + def expanded_name(self) -> str: r""" - @brief Creates a copy of self + @brief Gets the expanded name of the net. + The expanded name takes the name of the net. If the name is empty, the cluster ID will be used to build a name. """ - def __deepcopy__(self) -> Text: + def is_floating(self) -> bool: r""" - @brief Creates a copy of self + @brief Returns true, if the net is floating. + Floating nets are those which don't have any device or subcircuit on it and are not connected through a pin. """ - def __eq__(self, text: object) -> bool: + def is_internal(self) -> bool: r""" - @brief Equality - - - Return true, if this text object and the given text are equal + @brief Returns true, if the net is an internal net. + Internal nets are those which connect exactly two terminals and nothing else (pin_count = 0 and terminal_count == 2). """ - def __hash__(self) -> int: + def is_passive(self) -> bool: r""" - @brief Computes a hash value - Returns a hash value for the given text object. This method enables texts as hash keys. + @brief Returns true, if the net is passive. + Passive nets don't have devices or subcircuits on it. They can be exposed through a pin. + \is_floating? implies \is_passive?. - This method has been introduced in version 0.25. + This method has been introduced in version 0.26.1. """ - @overload - def __init__(self) -> None: + def pin_count(self) -> int: r""" - @brief Default constructor - - Creates a text with unit transformation and empty text. + @brief Returns the number of outgoing pins connected by this net. """ - @overload - def __init__(self, dtext: DText) -> None: + def qname(self) -> str: r""" - @brief Creates an integer coordinate text from a floating-point coordinate text - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtext'. + @brief Gets the qualified name. + The qualified name is like the expanded name, but the circuit's name is preceded + (i.e. 'CIRCUIT:NET') if available. """ - @overload - def __init__(self, string: str, trans: Trans) -> None: + def subcircuit_pin_count(self) -> int: r""" - @brief Constructor with string and transformation - - - A string and a transformation is provided to this constructor. The transformation specifies the location and orientation of the text object. + @brief Returns the number of subcircuit pins connected by this net. """ - @overload - def __init__(self, string: str, x: int, y: int) -> None: + def terminal_count(self) -> int: r""" - @brief Constructor with string and location + @brief Returns the number of terminals connected by this net. + """ + def to_s(self) -> str: + r""" + @brief Gets the qualified name. + The qualified name is like the expanded name, but the circuit's name is preceded + (i.e. 'CIRCUIT:NET') if available. + """ + +class NetElement: + r""" + @brief A net element for the NetTracer net tracing facility + This object represents a piece of a net extracted by the net tracer. See the description of \NetTracer for more details about the net tracer feature. - A string and a location is provided to this constructor. The location is specifies as a pair of x and y coordinates. + The NetTracer object represents one shape of the net. The shape can be an original shape or a shape derived in a boolean operation. In the first case, the shape refers to a shape within a cell or a subcell of the original top cell. In the latter case, the shape is a synthesized one and outside the original layout hierarchy. - This method has been introduced in version 0.23. - """ - @overload - def __init__(self, string: str, trans: Trans, height: int, font: int) -> None: - r""" - @brief Constructor with string, transformation, text height and font + In any case, the \shape method will deliver the shape and \trans the transformation of the shape into the original top cell. To obtain a flat representation of the net, the shapes need to be transformed by this transformation. + \layer will give the layer the shape is located at, \cell_index will denote the cell that contains the shape. - A string and a transformation is provided to this constructor. The transformation specifies the location and orientation of the text object. In addition, the text height and font can be specified. + This class has been introduced in version 0.25. + """ + @classmethod + def new(cls) -> NetElement: + r""" + @brief Creates a new object of this class """ - def __lt__(self, t: Text) -> bool: + def __copy__(self) -> NetElement: r""" - @brief Less operator - @param t The object to compare against - This operator is provided to establish some, not necessarily a certain sorting order + @brief Creates a copy of self """ - def __ne__(self, text: object) -> bool: + def __deepcopy__(self) -> NetElement: r""" - @brief Inequality - - - Return true, if this text object and the given text are not equal + @brief Creates a copy of self """ - def __str__(self, dbu: Optional[float] = ...) -> str: + def __init__(self) -> None: r""" - @brief Converts the object to a string. - If a DBU is given, the output units will be micrometers. - - The DBU argument has been added in version 0.27.6. + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -32398,16 +32038,17 @@ class Text: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: Text) -> None: + def assign(self, other: NetElement) -> None: r""" @brief Assigns another object to self """ def bbox(self) -> Box: r""" - @brief Gets the bounding box of the text - The bounding box of the text is a single point - the location of the text. Both points of the box are identical. - - This method has been added in version 0.28. + @brief Delivers the bounding box of the shape as seen from the original top cell + """ + def cell_index(self) -> int: + r""" + @brief Gets the index of the cell the shape is inside """ def create(self) -> None: r""" @@ -32426,394 +32067,167 @@ class Text: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> Text: + def dup(self) -> NetElement: r""" @brief Creates a copy of self """ - def hash(self) -> int: - r""" - @brief Computes a hash value - Returns a hash value for the given text object. This method enables texts as hash keys. - - This method has been introduced in version 0.25. - """ def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - @overload - def move(self, distance: Vector) -> Text: + def layer(self) -> int: r""" - @brief Moves the text by a certain distance (modifies self) - - - Moves the text by a given offset and returns the moved - text. Does not check for coordinate overflows. - - @param p The offset to move the text. - - @return A reference to this text object + @brief Gets the index of the layer the shape is on """ - @overload - def move(self, dx: int, dy: int) -> Text: + def shape(self) -> Shape: r""" - @brief Moves the text by a certain distance (modifies self) - - - Moves the text by a given distance in x and y direction and returns the moved - text. Does not check for coordinate overflows. - - @param dx The x distance to move the text. - @param dy The y distance to move the text. - - @return A reference to this text object - - This method was introduced in version 0.23. + @brief Gets the shape that makes up this net element + See the class description for more details about this attribute. """ - @overload - def moved(self, distance: Vector) -> Text: + def trans(self) -> ICplxTrans: r""" - @brief Returns the text moved by a certain distance (does not modify self) - - - Moves the text by a given offset and returns the moved - text. Does not modify *this. Does not check for coordinate - overflows. - - @param p The offset to move the text. - - @return The moved text. + @brief Gets the transformation to apply for rendering the shape in the original top cell + See the class description for more details about this attribute. """ - @overload - def moved(self, dx: int, dy: int) -> Text: - r""" - @brief Returns the text moved by a certain distance (does not modify self) - - - Moves the text by a given offset and returns the moved - text. Does not modify *this. Does not check for coordinate - overflows. - - @param dx The x distance to move the text. - @param dy The y distance to move the text. - @return The moved text. +class NetPinRef: + r""" + @brief A connection to an outgoing pin of the circuit. + This object is used inside a net (see \Net) to describe the connections a net makes. - This method was introduced in version 0.23. - """ - def position(self) -> Point: + This class has been added in version 0.26. + """ + @classmethod + def new(cls) -> NetPinRef: r""" - @brief Gets the position of the text - - This convenience method has been added in version 0.28. + @brief Creates a new object of this class """ - def to_dtype(self, dbu: Optional[float] = ...) -> DText: + def __copy__(self) -> NetPinRef: r""" - @brief Converts the text to a floating-point coordinate text - The database unit can be specified to translate the integer-coordinate text into a floating-point coordinate text in micron units. The database unit is basically a scaling factor. - - This method has been introduced in version 0.25. + @brief Creates a copy of self """ - def to_s(self, dbu: Optional[float] = ...) -> str: + def __deepcopy__(self) -> NetPinRef: r""" - @brief Converts the object to a string. - If a DBU is given, the output units will be micrometers. - - The DBU argument has been added in version 0.27.6. + @brief Creates a copy of self """ - @overload - def transformed(self, t: CplxTrans) -> DText: + def __init__(self) -> None: r""" - @brief Transforms the text with the given complex transformation - - - @param t The magnifying transformation to apply - @return The transformed text (a DText now) + @brief Creates a new object of this class """ - @overload - def transformed(self, t: ICplxTrans) -> Text: + def _create(self) -> None: r""" - @brief Transform the text with the given complex transformation - - - @param t The magnifying transformation to apply - @return The transformed text (in this case an integer coordinate object now) - - This method has been introduced in version 0.18. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def transformed(self, t: Trans) -> Text: + def _destroy(self) -> None: r""" - @brief Transforms the text with the given simple transformation - - - @param t The transformation to apply - @return The transformed text + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - -class DText: - r""" - @brief A text object - - A text object has a point (location), a text, a text transformation, - a text size and a font id. Text size and font id are provided to be - be able to render the text correctly. - Text objects are used as labels (i.e. for pins) or to indicate a particular position. - - The \DText class uses floating-point coordinates. A class that operates with integer coordinates is \Text. - - See @The Database API@ for more details about the database objects. - """ - HAlignCenter: ClassVar[HAlign] - r""" - @brief Centered horizontal alignment - """ - HAlignLeft: ClassVar[HAlign] - r""" - @brief Left horizontal alignment - """ - HAlignRight: ClassVar[HAlign] - r""" - @brief Right horizontal alignment - """ - NoHAlign: ClassVar[HAlign] - r""" - @brief Undefined horizontal alignment - """ - NoVAlign: ClassVar[VAlign] - r""" - @brief Undefined vertical alignment - """ - VAlignBottom: ClassVar[VAlign] - r""" - @brief Bottom vertical alignment - """ - VAlignCenter: ClassVar[VAlign] - r""" - @brief Centered vertical alignment - """ - VAlignTop: ClassVar[VAlign] - r""" - @brief Top vertical alignment - """ - font: int - r""" - Getter: - @brief Gets the font number - See \font= for a description of this property. - Setter: - @brief Sets the font number - The font number does not play a role for KLayout. This property is provided for compatibility with other systems which allow using different fonts for the text objects. - """ - halign: HAlign - r""" - Getter: - @brief Gets the horizontal alignment - - See \halign= for a description of this property. - - Setter: - @brief Sets the horizontal alignment - - This property specifies how the text is aligned relative to the anchor point. - This property has been introduced in version 0.22 and extended to enums in 0.28. - """ - size: float - r""" - Getter: - @brief Gets the text height - - Setter: - @brief Sets the text height of this object - """ - string: str - r""" - Getter: - @brief Get the text string - - Setter: - @brief Assign a text string to this object - """ - trans: DTrans - r""" - Getter: - @brief Gets the transformation - - Setter: - @brief Assign a transformation (text position and orientation) to this object - """ - valign: VAlign - r""" - Getter: - @brief Gets the vertical alignment - - See \valign= for a description of this property. - - Setter: - @brief Sets the vertical alignment - - This is the version accepting integer values. It's provided for backward compatibility. - """ - x: float - r""" - Getter: - @brief Gets the x location of the text - - This method has been introduced in version 0.23. - - Setter: - @brief Sets the x location of the text - - This method has been introduced in version 0.23. - """ - y: float - r""" - Getter: - @brief Gets the y location of the text - - This method has been introduced in version 0.23. - - Setter: - @brief Sets the y location of the text - - This method has been introduced in version 0.23. - """ - @classmethod - def from_s(cls, s: str) -> DText: + def _destroyed(self) -> bool: r""" - @brief Creates an object from a string - Creates the object from a string representation (as returned by \to_s) - - This method has been added in version 0.23. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - @classmethod - def new(cls) -> DText: + def _is_const_object(self) -> bool: r""" - @brief Default constructor - - Creates a text with unit transformation and empty text. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - @classmethod - def new(cls, Text: Text) -> DText: + def _manage(self) -> None: r""" - @brief Creates a floating-point coordinate text from an integer coordinate text + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_itext'. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - @classmethod - def new(cls, string: str, trans: DTrans) -> DText: + def _unmanage(self) -> None: r""" - @brief Constructor with string and transformation - + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - A string and a transformation is provided to this constructor. The transformation specifies the location and orientation of the text object. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - @classmethod - def new(cls, string: str, x: float, y: float) -> DText: + def assign(self, other: NetPinRef) -> None: r""" - @brief Constructor with string and location - - - A string and a location is provided to this constructor. The location is specifies as a pair of x and y coordinates. - - This method has been introduced in version 0.23. + @brief Assigns another object to self """ - @overload - @classmethod - def new(cls, string: str, trans: DTrans, height: float, font: int) -> DText: + def create(self) -> None: r""" - @brief Constructor with string, transformation, text height and font - - - A string and a transformation is provided to this constructor. The transformation specifies the location and orientation of the text object. In addition, the text height and font can be specified. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def __copy__(self) -> DText: + def destroy(self) -> None: r""" - @brief Creates a copy of self + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def __deepcopy__(self) -> DText: + def destroyed(self) -> bool: r""" - @brief Creates a copy of self + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def __eq__(self, text: object) -> bool: + def dup(self) -> NetPinRef: r""" - @brief Equality - - - Return true, if this text object and the given text are equal + @brief Creates a copy of self """ - def __hash__(self) -> int: + def is_const_object(self) -> bool: r""" - @brief Computes a hash value - Returns a hash value for the given text object. This method enables texts as hash keys. - - This method has been introduced in version 0.25. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ @overload - def __init__(self) -> None: + def net(self) -> Net: r""" - @brief Default constructor + @brief Gets the net this pin reference is attached to (non-const version). - Creates a text with unit transformation and empty text. + This constness variant has been introduced in version 0.26.8 """ @overload - def __init__(self, Text: Text) -> None: + def net(self) -> Net: r""" - @brief Creates a floating-point coordinate text from an integer coordinate text - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_itext'. + @brief Gets the net this pin reference is attached to. """ - @overload - def __init__(self, string: str, trans: DTrans) -> None: + def pin(self) -> Pin: r""" - @brief Constructor with string and transformation - - - A string and a transformation is provided to this constructor. The transformation specifies the location and orientation of the text object. + @brief Gets the \Pin object of the pin the connection is made to. """ - @overload - def __init__(self, string: str, x: float, y: float) -> None: + def pin_id(self) -> int: r""" - @brief Constructor with string and location - - - A string and a location is provided to this constructor. The location is specifies as a pair of x and y coordinates. - - This method has been introduced in version 0.23. + @brief Gets the ID of the pin the connection is made to. """ - @overload - def __init__(self, string: str, trans: DTrans, height: float, font: int) -> None: - r""" - @brief Constructor with string, transformation, text height and font +class NetSubcircuitPinRef: + r""" + @brief A connection to a pin of a subcircuit. + This object is used inside a net (see \Net) to describe the connections a net makes. - A string and a transformation is provided to this constructor. The transformation specifies the location and orientation of the text object. In addition, the text height and font can be specified. + This class has been added in version 0.26. + """ + @classmethod + def new(cls) -> NetSubcircuitPinRef: + r""" + @brief Creates a new object of this class """ - def __lt__(self, t: DText) -> bool: + def __copy__(self) -> NetSubcircuitPinRef: r""" - @brief Less operator - @param t The object to compare against - This operator is provided to establish some, not necessarily a certain sorting order + @brief Creates a copy of self """ - def __ne__(self, text: object) -> bool: + def __deepcopy__(self) -> NetSubcircuitPinRef: r""" - @brief Inequality - - - Return true, if this text object and the given text are not equal + @brief Creates a copy of self """ - def __str__(self, dbu: Optional[float] = ...) -> str: + def __init__(self) -> None: r""" - @brief Converts the object to a string. - If a DBU is given, the output units will be micrometers. - - The DBU argument has been added in version 0.27.6. + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -32852,17 +32266,10 @@ class DText: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: DText) -> None: + def assign(self, other: NetSubcircuitPinRef) -> None: r""" @brief Assigns another object to self """ - def bbox(self) -> DBox: - r""" - @brief Gets the bounding box of the text - The bounding box of the text is a single point - the location of the text. Both points of the box are identical. - - This method has been added in version 0.28. - """ def create(self) -> None: r""" @brief Ensures the C++ object is created @@ -32880,17 +32287,10 @@ class DText: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> DText: + def dup(self) -> NetSubcircuitPinRef: r""" @brief Creates a copy of self """ - def hash(self) -> int: - r""" - @brief Computes a hash value - Returns a hash value for the given text object. This method enables texts as hash keys. - - This method has been introduced in version 0.25. - """ def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference @@ -32898,204 +32298,230 @@ class DText: In that case, only const methods may be called on self. """ @overload - def move(self, distance: DVector) -> DText: + def net(self) -> Net: r""" - @brief Moves the text by a certain distance (modifies self) - - - Moves the text by a given offset and returns the moved - text. Does not check for coordinate overflows. - - @param p The offset to move the text. - - @return A reference to this text object + @brief Gets the net this pin reference is attached to. """ @overload - def move(self, dx: float, dy: float) -> DText: + def net(self) -> Net: r""" - @brief Moves the text by a certain distance (modifies self) - - - Moves the text by a given distance in x and y direction and returns the moved - text. Does not check for coordinate overflows. - - @param dx The x distance to move the text. - @param dy The y distance to move the text. - - @return A reference to this text object + @brief Gets the net this pin reference is attached to (non-const version). - This method was introduced in version 0.23. + This constness variant has been introduced in version 0.26.8 + """ + def pin(self) -> Pin: + r""" + @brief Gets the \Pin object of the pin the connection is made to. + """ + def pin_id(self) -> int: + r""" + @brief Gets the ID of the pin the connection is made to. """ @overload - def moved(self, distance: DVector) -> DText: + def subcircuit(self) -> SubCircuit: r""" - @brief Returns the text moved by a certain distance (does not modify self) - - - Moves the text by a given offset and returns the moved - text. Does not modify *this. Does not check for coordinate - overflows. - - @param p The offset to move the text. - - @return The moved text. + @brief Gets the subcircuit reference. + This attribute indicates the subcircuit the net attaches to. The subcircuit lives in the same circuit than the net. """ @overload - def moved(self, dx: float, dy: float) -> DText: + def subcircuit(self) -> SubCircuit: r""" - @brief Returns the text moved by a certain distance (does not modify self) - - - Moves the text by a given offset and returns the moved - text. Does not modify *this. Does not check for coordinate - overflows. + @brief Gets the subcircuit reference (non-const version). + This attribute indicates the subcircuit the net attaches to. The subcircuit lives in the same circuit than the net. - @param dx The x distance to move the text. - @param dy The y distance to move the text. + This constness variant has been introduced in version 0.26.8 + """ - @return The moved text. +class NetTerminalRef: + r""" + @brief A connection to a terminal of a device. + This object is used inside a net (see \Net) to describe the connections a net makes. - This method was introduced in version 0.23. - """ - def position(self) -> DPoint: + This class has been added in version 0.26. + """ + @classmethod + def new(cls) -> NetTerminalRef: r""" - @brief Gets the position of the text - - This convenience method has been added in version 0.28. + @brief Creates a new object of this class """ - def to_itype(self, dbu: Optional[float] = ...) -> Text: + def __copy__(self) -> NetTerminalRef: r""" - @brief Converts the text to an integer coordinate text - - The database unit can be specified to translate the floating-point coordinate Text in micron units to an integer-coordinate text in database units. The text's coordinates will be divided by the database unit. - - This method has been introduced in version 0.25. + @brief Creates a copy of self """ - def to_s(self, dbu: Optional[float] = ...) -> str: + def __deepcopy__(self) -> NetTerminalRef: r""" - @brief Converts the object to a string. - If a DBU is given, the output units will be micrometers. - - The DBU argument has been added in version 0.27.6. + @brief Creates a copy of self """ - @overload - def transformed(self, t: DCplxTrans) -> DText: + def __init__(self) -> None: r""" - @brief Transforms the text with the given complex transformation - - - @param t The magnifying transformation to apply - @return The transformed text (a DText now) + @brief Creates a new object of this class """ - @overload - def transformed(self, t: DTrans) -> DText: + def _create(self) -> None: r""" - @brief Transforms the text with the given simple transformation - - - @param t The transformation to apply - @return The transformed text + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def transformed(self, t: VCplxTrans) -> Text: + def _destroy(self) -> None: r""" - @brief Transforms the text with the given complex transformation - - - @param t The magnifying transformation to apply - @return The transformed text (in this case an integer coordinate text) + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method has been introduced in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. -class HAlign: - r""" - @brief This class represents the horizontal alignment modes. - This enum has been introduced in version 0.28. - """ - HAlignCenter: ClassVar[HAlign] - r""" - @brief Centered horizontal alignment - """ - HAlignLeft: ClassVar[HAlign] - r""" - @brief Left horizontal alignment - """ - HAlignRight: ClassVar[HAlign] - r""" - @brief Right horizontal alignment - """ - NoHAlign: ClassVar[HAlign] - r""" - @brief Undefined horizontal alignment - """ - @overload - @classmethod - def new(cls, i: int) -> HAlign: + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def assign(self, other: NetTerminalRef) -> None: r""" - @brief Creates an enum from an integer value + @brief Assigns another object to self """ - @overload - @classmethod - def new(cls, s: str) -> HAlign: + def create(self) -> None: r""" - @brief Creates an enum from a string value + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def __copy__(self) -> HAlign: + def destroy(self) -> None: r""" - @brief Creates a copy of self + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def __deepcopy__(self) -> HAlign: + def destroyed(self) -> bool: r""" - @brief Creates a copy of self + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ @overload - def __eq__(self, other: object) -> bool: + def device(self) -> Device: r""" - @brief Compares two enums + @brief Gets the device reference (non-const version). + Gets the device object that this connection is made to. + + This constness variant has been introduced in version 0.26.8 """ @overload - def __eq__(self, other: object) -> bool: + def device(self) -> Device: r""" - @brief Compares an enum with an integer value + @brief Gets the device reference. + Gets the device object that this connection is made to. """ - @overload - def __init__(self, i: int) -> None: + def device_class(self) -> DeviceClass: r""" - @brief Creates an enum from an integer value + @brief Gets the class of the device which is addressed. """ - @overload - def __init__(self, s: str) -> None: + def dup(self) -> NetTerminalRef: r""" - @brief Creates an enum from a string value + @brief Creates a copy of self """ - @overload - def __lt__(self, other: int) -> bool: + def is_const_object(self) -> bool: r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ @overload - def __lt__(self, other: HAlign) -> bool: + def net(self) -> Net: r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second + @brief Gets the net this terminal reference is attached to. """ @overload - def __ne__(self, other: object) -> bool: + def net(self) -> Net: r""" - @brief Compares an enum with an integer for inequality + @brief Gets the net this terminal reference is attached to (non-const version). + + This constness variant has been introduced in version 0.26.8 """ - @overload - def __ne__(self, other: object) -> bool: + def terminal_def(self) -> DeviceTerminalDefinition: r""" - @brief Compares two enums for inequality + @brief Gets the terminal definition of the terminal that is connected """ - def __repr__(self) -> str: + def terminal_id(self) -> int: r""" - @brief Converts an enum to a visual string + @brief Gets the ID of the terminal of the device the connection is made to. """ - def __str__(self) -> str: + +class NetTracer: + r""" + @brief The net tracer feature + + The net tracer class provides an interface to the net tracer feature. It is accompanied by the \NetElement and \NetTracerTechnology classes. The latter will provide the technology definition for the net tracer while the \NetElement objects represent a piece of the net after it has been extracted. + + The technology definition is optional. The net tracer can be used with a predefined technology as well. The basic scheme of using the net tracer is to instantiate a net tracer object and run the extraction through the \NetTracer#trace method. After this method was executed successfully, the resulting net can be obtained from the net tracer object by iterating over the \NetElement objects of the net tracer. + + Here is some sample code: + + @code + ly = RBA::CellView::active.layout + + tracer = RBA::NetTracer::new + + tech = RBA::NetTracerConnectivity::new + tech.connection("1/0", "2/0", "3/0") + + tracer.trace(tech, ly, ly.top_cell, RBA::Point::new(7000, 1500), ly.find_layer(1, 0)) + + tracer.each_element do |e| + puts e.shape.polygon.transformed(e.trans) + end + @/code + + This class has been introduced in version 0.25. With version 0.28, the \NetTracerConnectivity class replaces the 'NetTracerTechnology' class. + """ + trace_depth: int + r""" + Getter: + @brief gets the trace depth + See \trace_depth= for a description of this property. + + This method has been introduced in version 0.26.4. + + Setter: + @brief Sets the trace depth (shape limit) + Set this value to limit the maximum number of shapes delivered. Upon reaching this count, the tracer will stop and report the net as 'incomplete' (see \incomplete?). + Setting a trace depth if 0 is equivalent to 'unlimited'. + The actual number of shapes delivered may be a little less than the depth because of internal marker shapes which are taken into account, but are not delivered. + + This method has been introduced in version 0.26.4. + """ + @classmethod + def new(cls) -> NetTracer: r""" - @brief Gets the symbolic string from an enum + @brief Creates a new object of this class + """ + def __copy__(self) -> NetTracer: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> NetTracer: + r""" + @brief Creates a copy of self + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -33134,10 +32560,14 @@ class HAlign: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: HAlign) -> None: + def assign(self, other: NetTracer) -> None: r""" @brief Assigns another object to self """ + def clear(self) -> None: + r""" + @brief Clears the data from the last extraction + """ def create(self) -> None: r""" @brief Ensures the C++ object is created @@ -33155,13 +32585,19 @@ class HAlign: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> HAlign: + def dup(self) -> NetTracer: r""" @brief Creates a copy of self """ - def inspect(self) -> str: + def each_element(self) -> Iterator[NetElement]: r""" - @brief Converts an enum to a visual string + @brief Iterates over the elements found during extraction + The elements are available only after the extraction has been performed. + """ + def incomplete(self) -> bool: + r""" + @brief Returns a value indicating whether the net is incomplete + A net may be incomplete if the extraction has been stopped by the user for example. This attribute is useful only after the extraction has been performed. """ def is_const_object(self) -> bool: r""" @@ -33169,103 +32605,101 @@ class HAlign: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def to_i(self) -> int: - r""" - @brief Gets the integer value from the enum - """ - def to_s(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - -class VAlign: - r""" - @brief This class represents the vertical alignment modes. - This enum has been introduced in version 0.28. - """ - NoVAlign: ClassVar[VAlign] - r""" - @brief Undefined vertical alignment - """ - VAlignBottom: ClassVar[VAlign] - r""" - @brief Bottom vertical alignment - """ - VAlignCenter: ClassVar[VAlign] - r""" - @brief Centered vertical alignment - """ - VAlignTop: ClassVar[VAlign] - r""" - @brief Top vertical alignment - """ - @overload - @classmethod - def new(cls, i: int) -> VAlign: - r""" - @brief Creates an enum from an integer value - """ - @overload - @classmethod - def new(cls, s: str) -> VAlign: - r""" - @brief Creates an enum from a string value - """ - def __copy__(self) -> VAlign: + def name(self) -> str: r""" - @brief Creates a copy of self + @brief Returns the name of the net found during extraction + The net name is extracted from labels found during the extraction. This attribute is useful only after the extraction has been performed. """ - def __deepcopy__(self) -> VAlign: + def num_elements(self) -> int: r""" - @brief Creates a copy of self + @brief Returns the number of elements found during extraction + This attribute is useful only after the extraction has been performed. """ @overload - def __eq__(self, other: object) -> bool: + def trace(self, tech: NetTracerConnectivity, layout: Layout, cell: Cell, start_point: Point, start_layer: int) -> None: r""" - @brief Compares an enum with an integer value + @brief Runs a net extraction + + This method runs an extraction with the given parameters. + To make the extraction successful, a shape must be present at the given start point on the start layer. The start layer must be a valid layer mentioned within the technology specification. + + This version runs a single extraction - i.e. it will extract all elements connected to the given seed point. A path extraction version is provided as well which will extract one (the presumably shortest) path between two points. + + @param tech The connectivity definition + @param layout The layout on which to run the extraction + @param cell The cell on which to run the extraction (child cells will be included) + @param start_point The start point from which to start extraction of the net + @param start_layer The layer from which to start extraction """ @overload - def __eq__(self, other: object) -> bool: + def trace(self, tech: NetTracerConnectivity, layout: Layout, cell: Cell, start_point: Point, start_layer: int, stop_point: Point, stop_layer: int) -> None: r""" - @brief Compares two enums + @brief Runs a path extraction + + This method runs an path extraction with the given parameters. + To make the extraction successful, a shape must be present at the given start point on the start layer and at the given stop point at the given stop layer. The start and stop layers must be a valid layers mentioned within the technology specification. + + This version runs a path extraction and will deliver elements forming one path leading from the start to the end point. + + @param tech The connectivity definition + @param layout The layout on which to run the extraction + @param cell The cell on which to run the extraction (child cells will be included) + @param start_point The start point from which to start extraction of the net + @param start_layer The layer from which to start extraction + @param stop_point The stop point at which to stop extraction of the net + @param stop_layer The layer at which to stop extraction """ @overload - def __init__(self, i: int) -> None: + def trace(self, tech: str, connectivity_name: str, layout: Layout, cell: Cell, start_point: Point, start_layer: int) -> None: r""" - @brief Creates an enum from an integer value + @brief Runs a net extraction taking a predefined technology + This method behaves identical as the version with a technology object, except that it will look for a technology with the given name to obtain the extraction setup. This version allows specifying the name of the connecvitiy setup. + + This method variant has been introduced in version 0.28. """ @overload - def __init__(self, s: str) -> None: + def trace(self, tech: str, connectivity_name: str, layout: Layout, cell: Cell, start_point: Point, start_layer: int, stop_point: Point, stop_layer: int) -> None: r""" - @brief Creates an enum from a string value + @brief Runs a path extraction taking a predefined technology + This method behaves identical as the version with a technology object, except that it will look for a technology with the given name to obtain the extraction setup.This version allows specifying the name of the connecvitiy setup. + + This method variant has been introduced in version 0.28. """ @overload - def __lt__(self, other: int) -> bool: + def trace(self, tech: str, layout: Layout, cell: Cell, start_point: Point, start_layer: int) -> None: r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value + @brief Runs a net extraction taking a predefined technology + This method behaves identical as the version with a technology object, except that it will look for a technology with the given name to obtain the extraction setup. + The technology is looked up by technology name. A version of this method exists where it is possible to specify the name of the particular connectivity to use in case there are multiple definitions available. """ @overload - def __lt__(self, other: VAlign) -> bool: + def trace(self, tech: str, layout: Layout, cell: Cell, start_point: Point, start_layer: int, stop_point: Point, stop_layer: int) -> None: r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second + @brief Runs a path extraction taking a predefined technology + This method behaves identical as the version with a technology object, except that it will look for a technology with the given name to obtain the extraction setup. """ - @overload - def __ne__(self, other: object) -> bool: + +class NetTracerConnectionInfo: + r""" + @brief Represents a single connection info line for the net tracer technology definition + This class has been introduced in version 0.28.3. + """ + @classmethod + def new(cls) -> NetTracerConnectionInfo: r""" - @brief Compares an enum with an integer for inequality + @brief Creates a new object of this class """ - @overload - def __ne__(self, other: object) -> bool: + def __copy__(self) -> NetTracerConnectionInfo: r""" - @brief Compares two enums for inequality + @brief Creates a copy of self """ - def __repr__(self) -> str: + def __deepcopy__(self) -> NetTracerConnectionInfo: r""" - @brief Converts an enum to a visual string + @brief Creates a copy of self """ - def __str__(self) -> str: + def __init__(self) -> None: r""" - @brief Gets the symbolic string from an enum + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -33304,7 +32738,7 @@ class VAlign: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: VAlign) -> None: + def assign(self, other: NetTracerConnectionInfo) -> None: r""" @brief Assigns another object to self """ @@ -33325,44 +32759,72 @@ class VAlign: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> VAlign: + def dup(self) -> NetTracerConnectionInfo: r""" @brief Creates a copy of self """ - def inspect(self) -> str: - r""" - @brief Converts an enum to a visual string - """ def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def to_i(self) -> int: + def layer_a(self) -> str: r""" - @brief Gets the integer value from the enum + @brief Gets the expression for the A layer """ - def to_s(self) -> str: + def layer_b(self) -> str: r""" - @brief Gets the symbolic string from an enum + @brief Gets the expression for the B layer + """ + def via_layer(self) -> str: + r""" + @brief Gets the expression for the Via layer """ -class TileOutputReceiverBase: +class NetTracerConnectivity: r""" - @hide - @alias TileOutputReceiver + @brief A connectivity description for the net tracer + + This object represents the technology description for the net tracer (represented by the \NetTracer class). + A technology description basically consists of connection declarations. + A connection is given by either two or three expressions describing two conductive materials. + With two expressions, the connection describes a transition from one material to another one. + With three expressions, the connection describes a transition from one material to another through a connection (a "via"). + + The conductive material is derived from original layers either directly or through boolean expressions. These expressions can include symbols which are defined through the \symbol method. + + For details about the expressions see the description of the net tracer feature. + + This class has been introduced in version 0.28 and replaces the 'NetTracerTechnology' class which has been generalized. + """ + description: str + r""" + Getter: + @brief Gets the description text of the connectivty definition + The description is an optional string giving a human-readable description for this definition. + Setter: + @brief Sets the description of the connectivty definition + """ + name: str + r""" + Getter: + @brief Gets the name of the connectivty definition + The name is an optional string defining the formal name for this definition. + + Setter: + @brief Sets the name of the connectivty definition """ @classmethod - def new(cls) -> TileOutputReceiverBase: + def new(cls) -> NetTracerConnectivity: r""" @brief Creates a new object of this class """ - def __copy__(self) -> TileOutputReceiverBase: + def __copy__(self) -> NetTracerConnectivity: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> TileOutputReceiverBase: + def __deepcopy__(self) -> NetTracerConnectivity: r""" @brief Creates a copy of self """ @@ -33407,10 +32869,22 @@ class TileOutputReceiverBase: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: TileOutputReceiverBase) -> None: + def assign(self, other: NetTracerConnectivity) -> None: r""" @brief Assigns another object to self """ + @overload + def connection(self, a: str, b: str) -> None: + r""" + @brief Defines a connection between two materials + See the class description for details about this method. + """ + @overload + def connection(self, a: str, via: str, b: str) -> None: + r""" + @brief Defines a connection between materials through a via + See the class description for details about this method. + """ def create(self) -> None: r""" @brief Ensures the C++ object is created @@ -33428,36 +32902,53 @@ class TileOutputReceiverBase: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> TileOutputReceiverBase: + def dup(self) -> NetTracerConnectivity: r""" @brief Creates a copy of self """ + def each_connection(self) -> Iterator[NetTracerConnectionInfo]: + r""" + @brief Gets the connection information. + This iterator method has been introduced in version 0.28.3. + """ + def each_symbol(self) -> Iterator[NetTracerSymbolInfo]: + r""" + @brief Gets the symbol information. + This iterator method has been introduced in version 0.28.3. + """ def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def processor(self) -> TilingProcessor: + def symbol(self, name: str, expr: str) -> None: r""" - @brief Gets the processor the receiver is attached to - - This attribute is set before begin and can be nil if the receiver is not attached to a processor. - - This method has been introduced in version 0.25. + @brief Defines a symbol for use in the material expressions. + Defines a sub-expression to be used in further symbols or material expressions. For the detailed notation of the expression see the description of the net tracer feature. """ -class TileOutputReceiver(TileOutputReceiverBase): +class NetTracerSymbolInfo: r""" - @brief A receiver abstraction for the tiling processor. - - The tiling processor (\TilingProcessor) is a framework for executing sequences of operations on tiles of a layout or multiple layouts. The \TileOutputReceiver class is used to specify an output channel for the tiling processor. See \TilingProcessor#output for more details. - - This class has been introduced in version 0.23. + @brief Represents a single symbol info line for the net tracer technology definition + This class has been introduced in version 0.28.3. """ - def _assign(self, other: TileOutputReceiverBase) -> None: + @classmethod + def new(cls) -> NetTracerSymbolInfo: r""" - @brief Assigns another object to self + @brief Creates a new object of this class + """ + def __copy__(self) -> NetTracerSymbolInfo: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> NetTracerSymbolInfo: + r""" + @brief Creates a copy of self + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -33476,10 +32967,6 @@ class TileOutputReceiver(TileOutputReceiverBase): This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def _dup(self) -> TileOutputReceiver: - r""" - @brief Creates a copy of self - """ def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference @@ -33500,117 +32987,143 @@ class TileOutputReceiver(TileOutputReceiverBase): Usually it's not required to call this method. It has been introduced in version 0.24. """ + def assign(self, other: NetTracerSymbolInfo) -> None: + r""" + @brief Assigns another object to self + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> NetTracerSymbolInfo: + r""" + @brief Creates a copy of self + """ + def expression(self) -> str: + r""" + @brief Gets the expression + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def symbol(self) -> str: + r""" + @brief Gets the symbol + """ -class TilingProcessor: +class NetTracerTechnologyComponent(TechnologyComponent): r""" - @brief A processor for layout which distributes tasks over tiles - - The tiling processor executes one or several scripts on one or multiple layouts providing a tiling scheme. In that scheme, the processor divides the original layout into rectangular tiles and executes the scripts on each tile separately. The tiling processor allows one to specify multiple, independent scripts which are run separately on each tile. It can make use of multi-core CPU's by supporting multiple threads running the tasks in parallel (with respect to tiles and scripts). - - Tiling a optional - if no tiles are specified, the tiling processing basically operates flat and parallelization extends to the scripts only. - - Tiles can be overlapping to gather input from neighboring tiles into the current tile. In order to provide that feature, a border can be specified which gives the amount by which the search region is extended beyond the border of the tile. To specify the border, use the \TilingProcessor#tile_border method. - - The basis of the tiling processor are \Region objects and expressions. Expressions are a built-in simple language to form simple scripts. Expressions allow access to the objects and methods built into KLayout. Each script can consist of multiple operations. Scripts are specified using \TilingProcessor#queue. - - Input is provided to the script through variables holding a \Region object each. From outside the tiling processor, input is specified with the \TilingProcessor#input method. This method is given a name and a \RecursiveShapeIterator object which delivers the data for the input. On the script side, a \Region object is provided through a variable named like the first argument of the "input" method. - - Inside the script the following functions are provided: - - @ul - @li"_dbu" delivers the database unit used for the computations @/li - @li"_tile" delivers a region containing a mask for the tile (a rectangle) or nil if no tiling is used @/li - @li"_output" is used to deliver output (see below) @/li - @/ul - - Output can be obtained from the tiling processor by registering a receiver with a channel. A channel is basically a name. Inside the script, the name describes a variable which can be used as the first argument of the "_output" function to identify the channel. A channel is registers using the \TilingProcessor#output method. Beside the name, a receiver must be specified. A receiver is either another layout (a cell of that), a report database or a custom receiver implemented through the \TileOutputReceiver class. - - The "_output" function expects two or three parameters: one channel id (the variable that was defined by the name given in the output method call) and an object to output (a \Region, \Edges, \EdgePairs or a geometrical primitive such as \Polygon or \Box). In addition, a boolean argument can be given indicating whether clipping at the tile shall be applied. If clipping is requested (the default), the shapes will be clipped at the tile's box. - - The tiling can be specified either through a tile size, a tile number or both. If a tile size is specified with the \TilingProcessor#tile_size method, the tiling processor will compute the number of tiles required. If the tile count is given (through \TilingProcessor#tiles), the tile size will be computed. If both are given, the tiling array is fixed and the array is centered around the original layout's center. If the tiling origin is given as well, the tiling processor will use the given array without any modifications. - - Once the tiling processor has been set up, the operation can be launched using \TilingProcessor#execute. - - This is some sample code. It performs two XOR operations between two layouts and delivers the results to a report database: - - @code - ly1 = ... # first layout - ly2 = ... # second layout - - rdb = RBA::ReportDatabase::new("xor") - output_cell = rdb.create_cell(ly1.top_cell.name) - output_cat1 = rbd.create_category("XOR 1-10") - output_cat2 = rbd.create_category("XOR 2-11") - - tp = RBA::TilingProcessor::new - tp.input("a1", ly1, ly1.top_cell.cell_index, RBA::LayerInfo::new(1, 0)) - tp.input("a2", ly1, ly1.top_cell.cell_index, RBA::LayerInfo::new(2, 0)) - tp.input("b1", ly2, ly2.top_cell.cell_index, RBA::LayerInfo::new(11, 0)) - tp.input("b2", ly2, ly2.top_cell.cell_index, RBA::LayerInfo::new(12, 0)) - tp.output("o1", rdb, output_cell, output_cat1) - tp.output("o2", rdb, output_cell, output_cat2) - tp.queue("_output(o1, a1 ^ b1)") - tp.queue("_output(o2, a2 ^ b2)") - tp.tile_size(50.0, 50.0) - tp.execute("Job description") - @/code - - This class has been introduced in version 0.23. - """ - dbu: float - r""" - Getter: - @brief Gets the database unit under which the computations will be done - - Setter: - @brief Sets the database unit under which the computations will be done - - All data used within the scripts will be brought to that database unit. If none is given it will be the database unit of the first layout given or 1nm if no layout is specified. + @brief Represents the technology information for the net tracer. + This class has been redefined in version 0.28 and re-introduced in version 0.28.3. Since version 0.28, multiple stacks are supported and the individual stack definition is provided through a list of stacks. Use \each to iterate the stacks. """ - @property - def frame(self) -> None: + def __copy__(self) -> NetTracerTechnologyComponent: r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the layout frame + @brief Creates a copy of self + """ + def __deepcopy__(self) -> NetTracerTechnologyComponent: + r""" + @brief Creates a copy of self + """ + def __iter__(self) -> Iterator[NetTracerConnectivity]: + r""" + @brief Gets the connectivity definitions from the net tracer technology component. + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - The layout frame is the box (in micron units) taken into account for computing - the tiles if the tile counts are not given. If the layout frame is not set or - set to an empty box, the processor will try to derive the frame from the given - inputs. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def assign(self, other: TechnologyComponent) -> None: + r""" + @brief Assigns another object to self + """ + def dup(self) -> NetTracerTechnologyComponent: + r""" + @brief Creates a copy of self + """ + def each(self) -> Iterator[NetTracerConnectivity]: + r""" + @brief Gets the connectivity definitions from the net tracer technology component. """ - scale_to_dbu: bool - r""" - Getter: - @brief Gets a valid indicating whether automatic scaling to database unit is enabled - This method has been introduced in version 0.23.2. - Setter: - @brief Enables or disabled automatic scaling to database unit +class Netlist: + r""" + @brief The netlist top-level class + A netlist is a hierarchical structure of circuits. At least one circuit is the top-level circuit, other circuits may be referenced as subcircuits. + Circuits are created with \create_circuit and are represented by objects of the \Circuit class. - If automatic scaling to database unit is enabled, the input is automatically scaled to the database unit set inside the tile processor. This is the default. + Beside circuits, the netlist manages device classes. Device classes describe specific types of devices. Device classes are represented by objects of the \DeviceClass class and are created using \create_device_class. - This method has been introduced in version 0.23.2. + The netlist class has been introduced with version 0.26. """ - threads: int + case_sensitive: bool r""" Getter: - @brief Gets the number of threads to use + @brief Returns a value indicating whether the netlist names are case sensitive + This method has been added in version 0.27.3. Setter: - @brief Specifies the number of threads to use + @brief Sets a value indicating whether the netlist names are case sensitive + This method has been added in version 0.27.3. """ @classmethod - def new(cls) -> TilingProcessor: + def new(cls) -> Netlist: r""" @brief Creates a new object of this class """ - def __copy__(self) -> TilingProcessor: + def __copy__(self) -> Netlist: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> TilingProcessor: + def __deepcopy__(self) -> Netlist: r""" @brief Creates a copy of self """ @@ -33618,6 +33131,11 @@ class TilingProcessor: r""" @brief Creates a new object of this class """ + def __str__(self) -> str: + r""" + @brief Converts the netlist to a string representation. + This method is intended for test purposes mainly. + """ def _create(self) -> None: r""" @brief Ensures the C++ object is created @@ -33655,10 +33173,81 @@ class TilingProcessor: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: TilingProcessor) -> None: + @overload + def add(self, circuit: Circuit) -> None: + r""" + @brief Adds the circuit to the netlist + This method will add the given circuit object to the netlist. After the circuit has been added, it will be owned by the netlist. + """ + @overload + def add(self, device_class: DeviceClass) -> None: + r""" + @brief Adds the device class to the netlist + This method will add the given device class object to the netlist. After the device class has been added, it will be owned by the netlist. + """ + def assign(self, other: Netlist) -> None: r""" @brief Assigns another object to self """ + def blank_circuit(self, pattern: str) -> None: + r""" + @brief Blanks circuits matching a certain pattern + This method will erase everything from inside the circuits matching the given pattern. It will only leave pins which are not connected to any net. Hence, this method forms 'abstract' or black-box circuits which can be instantiated through subcircuits like the former ones, but are empty shells. + The name pattern is a glob expression. For example, 'blank_circuit("np*")' will blank out all circuits with names starting with 'np'. + + For more details see \Circuit#blank which is the corresponding method on the actual object. + """ + @overload + def circuit_by_cell_index(self, cell_index: int) -> Circuit: + r""" + @brief Gets the circuit object for a given cell index. + If the cell index is not valid or no circuit is registered with this index, nil is returned. + """ + @overload + def circuit_by_cell_index(self, cell_index: int) -> Circuit: + r""" + @brief Gets the circuit object for a given cell index (const version). + If the cell index is not valid or no circuit is registered with this index, nil is returned. + + This constness variant has been introduced in version 0.26.8. + """ + @overload + def circuit_by_name(self, name: str) -> Circuit: + r""" + @brief Gets the circuit object for a given name. + If the name is not a valid circuit name, nil is returned. + """ + @overload + def circuit_by_name(self, name: str) -> Circuit: + r""" + @brief Gets the circuit object for a given name (const version). + If the name is not a valid circuit name, nil is returned. + + This constness variant has been introduced in version 0.26.8. + """ + @overload + def circuits_by_name(self, name_pattern: str) -> List[Circuit]: + r""" + @brief Gets the circuit objects for a given name filter. + The name filter is a glob pattern. This method will return all \Circuit objects matching the glob pattern. + + This method has been introduced in version 0.26.4. + """ + @overload + def circuits_by_name(self, name_pattern: str) -> List[Circuit]: + r""" + @brief Gets the circuit objects for a given name filter (const version). + The name filter is a glob pattern. This method will return all \Circuit objects matching the glob pattern. + + + This constness variant has been introduced in version 0.26.8. + """ + def combine_devices(self) -> None: + r""" + @brief Combines devices where possible + This method will combine devices that can be combined according to their device classes 'combine_devices' method. + For example, serial or parallel resistors can be combined into a single resistor. + """ def create(self) -> None: r""" @brief Ensures the C++ object is created @@ -33676,157 +33265,109 @@ class TilingProcessor: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> TilingProcessor: + @overload + def device_class_by_name(self, name: str) -> DeviceClass: r""" - @brief Creates a copy of self + @brief Gets the device class for a given name. + If the name is not a valid device class name, nil is returned. """ - def execute(self, desc: str) -> None: + @overload + def device_class_by_name(self, name: str) -> DeviceClass: r""" - @brief Runs the job + @brief Gets the device class for a given name (const version). + If the name is not a valid device class name, nil is returned. - This method will initiate execution of the queued scripts, once for every tile. The desc is a text shown in the progress bar for example. + This constness variant has been introduced in version 0.26.8. """ - @overload - def input(self, name: str, edge_pairs: EdgePairs) -> None: + def dup(self) -> Netlist: r""" - @brief Specifies input for the tiling processor - This method will establish an input channel for the processor. This version receives input from an \EdgePairs object. Edge pair collections don't always come with a database unit, hence a database unit should be specified with the \dbu= method unless a layout object is specified as input too. - - Caution: the EdgePairs object must stay valid during the lifetime of the tiling processor. Take care to store it in a variable to prevent early destruction of the EdgePairs object. Not doing so may crash the application. - - The name specifies the variable under which the input can be used in the scripts. - This variant has been introduced in version 0.27. + @brief Creates a copy of self """ @overload - def input(self, name: str, edges: Edges) -> None: + def each_circuit(self) -> Iterator[Circuit]: r""" - @brief Specifies input for the tiling processor - This method will establish an input channel for the processor. This version receives input from an \Edges object. Edge collections don't always come with a database unit, hence a database unit should be specified with the \dbu= method unless a layout object is specified as input too. - - Caution: the Edges object must stay valid during the lifetime of the tiling processor. Take care to store it in a variable to prevent early destruction of the Edges object. Not doing so may crash the application. - - The name specifies the variable under which the input can be used in the scripts. + @brief Iterates over the circuits of the netlist """ @overload - def input(self, name: str, iter: RecursiveShapeIterator) -> None: + def each_circuit(self) -> Iterator[Circuit]: r""" - @brief Specifies input for the tiling processor - This method will establish an input channel for the processor. This version receives input from a recursive shape iterator, hence from a hierarchy of shapes from a layout. + @brief Iterates over the circuits of the netlist (const version) - The name specifies the variable under which the input can be used in the scripts. + This constness variant has been introduced in version 0.26.8. """ @overload - def input(self, name: str, region: Region) -> None: + def each_circuit_bottom_up(self) -> Iterator[Circuit]: r""" - @brief Specifies input for the tiling processor - This method will establish an input channel for the processor. This version receives input from a \Region object. Regions don't always come with a database unit, hence a database unit should be specified with the \dbu= method unless a layout object is specified as input too. - - Caution: the Region object must stay valid during the lifetime of the tiling processor. Take care to store it in a variable to prevent early destruction of the Region object. Not doing so may crash the application. + @brief Iterates over the circuits bottom-up (const version) + Iterating bottom-up means the parent circuits come after the child circuits. This is the basically the reverse order as delivered by \each_circuit_top_down. - The name specifies the variable under which the input can be used in the scripts. + This constness variant has been introduced in version 0.26.8. """ @overload - def input(self, name: str, texts: Texts) -> None: + def each_circuit_bottom_up(self) -> Iterator[Circuit]: r""" - @brief Specifies input for the tiling processor - This method will establish an input channel for the processor. This version receives input from an \Texts object. Text collections don't always come with a database unit, hence a database unit should be specified with the \dbu= method unless a layout object is specified as input too. - - Caution: the Texts object must stay valid during the lifetime of the tiling processor. Take care to store it in a variable to prevent early destruction of the Texts object. Not doing so may crash the application. - - The name specifies the variable under which the input can be used in the scripts. - This variant has been introduced in version 0.27. + @brief Iterates over the circuits bottom-up + Iterating bottom-up means the parent circuits come after the child circuits. This is the basically the reverse order as delivered by \each_circuit_top_down. """ @overload - def input(self, name: str, edge_pairs: EdgePairs, trans: ICplxTrans) -> None: + def each_circuit_top_down(self) -> Iterator[Circuit]: r""" - @brief Specifies input for the tiling processor - This method will establish an input channel for the processor. This version receives input from an \EdgePairs object. Edge pair collections don't always come with a database unit, hence a database unit should be specified with the \dbu= method unless a layout object is specified as input too. - - Caution: the EdgePairs object must stay valid during the lifetime of the tiling processor. Take care to store it in a variable to prevent early destruction of the EdgePairs object. Not doing so may crash the application. - - The name specifies the variable under which the input can be used in the scripts. - This variant has been introduced in version 0.27. + @brief Iterates over the circuits top-down + Iterating top-down means the parent circuits come before the child circuits. The first \top_circuit_count circuits are top circuits - i.e. those which are not referenced by other circuits. """ @overload - def input(self, name: str, edges: Edges, trans: ICplxTrans) -> None: + def each_circuit_top_down(self) -> Iterator[Circuit]: r""" - @brief Specifies input for the tiling processor - This method will establish an input channel for the processor. This version receives input from an \Edges object. Edge collections don't always come with a database unit, hence a database unit should be specified with the \dbu= method unless a layout object is specified as input too. - - Caution: the Edges object must stay valid during the lifetime of the tiling processor. Take care to store it in a variable to prevent early destruction of the Edges object. Not doing so may crash the application. - - The name specifies the variable under which the input can be used in the scripts. - This variant allows one to specify an additional transformation too. It has been introduced in version 0.23.2. + @brief Iterates over the circuits top-down (const version) + Iterating top-down means the parent circuits come before the child circuits. The first \top_circuit_count circuits are top circuits - i.e. those which are not referenced by other circuits. + This constness variant has been introduced in version 0.26.8. """ @overload - def input(self, name: str, iter: RecursiveShapeIterator, trans: ICplxTrans) -> None: + def each_device_class(self) -> Iterator[DeviceClass]: r""" - @brief Specifies input for the tiling processor - This method will establish an input channel for the processor. This version receives input from a recursive shape iterator, hence from a hierarchy of shapes from a layout. - In addition, a transformation can be specified which will be applied to the shapes before they are used. - - The name specifies the variable under which the input can be used in the scripts. + @brief Iterates over the device classes of the netlist """ @overload - def input(self, name: str, region: Region, trans: ICplxTrans) -> None: + def each_device_class(self) -> Iterator[DeviceClass]: r""" - @brief Specifies input for the tiling processor - This method will establish an input channel for the processor. This version receives input from a \Region object. Regions don't always come with a database unit, hence a database unit should be specified with the \dbu= method unless a layout object is specified as input too. - - Caution: the Region object must stay valid during the lifetime of the tiling processor. Take care to store it in a variable to prevent early destruction of the Region object. Not doing so may crash the application. + @brief Iterates over the device classes of the netlist (const version) - The name specifies the variable under which the input can be used in the scripts. - This variant allows one to specify an additional transformation too. It has been introduced in version 0.23.2. + This constness variant has been introduced in version 0.26.8. """ - @overload - def input(self, name: str, texts: Texts, trans: ICplxTrans) -> None: + def flatten(self) -> None: r""" - @brief Specifies input for the tiling processor - This method will establish an input channel for the processor. This version receives input from an \Texts object. Text collections don't always come with a database unit, hence a database unit should be specified with the \dbu= method unless a layout object is specified as input too. - - Caution: the Texts object must stay valid during the lifetime of the tiling processor. Take care to store it in a variable to prevent early destruction of the Texts object. Not doing so may crash the application. - - The name specifies the variable under which the input can be used in the scripts. - This variant has been introduced in version 0.27. + @brief Flattens all circuits of the netlist + After calling this method, only the top circuits will remain. """ @overload - def input(self, name: str, layout: Layout, cell_index: int, layer: int) -> None: + def flatten_circuit(self, circuit: Circuit) -> None: r""" - @brief Specifies input for the tiling processor - This method will establish an input channel for the processor. This version receives input from a layout and the hierarchy below the cell with the given cell index. - "layer" is the layer index of the input layer. - - The name specifies the variable under which the input can be used in the scripts. + @brief Flattens a subcircuit + This method will substitute all instances (subcircuits) of the given circuit by it's contents. After this, the circuit is removed. """ @overload - def input(self, name: str, layout: Layout, cell_index: int, lp: LayerInfo) -> None: + def flatten_circuit(self, pattern: str) -> None: r""" - @brief Specifies input for the tiling processor - This method will establish an input channel for the processor. This version receives input from a layout and the hierarchy below the cell with the given cell index. - "lp" is a \LayerInfo object specifying the input layer. - - The name specifies the variable under which the input can be used in the scripts. + @brief Flattens circuits matching a certain pattern + This method will substitute all instances (subcircuits) of all circuits with names matching the given name pattern. The name pattern is a glob expression. For example, 'flatten_circuit("np*")' will flatten all circuits with names starting with 'np'. """ - @overload - def input(self, name: str, layout: Layout, cell_index: int, layer: int, trans: ICplxTrans) -> None: + def flatten_circuits(self, arg0: Sequence[Circuit]) -> None: r""" - @brief Specifies input for the tiling processor - This method will establish an input channel for the processor. This version receives input from a layout and the hierarchy below the cell with the given cell index. - "layer" is the layer index of the input layer. - In addition, a transformation can be specified which will be applied to the shapes before they are used. + @brief Flattens all given circuits of the netlist + This method is equivalent to calling \flatten_circuit for all given circuits, but more efficient. - The name specifies the variable under which the input can be used in the scripts. + This method has been introduced in version 0.26.1 """ - @overload - def input(self, name: str, layout: Layout, cell_index: int, lp: LayerInfo, trans: ICplxTrans) -> None: + def from_s(self, str: str) -> None: r""" - @brief Specifies input for the tiling processor - This method will establish an input channel for the processor. This version receives input from a layout and the hierarchy below the cell with the given cell index. - "lp" is a \LayerInfo object specifying the input layer. - In addition, a transformation can be specified which will be applied to the shapes before they are used. - - The name specifies the variable under which the input can be used in the scripts. + @brief Reads the netlist from a string representation. + This method is intended for test purposes mainly. It turns a string returned by \to_s back into a netlist. Note that the device classes must be created before as they are not persisted inside the string. + """ + def is_case_sensitive(self) -> bool: + r""" + @brief Returns a value indicating whether the netlist names are case sensitive + This method has been added in version 0.27.3. """ def is_const_object(self) -> bool: r""" @@ -33834,705 +33375,731 @@ class TilingProcessor: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - @overload - def output(self, name: str, edge_pairs: EdgePairs) -> None: + def make_top_level_pins(self) -> None: r""" - @brief Specifies output to an \EdgePairs object - This method will establish an output channel to an \EdgePairs object. The output sent to that channel will be put into the specified edge pair collection. - Only \EdgePair objects are accepted. Other objects are discarded. - - The name is the name which must be used in the _output function of the scripts in order to address that channel. - - @param name The name of the channel - @param edge_pairs The \EdgePairs object to which the data is sent + @brief Creates pins for top-level circuits. + This method will turn all named nets of top-level circuits (such that are not referenced by subcircuits) into pins. This method can be used before purge to avoid that purge will remove nets which are directly connecting to subcircuits. """ @overload - def output(self, name: str, edges: Edges) -> None: + def nets_by_name(self, name_pattern: str) -> List[Net]: r""" - @brief Specifies output to an \Edges object - This method will establish an output channel to an \Edges object. The output sent to that channel will be put into the specified edge collection. - 'Solid' objects such as polygons will be converted to edges by resolving their hulls into edges. Edge pairs are resolved into single edges. - - The name is the name which must be used in the _output function of the scripts in order to address that channel. + @brief Gets the net objects for a given name filter. + The name filter is a glob pattern. This method will return all \Net objects matching the glob pattern. - @param name The name of the channel - @param edges The \Edges object to which the data is sent + This method has been introduced in version 0.28.4. """ @overload - def output(self, name: str, rec: TileOutputReceiverBase) -> None: + def nets_by_name(self, name_pattern: str) -> List[Net]: r""" - @brief Specifies output for the tiling processor - This method will establish an output channel for the processor. For that it registers an output receiver which will receive data from the scripts. The scripts call the _output function to deliver data. - "name" will be name of the variable which must be passed to the first argument of the _output function in order to address this channel. - - Please note that the tiling processor will destroy the receiver object when it is freed itself. Hence if you need to address the receiver object later, make sure that the processor is still alive, i.e. by assigning the object to a variable. - - The following code uses the output receiver. It takes the shapes of a layer from a layout, computes the area of each tile and outputs the area to the custom receiver: - - @code - layout = ... # the layout - cell = ... # the top cell's index - layout = ... # the input layer - - class MyReceiver < RBA::TileOutputReceiver - def put(ix, iy, tile, obj, dbu, clip) - puts "got area for tile #{ix+1},#{iy+1}: #{obj.to_s}" - end - end + @brief Gets the net objects for a given name filter (const version). + The name filter is a glob pattern. This method will return all \Net objects matching the glob pattern. - tp = RBA::TilingProcessor::new - # register the custom receiver - tp.output("my_receiver", MyReceiver::new) - tp.input("the_input", layout.begin_shapes(cell, layer)) - tp.tile_size(100, 100) # 100x100 um tile size - # The script clips the input at the tile and computes the (merged) area: - tp.queue("_output(my_receiver, (the_input & _tile).area)") - tp.execute("Job description") - @/code + This constness variant has been introduced in version 0.28.4. """ - @overload - def output(self, name: str, region: Region) -> None: + def purge(self) -> None: r""" - @brief Specifies output to a \Region object - This method will establish an output channel to a \Region object. The output sent to that channel will be put into the specified region. - - The name is the name which must be used in the _output function of the scripts in order to address that channel. - Edges sent to this channel are discarded. Edge pairs are converted to polygons. - - @param name The name of the channel - @param region The \Region object to which the data is sent + @brief Purge unused nets, circuits and subcircuits. + This method will purge all nets which return \floating == true. Circuits which don't have any nets (or only floating ones) and removed. Their subcircuits are disconnected. + This method respects the \Circuit#dont_purge attribute and will never delete circuits with this flag set. """ - @overload - def output(self, name: str, sum: float) -> None: + def purge_circuit(self, circuit: Circuit) -> None: r""" - @brief Specifies output to single value - This method will establish an output channel which sums up float data delivered by calling the _output function. - In order to specify the target for the data, a \Value object must be provided for the "sum" parameter. - - The name is the name which must be used in the _output function of the scripts in order to address that channel. + @brief Removes the given circuit object and all child circuits which are not used otherwise from the netlist + After the circuit has been removed, the object becomes invalid and cannot be used further. A circuit with references (see \has_refs?) should not be removed as the subcircuits calling it would afterwards point to nothing. """ - @overload - def output(self, name: str, texts: Texts) -> None: + def purge_nets(self) -> None: r""" - @brief Specifies output to an \Texts object - This method will establish an output channel to an \Texts object. The output sent to that channel will be put into the specified edge pair collection. - Only \Text objects are accepted. Other objects are discarded. - - The name is the name which must be used in the _output function of the scripts in order to address that channel. - - @param name The name of the channel - @param texts The \Texts object to which the data is sent - - This variant has been introduced in version 0.27. + @brief Purges floating nets. + Floating nets can be created as effect of reconnections of devices or pins. This method will eliminate all nets that make less than two connections. """ - @overload - def output(self, name: str, layout: Layout, cell: int, layer_index: int) -> None: + def read(self, file: str, reader: NetlistReader) -> None: r""" - @brief Specifies output to a layout layer - This method will establish an output channel to a layer in a layout. The output sent to that channel will be put into the specified layer and cell. In this version, the layer is specified through a layer index, hence it must be created before. - - The name is the name which must be used in the _output function of the scripts in order to address that channel. - - @param name The name of the channel - @param layout The layout to which the data is sent - @param cell The index of the cell to which the data is sent - @param layer_index The layer index where the output will be sent to + @brief Writes the netlist to the given file using the given reader object to parse the file + See \NetlistSpiceReader for an example for a parser. """ @overload - def output(self, name: str, layout: Layout, cell: int, lp: LayerInfo) -> None: + def remove(self, circuit: Circuit) -> None: r""" - @brief Specifies output to a layout layer - This method will establish an output channel to a layer in a layout. The output sent to that channel will be put into the specified layer and cell. In this version, the layer is specified through a \LayerInfo object, i.e. layer and datatype number. If no such layer exists, it will be created. - - The name is the name which must be used in the _output function of the scripts in order to address that channel. - - @param name The name of the channel - @param layout The layout to which the data is sent - @param cell The index of the cell to which the data is sent - @param lp The layer specification where the output will be sent to + @brief Removes the given circuit object from the netlist + After the circuit has been removed, the object becomes invalid and cannot be used further. A circuit with references (see \has_refs?) should not be removed as the subcircuits calling it would afterwards point to nothing. """ - def queue(self, script: str) -> None: + @overload + def remove(self, device_class: DeviceClass) -> None: r""" - @brief Queues a script for parallel execution - - With this method, scripts are registered that are executed in parallel on each tile. - The scripts have "Expressions" syntax and can make use of several predefined variables and functions. - See the \TilingProcessor class description for details. + @brief Removes the given device class object from the netlist + After the object has been removed, it becomes invalid and cannot be used further. Use this method with care as it may corrupt the internal structure of the netlist. Only use this method when device refers to this device class. """ - def tile_border(self, bx: float, by: float) -> None: + def simplify(self) -> None: r""" - @brief Sets the tile border - - Specifies the tile border. The border is a margin that is considered when fetching shapes. By specifying a border you can fetch shapes into the tile's data which are outside the tile but still must be considered in the computations (i.e. because they might grow into the tile). - - The tile border is given in micron. + @brief Convenience method that combines the simplification. + This method is a convenience method that runs \make_top_level_pins, \purge, \combine_devices and \purge_nets. """ - def tile_origin(self, xo: float, yo: float) -> None: + def to_s(self) -> str: r""" - @brief Sets the tile origin - - Specifies the origin (lower left corner) of the tile field. If no origin is specified, the tiles are centered to the layout's bounding box. Giving the origin together with the tile count and dimensions gives full control over the tile array. - - The tile origin is given in micron. + @brief Converts the netlist to a string representation. + This method is intended for test purposes mainly. """ - def tile_size(self, w: float, h: float) -> None: + def top_circuit_count(self) -> int: r""" - @brief Sets the tile size - - Specifies the size of the tiles to be used. If no tile size is specified, tiling won't be used and all computations will be done on the whole layout. + @brief Gets the number of top circuits. + Top circuits are those which are not referenced by other circuits via subcircuits. A well-formed netlist has a single top circuit. + """ + def write(self, file: str, writer: NetlistWriter, description: Optional[str] = ...) -> None: + r""" + @brief Writes the netlist to the given file using the given writer object to format the file + See \NetlistSpiceWriter for an example for a formatter. The description is an arbitrary text which will be put into the file somewhere at the beginning. + """ - The tile size is given in micron. +class NetlistCompareLogger: + r""" + @brief A base class for netlist comparer event receivers + See \GenericNetlistCompareLogger for custom implementations of such receivers. + """ + @classmethod + def new(cls) -> NetlistCompareLogger: + r""" + @brief Creates a new object of this class """ - def tiles(self, nw: int, nh: int) -> None: + def __init__(self) -> None: r""" - @brief Sets the tile count + @brief Creates a new object of this class + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - Specifies the number of tiles to be used. If no tile number is specified, the number of tiles required is computed from the layout's dimensions and the tile size. If a number is given, but no tile size, the tile size will be computed from the layout's dimensions. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def var(self, name: str, value: Any) -> None: + def _unmanage(self) -> None: r""" - @brief Defines a variable for the tiling processor script + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - The name specifies the variable under which the value can be used in the scripts. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ -class Trans: +class NetlistComparer: r""" - @brief A simple transformation - - Simple transformations only provide rotations about angles which a multiples of 90 degree. - Together with the mirror options, this results in 8 distinct orientations (fixpoint transformations). - These can be combined with a displacement which is applied after the rotation/mirror. - This version acts on integer coordinates. A version for floating-point coordinates is \DTrans. - - Here are some examples for using the Trans class: + @brief Compares two netlists + This class performs a comparison of two netlists. + It can be used with an event receiver (logger) to track the errors and net mismatches. Event receivers are derived from class \GenericNetlistCompareLogger. + The netlist comparer can be configured in different ways. Specific hints can be given for nets, device classes or circuits to improve efficiency and reliability of the graph equivalence deduction algorithm. For example, objects can be marked as equivalent using \same_nets, \same_circuits etc. The compare algorithm will then use these hints to derive further equivalences. This way, ambiguities can be resolved. - @code - t = RBA::Trans::new(0, 100) # displacement by 100 DBU in y direction - # the inverse: -> "r0 0,-100" - t.inverted.to_s - # concatenation: -> "r90 -100,0" - (RBA::Trans::R90 * t).to_s - # apply to a point: -> "0,100" - RBA::Trans::R90.trans(RBA::Point::new(100, 0)) - @/code + Another configuration option relates to swappable pins of subcircuits. If pins are marked this way, the compare algorithm may swap them to achieve net matching. Swappable pins belong to an 'equivalence group' and can be defined with \equivalent_pins. - See @The Database API@ for more details about the database objects. - """ - M0: ClassVar[Trans] - r""" - @brief A constant giving "mirrored at the x-axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - M135: ClassVar[Trans] - r""" - @brief A constant giving "mirrored at the 135 degree axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - M45: ClassVar[Trans] - r""" - @brief A constant giving "mirrored at the 45 degree axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - M90: ClassVar[Trans] - r""" - @brief A constant giving "mirrored at the y (90 degree) axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R0: ClassVar[Trans] - r""" - @brief A constant giving "unrotated" (unit) transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R180: ClassVar[Trans] - r""" - @brief A constant giving "rotated by 180 degree counterclockwise" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R270: ClassVar[Trans] - r""" - @brief A constant giving "rotated by 270 degree counterclockwise" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R90: ClassVar[Trans] - r""" - @brief A constant giving "rotated by 90 degree counterclockwise" transformation - The previous integer constant has been turned into a transformation in version 0.25. + This class has been introduced in version 0.26. """ - angle: int + @property + def max_resistance(self) -> None: + r""" + WARNING: This variable can only be set, not retrieved. + @brief Excludes all resistor devices with a resistance values higher than the given threshold. + To reset this constraint, set this attribute to zero. + """ + @property + def min_capacitance(self) -> None: + r""" + WARNING: This variable can only be set, not retrieved. + @brief Excludes all capacitor devices with a capacitance values less than the given threshold. + To reset this constraint, set this attribute to zero. + """ + dont_consider_net_names: bool r""" Getter: - @brief Gets the angle in units of 90 degree - - This value delivers the rotation component. In addition, a mirroring at the x axis may be applied before if the \is_mirror? property is true. + @brief Gets a value indicating whether net names shall not be considered + See \dont_consider_net_names= for details. Setter: - @brief Sets the angle in units of 90 degree - @param a The new angle + @brief Sets a value indicating whether net names shall not be considered + If this value is set to true, net names will not be considered when resolving ambiguities. + Not considering net names usually is more expensive. The default is 'false' indicating that + net names will be considered for ambiguity resolution. - This method was introduced in version 0.20. + This property has been introduced in version 0.26.7. """ - disp: Vector + max_branch_complexity: int r""" Getter: - @brief Gets to the displacement vector - - Staring with version 0.25 the displacement type is a vector. + @brief Gets the maximum branch complexity + See \max_branch_complexity= for details. Setter: - @brief Sets the displacement - @param u The new displacement + @brief Sets the maximum branch complexity + This value limits the maximum branch complexity of the backtracking algorithm. + The complexity is the accumulated number of branch options with ambiguous + net matches. Backtracking will stop when the maximum number of options + has been exceeded. - This method was introduced in version 0.20. - Staring with version 0.25 the displacement type is a vector. + By default, from version 0.27 on the complexity is unlimited and can be reduced in cases where runtimes need to be limited at the cost less elaborate matching evaluation. + + As the computational complexity is the square of the branch count, + this value should be adjusted carefully. """ - mirror: bool + max_depth: int r""" Getter: - @brief Gets the mirror flag - - If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. + @brief Gets the maximum search depth + See \max_depth= for details. Setter: - @brief Sets the mirror flag - "mirroring" describes a reflection at the x-axis which is included in the transformation prior to rotation.@param m The new mirror flag + @brief Sets the maximum search depth + This value limits the search depth of the backtracking algorithm to the + given number of jumps. - This method was introduced in version 0.20. + By default, from version 0.27 on the depth is unlimited and can be reduced in cases where runtimes need to be limited at the cost less elaborate matching evaluation. """ - rot: int + with_log: bool r""" Getter: - @brief Gets the angle/mirror code + @brief Gets a value indicating that log messages are generated. + See \with_log= for details about this flag. + + This attribute have been introduced in version 0.28. - The angle/mirror code is one of the constants R0, R90, R180, R270, M0, M45, M90 and M135. rx is the rotation by an angle of x counter clockwise. mx is the mirroring at the axis given by the angle x (to the x-axis). Setter: - @brief Sets the angle/mirror code - @param r The new angle/rotation code (see \rot property) + @brief Sets a value indicating that log messages are generated. + Log messages may be expensive to compute, hence they can be turned off. + By default, log messages are generated. - This method was introduced in version 0.20. + This attribute have been introduced in version 0.28. """ + @overload @classmethod - def from_dtrans(cls, dtrans: DTrans) -> Trans: + def new(cls) -> NetlistComparer: r""" - @brief Creates an integer coordinate transformation from a floating-point coordinate transformation - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtrans'. + @brief Creates a new comparer object. + See the class description for more details. """ + @overload @classmethod - def from_s(cls, s: str) -> Trans: + def new(cls, logger: GenericNetlistCompareLogger) -> NetlistComparer: r""" - @brief Creates a transformation from a string - Creates the object from a string representation (as returned by \to_s) - - This method has been added in version 0.23. + @brief Creates a new comparer object. + The logger is a delegate or event receiver which the comparer will send compare events to. See the class description for more details. """ @overload - @classmethod - def new(cls) -> Trans: + def __init__(self) -> None: r""" - @brief Creates a unit transformation + @brief Creates a new comparer object. + See the class description for more details. """ @overload - @classmethod - def new(cls, dtrans: DTrans) -> Trans: + def __init__(self, logger: GenericNetlistCompareLogger) -> None: r""" - @brief Creates an integer coordinate transformation from a floating-point coordinate transformation - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtrans'. + @brief Creates a new comparer object. + The logger is a delegate or event receiver which the comparer will send compare events to. See the class description for more details. """ - @overload - @classmethod - def new(cls, u: Vector) -> Trans: + def _create(self) -> None: r""" - @brief Creates a transformation using a displacement only - - @param u The displacement + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - @classmethod - def new(cls, c: Trans, u: Optional[Vector] = ...) -> Trans: + def _destroy(self) -> None: r""" - @brief Creates a transformation from another transformation plus a displacement - - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - - This variant has been introduced in version 0.25. - - @param c The original transformation - @param u The Additional displacement + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - @classmethod - def new(cls, x: int, y: int) -> Trans: + def _destroyed(self) -> bool: r""" - @brief Creates a transformation using a displacement given as two coordinates - - @param x The horizontal displacement - @param y The vertical displacement + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - @classmethod - def new(cls, c: Trans, x: int, y: int) -> Trans: + def _is_const_object(self) -> bool: r""" - @brief Creates a transformation from another transformation plus a displacement - - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - - This variant has been introduced in version 0.25. - - @param c The original transformation - @param x The Additional displacement (x) - @param y The Additional displacement (y) + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - @classmethod - def new(cls, rot: int, mirr: Optional[bool] = ..., u: Optional[Vector] = ...) -> Trans: + def _manage(self) -> None: r""" - @brief Creates a transformation using angle and mirror flag + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - The sequence of operations is: mirroring at x axis, - rotation, application of displacement. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - @param rot The rotation in units of 90 degree - @param mirrx True, if mirrored at x axis - @param u The displacement + Usually it's not required to call this method. It has been introduced in version 0.24. """ @overload - @classmethod - def new(cls, rot: int, mirr: bool, x: int, y: int) -> Trans: + def compare(self, netlist_a: Netlist, netlist_b: Netlist) -> bool: r""" - @brief Creates a transformation using angle and mirror flag and two coordinate values for displacement - - The sequence of operations is: mirroring at x axis, - rotation, application of displacement. - - @param rot The rotation in units of 90 degree - @param mirrx True, if mirrored at x axis - @param x The horizontal displacement - @param y The vertical displacement + @brief Compares two netlists. + This method will perform the actual netlist compare. It will return true if both netlists are identical. If the comparer has been configured with \same_nets or similar methods, the objects given there must be located inside 'circuit_a' and 'circuit_b' respectively. """ - def __copy__(self) -> Trans: + @overload + def compare(self, netlist_a: Netlist, netlist_b: Netlist, logger: NetlistCompareLogger) -> bool: r""" - @brief Creates a copy of self + @brief Compares two netlists. + This method will perform the actual netlist compare using the given logger. It will return true if both netlists are identical. If the comparer has been configured with \same_nets or similar methods, the objects given there must be located inside 'circuit_a' and 'circuit_b' respectively. """ - def __deepcopy__(self) -> Trans: + def create(self) -> None: r""" - @brief Creates a copy of self + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def __eq__(self, other: object) -> bool: + def destroy(self) -> None: r""" - @brief Tests for equality + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def __hash__(self) -> int: + def destroyed(self) -> bool: r""" - @brief Computes a hash value - Returns a hash value for the given transformation. This method enables transformations as hash keys. - - This method has been introduced in version 0.25. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ @overload - def __init__(self) -> None: + def equivalent_pins(self, circuit_b: Circuit, pin_id1: int, pin_id2: int) -> None: r""" - @brief Creates a unit transformation + @brief Marks two pins of the given circuit as equivalent (i.e. they can be swapped). + Only circuits from the second input can be given swappable pins. This will imply the same swappable pins on the equivalent circuit of the first input. To mark multiple pins as swappable, use the version that takes a list of pins. """ @overload - def __init__(self, dtrans: DTrans) -> None: + def equivalent_pins(self, circuit_b: Circuit, pin_ids: Sequence[int]) -> None: r""" - @brief Creates an integer coordinate transformation from a floating-point coordinate transformation - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtrans'. + @brief Marks several pins of the given circuit as equivalent (i.e. they can be swapped). + Only circuits from the second input can be given swappable pins. This will imply the same swappable pins on the equivalent circuit of the first input. This version is a generic variant of the two-pin version of this method. """ - @overload - def __init__(self, u: Vector) -> None: + def is_const_object(self) -> bool: r""" - @brief Creates a transformation using a displacement only - - @param u The displacement + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def __init__(self, c: Trans, u: Optional[Vector] = ...) -> None: + def join_symmetric_nets(self, circuit: Circuit) -> None: r""" - @brief Creates a transformation from another transformation plus a displacement + @brief Joins symmetric nodes in the given circuit. - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. + Nodes are symmetrical if swapping them would not modify the circuit. + Hence they will carry the same potential and can be connected (joined). + This will simplify the circuit and can be applied before device combination + to render a schematic-equivalent netlist in some cases (split gate option). - This variant has been introduced in version 0.25. + This algorithm will apply the comparer's settings to the symmetry + condition (device filtering, device compare tolerances, device class + equivalence etc.). - @param c The original transformation - @param u The Additional displacement + This method has been introduced in version 0.26.4. """ - @overload - def __init__(self, x: int, y: int) -> None: + def same_circuits(self, circuit_a: Circuit, circuit_b: Circuit) -> None: r""" - @brief Creates a transformation using a displacement given as two coordinates - - @param x The horizontal displacement - @param y The vertical displacement + @brief Marks two circuits as identical. + This method makes a circuit circuit_a in netlist a identical to the corresponding + circuit circuit_b in netlist b (see \compare). By default circuits with the same name are identical. """ - @overload - def __init__(self, c: Trans, x: int, y: int) -> None: + def same_device_classes(self, dev_cls_a: DeviceClass, dev_cls_b: DeviceClass) -> None: r""" - @brief Creates a transformation from another transformation plus a displacement - - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - - This variant has been introduced in version 0.25. - - @param c The original transformation - @param x The Additional displacement (x) - @param y The Additional displacement (y) + @brief Marks two device classes as identical. + This makes a device class dev_cls_a in netlist a identical to the corresponding + device class dev_cls_b in netlist b (see \compare). + By default device classes with the same name are identical. """ @overload - def __init__(self, rot: int, mirr: Optional[bool] = ..., u: Optional[Vector] = ...) -> None: + def same_nets(self, circuit_a: Circuit, circuit_b: Circuit, net_a: Net, net_b: Net, must_match: Optional[bool] = ...) -> None: r""" - @brief Creates a transformation using angle and mirror flag + @brief Marks two nets as identical. + This makes a net net_a in netlist a identical to the corresponding + net net_b in netlist b (see \compare). + Otherwise, the algorithm will try to identify nets according to their topology. This method can be used to supply hints to the compare algorithm. It will use these hints to derive further identities. - The sequence of operations is: mirroring at x axis, - rotation, application of displacement. + If 'must_match' is true, the nets are required to match. If they don't, an error is reported. - @param rot The rotation in units of 90 degree - @param mirrx True, if mirrored at x axis - @param u The displacement + This variant allows specifying nil for the nets indicating the nets are mismatched by definition. with 'must_match' this will render a net mismatch error. + + This variant has been added in version 0.27.3. """ @overload - def __init__(self, rot: int, mirr: bool, x: int, y: int) -> None: + def same_nets(self, net_a: Net, net_b: Net, must_match: Optional[bool] = ...) -> None: r""" - @brief Creates a transformation using angle and mirror flag and two coordinate values for displacement + @brief Marks two nets as identical. + This makes a net net_a in netlist a identical to the corresponding + net net_b in netlist b (see \compare). + Otherwise, the algorithm will try to identify nets according to their topology. This method can be used to supply hints to the compare algorithm. It will use these hints to derive further identities. - The sequence of operations is: mirroring at x axis, - rotation, application of displacement. + If 'must_match' is true, the nets are required to match. If they don't, an error is reported. - @param rot The rotation in units of 90 degree - @param mirrx True, if mirrored at x axis - @param x The horizontal displacement - @param y The vertical displacement + The 'must_match' optional argument has been added in version 0.27.3. """ - def __lt__(self, other: Trans) -> bool: + def unmatched_circuits_a(self, a: Netlist, b: Netlist) -> List[Circuit]: r""" - @brief Provides a 'less' criterion for sorting - This method is provided to implement a sorting order. The definition of 'less' is opaque and might change in future versions. + @brief Returns a list of circuits in A for which there is not corresponding circuit in B + This list can be used to flatten these circuits so they do not participate in the compare process. """ - @overload - def __mul__(self, box: Box) -> Box: + def unmatched_circuits_b(self, a: Netlist, b: Netlist) -> List[Circuit]: r""" - @brief Transforms a box - - 't*box' or 't.trans(box)' is equivalent to box.transformed(t). + @brief Returns a list of circuits in B for which there is not corresponding circuit in A + This list can be used to flatten these circuits so they do not participate in the compare process. + """ - @param box The box to transform - @return The transformed box +class NetlistCrossReference(NetlistCompareLogger): + r""" + @brief Represents the identity mapping between the objects of two netlists. - This convenience method has been introduced in version 0.25. - """ - @overload - def __mul__(self, d: int) -> int: - r""" - @brief Transforms a distance + The NetlistCrossReference object is a container for the results of a netlist comparison. It implemented the \NetlistCompareLogger interface, hence can be used as output for a netlist compare operation (\NetlistComparer#compare). It's purpose is to store the results of the compare. It is used in this sense inside the \LayoutVsSchematic framework. - The "ctrans" method transforms the given distance. - e = t(d). For the simple transformations, there - is no magnification and no modification of the distance - therefore. + The basic idea of the cross reference object is pairing: the netlist comparer will try to identify matching items and store them as pairs inside the cross reference object. If no match is found, a single-sided pair is generated: one item is nil in this case. + Beside the items, a status is kept which gives more details about success or failure of the match operation. - @param d The distance to transform - @return The transformed distance + Item pairing happens on different levels, reflecting the hierarchy of the netlists. On the top level there are circuits. Inside circuits nets, devices, subcircuits and pins are paired. Nets further contribute their connected items through terminals (for devices), pins (outgoing) and subcircuit pins. - The product '*' has been added as a synonym in version 0.28. - """ - @overload - def __mul__(self, edge: Edge) -> Edge: + This class has been introduced in version 0.26. + """ + class CircuitPairData: r""" - @brief Transforms an edge + @brief A circuit match entry. + This object is used to describe the relationship of two circuits in a netlist match. - 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). - - @param edge The edge to transform - @return The transformed edge - - This convenience method has been introduced in version 0.25. - """ - @overload - def __mul__(self, p: Point) -> Point: - r""" - @brief Transforms a point - - The "trans" method or the * operator transforms the given point. - q = t(p) - - The * operator has been introduced in version 0.25. - - @param p The point to transform - @return The transformed point + Upon successful match, the \first and \second members are the matching objects and \status is 'Match'. + This object is also used to describe non-matches or match errors. In this case, \first or \second may be nil and \status further describes the case. """ - @overload - def __mul__(self, path: Path) -> Path: + def first(self) -> Circuit: + r""" + @brief Gets the first object of the relation pair. + The first object is usually the one obtained from the layout-derived netlist. This member can be nil if the pair is describing a non-matching reference object. In this case, the \second member is the reference object for which no match was found. + """ + def second(self) -> Circuit: + r""" + @brief Gets the second object of the relation pair. + The first object is usually the one obtained from the reference netlist. This member can be nil if the pair is describing a non-matching layout object. In this case, the \first member is the layout-derived object for which no match was found. + """ + def status(self) -> NetlistCrossReference.Status: + r""" + @brief Gets the status of the relation. + This enum described the match status of the relation pair. + """ + class DevicePairData: r""" - @brief Transforms a path - - 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - - @param path The path to transform - @return The transformed path + @brief A device match entry. + This object is used to describe the relationship of two devices in a netlist match. - This convenience method has been introduced in version 0.25. + Upon successful match, the \first and \second members are the matching objects and \status is 'Match'. + This object is also used to describe non-matches or match errors. In this case, \first or \second may be nil and \status further describes the case. """ - @overload - def __mul__(self, polygon: Polygon) -> Polygon: + def first(self) -> Device: + r""" + @brief Gets the first object of the relation pair. + The first object is usually the one obtained from the layout-derived netlist. This member can be nil if the pair is describing a non-matching reference object. In this case, the \second member is the reference object for which no match was found. + """ + def second(self) -> Device: + r""" + @brief Gets the second object of the relation pair. + The first object is usually the one obtained from the reference netlist. This member can be nil if the pair is describing a non-matching layout object. In this case, the \first member is the layout-derived object for which no match was found. + """ + def status(self) -> NetlistCrossReference.Status: + r""" + @brief Gets the status of the relation. + This enum described the match status of the relation pair. + """ + class NetPairData: r""" - @brief Transforms a polygon - - 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - - @param polygon The polygon to transform - @return The transformed polygon + @brief A net match entry. + This object is used to describe the relationship of two nets in a netlist match. - This convenience method has been introduced in version 0.25. + Upon successful match, the \first and \second members are the matching objects and \status is 'Match'. + This object is also used to describe non-matches or match errors. In this case, \first or \second may be nil and \status further describes the case. """ - @overload - def __mul__(self, t: Trans) -> Trans: + def first(self) -> Net: + r""" + @brief Gets the first object of the relation pair. + The first object is usually the one obtained from the layout-derived netlist. This member can be nil if the pair is describing a non-matching reference object. In this case, the \second member is the reference object for which no match was found. + """ + def second(self) -> Net: + r""" + @brief Gets the second object of the relation pair. + The first object is usually the one obtained from the reference netlist. This member can be nil if the pair is describing a non-matching layout object. In this case, the \first member is the layout-derived object for which no match was found. + """ + def status(self) -> NetlistCrossReference.Status: + r""" + @brief Gets the status of the relation. + This enum described the match status of the relation pair. + """ + class NetPinRefPair: r""" - @brief Returns the concatenated transformation - - The * operator returns self*t ("t is applied before this transformation"). + @brief A match entry for a net pin pair. + This object is used to describe the matching pin pairs or non-matching pins on a net. - @param t The transformation to apply before - @return The modified transformation + Upon successful match, the \first and \second members are the matching net objects.Otherwise, either \first or \second is nil and the other member is the object for which no match was found. """ - @overload - def __mul__(self, text: Text) -> Text: + def first(self) -> NetPinRef: + r""" + @brief Gets the first object of the relation pair. + The first object is usually the one obtained from the layout-derived netlist. This member can be nil if the pair is describing a non-matching reference object. In this case, the \second member is the reference object for which no match was found. + """ + def second(self) -> NetPinRef: + r""" + @brief Gets the second object of the relation pair. + The first object is usually the one obtained from the reference netlist. This member can be nil if the pair is describing a non-matching layout object. In this case, the \first member is the layout-derived object for which no match was found. + """ + class NetSubcircuitPinRefPair: r""" - @brief Transforms a text - - 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - - @param text The text to transform - @return The transformed text + @brief A match entry for a net subcircuit pin pair. + This object is used to describe the matching subcircuit pin pairs or non-matching subcircuit pins on a net. - This convenience method has been introduced in version 0.25. + Upon successful match, the \first and \second members are the matching net objects.Otherwise, either \first or \second is nil and the other member is the object for which no match was found. """ - @overload - def __mul__(self, v: Vector) -> Vector: + def first(self) -> NetSubcircuitPinRef: + r""" + @brief Gets the first object of the relation pair. + The first object is usually the one obtained from the layout-derived netlist. This member can be nil if the pair is describing a non-matching reference object. In this case, the \second member is the reference object for which no match was found. + """ + def second(self) -> NetSubcircuitPinRef: + r""" + @brief Gets the second object of the relation pair. + The first object is usually the one obtained from the reference netlist. This member can be nil if the pair is describing a non-matching layout object. In this case, the \first member is the layout-derived object for which no match was found. + """ + class NetTerminalRefPair: r""" - @brief Transforms a vector - - The "trans" method or the * operator transforms the given vector. - w = t(v) - - Vector transformation has been introduced in version 0.25. + @brief A match entry for a net terminal pair. + This object is used to describe the matching terminal pairs or non-matching terminals on a net. - @param v The vector to transform - @return The transformed vector - """ - def __ne__(self, other: object) -> bool: - r""" - @brief Tests for inequality + Upon successful match, the \first and \second members are the matching net objects.Otherwise, either \first or \second is nil and the other member is the object for which no match was found. """ - @overload - def __rmul__(self, box: Box) -> Box: + def first(self) -> NetTerminalRef: + r""" + @brief Gets the first object of the relation pair. + The first object is usually the one obtained from the layout-derived netlist. This member can be nil if the pair is describing a non-matching reference object. In this case, the \second member is the reference object for which no match was found. + """ + def second(self) -> NetTerminalRef: + r""" + @brief Gets the second object of the relation pair. + The first object is usually the one obtained from the reference netlist. This member can be nil if the pair is describing a non-matching layout object. In this case, the \first member is the layout-derived object for which no match was found. + """ + class PinPairData: r""" - @brief Transforms a box - - 't*box' or 't.trans(box)' is equivalent to box.transformed(t). - - @param box The box to transform - @return The transformed box + @brief A pin match entry. + This object is used to describe the relationship of two circuit pins in a netlist match. - This convenience method has been introduced in version 0.25. + Upon successful match, the \first and \second members are the matching objects and \status is 'Match'. + This object is also used to describe non-matches or match errors. In this case, \first or \second may be nil and \status further describes the case. """ - @overload - def __rmul__(self, d: int) -> int: + def first(self) -> Pin: + r""" + @brief Gets the first object of the relation pair. + The first object is usually the one obtained from the layout-derived netlist. This member can be nil if the pair is describing a non-matching reference object. In this case, the \second member is the reference object for which no match was found. + """ + def second(self) -> Pin: + r""" + @brief Gets the second object of the relation pair. + The first object is usually the one obtained from the reference netlist. This member can be nil if the pair is describing a non-matching layout object. In this case, the \first member is the layout-derived object for which no match was found. + """ + def status(self) -> NetlistCrossReference.Status: + r""" + @brief Gets the status of the relation. + This enum described the match status of the relation pair. + """ + class Status: r""" - @brief Transforms a distance - - The "ctrans" method transforms the given distance. - e = t(d). For the simple transformations, there - is no magnification and no modification of the distance - therefore. - - @param d The distance to transform - @return The transformed distance - - The product '*' has been added as a synonym in version 0.28. + @brief This class represents the NetlistCrossReference::Status enum """ - @overload - def __rmul__(self, edge: Edge) -> Edge: + Match: ClassVar[NetlistCrossReference.Status] r""" - @brief Transforms an edge - - 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). - - @param edge The edge to transform - @return The transformed edge - - This convenience method has been introduced in version 0.25. + @brief Enum constant NetlistCrossReference::Match + An exact match exists if this code is present. """ - @overload - def __rmul__(self, p: Point) -> Point: + MatchWithWarning: ClassVar[NetlistCrossReference.Status] r""" - @brief Transforms a point - - The "trans" method or the * operator transforms the given point. - q = t(p) - - The * operator has been introduced in version 0.25. - - @param p The point to transform - @return The transformed point + @brief Enum constant NetlistCrossReference::MatchWithWarning + If this code is present, a match was found but a warning is issued. For nets, this means that the choice is ambiguous and one, unspecific candidate has been chosen. For devices, this means a device match was established, but parameters or the device class are not matching exactly. """ - @overload - def __rmul__(self, path: Path) -> Path: + Mismatch: ClassVar[NetlistCrossReference.Status] r""" - @brief Transforms a path - - 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - - @param path The path to transform - @return The transformed path - - This convenience method has been introduced in version 0.25. + @brief Enum constant NetlistCrossReference::Mismatch + This code means there is a match candidate, but exact identity could not be confirmed. """ - @overload - def __rmul__(self, polygon: Polygon) -> Polygon: + NoMatch: ClassVar[NetlistCrossReference.Status] r""" - @brief Transforms a polygon - - 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - - @param polygon The polygon to transform - @return The transformed polygon - - This convenience method has been introduced in version 0.25. + @brief Enum constant NetlistCrossReference::NoMatch + If this code is present, no match could be found. + There is also 'Mismatch' which means there is a candidate, but exact identity could not be confirmed. """ - @overload - def __rmul__(self, text: Text) -> Text: + None_: ClassVar[NetlistCrossReference.Status] r""" - @brief Transforms a text - - 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - - @param text The text to transform - @return The transformed text - - This convenience method has been introduced in version 0.25. + @brief Enum constant NetlistCrossReference::None + No specific status is implied if this code is present. """ - @overload - def __rmul__(self, v: Vector) -> Vector: + Skipped: ClassVar[NetlistCrossReference.Status] r""" - @brief Transforms a vector - - The "trans" method or the * operator transforms the given vector. - w = t(v) - - Vector transformation has been introduced in version 0.25. - - @param v The vector to transform - @return The transformed vector + @brief Enum constant NetlistCrossReference::Skipped + On circuits this code means that a match has not been attempted because subcircuits of this circuits were not matched. As circuit matching happens bottom-up, all subcircuits must match at least with respect to their pins to allow any parent circuit to be matched. """ - def __str__(self, dbu: Optional[float] = ...) -> str: + @overload + @classmethod + def new(cls, i: int) -> NetlistCrossReference.Status: + r""" + @brief Creates an enum from an integer value + """ + @overload + @classmethod + def new(cls, s: str) -> NetlistCrossReference.Status: + r""" + @brief Creates an enum from a string value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares two enums + """ + @overload + def __init__(self, i: int) -> None: + r""" + @brief Creates an enum from an integer value + """ + @overload + def __init__(self, s: str) -> None: + r""" + @brief Creates an enum from a string value + """ + @overload + def __lt__(self, other: NetlistCrossReference.Status) -> bool: + r""" + @brief Returns true if the first enum is less (in the enum symbol order) than the second + """ + @overload + def __lt__(self, other: int) -> bool: + r""" + @brief Returns true if the enum is less (in the enum symbol order) than the integer value + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer for inequality + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares two enums for inequality + """ + def __repr__(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + def inspect(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def to_i(self) -> int: + r""" + @brief Gets the integer value from the enum + """ + def to_s(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + class SubCircuitPairData: r""" - @brief String conversion - If a DBU is given, the output units will be micrometers. + @brief A subcircuit match entry. + This object is used to describe the relationship of two subcircuits in a netlist match. - The DBU argument has been added in version 0.27.6. + Upon successful match, the \first and \second members are the matching objects and \status is 'Match'. + This object is also used to describe non-matches or match errors. In this case, \first or \second may be nil and \status further describes the case. """ + def first(self) -> SubCircuit: + r""" + @brief Gets the first object of the relation pair. + The first object is usually the one obtained from the layout-derived netlist. This member can be nil if the pair is describing a non-matching reference object. In this case, the \second member is the reference object for which no match was found. + """ + def second(self) -> SubCircuit: + r""" + @brief Gets the second object of the relation pair. + The first object is usually the one obtained from the reference netlist. This member can be nil if the pair is describing a non-matching layout object. In this case, the \first member is the layout-derived object for which no match was found. + """ + def status(self) -> NetlistCrossReference.Status: + r""" + @brief Gets the status of the relation. + This enum described the match status of the relation pair. + """ + Match: ClassVar[NetlistCrossReference.Status] + r""" + @brief Enum constant NetlistCrossReference::Match + An exact match exists if this code is present. + """ + MatchWithWarning: ClassVar[NetlistCrossReference.Status] + r""" + @brief Enum constant NetlistCrossReference::MatchWithWarning + If this code is present, a match was found but a warning is issued. For nets, this means that the choice is ambiguous and one, unspecific candidate has been chosen. For devices, this means a device match was established, but parameters or the device class are not matching exactly. + """ + Mismatch: ClassVar[NetlistCrossReference.Status] + r""" + @brief Enum constant NetlistCrossReference::Mismatch + This code means there is a match candidate, but exact identity could not be confirmed. + """ + NoMatch: ClassVar[NetlistCrossReference.Status] + r""" + @brief Enum constant NetlistCrossReference::NoMatch + If this code is present, no match could be found. + There is also 'Mismatch' which means there is a candidate, but exact identity could not be confirmed. + """ + None_: ClassVar[NetlistCrossReference.Status] + r""" + @brief Enum constant NetlistCrossReference::None + No specific status is implied if this code is present. + """ + Skipped: ClassVar[NetlistCrossReference.Status] + r""" + @brief Enum constant NetlistCrossReference::Skipped + On circuits this code means that a match has not been attempted because subcircuits of this circuits were not matched. As circuit matching happens bottom-up, all subcircuits must match at least with respect to their pins to allow any parent circuit to be matched. + """ def _create(self) -> None: r""" @brief Ensures the C++ object is created @@ -34570,717 +34137,374 @@ class Trans: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: Trans) -> None: + def circuit_count(self) -> int: r""" - @brief Assigns another object to self + @brief Gets the number of circuit pairs in the cross-reference object. """ - def create(self) -> None: + def clear(self) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @hide """ - def ctrans(self, d: int) -> int: + def each_circuit_pair(self) -> Iterator[NetlistCrossReference.CircuitPairData]: r""" - @brief Transforms a distance - - The "ctrans" method transforms the given distance. - e = t(d). For the simple transformations, there - is no magnification and no modification of the distance - therefore. - - @param d The distance to transform - @return The transformed distance - - The product '*' has been added as a synonym in version 0.28. + @brief Delivers the circuit pairs and their status. + See the class description for details. """ - def destroy(self) -> None: + def each_device_pair(self, circuit_pair: NetlistCrossReference.CircuitPairData) -> Iterator[NetlistCrossReference.DevicePairData]: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Delivers the device pairs and their status for the given circuit pair. + See the class description for details. """ - def destroyed(self) -> bool: + def each_net_pair(self, circuit_pair: NetlistCrossReference.CircuitPairData) -> Iterator[NetlistCrossReference.NetPairData]: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Delivers the net pairs and their status for the given circuit pair. + See the class description for details. """ - def dup(self) -> Trans: + def each_net_pin_pair(self, net_pair: NetlistCrossReference.NetPairData) -> Iterator[NetlistCrossReference.NetPinRefPair]: r""" - @brief Creates a copy of self + @brief Delivers the pin pairs for the given net pair. + For the net pair, lists the pin pairs identified on this net. """ - def hash(self) -> int: + def each_net_subcircuit_pin_pair(self, net_pair: NetlistCrossReference.NetPairData) -> Iterator[NetlistCrossReference.NetSubcircuitPinRefPair]: r""" - @brief Computes a hash value - Returns a hash value for the given transformation. This method enables transformations as hash keys. - - This method has been introduced in version 0.25. + @brief Delivers the subcircuit pin pairs for the given net pair. + For the net pair, lists the subcircuit pin pairs identified on this net. """ - def invert(self) -> Trans: + def each_net_terminal_pair(self, net_pair: NetlistCrossReference.NetPairData) -> Iterator[NetlistCrossReference.NetTerminalRefPair]: r""" - @brief Inverts the transformation (in place) - - Inverts the transformation and replaces this object by the - inverted one. - - @return The inverted transformation + @brief Delivers the device terminal pairs for the given net pair. + For the net pair, lists the device terminal pairs identified on this net. """ - def inverted(self) -> Trans: + def each_pin_pair(self, circuit_pair: NetlistCrossReference.CircuitPairData) -> Iterator[NetlistCrossReference.PinPairData]: r""" - @brief Returns the inverted transformation - Returns the inverted transformation - - @return The inverted transformation + @brief Delivers the pin pairs and their status for the given circuit pair. + See the class description for details. """ - def is_const_object(self) -> bool: + def each_subcircuit_pair(self, circuit_pair: NetlistCrossReference.CircuitPairData) -> Iterator[NetlistCrossReference.SubCircuitPairData]: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Delivers the subcircuit pairs and their status for the given circuit pair. + See the class description for details. """ - def is_mirror(self) -> bool: + def netlist_a(self) -> Netlist: r""" - @brief Gets the mirror flag - - If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. + @brief Gets the first netlist which participated in the compare. + This member may be nil, if the respective netlist is no longer valid. In this case, the netlist cross-reference object cannot be used. """ - def to_dtype(self, dbu: Optional[float] = ...) -> DTrans: + def netlist_b(self) -> Netlist: r""" - @brief Converts the transformation to a floating-point coordinate transformation - - The database unit can be specified to translate the integer-coordinate transformation into a floating-point coordinate transformation in micron units. The database unit is basically a scaling factor. - - This method has been introduced in version 0.25. + @brief Gets the second netlist which participated in the compare. + This member may be nil, if the respective netlist is no longer valid.In this case, the netlist cross-reference object cannot be used. """ - def to_s(self, dbu: Optional[float] = ...) -> str: + def other_circuit_for(self, circuit: Circuit) -> Circuit: r""" - @brief String conversion - If a DBU is given, the output units will be micrometers. - - The DBU argument has been added in version 0.27.6. - """ - @overload - def trans(self, box: Box) -> Box: - r""" - @brief Transforms a box - - 't*box' or 't.trans(box)' is equivalent to box.transformed(t). - - @param box The box to transform - @return The transformed box - - This convenience method has been introduced in version 0.25. - """ - @overload - def trans(self, edge: Edge) -> Edge: - r""" - @brief Transforms an edge - - 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). - - @param edge The edge to transform - @return The transformed edge - - This convenience method has been introduced in version 0.25. - """ - @overload - def trans(self, p: Point) -> Point: - r""" - @brief Transforms a point - - The "trans" method or the * operator transforms the given point. - q = t(p) - - The * operator has been introduced in version 0.25. + @brief Gets the matching other circuit for a given primary circuit. + The return value will be nil if no match is found. Otherwise it is the 'b' circuit for circuits from the 'a' netlist and vice versa. - @param p The point to transform - @return The transformed point + This method has been introduced in version 0.27. """ - @overload - def trans(self, path: Path) -> Path: + def other_device_for(self, device: Device) -> Device: r""" - @brief Transforms a path - - 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - - @param path The path to transform - @return The transformed path + @brief Gets the matching other device for a given primary device. + The return value will be nil if no match is found. Otherwise it is the 'b' device for devices from the 'a' netlist and vice versa. - This convenience method has been introduced in version 0.25. + This method has been introduced in version 0.27. """ - @overload - def trans(self, polygon: Polygon) -> Polygon: + def other_net_for(self, net: Net) -> Net: r""" - @brief Transforms a polygon - - 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - - @param polygon The polygon to transform - @return The transformed polygon - - This convenience method has been introduced in version 0.25. + @brief Gets the matching other net for a given primary net. + The return value will be nil if no match is found. Otherwise it is the 'b' net for nets from the 'a' netlist and vice versa. """ - @overload - def trans(self, text: Text) -> Text: + def other_pin_for(self, pin: Pin) -> Pin: r""" - @brief Transforms a text - - 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - - @param text The text to transform - @return The transformed text + @brief Gets the matching other pin for a given primary pin. + The return value will be nil if no match is found. Otherwise it is the 'b' pin for pins from the 'a' netlist and vice versa. - This convenience method has been introduced in version 0.25. + This method has been introduced in version 0.27. """ - @overload - def trans(self, v: Vector) -> Vector: + def other_subcircuit_for(self, subcircuit: SubCircuit) -> SubCircuit: r""" - @brief Transforms a vector - - The "trans" method or the * operator transforms the given vector. - w = t(v) - - Vector transformation has been introduced in version 0.25. + @brief Gets the matching other subcircuit for a given primary subcircuit. + The return value will be nil if no match is found. Otherwise it is the 'b' subcircuit for subcircuits from the 'a' netlist and vice versa. - @param v The vector to transform - @return The transformed vector + This method has been introduced in version 0.27. """ -class DTrans: +class NetlistDeviceExtractorError: r""" - @brief A simple transformation - - Simple transformations only provide rotations about angles which a multiples of 90 degree. - Together with the mirror options, this results in 8 distinct orientations (fixpoint transformations). - These can be combined with a displacement which is applied after the rotation/mirror. - This version acts on floating-point coordinates. A version for integer coordinates is \Trans. + @brief An error that occurred during device extraction + The device extractor will keep errors that occurred during extraction of the devices. It does not by using this error class. - Here are some examples for using the DTrans class: + An error is basically described by the cell/circuit it occurs in and the message. In addition, a geometry may be attached forming a marker that can be shown when the error is selected. The geometry is given as a \DPolygon object. If no geometry is specified, this polygon is empty. - @code - t = RBA::DTrans::new(0, 100) # displacement by 100 DBU in y direction - # the inverse: -> "r0 0,-100" - t.inverted.to_s - # concatenation: -> "r90 -100,0" - (RBA::DTrans::new(RBA::DTrans::R90) * t).to_s - # apply to a point: -> "0,100" - RBA::DTrans::new(RBA::DTrans::R90).trans(RBA::DPoint::new(100, 0)) - @/code + For categorization of the errors, a category name and description may be specified. If given, the errors will be shown in the specified category. The category description is optional. - See @The Database API@ for more details about the database objects. - """ - M0: ClassVar[DTrans] - r""" - @brief A constant giving "mirrored at the x-axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - M135: ClassVar[DTrans] - r""" - @brief A constant giving "mirrored at the 135 degree axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - M45: ClassVar[DTrans] - r""" - @brief A constant giving "mirrored at the 45 degree axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - M90: ClassVar[DTrans] - r""" - @brief A constant giving "mirrored at the y (90 degree) axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R0: ClassVar[DTrans] - r""" - @brief A constant giving "unrotated" (unit) transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R180: ClassVar[DTrans] - r""" - @brief A constant giving "rotated by 180 degree counterclockwise" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R270: ClassVar[DTrans] - r""" - @brief A constant giving "rotated by 270 degree counterclockwise" transformation - The previous integer constant has been turned into a transformation in version 0.25. + This class has been introduced in version 0.26. """ - R90: ClassVar[DTrans] + category_description: str r""" - @brief A constant giving "rotated by 90 degree counterclockwise" transformation - The previous integer constant has been turned into a transformation in version 0.25. + Getter: + @brief Gets the category description. + See \category_name= for details about categories. + Setter: + @brief Sets the category description. + See \category_name= for details about categories. """ - angle: int + category_name: str r""" Getter: - @brief Gets the angle in units of 90 degree - - This value delivers the rotation component. In addition, a mirroring at the x axis may be applied before if the \is_mirror? property is true. + @brief Gets the category name. + See \category_name= for more details. Setter: - @brief Sets the angle in units of 90 degree - @param a The new angle - - This method was introduced in version 0.20. + @brief Sets the category name. + The category name is optional. If given, it specifies a formal category name. Errors with the same category name are shown in that category. If in addition a category description is specified (see \category_description), this description will be displayed as the title of. """ - disp: DVector + cell_name: str r""" Getter: - @brief Gets to the displacement vector - - Staring with version 0.25 the displacement type is a vector. + @brief Gets the cell name. + See \cell_name= for details about this attribute. Setter: - @brief Sets the displacement - @param u The new displacement - - This method was introduced in version 0.20. - Staring with version 0.25 the displacement type is a vector. + @brief Sets the cell name. + The cell name is the name of the layout cell which was treated. This is also the name of the circuit the device should have appeared in (it may be dropped because of this error). If netlist hierarchy manipulation happens however, the circuit may not exist any longer or may be renamed. """ - mirror: bool + geometry: DPolygon r""" Getter: - @brief Gets the mirror flag - - If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. + @brief Gets the geometry. + See \geometry= for more details. Setter: - @brief Sets the mirror flag - "mirroring" describes a reflection at the x-axis which is included in the transformation prior to rotation.@param m The new mirror flag - - This method was introduced in version 0.20. + @brief Sets the geometry. + The geometry is optional. If given, a marker will be shown when selecting this error. """ - rot: int + message: str r""" Getter: - @brief Gets the angle/mirror code + @brief Gets the message text. - The angle/mirror code is one of the constants R0, R90, R180, R270, M0, M45, M90 and M135. rx is the rotation by an angle of x counter clockwise. mx is the mirroring at the axis given by the angle x (to the x-axis). Setter: - @brief Sets the angle/mirror code - @param r The new angle/rotation code (see \rot property) - - This method was introduced in version 0.20. + @brief Sets the message text. """ @classmethod - def from_itrans(cls, trans: Trans) -> DTrans: + def new(cls) -> NetlistDeviceExtractorError: r""" - @brief Creates a floating-point coordinate transformation from an integer coordinate transformation - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_itrans'. + @brief Creates a new object of this class """ - @classmethod - def from_s(cls, s: str) -> DTrans: + def __copy__(self) -> NetlistDeviceExtractorError: r""" - @brief Creates a transformation from a string - Creates the object from a string representation (as returned by \to_s) - - This method has been added in version 0.23. + @brief Creates a copy of self """ - @overload - @classmethod - def new(cls) -> DTrans: + def __deepcopy__(self) -> NetlistDeviceExtractorError: r""" - @brief Creates a unit transformation + @brief Creates a copy of self """ - @overload - @classmethod - def new(cls, trans: Trans) -> DTrans: + def __init__(self) -> None: r""" - @brief Creates a floating-point coordinate transformation from an integer coordinate transformation - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_itrans'. + @brief Creates a new object of this class """ - @overload - @classmethod - def new(cls, u: DVector) -> DTrans: + def _create(self) -> None: r""" - @brief Creates a transformation using a displacement only - - @param u The displacement + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - @classmethod - def new(cls, c: DTrans, u: Optional[DVector] = ...) -> DTrans: + def _destroy(self) -> None: r""" - @brief Creates a transformation from another transformation plus a displacement - - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - - This variant has been introduced in version 0.25. - - @param c The original transformation - @param u The Additional displacement + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - @classmethod - def new(cls, x: float, y: float) -> DTrans: + def _destroyed(self) -> bool: r""" - @brief Creates a transformation using a displacement given as two coordinates - - @param x The horizontal displacement - @param y The vertical displacement + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - @classmethod - def new(cls, c: DTrans, x: float, y: float) -> DTrans: + def _is_const_object(self) -> bool: r""" - @brief Creates a transformation from another transformation plus a displacement - - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - - This variant has been introduced in version 0.25. - - @param c The original transformation - @param x The Additional displacement (x) - @param y The Additional displacement (y) + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - @classmethod - def new(cls, rot: int, mirr: Optional[bool] = ..., u: Optional[DVector] = ...) -> DTrans: + def _manage(self) -> None: r""" - @brief Creates a transformation using angle and mirror flag - - The sequence of operations is: mirroring at x axis, - rotation, application of displacement. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - @param rot The rotation in units of 90 degree - @param mirrx True, if mirrored at x axis - @param u The displacement + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - @classmethod - def new(cls, rot: int, mirr: bool, x: float, y: float) -> DTrans: + def _unmanage(self) -> None: r""" - @brief Creates a transformation using angle and mirror flag and two coordinate values for displacement - - The sequence of operations is: mirroring at x axis, - rotation, application of displacement. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - @param rot The rotation in units of 90 degree - @param mirrx True, if mirrored at x axis - @param x The horizontal displacement - @param y The vertical displacement + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def __copy__(self) -> DTrans: + def assign(self, other: NetlistDeviceExtractorError) -> None: r""" - @brief Creates a copy of self + @brief Assigns another object to self """ - def __deepcopy__(self) -> DTrans: + def create(self) -> None: r""" - @brief Creates a copy of self + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def __eq__(self, other: object) -> bool: + def destroy(self) -> None: r""" - @brief Tests for equality + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def __hash__(self) -> int: + def destroyed(self) -> bool: r""" - @brief Computes a hash value - Returns a hash value for the given transformation. This method enables transformations as hash keys. - - This method has been introduced in version 0.25. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def __init__(self) -> None: + def dup(self) -> NetlistDeviceExtractorError: r""" - @brief Creates a unit transformation + @brief Creates a copy of self """ - @overload - def __init__(self, trans: Trans) -> None: + def is_const_object(self) -> bool: r""" - @brief Creates a floating-point coordinate transformation from an integer coordinate transformation + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_itrans'. +class NetlistDeviceExtractorLayerDefinition: + r""" + @brief Describes a layer used in the device extraction + This read-only structure is used to describe a layer in the device extraction. + Every device has specific layers used in the device extraction process. + Layer definitions can be retrieved using \NetlistDeviceExtractor#each_layer. + + This class has been introduced in version 0.26. + """ + @classmethod + def new(cls) -> NetlistDeviceExtractorLayerDefinition: + r""" + @brief Creates a new object of this class """ - @overload - def __init__(self, u: DVector) -> None: + def __copy__(self) -> NetlistDeviceExtractorLayerDefinition: r""" - @brief Creates a transformation using a displacement only - - @param u The displacement + @brief Creates a copy of self """ - @overload - def __init__(self, c: DTrans, u: Optional[DVector] = ...) -> None: + def __deepcopy__(self) -> NetlistDeviceExtractorLayerDefinition: r""" - @brief Creates a transformation from another transformation plus a displacement - - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - - This variant has been introduced in version 0.25. - - @param c The original transformation - @param u The Additional displacement + @brief Creates a copy of self """ - @overload - def __init__(self, x: float, y: float) -> None: + def __init__(self) -> None: r""" - @brief Creates a transformation using a displacement given as two coordinates - - @param x The horizontal displacement - @param y The vertical displacement + @brief Creates a new object of this class """ - @overload - def __init__(self, c: DTrans, x: float, y: float) -> None: + def _create(self) -> None: r""" - @brief Creates a transformation from another transformation plus a displacement - - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - - This variant has been introduced in version 0.25. - - @param c The original transformation - @param x The Additional displacement (x) - @param y The Additional displacement (y) + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def __init__(self, rot: int, mirr: Optional[bool] = ..., u: Optional[DVector] = ...) -> None: + def _destroy(self) -> None: r""" - @brief Creates a transformation using angle and mirror flag - - The sequence of operations is: mirroring at x axis, - rotation, application of displacement. - - @param rot The rotation in units of 90 degree - @param mirrx True, if mirrored at x axis - @param u The displacement + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def __init__(self, rot: int, mirr: bool, x: float, y: float) -> None: + def _destroyed(self) -> bool: r""" - @brief Creates a transformation using angle and mirror flag and two coordinate values for displacement - - The sequence of operations is: mirroring at x axis, - rotation, application of displacement. - - @param rot The rotation in units of 90 degree - @param mirrx True, if mirrored at x axis - @param x The horizontal displacement - @param y The vertical displacement + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def __lt__(self, other: DTrans) -> bool: + def _is_const_object(self) -> bool: r""" - @brief Provides a 'less' criterion for sorting - This method is provided to implement a sorting order. The definition of 'less' is opaque and might change in future versions. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def __mul__(self, box: DBox) -> DBox: + def _manage(self) -> None: r""" - @brief Transforms a box - - 't*box' or 't.trans(box)' is equivalent to box.transformed(t). - - @param box The box to transform - @return The transformed box + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This convenience method has been introduced in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def __mul__(self, d: float) -> float: + def _unmanage(self) -> None: r""" - @brief Transforms a distance - - The "ctrans" method transforms the given distance. - e = t(d). For the simple transformations, there - is no magnification and no modification of the distance - therefore. - - @param d The distance to transform - @return The transformed distance + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - The product '*' has been added as a synonym in version 0.28. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def __mul__(self, edge: DEdge) -> DEdge: + def assign(self, other: NetlistDeviceExtractorLayerDefinition) -> None: r""" - @brief Transforms an edge - - 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). - - @param edge The edge to transform - @return The transformed edge - - This convenience method has been introduced in version 0.25. + @brief Assigns another object to self """ - @overload - def __mul__(self, p: DPoint) -> DPoint: + def create(self) -> None: r""" - @brief Transforms a point - - The "trans" method or the * operator transforms the given point. - q = t(p) - - The * operator has been introduced in version 0.25. - - @param p The point to transform - @return The transformed point + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def __mul__(self, path: DPath) -> DPath: + def description(self) -> str: r""" - @brief Transforms a path - - 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - - @param path The path to transform - @return The transformed path - - This convenience method has been introduced in version 0.25. - """ - @overload - def __mul__(self, polygon: DPolygon) -> DPolygon: - r""" - @brief Transforms a polygon - - 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - - @param polygon The polygon to transform - @return The transformed polygon - - This convenience method has been introduced in version 0.25. - """ - @overload - def __mul__(self, t: DTrans) -> DTrans: - r""" - @brief Returns the concatenated transformation - - The * operator returns self*t ("t is applied before this transformation"). - - @param t The transformation to apply before - @return The modified transformation + @brief Gets the description of the layer. """ - @overload - def __mul__(self, text: DText) -> DText: + def destroy(self) -> None: r""" - @brief Transforms a text - - 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - - @param text The text to transform - @return The transformed text - - This convenience method has been introduced in version 0.25. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def __mul__(self, v: DVector) -> DVector: + def destroyed(self) -> bool: r""" - @brief Transforms a vector - - The "trans" method or the * operator transforms the given vector. - w = t(v) - - Vector transformation has been introduced in version 0.25. - - @param v The vector to transform - @return The transformed vector + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def __ne__(self, other: object) -> bool: + def dup(self) -> NetlistDeviceExtractorLayerDefinition: r""" - @brief Tests for inequality + @brief Creates a copy of self """ - @overload - def __rmul__(self, box: DBox) -> DBox: + def fallback_index(self) -> int: r""" - @brief Transforms a box - - 't*box' or 't.trans(box)' is equivalent to box.transformed(t). - - @param box The box to transform - @return The transformed box - - This convenience method has been introduced in version 0.25. + @brief Gets the index of the fallback layer. + This is the index of the layer to be used when this layer isn't specified for input or (more important) output. """ - @overload - def __rmul__(self, d: float) -> float: + def index(self) -> int: r""" - @brief Transforms a distance - - The "ctrans" method transforms the given distance. - e = t(d). For the simple transformations, there - is no magnification and no modification of the distance - therefore. - - @param d The distance to transform - @return The transformed distance - - The product '*' has been added as a synonym in version 0.28. + @brief Gets the index of the layer. """ - @overload - def __rmul__(self, edge: DEdge) -> DEdge: + def is_const_object(self) -> bool: r""" - @brief Transforms an edge - - 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). - - @param edge The edge to transform - @return The transformed edge - - This convenience method has been introduced in version 0.25. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def __rmul__(self, p: DPoint) -> DPoint: + def name(self) -> str: r""" - @brief Transforms a point - - The "trans" method or the * operator transforms the given point. - q = t(p) - - The * operator has been introduced in version 0.25. - - @param p The point to transform - @return The transformed point + @brief Gets the name of the layer. """ - @overload - def __rmul__(self, path: DPath) -> DPath: - r""" - @brief Transforms a path - - 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - @param path The path to transform - @return The transformed path +class NetlistObject: + r""" + @brief The base class for some netlist objects. + The main purpose of this class is to supply user properties for netlist objects. - This convenience method has been introduced in version 0.25. - """ - @overload - def __rmul__(self, polygon: DPolygon) -> DPolygon: + This class has been introduced in version 0.26.2 + """ + @classmethod + def new(cls) -> NetlistObject: r""" - @brief Transforms a polygon - - 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - - @param polygon The polygon to transform - @return The transformed polygon - - This convenience method has been introduced in version 0.25. + @brief Creates a new object of this class """ - @overload - def __rmul__(self, text: DText) -> DText: + def __copy__(self) -> NetlistObject: r""" - @brief Transforms a text - - 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - - @param text The text to transform - @return The transformed text - - This convenience method has been introduced in version 0.25. + @brief Creates a copy of self """ - @overload - def __rmul__(self, v: DVector) -> DVector: + def __deepcopy__(self) -> NetlistObject: r""" - @brief Transforms a vector - - The "trans" method or the * operator transforms the given vector. - w = t(v) - - Vector transformation has been introduced in version 0.25. - - @param v The vector to transform - @return The transformed vector + @brief Creates a copy of self """ - def __str__(self, dbu: Optional[float] = ...) -> str: + def __init__(self) -> None: r""" - @brief String conversion - If a DBU is given, the output units will be micrometers. - - The DBU argument has been added in version 0.27.6. + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -35319,7 +34543,7 @@ class DTrans: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: DTrans) -> None: + def assign(self, other: NetlistObject) -> None: r""" @brief Assigns another object to self """ @@ -35328,20 +34552,6 @@ class DTrans: @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def ctrans(self, d: float) -> float: - r""" - @brief Transforms a distance - - The "ctrans" method transforms the given distance. - e = t(d). For the simple transformations, there - is no magnification and no modification of the distance - therefore. - - @param d The distance to transform - @return The transformed distance - - The product '*' has been added as a synonym in version 0.28. - """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -35354,782 +34564,603 @@ class DTrans: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> DTrans: + def dup(self) -> NetlistObject: r""" @brief Creates a copy of self """ - def hash(self) -> int: + def is_const_object(self) -> bool: r""" - @brief Computes a hash value - Returns a hash value for the given transformation. This method enables transformations as hash keys. - - This method has been introduced in version 0.25. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def invert(self) -> DTrans: + def property(self, key: Any) -> Any: r""" - @brief Inverts the transformation (in place) + @brief Gets the property value for the given key or nil if there is no value with this key. + """ + def property_keys(self) -> List[Any]: + r""" + @brief Gets the keys for the properties stored in this object. + """ + def set_property(self, key: Any, value: Any) -> None: + r""" + @brief Sets the property value for the given key. + Use a nil value to erase the property with this key. + """ - Inverts the transformation and replaces this object by the - inverted one. +class NetlistReader: + r""" + @brief Base class for netlist readers + This class is provided as a base class for netlist readers. It is not intended for reimplementation on script level, but used internally as an interface. - @return The inverted transformation + This class has been introduced in version 0.26. + """ + @classmethod + def new(cls) -> NetlistReader: + r""" + @brief Creates a new object of this class """ - def inverted(self) -> DTrans: + def __init__(self) -> None: r""" - @brief Returns the inverted transformation - Returns the inverted transformation - - @return The inverted transformation + @brief Creates a new object of this class """ - def is_const_object(self) -> bool: + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def is_mirror(self) -> bool: + def _manage(self) -> None: r""" - @brief Gets the mirror flag + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def to_itype(self, dbu: Optional[float] = ...) -> Trans: + def _unmanage(self) -> None: r""" - @brief Converts the transformation to an integer coordinate transformation - - The database unit can be specified to translate the floating-point coordinate transformation in micron units to an integer-coordinate transformation in database units. The transformation's' coordinates will be divided by the database unit. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def to_s(self, dbu: Optional[float] = ...) -> str: + def create(self) -> None: r""" - @brief String conversion - If a DBU is given, the output units will be micrometers. - - The DBU argument has been added in version 0.27.6. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def trans(self, box: DBox) -> DBox: + def destroy(self) -> None: r""" - @brief Transforms a box - - 't*box' or 't.trans(box)' is equivalent to box.transformed(t). - - @param box The box to transform - @return The transformed box - - This convenience method has been introduced in version 0.25. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def trans(self, edge: DEdge) -> DEdge: + def destroyed(self) -> bool: r""" - @brief Transforms an edge - - 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). - - @param edge The edge to transform - @return The transformed edge - - This convenience method has been introduced in version 0.25. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def trans(self, p: DPoint) -> DPoint: + def is_const_object(self) -> bool: r""" - @brief Transforms a point - - The "trans" method or the * operator transforms the given point. - q = t(p) - - The * operator has been introduced in version 0.25. - - @param p The point to transform - @return The transformed point + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def trans(self, path: DPath) -> DPath: - r""" - @brief Transforms a path - - 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - @param path The path to transform - @return The transformed path +class NetlistSpiceReader(NetlistReader): + r""" + @brief Implements a netlist Reader for the SPICE format. + Use the SPICE reader like this: - This convenience method has been introduced in version 0.25. - """ - @overload - def trans(self, polygon: DPolygon) -> DPolygon: - r""" - @brief Transforms a polygon + @code + reader = RBA::NetlistSpiceReader::new + netlist = RBA::Netlist::new + netlist.read(path, reader) + @/code - 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). + The translation of SPICE elements can be tailored by providing a \NetlistSpiceReaderDelegate class. This allows translating of device parameters and mapping of some subcircuits to devices. - @param polygon The polygon to transform - @return The transformed polygon + The following example is a delegate that turns subcircuits called HVNMOS and HVPMOS into MOS4 devices with the parameters scaled by 1.5: - This convenience method has been introduced in version 0.25. - """ - @overload - def trans(self, text: DText) -> DText: - r""" - @brief Transforms a text + @code + class MyDelegate < RBA::NetlistSpiceReaderDelegate - 't*text' or 't.trans(text)' is equivalent to text.transformed(t). + # says we want to catch these subcircuits as devices + def wants_subcircuit(name) + name == "HVNMOS" || name == "HVPMOS" + end - @param text The text to transform - @return The transformed text + # translate the element + def element(circuit, el, name, model, value, nets, params) - This convenience method has been introduced in version 0.25. - """ - @overload - def trans(self, v: DVector) -> DVector: - r""" - @brief Transforms a vector + if el != "X" + # all other elements are left to the standard implementation + return super + end - The "trans" method or the * operator transforms the given vector. - w = t(v) + if nets.size != 4 + error("Subcircuit #{model} needs four nodes") + end - Vector transformation has been introduced in version 0.25. + # provide a device class + cls = circuit.netlist.device_class_by_name(model) + if ! cls + cls = RBA::DeviceClassMOS4Transistor::new + cls.name = model + circuit.netlist.add(cls) + end - @param v The vector to transform - @return The transformed vector - """ + # create a device + device = circuit.create_device(cls, name) -class DCplxTrans: - r""" - @brief A complex transformation + # and configure the device + [ "S", "G", "D", "B" ].each_with_index do |t,index| + device.connect_terminal(t, nets[index]) + end + params.each do |p,value| + device.set_parameter(p, value * 1.5) + end - A complex transformation provides magnification, mirroring at the x-axis, rotation by an arbitrary - angle and a displacement. This is also the order, the operations are applied. + end - A complex transformation provides a superset of the simple transformation. - In many applications, a complex transformation computes floating-point coordinates to minimize rounding effects. - This version can transform floating-point coordinate objects. + end - Complex transformations are extensions of the simple transformation classes (\DTrans in that case) and behave similar. + # usage: - Transformations can be used to transform points or other objects. Transformations can be combined with the '*' operator to form the transformation which is equivalent to applying the second and then the first. Here is some code: + mydelegate = MyDelegate::new + reader = RBA::NetlistSpiceReader::new(mydelegate) - @code - # Create a transformation that applies a magnification of 1.5, a rotation by 90 degree - # and displacement of 10 in x and 20 units in y direction: - t = RBA::CplxTrans::new(1.5, 90, false, 10.0, 20.0) - t.to_s # r90 *1.5 10,20 - # compute the inverse: - t.inverted.to_s # r270 *0.666666667 -13,7 - # Combine with another displacement (applied after that): - (RBA::CplxTrans::new(5, 5) * t).to_s # r90 *1.5 15,25 - # Transform a point: - t.trans(RBA::Point::new(100, 200)).to_s # -290,170 + nl = RBA::Netlist::new + nl.read(input_file, reader) @/code - See @The Database API@ for more details about the database objects. - """ - M0: ClassVar[DCplxTrans] - r""" - @brief A constant giving "mirrored at the x-axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - M135: ClassVar[DCplxTrans] - r""" - @brief A constant giving "mirrored at the 135 degree axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - M45: ClassVar[DCplxTrans] - r""" - @brief A constant giving "mirrored at the 45 degree axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - M90: ClassVar[DCplxTrans] - r""" - @brief A constant giving "mirrored at the y (90 degree) axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R0: ClassVar[DCplxTrans] - r""" - @brief A constant giving "unrotated" (unit) transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R180: ClassVar[DCplxTrans] - r""" - @brief A constant giving "rotated by 180 degree counterclockwise" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R270: ClassVar[DCplxTrans] - r""" - @brief A constant giving "rotated by 270 degree counterclockwise" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R90: ClassVar[DCplxTrans] - r""" - @brief A constant giving "rotated by 90 degree counterclockwise" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - angle: float - r""" - Getter: - @brief Gets the angle - - Note that the simple transformation returns the angle in units of 90 degree. Hence for a simple trans (i.e. \Trans), a rotation angle of 180 degree delivers a value of 2 for the angle attribute. The complex transformation, supporting any rotation angle returns the angle in degree. + A somewhat contrived example for using the delegate to translate net names is this: - @return The rotation angle this transformation provides in degree units (0..360 deg). + @code + class MyDelegate < RBA::NetlistSpiceReaderDelegate - Setter: - @brief Sets the angle - @param a The new angle - See \angle for a description of that attribute. - """ - disp: DVector - r""" - Getter: - @brief Gets the displacement + # translates 'VDD' to 'VXX' and leave all other net names as is: + alias translate_net_name_org translate_net_name + def translate_net_name(n) + return n == "VDD" ? "VXX" : translate_net_name_org(n)} + end - Setter: - @brief Sets the displacement - @param u The new displacement - """ - mag: float - r""" - Getter: - @brief Gets the magnification + end + @/code - Setter: - @brief Sets the magnification - @param m The new magnification - """ - mirror: bool - r""" - Getter: - @brief Gets the mirror flag - - If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. - Setter: - @brief Sets the mirror flag - "mirroring" describes a reflection at the x-axis which is included in the transformation prior to rotation.@param m The new mirror flag + This class has been introduced in version 0.26. It has been extended in version 0.27.1. """ + @overload @classmethod - def from_itrans(cls, trans: CplxTrans) -> DCplxTrans: + def new(cls) -> NetlistSpiceReader: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_itrans'. + @brief Creates a new reader. """ + @overload @classmethod - def from_s(cls, s: str) -> DCplxTrans: + def new(cls, delegate: NetlistSpiceReaderDelegate) -> NetlistSpiceReader: r""" - @brief Creates an object from a string - Creates the object from a string representation (as returned by \to_s) - - This method has been added in version 0.23. + @brief Creates a new reader with a delegate. """ - @overload - @classmethod - def new(cls) -> DCplxTrans: + def __copy__(self) -> NetlistSpiceReader: r""" - @brief Creates a unit transformation + @brief Creates a copy of self """ - @overload - @classmethod - def new(cls, m: float) -> DCplxTrans: + def __deepcopy__(self) -> NetlistSpiceReader: r""" - @brief Creates a transformation from a magnification - - Creates a magnifying transformation without displacement and rotation given the magnification m. + @brief Creates a copy of self """ @overload - @classmethod - def new(cls, t: DTrans) -> DCplxTrans: + def __init__(self) -> None: r""" - @brief Creates a transformation from a simple transformation alone - - Creates a magnifying transformation from a simple transformation and a magnification of 1.0. + @brief Creates a new reader. """ @overload - @classmethod - def new(cls, trans: CplxTrans) -> DCplxTrans: + def __init__(self, delegate: NetlistSpiceReaderDelegate) -> None: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_itrans'. + @brief Creates a new reader with a delegate. """ - @overload - @classmethod - def new(cls, trans: ICplxTrans) -> DCplxTrans: + def _create(self) -> None: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour - - This constructor has been introduced in version 0.25. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - @classmethod - def new(cls, trans: VCplxTrans) -> DCplxTrans: + def _destroy(self) -> None: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour - - This constructor has been introduced in version 0.25. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - @classmethod - def new(cls, u: DVector) -> DCplxTrans: + def _destroyed(self) -> bool: r""" - @brief Creates a transformation from a displacement - - Creates a transformation with a displacement only. - - This method has been added in version 0.25. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - @classmethod - def new(cls, t: DTrans, m: float) -> DCplxTrans: + def _is_const_object(self) -> bool: r""" - @brief Creates a transformation from a simple transformation and a magnification - - Creates a magnifying transformation from a simple transformation and a magnification. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - @classmethod - def new(cls, x: float, y: float) -> DCplxTrans: + def _manage(self) -> None: r""" - @brief Creates a transformation from a x and y displacement - - This constructor will create a transformation with the specified displacement - but no rotation. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - @param x The x displacement - @param y The y displacement + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - @classmethod - def new(cls, c: DCplxTrans, m: Optional[float] = ..., u: Optional[DVector] = ...) -> DCplxTrans: + def _unmanage(self) -> None: r""" - @brief Creates a transformation from another transformation plus a magnification and displacement - - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - - This variant has been introduced in version 0.25. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - @param c The original transformation - @param u The Additional displacement + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - @classmethod - def new(cls, c: DCplxTrans, m: float, x: float, y: float) -> DCplxTrans: + def assign(self, other: NetlistReader) -> None: r""" - @brief Creates a transformation from another transformation plus a magnification and displacement - - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - - This variant has been introduced in version 0.25. - - @param c The original transformation - @param x The Additional displacement (x) - @param y The Additional displacement (y) + @brief Assigns another object to self """ - @overload - @classmethod - def new(cls, mag: float, rot: float, mirrx: bool, u: DVector) -> DCplxTrans: + def dup(self) -> NetlistSpiceReader: r""" - @brief Creates a transformation using magnification, angle, mirror flag and displacement + @brief Creates a copy of self + """ - The sequence of operations is: magnification, mirroring at x axis, - rotation, application of displacement. +class NetlistSpiceReaderDelegate: + r""" + @brief Provides a delegate for the SPICE reader for translating device statements + Supply a customized class to provide a specialized reading scheme for devices. You need a customized class if you want to implement device reading from model subcircuits or to translate device parameters. - @param mag The magnification - @param rot The rotation angle in units of degree - @param mirrx True, if mirrored at x axis - @param u The displacement - """ - @overload + See \NetlistSpiceReader for more details. + + This class has been introduced in version 0.26. + """ @classmethod - def new(cls, mag: float, rot: float, mirrx: bool, x: float, y: float) -> DCplxTrans: + def new(cls) -> NetlistSpiceReaderDelegate: r""" - @brief Creates a transformation using magnification, angle, mirror flag and displacement - - The sequence of operations is: magnification, mirroring at x axis, - rotation, application of displacement. - - @param mag The magnification - @param rot The rotation angle in units of degree - @param mirrx True, if mirrored at x axis - @param x The x displacement - @param y The y displacement + @brief Creates a new object of this class """ - def __copy__(self) -> DCplxTrans: + def __copy__(self) -> NetlistSpiceReaderDelegate: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> DCplxTrans: + def __deepcopy__(self) -> NetlistSpiceReaderDelegate: r""" @brief Creates a copy of self """ - def __eq__(self, other: object) -> bool: + def __init__(self) -> None: r""" - @brief Tests for equality + @brief Creates a new object of this class """ - def __hash__(self) -> int: + def _create(self) -> None: r""" - @brief Computes a hash value - Returns a hash value for the given transformation. This method enables transformations as hash keys. - - This method has been introduced in version 0.25. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def __init__(self) -> None: + def _destroy(self) -> None: r""" - @brief Creates a unit transformation + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def __init__(self, m: float) -> None: + def _destroyed(self) -> bool: r""" - @brief Creates a transformation from a magnification - - Creates a magnifying transformation without displacement and rotation given the magnification m. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def __init__(self, t: DTrans) -> None: + def _is_const_object(self) -> bool: r""" - @brief Creates a transformation from a simple transformation alone - - Creates a magnifying transformation from a simple transformation and a magnification of 1.0. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def __init__(self, trans: CplxTrans) -> None: + def _manage(self) -> None: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_itrans'. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def __init__(self, trans: ICplxTrans) -> None: + def _unmanage(self) -> None: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This constructor has been introduced in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def __init__(self, trans: VCplxTrans) -> None: + def assign(self, other: NetlistSpiceReaderDelegate) -> None: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour - - This constructor has been introduced in version 0.25. + @brief Assigns another object to self """ - @overload - def __init__(self, u: DVector) -> None: + def control_statement(self, arg0: str) -> bool: r""" - @brief Creates a transformation from a displacement - - Creates a transformation with a displacement only. - - This method has been added in version 0.25. + @hide """ - @overload - def __init__(self, t: DTrans, m: float) -> None: + def create(self) -> None: r""" - @brief Creates a transformation from a simple transformation and a magnification - - Creates a magnifying transformation from a simple transformation and a magnification. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def __init__(self, x: float, y: float) -> None: + def destroy(self) -> None: r""" - @brief Creates a transformation from a x and y displacement - - This constructor will create a transformation with the specified displacement - but no rotation. - - @param x The x displacement - @param y The y displacement + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def __init__(self, c: DCplxTrans, m: Optional[float] = ..., u: Optional[DVector] = ...) -> None: + def destroyed(self) -> bool: r""" - @brief Creates a transformation from another transformation plus a magnification and displacement - - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - - This variant has been introduced in version 0.25. - - @param c The original transformation - @param u The Additional displacement + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def __init__(self, c: DCplxTrans, m: float, x: float, y: float) -> None: + def dup(self) -> NetlistSpiceReaderDelegate: r""" - @brief Creates a transformation from another transformation plus a magnification and displacement - - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - - This variant has been introduced in version 0.25. - - @param c The original transformation - @param x The Additional displacement (x) - @param y The Additional displacement (y) + @brief Creates a copy of self """ - @overload - def __init__(self, mag: float, rot: float, mirrx: bool, u: DVector) -> None: + def element(self, arg0: Circuit, arg1: str, arg2: str, arg3: str, arg4: float, arg5: Sequence[Net], arg6: Dict[str, Any]) -> bool: r""" - @brief Creates a transformation using magnification, angle, mirror flag and displacement - - The sequence of operations is: magnification, mirroring at x axis, - rotation, application of displacement. - - @param mag The magnification - @param rot The rotation angle in units of degree - @param mirrx True, if mirrored at x axis - @param u The displacement + @hide """ - @overload - def __init__(self, mag: float, rot: float, mirrx: bool, x: float, y: float) -> None: + def error(self, msg: str) -> None: r""" - @brief Creates a transformation using magnification, angle, mirror flag and displacement - - The sequence of operations is: magnification, mirroring at x axis, - rotation, application of displacement. - - @param mag The magnification - @param rot The rotation angle in units of degree - @param mirrx True, if mirrored at x axis - @param x The x displacement - @param y The y displacement + @brief Issues an error with the given message. + Use this method to generate an error. """ - def __lt__(self, other: DCplxTrans) -> bool: + def finish(self, arg0: Netlist) -> None: r""" - @brief Provides a 'less' criterion for sorting - This method is provided to implement a sorting order. The definition of 'less' is opaque and might change in future versions. + @hide """ - @overload - def __mul__(self, box: DBox) -> DBox: + def is_const_object(self) -> bool: r""" - @brief Transforms a box - - 't*box' or 't.trans(box)' is equivalent to box.transformed(t). - - @param box The box to transform - @return The transformed box - - This convenience method has been introduced in version 0.25. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def __mul__(self, d: float) -> float: + def parse_element(self, arg0: str, arg1: str) -> ParseElementData: r""" - @brief Transforms a distance - - The "ctrans" method transforms the given distance. - e = t(d). For the simple transformations, there - is no magnification and no modification of the distance - therefore. - - @param d The distance to transform - @return The transformed distance - - The product '*' has been added as a synonym in version 0.28. + @hide """ - @overload - def __mul__(self, edge: DEdge) -> DEdge: + def parse_element_components(self, s: str, variables: Optional[Dict[str, Any]] = ...) -> ParseElementComponentsData: r""" - @brief Transforms an edge - - 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). + @brief Parses a string into string and parameter components. + This method is provided to simplify the implementation of 'parse_element'. It takes a string and splits it into string arguments and parameter values. For example, 'a b c=6' renders two string arguments in 'nn' and one parameter ('C'->6.0). It returns data \ParseElementComponentsData object with the strings and parameters. + The parameter names are already translated to upper case. - @param edge The edge to transform - @return The transformed edge + The variables dictionary defines named variables with the given values. - This convenience method has been introduced in version 0.25. + This method has been introduced in version 0.27.1. The variables argument has been added in version 0.28.6. """ - @overload - def __mul__(self, p: DPoint) -> DPoint: + def start(self, arg0: Netlist) -> None: r""" - @brief Transforms a point - - The "trans" method or the * operator transforms the given point. - q = t(p) - - The * operator has been introduced in version 0.25. - - @param p The point to transform - @return The transformed point + @hide """ - @overload - def __mul__(self, p: DVector) -> DVector: + def translate_net_name(self, arg0: str) -> str: r""" - @brief Transforms a vector - - The "trans" method or the * operator transforms the given vector. - w = t(v) - - Vector transformation has been introduced in version 0.25. - - @param v The vector to transform - @return The transformed vector + @hide """ - @overload - def __mul__(self, path: DPath) -> DPath: + def value_from_string(self, s: str, variables: Optional[Dict[str, Any]] = ...) -> Any: r""" - @brief Transforms a path - - 't*path' or 't.trans(path)' is equivalent to path.transformed(t). + @brief Translates a string into a value + This function simplifies the implementation of SPICE readers by providing a translation of a unit-annotated string into double values. For example, '1k' is translated to 1000.0. In addition, simple formula evaluation is supported, e.g '(1+3)*2' is translated into 8.0. - @param path The path to transform - @return The transformed path + The variables dictionary defines named variables with the given values. - This convenience method has been introduced in version 0.25. + This method has been introduced in version 0.27.1. The variables argument has been added in version 0.28.6. """ - @overload - def __mul__(self, polygon: DPolygon) -> DPolygon: + def variables(self) -> Dict[str, Any]: r""" - @brief Transforms a polygon - - 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). + @brief Gets the variables defined inside the SPICE file during execution of 'parse_element' + In order to evaluate formulas, this method allows accessing the variables that are present during the execution of the SPICE reader. - @param polygon The polygon to transform - @return The transformed polygon - - This convenience method has been introduced in version 0.25. + This method has been introduced in version 0.28.6. """ - @overload - def __mul__(self, t: CplxTrans) -> CplxTrans: + def wants_subcircuit(self, arg0: str) -> bool: r""" - @brief Multiplication (concatenation) of transformations - - The * operator returns self*t ("t is applied before this transformation"). - - @param t The transformation to apply before - @return The modified transformation + @hide """ - @overload - def __mul__(self, t: DCplxTrans) -> DCplxTrans: - r""" - @brief Returns the concatenated transformation - The * operator returns self*t ("t is applied before this transformation"). +class NetlistSpiceWriter(NetlistWriter): + r""" + @brief Implements a netlist writer for the SPICE format. + Provide a delegate for customizing the way devices are written. - @param t The transformation to apply before - @return The modified transformation - """ - @overload - def __mul__(self, text: DText) -> DText: - r""" - @brief Transforms a text + Use the SPICE writer like this: - 't*text' or 't.trans(text)' is equivalent to text.transformed(t). + @code + writer = RBA::NetlistSpiceWriter::new + netlist.write(path, writer) + @/code - @param text The text to transform - @return The transformed text + You can give a custom description for the headline: - This convenience method has been introduced in version 0.25. - """ - def __ne__(self, other: object) -> bool: - r""" - @brief Tests for inequality - """ - @overload - def __rmul__(self, box: DBox) -> DBox: - r""" - @brief Transforms a box + @code + writer = RBA::NetlistSpiceWriter::new + netlist.write(path, writer, "A custom description") + @/code - 't*box' or 't.trans(box)' is equivalent to box.transformed(t). + To customize the output, you can use a device writer delegate. + The delegate is an object of a class derived from \NetlistSpiceWriterDelegate which reimplements several methods to customize the following parts: - @param box The box to transform - @return The transformed box + @ul + @li A global header (\NetlistSpiceWriterDelegate#write_header): this method is called to print the part right after the headline @/li + @li A per-device class header (\NetlistSpiceWriterDelegate#write_device_intro): this method is called for every device class and may print device-class specific headers (e.g. model definitions) @/li + @li Per-device output: this method (\NetlistSpiceWriterDelegate#write_device): this method is called for every device and may print the device statement(s) in a specific way. @/li + @/ul - This convenience method has been introduced in version 0.25. - """ - @overload - def __rmul__(self, d: float) -> float: - r""" - @brief Transforms a distance + The delegate must use \NetlistSpiceWriterDelegate#emit_line to print a line, \NetlistSpiceWriterDelegate#emit_comment to print a comment etc. + For more method see \NetlistSpiceWriterDelegate. - The "ctrans" method transforms the given distance. - e = t(d). For the simple transformations, there - is no magnification and no modification of the distance - therefore. + A sample with a delegate is this: - @param d The distance to transform - @return The transformed distance + @code + class MyDelegate < RBA::NetlistSpiceWriterDelegate - The product '*' has been added as a synonym in version 0.28. - """ - @overload - def __rmul__(self, edge: DEdge) -> DEdge: - r""" - @brief Transforms an edge + def write_header + emit_line("*** My special header") + end - 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). + def write_device_intro(cls) + emit_comment("My intro for class " + cls.name) + end - @param edge The edge to transform - @return The transformed edge + def write_device(dev) + if dev.device_class.name != "MYDEVICE" + emit_comment("Terminal #1: " + net_to_string(dev.net_for_terminal(0))) + emit_comment("Terminal #2: " + net_to_string(dev.net_for_terminal(1))) + super(dev) + emit_comment("After device " + dev.expanded_name) + else + super(dev) + end + end - This convenience method has been introduced in version 0.25. - """ - @overload - def __rmul__(self, p: DPoint) -> DPoint: - r""" - @brief Transforms a point + end - The "trans" method or the * operator transforms the given point. - q = t(p) + # write the netlist with delegate: + writer = RBA::NetlistSpiceWriter::new(MyDelegate::new) + netlist.write(path, writer) + @/code - The * operator has been introduced in version 0.25. + This class has been introduced in version 0.26. + """ + use_net_names: bool + r""" + Getter: + @brief Gets a value indicating whether to use net names (true) or net numbers (false). - @param p The point to transform - @return The transformed point + Setter: + @brief Sets a value indicating whether to use net names (true) or net numbers (false). + The default is to use net numbers. + """ + with_comments: bool + r""" + Getter: + @brief Gets a value indicating whether to embed comments for position etc. (true) or not (false). + + Setter: + @brief Sets a value indicating whether to embed comments for position etc. (true) or not (false). + The default is to embed comments. + """ + @overload + @classmethod + def new(cls) -> NetlistSpiceWriter: + r""" + @brief Creates a new writer without delegate. """ @overload - def __rmul__(self, p: DVector) -> DVector: + @classmethod + def new(cls, arg0: NetlistSpiceWriterDelegate) -> NetlistSpiceWriter: r""" - @brief Transforms a vector - - The "trans" method or the * operator transforms the given vector. - w = t(v) - - Vector transformation has been introduced in version 0.25. - - @param v The vector to transform - @return The transformed vector + @brief Creates a new writer with a delegate. + """ + def __copy__(self) -> NetlistSpiceWriter: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> NetlistSpiceWriter: + r""" + @brief Creates a copy of self """ @overload - def __rmul__(self, path: DPath) -> DPath: + def __init__(self) -> None: r""" - @brief Transforms a path - - 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - - @param path The path to transform - @return The transformed path - - This convenience method has been introduced in version 0.25. + @brief Creates a new writer without delegate. """ @overload - def __rmul__(self, polygon: DPolygon) -> DPolygon: + def __init__(self, arg0: NetlistSpiceWriterDelegate) -> None: r""" - @brief Transforms a polygon - - 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). + @brief Creates a new writer with a delegate. + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - @param polygon The polygon to transform - @return The transformed polygon + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This convenience method has been introduced in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def __rmul__(self, text: DText) -> DText: + def assign(self, other: NetlistWriter) -> None: r""" - @brief Transforms a text + @brief Assigns another object to self + """ + def dup(self) -> NetlistSpiceWriter: + r""" + @brief Creates a copy of self + """ - 't*text' or 't.trans(text)' is equivalent to text.transformed(t). +class NetlistSpiceWriterDelegate: + r""" + @brief Provides a delegate for the SPICE writer for doing special formatting for devices + Supply a customized class to provide a specialized writing scheme for devices. You need a customized class if you want to implement special devices or you want to use subcircuits rather than the built-in devices. - @param text The text to transform - @return The transformed text + See \NetlistSpiceWriter for more details. - This convenience method has been introduced in version 0.25. + This class has been introduced in version 0.26. + """ + @classmethod + def new(cls) -> NetlistSpiceWriterDelegate: + r""" + @brief Creates a new object of this class """ - def __str__(self, lazy: Optional[bool] = ..., dbu: Optional[float] = ...) -> str: + def __copy__(self) -> NetlistSpiceWriterDelegate: r""" - @brief String conversion - If 'lazy' is true, some parts are omitted when not required. - If a DBU is given, the output units will be micrometers. - - The lazy and DBU arguments have been added in version 0.27.6. + @brief Creates a copy of self + """ + def __deepcopy__(self) -> NetlistSpiceWriterDelegate: + r""" + @brief Creates a copy of self + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -36168,7 +35199,7 @@ class DCplxTrans: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: DCplxTrans) -> None: + def assign(self, other: NetlistSpiceWriterDelegate) -> None: r""" @brief Assigns another object to self """ @@ -36177,20 +35208,6 @@ class DCplxTrans: @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def ctrans(self, d: float) -> float: - r""" - @brief Transforms a distance - - The "ctrans" method transforms the given distance. - e = t(d). For the simple transformations, there - is no magnification and no modification of the distance - therefore. - - @param d The distance to transform - @return The transformed distance - - The product '*' has been added as a synonym in version 0.28. - """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -36203,43 +35220,21 @@ class DCplxTrans: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> DCplxTrans: + def dup(self) -> NetlistSpiceWriterDelegate: r""" @brief Creates a copy of self """ - def hash(self) -> int: - r""" - @brief Computes a hash value - Returns a hash value for the given transformation. This method enables transformations as hash keys. - - This method has been introduced in version 0.25. - """ - def invert(self) -> DCplxTrans: + def emit_comment(self, comment: str) -> None: r""" - @brief Inverts the transformation (in place) - - Inverts the transformation and replaces this transformation by it's - inverted one. - - @return The inverted transformation + @brief Writes the given comment into the file """ - def inverted(self) -> DCplxTrans: + def emit_line(self, line: str) -> None: r""" - @brief Returns the inverted transformation - - Returns the inverted transformation. This method does not modify the transformation. - - @return The inverted transformation + @brief Writes the given line into the file """ - def is_complex(self) -> bool: + def format_name(self, name: str) -> str: r""" - @brief Returns true if the transformation is a complex one - - If this predicate is false, the transformation can safely be converted to a simple transformation. - Otherwise, this conversion will be lossy. - The predicate value is equivalent to 'is_mag || !is_ortho'. - - This method has been introduced in version 0.27.5. + @brief Formats the given name in a SPICE-compatible way """ def is_const_object(self) -> bool: r""" @@ -36247,805 +35242,515 @@ class DCplxTrans: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def is_mag(self) -> bool: + def net_to_string(self, net: Net) -> str: r""" - @brief Tests, if the transformation is a magnifying one - - This is the recommended test for checking if the transformation represents - a magnification. + @brief Gets the node ID for the given net + The node ID is a numeric string instead of the full name of the net. Numeric IDs are used within SPICE netlist because they are usually shorter. """ - def is_mirror(self) -> bool: + def write_device(self, device: Device) -> None: r""" - @brief Gets the mirror flag - - If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. + @hide """ - def is_ortho(self) -> bool: + def write_device_intro(self, arg0: DeviceClass) -> None: r""" - @brief Tests, if the transformation is an orthogonal transformation - - If the rotation is by a multiple of 90 degree, this method will return true. + @hide """ - def is_unity(self) -> bool: + def write_header(self) -> None: r""" - @brief Tests, whether this is a unit transformation + @hide """ - def rot(self) -> int: - r""" - @brief Returns the respective simple transformation equivalent rotation code if possible - If this transformation is orthogonal (is_ortho () == true), then this method - will return the corresponding fixpoint transformation, not taking into account - magnification and displacement. If the transformation is not orthogonal, the result - reflects the quadrant the rotation goes into. - """ - def s_trans(self) -> DTrans: - r""" - @brief Extracts the simple transformation part +class NetlistWriter: + r""" + @brief Base class for netlist writers + This class is provided as a base class for netlist writers. It is not intended for reimplementation on script level, but used internally as an interface. - The simple transformation part does not reflect magnification or arbitrary angles. - Rotation angles are rounded down to multiples of 90 degree. Magnification is fixed to 1.0. + This class has been introduced in version 0.26. + """ + @classmethod + def new(cls) -> NetlistWriter: + r""" + @brief Creates a new object of this class """ - def to_itrans(self, dbu: Optional[float] = ...) -> ICplxTrans: + def __init__(self) -> None: r""" - @brief Converts the transformation to another transformation with integer input and output coordinates - - The database unit can be specified to translate the floating-point coordinate displacement in micron units to an integer-coordinate displacement in database units. The displacement's' coordinates will be divided by the database unit. - - This method has been introduced in version 0.25. + @brief Creates a new object of this class """ - def to_s(self, lazy: Optional[bool] = ..., dbu: Optional[float] = ...) -> str: + def _create(self) -> None: r""" - @brief String conversion - If 'lazy' is true, some parts are omitted when not required. - If a DBU is given, the output units will be micrometers. - - The lazy and DBU arguments have been added in version 0.27.6. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def to_trans(self) -> CplxTrans: + def _destroy(self) -> None: r""" - @brief Converts the transformation to another transformation with integer input coordinates - - This method has been introduced in version 0.25. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def to_vtrans(self, dbu: Optional[float] = ...) -> VCplxTrans: + def _destroyed(self) -> bool: r""" - @brief Converts the transformation to another transformation with integer output coordinates - - The database unit can be specified to translate the floating-point coordinate displacement in micron units to an integer-coordinate displacement in database units. The displacement's' coordinates will be divided by the database unit. - - This method has been introduced in version 0.25. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def trans(self, box: DBox) -> DBox: + def _is_const_object(self) -> bool: r""" - @brief Transforms a box - - 't*box' or 't.trans(box)' is equivalent to box.transformed(t). - - @param box The box to transform - @return The transformed box - - This convenience method has been introduced in version 0.25. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def trans(self, edge: DEdge) -> DEdge: + def _manage(self) -> None: r""" - @brief Transforms an edge - - 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). - - @param edge The edge to transform - @return The transformed edge + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This convenience method has been introduced in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def trans(self, p: DPoint) -> DPoint: + def _unmanage(self) -> None: r""" - @brief Transforms a point - - The "trans" method or the * operator transforms the given point. - q = t(p) - - The * operator has been introduced in version 0.25. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - @param p The point to transform - @return The transformed point + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def trans(self, p: DVector) -> DVector: + def create(self) -> None: r""" - @brief Transforms a vector - - The "trans" method or the * operator transforms the given vector. - w = t(v) - - Vector transformation has been introduced in version 0.25. - - @param v The vector to transform - @return The transformed vector + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def trans(self, path: DPath) -> DPath: + def destroy(self) -> None: r""" - @brief Transforms a path - - 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - - @param path The path to transform - @return The transformed path - - This convenience method has been introduced in version 0.25. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def trans(self, polygon: DPolygon) -> DPolygon: + def destroyed(self) -> bool: r""" - @brief Transforms a polygon - - 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - - @param polygon The polygon to transform - @return The transformed polygon - - This convenience method has been introduced in version 0.25. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def trans(self, text: DText) -> DText: + def is_const_object(self) -> bool: r""" - @brief Transforms a text - - 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - - @param text The text to transform - @return The transformed text - - This convenience method has been introduced in version 0.25. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ -class CplxTrans: - r""" - @brief A complex transformation - - A complex transformation provides magnification, mirroring at the x-axis, rotation by an arbitrary - angle and a displacement. This is also the order, the operations are applied. - This version can transform integer-coordinate objects into floating-point coordinate objects. This is the generic and exact case, for example for non-integer magnifications. - - Complex transformations are extensions of the simple transformation classes (\Trans or \DTrans in that case) and behave similar. - - Transformations can be used to transform points or other objects. Transformations can be combined with the '*' operator to form the transformation which is equivalent to applying the second and then the first. Here is some code: - - @code - # Create a transformation that applies a magnification of 1.5, a rotation by 90 degree - # and displacement of 10 in x and 20 units in y direction: - t = RBA::DCplxTrans::new(1.5, 90, false, 10.0, 20.0) - t.to_s # r90 *1.5 10,20 - # compute the inverse: - t.inverted.to_s # r270 *0.666666667 -13,7 - # Combine with another displacement (applied after that): - (RBA::DCplxTrans::new(5, 5) * t).to_s # r90 *1.5 15,25 - # Transform a point: - t.trans(RBA::DPoint::new(100, 200)).to_s # -290,170 - @/code - - The inverse type of the CplxTrans type is VCplxTrans which will transform floating-point to integer coordinate objects. Transformations of CplxTrans type can be concatenated (operator *) with either itself or with transformations of compatible input or output type. This means, the operator CplxTrans * ICplxTrans is allowed (output types of ICplxTrans and input of CplxTrans are identical) while CplxTrans * DCplxTrans is not. - See @The Database API@ for more details about the database objects. - """ - M0: ClassVar[CplxTrans] - r""" - @brief A constant giving "mirrored at the x-axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - M135: ClassVar[CplxTrans] - r""" - @brief A constant giving "mirrored at the 135 degree axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - M45: ClassVar[CplxTrans] - r""" - @brief A constant giving "mirrored at the 45 degree axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - M90: ClassVar[CplxTrans] - r""" - @brief A constant giving "mirrored at the y (90 degree) axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R0: ClassVar[CplxTrans] - r""" - @brief A constant giving "unrotated" (unit) transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R180: ClassVar[CplxTrans] - r""" - @brief A constant giving "rotated by 180 degree counterclockwise" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R270: ClassVar[CplxTrans] - r""" - @brief A constant giving "rotated by 270 degree counterclockwise" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R90: ClassVar[CplxTrans] - r""" - @brief A constant giving "rotated by 90 degree counterclockwise" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - angle: float +class PCellDeclaration(PCellDeclaration_Native): r""" - Getter: - @brief Gets the angle - - Note that the simple transformation returns the angle in units of 90 degree. Hence for a simple trans (i.e. \Trans), a rotation angle of 180 degree delivers a value of 2 for the angle attribute. The complex transformation, supporting any rotation angle returns the angle in degree. + @brief A PCell declaration providing the parameters and code to produce the PCell - @return The rotation angle this transformation provides in degree units (0..360 deg). + A PCell declaration is basically the recipe of how to create a PCell layout from + a parameter set. The declaration includes - Setter: - @brief Sets the angle - @param a The new angle - See \angle for a description of that attribute. - """ - disp: DVector - r""" - Getter: - @brief Gets the displacement + @ul + @li Parameters: names, types, default values @/li + @li Layers: the layers the PCell wants to create @/li + @li Code: a production callback that is called whenever a PCell is instantiated with a certain parameter set @/li + @li Display name: the name that is shown for a given PCell instance @/li + @/ul - Setter: - @brief Sets the displacement - @param u The new displacement - """ - mag: float - r""" - Getter: - @brief Gets the magnification + All these declarations are implemented by deriving from the PCellDeclaration class + and reimplementing the specific methods. Reimplementing the \display_name method is + optional. The default implementation creates a name from the PCell name plus the + parameters. - Setter: - @brief Sets the magnification - @param m The new magnification - """ - mirror: bool - r""" - Getter: - @brief Gets the mirror flag + By supplying the information about the layers it wants to create, KLayout is able to + call the production callback with a defined set of the layer ID's which are already + mapped to valid actual layout layers. - If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. - Setter: - @brief Sets the mirror flag - "mirroring" describes a reflection at the x-axis which is included in the transformation prior to rotation.@param m The new mirror flag + This class has been introduced in version 0.22. """ - @classmethod - def from_dtrans(cls, trans: DCplxTrans) -> CplxTrans: + def _assign(self, other: PCellDeclaration_Native) -> None: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtrans'. + @brief Assigns another object to self """ - @classmethod - def from_s(cls, s: str) -> CplxTrans: + def _create(self) -> None: r""" - @brief Creates an object from a string - Creates the object from a string representation (as returned by \to_s) - - This method has been added in version 0.23. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - @classmethod - def new(cls) -> CplxTrans: + def _destroy(self) -> None: r""" - @brief Creates a unit transformation + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - @classmethod - def new(cls, m: float) -> CplxTrans: + def _destroyed(self) -> bool: r""" - @brief Creates a transformation from a magnification - - Creates a magnifying transformation without displacement and rotation given the magnification m. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - @classmethod - def new(cls, t: Trans) -> CplxTrans: + def _dup(self) -> PCellDeclaration: r""" - @brief Creates a transformation from a simple transformation alone - - Creates a magnifying transformation from a simple transformation and a magnification of 1.0. + @brief Creates a copy of self """ - @overload - @classmethod - def new(cls, trans: DCplxTrans) -> CplxTrans: + def _is_const_object(self) -> bool: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtrans'. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - @classmethod - def new(cls, trans: ICplxTrans) -> CplxTrans: + def _manage(self) -> None: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This constructor has been introduced in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - @classmethod - def new(cls, trans: VCplxTrans) -> CplxTrans: + def _unmanage(self) -> None: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This constructor has been introduced in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - @classmethod - def new(cls, u: DVector) -> CplxTrans: + def callback(self, arg0: Layout, arg1: str, arg2: PCellParameterStates) -> None: r""" - @brief Creates a transformation from a displacement - - Creates a transformation with a displacement only. - - This method has been added in version 0.25. + @hide """ - @overload - @classmethod - def new(cls, t: Trans, m: float) -> CplxTrans: + def can_create_from_shape(self, arg0: Layout, arg1: Shape, arg2: int) -> bool: r""" - @brief Creates a transformation from a simple transformation and a magnification - - Creates a magnifying transformation from a simple transformation and a magnification. + @hide """ - @overload - @classmethod - def new(cls, x: float, y: float) -> CplxTrans: + def display_text(self, arg0: Sequence[Any]) -> str: r""" - @brief Creates a transformation from a x and y displacement - - This constructor will create a transformation with the specified displacement - but no rotation. - - @param x The x displacement - @param y The y displacement + @hide """ - @overload - @classmethod - def new(cls, c: CplxTrans, m: Optional[float] = ..., u: Optional[DVector] = ...) -> CplxTrans: + def get_parameters(self) -> List[PCellParameterDeclaration]: r""" - @brief Creates a transformation from another transformation plus a magnification and displacement - - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - - This variant has been introduced in version 0.25. - - @param c The original transformation - @param u The Additional displacement + @hide """ - @overload - @classmethod - def new(cls, c: CplxTrans, m: float, x: int, y: int) -> CplxTrans: + def parameters_from_shape(self, arg0: Layout, arg1: Shape, arg2: int) -> List[Any]: r""" - @brief Creates a transformation from another transformation plus a magnification and displacement - - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - - This variant has been introduced in version 0.25. - - @param c The original transformation - @param x The Additional displacement (x) - @param y The Additional displacement (y) + @hide """ - @overload - @classmethod - def new(cls, mag: float, rot: float, mirrx: bool, u: DVector) -> CplxTrans: + def produce(self, arg0: Layout, arg1: Sequence[int], arg2: Sequence[Any], arg3: Cell) -> None: r""" - @brief Creates a transformation using magnification, angle, mirror flag and displacement - - The sequence of operations is: magnification, mirroring at x axis, - rotation, application of displacement. - - @param mag The magnification - @param rot The rotation angle in units of degree - @param mirrx True, if mirrored at x axis - @param u The displacement + @hide """ - @overload - @classmethod - def new(cls, mag: float, rot: float, mirrx: bool, x: float, y: float) -> CplxTrans: + def transformation_from_shape(self, arg0: Layout, arg1: Shape, arg2: int) -> Trans: r""" - @brief Creates a transformation using magnification, angle, mirror flag and displacement - - The sequence of operations is: magnification, mirroring at x axis, - rotation, application of displacement. - - @param mag The magnification - @param rot The rotation angle in units of degree - @param mirrx True, if mirrored at x axis - @param x The x displacement - @param y The y displacement + @hide """ - def __copy__(self) -> CplxTrans: + def wants_lazy_evaluation(self) -> bool: r""" - @brief Creates a copy of self + @hide """ - def __deepcopy__(self) -> CplxTrans: + +class PCellDeclaration_Native: + r""" + @hide + @alias PCellDeclaration + """ + @classmethod + def new(cls) -> PCellDeclaration_Native: r""" - @brief Creates a copy of self + @brief Creates a new object of this class """ - def __eq__(self, other: object) -> bool: + def __copy__(self) -> PCellDeclaration_Native: r""" - @brief Tests for equality + @brief Creates a copy of self """ - def __hash__(self) -> int: + def __deepcopy__(self) -> PCellDeclaration_Native: r""" - @brief Computes a hash value - Returns a hash value for the given transformation. This method enables transformations as hash keys. - - This method has been introduced in version 0.25. + @brief Creates a copy of self """ - @overload def __init__(self) -> None: r""" - @brief Creates a unit transformation + @brief Creates a new object of this class """ - @overload - def __init__(self, m: float) -> None: + def _create(self) -> None: r""" - @brief Creates a transformation from a magnification - - Creates a magnifying transformation without displacement and rotation given the magnification m. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def __init__(self, t: Trans) -> None: + def _destroy(self) -> None: r""" - @brief Creates a transformation from a simple transformation alone - - Creates a magnifying transformation from a simple transformation and a magnification of 1.0. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def __init__(self, trans: DCplxTrans) -> None: + def _destroyed(self) -> bool: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtrans'. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def __init__(self, trans: ICplxTrans) -> None: + def _is_const_object(self) -> bool: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour - - This constructor has been introduced in version 0.25. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def __init__(self, trans: VCplxTrans) -> None: + def _manage(self) -> None: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This constructor has been introduced in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def __init__(self, u: DVector) -> None: + def _unmanage(self) -> None: r""" - @brief Creates a transformation from a displacement - - Creates a transformation with a displacement only. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been added in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def __init__(self, t: Trans, m: float) -> None: + def assign(self, other: PCellDeclaration_Native) -> None: r""" - @brief Creates a transformation from a simple transformation and a magnification - - Creates a magnifying transformation from a simple transformation and a magnification. + @brief Assigns another object to self """ - @overload - def __init__(self, x: float, y: float) -> None: + def callback(self, layout: Layout, name: str, states: PCellParameterStates) -> None: r""" - @brief Creates a transformation from a x and y displacement - - This constructor will create a transformation with the specified displacement - but no rotation. - - @param x The x displacement - @param y The y displacement """ - @overload - def __init__(self, c: CplxTrans, m: Optional[float] = ..., u: Optional[DVector] = ...) -> None: + def can_create_from_shape(self, layout: Layout, shape: Shape, layer: int) -> bool: r""" - @brief Creates a transformation from another transformation plus a magnification and displacement - - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - - This variant has been introduced in version 0.25. - - @param c The original transformation - @param u The Additional displacement """ - @overload - def __init__(self, c: CplxTrans, m: float, x: int, y: int) -> None: + def coerce_parameters(self, layout: Layout, parameters: Sequence[Any]) -> List[Any]: r""" - @brief Creates a transformation from another transformation plus a magnification and displacement - - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - - This variant has been introduced in version 0.25. - - @param c The original transformation - @param x The Additional displacement (x) - @param y The Additional displacement (y) """ - @overload - def __init__(self, mag: float, rot: float, mirrx: bool, u: DVector) -> None: + def create(self) -> None: r""" - @brief Creates a transformation using magnification, angle, mirror flag and displacement - - The sequence of operations is: magnification, mirroring at x axis, - rotation, application of displacement. - - @param mag The magnification - @param rot The rotation angle in units of degree - @param mirrx True, if mirrored at x axis - @param u The displacement + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def __init__(self, mag: float, rot: float, mirrx: bool, x: float, y: float) -> None: + def destroy(self) -> None: r""" - @brief Creates a transformation using magnification, angle, mirror flag and displacement - - The sequence of operations is: magnification, mirroring at x axis, - rotation, application of displacement. - - @param mag The magnification - @param rot The rotation angle in units of degree - @param mirrx True, if mirrored at x axis - @param x The x displacement - @param y The y displacement + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def __lt__(self, other: CplxTrans) -> bool: + def destroyed(self) -> bool: r""" - @brief Provides a 'less' criterion for sorting - This method is provided to implement a sorting order. The definition of 'less' is opaque and might change in future versions. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def __mul__(self, box: Box) -> DBox: + def display_text(self, parameters: Sequence[Any]) -> str: r""" - @brief Transforms a box - - 't*box' or 't.trans(box)' is equivalent to box.transformed(t). - - @param box The box to transform - @return The transformed box - - This convenience method has been introduced in version 0.25. """ - @overload - def __mul__(self, d: int) -> float: + def dup(self) -> PCellDeclaration_Native: r""" - @brief Transforms a distance - - The "ctrans" method transforms the given distance. - e = t(d). For the simple transformations, there - is no magnification and no modification of the distance - therefore. - - @param d The distance to transform - @return The transformed distance - - The product '*' has been added as a synonym in version 0.28. + @brief Creates a copy of self """ - @overload - def __mul__(self, edge: Edge) -> DEdge: + def get_layers(self, parameters: Sequence[Any]) -> List[LayerInfo]: r""" - @brief Transforms an edge - - 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). - - @param edge The edge to transform - @return The transformed edge - - This convenience method has been introduced in version 0.25. """ - @overload - def __mul__(self, p: Point) -> DPoint: + def get_parameters(self) -> List[PCellParameterDeclaration]: r""" - @brief Transforms a point - - The "trans" method or the * operator transforms the given point. - q = t(p) - - The * operator has been introduced in version 0.25. - - @param p The point to transform - @return The transformed point """ - @overload - def __mul__(self, p: Vector) -> DVector: + def id(self) -> int: r""" - @brief Transforms a vector - - The "trans" method or the * operator transforms the given vector. - w = t(v) - - Vector transformation has been introduced in version 0.25. - - @param v The vector to transform - @return The transformed vector + @brief Gets the integer ID of the PCell declaration + This ID is used to identify the PCell in the context of a Layout object for example """ - @overload - def __mul__(self, path: Path) -> DPath: + def is_const_object(self) -> bool: r""" - @brief Transforms a path - - 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - - @param path The path to transform - @return The transformed path - - This convenience method has been introduced in version 0.25. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def __mul__(self, polygon: Polygon) -> DPolygon: + def layout(self) -> Layout: r""" - @brief Transforms a polygon - - 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - - @param polygon The polygon to transform - @return The transformed polygon - - This convenience method has been introduced in version 0.25. + @brief Gets the Layout object the PCell is registered in or nil if it is not registered yet. + This attribute has been added in version 0.27.5. """ - @overload - def __mul__(self, t: CplxTrans) -> CplxTrans: + def name(self) -> str: r""" - @brief Returns the concatenated transformation - - The * operator returns self*t ("t is applied before this transformation"). - - @param t The transformation to apply before - @return The modified transformation + @brief Gets the name of the PCell """ - @overload - def __mul__(self, t: ICplxTrans) -> CplxTrans: + def parameters_from_shape(self, layout: Layout, shape: Shape, layer: int) -> List[Any]: r""" - @brief Multiplication (concatenation) of transformations - - The * operator returns self*t ("t is applied before this transformation"). - - @param t The transformation to apply before - @return The modified transformation """ - @overload - def __mul__(self, t: VCplxTrans) -> DCplxTrans: + def produce(self, layout: Layout, layers: Sequence[int], parameters: Sequence[Any], cell: Cell) -> None: r""" - @brief Multiplication (concatenation) of transformations - - The * operator returns self*t ("t is applied before this transformation"). - - @param t The transformation to apply before - @return The modified transformation """ - @overload - def __mul__(self, text: Text) -> DText: + def transformation_from_shape(self, layout: Layout, shape: Shape, layer: int) -> Trans: r""" - @brief Transforms a text - - 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - - @param text The text to transform - @return The transformed text - - This convenience method has been introduced in version 0.25. """ - def __ne__(self, other: object) -> bool: + def wants_lazy_evaluation(self) -> bool: r""" - @brief Tests for inequality """ - @overload - def __rmul__(self, box: Box) -> DBox: - r""" - @brief Transforms a box - - 't*box' or 't.trans(box)' is equivalent to box.transformed(t). - @param box The box to transform - @return The transformed box +class PCellParameterDeclaration: + r""" + @brief A PCell parameter declaration - This convenience method has been introduced in version 0.25. - """ - @overload - def __rmul__(self, d: int) -> float: - r""" - @brief Transforms a distance + This class declares a PCell parameter by providing a name, the type and a value + and additional + information like description, unit string and default value. It is used in the \PCellDeclaration class to + deliver the necessary information. - The "ctrans" method transforms the given distance. - e = t(d). For the simple transformations, there - is no magnification and no modification of the distance - therefore. + This class has been introduced in version 0.22. + """ + TypeBoolean: ClassVar[int] + r""" + @brief Type code: boolean data + """ + TypeCallback: ClassVar[int] + r""" + @brief Type code: a button triggering a callback - @param d The distance to transform - @return The transformed distance + This code has been introduced in version 0.28. + """ + TypeDouble: ClassVar[int] + r""" + @brief Type code: floating-point data + """ + TypeInt: ClassVar[int] + r""" + @brief Type code: integer data + """ + TypeLayer: ClassVar[int] + r""" + @brief Type code: a layer (a \LayerInfo object) + """ + TypeList: ClassVar[int] + r""" + @brief Type code: a list of variants + """ + TypeNone: ClassVar[int] + r""" + @brief Type code: unspecific type + """ + TypeShape: ClassVar[int] + r""" + @brief Type code: a guiding shape (Box, Edge, Point, Polygon or Path) + """ + TypeString: ClassVar[int] + r""" + @brief Type code: string data + """ + default: Any + r""" + Getter: + @brief Gets the default value - The product '*' has been added as a synonym in version 0.28. - """ - @overload - def __rmul__(self, edge: Edge) -> DEdge: - r""" - @brief Transforms an edge - - 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). + Setter: + @brief Sets the default value + If a default value is defined, it will be used to initialize the parameter value + when a PCell is created. + """ + description: str + r""" + Getter: + @brief Gets the description text - @param edge The edge to transform - @return The transformed edge + Setter: + @brief Sets the description + """ + hidden: bool + r""" + Getter: + @brief Returns true, if the parameter is a hidden parameter that should not be shown in the user interface + By making a parameter hidden, it is possible to create internal parameters which cannot be + edited. - This convenience method has been introduced in version 0.25. - """ - @overload - def __rmul__(self, p: Point) -> DPoint: - r""" - @brief Transforms a point + Setter: + @brief Makes the parameter hidden if this attribute is set to true + """ + name: str + r""" + Getter: + @brief Gets the name - The "trans" method or the * operator transforms the given point. - q = t(p) + Setter: + @brief Sets the name + """ + readonly: bool + r""" + Getter: + @brief Returns true, if the parameter is a read-only parameter + By making a parameter read-only, it is shown but cannot be + edited. - The * operator has been introduced in version 0.25. + Setter: + @brief Makes the parameter read-only if this attribute is set to true + """ + type: int + r""" + Getter: + @brief Gets the type + The type is one of the T... constants. + Setter: + @brief Sets the type + """ + unit: str + r""" + Getter: + @brief Gets the unit string - @param p The point to transform - @return The transformed point + Setter: + @brief Sets the unit string + The unit string is shown right to the edit fields for numeric parameters. + """ + @overload + @classmethod + def new(cls, name: str, type: int, description: str) -> PCellParameterDeclaration: + r""" + @brief Create a new parameter declaration with the given name and type + @param name The parameter name + @param type One of the Type... constants describing the type of the parameter + @param description The description text """ @overload - def __rmul__(self, p: Vector) -> DVector: + @classmethod + def new(cls, name: str, type: int, description: str, default: Any) -> PCellParameterDeclaration: r""" - @brief Transforms a vector - - The "trans" method or the * operator transforms the given vector. - w = t(v) - - Vector transformation has been introduced in version 0.25. - - @param v The vector to transform - @return The transformed vector + @brief Create a new parameter declaration with the given name, type and default value + @param name The parameter name + @param type One of the Type... constants describing the type of the parameter + @param description The description text + @param default The default (initial) value """ @overload - def __rmul__(self, path: Path) -> DPath: + @classmethod + def new(cls, name: str, type: int, description: str, default: Any, unit: str) -> PCellParameterDeclaration: r""" - @brief Transforms a path - - 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - - @param path The path to transform - @return The transformed path - - This convenience method has been introduced in version 0.25. + @brief Create a new parameter declaration with the given name, type, default value and unit string + @param name The parameter name + @param type One of the Type... constants describing the type of the parameter + @param description The description text + @param default The default (initial) value + @param unit The unit string + """ + def __copy__(self) -> PCellParameterDeclaration: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> PCellParameterDeclaration: + r""" + @brief Creates a copy of self """ @overload - def __rmul__(self, polygon: Polygon) -> DPolygon: + def __init__(self, name: str, type: int, description: str) -> None: r""" - @brief Transforms a polygon - - 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - - @param polygon The polygon to transform - @return The transformed polygon - - This convenience method has been introduced in version 0.25. + @brief Create a new parameter declaration with the given name and type + @param name The parameter name + @param type One of the Type... constants describing the type of the parameter + @param description The description text """ @overload - def __rmul__(self, text: Text) -> DText: + def __init__(self, name: str, type: int, description: str, default: Any) -> None: r""" - @brief Transforms a text - - 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - - @param text The text to transform - @return The transformed text - - This convenience method has been introduced in version 0.25. + @brief Create a new parameter declaration with the given name, type and default value + @param name The parameter name + @param type One of the Type... constants describing the type of the parameter + @param description The description text + @param default The default (initial) value """ - def __str__(self, lazy: Optional[bool] = ..., dbu: Optional[float] = ...) -> str: + @overload + def __init__(self, name: str, type: int, description: str, default: Any, unit: str) -> None: r""" - @brief String conversion - If 'lazy' is true, some parts are omitted when not required. - If a DBU is given, the output units will be micrometers. - - The lazy and DBU arguments have been added in version 0.27.6. + @brief Create a new parameter declaration with the given name, type, default value and unit string + @param name The parameter name + @param type One of the Type... constants describing the type of the parameter + @param description The description text + @param default The default (initial) value + @param unit The unit string """ def _create(self) -> None: r""" @@ -37084,29 +35789,34 @@ class CplxTrans: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: CplxTrans) -> None: + def add_choice(self, description: str, value: Any) -> None: + r""" + @brief Add a new value to the list of choices + This method will add the given value with the given description to the list of + choices. If choices are defined, KLayout will show a drop-down box instead of an + entry field in the parameter user interface. + """ + def assign(self, other: PCellParameterDeclaration) -> None: r""" @brief Assigns another object to self """ + def choice_descriptions(self) -> List[str]: + r""" + @brief Returns a list of choice descriptions + """ + def choice_values(self) -> List[Any]: + r""" + @brief Returns a list of choice values + """ + def clear_choices(self) -> None: + r""" + @brief Clears the list of choices + """ def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def ctrans(self, d: int) -> float: - r""" - @brief Transforms a distance - - The "ctrans" method transforms the given distance. - e = t(d). For the simple transformations, there - is no magnification and no modification of the distance - therefore. - - @param d The distance to transform - @return The transformed distance - - The product '*' has been added as a synonym in version 0.28. - """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -37119,847 +35829,676 @@ class CplxTrans: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> CplxTrans: + def dup(self) -> PCellParameterDeclaration: r""" @brief Creates a copy of self """ - def hash(self) -> int: + def is_const_object(self) -> bool: r""" - @brief Computes a hash value - Returns a hash value for the given transformation. This method enables transformations as hash keys. - - This method has been introduced in version 0.25. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def invert(self) -> CplxTrans: - r""" - @brief Inverts the transformation (in place) - Inverts the transformation and replaces this transformation by it's - inverted one. +class PCellParameterState: + r""" + @brief Provides access to the attributes of a single parameter within \PCellParameterStates. - @return The inverted transformation - """ - def inverted(self) -> VCplxTrans: - r""" - @brief Returns the inverted transformation + See \PCellParameterStates for details about this feature. - Returns the inverted transformation. This method does not modify the transformation. + This class has been introduced in version 0.28. + """ + class ParameterStateIcon: + r""" + @brief This enum specifies the icon shown next to the parameter in PCell parameter list. - @return The inverted transformation + This enum was introduced in version 0.28. """ - def is_complex(self) -> bool: + ErrorIcon: ClassVar[PCellParameterState.ParameterStateIcon] r""" - @brief Returns true if the transformation is a complex one - - If this predicate is false, the transformation can safely be converted to a simple transformation. - Otherwise, this conversion will be lossy. - The predicate value is equivalent to 'is_mag || !is_ortho'. - - This method has been introduced in version 0.27.5. + @brief An icon indicating an error is shown """ - def is_const_object(self) -> bool: + InfoIcon: ClassVar[PCellParameterState.ParameterStateIcon] r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief A general 'information' icon is shown """ - def is_mag(self) -> bool: + NoIcon: ClassVar[PCellParameterState.ParameterStateIcon] r""" - @brief Tests, if the transformation is a magnifying one - - This is the recommended test for checking if the transformation represents - a magnification. + @brief No icon is shown for the parameter """ - def is_mirror(self) -> bool: + WarningIcon: ClassVar[PCellParameterState.ParameterStateIcon] r""" - @brief Gets the mirror flag - - If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. + @brief An icon indicating a warning is shown """ - def is_ortho(self) -> bool: + @overload + @classmethod + def new(cls, i: int) -> PCellParameterState.ParameterStateIcon: + r""" + @brief Creates an enum from an integer value + """ + @overload + @classmethod + def new(cls, s: str) -> PCellParameterState.ParameterStateIcon: + r""" + @brief Creates an enum from a string value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares two enums + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer value + """ + @overload + def __init__(self, i: int) -> None: + r""" + @brief Creates an enum from an integer value + """ + @overload + def __init__(self, s: str) -> None: + r""" + @brief Creates an enum from a string value + """ + @overload + def __lt__(self, other: PCellParameterState.ParameterStateIcon) -> bool: + r""" + @brief Returns true if the first enum is less (in the enum symbol order) than the second + """ + @overload + def __lt__(self, other: int) -> bool: + r""" + @brief Returns true if the enum is less (in the enum symbol order) than the integer value + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer for inequality + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares two enums for inequality + """ + def __repr__(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + def inspect(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def to_i(self) -> int: + r""" + @brief Gets the integer value from the enum + """ + def to_s(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + ErrorIcon: ClassVar[PCellParameterState.ParameterStateIcon] + r""" + @brief An icon indicating an error is shown + """ + InfoIcon: ClassVar[PCellParameterState.ParameterStateIcon] + r""" + @brief A general 'information' icon is shown + """ + NoIcon: ClassVar[PCellParameterState.ParameterStateIcon] + r""" + @brief No icon is shown for the parameter + """ + WarningIcon: ClassVar[PCellParameterState.ParameterStateIcon] + r""" + @brief An icon indicating a warning is shown + """ + @property + def icon(self) -> None: r""" - @brief Tests, if the transformation is an orthogonal transformation - - If the rotation is by a multiple of 90 degree, this method will return true. + WARNING: This variable can only be set, not retrieved. + @brief Sets the icon for the parameter """ - def is_unity(self) -> bool: + enabled: bool + r""" + Getter: + @brief Gets a value indicating whether the parameter is enabled in the parameter form + + Setter: + @brief Sets a value indicating whether the parameter is enabled in the parameter form + """ + readonly: bool + r""" + Getter: + @brief Gets a value indicating whether the parameter is read-only (not editable) in the parameter form + + Setter: + @brief Sets a value indicating whether the parameter is made read-only (not editable) in the parameter form + """ + tooltip: str + r""" + Getter: + @brief Gets the tool tip text + + Setter: + @brief Sets the tool tip text + + The tool tip is shown when hovering over the parameter label or edit field. + """ + value: Any + r""" + Getter: + @brief Gets the value of the parameter + + Setter: + @brief Sets the value of the parameter + """ + visible: bool + r""" + Getter: + @brief Gets a value indicating whether the parameter is visible in the parameter form + + Setter: + @brief Sets a value indicating whether the parameter is visible in the parameter form + """ + @classmethod + def new(cls) -> PCellParameterState: r""" - @brief Tests, whether this is a unit transformation + @brief Creates a new object of this class """ - def rot(self) -> int: + def __copy__(self) -> PCellParameterState: r""" - @brief Returns the respective simple transformation equivalent rotation code if possible - - If this transformation is orthogonal (is_ortho () == true), then this method - will return the corresponding fixpoint transformation, not taking into account - magnification and displacement. If the transformation is not orthogonal, the result - reflects the quadrant the rotation goes into. + @brief Creates a copy of self """ - def s_trans(self) -> Trans: + def __deepcopy__(self) -> PCellParameterState: r""" - @brief Extracts the simple transformation part - - The simple transformation part does not reflect magnification or arbitrary angles. - Rotation angles are rounded down to multiples of 90 degree. Magnification is fixed to 1.0. + @brief Creates a copy of self """ - def to_itrans(self, dbu: Optional[float] = ...) -> ICplxTrans: + def __init__(self) -> None: r""" - @brief Converts the transformation to another transformation with integer input and output coordinates - - The database unit can be specified to translate the floating-point coordinate displacement in micron units to an integer-coordinate displacement in database units. The displacement's' coordinates will be divided by the database unit. - - This method has been introduced in version 0.25. + @brief Creates a new object of this class """ - def to_s(self, lazy: Optional[bool] = ..., dbu: Optional[float] = ...) -> str: + def _create(self) -> None: r""" - @brief String conversion - If 'lazy' is true, some parts are omitted when not required. - If a DBU is given, the output units will be micrometers. - - The lazy and DBU arguments have been added in version 0.27.6. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def to_trans(self) -> DCplxTrans: + def _destroy(self) -> None: r""" - @brief Converts the transformation to another transformation with floating-point input coordinates - - This method has been introduced in version 0.25. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def to_vtrans(self, dbu: Optional[float] = ...) -> VCplxTrans: + def _destroyed(self) -> bool: r""" - @brief Converts the transformation to another transformation with integer output and floating-point input coordinates - - The database unit can be specified to translate the floating-point coordinate displacement in micron units to an integer-coordinate displacement in database units. The displacement's' coordinates will be divided by the database unit. - - This method has been introduced in version 0.25. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def trans(self, box: Box) -> DBox: + def _is_const_object(self) -> bool: r""" - @brief Transforms a box - - 't*box' or 't.trans(box)' is equivalent to box.transformed(t). - - @param box The box to transform - @return The transformed box - - This convenience method has been introduced in version 0.25. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def trans(self, edge: Edge) -> DEdge: + def _manage(self) -> None: r""" - @brief Transforms an edge - - 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). - - @param edge The edge to transform - @return The transformed edge + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This convenience method has been introduced in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def trans(self, p: Point) -> DPoint: + def _unmanage(self) -> None: r""" - @brief Transforms a point - - The "trans" method or the * operator transforms the given point. - q = t(p) - - The * operator has been introduced in version 0.25. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - @param p The point to transform - @return The transformed point + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def trans(self, p: Vector) -> DVector: + def assign(self, other: PCellParameterState) -> None: r""" - @brief Transforms a vector - - The "trans" method or the * operator transforms the given vector. - w = t(v) - - Vector transformation has been introduced in version 0.25. - - @param v The vector to transform - @return The transformed vector + @brief Assigns another object to self """ - @overload - def trans(self, path: Path) -> DPath: + def create(self) -> None: r""" - @brief Transforms a path - - 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - - @param path The path to transform - @return The transformed path - - This convenience method has been introduced in version 0.25. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def trans(self, polygon: Polygon) -> DPolygon: + def destroy(self) -> None: r""" - @brief Transforms a polygon - - 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - - @param polygon The polygon to transform - @return The transformed polygon - - This convenience method has been introduced in version 0.25. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def trans(self, text: Text) -> DText: + def destroyed(self) -> bool: r""" - @brief Transforms a text - - 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - - @param text The text to transform - @return The transformed text - - This convenience method has been introduced in version 0.25. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> PCellParameterState: + r""" + @brief Creates a copy of self + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def is_enabled(self) -> bool: + r""" + @brief Gets a value indicating whether the parameter is enabled in the parameter form + """ + def is_readonly(self) -> bool: + r""" + @brief Gets a value indicating whether the parameter is read-only (not editable) in the parameter form + """ + def is_visible(self) -> bool: + r""" + @brief Gets a value indicating whether the parameter is visible in the parameter form """ -class ICplxTrans: +class PCellParameterStates: r""" - @brief A complex transformation - - A complex transformation provides magnification, mirroring at the x-axis, rotation by an arbitrary - angle and a displacement. This is also the order, the operations are applied. - This version can transform integer-coordinate objects into the same, which may involve rounding and can be inexact. - - Complex transformations are extensions of the simple transformation classes (\Trans in that case) and behave similar. + @brief Provides access to the parameter states inside a 'callback' implementation of a PCell - Transformations can be used to transform points or other objects. Transformations can be combined with the '*' operator to form the transformation which is equivalent to applying the second and then the first. Here is some code: + Example: enables or disables a parameter 'n' based on the value: @code - # Create a transformation that applies a magnification of 1.5, a rotation by 90 degree - # and displacement of 10 in x and 20 units in y direction: - t = RBA::ICplxTrans::new(1.5, 90, false, 10.0, 20.0) - t.to_s # r90 *1.5 10,20 - # compute the inverse: - t.inverted.to_s # r270 *0.666666667 -13,7 - # Combine with another displacement (applied after that): - (RBA::ICplxTrans::new(5, 5) * t).to_s # r90 *1.5 15,25 - # Transform a point: - t.trans(RBA::Point::new(100, 200)).to_s # -290,170 + n_param = states.parameter("n") + n_param.enabled = n_param.value > 1.0 @/code - This class has been introduced in version 0.18. - - See @The Database API@ for more details about the database objects. - """ - M0: ClassVar[ICplxTrans] - r""" - @brief A constant giving "mirrored at the x-axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - M135: ClassVar[ICplxTrans] - r""" - @brief A constant giving "mirrored at the 135 degree axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - M45: ClassVar[ICplxTrans] - r""" - @brief A constant giving "mirrored at the 45 degree axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - M90: ClassVar[ICplxTrans] - r""" - @brief A constant giving "mirrored at the y (90 degree) axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R0: ClassVar[ICplxTrans] - r""" - @brief A constant giving "unrotated" (unit) transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R180: ClassVar[ICplxTrans] - r""" - @brief A constant giving "rotated by 180 degree counterclockwise" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R270: ClassVar[ICplxTrans] - r""" - @brief A constant giving "rotated by 270 degree counterclockwise" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R90: ClassVar[ICplxTrans] - r""" - @brief A constant giving "rotated by 90 degree counterclockwise" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - angle: float - r""" - Getter: - @brief Gets the angle - - Note that the simple transformation returns the angle in units of 90 degree. Hence for a simple trans (i.e. \Trans), a rotation angle of 180 degree delivers a value of 2 for the angle attribute. The complex transformation, supporting any rotation angle returns the angle in degree. - - @return The rotation angle this transformation provides in degree units (0..360 deg). - - Setter: - @brief Sets the angle - @param a The new angle - See \angle for a description of that attribute. - """ - disp: Vector - r""" - Getter: - @brief Gets the displacement - - Setter: - @brief Sets the displacement - @param u The new displacement - """ - mag: float - r""" - Getter: - @brief Gets the magnification - - Setter: - @brief Sets the magnification - @param m The new magnification - """ - mirror: bool - r""" - Getter: - @brief Gets the mirror flag - - If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. - Setter: - @brief Sets the mirror flag - "mirroring" describes a reflection at the x-axis which is included in the transformation prior to rotation.@param m The new mirror flag + This class has been introduced in version 0.28. """ @classmethod - def from_dtrans(cls, trans: DCplxTrans) -> ICplxTrans: + def new(cls) -> PCellParameterStates: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtrans'. + @brief Creates a new object of this class """ - @classmethod - def from_s(cls, s: str) -> ICplxTrans: + def __copy__(self) -> PCellParameterStates: r""" - @brief Creates an object from a string - Creates the object from a string representation (as returned by \to_s) - - This method has been added in version 0.23. + @brief Creates a copy of self """ - @classmethod - def from_trans(cls, trans: CplxTrans) -> ICplxTrans: + def __deepcopy__(self) -> PCellParameterStates: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_trans'. + @brief Creates a copy of self """ - @overload - @classmethod - def new(cls) -> ICplxTrans: + def __init__(self) -> None: r""" - @brief Creates a unit transformation + @brief Creates a new object of this class """ - @overload - @classmethod - def new(cls, m: float) -> ICplxTrans: + def _create(self) -> None: r""" - @brief Creates a transformation from a magnification - - Creates a magnifying transformation without displacement and rotation given the magnification m. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - @classmethod - def new(cls, t: Trans) -> ICplxTrans: + def _destroy(self) -> None: r""" - @brief Creates a transformation from a simple transformation alone - - Creates a magnifying transformation from a simple transformation and a magnification of 1.0. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - @classmethod - def new(cls, trans: CplxTrans) -> ICplxTrans: + def _destroyed(self) -> bool: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_trans'. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - @classmethod - def new(cls, trans: DCplxTrans) -> ICplxTrans: + def _is_const_object(self) -> bool: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour - - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtrans'. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - @classmethod - def new(cls, trans: VCplxTrans) -> ICplxTrans: + def _manage(self) -> None: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This constructor has been introduced in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - @classmethod - def new(cls, u: Vector) -> ICplxTrans: + def _unmanage(self) -> None: r""" - @brief Creates a transformation from a displacement - - Creates a transformation with a displacement only. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been added in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - @classmethod - def new(cls, t: Trans, m: float) -> ICplxTrans: + def assign(self, other: PCellParameterStates) -> None: r""" - @brief Creates a transformation from a simple transformation and a magnification - - Creates a magnifying transformation from a simple transformation and a magnification. + @brief Assigns another object to self """ - @overload - @classmethod - def new(cls, x: int, y: int) -> ICplxTrans: + def create(self) -> None: r""" - @brief Creates a transformation from a x and y displacement - - This constructor will create a transformation with the specified displacement - but no rotation. - - @param x The x displacement - @param y The y displacement + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - @classmethod - def new(cls, c: ICplxTrans, m: Optional[float] = ..., u: Optional[Vector] = ...) -> ICplxTrans: + def destroy(self) -> None: r""" - @brief Creates a transformation from another transformation plus a magnification and displacement - - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - - This variant has been introduced in version 0.25. - - @param c The original transformation - @param u The Additional displacement + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - @classmethod - def new(cls, c: ICplxTrans, m: float, x: int, y: int) -> ICplxTrans: + def destroyed(self) -> bool: r""" - @brief Creates a transformation from another transformation plus a magnification and displacement - - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - - This variant has been introduced in version 0.25. - - @param c The original transformation - @param x The Additional displacement (x) - @param y The Additional displacement (y) + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - @classmethod - def new(cls, mag: float, rot: float, mirrx: bool, u: Vector) -> ICplxTrans: + def dup(self) -> PCellParameterStates: r""" - @brief Creates a transformation using magnification, angle, mirror flag and displacement - - The sequence of operations is: magnification, mirroring at x axis, - rotation, application of displacement. - - @param mag The magnification - @param rot The rotation angle in units of degree - @param mirrx True, if mirrored at x axis - @param u The displacement + @brief Creates a copy of self """ - @overload - @classmethod - def new(cls, mag: float, rot: float, mirrx: bool, x: int, y: int) -> ICplxTrans: + def has_parameter(self, name: str) -> bool: r""" - @brief Creates a transformation using magnification, angle, mirror flag and displacement + @brief Gets a value indicating whether a parameter with that name exists + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def parameter(self, name: str) -> PCellParameterState: + r""" + @brief Gets the parameter by name - The sequence of operations is: magnification, mirroring at x axis, - rotation, application of displacement. + This will return a \PCellParameterState object that can be used to manipulate the parameter state. + """ - @param mag The magnification - @param rot The rotation angle in units of degree - @param mirrx True, if mirrored at x axis - @param x The x displacement - @param y The y displacement +class ParentInstArray: + r""" + @brief A parent instance + + A parent instance is basically an inverse instance: instead of pointing + to the child cell, it is pointing to the parent cell and the transformation + is representing the shift of the parent cell relative to the child cell. + For memory performance, a parent instance is not stored as a instance but + rather as a reference to a child instance and a reference to the cell which + is the parent. + The parent instance itself is computed on the fly. It is representative for + a set of instances belonging to the same cell index. The special parent instance + iterator takes care of producing the right sequence (\Cell#each_parent_inst). + + See @The Database API@ for more details about the database objects. + """ + @classmethod + def new(cls) -> ParentInstArray: + r""" + @brief Creates a new object of this class """ - def __copy__(self) -> ICplxTrans: + def __copy__(self) -> ParentInstArray: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> ICplxTrans: + def __deepcopy__(self) -> ParentInstArray: r""" @brief Creates a copy of self """ - def __eq__(self, other: object) -> bool: + def __init__(self) -> None: r""" - @brief Tests for equality + @brief Creates a new object of this class """ - def __hash__(self) -> int: + def _create(self) -> None: r""" - @brief Computes a hash value - Returns a hash value for the given transformation. This method enables transformations as hash keys. - - This method has been introduced in version 0.25. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def __init__(self) -> None: + def _destroy(self) -> None: r""" - @brief Creates a unit transformation + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def __init__(self, m: float) -> None: + def _destroyed(self) -> bool: r""" - @brief Creates a transformation from a magnification - - Creates a magnifying transformation without displacement and rotation given the magnification m. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def __init__(self, t: Trans) -> None: + def _is_const_object(self) -> bool: r""" - @brief Creates a transformation from a simple transformation alone - - Creates a magnifying transformation from a simple transformation and a magnification of 1.0. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def __init__(self, trans: CplxTrans) -> None: + def _manage(self) -> None: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_trans'. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def __init__(self, trans: DCplxTrans) -> None: + def _unmanage(self) -> None: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtrans'. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def __init__(self, trans: VCplxTrans) -> None: + def assign(self, other: ParentInstArray) -> None: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour - - This constructor has been introduced in version 0.25. + @brief Assigns another object to self """ - @overload - def __init__(self, u: Vector) -> None: + def child_inst(self) -> Instance: r""" - @brief Creates a transformation from a displacement - - Creates a transformation with a displacement only. + @brief Retrieve the child instance associated with this parent instance - This method has been added in version 0.25. + Starting with version 0.15, this method returns an \Instance object rather than a \CellInstArray reference. """ - @overload - def __init__(self, t: Trans, m: float) -> None: + def create(self) -> None: r""" - @brief Creates a transformation from a simple transformation and a magnification - - Creates a magnifying transformation from a simple transformation and a magnification. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def __init__(self, x: int, y: int) -> None: + def destroy(self) -> None: r""" - @brief Creates a transformation from a x and y displacement - - This constructor will create a transformation with the specified displacement - but no rotation. - - @param x The x displacement - @param y The y displacement + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def __init__(self, c: ICplxTrans, m: Optional[float] = ..., u: Optional[Vector] = ...) -> None: + def destroyed(self) -> bool: r""" - @brief Creates a transformation from another transformation plus a magnification and displacement - - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - - This variant has been introduced in version 0.25. - - @param c The original transformation - @param u The Additional displacement + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def __init__(self, c: ICplxTrans, m: float, x: int, y: int) -> None: + def dinst(self) -> DCellInstArray: r""" - @brief Creates a transformation from another transformation plus a magnification and displacement - - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. - - This variant has been introduced in version 0.25. + @brief Compute the inverse instance by which the parent is seen from the child in micrometer units - @param c The original transformation - @param x The Additional displacement (x) - @param y The Additional displacement (y) + This convenience method has been introduced in version 0.28. """ - @overload - def __init__(self, mag: float, rot: float, mirrx: bool, u: Vector) -> None: + def dup(self) -> ParentInstArray: r""" - @brief Creates a transformation using magnification, angle, mirror flag and displacement - - The sequence of operations is: magnification, mirroring at x axis, - rotation, application of displacement. - - @param mag The magnification - @param rot The rotation angle in units of degree - @param mirrx True, if mirrored at x axis - @param u The displacement + @brief Creates a copy of self """ - @overload - def __init__(self, mag: float, rot: float, mirrx: bool, x: int, y: int) -> None: + def inst(self) -> CellInstArray: r""" - @brief Creates a transformation using magnification, angle, mirror flag and displacement - - The sequence of operations is: magnification, mirroring at x axis, - rotation, application of displacement. - - @param mag The magnification - @param rot The rotation angle in units of degree - @param mirrx True, if mirrored at x axis - @param x The x displacement - @param y The y displacement + @brief Compute the inverse instance by which the parent is seen from the child """ - def __lt__(self, other: ICplxTrans) -> bool: + def is_const_object(self) -> bool: r""" - @brief Provides a 'less' criterion for sorting - This method is provided to implement a sorting order. The definition of 'less' is opaque and might change in future versions. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def __mul__(self, box: Box) -> Box: + def parent_cell_index(self) -> int: r""" - @brief Transforms a box - - 't*box' or 't.trans(box)' is equivalent to box.transformed(t). + @brief Gets the index of the parent cell + """ - @param box The box to transform - @return The transformed box +class ParseElementComponentsData: + r""" + @brief Supplies the return value for \NetlistSpiceReaderDelegate#parse_element_components. + This is a structure with two members: 'strings' for the string arguments and 'parameters' for the named arguments. - This convenience method has been introduced in version 0.25. + This helper class has been introduced in version 0.27.1. Starting with version 0.28.6, named parameters can be string types too. + """ + parameters: Dict[str, Any] + r""" + Getter: + @brief Gets the (named) parameters + Named parameters are typically (but not neccessarily) numerical, like 'w=0.15u'. + Setter: + @brief Sets the (named) parameters + """ + strings: List[str] + r""" + Getter: + @brief Gets the (unnamed) string parameters + These parameters are typically net names or model name. + Setter: + @brief Sets the (unnamed) string parameters + """ + @classmethod + def new(cls) -> ParseElementComponentsData: + r""" + @brief Creates a new object of this class """ - @overload - def __mul__(self, d: int) -> int: + def __copy__(self) -> ParseElementComponentsData: r""" - @brief Transforms a distance - - The "ctrans" method transforms the given distance. - e = t(d). For the simple transformations, there - is no magnification and no modification of the distance - therefore. - - @param d The distance to transform - @return The transformed distance - - The product '*' has been added as a synonym in version 0.28. + @brief Creates a copy of self """ - @overload - def __mul__(self, edge: Edge) -> Edge: + def __deepcopy__(self) -> ParseElementComponentsData: r""" - @brief Transforms an edge - - 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). - - @param edge The edge to transform - @return The transformed edge - - This convenience method has been introduced in version 0.25. + @brief Creates a copy of self """ - @overload - def __mul__(self, p: Point) -> Point: + def __init__(self) -> None: r""" - @brief Transforms a point - - The "trans" method or the * operator transforms the given point. - q = t(p) - - The * operator has been introduced in version 0.25. - - @param p The point to transform - @return The transformed point + @brief Creates a new object of this class """ - @overload - def __mul__(self, p: Vector) -> Vector: + def _create(self) -> None: r""" - @brief Transforms a vector - - The "trans" method or the * operator transforms the given vector. - w = t(v) - - Vector transformation has been introduced in version 0.25. - - @param v The vector to transform - @return The transformed vector + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def __mul__(self, path: Path) -> Path: + def _destroy(self) -> None: r""" - @brief Transforms a path - - 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - - @param path The path to transform - @return The transformed path - - This convenience method has been introduced in version 0.25. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def __mul__(self, polygon: Polygon) -> Polygon: + def _destroyed(self) -> bool: r""" - @brief Transforms a polygon - - 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - - @param polygon The polygon to transform - @return The transformed polygon - - This convenience method has been introduced in version 0.25. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def __mul__(self, t: ICplxTrans) -> ICplxTrans: + def _is_const_object(self) -> bool: r""" - @brief Returns the concatenated transformation - - The * operator returns self*t ("t is applied before this transformation"). - - @param t The transformation to apply before - @return The modified transformation + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def __mul__(self, t: VCplxTrans) -> VCplxTrans: + def _manage(self) -> None: r""" - @brief Multiplication (concatenation) of transformations - - The * operator returns self*t ("t is applied before this transformation"). + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - @param t The transformation to apply before - @return The modified transformation + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def __mul__(self, text: Text) -> Text: + def _unmanage(self) -> None: r""" - @brief Transforms a text - - 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - - @param text The text to transform - @return The transformed text + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This convenience method has been introduced in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def __ne__(self, other: object) -> bool: + def assign(self, other: ParseElementComponentsData) -> None: r""" - @brief Tests for inequality + @brief Assigns another object to self """ - @overload - def __rmul__(self, box: Box) -> Box: + def create(self) -> None: r""" - @brief Transforms a box - - 't*box' or 't.trans(box)' is equivalent to box.transformed(t). - - @param box The box to transform - @return The transformed box - - This convenience method has been introduced in version 0.25. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def __rmul__(self, d: int) -> int: + def destroy(self) -> None: r""" - @brief Transforms a distance - - The "ctrans" method transforms the given distance. - e = t(d). For the simple transformations, there - is no magnification and no modification of the distance - therefore. - - @param d The distance to transform - @return The transformed distance - - The product '*' has been added as a synonym in version 0.28. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def __rmul__(self, edge: Edge) -> Edge: + def destroyed(self) -> bool: r""" - @brief Transforms an edge - - 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). - - @param edge The edge to transform - @return The transformed edge - - This convenience method has been introduced in version 0.25. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def __rmul__(self, p: Point) -> Point: + def dup(self) -> ParseElementComponentsData: r""" - @brief Transforms a point - - The "trans" method or the * operator transforms the given point. - q = t(p) - - The * operator has been introduced in version 0.25. - - @param p The point to transform - @return The transformed point + @brief Creates a copy of self """ - @overload - def __rmul__(self, p: Vector) -> Vector: + def is_const_object(self) -> bool: r""" - @brief Transforms a vector + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ - The "trans" method or the * operator transforms the given vector. - w = t(v) +class ParseElementData: + r""" + @brief Supplies the return value for \NetlistSpiceReaderDelegate#parse_element. + This is a structure with four members: 'model_name' for the model name, 'value' for the default numerical value, 'net_names' for the net names and 'parameters' for the named parameters. - Vector transformation has been introduced in version 0.25. + This helper class has been introduced in version 0.27.1. Starting with version 0.28.6, named parameters can be string types too. + """ + model_name: str + r""" + Getter: + @brief Gets the model name - @param v The vector to transform - @return The transformed vector - """ - @overload - def __rmul__(self, path: Path) -> Path: - r""" - @brief Transforms a path + Setter: + @brief Sets the model name + """ + net_names: List[str] + r""" + Getter: + @brief Gets the net names - 't*path' or 't.trans(path)' is equivalent to path.transformed(t). + Setter: + @brief Sets the net names + """ + parameters: Dict[str, Any] + r""" + Getter: + @brief Gets the (named) parameters - @param path The path to transform - @return The transformed path + Setter: + @brief Sets the (named) parameters + """ + value: float + r""" + Getter: + @brief Gets the value - This convenience method has been introduced in version 0.25. + Setter: + @brief Sets the value + """ + @classmethod + def new(cls) -> ParseElementData: + r""" + @brief Creates a new object of this class """ - @overload - def __rmul__(self, polygon: Polygon) -> Polygon: + def __copy__(self) -> ParseElementData: r""" - @brief Transforms a polygon - - 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - - @param polygon The polygon to transform - @return The transformed polygon - - This convenience method has been introduced in version 0.25. + @brief Creates a copy of self """ - @overload - def __rmul__(self, text: Text) -> Text: + def __deepcopy__(self) -> ParseElementData: r""" - @brief Transforms a text - - 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - - @param text The text to transform - @return The transformed text - - This convenience method has been introduced in version 0.25. + @brief Creates a copy of self """ - def __str__(self, lazy: Optional[bool] = ..., dbu: Optional[float] = ...) -> str: + def __init__(self) -> None: r""" - @brief String conversion - If 'lazy' is true, some parts are omitted when not required. - If a DBU is given, the output units will be micrometers. - - The lazy and DBU arguments have been added in version 0.27.6. + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -37998,7 +36537,7 @@ class ICplxTrans: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: ICplxTrans) -> None: + def assign(self, other: ParseElementData) -> None: r""" @brief Assigns another object to self """ @@ -38007,20 +36546,6 @@ class ICplxTrans: @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def ctrans(self, d: int) -> int: - r""" - @brief Transforms a distance - - The "ctrans" method transforms the given distance. - e = t(d). For the simple transformations, there - is no magnification and no modification of the distance - therefore. - - @param d The distance to transform - @return The transformed distance - - The product '*' has been added as a synonym in version 0.28. - """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -38033,833 +36558,772 @@ class ICplxTrans: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> ICplxTrans: + def dup(self) -> ParseElementData: r""" @brief Creates a copy of self """ - def hash(self) -> int: + def is_const_object(self) -> bool: r""" - @brief Computes a hash value - Returns a hash value for the given transformation. This method enables transformations as hash keys. - - This method has been introduced in version 0.25. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def invert(self) -> ICplxTrans: - r""" - @brief Inverts the transformation (in place) - Inverts the transformation and replaces this transformation by it's - inverted one. +class Path: + r""" + @brief A path class - @return The inverted transformation - """ - def inverted(self) -> ICplxTrans: - r""" - @brief Returns the inverted transformation + A path consists of an sequence of line segments forming the 'spine' of the path and a width. In addition, the starting point can be drawn back by a certain extent (the 'begin extension') and the end point can be pulled forward somewhat (by the 'end extension'). - Returns the inverted transformation. This method does not modify the transformation. + A path may have round ends for special purposes. In particular, a round-ended path with a single point can represent a circle. Round-ended paths should have being and end extensions equal to half the width. Non-round-ended paths with a single point are allowed but the definition of the resulting shape in not well defined and may differ in other tools. - @return The inverted transformation - """ - def is_complex(self) -> bool: - r""" - @brief Returns true if the transformation is a complex one + See @The Database API@ for more details about the database objects. + """ + bgn_ext: int + r""" + Getter: + @brief Get the begin extension - If this predicate is false, the transformation can safely be converted to a simple transformation. - Otherwise, this conversion will be lossy. - The predicate value is equivalent to 'is_mag || !is_ortho'. + Setter: + @brief Set the begin extension + """ + end_ext: int + r""" + Getter: + @brief Get the end extension - This method has been introduced in version 0.27.5. - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def is_mag(self) -> bool: - r""" - @brief Tests, if the transformation is a magnifying one + Setter: + @brief Set the end extension + """ + points: int + r""" + Getter: + @brief Get the number of points + Setter: + @brief Set the points of the path + @param p An array of points to assign to the path's spine + """ + round: bool + r""" + Getter: + @brief Returns true, if the path has round ends - This is the recommended test for checking if the transformation represents - a magnification. - """ - def is_mirror(self) -> bool: + Setter: + @brief Set the 'round ends' flag + A path with round ends show half circles at the ends, instead of square or rectangular ends. Paths with this flag set should use a begin and end extension of half the width (see \bgn_ext and \end_ext). The interpretation of such paths in other tools may differ otherwise. + """ + width: int + r""" + Getter: + @brief Get the width + + Setter: + @brief Set the width + """ + @classmethod + def from_dpath(cls, dpath: DPath) -> Path: r""" - @brief Gets the mirror flag + @brief Creates an integer coordinate path from a floating-point coordinate path - If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpath'. """ - def is_ortho(self) -> bool: + @classmethod + def from_s(cls, s: str) -> Path: r""" - @brief Tests, if the transformation is an orthogonal transformation + @brief Creates an object from a string + Creates the object from a string representation (as returned by \to_s) - If the rotation is by a multiple of 90 degree, this method will return true. + This method has been added in version 0.23. """ - def is_unity(self) -> bool: + @overload + @classmethod + def new(cls) -> Path: r""" - @brief Tests, whether this is a unit transformation + @brief Default constructor: creates an empty (invalid) path with width 0 """ - def rot(self) -> int: + @overload + @classmethod + def new(cls, dpath: DPath) -> Path: r""" - @brief Returns the respective simple transformation equivalent rotation code if possible + @brief Creates an integer coordinate path from a floating-point coordinate path - If this transformation is orthogonal (is_ortho () == true), then this method - will return the corresponding fixpoint transformation, not taking into account - magnification and displacement. If the transformation is not orthogonal, the result - reflects the quadrant the rotation goes into. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpath'. """ - def s_trans(self) -> Trans: + @overload + @classmethod + def new(cls, pts: Sequence[Point], width: int) -> Path: r""" - @brief Extracts the simple transformation part + @brief Constructor given the points of the path's spine and the width - The simple transformation part does not reflect magnification or arbitrary angles. - Rotation angles are rounded down to multiples of 90 degree. Magnification is fixed to 1.0. + + @param pts The points forming the spine of the path + @param width The width of the path """ - def to_itrans(self, dbu: Optional[float] = ...) -> DCplxTrans: + @overload + @classmethod + def new(cls, pts: Sequence[Point], width: int, bgn_ext: int, end_ext: int) -> Path: r""" - @brief Converts the transformation to another transformation with floating-point input and output coordinates + @brief Constructor given the points of the path's spine, the width and the extensions - The database unit can be specified to translate the integer coordinate displacement in database units to a floating-point displacement in micron units. The displacement's' coordinates will be multiplied with the database unit. - This method has been introduced in version 0.25. + @param pts The points forming the spine of the path + @param width The width of the path + @param bgn_ext The begin extension of the path + @param end_ext The end extension of the path """ - def to_s(self, lazy: Optional[bool] = ..., dbu: Optional[float] = ...) -> str: + @overload + @classmethod + def new(cls, pts: Sequence[Point], width: int, bgn_ext: int, end_ext: int, round: bool) -> Path: r""" - @brief String conversion - If 'lazy' is true, some parts are omitted when not required. - If a DBU is given, the output units will be micrometers. + @brief Constructor given the points of the path's spine, the width, the extensions and the round end flag - The lazy and DBU arguments have been added in version 0.27.6. - """ - def to_trans(self) -> VCplxTrans: - r""" - @brief Converts the transformation to another transformation with floating-point input coordinates - This method has been introduced in version 0.25. + @param pts The points forming the spine of the path + @param width The width of the path + @param bgn_ext The begin extension of the path + @param end_ext The end extension of the path + @param round If this flag is true, the path will get rounded ends """ - def to_vtrans(self, dbu: Optional[float] = ...) -> CplxTrans: + @classmethod + def new_pw(cls, pts: Sequence[Point], width: int) -> Path: r""" - @brief Converts the transformation to another transformation with floating-point output coordinates + @brief Constructor given the points of the path's spine and the width - The database unit can be specified to translate the integer coordinate displacement in database units to a floating-point displacement in micron units. The displacement's' coordinates will be multiplied with the database unit. - This method has been introduced in version 0.25. + @param pts The points forming the spine of the path + @param width The width of the path """ - @overload - def trans(self, box: Box) -> Box: + @classmethod + def new_pwx(cls, pts: Sequence[Point], width: int, bgn_ext: int, end_ext: int) -> Path: r""" - @brief Transforms a box - - 't*box' or 't.trans(box)' is equivalent to box.transformed(t). + @brief Constructor given the points of the path's spine, the width and the extensions - @param box The box to transform - @return The transformed box - This convenience method has been introduced in version 0.25. + @param pts The points forming the spine of the path + @param width The width of the path + @param bgn_ext The begin extension of the path + @param end_ext The end extension of the path """ - @overload - def trans(self, edge: Edge) -> Edge: + @classmethod + def new_pwxr(cls, pts: Sequence[Point], width: int, bgn_ext: int, end_ext: int, round: bool) -> Path: r""" - @brief Transforms an edge + @brief Constructor given the points of the path's spine, the width, the extensions and the round end flag - 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). - @param edge The edge to transform - @return The transformed edge + @param pts The points forming the spine of the path + @param width The width of the path + @param bgn_ext The begin extension of the path + @param end_ext The end extension of the path + @param round If this flag is true, the path will get rounded ends + """ + def __copy__(self) -> Path: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> Path: + r""" + @brief Creates a copy of self + """ + def __eq__(self, p: object) -> bool: + r""" + @brief Equality test + @param p The object to compare against + """ + def __hash__(self) -> int: + r""" + @brief Computes a hash value + Returns a hash value for the given polygon. This method enables polygons as hash keys. - This convenience method has been introduced in version 0.25. + This method has been introduced in version 0.25. """ @overload - def trans(self, p: Point) -> Point: + def __init__(self) -> None: r""" - @brief Transforms a point - - The "trans" method or the * operator transforms the given point. - q = t(p) - - The * operator has been introduced in version 0.25. - - @param p The point to transform - @return The transformed point + @brief Default constructor: creates an empty (invalid) path with width 0 """ @overload - def trans(self, p: Vector) -> Vector: + def __init__(self, dpath: DPath) -> None: r""" - @brief Transforms a vector - - The "trans" method or the * operator transforms the given vector. - w = t(v) - - Vector transformation has been introduced in version 0.25. + @brief Creates an integer coordinate path from a floating-point coordinate path - @param v The vector to transform - @return The transformed vector + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpath'. """ @overload - def trans(self, path: Path) -> Path: + def __init__(self, pts: Sequence[Point], width: int) -> None: r""" - @brief Transforms a path - - 't*path' or 't.trans(path)' is equivalent to path.transformed(t). + @brief Constructor given the points of the path's spine and the width - @param path The path to transform - @return The transformed path - This convenience method has been introduced in version 0.25. + @param pts The points forming the spine of the path + @param width The width of the path """ @overload - def trans(self, polygon: Polygon) -> Polygon: + def __init__(self, pts: Sequence[Point], width: int, bgn_ext: int, end_ext: int) -> None: r""" - @brief Transforms a polygon - - 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). + @brief Constructor given the points of the path's spine, the width and the extensions - @param polygon The polygon to transform - @return The transformed polygon - This convenience method has been introduced in version 0.25. + @param pts The points forming the spine of the path + @param width The width of the path + @param bgn_ext The begin extension of the path + @param end_ext The end extension of the path """ @overload - def trans(self, text: Text) -> Text: + def __init__(self, pts: Sequence[Point], width: int, bgn_ext: int, end_ext: int, round: bool) -> None: r""" - @brief Transforms a text - - 't*text' or 't.trans(text)' is equivalent to text.transformed(t). + @brief Constructor given the points of the path's spine, the width, the extensions and the round end flag - @param text The text to transform - @return The transformed text - This convenience method has been introduced in version 0.25. + @param pts The points forming the spine of the path + @param width The width of the path + @param bgn_ext The begin extension of the path + @param end_ext The end extension of the path + @param round If this flag is true, the path will get rounded ends """ + def __lt__(self, p: Path) -> bool: + r""" + @brief Less operator + @param p The object to compare against + This operator is provided to establish some, not necessarily a certain sorting order + """ + def __mul__(self, f: float) -> Path: + r""" + @brief Scaling by some factor -class VCplxTrans: - r""" - @brief A complex transformation - - A complex transformation provides magnification, mirroring at the x-axis, rotation by an arbitrary - angle and a displacement. This is also the order, the operations are applied. - This version can transform floating point coordinate objects into integer coordinate objects, which may involve rounding and can be inexact. - - Complex transformations are extensions of the simple transformation classes (\Trans in that case) and behave similar. - - Transformations can be used to transform points or other objects. Transformations can be combined with the '*' operator to form the transformation which is equivalent to applying the second and then the first. Here is some code: - - @code - # Create a transformation that applies a magnification of 1.5, a rotation by 90 degree - # and displacement of 10 in x and 20 units in y direction: - t = RBA::VCplxTrans::new(1.5, 90, false, 10, 20) - t.to_s # r90 *1.5 10,20 - # compute the inverse: - t.inverted.to_s # r270 *0.666666667 -13,7 - # Combine with another displacement (applied after that): - (RBA::VCplxTrans::new(5, 5) * t).to_s # r90 *1.5 15,25 - # Transform a point: - t.trans(RBA::DPoint::new(100, 200)).to_s # -290,170 - @/code - - The VCplxTrans type is the inverse transformation of the CplxTrans transformation and vice versa.Transformations of VCplxTrans type can be concatenated (operator *) with either itself or with transformations of compatible input or output type. This means, the operator VCplxTrans * CplxTrans is allowed (output types of CplxTrans and input of VCplxTrans are identical) while VCplxTrans * ICplxTrans is not. - - This class has been introduced in version 0.25. - - See @The Database API@ for more details about the database objects. - """ - M0: ClassVar[VCplxTrans] - r""" - @brief A constant giving "mirrored at the x-axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - M135: ClassVar[VCplxTrans] - r""" - @brief A constant giving "mirrored at the 135 degree axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - M45: ClassVar[VCplxTrans] - r""" - @brief A constant giving "mirrored at the 45 degree axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - M90: ClassVar[VCplxTrans] - r""" - @brief A constant giving "mirrored at the y (90 degree) axis" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R0: ClassVar[VCplxTrans] - r""" - @brief A constant giving "unrotated" (unit) transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R180: ClassVar[VCplxTrans] - r""" - @brief A constant giving "rotated by 180 degree counterclockwise" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R270: ClassVar[VCplxTrans] - r""" - @brief A constant giving "rotated by 270 degree counterclockwise" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - R90: ClassVar[VCplxTrans] - r""" - @brief A constant giving "rotated by 90 degree counterclockwise" transformation - The previous integer constant has been turned into a transformation in version 0.25. - """ - angle: float - r""" - Getter: - @brief Gets the angle - - Note that the simple transformation returns the angle in units of 90 degree. Hence for a simple trans (i.e. \Trans), a rotation angle of 180 degree delivers a value of 2 for the angle attribute. The complex transformation, supporting any rotation angle returns the angle in degree. - - @return The rotation angle this transformation provides in degree units (0..360 deg). - - Setter: - @brief Sets the angle - @param a The new angle - See \angle for a description of that attribute. - """ - disp: Vector - r""" - Getter: - @brief Gets the displacement - Setter: - @brief Sets the displacement - @param u The new displacement - """ - mag: float - r""" - Getter: - @brief Gets the magnification + Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + """ + def __ne__(self, p: object) -> bool: + r""" + @brief Inequality test + @param p The object to compare against + """ + def __rmul__(self, f: float) -> Path: + r""" + @brief Scaling by some factor - Setter: - @brief Sets the magnification - @param m The new magnification - """ - mirror: bool - r""" - Getter: - @brief Gets the mirror flag - If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. - Setter: - @brief Sets the mirror flag - "mirroring" describes a reflection at the x-axis which is included in the transformation prior to rotation.@param m The new mirror flag - """ - @classmethod - def from_s(cls, s: str) -> VCplxTrans: + Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + """ + def __str__(self) -> str: r""" - @brief Creates an object from a string - Creates the object from a string representation (as returned by \to_s) - - This method has been added in version 0.23. + @brief Convert to a string """ - @overload - @classmethod - def new(cls) -> VCplxTrans: + def _create(self) -> None: r""" - @brief Creates a unit transformation + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - @classmethod - def new(cls, m: float) -> VCplxTrans: + def _destroy(self) -> None: r""" - @brief Creates a transformation from a magnification + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - Creates a magnifying transformation without displacement and rotation given the magnification m. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - @classmethod - def new(cls, t: DTrans) -> VCplxTrans: + def _unmanage(self) -> None: r""" - @brief Creates a transformation from a simple transformation alone + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - Creates a magnifying transformation from a simple transformation and a magnification of 1.0. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - @classmethod - def new(cls, trans: CplxTrans) -> VCplxTrans: + def area(self) -> int: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour + @brief Returns the approximate area of the path + This method returns the approximate value of the area. It is computed from the length times the width. end extensions are taken into account correctly, but not effects of the corner interpolation. + This method was added in version 0.22. """ - @overload - @classmethod - def new(cls, trans: DCplxTrans) -> VCplxTrans: + def assign(self, other: Path) -> None: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour + @brief Assigns another object to self """ - @overload - @classmethod - def new(cls, trans: ICplxTrans) -> VCplxTrans: + def bbox(self) -> Box: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour + @brief Returns the bounding box of the path """ - @overload - @classmethod - def new(cls, u: Vector) -> VCplxTrans: + def create(self) -> None: r""" - @brief Creates a transformation from a displacement - - Creates a transformation with a displacement only. - - This method has been added in version 0.25. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - @classmethod - def new(cls, t: DTrans, m: float) -> VCplxTrans: + def destroy(self) -> None: r""" - @brief Creates a transformation from a simple transformation and a magnification - - Creates a magnifying transformation from a simple transformation and a magnification. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - @classmethod - def new(cls, x: int, y: int) -> VCplxTrans: + def destroyed(self) -> bool: r""" - @brief Creates a transformation from a x and y displacement + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> Path: + r""" + @brief Creates a copy of self + """ + def each_point(self) -> Iterator[Point]: + r""" + @brief Get the points that make up the path's spine + """ + def hash(self) -> int: + r""" + @brief Computes a hash value + Returns a hash value for the given polygon. This method enables polygons as hash keys. - This constructor will create a transformation with the specified displacement - but no rotation. + This method has been introduced in version 0.25. + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def is_round(self) -> bool: + r""" + @brief Returns true, if the path has round ends + """ + def length(self) -> int: + r""" + @brief Returns the length of the path + the length of the path is determined by summing the lengths of the segments and adding begin and end extensions. For round-ended paths the length of the paths between the tips of the ends. - @param x The x displacement - @param y The y displacement + This method was added in version 0.23. """ @overload - @classmethod - def new(cls, c: VCplxTrans, m: Optional[float] = ..., u: Optional[Vector] = ...) -> VCplxTrans: + def move(self, dx: int, dy: int) -> Path: r""" - @brief Creates a transformation from another transformation plus a magnification and displacement + @brief Moves the path. - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. + Moves the path by the given offset and returns the + moved path. The path is overwritten. - This variant has been introduced in version 0.25. + @param dx The x distance to move the path. + @param dy The y distance to move the path. - @param c The original transformation - @param u The Additional displacement + @return The moved path. + + This version has been added in version 0.23. """ @overload - @classmethod - def new(cls, c: VCplxTrans, m: float, x: float, y: float) -> VCplxTrans: + def move(self, p: Vector) -> Path: r""" - @brief Creates a transformation from another transformation plus a magnification and displacement + @brief Moves the path. - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. + Moves the path by the given offset and returns the + moved path. The path is overwritten. - This variant has been introduced in version 0.25. + @param p The distance to move the path. - @param c The original transformation - @param x The Additional displacement (x) - @param y The Additional displacement (y) + @return The moved path. """ @overload - @classmethod - def new(cls, mag: float, rot: float, mirrx: bool, u: Vector) -> VCplxTrans: + def moved(self, dx: int, dy: int) -> Path: r""" - @brief Creates a transformation using magnification, angle, mirror flag and displacement + @brief Returns the moved path (does not change self) - The sequence of operations is: magnification, mirroring at x axis, - rotation, application of displacement. + Moves the path by the given offset and returns the + moved path. The path is not modified. - @param mag The magnification - @param rot The rotation angle in units of degree - @param mirrx True, if mirrored at x axis - @param u The displacement + @param dx The x distance to move the path. + @param dy The y distance to move the path. + + @return The moved path. + + This version has been added in version 0.23. """ @overload - @classmethod - def new(cls, mag: float, rot: float, mirrx: bool, x: int, y: int) -> VCplxTrans: + def moved(self, p: Vector) -> Path: r""" - @brief Creates a transformation using magnification, angle, mirror flag and displacement + @brief Returns the moved path (does not change self) - The sequence of operations is: magnification, mirroring at x axis, - rotation, application of displacement. + Moves the path by the given offset and returns the + moved path. The path is not modified. - @param mag The magnification - @param rot The rotation angle in units of degree - @param mirrx True, if mirrored at x axis - @param x The x displacement - @param y The y displacement + @param p The distance to move the path. + + @return The moved path. """ - def __copy__(self) -> VCplxTrans: + def num_points(self) -> int: r""" - @brief Creates a copy of self + @brief Get the number of points """ - def __deepcopy__(self) -> VCplxTrans: + def perimeter(self) -> int: r""" - @brief Creates a copy of self + @brief Returns the approximate perimeter of the path + This method returns the approximate value of the perimeter. It is computed from the length and the width. end extensions are taken into account correctly, but not effects of the corner interpolation. + This method was added in version 0.24.4. """ - def __eq__(self, other: object) -> bool: + def polygon(self) -> Polygon: r""" - @brief Tests for equality + @brief Convert the path to a polygon + The returned polygon is not guaranteed to be non-self overlapping. This may happen if the path overlaps itself or contains very short segments. """ - def __hash__(self) -> int: + def round_corners(self, radius: float, npoints: int) -> Path: r""" - @brief Computes a hash value - Returns a hash value for the given transformation. This method enables transformations as hash keys. + @brief Creates a new path whose corners are interpolated with circular bends + + @param radius The radius of the bends + @param npoints The number of points (per full circle) used for interpolating the bends This method has been introduced in version 0.25. """ - @overload - def __init__(self) -> None: + def simple_polygon(self) -> SimplePolygon: r""" - @brief Creates a unit transformation + @brief Convert the path to a simple polygon + The returned polygon is not guaranteed to be non-selfoverlapping. This may happen if the path overlaps itself or contains very short segments. """ - @overload - def __init__(self, m: float) -> None: + def to_dtype(self, dbu: Optional[float] = ...) -> DPath: r""" - @brief Creates a transformation from a magnification + @brief Converts the path to a floating-point coordinate path - Creates a magnifying transformation without displacement and rotation given the magnification m. - """ - @overload - def __init__(self, t: DTrans) -> None: - r""" - @brief Creates a transformation from a simple transformation alone + The database unit can be specified to translate the integer-coordinate path into a floating-point coordinate path in micron units. The database unit is basically a scaling factor. - Creates a magnifying transformation from a simple transformation and a magnification of 1.0. - """ - @overload - def __init__(self, trans: CplxTrans) -> None: - r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour - """ - @overload - def __init__(self, trans: DCplxTrans) -> None: - r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour + This method has been introduced in version 0.25. """ - @overload - def __init__(self, trans: ICplxTrans) -> None: + def to_s(self) -> str: r""" - @brief Creates a floating-point coordinate transformation from another coordinate flavour + @brief Convert to a string """ @overload - def __init__(self, u: Vector) -> None: + def transformed(self, t: CplxTrans) -> DPath: r""" - @brief Creates a transformation from a displacement + @brief Transform the path. - Creates a transformation with a displacement only. + Transforms the path with the given complex transformation. + Does not modify the path but returns the transformed path. - This method has been added in version 0.25. - """ - @overload - def __init__(self, t: DTrans, m: float) -> None: - r""" - @brief Creates a transformation from a simple transformation and a magnification + @param t The transformation to apply. - Creates a magnifying transformation from a simple transformation and a magnification. + @return The transformed path. """ @overload - def __init__(self, x: int, y: int) -> None: + def transformed(self, t: ICplxTrans) -> Path: r""" - @brief Creates a transformation from a x and y displacement + @brief Transform the path. - This constructor will create a transformation with the specified displacement - but no rotation. + Transforms the path with the given complex transformation. + Does not modify the path but returns the transformed path. - @param x The x displacement - @param y The y displacement + @param t The transformation to apply. + + @return The transformed path (in this case an integer coordinate path). + + This method has been introduced in version 0.18. """ @overload - def __init__(self, c: VCplxTrans, m: Optional[float] = ..., u: Optional[Vector] = ...) -> None: + def transformed(self, t: Trans) -> Path: r""" - @brief Creates a transformation from another transformation plus a magnification and displacement + @brief Transform the path. - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. + Transforms the path with the given transformation. + Does not modify the path but returns the transformed path. - This variant has been introduced in version 0.25. + @param t The transformation to apply. - @param c The original transformation - @param u The Additional displacement + @return The transformed path. """ - @overload - def __init__(self, c: VCplxTrans, m: float, x: float, y: float) -> None: + def transformed_cplx(self, t: CplxTrans) -> DPath: r""" - @brief Creates a transformation from another transformation plus a magnification and displacement + @brief Transform the path. - Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. + Transforms the path with the given complex transformation. + Does not modify the path but returns the transformed path. - This variant has been introduced in version 0.25. + @param t The transformation to apply. - @param c The original transformation - @param x The Additional displacement (x) - @param y The Additional displacement (y) + @return The transformed path. """ - @overload - def __init__(self, mag: float, rot: float, mirrx: bool, u: Vector) -> None: - r""" - @brief Creates a transformation using magnification, angle, mirror flag and displacement - The sequence of operations is: magnification, mirroring at x axis, - rotation, application of displacement. +class Pin(NetlistObject): + r""" + @brief A pin of a circuit. + Pin objects are used to describe the outgoing pins of a circuit. To create a new pin of a circuit, use \Circuit#create_pin. - @param mag The magnification - @param rot The rotation angle in units of degree - @param mirrx True, if mirrored at x axis - @param u The displacement + This class has been added in version 0.26. + """ + def _assign(self, other: NetlistObject) -> None: + r""" + @brief Assigns another object to self """ - @overload - def __init__(self, mag: float, rot: float, mirrx: bool, x: int, y: int) -> None: + def _create(self) -> None: r""" - @brief Creates a transformation using magnification, angle, mirror flag and displacement + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _dup(self) -> Pin: + r""" + @brief Creates a copy of self + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - The sequence of operations is: magnification, mirroring at x axis, - rotation, application of displacement. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - @param mag The magnification - @param rot The rotation angle in units of degree - @param mirrx True, if mirrored at x axis - @param x The x displacement - @param y The y displacement + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def __lt__(self, other: VCplxTrans) -> bool: + def expanded_name(self) -> str: r""" - @brief Provides a 'less' criterion for sorting - This method is provided to implement a sorting order. The definition of 'less' is opaque and might change in future versions. + @brief Gets the expanded name of the pin. + The expanded name is the name or a generic identifier made from the ID if the name is empty. """ - @overload - def __mul__(self, box: DBox) -> Box: + def id(self) -> int: r""" - @brief Transforms a box + @brief Gets the ID of the pin. + """ + def name(self) -> str: + r""" + @brief Gets the name of the pin. + """ - 't*box' or 't.trans(box)' is equivalent to box.transformed(t). +class Point: + r""" + @brief An integer point class + Points represent a coordinate in the two-dimensional coordinate space of layout. They are not geometrical objects by itself. But they are frequently used in the database API for various purposes. - @param box The box to transform - @return The transformed box + See @The Database API@ for more details about the database objects. + """ + x: int + r""" + Getter: + @brief Accessor to the x coordinate - This convenience method has been introduced in version 0.25. - """ - @overload - def __mul__(self, d: float) -> int: - r""" - @brief Transforms a distance + Setter: + @brief Write accessor to the x coordinate + """ + y: int + r""" + Getter: + @brief Accessor to the y coordinate - The "ctrans" method transforms the given distance. - e = t(d). For the simple transformations, there - is no magnification and no modification of the distance - therefore. + Setter: + @brief Write accessor to the y coordinate + """ + @classmethod + def from_dpoint(cls, dpoint: DPoint) -> Point: + r""" + @brief Creates an integer coordinate point from a floating-point coordinate point - @param d The distance to transform - @return The transformed distance + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpoint'. + """ + @classmethod + def from_s(cls, s: str) -> Point: + r""" + @brief Creates an object from a string + Creates the object from a string representation (as returned by \to_s) - The product '*' has been added as a synonym in version 0.28. + This method has been added in version 0.23. """ @overload - def __mul__(self, edge: DEdge) -> Edge: + @classmethod + def new(cls) -> Point: r""" - @brief Transforms an edge - - 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). - - @param edge The edge to transform - @return The transformed edge - - This convenience method has been introduced in version 0.25. + @brief Default constructor: creates a point at 0,0 """ @overload - def __mul__(self, p: DPoint) -> Point: + @classmethod + def new(cls, dpoint: DPoint) -> Point: r""" - @brief Transforms a point - - The "trans" method or the * operator transforms the given point. - q = t(p) - - The * operator has been introduced in version 0.25. + @brief Creates an integer coordinate point from a floating-point coordinate point - @param p The point to transform - @return The transformed point + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpoint'. """ @overload - def __mul__(self, p: DVector) -> Vector: + @classmethod + def new(cls, v: Vector) -> Point: r""" - @brief Transforms a vector - - The "trans" method or the * operator transforms the given vector. - w = t(v) - - Vector transformation has been introduced in version 0.25. - - @param v The vector to transform - @return The transformed vector + @brief Default constructor: creates a point at from an vector + This constructor is equivalent to computing point(0,0)+v. + This method has been introduced in version 0.25. """ @overload - def __mul__(self, path: DPath) -> Path: + @classmethod + def new(cls, x: int, y: int) -> Point: r""" - @brief Transforms a path - - 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - - @param path The path to transform - @return The transformed path + @brief Constructor for a point from two coordinate values - This convenience method has been introduced in version 0.25. """ - @overload - def __mul__(self, polygon: DPolygon) -> Polygon: + def __add__(self, v: Vector) -> Point: r""" - @brief Transforms a polygon + @brief Adds a vector to a point - 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - @param polygon The polygon to transform - @return The transformed polygon + Adds vector v to self by adding the coordinates. - This convenience method has been introduced in version 0.25. + Starting with version 0.25, this method expects a vector argument. """ - @overload - def __mul__(self, t: CplxTrans) -> ICplxTrans: + def __copy__(self) -> Point: r""" - @brief Multiplication (concatenation) of transformations + @brief Creates a copy of self + """ + def __deepcopy__(self) -> Point: + r""" + @brief Creates a copy of self + """ + def __eq__(self, p: object) -> bool: + r""" + @brief Equality test operator - The * operator returns self*t ("t is applied before this transformation"). + """ + def __hash__(self) -> int: + r""" + @brief Computes a hash value + Returns a hash value for the given point. This method enables points as hash keys. - @param t The transformation to apply before - @return The modified transformation + This method has been introduced in version 0.25. """ - @overload - def __mul__(self, t: DCplxTrans) -> VCplxTrans: + def __imul__(self, f: float) -> Point: r""" - @brief Multiplication (concatenation) of transformations + @brief Scaling by some factor - The * operator returns self*t ("t is applied before this transformation"). - @param t The transformation to apply before - @return The modified transformation + Scales object in place. All coordinates are multiplied with the given factor and if necessary rounded. """ @overload - def __mul__(self, t: VCplxTrans) -> VCplxTrans: + def __init__(self) -> None: r""" - @brief Returns the concatenated transformation - - The * operator returns self*t ("t is applied before this transformation"). - - @param t The transformation to apply before - @return The modified transformation + @brief Default constructor: creates a point at 0,0 """ @overload - def __mul__(self, text: DText) -> Text: + def __init__(self, dpoint: DPoint) -> None: r""" - @brief Transforms a text - - 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - - @param text The text to transform - @return The transformed text + @brief Creates an integer coordinate point from a floating-point coordinate point - This convenience method has been introduced in version 0.25. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpoint'. """ - def __ne__(self, other: object) -> bool: + @overload + def __init__(self, v: Vector) -> None: r""" - @brief Tests for inequality + @brief Default constructor: creates a point at from an vector + This constructor is equivalent to computing point(0,0)+v. + This method has been introduced in version 0.25. """ @overload - def __rmul__(self, box: DBox) -> Box: + def __init__(self, x: int, y: int) -> None: r""" - @brief Transforms a box - - 't*box' or 't.trans(box)' is equivalent to box.transformed(t). - - @param box The box to transform - @return The transformed box + @brief Constructor for a point from two coordinate values - This convenience method has been introduced in version 0.25. """ - @overload - def __rmul__(self, d: float) -> int: + def __itruediv__(self, d: float) -> Point: r""" - @brief Transforms a distance - - The "ctrans" method transforms the given distance. - e = t(d). For the simple transformations, there - is no magnification and no modification of the distance - therefore. + @brief Division by some divisor - @param d The distance to transform - @return The transformed distance - The product '*' has been added as a synonym in version 0.28. + Divides the object in place. All coordinates are divided with the given divisor and if necessary rounded. """ - @overload - def __rmul__(self, edge: DEdge) -> Edge: + def __lt__(self, p: Point) -> bool: r""" - @brief Transforms an edge - - 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). + @brief "less" comparison operator - @param edge The edge to transform - @return The transformed edge - This convenience method has been introduced in version 0.25. + This operator is provided to establish a sorting + order """ - @overload - def __rmul__(self, p: DPoint) -> Point: + def __mul__(self, f: float) -> Point: r""" - @brief Transforms a point + @brief Scaling by some factor - The "trans" method or the * operator transforms the given point. - q = t(p) - The * operator has been introduced in version 0.25. + Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + """ + def __ne__(self, p: object) -> bool: + r""" + @brief Inequality test operator - @param p The point to transform - @return The transformed point """ - @overload - def __rmul__(self, p: DVector) -> Vector: + def __neg__(self) -> Point: r""" - @brief Transforms a vector + @brief Compute the negative of a point - The "trans" method or the * operator transforms the given vector. - w = t(v) - Vector transformation has been introduced in version 0.25. + Returns a new point with -x, -y. - @param v The vector to transform - @return The transformed vector + This method has been added in version 0.23. """ - @overload - def __rmul__(self, path: DPath) -> Path: + def __rmul__(self, f: float) -> Point: r""" - @brief Transforms a path + @brief Scaling by some factor - 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - @param path The path to transform - @return The transformed path + Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + """ + def __str__(self, dbu: Optional[float] = ...) -> str: + r""" + @brief String conversion. + If a DBU is given, the output units will be micrometers. - This convenience method has been introduced in version 0.25. + The DBU argument has been added in version 0.27.6. """ @overload - def __rmul__(self, polygon: DPolygon) -> Polygon: + def __sub__(self, p: Point) -> Vector: r""" - @brief Transforms a polygon + @brief Subtract one point from another - 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - @param polygon The polygon to transform - @return The transformed polygon + Subtract point p from self by subtracting the coordinates. This renders a vector. - This convenience method has been introduced in version 0.25. + Starting with version 0.25, this method renders a vector. """ @overload - def __rmul__(self, text: DText) -> Text: + def __sub__(self, v: Vector) -> Point: r""" - @brief Transforms a text + @brief Subtract one vector from a point - 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - @param text The text to transform - @return The transformed text + Subtract vector v from from self by subtracting the coordinates. This renders a point. - This convenience method has been introduced in version 0.25. + This method has been added in version 0.27. """ - def __str__(self, lazy: Optional[bool] = ..., dbu: Optional[float] = ...) -> str: + def __truediv__(self, d: float) -> Point: r""" - @brief String conversion - If 'lazy' is true, some parts are omitted when not required. - If a DBU is given, the output units will be micrometers. + @brief Division by some divisor - The lazy and DBU arguments have been added in version 0.27.6. + + Returns the scaled object. All coordinates are divided with the given divisor and if necessary rounded. """ def _create(self) -> None: r""" @@ -38898,7 +37362,15 @@ class VCplxTrans: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: VCplxTrans) -> None: + def abs(self) -> float: + r""" + @brief The absolute value of the point (Euclidian distance to 0,0) + + The returned value is 'sqrt(x*x+y*y)'. + + This method has been introduced in version 0.23. + """ + def assign(self, other: Point) -> None: r""" @brief Assigns another object to self """ @@ -38907,20 +37379,6 @@ class VCplxTrans: @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def ctrans(self, d: float) -> int: - r""" - @brief Transforms a distance - - The "ctrans" method transforms the given distance. - e = t(d). For the simple transformations, there - is no magnification and no modification of the distance - therefore. - - @param d The distance to transform - @return The transformed distance - - The product '*' has been added as a synonym in version 0.28. - """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -38933,43 +37391,23 @@ class VCplxTrans: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> VCplxTrans: - r""" - @brief Creates a copy of self - """ - def hash(self) -> int: - r""" - @brief Computes a hash value - Returns a hash value for the given transformation. This method enables transformations as hash keys. - - This method has been introduced in version 0.25. - """ - def invert(self) -> VCplxTrans: + def distance(self, d: Point) -> float: r""" - @brief Inverts the transformation (in place) + @brief The Euclidian distance to another point - Inverts the transformation and replaces this transformation by it's - inverted one. - @return The inverted transformation + @param d The other point to compute the distance to. """ - def inverted(self) -> CplxTrans: + def dup(self) -> Point: r""" - @brief Returns the inverted transformation - - Returns the inverted transformation. This method does not modify the transformation. - - @return The inverted transformation + @brief Creates a copy of self """ - def is_complex(self) -> bool: + def hash(self) -> int: r""" - @brief Returns true if the transformation is a complex one - - If this predicate is false, the transformation can safely be converted to a simple transformation. - Otherwise, this conversion will be lossy. - The predicate value is equivalent to 'is_mag || !is_ortho'. + @brief Computes a hash value + Returns a hash value for the given point. This method enables points as hash keys. - This method has been introduced in version 0.27.5. + This method has been introduced in version 0.25. """ def is_const_object(self) -> bool: r""" @@ -38977,231 +37415,286 @@ class VCplxTrans: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def is_mag(self) -> bool: - r""" - @brief Tests, if the transformation is a magnifying one - - This is the recommended test for checking if the transformation represents - a magnification. - """ - def is_mirror(self) -> bool: + def sq_abs(self) -> float: r""" - @brief Gets the mirror flag + @brief The square of the absolute value of the point (Euclidian distance to 0,0) - If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. - """ - def is_ortho(self) -> bool: - r""" - @brief Tests, if the transformation is an orthogonal transformation + The returned value is 'x*x+y*y'. - If the rotation is by a multiple of 90 degree, this method will return true. - """ - def is_unity(self) -> bool: - r""" - @brief Tests, whether this is a unit transformation + This method has been introduced in version 0.23. """ - def rot(self) -> int: + def sq_distance(self, d: Point) -> float: r""" - @brief Returns the respective simple transformation equivalent rotation code if possible + @brief The square Euclidian distance to another point - If this transformation is orthogonal (is_ortho () == true), then this method - will return the corresponding fixpoint transformation, not taking into account - magnification and displacement. If the transformation is not orthogonal, the result - reflects the quadrant the rotation goes into. - """ - def s_trans(self) -> DTrans: - r""" - @brief Extracts the simple transformation part - The simple transformation part does not reflect magnification or arbitrary angles. - Rotation angles are rounded down to multiples of 90 degree. Magnification is fixed to 1.0. + @param d The other point to compute the distance to. """ - def to_itrans(self, dbu: Optional[float] = ...) -> DCplxTrans: + def to_dtype(self, dbu: Optional[float] = ...) -> DPoint: r""" - @brief Converts the transformation to another transformation with floating-point output coordinates + @brief Converts the point to a floating-point coordinate point - The database unit can be specified to translate the integer coordinate displacement in database units to a floating-point displacement in micron units. The displacement's' coordinates will be multiplied with the database unit. + The database unit can be specified to translate the integer-coordinate point into a floating-point coordinate point in micron units. The database unit is basically a scaling factor. This method has been introduced in version 0.25. """ - def to_s(self, lazy: Optional[bool] = ..., dbu: Optional[float] = ...) -> str: + def to_s(self, dbu: Optional[float] = ...) -> str: r""" - @brief String conversion - If 'lazy' is true, some parts are omitted when not required. + @brief String conversion. If a DBU is given, the output units will be micrometers. - The lazy and DBU arguments have been added in version 0.27.6. + The DBU argument has been added in version 0.27.6. """ - def to_trans(self) -> ICplxTrans: + def to_v(self) -> Vector: r""" - @brief Converts the transformation to another transformation with integer input coordinates - - This method has been introduced in version 0.25. + @brief Turns the point into a vector + This method returns a vector representing the distance from (0,0) to the point.This method has been introduced in version 0.25. """ - def to_vtrans(self, dbu: Optional[float] = ...) -> CplxTrans: - r""" - @brief Converts the transformation to another transformation with integer input and floating-point output coordinates - The database unit can be specified to translate the integer coordinate displacement in database units to an floating-point displacement in micron units. The displacement's' coordinates will be multiplied with the database unit. +class Polygon: + r""" + @brief A polygon class - This method has been introduced in version 0.25. - """ - @overload - def trans(self, box: DBox) -> Box: - r""" - @brief Transforms a box + A polygon consists of an outer hull and zero to many + holes. Each contour consists of several points. The point + list is normalized such that the leftmost, lowest point is + the first one. The orientation is normalized such that + the orientation of the hull contour is clockwise, while + the orientation of the holes is counterclockwise. - 't*box' or 't.trans(box)' is equivalent to box.transformed(t). + It is in no way checked that the contours are not overlapping. + This must be ensured by the user of the object + when filling the contours. - @param box The box to transform - @return The transformed box + A polygon can be asked for the number of holes using the \holes method. \each_point_hull delivers the points of the hull contour. \each_point_hole delivers the points of a specific hole. \each_edge delivers the edges (point-to-point connections) of both hull and holes. \bbox delivers the bounding box, \area the area and \perimeter the perimeter of the polygon. - This convenience method has been introduced in version 0.25. - """ - @overload - def trans(self, edge: DEdge) -> Edge: - r""" - @brief Transforms an edge + Here's an example of how to create a polygon: - 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). + @code + hull = [ RBA::Point::new(0, 0), RBA::Point::new(6000, 0), + RBA::Point::new(6000, 3000), RBA::Point::new(0, 3000) ] + hole1 = [ RBA::Point::new(1000, 1000), RBA::Point::new(2000, 1000), + RBA::Point::new(2000, 2000), RBA::Point::new(1000, 2000) ] + hole2 = [ RBA::Point::new(3000, 1000), RBA::Point::new(4000, 1000), + RBA::Point::new(4000, 2000), RBA::Point::new(3000, 2000) ] + poly = RBA::Polygon::new(hull) + poly.insert_hole(hole1) + poly.insert_hole(hole2) - @param edge The edge to transform - @return The transformed edge + # ask the polygon for some properties + poly.holes # -> 2 + poly.area # -> 16000000 + poly.perimeter # -> 26000 + poly.bbox # -> (0,0;6000,3000) + @/code - This convenience method has been introduced in version 0.25. + The \Polygon class stores coordinates in integer format. A class that stores floating-point coordinates is \DPolygon. + + See @The Database API@ for more details about the database objects. + """ + PO_any: ClassVar[int] + r""" + @brief A value for the preferred orientation parameter of \decompose_convex + This value indicates that there is not cut preference + This constant has been introduced in version 0.25. + """ + PO_horizontal: ClassVar[int] + r""" + @brief A value for the preferred orientation parameter of \decompose_convex + This value indicates that there only horizontal cuts are allowed + This constant has been introduced in version 0.25. + """ + PO_htrapezoids: ClassVar[int] + r""" + @brief A value for the preferred orientation parameter of \decompose_convex + This value indicates that cuts shall favor decomposition into horizontal trapezoids + This constant has been introduced in version 0.25. + """ + PO_vertical: ClassVar[int] + r""" + @brief A value for the preferred orientation parameter of \decompose_convex + This value indicates that there only vertical cuts are allowed + This constant has been introduced in version 0.25. + """ + PO_vtrapezoids: ClassVar[int] + r""" + @brief A value for the preferred orientation parameter of \decompose_convex + This value indicates that cuts shall favor decomposition into vertical trapezoids + This constant has been introduced in version 0.25. + """ + TD_htrapezoids: ClassVar[int] + r""" + @brief A value for the mode parameter of \decompose_trapezoids + This value indicates simple decomposition mode. This mode produces horizontal trapezoids and tries to minimize the number of trapezoids. + This constant has been introduced in version 0.25. + """ + TD_simple: ClassVar[int] + r""" + @brief A value for the mode parameter of \decompose_trapezoids + This value indicates simple decomposition mode. This mode is fast but does not make any attempts to produce less trapezoids. + This constant has been introduced in version 0.25. + """ + TD_vtrapezoids: ClassVar[int] + r""" + @brief A value for the mode parameter of \decompose_trapezoids + This value indicates simple decomposition mode. This mode produces vertical trapezoids and tries to minimize the number of trapezoids. + """ + @property + def hull(self) -> None: + r""" + WARNING: This variable can only be set, not retrieved. + @brief Sets the points of the hull of polygon + @param p An array of points to assign to the polygon's hull + The 'assign_hull' variant is provided in analogy to 'assign_hole'. """ - @overload - def trans(self, p: DPoint) -> Point: + @classmethod + def ellipse(cls, box: Box, n: int) -> Polygon: r""" - @brief Transforms a point - - The "trans" method or the * operator transforms the given point. - q = t(p) + @brief Creates a simple polygon approximating an ellipse - The * operator has been introduced in version 0.25. + @param box The bounding box of the ellipse + @param n The number of points that will be used to approximate the ellipse - @param p The point to transform - @return The transformed point + This method has been introduced in version 0.23. """ - @overload - def trans(self, p: DVector) -> Vector: + @classmethod + def from_dpoly(cls, dpolygon: DPolygon) -> Polygon: r""" - @brief Transforms a vector - - The "trans" method or the * operator transforms the given vector. - w = t(v) - - Vector transformation has been introduced in version 0.25. + @brief Creates an integer coordinate polygon from a floating-point coordinate polygon - @param v The vector to transform - @return The transformed vector + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpolygon'. """ - @overload - def trans(self, path: DPath) -> Path: + @classmethod + def from_s(cls, s: str) -> Polygon: r""" - @brief Transforms a path - - 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - - @param path The path to transform - @return The transformed path + @brief Creates a polygon from a string + Creates the object from a string representation (as returned by \to_s) - This convenience method has been introduced in version 0.25. + This method has been added in version 0.23. """ @overload - def trans(self, polygon: DPolygon) -> Polygon: + @classmethod + def new(cls) -> Polygon: r""" - @brief Transforms a polygon - - 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - - @param polygon The polygon to transform - @return The transformed polygon - - This convenience method has been introduced in version 0.25. + @brief Creates an empty (invalid) polygon """ @overload - def trans(self, text: DText) -> Text: + @classmethod + def new(cls, box: Box) -> Polygon: r""" - @brief Transforms a text - - 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - - @param text The text to transform - @return The transformed text + @brief Creates a polygon from a box - This convenience method has been introduced in version 0.25. + @param box The box to convert to a polygon """ - -class Utils: - r""" - @brief This namespace provides a collection of utility functions - - This class has been introduced in version 0.27. - """ + @overload @classmethod - def new(cls) -> Utils: + def new(cls, dpolygon: DPolygon) -> Polygon: r""" - @brief Creates a new object of this class + @brief Creates an integer coordinate polygon from a floating-point coordinate polygon + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpolygon'. """ @overload @classmethod - def spline_interpolation(cls, control_points: Sequence[DPoint], degree: int, knots: Sequence[float], relative_accuracy: float, absolute_accuracy: float) -> List[DPoint]: + def new(cls, pts: Sequence[Point], raw: Optional[bool] = ...) -> Polygon: r""" - @brief This function computes the Spline curve for a given set of control points (point, weight), degree and knots. + @brief Creates a polygon from a point array for the hull - This is the version for non-rational splines. It lacks the weight vector. + @param pts The points forming the polygon hull + @param raw If true, the point list won't be modified (see \assign_hull) + + The 'raw' argument was added in version 0.24. """ @overload @classmethod - def spline_interpolation(cls, control_points: Sequence[Point], degree: int, knots: Sequence[float], relative_accuracy: float, absolute_accuracy: float) -> List[Point]: + def new(cls, sp: SimplePolygon) -> Polygon: r""" - @brief This function computes the Spline curve for a given set of control points (point, weight), degree and knots. + @brief Creates a polygon from a simple polygon + @param sp The simple polygon that is converted into the polygon + This method was introduced in version 0.22. + """ + def __copy__(self) -> Polygon: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> Polygon: + r""" + @brief Creates a copy of self + """ + def __eq__(self, p: object) -> bool: + r""" + @brief Returns a value indicating whether the polygons are equal + @param p The object to compare against + """ + def __hash__(self) -> int: + r""" + @brief Computes a hash value + Returns a hash value for the given polygon. This method enables polygons as hash keys. - This is the version for integer-coordinate points for non-rational splines. + This method has been introduced in version 0.25. """ @overload - @classmethod - def spline_interpolation(cls, control_points: Sequence[DPoint], weights: Sequence[float], degree: int, knots: Sequence[float], relative_accuracy: float, absolute_accuracy: float) -> List[DPoint]: + def __init__(self) -> None: r""" - @brief This function computes the Spline curve for a given set of control points (point, weight), degree and knots. - - The knot vector needs to be padded and it's size must fulfill the condition: + @brief Creates an empty (invalid) polygon + """ + @overload + def __init__(self, box: Box) -> None: + r""" + @brief Creates a polygon from a box - @code - knots.size == control_points.size + degree + 1 - @/code + @param box The box to convert to a polygon + """ + @overload + def __init__(self, dpolygon: DPolygon) -> None: + r""" + @brief Creates an integer coordinate polygon from a floating-point coordinate polygon - The accuracy parameters allow tuning the resolution of the curve to target a specific approximation quality. - "relative_accuracy" gives the accuracy relative to the local curvature radius, "absolute" accuracy gives the - absolute accuracy. "accuracy" is the allowed deviation of polygon approximation from the ideal curve. - The computed curve should meet at least one of the accuracy criteria. Setting both limits to a very small - value will result in long run times and a large number of points returned. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpolygon'. + """ + @overload + def __init__(self, pts: Sequence[Point], raw: Optional[bool] = ...) -> None: + r""" + @brief Creates a polygon from a point array for the hull - This function supports both rational splines (NURBS) and non-rational splines. The latter use weights of - 1.0 for each point. + @param pts The points forming the polygon hull + @param raw If true, the point list won't be modified (see \assign_hull) - The return value is a list of points forming a path which approximates the spline curve. + The 'raw' argument was added in version 0.24. """ @overload - @classmethod - def spline_interpolation(cls, control_points: Sequence[Point], weights: Sequence[float], degree: int, knots: Sequence[float], relative_accuracy: float, absolute_accuracy: float) -> List[Point]: + def __init__(self, sp: SimplePolygon) -> None: r""" - @brief This function computes the Spline curve for a given set of control points (point, weight), degree and knots. + @brief Creates a polygon from a simple polygon + @param sp The simple polygon that is converted into the polygon + This method was introduced in version 0.22. + """ + def __lt__(self, p: Polygon) -> bool: + r""" + @brief Returns a value indicating whether self is less than p + @param p The object to compare against + This operator is provided to establish some, not necessarily a certain sorting order + """ + def __mul__(self, f: float) -> Polygon: + r""" + @brief Scales the polygon by some factor - This is the version for integer-coordinate points. + Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. """ - def __copy__(self) -> Utils: + def __ne__(self, p: object) -> bool: r""" - @brief Creates a copy of self + @brief Returns a value indicating whether the polygons are not equal + @param p The object to compare against """ - def __deepcopy__(self) -> Utils: + def __rmul__(self, f: float) -> Polygon: r""" - @brief Creates a copy of self + @brief Scales the polygon by some factor + + Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. """ - def __init__(self) -> None: + def __str__(self) -> str: r""" - @brief Creates a new object of this class + @brief Returns a string representing the polygon """ def _create(self) -> None: r""" @@ -39240,590 +37733,802 @@ class Utils: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: Utils) -> None: + def area(self) -> int: r""" - @brief Assigns another object to self + @brief Gets the area of the polygon + The area is correct only if the polygon is not self-overlapping and the polygon is oriented clockwise.Orientation is ensured automatically in most cases. """ - def create(self) -> None: + def area2(self) -> int: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Gets the double area of the polygon + This method is provided because the area for an integer-type polygon is a multiple of 1/2. Hence the double area can be expresses precisely as an integer for these types. + + This method has been introduced in version 0.26.1 """ - def destroy(self) -> None: + def assign(self, other: Polygon) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Assigns another object to self """ - def destroyed(self) -> bool: + @overload + def assign_hole(self, n: int, b: Box) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Sets the box as the given hole of the polygon + @param n The index of the hole to which the points should be assigned + @param b The box to assign to the polygon's hole + If the hole index is not valid, this method does nothing. + This method was introduced in version 0.23. """ - def dup(self) -> Utils: + @overload + def assign_hole(self, n: int, p: Sequence[Point], raw: Optional[bool] = ...) -> None: r""" - @brief Creates a copy of self + @brief Sets the points of the given hole of the polygon + @param n The index of the hole to which the points should be assigned + @param p An array of points to assign to the polygon's hole + @param raw If true, the points won't be compressed (see \assign_hull) + If the hole index is not valid, this method does nothing. + + This method was introduced in version 0.18. + The 'raw' argument was added in version 0.24. """ - def is_const_object(self) -> bool: + def assign_hull(self, p: Sequence[Point], raw: Optional[bool] = ...) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - -class DVector: - r""" - @brief A vector class with double (floating-point) coordinates - A vector is a distance in cartesian, 2 dimensional space. A vector is given by two coordinates (x and y) and represents the distance between two points. Being the distance, transformations act differently on vectors: the displacement is not applied. - Vectors are not geometrical objects by itself. But they are frequently used in the database API for various purposes. Other than the integer variant (\Vector), points with floating-point coordinates can represent fractions of a database unit or vectors in physical (micron) units. + @brief Sets the points of the hull of polygon + @param p An array of points to assign to the polygon's hull + @param raw If true, the points won't be compressed - This class has been introduced in version 0.25. + If the 'raw' argument is set to true, the points are taken as they are. Specifically no removal of redundant points or joining of coincident edges will take place. In effect, polygons consisting of a single point or two points can be constructed as well as polygons with duplicate points. Note that such polygons may cause problems in some applications. - See @The Database API@ for more details about the database objects. - """ - x: float - r""" - Getter: - @brief Accessor to the x coordinate + Regardless of raw mode, the point list will be adjusted such that the first point is the lowest-leftmost one and the orientation is clockwise always. - Setter: - @brief Write accessor to the x coordinate - """ - y: float - r""" - Getter: - @brief Accessor to the y coordinate + The 'assign_hull' variant is provided in analogy to 'assign_hole'. - Setter: - @brief Write accessor to the y coordinate - """ - @classmethod - def from_s(cls, s: str) -> DVector: - r""" - @brief Creates an object from a string - Creates the object from a string representation (as returned by \to_s) + The 'raw' argument was added in version 0.24. """ - @overload - @classmethod - def new(cls) -> DVector: + def bbox(self) -> Box: r""" - @brief Default constructor: creates a null vector with coordinates (0,0) + @brief Returns the bounding box of the polygon + The bounding box is the box enclosing all points of the polygon. """ - @overload - @classmethod - def new(cls, p: DPoint) -> DVector: + def compress(self, remove_reflected: bool) -> None: r""" - @brief Default constructor: creates a vector from a point - This constructor is equivalent to computing p-point(0,0). - This method has been introduced in version 0.25. + @brief Compresses the polygon. + + This method removes redundant points from the polygon, such as points being on a line formed by two other points. + If remove_reflected is true, points are also removed if the two adjacent edges form a spike. + + @param remove_reflected See description of the functionality. + + This method was introduced in version 0.18. """ - @overload - @classmethod - def new(cls, vector: Vector) -> DVector: + def create(self) -> None: r""" - @brief Creates a floating-point coordinate vector from an integer coordinate vector + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - @classmethod - def new(cls, x: float, y: float) -> DVector: + def decompose_convex(self, preferred_orientation: Optional[int] = ...) -> List[SimplePolygon]: r""" - @brief Constructor for a vector from two coordinate values + @brief Decomposes the polygon into convex pieces - """ - @overload - def __add__(self, p: DPoint) -> DPoint: - r""" - @brief Adds a vector and a point + This method returns a decomposition of the polygon that contains convex pieces only. + If the polygon was convex already, the list returned has a single element which is the + original polygon. + @param preferred_orientation One of the PO_... constants - Returns the point p shifted by the vector. + This method was introduced in version 0.25. """ - @overload - def __add__(self, v: DVector) -> DVector: + def decompose_trapezoids(self, mode: Optional[int] = ...) -> List[SimplePolygon]: r""" - @brief Adds two vectors + @brief Decomposes the polygon into trapezoids + + This method returns a decomposition of the polygon into trapezoid pieces. + It supports different modes for various applications. See the TD_... constants for details. + @param mode One of the TD_... constants - Adds vector v to self by adding the coordinates. + This method was introduced in version 0.25. """ - def __copy__(self) -> DVector: + def destroy(self) -> None: r""" - @brief Creates a copy of self + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def __deepcopy__(self) -> DVector: + def destroyed(self) -> bool: r""" - @brief Creates a copy of self + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def __eq__(self, v: object) -> bool: + def dup(self) -> Polygon: r""" - @brief Equality test operator - + @brief Creates a copy of self """ - def __hash__(self) -> int: + @overload + def each_edge(self) -> Iterator[Edge]: r""" - @brief Computes a hash value - Returns a hash value for the given vector. This method enables vectors as hash keys. + @brief Iterates over the edges that make up the polygon - This method has been introduced in version 0.25. + This iterator will deliver all edges, including those of the holes. Hole edges are oriented counterclockwise while hull edges are oriented clockwise. """ - def __imul__(self, f: float) -> DVector: + @overload + def each_edge(self, contour: int) -> Iterator[Edge]: r""" - @brief Scaling by some factor + @brief Iterates over the edges of one contour of the polygon + @param contour The contour number (0 for hull, 1 for first hole ...) - Scales object in place. All coordinates are multiplied with the given factor and if necessary rounded. - """ - @overload - def __init__(self) -> None: - r""" - @brief Default constructor: creates a null vector with coordinates (0,0) + This iterator will deliver all edges of the contour specified by the contour parameter. The hull has contour number 0, the first hole has contour 1 etc. + Hole edges are oriented counterclockwise while hull edges are oriented clockwise. + + This method was introduced in version 0.24. """ - @overload - def __init__(self, p: DPoint) -> None: + def each_point_hole(self, n: int) -> Iterator[Point]: r""" - @brief Default constructor: creates a vector from a point - This constructor is equivalent to computing p-point(0,0). - This method has been introduced in version 0.25. + @brief Iterates over the points that make up the nth hole + The hole number must be less than the number of holes (see \holes) """ - @overload - def __init__(self, vector: Vector) -> None: + def each_point_hull(self) -> Iterator[Point]: r""" - @brief Creates a floating-point coordinate vector from an integer coordinate vector + @brief Iterates over the points that make up the hull """ - @overload - def __init__(self, x: float, y: float) -> None: + def extract_rad(self) -> List[Any]: r""" - @brief Constructor for a vector from two coordinate values + @brief Extracts the corner radii from a rounded polygon - """ - def __itruediv__(self, d: float) -> DVector: - r""" - @brief Division by some divisor + Attempts to extract the radii of rounded corner polygon. This is essentially the inverse of the \round_corners method. If this method succeeds, if will return an array of four elements: @ul + @li The polygon with the rounded corners replaced by edgy ones @/li + @li The radius of the inner corners @/li + @li The radius of the outer corners @/li + @li The number of points per full circle @/li + @/ul + This method is based on some assumptions and may fail. In this case, an empty array is returned. - Divides the object in place. All coordinates are divided with the given divisor and if necessary rounded. - """ - def __lt__(self, v: DVector) -> bool: - r""" - @brief "less" comparison operator + If successful, the following code will more or less render the original polygon and parameters + @code + p = ... # some polygon + p.round_corners(ri, ro, n) + (p2, ri2, ro2, n2) = p.extract_rad + # -> p2 == p, ro2 == ro, ri2 == ri, n2 == n (within some limits) + @/code - This operator is provided to establish a sorting - order - """ - @overload - def __mul__(self, f: float) -> DVector: - r""" - @brief Scaling by some factor - - - Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. - """ - @overload - def __mul__(self, v: DVector) -> float: - r""" - @brief Computes the scalar product between self and the given vector - - - The scalar product of a and b is defined as: vp = ax*bx+ay*by. + This method was introduced in version 0.25. """ - def __ne__(self, v: object) -> bool: + def hash(self) -> int: r""" - @brief Inequality test operator + @brief Computes a hash value + Returns a hash value for the given polygon. This method enables polygons as hash keys. + This method has been introduced in version 0.25. """ - def __neg__(self) -> DVector: + def holes(self) -> int: r""" - @brief Compute the negative of a vector - - - Returns a new vector with -x,-y. + @brief Returns the number of holes """ @overload - def __rmul__(self, f: float) -> DVector: + def insert_hole(self, b: Box) -> None: r""" - @brief Scaling by some factor - - - Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + @brief Inserts a hole from the given box + @param b The box to insert as a new hole + This method was introduced in version 0.23. """ @overload - def __rmul__(self, v: DVector) -> float: + def insert_hole(self, p: Sequence[Point], raw: Optional[bool] = ...) -> None: r""" - @brief Computes the scalar product between self and the given vector - + @brief Inserts a hole with the given points + @param p An array of points to insert as a new hole + @param raw If true, the points won't be compressed (see \assign_hull) - The scalar product of a and b is defined as: vp = ax*bx+ay*by. + The 'raw' argument was added in version 0.24. """ - def __str__(self, dbu: Optional[float] = ...) -> str: + def inside(self, p: Point) -> bool: r""" - @brief String conversion - If a DBU is given, the output units will be micrometers. - - The DBU argument has been added in version 0.27.6. + @brief Tests, if the given point is inside the polygon + If the given point is inside or on the edge of the polygon, true is returned. This tests works well only if the polygon is not self-overlapping and oriented clockwise. """ - def __sub__(self, v: DVector) -> DVector: + def is_box(self) -> bool: r""" - @brief Subtract two vectors - + @brief Returns true, if the polygon is a simple box. - Subtract vector v from self by subtracting the coordinates. - """ - def __truediv__(self, d: float) -> DVector: - r""" - @brief Division by some divisor + A polygon is a box if it is identical to it's bounding box. + @return True if the polygon is a box. - Returns the scaled object. All coordinates are divided with the given divisor and if necessary rounded. - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + This method was introduced in version 0.23. """ - def _is_const_object(self) -> bool: + def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def _manage(self) -> None: + def is_convex(self) -> bool: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Returns a value indicating whether the polygon is convex - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + This method will return true, if the polygon is convex. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def abs(self) -> float: - r""" - @brief Returns the length of the vector - 'abs' is an alias provided for compatibility with the former point type. - """ - def assign(self, other: DVector) -> None: - r""" - @brief Assigns another object to self - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + This method was introduced in version 0.25. """ - def dup(self) -> DVector: + def is_empty(self) -> bool: r""" - @brief Creates a copy of self + @brief Returns a value indicating whether the polygon is empty """ - def hash(self) -> int: + def is_halfmanhattan(self) -> bool: r""" - @brief Computes a hash value - Returns a hash value for the given vector. This method enables vectors as hash keys. + @brief Returns a value indicating whether the polygon is half-manhattan + Half-manhattan polygons have edges which are multiples of 45 degree. These polygons can be clipped at a rectangle without potential grid snapping. - This method has been introduced in version 0.25. - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + This predicate was introduced in version 0.27. """ - def length(self) -> float: + def is_rectilinear(self) -> bool: r""" - @brief Returns the length of the vector - 'abs' is an alias provided for compatibility with the former point type. + @brief Returns a value indicating whether the polygon is rectilinear """ - def sprod(self, v: DVector) -> float: + @overload + def minkowski_sum(self, b: Box, resolve_holes: bool) -> Polygon: r""" - @brief Computes the scalar product between self and the given vector + @brief Computes the Minkowski sum of the polygon and a box + @param b The box. + @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. - The scalar product of a and b is defined as: vp = ax*bx+ay*by. + @return The new polygon representing the Minkowski sum of self and the box. + + This method was introduced in version 0.22. """ - def sprod_sign(self, v: DVector) -> int: + @overload + def minkowski_sum(self, b: Polygon, resolve_holes: bool) -> Polygon: r""" - @brief Computes the scalar product between self and the given vector and returns a value indicating the sign of the product + @brief Computes the Minkowski sum of the polygon and a polygon + @param p The first argument. + @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. - @return 1 if the scalar product is positive, 0 if it is zero and -1 if it is negative. - """ - def sq_abs(self) -> float: - r""" - @brief The square length of the vector - 'sq_abs' is an alias provided for compatibility with the former point type. - """ - def sq_length(self) -> float: - r""" - @brief The square length of the vector - 'sq_abs' is an alias provided for compatibility with the former point type. - """ - def to_itype(self, dbu: Optional[float] = ...) -> Vector: - r""" - @brief Converts the point to an integer coordinate point + @return The new polygon representing the Minkowski sum of self and p. - The database unit can be specified to translate the floating-point coordinate vector in micron units to an integer-coordinate vector in database units. The vector's' coordinates will be divided by the database unit. - """ - def to_p(self) -> DPoint: - r""" - @brief Turns the vector into a point - This method returns the point resulting from adding the vector to (0,0). - This method has been introduced in version 0.25. + This method was introduced in version 0.22. """ - def to_s(self, dbu: Optional[float] = ...) -> str: + @overload + def minkowski_sum(self, b: Sequence[Point], resolve_holes: bool) -> Polygon: r""" - @brief String conversion - If a DBU is given, the output units will be micrometers. + @brief Computes the Minkowski sum of the polygon and a contour of points (a trace) - The DBU argument has been added in version 0.27.6. - """ - def vprod(self, v: DVector) -> float: - r""" - @brief Computes the vector product between self and the given vector + @param b The contour (a series of points forming the trace). + @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. + @return The new polygon representing the Minkowski sum of self and the contour. - The vector product of a and b is defined as: vp = ax*by-ay*bx. + This method was introduced in version 0.22. """ - def vprod_sign(self, v: DVector) -> int: + @overload + def minkowski_sum(self, e: Edge, resolve_holes: bool) -> Polygon: r""" - @brief Computes the vector product between self and the given vector and returns a value indicating the sign of the product + @brief Computes the Minkowski sum of the polygon and an edge + @param e The edge. + @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. - @return 1 if the vector product is positive, 0 if it is zero and -1 if it is negative. - """ + @return The new polygon representing the Minkowski sum with the edge e. -class Vector: - r""" - @brief A integer vector class - A vector is a distance in cartesian, 2 dimensional space. A vector is given by two coordinates (x and y) and represents the distance between two points. Being the distance, transformations act differently on vectors: the displacement is not applied. - Vectors are not geometrical objects by itself. But they are frequently used in the database API for various purposes. + The Minkowski sum of a polygon and an edge basically results in the area covered when "dragging" the polygon along the line given by the edge. The effect is similar to drawing the line with a pencil that has the shape of the given polygon. - This class has been introduced in version 0.25. + This method was introduced in version 0.22. + """ + @overload + def minkowsky_sum(self, b: Box, resolve_holes: bool) -> Polygon: + r""" + @brief Computes the Minkowski sum of the polygon and a box - See @The Database API@ for more details about the database objects. - """ - x: int - r""" - Getter: - @brief Accessor to the x coordinate + @param b The box. + @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. - Setter: - @brief Write accessor to the x coordinate - """ - y: int - r""" - Getter: - @brief Accessor to the y coordinate + @return The new polygon representing the Minkowski sum of self and the box. - Setter: - @brief Write accessor to the y coordinate - """ - @classmethod - def from_s(cls, s: str) -> Vector: - r""" - @brief Creates an object from a string - Creates the object from a string representation (as returned by \to_s) + This method was introduced in version 0.22. """ @overload - @classmethod - def new(cls) -> Vector: + def minkowsky_sum(self, b: Polygon, resolve_holes: bool) -> Polygon: r""" - @brief Default constructor: creates a null vector with coordinates (0,0) + @brief Computes the Minkowski sum of the polygon and a polygon + + @param p The first argument. + @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. + + @return The new polygon representing the Minkowski sum of self and p. + + This method was introduced in version 0.22. """ @overload - @classmethod - def new(cls, dvector: DVector) -> Vector: + def minkowsky_sum(self, b: Sequence[Point], resolve_holes: bool) -> Polygon: r""" - @brief Creates an integer coordinate vector from a floating-point coordinate vector + @brief Computes the Minkowski sum of the polygon and a contour of points (a trace) + + @param b The contour (a series of points forming the trace). + @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. + + @return The new polygon representing the Minkowski sum of self and the contour. + + This method was introduced in version 0.22. """ @overload - @classmethod - def new(cls, p: Point) -> Vector: + def minkowsky_sum(self, e: Edge, resolve_holes: bool) -> Polygon: r""" - @brief Default constructor: creates a vector from a point - This constructor is equivalent to computing p-point(0,0). - This method has been introduced in version 0.25. + @brief Computes the Minkowski sum of the polygon and an edge + + @param e The edge. + @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. + + @return The new polygon representing the Minkowski sum with the edge e. + + The Minkowski sum of a polygon and an edge basically results in the area covered when "dragging" the polygon along the line given by the edge. The effect is similar to drawing the line with a pencil that has the shape of the given polygon. + + This method was introduced in version 0.22. """ @overload - @classmethod - def new(cls, x: int, y: int) -> Vector: + def move(self, p: Vector) -> Polygon: r""" - @brief Constructor for a vector from two coordinate values + @brief Moves the polygon. + + Moves the polygon by the given offset and returns the + moved polygon. The polygon is overwritten. + + @param p The distance to move the polygon. + @return The moved polygon (self). + + This method has been introduced in version 0.23. """ @overload - def __add__(self, p: Point) -> Point: + def move(self, x: int, y: int) -> Polygon: r""" - @brief Adds a vector and a point + @brief Moves the polygon. + Moves the polygon by the given offset and returns the + moved polygon. The polygon is overwritten. - Returns the point p shifted by the vector. + @param x The x distance to move the polygon. + @param y The y distance to move the polygon. + + @return The moved polygon (self). """ @overload - def __add__(self, v: Vector) -> Vector: + def moved(self, p: Vector) -> Polygon: r""" - @brief Adds two vectors + @brief Returns the moved polygon (does not modify self) + + Moves the polygon by the given offset and returns the + moved polygon. The polygon is not modified. + @param p The distance to move the polygon. - Adds vector v to self by adding the coordinates. + @return The moved polygon. + + This method has been introduced in version 0.23. """ - def __copy__(self) -> Vector: + @overload + def moved(self, x: int, y: int) -> Polygon: r""" - @brief Creates a copy of self + @brief Returns the moved polygon (does not modify self) + + Moves the polygon by the given offset and returns the + moved polygon. The polygon is not modified. + + @param x The x distance to move the polygon. + @param y The y distance to move the polygon. + + @return The moved polygon. + + This method has been introduced in version 0.23. """ - def __deepcopy__(self) -> Vector: + def num_points(self) -> int: r""" - @brief Creates a copy of self + @brief Gets the total number of points (hull plus holes) + This method was introduced in version 0.18. """ - def __eq__(self, v: object) -> bool: + def num_points_hole(self, n: int) -> int: r""" - @brief Equality test operator - + @brief Gets the number of points of the given hole + The argument gives the index of the hole of which the number of points are requested. The index must be less than the number of holes (see \holes). """ - def __hash__(self) -> int: + def num_points_hull(self) -> int: r""" - @brief Computes a hash value - Returns a hash value for the given vector. This method enables vectors as hash keys. - - This method has been introduced in version 0.25. + @brief Gets the number of points of the hull """ - def __imul__(self, f: float) -> Vector: + def perimeter(self) -> int: r""" - @brief Scaling by some factor - + @brief Gets the perimeter of the polygon + The perimeter is sum of the lengths of all edges making up the polygon. - Scales object in place. All coordinates are multiplied with the given factor and if necessary rounded. - """ - @overload - def __init__(self) -> None: - r""" - @brief Default constructor: creates a null vector with coordinates (0,0) + This method has been introduce in version 0.23. """ - @overload - def __init__(self, dvector: DVector) -> None: + def point_hole(self, n: int, p: int) -> Point: r""" - @brief Creates an integer coordinate vector from a floating-point coordinate vector + @brief Gets a specific point of a hole + @param n The index of the hole to which the points should be assigned + @param p The index of the point to get + If the index of the point or of the hole is not valid, a default value is returned. + This method was introduced in version 0.18. """ - @overload - def __init__(self, p: Point) -> None: + def point_hull(self, p: int) -> Point: r""" - @brief Default constructor: creates a vector from a point - This constructor is equivalent to computing p-point(0,0). - This method has been introduced in version 0.25. + @brief Gets a specific point of the hull + @param p The index of the point to get + If the index of the point is not a valid index, a default value is returned. + This method was introduced in version 0.18. """ - @overload - def __init__(self, x: int, y: int) -> None: + def resolve_holes(self) -> None: r""" - @brief Constructor for a vector from two coordinate values + @brief Resolve holes by inserting cut lines and joining the holes with the hull + This method modifies the polygon. The out-of-place version is \resolved_holes. + This method was introduced in version 0.22. """ - def __itruediv__(self, d: float) -> Vector: + def resolved_holes(self) -> Polygon: r""" - @brief Division by some divisor + @brief Returns a polygon without holes + @return The new polygon without holes. - Divides the object in place. All coordinates are divided with the given divisor and if necessary rounded. + This method does not modify the polygon but return a new polygon. + This method was introduced in version 0.22. """ - def __lt__(self, v: Vector) -> bool: + def round_corners(self, rinner: float, router: float, n: int) -> Polygon: r""" - @brief "less" comparison operator + @brief Rounds the corners of the polygon + Replaces the corners of the polygon with circle segments. - This operator is provided to establish a sorting - order + @param rinner The circle radius of inner corners (in database units). + @param router The circle radius of outer corners (in database units). + @param n The number of points per full circle. + + @return The new polygon. + + This method was introduced in version 0.20 for integer coordinates and in 0.25 for all coordinate types. """ @overload - def __mul__(self, f: float) -> Vector: + def size(self, d: int, mode: Optional[int] = ...) -> None: r""" - @brief Scaling by some factor + @brief Sizes the polygon (biasing) + Shifts the contour outwards (d>0) or inwards (d<0). + This method is equivalent to + @code + size(d, d, mode) + @/code - Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + See \size for a detailed description. + + This method has been introduced in version 0.23. """ @overload - def __mul__(self, v: Vector) -> int: + def size(self, dv: Vector, mode: Optional[int] = ...) -> None: r""" - @brief Computes the scalar product between self and the given vector + @brief Sizes the polygon (biasing) + + This method is equivalent to + @code + size(dv.x, dv.y, mode) + @/code + See \size for a detailed description. - The scalar product of a and b is defined as: vp = ax*bx+ay*by. + This version has been introduced in version 0.28. """ - def __ne__(self, v: object) -> bool: + @overload + def size(self, dx: int, dy: int, mode: int) -> None: r""" - @brief Inequality test operator + @brief Sizes the polygon (biasing) + + Shifts the contour outwards (dx,dy>0) or inwards (dx,dy<0). + dx is the sizing in x-direction and dy is the sizing in y-direction. The sign of dx and dy should be identical. + The sizing operation create invalid (self-overlapping, reverse oriented) contours. + + The mode defines at which bending angle cutoff occurs + (0:>0, 1:>45, 2:>90, 3:>135, 4:>approx. 168, other:>approx. 179) + + In order to obtain a proper polygon in the general case, the + sized polygon must be merged in 'greater than zero' wrap count mode. This is necessary since in the general case, + sizing can be complicated operation which lets a single polygon fall apart into disjoint pieces for example. + This can be achieved using the \EdgeProcessor class for example: + @code + poly = ... # a RBA::Polygon + poly.size(-50, 2) + ep = RBA::EdgeProcessor::new + # result is an array of RBA::Polygon objects + result = ep.simple_merge_p2p([ poly ], false, false, 1) + @/code """ - def __neg__(self) -> Vector: + @overload + def sized(self, d: int, mode: Optional[int] = ...) -> Polygon: r""" - @brief Compute the negative of a vector + @brief Sizes the polygon (biasing) without modifying self + Shifts the contour outwards (d>0) or inwards (d<0). + This method is equivalent to + @code + sized(d, d, mode) + @/code - Returns a new vector with -x,-y. + See \size and \sized for a detailed description. """ @overload - def __rmul__(self, f: float) -> Vector: + def sized(self, dv: Vector, mode: Optional[int] = ...) -> Polygon: r""" - @brief Scaling by some factor + @brief Sizes the polygon (biasing) without modifying self + + This method is equivalent to + @code + sized(dv.x, dv.y, mode) + @/code + See \size and \sized for a detailed description. - Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + This version has been introduced in version 0.28. """ @overload - def __rmul__(self, v: Vector) -> int: + def sized(self, dx: int, dy: int, mode: int) -> Polygon: r""" - @brief Computes the scalar product between self and the given vector + @brief Sizes the polygon (biasing) without modifying self + This method applies sizing to the polygon but does not modify self. Instead a sized copy is returned. + See \size for a description of the operation. - The scalar product of a and b is defined as: vp = ax*bx+ay*by. + This method has been introduced in version 0.23. """ - def __str__(self, dbu: Optional[float] = ...) -> str: + def smooth(self, d: int, keep_hv: Optional[bool] = ...) -> Polygon: r""" - @brief String conversion - If a DBU is given, the output units will be micrometers. + @brief Smooths a polygon - The DBU argument has been added in version 0.27.6. + Remove vertices that deviate by more than the distance d from the average contour. + The value d is basically the roughness which is removed. + + @param d The smoothing "roughness". + @param keep_hv If true, horizontal and vertical edges will be preserved always. + + @return The smoothed polygon. + + This method was introduced in version 0.23. The 'keep_hv' optional parameter was added in version 0.27. """ - def __sub__(self, v: Vector) -> Vector: + def split(self) -> List[Polygon]: r""" - @brief Subtract two vectors + @brief Splits the polygon into two or more parts + This method will break the polygon into parts. The exact breaking algorithm is unspecified, the result are smaller polygons of roughly equal number of points and 'less concave' nature. Usually the returned polygon set consists of two polygons, but there can be more. The merged region of the resulting polygons equals the original polygon with the exception of small snapping effects at new vertexes. + The intended use for this method is a iteratively split polygons until the satisfy some maximum number of points limit. - Subtract vector v from self by subtracting the coordinates. + This method has been introduced in version 0.25.3. """ - def __truediv__(self, d: float) -> Vector: + def to_dtype(self, dbu: Optional[float] = ...) -> DPolygon: r""" - @brief Division by some divisor + @brief Converts the polygon to a floating-point coordinate polygon + The database unit can be specified to translate the integer-coordinate polygon into a floating-point coordinate polygon in micron units. The database unit is basically a scaling factor. - Returns the scaled object. All coordinates are divided with the given divisor and if necessary rounded. + This method has been introduced in version 0.25. + """ + def to_s(self) -> str: + r""" + @brief Returns a string representing the polygon + """ + def to_simple_polygon(self) -> SimplePolygon: + r""" + @brief Converts a polygon to a simple polygon + + @return The simple polygon. + + If the polygon contains holes, these will be resolved. + This operation requires a well-formed polygon. Reflecting edges, self-intersections and coincident points will be removed. + + This method was introduced in version 0.22. + """ + @overload + def touches(self, box: Box) -> bool: + r""" + @brief Returns true, if the polygon touches the given box. + The box and the polygon touch if they overlap or their contours share at least one point. + + This method was introduced in version 0.25.1. + """ + @overload + def touches(self, edge: Edge) -> bool: + r""" + @brief Returns true, if the polygon touches the given edge. + The edge and the polygon touch if they overlap or the edge shares at least one point with the polygon's contour. + + This method was introduced in version 0.25.1. + """ + @overload + def touches(self, polygon: Polygon) -> bool: + r""" + @brief Returns true, if the polygon touches the other polygon. + The polygons touch if they overlap or their contours share at least one point. + + This method was introduced in version 0.25.1. + """ + @overload + def touches(self, simple_polygon: SimplePolygon) -> bool: + r""" + @brief Returns true, if the polygon touches the other polygon. + The polygons touch if they overlap or their contours share at least one point. + + This method was introduced in version 0.25.1. + """ + @overload + def transform(self, t: ICplxTrans) -> Polygon: + r""" + @brief Transforms the polygon with a complex transformation (in-place) + + Transforms the polygon with the given complex transformation. + This version modifies self and will return self as the modified polygon. An out-of-place version which does not modify self is \transformed. + + @param t The transformation to apply. + + This method was introduced in version 0.24. + """ + @overload + def transform(self, t: Trans) -> Polygon: + r""" + @brief Transforms the polygon (in-place) + + Transforms the polygon with the given transformation. + Modifies self and returns self. An out-of-place version which does not modify self is \transformed. + + @param t The transformation to apply. + + This method has been introduced in version 0.24. + """ + @overload + def transformed(self, t: CplxTrans) -> DPolygon: + r""" + @brief Transforms the polygon with a complex transformation + + Transforms the polygon with the given complex transformation. + Does not modify the polygon but returns the transformed polygon. + + @param t The transformation to apply. + + @return The transformed polygon. + + With version 0.25, the original 'transformed_cplx' method is deprecated and 'transformed' takes both simple and complex transformations. + """ + @overload + def transformed(self, t: ICplxTrans) -> Polygon: + r""" + @brief Transforms the polygon with a complex transformation + + Transforms the polygon with the given complex transformation. + Does not modify the polygon but returns the transformed polygon. + + @param t The transformation to apply. + + @return The transformed polygon (in this case an integer coordinate polygon). + + This method was introduced in version 0.18. + """ + @overload + def transformed(self, t: Trans) -> Polygon: + r""" + @brief Transforms the polygon + + Transforms the polygon with the given transformation. + Does not modify the polygon but returns the transformed polygon. + + @param t The transformation to apply. + + @return The transformed polygon. + """ + def transformed_cplx(self, t: CplxTrans) -> DPolygon: + r""" + @brief Transforms the polygon with a complex transformation + + Transforms the polygon with the given complex transformation. + Does not modify the polygon but returns the transformed polygon. + + @param t The transformation to apply. + + @return The transformed polygon. + + With version 0.25, the original 'transformed_cplx' method is deprecated and 'transformed' takes both simple and complex transformations. + """ + +class PreferredOrientation: + r""" + @brief This class represents the PreferredOrientation enum used within polygon decomposition + + This enum has been introduced in version 0.27. + """ + PO_any: ClassVar[PreferredOrientation] + r""" + @brief Indicates any orientation. + """ + PO_horizontal: ClassVar[PreferredOrientation] + r""" + @brief Indicates horizontal orientation. + """ + PO_htrapezoids: ClassVar[PreferredOrientation] + r""" + @brief Indicates horizontal trapezoid decomposition. + """ + PO_vertical: ClassVar[PreferredOrientation] + r""" + @brief Indicates vertical orientation. + """ + PO_vtrapezoids: ClassVar[PreferredOrientation] + r""" + @brief Indicates vertical trapezoid decomposition. + """ + @overload + @classmethod + def new(cls, i: int) -> PreferredOrientation: + r""" + @brief Creates an enum from an integer value + """ + @overload + @classmethod + def new(cls, s: str) -> PreferredOrientation: + r""" + @brief Creates an enum from a string value + """ + def __copy__(self) -> PreferredOrientation: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> PreferredOrientation: + r""" + @brief Creates a copy of self + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares two enums + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer value + """ + @overload + def __init__(self, i: int) -> None: + r""" + @brief Creates an enum from an integer value + """ + @overload + def __init__(self, s: str) -> None: + r""" + @brief Creates an enum from a string value + """ + @overload + def __lt__(self, other: PreferredOrientation) -> bool: + r""" + @brief Returns true if the first enum is less (in the enum symbol order) than the second + """ + @overload + def __lt__(self, other: int) -> bool: + r""" + @brief Returns true if the enum is less (in the enum symbol order) than the integer value + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer for inequality + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares two enums for inequality + """ + def __repr__(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum """ def _create(self) -> None: r""" @@ -39862,12 +38567,7 @@ class Vector: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def abs(self) -> float: - r""" - @brief Returns the length of the vector - 'abs' is an alias provided for compatibility with the former point type. - """ - def assign(self, other: Vector) -> None: + def assign(self, other: PreferredOrientation) -> None: r""" @brief Assigns another object to self """ @@ -39888,16 +38588,13 @@ class Vector: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> Vector: + def dup(self) -> PreferredOrientation: r""" @brief Creates a copy of self """ - def hash(self) -> int: + def inspect(self) -> str: r""" - @brief Computes a hash value - Returns a hash value for the given vector. This method enables vectors as hash keys. - - This method has been introduced in version 0.25. + @brief Converts an enum to a visual string """ def is_const_object(self) -> bool: r""" @@ -39905,767 +38602,462 @@ class Vector: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def length(self) -> float: + def to_i(self) -> int: r""" - @brief Returns the length of the vector - 'abs' is an alias provided for compatibility with the former point type. + @brief Gets the integer value from the enum """ - def sprod(self, v: Vector) -> int: + def to_s(self) -> str: r""" - @brief Computes the scalar product between self and the given vector + @brief Gets the symbolic string from an enum + """ +class PropertyConstraint: + r""" + @brief This class represents the property constraint for boolean and check functions. - The scalar product of a and b is defined as: vp = ax*bx+ay*by. + This enum has been introduced in version 0.28.4. + """ + DifferentPropertiesConstraint: ClassVar[PropertyConstraint] + r""" + @brief Specifies to consider shapes only if their user properties are different + When using this constraint - for example on a boolean operation - shapes are considered only if their user properties are different. Properties are generated on the output shapes where applicable. + """ + DifferentPropertiesConstraintDrop: ClassVar[PropertyConstraint] + r""" + @brief Specifies to consider shapes only if their user properties are different + When using this constraint - for example on a boolean operation - shapes are considered only if their user properties are the same. No properties are generated on the output shapes. + """ + IgnoreProperties: ClassVar[PropertyConstraint] + r""" + @brief Specifies to ignore properties + When using this constraint - for example on a boolean operation - properties are ignored and are not generated in the output. + """ + NoPropertyConstraint: ClassVar[PropertyConstraint] + r""" + @brief Specifies not to apply any property constraint + When using this constraint - for example on a boolean operation - shapes are considered regardless of their user properties. Properties are generated on the output shapes where applicable. + """ + SamePropertiesConstraint: ClassVar[PropertyConstraint] + r""" + @brief Specifies to consider shapes only if their user properties are the same + When using this constraint - for example on a boolean operation - shapes are considered only if their user properties are the same. Properties are generated on the output shapes where applicable. + """ + SamePropertiesConstraintDrop: ClassVar[PropertyConstraint] + r""" + @brief Specifies to consider shapes only if their user properties are the same + When using this constraint - for example on a boolean operation - shapes are considered only if their user properties are the same. No properties are generated on the output shapes. + """ + @overload + @classmethod + def new(cls, i: int) -> PropertyConstraint: + r""" + @brief Creates an enum from an integer value """ - def sprod_sign(self, v: Vector) -> int: + @overload + @classmethod + def new(cls, s: str) -> PropertyConstraint: r""" - @brief Computes the scalar product between self and the given vector and returns a value indicating the sign of the product - - - @return 1 if the scalar product is positive, 0 if it is zero and -1 if it is negative. + @brief Creates an enum from a string value """ - def sq_abs(self) -> float: + def __copy__(self) -> PropertyConstraint: r""" - @brief The square length of the vector - 'sq_abs' is an alias provided for compatibility with the former point type. + @brief Creates a copy of self """ - def sq_length(self) -> float: + def __deepcopy__(self) -> PropertyConstraint: r""" - @brief The square length of the vector - 'sq_abs' is an alias provided for compatibility with the former point type. + @brief Creates a copy of self """ - def to_dtype(self, dbu: Optional[float] = ...) -> DVector: + @overload + def __eq__(self, other: object) -> bool: r""" - @brief Converts the vector to a floating-point coordinate vector - The database unit can be specified to translate the integer-coordinate vector into a floating-point coordinate vector in micron units. The database unit is basically a scaling factor. + @brief Compares an enum with an integer value """ - def to_p(self) -> Point: + @overload + def __eq__(self, other: object) -> bool: r""" - @brief Turns the vector into a point - This method returns the point resulting from adding the vector to (0,0). - This method has been introduced in version 0.25. + @brief Compares two enums """ - def to_s(self, dbu: Optional[float] = ...) -> str: + @overload + def __init__(self, i: int) -> None: r""" - @brief String conversion - If a DBU is given, the output units will be micrometers. - - The DBU argument has been added in version 0.27.6. + @brief Creates an enum from an integer value """ - def vprod(self, v: Vector) -> int: + @overload + def __init__(self, s: str) -> None: r""" - @brief Computes the vector product between self and the given vector - - - The vector product of a and b is defined as: vp = ax*by-ay*bx. + @brief Creates an enum from a string value """ - def vprod_sign(self, v: Vector) -> int: + @overload + def __lt__(self, other: PropertyConstraint) -> bool: r""" - @brief Computes the vector product between self and the given vector and returns a value indicating the sign of the product + @brief Returns true if the first enum is less (in the enum symbol order) than the second + """ + @overload + def __lt__(self, other: int) -> bool: + r""" + @brief Returns true if the enum is less (in the enum symbol order) than the integer value + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares two enums for inequality + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer for inequality + """ + def __repr__(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - @return 1 if the vector product is positive, 0 if it is zero and -1 if it is negative. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def assign(self, other: PropertyConstraint) -> None: + r""" + @brief Assigns another object to self + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> PropertyConstraint: + r""" + @brief Creates a copy of self + """ + def inspect(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def to_i(self) -> int: + r""" + @brief Gets the integer value from the enum + """ + def to_s(self) -> str: + r""" + @brief Gets the symbolic string from an enum """ -class LayoutDiff: +class RecursiveInstanceIterator: r""" - @brief The layout compare tool - - The layout compare tool is a facility to quickly compare layouts and derive events that give details about the differences. The events are basically emitted following a certain order: + @brief An iterator delivering instances recursively - @ul - @li General configuration events (database units, layers ...) @/li - @li \on_begin_cell @/li - @li \on_begin_inst_differences (if the instances differ) @/li - @li details about instance differences (if \Verbose flag is given) @/li - @li \on_end_inst_differences (if the instances differ) @/li - @li \on_begin_layer @/li - @li \on_begin_polygon_differences (if the polygons differ) @/li - @li details about polygon differences (if \Verbose flag is given) @/li - @li \on_end_polygon_differences (if the polygons differ) @/li - @li other shape difference events (paths, boxes, ...) @/li - @li \on_end_layer @/li - @li repeated layer event groups @/li - @li \on_end_cell @/li - @li repeated cell event groups @/li - @/ul + The iterator can be obtained from a cell and optionally a region. + It simplifies retrieval of instances while considering + subcells as well. + Some options can be specified in addition, i.e. the hierarchy level to which to look into. + The search can be confined to instances of certain cells (see \targets=) or to certain regions. Subtrees can be selected for traversal or excluded from it (see \select_cells). - To use the diff facility, create a \LayoutDiff object and call the \compare_layout or \compare_cell method: + This is some sample code: @code - lya = ... # layout A - lyb = ... # layout B - - diff = RBA::LayoutDiff::new - diff.on_polygon_in_a_only do |poly| - puts "Polygon in A: #{diff.cell_a.name}@#{diff.layer_info_a.to_s}: #{poly.to_s}" + # prints the effective instances of cell "A" as seen from the initial cell "cell" + iter = cell.begin_instances_rec + iter.targets = "A" + while !iter.at_end? + puts "Instance of #{iter.inst_cell.name} in #{cell.name}: " + (iter.dtrans * iter.inst_dtrans).to_s + iter.next end - diff.on_polygon_in_b_only do |poly| - puts "Polygon in A: #{diff.cell_b.name}@#{diff.layer_info_b.to_s}: #{poly.to_s}" + + # or shorter: + cell.begin_instances_rec.each do |iter| + puts "Instance of #{iter.inst_cell.name} in #{cell.name}: " + (iter.dtrans * iter.inst_dtrans).to_s end - diff.compare(lya, lyb, RBA::LayoutDiff::Verbose + RBA::LayoutDiff::NoLayerNames) @/code - """ - BoxesAsPolygons: ClassVar[int] - r""" - @brief Compare boxes to polygons - This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. - """ - DontSummarizeMissingLayers: ClassVar[int] - r""" - @brief Don't summarize missing layers - If this mode is present, missing layers are treated as empty ones and every shape on the other layer will be reported as difference. - This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. - """ - FlattenArrayInsts: ClassVar[int] - r""" - @brief Compare array instances instance by instance - This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. - """ - NoLayerNames: ClassVar[int] - r""" - @brief Do not compare layer names - This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. - """ - NoProperties: ClassVar[int] - r""" - @brief Ignore properties - This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. - """ - NoTextDetails: ClassVar[int] - r""" - @brief Ignore text details (font, size, presentation) - This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. - """ - NoTextOrientation: ClassVar[int] - r""" - @brief Ignore text orientation - This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. - """ - PathsAsPolygons: ClassVar[int] - r""" - @brief Compare paths to polygons - This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. - """ - Silent: ClassVar[int] - r""" - @brief Silent compare - just report whether the layouts are identical - Silent mode will not issue any signals, but instead the return value of the \LayoutDiff#compare method will indicate whether the layouts are identical. In silent mode, the compare method will return immediately once a difference has been encountered so that mode may be much faster than the full compare. + Here, a target cell is specified which confines the search to instances of this particular cell. + 'iter.dtrans' gives us the accumulated transformation of all parents up to the top cell. 'iter.inst_dtrans' gives us the transformation from the current instance. 'iter.inst_cell' finally gives us the target cell of the current instance (which is always 'A' in our case). - This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. - """ - SmartCellMapping: ClassVar[int] - r""" - @brief Derive smart cell mapping instead of name mapping (available only if top cells are specified) - Smart cell mapping is only effective currently when cells are compared (with \LayoutDiff#compare with cells instead of layout objects). + \Cell offers three methods to get these iterators: begin_instances_rec, begin_instances_rec_touching and begin_instances_rec_overlapping. + \Cell#begin_instances_rec will deliver a standard recursive instance iterator which starts from the given cell and iterates over all child cells. \Cell#begin_instances_rec_touching creates a RecursiveInstanceIterator which delivers the instances whose bounding boxed touch the given search box. \Cell#begin_instances_rec_overlapping gives an iterator which delivers all instances whose bounding box overlaps the search box. - This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. - """ - Verbose: ClassVar[int] - r""" - @brief Enables verbose mode (gives details about the differences) + A RecursiveInstanceIterator object can also be created directly, like this: - See the event descriptions for details about the differences in verbose and non-verbose mode. + @code + iter = RBA::RecursiveInstanceIterator::new(layout, cell [, options ]) + @/code - This constant can be used for the flags parameter of \compare_layouts and \compare_cells. It can be compared with other constants to form a flag set. - """ - on_bbox_differs: None - r""" - Getter: - @brief This signal indicates a difference in the bounding boxes of two cells - This signal is only emitted in non-verbose mode (without \Verbose flag) as a summarizing cell property. In verbose mode detailed events will be issued indicating the differences. + "layout" is the layout object, "cell" the \Cell object of the initial cell. - Setter: - @brief This signal indicates a difference in the bounding boxes of two cells - This signal is only emitted in non-verbose mode (without \Verbose flag) as a summarizing cell property. In verbose mode detailed events will be issued indicating the differences. - """ - on_begin_box_differences: None - r""" - Getter: - @brief This signal indicates differences in the boxes on the current layer - The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for boxes that are different between the two layouts. - Setter: - @brief This signal indicates differences in the boxes on the current layer - The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for boxes that are different between the two layouts. - """ - on_begin_cell: None - r""" - Getter: - @brief This signal initiates the sequence of events for a cell pair - All cell specific events happen between \begin_cell_event and \end_cell_event signals. - Setter: - @brief This signal initiates the sequence of events for a cell pair - All cell specific events happen between \begin_cell_event and \end_cell_event signals. - """ - on_begin_edge_differences: None - r""" - Getter: - @brief This signal indicates differences in the edges on the current layer - The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for edges that are different between the two layouts. - Setter: - @brief This signal indicates differences in the edges on the current layer - The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for edges that are different between the two layouts. - """ - on_begin_edge_pair_differences: None - r""" - Getter: - @brief This signal indicates differences in the edge pairs on the current layer - The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for edge pairs that are different between the two layouts. - This event has been introduced in version 0.28. - Setter: - @brief This signal indicates differences in the edge pairs on the current layer - The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for edge pairs that are different between the two layouts. - This event has been introduced in version 0.28. - """ - on_begin_inst_differences: None - r""" - Getter: - @brief This signal indicates differences in the cell instances - In verbose mode (see \Verbose) more events will follow that indicate the instances that are present only in the first and second layout (\instance_in_a_only_event and \instance_in_b_only_event). - Setter: - @brief This signal indicates differences in the cell instances - In verbose mode (see \Verbose) more events will follow that indicate the instances that are present only in the first and second layout (\instance_in_a_only_event and \instance_in_b_only_event). - """ - on_begin_layer: None - r""" - Getter: - @brief This signal indicates differences on the given layer - In verbose mode (see \Verbose) more events will follow that indicate the instances that are present only in the first and second layout (\polygon_in_a_only_event, \polygon_in_b_only_event and similar). - Setter: - @brief This signal indicates differences on the given layer - In verbose mode (see \Verbose) more events will follow that indicate the instances that are present only in the first and second layout (\polygon_in_a_only_event, \polygon_in_b_only_event and similar). - """ - on_begin_path_differences: None - r""" - Getter: - @brief This signal indicates differences in the paths on the current layer - The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for paths that are different between the two layouts. - Setter: - @brief This signal indicates differences in the paths on the current layer - The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for paths that are different between the two layouts. - """ - on_begin_polygon_differences: None - r""" - Getter: - @brief This signal indicates differences in the polygons on the current layer - The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for polygons that are different between the two layouts. - Setter: - @brief This signal indicates differences in the polygons on the current layer - The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for polygons that are different between the two layouts. - """ - on_begin_text_differences: None - r""" - Getter: - @brief This signal indicates differences in the texts on the current layer - The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for texts that are different between the two layouts. - Setter: - @brief This signal indicates differences in the texts on the current layer - The current layer is indicated by the \begin_layer_event signal or can be obtained from the diff object through \LayoutDiff#layer_info_a, \LayoutDiff#layer_index_a, \LayoutDiff#layer_info_b and \LayoutDiff#layer_index_b. In verbose mode (see \Verbose flag) more signals will be emitted for texts that are different between the two layouts. - """ - on_box_in_a_only: None - r""" - Getter: - @brief This signal indicates a box that is present in the first layout only - Setter: - @brief This signal indicates a box that is present in the first layout only - """ - on_box_in_b_only: None - r""" - Getter: - @brief This signal indicates a box that is present in the second layout only - Setter: - @brief This signal indicates a box that is present in the second layout only - """ - on_cell_in_a_only: None - r""" - Getter: - @brief This signal indicates that the given cell is only present in the first layout + The recursive instance iterator can be confined to a maximum hierarchy depth. By using \max_depth=, the iterator will restrict the search depth to the given depth in the cell tree. + In the same way, the iterator can be configured to start from a certain hierarchy depth using \min_depth=. The hierarchy depth always applies to the parent of the instances iterated. - Setter: - @brief This signal indicates that the given cell is only present in the first layout - """ - on_cell_in_b_only: None - r""" - Getter: - @brief This signal indicates that the given cell is only present in the second layout + In addition, the recursive instance iterator supports selection and exclusion of subtrees. For that purpose it keeps flags per cell telling it for which cells to turn instance delivery on and off. The \select_cells method sets the "start delivery" flag while \unselect_cells sets the "stop delivery" flag. In effect, using \unselect_cells will exclude that cell plus the subtree from delivery. Parts of that subtree can be turned on again using \select_cells. For the cells selected that way, the instances of these cells and their child cells are delivered, even if their parent was unselected. - Setter: - @brief This signal indicates that the given cell is only present in the second layout - """ - on_cell_name_differs: None - r""" - Getter: - @brief This signal indicates a difference in the cell names - This signal is emitted in 'smart cell mapping' mode (see \SmartCellMapping) if two cells are considered identical, but have different names. - Setter: - @brief This signal indicates a difference in the cell names - This signal is emitted in 'smart cell mapping' mode (see \SmartCellMapping) if two cells are considered identical, but have different names. - """ - on_dbu_differs: None - r""" - Getter: - @brief This signal indicates a difference in the database units of the layouts + To get instances from a specific cell, i.e. "MACRO" plus its child cells, unselect the top cell first and the select the desired cell again: - Setter: - @brief This signal indicates a difference in the database units of the layouts - """ - on_edge_in_a_only: None - r""" - Getter: - @brief This signal indicates an edge that is present in the first layout only - Setter: - @brief This signal indicates an edge that is present in the first layout only - """ - on_edge_in_b_only: None - r""" - Getter: - @brief This signal indicates an edge that is present in the second layout only - Setter: - @brief This signal indicates an edge that is present in the second layout only - """ - on_edge_pair_in_a_only: None - r""" - Getter: - @brief This signal indicates an edge pair that is present in the first layout only - This event has been introduced in version 0.28. - Setter: - @brief This signal indicates an edge pair that is present in the first layout only - This event has been introduced in version 0.28. - """ - on_edge_pair_in_b_only: None - r""" - Getter: - @brief This signal indicates an edge pair that is present in the second layout only - This event has been introduced in version 0.28. - Setter: - @brief This signal indicates an edge pair that is present in the second layout only - This event has been introduced in version 0.28. - """ - on_end_box_differences: None - r""" - Getter: - @brief This signal indicates the end of sequence of box differences + @code + # deliver all instances inside "MACRO" and the sub-hierarchy: + iter = RBA::RecursiveInstanceIterator::new(layout, cell) + iter.unselect_cells(cell.cell_index) + iter.select_cells("MACRO") + ... + @/code - Setter: - @brief This signal indicates the end of sequence of box differences - """ - on_end_cell: None - r""" - Getter: - @brief This signal indicates the end of a sequence of signals for a specific cell + The \unselect_all_cells and \select_all_cells methods turn on the "stop" and "start" flag for all cells respectively. If you use \unselect_all_cells and use \select_cells for a specific cell, the iterator will deliver only the instances of the selected cell, not its children. Those are still unselected by \unselect_all_cells: - Setter: - @brief This signal indicates the end of a sequence of signals for a specific cell - """ - on_end_edge_differences: None - r""" - Getter: - @brief This signal indicates the end of sequence of edge differences + @code + # deliver all instance inside "MACRO" but not of child cells: + iter = RBA::RecursiveInstanceIterator::new(layout, cell) + iter.unselect_all_cells + iter.select_cells("MACRO") + ... + @/code - Setter: - @brief This signal indicates the end of sequence of edge differences - """ - on_end_edge_pair_differences: None - r""" - Getter: - @brief This signal indicates the end of sequence of edge pair differences + Cell selection is done using cell indexes or glob pattern. Glob pattern are equivalent to the usual file name wildcards used on various command line shells. For example "A*" matches all cells starting with an "A". The curly brace notation and character classes are supported as well. For example "C{125,512}" matches "C125" and "C512" and "[ABC]*" matches all cells starting with an "A", a "B" or "C". "[^ABC]*" matches all cells not starting with one of that letters. - This event has been introduced in version 0.28. - Setter: - @brief This signal indicates the end of sequence of edge pair differences + To confine instance iteration to instances of certain cells, use the \targets feature: - This event has been introduced in version 0.28. - """ - on_end_inst_differences: None - r""" - Getter: - @brief This signal finishes a sequence of detailed instance difference events + @code + # deliver all instance of "INV1": + iter = RBA::RecursiveInstanceIterator::new(layout, cell) + iter.targets = "INV1" + ... + @/code - Setter: - @brief This signal finishes a sequence of detailed instance difference events - """ - on_end_layer: None - r""" - Getter: - @brief This signal indicates the end of a sequence of signals for a specific layer + Targets can be specified either as lists of cell indexes or through a glob pattern. - Setter: - @brief This signal indicates the end of a sequence of signals for a specific layer - """ - on_end_path_differences: None - r""" - Getter: - @brief This signal indicates the end of sequence of path differences + Instances are always delivered depth-first with child instances before their parents. A default recursive instance iterator will first deliver leaf cells, followed by the parent of these cells. - Setter: - @brief This signal indicates the end of sequence of path differences - """ - on_end_polygon_differences: None - r""" - Getter: - @brief This signal indicates the end of sequence of polygon differences + When a search region is used, instances whose bounding box touch or overlap (depending on 'overlapping' flag) will be reported. The instance bounding box taken as reference is computed using all layers of the layout. - Setter: - @brief This signal indicates the end of sequence of polygon differences - """ - on_end_text_differences: None - r""" - Getter: - @brief This signal indicates the end of sequence of text differences + The iterator will deliver the individual elements of instance arrays, confined to the search region if one is given. Consequently the return value (\current_inst_element) is an \InstElement object which is basically a combination of an \Instance object and information about the current array element. + \inst_cell, \inst_trans and \inst_dtrans are methods provided for convenience to access the current array member's transformation and the target cell of the current instance. - Setter: - @brief This signal indicates the end of sequence of text differences - """ - on_instance_in_a_only: None - r""" - Getter: - @brief This signal indicates an instance that is present only in the first layout - This event is only emitted in verbose mode (\Verbose flag). - Setter: - @brief This signal indicates an instance that is present only in the first layout - This event is only emitted in verbose mode (\Verbose flag). - """ - on_instance_in_b_only: None - r""" - Getter: - @brief This signal indicates an instance that is present only in the second layout - This event is only emitted in verbose mode (\Verbose flag). - Setter: - @brief This signal indicates an instance that is present only in the second layout - This event is only emitted in verbose mode (\Verbose flag). + The RecursiveInstanceIterator class has been introduced in version 0.27. """ - on_layer_in_a_only: None + max_depth: int r""" Getter: - @brief This signal indicates a layer that is present only in the first layout + @brief Gets the maximum hierarchy depth - Setter: - @brief This signal indicates a layer that is present only in the first layout - """ - on_layer_in_b_only: None - r""" - Getter: - @brief This signal indicates a layer that is present only in the second layout + See \max_depth= for a description of that attribute. Setter: - @brief This signal indicates a layer that is present only in the second layout - """ - on_layer_name_differs: None - r""" - Getter: - @brief This signal indicates a difference in the layer names + @brief Specifies the maximum hierarchy depth to look into - Setter: - @brief This signal indicates a difference in the layer names - """ - on_path_in_a_only: None - r""" - Getter: - @brief This signal indicates a path that is present in the first layout only - Setter: - @brief This signal indicates a path that is present in the first layout only - """ - on_path_in_b_only: None - r""" - Getter: - @brief This signal indicates a path that is present in the second layout only - Setter: - @brief This signal indicates a path that is present in the second layout only + A depth of 0 instructs the iterator to deliver only instances from the initial cell. + A higher depth instructs the iterator to look deeper. + The depth must be specified before the instances are being retrieved. """ - on_per_layer_bbox_differs: None + min_depth: int r""" Getter: - @brief This signal indicates differences in the per-layer bounding boxes of the current cell + @brief Gets the minimum hierarchy depth - Setter: - @brief This signal indicates differences in the per-layer bounding boxes of the current cell - """ - on_polygon_in_a_only: None - r""" - Getter: - @brief This signal indicates a polygon that is present in the first layout only + See \min_depth= for a description of that attribute. Setter: - @brief This signal indicates a polygon that is present in the first layout only + @brief Specifies the minimum hierarchy depth to look into + + A depth of 0 instructs the iterator to deliver instances from the top level. + 1 instructs to deliver instances from the first child level. + The minimum depth must be specified before the instances are being retrieved. """ - on_polygon_in_b_only: None + overlapping: bool r""" Getter: - @brief This signal indicates a polygon that is present in the second layout only + @brief Gets a flag indicating whether overlapping instances are selected when a region is used Setter: - @brief This signal indicates a polygon that is present in the second layout only + @brief Sets a flag indicating whether overlapping instances are selected when a region is used + + If this flag is false, instances touching the search region are returned. """ - on_text_in_a_only: None + region: Box r""" Getter: - @brief This signal indicates a text that is present in the first layout only + @brief Gets the basic region that this iterator is using + The basic region is the overall box the region iterator iterates over. There may be an additional complex region that confines the region iterator. See \complex_region for this attribute. + Setter: - @brief This signal indicates a text that is present in the first layout only + @brief Sets the rectangular region that this iterator is iterating over + See \region for a description of this attribute. + Setting a simple region will reset the complex region to a rectangle and reset the iterator to the beginning of the sequence. """ - on_text_in_b_only: None + targets: List[int] r""" Getter: - @brief This signal indicates a text that is present in the second layout only + @brief Gets the list of target cells + See \targets= for a description of the target cell concept. This method returns a list of cell indexes of the selected target cells. Setter: - @brief This signal indicates a text that is present in the second layout only + @brief Specifies the target cells. + + If target cells are specified, only instances of these cells are delivered. This version takes a list of cell indexes for the targets. By default, no target cell list is present and the instances of all cells are delivered by the iterator. See \all_targets_enabled? and \enable_all_targets for a description of this mode. Once a target list is specified, the iteration is confined to the cells from this list. + The cells are given as a list of cell indexes. + + This method will also reset the iterator. """ + @overload @classmethod - def new(cls) -> LayoutDiff: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> LayoutDiff: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> LayoutDiff: + def new(cls, layout: Layout, cell: Cell) -> RecursiveInstanceIterator: r""" - @brief Creates a copy of self + @brief Creates a recursive instance iterator. + @param layout The layout which shall be iterated + @param cell The initial cell which shall be iterated (including its children) + @param layer The layer (index) from which the shapes are taken + + This constructor creates a new recursive instance iterator which delivers the instances of the given cell plus its children. """ - def __init__(self) -> None: + @overload + @classmethod + def new(cls, layout: Layout, cell: Cell, box: Box, overlapping: Optional[bool] = ...) -> RecursiveInstanceIterator: r""" - @brief Creates a new object of this class + @brief Creates a recursive instance iterator with a search region. + @param layout The layout which shall be iterated + @param cell The initial cell which shall be iterated (including its children) + @param box The search region + @param overlapping If set to true, instances overlapping the search region are reported, otherwise touching is sufficient + + This constructor creates a new recursive instance iterator which delivers the instances of the given cell plus its children. + + The search is confined to the region given by the "box" parameter. If "overlapping" is true, instances whose bounding box is overlapping the search region are reported. If "overlapping" is false, instances whose bounding box touches the search region are reported. The bounding box of instances is measured taking all layers of the target cell into account. """ - def _create(self) -> None: + @overload + @classmethod + def new(cls, layout: Layout, cell: Cell, region: Region, overlapping: bool) -> RecursiveInstanceIterator: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Creates a recursive instance iterator with a search region. + @param layout The layout which shall be iterated + @param cell The initial cell which shall be iterated (including its children) + @param region The search region + @param overlapping If set to true, instances overlapping the search region are reported, otherwise touching is sufficient + + This constructor creates a new recursive instance iterator which delivers the instances of the given cell plus its children. + + The search is confined to the region given by the "region" parameter. The region needs to be a rectilinear region. + If "overlapping" is true, instances whose bounding box is overlapping the search region are reported. If "overlapping" is false, instances whose bounding box touches the search region are reported. The bounding box of instances is measured taking all layers of the target cell into account. """ - def _destroy(self) -> None: + def __copy__(self) -> RecursiveInstanceIterator: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Creates a copy of self """ - def _destroyed(self) -> bool: + def __deepcopy__(self) -> RecursiveInstanceIterator: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Creates a copy of self """ - def _is_const_object(self) -> bool: + def __eq__(self, other: object) -> bool: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Comparison of iterators - equality + + Two iterators are equal if they point to the same instance. """ - def _manage(self) -> None: + @overload + def __init__(self, layout: Layout, cell: Cell) -> None: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Creates a recursive instance iterator. + @param layout The layout which shall be iterated + @param cell The initial cell which shall be iterated (including its children) + @param layer The layer (index) from which the shapes are taken - Usually it's not required to call this method. It has been introduced in version 0.24. + This constructor creates a new recursive instance iterator which delivers the instances of the given cell plus its children. """ - def _unmanage(self) -> None: + @overload + def __init__(self, layout: Layout, cell: Cell, box: Box, overlapping: Optional[bool] = ...) -> None: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Creates a recursive instance iterator with a search region. + @param layout The layout which shall be iterated + @param cell The initial cell which shall be iterated (including its children) + @param box The search region + @param overlapping If set to true, instances overlapping the search region are reported, otherwise touching is sufficient - Usually it's not required to call this method. It has been introduced in version 0.24. + This constructor creates a new recursive instance iterator which delivers the instances of the given cell plus its children. + + The search is confined to the region given by the "box" parameter. If "overlapping" is true, instances whose bounding box is overlapping the search region are reported. If "overlapping" is false, instances whose bounding box touches the search region are reported. The bounding box of instances is measured taking all layers of the target cell into account. """ - def assign(self, other: LayoutDiff) -> None: + @overload + def __init__(self, layout: Layout, cell: Cell, region: Region, overlapping: bool) -> None: r""" - @brief Assigns another object to self - """ - def cell_a(self) -> Cell: - r""" - @brief Gets the current cell for the first layout - This attribute is the current cell and is set after \on_begin_cell and reset after \on_end_cell. - """ - def cell_b(self) -> Cell: - r""" - @brief Gets the current cell for the second layout - This attribute is the current cell and is set after \on_begin_cell and reset after \on_end_cell. - """ - @overload - def compare(self, a: Cell, b: Cell, flags: Optional[int] = ..., tolerance: Optional[int] = ...) -> bool: - r""" - @brief Compares two cells - - Compares layer definitions, cells, instances and shapes and properties of two layout hierarchies starting from the given cells. - Cells are identified by name. Only layers with valid layer and datatype are compared. - Several flags can be specified as a bitwise or combination of the constants. - - @param a The first top cell - @param b The second top cell - @param flags Flags to use for the comparison - @param tolerance A coordinate tolerance to apply (0: exact match, 1: one DBU tolerance is allowed ...) - - @return True, if the cells are identical - """ - @overload - def compare(self, a: Layout, b: Layout, flags: Optional[int] = ..., tolerance: Optional[int] = ...) -> bool: - r""" - @brief Compares two layouts - - Compares layer definitions, cells, instances and shapes and properties. - Cells are identified by name. Only layers with valid layer and datatype are compared. - Several flags can be specified as a bitwise or combination of the constants. + @brief Creates a recursive instance iterator with a search region. + @param layout The layout which shall be iterated + @param cell The initial cell which shall be iterated (including its children) + @param region The search region + @param overlapping If set to true, instances overlapping the search region are reported, otherwise touching is sufficient - @param a The first input layout - @param b The second input layout - @param flags Flags to use for the comparison - @param tolerance A coordinate tolerance to apply (0: exact match, 1: one DBU tolerance is allowed ...) + This constructor creates a new recursive instance iterator which delivers the instances of the given cell plus its children. - @return True, if the layouts are identical - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def dup(self) -> LayoutDiff: - r""" - @brief Creates a copy of self - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def layer_index_a(self) -> int: - r""" - @brief Gets the current layer for the first layout - This attribute is the current cell and is set after \on_begin_layer and reset after \on_end_layer. - """ - def layer_index_b(self) -> int: - r""" - @brief Gets the current layer for the second layout - This attribute is the current cell and is set after \on_begin_layer and reset after \on_end_layer. - """ - def layer_info_a(self) -> LayerInfo: - r""" - @brief Gets the current layer properties for the first layout - This attribute is the current cell and is set after \on_begin_layer and reset after \on_end_layer. - """ - def layer_info_b(self) -> LayerInfo: - r""" - @brief Gets the current layer properties for the second layout - This attribute is the current cell and is set after \on_begin_layer and reset after \on_end_layer. - """ - def layout_a(self) -> Layout: - r""" - @brief Gets the first layout the difference detector runs on + The search is confined to the region given by the "region" parameter. The region needs to be a rectilinear region. + If "overlapping" is true, instances whose bounding box is overlapping the search region are reported. If "overlapping" is false, instances whose bounding box touches the search region are reported. The bounding box of instances is measured taking all layers of the target cell into account. """ - def layout_b(self) -> Layout: + def __iter__(self) -> Iterator[RecursiveInstanceIterator]: r""" - @brief Gets the second layout the difference detector runs on - """ - -class TextGenerator: - r""" - @brief A text generator class - - A text generator is basically a way to produce human-readable text for labelling layouts. It's similar to the Basic.TEXT PCell, but more convenient to use in a scripting context. - - Generators can be constructed from font files (or resources) or one of the registered generators can be used. - - To create a generator from a font file proceed this way: - @code - gen = RBA::TextGenerator::new - gen.load_from_file("myfont.gds") - region = gen.text("A TEXT", 0.001) - @/code - - This code produces a RBA::Region with a database unit of 0.001 micron. This region can be fed into a \Shapes container to place it into a cell for example. - - By convention the font files must have two to three layers: - - @ul - @li 1/0 for the actual data @/li - @li 2/0 for the borders @/li - @li 3/0 for an optional additional background @/li - @/ul - - Currently, all glyphs must be bottom-left aligned at 0, 0. The - border must be drawn in at least one glyph cell. The border is taken - as the overall bbox of all borders. - - The glyph cells must be named with a single character or "nnn" where "d" is the - ASCII code of the character (i.e. "032" for space). Allowed ASCII codes are 32 through 127. - If a lower-case "a" character is defined, lower-case letters are supported. - Otherwise, lowercase letters are mapped to uppercase letters. - - Undefined characters are left blank in the output. - - A comment cell can be defined ("COMMENT") which must hold one text in layer 1 - stating the comment, and additional descriptions such as line width: - - @ul - @li "line_width=": Specifies the intended line width in micron units @/li - @li "design_grid=": Specifies the intended design grid in micron units @/li - @li any other text: The description string @/li - @/ul + @brief Native iteration + This method enables native iteration, e.g. - Generators can be picked form a list of predefined generator. See \generators, \default_generator and \generator_by_name for picking a generator from the list. + @code + iter = ... # RecursiveInstanceIterator + iter.each do |i| + ... i is the iterator itself + end + @/code - This class has been introduced in version 0.25. - """ - @classmethod - def default_generator(cls) -> TextGenerator: - r""" - @brief Gets the default text generator (a standard font) - This method delivers the default generator or nil if no such generator is installed. - """ - @classmethod - def font_paths(cls) -> List[str]: - r""" - @brief Gets the paths where to look for font files - See \set_font_paths for a description of this function. + This is slightly more convenient than the 'at_end' .. 'next' loop. - This method has been introduced in version 0.27.4. - """ - @classmethod - def generator_by_name(cls, name: str) -> TextGenerator: - r""" - @brief Gets the text generator for a given name - This method delivers the generator with the given name or nil if no such generator is registered. - """ - @classmethod - def generators(cls) -> List[TextGenerator]: - r""" - @brief Gets the generators registered in the system - This method delivers a list of generator objects that can be used to create texts. - """ - @classmethod - def new(cls) -> TextGenerator: - r""" - @brief Creates a new object of this class + This feature has been introduced in version 0.28. """ - @classmethod - def set_font_paths(cls, arg0: Sequence[str]) -> None: + def __ne__(self, other: object) -> bool: r""" - @brief Sets the paths where to look for font files - This function sets the paths where to look for font files. After setting such a path, each font found will render a specific generator. The generator can be found under the font file's name. As the text generator is also the basis for the Basic.TEXT PCell, using this function also allows configuring custom fonts for this library cell. + @brief Comparison of iterators - inequality - This method has been introduced in version 0.27.4. - """ - def __copy__(self) -> TextGenerator: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> TextGenerator: - r""" - @brief Creates a copy of self - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class + Two iterators are not equal if they do not point to the same instance. """ def _create(self) -> None: r""" @@ -40704,44 +39096,60 @@ class TextGenerator: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: TextGenerator) -> None: + def all_targets_enabled(self) -> bool: + r""" + @brief Gets a value indicating whether instances of all cells are reported + See \targets= for a description of the target cell concept. + """ + def assign(self, other: RecursiveInstanceIterator) -> None: r""" @brief Assigns another object to self """ - def background(self) -> Box: + def at_end(self) -> bool: r""" - @brief Gets the background rectangle of each glyph in the generator's database units - The background rectangle is the one that is used as background for inverted rendering. A version that delivers this value in micrometer units is \dbackground. + @brief End of iterator predicate + + Returns true, if the iterator is at the end of the sequence """ - def create(self) -> None: + def cell(self) -> Cell: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Gets the cell the current instance sits in """ - def dbackground(self) -> DBox: + def cell_index(self) -> int: r""" - @brief Gets the background rectangle in micron units - The background rectangle is the one that is used as background for inverted rendering. + @brief Gets the index of the cell the current instance sits in + This is equivalent to 'cell.cell_index'. """ - def dbu(self) -> float: + def complex_region(self) -> Region: r""" - @brief Gets the basic database unit the design of the glyphs was made - This database unit the basic resolution of the glyphs. + @brief Gets the complex region that this iterator is using + The complex region is the effective region (a \Region object) that the iterator is selecting from the layout. This region can be a single box or a complex region. """ - def ddesign_grid(self) -> float: + @overload + def confine_region(self, box_region: Box) -> None: r""" - @brief Gets the design grid of the glyphs in micron units - The design grid is the basic grid used when designing the glyphs. In most cases this grid is bigger than the database unit. + @brief Confines the region that this iterator is iterating over + This method is similar to setting the region (see \region=), but will confine any region (complex or simple) already set. Essentially it does a logical AND operation between the existing and given region. Hence this method can only reduce a region, not extend it. """ - def description(self) -> str: + @overload + def confine_region(self, complex_region: Region) -> None: r""" - @brief Gets the description text of the generator - The generator's description text is a human-readable text that is used to identify the generator (aka 'font') in user interfaces. + @brief Confines the region that this iterator is iterating over + This method is similar to setting the region (see \region=), but will confine any region (complex or simple) already set. Essentially it does a logical AND operation between the existing and given region. Hence this method can only reduce a region, not extend it. """ - def design_grid(self) -> int: + def create(self) -> None: r""" - @brief Gets the design grid of the glyphs in the generator's database units - The design grid is the basic grid used when designing the glyphs. In most cases this grid is bigger than the database unit. A version that delivers this value in micrometer units is \ddesign_grid. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def current_inst_element(self) -> InstElement: + r""" + @brief Gets the current instance + + This is the instance/array element the iterator currently refers to. + This is a \InstElement object representing the current instance and the array element the iterator currently points at. + + See \inst_trans, \inst_dtrans and \inst_cell for convenience methods to access the details of the current element. """ def destroy(self) -> None: r""" @@ -40755,34 +39163,56 @@ class TextGenerator: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dheight(self) -> float: + def dtrans(self) -> DCplxTrans: r""" - @brief Gets the design height of the glyphs in micron units - The height is the height of the rectangle occupied by each character. + @brief Gets the accumulated transformation of the current instance parent cell to the top cell + + This transformation represents how the current instance is seen in the top cell. + This version returns the micron-unit transformation. """ - def dline_width(self) -> float: + def dup(self) -> RecursiveInstanceIterator: r""" - @brief Gets the line width of the glyphs in micron units - The line width is the intended (not necessarily precisely) line width of typical character lines (such as the bar of an 'I'). + @brief Creates a copy of self """ - def dup(self) -> TextGenerator: + def each(self) -> Iterator[RecursiveInstanceIterator]: r""" - @brief Creates a copy of self + @brief Native iteration + This method enables native iteration, e.g. + + @code + iter = ... # RecursiveInstanceIterator + iter.each do |i| + ... i is the iterator itself + end + @/code + + This is slightly more convenient than the 'at_end' .. 'next' loop. + + This feature has been introduced in version 0.28. """ - def dwidth(self) -> float: + def enable_all_targets(self) -> None: r""" - @brief Gets the design width of the glyphs in micron units - The width is the width of the rectangle occupied by each character. + @brief Enables 'all targets' mode in which instances of all cells are reported + See \targets= for a description of the target cell concept. """ - def glyph(self, char: str) -> Region: + def inst_cell(self) -> Cell: r""" - @brief Gets the glyph of the given character as a region - The region represents the glyph's outline and is delivered in the generator's database units .A more elaborate way to getting the text's outline is \text. + @brief Gets the target cell of the current instance + This is the cell the current instance refers to. It is one of the \targets if a target list is given. """ - def height(self) -> int: + def inst_dtrans(self) -> DCplxTrans: r""" - @brief Gets the design height of the glyphs in the generator's database units - The height is the height of the rectangle occupied by each character. A version that delivers this value in micrometer units is \dheight. + @brief Gets the micron-unit transformation of the current instance + This is the transformation of the current instance inside its parent. + 'dtrans * inst_dtrans' gives the full micron-unit transformation how the current cell is seen in the top cell. + See also \inst_trans and \inst_cell. + """ + def inst_trans(self) -> ICplxTrans: + r""" + @brief Gets the integer-unit transformation of the current instance + This is the transformation of the current instance inside its parent. + 'trans * inst_trans' gives the full transformation how the current cell is seen in the top cell. + See also \inst_dtrans and \inst_cell. """ def is_const_object(self) -> bool: r""" @@ -40790,259 +39220,513 @@ class TextGenerator: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def line_width(self) -> int: - r""" - @brief Gets the line width of the glyphs in the generator's database units - The line width is the intended (not necessarily precisely) line width of typical character lines (such as the bar of an 'I'). A version that delivers this value in micrometer units is \dline_width. - """ - def load_from_file(self, path: str) -> None: + def layout(self) -> Layout: r""" - @brief Loads the given file into the generator - See the description of the class how the layout data is read. + @brief Gets the layout this iterator is connected to """ - def load_from_resource(self, resource_path: str) -> None: + def next(self) -> None: r""" - @brief Loads the given resource data (as layout data) into the generator - The resource path has to start with a colon, i.e. ':/my/resource.gds'. See the description of the class how the layout data is read. + @brief Increments the iterator + This moves the iterator to the next instance inside the search scope. """ - def name(self) -> str: + def path(self) -> List[InstElement]: r""" - @brief Gets the name of the generator - The generator's name is the basic key by which the generator is identified. + @brief Gets the instantiation path of the instance addressed currently + + This attribute is a sequence of \InstElement objects describing the cell instance path from the initial cell to the current instance. The path is empty if the current instance is in the top cell. """ - def text(self, text: str, target_dbu: float, mag: Optional[float] = ..., inv: Optional[bool] = ..., bias: Optional[float] = ..., char_spacing: Optional[float] = ..., line_spacing: Optional[float] = ...) -> Region: + def reset(self) -> None: r""" - @brief Gets the rendered text as a region - @param text The text string - @param target_dbu The database unit for which to produce the text - @param mag The magnification (1.0 for original size) - @param inv inverted rendering: if true, the glyphs are rendered inverse with the background box as the outer bounding box - @param bias An additional bias to be applied (happens before inversion, can be negative) - @param char_spacing Additional space between characters (in micron units) - @param line_spacing Additional space between lines (in micron units) - Various options can be specified to control the appearance of the text. See the description of the parameters. It's important to specify the target database unit in \target_dbu to indicate what database unit shall be used to create the output for. + @brief Resets the iterator to the initial state """ - def width(self) -> int: + def reset_selection(self) -> None: r""" - @brief Gets the design height of the glyphs in the generator's database units - The width is the width of the rectangle occupied by each character. A version that delivers this value in micrometer units is \dwidth. - """ + @brief Resets the selection to the default state -class NetlistObject: - r""" - @brief The base class for some netlist objects. - The main purpose of this class is to supply user properties for netlist objects. + In the initial state, the top cell and its children are selected. Child cells can be switched on and off together with their sub-hierarchy using \select_cells and \unselect_cells. - This class has been introduced in version 0.26.2 - """ - @classmethod - def new(cls) -> NetlistObject: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> NetlistObject: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> NetlistObject: - r""" - @brief Creates a copy of self - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + This method will also reset the iterator. """ - def _manage(self) -> None: + def select_all_cells(self) -> None: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Selects all cells. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + This method will set the "selected" mark on all cells. The effect is that subsequent calls of \unselect_cells will unselect only the specified cells, not their children, because they are still unselected. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: NetlistObject) -> None: - r""" - @brief Assigns another object to self - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + This method will also reset the iterator. """ - def destroy(self) -> None: + @overload + def select_cells(self, cells: Sequence[int]) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Unselects the given cells. + + This method will sets the "selected" mark on the given cells. That means that these cells or their child cells are visited, unless they are marked as "unselected" again with the \unselect_cells method. + + The cells are given as a list of cell indexes. + + This method will also reset the iterator. """ - def destroyed(self) -> bool: + @overload + def select_cells(self, cells: str) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Unselects the given cells. + + This method will sets the "selected" mark on the given cells. That means that these cells or their child cells are visited, unless they are marked as "unselected" again with the \unselect_cells method. + + The cells are given as a glob pattern. + A glob pattern follows the syntax of file names on the shell (i.e. "A*" are all cells starting with a letter "A"). + + This method will also reset the iterator. """ - def dup(self) -> NetlistObject: + def top_cell(self) -> Cell: r""" - @brief Creates a copy of self + @brief Gets the top cell this iterator is connected to """ - def is_const_object(self) -> bool: + def trans(self) -> ICplxTrans: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Gets the accumulated transformation of the current instance parent cell to the top cell + + This transformation represents how the current instance is seen in the top cell. """ - def property(self, key: Any) -> Any: + def unselect_all_cells(self) -> None: r""" - @brief Gets the property value for the given key or nil if there is no value with this key. + @brief Unselects all cells. + + This method will set the "unselected" mark on all cells. The effect is that subsequent calls of \select_cells will select only the specified cells, not their children, because they are still unselected. + + This method will also reset the iterator. """ - def property_keys(self) -> List[Any]: + @overload + def unselect_cells(self, cells: Sequence[int]) -> None: r""" - @brief Gets the keys for the properties stored in this object. + @brief Unselects the given cells. + + This method will sets the "unselected" mark on the given cells. That means that these cells or their child cells will not be visited, unless they are marked as "selected" again with the \select_cells method. + + The cells are given as a list of cell indexes. + + This method will also reset the iterator. """ - def set_property(self, key: Any, value: Any) -> None: + @overload + def unselect_cells(self, cells: str) -> None: r""" - @brief Sets the property value for the given key. - Use a nil value to erase the property with this key. + @brief Unselects the given cells. + + This method will sets the "unselected" mark on the given cells. That means that these cells or their child cells will not be visited, unless they are marked as "selected" again with the \select_cells method. + + The cells are given as a glob pattern. + A glob pattern follows the syntax of file names on the shell (i.e. "A*" are all cells starting with a letter "A"). + + This method will also reset the iterator. """ -class Pin(NetlistObject): +class RecursiveShapeIterator: r""" - @brief A pin of a circuit. - Pin objects are used to describe the outgoing pins of a circuit. To create a new pin of a circuit, use \Circuit#create_pin. + @brief An iterator delivering shapes recursively - This class has been added in version 0.26. + The iterator can be obtained from a cell, a layer and optionally a region. + It simplifies retrieval of shapes from a geometrical region while considering + subcells as well. + Some options can be specified in addition, i.e. the level to which to look into or + shape classes and shape properties. The shapes are retrieved by using the \shape method, + \next moves to the next shape and \at_end tells, if the iterator has move shapes to deliver. + + This is some sample code: + + @code + # print the polygon-like objects as seen from the initial cell "cell" + iter = cell.begin_shapes_rec(layer) + while !iter.at_end? + if iter.shape.renders_polygon? + polygon = iter.shape.polygon.transformed(iter.itrans) + puts "In cell #{iter.cell.name}: " + polygon.to_s + end + iter.next + end + + # or shorter: + cell.begin_shapes_rec(layer).each do |iter| + if iter.shape.renders_polygon? + polygon = iter.shape.polygon.transformed(iter.itrans) + puts "In cell #{iter.cell.name}: " + polygon.to_s + end + end + @/code + + \Cell offers three methods to get these iterators: begin_shapes_rec, begin_shapes_rec_touching and begin_shapes_rec_overlapping. + \Cell#begin_shapes_rec will deliver a standard recursive shape iterator which starts from the given cell and iterates over all child cells. \Cell#begin_shapes_rec_touching delivers a RecursiveShapeIterator which delivers the shapes whose bounding boxed touch the given search box. \Cell#begin_shapes_rec_overlapping delivers all shapes whose bounding box overlaps the search box. + + A RecursiveShapeIterator object can also be created explicitly. This allows some more options, i.e. using multiple layers. A multi-layer recursive shape iterator can be created like this: + + @code + iter = RBA::RecursiveShapeIterator::new(layout, cell, [ layer_index1, layer_index2 .. ]) + @/code + + "layout" is the layout object, "cell" the RBA::Cell object of the initial cell. layer_index1 etc. are the layer indexes of the layers to get the shapes from. While iterating, \RecursiveShapeIterator#layer delivers the layer index of the current shape. + + The recursive shape iterator can be confined to a maximum hierarchy depth. By using \max_depth=, the iterator will restrict the search depth to the given depth in the cell tree. + + In addition, the recursive shape iterator supports selection and exclusion of subtrees. For that purpose it keeps flags per cell telling it for which cells to turn shape delivery on and off. The \select_cells method sets the "start delivery" flag while \unselect_cells sets the "stop delivery" flag. In effect, using \unselect_cells will exclude that cell plus the subtree from delivery. Parts of that subtree can be turned on again using \select_cells. For the cells selected that way, the shapes of these cells and their child cells are delivered, even if their parent was unselected. + + To get shapes from a specific cell, i.e. "MACRO" plus its child cells, unselect the top cell first and the select the desired cell again: + + @code + # deliver all shapes inside "MACRO" and the sub-hierarchy: + iter = RBA::RecursiveShapeIterator::new(layout, cell, layer) + iter.unselect_cells(cell.cell_index) + iter.select_cells("MACRO") + @/code + + Note that if "MACRO" uses library cells for example which are used otherwise as well, the iterator will only deliver the shapes for those instances belonging to "MACRO" (directly or indirectly), not those for other instances of these library cells. + + The \unselect_all_cells and \select_all_cells methods turn on the "stop" and "start" flag for all cells respectively. If you use \unselect_all_cells and use \select_cells for a specific cell, the iterator will deliver only the shapes of the selected cell, not its children. Those are still unselected by \unselect_all_cells: + + @code + # deliver all shapes of "MACRO" but not of child cells: + iter = RBA::RecursiveShapeIterator::new(layout, cell, layer) + iter.unselect_all_cells + iter.select_cells("MACRO") + @/code + + Cell selection is done using cell indexes or glob pattern. Glob pattern are equivalent to the usual file name wildcards used on various command line shells. For example "A*" matches all cells starting with an "A". The curly brace notation and character classes are supported as well. For example "C{125,512}" matches "C125" and "C512" and "[ABC]*" matches all cells starting with an "A", a "B" or "C". "[^ABC]*" matches all cells not starting with one of that letters. + + The RecursiveShapeIterator class has been introduced in version 0.18 and has been extended substantially in 0.23. """ - def _assign(self, other: NetlistObject) -> None: + global_dtrans: DCplxTrans + r""" + Getter: + @brief Gets the global transformation to apply to all shapes delivered (in micrometer units) + See also \global_dtrans=. + + This method has been introduced in version 0.27. + + Setter: + @brief Sets the global transformation to apply to all shapes delivered (transformation in micrometer units) + The global transformation will be applied to all shapes delivered by biasing the "trans" attribute. + The search regions apply to the coordinate space after global transformation. + + This method has been introduced in version 0.27. + """ + global_trans: ICplxTrans + r""" + Getter: + @brief Gets the global transformation to apply to all shapes delivered + See also \global_trans=. + + This method has been introduced in version 0.27. + + Setter: + @brief Sets the global transformation to apply to all shapes delivered + The global transformation will be applied to all shapes delivered by biasing the "trans" attribute. + The search regions apply to the coordinate space after global transformation. + + This method has been introduced in version 0.27. + """ + max_depth: int + r""" + Getter: + @brief Gets the maximum hierarchy depth + + See \max_depth= for a description of that attribute. + + This method has been introduced in version 0.23. + + Setter: + @brief Specifies the maximum hierarchy depth to look into + + A depth of 0 instructs the iterator to deliver only shapes from the initial cell. + The depth must be specified before the shapes are being retrieved. + Setting the depth resets the iterator. + """ + min_depth: int + r""" + Getter: + @brief Gets the minimum hierarchy depth + + See \min_depth= for a description of that attribute. + + This method has been introduced in version 0.27. + + Setter: + @brief Specifies the minimum hierarchy depth to look into + + A depth of 0 instructs the iterator to deliver shapes from the top level. + 1 instructs to deliver shapes from the first child level. + The minimum depth must be specified before the shapes are being retrieved. + + This method has been introduced in version 0.27. + """ + overlapping: bool + r""" + Getter: + @brief Gets a flag indicating whether overlapping shapes are selected when a region is used + + This method has been introduced in version 0.23. + + Setter: + @brief Sets a flag indicating whether overlapping shapes are selected when a region is used + + If this flag is false, shapes touching the search region are returned. + + This method has been introduced in version 0.23. + """ + region: Box + r""" + Getter: + @brief Gets the basic region that this iterator is using + The basic region is the overall box the region iterator iterates over. There may be an additional complex region that confines the region iterator. See \complex_region for this attribute. + + This method has been introduced in version 0.23. + + Setter: + @brief Sets the rectangular region that this iterator is iterating over + See \region for a description of this attribute. + Setting a simple region will reset the complex region to a rectangle and reset the iterator to the beginning of the sequence. + This method has been introduced in version 0.23. + """ + shape_flags: int + r""" + Getter: + @brief Gets the shape selection flags + + See \shape_flags= for a description of that property. + + This getter has been introduced in version 0.28. + + Setter: + @brief Specifies the shape selection flags + + The flags are the same then being defined in \Shapes (the default is RBA::Shapes::SAll). + The flags must be specified before the shapes are being retrieved. + Settings the shapes flags will reset the iterator. + """ + @overload + @classmethod + def new(cls, layout: Layout, cell: Cell, layer: int) -> RecursiveShapeIterator: r""" - @brief Assigns another object to self + @brief Creates a recursive, single-layer shape iterator. + @param layout The layout which shall be iterated + @param cell The initial cell which shall be iterated (including its children) + @param layer The layer (index) from which the shapes are taken + + This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layer given by the layer index in the "layer" parameter. + + This constructor has been introduced in version 0.23. """ - def _create(self) -> None: + @overload + @classmethod + def new(cls, layout: Layout, cell: Cell, layer: int, box: Box, overlapping: Optional[bool] = ...) -> RecursiveShapeIterator: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Creates a recursive, single-layer shape iterator with a region. + @param layout The layout which shall be iterated + @param cell The initial cell which shall be iterated (including its children) + @param layer The layer (index) from which the shapes are taken + @param box The search region + @param overlapping If set to true, shapes overlapping the search region are reported, otherwise touching is sufficient + + This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layer given by the layer index in the "layer" parameter. + + The search is confined to the region given by the "box" parameter. If "overlapping" is true, shapes whose bounding box is overlapping the search region are reported. If "overlapping" is false, shapes whose bounding box touches the search region are reported. + + This constructor has been introduced in version 0.23. The 'overlapping' parameter has been made optional in version 0.27. """ - def _destroy(self) -> None: + @overload + @classmethod + def new(cls, layout: Layout, cell: Cell, layer: int, region: Region, overlapping: Optional[bool] = ...) -> RecursiveShapeIterator: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Creates a recursive, single-layer shape iterator with a region. + @param layout The layout which shall be iterated + @param cell The initial cell which shall be iterated (including its children) + @param layer The layer (index) from which the shapes are taken + @param region The search region + @param overlapping If set to true, shapes overlapping the search region are reported, otherwise touching is sufficient + + This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layer given by the layer index in the "layer" parameter. + + The search is confined to the region given by the "region" parameter. The region needs to be a rectilinear region. + If "overlapping" is true, shapes whose bounding box is overlapping the search region are reported. If "overlapping" is false, shapes whose bounding box touches the search region are reported. + + This constructor has been introduced in version 0.25. The 'overlapping' parameter has been made optional in version 0.27. """ - def _destroyed(self) -> bool: + @overload + @classmethod + def new(cls, layout: Layout, cell: Cell, layers: Sequence[int]) -> RecursiveShapeIterator: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Creates a recursive, multi-layer shape iterator. + @param layout The layout which shall be iterated + @param cell The initial cell which shall be iterated (including its children) + @param layers The layer indexes from which the shapes are taken + + This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layers given by the layer indexes in the "layers" parameter. + While iterating use the \layer method to retrieve the layer of the current shape. + + This constructor has been introduced in version 0.23. """ - def _dup(self) -> Pin: + @overload + @classmethod + def new(cls, layout: Layout, cell: Cell, layers: Sequence[int], box: Box, overlapping: Optional[bool] = ...) -> RecursiveShapeIterator: + r""" + @brief Creates a recursive, multi-layer shape iterator with a region. + @param layout The layout which shall be iterated + @param cell The initial cell which shall be iterated (including its children) + @param layers The layer indexes from which the shapes are taken + @param box The search region + @param overlapping If set to true, shapes overlapping the search region are reported, otherwise touching is sufficient + + This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layers given by the layer indexes in the "layers" parameter. + While iterating use the \layer method to retrieve the layer of the current shape. + + The search is confined to the region given by the "box" parameter. If "overlapping" is true, shapes whose bounding box is overlapping the search region are reported. If "overlapping" is false, shapes whose bounding box touches the search region are reported. + + This constructor has been introduced in version 0.23. The 'overlapping' parameter has been made optional in version 0.27. + """ + @overload + @classmethod + def new(cls, layout: Layout, cell: Cell, layers: Sequence[int], region: Region, overlapping: Optional[bool] = ...) -> RecursiveShapeIterator: + r""" + @brief Creates a recursive, multi-layer shape iterator with a region. + @param layout The layout which shall be iterated + @param cell The initial cell which shall be iterated (including its children) + @param layers The layer indexes from which the shapes are taken + @param region The search region + @param overlapping If set to true, shapes overlapping the search region are reported, otherwise touching is sufficient + + This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layers given by the layer indexes in the "layers" parameter. + While iterating use the \layer method to retrieve the layer of the current shape. + + The search is confined to the region given by the "region" parameter. The region needs to be a rectilinear region. + If "overlapping" is true, shapes whose bounding box is overlapping the search region are reported. If "overlapping" is false, shapes whose bounding box touches the search region are reported. + + This constructor has been introduced in version 0.23. The 'overlapping' parameter has been made optional in version 0.27. + """ + def __copy__(self) -> RecursiveShapeIterator: r""" @brief Creates a copy of self """ - def _is_const_object(self) -> bool: + def __deepcopy__(self) -> RecursiveShapeIterator: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Creates a copy of self """ - def _manage(self) -> None: + def __eq__(self, other: object) -> bool: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Comparison of iterators - equality - Usually it's not required to call this method. It has been introduced in version 0.24. + Two iterators are equal if they point to the same shape. """ - def _unmanage(self) -> None: + @overload + def __init__(self, layout: Layout, cell: Cell, layer: int) -> None: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Creates a recursive, single-layer shape iterator. + @param layout The layout which shall be iterated + @param cell The initial cell which shall be iterated (including its children) + @param layer The layer (index) from which the shapes are taken - Usually it's not required to call this method. It has been introduced in version 0.24. + This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layer given by the layer index in the "layer" parameter. + + This constructor has been introduced in version 0.23. """ - def expanded_name(self) -> str: + @overload + def __init__(self, layout: Layout, cell: Cell, layer: int, box: Box, overlapping: Optional[bool] = ...) -> None: r""" - @brief Gets the expanded name of the pin. - The expanded name is the name or a generic identifier made from the ID if the name is empty. + @brief Creates a recursive, single-layer shape iterator with a region. + @param layout The layout which shall be iterated + @param cell The initial cell which shall be iterated (including its children) + @param layer The layer (index) from which the shapes are taken + @param box The search region + @param overlapping If set to true, shapes overlapping the search region are reported, otherwise touching is sufficient + + This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layer given by the layer index in the "layer" parameter. + + The search is confined to the region given by the "box" parameter. If "overlapping" is true, shapes whose bounding box is overlapping the search region are reported. If "overlapping" is false, shapes whose bounding box touches the search region are reported. + + This constructor has been introduced in version 0.23. The 'overlapping' parameter has been made optional in version 0.27. """ - def id(self) -> int: + @overload + def __init__(self, layout: Layout, cell: Cell, layer: int, region: Region, overlapping: Optional[bool] = ...) -> None: r""" - @brief Gets the ID of the pin. + @brief Creates a recursive, single-layer shape iterator with a region. + @param layout The layout which shall be iterated + @param cell The initial cell which shall be iterated (including its children) + @param layer The layer (index) from which the shapes are taken + @param region The search region + @param overlapping If set to true, shapes overlapping the search region are reported, otherwise touching is sufficient + + This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layer given by the layer index in the "layer" parameter. + + The search is confined to the region given by the "region" parameter. The region needs to be a rectilinear region. + If "overlapping" is true, shapes whose bounding box is overlapping the search region are reported. If "overlapping" is false, shapes whose bounding box touches the search region are reported. + + This constructor has been introduced in version 0.25. The 'overlapping' parameter has been made optional in version 0.27. """ - def name(self) -> str: + @overload + def __init__(self, layout: Layout, cell: Cell, layers: Sequence[int]) -> None: r""" - @brief Gets the name of the pin. + @brief Creates a recursive, multi-layer shape iterator. + @param layout The layout which shall be iterated + @param cell The initial cell which shall be iterated (including its children) + @param layers The layer indexes from which the shapes are taken + + This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layers given by the layer indexes in the "layers" parameter. + While iterating use the \layer method to retrieve the layer of the current shape. + + This constructor has been introduced in version 0.23. """ + @overload + def __init__(self, layout: Layout, cell: Cell, layers: Sequence[int], box: Box, overlapping: Optional[bool] = ...) -> None: + r""" + @brief Creates a recursive, multi-layer shape iterator with a region. + @param layout The layout which shall be iterated + @param cell The initial cell which shall be iterated (including its children) + @param layers The layer indexes from which the shapes are taken + @param box The search region + @param overlapping If set to true, shapes overlapping the search region are reported, otherwise touching is sufficient -class DeviceReconnectedTerminal: - r""" - @brief Describes a terminal rerouting in combined devices. - Combined devices are implemented as a generalization of the device abstract concept in \Device. For combined devices, multiple \DeviceAbstract references are present. To support different combination schemes, device-to-abstract routing is supported. Parallel combinations will route all outer terminals to corresponding terminals of all device abstracts (because of terminal swapping these may be different ones). + This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layers given by the layer indexes in the "layers" parameter. + While iterating use the \layer method to retrieve the layer of the current shape. - This object describes one route to an abstract's terminal. The device index is 0 for the main device abstract and 1 for the first combined device abstract. + The search is confined to the region given by the "box" parameter. If "overlapping" is true, shapes whose bounding box is overlapping the search region are reported. If "overlapping" is false, shapes whose bounding box touches the search region are reported. - This class has been introduced in version 0.26. - """ - device_index: int - r""" - Getter: - @brief The device abstract index getter. - See the class description for details. - Setter: - @brief The device abstract index setter. - See the class description for details. - """ - other_terminal_id: int - r""" - Getter: - @brief The getter for the abstract's connected terminal. - See the class description for details. - Setter: - @brief The setter for the abstract's connected terminal. - See the class description for details. - """ - @classmethod - def new(cls) -> DeviceReconnectedTerminal: - r""" - @brief Creates a new object of this class + This constructor has been introduced in version 0.23. The 'overlapping' parameter has been made optional in version 0.27. """ - def __copy__(self) -> DeviceReconnectedTerminal: + @overload + def __init__(self, layout: Layout, cell: Cell, layers: Sequence[int], region: Region, overlapping: Optional[bool] = ...) -> None: r""" - @brief Creates a copy of self + @brief Creates a recursive, multi-layer shape iterator with a region. + @param layout The layout which shall be iterated + @param cell The initial cell which shall be iterated (including its children) + @param layers The layer indexes from which the shapes are taken + @param region The search region + @param overlapping If set to true, shapes overlapping the search region are reported, otherwise touching is sufficient + + This constructor creates a new recursive shape iterator which delivers the shapes of the given cell plus its children from the layers given by the layer indexes in the "layers" parameter. + While iterating use the \layer method to retrieve the layer of the current shape. + + The search is confined to the region given by the "region" parameter. The region needs to be a rectilinear region. + If "overlapping" is true, shapes whose bounding box is overlapping the search region are reported. If "overlapping" is false, shapes whose bounding box touches the search region are reported. + + This constructor has been introduced in version 0.23. The 'overlapping' parameter has been made optional in version 0.27. """ - def __deepcopy__(self) -> DeviceReconnectedTerminal: + def __iter__(self) -> Iterator[RecursiveShapeIterator]: r""" - @brief Creates a copy of self + @brief Native iteration + This method enables native iteration, e.g. + + @code + iter = ... # RecursiveShapeIterator + iter.each do |i| + ... i is the iterator itself + end + @/code + + This is slightly more convenient than the 'at_end' .. 'next' loop. + + This feature has been introduced in version 0.28. """ - def __init__(self) -> None: + def __ne__(self, other: object) -> bool: r""" - @brief Creates a new object of this class + @brief Comparison of iterators - inequality + + Two iterators are not equal if they do not point to the same shape. """ def _create(self) -> None: r""" @@ -41081,10 +39765,63 @@ class DeviceReconnectedTerminal: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: DeviceReconnectedTerminal) -> None: + def always_apply_dtrans(self) -> DCplxTrans: + r""" + @brief Gets the global transformation if at top level, unity otherwise (micrometer-unit version) + As the global transformation is only applicable on top level, use this method to transform shapes and instances into their local (cell-level) version while considering the global transformation properly. + + This method has been introduced in version 0.27. + """ + def always_apply_trans(self) -> ICplxTrans: + r""" + @brief Gets the global transformation if at top level, unity otherwise + As the global transformation is only applicable on top level, use this method to transform shapes and instances into their local (cell-level) version while considering the global transformation properly. + + This method has been introduced in version 0.27. + """ + def assign(self, other: RecursiveShapeIterator) -> None: r""" @brief Assigns another object to self """ + def at_end(self) -> bool: + r""" + @brief End of iterator predicate + + Returns true, if the iterator is at the end of the sequence + """ + def cell(self) -> Cell: + r""" + @brief Gets the current cell's object + + This method has been introduced in version 0.23. + """ + def cell_index(self) -> int: + r""" + @brief Gets the current cell's index + """ + def complex_region(self) -> Region: + r""" + @brief Gets the complex region that this iterator is using + The complex region is the effective region (a \Region object) that the iterator is selecting from the layout layers. This region can be a single box or a complex region. + + This method has been introduced in version 0.25. + """ + @overload + def confine_region(self, box_region: Box) -> None: + r""" + @brief Confines the region that this iterator is iterating over + This method is similar to setting the region (see \region=), but will confine any region (complex or simple) already set. Essentially it does a logical AND operation between the existing and given region. Hence this method can only reduce a region, not extend it. + + This method has been introduced in version 0.25. + """ + @overload + def confine_region(self, complex_region: Region) -> None: + r""" + @brief Confines the region that this iterator is iterating over + This method is similar to setting the region (see \region=), but will confine any region (complex or simple) already set. Essentially it does a logical AND operation between the existing and given region. Hence this method can only reduce a region, not extend it. + + This method has been introduced in version 0.25. + """ def create(self) -> None: r""" @brief Ensures the C++ object is created @@ -41102,793 +39839,1077 @@ class DeviceReconnectedTerminal: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> DeviceReconnectedTerminal: + def dtrans(self) -> DCplxTrans: r""" - @brief Creates a copy of self + @brief Gets the transformation into the initial cell applicable for floating point types + + This transformation corresponds to the one delivered by \trans, but is applicable for the floating-point shape types in micron unit space. + + This method has been introduced in version 0.25.3. """ - def is_const_object(self) -> bool: + def dup(self) -> RecursiveShapeIterator: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Creates a copy of self """ + def each(self) -> Iterator[RecursiveShapeIterator]: + r""" + @brief Native iteration + This method enables native iteration, e.g. -class DeviceAbstractRef: - r""" - @brief Describes an additional device abstract reference for combined devices. - Combined devices are implemented as a generalization of the device abstract concept in \Device. For combined devices, multiple \DeviceAbstract references are present. This class describes such an additional reference. A reference is a pointer to an abstract plus a transformation by which the abstract is transformed geometrically as compared to the first (initial) abstract. + @code + iter = ... # RecursiveShapeIterator + iter.each do |i| + ... i is the iterator itself + end + @/code - This class has been introduced in version 0.26. - """ - device_abstract: DeviceAbstract - r""" - Getter: - @brief The getter for the device abstract reference. - See the class description for details. - Setter: - @brief The setter for the device abstract reference. - See the class description for details. - """ - trans: DCplxTrans - r""" - Getter: - @brief The getter for the relative transformation of the instance. - See the class description for details. - Setter: - @brief The setter for the relative transformation of the instance. - See the class description for details. - """ - @classmethod - def new(cls) -> DeviceAbstractRef: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> DeviceAbstractRef: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> DeviceAbstractRef: - r""" - @brief Creates a copy of self - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + This is slightly more convenient than the 'at_end' .. 'next' loop. + + This feature has been introduced in version 0.28. """ - def _destroy(self) -> None: + def enable_properties(self) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Enables properties for the given iterator. + Afer enabling properties, \prop_id will deliver the effective properties ID for the current shape. By default, properties are not enabled and \prop_id will always return 0 (no properties attached). Alternatively you can apply \filter_properties or \map_properties to enable properties with a specific name key. + + Note that property filters/mappers are additive and act in addition (after) the currently installed filter. + + This feature has been introduced in version 0.28.4. """ - def _destroyed(self) -> bool: + def filter_properties(self, keys: Sequence[Any]) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Filters properties by certain keys. + Calling this method will reduce the properties to values with name keys from the 'keys' list. + As a side effect, this method enables properties. + As with \enable_properties or \remove_properties, this filter has an effect on the value returned by \prop_id, not on the properties ID attached to the shape directly. + + Note that property filters/mappers are additive and act in addition (after) the currently installed filter. + + This feature has been introduced in version 0.28.4. """ - def _is_const_object(self) -> bool: + def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def _manage(self) -> None: + def itrans(self) -> ICplxTrans: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Gets the current transformation by which the shapes must be transformed into the initial cell - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + The shapes delivered are not transformed. Instead, this transformation must be applied to + get the shape in the coordinate system of the top cell. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: DeviceAbstractRef) -> None: - r""" - @brief Assigns another object to self + Starting with version 0.25, this transformation is a int-to-int transformation the 'itrans' method which was providing this transformation before is deprecated. """ - def create(self) -> None: + def layer(self) -> int: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Returns the layer index where the current shape is coming from. + + This method has been introduced in version 0.23. """ - def destroy(self) -> None: + def layout(self) -> Layout: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Gets the layout this iterator is connected to + + This method has been introduced in version 0.23. """ - def destroyed(self) -> bool: + def map_properties(self, key_map: Dict[Any, Any]) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Maps properties by name key. + Calling this method will reduce the properties to values with name keys from the 'keys' hash and renames the properties. Property values with keys not listed in the key map will be removed. + As a side effect, this method enables properties. + As with \enable_properties or \remove_properties, this filter has an effect on the value returned by \prop_id, not on the properties ID attached to the shape directly. + + Note that property filters/mappers are additive and act in addition (after) the currently installed filter. + + This feature has been introduced in version 0.28.4. """ - def dup(self) -> DeviceAbstractRef: + def next(self) -> None: r""" - @brief Creates a copy of self + @brief Increments the iterator + This moves the iterator to the next shape inside the search scope. """ - def is_const_object(self) -> bool: + def path(self) -> List[InstElement]: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - -class Device(NetlistObject): - r""" - @brief A device inside a circuit. - Device object represent atomic devices such as resistors, diodes or transistors. The \Device class represents a particular device with specific parameters. The type of device is represented by a \DeviceClass object. Device objects live in \Circuit objects, the device class objects live in the \Netlist object. - - Devices connect to nets through terminals. Terminals are described by a terminal ID which is essentially the zero-based index of the terminal. Terminal definitions can be obtained from the device class using the \DeviceClass#terminal_definitions method. + @brief Gets the instantiation path of the shape addressed currently - Devices connect to nets through the \Device#connect_terminal method. Device terminals can be disconnected using \Device#disconnect_terminal. + This attribute is a sequence of \InstElement objects describing the cell instance path from the initial cell to the current cell containing the current shape. - Device objects are created inside a circuit with \Circuit#create_device. + This method has been introduced in version 0.25. + """ + def prop_id(self) -> int: + r""" + @brief Gets the effective properties ID + The shape iterator supports property filtering and translation. This method will deliver the effective property ID after translation. The original property ID can be obtained from 'shape.prop_id' and is not changed by installing filters or mappers. - This class has been added in version 0.26. - """ - device_abstract: DeviceAbstract - r""" - Getter: - @brief Gets the device abstract for this device instance. - See \DeviceAbstract for more details. + \prop_id is evaluated by \Region objects for example, when they are created from a shape iterator. - Setter: - @hide - Provided for test purposes mainly. Be careful with pointers! - """ - name: str - r""" - Getter: - @brief Gets the name of the device. + See \enable_properties, \filter_properties, \remove_properties and \map_properties for details on this feature. - Setter: - @brief Sets the name of the device. - Device names are used to name a device inside a netlist file. Device names should be unique within a circuit. - """ - trans: DCplxTrans - r""" - Getter: - @brief Gets the location of the device. - See \trans= for details about this method. - Setter: - @brief Sets the location of the device. - The device location is essentially describing the position of the device. The position is typically the center of some recognition shape. In this case the transformation is a plain displacement to the center of this shape. - """ - def _assign(self, other: NetlistObject) -> None: - r""" - @brief Assigns another object to self - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _dup(self) -> Device: - r""" - @brief Creates a copy of self + This attribute has been introduced in version 0.28.4. """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: + def remove_properties(self) -> None: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Removes properties for the given container. + This will remove all properties and \prop_id will deliver 0 always (no properties attached). + Alternatively you can apply \filter_properties or \map_properties to enable properties with a specific name key. - Usually it's not required to call this method. It has been introduced in version 0.24. + Note that property filters/mappers are additive and act in addition (after) the currently installed filter. + So effectively after 'remove_properties' you cannot get them back. + + This feature has been introduced in version 0.28.4. """ - def _unmanage(self) -> None: + def reset(self) -> None: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Resets the iterator to the initial state - Usually it's not required to call this method. It has been introduced in version 0.24. + This method has been introduced in version 0.23. """ - def add_combined_abstract(self, ref: DeviceAbstractRef) -> None: + def reset_selection(self) -> None: r""" - @hide - Provided for test purposes mainly. + @brief Resets the selection to the default state + + In the initial state, the top cell and its children are selected. Child cells can be switched on and off together with their sub-hierarchy using \select_cells and \unselect_cells. + + This method will also reset the iterator. + + This method has been introduced in version 0.23. """ - def add_reconnected_terminal_for(self, outer_terminal: int, descriptor: DeviceReconnectedTerminal) -> None: + def select_all_cells(self) -> None: r""" - @hide - Provided for test purposes mainly. + @brief Selects all cells. + + This method will set the "selected" mark on all cells. The effect is that subsequent calls of \unselect_cells will unselect only the specified cells, not their children, because they are still unselected. + + This method will also reset the iterator. + + This method has been introduced in version 0.23. """ @overload - def circuit(self) -> Circuit: + def select_cells(self, cells: Sequence[int]) -> None: r""" - @brief Gets the circuit the device lives in. + @brief Unselects the given cells. + + This method will sets the "selected" mark on the given cells. That means that these cells or their child cells are visited, unless they are marked as "unselected" again with the \unselect_cells method. + + The cells are given as a list of cell indexes. + + This method will also reset the iterator. + + This method has been introduced in version 0.23. """ @overload - def circuit(self) -> Circuit: + def select_cells(self, cells: str) -> None: r""" - @brief Gets the circuit the device lives in (non-const version). + @brief Unselects the given cells. - This constness variant has been introduced in version 0.26.8 - """ - def clear_combined_abstracts(self) -> None: - r""" - @hide - Provided for test purposes mainly. + This method will sets the "selected" mark on the given cells. That means that these cells or their child cells are visited, unless they are marked as "unselected" again with the \unselect_cells method. + + The cells are given as a glob pattern. + A glob pattern follows the syntax of file names on the shell (i.e. "A*" are all cells starting with a letter "A"). + + This method will also reset the iterator. + + This method has been introduced in version 0.23. """ - def clear_reconnected_terminals(self) -> None: + def shape(self) -> Shape: r""" - @hide - Provided for test purposes mainly. + @brief Gets the current shape + + Returns the shape currently referred to by the recursive iterator. + This shape is not transformed yet and is located in the current cell. """ - @overload - def connect_terminal(self, terminal_id: int, net: Net) -> None: + def top_cell(self) -> Cell: r""" - @brief Connects the given terminal to the specified net. + @brief Gets the top cell this iterator is connected to + + This method has been introduced in version 0.23. """ - @overload - def connect_terminal(self, terminal_name: str, net: Net) -> None: + def trans(self) -> ICplxTrans: r""" - @brief Connects the given terminal to the specified net. - This version accepts a terminal name. If the name is not a valid terminal name, an exception is raised. - If the terminal has been connected to a global net, it will be disconnected from there. + @brief Gets the current transformation by which the shapes must be transformed into the initial cell + + The shapes delivered are not transformed. Instead, this transformation must be applied to + get the shape in the coordinate system of the top cell. + + Starting with version 0.25, this transformation is a int-to-int transformation the 'itrans' method which was providing this transformation before is deprecated. """ - def device_class(self) -> DeviceClass: + def unselect_all_cells(self) -> None: r""" - @brief Gets the device class the device belongs to. + @brief Unselects all cells. + + This method will set the "unselected" mark on all cells. The effect is that subsequent calls of \select_cells will select only the specified cells, not their children, because they are still unselected. + + This method will also reset the iterator. + + This method has been introduced in version 0.23. """ @overload - def disconnect_terminal(self, terminal_id: int) -> None: + def unselect_cells(self, cells: Sequence[int]) -> None: r""" - @brief Disconnects the given terminal from any net. - If the terminal has been connected to a global, this connection will be disconnected too. + @brief Unselects the given cells. + + This method will sets the "unselected" mark on the given cells. That means that these cells or their child cells will not be visited, unless they are marked as "selected" again with the \select_cells method. + + The cells are given as a list of cell indexes. + + This method will also reset the iterator. + + This method has been introduced in version 0.23. """ @overload - def disconnect_terminal(self, terminal_name: str) -> None: - r""" - @brief Disconnects the given terminal from any net. - This version accepts a terminal name. If the name is not a valid terminal name, an exception is raised. - """ - def each_combined_abstract(self) -> Iterator[DeviceAbstractRef]: + def unselect_cells(self, cells: str) -> None: r""" - @brief Iterates over the combined device specifications. - This feature applies to combined devices. This iterator will deliver all device abstracts present in addition to the default device abstract. + @brief Unselects the given cells. + + This method will sets the "unselected" mark on the given cells. That means that these cells or their child cells will not be visited, unless they are marked as "selected" again with the \select_cells method. + + The cells are given as a glob pattern. + A glob pattern follows the syntax of file names on the shell (i.e. "A*" are all cells starting with a letter "A"). + + This method will also reset the iterator. + + This method has been introduced in version 0.23. """ - def each_reconnected_terminal_for(self, terminal_id: int) -> Iterator[DeviceReconnectedTerminal]: + +class Region(ShapeCollection): + r""" + @brief A region (a potentially complex area consisting of multiple polygons) + + + This class was introduced to simplify operations on polygon sets like boolean or sizing operations. Regions consist of many polygons and thus are a generalization of single polygons which describes a single coherence set of points. Regions support a variety of operations and have several states. + + The region's state can be empty (does not contain anything) or box-like, i.e. the region consists of a single box. In that case, some operations can be simplified. Regions can have merged state. In merged state, regions consist of merged (non-touching, non-self overlapping) polygons. Each polygon describes one coherent area in merged state. + + The preferred representation of polygons inside the region are polygons with holes. + + Regions are always expressed in database units. If you want to use regions from different database unit domains, scale the regions accordingly, i.e. by using the \transformed method. + + + Regions provide convenient operators for the boolean operations. Hence it is often no longer required to work with the \EdgeProcessor class. For example: + + @code + r1 = RBA::Region::new(RBA::Box::new(0, 0, 100, 100)) + r2 = RBA::Region::new(RBA::Box::new(20, 20, 80, 80)) + # compute the XOR: + r1_xor_r2 = r1 ^ r2 + @/code + + Regions can be used in two different flavors: in raw mode or merged semantics. With merged semantics (the default), connected polygons are considered to belong together and are effectively merged. + Overlapping areas are counted once in that mode. Internal edges (i.e. arising from cut lines) are not considered. + In raw mode (without merged semantics), each polygon is considered as it is. Overlaps between polygons + may exists and merging has to be done explicitly using the \merge method. The semantics can be + selected using \merged_semantics=. + + + This class has been introduced in version 0.23. + """ + class OppositeFilter: r""" - @brief Iterates over the reconnected terminal specifications for a given outer terminal. - This feature applies to combined devices. This iterator will deliver all device-to-abstract terminal reroutings. + @brief This class represents the opposite error filter mode for \Region#separation and related checks. + + This enum has been introduced in version 0.27. """ - def expanded_name(self) -> str: + NoOppositeFilter: ClassVar[Region.OppositeFilter] r""" - @brief Gets the expanded name of the device. - The expanded name takes the name of the device. If the name is empty, the numeric ID will be used to build a name. + @brief No opposite filtering """ - def id(self) -> int: + NotOpposite: ClassVar[Region.OppositeFilter] r""" - @brief Gets the device ID. - The ID is a unique integer which identifies the device. - It can be used to retrieve the device from the circuit using \Circuit#device_by_id. - When assigned, the device ID is not 0. + @brief Only errors NOT appearing on opposite sides of a figure will be reported """ - def is_combined_device(self) -> bool: + OnlyOpposite: ClassVar[Region.OppositeFilter] r""" - @brief Returns true, if the device is a combined device. - Combined devices feature multiple device abstracts and device-to-abstract terminal connections. - See \each_reconnected_terminal and \each_combined_abstract for more details. + @brief Only errors appearing on opposite sides of a figure will be reported """ - @overload - def net_for_terminal(self, terminal_id: int) -> Net: + @overload + @classmethod + def new(cls, i: int) -> Region.OppositeFilter: + r""" + @brief Creates an enum from an integer value + """ + @overload + @classmethod + def new(cls, s: str) -> Region.OppositeFilter: + r""" + @brief Creates an enum from a string value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares two enums + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer value + """ + @overload + def __init__(self, i: int) -> None: + r""" + @brief Creates an enum from an integer value + """ + @overload + def __init__(self, s: str) -> None: + r""" + @brief Creates an enum from a string value + """ + @overload + def __lt__(self, other: Region.OppositeFilter) -> bool: + r""" + @brief Returns true if the first enum is less (in the enum symbol order) than the second + """ + @overload + def __lt__(self, other: int) -> bool: + r""" + @brief Returns true if the enum is less (in the enum symbol order) than the integer value + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer for inequality + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares two enums for inequality + """ + def __repr__(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + def inspect(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def to_i(self) -> int: + r""" + @brief Gets the integer value from the enum + """ + def to_s(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + class RectFilter: r""" - @brief Gets the net connected to the specified terminal. - If the terminal is not connected, nil is returned for the net. + @brief This class represents the error filter mode on rectangles for \Region#separation and related checks. + + This enum has been introduced in version 0.27. """ - @overload - def net_for_terminal(self, terminal_id: int) -> Net: + FourSidesAllowed: ClassVar[Region.RectFilter] r""" - @brief Gets the net connected to the specified terminal (non-const version). - If the terminal is not connected, nil is returned for the net. - - This constness variant has been introduced in version 0.26.8 + @brief Allow errors when on all sides """ - @overload - def net_for_terminal(self, terminal_name: str) -> Net: + NoRectFilter: ClassVar[Region.RectFilter] r""" - @brief Gets the net connected to the specified terminal (non-const version). - If the terminal is not connected, nil is returned for the net. - - This convenience method has been introduced in version 0.27.3. + @brief Specifies no filtering """ - @overload - def net_for_terminal(self, terminal_name: str) -> Net: + OneSideAllowed: ClassVar[Region.RectFilter] r""" - @brief Gets the net connected to the specified terminal. - If the terminal is not connected, nil is returned for the net. - - This convenience method has been introduced in version 0.27.3. + @brief Allow errors on one side """ - @overload - def parameter(self, param_id: int) -> float: + ThreeSidesAllowed: ClassVar[Region.RectFilter] r""" - @brief Gets the parameter value for the given parameter ID. + @brief Allow errors when on three sides """ - @overload - def parameter(self, param_name: str) -> float: + TwoConnectedSidesAllowed: ClassVar[Region.RectFilter] r""" - @brief Gets the parameter value for the given parameter name. - If the parameter name is not valid, an exception is thrown. + @brief Allow errors on two sides ("L" configuration) """ - @overload - def set_parameter(self, param_id: int, value: float) -> None: + TwoOppositeSidesAllowed: ClassVar[Region.RectFilter] r""" - @brief Sets the parameter value for the given parameter ID. + @brief Allow errors on two opposite sides """ - @overload - def set_parameter(self, param_name: str, value: float) -> None: + TwoSidesAllowed: ClassVar[Region.RectFilter] r""" - @brief Sets the parameter value for the given parameter name. - If the parameter name is not valid, an exception is thrown. + @brief Allow errors on two sides (not specified which) """ - -class DeviceAbstract: - r""" - @brief A geometrical device abstract - This class represents the geometrical model for the device. It links into the extracted layout to a cell which holds the terminal shapes for the device. - - This class has been added in version 0.26. + @overload + @classmethod + def new(cls, i: int) -> Region.RectFilter: + r""" + @brief Creates an enum from an integer value + """ + @overload + @classmethod + def new(cls, s: str) -> Region.RectFilter: + r""" + @brief Creates an enum from a string value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares two enums + """ + @overload + def __init__(self, i: int) -> None: + r""" + @brief Creates an enum from an integer value + """ + @overload + def __init__(self, s: str) -> None: + r""" + @brief Creates an enum from a string value + """ + @overload + def __lt__(self, other: Region.RectFilter) -> bool: + r""" + @brief Returns true if the first enum is less (in the enum symbol order) than the second + """ + @overload + def __lt__(self, other: int) -> bool: + r""" + @brief Returns true if the enum is less (in the enum symbol order) than the integer value + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer for inequality + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares two enums for inequality + """ + def __repr__(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + def inspect(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def to_i(self) -> int: + r""" + @brief Gets the integer value from the enum + """ + def to_s(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + DifferentPropertiesConstraint: ClassVar[PropertyConstraint] + r""" + @brief Specifies to consider shapes only if their user properties are different + When using this constraint - for example on a boolean operation - shapes are considered only if their user properties are different. Properties are generated on the output shapes where applicable. """ - name: str + DifferentPropertiesConstraintDrop: ClassVar[PropertyConstraint] r""" - Getter: - @brief Gets the name of the device abstract. - - Setter: - @brief Sets the name of the device abstract. - Device names are used to name a device abstract inside a netlist file. Device names should be unique within a netlist. + @brief Specifies to consider shapes only if their user properties are different + When using this constraint - for example on a boolean operation - shapes are considered only if their user properties are the same. No properties are generated on the output shapes. """ - @classmethod - def new(cls) -> DeviceAbstract: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> DeviceAbstract: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> DeviceAbstract: - r""" - @brief Creates a copy of self - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + Euclidian: ClassVar[Metrics] + r""" + @brief Specifies Euclidian metrics for the check functions + This value can be used for the metrics parameter in the check functions, i.e. \width_check. This value specifies Euclidian metrics, i.e. the distance between two points is measured by: - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @code + d = sqrt(dx^2 + dy^2) + @/code - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: DeviceAbstract) -> None: - r""" - @brief Assigns another object to self - """ - def cell_index(self) -> int: - r""" - @brief Gets the cell index of the device abstract. - This is the cell that represents the device. - """ - def cluster_id_for_terminal(self, terminal_id: int) -> int: - r""" - @brief Gets the cluster ID for the given terminal. - The cluster ID links the terminal to geometrical shapes within the clusters of the cell (see \cell_index) - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def device_class(self) -> DeviceClass: - r""" - @brief Gets the device class of the device. - """ - def dup(self) -> DeviceAbstract: - r""" - @brief Creates a copy of self - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - @overload - def netlist(self) -> Netlist: - r""" - @brief Gets the netlist the device abstract lives in (non-const version). + All points within a circle with radius d around one point are considered to have a smaller distance than d. + """ + FourSidesAllowed: ClassVar[Region.RectFilter] + r""" + @brief Allow errors when on all sides + """ + IgnoreProperties: ClassVar[PropertyConstraint] + r""" + @brief Specifies to ignore properties + When using this constraint - for example on a boolean operation - properties are ignored and are not generated in the output. + """ + NoOppositeFilter: ClassVar[Region.OppositeFilter] + r""" + @brief No opposite filtering + """ + NoPropertyConstraint: ClassVar[PropertyConstraint] + r""" + @brief Specifies not to apply any property constraint + When using this constraint - for example on a boolean operation - shapes are considered regardless of their user properties. Properties are generated on the output shapes where applicable. + """ + NoRectFilter: ClassVar[Region.RectFilter] + r""" + @brief Specifies no filtering + """ + NotOpposite: ClassVar[Region.OppositeFilter] + r""" + @brief Only errors NOT appearing on opposite sides of a figure will be reported + """ + OneSideAllowed: ClassVar[Region.RectFilter] + r""" + @brief Allow errors on one side + """ + OnlyOpposite: ClassVar[Region.OppositeFilter] + r""" + @brief Only errors appearing on opposite sides of a figure will be reported + """ + Projection: ClassVar[Metrics] + r""" + @brief Specifies projected distance metrics for the check functions + This value can be used for the metrics parameter in the check functions, i.e. \width_check. This value specifies projected metrics, i.e. the distance is defined as the minimum distance measured perpendicular to one edge. That implies that the distance is defined only where two edges have a non-vanishing projection onto each other. + """ + SamePropertiesConstraint: ClassVar[PropertyConstraint] + r""" + @brief Specifies to consider shapes only if their user properties are the same + When using this constraint - for example on a boolean operation - shapes are considered only if their user properties are the same. Properties are generated on the output shapes where applicable. + """ + SamePropertiesConstraintDrop: ClassVar[PropertyConstraint] + r""" + @brief Specifies to consider shapes only if their user properties are the same + When using this constraint - for example on a boolean operation - shapes are considered only if their user properties are the same. No properties are generated on the output shapes. + """ + Square: ClassVar[Metrics] + r""" + @brief Specifies square metrics for the check functions + This value can be used for the metrics parameter in the check functions, i.e. \width_check. This value specifies square metrics, i.e. the distance between two points is measured by: - This constness variant has been introduced in version 0.26.8 - """ - @overload - def netlist(self) -> Netlist: - r""" - @brief Gets the netlist the device abstract lives in. - """ + @code + d = max(abs(dx), abs(dy)) + @/code -class SubCircuit(NetlistObject): + All points within a square with length 2*d around one point are considered to have a smaller distance than d in this metrics. + """ + ThreeSidesAllowed: ClassVar[Region.RectFilter] r""" - @brief A subcircuit inside a circuit. - Circuits may instantiate other circuits as subcircuits similar to cells in layouts. Such an instance is a subcircuit. A subcircuit refers to a circuit implementation (a \Circuit object), and presents connections through pins. The pins of a subcircuit can be connected to nets. The subcircuit pins are identical to the outgoing pins of the circuit the subcircuit refers to. + @brief Allow errors when on three sides + """ + TwoConnectedSidesAllowed: ClassVar[Region.RectFilter] + r""" + @brief Allow errors on two sides ("L" configuration) + """ + TwoOppositeSidesAllowed: ClassVar[Region.RectFilter] + r""" + @brief Allow errors on two opposite sides + """ + TwoSidesAllowed: ClassVar[Region.RectFilter] + r""" + @brief Allow errors on two sides (not specified which) + """ + base_verbosity: int + r""" + Getter: + @brief Gets the minimum verbosity for timing reports + See \base_verbosity= for details. - Subcircuits connect to nets through the \SubCircuit#connect_pin method. SubCircuit pins can be disconnected using \SubCircuit#disconnect_pin. + This method has been introduced in version 0.26. - Subcircuit objects are created inside a circuit with \Circuit#create_subcircuit. + Setter: + @brief Sets the minimum verbosity for timing reports + Timing reports will be given only if the verbosity is larger than this value. Detailed reports will be given when the verbosity is more than this value plus 10. + In binary operations, the base verbosity of the first argument is considered. - This class has been added in version 0.26. + This method has been introduced in version 0.26. """ - name: str + merged_semantics: bool r""" Getter: - @brief Gets the name of the subcircuit. + @brief Gets a flag indicating whether merged semantics is enabled + See \merged_semantics= for a description of this attribute. Setter: - @brief Sets the name of the subcircuit. - SubCircuit names are used to name a subcircuits inside a netlist file. SubCircuit names should be unique within a circuit. + @brief Enables or disables merged semantics + If merged semantics is enabled (the default), coherent polygons will be considered + as single regions and artificial edges such as cut-lines will not be considered. + Merged semantics thus is equivalent to considering coherent areas rather than + single polygons """ - trans: DCplxTrans + min_coherence: bool r""" Getter: - @brief Gets the physical transformation for the subcircuit. + @brief Gets a flag indicating whether minimum coherence is selected + See \min_coherence= for a description of this attribute. - This property applies to subcircuits derived from a layout. It specifies the placement of the respective cell. + Setter: + @brief Enable or disable minimum coherence + If minimum coherence is set, the merge operations (explicit merge with \merge or + implicit merge through merged_semantics) are performed using minimum coherence mode. + The coherence mode determines how kissing-corner situations are resolved. If + minimum coherence is selected, they are resolved such that multiple polygons are + created which touch at a corner). - This property has been introduced in version 0.27. + The default setting is maximum coherence (min_coherence = false). + """ + strict_handling: bool + r""" + Getter: + @brief Gets a flag indicating whether merged semantics is enabled + See \strict_handling= for a description of this attribute. + + This method has been introduced in version 0.23.2. Setter: - @brief Sets the physical transformation for the subcircuit. + @brief Enables or disables strict handling - See \trans for details about this property. + Strict handling means to leave away some optimizations. Specifically the + output of boolean operations will be merged even if one input is empty. + Without strict handling, the operation will be optimized and output + won't be merged. - This property has been introduced in version 0.27. + Strict handling is disabled by default and optimization is in place. + + This method has been introduced in version 0.23.2. """ - def _assign(self, other: NetlistObject) -> None: - r""" - @brief Assigns another object to self - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: + @overload + @classmethod + def new(cls) -> Region: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Default constructor + + This constructor creates an empty region. """ - def _dup(self) -> SubCircuit: + @overload + @classmethod + def new(cls, array: Sequence[Polygon]) -> Region: r""" - @brief Creates a copy of self + @brief Constructor from a polygon array + + This constructor creates a region from an array of polygons. """ - def _is_const_object(self) -> bool: + @overload + @classmethod + def new(cls, box: Box) -> Region: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Box constructor + + This constructor creates a region from a box. """ - def _manage(self) -> None: + @overload + @classmethod + def new(cls, path: Path) -> Region: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Path constructor - Usually it's not required to call this method. It has been introduced in version 0.24. + This constructor creates a region from a path. """ - def _unmanage(self) -> None: + @overload + @classmethod + def new(cls, polygon: Polygon) -> Region: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Polygon constructor - Usually it's not required to call this method. It has been introduced in version 0.24. + This constructor creates a region from a polygon. """ @overload - def circuit(self) -> Circuit: + @classmethod + def new(cls, polygon: SimplePolygon) -> Region: r""" - @brief Gets the circuit the subcircuit lives in. - This is NOT the circuit which is referenced. For getting the circuit that the subcircuit references, use \circuit_ref. + @brief Simple polygon constructor + + This constructor creates a region from a simple polygon. """ @overload - def circuit(self) -> Circuit: + @classmethod + def new(cls, shape_iterator: RecursiveShapeIterator) -> Region: r""" - @brief Gets the circuit the subcircuit lives in (non-const version). - This is NOT the circuit which is referenced. For getting the circuit that the subcircuit references, use \circuit_ref. + @brief Constructor from a hierarchical shape set - This constness variant has been introduced in version 0.26.8 + This constructor creates a region from the shapes delivered by the given recursive shape iterator. + Text objects and edges are not inserted, because they cannot be converted to polygons. + This method allows feeding the shapes from a hierarchy of cells into the region. + + @code + layout = ... # a layout + cell = ... # the index of the initial cell + layer = ... # the index of the layer from where to take the shapes from + r = RBA::Region::new(layout.begin_shapes(cell, layer)) + @/code """ @overload - def circuit_ref(self) -> Circuit: + @classmethod + def new(cls, shape_iterator: RecursiveShapeIterator, deep_shape_store: DeepShapeStore, area_ratio: Optional[float] = ..., max_vertex_count: Optional[int] = ...) -> Region: r""" - @brief Gets the circuit referenced by the subcircuit. + @brief Constructor for a deep region from a hierarchical shape set + + This constructor creates a hierarchical region. Use a \DeepShapeStore object to supply the hierarchical heap. See \DeepShapeStore for more details. + + 'area_ratio' and 'max_vertex' supply two optimization parameters which control how big polygons are split to reduce the region's polygon complexity. + + @param shape_iterator The recursive shape iterator which delivers the hierarchy to take + @param deep_shape_store The hierarchical heap (see there) + @param area_ratio The maximum ratio of bounding box to polygon area before polygons are split + + This method has been introduced in version 0.26. """ @overload - def circuit_ref(self) -> Circuit: + @classmethod + def new(cls, shape_iterator: RecursiveShapeIterator, deep_shape_store: DeepShapeStore, trans: ICplxTrans, area_ratio: Optional[float] = ..., max_vertex_count: Optional[int] = ...) -> Region: r""" - @brief Gets the circuit referenced by the subcircuit (non-const version). + @brief Constructor for a deep region from a hierarchical shape set + This constructor creates a hierarchical region. Use a \DeepShapeStore object to supply the hierarchical heap. See \DeepShapeStore for more details. - This constness variant has been introduced in version 0.26.8 + 'area_ratio' and 'max_vertex' supply two optimization parameters which control how big polygons are split to reduce the region's polygon complexity. + + The transformation is useful to scale to a specific database unit for example. + + @param shape_iterator The recursive shape iterator which delivers the hierarchy to take + @param deep_shape_store The hierarchical heap (see there) + @param area_ratio The maximum ratio of bounding box to polygon area before polygons are split + @param trans The transformation to apply when storing the layout data + + This method has been introduced in version 0.26. """ @overload - def connect_pin(self, pin: Pin, net: Net) -> None: + @classmethod + def new(cls, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, expr: str, as_pattern: Optional[bool] = ..., enl: Optional[int] = ...) -> Region: r""" - @brief Connects the given pin to the specified net. - This version takes a \Pin reference instead of a pin ID. + @brief Constructor from a text set + + @param shape_iterator The iterator from which to derive the texts + @param dss The \DeepShapeStore object that acts as a heap for hierarchical operations. + @param expr The selection string + @param as_pattern If true, the selection string is treated as a glob pattern. Otherwise the match is exact. + @param enl The per-side enlargement of the box to mark the text (1 gives a 2x2 DBU box) + This special constructor will create a deep region from the text objects delivered by the shape iterator. Each text object will give a small (non-empty) box that represents the text origin. + Texts can be selected by their strings - either through a glob pattern or by exact comparison with the given string. The following options are available: + + @code + region = RBA::Region::new(iter, dss, "*") # all texts + region = RBA::Region::new(iter, dss, "A*") # all texts starting with an 'A' + region = RBA::Region::new(iter, dss, "A*", false) # all texts exactly matching 'A*' + @/code + + This variant has been introduced in version 0.26. """ @overload - def connect_pin(self, pin_id: int, net: Net) -> None: + @classmethod + def new(cls, shape_iterator: RecursiveShapeIterator, expr: str, as_pattern: Optional[bool] = ..., enl: Optional[int] = ...) -> Region: r""" - @brief Connects the given pin to the specified net. + @brief Constructor from a text set + + @param shape_iterator The iterator from which to derive the texts + @param expr The selection string + @param as_pattern If true, the selection string is treated as a glob pattern. Otherwise the match is exact. + @param enl The per-side enlargement of the box to mark the text (1 gives a 2x2 DBU box) + This special constructor will create a region from the text objects delivered by the shape iterator. Each text object will give a small (non-empty) box that represents the text origin. + Texts can be selected by their strings - either through a glob pattern or by exact comparison with the given string. The following options are available: + + @code + region = RBA::Region::new(iter, "*") # all texts + region = RBA::Region::new(iter, "A*") # all texts starting with an 'A' + region = RBA::Region::new(iter, "A*", false) # all texts exactly matching 'A*' + @/code + + This method has been introduced in version 0.25. The enlargement parameter has been added in version 0.26. """ @overload - def disconnect_pin(self, pin: Pin) -> None: + @classmethod + def new(cls, shape_iterator: RecursiveShapeIterator, trans: ICplxTrans) -> Region: r""" - @brief Disconnects the given pin from any net. - This version takes a \Pin reference instead of a pin ID. + @brief Constructor from a hierarchical shape set with a transformation + + This constructor creates a region from the shapes delivered by the given recursive shape iterator. + Text objects and edges are not inserted, because they cannot be converted to polygons. + On the delivered shapes it applies the given transformation. + This method allows feeding the shapes from a hierarchy of cells into the region. + The transformation is useful to scale to a specific database unit for example. + + @code + layout = ... # a layout + cell = ... # the index of the initial cell + layer = ... # the index of the layer from where to take the shapes from + dbu = 0.1 # the target database unit + r = RBA::Region::new(layout.begin_shapes(cell, layer), RBA::ICplxTrans::new(layout.dbu / dbu)) + @/code """ @overload - def disconnect_pin(self, pin_id: int) -> None: + @classmethod + def new(cls, shapes: Shapes) -> Region: r""" - @brief Disconnects the given pin from any net. + @brief Shapes constructor + + This constructor creates a region from a \Shapes collection. + + This constructor has been introduced in version 0.25. """ - def expanded_name(self) -> str: + def __add__(self, other: Region) -> Region: r""" - @brief Gets the expanded name of the subcircuit. - The expanded name takes the name of the subcircuit. If the name is empty, the numeric ID will be used to build a name. - """ - def id(self) -> int: - r""" - @brief Gets the subcircuit ID. - The ID is a unique integer which identifies the subcircuit. - It can be used to retrieve the subcircuit from the circuit using \Circuit#subcircuit_by_id. - When assigned, the subcircuit ID is not 0. - """ - @overload - def net_for_pin(self, pin_id: int) -> Net: - r""" - @brief Gets the net connected to the specified pin of the subcircuit (non-const version). - If the pin is not connected, nil is returned for the net. + @brief Returns the combined region of self and the other region - This constness variant has been introduced in version 0.26.8 + @return The resulting region + + This operator adds the polygons of the other region to self and returns a new combined region. This usually creates unmerged regions and polygons may overlap. Use \merge if you want to ensure the result region is merged. """ - @overload - def net_for_pin(self, pin_id: int) -> Net: + def __and__(self, other: Region) -> Region: r""" - @brief Gets the net connected to the specified pin of the subcircuit. - If the pin is not connected, nil is returned for the net. - """ + @brief Returns the boolean AND between self and the other region -class NetTerminalRef: - r""" - @brief A connection to a terminal of a device. - This object is used inside a net (see \Net) to describe the connections a net makes. + @return The result of the boolean AND operation - This class has been added in version 0.26. - """ - @classmethod - def new(cls) -> NetTerminalRef: - r""" - @brief Creates a new object of this class + This method will compute the boolean AND (intersection) between two regions. The result is often but not necessarily always merged. """ - def __copy__(self) -> NetTerminalRef: + def __copy__(self) -> Region: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> NetTerminalRef: + def __deepcopy__(self) -> Region: r""" @brief Creates a copy of self """ - def __init__(self) -> None: + def __getitem__(self, n: int) -> Polygon: r""" - @brief Creates a new object of this class + @brief Returns the nth polygon of the region + + This method returns nil if the index is out of range. It is available for flat regions only - i.e. those for which \has_valid_polygons? is true. Use \flatten to explicitly flatten a region. + This method returns the raw polygon (not merged polygons, even if merged semantics is enabled). + + The \each iterator is the more general approach to access the polygons. """ - def _create(self) -> None: + def __iadd__(self, other: Region) -> Region: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Adds the polygons of the other region to self + + @return The region after modification (self) + + This operator adds the polygons of the other region to self. This usually creates unmerged regions and polygons may overlap. Use \merge if you want to ensure the result region is merged. """ - def _destroy(self) -> None: + def __iand__(self, other: Region) -> Region: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Performs the boolean AND between self and the other region + + @return The region after modification (self) + + This method will compute the boolean AND (intersection) between two regions. The result is often but not necessarily always merged. """ - def _destroyed(self) -> bool: + @overload + def __init__(self) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Default constructor + + This constructor creates an empty region. """ - def _is_const_object(self) -> bool: + @overload + def __init__(self, array: Sequence[Polygon]) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Constructor from a polygon array + + This constructor creates a region from an array of polygons. """ - def _manage(self) -> None: + @overload + def __init__(self, box: Box) -> None: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Box constructor - Usually it's not required to call this method. It has been introduced in version 0.24. + This constructor creates a region from a box. """ - def _unmanage(self) -> None: + @overload + def __init__(self, path: Path) -> None: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Path constructor - Usually it's not required to call this method. It has been introduced in version 0.24. + This constructor creates a region from a path. """ - def assign(self, other: NetTerminalRef) -> None: + @overload + def __init__(self, polygon: Polygon) -> None: r""" - @brief Assigns another object to self + @brief Polygon constructor + + This constructor creates a region from a polygon. """ - def create(self) -> None: + @overload + def __init__(self, polygon: SimplePolygon) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Simple polygon constructor + + This constructor creates a region from a simple polygon. """ - def destroy(self) -> None: + @overload + def __init__(self, shape_iterator: RecursiveShapeIterator) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Constructor from a hierarchical shape set + + This constructor creates a region from the shapes delivered by the given recursive shape iterator. + Text objects and edges are not inserted, because they cannot be converted to polygons. + This method allows feeding the shapes from a hierarchy of cells into the region. + + @code + layout = ... # a layout + cell = ... # the index of the initial cell + layer = ... # the index of the layer from where to take the shapes from + r = RBA::Region::new(layout.begin_shapes(cell, layer)) + @/code """ - def destroyed(self) -> bool: + @overload + def __init__(self, shape_iterator: RecursiveShapeIterator, deep_shape_store: DeepShapeStore, area_ratio: Optional[float] = ..., max_vertex_count: Optional[int] = ...) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Constructor for a deep region from a hierarchical shape set + + This constructor creates a hierarchical region. Use a \DeepShapeStore object to supply the hierarchical heap. See \DeepShapeStore for more details. + + 'area_ratio' and 'max_vertex' supply two optimization parameters which control how big polygons are split to reduce the region's polygon complexity. + + @param shape_iterator The recursive shape iterator which delivers the hierarchy to take + @param deep_shape_store The hierarchical heap (see there) + @param area_ratio The maximum ratio of bounding box to polygon area before polygons are split + + This method has been introduced in version 0.26. """ @overload - def device(self) -> Device: + def __init__(self, shape_iterator: RecursiveShapeIterator, deep_shape_store: DeepShapeStore, trans: ICplxTrans, area_ratio: Optional[float] = ..., max_vertex_count: Optional[int] = ...) -> None: r""" - @brief Gets the device reference. - Gets the device object that this connection is made to. + @brief Constructor for a deep region from a hierarchical shape set + + This constructor creates a hierarchical region. Use a \DeepShapeStore object to supply the hierarchical heap. See \DeepShapeStore for more details. + + 'area_ratio' and 'max_vertex' supply two optimization parameters which control how big polygons are split to reduce the region's polygon complexity. + + The transformation is useful to scale to a specific database unit for example. + + @param shape_iterator The recursive shape iterator which delivers the hierarchy to take + @param deep_shape_store The hierarchical heap (see there) + @param area_ratio The maximum ratio of bounding box to polygon area before polygons are split + @param trans The transformation to apply when storing the layout data + + This method has been introduced in version 0.26. """ @overload - def device(self) -> Device: + def __init__(self, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, expr: str, as_pattern: Optional[bool] = ..., enl: Optional[int] = ...) -> None: r""" - @brief Gets the device reference (non-const version). - Gets the device object that this connection is made to. + @brief Constructor from a text set - This constness variant has been introduced in version 0.26.8 + @param shape_iterator The iterator from which to derive the texts + @param dss The \DeepShapeStore object that acts as a heap for hierarchical operations. + @param expr The selection string + @param as_pattern If true, the selection string is treated as a glob pattern. Otherwise the match is exact. + @param enl The per-side enlargement of the box to mark the text (1 gives a 2x2 DBU box) + This special constructor will create a deep region from the text objects delivered by the shape iterator. Each text object will give a small (non-empty) box that represents the text origin. + Texts can be selected by their strings - either through a glob pattern or by exact comparison with the given string. The following options are available: + + @code + region = RBA::Region::new(iter, dss, "*") # all texts + region = RBA::Region::new(iter, dss, "A*") # all texts starting with an 'A' + region = RBA::Region::new(iter, dss, "A*", false) # all texts exactly matching 'A*' + @/code + + This variant has been introduced in version 0.26. """ - def device_class(self) -> DeviceClass: + @overload + def __init__(self, shape_iterator: RecursiveShapeIterator, expr: str, as_pattern: Optional[bool] = ..., enl: Optional[int] = ...) -> None: r""" - @brief Gets the class of the device which is addressed. + @brief Constructor from a text set + + @param shape_iterator The iterator from which to derive the texts + @param expr The selection string + @param as_pattern If true, the selection string is treated as a glob pattern. Otherwise the match is exact. + @param enl The per-side enlargement of the box to mark the text (1 gives a 2x2 DBU box) + This special constructor will create a region from the text objects delivered by the shape iterator. Each text object will give a small (non-empty) box that represents the text origin. + Texts can be selected by their strings - either through a glob pattern or by exact comparison with the given string. The following options are available: + + @code + region = RBA::Region::new(iter, "*") # all texts + region = RBA::Region::new(iter, "A*") # all texts starting with an 'A' + region = RBA::Region::new(iter, "A*", false) # all texts exactly matching 'A*' + @/code + + This method has been introduced in version 0.25. The enlargement parameter has been added in version 0.26. """ - def dup(self) -> NetTerminalRef: + @overload + def __init__(self, shape_iterator: RecursiveShapeIterator, trans: ICplxTrans) -> None: r""" - @brief Creates a copy of self + @brief Constructor from a hierarchical shape set with a transformation + + This constructor creates a region from the shapes delivered by the given recursive shape iterator. + Text objects and edges are not inserted, because they cannot be converted to polygons. + On the delivered shapes it applies the given transformation. + This method allows feeding the shapes from a hierarchy of cells into the region. + The transformation is useful to scale to a specific database unit for example. + + @code + layout = ... # a layout + cell = ... # the index of the initial cell + layer = ... # the index of the layer from where to take the shapes from + dbu = 0.1 # the target database unit + r = RBA::Region::new(layout.begin_shapes(cell, layer), RBA::ICplxTrans::new(layout.dbu / dbu)) + @/code """ - def is_const_object(self) -> bool: + @overload + def __init__(self, shapes: Shapes) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Shapes constructor + + This constructor creates a region from a \Shapes collection. + + This constructor has been introduced in version 0.25. """ - @overload - def net(self) -> Net: + def __ior__(self, other: Region) -> Region: r""" - @brief Gets the net this terminal reference is attached to (non-const version). + @brief Performs the boolean OR between self and the other region - This constness variant has been introduced in version 0.26.8 + @return The region after modification (self) + + The boolean OR is implemented by merging the polygons of both regions. To simply join the regions without merging, the + operator is more efficient. """ - @overload - def net(self) -> Net: + def __isub__(self, other: Region) -> Region: r""" - @brief Gets the net this terminal reference is attached to. + @brief Performs the boolean NOT between self and the other region + + @return The region after modification (self) + + This method will compute the boolean NOT (intersection) between two regions. The result is often but not necessarily always merged. """ - def terminal_def(self) -> DeviceTerminalDefinition: + def __iter__(self) -> Iterator[Polygon]: r""" - @brief Gets the terminal definition of the terminal that is connected + @brief Returns each polygon of the region + + This returns the raw polygons (not merged polygons if merged semantics is enabled). """ - def terminal_id(self) -> int: + def __ixor__(self, other: Region) -> Region: r""" - @brief Gets the ID of the terminal of the device the connection is made to. + @brief Performs the boolean XOR between self and the other region + + @return The region after modification (self) + + This method will compute the boolean XOR (intersection) between two regions. The result is often but not necessarily always merged. """ + def __len__(self) -> int: + r""" + @brief Returns the (flat) number of polygons in the region -class NetPinRef: - r""" - @brief A connection to an outgoing pin of the circuit. - This object is used inside a net (see \Net) to describe the connections a net makes. + This returns the number of raw polygons (not merged polygons if merged semantics is enabled). + The count is computed 'as if flat', i.e. polygons inside a cell are multiplied by the number of times a cell is instantiated. - This class has been added in version 0.26. - """ - @classmethod - def new(cls) -> NetPinRef: + The 'count' alias has been provided in version 0.26 to avoid ambiguity with the 'size' method which applies a geometrical bias. + """ + def __or__(self, other: Region) -> Region: r""" - @brief Creates a new object of this class + @brief Returns the boolean OR between self and the other region + + @return The resulting region + + The boolean OR is implemented by merging the polygons of both regions. To simply join the regions without merging, the + operator is more efficient. """ - def __copy__(self) -> NetPinRef: + def __str__(self) -> str: r""" - @brief Creates a copy of self + @brief Converts the region to a string + The length of the output is limited to 20 polygons to avoid giant strings on large regions. For full output use "to_s" with a maximum count parameter. """ - def __deepcopy__(self) -> NetPinRef: + def __sub__(self, other: Region) -> Region: r""" - @brief Creates a copy of self + @brief Returns the boolean NOT between self and the other region + + @return The result of the boolean NOT operation + + This method will compute the boolean NOT (intersection) between two regions. The result is often but not necessarily always merged. """ - def __init__(self) -> None: + def __xor__(self, other: Region) -> Region: r""" - @brief Creates a new object of this class + @brief Returns the boolean XOR between self and the other region + + @return The result of the boolean XOR operation + + This method will compute the boolean XOR (intersection) between two regions. The result is often but not necessarily always merged. """ def _create(self) -> None: r""" @@ -41927,2086 +40948,2732 @@ class NetPinRef: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: NetPinRef) -> None: + def and_(self, other: Region, property_constraint: Optional[PropertyConstraint] = ...) -> Region: r""" - @brief Assigns another object to self + @brief Returns the boolean AND between self and the other region + + @return The result of the boolean AND operation + + This method will compute the boolean AND (intersection) between two regions. The result is often but not necessarily always merged. + It allows specification of a property constaint - e.g. only performing the boolean operation between shapes with the same user properties. + + This variant has been introduced in version 0.28.4. """ - def create(self) -> None: + def and_with(self, other: Region, property_constraint: Optional[PropertyConstraint] = ...) -> Region: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Performs the boolean AND between self and the other region + + @return The region after modification (self) + + This method will compute the boolean AND (intersection) between two regions. The result is often but not necessarily always merged. + It allows specification of a property constaint - e.g. only performing the boolean operation between shapes with the same user properties. + + This variant has been introduced in version 0.28.4. """ - def destroy(self) -> None: + def andnot(self, other: Region, property_constraint: Optional[PropertyConstraint] = ...) -> List[Region]: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Returns the boolean AND and NOT between self and the other region + + @return A two-element array of regions with the first one being the AND result and the second one being the NOT result + + This method will compute the boolean AND and NOT between two regions simultaneously. Because this requires a single sweep only, using this method is faster than doing AND and NOT separately. + + This method has been added in version 0.27. """ - def destroyed(self) -> bool: + @overload + def area(self) -> int: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief The area of the region + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + If merged semantics is not enabled, overlapping areas are counted twice. """ - def dup(self) -> NetPinRef: + @overload + def area(self, rect: Box) -> int: r""" - @brief Creates a copy of self + @brief The area of the region (restricted to a rectangle) + This version will compute the area of the shapes, restricting the computation to the given rectangle. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + If merged semantics is not enabled, overlapping areas are counted twice. """ - def is_const_object(self) -> bool: + def assign(self, other: ShapeCollection) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Assigns another object to self """ - @overload - def net(self) -> Net: + def bbox(self) -> Box: r""" - @brief Gets the net this pin reference is attached to. + @brief Return the bounding box of the region + The bounding box is the box enclosing all points of all polygons. """ - @overload - def net(self) -> Net: + def break_(self, max_vertex_count: int, max_area_ratio: Optional[float] = ...) -> None: r""" - @brief Gets the net this pin reference is attached to (non-const version). + @brief Breaks the polygons of the region into smaller ones - This constness variant has been introduced in version 0.26.8 + There are two criteria for splitting a polygon: a polygon is split into parts with less then 'max_vertex_count' points and an bounding box-to-polygon area ratio less than 'max_area_ratio'. The area ratio is supposed to render polygons whose bounding box is a better approximation. This applies for example to 'L' shape polygons. + + Using a value of 0 for either limit means that the respective limit isn't checked. Breaking happens by cutting the polygons into parts at 'good' locations. The algorithm does not have a specific goal to minimize the number of parts for example. The only goal is to achieve parts within the given limits. + + This method has been introduced in version 0.26. """ - def pin(self) -> Pin: + def clear(self) -> None: r""" - @brief Gets the \Pin object of the pin the connection is made to. + @brief Clears the region """ - def pin_id(self) -> int: + def complex_op(self, node: CompoundRegionOperationNode, property_constraint: Optional[PropertyConstraint] = ...) -> Any: r""" - @brief Gets the ID of the pin the connection is made to. + @brief Executes a complex operation (see \CompoundRegionOperationNode for details) + + This method has been introduced in version 0.27. + The 'property_constraint' parameter controls whether properties are considered: with 'SamePropertiesConstraint' the operation is only applied between shapes with identical properties. With 'DifferentPropertiesConstraint' only between shapes with different properties. This option has been introduced in version 0.28.4. """ + def corners(self, angle_min: Optional[float] = ..., angle_max: Optional[float] = ..., dim: Optional[int] = ..., include_min_angle: Optional[bool] = ..., include_max_angle: Optional[bool] = ...) -> Region: + r""" + @brief This method will select all corners whose attached edges satisfy the angle condition. -class NetSubcircuitPinRef: - r""" - @brief A connection to a pin of a subcircuit. - This object is used inside a net (see \Net) to describe the connections a net makes. + The angle values specify a range of angles: all corners whose attached edges form an angle between angle_min and angle_max will be reported boxes with 2*dim x 2*dim dimension. The default dimension is 2x2 DBU. - This class has been added in version 0.26. - """ - @classmethod - def new(cls) -> NetSubcircuitPinRef: + If 'include_angle_min' is true, the angle condition is >= min. angle, otherwise it is > min. angle. Same for 'include_angle_,ax' and the max. angle. + + The angle is measured between the incoming and the outcoming edge in mathematical sense: a positive value is a turn left while a negative value is a turn right. Since polygon contours are oriented clockwise, positive angles will report concave corners while negative ones report convex ones. + + A similar function that reports corners as point-like edges is \corners_dots. + + This method has been introduced in version 0.25. 'include_min_angle' and 'include_max_angle' have been added in version 0.27. + """ + def corners_dots(self, angle_start: Optional[float] = ..., angle_end: Optional[float] = ..., include_min_angle: Optional[bool] = ..., include_max_angle: Optional[bool] = ...) -> Edges: r""" - @brief Creates a new object of this class + @brief This method will select all corners whose attached edges satisfy the angle condition. + + This method is similar to \corners, but delivers an \Edges collection with dot-like edges for each corner. + + This method has been introduced in version 0.25. 'include_min_angle' and 'include_max_angle' have been added in version 0.27. """ - def __copy__(self) -> NetSubcircuitPinRef: + def corners_edge_pairs(self, angle_start: Optional[float] = ..., angle_end: Optional[float] = ..., include_min_angle: Optional[bool] = ..., include_max_angle: Optional[bool] = ...) -> EdgePairs: r""" - @brief Creates a copy of self + @brief This method will select all corners whose attached edges satisfy the angle condition. + + This method is similar to \corners, but delivers an \EdgePairs collection with an edge pairs for each corner. + The first edge is the incoming edge of the corner, the second one the outgoing edge. + + This method has been introduced in version 0.27.1. """ - def __deepcopy__(self) -> NetSubcircuitPinRef: + def count(self) -> int: r""" - @brief Creates a copy of self + @brief Returns the (flat) number of polygons in the region + + This returns the number of raw polygons (not merged polygons if merged semantics is enabled). + The count is computed 'as if flat', i.e. polygons inside a cell are multiplied by the number of times a cell is instantiated. + + The 'count' alias has been provided in version 0.26 to avoid ambiguity with the 'size' method which applies a geometrical bias. """ - def __init__(self) -> None: + def covering(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: r""" - @brief Creates a new object of this class + @brief Returns the polygons of this region which are completely covering polygons from the other region + + @return A new region containing the polygons which are covering polygons from the other region + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This attribute is sometimes called 'enclosing' instead of 'covering', but this term is reserved for the respective DRC function. + + This method has been introduced in version 0.27. """ - def _create(self) -> None: + def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def _destroy(self) -> None: + def data_id(self) -> int: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Returns the data ID (a unique identifier for the underlying data storage) + + This method has been added in version 0.26. """ - def _destroyed(self) -> bool: + def decompose_convex(self, preferred_orientation: Optional[int] = ...) -> Shapes: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Decomposes the region into convex pieces. + + This method will return a \Shapes container that holds a decomposition of the region into convex, simple polygons. + See \Polygon#decompose_convex for details. If you want \Region output, you should use \decompose_convex_to_region. + + This method has been introduced in version 0.25. """ - def _is_const_object(self) -> bool: + def decompose_convex_to_region(self, preferred_orientation: Optional[int] = ...) -> Region: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Decomposes the region into convex pieces into a region. + + This method is identical to \decompose_convex, but delivers a \Region object. + + This method has been introduced in version 0.25. """ - def _manage(self) -> None: + def decompose_trapezoids(self, mode: Optional[int] = ...) -> Shapes: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Decomposes the region into trapezoids. - Usually it's not required to call this method. It has been introduced in version 0.24. + This method will return a \Shapes container that holds a decomposition of the region into trapezoids. + See \Polygon#decompose_trapezoids for details. If you want \Region output, you should use \decompose_trapezoids_to_region. + + This method has been introduced in version 0.25. """ - def _unmanage(self) -> None: + def decompose_trapezoids_to_region(self, mode: Optional[int] = ...) -> Region: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Decomposes the region into trapezoids. - Usually it's not required to call this method. It has been introduced in version 0.24. + This method is identical to \decompose_trapezoids, but delivers a \Region object. + + This method has been introduced in version 0.25. """ - def assign(self, other: NetSubcircuitPinRef) -> None: + def destroy(self) -> None: r""" - @brief Assigns another object to self + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: + def destroyed(self) -> bool: r""" @brief Returns a value indicating whether the object was already destroyed This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> NetSubcircuitPinRef: + def disable_progress(self) -> None: r""" - @brief Creates a copy of self + @brief Disable progress reporting + Calling this method will disable progress reporting. See \enable_progress. """ - def is_const_object(self) -> bool: + def dup(self) -> Region: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Creates a copy of self """ - @overload - def net(self) -> Net: + def each(self) -> Iterator[Polygon]: r""" - @brief Gets the net this pin reference is attached to. + @brief Returns each polygon of the region + + This returns the raw polygons (not merged polygons if merged semantics is enabled). """ - @overload - def net(self) -> Net: + def each_merged(self) -> Iterator[Polygon]: r""" - @brief Gets the net this pin reference is attached to (non-const version). + @brief Returns each merged polygon of the region - This constness variant has been introduced in version 0.26.8 + This returns the raw polygons if merged semantics is disabled or the merged ones if merged semantics is enabled. """ - def pin(self) -> Pin: + def edges(self) -> Edges: r""" - @brief Gets the \Pin object of the pin the connection is made to. + @brief Returns an edge collection representing all edges of the polygons in this region + This method will decompose the polygons into the individual edges. Edges making up the hulls of the polygons are oriented clockwise while edges making up the holes are oriented counterclockwise. + + The edge collection returned can be manipulated in various ways. See \Edges for a description of the possibilities of the edge collection. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ - def pin_id(self) -> int: + def enable_progress(self, label: str) -> None: r""" - @brief Gets the ID of the pin the connection is made to. + @brief Enable progress reporting + After calling this method, the region will report the progress through a progress bar while expensive operations are running. + The label is a text which is put in front of the progress bar. + Using a progress bar will imply a performance penalty of a few percent typically. """ - @overload - def subcircuit(self) -> SubCircuit: + def enable_properties(self) -> None: r""" - @brief Gets the subcircuit reference. - This attribute indicates the subcircuit the net attaches to. The subcircuit lives in the same circuit than the net. + @brief Enables properties for the given container. + This method has an effect mainly on original layers and will import properties from such layers. By default, properties are not enabled on original layers. Alternatively you can apply \filter_properties or \map_properties to enable properties with a specific name key. + + This method has been introduced in version 0.28.4. """ - @overload - def subcircuit(self) -> SubCircuit: + def enclosed_check(self, other: Region, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ..., property_constraint: Optional[PropertyConstraint] = ...) -> EdgePairs: r""" - @brief Gets the subcircuit reference (non-const version). - This attribute indicates the subcircuit the net attaches to. The subcircuit lives in the same circuit than the net. + @brief Performs an inside check with options + @param d The minimum distance for which the polygons are checked + @param other The other region against which to check + @param whole_edges If true, deliver the whole edges + @param metrics Specify the metrics type + @param ignore_angle The angle above which no check is performed + @param min_projection The lower threshold of the projected length of one edge onto another + @param max_projection The upper limit of the projected length of one edge onto another + @param opposite_filter Specifies a filter mode for errors happening on opposite sides of inputs shapes + @param rect_filter Specifies an error filter for rectangular input shapes + @param negative Negative output from the first input + @param property_constraint Specifies whether to consider only shapes with a certain property relation - This constness variant has been introduced in version 0.26.8 - """ + If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. -class Net(NetlistObject): - r""" - @brief A single net. - A net connects multiple pins or terminals together. Pins are either pin or subcircuits of outgoing pins of the circuit the net lives in. Terminals are connections made to specific terminals of devices. + "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. - Net objects are created inside a circuit with \Circuit#create_net. + "ignore_angle" specifies the angle limit of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. + Use nil for this value to select the default. - To connect a net to an outgoing pin of a circuit, use \Circuit#connect_pin, to disconnect a net from an outgoing pin use \Circuit#disconnect_pin. To connect a net to a pin of a subcircuit, use \SubCircuit#connect_pin, to disconnect a net from a pin of a subcircuit, use \SubCircuit#disconnect_pin. To connect a net to a terminal of a device, use \Device#connect_terminal, to disconnect a net from a terminal of a device, use \Device#disconnect_terminal. + "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one limit, pass nil to the respective value. - This class has been added in version 0.26. - """ - cluster_id: int - r""" - Getter: - @brief Gets the cluster ID of the net. - See \cluster_id= for details about the cluster ID. - Setter: - @brief Sets the cluster ID of the net. - The cluster ID connects the net with a layout cluster. It is set when the net is extracted from a layout. - """ - name: str - r""" - Getter: - @brief Gets the name of the net. - See \name= for details about the name. - Setter: - @brief Sets the name of the net. - The name of the net is used for naming the net in schematic files for example. The name of the net has to be unique. - """ - def __str__(self) -> str: - r""" - @brief Gets the qualified name. - The qualified name is like the expanded name, but the circuit's name is preceded - (i.e. 'CIRCUIT:NET') if available. - """ - def _assign(self, other: NetlistObject) -> None: - r""" - @brief Assigns another object to self - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _dup(self) -> Net: - r""" - @brief Creates a copy of self - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + "shielded" controls whether shielding is applied. Shielding means that rule violations are not detected 'through' other features. Measurements are only made where the opposite edge is unobstructed. + Shielding often is not optional as a rule violation in shielded case automatically comes with rule violations between the original and the shielding features. If not necessary, shielding can be disabled by setting this flag to false. In general, this will improve performance somewhat. - Usually it's not required to call this method. It has been introduced in version 0.24. + "opposite_filter" specifies whether to require or reject errors happening on opposite sides of a figure. "rect_filter" allows suppressing specific error configurations on rectangular input figures. + + If "negative" is true, only edges from the first input are output as pseudo edge-pairs where the distance is larger or equal to the limit. This is a way to flag the parts of the first input where the distance to the second input is bigger. Note that only the first input's edges are output. The output is still edge pairs, but each edge pair contains one edge from the original input and the reverse version of the edge as the second edge. + + Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + + The 'shielded', 'negative', 'not_opposite' and 'rect_sides' options have been introduced in version 0.27. The interpretation of the 'negative' flag has been restriced to first-layout only output in 0.27.1. + The 'enclosed_check' alias was introduced in version 0.27.5. + 'property_constraint' has been added in version 0.28.4. """ - def _unmanage(self) -> None: + def enclosing_check(self, other: Region, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ..., property_constraint: Optional[PropertyConstraint] = ...) -> EdgePairs: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Performs an enclosing check with options + @param d The minimum enclosing distance for which the polygons are checked + @param other The other region against which to check + @param whole_edges If true, deliver the whole edges + @param metrics Specify the metrics type + @param ignore_angle The angle above which no check is performed + @param min_projection The lower threshold of the projected length of one edge onto another + @param max_projection The upper limit of the projected length of one edge onto another + @param opposite_filter Specifies a filter mode for errors happening on opposite sides of inputs shapes + @param rect_filter Specifies an error filter for rectangular input shapes + @param negative Negative output from the first input + @param property_constraint Specifies whether to consider only shapes with a certain property relation - Usually it's not required to call this method. It has been introduced in version 0.24. + If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. + + "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. + + "ignore_angle" specifies the angle limit of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. + Use nil for this value to select the default. + + "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one limit, pass nil to the respective value. + + "shielded" controls whether shielding is applied. Shielding means that rule violations are not detected 'through' other features. Measurements are only made where the opposite edge is unobstructed. + Shielding often is not optional as a rule violation in shielded case automatically comes with rule violations between the original and the shielding features. If not necessary, shielding can be disabled by setting this flag to false. In general, this will improve performance somewhat. + + "opposite_filter" specifies whether to require or reject errors happening on opposite sides of a figure. "rect_filter" allows suppressing specific error configurations on rectangular input figures. + + If "negative" is true, only edges from the first input are output as pseudo edge-pairs where the enclosure is larger or equal to the limit. This is a way to flag the parts of the first input where the enclosure vs. the second input is bigger. Note that only the first input's edges are output. The output is still edge pairs, but each edge pair contains one edge from the original input and the reverse version of the edge as the second edge. + + Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + + The 'shielded', 'negative', 'not_opposite' and 'rect_sides' options have been introduced in version 0.27. The interpretation of the 'negative' flag has been restriced to first-layout only output in 0.27.1. + 'property_constraint' has been added in version 0.28.4. """ - def circuit(self) -> Circuit: + def extent_refs(self, arg0: float, arg1: float, arg2: float, arg3: float, arg4: int, arg5: int) -> Region: r""" - @brief Gets the circuit the net lives in. + @hide + This method is provided for DRC implementation. """ - def clear(self) -> None: + def extent_refs_edges(self, arg0: float, arg1: float, arg2: float, arg3: float) -> Edges: r""" - @brief Clears the net. + @hide + This method is provided for DRC implementation. """ @overload - def each_pin(self) -> Iterator[NetPinRef]: + def extents(self) -> Region: r""" - @brief Iterates over all outgoing pins the net connects. - Pin connections are described by \NetPinRef objects. Pin connections are connections to outgoing pins of the circuit the net lives in. + @brief Returns a region with the bounding boxes of the polygons + This method will return a region consisting of the bounding boxes of the polygons. + The boxes will not be merged, so it is possible to determine overlaps of these boxes for example. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ @overload - def each_pin(self) -> Iterator[NetPinRef]: + def extents(self, d: int) -> Region: r""" - @brief Iterates over all outgoing pins the net connects (non-const version). - Pin connections are described by \NetPinRef objects. Pin connections are connections to outgoing pins of the circuit the net lives in. + @brief Returns a region with the enlarged bounding boxes of the polygons + This method will return a region consisting of the bounding boxes of the polygons enlarged by the given distance d. + The enlargement is specified per edge, i.e the width and height will be increased by 2*d. + The boxes will not be merged, so it is possible to determine overlaps of these boxes for example. - This constness variant has been introduced in version 0.26.8 + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ @overload - def each_subcircuit_pin(self) -> Iterator[NetSubcircuitPinRef]: + def extents(self, dx: int, dy: int) -> Region: r""" - @brief Iterates over all subcircuit pins the net connects. - Subcircuit pin connections are described by \NetSubcircuitPinRef objects. These are connections to specific pins of subcircuits. + @brief Returns a region with the enlarged bounding boxes of the polygons + This method will return a region consisting of the bounding boxes of the polygons enlarged by the given distance dx in x direction and dy in y direction. + The enlargement is specified per edge, i.e the width will be increased by 2*dx. + The boxes will not be merged, so it is possible to determine overlaps of these boxes for example. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ @overload - def each_subcircuit_pin(self) -> Iterator[NetSubcircuitPinRef]: + def fill(self, in_cell: Cell, fill_cell_index: int, fc_box: Box, origin: Optional[Point] = ..., remaining_parts: Optional[Region] = ..., fill_margin: Optional[Vector] = ..., remaining_polygons: Optional[Region] = ..., glue_box: Optional[Box] = ...) -> None: r""" - @brief Iterates over all subcircuit pins the net connects (non-const version). - Subcircuit pin connections are described by \NetSubcircuitPinRef objects. These are connections to specific pins of subcircuits. + @brief A mapping of \Cell#fill_region to the Region class - This constness variant has been introduced in version 0.26.8 + This method is equivalent to \Cell#fill_region, but is based on Region (with the cell being the first parameter). + + This method has been introduced in version 0.27. """ @overload - def each_terminal(self) -> Iterator[NetTerminalRef]: + def fill(self, in_cell: Cell, fill_cell_index: int, fc_origin: Box, row_step: Vector, column_step: Vector, origin: Optional[Point] = ..., remaining_parts: Optional[Region] = ..., fill_margin: Optional[Vector] = ..., remaining_polygons: Optional[Region] = ..., glue_box: Optional[Box] = ...) -> None: r""" - @brief Iterates over all terminals the net connects. - Terminals connect devices. Terminal connections are described by \NetTerminalRef objects. + @brief A mapping of \Cell#fill_region to the Region class + + This method is equivalent to \Cell#fill_region, but is based on Region (with the cell being the first parameter). + + This method has been introduced in version 0.27. """ - @overload - def each_terminal(self) -> Iterator[NetTerminalRef]: + def fill_multi(self, in_cell: Cell, fill_cell_index: int, fc_origin: Box, row_step: Vector, column_step: Vector, fill_margin: Optional[Vector] = ..., remaining_polygons: Optional[Region] = ..., glue_box: Optional[Box] = ...) -> None: r""" - @brief Iterates over all terminals the net connects (non-const version). - Terminals connect devices. Terminal connections are described by \NetTerminalRef objects. + @brief A mapping of \Cell#fill_region to the Region class - This constness variant has been introduced in version 0.26.8 + This method is equivalent to \Cell#fill_region, but is based on Region (with the cell being the first parameter). + + This method has been introduced in version 0.27. """ - def expanded_name(self) -> str: + def filter_properties(self, keys: Sequence[Any]) -> None: r""" - @brief Gets the expanded name of the net. - The expanded name takes the name of the net. If the name is empty, the cluster ID will be used to build a name. + @brief Filters properties by certain keys. + Calling this method on a container will reduce the properties to values with name keys from the 'keys' list. + As a side effect, this method enables properties on original layers. + + This method has been introduced in version 0.28.4. """ - def is_floating(self) -> bool: + def flatten(self) -> Region: r""" - @brief Returns true, if the net is floating. - Floating nets are those which don't have any device or subcircuit on it and are not connected through a pin. + @brief Explicitly flattens a region + + If the region is already flat (i.e. \has_valid_polygons? returns true), this method will not change it. + + Returns 'self', so this method can be used in a dot concatenation. + + This method has been introduced in version 0.26. """ - def is_internal(self) -> bool: + def grid_check(self, gx: int, gy: int) -> EdgePairs: r""" - @brief Returns true, if the net is an internal net. - Internal nets are those which connect exactly two terminals and nothing else (pin_count = 0 and terminal_count == 2). + @brief Returns a marker for all vertices not being on the given grid + This method will return an edge pair object for every vertex whose x coordinate is not a multiple of gx or whose y coordinate is not a multiple of gy. The edge pair objects contain two edges consisting of the same single point - the original vertex. + + If gx or gy is 0 or less, the grid is not checked in that direction. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ - def is_passive(self) -> bool: + def has_valid_polygons(self) -> bool: r""" - @brief Returns true, if the net is passive. - Passive nets don't have devices or subcircuits on it. They can be exposed through a pin. - \is_floating? implies \is_passive?. + @brief Returns true if the region is flat and individual polygons can be accessed randomly - This method has been introduced in version 0.26.1. + This method has been introduced in version 0.26. """ - def pin_count(self) -> int: + def hier_count(self) -> int: r""" - @brief Returns the number of outgoing pins connected by this net. + @brief Returns the (hierarchical) number of polygons in the region + + This returns the number of raw polygons (not merged polygons if merged semantics is enabled). + The count is computed 'hierarchical', i.e. polygons inside a cell are counted once even if the cell is instantiated multiple times. + + This method has been introduced in version 0.27. """ - def qname(self) -> str: + def holes(self) -> Region: r""" - @brief Gets the qualified name. - The qualified name is like the expanded name, but the circuit's name is preceded - (i.e. 'CIRCUIT:NET') if available. + @brief Returns the holes of the region + This method returns all holes as filled polygons. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + If merge semantics is not enabled, the holes may not be detected if the polygons are taken from a hole-less representation (i.e. GDS2 file). Use explicit merge (\merge method) in order to merge the polygons and detect holes. """ - def subcircuit_pin_count(self) -> int: + def hulls(self) -> Region: r""" - @brief Returns the number of subcircuit pins connected by this net. + @brief Returns the hulls of the region + This method returns all hulls as polygons. The holes will be removed (filled). + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + If merge semantics is not enabled, the hull may also enclose holes if the polygons are taken from a hole-less representation (i.e. GDS2 file). Use explicit merge (\merge method) in order to merge the polygons and detect holes. """ - def terminal_count(self) -> int: + def in_(self, other: Region) -> Region: r""" - @brief Returns the number of terminals connected by this net. + @brief Returns all polygons which are members of the other region + This method returns all polygons in self which can be found in the other region as well with exactly the same geometry. """ - def to_s(self) -> str: + def in_and_out(self, other: Region) -> List[Region]: r""" - @brief Gets the qualified name. - The qualified name is like the expanded name, but the circuit's name is preceded - (i.e. 'CIRCUIT:NET') if available. - """ - -class DeviceTerminalDefinition: - r""" - @brief A terminal descriptor - This class is used inside the \DeviceClass class to describe a terminal of the device. + @brief Returns all polygons which are members and not members of the other region + This method is equivalent to calling \members_of and \not_members_of, but delivers both results at the same time and is more efficient than two separate calls. The first element returned is the \members_of part, the second is the \not_members_of part. - This class has been added in version 0.26. - """ - description: str - r""" - Getter: - @brief Gets the description of the terminal. - Setter: - @brief Sets the description of the terminal. - """ - name: str - r""" - Getter: - @brief Gets the name of the terminal. - Setter: - @brief Sets the name of the terminal. - """ - @classmethod - def new(cls, name: str, description: Optional[str] = ...) -> DeviceTerminalDefinition: - r""" - @brief Creates a new terminal definition. - """ - def __copy__(self) -> DeviceTerminalDefinition: - r""" - @brief Creates a copy of self + This method has been introduced in version 0.28. """ - def __deepcopy__(self) -> DeviceTerminalDefinition: + @overload + def insert(self, array: Sequence[Polygon]) -> None: r""" - @brief Creates a copy of self + @brief Inserts all polygons from the array into this region """ - def __init__(self, name: str, description: Optional[str] = ...) -> None: + @overload + def insert(self, box: Box) -> None: r""" - @brief Creates a new terminal definition. + @brief Inserts a box + + Inserts a box into the region. """ - def _create(self) -> None: + @overload + def insert(self, path: Path) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Inserts a path + + Inserts a path into the region. """ - def _destroy(self) -> None: + @overload + def insert(self, polygon: Polygon) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Inserts a polygon + + Inserts a polygon into the region. """ - def _destroyed(self) -> bool: + @overload + def insert(self, polygon: SimplePolygon) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Inserts a simple polygon + + Inserts a simple polygon into the region. """ - def _is_const_object(self) -> bool: + @overload + def insert(self, region: Region) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Inserts all polygons from the other region into this region + This method has been introduced in version 0.25. """ - def _manage(self) -> None: + @overload + def insert(self, shape_iterator: RecursiveShapeIterator) -> None: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Inserts all shapes delivered by the recursive shape iterator into this region - Usually it's not required to call this method. It has been introduced in version 0.24. + This method will insert all shapes delivered by the shape iterator and insert them into the region. + Text objects and edges are not inserted, because they cannot be converted to polygons. """ - def _unmanage(self) -> None: + @overload + def insert(self, shape_iterator: RecursiveShapeIterator, trans: ICplxTrans) -> None: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Inserts all shapes delivered by the recursive shape iterator into this region with a transformation - Usually it's not required to call this method. It has been introduced in version 0.24. + This method will insert all shapes delivered by the shape iterator and insert them into the region. + Text objects and edges are not inserted, because they cannot be converted to polygons. + This variant will apply the given transformation to the shapes. This is useful to scale the shapes to a specific database unit for example. """ - def assign(self, other: DeviceTerminalDefinition) -> None: + @overload + def insert(self, shapes: Shapes) -> None: r""" - @brief Assigns another object to self + @brief Inserts all polygons from the shape collection into this region + This method takes each "polygon-like" shape from the shape collection and inserts this shape into the region. Paths and boxes are converted to polygons during this process. Edges and text objects are ignored. + + This method has been introduced in version 0.25. """ - def create(self) -> None: + @overload + def insert(self, shapes: Shapes, trans: ICplxTrans) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Inserts all polygons from the shape collection into this region with complex transformation + This method takes each "polygon-like" shape from the shape collection and inserts this shape into the region after applying the given complex transformation. Paths and boxes are converted to polygons during this process. Edges and text objects are ignored. + + This method has been introduced in version 0.25. """ - def destroy(self) -> None: + @overload + def insert(self, shapes: Shapes, trans: Trans) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Inserts all polygons from the shape collection into this region with transformation + This method takes each "polygon-like" shape from the shape collection and inserts this shape into the region after applying the given transformation. Paths and boxes are converted to polygons during this process. Edges and text objects are ignored. + + This method has been introduced in version 0.25. """ - def destroyed(self) -> bool: + def insert_into(self, layout: Layout, cell_index: int, layer: int) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Inserts this region into the given layout, below the given cell and into the given layer. + If the region is a hierarchical one, a suitable hierarchy will be built below the top cell or and existing hierarchy will be reused. + + This method has been introduced in version 0.26. """ - def dup(self) -> DeviceTerminalDefinition: + def inside(self, other: Region) -> Region: r""" - @brief Creates a copy of self + @brief Returns the polygons of this region which are completely inside polygons from the other region + + @return A new region containing the polygons which are inside polygons from the other region + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ - def id(self) -> int: + def inside_check(self, other: Region, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ..., property_constraint: Optional[PropertyConstraint] = ...) -> EdgePairs: r""" - @brief Gets the ID of the terminal. - The ID of the terminal is used in some places to refer to a specific terminal (e.g. in the \NetTerminalRef object). + @brief Performs an inside check with options + @param d The minimum distance for which the polygons are checked + @param other The other region against which to check + @param whole_edges If true, deliver the whole edges + @param metrics Specify the metrics type + @param ignore_angle The angle above which no check is performed + @param min_projection The lower threshold of the projected length of one edge onto another + @param max_projection The upper limit of the projected length of one edge onto another + @param opposite_filter Specifies a filter mode for errors happening on opposite sides of inputs shapes + @param rect_filter Specifies an error filter for rectangular input shapes + @param negative Negative output from the first input + @param property_constraint Specifies whether to consider only shapes with a certain property relation + + If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. + + "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. + + "ignore_angle" specifies the angle limit of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. + Use nil for this value to select the default. + + "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one limit, pass nil to the respective value. + + "shielded" controls whether shielding is applied. Shielding means that rule violations are not detected 'through' other features. Measurements are only made where the opposite edge is unobstructed. + Shielding often is not optional as a rule violation in shielded case automatically comes with rule violations between the original and the shielding features. If not necessary, shielding can be disabled by setting this flag to false. In general, this will improve performance somewhat. + + "opposite_filter" specifies whether to require or reject errors happening on opposite sides of a figure. "rect_filter" allows suppressing specific error configurations on rectangular input figures. + + If "negative" is true, only edges from the first input are output as pseudo edge-pairs where the distance is larger or equal to the limit. This is a way to flag the parts of the first input where the distance to the second input is bigger. Note that only the first input's edges are output. The output is still edge pairs, but each edge pair contains one edge from the original input and the reverse version of the edge as the second edge. + + Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + + The 'shielded', 'negative', 'not_opposite' and 'rect_sides' options have been introduced in version 0.27. The interpretation of the 'negative' flag has been restriced to first-layout only output in 0.27.1. + The 'enclosed_check' alias was introduced in version 0.27.5. + 'property_constraint' has been added in version 0.28.4. """ - def is_const_object(self) -> bool: + @overload + def interacting(self, other: Edges, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ + @brief Returns the polygons of this region which overlap or touch edges from the edge collection -class DeviceParameterDefinition: - r""" - @brief A parameter descriptor - This class is used inside the \DeviceClass class to describe a parameter of the device. + 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with edges of the edge collection to make the polygon selected. A polygon is selected by this method if the number of edges interacting with the polygon is between min_count and max_count (including max_count). - This class has been added in version 0.26. - """ - default_value: float - r""" - Getter: - @brief Gets the default value of the parameter. - Setter: - @brief Sets the default value of the parameter. - The default value is used to initialize parameters of \Device objects. - """ - description: str - r""" - Getter: - @brief Gets the description of the parameter. - Setter: - @brief Sets the description of the parameter. - """ - is_primary: bool - r""" - Getter: - @brief Gets a value indicating whether the parameter is a primary parameter - See \is_primary= for details about this predicate. - Setter: - @brief Sets a value indicating whether the parameter is a primary parameter - If this flag is set to true (the default), the parameter is considered a primary parameter. - Only primary parameters are compared by default. - """ - name: str - r""" - Getter: - @brief Gets the name of the parameter. - Setter: - @brief Sets the name of the parameter. - """ - @classmethod - def new(cls, name: str, description: Optional[str] = ..., default_value: Optional[float] = ..., is_primary: Optional[bool] = ..., si_scaling: Optional[float] = ...) -> DeviceParameterDefinition: - r""" - @brief Creates a new parameter definition. - @param name The name of the parameter - @param description The human-readable description - @param default_value The initial value - @param is_primary True, if the parameter is a primary parameter (see \is_primary=) - @param si_scaling The scaling factor to SI units + @return A new region containing the polygons overlapping or touching edges from the edge collection + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.25. + The min_count and max_count arguments have been added in version 0.27. """ - def __copy__(self) -> DeviceParameterDefinition: + @overload + def interacting(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: r""" - @brief Creates a copy of self + @brief Returns the polygons of this region which overlap or touch polygons from the other region + + 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with (different) polygons of the other region to make the polygon selected. A polygon is selected by this method if the number of polygons interacting with a polygon of this region is between min_count and max_count (including max_count). + + @return A new region containing the polygons overlapping or touching polygons from the other region + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + The min_count and max_count arguments have been added in version 0.27. """ - def __deepcopy__(self) -> DeviceParameterDefinition: + @overload + def interacting(self, other: Texts, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: r""" - @brief Creates a copy of self + @brief Returns the polygons of this region which overlap or touch texts + + 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with texts of the text collection to make the polygon selected. A polygon is selected by this method if the number of texts interacting with the polygon is between min_count and max_count (including max_count). + + @return A new region containing the polygons overlapping or touching texts + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.27 """ - def __init__(self, name: str, description: Optional[str] = ..., default_value: Optional[float] = ..., is_primary: Optional[bool] = ..., si_scaling: Optional[float] = ...) -> None: + def is_box(self) -> bool: r""" - @brief Creates a new parameter definition. - @param name The name of the parameter - @param description The human-readable description - @param default_value The initial value - @param is_primary True, if the parameter is a primary parameter (see \is_primary=) - @param si_scaling The scaling factor to SI units + @brief Returns true, if the region is a simple box + + @return True if the region is a box. + + This method does not apply implicit merging if merge semantics is enabled. + If the region is not merged, this method may return false even + if the merged region would be a box. """ - def _create(self) -> None: + def is_const_object(self) -> bool: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def _destroy(self) -> None: + def is_deep(self) -> bool: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Returns true if the region is a deep (hierarchical) one + + This method has been added in version 0.26. """ - def _destroyed(self) -> bool: + def is_empty(self) -> bool: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Returns true if the region is empty """ - def _is_const_object(self) -> bool: + def is_merged(self) -> bool: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Returns true if the region is merged + If the region is merged, polygons will not touch or overlap. You can ensure merged state by calling \merge. """ - def _manage(self) -> None: + def isolated_check(self, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ..., property_constraint: Optional[PropertyConstraint] = ...) -> EdgePairs: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Performs a space check between edges of different polygons with options + @param d The minimum space for which the polygons are checked + @param whole_edges If true, deliver the whole edges + @param metrics Specify the metrics type + @param ignore_angle The angle above which no check is performed + @param min_projection The lower threshold of the projected length of one edge onto another + @param max_projection The upper limit of the projected length of one edge onto another + @param opposite_filter Specifies a filter mode for errors happening on opposite sides of inputs shapes + @param rect_filter Specifies an error filter for rectangular input shapes + @param negative If true, edges not violation the condition will be output as pseudo-edge pairs + @param property_constraint Specifies whether to consider only shapes with a certain property relation - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. - Usually it's not required to call this method. It has been introduced in version 0.24. + "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. + + "ignore_angle" specifies the angle limit of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. + Use nil for this value to select the default. + + "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one limit, pass nil to the respective value. + + "shielded" controls whether shielding is applied. Shielding means that rule violations are not detected 'through' other features. Measurements are only made where the opposite edge is unobstructed. + Shielding often is not optional as a rule violation in shielded case automatically comes with rule violations between the original and the shielding features. If not necessary, shielding can be disabled by setting this flag to false. In general, this will improve performance somewhat. + + "opposite_filter" specifies whether to require or reject errors happening on opposite sides of a figure. "rect_filter" allows suppressing specific error configurations on rectangular input figures. + + Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + + The 'shielded', 'negative', 'not_opposite' and 'rect_sides' options have been introduced in version 0.27. + 'property_constraint' has been added in version 0.28.4. """ - def assign(self, other: DeviceParameterDefinition) -> None: + def map_properties(self, key_map: Dict[Any, Any]) -> None: r""" - @brief Assigns another object to self + @brief Maps properties by name key. + Calling this method on a container will reduce the properties to values with name keys from the 'keys' hash and renames the properties. Properties not listed in the key map will be removed. + As a side effect, this method enables properties on original layers. + + This method has been introduced in version 0.28.4. """ - def create(self) -> None: + def members_of(self, other: Region) -> Region: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Returns all polygons which are members of the other region + This method returns all polygons in self which can be found in the other region as well with exactly the same geometry. """ - def destroy(self) -> None: + @overload + def merge(self) -> Region: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Merge the region + + @return The region after is has been merged (self). + + Merging removes overlaps and joins touching polygons. + If the region is already merged, this method does nothing """ - def destroyed(self) -> bool: + @overload + def merge(self, min_coherence: bool, min_wc: int) -> Region: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Merge the region with options + + @param min_coherence A flag indicating whether the resulting polygons shall have minimum coherence + @param min_wc Overlap selection + @return The region after is has been merged (self). + + Merging removes overlaps and joins touching polygons. + This version provides two additional options: if "min_coherence" is set to true, "kissing corners" are resolved by producing separate polygons. "min_wc" controls whether output is only produced if multiple polygons overlap. The value specifies the number of polygons that need to overlap. A value of 2 means that output is only produced if two or more polygons overlap. """ - def dup(self) -> DeviceParameterDefinition: + @overload + def merge(self, min_wc: int) -> Region: r""" - @brief Creates a copy of self + @brief Merge the region with options + + @param min_wc Overlap selection + @return The region after is has been merged (self). + + Merging removes overlaps and joins touching polygons. + This version provides one additional option: "min_wc" controls whether output is only produced if multiple polygons overlap. The value specifies the number of polygons that need to overlap. A value of 2 means that output is only produced if two or more polygons overlap. + + This method is equivalent to "merge(false, min_wc). """ - def id(self) -> int: + @overload + def merged(self) -> Region: r""" - @brief Gets the ID of the parameter. - The ID of the parameter is used in some places to refer to a specific parameter (e.g. in the \NetParameterRef object). + @brief Returns the merged region + + @return The region after is has been merged. + + Merging removes overlaps and joins touching polygons. + If the region is already merged, this method does nothing. + In contrast to \merge, this method does not modify the region but returns a merged copy. """ - def is_const_object(self) -> bool: + @overload + def merged(self, min_coherence: bool, min_wc: int) -> Region: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Returns the merged region (with options) + + @param min_coherence A flag indicating whether the resulting polygons shall have minimum coherence + @param min_wc Overlap selection + @return The region after is has been merged (self). + + Merging removes overlaps and joins touching polygons. + This version provides two additional options: if "min_coherence" is set to true, "kissing corners" are resolved by producing separate polygons. "min_wc" controls whether output is only produced if multiple polygons overlap. The value specifies the number of polygons that need to overlap. A value of 2 means that output is only produced if two or more polygons overlap. + + In contrast to \merge, this method does not modify the region but returns a merged copy. """ - def si_scaling(self) -> float: + @overload + def merged(self, min_wc: int) -> Region: r""" - @brief Gets the scaling factor to SI units. - For parameters in micrometers for example, this factor will be 1e-6. - """ + @brief Returns the merged region (with options) -class EqualDeviceParameters: - r""" - @brief A device parameter equality comparer. - Attach this object to a device class with \DeviceClass#equal_parameters= to make the device class use this comparer: + @return The region after is has been merged. - @code - # 20nm tolerance for length: - equal_device_parameters = RBA::EqualDeviceParameters::new(RBA::DeviceClassMOS4Transistor::PARAM_L, 0.02, 0.0) - # one percent tolerance for width: - equal_device_parameters += RBA::EqualDeviceParameters::new(RBA::DeviceClassMOS4Transistor::PARAM_W, 0.0, 0.01) - # applies the compare delegate: - netlist.device_class_by_name("NMOS").equal_parameters = equal_device_parameters - @/code + This version provides one additional options: "min_wc" controls whether output is only produced if multiple polygons overlap. The value specifies the number of polygons that need to overlap. A value of 2 means that output is only produced if two or more polygons overlap. - You can use this class to specify fuzzy equality criteria for the comparison of device parameters in netlist verification or to confine the equality of devices to certain parameters only. + This method is equivalent to "merged(false, min_wc)". - This class has been added in version 0.26. - """ - @classmethod - def ignore(cls, param_id: int) -> EqualDeviceParameters: + In contrast to \merge, this method does not modify the region but returns a merged copy. + """ + @overload + def minkowski_sum(self, b: Box) -> Region: r""" - @brief Creates a device parameter comparer which ignores the parameter. + @brief Compute the Minkowski sum of the region and a box - This specification can be used to make a parameter ignored. Starting with version 0.27.4, all primary parameters are compared. Before 0.27.4, giving a tolerance meant only those parameters are compared. To exclude a primary parameter from the compare, use the 'ignore' specification for that parameter. + @param b The box. - This constructor has been introduced in version 0.27.4. + @return The new polygons representing the Minkowski sum of self and the box. + + The result is equivalent to the region-with-polygon Minkowski sum with the box used as the second polygon. + + The resulting polygons are not merged. In order to remove overlaps, use the \merge or \merged method.Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) """ - @classmethod - def new(cls, param_id: int, absolute: Optional[float] = ..., relative: Optional[float] = ...) -> EqualDeviceParameters: + @overload + def minkowski_sum(self, b: Sequence[Point]) -> Region: r""" - @brief Creates a device parameter comparer for a single parameter. - 'absolute' is the absolute deviation allowed for the parameter values. 'relative' is the relative deviation allowed for the parameter values (a value between 0 and 1). + @brief Compute the Minkowski sum of the region and a contour of points (a trace) - A value of 0 for both absolute and relative deviation means the parameters have to match exactly. + @param b The contour (a series of points forming the trace). - If 'absolute' and 'relative' are both given, their deviations will add to the allowed difference between two parameter values. The relative deviation will be applied to the mean value of both parameter values. For example, when comparing parameter values of 40 and 60, a relative deviation of 0.35 means an absolute deviation of 17.5 (= 0.35 * average of 40 and 60) which does not make both values match. + @return The new polygons representing the Minkowski sum of self and the contour. + + The Minkowski sum of a region and a contour basically results in the area covered when "dragging" the region along the contour. The effect is similar to drawing the contour with a pencil that has the shape of the given region. + + The resulting polygons are not merged. In order to remove overlaps, use the \merge or \merged method.Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) """ - def __add__(self, other: EqualDeviceParameters) -> EqualDeviceParameters: + @overload + def minkowski_sum(self, e: Edge) -> Region: r""" - @brief Combines two parameters for comparison. - The '+' operator will join the parameter comparers and produce one that checks the combined parameters. + @brief Compute the Minkowski sum of the region and an edge + + @param e The edge. + + @return The new polygons representing the Minkowski sum with the edge e. + + The Minkowski sum of a region and an edge basically results in the area covered when "dragging" the region along the line given by the edge. The effect is similar to drawing the line with a pencil that has the shape of the given region. + + The resulting polygons are not merged. In order to remove overlaps, use the \merge or \merged method.Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) """ - def __copy__(self) -> EqualDeviceParameters: + @overload + def minkowski_sum(self, p: Polygon) -> Region: r""" - @brief Creates a copy of self + @brief Compute the Minkowski sum of the region and a polygon + + @param p The first argument. + + @return The new polygons representing the Minkowski sum of self and p. + + The Minkowski sum of a region and a polygon is basically the result of "painting" the region with a pen that has the shape of the second polygon. + + The resulting polygons are not merged. In order to remove overlaps, use the \merge or \merged method.Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) """ - def __deepcopy__(self) -> EqualDeviceParameters: + @overload + def minkowsky_sum(self, b: Box) -> Region: r""" - @brief Creates a copy of self + @brief Compute the Minkowski sum of the region and a box + + @param b The box. + + @return The new polygons representing the Minkowski sum of self and the box. + + The result is equivalent to the region-with-polygon Minkowski sum with the box used as the second polygon. + + The resulting polygons are not merged. In order to remove overlaps, use the \merge or \merged method.Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) """ - def __iadd__(self, other: EqualDeviceParameters) -> EqualDeviceParameters: + @overload + def minkowsky_sum(self, b: Sequence[Point]) -> Region: r""" - @brief Combines two parameters for comparison (in-place). - The '+=' operator will join the parameter comparers and produce one that checks the combined parameters. + @brief Compute the Minkowski sum of the region and a contour of points (a trace) + + @param b The contour (a series of points forming the trace). + + @return The new polygons representing the Minkowski sum of self and the contour. + + The Minkowski sum of a region and a contour basically results in the area covered when "dragging" the region along the contour. The effect is similar to drawing the contour with a pencil that has the shape of the given region. + + The resulting polygons are not merged. In order to remove overlaps, use the \merge or \merged method.Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) """ - def __init__(self, param_id: int, absolute: Optional[float] = ..., relative: Optional[float] = ...) -> None: + @overload + def minkowsky_sum(self, e: Edge) -> Region: r""" - @brief Creates a device parameter comparer for a single parameter. - 'absolute' is the absolute deviation allowed for the parameter values. 'relative' is the relative deviation allowed for the parameter values (a value between 0 and 1). + @brief Compute the Minkowski sum of the region and an edge - A value of 0 for both absolute and relative deviation means the parameters have to match exactly. + @param e The edge. - If 'absolute' and 'relative' are both given, their deviations will add to the allowed difference between two parameter values. The relative deviation will be applied to the mean value of both parameter values. For example, when comparing parameter values of 40 and 60, a relative deviation of 0.35 means an absolute deviation of 17.5 (= 0.35 * average of 40 and 60) which does not make both values match. + @return The new polygons representing the Minkowski sum with the edge e. + + The Minkowski sum of a region and an edge basically results in the area covered when "dragging" the region along the line given by the edge. The effect is similar to drawing the line with a pencil that has the shape of the given region. + + The resulting polygons are not merged. In order to remove overlaps, use the \merge or \merged method.Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) """ - def _create(self) -> None: + @overload + def minkowsky_sum(self, p: Polygon) -> Region: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Compute the Minkowski sum of the region and a polygon + + @param p The first argument. + + @return The new polygons representing the Minkowski sum of self and p. + + The Minkowski sum of a region and a polygon is basically the result of "painting" the region with a pen that has the shape of the second polygon. + + The resulting polygons are not merged. In order to remove overlaps, use the \merge or \merged method.Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) """ - def _destroy(self) -> None: + @overload + def move(self, v: Vector) -> Region: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Moves the region + + Moves the polygon by the given offset and returns the + moved region. The region is overwritten. + + @param v The distance to move the region. + + Starting with version 0.25 this method accepts a vector argument. + + @return The moved region (self). """ - def _destroyed(self) -> bool: + @overload + def move(self, x: int, y: int) -> Region: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Moves the region + + Moves the region by the given offset and returns the + moved region. The region is overwritten. + + @param x The x distance to move the region. + @param y The y distance to move the region. + + @return The moved region (self). """ - def _is_const_object(self) -> bool: + @overload + def moved(self, v: Vector) -> Region: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Returns the moved region (does not modify self) + + Moves the region by the given offset and returns the + moved region. The region is not modified. + + Starting with version 0.25 this method accepts a vector argument. + + @param p The distance to move the region. + + @return The moved region. """ - def _manage(self) -> None: + @overload + def moved(self, x: int, y: int) -> Region: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Returns the moved region (does not modify self) - Usually it's not required to call this method. It has been introduced in version 0.24. + Moves the region by the given offset and returns the + moved region. The region is not modified. + + @param x The x distance to move the region. + @param y The y distance to move the region. + + @return The moved region. """ - def _unmanage(self) -> None: + def nets(self, extracted: LayoutToNetlist, net_prop_name: Optional[Any] = ..., net_filter: Optional[Sequence[Net]] = ...) -> Region: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Pulls the net shapes from a LayoutToNetlist database + This method will create a new layer with the net shapes from the LayoutToNetlist database, provided that this region was an input to the netlist extraction on this database. - Usually it's not required to call this method. It has been introduced in version 0.24. + A (circuit name, net name) tuple will be attached as properties to the shapes if 'net_prop_name' is given and not nil. This allows generating unique properties per shape, flagging the net the shape is on. This feature is good for performing net-dependent booleans and DRC checks. + + A net filter can be provided with the 'net_filter' argument. If given, only nets from this set are produced. Example: + + @code + connect(metal1, via1) + connect(via1, metal2) + + metal1_all_nets = metal1.nets + @/code + + This method was introduced in version 0.28.4 """ - def assign(self, other: EqualDeviceParameters) -> None: + def non_rectangles(self) -> Region: r""" - @brief Assigns another object to self + @brief Returns all polygons which are not rectangles + This method returns all polygons in self which are not rectangles.Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ - def create(self) -> None: + def non_rectilinear(self) -> Region: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Returns all polygons which are not rectilinear + This method returns all polygons in self which are not rectilinear.Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ - def destroy(self) -> None: + def non_squares(self) -> Region: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Returns all polygons which are not squares + This method returns all polygons in self which are not squares.Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.27. """ - def destroyed(self) -> bool: + def not_(self, other: Region, property_constraint: Optional[PropertyConstraint] = ...) -> Region: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Returns the boolean NOT between self and the other region + + @return The result of the boolean NOT operation + + This method will compute the boolean NOT (intersection) between two regions. The result is often but not necessarily always merged. + It allows specification of a property constaint - e.g. only performing the boolean operation between shapes with the same user properties. + + This variant has been introduced in version 0.28.4. """ - def dup(self) -> EqualDeviceParameters: + def not_covering(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: r""" - @brief Creates a copy of self + @brief Returns the polygons of this region which are not completely covering polygons from the other region + + @return A new region containing the polygons which are not covering polygons from the other region + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This attribute is sometimes called 'enclosing' instead of 'covering', but this term is reserved for the respective DRC function. + + This method has been introduced in version 0.27. """ - def is_const_object(self) -> bool: + def not_in(self, other: Region) -> Region: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Returns all polygons which are not members of the other region + This method returns all polygons in self which can not be found in the other region with exactly the same geometry. """ - def to_string(self) -> str: + def not_inside(self, other: Region) -> Region: r""" - @hide - """ - -class GenericDeviceParameterCompare(EqualDeviceParameters): - r""" - @brief A class implementing the comparison of device parameters. - Reimplement this class to provide a custom device parameter compare scheme. - Attach this object to a device class with \DeviceClass#equal_parameters= to make the device class use this comparer. + @brief Returns the polygons of this region which are not completely inside polygons from the other region - This class is intended for special cases. In most scenarios it is easier to use \EqualDeviceParameters instead of implementing a custom comparer class. + @return A new region containing the polygons which are not inside polygons from the other region - This class has been added in version 0.26. The 'equal' method has been dropped in 0.27.1 as it can be expressed as !less(a,b) && !less(b,a). - """ - def _assign(self, other: EqualDeviceParameters) -> None: - r""" - @brief Assigns another object to self + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _dup(self) -> GenericDeviceParameterCompare: - r""" - @brief Creates a copy of self - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: + @overload + def not_interacting(self, other: Edges, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Returns the polygons of this region which do not overlap or touch edges from the edge collection - Usually it's not required to call this method. It has been introduced in version 0.24. + 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with edges of the edge collection to make the polygon not selected. A polygon is not selected by this method if the number of edges interacting with the polygon is between min_count and max_count (including max_count). + + @return A new region containing the polygons not overlapping or touching edges from the edge collection + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.25 + The min_count and max_count arguments have been added in version 0.27. """ - def _unmanage(self) -> None: + @overload + def not_interacting(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Returns the polygons of this region which do not overlap or touch polygons from the other region - Usually it's not required to call this method. It has been introduced in version 0.24. - """ + 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with (different) polygons of the other region to make the polygon not selected. A polygon is not selected by this method if the number of polygons interacting with a polygon of this region is between min_count and max_count (including max_count). -class GenericDeviceCombiner: - r""" - @brief A class implementing the combination of two devices (parallel or serial mode). - Reimplement this class to provide a custom device combiner. - Device combination requires 'supports_paralell_combination' or 'supports_serial_combination' to be set to true for the device class. In the netlist device combination step, the algorithm will try to identify devices which can be combined into single devices and use the combiner object to implement the actual joining of such devices. + @return A new region containing the polygons not overlapping or touching polygons from the other region - Attach this object to a device class with \DeviceClass#combiner= to make the device class use this combiner. + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - This class has been added in version 0.27.3. - """ - @classmethod - def new(cls) -> GenericDeviceCombiner: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> GenericDeviceCombiner: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> GenericDeviceCombiner: - r""" - @brief Creates a copy of self - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + The min_count and max_count arguments have been added in version 0.27. """ - def _manage(self) -> None: + @overload + def not_interacting(self, other: Texts, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Returns the polygons of this region which do not overlap or touch texts - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with texts of the text collection to make the polygon not selected. A polygon is not selected by this method if the number of texts interacting with the polygon is between min_count and max_count (including max_count). - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: GenericDeviceCombiner) -> None: - r""" - @brief Assigns another object to self + @return A new region containing the polygons not overlapping or touching texts + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.27 """ - def create(self) -> None: + def not_members_of(self, other: Region) -> Region: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Returns all polygons which are not members of the other region + This method returns all polygons in self which can not be found in the other region with exactly the same geometry. """ - def destroy(self) -> None: + def not_outside(self, other: Region) -> Region: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Returns the polygons of this region which are not completely outside polygons from the other region + + @return A new region containing the polygons which are not outside polygons from the other region + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ - def destroyed(self) -> bool: + def not_overlapping(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Returns the polygons of this region which do not overlap polygons from the other region + + @return A new region containing the polygons not overlapping polygons from the other region + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + The count options have been introduced in version 0.27. """ - def dup(self) -> GenericDeviceCombiner: + def not_with(self, other: Region, property_constraint: Optional[PropertyConstraint] = ...) -> Region: r""" - @brief Creates a copy of self + @brief Performs the boolean NOT between self and the other region + + @return The region after modification (self) + + This method will compute the boolean NOT (intersection) between two regions. The result is often but not necessarily always merged. + It allows specification of a property constaint - e.g. only performing the boolean operation between shapes with the same user properties. + + This variant has been introduced in version 0.28.4. """ - def is_const_object(self) -> bool: + def notch_check(self, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., negative: Optional[bool] = ..., property_constraint: Optional[PropertyConstraint] = ...) -> EdgePairs: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ + @brief Performs a space check between edges of the same polygon with options + @param d The minimum space for which the polygons are checked + @param whole_edges If true, deliver the whole edges + @param metrics Specify the metrics type + @param ignore_angle The angle above which no check is performed + @param min_projection The lower threshold of the projected length of one edge onto another + @param max_projection The upper limit of the projected length of one edge onto another + @param shielded Enables shielding + @param negative If true, edges not violation the condition will be output as pseudo-edge pairs + @param property_constraint Specifies whether to consider only shapes with a certain property relation + @param property_constraint Only \IgnoreProperties and \NoPropertyConstraint are allowed - in the last case, properties are copied from the original shapes to the output + This version is similar to the simple version with one parameter. In addition, it allows to specify many more options. -class DeviceClass: - r""" - @brief A class describing a specific type of device. - Device class objects live in the context of a \Netlist object. After a device class is created, it must be added to the netlist using \Netlist#add. The netlist will own the device class object. When the netlist is destroyed, the device class object will become invalid. + If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the space check. - The \DeviceClass class is the base class for other device classes. + "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. - This class has been added in version 0.26. In version 0.27.3, the 'GenericDeviceClass' has been integrated with \DeviceClass and the device class was made writeable in most respects. This enables manipulating built-in device classes. - """ - combiner: GenericDeviceCombiner - r""" - Getter: - @brief Gets a device combiner or nil if none is registered. + "ignore_angle" specifies the angle limit of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. + Use nil for this value to select the default. - This method has been added in version 0.27.3. + "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one limit, pass nil to the respective value. - Setter: - @brief Specifies a device combiner (parallel or serial device combination). + "shielded" controls whether shielding is applied. Shielding means that rule violations are not detected 'through' other features. Measurements are only made where the opposite edge is unobstructed. + Shielding often is not optional as a rule violation in shielded case automatically comes with rule violations between the original and the shielding features. If not necessary, shielding can be disabled by setting this flag to false. In general, this will improve performance somewhat. - You can assign nil for the combiner to remove it. + Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) - In special cases, you can even implement a custom combiner by deriving your own comparer from the \GenericDeviceCombiner class. + The 'shielded' and 'negative' options have been introduced in version 0.27. + 'property_constraint' has been added in version 0.28.4. + """ + def outside(self, other: Region) -> Region: + r""" + @brief Returns the polygons of this region which are completely outside polygons from the other region - This method has been added in version 0.27.3. - """ - description: str - r""" - Getter: - @brief Gets the description text of the device class. - Setter: - @brief Sets the description of the device class. - """ - equal_parameters: EqualDeviceParameters - r""" - Getter: - @brief Gets the device parameter comparer for netlist verification or nil if no comparer is registered. - See \equal_parameters= for the setter. + @return A new region containing the polygons which are outside polygons from the other region - This method has been moved from 'GenericDeviceClass' to 'DeviceClass' in version 0.27.3. + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + """ + def overlap_check(self, other: Region, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ..., property_constraint: Optional[PropertyConstraint] = ...) -> EdgePairs: + r""" + @brief Performs an overlap check with options + @param d The minimum overlap for which the polygons are checked + @param other The other region against which to check + @param whole_edges If true, deliver the whole edges + @param metrics Specify the metrics type + @param ignore_angle The angle above which no check is performed + @param min_projection The lower threshold of the projected length of one edge onto another + @param max_projection The upper limit of the projected length of one edge onto another + @param opposite_filter Specifies a filter mode for errors happening on opposite sides of inputs shapes + @param rect_filter Specifies an error filter for rectangular input shapes + @param negative Negative output from the first input + @param property_constraint Specifies whether to consider only shapes with a certain property relation - Setter: - @brief Specifies a device parameter comparer for netlist verification. - By default, all devices are compared with all parameters. If you want to select only certain parameters for comparison or use a fuzzy compare criterion, use an \EqualDeviceParameters object and assign it to the device class of one netlist. You can also chain multiple \EqualDeviceParameters objects with the '+' operator for specifying multiple parameters in the equality check. + If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. - You can assign nil for the parameter comparer to remove it. + "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. - In special cases, you can even implement a custom compare scheme by deriving your own comparer from the \GenericDeviceParameterCompare class. + "ignore_angle" specifies the angle limit of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. + Use nil for this value to select the default. - This method has been moved from 'GenericDeviceClass' to 'DeviceClass' in version 0.27.3. - """ - name: str - r""" - Getter: - @brief Gets the name of the device class. - Setter: - @brief Sets the name of the device class. - """ - strict: bool - r""" - Getter: - @brief Gets a value indicating whether this class performs strict terminal mapping - See \strict= for details about this attribute. - Setter: - @brief Sets a value indicating whether this class performs strict terminal mapping + "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one limit, pass nil to the respective value. - Classes with this flag set never allow terminal swapping, even if the device symmetry supports that. If two classes are involved in a netlist compare, - terminal swapping will be disabled if one of the classes is in strict mode. + "shielded" controls whether shielding is applied. Shielding means that rule violations are not detected 'through' other features. Measurements are only made where the opposite edge is unobstructed. + Shielding often is not optional as a rule violation in shielded case automatically comes with rule violations between the original and the shielding features. If not necessary, shielding can be disabled by setting this flag to false. In general, this will improve performance somewhat. - By default, device classes are not strict and terminal swapping is allowed as far as the device symmetry supports that. - """ - @property - def supports_parallel_combination(self) -> None: + "opposite_filter" specifies whether to require or reject errors happening on opposite sides of a figure. "rect_filter" allows suppressing specific error configurations on rectangular input figures. + + If "negative" is true, only edges from the first input are output as pseudo edge-pairs where the overlap is larger or equal to the limit. This is a way to flag the parts of the first input where the overlap vs. the second input is bigger. Note that only the first input's edges are output. The output is still edge pairs, but each edge pair contains one edge from the original input and the reverse version of the edge as the second edge. + + Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + + The 'shielded', 'negative', 'not_opposite' and 'rect_sides' options have been introduced in version 0.27. The interpretation of the 'negative' flag has been restriced to first-layout only output in 0.27.1. + 'property_constraint' has been added in version 0.28.4. + """ + def overlapping(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: r""" - WARNING: This variable can only be set, not retrieved. - @brief Specifies whether the device supports parallel device combination. - Parallel device combination means that all terminals of two combination candidates are connected to the same nets. If the device does not support this combination mode, this predicate can be set to false. This will make the device extractor skip the combination test in parallel mode and improve performance somewhat. + @brief Returns the polygons of this region which overlap polygons from the other region - This method has been moved from 'GenericDeviceClass' to 'DeviceClass' in version 0.27.3. + @return A new region containing the polygons overlapping polygons from the other region + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + The count options have been introduced in version 0.27. """ - @property - def supports_serial_combination(self) -> None: + @overload + def perimeter(self) -> int: r""" - WARNING: This variable can only be set, not retrieved. - @brief Specifies whether the device supports serial device combination. - Serial device combination means that the devices are connected by internal nodes. If the device does not support this combination mode, this predicate can be set to false. This will make the device extractor skip the combination test in serial mode and improve performance somewhat. + @brief The total perimeter of the polygons - This method has been moved from 'GenericDeviceClass' to 'DeviceClass' in version 0.27.3. + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + If merged semantics is not enabled, internal edges are counted as well. """ - @classmethod - def new(cls) -> DeviceClass: + @overload + def perimeter(self, rect: Box) -> int: r""" - @brief Creates a new object of this class + @brief The total perimeter of the polygons (restricted to a rectangle) + This version will compute the perimeter of the polygons, restricting the computation to the given rectangle. + Edges along the border are handled in a special way: they are counted when they are oriented with their inside side toward the rectangle (in other words: outside edges must coincide with the rectangle's border in order to be counted). + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + If merged semantics is not enabled, internal edges are counted as well. """ - def __copy__(self) -> DeviceClass: + def pull_inside(self, other: Region) -> Region: r""" - @brief Creates a copy of self + @brief Returns all polygons of "other" which are inside polygons of this region + The "pull_..." methods are similar to "select_..." but work the opposite way: they select shapes from the argument region rather than self. In a deep (hierarchical) context the output region will be hierarchically aligned with self, so the "pull_..." methods provide a way for re-hierarchization. + + @return The region after the polygons have been selected (from other) + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.26.1 """ - def __deepcopy__(self) -> DeviceClass: + @overload + def pull_interacting(self, other: Edges) -> Edges: r""" - @brief Creates a copy of self + @brief Returns all edges of "other" which are interacting with polygons of this region + See \pull_inside for a description of the "pull_..." methods. + + @return The edge collection after the edges have been selected (from other) + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.26.1 """ - def __init__(self) -> None: + @overload + def pull_interacting(self, other: Region) -> Region: r""" - @brief Creates a new object of this class + @brief Returns all polygons of "other" which are interacting with (overlapping, touching) polygons of this region + See \pull_inside for a description of the "pull_..." methods. + + @return The region after the polygons have been selected (from other) + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.26.1 """ - def _create(self) -> None: + @overload + def pull_interacting(self, other: Texts) -> Texts: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Returns all texts of "other" which are interacting with polygons of this region + See \pull_inside for a description of the "pull_..." methods. + + @return The text collection after the texts have been selected (from other) + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.27 """ - def _destroy(self) -> None: + def pull_overlapping(self, other: Region) -> Region: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Returns all polygons of "other" which are overlapping polygons of this region + See \pull_inside for a description of the "pull_..." methods. + + @return The region after the polygons have been selected (from other) + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.26.1 """ - def _destroyed(self) -> bool: + def rectangles(self) -> Region: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Returns all polygons which are rectangles + This method returns all polygons in self which are rectangles.Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ - def _is_const_object(self) -> bool: + def rectilinear(self) -> Region: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Returns all polygons which are rectilinear + This method returns all polygons in self which are rectilinear.Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ - def _manage(self) -> None: + def remove_properties(self) -> None: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Removes properties for the given container. + This will remove all properties on the given container. - Usually it's not required to call this method. It has been introduced in version 0.24. + This method has been introduced in version 0.28.4. """ - def _unmanage(self) -> None: + def round_corners(self, r_inner: float, r_outer: float, n: int) -> None: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Corner rounding + @param r_inner Inner corner radius (in database units) + @param r_outer Outer corner radius (in database units) + @param n The number of points per circle - Usually it's not required to call this method. It has been introduced in version 0.24. + This method rounds the corners of the polygons in the region. Inner corners will be rounded with a radius of r_inner and outer corners with a radius of r_outer. The circles will be approximated by segments using n segments per full circle. + + This method modifies the region. \rounded_corners is a method that does the same but returns a new region without modifying self. Merged semantics applies for this method. """ - def add_parameter(self, parameter_def: DeviceParameterDefinition) -> None: + def rounded_corners(self, r_inner: float, r_outer: float, n: int) -> Region: r""" - @brief Adds the given parameter definition to the device class - This method will define a new parameter. The new parameter is added at the end of existing parameters. The parameter definition object passed as the argument is modified to contain the new ID of the parameter. - The parameter is copied into the device class. Modifying the parameter object later does not have the effect of changing the parameter definition. + @brief Corner rounding + @param r_inner Inner corner radius (in database units) + @param r_outer Outer corner radius (in database units) + @param n The number of points per circle - This method has been moved from 'GenericDeviceClass' to 'DeviceClass' in version 0.27.3. + See \round_corners for a description of this method. This version returns a new region instead of modifying self (out-of-place). """ - def add_terminal(self, terminal_def: DeviceTerminalDefinition) -> None: + def scale_and_snap(self, gx: int, mx: int, dx: int, gy: int, my: int, dy: int) -> None: r""" - @brief Adds the given terminal definition to the device class - This method will define a new terminal. The new terminal is added at the end of existing terminals. The terminal definition object passed as the argument is modified to contain the new ID of the terminal. + @brief Scales and snaps the region to the given grid + This method will first scale the region by a rational factor of mx/dx horizontally and my/dy vertically and then snap the region to the given grid - each x or y coordinate is brought on the gx or gy grid by rounding to the nearest value which is a multiple of gx or gy. - The terminal is copied into the device class. Modifying the terminal object later does not have the effect of changing the terminal definition. + If gx or gy is 0, the result is brought on a grid of 1. - This method has been moved from 'GenericDeviceClass' to 'DeviceClass' in version 0.27.3. - """ - def assign(self, other: DeviceClass) -> None: - r""" - @brief Assigns another object to self - """ - def clear_equivalent_terminal_ids(self) -> None: - r""" - @brief Clears all equivalent terminal ids + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - This method has been added in version 0.27.3. + This method has been introduced in version 0.26.1. """ - def clear_parameters(self) -> None: + def scaled_and_snapped(self, gx: int, mx: int, dx: int, gy: int, my: int, dy: int) -> Region: r""" - @brief Clears the list of parameters + @brief Returns the scaled and snapped region + This method will scale and snap the region to the given grid and return the scaled and snapped region (see \scale_and_snap). The original region is not modified. - This method has been added in version 0.27.3. + This method has been introduced in version 0.26.1. """ - def clear_terminals(self) -> None: + def select_covering(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: r""" - @brief Clears the list of terminals + @brief Selects the polygons of this region which are completely covering polygons from the other region - This method has been moved from 'GenericDeviceClass' to 'DeviceClass' in version 0.27.3. - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @return The region after the polygons have been selected (self) + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This attribute is sometimes called 'enclosing' instead of 'covering', but this term is reserved for the respective DRC function. + + This method has been introduced in version 0.27. """ - def dup(self) -> DeviceClass: + def select_inside(self, other: Region) -> Region: r""" - @brief Creates a copy of self + @brief Selects the polygons of this region which are completely inside polygons from the other region + + @return The region after the polygons have been selected (self) + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ @overload - def enable_parameter(self, parameter_id: int, enable: bool) -> None: + def select_interacting(self, other: Edges, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: r""" - @brief Enables or disables a parameter. - Some parameters are 'secondary' parameters which are extracted but not handled in device compare and are not shown in the netlist browser. For example, the 'W' parameter of the resistor is such a secondary parameter. This method allows turning a parameter in a primary one ('enable') or into a secondary one ('disable'). + @brief Selects the polygons from this region which overlap or touch edges from the edge collection - This method has been introduced in version 0.27.3. + 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with edges of the edge collection to make the polygon selected. A polygon is selected by this method if the number of edges interacting with the polygon is between min_count and max_count (including max_count). + + @return The region after the polygons have been selected (self) + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.25 + The min_count and max_count arguments have been added in version 0.27. """ @overload - def enable_parameter(self, parameter_name: str, enable: bool) -> None: + def select_interacting(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: r""" - @brief Enables or disables a parameter. - Some parameters are 'secondary' parameters which are extracted but not handled in device compare and are not shown in the netlist browser. For example, the 'W' parameter of the resistor is such a secondary parameter. This method allows turning a parameter in a primary one ('enable') or into a secondary one ('disable'). + @brief Selects the polygons from this region which overlap or touch polygons from the other region - This version accepts a parameter name. + 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with (different) polygons of the other region to make the polygon selected. A polygon is selected by this method if the number of polygons interacting with a polygon of this region is between min_count and max_count (including max_count). - This method has been introduced in version 0.27.3. - """ - def equivalent_terminal_id(self, original_id: int, equivalent_id: int) -> None: - r""" - @brief Specifies a terminal to be equivalent to another. - Use this method to specify two terminals to be exchangeable. For example to make S and D of a MOS transistor equivalent, call this method with S and D terminal IDs. In netlist matching, S will be translated to D and thus made equivalent to D. + @return The region after the polygons have been selected (self) - Note that terminal equivalence is not effective if the device class operates in strict mode (see \DeviceClass#strict=). + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - This method has been moved from 'GenericDeviceClass' to 'DeviceClass' in version 0.27.3. + The min_count and max_count arguments have been added in version 0.27. """ - def has_parameter(self, name: str) -> bool: + @overload + def select_interacting(self, other: Texts, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: r""" - @brief Returns true, if the device class has a parameter with the given name. - """ - def has_terminal(self, name: str) -> bool: - r""" - @brief Returns true, if the device class has a terminal with the given name. + @brief Selects the polygons of this region which overlap or touch texts + + @return The region after the polygons have been selected (self) + + 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with texts of the text collection to make the polygon selected. A polygon is selected by this method if the number of texts interacting with the polygon is between min_count and max_count (including max_count). + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.27 """ - def id(self) -> int: + def select_not_covering(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: r""" - @brief Gets the unique ID of the device class - The ID is a unique integer that identifies the device class. Use the ID to check for object identity - i.e. to determine whether two devices share the same device class. + @brief Selects the polygons of this region which are not completely covering polygons from the other region + + @return The region after the polygons have been selected (self) + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This attribute is sometimes called 'enclosing' instead of 'covering', but this term is reserved for the respective DRC function. + + This method has been introduced in version 0.27. """ - def is_const_object(self) -> bool: + def select_not_inside(self, other: Region) -> Region: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Selects the polygons of this region which are not completely inside polygons from the other region + + @return The region after the polygons have been selected (self) + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ - def netlist(self) -> Netlist: + @overload + def select_not_interacting(self, other: Edges, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: r""" - @brief Gets the netlist the device class lives in. + @brief Selects the polygons from this region which do not overlap or touch edges from the edge collection + + 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with edges of the edge collection to make the polygon not selected. A polygon is not selected by this method if the number of edges interacting with the polygon is between min_count and max_count (including max_count). + + @return The region after the polygons have been selected (self) + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.25 + The min_count and max_count arguments have been added in version 0.27. """ @overload - def parameter_definition(self, parameter_id: int) -> DeviceParameterDefinition: + def select_not_interacting(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: r""" - @brief Gets the parameter definition object for a given ID. - Parameter definition IDs are used in some places to reference a specific parameter of a device. This method obtains the corresponding definition object. + @brief Selects the polygons from this region which do not overlap or touch polygons from the other region + + 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with (different) polygons of the other region to make the polygon not selected. A polygon is not selected by this method if the number of polygons interacting with a polygon of this region is between min_count and max_count (including max_count). + + @return The region after the polygons have been selected (self) + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + The min_count and max_count arguments have been added in version 0.27. """ @overload - def parameter_definition(self, parameter_name: str) -> DeviceParameterDefinition: + def select_not_interacting(self, other: Texts, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: r""" - @brief Gets the parameter definition object for a given ID. - Parameter definition IDs are used in some places to reference a specific parameter of a device. This method obtains the corresponding definition object. - This version accepts a parameter name. + @brief Selects the polygons of this region which do not overlap or touch texts - This method has been introduced in version 0.27.3. + 'min_count' and 'max_count' impose a constraint on the number of times a polygon of this region has to interact with texts of the text collection to make the polygon not selected. A polygon is not selected by this method if the number of texts interacting with the polygon is between min_count and max_count (including max_count). + + @return The region after the polygons have been selected (self) + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.27 """ - def parameter_definitions(self) -> List[DeviceParameterDefinition]: + def select_not_outside(self, other: Region) -> Region: r""" - @brief Gets the list of parameter definitions of the device. - See the \DeviceParameterDefinition class description for details. + @brief Selects the polygons of this region which are not completely outside polygons from the other region + + @return The region after the polygons have been selected (self) + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ - def parameter_id(self, name: str) -> int: + def select_not_overlapping(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: r""" - @brief Returns the parameter ID of the parameter with the given name. - An exception is thrown if there is no parameter with the given name. Use \has_parameter to check whether the name is a valid parameter name. + @brief Selects the polygons from this region which do not overlap polygons from the other region + + @return The region after the polygons have been selected (self) + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + The count options have been introduced in version 0.27. """ - def terminal_definition(self, terminal_id: int) -> DeviceTerminalDefinition: + def select_outside(self, other: Region) -> Region: r""" - @brief Gets the terminal definition object for a given ID. - Terminal definition IDs are used in some places to reference a specific terminal of a device. This method obtains the corresponding definition object. + @brief Selects the polygons of this region which are completely outside polygons from the other region + + @return The region after the polygons have been selected (self) + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ - def terminal_definitions(self) -> List[DeviceTerminalDefinition]: + def select_overlapping(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> Region: r""" - @brief Gets the list of terminal definitions of the device. - See the \DeviceTerminalDefinition class description for details. + @brief Selects the polygons from this region which overlap polygons from the other region + + @return The region after the polygons have been selected (self) + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + The count options have been introduced in version 0.27. """ - def terminal_id(self, name: str) -> int: + def separation_check(self, other: Region, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ..., property_constraint: Optional[PropertyConstraint] = ...) -> EdgePairs: r""" - @brief Returns the terminal ID of the terminal with the given name. - An exception is thrown if there is no terminal with the given name. Use \has_terminal to check whether the name is a valid terminal name. - """ + @brief Performs a separation check with options + @param d The minimum separation for which the polygons are checked + @param other The other region against which to check + @param whole_edges If true, deliver the whole edges + @param metrics Specify the metrics type + @param ignore_angle The angle above which no check is performed + @param min_projection The lower threshold of the projected length of one edge onto another + @param max_projection The upper limit of the projected length of one edge onto another + @param opposite_filter Specifies a filter mode for errors happening on opposite sides of inputs shapes + @param rect_filter Specifies an error filter for rectangular input shapes + @param negative Negative output from the first input + @param property_constraint Specifies whether to consider only shapes with a certain property relation -class Circuit(NetlistObject): - r""" - @brief Circuits are the basic building blocks of the netlist - A circuit has pins by which it can connect to the outside. Pins are created using \create_pin and are represented by the \Pin class. + If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. - Furthermore, a circuit manages the components of the netlist. Components are devices (class \Device) and subcircuits (class \SubCircuit). Devices are basic devices such as resistors or transistors. Subcircuits are other circuits to which nets from this circuit connect. Devices are created using the \create_device method. Subcircuits are created using the \create_subcircuit method. + "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. - Devices are connected through 'terminals', subcircuits are connected through their pins. Terminals and pins are described by integer ID's in the context of most methods. + "ignore_angle" specifies the angle limit of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. + Use nil for this value to select the default. - Finally, the circuit consists of the nets. Nets connect terminals of devices and pins of subcircuits or the circuit itself. Nets are created using \create_net and are represented by objects of the \Net class. - See there for more about nets. + "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one limit, pass nil to the respective value. - The Circuit object is only valid if the netlist object is alive. Circuits must be added to a netlist using \Netlist#add to become part of the netlist. + "shielded" controls whether shielding is applied. Shielding means that rule violations are not detected 'through' other features. Measurements are only made where the opposite edge is unobstructed. + Shielding often is not optional as a rule violation in shielded case automatically comes with rule violations between the original and the shielding features. If not necessary, shielding can be disabled by setting this flag to false. In general, this will improve performance somewhat. - The Circuit class has been introduced in version 0.26. - """ - boundary: DPolygon - r""" - Getter: - @brief Gets the boundary of the circuit - Setter: - @brief Sets the boundary of the circuit - """ - cell_index: int - r""" - Getter: - @brief Gets the cell index of the circuit - See \cell_index= for details. + "opposite_filter" specifies whether to require or reject errors happening on opposite sides of a figure. "rect_filter" allows suppressing specific error configurations on rectangular input figures. - Setter: - @brief Sets the cell index - The cell index relates a circuit with a cell from a layout. It's intended to hold a cell index number if the netlist was extracted from a layout. - """ - dont_purge: bool - r""" - Getter: - @brief Gets a value indicating whether the circuit can be purged on \Netlist#purge. + If "negative" is true, only edges from the first input are output as pseudo edge-pairs where the separation is larger or equal to the limit. This is a way to flag the parts of the first input where the distance to the second input is bigger. Note that only the first input's edges are output. The output is still edge pairs, but each edge pair contains one edge from the original input and the reverse version of the edge as the second edge. - Setter: - @brief Sets a value indicating whether the circuit can be purged on \Netlist#purge. - If this attribute is set to true, \Netlist#purge will never delete this circuit. - This flag therefore marks this circuit as 'precious'. - """ - name: str - r""" - Getter: - @brief Gets the name of the circuit - Setter: - @brief Sets the name of the circuit - """ - def _assign(self, other: NetlistObject) -> None: - r""" - @brief Assigns another object to self + Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + + The 'shielded', 'negative', 'not_opposite' and 'rect_sides' options have been introduced in version 0.27. The interpretation of the 'negative' flag has been restriced to first-layout only output in 0.27.1. + 'property_constraint' has been added in version 0.28.4. """ - def _create(self) -> None: + @overload + def size(self) -> int: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Returns the (flat) number of polygons in the region + + This returns the number of raw polygons (not merged polygons if merged semantics is enabled). + The count is computed 'as if flat', i.e. polygons inside a cell are multiplied by the number of times a cell is instantiated. + + The 'count' alias has been provided in version 0.26 to avoid ambiguity with the 'size' method which applies a geometrical bias. """ - def _destroy(self) -> None: + @overload + def size(self, d: int, mode: Optional[int] = ...) -> Region: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Isotropic sizing (biasing) + + @return The region after the sizing has applied (self) + + This method is equivalent to "size(d, d, mode)". + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ - def _destroyed(self) -> bool: + @overload + def size(self, dv: Vector, mode: Optional[int] = ...) -> Region: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Anisotropic sizing (biasing) + + @return The region after the sizing has applied (self) + + This method is equivalent to "size(dv.x, dv.y, mode)". + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This variant has been introduced in version 0.28. """ - def _dup(self) -> Circuit: + @overload + def size(self, dx: int, dy: int, mode: int) -> Region: r""" - @brief Creates a copy of self + @brief Anisotropic sizing (biasing) + + @return The region after the sizing has applied (self) + + Shifts the contour outwards (dx,dy>0) or inwards (dx,dy<0). + dx is the sizing in x-direction and dy is the sizing in y-direction. The sign of dx and dy should be identical. + + This method applies a sizing to the region. Before the sizing is done, the + region is merged if this is not the case already. + + The mode defines at which bending angle cutoff occurs + (0:>0, 1:>45, 2:>90, 3:>135, 4:>approx. 168, other:>approx. 179) + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + The result is a set of polygons which may be overlapping, but are not self- + intersecting. Polygons may overlap afterwards because they grew big enough to overlap their neighbors. + In that case, \merge can be used to detect this overlaps by setting the "min_wc" parameter to value 1: + + @code + r = RBA::Region::new + r.insert(RBA::Box::new(0, 0, 50, 50)) + r.insert(RBA::Box::new(100, 0, 150, 50)) + r.size(50, 2) + r.merge(false, 1) + # r now is (50,-50;50,100;100,100;100,-50) + @/code """ - def _is_const_object(self) -> bool: + @overload + def sized(self, d: int, mode: Optional[int] = ...) -> Region: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Returns the isotropically sized region + + @return The sized region + + This method is equivalent to "sized(d, d, mode)". + This method returns the sized region (see \size), but does not modify self. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ - def _manage(self) -> None: + @overload + def sized(self, dv: Vector, mode: Optional[int] = ...) -> Region: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Returns the (an)isotropically sized region - Usually it's not required to call this method. It has been introduced in version 0.24. + @return The sized region + + This method is equivalent to "sized(dv.x, dv.y, mode)". + This method returns the sized region (see \size), but does not modify self. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This variant has been introduced in version 0.28. """ - def _unmanage(self) -> None: + @overload + def sized(self, dx: int, dy: int, mode: int) -> Region: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Returns the anisotropically sized region - Usually it's not required to call this method. It has been introduced in version 0.24. + @return The sized region + + This method returns the sized region (see \size), but does not modify self. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ - def blank(self) -> None: + def smooth(self, d: int, keep_hv: Optional[bool] = ...) -> None: r""" - @brief Blanks out the circuit - This method will remove all the innards of the circuit and just leave the pins. The pins won't be connected to inside nets anymore, but the circuit can still be called by subcircuit references. This method will eventually create a 'circuit abstract' (or black box). It will set the \dont_purge flag to mark this circuit as 'intentionally empty'. + @brief Smoothing + @param d The smoothing tolerance (in database units) + @param keep_hv If true, horizontal and vertical edges are maintained + + This method will simplify the merged polygons of the region by removing vertexes if the resulting polygon stays equivalent with the original polygon. Equivalence is measured in terms of a deviation which is guaranteed to not become larger than \d. + This method modifies the region. \smoothed is a method that does the same but returns a new region without modifying self. Merged semantics applies for this method. """ - def clear(self) -> None: + def smoothed(self, d: int, keep_hv: Optional[bool] = ...) -> Region: r""" - @brief Clears the circuit - This method removes all objects and clears the other attributes. + @brief Smoothing + @param d The smoothing tolerance (in database units) + @param keep_hv If true, horizontal and vertical edges are maintained + + See \smooth for a description of this method. This version returns a new region instead of modifying self (out-of-place). It has been introduced in version 0.25. """ - def combine_devices(self) -> None: + def snap(self, gx: int, gy: int) -> None: r""" - @brief Combines devices where possible - This method will combine devices that can be combined according to their device classes 'combine_devices' method. - For example, serial or parallel resistors can be combined into a single resistor. + @brief Snaps the region to the given grid + This method will snap the region to the given grid - each x or y coordinate is brought on the gx or gy grid by rounding to the nearest value which is a multiple of gx or gy. + + If gx or gy is 0, no snapping happens in that direction. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ - @overload - def connect_pin(self, pin: Pin, net: Net) -> None: + def snapped(self, gx: int, gy: int) -> Region: r""" - @brief Connects the given pin with the given net. - The net and the pin must be objects from inside the circuit. Any previous connected is resolved before this connection is made. A pin can only be connected to one net at a time. + @brief Returns the snapped region + This method will snap the region to the given grid and return the snapped region (see \snap). The original region is not modified. """ - @overload - def connect_pin(self, pin_id: int, net: Net) -> None: + def space_check(self, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., opposite_filter: Optional[Region.OppositeFilter] = ..., rect_filter: Optional[Region.RectFilter] = ..., negative: Optional[bool] = ..., property_constraint: Optional[PropertyConstraint] = ...) -> EdgePairs: r""" - @brief Connects the given pin with the given net. - The net must be one inside the circuit. Any previous connected is resolved before this connection is made. A pin can only be connected to one net at a time. + @brief Performs a space check with options + @param d The minimum space for which the polygons are checked + @param whole_edges If true, deliver the whole edges + @param metrics Specify the metrics type + @param ignore_angle The angle above which no check is performed + @param min_projection The lower threshold of the projected length of one edge onto another + @param max_projection The upper limit of the projected length of one edge onto another + @param opposite_filter Specifies a filter mode for errors happening on opposite sides of inputs shapes + @param rect_filter Specifies an error filter for rectangular input shapes + @param negative If true, edges not violation the condition will be output as pseudo-edge pairs + @param property_constraint Specifies whether to consider only shapes with a certain property relation + + If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. + + "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. + + "ignore_angle" specifies the angle limit of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. + Use nil for this value to select the default. + + "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one limit, pass nil to the respective value. + + "shielded" controls whether shielding is applied. Shielding means that rule violations are not detected 'through' other features. Measurements are only made where the opposite edge is unobstructed. + Shielding often is not optional as a rule violation in shielded case automatically comes with rule violations between the original and the shielding features. If not necessary, shielding can be disabled by setting this flag to false. In general, this will improve performance somewhat. + + "opposite_filter" specifies whether to require or reject errors happening on opposite sides of a figure. "rect_filter" allows suppressing specific error configurations on rectangular input figures. + + Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + + The 'shielded', 'negative', 'not_opposite' and 'rect_sides' options have been introduced in version 0.27. + 'property_constraint' has been added in version 0.28.4. """ - def create_device(self, device_class: DeviceClass, name: Optional[str] = ...) -> Device: + def split_covering(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> List[Region]: r""" - @brief Creates a new bound \Device object inside the circuit - This object describes a device of the circuit. The device is already attached to the device class. The name is optional and is used to identify the device in a netlist file. + @brief Returns the polygons of this region which are completely covering polygons from the other region and the ones which are not at the same time - For more details see the \Device class. + @return Two new regions: the first containing the result of \covering, the second the result of \not_covering + + This method is equivalent to calling \covering and \not_covering, but is faster when both results are required. + Merged semantics applies for this method (see \merged_semantics= for a description of this concept). + + This method has been introduced in version 0.27. """ - def create_net(self, name: Optional[str] = ...) -> Net: + def split_inside(self, other: Region) -> List[Region]: r""" - @brief Creates a new \Net object inside the circuit - This object will describe a net of the circuit. The nets are basically connections between the different components of the circuit (subcircuits, devices and pins). + @brief Returns the polygons of this region which are completely inside polygons from the other region and the ones which are not at the same time - A net needs to be filled with references to connect to specific objects. See the \Net class for more details. + @return Two new regions: the first containing the result of \inside, the second the result of \not_inside + + This method is equivalent to calling \inside and \not_inside, but is faster when both results are required. + Merged semantics applies for this method (see \merged_semantics= for a description of this concept). + + This method has been introduced in version 0.27. """ - def create_pin(self, name: str) -> Pin: + @overload + def split_interacting(self, other: Edges, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> List[Region]: r""" - @brief Creates a new \Pin object inside the circuit - This object will describe a pin of the circuit. A circuit connects to the outside through such a pin. The pin is added after all existing pins. For more details see the \Pin class. + @brief Returns the polygons of this region which are interacting with edges from the other edge collection and the ones which are not at the same time - Starting with version 0.26.8, this method returns a reference to a \Pin object rather than a copy. + @return Two new regions: the first containing the result of \interacting, the second the result of \not_interacting + + This method is equivalent to calling \interacting and \not_interacting, but is faster when both results are required. + Merged semantics applies for this method (see \merged_semantics= for a description of this concept). + + This method has been introduced in version 0.27. """ - def create_subcircuit(self, circuit: Circuit, name: Optional[str] = ...) -> SubCircuit: + @overload + def split_interacting(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> List[Region]: r""" - @brief Creates a new bound \SubCircuit object inside the circuit - This object describes an instance of another circuit inside the circuit. The subcircuit is already attached to the other circuit. The name is optional and is used to identify the subcircuit in a netlist file. + @brief Returns the polygons of this region which are interacting with polygons from the other region and the ones which are not at the same time - For more details see the \SubCircuit class. + @return Two new regions: the first containing the result of \interacting, the second the result of \not_interacting + + This method is equivalent to calling \interacting and \not_interacting, but is faster when both results are required. + Merged semantics applies for this method (see \merged_semantics= for a description of this concept). + + This method has been introduced in version 0.27. """ @overload - def device_by_id(self, id: int) -> Device: + def split_interacting(self, other: Texts, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> List[Region]: r""" - @brief Gets the device object for a given ID. - If the ID is not a valid device ID, nil is returned. + @brief Returns the polygons of this region which are interacting with texts from the other text collection and the ones which are not at the same time + + @return Two new regions: the first containing the result of \interacting, the second the result of \not_interacting + + This method is equivalent to calling \interacting and \not_interacting, but is faster when both results are required. + Merged semantics applies for this method (see \merged_semantics= for a description of this concept). + + This method has been introduced in version 0.27. """ - @overload - def device_by_id(self, id: int) -> Device: + def split_outside(self, other: Region) -> List[Region]: r""" - @brief Gets the device object for a given ID (const version). - If the ID is not a valid device ID, nil is returned. + @brief Returns the polygons of this region which are completely outside polygons from the other region and the ones which are not at the same time - This constness variant has been introduced in version 0.26.8 + @return Two new regions: the first containing the result of \outside, the second the result of \not_outside + + This method is equivalent to calling \outside and \not_outside, but is faster when both results are required. + Merged semantics applies for this method (see \merged_semantics= for a description of this concept). + + This method has been introduced in version 0.27. """ - @overload - def device_by_name(self, name: str) -> Device: + def split_overlapping(self, other: Region, min_count: Optional[int] = ..., max_count: Optional[int] = ...) -> List[Region]: r""" - @brief Gets the device object for a given name. - If the ID is not a valid device name, nil is returned. + @brief Returns the polygons of this region which are overlapping with polygons from the other region and the ones which are not at the same time + + @return Two new regions: the first containing the result of \overlapping, the second the result of \not_overlapping + + This method is equivalent to calling \overlapping and \not_overlapping, but is faster when both results are required. + Merged semantics applies for this method (see \merged_semantics= for a description of this concept). + + This method has been introduced in version 0.27. """ - @overload - def device_by_name(self, name: str) -> Device: + def squares(self) -> Region: r""" - @brief Gets the device object for a given name (const version). - If the ID is not a valid device name, nil is returned. + @brief Returns all polygons which are squares + This method returns all polygons in self which are squares.Merged semantics applies for this method (see \merged_semantics= for a description of this concept) - This constness variant has been introduced in version 0.26.8 + This method has been introduced in version 0.27. """ - @overload - def disconnect_pin(self, pin: Pin) -> None: + def strange_polygon_check(self) -> Region: r""" - @brief Disconnects the given pin from any net. + @brief Returns a region containing those parts of polygons which are "strange" + Strange parts of polygons are self-overlapping parts or non-orientable parts (i.e. in the "8" configuration). + + Merged semantics does not apply for this method (see \merged_semantics= for a description of this concept) """ - @overload - def disconnect_pin(self, pin_id: int) -> None: + def swap(self, other: Region) -> None: r""" - @brief Disconnects the given pin from any net. + @brief Swap the contents of this region with the contents of another region + This method is useful to avoid excessive memory allocation in some cases. For managed memory languages such as Ruby, those cases will be rare. """ @overload - def each_child(self) -> Iterator[Circuit]: + def texts(self, dss: DeepShapeStore, expr: Optional[str] = ..., as_pattern: Optional[bool] = ..., enl: Optional[int] = ...) -> Region: r""" - @brief Iterates over the child circuits of this circuit - Child circuits are the ones that are referenced from this circuit via subcircuits. + @hide + This method is provided for DRC implementation only. """ @overload - def each_child(self) -> Iterator[Circuit]: + def texts(self, expr: Optional[str] = ..., as_pattern: Optional[bool] = ..., enl: Optional[int] = ...) -> Region: r""" - @brief Iterates over the child circuits of this circuit (const version) - Child circuits are the ones that are referenced from this circuit via subcircuits. - - This constness variant has been introduced in version 0.26.8 + @hide + This method is provided for DRC implementation only. """ @overload - def each_device(self) -> Iterator[Device]: + def texts_dots(self, dss: DeepShapeStore, expr: Optional[str] = ..., as_pattern: Optional[bool] = ...) -> Edges: r""" - @brief Iterates over the devices of the circuit + @hide + This method is provided for DRC implementation only. """ @overload - def each_device(self) -> Iterator[Device]: + def texts_dots(self, expr: Optional[str] = ..., as_pattern: Optional[bool] = ...) -> Edges: r""" - @brief Iterates over the devices of the circuit (const version) - - This constness variant has been introduced in version 0.26.8 + @hide + This method is provided for DRC implementation only. """ @overload - def each_net(self) -> Iterator[Net]: + def to_s(self) -> str: r""" - @brief Iterates over the nets of the circuit + @brief Converts the region to a string + The length of the output is limited to 20 polygons to avoid giant strings on large regions. For full output use "to_s" with a maximum count parameter. """ @overload - def each_net(self) -> Iterator[Net]: + def to_s(self, max_count: int) -> str: r""" - @brief Iterates over the nets of the circuit (const version) - - This constness variant has been introduced in version 0.26.8 + @brief Converts the region to a string + This version allows specification of the maximum number of polygons contained in the string. """ @overload - def each_parent(self) -> Iterator[Circuit]: + def transform(self, t: ICplxTrans) -> Region: r""" - @brief Iterates over the parent circuits of this circuit - Child circuits are the ones that are referencing this circuit via subcircuits. + @brief Transform the region with a complex transformation (modifies self) + + Transforms the region with the given transformation. + This version modifies the region and returns a reference to self. + + @param t The transformation to apply. + + @return The transformed region. """ @overload - def each_parent(self) -> Iterator[Circuit]: + def transform(self, t: IMatrix2d) -> Region: r""" - @brief Iterates over the parent circuits of this circuit (const version) - Child circuits are the ones that are referencing this circuit via subcircuits. + @brief Transform the region (modifies self) - This constness variant has been introduced in version 0.26.8 + Transforms the region with the given 2d matrix transformation. + This version modifies the region and returns a reference to self. + + @param t The transformation to apply. + + @return The transformed region. + + This variant was introduced in version 0.27. """ @overload - def each_pin(self) -> Iterator[Pin]: + def transform(self, t: IMatrix3d) -> Region: r""" - @brief Iterates over the pins of the circuit + @brief Transform the region (modifies self) + + Transforms the region with the given 3d matrix transformation. + This version modifies the region and returns a reference to self. + + @param t The transformation to apply. + + @return The transformed region. + + This variant was introduced in version 0.27. """ @overload - def each_pin(self) -> Iterator[Pin]: + def transform(self, t: Trans) -> Region: r""" - @brief Iterates over the pins of the circuit (const version) + @brief Transform the region (modifies self) - This constness variant has been introduced in version 0.26.8 + Transforms the region with the given transformation. + This version modifies the region and returns a reference to self. + + @param t The transformation to apply. + + @return The transformed region. """ - @overload - def each_ref(self) -> Iterator[SubCircuit]: + def transform_icplx(self, t: ICplxTrans) -> Region: r""" - @brief Iterates over the subcircuit objects referencing this circuit + @brief Transform the region with a complex transformation (modifies self) + + Transforms the region with the given transformation. + This version modifies the region and returns a reference to self. + + @param t The transformation to apply. + + @return The transformed region. """ @overload - def each_ref(self) -> Iterator[SubCircuit]: + def transformed(self, t: ICplxTrans) -> Region: r""" - @brief Iterates over the subcircuit objects referencing this circuit (const version) + @brief Transforms the region with a complex transformation + Transforms the region with the given complex transformation. + Does not modify the region but returns the transformed region. - This constness variant has been introduced in version 0.26.8 + @param t The transformation to apply. + + @return The transformed region. """ @overload - def each_subcircuit(self) -> Iterator[SubCircuit]: + def transformed(self, t: IMatrix2d) -> Region: r""" - @brief Iterates over the subcircuits of the circuit + @brief Transforms the region + + Transforms the region with the given 2d matrix transformation. + Does not modify the region but returns the transformed region. + + @param t The transformation to apply. + + @return The transformed region. + + This variant was introduced in version 0.27. """ @overload - def each_subcircuit(self) -> Iterator[SubCircuit]: + def transformed(self, t: IMatrix3d) -> Region: r""" - @brief Iterates over the subcircuits of the circuit (const version) + @brief Transforms the region - This constness variant has been introduced in version 0.26.8 - """ - def flatten_subcircuit(self, subcircuit: SubCircuit) -> None: - r""" - @brief Flattens a subcircuit - This method will substitute the given subcircuit by it's contents. The subcircuit is removed after this. + Transforms the region with the given 3d matrix transformation. + Does not modify the region but returns the transformed region. + + @param t The transformation to apply. + + @return The transformed region. + + This variant was introduced in version 0.27. """ - def has_refs(self) -> bool: + @overload + def transformed(self, t: Trans) -> Region: r""" - @brief Returns a value indicating whether the circuit has references - A circuit has references if there is at least one subcircuit referring to it. + @brief Transforms the region + + Transforms the region with the given transformation. + Does not modify the region but returns the transformed region. + + @param t The transformation to apply. + + @return The transformed region. """ - def join_nets(self, net: Net, with_: Net) -> None: + def transformed_icplx(self, t: ICplxTrans) -> Region: r""" - @brief Joins (connects) two nets into one - This method will connect the 'with' net with 'net' and remove 'with'. + @brief Transforms the region with a complex transformation - This method has been introduced in version 0.26.4. + Transforms the region with the given complex transformation. + Does not modify the region but returns the transformed region. + + @param t The transformation to apply. + + @return The transformed region. """ - def net_by_cluster_id(self, cluster_id: int) -> Net: + def width_check(self, d: int, whole_edges: Optional[bool] = ..., metrics: Optional[Metrics] = ..., ignore_angle: Optional[Any] = ..., min_projection: Optional[Any] = ..., max_projection: Optional[Any] = ..., shielded: Optional[bool] = ..., negative: Optional[bool] = ..., property_constraint: Optional[PropertyConstraint] = ...) -> EdgePairs: r""" - @brief Gets the net object corresponding to a specific cluster ID - If the ID is not a valid pin cluster ID, nil is returned. + @brief Performs a width check with options + @param d The minimum width for which the polygons are checked + @param whole_edges If true, deliver the whole edges + @param metrics Specify the metrics type + @param ignore_angle The angle above which no check is performed + @param min_projection The lower threshold of the projected length of one edge onto another + @param max_projection The upper limit of the projected length of one edge onto another + @param shielded Enables shielding + @param negative If true, edges not violation the condition will be output as pseudo-edge pairs + @param property_constraint Only \IgnoreProperties and \NoPropertyConstraint are allowed - in the last case, properties are copied from the original shapes to the output. Other than 'width' allow more options here. + + This version is similar to the simple version with one parameter. In addition, it allows to specify many more options. + + If "whole_edges" is true, the resulting \EdgePairs collection will receive the whole edges which contribute in the width check. + + "metrics" can be one of the constants \Euclidian, \Square or \Projection. See there for a description of these constants. + + "ignore_angle" specifies the angle limit of two edges. If two edges form an angle equal or above the given value, they will not contribute in the check. Setting this value to 90 (the default) will exclude edges with an angle of 90 degree or more from the check. + Use nil for this value to select the default. + + "min_projection" and "max_projection" allow selecting edges by their projected value upon each other. It is sufficient if the projection of one edge on the other matches the specified condition. The projected length must be larger or equal to "min_projection" and less than "max_projection". If you don't want to specify one limit, pass nil to the respective value. + + "shielded" controls whether shielding is applied. Shielding means that rule violations are not detected 'through' other features. Measurements are only made where the opposite edge is unobstructed. + Shielding often is not optional as a rule violation in shielded case automatically comes with rule violations between the original and the shielding features. If not necessary, shielding can be disabled by setting this flag to false. In general, this will improve performance somewhat. + + Merged semantics applies for the input of this method (see \merged_semantics= for a description of this concept) + + The 'shielded' and 'negative' options have been introduced in version 0.27. 'property_constraint' has been added in version 0.28.4. """ @overload - def net_by_name(self, name: str) -> Net: + def with_angle(self, amin: float, amax: float, inverse: bool) -> EdgePairs: r""" - @brief Gets the net object for a given name. - If the ID is not a valid net name, nil is returned. + @brief Returns markers on every corner with an angle of more than amin and less than amax (or the opposite) + If the inverse flag is false, this method returns an error marker (an \EdgePair object) for every corner whose connected edges form an angle whose value is more or equal to amin (in degree) or less (but not equal to) amax. If the inverse flag is true, the method returns markers for every corner whose angle is not matching that criterion. + + The edge pair objects returned will contain both edges forming the angle. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ @overload - def net_by_name(self, name: str) -> Net: + def with_angle(self, angle: float, inverse: bool) -> EdgePairs: r""" - @brief Gets the net object for a given name (const version). - If the ID is not a valid net name, nil is returned. + @brief Returns markers on every corner with the given angle (or not with the given angle) + If the inverse flag is false, this method returns an error marker (an \EdgePair object) for every corner whose connected edges form an angle with the given value (in degree). If the inverse flag is true, the method returns markers for every corner whose angle is not the given value. - This constness variant has been introduced in version 0.26.8 + The edge pair objects returned will contain both edges forming the angle. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ @overload - def net_for_pin(self, pin: Pin) -> Net: + def with_area(self, area: int, inverse: bool) -> Region: r""" - @brief Gets the net object attached to a specific pin. - This is the net object inside the circuit which attaches to the given outward-bound pin. - This method returns nil if the pin is not connected or the pin object is nil. + @brief Filter the polygons by area + Filters the polygons of the region by area. If "inverse" is false, only polygons which have the given area are returned. If "inverse" is true, polygons not having the given area are returned. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ @overload - def net_for_pin(self, pin: Pin) -> Net: + def with_area(self, min_area: Any, max_area: Any, inverse: bool) -> Region: r""" - @brief Gets the net object attached to a specific pin (const version). - This is the net object inside the circuit which attaches to the given outward-bound pin. - This method returns nil if the pin is not connected or the pin object is nil. + @brief Filter the polygons by area + Filters the polygons of the region by area. If "inverse" is false, only polygons which have an area larger or equal to "min_area" and less than "max_area" are returned. If "inverse" is true, polygons having an area less than "min_area" or larger or equal than "max_area" are returned. - This constness variant has been introduced in version 0.26.8 + If you don't want to specify a lower or upper limit, pass nil to that parameter. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ @overload - def net_for_pin(self, pin_id: int) -> Net: + def with_area_ratio(self, min_ratio: Any, max_ratio: Any, inverse: bool, min_included: Optional[bool] = ..., max_included: Optional[bool] = ...) -> Region: r""" - @brief Gets the net object attached to a specific pin. - This is the net object inside the circuit which attaches to the given outward-bound pin. - This method returns nil if the pin is not connected or the pin ID is invalid. + @brief Filters the polygons by the aspect ratio of their bounding boxes + The area ratio is defined by the ratio of bounding box area to polygon area. It's a measure how much the bounding box is approximating the polygon. 'Thin polygons' have a large area ratio, boxes has an area ratio of 1. + The area ratio is always larger or equal to 1. + With 'inverse' set to false, this version filters polygons which have an area ratio between 'min_ratio' and 'max_ratio'. With 'min_included' set to true, the 'min_ratio' value is included in the range, otherwise it's excluded. Same for 'max_included' and 'max_ratio'. With 'inverse' set to true, all other polygons will be returned. + + If you don't want to specify a lower or upper limit, pass nil to that parameter. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.27. """ @overload - def net_for_pin(self, pin_id: int) -> Net: + def with_area_ratio(self, ratio: float, inverse: bool) -> Region: r""" - @brief Gets the net object attached to a specific pin (const version). - This is the net object inside the circuit which attaches to the given outward-bound pin. - This method returns nil if the pin is not connected or the pin ID is invalid. + @brief Filters the polygons by the bounding box area to polygon area ratio + The area ratio is defined by the ratio of bounding box area to polygon area. It's a measure how much the bounding box is approximating the polygon. 'Thin polygons' have a large area ratio, boxes has an area ratio of 1. + The area ratio is always larger or equal to 1. + With 'inverse' set to false, this version filters polygons which have an area ratio equal to the given value. With 'inverse' set to true, all other polygons will be returned. - This constness variant has been introduced in version 0.26.8 + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.27. """ @overload - def netlist(self) -> Netlist: + def with_bbox_aspect_ratio(self, min_ratio: Any, max_ratio: Any, inverse: bool, min_included: Optional[bool] = ..., max_included: Optional[bool] = ...) -> Region: r""" - @brief Gets the netlist object the circuit lives in + @brief Filters the polygons by the aspect ratio of their bounding boxes + Filters the polygons of the region by the aspect ratio of their bounding boxes. The aspect ratio is the ratio of larger to smaller dimension of the bounding box. A square has an aspect ratio of 1. + + With 'inverse' set to false, this version filters polygons which have a bounding box aspect ratio between 'min_ratio' and 'max_ratio'. With 'min_included' set to true, the 'min_ratio' value is included in the range, otherwise it's excluded. Same for 'max_included' and 'max_ratio'. With 'inverse' set to true, all other polygons will be returned. + + If you don't want to specify a lower or upper limit, pass nil to that parameter. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.27. """ @overload - def netlist(self) -> Netlist: + def with_bbox_aspect_ratio(self, ratio: float, inverse: bool) -> Region: r""" - @brief Gets the netlist object the circuit lives in (const version) + @brief Filters the polygons by the aspect ratio of their bounding boxes + Filters the polygons of the region by the aspect ratio of their bounding boxes. The aspect ratio is the ratio of larger to smaller dimension of the bounding box. A square has an aspect ratio of 1. - This constness variant has been introduced in version 0.26.8 + With 'inverse' set to false, this version filters polygons which have a bounding box aspect ratio equal to the given value. With 'inverse' set to true, all other polygons will be returned. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.27. """ @overload - def nets_by_name(self, name_pattern: str) -> List[Net]: + def with_bbox_height(self, height: int, inverse: bool) -> Region: r""" - @brief Gets the net objects for a given name filter. - The name filter is a glob pattern. This method will return all \Net objects matching the glob pattern. + @brief Filter the polygons by bounding box height + Filters the polygons of the region by the height of their bounding box. If "inverse" is false, only polygons whose bounding box has the given height are returned. If "inverse" is true, polygons whose bounding box does not have the given height are returned. - This method has been introduced in version 0.27.3. + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ @overload - def nets_by_name(self, name_pattern: str) -> List[Net]: + def with_bbox_height(self, min_height: Any, max_height: Any, inverse: bool) -> Region: r""" - @brief Gets the net objects for a given name filter (const version). - The name filter is a glob pattern. This method will return all \Net objects matching the glob pattern. - + @brief Filter the polygons by bounding box height + Filters the polygons of the region by the height of their bounding box. If "inverse" is false, only polygons whose bounding box has a height larger or equal to "min_height" and less than "max_height" are returned. If "inverse" is true, all polygons not matching this criterion are returned. + If you don't want to specify a lower or upper limit, pass nil to that parameter. - This constness variant has been introduced in version 0.27.3 + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ @overload - def pin_by_id(self, id: int) -> Pin: + def with_bbox_max(self, dim: int, inverse: bool) -> Region: r""" - @brief Gets the \Pin object corresponding to a specific ID - If the ID is not a valid pin ID, nil is returned. + @brief Filter the polygons by bounding box width or height, whichever is larger + Filters the polygons of the region by the maximum dimension of their bounding box. If "inverse" is false, only polygons whose bounding box's larger dimension is equal to the given value are returned. If "inverse" is true, all polygons not matching this criterion are returned. + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ @overload - def pin_by_id(self, id: int) -> Pin: + def with_bbox_max(self, min_dim: Any, max_dim: Any, inverse: bool) -> Region: r""" - @brief Gets the \Pin object corresponding to a specific ID (const version) - If the ID is not a valid pin ID, nil is returned. + @brief Filter the polygons by bounding box width or height, whichever is larger + Filters the polygons of the region by the minimum dimension of their bounding box. If "inverse" is false, only polygons whose bounding box's larger dimension is larger or equal to "min_dim" and less than "max_dim" are returned. If "inverse" is true, all polygons not matching this criterion are returned. + If you don't want to specify a lower or upper limit, pass nil to that parameter. - This constness variant has been introduced in version 0.26.8 + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ @overload - def pin_by_name(self, name: str) -> Pin: + def with_bbox_min(self, dim: int, inverse: bool) -> Region: r""" - @brief Gets the \Pin object corresponding to a specific name - If the ID is not a valid pin name, nil is returned. + @brief Filter the polygons by bounding box width or height, whichever is smaller + Filters the polygons inside the region by the minimum dimension of their bounding box. If "inverse" is false, only polygons whose bounding box's smaller dimension is equal to the given value are returned. If "inverse" is true, all polygons not matching this criterion are returned. + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ @overload - def pin_by_name(self, name: str) -> Pin: + def with_bbox_min(self, min_dim: Any, max_dim: Any, inverse: bool) -> Region: r""" - @brief Gets the \Pin object corresponding to a specific name (const version) - If the ID is not a valid pin name, nil is returned. + @brief Filter the polygons by bounding box width or height, whichever is smaller + Filters the polygons of the region by the minimum dimension of their bounding box. If "inverse" is false, only polygons whose bounding box's smaller dimension is larger or equal to "min_dim" and less than "max_dim" are returned. If "inverse" is true, all polygons not matching this criterion are returned. + If you don't want to specify a lower or upper limit, pass nil to that parameter. - This constness variant has been introduced in version 0.26.8 - """ - def pin_count(self) -> int: - r""" - @brief Gets the number of pins in the circuit - """ - def purge_nets(self) -> None: - r""" - @brief Purges floating nets. - Floating nets are nets with no device or subcircuit attached to. Such floating nets are removed in this step. If these nets are connected outward to a circuit pin, this circuit pin is also removed. + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ - def purge_nets_keep_pins(self) -> None: + @overload + def with_bbox_width(self, min_width: Any, max_width: Any, inverse: bool) -> Region: r""" - @brief Purges floating nets but keep pins. - This method will remove floating nets like \purge_nets, but if these nets are attached to a pin, the pin will be left disconnected from any net. + @brief Filter the polygons by bounding box width + Filters the polygons of the region by the width of their bounding box. If "inverse" is false, only polygons whose bounding box has a width larger or equal to "min_width" and less than "max_width" are returned. If "inverse" is true, all polygons not matching this criterion are returned. + If you don't want to specify a lower or upper limit, pass nil to that parameter. - This method has been introduced in version 0.26.2. - """ - def remove_device(self, device: Device) -> None: - r""" - @brief Removes the given device from the circuit - """ - def remove_net(self, net: Net) -> None: - r""" - @brief Removes the given net from the circuit + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ - def remove_pin(self, id: int) -> None: + @overload + def with_bbox_width(self, width: int, inverse: bool) -> Region: r""" - @brief Removes the pin with the given ID from the circuit + @brief Filter the polygons by bounding box width + Filters the polygons of the region by the width of their bounding box. If "inverse" is false, only polygons whose bounding box has the given width are returned. If "inverse" is true, polygons whose bounding box does not have the given width are returned. - This method has been introduced in version 0.26.2. + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ - def remove_subcircuit(self, subcircuit: SubCircuit) -> None: + @overload + def with_holes(self, min_bholes: Any, max_nholes: Any, inverse: bool) -> Region: r""" - @brief Removes the given subcircuit from the circuit + @brief Filter the polygons by their number of holes + Filters the polygons of the region by number of holes. If "inverse" is false, only polygons which have a hole count larger or equal to "min_nholes" and less than "max_nholes" are returned. If "inverse" is true, polygons having a hole count less than "min_nholes" or larger or equal than "max_nholes" are returned. + + If you don't want to specify a lower or upper limit, pass nil to that parameter. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.27. """ - def rename_pin(self, id: int, new_name: str) -> None: + @overload + def with_holes(self, nholes: int, inverse: bool) -> Region: r""" - @brief Renames the pin with the given ID to 'new_name' + @brief Filters the polygons by their number of holes + Filters the polygons of the region by number of holes. If "inverse" is false, only polygons which have the given number of holes are returned. If "inverse" is true, polygons not having the given of holes are returned. - This method has been introduced in version 0.26.8. + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.27. """ @overload - def subcircuit_by_id(self, id: int) -> SubCircuit: + def with_perimeter(self, min_perimeter: Any, max_perimeter: Any, inverse: bool) -> Region: r""" - @brief Gets the subcircuit object for a given ID. - If the ID is not a valid subcircuit ID, nil is returned. + @brief Filter the polygons by perimeter + Filters the polygons of the region by perimeter. If "inverse" is false, only polygons which have a perimeter larger or equal to "min_perimeter" and less than "max_perimeter" are returned. If "inverse" is true, polygons having a perimeter less than "min_perimeter" or larger or equal than "max_perimeter" are returned. + + If you don't want to specify a lower or upper limit, pass nil to that parameter. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ @overload - def subcircuit_by_id(self, id: int) -> SubCircuit: + def with_perimeter(self, perimeter: int, inverse: bool) -> Region: r""" - @brief Gets the subcircuit object for a given ID (const version). - If the ID is not a valid subcircuit ID, nil is returned. + @brief Filter the polygons by perimeter + Filters the polygons of the region by perimeter. If "inverse" is false, only polygons which have the given perimeter are returned. If "inverse" is true, polygons not having the given perimeter are returned. - This constness variant has been introduced in version 0.26.8 + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) """ @overload - def subcircuit_by_name(self, name: str) -> SubCircuit: + def with_relative_height(self, min_ratio: Any, max_ratio: Any, inverse: bool, min_included: Optional[bool] = ..., max_included: Optional[bool] = ...) -> Region: r""" - @brief Gets the subcircuit object for a given name. - If the ID is not a valid subcircuit name, nil is returned. + @brief Filters the polygons by the bounding box height to width ratio + This method filters the polygons of the region by the ratio of height vs. width of their bounding boxes. 'Tall' polygons have a large value while 'flat' polygons have a small value. A square has a relative height of 1. + + An alternative method is 'with_area_ratio' which can be more efficient because it's isotropic. + + With 'inverse' set to false, this version filters polygons which have a relative height between 'min_ratio' and 'max_ratio'. With 'min_included' set to true, the 'min_ratio' value is included in the range, otherwise it's excluded. Same for 'max_included' and 'max_ratio'. With 'inverse' set to true, all other polygons will be returned. + + If you don't want to specify a lower or upper limit, pass nil to that parameter. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.27. """ @overload - def subcircuit_by_name(self, name: str) -> SubCircuit: + def with_relative_height(self, ratio: float, inverse: bool) -> Region: r""" - @brief Gets the subcircuit object for a given name (const version). - If the ID is not a valid subcircuit name, nil is returned. + @brief Filters the polygons by the ratio of height to width + This method filters the polygons of the region by the ratio of height vs. width of their bounding boxes. 'Tall' polygons have a large value while 'flat' polygons have a small value. A square has a relative height of 1. - This constness variant has been introduced in version 0.26.8 + An alternative method is 'with_area_ratio' which can be more efficient because it's isotropic. + + With 'inverse' set to false, this version filters polygons which have a relative height equal to the given value. With 'inverse' set to true, all other polygons will be returned. + + Merged semantics applies for this method (see \merged_semantics= for a description of this concept) + + This method has been introduced in version 0.27. """ -class Netlist: +class SaveLayoutOptions: r""" - @brief The netlist top-level class - A netlist is a hierarchical structure of circuits. At least one circuit is the top-level circuit, other circuits may be referenced as subcircuits. - Circuits are created with \create_circuit and are represented by objects of the \Circuit class. + @brief Options for saving layouts - Beside circuits, the netlist manages device classes. Device classes describe specific types of devices. Device classes are represented by objects of the \DeviceClass class and are created using \create_device_class. + This class describes the various options for saving a layout to a stream file (GDS2, OASIS and others). + There are: layers to be saved, cell or cells to be saved, scale factor, format, database unit + and format specific options. + + Usually the default constructor provides a suitable object. Please note, that the format written is "GDS2" by default. Either explicitly set a format using \format= or derive the format from the file name using \set_format_from_filename. + + The layers are specified by either selecting all layers or by defining layer by layer using the + \add_layer method. \select_all_layers will explicitly select all layers for saving, \deselect_all_layers will explicitly clear the list of layers. + + Cells are selected in a similar fashion: by default, all cells are selected. Using \add_cell, specific + cells can be selected for saving. All these cells plus their hierarchy will then be written to the stream file. - The netlist class has been introduced with version 0.26. """ - case_sensitive: bool + cif_blank_separator: bool r""" Getter: - @brief Returns a value indicating whether the netlist names are case sensitive - This method has been added in version 0.27.3. + @brief Gets a flag indicating whether blanks shall be used as x/y separator characters + See \cif_blank_separator= method for a description of that property. + This property has been added in version 0.23.10. + + The predicate version (cif_blank_separator?) has been added in version 0.25.1. Setter: - @brief Sets a value indicating whether the netlist names are case sensitive - This method has been added in version 0.27.3. + @brief Sets a flag indicating whether blanks shall be used as x/y separator characters + If this property is set to true, the x and y coordinates are separated with blank characters rather than comma characters. + This property has been added in version 0.23.10. """ - @classmethod - def new(cls) -> Netlist: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> Netlist: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> Netlist: - r""" - @brief Creates a copy of self - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def __str__(self) -> str: - r""" - @brief Converts the netlist to a string representation. - This method is intended for test purposes mainly. - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + cif_dummy_calls: bool + r""" + Getter: + @brief Gets a flag indicating whether dummy calls shall be written + See \cif_dummy_calls= method for a description of that property. + This property has been added in version 0.23.10. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + The predicate version (cif_blank_separator?) has been added in version 0.25.1. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - @overload - def add(self, circuit: Circuit) -> None: - r""" - @brief Adds the circuit to the netlist - This method will add the given circuit object to the netlist. After the circuit has been added, it will be owned by the netlist. - """ - @overload - def add(self, device_class: DeviceClass) -> None: - r""" - @brief Adds the device class to the netlist - This method will add the given device class object to the netlist. After the device class has been added, it will be owned by the netlist. - """ - def assign(self, other: Netlist) -> None: - r""" - @brief Assigns another object to self - """ - def blank_circuit(self, pattern: str) -> None: - r""" - @brief Blanks circuits matching a certain pattern - This method will erase everything from inside the circuits matching the given pattern. It will only leave pins which are not connected to any net. Hence, this method forms 'abstract' or black-box circuits which can be instantiated through subcircuits like the former ones, but are empty shells. - The name pattern is a glob expression. For example, 'blank_circuit("np*")' will blank out all circuits with names starting with 'np'. + Setter: + @brief Sets a flag indicating whether dummy calls shall be written + If this property is set to true, dummy calls will be written in the top level entity of the CIF file calling every top cell. + This option is useful for enhanced compatibility with other tools. - For more details see \Circuit#blank which is the corresponding method on the actual object. - """ - @overload - def circuit_by_cell_index(self, cell_index: int) -> Circuit: - r""" - @brief Gets the circuit object for a given cell index (const version). - If the cell index is not valid or no circuit is registered with this index, nil is returned. + This property has been added in version 0.23.10. + """ + dbu: float + r""" + Getter: + @brief Get the explicit database unit if one is set - This constness variant has been introduced in version 0.26.8 - """ - @overload - def circuit_by_cell_index(self, cell_index: int) -> Circuit: - r""" - @brief Gets the circuit object for a given cell index. - If the cell index is not valid or no circuit is registered with this index, nil is returned. - """ - @overload - def circuit_by_name(self, name: str) -> Circuit: - r""" - @brief Gets the circuit object for a given name. - If the name is not a valid circuit name, nil is returned. - """ - @overload - def circuit_by_name(self, name: str) -> Circuit: + See \dbu= for a description of that attribute. + + Setter: + @brief Set the database unit to be used in the stream file + + By default, the database unit of the layout is used. This method allows one to explicitly use a different + database unit. A scale factor is introduced automatically which scales all layout objects accordingly so their physical dimensions remain the same. When scaling to a larger database unit or one that is not an integer fraction of the original one, rounding errors may occur and the layout may become slightly distorted. + """ + dxf_polygon_mode: int + r""" + Getter: + @brief Specifies how to write polygons. + See \dxf_polygon_mode= for a description of this property. + + This property has been added in version 0.21.3. + + Setter: + @brief Specifies how to write polygons. + The mode is 0 (write POLYLINE entities), 1 (write LWPOLYLINE entities), 2 (decompose into SOLID entities), 3 (write HATCH entities), or 4 (write LINE entities). + + This property has been added in version 0.21.3. '4', in version 0.25.6. + """ + format: str + r""" + Getter: + @brief Gets the format name + + See \format= for a description of that method. + + Setter: + @brief Select a format + The format string can be either "GDS2", "OASIS", "CIF" or "DXF". Other formats may be available if + a suitable plugin is installed. + """ + gds2_libname: str + r""" + Getter: + @brief Get the library name + See \gds2_libname= method for a description of the library name. + This property has been added in version 0.18. + + Setter: + @brief Set the library name + + The library name is the string written into the LIBNAME records of the GDS file. + The library name should not be an empty string and is subject to certain limitations in the character choice. + + This property has been added in version 0.18. + """ + gds2_max_cellname_length: int + r""" + Getter: + @brief Get the maximum length of cell names + See \gds2_max_cellname_length= method for a description of the maximum cell name length. + This property has been added in version 0.18. + + Setter: + @brief Maximum length of cell names + + This property describes the maximum number of characters for cell names. + Longer cell names will be shortened. + + This property has been added in version 0.18. + """ + gds2_max_vertex_count: int + r""" + Getter: + @brief Gets the maximum number of vertices for polygons to write + See \gds2_max_vertex_count= method for a description of the maximum vertex count. + This property has been added in version 0.18. + + Setter: + @brief Sets the maximum number of vertices for polygons to write + This property describes the maximum number of point for polygons in GDS2 files. + Polygons with more points will be split. + The minimum value for this property is 4. The maximum allowed value is about 4000 or 8000, depending on the + GDS2 interpretation. If \gds2_multi_xy_records is true, this + property is not used. Instead, the number of points is unlimited. + + This property has been added in version 0.18. + """ + gds2_multi_xy_records: bool + r""" + Getter: + @brief Gets the property enabling multiple XY records for BOUNDARY elements + See \gds2_multi_xy_records= method for a description of this property. + This property has been added in version 0.18. + + Setter: + @brief Uses multiple XY records in BOUNDARY elements for unlimited large polygons + + Setting this property to true allows producing polygons with an unlimited number of points + at the cost of incompatible formats. Setting it to true disables the \gds2_max_vertex_count setting. + + This property has been added in version 0.18. + """ + gds2_no_zero_length_paths: bool + r""" + Getter: + @brief Gets a value indicating whether zero-length paths are eliminated + + This property has been added in version 0.23. + + Setter: + @brief Eliminates zero-length paths if true + + If this property is set to true, paths with zero length will be converted to BOUNDARY objects. + + + This property has been added in version 0.23. + """ + gds2_resolve_skew_arrays: bool + r""" + Getter: + @brief Gets a value indicating whether to resolve skew arrays into single instances + See \gds2_resolve_skew_arrays= method for a description of this property. + This property has been added in version 0.27.1. + + Setter: + @brief Resolves skew arrays into single instances + + Setting this property to true will make skew (non-orthogonal) arrays being resolved into single instances. + Skew arrays happen if either the row or column vector isn't parallel to x or y axis. Such arrays can cause problems with some legacy software and can be disabled with this option. + + This property has been added in version 0.27.1. + """ + gds2_user_units: float + r""" + Getter: + @brief Get the user units + See \gds2_user_units= method for a description of the user units. + This property has been added in version 0.18. + + Setter: + @brief Set the users units to write into the GDS file + + The user units of a GDS file are rarely used and usually are set to 1 (micron). + The intention of the user units is to specify the display units. KLayout ignores the user unit and uses microns as the display unit. + The user unit must be larger than zero. + + This property has been added in version 0.18. + """ + gds2_write_cell_properties: bool + r""" + Getter: + @brief Gets a value indicating whether cell properties are written + + This property has been added in version 0.23. + + Setter: + @brief Enables writing of cell properties if set to true + + If this property is set to true, cell properties will be written as PROPATTR/PROPVALUE records immediately following the BGNSTR records. This is a non-standard extension and is therefore disabled by default. + + + This property has been added in version 0.23. + """ + gds2_write_file_properties: bool + r""" + Getter: + @brief Gets a value indicating whether layout properties are written + + This property has been added in version 0.24. + + Setter: + @brief Enables writing of file properties if set to true + + If this property is set to true, layout properties will be written as PROPATTR/PROPVALUE records immediately following the BGNLIB records. This is a non-standard extension and is therefore disabled by default. + + + This property has been added in version 0.24. + """ + gds2_write_timestamps: bool + r""" + Getter: + @brief Gets a value indicating whether the current time is written into the GDS2 timestamp fields + + This property has been added in version 0.21.16. + + Setter: + @brief Writes the current time into the GDS2 timestamps if set to true + + If this property is set to false, the time fields will all be zero. This somewhat simplifies compare and diff applications. + + + This property has been added in version 0.21.16. + """ + keep_instances: bool + r""" + Getter: + @brief Gets a flag indicating whether instances will be kept even if the target cell is dropped + + See \keep_instances= for details about this flag. + + This method was introduced in version 0.23. + + Setter: + @brief Enables or disables instances for dropped cells + + If this flag is set to true, instances for cells will be written, even if the cell is dropped. That may happen, if cells are selected with \select_this_cell or \add_this_cell or \no_empty_cells is used. Even if cells called by such cells are not selected, instances will be written for that cell if "keep_instances" is true. That feature is supported by the GDS format currently and results in "ghost cells" which have instances but no cell definition. + + The default value is false (instances of dropped cells are not written). + + This method was introduced in version 0.23. + """ + mag_lambda: float + r""" + Getter: + @brief Gets the lambda value + See \mag_lambda= method for a description of this attribute. + This property has been added in version 0.26.2. + + Setter: + @brief Specifies the lambda value to used for writing + + The lambda value is the basic unit of the layout. + The layout is brought to units of this value. If the layout is not on-grid on this unit, snapping will happen. If the value is less or equal to zero, KLayout will use the lambda value stored inside the layout set by a previous read operation of a MAGIC file. The lambda value is stored in the Layout object as the "lambda" metadata attribute. + + This property has been added in version 0.26.2. + """ + mag_tech: str + r""" + Getter: + @brief Gets the technology string used for writing + See \mag_tech= method for a description of this attribute. + This property has been added in version 0.26.2. + + Setter: + @brief Specifies the technology string used for writing + + If this string is empty, the writer will try to obtain the technology from the "technology" metadata attribute of the layout. + + This property has been added in version 0.26.2. + """ + mag_write_timestamp: bool + r""" + Getter: + @brief Gets a value indicating whether to write a timestamp + See \write_timestamp= method for a description of this attribute. + + This property has been added in version 0.26.2. + + Setter: + @brief Specifies whether to write a timestamp + + If this attribute is set to false, the timestamp written is 0. This is not permitted in the strict sense, but simplifies comparison of Magic files. + + This property has been added in version 0.26.2. + """ + no_empty_cells: bool + r""" + Getter: + @brief Returns a flag indicating whether empty cells are not written. + + Setter: + @brief Don't write empty cells if this flag is set + + By default, all cells are written (no_empty_cells is false). + This applies to empty cells which do not contain shapes for the specified layers as well as cells which are empty because they reference empty cells only. + """ + oasis_compression_level: int + r""" + Getter: + @brief Get the OASIS compression level + See \oasis_compression_level= method for a description of the OASIS compression level. + Setter: + @brief Set the OASIS compression level + The OASIS compression level is an integer number between 0 and 10. 0 basically is no compression, 1 produces shape arrays in a simple fashion. 2 and higher compression levels will use a more elaborate algorithm to find shape arrays which uses 2nd and further neighbor distances. The higher the level, the higher the memory requirements and run times. + """ + oasis_permissive: bool + r""" + Getter: + @brief Gets the OASIS permissive mode + See \oasis_permissive= method for a description of this predicate. + This method has been introduced in version 0.25.1. + Setter: + @brief Sets OASIS permissive mode + If this flag is true, certain shapes which cannot be written to OASIS are reported as warnings, not as errors. For example, paths with odd width (are rounded) or polygons with less than three points (are skipped). + + This method has been introduced in version 0.25.1. + """ + oasis_recompress: bool + r""" + Getter: + @brief Gets the OASIS recompression mode + See \oasis_recompress= method for a description of this predicate. + This method has been introduced in version 0.23. + Setter: + @brief Sets OASIS recompression mode + If this flag is true, shape arrays already existing will be resolved and compression is applied to the individual shapes again. If this flag is false (the default), shape arrays already existing will be written as such. + + This method has been introduced in version 0.23. + """ + oasis_strict_mode: bool + r""" + Getter: + @brief Gets a value indicating whether to write strict-mode OASIS files + + Setter: + @brief Sets a value indicating whether to write strict-mode OASIS files + Setting this property clears all format specific options for other formats such as GDS. + """ + oasis_substitution_char: str + r""" + Getter: + @brief Gets the substitution character + + See \oasis_substitution_char for details. This attribute has been introduced in version 0.23. + + Setter: + @brief Sets the substitution character for a-strings and n-strings + The substitution character is used in place of invalid characters. The value of this attribute is a string which is either empty or a single character. If the string is empty, no substitution is made at the risk of producing invalid OASIS files. + + This attribute has been introduce in version 0.23. + """ + oasis_write_cblocks: bool + r""" + Getter: + @brief Gets a value indicating whether to write compressed CBLOCKS per cell + + Setter: + @brief Sets a value indicating whether to write compressed CBLOCKS per cell + Setting this property clears all format specific options for other formats such as GDS. + """ + oasis_write_cell_bounding_boxes: bool + r""" + Getter: + @brief Gets a value indicating whether cell bounding boxes are written + See \oasis_write_cell_bounding_boxes= method for a description of this flag. + This method has been introduced in version 0.24.3. + Setter: + @brief Sets a value indicating whether cell bounding boxes are written + If this value is set to true, cell bounding boxes are written (S_BOUNDING_BOX). The S_BOUNDING_BOX properties will be attached to the CELLNAME records. + + Setting this value to true will also enable writing of other standard properties like S_TOP_CELL (see \oasis_write_std_properties=). + By default, cell bounding boxes are not written, but standard properties are. + + This method has been introduced in version 0.24.3. + """ + oasis_write_std_properties: bool + r""" + Getter: + @brief Gets a value indicating whether standard properties will be written + See \oasis_write_std_properties= method for a description of this flag. + This method has been introduced in version 0.24. + Setter: + @brief Sets a value indicating whether standard properties will be written + If this value is false, no standard properties are written. If true, S_TOP_CELL and some other global standard properties are written. In addition, \oasis_write_cell_bounding_boxes= can be used to write cell bounding boxes using S_BOUNDING_BOX. + + By default, this flag is true and standard properties are written. + + Setting this property to false clears the oasis_write_cell_bounding_boxes flag too. + + This method has been introduced in version 0.24. + """ + oasis_write_std_properties_ext: int + r""" + Getter: + @hide + Setter: + @hide + """ + scale_factor: float + r""" + Getter: + @brief Gets the scaling factor currently set + + Setter: + @brief Set the scaling factor for the saving + + Using a scaling factor will scale all objects accordingly. This scale factor adds to a potential scaling implied by using an explicit database unit. + + Be aware that rounding effects may occur if fractional scaling factors are used. + + By default, no scaling is applied. + """ + write_context_info: bool + r""" + Getter: + @brief Gets a flag indicating whether context information will be stored + + See \write_context_info= for details about this flag. + + This method was introduced in version 0.23. + + Setter: + @brief Enables or disables context information + + If this flag is set to false, no context information for PCell or library cell instances is written. Those cells will be converted to plain cells and KLayout will not be able to restore the identity of those cells. Use this option to enforce compatibility with other tools that don't understand the context information of KLayout. + + The default value is true (context information is stored). Not all formats support context information, hence that flag has no effect for formats like CIF or DXF. + + This method was introduced in version 0.23. + """ + @classmethod + def new(cls) -> SaveLayoutOptions: r""" - @brief Gets the circuit object for a given name (const version). - If the name is not a valid circuit name, nil is returned. + @brief Default constructor - This constness variant has been introduced in version 0.26.8 + This will initialize the scale factor to 1.0, the database unit is set to + "same as original" and all layers are selected as well as all cells. + The default format is GDS2. """ - @overload - def circuits_by_name(self, name_pattern: str) -> List[Circuit]: + def __copy__(self) -> SaveLayoutOptions: r""" - @brief Gets the circuit objects for a given name filter. - The name filter is a glob pattern. This method will return all \Circuit objects matching the glob pattern. - - This method has been introduced in version 0.26.4. + @brief Creates a copy of self """ - @overload - def circuits_by_name(self, name_pattern: str) -> List[Circuit]: + def __deepcopy__(self) -> SaveLayoutOptions: r""" - @brief Gets the circuit objects for a given name filter (const version). - The name filter is a glob pattern. This method will return all \Circuit objects matching the glob pattern. - - - This constness variant has been introduced in version 0.26.8 + @brief Creates a copy of self """ - def combine_devices(self) -> None: + def __init__(self) -> None: r""" - @brief Combines devices where possible - This method will combine devices that can be combined according to their device classes 'combine_devices' method. - For example, serial or parallel resistors can be combined into a single resistor. + @brief Default constructor + + This will initialize the scale factor to 1.0, the database unit is set to + "same as original" and all layers are selected as well as all cells. + The default format is GDS2. """ - def create(self) -> None: + def _create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def destroy(self) -> None: + def _destroy(self) -> None: r""" @brief Explicitly destroys the object Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. If the object is not owned by the script, this method will do nothing. """ - def destroyed(self) -> bool: + def _destroyed(self) -> bool: r""" @brief Returns a value indicating whether the object was already destroyed This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def device_class_by_name(self, name: str) -> DeviceClass: + def _is_const_object(self) -> bool: r""" - @brief Gets the device class for a given name. - If the name is not a valid device class name, nil is returned. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def device_class_by_name(self, name: str) -> DeviceClass: + def _manage(self) -> None: r""" - @brief Gets the device class for a given name (const version). - If the name is not a valid device class name, nil is returned. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This constness variant has been introduced in version 0.26.8 + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def dup(self) -> Netlist: + def _unmanage(self) -> None: r""" - @brief Creates a copy of self + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def each_circuit(self) -> Iterator[Circuit]: + def add_cell(self, cell_index: int) -> None: r""" - @brief Iterates over the circuits of the netlist - """ - @overload - def each_circuit(self) -> Iterator[Circuit]: - r""" - @brief Iterates over the circuits of the netlist (const version) + @brief Add a cell (plus hierarchy) to be saved - This constness variant has been introduced in version 0.26.8 - """ - @overload - def each_circuit_bottom_up(self) -> Iterator[Circuit]: - r""" - @brief Iterates over the circuits bottom-up (const version) - Iterating bottom-up means the parent circuits come after the child circuits. This is the basically the reverse order as delivered by \each_circuit_top_down. - This constness variant has been introduced in version 0.26.8 - """ - @overload - def each_circuit_bottom_up(self) -> Iterator[Circuit]: - r""" - @brief Iterates over the circuits bottom-up - Iterating bottom-up means the parent circuits come after the child circuits. This is the basically the reverse order as delivered by \each_circuit_top_down. - """ - @overload - def each_circuit_top_down(self) -> Iterator[Circuit]: - r""" - @brief Iterates over the circuits top-down - Iterating top-down means the parent circuits come before the child circuits. The first \top_circuit_count circuits are top circuits - i.e. those which are not referenced by other circuits. - """ - @overload - def each_circuit_top_down(self) -> Iterator[Circuit]: - r""" - @brief Iterates over the circuits top-down (const version) - Iterating top-down means the parent circuits come before the child circuits. The first \top_circuit_count circuits are top circuits - i.e. those which are not referenced by other circuits. + The index of the cell must be a valid index in the context of the layout that will be saved. + This method clears the 'select all cells' flag. - This constness variant has been introduced in version 0.26.8 - """ - @overload - def each_device_class(self) -> Iterator[DeviceClass]: - r""" - @brief Iterates over the device classes of the netlist + This method also implicitly adds the children of that cell. A method that does not add the children in \add_this_cell. """ - @overload - def each_device_class(self) -> Iterator[DeviceClass]: + def add_layer(self, layer_index: int, properties: LayerInfo) -> None: r""" - @brief Iterates over the device classes of the netlist (const version) + @brief Add a layer to be saved - This constness variant has been introduced in version 0.26.8 - """ - def flatten(self) -> None: - r""" - @brief Flattens all circuits of the netlist - After calling this method, only the top circuits will remain. - """ - @overload - def flatten_circuit(self, circuit: Circuit) -> None: - r""" - @brief Flattens a subcircuit - This method will substitute all instances (subcircuits) of the given circuit by it's contents. After this, the circuit is removed. - """ - @overload - def flatten_circuit(self, pattern: str) -> None: - r""" - @brief Flattens circuits matching a certain pattern - This method will substitute all instances (subcircuits) of all circuits with names matching the given name pattern. The name pattern is a glob expression. For example, 'flatten_circuit("np*")' will flatten all circuits with names starting with 'np'. - """ - def flatten_circuits(self, arg0: Sequence[Circuit]) -> None: - r""" - @brief Flattens all given circuits of the netlist - This method is equivalent to calling \flatten_circuit for all given circuits, but more efficient. - This method has been introduced in version 0.26.1 - """ - def from_s(self, str: str) -> None: - r""" - @brief Reads the netlist from a string representation. - This method is intended for test purposes mainly. It turns a string returned by \to_s back into a netlist. Note that the device classes must be created before as they are not persisted inside the string. - """ - def is_case_sensitive(self) -> bool: - r""" - @brief Returns a value indicating whether the netlist names are case sensitive - This method has been added in version 0.27.3. - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def make_top_level_pins(self) -> None: - r""" - @brief Creates pins for top-level circuits. - This method will turn all named nets of top-level circuits (such that are not referenced by subcircuits) into pins. This method can be used before purge to avoid that purge will remove nets which are directly connecting to subcircuits. - """ - def purge(self) -> None: - r""" - @brief Purge unused nets, circuits and subcircuits. - This method will purge all nets which return \floating == true. Circuits which don't have any nets (or only floating ones) and removed. Their subcircuits are disconnected. - This method respects the \Circuit#dont_purge attribute and will never delete circuits with this flag set. - """ - def purge_circuit(self, circuit: Circuit) -> None: - r""" - @brief Removes the given circuit object and all child circuits which are not used otherwise from the netlist - After the circuit has been removed, the object becomes invalid and cannot be used further. A circuit with references (see \has_refs?) should not be removed as the subcircuits calling it would afterwards point to nothing. - """ - def purge_nets(self) -> None: - r""" - @brief Purges floating nets. - Floating nets can be created as effect of reconnections of devices or pins. This method will eliminate all nets that make less than two connections. - """ - def read(self, file: str, reader: NetlistReader) -> None: - r""" - @brief Writes the netlist to the given file using the given reader object to parse the file - See \NetlistSpiceReader for an example for a parser. - """ - @overload - def remove(self, circuit: Circuit) -> None: - r""" - @brief Removes the given circuit object from the netlist - After the circuit has been removed, the object becomes invalid and cannot be used further. A circuit with references (see \has_refs?) should not be removed as the subcircuits calling it would afterwards point to nothing. - """ - @overload - def remove(self, device_class: DeviceClass) -> None: - r""" - @brief Removes the given device class object from the netlist - After the object has been removed, it becomes invalid and cannot be used further. Use this method with care as it may corrupt the internal structure of the netlist. Only use this method when device refers to this device class. - """ - def simplify(self) -> None: - r""" - @brief Convenience method that combines the simplification. - This method is a convenience method that runs \make_top_level_pins, \purge, \combine_devices and \purge_nets. - """ - def to_s(self) -> str: - r""" - @brief Converts the netlist to a string representation. - This method is intended for test purposes mainly. - """ - def top_circuit_count(self) -> int: - r""" - @brief Gets the number of top circuits. - Top circuits are those which are not referenced by other circuits via subcircuits. A well-formed netlist has a single top circuit. + Adds the layer with the given index to the layer list that will be written. + If all layers have been selected previously, all layers will + be unselected first and only the new layer remains. + + The 'properties' argument can be used to assign different layer properties than the ones + present in the layout. Pass a default \LayerInfo object to this argument to use the + properties from the layout object. Construct a valid \LayerInfo object with explicit layer, + datatype and possibly a name to override the properties stored in the layout. """ - def write(self, file: str, writer: NetlistWriter, description: Optional[str] = ...) -> None: + def add_this_cell(self, cell_index: int) -> None: r""" - @brief Writes the netlist to the given file using the given writer object to format the file - See \NetlistSpiceWriter for an example for a formatter. The description is an arbitrary text which will be put into the file somewhere at the beginning. - """ + @brief Adds a cell to be saved -class NetlistSpiceWriterDelegate: - r""" - @brief Provides a delegate for the SPICE writer for doing special formatting for devices - Supply a customized class to provide a specialized writing scheme for devices. You need a customized class if you want to implement special devices or you want to use subcircuits rather than the built-in devices. - See \NetlistSpiceWriter for more details. + The index of the cell must be a valid index in the context of the layout that will be saved. + This method clears the 'select all cells' flag. + Unlike \add_cell, this method does not implicitly add all children of that cell. - This class has been introduced in version 0.26. - """ - @classmethod - def new(cls) -> NetlistSpiceWriterDelegate: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> NetlistSpiceWriterDelegate: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> NetlistSpiceWriterDelegate: - r""" - @brief Creates a copy of self - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + This method has been added in version 0.23. """ - def _is_const_object(self) -> bool: + def assign(self, other: SaveLayoutOptions) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Assigns another object to self """ - def _manage(self) -> None: + def clear_cells(self) -> None: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Clears all cells to be saved - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + This method can be used to ensure that no cell is selected before \add_cell is called to specify a cell. + This method clears the 'select all cells' flag. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: NetlistSpiceWriterDelegate) -> None: - r""" - @brief Assigns another object to self + This method has been added in version 0.22. """ def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ + def deselect_all_layers(self) -> None: + r""" + @brief Unselect all layers: no layer will be saved + + This method will clear all layers selected with \add_layer so far and clear the 'select all layers' flag. + Using this method is the only way to save a layout without any layers. + """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -44019,1252 +43686,997 @@ class NetlistSpiceWriterDelegate: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> NetlistSpiceWriterDelegate: + def dup(self) -> SaveLayoutOptions: r""" @brief Creates a copy of self """ - def emit_comment(self, comment: str) -> None: - r""" - @brief Writes the given comment into the file - """ - def emit_line(self, line: str) -> None: - r""" - @brief Writes the given line into the file - """ - def format_name(self, name: str) -> str: - r""" - @brief Formats the given name in a SPICE-compatible way - """ def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def net_to_string(self, net: Net) -> str: - r""" - @brief Gets the node ID for the given net - The node ID is a numeric string instead of the full name of the net. Numeric IDs are used within SPICE netlist because they are usually shorter. - """ - def write_device(self, device: Device) -> None: + def select_all_cells(self) -> None: r""" - @hide + @brief Select all cells to save + + This method will clear all cells specified with \add_cells so far and set the 'select all cells' flag. + This is the default. """ - def write_device_intro(self, arg0: DeviceClass) -> None: + def select_all_layers(self) -> None: r""" - @hide + @brief Select all layers to be saved + + This method will clear all layers selected with \add_layer so far and set the 'select all layers' flag. + This is the default. """ - def write_header(self) -> None: + def select_cell(self, cell_index: int) -> None: r""" - @hide - """ + @brief Selects a cell to be saved (plus hierarchy below) -class NetlistWriter: - r""" - @brief Base class for netlist writers - This class is provided as a base class for netlist writers. It is not intended for reimplementation on script level, but used internally as an interface. - This class has been introduced in version 0.26. - """ - @classmethod - def new(cls) -> NetlistWriter: - r""" - @brief Creates a new object of this class - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + This method is basically a convenience method that combines \clear_cells and \add_cell. + This method clears the 'select all cells' flag. - Usually it's not required to call this method. It has been introduced in version 0.24. + This method has been added in version 0.22. """ - def _unmanage(self) -> None: + def select_this_cell(self, cell_index: int) -> None: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Selects a cell to be saved - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + + This method is basically a convenience method that combines \clear_cells and \add_this_cell. + This method clears the 'select all cells' flag. + + This method has been added in version 0.23. """ - def is_const_object(self) -> bool: + def set_format_from_filename(self, filename: str) -> bool: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Select a format from the given file name + + This method will set the format according to the file's extension. + + This method has been introduced in version 0.22. Beginning with version 0.23, this method always returns true, since the only consumer for the return value, Layout#write, now ignores that parameter and automatically determines the compression mode from the file name. """ -class NetlistSpiceWriter(NetlistWriter): +class Shape: r""" - @brief Implements a netlist writer for the SPICE format. - Provide a delegate for customizing the way devices are written. + @brief An object representing a shape in the layout database - Use the SPICE writer like this: + The shape proxy is basically a pointer to a shape of different kinds. + No copy of the shape is created: if the shape proxy is copied the copy still + points to the original shape. If the original shape is modified or deleted, + the shape proxy will also point to a modified or invalid shape. + The proxy can be "null" which indicates an invalid reference. - @code - writer = RBA::NetlistSpiceWriter::new - netlist.write(path, writer) - @/code + Shape objects are used together with the \Shapes container object which + stores the actual shape objects and uses Shape references as pointers inside the + actual data storage. Shape references are used in various places, i.e. when removing or + transforming objects inside a \Shapes container. + """ + TBox: ClassVar[int] + r""" + """ + TBoxArray: ClassVar[int] + r""" + """ + TBoxArrayMember: ClassVar[int] + r""" + """ + TEdge: ClassVar[int] + r""" + """ + TEdgePair: ClassVar[int] + r""" + """ + TNull: ClassVar[int] + r""" + """ + TPath: ClassVar[int] + r""" + """ + TPathPtrArray: ClassVar[int] + r""" + """ + TPathPtrArrayMember: ClassVar[int] + r""" + """ + TPathRef: ClassVar[int] + r""" + """ + TPoint: ClassVar[int] + r""" + """ + TPolygon: ClassVar[int] + r""" + """ + TPolygonPtrArray: ClassVar[int] + r""" + """ + TPolygonPtrArrayMember: ClassVar[int] + r""" + """ + TPolygonRef: ClassVar[int] + r""" + """ + TShortBox: ClassVar[int] + r""" + """ + TShortBoxArray: ClassVar[int] + r""" + """ + TShortBoxArrayMember: ClassVar[int] + r""" + """ + TSimplePolygon: ClassVar[int] + r""" + """ + TSimplePolygonPtrArray: ClassVar[int] + r""" + """ + TSimplePolygonPtrArrayMember: ClassVar[int] + r""" + """ + TSimplePolygonRef: ClassVar[int] + r""" + """ + TText: ClassVar[int] + r""" + """ + TTextPtrArray: ClassVar[int] + r""" + """ + TTextPtrArrayMember: ClassVar[int] + r""" + """ + TTextRef: ClassVar[int] + r""" + """ + TUserObject: ClassVar[int] + r""" + """ + box: Any + r""" + Getter: + @brief Gets the box object - You can give a custom description for the headline: + Starting with version 0.23, this method returns nil, if the shape does not represent a box. + Setter: + @brief Replaces the shape by the given box + This method replaces the shape by the given box. This method can only be called for editable layouts. It does not change the user properties of the shape. + Calling this method will invalidate any iterators. It should not be called inside a loop iterating over shapes. - @code - writer = RBA::NetlistSpiceWriter::new - netlist.write(path, writer, "A custom description") - @/code + This method has been introduced in version 0.22. + """ + box_center: Point + r""" + Getter: + @brief Returns the center of the box - To customize the output, you can use a device writer delegate. - The delegate is an object of a class derived from \NetlistSpiceWriterDelegate which reimplements several methods to customize the following parts: + Applies to boxes only. Returns the center of the box and throws an exception if the shape is not a box. - @ul - @li A global header (\NetlistSpiceWriterDelegate#write_header): this method is called to print the part right after the headline @/li - @li A per-device class header (\NetlistSpiceWriterDelegate#write_device_intro): this method is called for every device class and may print device-class specific headers (e.g. model definitions) @/li - @li Per-device output: this method (\NetlistSpiceWriterDelegate#write_device): this method is called for every device and may print the device statement(s) in a specific way. @/li - @/ul + This method has been introduced in version 0.23. - The delegate must use \NetlistSpiceWriterDelegate#emit_line to print a line, \NetlistSpiceWriterDelegate#emit_comment to print a comment etc. - For more method see \NetlistSpiceWriterDelegate. + Setter: + @brief Sets the center of the box - A sample with a delegate is this: + Applies to boxes only. Changes the center of the box and throws an exception if the shape is not a box. - @code - class MyDelegate < RBA::NetlistSpiceWriterDelegate + This method has been introduced in version 0.23. + """ + box_dcenter: DPoint + r""" + Getter: + @brief Returns the center of the box as a \DPoint object in micrometer units - def write_header - emit_line("*** My special header") - end + Applies to boxes only. Returns the center of the box and throws an exception if the shape is not a box. + Conversion from database units to micrometers is done internally. - def write_device_intro(cls) - emit_comment("My intro for class " + cls.name) - end + This method has been introduced in version 0.25. - def write_device(dev) - if dev.device_class.name != "MYDEVICE" - emit_comment("Terminal #1: " + net_to_string(dev.net_for_terminal(0))) - emit_comment("Terminal #2: " + net_to_string(dev.net_for_terminal(1))) - super(dev) - emit_comment("After device " + dev.expanded_name) - else - super(dev) - end - end - - end + Setter: + @brief Sets the center of the box with the point being given in micrometer units - # write the netlist with delegate: - writer = RBA::NetlistSpiceWriter::new(MyDelegate::new) - netlist.write(path, writer) - @/code + Applies to boxes only. Changes the center of the box and throws an exception if the shape is not a box. + Translation from micrometer units to database units is done internally. - This class has been introduced in version 0.26. + This method has been introduced in version 0.25. """ - use_net_names: bool + box_dheight: float r""" Getter: - @brief Gets a value indicating whether to use net names (true) or net numbers (false). + @brief Returns the height of the box in micrometer units + + Applies to boxes only. Returns the height of the box in micrometers and throws an exception if the shape is not a box. + + This method has been introduced in version 0.25. Setter: - @brief Sets a value indicating whether to use net names (true) or net numbers (false). - The default is to use net numbers. + @brief Sets the height of the box + + Applies to boxes only. Changes the height of the box to the value given in micrometer units and throws an exception if the shape is not a box. + Translation to database units happens internally. + + This method has been introduced in version 0.25. """ - with_comments: bool + box_dp1: DPoint r""" Getter: - @brief Gets a value indicating whether to embed comments for position etc. (true) or not (false). + @brief Returns the lower left point of the box as a \DPoint object in micrometer units + + Applies to boxes only. Returns the lower left point of the box and throws an exception if the shape is not a box. + Conversion from database units to micrometers is done internally. + + This method has been introduced in version 0.25. Setter: - @brief Sets a value indicating whether to embed comments for position etc. (true) or not (false). - The default is to embed comments. + @brief Sets the lower left corner of the box with the point being given in micrometer units + + Applies to boxes only. Changes the lower left point of the box and throws an exception if the shape is not a box. + Translation from micrometer units to database units is done internally. + + This method has been introduced in version 0.25. """ - @overload - @classmethod - def new(cls) -> NetlistSpiceWriter: - r""" - @brief Creates a new writer without delegate. - """ - @overload - @classmethod - def new(cls, arg0: NetlistSpiceWriterDelegate) -> NetlistSpiceWriter: - r""" - @brief Creates a new writer with a delegate. - """ - def __copy__(self) -> NetlistSpiceWriter: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> NetlistSpiceWriter: - r""" - @brief Creates a copy of self - """ - @overload - def __init__(self) -> None: - r""" - @brief Creates a new writer without delegate. - """ - @overload - def __init__(self, arg0: NetlistSpiceWriterDelegate) -> None: - r""" - @brief Creates a new writer with a delegate. - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + box_dp2: DPoint + r""" + Getter: + @brief Returns the upper right point of the box as a \DPoint object in micrometer units - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + Applies to boxes only. Returns the upper right point of the box and throws an exception if the shape is not a box. + Conversion from database units to micrometers is done internally. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: NetlistWriter) -> None: - r""" - @brief Assigns another object to self - """ - def dup(self) -> NetlistSpiceWriter: - r""" - @brief Creates a copy of self - """ + This method has been introduced in version 0.25. -class NetlistReader: - r""" - @brief Base class for netlist readers - This class is provided as a base class for netlist readers. It is not intended for reimplementation on script level, but used internally as an interface. + Setter: + @brief Sets the upper right corner of the box with the point being given in micrometer units - This class has been introduced in version 0.26. + Applies to boxes only. Changes the upper right point of the box and throws an exception if the shape is not a box. + Translation from micrometer units to database units is done internally. + + This method has been introduced in version 0.25. """ - @classmethod - def new(cls) -> NetlistReader: - r""" - @brief Creates a new object of this class - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + box_dwidth: float + r""" + Getter: + @brief Returns the width of the box in micrometer units - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + Applies to boxes only. Returns the width of the box in micrometers and throws an exception if the shape is not a box. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ + This method has been introduced in version 0.25. -class ParseElementComponentsData: - r""" - @brief Supplies the return value for \NetlistSpiceReaderDelegate#parse_element_components. - This is a structure with two members: 'strings' for the string arguments and 'parameters' for the named numerical arguments. + Setter: + @brief Sets the width of the box in micrometer units + + Applies to boxes only. Changes the width of the box to the value given in micrometer units and throws an exception if the shape is not a box. + Translation to database units happens internally. - This helper class has been introduced in version 0.27.1. + This method has been introduced in version 0.25. """ - parameters: Dict[str, float] + box_height: int r""" Getter: - @brief Gets the (named) numerical parameters + @brief Returns the height of the box + + Applies to boxes only. Returns the height of the box and throws an exception if the shape is not a box. + + This method has been introduced in version 0.23. Setter: - @brief Sets the (named) numerical parameters + @brief Sets the height of the box + + Applies to boxes only. Changes the height of the box and throws an exception if the shape is not a box. + + This method has been introduced in version 0.23. """ - strings: List[str] + box_p1: Point r""" Getter: - @brief Gets the string parameters + @brief Returns the lower left point of the box + + Applies to boxes only. Returns the lower left point of the box and throws an exception if the shape is not a box. + + This method has been introduced in version 0.23. Setter: - @brief Sets the string parameters + @brief Sets the lower left point of the box + + Applies to boxes only. Changes the lower left point of the box and throws an exception if the shape is not a box. + + This method has been introduced in version 0.23. """ - @classmethod - def new(cls) -> ParseElementComponentsData: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> ParseElementComponentsData: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> ParseElementComponentsData: - r""" - @brief Creates a copy of self - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + box_p2: Point + r""" + Getter: + @brief Returns the upper right point of the box - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + Applies to boxes only. Returns the upper right point of the box and throws an exception if the shape is not a box. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: ParseElementComponentsData) -> None: - r""" - @brief Assigns another object to self - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def dup(self) -> ParseElementComponentsData: - r""" - @brief Creates a copy of self - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ + This method has been introduced in version 0.23. -class ParseElementData: + Setter: + @brief Sets the upper right point of the box + + Applies to boxes only. Changes the upper right point of the box and throws an exception if the shape is not a box. + + This method has been introduced in version 0.23. + """ + box_width: int r""" - @brief Supplies the return value for \NetlistSpiceReaderDelegate#parse_element. - This is a structure with four members: 'model_name' for the model name, 'value' for the default numerical value, 'net_names' for the net names and 'parameters' for the named numerical parameters. + Getter: + @brief Returns the width of the box + + Applies to boxes only. Returns the width of the box and throws an exception if the shape is not a box. + + This method has been introduced in version 0.23. + + Setter: + @brief Sets the width of the box - This helper class has been introduced in version 0.27.1. + Applies to boxes only. Changes the width of the box and throws an exception if the shape is not a box. + + This method has been introduced in version 0.23. """ - model_name: str + cell: Cell r""" Getter: - @brief Gets the model name + @brief Gets a reference to the cell the shape belongs to + + This reference can be nil, if the Shape object is not living inside a cell + This method has been introduced in version 0.22. Setter: - @brief Sets the model name + @brief Moves the shape to a different cell + + Both the current and the target cell must reside in the same layout. + + This method has been introduced in version 0.23. """ - net_names: List[str] + dbox: Any r""" Getter: - @brief Gets the net names + @brief Gets the box object in micrometer units + See \box for a description of this method. This method returns the box after translation to micrometer units. + + This method has been added in version 0.25. Setter: - @brief Sets the net names + @brief Replaces the shape by the given box (in micrometer units) + This method replaces the shape by the given box, like \box= with a \Box argument does. This version translates the box from micrometer units to database units internally. + + This method has been introduced in version 0.25. """ - parameters: Dict[str, float] + dedge: Any r""" Getter: - @brief Gets the (named) numerical parameters + @brief Returns the edge object as a \DEdge object in micrometer units + See \edge for a description of this method. This method returns the edge after translation to micrometer units. + + This method has been added in version 0.25. Setter: - @brief Sets the (named) numerical parameters + @brief Replaces the shape by the given edge (in micrometer units) + This method replaces the shape by the given edge, like \edge= with a \Edge argument does. This version translates the edge from micrometer units to database units internally. + + This method has been introduced in version 0.25. """ - value: float + dedge_pair: Any r""" Getter: - @brief Gets the value + @brief Returns the edge pair object as a \DEdgePair object in micrometer units + See \edge_pair for a description of this method. This method returns the edge pair after translation to micrometer units. + + This method has been added in version 0.26. Setter: - @brief Sets the value + @brief Replaces the shape by the given edge pair (in micrometer units) + This method replaces the shape by the given edge pair, like \edge_pair= with a \EdgePair argument does. This version translates the edge pair from micrometer units to database units internally. + + This method has been introduced in version 0.26. """ - @classmethod - def new(cls) -> ParseElementData: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> ParseElementData: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> ParseElementData: - r""" - @brief Creates a copy of self - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + dpath: Any + r""" + Getter: + @brief Returns the path object as a \DPath object in micrometer units + See \path for a description of this method. This method returns the path after translation to micrometer units. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + This method has been added in version 0.25. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: ParseElementData) -> None: - r""" - @brief Assigns another object to self - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def dup(self) -> ParseElementData: - r""" - @brief Creates a copy of self - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ + Setter: + @brief Replaces the shape by the given path (in micrometer units) + This method replaces the shape by the given path, like \path= with a \Path argument does. This version translates the path from micrometer units to database units internally. -class NetlistSpiceReaderDelegate: + This method has been introduced in version 0.25. + """ + dpoint: Any r""" - @brief Provides a delegate for the SPICE reader for translating device statements - Supply a customized class to provide a specialized reading scheme for devices. You need a customized class if you want to implement device reading from model subcircuits or to translate device parameters. + Getter: + @brief Returns the point object as a \DPoint object in micrometer units + See \point for a description of this method. This method returns the point after translation to micrometer units. - See \NetlistSpiceReader for more details. + This method has been introduced in version 0.28. - This class has been introduced in version 0.26. + Setter: + @brief Replaces the shape by the given point (in micrometer units) + This method replaces the shape by the given point, like \point= with a \Point argument does. This version translates the point from micrometer units to database units internally. + + This method has been introduced in version 0.28. """ - @classmethod - def new(cls) -> NetlistSpiceReaderDelegate: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> NetlistSpiceReaderDelegate: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> NetlistSpiceReaderDelegate: - r""" - @brief Creates a copy of self - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + dpolygon: Any + r""" + Getter: + @brief Returns the polygon object in micrometer units - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: NetlistSpiceReaderDelegate) -> None: - r""" - @brief Assigns another object to self - """ - def control_statement(self, arg0: str) -> bool: - r""" - @hide - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def dup(self) -> NetlistSpiceReaderDelegate: - r""" - @brief Creates a copy of self - """ - def element(self, arg0: Circuit, arg1: str, arg2: str, arg3: str, arg4: float, arg5: Sequence[Net], arg6: Dict[str, float]) -> bool: - r""" - @hide - """ - def error(self, msg: str) -> None: - r""" - @brief Issues an error with the given message. - Use this method to generate an error. - """ - def finish(self, arg0: Netlist) -> None: - r""" - @hide - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def parse_element(self, arg0: str, arg1: str) -> ParseElementData: - r""" - @hide - """ - def parse_element_components(self, s: str) -> ParseElementComponentsData: - r""" - @brief Parses a string into string and parameter components. - This method is provided to simplify the implementation of 'parse_element'. It takes a string and splits it into string arguments and parameter values. For example, 'a b c=6' renders two string arguments in 'nn' and one parameter ('C'->6.0). It returns data \ParseElementComponentsData object with the strings and parameters. - The parameter names are already translated to upper case. + Returns the polygon object that this shape refers to or converts the object to a polygon. The method returns the same object than \polygon, but translates it to micrometer units internally. - This method has been introduced in version 0.27.1 - """ - def start(self, arg0: Netlist) -> None: - r""" - @hide - """ - def translate_net_name(self, arg0: str) -> str: - r""" - @hide - """ - def value_from_string(self, s: str) -> Any: - r""" - @brief Translates a string into a value - This function simplifies the implementation of SPICE readers by providing a translation of a unit-annotated string into double values. For example, '1k' is translated to 1000.0. In addition, simple formula evaluation is supported, e.g '(1+3)*2' is translated into 8.0. + This method has been introduced in version 0.25. - This method has been introduced in version 0.27.1 - """ - def wants_subcircuit(self, arg0: str) -> bool: - r""" - @hide - """ + Setter: + @brief Replaces the shape by the given polygon (in micrometer units) + This method replaces the shape by the given polygon, like \polygon= with a \Polygon argument does. This version translates the polygon from micrometer units to database units internally. -class NetlistSpiceReader(NetlistReader): + This method has been introduced in version 0.25. + """ + dsimple_polygon: Any r""" - @brief Implements a netlist Reader for the SPICE format. - Use the SPICE reader like this: - - @code - reader = RBA::NetlistSpiceReader::new - netlist = RBA::Netlist::new - netlist.read(path, reader) - @/code - - The translation of SPICE elements can be tailored by providing a \NetlistSpiceReaderDelegate class. This allows translating of device parameters and mapping of some subcircuits to devices. + Getter: + @brief Returns the simple polygon object in micrometer units - The following example is a delegate that turns subcircuits called HVNMOS and HVPMOS into MOS4 devices with the parameters scaled by 1.5: + Returns the simple polygon object that this shape refers to or converts the object to a simple polygon. The method returns the same object than \simple_polygon, but translates it to micrometer units internally. - @code - class MyDelegate < RBA::NetlistSpiceReaderDelegate + This method has been introduced in version 0.25. - # says we want to catch these subcircuits as devices - def wants_subcircuit(name) - name == "HVNMOS" || name == "HVPMOS" - end + Setter: + @brief Replaces the shape by the given simple polygon (in micrometer units) + This method replaces the shape by the given text, like \simple_polygon= with a \SimplePolygon argument does. This version translates the polygon from micrometer units to database units internally. - # translate the element - def element(circuit, el, name, model, value, nets, params) + This method has been introduced in version 0.25. + """ + dtext: Any + r""" + Getter: + @brief Returns the path object as a \DText object in micrometer units + See \text for a description of this method. This method returns the text after translation to micrometer units. - if el != "X" - # all other elements are left to the standard implementation - return super - end + This method has been added in version 0.25. - if nets.size != 4 - error("Subcircuit #{model} needs four nodes") - end + Setter: + @brief Replaces the shape by the given text (in micrometer units) + This method replaces the shape by the given text, like \text= with a \Text argument does. This version translates the text from micrometer units to database units internally. - # provide a device class - cls = circuit.netlist.device_class_by_name(model) - if ! cls - cls = RBA::DeviceClassMOS4Transistor::new - cls.name = model - circuit.netlist.add(cls) - end + This method has been introduced in version 0.25. + """ + edge: Any + r""" + Getter: + @brief Returns the edge object - # create a device - device = circuit.create_device(cls, name) + Starting with version 0.23, this method returns nil, if the shape does not represent an edge. + Setter: + @brief Replaces the shape by the given edge (in micrometer units) + This method replaces the shape by the given edge, like \edge= with a \Edge argument does. This version translates the edge from micrometer units to database units internally. - # and configure the device - [ "S", "G", "D", "B" ].each_with_index do |t,index| - device.connect_terminal(t, nets[index]) - end - params.each do |p,value| - device.set_parameter(p, value * 1.5) - end + This method has been introduced in version 0.25. + """ + edge_pair: Any + r""" + Getter: + @brief Returns the edge pair object - end + This method has been introduced in version 0.26. + Setter: + @brief Replaces the shape by the given edge pair + This method replaces the shape by the given edge pair. This method can only be called for editable layouts. It does not change the user properties of the shape. + Calling this method will invalidate any iterators. It should not be called inside a loop iterating over shapes. - end + This method has been introduced in version 0.26. + """ + layer: int + r""" + Getter: + @brief Returns the layer index of the layer the shape is on + Throws an exception if the shape does not reside inside a cell. - # usage: + This method has been added in version 0.23. - mydelegate = MyDelegate::new - reader = RBA::NetlistSpiceReader::new(mydelegate) + Setter: + @brief Moves the shape to a layer given by the layer index object - nl = RBA::Netlist::new - nl.read(input_file, reader) - @/code + This method has been added in version 0.23. + """ + layer_info: LayerInfo + r""" + Getter: + @brief Returns the \LayerInfo object of the layer the shape is on + If the shape does not reside inside a cell, an empty layer is returned. - A somewhat contrived example for using the delegate to translate net names is this: + This method has been added in version 0.23. - @code - class MyDelegate < RBA::NetlistSpiceReaderDelegate + Setter: + @brief Moves the shape to a layer given by a \LayerInfo object + If no layer with the given properties exists, an exception is thrown. - # translates 'VDD' to 'VXX' and leave all other net names as is: - alias translate_net_name_org translate_net_name - def translate_net_name(n) - return n == "VDD" ? "VXX" : translate_net_name_org(n)} - end + This method has been added in version 0.23. + """ + path: Any + r""" + Getter: + @brief Returns the path object - end - @/code + Starting with version 0.23, this method returns nil, if the shape does not represent a path. + Setter: + @brief Replaces the shape by the given path object + This method replaces the shape by the given path object. This method can only be called for editable layouts. It does not change the user properties of the shape. + Calling this method will invalidate any iterators. It should not be called inside a loop iterating over shapes. - This class has been introduced in version 0.26. It has been extended in version 0.27.1. + This method has been introduced in version 0.22. """ - @overload - @classmethod - def new(cls) -> NetlistSpiceReader: - r""" - @brief Creates a new reader. - """ - @overload - @classmethod - def new(cls, delegate: NetlistSpiceReaderDelegate) -> NetlistSpiceReader: - r""" - @brief Creates a new reader with a delegate. - """ - @overload - def __init__(self) -> None: - r""" - @brief Creates a new reader. - """ - @overload - def __init__(self, delegate: NetlistSpiceReaderDelegate) -> None: - r""" - @brief Creates a new reader with a delegate. - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + path_bgnext: int + r""" + Getter: + @brief Gets the path's starting vertex extension - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + Applies to paths only. Will throw an exception if the object is not a path. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ + Setter: + @brief Sets the path's starting vertex extension + Applies to paths only. Will throw an exception if the object is not a path. -class DeviceClassResistor(DeviceClass): + This method has been introduced in version 0.23. + """ + path_dbgnext: float r""" - @brief A device class for a resistor. - This class describes a resistor. Resistors are defined by their combination behavior and the basic parameter 'R' which is the resistance in Ohm. + Getter: + @brief Gets the path's starting vertex extension in micrometer units - A resistor has two terminals, A and B. - The parameters of a resistor are R (the value in Ohms), L and W (length and width in micrometers) and A and P (area and perimeter in square micrometers and micrometers respectively). + Applies to paths only. Will throw an exception if the object is not a path. - This class has been introduced in version 0.26. + This method has been introduced in version 0.25. + Setter: + @brief Sets the path's starting vertex extension in micrometer units + Applies to paths only. Will throw an exception if the object is not a path. + + This method has been introduced in version 0.25. """ - PARAM_A: ClassVar[int] + path_dendext: float r""" - @brief A constant giving the parameter ID for parameter A + Getter: + @brief Gets the path's end vertex extension in micrometer units + + Applies to paths only. Will throw an exception if the object is not a path. + + This method has been introduced in version 0.25. + Setter: + @brief Sets the path's end vertex extension in micrometer units + Applies to paths only. Will throw an exception if the object is not a path. + + This method has been introduced in version 0.25. """ - PARAM_L: ClassVar[int] + path_dwidth: float r""" - @brief A constant giving the parameter ID for parameter L + Getter: + @brief Gets the path width in micrometer units + + Applies to paths only. Will throw an exception if the object is not a path. + + This method has been introduced in version 0.25. + Setter: + @brief Sets the path width in micrometer units + Applies to paths only. Will throw an exception if the object is not a path. + Conversion to database units is done internally. + + This method has been introduced in version 0.25. """ - PARAM_P: ClassVar[int] + path_endext: int r""" - @brief A constant giving the parameter ID for parameter P + Getter: + @brief Obtain the path's end vertex extension + + Applies to paths only. Will throw an exception if the object is not a path. + + Setter: + @brief Sets the path's end vertex extension + Applies to paths only. Will throw an exception if the object is not a path. + + This method has been introduced in version 0.23. """ - PARAM_R: ClassVar[int] + path_width: int r""" - @brief A constant giving the parameter ID for parameter R + Getter: + @brief Gets the path width + + Applies to paths only. Will throw an exception if the object is not a path. + + Setter: + @brief Sets the path width + Applies to paths only. Will throw an exception if the object is not a path. + + This method has been introduced in version 0.23. """ - PARAM_W: ClassVar[int] + point: Any r""" - @brief A constant giving the parameter ID for parameter W + Getter: + @brief Returns the point object + + This method has been introduced in version 0.28. + + Setter: + @brief Replaces the shape by the given point + This method replaces the shape by the given point. This method can only be called for editable layouts. It does not change the user properties of the shape. + Calling this method will invalidate any iterators. It should not be called inside a loop iterating over shapes. + + This method has been introduced in version 0.28. """ - TERMINAL_A: ClassVar[int] + polygon: Any r""" - @brief A constant giving the terminal ID for terminal A + Getter: + @brief Returns the polygon object + + Returns the polygon object that this shape refers to or converts the object to a polygon. Paths, boxes and simple polygons are converted to polygons. For paths this operation renders the path's hull contour. + + Starting with version 0.23, this method returns nil, if the shape does not represent a geometrical primitive that can be converted to a polygon. + + Setter: + @brief Replaces the shape by the given polygon (in micrometer units) + This method replaces the shape by the given polygon, like \polygon= with a \Polygon argument does. This version translates the polygon from micrometer units to database units internally. + + This method has been introduced in version 0.25. """ - TERMINAL_B: ClassVar[int] + prop_id: int r""" - @brief A constant giving the terminal ID for terminal B - """ - def _assign(self, other: DeviceClass) -> None: - r""" - @brief Assigns another object to self - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _dup(self) -> DeviceClassResistor: - r""" - @brief Creates a copy of self - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + Getter: + @brief Gets the properties ID associated with the shape - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + The \Layout object can be used to retrieve the actual properties associated with the ID. + Setter: + @brief Sets the properties ID of this shape - Usually it's not required to call this method. It has been introduced in version 0.24. - """ + The \Layout object can be used to retrieve an ID for a given set of properties. Calling this method will invalidate any iterators. It should not be called inside a loop iterating over shapes. -class DeviceClassResistorWithBulk(DeviceClassResistor): + This method has been introduced in version 0.22. + """ + round_path: bool r""" - @brief A device class for a resistor with a bulk terminal (substrate, well). - This class is similar to \DeviceClassResistor, but provides an additional terminal (BULK) for the well or substrate the resistor is embedded in. + Getter: + @brief Returns true, if the path has round ends - The additional terminal is 'W' for the well/substrate terminal. + Applies to paths only. Will throw an exception if the object is not a path. - This class has been introduced in version 0.26. + Setter: + @brief The path will be a round-ended path if this property is set to true + + Applies to paths only. Will throw an exception if the object is not a path. + Please note that the extensions will apply as well. To get a path with circular ends, set the begin and end extensions to half the path's width. + + This method has been introduced in version 0.23. """ - TERMINAL_W: ClassVar[int] + simple_polygon: Any r""" - @brief A constant giving the terminal ID for terminal W (well, bulk) - """ - def _assign(self, other: DeviceClass) -> None: - r""" - @brief Assigns another object to self - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _dup(self) -> DeviceClassResistorWithBulk: - r""" - @brief Creates a copy of self - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + Getter: + @brief Returns the simple polygon object - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + Returns the simple polygon object that this shape refers to or converts the object to a simple polygon. Paths, boxes and polygons are converted to simple polygons. Polygons with holes will have their holes removed but introducing cut lines that connect the hole contours with the outer contour. + Starting with version 0.23, this method returns nil, if the shape does not represent a geometrical primitive that can be converted to a simple polygon. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ + Setter: + @brief Replaces the shape by the given simple polygon object + This method replaces the shape by the given simple polygon object. This method can only be called for editable layouts. It does not change the user properties of the shape. + Calling this method will invalidate any iterators. It should not be called inside a loop iterating over shapes. -class DeviceClassCapacitor(DeviceClass): + This method has been introduced in version 0.22. + """ + text: Any r""" - @brief A device class for a capacitor. - This describes a capacitor. Capacitors are defined by their combination behavior and the basic parameter 'C' which is the capacitance in Farad. + Getter: + @brief Returns the text object - A capacitor has two terminals, A and B. - The parameters of a capacitor are C (the value in Farad) and A and P (area and perimeter in square micrometers and micrometers respectively). + Starting with version 0.23, this method returns nil, if the shape does not represent a text. + Setter: + @brief Replaces the shape by the given text object + This method replaces the shape by the given text object. This method can only be called for editable layouts. It does not change the user properties of the shape. + Calling this method will invalidate any iterators. It should not be called inside a loop iterating over shapes. - This class has been introduced in version 0.26. + This method has been introduced in version 0.22. """ - PARAM_A: ClassVar[int] + text_dpos: DVector r""" - @brief A constant giving the parameter ID for parameter A + Getter: + @brief Gets the text's position in micrometer units + + Applies to texts only. Will throw an exception if the object is not a text. + + This method has been added in version 0.25. + + Setter: + @brief Sets the text's position in micrometer units + Applies to texts only. Will throw an exception if the object is not a text. + + This method has been added in version 0.25. """ - PARAM_C: ClassVar[int] + text_dsize: float r""" - @brief A constant giving the parameter ID for parameter C + Getter: + @brief Gets the text size in micrometer units + + Applies to texts only. Will throw an exception if the object is not a text. + + This method has been introduced in version 0.25. + Setter: + @brief Sets the text size in micrometer units + + Applies to texts only. Will throw an exception if the object is not a text. + + This method has been introduced in version 0.25. """ - PARAM_P: ClassVar[int] + text_dtrans: DTrans r""" - @brief A constant giving the parameter ID for parameter P + Getter: + @brief Gets the text transformation in micrometer units + + Applies to texts only. Will throw an exception if the object is not a text. + + This method has been added in version 0.25. + + Setter: + @brief Sets the text transformation in micrometer units + Applies to texts only. Will throw an exception if the object is not a text. + + This method has been introduced in version 0.25. """ - TERMINAL_A: ClassVar[int] + text_font: int r""" - @brief A constant giving the terminal ID for terminal A + Getter: + @brief Gets the text's font + + Applies to texts only. Will throw an exception if the object is not a text. + + Setter: + @brief Sets the text's font + + Applies to texts only. Will throw an exception if the object is not a text. + + This method has been introduced in version 0.23. """ - TERMINAL_B: ClassVar[int] + text_halign: int r""" - @brief A constant giving the terminal ID for terminal B + Getter: + @brief Gets the text's horizontal alignment + + Applies to texts only. Will throw an exception if the object is not a text. + The return value is 0 for left alignment, 1 for center alignment and 2 to right alignment. + + This method has been introduced in version 0.22. + + Setter: + @brief Sets the text's horizontal alignment + + Applies to texts only. Will throw an exception if the object is not a text. + See \text_halign for a description of that property. + + This method has been introduced in version 0.23. """ - def _assign(self, other: DeviceClass) -> None: + text_pos: Vector + r""" + Getter: + @brief Gets the text's position + + Applies to texts only. Will throw an exception if the object is not a text. + + Setter: + @brief Sets the text's position + Applies to texts only. Will throw an exception if the object is not a text. + """ + text_rot: int + r""" + Getter: + @brief Gets the text's orientation code (see \Trans) + + Applies to texts only. Will throw an exception if the object is not a text. + + Setter: + @brief Sets the text's orientation code (see \Trans) + + Applies to texts only. Will throw an exception if the object is not a text. + """ + text_size: int + r""" + Getter: + @brief Gets the text size + + Applies to texts only. Will throw an exception if the object is not a text. + + Setter: + @brief Sets the text size + + Applies to texts only. Will throw an exception if the object is not a text. + + This method has been introduced in version 0.23. + """ + text_string: str + r""" + Getter: + @brief Obtain the text string + + Applies to texts only. Will throw an exception if the object is not a text. + + Setter: + @brief Sets the text string + + Applies to texts only. Will throw an exception if the object is not a text. + + This method has been introduced in version 0.23. + """ + text_trans: Trans + r""" + Getter: + @brief Gets the text transformation + + Applies to texts only. Will throw an exception if the object is not a text. + + Setter: + @brief Sets the text transformation + Applies to texts only. Will throw an exception if the object is not a text. + + This method has been introduced in version 0.23. + """ + text_valign: int + r""" + Getter: + @brief Gets the text's vertical alignment + + Applies to texts only. Will throw an exception if the object is not a text. + The return value is 0 for top alignment, 1 for center alignment and 2 to bottom alignment. + + This method has been introduced in version 0.22. + + Setter: + @brief Sets the text's vertical alignment + + Applies to texts only. Will throw an exception if the object is not a text. + See \text_valign for a description of that property. + + This method has been introduced in version 0.23. + """ + @classmethod + def new(cls) -> Shape: r""" - @brief Assigns another object to self + @brief Creates a new object of this class """ - def _create(self) -> None: + @classmethod + def t_box(cls) -> int: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def _destroy(self) -> None: + @classmethod + def t_box_array(cls) -> int: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. """ - def _destroyed(self) -> bool: + @classmethod + def t_box_array_member(cls) -> int: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def _dup(self) -> DeviceClassCapacitor: + @classmethod + def t_edge(cls) -> int: r""" - @brief Creates a copy of self """ - def _is_const_object(self) -> bool: + @classmethod + def t_edge_pair(cls) -> int: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. """ - def _manage(self) -> None: + @classmethod + def t_null(cls) -> int: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - - Usually it's not required to call this method. It has been introduced in version 0.24. """ - def _unmanage(self) -> None: + @classmethod + def t_path(cls) -> int: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - - Usually it's not required to call this method. It has been introduced in version 0.24. """ - -class DeviceClassCapacitorWithBulk(DeviceClassCapacitor): - r""" - @brief A device class for a capacitor with a bulk terminal (substrate, well). - This class is similar to \DeviceClassCapacitor, but provides an additional terminal (BULK) for the well or substrate the capacitor is embedded in. - - The additional terminal is 'W' for the well/substrate terminal. - - This class has been introduced in version 0.26. - """ - TERMINAL_W: ClassVar[int] - r""" - @brief A constant giving the terminal ID for terminal W (well, bulk) - """ - def _assign(self, other: DeviceClass) -> None: + @classmethod + def t_path_ptr_array(cls) -> int: r""" - @brief Assigns another object to self """ - def _create(self) -> None: + @classmethod + def t_path_ptr_array_member(cls) -> int: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def _destroy(self) -> None: + @classmethod + def t_path_ref(cls) -> int: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. """ - def _destroyed(self) -> bool: + @classmethod + def t_point(cls) -> int: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def _dup(self) -> DeviceClassCapacitorWithBulk: + @classmethod + def t_polygon(cls) -> int: r""" - @brief Creates a copy of self """ - def _is_const_object(self) -> bool: + @classmethod + def t_polygon_ptr_array(cls) -> int: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. """ - def _manage(self) -> None: + @classmethod + def t_polygon_ptr_array_member(cls) -> int: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - - Usually it's not required to call this method. It has been introduced in version 0.24. """ - def _unmanage(self) -> None: + @classmethod + def t_polygon_ref(cls) -> int: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - - Usually it's not required to call this method. It has been introduced in version 0.24. """ - -class DeviceClassInductor(DeviceClass): - r""" - @brief A device class for an inductor. - This class describes an inductor. Inductors are defined by their combination behavior and the basic parameter 'L' which is the inductance in Henry. - - An inductor has two terminals, A and B. - - This class has been introduced in version 0.26. - """ - PARAM_L: ClassVar[int] - r""" - @brief A constant giving the parameter ID for parameter L - """ - TERMINAL_A: ClassVar[int] - r""" - @brief A constant giving the terminal ID for terminal A - """ - TERMINAL_B: ClassVar[int] - r""" - @brief A constant giving the terminal ID for terminal B - """ - def _assign(self, other: DeviceClass) -> None: + @classmethod + def t_short_box(cls) -> int: r""" - @brief Assigns another object to self """ - def _create(self) -> None: + @classmethod + def t_short_box_array(cls) -> int: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def _destroy(self) -> None: + @classmethod + def t_short_box_array_member(cls) -> int: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. """ - def _destroyed(self) -> bool: + @classmethod + def t_simple_polygon(cls) -> int: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def _dup(self) -> DeviceClassInductor: + @classmethod + def t_simple_polygon_ptr_array(cls) -> int: + r""" + """ + @classmethod + def t_simple_polygon_ptr_array_member(cls) -> int: + r""" + """ + @classmethod + def t_simple_polygon_ref(cls) -> int: + r""" + """ + @classmethod + def t_text(cls) -> int: + r""" + """ + @classmethod + def t_text_ptr_array(cls) -> int: + r""" + """ + @classmethod + def t_text_ptr_array_member(cls) -> int: + r""" + """ + @classmethod + def t_text_ref(cls) -> int: + r""" + """ + @classmethod + def t_user_object(cls) -> int: + r""" + """ + def __copy__(self) -> Shape: r""" @brief Creates a copy of self """ - def _is_const_object(self) -> bool: + def __deepcopy__(self) -> Shape: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Creates a copy of self """ - def _manage(self) -> None: + def __eq__(self, other: object) -> bool: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Equality operator - Usually it's not required to call this method. It has been introduced in version 0.24. + Equality of shapes is not specified by the identity of the objects but by the + identity of the pointers - both shapes must refer to the same object. """ - def _unmanage(self) -> None: + def __init__(self) -> None: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief Creates a new object of this class """ - -class DeviceClassDiode(DeviceClass): - r""" - @brief A device class for a diode. - This class describes a diode. - A diode has two terminals, A (anode) and C (cathode). - It has two parameters: The diode area in square micrometers (A) and the diode area perimeter in micrometers (P). - - Diodes only combine when parallel and in the same direction. In this case, their areas and perimeters are added. - This class has been introduced in version 0.26. - """ - PARAM_A: ClassVar[int] - r""" - @brief A constant giving the parameter ID for parameter A - """ - PARAM_P: ClassVar[int] - r""" - @brief A constant giving the parameter ID for parameter P - """ - TERMINAL_A: ClassVar[int] - r""" - @brief A constant giving the terminal ID for terminal A - """ - TERMINAL_C: ClassVar[int] - r""" - @brief A constant giving the terminal ID for terminal C - """ - def _assign(self, other: DeviceClass) -> None: + def __ne__(self, other: object) -> bool: r""" - @brief Assigns another object to self + @brief Inequality operator + """ + def __str__(self) -> str: + r""" + @brief Create a string showing the contents of the reference + + This method has been introduced with version 0.16. """ def _create(self) -> None: r""" @@ -45283,10 +44695,6 @@ class DeviceClassDiode(DeviceClass): This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def _dup(self) -> DeviceClassDiode: - r""" - @brief Creates a copy of self - """ def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference @@ -45307,279 +44715,365 @@ class DeviceClassDiode(DeviceClass): Usually it's not required to call this method. It has been introduced in version 0.24. """ + def area(self) -> int: + r""" + @brief Returns the area of the shape + This method has been added in version 0.22. + """ + def array_dtrans(self) -> DTrans: + r""" + @brief Gets the array instance member transformation in micrometer units -class DeviceClassBJT3Transistor(DeviceClass): - r""" - @brief A device class for a bipolar transistor. - This class describes a bipolar transistor. Bipolar transistors have tree terminals: the collector (C), the base (B) and the emitter (E). - Multi-emitter transistors are resolved in individual devices. - The parameters are AE, AB and AC for the emitter, base and collector areas in square micrometers and PE, PB and PC for the emitter, base and collector perimeters in micrometers. - In addition, the emitter count (NE) is given. The emitter count is 1 always for a transistor extracted initially. Upon combination of devices, the emitter counts are added, thus forming multi-emitter devices. + This attribute is valid only if \is_array_member? is true. + The transformation returned describes the relative transformation of the + array member addressed. The displacement is given in micrometer units. - This class has been introduced in version 0.26. - """ - PARAM_AB: ClassVar[int] - r""" - @brief A constant giving the parameter ID for parameter AB (base area) - """ - PARAM_AC: ClassVar[int] - r""" - @brief A constant giving the parameter ID for parameter AC (collector area) - """ - PARAM_AE: ClassVar[int] - r""" - @brief A constant giving the parameter ID for parameter AE (emitter area) - """ - PARAM_NE: ClassVar[int] - r""" - @brief A constant giving the parameter ID for parameter NE (emitter count) - """ - PARAM_PB: ClassVar[int] - r""" - @brief A constant giving the parameter ID for parameter PB (base perimeter) - """ - PARAM_PC: ClassVar[int] - r""" - @brief A constant giving the parameter ID for parameter PC (collector perimeter) - """ - PARAM_PE: ClassVar[int] - r""" - @brief A constant giving the parameter ID for parameter PE (emitter perimeter) - """ - TERMINAL_B: ClassVar[int] - r""" - @brief A constant giving the terminal ID for terminal B (base) - """ - TERMINAL_C: ClassVar[int] - r""" - @brief A constant giving the terminal ID for terminal C (collector) - """ - TERMINAL_E: ClassVar[int] - r""" - @brief A constant giving the terminal ID for terminal E (emitter) - """ - def _assign(self, other: DeviceClass) -> None: + This method has been added in version 0.25. + """ + def array_trans(self) -> Trans: + r""" + @brief Gets the array instance member transformation + + This attribute is valid only if \is_array_member? is true. + The transformation returned describes the relative transformation of the + array member addressed. + """ + def assign(self, other: Shape) -> None: r""" @brief Assigns another object to self """ - def _create(self) -> None: + def bbox(self) -> Box: + r""" + @brief Returns the bounding box of the shape + """ + def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def _destroy(self) -> None: + def darea(self) -> float: + r""" + @brief Returns the area of the shape in square micrometer units + This method has been added in version 0.25. + """ + def dbbox(self) -> DBox: + r""" + @brief Returns the bounding box of the shape in micrometer units + This method has been added in version 0.25. + """ + def delete(self) -> None: + r""" + @brief Deletes the shape + + After the shape is deleted, the shape object is emptied and points to nothing. + + This method has been introduced in version 0.23. + """ + def delete_property(self, key: Any) -> None: + r""" + @brief Deletes the user property with the given key + This method is a convenience method that deletes the property with the given key. It does nothing if no property with that key exists. Using that method is more convenient than creating a new property set with a new ID and assigning that properties ID. + This method may change the properties ID. Calling this method will invalidate any iterators. It should not be called inside a loop iterating over shapes. + + This method has been introduced in version 0.22. + """ + def destroy(self) -> None: r""" @brief Explicitly destroys the object Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. If the object is not owned by the script, this method will do nothing. """ - def _destroyed(self) -> bool: + def destroyed(self) -> bool: r""" @brief Returns a value indicating whether the object was already destroyed This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def _dup(self) -> DeviceClassBJT3Transistor: + def dperimeter(self) -> float: + r""" + @brief Returns the perimeter of the shape in micrometer units + + This method will return an approximation of the perimeter for paths. + + This method has been added in version 0.25. + """ + def dup(self) -> Shape: r""" @brief Creates a copy of self """ - def _is_const_object(self) -> bool: + @overload + def each_dedge(self) -> Iterator[DEdge]: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Iterates over the edges of the object and returns edges in micrometer units + + This method iterates over all edges of polygons and simple polygons like \each_edge, but will deliver edges in micrometer units. Multiplication by the database unit is done internally. + + This method has been introduced in version 0.25. """ - def _manage(self) -> None: + @overload + def each_dedge(self, contour: int) -> Iterator[DEdge]: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Iterates over the edges of a single contour of the object and returns edges in micrometer units - Usually it's not required to call this method. It has been introduced in version 0.24. + This method iterates over all edges of polygons and simple polygons like \each_edge, but will deliver edges in micrometer units. Multiplication by the database unit is done internally. + + This method has been introduced in version 0.25. """ - def _unmanage(self) -> None: + def each_dpoint(self) -> Iterator[DPoint]: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Iterates over all points of the object and returns points in micrometer units - Usually it's not required to call this method. It has been introduced in version 0.24. + This method iterates over all points of the object like \each_point, but it returns \DPoint objects that are given in micrometer units already. Multiplication with the database unit happens internally. + + This method has been introduced in version 0.25. """ + def each_dpoint_hole(self, hole_index: int) -> Iterator[DPoint]: + r""" + @brief Iterates over a hole contour of the object and returns points in micrometer units -class DeviceClassBJT4Transistor(DeviceClassBJT3Transistor): - r""" - @brief A device class for a 4-terminal bipolar transistor. - This class describes a bipolar transistor with a substrate terminal. A device class for a bipolar transistor without a substrate terminal is \DeviceClassBJT3Transistor. - The additional terminal is 'S' for the substrate terminal. - BJT4 transistors combine in parallel if both substrate terminals are connected to the same net. + This method iterates over all points of the object's contour' like \each_point_hole, but it returns \DPoint objects that are given in micrometer units already. Multiplication with the database unit happens internally. - This class has been introduced in version 0.26. - """ - TERMINAL_S: ClassVar[int] - r""" - @brief A constant giving the terminal ID for terminal S - """ - def _assign(self, other: DeviceClass) -> None: + This method has been introduced in version 0.25. + """ + def each_dpoint_hull(self) -> Iterator[DPoint]: r""" - @brief Assigns another object to self + @brief Iterates over the hull contour of the object and returns points in micrometer units + + This method iterates over all points of the object's contour' like \each_point_hull, but it returns \DPoint objects that are given in micrometer units already. Multiplication with the database unit happens internally. + + This method has been introduced in version 0.25. """ - def _create(self) -> None: + @overload + def each_edge(self) -> Iterator[Edge]: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Iterates over the edges of the object + + This method applies to polygons and simple polygons and delivers all edges that form the polygon's contours. Hole edges are oriented counterclockwise while hull edges are oriented clockwise. + + It will throw an exception if the object is not a polygon. """ - def _destroy(self) -> None: + @overload + def each_edge(self, contour: int) -> Iterator[Edge]: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Iterates over the edges of a single contour of the object + @param contour The contour number (0 for hull, 1 for first hole ...) + + This method applies to polygons and simple polygons and delivers all edges that form the given contour of the polygon. The hull has contour number 0, the first hole has contour 1 etc. + Hole edges are oriented counterclockwise while hull edges are oriented clockwise. + + It will throw an exception if the object is not a polygon. + + This method was introduced in version 0.24. """ - def _destroyed(self) -> bool: + def each_point(self) -> Iterator[Point]: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Iterates over all points of the object + + This method applies to paths and delivers all points of the path's center line. + It will throw an exception for other objects. """ - def _dup(self) -> DeviceClassBJT4Transistor: + def each_point_hole(self, hole_index: int) -> Iterator[Point]: r""" - @brief Creates a copy of self + @brief Iterates over the points of a hole contour + + This method applies to polygons and delivers all points of the respective hole contour. + It will throw an exception for other objects. + Simple polygons deliver an empty sequence. + + @param hole The hole index (see holes () method) """ - def _is_const_object(self) -> bool: + def each_point_hull(self) -> Iterator[Point]: + r""" + @brief Iterates over the hull contour of the object + + This method applies to polygons and delivers all points of the polygon hull contour. + It will throw an exception for other objects. + """ + def has_prop_id(self) -> bool: + r""" + @brief Returns true, if the shape has properties, i.e. has a properties ID + """ + def holes(self) -> int: + r""" + @brief Returns the number of holes + + This method applies to polygons and will throw an exception for other objects.. + Simple polygons deliver a value of zero. + """ + def is_array_member(self) -> bool: + r""" + @brief Returns true, if the shape is a member of a shape array + """ + def is_box(self) -> bool: + r""" + @brief Returns true if the shape is a box + """ + def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def _manage(self) -> None: + def is_edge(self) -> bool: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief Returns true, if the object is an edge """ - def _unmanage(self) -> None: + def is_edge_pair(self) -> bool: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Returns true, if the object is an edge pair - Usually it's not required to call this method. It has been introduced in version 0.24. + This method has been introduced in version 0.26. + """ + def is_null(self) -> bool: + r""" + @brief Returns true, if the shape reference is a null reference (not referring to a shape) + """ + def is_path(self) -> bool: + r""" + @brief Returns true, if the shape is a path """ + def is_point(self) -> bool: + r""" + @brief Returns true, if the object is an point -class DeviceClassMOS3Transistor(DeviceClass): - r""" - @brief A device class for a 3-terminal MOS transistor. - This class describes a MOS transistor without a bulk terminal. A device class for a MOS transistor with a bulk terminal is \DeviceClassMOS4Transistor. MOS transistors are defined by their combination behavior and the basic parameters. + This method has been introduced in version 0.28. + """ + def is_polygon(self) -> bool: + r""" + @brief Returns true, if the shape is a polygon - The parameters are L, W, AS, AD, PS and PD for the gate length and width in micrometers, source and drain area in square micrometers and the source and drain perimeter in micrometers. + This method returns true only if the object is a polygon or a simple polygon. Other objects can convert to polygons, for example paths, so it may be possible to use the \polygon method also if is_polygon? does not return true. + """ + def is_simple_polygon(self) -> bool: + r""" + @brief Returns true, if the shape is a simple polygon - The terminals are S, G and D for source, gate and drain. + This method returns true only if the object is a simple polygon. The simple polygon identity is contained in the polygon identity, so usually it is sufficient to use \is_polygon? and \polygon instead of specifically handle simply polygons. This method is provided only for specific optimisation purposes. + """ + def is_text(self) -> bool: + r""" + @brief Returns true, if the object is a text + """ + def is_user_object(self) -> bool: + r""" + @brief Returns true if the shape is a user defined object + """ + def is_valid(self) -> bool: + r""" + @brief Returns true, if the shape is valid - MOS transistors combine in parallel mode, when both gate lengths are identical and their gates are connected (source and drain can be swapped). In this case, their widths and source and drain areas are added. + After the shape is deleted, the shape object is no longer valid and this method returns false. - This class has been introduced in version 0.26. - """ - PARAM_AD: ClassVar[int] - r""" - @brief A constant giving the parameter ID for parameter AD - """ - PARAM_AS: ClassVar[int] - r""" - @brief A constant giving the parameter ID for parameter AS - """ - PARAM_L: ClassVar[int] - r""" - @brief A constant giving the parameter ID for parameter L - """ - PARAM_PD: ClassVar[int] - r""" - @brief A constant giving the parameter ID for parameter PD - """ - PARAM_PS: ClassVar[int] - r""" - @brief A constant giving the parameter ID for parameter PS - """ - PARAM_W: ClassVar[int] - r""" - @brief A constant giving the parameter ID for parameter W - """ - TERMINAL_D: ClassVar[int] - r""" - @brief A constant giving the terminal ID for terminal D - """ - TERMINAL_G: ClassVar[int] - r""" - @brief A constant giving the terminal ID for terminal G - """ - TERMINAL_S: ClassVar[int] - r""" - @brief A constant giving the terminal ID for terminal S - """ - def _assign(self, other: DeviceClass) -> None: + This method has been introduced in version 0.23. + """ + def layout(self) -> Layout: r""" - @brief Assigns another object to self + @brief Gets a reference to the Layout the shape belongs to + + This reference can be nil, if the Shape object is not living inside a layout. + + This method has been introduced in version 0.22. """ - def _create(self) -> None: + def path_dlength(self) -> float: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Returns the length of the path in micrometer units + + Applies to paths only. Will throw an exception if the object is not a path. + This method returns the length of the spine plus extensions if present. + The value returned is given in micrometer units. + + This method has been added in version 0.25. """ - def _destroy(self) -> None: + def path_length(self) -> int: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Returns the length of the path + + Applies to paths only. Will throw an exception if the object is not a path. + This method returns the length of the spine plus extensions if present. + + This method has been added in version 0.23. """ - def _destroyed(self) -> bool: + def perimeter(self) -> int: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Returns the perimeter of the shape + + This method will return an approximation of the perimeter for paths. + + This method has been added in version 0.23. """ - def _dup(self) -> DeviceClassMOS3Transistor: + def property(self, key: Any) -> Any: r""" - @brief Creates a copy of self + @brief Gets the user property with the given key + This method is a convenience method that gets the property with the given key. If no property with that key does not exist, it will return nil. Using that method is more convenient than using the layout object and the properties ID to retrieve the property value. + This method has been introduced in version 0.22. """ - def _is_const_object(self) -> bool: + def set_property(self, key: Any, value: Any) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Sets the user property with the given key to the given value + This method is a convenience method that sets the property with the given key to the given value. If no property with that key exists, it will create one. Using that method is more convenient than creating a new property set with a new ID and assigning that properties ID. + This method may change the properties ID. Note: GDS only supports integer keys. OASIS supports numeric and string keys. Calling this method will invalidate any iterators. It should not be called inside a loop iterating over shapes. + + This method has been introduced in version 0.22. """ - def _manage(self) -> None: + def shapes(self) -> Shapes: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Gets a reference to the Shapes container the shape lives in - Usually it's not required to call this method. It has been introduced in version 0.24. + This reference can be nil, if the Shape object is not referring to an actual shape. + + This method has been introduced in version 0.22. """ - def _unmanage(self) -> None: + def to_s(self) -> str: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Create a string showing the contents of the reference - Usually it's not required to call this method. It has been introduced in version 0.24. + This method has been introduced with version 0.16. """ - def join_split_gates(self, circuit: Circuit) -> None: + @overload + def transform(self, trans: DCplxTrans) -> None: r""" - @brief Joins source/drain nets from 'split gate' transistor strings on the given circuit - This method has been introduced in version 0.27.9 + @brief Transforms the shape with the given complex transformation, given in micrometer units + This method has been introduced in version 0.25. """ + @overload + def transform(self, trans: DTrans) -> None: + r""" + @brief Transforms the shape with the given transformation, given in micrometer units + This method has been introduced in version 0.25. + """ + @overload + def transform(self, trans: ICplxTrans) -> None: + r""" + @brief Transforms the shape with the given complex transformation + This method has been introduced in version 0.23. + """ + @overload + def transform(self, trans: Trans) -> None: + r""" + @brief Transforms the shape with the given transformation + This method has been introduced in version 0.23. + """ + def type(self) -> int: + r""" + @brief Return the type of the shape -class DeviceClassMOS4Transistor(DeviceClassMOS3Transistor): - r""" - @brief A device class for a 4-terminal MOS transistor. - This class describes a MOS transistor with a bulk terminal. A device class for a MOS transistor without a bulk terminal is \DeviceClassMOS3Transistor. MOS transistors are defined by their combination behavior and the basic parameters. - - The additional terminal is 'B' for the bulk terminal. - MOS4 transistors combine in parallel if both bulk terminals are connected to the same net. + The returned values are the t_... constants available through the corresponding class members. + """ - This class has been introduced in version 0.26. - """ - TERMINAL_B: ClassVar[int] +class ShapeCollection: r""" - @brief A constant giving the terminal ID for terminal B + @brief A base class for the shape collections (\Region, \Edges, \EdgePairs and \Texts) + + This class has been introduced in version 0.27. """ - def _assign(self, other: DeviceClass) -> None: + @classmethod + def new(cls) -> ShapeCollection: r""" - @brief Assigns another object to self + @brief Creates a new object of this class + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -45598,10 +45092,6 @@ class DeviceClassMOS4Transistor(DeviceClassMOS3Transistor): This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def _dup(self) -> DeviceClassMOS4Transistor: - r""" - @brief Creates a copy of self - """ def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference @@ -45622,42 +45112,46 @@ class DeviceClassMOS4Transistor(DeviceClassMOS3Transistor): Usually it's not required to call this method. It has been introduced in version 0.24. """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ -class DeviceClassFactory: +class ShapeProcessor: r""" - @brief A factory for creating specific device classes for the standard device extractors - Use a reimplementation of this class to provide a device class generator for built-in device extractors such as \DeviceExtractorMOS3Transistor. The constructor of this extractor has a 'factory' parameter which takes an object of \DeviceClassFactory type. - - If such an object is provided, this factory is used to create the actual device class. The following code shows an example: - - @code - class MyClass < RBA::DeviceClassMOS3Transistor - ... overrides some methods ... - end - - class MyFactory < RBA::DeviceClassFactory - def create_class - MyClass.new - end - end - - extractor = RBA::DeviceExtractorMOS3Transistor::new("NMOS", false, MyFactory.new) - @/code - - When using a factory with a device extractor, make sure it creates a corresponding device class, e.g. for the \DeviceExtractorMOS3Transistor extractor create a device class derived from \DeviceClassMOS3Transistor. + @brief The shape processor (boolean, sizing, merge on shapes) - This class has been introduced in version 0.27.3. + The shape processor implements the boolean and edge set operations (size, merge). Because the shape processor might allocate resources which can be reused in later operations, it is implemented as an object that can be used several times. The shape processor is similar to the \EdgeProcessor. The latter is specialized on handling polygons and edges directly. """ @classmethod - def new(cls) -> DeviceClassFactory: + def new(cls) -> ShapeProcessor: r""" @brief Creates a new object of this class """ - def __copy__(self) -> DeviceClassFactory: + def __copy__(self) -> ShapeProcessor: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> DeviceClassFactory: + def __deepcopy__(self) -> ShapeProcessor: r""" @brief Creates a copy of self """ @@ -45702,28 +45196,107 @@ class DeviceClassFactory: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: DeviceClassFactory) -> None: + def assign(self, other: ShapeProcessor) -> None: r""" @brief Assigns another object to self """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: + @overload + def boolean(self, in_a: Sequence[Shape], in_b: Sequence[Shape], mode: int) -> List[Edge]: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Boolean operation on two given shape sets into an edge set + + See the \EdgeProcessor for a description of the boolean operations. This implementation takes shapes + rather than polygons for input and produces an edge set. + + This version does not feature a transformation for each shape (unity is assumed). + + @param in_a The set of shapes to use for input A + @param in_b The set of shapes to use for input A + @param mode The boolean operation (see \EdgeProcessor) """ - def destroyed(self) -> bool: + @overload + def boolean(self, in_a: Sequence[Shape], trans_a: Sequence[CplxTrans], in_b: Sequence[Shape], trans_b: Sequence[CplxTrans], mode: int) -> List[Edge]: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. + @brief Boolean operation on two given shape sets into an edge set + + See the \EdgeProcessor for a description of the boolean operations. This implementation takes shapes + rather than polygons for input and produces an edge set. + + @param in_a The set of shapes to use for input A + @param trans_a A set of transformations to apply before the shapes are used + @param in_b The set of shapes to use for input A + @param trans_b A set of transformations to apply before the shapes are used + @param mode The boolean operation (see \EdgeProcessor) + """ + @overload + def boolean(self, layout_a: Layout, cell_a: Cell, layer_a: int, layout_b: Layout, cell_b: Cell, layer_b: int, out: Shapes, mode: int, hierarchical: bool, resolve_holes: bool, min_coherence: bool) -> None: + r""" + @brief Boolean operation on shapes from layouts + + See the \EdgeProcessor for a description of the boolean operations. This implementation takes shapes + from layout cells (optionally all in hierarchy) and produces new shapes in a shapes container. + @param layout_a The layout from which to take the shapes for input A + @param cell_a The cell (in 'layout') from which to take the shapes for input A + @param layer_a The cell (in 'layout') from which to take the shapes for input A + @param layout_b The layout from which to take the shapes for input B + @param cell_b The cell (in 'layout') from which to take the shapes for input B + @param layer_b The cell (in 'layout') from which to take the shapes for input B + @param out The shapes container where to put the shapes into (is cleared before) + @param mode The boolean operation (see \EdgeProcessor) + @param hierarchical Collect shapes from sub cells as well + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if minimum polygons should be created for touching corners + """ + @overload + def boolean_to_polygon(self, in_a: Sequence[Shape], in_b: Sequence[Shape], mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + r""" + @brief Boolean operation on two given shape sets into a polygon set + + See the \EdgeProcessor for a description of the boolean operations. This implementation takes shapes + rather than polygons for input and produces a polygon set. + + This version does not feature a transformation for each shape (unity is assumed). + + @param in_a The set of shapes to use for input A + @param in_b The set of shapes to use for input A + @param mode The boolean operation (see \EdgeProcessor) + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if minimum polygons should be created for touching corners + """ + @overload + def boolean_to_polygon(self, in_a: Sequence[Shape], trans_a: Sequence[CplxTrans], in_b: Sequence[Shape], trans_b: Sequence[CplxTrans], mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + r""" + @brief Boolean operation on two given shape sets into a polygon set + + See the \EdgeProcessor for a description of the boolean operations. This implementation takes shapes + rather than polygons for input and produces a polygon set. + + @param in_a The set of shapes to use for input A + @param trans_a A set of transformations to apply before the shapes are used + @param in_b The set of shapes to use for input A + @param trans_b A set of transformations to apply before the shapes are used + @param mode The boolean operation (see \EdgeProcessor) + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if minimum polygons should be created for touching corners + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> DeviceClassFactory: + def dup(self) -> ShapeProcessor: r""" @brief Creates a copy of self """ @@ -45733,173 +45306,382 @@ class DeviceClassFactory: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ + @overload + def merge(self, in_: Sequence[Shape], min_wc: int) -> List[Edge]: + r""" + @brief Merge the given shapes -class NetlistDeviceExtractorError: - r""" - @brief An error that occurred during device extraction - The device extractor will keep errors that occurred during extraction of the devices. It does not by using this error class. + See the \EdgeProcessor for a description of the merge method. This implementation takes shapes + rather than polygons for input and produces an edge set. - An error is basically described by the cell/circuit it occurs in and the message. In addition, a geometry may be attached forming a marker that can be shown when the error is selected. The geometry is given as a \DPolygon object. If no geometry is specified, this polygon is empty. + This version does not feature a transformation for each shape (unity is assumed). - For categorization of the errors, a category name and description may be specified. If given, the errors will be shown in the specified category. The category description is optional. + @param in The set of shapes to merge + @param min_wc The minimum wrap count for output (0: all polygons, 1: at least two overlapping) + """ + @overload + def merge(self, in_: Sequence[Shape], trans: Sequence[CplxTrans], min_wc: int) -> List[Edge]: + r""" + @brief Merge the given shapes - This class has been introduced in version 0.26. + See the \EdgeProcessor for a description of the merge method. This implementation takes shapes + rather than polygons for input and produces an edge set. + + @param in The set of shapes to merge + @param trans A corresponding set of transformations to apply on the shapes + @param min_wc The minimum wrap count for output (0: all polygons, 1: at least two overlapping) + """ + @overload + def merge(self, layout: Layout, cell: Cell, layer: int, out: Shapes, hierarchical: bool, min_wc: int, resolve_holes: bool, min_coherence: bool) -> None: + r""" + @brief Merge the given shapes from a layout into a shapes container + + See the \EdgeProcessor for a description of the merge method. This implementation takes shapes + from a layout cell (optionally all in hierarchy) and produces new shapes in a shapes container. + @param layout The layout from which to take the shapes + @param cell The cell (in 'layout') from which to take the shapes + @param layer The cell (in 'layout') from which to take the shapes + @param out The shapes container where to put the shapes into (is cleared before) + @param hierarchical Collect shapes from sub cells as well + @param min_wc The minimum wrap count for output (0: all polygons, 1: at least two overlapping) + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if minimum polygons should be created for touching corners + """ + @overload + def merge_to_polygon(self, in_: Sequence[Shape], min_wc: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + r""" + @brief Merge the given shapes + + See the \EdgeProcessor for a description of the merge method. This implementation takes shapes + rather than polygons for input and produces a polygon set. + + This version does not feature a transformation for each shape (unity is assumed). + + @param in The set of shapes to merge + @param min_wc The minimum wrap count for output (0: all polygons, 1: at least two overlapping) + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if minimum polygons should be created for touching corners + """ + @overload + def merge_to_polygon(self, in_: Sequence[Shape], trans: Sequence[CplxTrans], min_wc: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + r""" + @brief Merge the given shapes + + See the \EdgeProcessor for a description of the merge method. This implementation takes shapes + rather than polygons for input and produces a polygon set. + + @param in The set of shapes to merge + @param trans A corresponding set of transformations to apply on the shapes + @param min_wc The minimum wrap count for output (0: all polygons, 1: at least two overlapping) + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if minimum polygons should be created for touching corners + """ + @overload + def size(self, in_: Sequence[Shape], d: int, mode: int) -> List[Edge]: + r""" + @brief Size the given shapes + + See the \EdgeProcessor for a description of the sizing method. This implementation takes shapes + rather than polygons for input and produces an edge set. This is isotropic version that does not allow + to specify different values in x and y direction. + This version does not feature a transformation for each shape (unity is assumed). + + @param in The set of shapes to size + @param d The sizing value + @param mode The sizing mode (see \EdgeProcessor) + """ + @overload + def size(self, in_: Sequence[Shape], dx: int, dy: int, mode: int) -> List[Edge]: + r""" + @brief Size the given shapes + + See the \EdgeProcessor for a description of the sizing method. This implementation takes shapes + rather than polygons for input and produces an edge set. + + This version does not feature a transformation for each shape (unity is assumed). + + @param in The set of shapes to size + @param dx The sizing value in x-direction + @param dy The sizing value in y-direction + @param mode The sizing mode (see \EdgeProcessor) + """ + @overload + def size(self, in_: Sequence[Shape], trans: Sequence[CplxTrans], d: int, mode: int) -> List[Edge]: + r""" + @brief Size the given shapes + + See the \EdgeProcessor for a description of the sizing method. This implementation takes shapes + rather than polygons for input and produces an edge set. This is isotropic version that does not allow + to specify different values in x and y direction. + @param in The set of shapes to size + @param trans A corresponding set of transformations to apply on the shapes + @param d The sizing value + @param mode The sizing mode (see \EdgeProcessor) + """ + @overload + def size(self, in_: Sequence[Shape], trans: Sequence[CplxTrans], dx: int, dy: int, mode: int) -> List[Edge]: + r""" + @brief Size the given shapes + + See the \EdgeProcessor for a description of the sizing method. This implementation takes shapes + rather than polygons for input and produces an edge set. + + @param in The set of shapes to size + @param trans A corresponding set of transformations to apply on the shapes + @param dx The sizing value in x-direction + @param dy The sizing value in y-direction + @param mode The sizing mode (see \EdgeProcessor) + """ + @overload + def size(self, layout: Layout, cell: Cell, layer: int, out: Shapes, d: int, mode: int, hierarchical: bool, resolve_holes: bool, min_coherence: bool) -> None: + r""" + @brief Sizing operation on shapes from layouts + + See the \EdgeProcessor for a description of the sizing operation. This implementation takes shapes + from a layout cell (optionally all in hierarchy) and produces new shapes in a shapes container. This is the isotropic version which does not allow specification of different sizing values in x and y-direction. + @param layout The layout from which to take the shapes + @param cell The cell (in 'layout') from which to take the shapes + @param layer The cell (in 'layout') from which to take the shapes + @param out The shapes container where to put the shapes into (is cleared before) + @param d The sizing value (see \EdgeProcessor) + @param mode The sizing mode (see \EdgeProcessor) + @param hierarchical Collect shapes from sub cells as well + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if minimum polygons should be created for touching corners + """ + @overload + def size(self, layout: Layout, cell: Cell, layer: int, out: Shapes, dx: int, dy: int, mode: int, hierarchical: bool, resolve_holes: bool, min_coherence: bool) -> None: + r""" + @brief Sizing operation on shapes from layouts + + See the \EdgeProcessor for a description of the sizing operation. This implementation takes shapes + from a layout cell (optionally all in hierarchy) and produces new shapes in a shapes container. + @param layout The layout from which to take the shapes + @param cell The cell (in 'layout') from which to take the shapes + @param layer The cell (in 'layout') from which to take the shapes + @param out The shapes container where to put the shapes into (is cleared before) + @param dx The sizing value in x-direction (see \EdgeProcessor) + @param dy The sizing value in y-direction (see \EdgeProcessor) + @param mode The sizing mode (see \EdgeProcessor) + @param hierarchical Collect shapes from sub cells as well + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if minimum polygons should be created for touching corners + """ + @overload + def size_to_polygon(self, in_: Sequence[Shape], d: int, mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + r""" + @brief Size the given shapes + + See the \EdgeProcessor for a description of the sizing method. This implementation takes shapes + rather than polygons for input and produces a polygon set. This is isotropic version that does not allow + to specify different values in x and y direction. + This version does not feature a transformation for each shape (unity is assumed). + + @param in The set of shapes to size + @param d The sizing value + @param mode The sizing mode (see \EdgeProcessor) + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if minimum polygons should be created for touching corners + """ + @overload + def size_to_polygon(self, in_: Sequence[Shape], dx: int, dy: int, mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + r""" + @brief Size the given shapes + + See the \EdgeProcessor for a description of the sizing method. This implementation takes shapes + rather than polygons for input and produces a polygon set. + + This version does not feature a transformation for each shape (unity is assumed). + + @param in The set of shapes to size + @param dx The sizing value in x-direction + @param dy The sizing value in y-direction + @param mode The sizing mode (see \EdgeProcessor) + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if minimum polygons should be created for touching corners + """ + @overload + def size_to_polygon(self, in_: Sequence[Shape], trans: Sequence[CplxTrans], d: int, mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + r""" + @brief Size the given shapes + + See the \EdgeProcessor for a description of the sizing method. This implementation takes shapes + rather than polygons for input and produces a polygon set. This is isotropic version that does not allow + to specify different values in x and y direction. + @param in The set of shapes to size + @param trans A corresponding set of transformations to apply on the shapes + @param d The sizing value + @param mode The sizing mode (see \EdgeProcessor) + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if minimum polygons should be created for touching corners + """ + @overload + def size_to_polygon(self, in_: Sequence[Shape], trans: Sequence[CplxTrans], dx: int, dy: int, mode: int, resolve_holes: bool, min_coherence: bool) -> List[Polygon]: + r""" + @brief Size the given shapes + + See the \EdgeProcessor for a description of the sizing method. This implementation takes shapes + rather than polygons for input and produces a polygon set. + + @param in The set of shapes to size + @param trans A corresponding set of transformations to apply on the shapes + @param dx The sizing value in x-direction + @param dy The sizing value in y-direction + @param mode The sizing mode (see \EdgeProcessor) + @param resolve_holes true, if holes should be resolved into the hull + @param min_coherence true, if minimum polygons should be created for touching corners + """ + +class Shapes: + r""" + @brief A collection of shapes + + A shapes collection is a collection of geometrical objects, such as polygons, boxes, paths, edges, edge pairs or text objects. + + Shapes objects are the basic containers for geometrical objects of a cell. Inside a cell, there is one Shapes object per layer. """ - category_description: str + SAll: ClassVar[int] r""" - Getter: - @brief Gets the category description. - See \category_name= for details about categories. - Setter: - @brief Sets the category description. - See \category_name= for details about categories. + @brief Indicates that all shapes shall be retrieved """ - category_name: str + SAllWithProperties: ClassVar[int] r""" - Getter: - @brief Gets the category name. - See \category_name= for more details. - Setter: - @brief Sets the category name. - The category name is optional. If given, it specifies a formal category name. Errors with the same category name are shown in that category. If in addition a category description is specified (see \category_description), this description will be displayed as the title of. + @brief Indicates that all shapes with properties shall be retrieved """ - cell_name: str + SBoxes: ClassVar[int] r""" - Getter: - @brief Gets the cell name. - See \cell_name= for details about this attribute. - Setter: - @brief Sets the cell name. - The cell name is the name of the layout cell which was treated. This is also the name of the circuit the device should have appeared in (it may be dropped because of this error). If netlist hierarchy manipulation happens however, the circuit may not exist any longer or may be renamed. + @brief Indicates that boxes shall be retrieved """ - geometry: DPolygon + SEdgePairs: ClassVar[int] r""" - Getter: - @brief Gets the geometry. - See \geometry= for more details. - Setter: - @brief Sets the geometry. - The geometry is optional. If given, a marker will be shown when selecting this error. + @brief Indicates that edge pairs shall be retrieved """ - message: str + SEdges: ClassVar[int] r""" - Getter: - @brief Gets the message text. + @brief Indicates that edges shall be retrieved + """ + SPaths: ClassVar[int] + r""" + @brief Indicates that paths shall be retrieved + """ + SPoints: ClassVar[int] + r""" + @brief Indicates that points shall be retrieved + This constant has been added in version 0.28. + """ + SPolygons: ClassVar[int] + r""" + @brief Indicates that polygons shall be retrieved + """ + SProperties: ClassVar[int] + r""" + @brief Indicates that only shapes with properties shall be retrieved + """ + SRegions: ClassVar[int] + r""" + @brief Indicates that objects which can be polygonized shall be retrieved (paths, boxes, polygons etc.) - Setter: - @brief Sets the message text. + This constant has been added in version 0.27. + """ + STexts: ClassVar[int] + r""" + @brief Indicates that texts be retrieved + """ + SUserObjects: ClassVar[int] + r""" + @brief Indicates that user objects shall be retrieved """ @classmethod - def new(cls) -> NetlistDeviceExtractorError: + def new(cls) -> Shapes: r""" @brief Creates a new object of this class """ - def __copy__(self) -> NetlistDeviceExtractorError: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> NetlistDeviceExtractorError: + @classmethod + def s_all(cls) -> int: r""" - @brief Creates a copy of self + @brief Indicates that all shapes shall be retrieved """ - def __init__(self) -> None: + @classmethod + def s_all_with_properties(cls) -> int: r""" - @brief Creates a new object of this class + @brief Indicates that all shapes with properties shall be retrieved """ - def _create(self) -> None: + @classmethod + def s_boxes(cls) -> int: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Indicates that boxes shall be retrieved """ - def _destroy(self) -> None: + @classmethod + def s_edge_pairs(cls) -> int: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Indicates that edge pairs shall be retrieved """ - def _destroyed(self) -> bool: + @classmethod + def s_edges(cls) -> int: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Indicates that edges shall be retrieved """ - def _is_const_object(self) -> bool: + @classmethod + def s_paths(cls) -> int: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Indicates that paths shall be retrieved """ - def _manage(self) -> None: + @classmethod + def s_points(cls) -> int: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief Indicates that points shall be retrieved + This constant has been added in version 0.28. """ - def _unmanage(self) -> None: + @classmethod + def s_polygons(cls) -> int: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief Indicates that polygons shall be retrieved """ - def assign(self, other: NetlistDeviceExtractorError) -> None: + @classmethod + def s_properties(cls) -> int: r""" - @brief Assigns another object to self + @brief Indicates that only shapes with properties shall be retrieved """ - def create(self) -> None: + @classmethod + def s_regions(cls) -> int: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Indicates that objects which can be polygonized shall be retrieved (paths, boxes, polygons etc.) + + This constant has been added in version 0.27. """ - def destroy(self) -> None: + @classmethod + def s_texts(cls) -> int: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Indicates that texts be retrieved """ - def destroyed(self) -> bool: + @classmethod + def s_user_objects(cls) -> int: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Indicates that user objects shall be retrieved """ - def dup(self) -> NetlistDeviceExtractorError: + def __copy__(self) -> Shapes: r""" @brief Creates a copy of self """ - def is_const_object(self) -> bool: + def __deepcopy__(self) -> Shapes: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Creates a copy of self """ - -class NetlistDeviceExtractorLayerDefinition: - r""" - @brief Describes a layer used in the device extraction - This read-only structure is used to describe a layer in the device extraction. - Every device has specific layers used in the device extraction process. - Layer definitions can be retrieved using \NetlistDeviceExtractor#each_layer. - - This class has been introduced in version 0.26. - """ - @classmethod - def new(cls) -> NetlistDeviceExtractorLayerDefinition: + def __init__(self) -> None: r""" @brief Creates a new object of this class """ - def __copy__(self) -> NetlistDeviceExtractorLayerDefinition: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> NetlistDeviceExtractorLayerDefinition: + def __iter__(self) -> Iterator[Shape]: r""" - @brief Creates a copy of self + @brief Gets all shapes + + This call is equivalent to each(SAll). This convenience method has been introduced in version 0.16 """ - def __init__(self) -> None: + def __len__(self) -> int: r""" - @brief Creates a new object of this class + @brief Gets the number of shapes in this container + This method was introduced in version 0.16 + @return The number of shapes in this container """ def _create(self) -> None: r""" @@ -45938,19 +45720,27 @@ class NetlistDeviceExtractorLayerDefinition: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: NetlistDeviceExtractorLayerDefinition) -> None: + def assign(self, other: Shapes) -> None: r""" @brief Assigns another object to self """ + def cell(self) -> Cell: + r""" + @brief Gets the cell the shape container belongs to + This method returns nil if the shape container does not belong to a cell. + + This method has been added in version 0.28. + """ + def clear(self) -> None: + r""" + @brief Clears the shape container + This method has been introduced in version 0.16. It can only be used in editable mode. + """ def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def description(self) -> str: - r""" - @brief Gets the description of the layer. - """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -45963,1111 +45753,1221 @@ class NetlistDeviceExtractorLayerDefinition: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> NetlistDeviceExtractorLayerDefinition: + def dump_mem_statistics(self, detailed: Optional[bool] = ...) -> None: r""" - @brief Creates a copy of self + @hide """ - def fallback_index(self) -> int: + def dup(self) -> Shapes: r""" - @brief Gets the index of the fallback layer. - This is the index of the layer to be used when this layer isn't specified for input or (more important) output. + @brief Creates a copy of self """ - def index(self) -> int: + @overload + def each(self) -> Iterator[Shape]: r""" - @brief Gets the index of the layer. + @brief Gets all shapes + + This call is equivalent to each(SAll). This convenience method has been introduced in version 0.16 """ - def is_const_object(self) -> bool: + @overload + def each(self, flags: int) -> Iterator[Shape]: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Gets all shapes + + @param flags An "or"-ed combination of the S... constants """ - def name(self) -> str: + @overload + def each_overlapping(self, flags: int, region: Box) -> Iterator[Shape]: r""" - @brief Gets the name of the layer. - """ - -class DeviceExtractorBase: - r""" - @brief The base class for all device extractors. - This is an abstract base class for device extractors. See \GenericDeviceExtractor for a generic class which you can reimplement to supply your own customized device extractor. In many cases using one of the preconfigured specific device extractors may be useful already and it's not required to implement a custom one. For an example about a preconfigured device extractor see \DeviceExtractorMOS3Transistor. - - This class cannot and should not be instantiated explicitly. Use one of the subclasses instead. + @brief Gets all shapes that overlap the search box (region) + This method was introduced in version 0.16 - This class has been introduced in version 0.26. - """ - name: str - r""" - Getter: - @brief Gets the name of the device extractor and the device class. - Setter: - @brief Sets the name of the device extractor and the device class. - """ - @classmethod - def new(cls) -> DeviceExtractorBase: + @param flags An "or"-ed combination of the S... constants + @param region The rectangular search region + """ + @overload + def each_overlapping(self, flags: int, region: DBox) -> Iterator[Shape]: r""" - @brief Creates a new object of this class + @brief Gets all shapes that overlap the search box (region) where the search box is given in micrometer units + @param flags An "or"-ed combination of the S... constants + @param region The rectangular search region as a \DBox object in micrometer units + + This method was introduced in version 0.25 """ - def __init__(self) -> None: + @overload + def each_overlapping(self, region: Box) -> Iterator[Shape]: r""" - @brief Creates a new object of this class + @brief Gets all shapes that overlap the search box (region) + @param region The rectangular search region + + This call is equivalent to each_overlapping(SAll,region). This convenience method has been introduced in version 0.16 """ - def _create(self) -> None: + @overload + def each_overlapping(self, region: DBox) -> Iterator[Shape]: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Gets all shapes that overlap the search box (region) where the search box is given in micrometer units + @param region The rectangular search region as a \DBox object in micrometer units + This call is equivalent to each_touching(SAll,region). + + This method was introduced in version 0.25 """ - def _destroy(self) -> None: + @overload + def each_touching(self, flags: int, region: Box) -> Iterator[Shape]: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Gets all shapes that touch the search box (region) + This method was introduced in version 0.16 + + @param flags An "or"-ed combination of the S... constants + @param region The rectangular search region """ - def _destroyed(self) -> bool: + @overload + def each_touching(self, flags: int, region: DBox) -> Iterator[Shape]: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Gets all shapes that touch the search box (region) where the search box is given in micrometer units + @param flags An "or"-ed combination of the S... constants + @param region The rectangular search region as a \DBox object in micrometer units + + This method was introduced in version 0.25 """ - def _is_const_object(self) -> bool: + @overload + def each_touching(self, region: Box) -> Iterator[Shape]: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Gets all shapes that touch the search box (region) + @param region The rectangular search region + + This call is equivalent to each_touching(SAll,region). This convenience method has been introduced in version 0.16 """ - def _manage(self) -> None: + @overload + def each_touching(self, region: DBox) -> Iterator[Shape]: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Gets all shapes that touch the search box (region) where the search box is given in micrometer units + @param region The rectangular search region as a \DBox object in micrometer units + This call is equivalent to each_touching(SAll,region). - Usually it's not required to call this method. It has been introduced in version 0.24. + This method was introduced in version 0.25 """ - def _unmanage(self) -> None: + def erase(self, shape: Shape) -> None: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Erases the shape pointed to by the given \Shape object + This method has been introduced in version 0.16. It can only be used in editable mode. + Erasing a shape will invalidate the shape reference. Access to this reference may then render invalid results. - Usually it's not required to call this method. It has been introduced in version 0.24. + @param shape The shape which to destroy """ - def create(self) -> None: + def find(self, shape: Shape) -> Shape: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Finds a shape inside this collected + This method has been introduced in version 0.21. + This method tries to find the given shape in this collection. The original shape may be located in another collection. If the shape is found, this method returns a reference to the shape in this collection, otherwise a null reference is returned. """ - def destroy(self) -> None: + @overload + def insert(self, box: Box) -> Shape: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Inserts a box into the shapes list + @return A reference to the new shape (a \Shape object) + + Starting with version 0.16, this method returns a reference to the newly created shape """ - def destroyed(self) -> bool: + @overload + def insert(self, box: Box, property_id: int) -> Shape: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Inserts a box with properties into the shapes list + @return A reference to the new shape (a \Shape object) + The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. + Starting with version 0.16, this method returns a reference to the newly created shape """ - def device_class(self) -> DeviceClass: + @overload + def insert(self, box: DBox) -> Shape: r""" - @brief Gets the device class used during extraction - The attribute will hold the actual device class used in the device extraction. It is valid only after 'extract_devices'. + @brief Inserts a micrometer-unit box into the shapes list + @return A reference to the new shape (a \Shape object) + This method behaves like the \insert version with a \Box argument, except that it will internally translate the box from micrometer to database units. - This method has been added in version 0.27.3. + This variant has been introduced in version 0.25. """ - def each_error(self) -> Iterator[NetlistDeviceExtractorError]: + @overload + def insert(self, box: DBox, property_id: int) -> Shape: r""" - @brief Iterates over all errors collected in the device extractor. + @brief Inserts a micrometer-unit box with properties into the shapes list + @return A reference to the new shape (a \Shape object) + This method behaves like the \insert version with a \Box argument and a property ID, except that it will internally translate the box from micrometer to database units. + + This variant has been introduced in version 0.25. """ - def each_layer_definition(self) -> Iterator[NetlistDeviceExtractorLayerDefinition]: + @overload + def insert(self, edge: DEdge) -> Shape: r""" - @brief Iterates over all layer definitions. + @brief Inserts a micrometer-unit edge into the shapes list + @return A reference to the new shape (a \Shape object) + This method behaves like the \insert version with a \Edge argument, except that it will internally translate the edge from micrometer to database units. + + This variant has been introduced in version 0.25. """ - def is_const_object(self) -> bool: + @overload + def insert(self, edge: DEdge, property_id: int) -> Shape: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Inserts a micrometer-unit edge with properties into the shapes list + @return A reference to the new shape (a \Shape object) + This method behaves like the \insert version with a \Edge argument and a property ID, except that it will internally translate the edge from micrometer to database units. + + This variant has been introduced in version 0.25. """ - def test_initialize(self, netlist: Netlist) -> None: + @overload + def insert(self, edge: Edge) -> Shape: r""" - @hide - """ - -class GenericDeviceExtractor(DeviceExtractorBase): - r""" - @brief The basic class for implementing custom device extractors. - - This class serves as a base class for implementing customized device extractors. This class does not provide any extraction functionality, so you have to implement every detail. - - Device extraction requires a few definitions. The definitions are made in the reimplementation of the \setup - method. Required definitions to be made are: - - @ul - @li The name of the extractor. This will also be the name of the device class produced by the extractor. The name is set using \name=. @/li - @li The device class of the devices to produce. The device class is registered using \register_device_class. @/li - @li The layers used for the device extraction. These are input layers for the extraction as well as output layers for defining the terminals. Terminals are the points at which the nets connect to the devices. - Layers are defined using \define_layer. Initially, layers are abstract definitions with a name and a description. - Concrete layers will be given when defining the connectivity. @/li - @/ul - - When the device extraction is started, the device extraction algorithm will first ask the device extractor for the 'connectivity'. This is not a connectivity in a sense of electrical connections. The connectivity defines are logical compound that makes up the device. 'Connected' shapes are collected and presented to the device extractor. - The connectivity is obtained by calling \get_connectivity. This method must be implemented to produce the connectivity. - - Finally, the individual devices need to be extracted. Each cluster of connected shapes is presented to the device extractor. A cluster may include more than one device. It's the device extractor's responsibility to extract the devices from this cluster and deliver the devices through \create_device. In addition, terminals have to be defined, so the net extractor can connect to the devices. Terminal definitions are made through \define_terminal. The device extraction is implemented in the \extract_devices method. - - If errors occur during device extraction, the \error method may be used to issue such errors. Errors reported this way are kept in the error log. + @brief Inserts an edge into the shapes list - This class has been introduced in version 0.26. - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + Starting with version 0.16, this method returns a reference to the newly created shape """ - def _destroy(self) -> None: + @overload + def insert(self, edge: Edge, property_id: int) -> Shape: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Inserts an edge with properties into the shapes list + @return A reference to the new shape (a \Shape object) + The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. + Starting with version 0.16, this method returns a reference to the newly created shape. """ - def _destroyed(self) -> bool: + @overload + def insert(self, edge_pair: DEdgePair) -> Shape: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Inserts a micrometer-unit edge pair into the shapes list + @return A reference to the new shape (a \Shape object) + This method behaves like the \insert version with a \EdgePair argument, except that it will internally translate the edge pair from micrometer to database units. + + This variant has been introduced in version 0.26. """ - def _is_const_object(self) -> bool: + @overload + def insert(self, edge_pair: DEdgePair, property_id: int) -> Shape: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Inserts a micrometer-unit edge pair with properties into the shapes list + @return A reference to the new shape (a \Shape object) + This method behaves like the \insert version with a \EdgePair argument and a property ID, except that it will internally translate the edge pair from micrometer to database units. + + This variant has been introduced in version 0.26. """ - def _manage(self) -> None: + @overload + def insert(self, edge_pair: EdgePair) -> Shape: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Inserts an edge pair into the shapes list - Usually it's not required to call this method. It has been introduced in version 0.24. + This method has been introduced in version 0.26. """ - def _unmanage(self) -> None: + @overload + def insert(self, edge_pair: EdgePair, property_id: int) -> Shape: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief Inserts an edge pair with properties into the shapes list + @return A reference to the new shape (a \Shape object) + The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. + This method has been introduced in version 0.26. """ - def create_device(self) -> Device: + @overload + def insert(self, edge_pairs: EdgePairs) -> None: r""" - @brief Creates a device. - The device object returned can be configured by the caller, e.g. set parameters. - It will be owned by the netlist and must not be deleted by the caller. + @brief Inserts the edges from the edge pair collection into this shape container + @param edges The edge pairs to insert + + This method inserts all edge pairs from the edge pair collection into this shape container. + + This method has been introduced in version 0.26. """ - def dbu(self) -> float: + @overload + def insert(self, edge_pairs: EdgePairs, trans: DCplxTrans) -> None: r""" - @brief Gets the database unit + @brief Inserts the edge pairs from the edge pair collection into this shape container with a transformation (given in micrometer units) + @param edges The edge pairs to insert + @param trans The transformation to apply (displacement in micrometer units) + + This method inserts all edge pairs from the edge pair collection into this shape container. + Before an edge pair is inserted, the given transformation is applied. + + This method has been introduced in version 0.26. """ - def define_layer(self, name: str, description: str) -> NetlistDeviceExtractorLayerDefinition: + @overload + def insert(self, edge_pairs: EdgePairs, trans: ICplxTrans) -> None: r""" - @brief Defines a layer. - @return The layer descriptor object created for this layer (use 'index' to get the layer's index) - Each call will define one more layer for the device extraction. - This method shall be used inside the implementation of \setup to define - the device layers. The actual geometries are later available to \extract_devices - in the order the layers are defined. + @brief Inserts the edge pairs from the edge pair collection into this shape container with a transformation + @param edges The edge pairs to insert + @param trans The transformation to apply + + This method inserts all edge pairs from the edge pair collection into this shape container. + Before an edge pair is inserted, the given transformation is applied. + + This method has been introduced in version 0.26. """ - def define_opt_layer(self, name: str, fallback: int, description: str) -> NetlistDeviceExtractorLayerDefinition: + @overload + def insert(self, edges: Edges) -> None: r""" - @brief Defines a layer with a fallback layer. - @return The layer descriptor object created for this layer (use 'index' to get the layer's index) - As \define_layer, this method allows specification of device extraction layer. In addition to \define_layout, it features a fallback layer. If in the device extraction statement, the primary layer is not given, the fallback layer will be used. Hence, this layer is optional. The fallback layer is given by it's index and must be defined before the layer using the fallback layer is defined. For the index, 0 is the first layer defined, 1 the second and so forth. + @brief Inserts the edges from the edge collection into this shape container + @param edges The edges to insert + + This method inserts all edges from the edge collection into this shape container. + + This method has been introduced in version 0.23. """ @overload - def define_terminal(self, device: Device, terminal_id: int, layer_index: int, point: Point) -> None: + def insert(self, edges: Edges, trans: DCplxTrans) -> None: r""" - @brief Defines a device terminal. - This method will define a terminal to the given device and the given terminal ID. - The terminal will be placed on the layer given by "layer_index". The layer index - is the index of the layer during layer definition. The first layer is 0, the second layer 1 etc. + @brief Inserts the edges from the edge collection into this shape container with a transformation (given in micrometer units) + @param edges The edges to insert + @param trans The transformation to apply (displacement in micrometer units) - This version produces a point-like terminal. Note that the point is - specified in database units. + This method inserts all edges from the edge collection into this shape container. + Before an edge is inserted, the given transformation is applied. + + This method has been introduced in version 0.25. """ @overload - def define_terminal(self, device: Device, terminal_id: int, layer_index: int, shape: Box) -> None: + def insert(self, edges: Edges, trans: ICplxTrans) -> None: r""" - @brief Defines a device terminal. - This method will define a terminal to the given device and the given terminal ID. - The terminal will be placed on the layer given by "layer_index". The layer index - is the index of the layer during layer definition. The first layer is 0, the second layer 1 etc. + @brief Inserts the edges from the edge collection into this shape container with a transformation + @param edges The edges to insert + @param trans The transformation to apply - This version produces a terminal with a shape given by the box. Note that the box is - specified in database units. + This method inserts all edges from the edge collection into this shape container. + Before an edge is inserted, the given transformation is applied. + + This method has been introduced in version 0.23. """ @overload - def define_terminal(self, device: Device, terminal_id: int, layer_index: int, shape: Polygon) -> None: + def insert(self, iter: RecursiveShapeIterator) -> None: r""" - @brief Defines a device terminal. - This method will define a terminal to the given device and the given terminal ID. - The terminal will be placed on the layer given by "layer_index". The layer index - is the index of the layer during layer definition. The first layer is 0, the second layer 1 etc. + @brief Inserts the shapes taken from a recursive shape iterator + @param iter The iterator from which to take the shapes from - This version produces a terminal with a shape given by the polygon. Note that the polygon is - specified in database units. + This method iterates over all shapes from the iterator and inserts them into the container. + + This method has been introduced in version 0.25.3. """ @overload - def define_terminal(self, device: Device, terminal_name: str, layer_name: str, point: Point) -> None: + def insert(self, iter: RecursiveShapeIterator, trans: ICplxTrans) -> None: r""" - @brief Defines a device terminal using names for terminal and layer. + @brief Inserts the shapes taken from a recursive shape iterator with a transformation + @param iter The iterator from which to take the shapes from + @param trans The transformation to apply - This convenience version of the ID-based \define_terminal methods allows using names for terminal and layer. - It has been introduced in version 0.28. + This method iterates over all shapes from the iterator and inserts them into the container. + The given transformation is applied before the shapes are inserted. + + This method has been introduced in version 0.25.3. """ @overload - def define_terminal(self, device: Device, terminal_name: str, layer_name: str, shape: Box) -> None: + def insert(self, path: DPath) -> Shape: r""" - @brief Defines a device terminal using names for terminal and layer. + @brief Inserts a micrometer-unit path into the shapes list + @return A reference to the new shape (a \Shape object) + This method behaves like the \insert version with a \Path argument, except that it will internally translate the path from micrometer to database units. - This convenience version of the ID-based \define_terminal methods allows using names for terminal and layer. - It has been introduced in version 0.28. + This variant has been introduced in version 0.25. """ @overload - def define_terminal(self, device: Device, terminal_name: str, layer_name: str, shape: Polygon) -> None: + def insert(self, path: DPath, property_id: int) -> Shape: r""" - @brief Defines a device terminal using names for terminal and layer. + @brief Inserts a micrometer-unit path with properties into the shapes list + @return A reference to the new shape (a \Shape object) + This method behaves like the \insert version with a \Path argument and a property ID, except that it will internally translate the path from micrometer to database units. - This convenience version of the ID-based \define_terminal methods allows using names for terminal and layer. - It has been introduced in version 0.28. + This variant has been introduced in version 0.25. """ @overload - def error(self, message: str) -> None: + def insert(self, path: Path) -> Shape: r""" - @brief Issues an error with the given message + @brief Inserts a path into the shapes list + @return A reference to the new shape (a \Shape object) + + Starting with version 0.16, this method returns a reference to the newly created shape """ @overload - def error(self, message: str, geometry: DPolygon) -> None: + def insert(self, path: Path, property_id: int) -> Shape: r""" - @brief Issues an error with the given message and micrometer-units polygon geometry + @brief Inserts a path with properties into the shapes list + @return A reference to the new shape (a \Shape object) + The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. + Starting with version 0.16, this method returns a reference to the newly created shape """ @overload - def error(self, message: str, geometry: Polygon) -> None: + def insert(self, point: DPoint) -> Shape: r""" - @brief Issues an error with the given message and database-unit polygon geometry + @brief Inserts a micrometer-unit point into the shapes list + @return A reference to the new shape (a \Shape object) + This method behaves like the \insert version with a \Point argument, except that it will internally translate the point from micrometer to database units. + + This variant has been introduced in version 0.28. """ @overload - def error(self, category_name: str, category_description: str, message: str) -> None: + def insert(self, point: Point) -> Shape: r""" - @brief Issues an error with the given category name and description, message + @brief Inserts an point into the shapes list + + This variant has been introduced in version 0.28. """ @overload - def error(self, category_name: str, category_description: str, message: str, geometry: DPolygon) -> None: + def insert(self, polygon: DPolygon) -> Shape: r""" - @brief Issues an error with the given category name and description, message and micrometer-units polygon geometry + @brief Inserts a micrometer-unit polygon into the shapes list + @return A reference to the new shape (a \Shape object) + This method behaves like the \insert version with a \Polygon argument, except that it will internally translate the polygon from micrometer to database units. + + This variant has been introduced in version 0.25. """ @overload - def error(self, category_name: str, category_description: str, message: str, geometry: Polygon) -> None: + def insert(self, polygon: DPolygon, property_id: int) -> Shape: r""" - @brief Issues an error with the given category name and description, message and database-unit polygon geometry + @brief Inserts a micrometer-unit polygon with properties into the shapes list + @return A reference to the new shape (a \Shape object) + This method behaves like the \insert version with a \Polygon argument and a property ID, except that it will internally translate the polygon from micrometer to database units. + + This variant has been introduced in version 0.25. """ - def register_device_class(self, device_class: DeviceClass) -> None: + @overload + def insert(self, polygon: Polygon) -> Shape: r""" - @brief Registers a device class. - The device class object will become owned by the netlist and must not be deleted by - the caller. The name of the device class will be changed to the name given to - the device extractor. - This method shall be used inside the implementation of \setup to register - the device classes. + @brief Inserts a polygon into the shapes list + @return A reference to the new shape (a \Shape object) + + Starting with version 0.16, this method returns a reference to the newly created shape """ - def sdbu(self) -> float: + @overload + def insert(self, polygon: Polygon, property_id: int) -> Shape: r""" - @brief Gets the scaled database unit - Use this unit to compute device properties. It is the database unit multiplied with the - device scaling factor. + @brief Inserts a polygon with properties into the shapes list + @return A reference to the new shape (a \Shape object) + The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. + Starting with version 0.16, this method returns a reference to the newly created shape """ + @overload + def insert(self, region: Region) -> None: + r""" + @brief Inserts the polygons from the region into this shape container + @param region The region to insert -class DeviceExtractorMOS3Transistor(DeviceExtractorBase): - r""" - @brief A device extractor for a three-terminal MOS transistor - - This class supplies the generic extractor for a MOS device. - The device is defined by two basic input layers: the diffusion area - (source and drain) and the gate area. It requires a third layer - (poly) to put the gate terminals on. The separation between poly - and allows separating the device recognition layer (gate) from the - conductive layer. + This method inserts all polygons from the region into this shape container. - The device class produced by this extractor is \DeviceClassMOS3Transistor. - - The extractor delivers six parameters: - - @ul - @li 'L' - the gate length in micrometer units @/li - @li 'W' - the gate width in micrometer units @/li - @li 'AS' and 'AD' - the source and drain region areas in square micrometers @/li - @li 'PS' and 'PD' - the source and drain region perimeters in micrometer units @/li - @/ul - - The device layer names are: - - @ul - @li In strict mode: 'S' (source), 'D' (drain) and 'G' (gate). @/li - @li In non-strict mode: 'SD' (source and drain) and 'G' (gate). @/li - @/ul - - The terminals are output on these layers: - @ul - @li 'tS' - source. Default output is 'S' (strict mode) or 'SD' (otherwise). @/li - @li 'tD' - drain. Default output is 'D' (strict mode) or 'SD' (otherwise). @/li - @li 'tG' - gate. Default output is 'G'. @/li - @/ul - - The source/drain (diffusion) area is distributed on the number of gates connecting to - the particular source or drain area. - - This class is a closed one and methods cannot be reimplemented. To reimplement specific methods, see \DeviceExtractor. - - This class has been introduced in version 0.26. - """ - @classmethod - def new(cls, name: str, strict: Optional[bool] = ..., factory: Optional[DeviceClassFactory] = ...) -> DeviceExtractorMOS3Transistor: + This method has been introduced in version 0.23. + """ + @overload + def insert(self, region: Region, trans: DCplxTrans) -> None: r""" - @brief Creates a new device extractor with the given name. - If \strict is true, the MOS device extraction will happen in strict mode. That is, source and drain are not interchangeable. + @brief Inserts the polygons from the region into this shape container with a transformation (given in micrometer units) + @param region The region to insert + @param trans The transformation to apply (displacement in micrometer units) - For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. + This method inserts all polygons from the region into this shape container. + Before a polygon is inserted, the given transformation is applied. + + This method has been introduced in version 0.25. """ - def __init__(self, name: str, strict: Optional[bool] = ..., factory: Optional[DeviceClassFactory] = ...) -> None: + @overload + def insert(self, region: Region, trans: ICplxTrans) -> None: r""" - @brief Creates a new device extractor with the given name. - If \strict is true, the MOS device extraction will happen in strict mode. That is, source and drain are not interchangeable. + @brief Inserts the polygons from the region into this shape container with a transformation + @param region The region to insert + @param trans The transformation to apply - For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. + This method inserts all polygons from the region into this shape container. + Before a polygon is inserted, the given transformation is applied. + + This method has been introduced in version 0.23. """ - def _create(self) -> None: + @overload + def insert(self, shape: Shape) -> Shape: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Inserts a shape from a shape reference into the shapes list + @return A reference (a \Shape object) to the newly created shape + This method has been introduced in version 0.16. """ - def _destroy(self) -> None: + @overload + def insert(self, shape: Shape, trans: DCplxTrans) -> Shape: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Inserts a shape from a shape reference into the shapes list with a complex integer transformation (given in micrometer units) + @param shape The shape to insert + @param trans The transformation to apply before the shape is inserted (displacement in micrometer units) + @return A reference (a \Shape object) to the newly created shape + This method has been introduced in version 0.25. """ - def _destroyed(self) -> bool: + @overload + def insert(self, shape: Shape, trans: DTrans) -> Shape: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Inserts a shape from a shape reference into the shapes list with a transformation (given in micrometer units) + @param shape The shape to insert + @param trans The transformation to apply before the shape is inserted (displacement in micrometers) + @return A reference (a \Shape object) to the newly created shape + This method has been introduced in version 0.25. """ - def _is_const_object(self) -> bool: + @overload + def insert(self, shape: Shape, trans: ICplxTrans) -> Shape: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Inserts a shape from a shape reference into the shapes list with a complex integer transformation + @param shape The shape to insert + @param trans The transformation to apply before the shape is inserted + @return A reference (a \Shape object) to the newly created shape + This method has been introduced in version 0.22. """ - def _manage(self) -> None: + @overload + def insert(self, shape: Shape, trans: Trans) -> Shape: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief Inserts a shape from a shape reference into the shapes list with a transformation + @param shape The shape to insert + @param trans The transformation to apply before the shape is inserted + @return A reference (a \Shape object) to the newly created shape + This method has been introduced in version 0.22. """ - def _unmanage(self) -> None: + @overload + def insert(self, shapes: Shapes) -> None: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Inserts the shapes taken from another shape container + @param shapes The other container from which to take the shapes from - Usually it's not required to call this method. It has been introduced in version 0.24. + This method takes all shapes from the given container and inserts them into this one. + + This method has been introduced in version 0.25.3. """ - def strict(self) -> bool: + @overload + def insert(self, shapes: Shapes, flags: int) -> None: r""" - @brief Returns a value indicating whether extraction happens in strict mode. - """ - -class DeviceExtractorMOS4Transistor(DeviceExtractorBase): - r""" - @brief A device extractor for a four-terminal MOS transistor - - This class supplies the generic extractor for a MOS device. - It is based on the \DeviceExtractorMOS3Transistor class with the extension of a bulk terminal and corresponding bulk terminal output (annotation) layer. - - The parameters of a MOS4 device are the same than for MOS3 devices. For the device layers the bulk layer is added. - - @ul - @li 'B' (bulk) - currently this layer is not used and can be empty. @/li - @/ul - - The bulk terminals are output on this layer: - @ul - @li 'tB' - bulk terminal (a copy of the gate shape). Default output is 'B'. @/li - @/ul + @brief Inserts the shapes taken from another shape container + @param shapes The other container from which to take the shapes from + @param flags The filter flags for taking the shapes from the input container (see S... constants) - The bulk terminal layer can be empty. In this case, it needs - to be connected to a global net to establish the net connection. + This method takes all selected shapes from the given container and inserts them into this one. - The device class produced by this extractor is \DeviceClassMOS4Transistor. + This method has been introduced in version 0.25.3. + """ + @overload + def insert(self, shapes: Shapes, flags: int, trans: ICplxTrans) -> None: + r""" + @brief Inserts the shapes taken from another shape container with a transformation + @param shapes The other container from which to take the shapes from + @param flags The filter flags for taking the shapes from the input container (see S... constants) + @param trans The transformation to apply - This class is a closed one and methods cannot be reimplemented. To reimplement specific methods, see \DeviceExtractor. + This method takes all selected shapes from the given container and inserts them into this one after applying the given transformation. - This class has been introduced in version 0.26. - """ - @classmethod - def new(cls, name: str, strict: Optional[bool] = ..., factory: Optional[DeviceClassFactory] = ...) -> DeviceExtractorMOS4Transistor: - r""" - @brief Creates a new device extractor with the given name - For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. + This method has been introduced in version 0.25.3. """ - def __init__(self, name: str, strict: Optional[bool] = ..., factory: Optional[DeviceClassFactory] = ...) -> None: + @overload + def insert(self, shapes: Shapes, trans: ICplxTrans) -> None: r""" - @brief Creates a new device extractor with the given name - For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. + @brief Inserts the shapes taken from another shape container with a transformation + @param shapes The other container from which to take the shapes from + @param trans The transformation to apply + + This method takes all shapes from the given container and inserts them into this one after applying the given transformation. + + This method has been introduced in version 0.25.3. """ - def _create(self) -> None: + @overload + def insert(self, simple_polygon: DSimplePolygon) -> Shape: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Inserts a micrometer-unit simple polygon into the shapes list + @return A reference to the new shape (a \Shape object) + This method behaves like the \insert version with a \SimplePolygon argument, except that it will internally translate the polygon from micrometer to database units. + + This variant has been introduced in version 0.25. """ - def _destroy(self) -> None: + @overload + def insert(self, simple_polygon: DSimplePolygon, property_id: int) -> Shape: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Inserts a micrometer-unit simple polygon with properties into the shapes list + @return A reference to the new shape (a \Shape object) + This method behaves like the \insert version with a \SimplePolygon argument and a property ID, except that it will internally translate the simple polygon from micrometer to database units. + + This variant has been introduced in version 0.25. """ - def _destroyed(self) -> bool: + @overload + def insert(self, simple_polygon: SimplePolygon) -> Shape: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Inserts a simple polygon into the shapes list + @return A reference to the new shape (a \Shape object) + + Starting with version 0.16, this method returns a reference to the newly created shape """ - def _is_const_object(self) -> bool: + @overload + def insert(self, simple_polygon: SimplePolygon, property_id: int) -> Shape: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Inserts a simple polygon with properties into the shapes list + @return A reference to the new shape (a \Shape object) + The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. + Starting with version 0.16, this method returns a reference to the newly created shape """ - def _manage(self) -> None: + @overload + def insert(self, text: DText) -> Shape: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Inserts a micrometer-unit text into the shapes list + @return A reference to the new shape (a \Shape object) + This method behaves like the \insert version with a \Text argument, except that it will internally translate the text from micrometer to database units. - Usually it's not required to call this method. It has been introduced in version 0.24. + This variant has been introduced in version 0.25. """ - def _unmanage(self) -> None: + @overload + def insert(self, text: DText, property_id: int) -> Shape: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - -class DeviceExtractorResistor(DeviceExtractorBase): - r""" - @brief A device extractor for a two-terminal resistor - - This class supplies the generic extractor for a resistor device. - The device is defined by two geometry layers: the resistor 'wire' and two contacts per wire. The contacts should be attached to the ends of the wire. The wire length and width is computed from the edge lengths between the contacts and along the contacts respectively. - - This simple computation is precise only when the resistor shape is a rectangle. - - Using the given sheet resistance, the resistance value is computed by 'R = L / W * sheet_rho'. - - The device class produced by this extractor is \DeviceClassResistor. - The extractor produces three parameters: - - @ul - @li 'R' - the resistance in Ohm @/li - @li 'A' - the resistor's area in square micrometer units @/li - @li 'P' - the resistor's perimeter in micrometer units @/li - @/ul - - The device layer names are: - - @ul - @li 'R' - resistor path. This is the geometry that defines the resistor's current path. @/li - @li 'C' - contacts. These areas form the contact regions at the ends of the resistor path. @/li - @/ul - - The terminals are output on these layers: - @ul - @li 'tA', 'tB' - the two terminals of the resistor. @/li - @/ul - - This class is a closed one and methods cannot be reimplemented. To reimplement specific methods, see \DeviceExtractor. + @brief Inserts a micrometer-unit text with properties into the shapes list + @return A reference to the new shape (a \Shape object) + This method behaves like the \insert version with a \Text argument and a property ID, except that it will internally translate the text from micrometer to database units. - This class has been introduced in version 0.26. - """ - @classmethod - def new(cls, name: str, sheet_rho: float, factory: Optional[DeviceClassFactory] = ...) -> DeviceExtractorResistor: - r""" - @brief Creates a new device extractor with the given name - For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. + This variant has been introduced in version 0.25. """ - def __init__(self, name: str, sheet_rho: float, factory: Optional[DeviceClassFactory] = ...) -> None: + @overload + def insert(self, text: Text) -> Shape: r""" - @brief Creates a new device extractor with the given name - For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. + @brief Inserts a text into the shapes list + @return A reference to the new shape (a \Shape object) + + Starting with version 0.16, this method returns a reference to the newly created shape """ - def _create(self) -> None: + @overload + def insert(self, text: Text, property_id: int) -> Shape: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Inserts a text with properties into the shapes list + @return A reference to the new shape (a \Shape object) + The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. + Starting with version 0.16, this method returns a reference to the newly created shape """ - def _destroy(self) -> None: + @overload + def insert(self, texts: Texts) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Inserts the texts from the text collection into this shape container + @param texts The texts to insert + + This method inserts all texts from the text collection into this shape container. + + This method has been introduced in version 0.27. """ - def _destroyed(self) -> bool: + @overload + def insert(self, texts: Texts, trans: DCplxTrans) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Inserts the texts from the text collection into this shape container with a transformation (given in micrometer units) + @param edges The text to insert + @param trans The transformation to apply (displacement in micrometer units) + + This method inserts all texts from the text collection into this shape container. + Before an text is inserted, the given transformation is applied. + + This method has been introduced in version 0.27. """ - def _is_const_object(self) -> bool: + @overload + def insert(self, texts: Texts, trans: ICplxTrans) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Inserts the texts from the text collection into this shape container with a transformation + @param edges The texts to insert + @param trans The transformation to apply + + This method inserts all texts from the text collection into this shape container. + Before an text is inserted, the given transformation is applied. + + This method has been introduced in version 0.27. """ - def _manage(self) -> None: + @overload + def insert_as_edges(self, edge_pairs: EdgePairs) -> None: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Inserts the edge pairs from the edge pair collection as individual edges into this shape container + @param edge_pairs The edge pairs to insert - Usually it's not required to call this method. It has been introduced in version 0.24. + This method inserts all edge pairs from the edge pair collection into this shape container. + Each edge from the edge pair is inserted individually into the shape container. + + This method has been introduced in version 0.23. """ - def _unmanage(self) -> None: + @overload + def insert_as_edges(self, edge_pairs: EdgePairs, trans: DCplxTrans) -> None: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Inserts the edge pairs from the edge pair collection as individual into this shape container with a transformation (given in micrometer units) + @param edges The edge pairs to insert + @param trans The transformation to apply (displacement in micrometer units) - Usually it's not required to call this method. It has been introduced in version 0.24. + This method inserts all edge pairs from the edge pair collection into this shape container. + Each edge from the edge pair is inserted individually into the shape container. + Before each edge is inserted into the shape collection, the given transformation is applied. + + This method has been introduced in version 0.25. """ + @overload + def insert_as_edges(self, edge_pairs: EdgePairs, trans: ICplxTrans) -> None: + r""" + @brief Inserts the edge pairs from the edge pair collection as individual into this shape container with a transformation + @param edges The edge pairs to insert + @param trans The transformation to apply -class DeviceExtractorResistorWithBulk(DeviceExtractorBase): - r""" - @brief A device extractor for a resistor with a bulk terminal + This method inserts all edge pairs from the edge pair collection into this shape container. + Each edge from the edge pair is inserted individually into the shape container. + Before each edge is inserted into the shape collection, the given transformation is applied. - This class supplies the generic extractor for a resistor device including a bulk terminal. - The device is defined the same way than devices are defined for \DeviceExtractorResistor. + This method has been introduced in version 0.23. + """ + @overload + def insert_as_polygons(self, edge_pairs: EdgePairs, e: DCplxTrans, trans: float) -> None: + r""" + @brief Inserts the edge pairs from the edge pair collection as polygons into this shape container with a transformation + @param edges The edge pairs to insert + @param e The extension to apply when converting the edges to polygons (in micrometer units) + @param trans The transformation to apply (displacement in micrometer units) - The device class produced by this extractor is \DeviceClassResistorWithBulk. - The extractor produces three parameters: + This method is identical to the version with a integer-type \e and \trans parameter, but for this version the \e parameter is given in micrometer units and the \trans parameter is a micrometer-unit transformation. - @ul - @li 'R' - the resistance in Ohm @/li - @li 'A' - the resistor's area in square micrometer units @/li - @li 'P' - the resistor's perimeter in micrometer units @/li - @/ul + This method has been introduced in version 0.25. + """ + @overload + def insert_as_polygons(self, edge_pairs: EdgePairs, e: ICplxTrans, trans: int) -> None: + r""" + @brief Inserts the edge pairs from the edge pair collection as polygons into this shape container with a transformation + @param edges The edge pairs to insert + @param e The extension to apply when converting the edges to polygons (in database units) + @param trans The transformation to apply - The device layer names are: + This method inserts all edge pairs from the edge pair collection into this shape container. + The edge pairs are converted to polygons covering the area between the edges. + The extension parameter specifies a sizing which is applied when converting the edge pairs to polygons. This way, degenerated edge pairs (i.e. two point-like edges) do not vanish. + Before a polygon is inserted into the shape collection, the given transformation is applied. - @ul - @li 'R' - resistor path. This is the geometry that defines the resistor's current path. @/li - @li 'C' - contacts. These areas form the contact regions at the ends of the resistor path. @/li - @li 'W' - well, bulk. Currently this layer is ignored for the extraction and can be empty. @/li - @/ul + This method has been introduced in version 0.23. + """ + @overload + def insert_as_polygons(self, edge_pairs: EdgePairs, e: float) -> None: + r""" + @brief Inserts the edge pairs from the edge pair collection as polygons into this shape container + @param edge_pairs The edge pairs to insert + @param e The extension to apply when converting the edges to polygons (in micrometer units) - The terminals are output on these layers: - @ul - @li 'tA', 'tB' - the two terminals of the resistor. @/li - @li 'tW' - the bulk terminal (copy of the resistor area). @/li - @/ul + This method is identical to the version with a integer-type \e parameter, but for this version the \e parameter is given in micrometer units. - The bulk terminal layer can be an empty layer representing the substrate. In this case, it needs to be connected globally. + This method has been introduced in version 0.25. + """ + @overload + def insert_as_polygons(self, edge_pairs: EdgePairs, e: int) -> None: + r""" + @brief Inserts the edge pairs from the edge pair collection as polygons into this shape container + @param edge_pairs The edge pairs to insert + @param e The extension to apply when converting the edges to polygons (in database units) - This class is a closed one and methods cannot be reimplemented. To reimplement specific methods, see \DeviceExtractor. + This method inserts all edge pairs from the edge pair collection into this shape container. + The edge pairs are converted to polygons covering the area between the edges. + The extension parameter specifies a sizing which is applied when converting the edge pairs to polygons. This way, degenerated edge pairs (i.e. two point-like edges) do not vanish. - This class has been introduced in version 0.26. - """ - @classmethod - def new(cls, name: str, sheet_rho: float, factory: Optional[DeviceClassFactory] = ...) -> DeviceExtractorResistorWithBulk: + This method has been introduced in version 0.23. + """ + def insert_box(self, box: Box) -> Shape: r""" - @brief Creates a new device extractor with the given name - For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. + @brief Inserts a box into the shapes list + @return A reference to the new shape (a \Shape object) + + Starting with version 0.16, this method returns a reference to the newly created shape """ - def __init__(self, name: str, sheet_rho: float, factory: Optional[DeviceClassFactory] = ...) -> None: + def insert_box_with_properties(self, box: Box, property_id: int) -> Shape: r""" - @brief Creates a new device extractor with the given name - For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. + @brief Inserts a box with properties into the shapes list + @return A reference to the new shape (a \Shape object) + The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. + Starting with version 0.16, this method returns a reference to the newly created shape """ - def _create(self) -> None: + def insert_edge(self, edge: Edge) -> Shape: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Inserts an edge into the shapes list + + Starting with version 0.16, this method returns a reference to the newly created shape """ - def _destroy(self) -> None: + def insert_edge_with_properties(self, edge: Edge, property_id: int) -> Shape: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Inserts an edge with properties into the shapes list + @return A reference to the new shape (a \Shape object) + The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. + Starting with version 0.16, this method returns a reference to the newly created shape. """ - def _destroyed(self) -> bool: + def insert_path(self, path: Path) -> Shape: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Inserts a path into the shapes list + @return A reference to the new shape (a \Shape object) + + Starting with version 0.16, this method returns a reference to the newly created shape """ - def _is_const_object(self) -> bool: + def insert_path_with_properties(self, path: Path, property_id: int) -> Shape: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Inserts a path with properties into the shapes list + @return A reference to the new shape (a \Shape object) + The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. + Starting with version 0.16, this method returns a reference to the newly created shape """ - def _manage(self) -> None: + def insert_point(self, point: Point) -> Shape: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Inserts an point into the shapes list - Usually it's not required to call this method. It has been introduced in version 0.24. + This variant has been introduced in version 0.28. """ - def _unmanage(self) -> None: + def insert_polygon(self, polygon: Polygon) -> Shape: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Inserts a polygon into the shapes list + @return A reference to the new shape (a \Shape object) - Usually it's not required to call this method. It has been introduced in version 0.24. + Starting with version 0.16, this method returns a reference to the newly created shape """ - -class DeviceExtractorCapacitor(DeviceExtractorBase): - r""" - @brief A device extractor for a two-terminal capacitor - - This class supplies the generic extractor for a capacitor device. - The device is defined by two geometry layers forming the 'plates' of the capacitor. - The capacitance is computed from the overlapping area of the plates using 'C = A * area_cap' (area_cap is the capacitance per square micrometer area). - - Although 'area_cap' can be given in any unit, Farad should be preferred as this is the convention used for output into a netlist. - - The device class produced by this extractor is \DeviceClassCapacitor. - The extractor produces three parameters: - - @ul - @li 'C' - the capacitance @/li - @li 'A' - the capacitor's area in square micrometer units @/li - @li 'P' - the capacitor's perimeter in micrometer units @/li - @/ul - - The device layer names are: - - @ul - @li 'P1', 'P2' - the two plates. @/li - @/ul - - The terminals are output on these layers: - @ul - @li 'tA', 'tB' - the two terminals. Defaults to 'P1' and 'P2'. @/li - @/ul - - This class is a closed one and methods cannot be reimplemented. To reimplement specific methods, see \DeviceExtractor. - - This class has been introduced in version 0.26. - """ - @classmethod - def new(cls, name: str, area_cap: float, factory: Optional[DeviceClassFactory] = ...) -> DeviceExtractorCapacitor: + def insert_polygon_with_properties(self, polygon: Polygon, property_id: int) -> Shape: r""" - @brief Creates a new device extractor with the given name - For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. + @brief Inserts a polygon with properties into the shapes list + @return A reference to the new shape (a \Shape object) + The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. + Starting with version 0.16, this method returns a reference to the newly created shape """ - def __init__(self, name: str, area_cap: float, factory: Optional[DeviceClassFactory] = ...) -> None: + def insert_simple_polygon(self, simple_polygon: SimplePolygon) -> Shape: r""" - @brief Creates a new device extractor with the given name - For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. + @brief Inserts a simple polygon into the shapes list + @return A reference to the new shape (a \Shape object) + + Starting with version 0.16, this method returns a reference to the newly created shape """ - def _create(self) -> None: + def insert_simple_polygon_with_properties(self, simple_polygon: SimplePolygon, property_id: int) -> Shape: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Inserts a simple polygon with properties into the shapes list + @return A reference to the new shape (a \Shape object) + The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. + Starting with version 0.16, this method returns a reference to the newly created shape """ - def _destroy(self) -> None: + def insert_text(self, text: Text) -> Shape: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Inserts a text into the shapes list + @return A reference to the new shape (a \Shape object) + + Starting with version 0.16, this method returns a reference to the newly created shape """ - def _destroyed(self) -> bool: + def insert_text_with_properties(self, text: Text, property_id: int) -> Shape: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Inserts a text with properties into the shapes list + @return A reference to the new shape (a \Shape object) + The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. + Starting with version 0.16, this method returns a reference to the newly created shape """ - def _is_const_object(self) -> bool: + def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def _manage(self) -> None: + def is_empty(self) -> bool: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief Returns a value indicating whether the shapes container is empty + This method has been introduced in version 0.20. """ - def _unmanage(self) -> None: + def is_valid(self, shape: Shape) -> bool: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief Tests if the given \Shape object is still pointing to a valid object + This method has been introduced in version 0.16. + If the shape represented by the given reference has been deleted, this method returns false. If however, another shape has been inserted already that occupies the original shape's position, this method will return true again. """ + def layout(self) -> Layout: + r""" + @brief Gets the layout object the shape container belongs to + This method returns nil if the shape container does not belong to a layout. -class DeviceExtractorCapacitorWithBulk(DeviceExtractorBase): - r""" - @brief A device extractor for a capacitor with a bulk terminal - - This class supplies the generic extractor for a capacitor device including a bulk terminal. - The device is defined the same way than devices are defined for \DeviceExtractorCapacitor. - - The device class produced by this extractor is \DeviceClassCapacitorWithBulk. - The extractor produces three parameters: - - @ul - @li 'C' - the capacitance @/li - @li 'A' - the capacitor's area in square micrometer units @/li - @li 'P' - the capacitor's perimeter in micrometer units @/li - @/ul - - The device layer names are: + This method has been added in version 0.28. + """ + @overload + def replace(self, shape: Shape, box: Box) -> Shape: + r""" + @brief Replaces the given shape with a box + @return A reference to the new shape (a \Shape object) - @ul - @li 'P1', 'P2' - the two plates. @/li - @li 'W' - well, bulk. Currently this layer is ignored for the extraction and can be empty. @/li - @/ul + This method has been introduced with version 0.16. It replaces the given shape with the object specified. It does not change the property Id. To change the property Id, use the \replace_prop_id method. To replace a shape and discard the property Id, erase the shape and insert a new shape. + This method is permitted in editable mode only. + """ + @overload + def replace(self, shape: Shape, box: DBox) -> Shape: + r""" + @brief Replaces the given shape with a box given in micrometer units + @return A reference to the new shape (a \Shape object) - The terminals are output on these layers: - @ul - @li 'tA', 'tB' - the two terminals. Defaults to 'P1' and 'P2'. @/li - @li 'tW' - the bulk terminal (copy of the resistor area). @/li - @/ul + This method behaves like the \replace version with a \Box argument, except that it will internally translate the box from micrometer to database units. - The bulk terminal layer can be an empty layer representing the substrate. In this case, it needs to be connected globally. + This variant has been introduced in version 0.25. + """ + @overload + def replace(self, shape: Shape, edge: DEdge) -> Shape: + r""" + @brief Replaces the given shape with an edge given in micrometer units + @return A reference to the new shape (a \Shape object) - This class is a closed one and methods cannot be reimplemented. To reimplement specific methods, see \DeviceExtractor. + This method behaves like the \replace version with an \Edge argument, except that it will internally translate the edge from micrometer to database units. - This class has been introduced in version 0.26. - """ - @classmethod - def new(cls, name: str, sheet_rho: float, factory: Optional[DeviceClassFactory] = ...) -> DeviceExtractorCapacitorWithBulk: - r""" - @brief Creates a new device extractor with the given name - For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. + This variant has been introduced in version 0.25. """ - def __init__(self, name: str, sheet_rho: float, factory: Optional[DeviceClassFactory] = ...) -> None: + @overload + def replace(self, shape: Shape, edge: Edge) -> Shape: r""" - @brief Creates a new device extractor with the given name - For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. + @brief Replaces the given shape with an edge object + + This method has been introduced with version 0.16. It replaces the given shape with the object specified. It does not change the property Id. To change the property Id, use the \replace_prop_id method. To replace a shape and discard the property Id, erase the shape and insert a new shape. + This method is permitted in editable mode only. """ - def _create(self) -> None: + @overload + def replace(self, shape: Shape, edge_pair: DEdgePair) -> Shape: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Replaces the given shape with an edge pair given in micrometer units + @return A reference to the new shape (a \Shape object) + + This method behaves like the \replace version with an \EdgePair argument, except that it will internally translate the edge pair from micrometer to database units. + + This variant has been introduced in version 0.26. """ - def _destroy(self) -> None: + @overload + def replace(self, shape: Shape, edge_pair: EdgePair) -> Shape: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Replaces the given shape with an edge pair object + + It replaces the given shape with the object specified. It does not change the property Id. To change the property Id, use the \replace_prop_id method. To replace a shape and discard the property Id, erase the shape and insert a new shape. + This method is permitted in editable mode only. + + This method has been introduced in version 0.26. """ - def _destroyed(self) -> bool: + @overload + def replace(self, shape: Shape, path: DPath) -> Shape: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Replaces the given shape with a path given in micrometer units + @return A reference to the new shape (a \Shape object) + + This method behaves like the \replace version with a \Path argument, except that it will internally translate the path from micrometer to database units. + + This variant has been introduced in version 0.25. """ - def _is_const_object(self) -> bool: + @overload + def replace(self, shape: Shape, path: Path) -> Shape: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Replaces the given shape with a path + @return A reference to the new shape (a \Shape object) + + This method has been introduced with version 0.16. It replaces the given shape with the object specified. It does not change the property Id. To change the property Id, use the \replace_prop_id method. To replace a shape and discard the property Id, erase the shape and insert a new shape. + This method is permitted in editable mode only. """ - def _manage(self) -> None: + @overload + def replace(self, shape: Shape, point: DPoint) -> Shape: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Replaces the given shape with an point given in micrometer units + @return A reference to the new shape (a \Shape object) - Usually it's not required to call this method. It has been introduced in version 0.24. + This method behaves like the \replace version with an \Point argument, except that it will internally translate the point from micrometer to database units. + + This variant has been introduced in version 0.28. """ - def _unmanage(self) -> None: + @overload + def replace(self, shape: Shape, point: Point) -> Shape: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Replaces the given shape with an point object - Usually it's not required to call this method. It has been introduced in version 0.24. + This method replaces the given shape with the object specified. It does not change the property Id. To change the property Id, use the \replace_prop_id method. To replace a shape and discard the property Id, erase the shape and insert a new shape. + This variant has been introduced in version 0.28. """ + @overload + def replace(self, shape: Shape, polygon: DPolygon) -> Shape: + r""" + @brief Replaces the given shape with a polygon given in micrometer units + @return A reference to the new shape (a \Shape object) -class DeviceExtractorBJT3Transistor(DeviceExtractorBase): - r""" - @brief A device extractor for a bipolar transistor (BJT) - - This class supplies the generic extractor for a bipolar transistor device. + This method behaves like the \replace version with a \Polygon argument, except that it will internally translate the polygon from micrometer to database units. - Extraction of vertical and lateral transistors is supported through a generic geometry model: The basic area is the base area. A marker shape must be provided for this area. The emitter of the transistor is defined by emitter layer shapes inside the base area. Multiple emitter shapes can be present. In this case, multiple transistor devices sharing the same base and collector are generated. - Finally, a collector layer can be given. If non-empty, the parts inside the base region will define the collector terminals. If empty, the collector is formed by the substrate. In this case, the base region will be output to the 'tC' terminal output layer. This layer then needs to be connected to a global net to form the net connection. + This variant has been introduced in version 0.25. + """ + @overload + def replace(self, shape: Shape, polygon: Polygon) -> Shape: + r""" + @brief Replaces the given shape with a polygon + @return A reference to the new shape (a \Shape object) - The device class produced by this extractor is \DeviceClassBJT3Transistor. - The extractor delivers these parameters: + This method has been introduced with version 0.16. It replaces the given shape with the object specified. It does not change the property Id. To change the property Id, use the \replace_prop_id method. To replace a shape and discard the property Id, erase the shape and insert a new shape. + This method is permitted in editable mode only. + """ + @overload + def replace(self, shape: Shape, simple_polygon: DSimplePolygon) -> Shape: + r""" + @brief Replaces the given shape with a simple polygon given in micrometer units + @return A reference to the new shape (a \Shape object) - @ul - @li 'AE', 'AB' and 'AC' - the emitter, base and collector areas in square micrometer units @/li - @li 'PE', 'PB' and 'PC' - the emitter, base and collector perimeters in micrometer units @/li - @li 'NE' - emitter count (initially 1 but increases when devices are combined) @/li - @/ul + This method behaves like the \replace version with a \SimplePolygon argument, except that it will internally translate the simple polygon from micrometer to database units. - The device layer names are: + This variant has been introduced in version 0.25. + """ + @overload + def replace(self, shape: Shape, simple_polygon: SimplePolygon) -> Shape: + r""" + @brief Replaces the given shape with a simple polygon + @return A reference to the new shape (a \Shape object) - @ul - @li 'E' - emitter. @/li - @li 'B' - base. @/li - @li 'C' - collector. @/li - @/ul + This method has been introduced with version 0.16. It replaces the given shape with the object specified. It does not change the property Id. To change the property Id, use the \replace_prop_id method. To replace a shape and discard the property Id, erase the shape and insert a new shape. + This method is permitted in editable mode only. + """ + @overload + def replace(self, shape: Shape, text: DText) -> Shape: + r""" + @brief Replaces the given shape with a text given in micrometer units + @return A reference to the new shape (a \Shape object) - The terminals are output on these layers: - @ul - @li 'tE' - emitter. Default output is 'E'. @/li - @li 'tB' - base. Default output is 'B'. @/li - @li 'tC' - collector. Default output is 'C'. @/li - @/ul + This method behaves like the \replace version with a \Text argument, except that it will internally translate the text from micrometer to database units. - This class is a closed one and methods cannot be reimplemented. To reimplement specific methods, see \DeviceExtractor. + This variant has been introduced in version 0.25. + """ + @overload + def replace(self, shape: Shape, text: Text) -> Shape: + r""" + @brief Replaces the given shape with a text object + @return A reference to the new shape (a \Shape object) - This class has been introduced in version 0.26. - """ - @classmethod - def new(cls, name: str, factory: Optional[DeviceClassFactory] = ...) -> DeviceExtractorBJT3Transistor: + This method has been introduced with version 0.16. It replaces the given shape with the object specified. It does not change the property Id. To change the property Id, use the \replace_prop_id method. To replace a shape and discard the property Id, erase the shape and insert a new shape. + This method is permitted in editable mode only. + """ + def replace_prop_id(self, shape: Shape, property_id: int) -> Shape: r""" - @brief Creates a new device extractor with the given name - For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. + @brief Replaces (or install) the properties of a shape + @return A \Shape object representing the new shape + This method has been introduced in version 0.16. It can only be used in editable mode. + Changes the properties Id of the given shape or install a properties Id on that shape if it does not have one yet. + The property Id must be obtained from the \Layout object's property_id method which associates a property set with a property Id. + This method will potentially invalidate the shape reference passed to it. Use the reference returned for future references. """ - def __init__(self, name: str, factory: Optional[DeviceClassFactory] = ...) -> None: + def size(self) -> int: r""" - @brief Creates a new device extractor with the given name - For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. + @brief Gets the number of shapes in this container + This method was introduced in version 0.16 + @return The number of shapes in this container """ - def _create(self) -> None: + @overload + def transform(self, shape: Shape, trans: DCplxTrans) -> Shape: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Transforms the shape given by the reference with the given complex transformation, where the transformation is given in micrometer units + @param trans The transformation to apply (displacement in micrometer units) + @return A reference (a \Shape object) to the new shape + The original shape may be deleted and re-inserted by this method. Therefore, a new reference is returned. + It is permitted in editable mode only. + This method has been introduced in version 0.25. """ - def _destroy(self) -> None: + @overload + def transform(self, shape: Shape, trans: DTrans) -> Shape: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Transforms the shape given by the reference with the given transformation, where the transformation is given in micrometer units + @param trans The transformation to apply (displacement in micrometer units) + @return A reference (a \Shape object) to the new shape + The original shape may be deleted and re-inserted by this method. Therefore, a new reference is returned. + It is permitted in editable mode only. + This method has been introduced in version 0.25. """ - def _destroyed(self) -> bool: + @overload + def transform(self, shape: Shape, trans: ICplxTrans) -> Shape: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Transforms the shape given by the reference with the given complex integer space transformation + @return A reference (a \Shape object) to the new shape + This method has been introduced in version 0.22. + The original shape may be deleted and re-inserted by this method. Therefore, a new reference is returned. + It is permitted in editable mode only. """ - def _is_const_object(self) -> bool: + @overload + def transform(self, shape: Shape, trans: Trans) -> Shape: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Transforms the shape given by the reference with the given transformation + @return A reference (a \Shape object) to the new shape + The original shape may be deleted and re-inserted by this method. Therefore, a new reference is returned. + It is permitted in editable mode only. + + This method has been introduced in version 0.16. """ - def _manage(self) -> None: + @overload + def transform(self, trans: DCplxTrans) -> None: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Transforms all shapes with the given transformation (given in micrometer units) + This method will invalidate all references to shapes inside this collection. + The displacement of the transformation is given in micrometer units. - Usually it's not required to call this method. It has been introduced in version 0.24. + It has been introduced in version 0.25. """ - def _unmanage(self) -> None: + @overload + def transform(self, trans: DTrans) -> None: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Transforms all shapes with the given transformation (given in micrometer units) + This method will invalidate all references to shapes inside this collection. + The displacement of the transformation is given in micrometer units. - Usually it's not required to call this method. It has been introduced in version 0.24. + It has been introduced in version 0.25. """ + @overload + def transform(self, trans: ICplxTrans) -> None: + r""" + @brief Transforms all shapes with the given complex integer transformation + This method will invalidate all references to shapes inside this collection. -class DeviceExtractorBJT4Transistor(DeviceExtractorBJT3Transistor): - r""" - @brief A device extractor for a four-terminal bipolar transistor (BJT) + It has been introduced in version 0.23. + """ + @overload + def transform(self, trans: Trans) -> None: + r""" + @brief Transforms all shapes with the given transformation + This method will invalidate all references to shapes inside this collection. - This class supplies the generic extractor for a bipolar transistor device. - It is based on the \DeviceExtractorBJT3Transistor class with the extension of a substrate terminal and corresponding substrate terminal output (annotation) layer. + It has been introduced in version 0.23. + """ - Two new layers are introduced: +class SimplePolygon: + r""" + @brief A simple polygon class - @ul - @li 'S' - the bulk (substrate) layer. Currently this layer is ignored and can be empty. @/li@li 'tS' - the bulk terminal output layer (defaults to 'S'). @/li@/ul + A simple polygon consists of an outer hull only. To support polygons with holes, use \Polygon. + The hull contour consists of several points. The point + list is normalized such that the leftmost, lowest point is + the first one. The orientation is normalized such that + the orientation of the hull contour is clockwise. - The bulk terminal layer ('tS') can be an empty layer representing the wafer substrate. - In this use mode the substrate terminal shapes will be produced on the 'tS' layer. This - layer then needs to be connected to a global net to establish the net connection. + It is in no way checked that the contours are not overlapping + This must be ensured by the user of the object + when filling the contours. - The device class produced by this extractor is \DeviceClassBJT4Transistor. - The This class is a closed one and methods cannot be reimplemented. To reimplement specific methods, see \DeviceExtractor. + The \SimplePolygon class stores coordinates in integer format. A class that stores floating-point coordinates is \DSimplePolygon. - This class has been introduced in version 0.26. + See @The Database API@ for more details about the database objects. """ - @classmethod - def new(cls, name: str, factory: Optional[DeviceClassFactory] = ...) -> DeviceExtractorBJT4Transistor: + @property + def points(self) -> None: r""" - @brief Creates a new device extractor with the given name - For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. + WARNING: This variable can only be set, not retrieved. + @brief Sets the points of the simple polygon + + @param pts An array of points to assign to the simple polygon + + See the constructor description for details about raw mode. """ - def __init__(self, name: str, factory: Optional[DeviceClassFactory] = ...) -> None: + @classmethod + def ellipse(cls, box: Box, n: int) -> SimplePolygon: r""" - @brief Creates a new device extractor with the given name - For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. + @brief Creates a simple polygon approximating an ellipse + + @param box The bounding box of the ellipse + @param n The number of points that will be used to approximate the ellipse + + This method has been introduced in version 0.23. """ - def _create(self) -> None: + @classmethod + def from_dpoly(cls, dpolygon: DSimplePolygon) -> SimplePolygon: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Creates an integer coordinate polygon from a floating-point coordinate polygon + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpoly'. """ - def _destroy(self) -> None: + @classmethod + def from_s(cls, s: str) -> SimplePolygon: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Creates an object from a string + Creates the object from a string representation (as returned by \to_s) + + This method has been added in version 0.23. """ - def _destroyed(self) -> bool: + @overload + @classmethod + def new(cls) -> SimplePolygon: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Default constructor: creates an empty (invalid) polygon """ - def _is_const_object(self) -> bool: + @overload + @classmethod + def new(cls, box: Box) -> SimplePolygon: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Constructor converting a box to a polygon + + @param box The box to convert to a polygon """ - def _manage(self) -> None: + @overload + @classmethod + def new(cls, dpolygon: DSimplePolygon) -> SimplePolygon: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Creates an integer coordinate polygon from a floating-point coordinate polygon - Usually it's not required to call this method. It has been introduced in version 0.24. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpoly'. """ - def _unmanage(self) -> None: + @overload + @classmethod + def new(cls, pts: Sequence[Point], raw: Optional[bool] = ...) -> SimplePolygon: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - -class DeviceExtractorDiode(DeviceExtractorBase): - r""" - @brief A device extractor for a planar diode - - This class supplies the generic extractor for a planar diode. - The diode is defined by two layers whose overlap area forms - the diode. The p-type layer forms the anode, the n-type layer - the cathode. - - The device class produced by this extractor is \DeviceClassDiode. - The extractor extracts the two parameters of this class: - - @ul - @li 'A' - the diode area in square micrometer units. @/li - @li 'P' - the diode perimeter in micrometer units. @/li - @/ul - - The device layers are: - - @ul - @li 'P' - the p doped area. @/li - @li 'N' - the n doped area. @/li - @/ul - - The diode region is defined by the overlap of p and n regions. + @brief Constructor given the points of the simple polygon - The terminal output layers are: + @param pts The points forming the simple polygon + @param raw If true, the points are taken as they are (see below) - @ul - @li 'tA' - anode. Defaults to 'P'. @/li - @li 'tC' - cathode. Defaults to 'N'. @/li - @/ul + If the 'raw' argument is set to true, the points are taken as they are. Specifically no removal of redundant points or joining of coincident edges will take place. In effect, polygons consisting of a single point or two points can be constructed as well as polygons with duplicate points. Note that such polygons may cause problems in some applications. - This class is a closed one and methods cannot be reimplemented. To reimplement specific methods, see \DeviceExtractor. + Regardless of raw mode, the point list will be adjusted such that the first point is the lowest-leftmost one and the orientation is clockwise always. - This class has been introduced in version 0.26. - """ - @classmethod - def new(cls, name: str, factory: Optional[DeviceClassFactory] = ...) -> DeviceExtractorDiode: - r""" - @brief Creates a new device extractor with the given name - For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. + The 'raw' argument has been added in version 0.24. """ - def __init__(self, name: str, factory: Optional[DeviceClassFactory] = ...) -> None: + def __copy__(self) -> SimplePolygon: r""" - @brief Creates a new device extractor with the given name - For the 'factory' parameter see \DeviceClassFactory. It has been added in version 0.27.3. + @brief Creates a copy of self """ - def _create(self) -> None: + def __deepcopy__(self) -> SimplePolygon: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Creates a copy of self """ - def _destroy(self) -> None: + def __eq__(self, p: object) -> bool: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Returns a value indicating whether self is equal to p + @param p The object to compare against """ - def _destroyed(self) -> bool: + def __hash__(self) -> int: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Computes a hash value + Returns a hash value for the given polygon. This method enables polygons as hash keys. + + This method has been introduced in version 0.25. """ - def _is_const_object(self) -> bool: + @overload + def __init__(self) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Default constructor: creates an empty (invalid) polygon """ - def _manage(self) -> None: + @overload + def __init__(self, box: Box) -> None: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Constructor converting a box to a polygon - Usually it's not required to call this method. It has been introduced in version 0.24. + @param box The box to convert to a polygon """ - def _unmanage(self) -> None: + @overload + def __init__(self, dpolygon: DSimplePolygon) -> None: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Creates an integer coordinate polygon from a floating-point coordinate polygon - Usually it's not required to call this method. It has been introduced in version 0.24. + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dpoly'. """ + @overload + def __init__(self, pts: Sequence[Point], raw: Optional[bool] = ...) -> None: + r""" + @brief Constructor given the points of the simple polygon -class Connectivity: - r""" - @brief This class specifies connections between different layers. - Connections are build using \connect. There are basically two flavours of connections: intra-layer and inter-layer. + @param pts The points forming the simple polygon + @param raw If true, the points are taken as they are (see below) - Intra-layer connections make nets begin propagated along different shapes on the same net. Without the intra-layer connections, nets are not propagated over shape boundaries. As this is usually intended, intra-layer connections should always be specified for each layer. + If the 'raw' argument is set to true, the points are taken as they are. Specifically no removal of redundant points or joining of coincident edges will take place. In effect, polygons consisting of a single point or two points can be constructed as well as polygons with duplicate points. Note that such polygons may cause problems in some applications. - Inter-layer connections connect shapes on different layers. Shapes which touch across layers will be connected if their layers are specified as being connected through inter-layer \connect. + Regardless of raw mode, the point list will be adjusted such that the first point is the lowest-leftmost one and the orientation is clockwise always. - All layers are specified in terms of layer indexes. Layer indexes are layout layer indexes (see \Layout class). + The 'raw' argument has been added in version 0.24. + """ + def __lt__(self, p: SimplePolygon) -> bool: + r""" + @brief Returns a value indicating whether self is less than p + @param p The object to compare against + This operator is provided to establish some, not necessarily a certain sorting order - The connectivity object also manages the global nets. Global nets are substrate for example and they are propagated automatically from subcircuits to circuits. Global nets are defined by name and are managed through IDs. To get the name for a given ID, use \global_net_name. - This class has been introduced in version 0.26. - """ - @classmethod - def new(cls) -> Connectivity: + This method has been introduced in version 0.25. + """ + def __mul__(self, f: float) -> SimplePolygon: r""" - @brief Creates a new object of this class + @brief Scales the polygon by some factor + + Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. """ - def __copy__(self) -> Connectivity: + def __ne__(self, p: object) -> bool: r""" - @brief Creates a copy of self + @brief Returns a value indicating whether self is not equal to p + @param p The object to compare against """ - def __deepcopy__(self) -> Connectivity: + def __rmul__(self, f: float) -> SimplePolygon: r""" - @brief Creates a copy of self + @brief Scales the polygon by some factor + + Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. """ - def __init__(self) -> None: + def __str__(self) -> str: r""" - @brief Creates a new object of this class + @brief Returns a string representing the polygon """ def _create(self) -> None: r""" @@ -47106,24 +47006,36 @@ class Connectivity: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: Connectivity) -> None: + def area(self) -> int: r""" - @brief Assigns another object to self + @brief Gets the area of the polygon + The area is correct only if the polygon is not self-overlapping and the polygon is oriented clockwise. """ - @overload - def connect(self, layer: int) -> None: + def area2(self) -> int: r""" - @brief Specifies intra-layer connectivity. + @brief Gets the double area of the polygon + This method is provided because the area for an integer-type polygon is a multiple of 1/2. Hence the double area can be expresses precisely as an integer for these types. + + This method has been introduced in version 0.26.1 """ - @overload - def connect(self, layer_a: int, layer_b: int) -> None: + def assign(self, other: SimplePolygon) -> None: r""" - @brief Specifies inter-layer connectivity. + @brief Assigns another object to self """ - def connect_global(self, layer: int, global_net_name: str) -> int: + def bbox(self) -> Box: r""" - @brief Connects the given layer to the global net given by name. - Returns the ID of the global net. + @brief Returns the bounding box of the simple polygon + """ + def compress(self, remove_reflected: bool) -> None: + r""" + @brief Compressed the simple polygon. + + This method removes redundant points from the polygon, such as points being on a line formed by two other points. + If remove_reflected is true, points are also removed if the two adjacent edges form a spike. + + @param remove_reflected See description of the functionality. + + This method was introduced in version 0.18. """ def create(self) -> None: r""" @@ -47142,1037 +47054,757 @@ class Connectivity: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> Connectivity: + def dup(self) -> SimplePolygon: r""" @brief Creates a copy of self """ - def global_net_id(self, global_net_name: str) -> int: + def each_edge(self) -> Iterator[Edge]: r""" - @brief Gets the ID for a given global net name. + @brief Iterates over the edges that make up the simple polygon """ - def global_net_name(self, global_net_id: int) -> str: + def each_point(self) -> Iterator[Point]: r""" - @brief Gets the name for a given global net ID. + @brief Iterates over the points that make up the simple polygon """ - def is_const_object(self) -> bool: + def extract_rad(self) -> List[Any]: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ + @brief Extracts the corner radii from a rounded polygon -class LayoutToNetlist: - r""" - @brief A generic framework for extracting netlists from layouts + Attempts to extract the radii of rounded corner polygon. This is essentially the inverse of the \round_corners method. If this method succeeds, if will return an array of four elements: @ul + @li The polygon with the rounded corners replaced by edgy ones @/li + @li The radius of the inner corners @/li + @li The radius of the outer corners @/li + @li The number of points per full circle @/li + @/ul - This class wraps various concepts from db::NetlistExtractor and db::NetlistDeviceExtractor - and more. It is supposed to provide a framework for extracting a netlist from a layout. + This method is based on some assumptions and may fail. In this case, an empty array is returned. - The use model of this class consists of five steps which need to be executed in this order. + If successful, the following code will more or less render the original polygon and parameters - @ul - @li Configuration: in this step, the LayoutToNetlist object is created and - if required, configured. Methods to be used in this step are \threads=, - \area_ratio= or \max_vertex_count=. The constructor for the LayoutToNetlist - object receives a \RecursiveShapeIterator object which basically supplies the - hierarchy and the layout taken as input. - @/li - @li Preparation - In this step, the device recognition and extraction layers are drawn from - the framework. Derived can now be computed using boolean operations. - Methods to use in this step are \make_layer and it's variants. - Layer preparation is not necessarily required to happen before all - other steps. Layers can be computed shortly before they are required. - @/li - @li Following the preparation, the devices can be extracted using \extract_devices. - This method needs to be called for each device extractor required. Each time, - a device extractor needs to be given plus a map of device layers. The device - layers are device extractor specific. Either original or derived layers - may be specified here. Layer preparation may happen between calls to \extract_devices. - @/li - @li Once the devices are derived, the netlist connectivity can be defined and the - netlist extracted. The connectivity is defined with \connect and it's - flavours. The actual netlist extraction happens with \extract_netlist. - @/li - @li After netlist extraction, the information is ready to be retrieved. - The produced netlist is available with \netlist. The Shapes of a - specific net are available with \shapes_of_net. \probe_net allows - finding a net by probing a specific location. - @/li - @/ul + @code + p = ... # some polygon + p.round_corners(ri, ro, n) + (p2, ri2, ro2, n2) = p.extract_rad + # -> p2 == p, ro2 == ro, ri2 == ri, n2 == n (within some limits) + @/code - You can also use the extractor with an existing \DeepShapeStore object or even flat data. In this case, preparation means importing existing regions with the \register method. - If you want to use the \LayoutToNetlist object with flat data, use the 'LayoutToNetlist(topcell, dbu)' constructor. If you want to use it with hierarchical data and an existing DeepShapeStore object, use the 'LayoutToNetlist(dss)' constructor. + This method was introduced in version 0.25. + """ + def hash(self) -> int: + r""" + @brief Computes a hash value + Returns a hash value for the given polygon. This method enables polygons as hash keys. - This class has been introduced in version 0.26. - """ - class BuildNetHierarchyMode: + This method has been introduced in version 0.25. + """ + def inside(self, p: Point) -> bool: r""" - @brief This class represents the LayoutToNetlist::BuildNetHierarchyMode enum - This enum is used for \LayoutToNetlist#build_all_nets and \LayoutToNetlist#build_net. + @brief Gets a value indicating whether the given point is inside the polygon + If the given point is inside or on the edge the polygon, true is returned. This tests works well only if the polygon is not self-overlapping and oriented clockwise. """ - BNH_Disconnected: ClassVar[LayoutToNetlist.BuildNetHierarchyMode] + def is_box(self) -> bool: r""" - @brief This constant tells \build_net and \build_all_nets to produce local nets without connections to subcircuits (used for the "hier_mode" parameter). + @brief Returns a value indicating whether the polygon is a simple box. + + A polygon is a box if it is identical to it's bounding box. + + @return True if the polygon is a box. + + This method was introduced in version 0.23. """ - BNH_Flatten: ClassVar[LayoutToNetlist.BuildNetHierarchyMode] + def is_const_object(self) -> bool: r""" - @brief This constant tells \build_net and \build_all_nets to flatten the nets (used for the "hier_mode" parameter). + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - BNH_SubcircuitCells: ClassVar[LayoutToNetlist.BuildNetHierarchyMode] + def is_empty(self) -> bool: r""" - @brief This constant tells \build_net and \build_all_nets to produce a hierarchy of subcircuit cells per net (used for the "hier_mode" parameter). + @brief Returns a value indicating whether the polygon is empty """ - @overload - @classmethod - def new(cls, i: int) -> LayoutToNetlist.BuildNetHierarchyMode: - r""" - @brief Creates an enum from an integer value - """ - @overload - @classmethod - def new(cls, s: str) -> LayoutToNetlist.BuildNetHierarchyMode: - r""" - @brief Creates an enum from a string value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares two enums - """ - @overload - def __init__(self, i: int) -> None: - r""" - @brief Creates an enum from an integer value - """ - @overload - def __init__(self, s: str) -> None: - r""" - @brief Creates an enum from a string value - """ - @overload - def __lt__(self, other: int) -> bool: - r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value - """ - @overload - def __lt__(self, other: LayoutToNetlist.BuildNetHierarchyMode) -> bool: - r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares two enums for inequality - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer for inequality - """ - def __repr__(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def __str__(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - def inspect(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def to_i(self) -> int: - r""" - @brief Gets the integer value from the enum - """ - def to_s(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - BNH_Disconnected: ClassVar[LayoutToNetlist.BuildNetHierarchyMode] - r""" - @brief This constant tells \build_net and \build_all_nets to produce local nets without connections to subcircuits (used for the "hier_mode" parameter). - """ - BNH_Flatten: ClassVar[LayoutToNetlist.BuildNetHierarchyMode] - r""" - @brief This constant tells \build_net and \build_all_nets to flatten the nets (used for the "hier_mode" parameter). - """ - BNH_SubcircuitCells: ClassVar[LayoutToNetlist.BuildNetHierarchyMode] - r""" - @brief This constant tells \build_net and \build_all_nets to produce a hierarchy of subcircuit cells per net (used for the "hier_mode" parameter). - """ - area_ratio: float - r""" - Getter: - @brief Gets the area_ratio parameter for the hierarchical network processor - See \area_ratio= for details about this attribute. - Setter: - @brief Sets the area_ratio parameter for the hierarchical network processor - This parameter controls splitting of large polygons in order to reduce the - error made by the bounding box approximation. - """ - description: str - r""" - Getter: - @brief Gets the description of the database - - Setter: - @brief Sets the description of the database - """ - device_scaling: float - r""" - Getter: - @brief Gets the device scaling factor - See \device_scaling= for details about this attribute. - Setter: - @brief Sets the device scaling factor - This factor will scale the physical properties of the extracted devices - accordingly. The scale factor applies an isotropic shrink (<1) or expansion (>1). - """ - generator: str - r""" - Getter: - @brief Gets the generator string. - The generator is the script that created this database. + def is_halfmanhattan(self) -> bool: + r""" + @brief Returns a value indicating whether the polygon is half-manhattan + Half-manhattan polygons have edges which are multiples of 45 degree. These polygons can be clipped at a rectangle without potential grid snapping. - Setter: - @brief Sets the generator string. - """ - include_floating_subcircuits: bool - r""" - Getter: - @brief Gets a flag indicating whether to include floating subcircuits in the netlist. - See \include_floating_subcircuits= for details. + This predicate was introduced in version 0.27. + """ + def is_rectilinear(self) -> bool: + r""" + @brief Returns a value indicating whether the polygon is rectilinear + """ + @overload + def minkowski_sum(self, b: Box, resolve_holes: bool) -> Polygon: + r""" + @brief Computes the Minkowski sum of a polygon and a box - This attribute has been introduced in version 0.27. + @param b The box. + @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. - Setter: - @brief Sets a flag indicating whether to include floating subcircuits in the netlist. + @return The new polygon representing the Minkowski sum of self and b. - With 'include_floating_subcircuits' set to true, subcircuits with no connection to their parent circuit are still included in the circuit as floating subcircuits. Specifically on flattening this means that these subcircuits are properly propagated to their parent instead of appearing as additional top circuits. + This method was introduced in version 0.22. + """ + @overload + def minkowski_sum(self, c: Sequence[Point], resolve_holes: bool) -> Polygon: + r""" + @brief Computes the Minkowski sum of a polygon and a contour of points (a trace) - This attribute has been introduced in version 0.27 and replaces the arguments of \extract_netlist. - """ - max_vertex_count: int - r""" - Getter: - See \max_vertex_count= for details about this attribute. - Setter: - @brief Sets the max_vertex_count parameter for the hierarchical network processor - This parameter controls splitting of large polygons in order to enhance performance - for very big polygons. - """ - name: str - r""" - Getter: - @brief Gets the name of the database + @param c The contour (a series of points forming the trace). + @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. - Setter: - @brief Sets the name of the database - """ - original_file: str - r""" - Getter: - @brief Gets the original file name of the database - The original filename is the layout file from which the netlist DB was created. - Setter: - @brief Sets the original file name of the database - """ - threads: int - r""" - Getter: - @brief Gets the number of threads to use for operations which support multiple threads + @return The new polygon representing the Minkowski sum of self and c. - Setter: - @brief Sets the number of threads to use for operations which support multiple threads - """ + This method was introduced in version 0.22. + """ @overload - @classmethod - def new(cls) -> LayoutToNetlist: + def minkowski_sum(self, e: Edge, resolve_holes: bool) -> Polygon: r""" - @brief Creates a new and empty extractor object - The main objective for this constructor is to create an object suitable for reading an annotated netlist. + @brief Computes the Minkowski sum of a polygon and an edge + + @param e The edge. + @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. + + @return The new polygon representing the Minkowski sum of self and e. + + This method was introduced in version 0.22. """ @overload - @classmethod - def new(cls, dss: DeepShapeStore) -> LayoutToNetlist: + def minkowski_sum(self, p: SimplePolygon, resolve_holes: bool) -> Polygon: r""" - @brief Creates a new extractor object reusing an existing \DeepShapeStore object - This constructor can be used if there is a DSS object already from which the shapes can be taken. This version can only be used with \register to add layers (regions) inside the 'dss' object. + @brief Computes the Minkowski sum of a polygon and a polygon - The make_... methods will not create new layers as there is no particular place defined where to create the layers. + @param p The other polygon. + @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. - The extractor will not take ownership of the dss object unless you call \keep_dss. + @return The new polygon representing the Minkowski sum of self and p. + + This method was introduced in version 0.22. """ @overload - @classmethod - def new(cls, iter: RecursiveShapeIterator) -> LayoutToNetlist: + def minkowsky_sum(self, b: Box, resolve_holes: bool) -> Polygon: r""" - @brief Creates a new extractor connected to an original layout - This constructor will attach the extractor to an original layout through the shape iterator. - """ - @overload - @classmethod - def new(cls, dss: DeepShapeStore, layout_index: int) -> LayoutToNetlist: - r""" - @brief Creates a new extractor object reusing an existing \DeepShapeStore object - This constructor can be used if there is a DSS object already from which the shapes can be taken. NOTE: in this case, the make_... functions will create new layers inside this DSS. To register existing layers (regions) use \register. - """ - @overload - @classmethod - def new(cls, topcell_name: str, dbu: float) -> LayoutToNetlist: - r""" - @brief Creates a new extractor object with a flat DSS - @param topcell_name The name of the top cell of the internal flat layout - @param dbu The database unit to use for the internal flat layout + @brief Computes the Minkowski sum of a polygon and a box - This constructor will create an extractor for flat extraction. Layers registered with \register will be flattened. New layers created with make_... will be flat layers. + @param b The box. + @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. - The database unit is mandatory because the physical parameter extraction for devices requires this unit for translation of layout to physical dimensions. - """ - @overload - def __init__(self) -> None: - r""" - @brief Creates a new and empty extractor object - The main objective for this constructor is to create an object suitable for reading an annotated netlist. + @return The new polygon representing the Minkowski sum of self and b. + + This method was introduced in version 0.22. """ @overload - def __init__(self, dss: DeepShapeStore) -> None: + def minkowsky_sum(self, c: Sequence[Point], resolve_holes: bool) -> Polygon: r""" - @brief Creates a new extractor object reusing an existing \DeepShapeStore object - This constructor can be used if there is a DSS object already from which the shapes can be taken. This version can only be used with \register to add layers (regions) inside the 'dss' object. + @brief Computes the Minkowski sum of a polygon and a contour of points (a trace) - The make_... methods will not create new layers as there is no particular place defined where to create the layers. + @param c The contour (a series of points forming the trace). + @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. - The extractor will not take ownership of the dss object unless you call \keep_dss. - """ - @overload - def __init__(self, iter: RecursiveShapeIterator) -> None: - r""" - @brief Creates a new extractor connected to an original layout - This constructor will attach the extractor to an original layout through the shape iterator. - """ - @overload - def __init__(self, dss: DeepShapeStore, layout_index: int) -> None: - r""" - @brief Creates a new extractor object reusing an existing \DeepShapeStore object - This constructor can be used if there is a DSS object already from which the shapes can be taken. NOTE: in this case, the make_... functions will create new layers inside this DSS. To register existing layers (regions) use \register. + @return The new polygon representing the Minkowski sum of self and c. + + This method was introduced in version 0.22. """ @overload - def __init__(self, topcell_name: str, dbu: float) -> None: + def minkowsky_sum(self, e: Edge, resolve_holes: bool) -> Polygon: r""" - @brief Creates a new extractor object with a flat DSS - @param topcell_name The name of the top cell of the internal flat layout - @param dbu The database unit to use for the internal flat layout + @brief Computes the Minkowski sum of a polygon and an edge - This constructor will create an extractor for flat extraction. Layers registered with \register will be flattened. New layers created with make_... will be flat layers. + @param e The edge. + @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. - The database unit is mandatory because the physical parameter extraction for devices requires this unit for translation of layout to physical dimensions. - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @return The new polygon representing the Minkowski sum of self and e. - Usually it's not required to call this method. It has been introduced in version 0.24. + This method was introduced in version 0.22. """ - def _unmanage(self) -> None: + @overload + def minkowsky_sum(self, p: SimplePolygon, resolve_holes: bool) -> Polygon: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Computes the Minkowski sum of a polygon and a polygon - Usually it's not required to call this method. It has been introduced in version 0.24. + @param p The other polygon. + @param resolve_holes If true, the output polygon will not contain holes, but holes are resolved by joining the holes with the hull. + + @return The new polygon representing the Minkowski sum of self and p. + + This method was introduced in version 0.22. """ @overload - def antenna_check(self, gate: Region, metal: Region, ratio: float, diodes: Optional[Sequence[Any]] = ..., texts: Optional[Texts] = ...) -> Region: + def move(self, p: Vector) -> SimplePolygon: r""" - @brief Runs an antenna check on the extracted clusters + @brief Moves the simple polygon. - The antenna check will traverse all clusters and run an antenna check - for all root clusters. The antenna ratio is defined by the total - area of all "metal" shapes divided by the total area of all "gate" shapes - on the cluster. Of all clusters where the antenna ratio is larger than - the limit ratio all metal shapes are copied to the output region as - error markers. + Moves the simple polygon by the given offset and returns the + moved simple polygon. The polygon is overwritten. - The simple call is: + @param p The distance to move the simple polygon. - @code - l2n = ... # a LayoutToNetlist object - l2n.extract_netlist - # check for antenna ratio 10.0 of metal vs. poly: - errors = l2n.antenna(poly, metal, 10.0) - @/code + @return The moved simple polygon. + """ + @overload + def move(self, x: int, y: int) -> SimplePolygon: + r""" + @brief Moves the polygon. - You can include diodes which rectify the antenna effect. Provide recognition layers for theses diodes and include them in the connections. Then specify the diode layers in the antenna call: + Moves the polygon by the given offset and returns the + moved polygon. The polygon is overwritten. - @code - ... - # include diode_layer1: - errors = l2n.antenna(poly, metal, 10.0, [ diode_layer1 ]) - # include diode_layer1 and diode_layer2:errors = l2n.antenna(poly, metal, 10.0, [ diode_layer1, diode_layer2 ]) - @/code + @param x The x distance to move the polygon. + @param y The y distance to move the polygon. - Diodes can be configured to partially reduce the antenna effect depending on their area. This will make the diode_layer1 increase the ratio by 50.0 per square micrometer area of the diode: + @return The moved polygon (self). + """ + @overload + def moved(self, p: Vector) -> SimplePolygon: + r""" + @brief Returns the moved simple polygon - @code - ... - # diode_layer1 increases the ratio by 50 per square micrometer area: - errors = l2n.antenna(poly, metal, 10.0 [ [ diode_layer, 50.0 ] ]) - @/code + Moves the simple polygon by the given offset and returns the + moved simple polygon. The polygon is not modified. - If 'texts' is non-nil, this text collection will receive labels explaining the error in terms of area values and relevant ratio. + @param p The distance to move the simple polygon. - The 'texts' parameter has been added in version 0.27.11. + @return The moved simple polygon. """ @overload - def antenna_check(self, gate: Region, gate_perimeter_factor: float, metal: Region, metal_perimeter_factor: float, ratio: float, diodes: Optional[Sequence[Any]] = ..., texts: Optional[Texts] = ...) -> Region: + def moved(self, x: int, y: int) -> SimplePolygon: r""" - @brief Runs an antenna check on the extracted clusters taking the perimeter into account + @brief Returns the moved polygon (does not modify self) - This version of the \antenna_check method allows taking the perimeter of gate or metal into account. The effective area is computed using: + Moves the polygon by the given offset and returns the + moved polygon. The polygon is not modified. - @code - Aeff = A + P * t - @/code + @param x The x distance to move the polygon. + @param y The y distance to move the polygon. - Here Aeff is the area used in the check, A is the polygon area, P the perimeter and t the perimeter factor. This formula applies to gate polygon area/perimeter with 'gate_perimeter_factor' for t and metal polygon area/perimeter with 'metal_perimeter_factor'. The perimeter_factor has the dimension of micrometers and can be thought of as the width of the material. Essentially the side walls of the material are taking into account for the surface area as well. + @return The moved polygon. - This variant has been introduced in version 0.26.6. + This method has been introduced in version 0.23. """ - @overload - def antenna_check(self, gate: Region, gate_area_factor: float, gate_perimeter_factor: float, metal: Region, metal_area_factor: float, metal_perimeter_factor: float, ratio: float, diodes: Optional[Sequence[Any]] = ..., texts: Optional[Texts] = ...) -> Region: + def num_points(self) -> int: r""" - @brief Runs an antenna check on the extracted clusters taking the perimeter into account and providing an area factor + @brief Gets the number of points + """ + def perimeter(self) -> int: + r""" + @brief Gets the perimeter of the polygon + The perimeter is sum of the lengths of all edges making up the polygon. + """ + def point(self, p: int) -> Point: + r""" + @brief Gets a specific point of the contour@param p The index of the point to get + If the index of the point is not a valid index, a default value is returned. + This method was introduced in version 0.18. + """ + def round_corners(self, rinner: float, router: float, n: int) -> SimplePolygon: + r""" + @brief Rounds the corners of the polygon - This (most generic) version of the \antenna_check method allows taking the perimeter of gate or metal into account and also provides a scaling factor for the area part. - The effective area is computed using: + Replaces the corners of the polygon with circle segments. - @code - Aeff = A * f + P * t - @/code + @param rinner The circle radius of inner corners (in database units). + @param router The circle radius of outer corners (in database units). + @param n The number of points per full circle. - Here f is the area factor and t the perimeter factor. A is the polygon area and P the polygon perimeter. A use case for this variant is to set the area factor to zero. This way, only perimeter contributions are considered. + @return The new polygon. - This variant has been introduced in version 0.26.6. + This method was introduced in version 0.22 for integer coordinates and in 0.25 for all coordinate types. """ - def build_all_nets(self, cmap: CellMapping, target: Layout, lmap: Dict[int, Region], net_cell_name_prefix: Optional[Any] = ..., netname_prop: Optional[Any] = ..., hier_mode: Optional[LayoutToNetlist.BuildNetHierarchyMode] = ..., circuit_cell_name_prefix: Optional[Any] = ..., device_cell_name_prefix: Optional[Any] = ...) -> None: + def set_points(self, pts: Sequence[Point], raw: Optional[bool] = ...) -> None: r""" - @brief Builds a full hierarchical representation of the nets - - This method copies all nets into cells corresponding to the circuits. It uses the 'cmap' - object to determine the target cell (create it with "cell_mapping_into" or "const_cell_mapping_into"). - If no mapping is provided for a specific circuit cell, the nets are copied into the next mapped parent as many times as the circuit cell appears there (circuit flattening). - - The method has three net annotation modes: - @ul - @li No annotation (net_cell_name_prefix == nil and netname_prop == nil): the shapes will be put - into the target cell simply. @/li - @li Net name property (net_cell_name_prefix == nil and netname_prop != nil): the shapes will be - annotated with a property named with netname_prop and containing the net name string. @/li - @li Individual subcells per net (net_cell_name_prefix != 0): for each net, a subcell is created - and the net shapes will be put there (name of the subcell = net_cell_name_prefix + net name). - (this mode can be combined with netname_prop too). @/li - @/ul + @brief Sets the points of the simple polygon - In addition, net hierarchy is covered in three ways: - @ul - @li No connection indicated (hier_mode == \BNH_Disconnected: the net shapes are simply put into their - respective circuits. The connections are not indicated. @/li - @li Subnet hierarchy (hier_mode == \BNH_SubcircuitCells): for each root net, a full hierarchy is built - to accommodate the subnets (see build_net in recursive mode). @/li - @li Flat (hier_mode == \BNH_Flatten): each net is flattened and put into the circuit it - belongs to. @/li - @/ul + @param pts An array of points to assign to the simple polygon + @param raw If true, the points are taken as they are - If a device cell name prefix is given, cells will be produced for each device abstract - using a name like device_cell_name_prefix + device name. Otherwise the device shapes are - treated as part of the net. + See the constructor description for details about raw mode. - @param cmap The mapping of internal layout to target layout for the circuit mapping - @param target The target layout - @param lmap Target layer indexes (keys) and net regions (values) - @param hier_mode See description of this method - @param netname_prop An (optional) property name to which to attach the net name - @param circuit_cell_name_prefix See method description - @param net_cell_name_prefix See method description - @param device_cell_name_prefix See above + This method has been added in version 0.24. """ - def build_net(self, net: Net, target: Layout, target_cell: Cell, lmap: Dict[int, Region], netname_prop: Optional[Any] = ..., hier_mode: Optional[LayoutToNetlist.BuildNetHierarchyMode] = ..., circuit_cell_name_prefix: Optional[Any] = ..., device_cell_name_prefix: Optional[Any] = ...) -> None: + def split(self) -> List[SimplePolygon]: r""" - @brief Builds a net representation in the given layout and cell + @brief Splits the polygon into two or more parts + This method will break the polygon into parts. The exact breaking algorithm is unspecified, the result are smaller polygons of roughly equal number of points and 'less concave' nature. Usually the returned polygon set consists of two polygons, but there can be more. The merged region of the resulting polygons equals the original polygon with the exception of small snapping effects at new vertexes. - This method puts the shapes of a net into the given target cell using a variety of options - to represent the net name and the hierarchy of the net. + The intended use for this method is a iteratively split polygons until the satisfy some maximum number of points limit. - If the netname_prop name is not nil, a property with the given name is created and assigned - the net name. + This method has been introduced in version 0.25.3. + """ + def to_dtype(self, dbu: Optional[float] = ...) -> DSimplePolygon: + r""" + @brief Converts the polygon to a floating-point coordinate polygon - Net hierarchy is covered in three ways: - @ul - @li No connection indicated (hier_mode == \BNH_Disconnected: the net shapes are simply put into their - respective circuits. The connections are not indicated. @/li - @li Subnet hierarchy (hier_mode == \BNH_SubcircuitCells): for each root net, a full hierarchy is built - to accommodate the subnets (see build_net in recursive mode). @/li - @li Flat (hier_mode == \BNH_Flatten): each net is flattened and put into the circuit it - belongs to. @/li - @/ul - If a device cell name prefix is given, cells will be produced for each device abstract - using a name like device_cell_name_prefix + device name. Otherwise the device shapes are - treated as part of the net. + The database unit can be specified to translate the integer-coordinate polygon into a floating-point coordinate polygon in micron units. The database unit is basically a scaling factor. - @param target The target layout - @param target_cell The target cell - @param lmap Target layer indexes (keys) and net regions (values) - @param hier_mode See description of this method - @param netname_prop An (optional) property name to which to attach the net name - @param cell_name_prefix Chooses recursive mode if non-null - @param device_cell_name_prefix See above + This method has been introduced in version 0.25. """ - def build_nets(self, nets: Sequence[Net], cmap: CellMapping, target: Layout, lmap: Dict[int, Region], net_cell_name_prefix: Optional[Any] = ..., netname_prop: Optional[Any] = ..., hier_mode: Optional[LayoutToNetlist.BuildNetHierarchyMode] = ..., circuit_cell_name_prefix: Optional[Any] = ..., device_cell_name_prefix: Optional[Any] = ...) -> None: + def to_s(self) -> str: r""" - @brief Like \build_all_nets, but with the ability to select some nets. + @brief Returns a string representing the polygon """ @overload - def cell_mapping_into(self, layout: Layout, cell: Cell, with_device_cells: Optional[bool] = ...) -> CellMapping: + def touches(self, box: Box) -> bool: r""" - @brief Creates a cell mapping for copying shapes from the internal layout to the given target layout. - If 'with_device_cells' is true, cells will be produced for devices. These are cells not corresponding to circuits, so they are disabled normally. - Use this option, if you want to access device terminal shapes per device. + @brief Returns true, if the polygon touches the given box. + The box and the polygon touch if they overlap or their contours share at least one point. - CAUTION: this function may create new cells in 'layout'. Use \const_cell_mapping_into if you want to use the target layout's hierarchy and not modify it. + This method was introduced in version 0.25.1. """ @overload - def cell_mapping_into(self, layout: Layout, cell: Cell, nets: Sequence[Net], with_device_cells: Optional[bool] = ...) -> CellMapping: + def touches(self, edge: Edge) -> bool: r""" - @brief Creates a cell mapping for copying shapes from the internal layout to the given target layout. - This version will only create cells which are required to represent the nets from the 'nets' argument. - - If 'with_device_cells' is true, cells will be produced for devices. These are cells not corresponding to circuits, so they are disabled normally. - Use this option, if you want to access device terminal shapes per device. + @brief Returns true, if the polygon touches the given edge. + The edge and the polygon touch if they overlap or the edge shares at least one point with the polygon's contour. - CAUTION: this function may create new cells in 'layout'. Use \const_cell_mapping_into if you want to use the target layout's hierarchy and not modify it. + This method was introduced in version 0.25.1. """ - def clear_join_net_names(self) -> None: + @overload + def touches(self, polygon: Polygon) -> bool: r""" - @brief Clears all implicit net joining expressions. - See \extract_netlist for more details about this feature. + @brief Returns true, if the polygon touches the other polygon. + The polygons touch if they overlap or their contours share at least one point. - This method has been introduced in version 0.27 and replaces the arguments of \extract_netlist. + This method was introduced in version 0.25.1. """ - def clear_join_nets(self) -> None: + @overload + def touches(self, simple_polygon: SimplePolygon) -> bool: r""" - @brief Clears all explicit net joining expressions. - See \extract_netlist for more details about this feature. + @brief Returns true, if the polygon touches the other polygon. + The polygons touch if they overlap or their contours share at least one point. - Explicit net joining has been introduced in version 0.27. + This method was introduced in version 0.25.1. """ @overload - def connect(self, l: Region) -> None: + def transform(self, t: ICplxTrans) -> SimplePolygon: r""" - @brief Defines an intra-layer connection for the given layer. - The layer is either an original layer created with \make_includelayer and it's variants or - a derived layer. Certain limitations apply. It's safe to use - boolean operations for deriving layers. Other operations are applicable as long as they are - capable of delivering hierarchical layers. + @brief Transforms the simple polygon with a complex transformation (in-place) + + Transforms the simple polygon with the given complex transformation. + Modifies self and returns self. An out-of-place version which does not modify self is \transformed. + + @param t The transformation to apply. + + This method has been introduced in version 0.24. """ @overload - def connect(self, a: Region, b: Region) -> None: + def transform(self, t: Trans) -> SimplePolygon: r""" - @brief Defines an inter-layer connection for the given layers. - The conditions mentioned with intra-layer \connect apply for this method too. + @brief Transforms the simple polygon (in-place) + + Transforms the simple polygon with the given transformation. + Modifies self and returns self. An out-of-place version which does not modify self is \transformed. + + @param t The transformation to apply. + + This method has been introduced in version 0.24. """ @overload - def connect(self, a: Region, b: Texts) -> None: + def transformed(self, t: CplxTrans) -> DSimplePolygon: r""" - @brief Defines an inter-layer connection for the given layers. - The conditions mentioned with intra-layer \connect apply for this method too. - As one argument is a (hierarchical) text collection, this method is used to attach net labels to polygons. + @brief Transforms the simple polygon. - This variant has been introduced in version 0.27. + Transforms the simple polygon with the given complex transformation. + Does not modify the simple polygon but returns the transformed polygon. + + @param t The transformation to apply. + + @return The transformed simple polygon. + + With version 0.25, the original 'transformed_cplx' method is deprecated and 'transformed' takes both simple and complex transformations. """ @overload - def connect(self, a: Texts, b: Region) -> None: + def transformed(self, t: ICplxTrans) -> SimplePolygon: r""" - @brief Defines an inter-layer connection for the given layers. - The conditions mentioned with intra-layer \connect apply for this method too. - As one argument is a (hierarchical) text collection, this method is used to attach net labels to polygons. + @brief Transforms the simple polygon. - This variant has been introduced in version 0.27. + Transforms the simple polygon with the given complex transformation. + Does not modify the simple polygon but returns the transformed polygon. + + @param t The transformation to apply. + + @return The transformed simple polygon (in this case an integer coordinate object). + + This method has been introduced in version 0.18. """ @overload - def connect_global(self, l: Region, global_net_name: str) -> int: + def transformed(self, t: Trans) -> SimplePolygon: r""" - @brief Defines a connection of the given layer with a global net. - This method returns the ID of the global net. Use \global_net_name to get the name back from the ID. + @brief Transforms the simple polygon. + + Transforms the simple polygon with the given transformation. + Does not modify the simple polygon but returns the transformed polygon. + + @param t The transformation to apply. + + @return The transformed simple polygon. """ - @overload - def connect_global(self, l: Texts, global_net_name: str) -> int: + def transformed_cplx(self, t: CplxTrans) -> DSimplePolygon: r""" - @brief Defines a connection of the given text layer with a global net. - This method returns the ID of the global net. Use \global_net_name to get the name back from the ID. - This variant has been introduced in version 0.27. + @brief Transforms the simple polygon. + + Transforms the simple polygon with the given complex transformation. + Does not modify the simple polygon but returns the transformed polygon. + + @param t The transformation to apply. + + @return The transformed simple polygon. + + With version 0.25, the original 'transformed_cplx' method is deprecated and 'transformed' takes both simple and complex transformations. """ - def const_cell_mapping_into(self, layout: Layout, cell: Cell) -> CellMapping: + +class SubCircuit(NetlistObject): + r""" + @brief A subcircuit inside a circuit. + Circuits may instantiate other circuits as subcircuits similar to cells in layouts. Such an instance is a subcircuit. A subcircuit refers to a circuit implementation (a \Circuit object), and presents connections through pins. The pins of a subcircuit can be connected to nets. The subcircuit pins are identical to the outgoing pins of the circuit the subcircuit refers to. + + Subcircuits connect to nets through the \SubCircuit#connect_pin method. SubCircuit pins can be disconnected using \SubCircuit#disconnect_pin. + + Subcircuit objects are created inside a circuit with \Circuit#create_subcircuit. + + This class has been added in version 0.26. + """ + name: str + r""" + Getter: + @brief Gets the name of the subcircuit. + + Setter: + @brief Sets the name of the subcircuit. + SubCircuit names are used to name a subcircuits inside a netlist file. SubCircuit names should be unique within a circuit. + """ + trans: DCplxTrans + r""" + Getter: + @brief Gets the physical transformation for the subcircuit. + + This property applies to subcircuits derived from a layout. It specifies the placement of the respective cell. + + This property has been introduced in version 0.27. + Setter: + @brief Sets the physical transformation for the subcircuit. + + See \trans for details about this property. + + This property has been introduced in version 0.27. + """ + def _assign(self, other: NetlistObject) -> None: r""" - @brief Creates a cell mapping for copying shapes from the internal layout to the given target layout. - This version will not create new cells in the target layout. - If the required cells do not exist there yet, flatting will happen. + @brief Assigns another object to self """ - def create(self) -> None: + def _create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def destroy(self) -> None: + def _destroy(self) -> None: r""" @brief Explicitly destroys the object Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. If the object is not owned by the script, this method will do nothing. """ - def destroyed(self) -> bool: + def _destroyed(self) -> bool: r""" @brief Returns a value indicating whether the object was already destroyed This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dss(self) -> DeepShapeStore: + def _dup(self) -> SubCircuit: r""" - @brief Gets a reference to the internal DSS object. + @brief Creates a copy of self """ - def dump_joined_net_names(self) -> str: + def _is_const_object(self) -> bool: r""" - @hide + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def dump_joined_net_names_per_cell(self) -> str: + def _manage(self) -> None: r""" - @hide + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def dump_joined_nets(self) -> str: + def _unmanage(self) -> None: r""" - @hide + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def dump_joined_nets_per_cell(self) -> str: + @overload + def circuit(self) -> Circuit: r""" - @hide + @brief Gets the circuit the subcircuit lives in. + This is NOT the circuit which is referenced. For getting the circuit that the subcircuit references, use \circuit_ref. """ - def extract_devices(self, extractor: DeviceExtractorBase, layers: Dict[str, ShapeCollection]) -> None: + @overload + def circuit(self) -> Circuit: r""" - @brief Extracts devices - See the class description for more details. - This method will run device extraction for the given extractor. The layer map is specific - for the extractor and uses the region objects derived with \make_layer and it's variants. - - In addition, derived regions can be passed too. Certain limitations apply. It's safe to use - boolean operations for deriving layers. Other operations are applicable as long as they are - capable of delivering hierarchical layers. + @brief Gets the circuit the subcircuit lives in (non-const version). + This is NOT the circuit which is referenced. For getting the circuit that the subcircuit references, use \circuit_ref. - If errors occur, the device extractor will contain theses errors. - """ - def extract_netlist(self) -> None: - r""" - @brief Runs the netlist extraction - - See the class description for more details. - - This method has been made parameter-less in version 0.27. Use \include_floating_subcircuits= and \join_net_names as substitutes for the arguments of previous versions. - """ - def filename(self) -> str: - r""" - @brief Gets the file name of the database - The filename is the name under which the database is stored or empty if it is not associated with a file. - """ - def global_net_name(self, global_net_id: int) -> str: - r""" - @brief Gets the global net name for the given global net ID. - """ - def internal_layout(self) -> Layout: - r""" - @brief Gets the internal layout - Usually it should not be required to obtain the internal layout. If you need to do so, make sure not to modify the layout as - the functionality of the netlist extractor depends on it. - """ - def internal_top_cell(self) -> Cell: - r""" - @brief Gets the internal top cell - Usually it should not be required to obtain the internal cell. If you need to do so, make sure not to modify the cell as - the functionality of the netlist extractor depends on it. - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def is_extracted(self) -> bool: - r""" - @brief Gets a value indicating whether the netlist has been extracted - - This method has been introduced in version 0.27.1. - """ - @overload - def is_persisted(self, layer: Region) -> bool: - r""" - @brief Returns true, if the given layer is a persisted region. - Persisted layers are kept inside the LayoutToNetlist object and are not released if their object is destroyed. Named layers are persisted, unnamed layers are not. Only persisted, named layers can be put into \connect. - """ - @overload - def is_persisted(self, layer: Texts) -> bool: - r""" - @brief Returns true, if the given layer is a persisted texts collection. - Persisted layers are kept inside the LayoutToNetlist object and are not released if their object is destroyed. Named layers are persisted, unnamed layers are not. Only persisted, named layers can be put into \connect. - - The variant for Texts collections has been added in version 0.27. - """ - @overload - def join_net_names(self, pattern: str) -> None: - r""" - @brief Specifies another pattern for implicit joining of nets for the top level cell. - Use this method to register a pattern for net labels considered in implicit net joining. Implicit net joining allows connecting multiple parts of the same nets (e.g. supply rails) without need for a physical connection. The pattern specifies labels to look for. When parts are labelled with a name matching the expression, the parts carrying the same name are joined. - - This method adds a new pattern. Use \clear_join_net_names to clear the registered pattern. - - Each pattern is a glob expression. Valid glob expressions are: - @ul - @li "" no implicit connections.@/li - @li "*" to make all labels candidates for implicit connections.@/li - @li "VDD" to make all 'VDD'' nets candidates for implicit connections.@/li - @li "VDD" to make all 'VDD'+suffix nets candidates for implicit connections.@/li - @li "{VDD,VSS}" to all VDD and VSS nets candidates for implicit connections.@/li - @/ul - - Label matching is case sensitive. - - This method has been introduced in version 0.27 and replaces the arguments of \extract_netlist. - """ - @overload - def join_net_names(self, cell_pattern: str, pattern: str) -> None: - r""" - @brief Specifies another pattern for implicit joining of nets for the cells from the given cell pattern. - This method allows applying implicit net joining for specific cells, not only for the top cell. - - This method adds a new pattern. Use \clear_join_net_names to clear the registered pattern. - - This method has been introduced in version 0.27 and replaces the arguments of \extract_netlist. - """ - @overload - def join_nets(self, net_names: Sequence[str]) -> None: - r""" - @brief Specifies another name list for explicit joining of nets for the top level cell. - Use this method to join nets from the set of net names. All these nets will be connected together forming a single net. - Explicit joining will imply implicit joining for the involved nets - partial nets involved will be connected too (intra-net joining). - - This method adds a new name list. Use \clear_join_nets to clear the registered pattern. - - Explicit net joining has been introduced in version 0.27. + This constness variant has been introduced in version 0.26.8 """ @overload - def join_nets(self, cell_pattern: str, net_names: Sequence[str]) -> None: + def circuit_ref(self) -> Circuit: r""" - @brief Specifies another name list for explicit joining of nets for the cells from the given cell pattern. - This method allows applying explicit net joining for specific cells, not only for the top cell. + @brief Gets the circuit referenced by the subcircuit (non-const version). - This method adds a new name list. Use \clear_join_nets to clear the registered pattern. - Explicit net joining has been introduced in version 0.27. - """ - def keep_dss(self) -> None: - r""" - @brief Resumes ownership over the DSS object if created with an external one. - """ - def layer_by_index(self, index: int) -> Region: - r""" - @brief Gets a layer object for the given index. - Only named layers can be retrieved with this method. The returned object is a copy which represents the named layer. - """ - def layer_by_name(self, name: str) -> Region: - r""" - @brief Gets a layer object for the given name. - The returned object is a copy which represents the named layer. - """ - @overload - def layer_name(self, l: int) -> str: - r""" - @brief Gets the name of the given layer (by index) + This constness variant has been introduced in version 0.26.8 """ @overload - def layer_name(self, l: ShapeCollection) -> str: - r""" - @brief Gets the name of the given layer - """ - def layer_names(self) -> List[str]: + def circuit_ref(self) -> Circuit: r""" - @brief Returns a list of names of the layer kept inside the LayoutToNetlist object. + @brief Gets the circuit referenced by the subcircuit. """ @overload - def layer_of(self, l: Region) -> int: + def connect_pin(self, pin: Pin, net: Net) -> None: r""" - @brief Gets the internal layer for a given extraction layer - This method is required to derive the internal layer index - for example for - investigating the cluster tree. + @brief Connects the given pin to the specified net. + This version takes a \Pin reference instead of a pin ID. """ @overload - def layer_of(self, l: Texts) -> int: + def connect_pin(self, pin_id: int, net: Net) -> None: r""" - @brief Gets the internal layer for a given text collection - This method is required to derive the internal layer index - for example for - investigating the cluster tree. - - The variant for Texts collections has been added in version 0.27. + @brief Connects the given pin to the specified net. """ @overload - def make_layer(self, name: Optional[str] = ...) -> Region: + def disconnect_pin(self, pin: Pin) -> None: r""" - @brief Creates a new, empty hierarchical region - - The name is optional. If given, the layer will already be named accordingly (see \register). + @brief Disconnects the given pin from any net. + This version takes a \Pin reference instead of a pin ID. """ @overload - def make_layer(self, layer_index: int, name: Optional[str] = ...) -> Region: - r""" - @brief Creates a new hierarchical region representing an original layer - 'layer_index' is the layer index of the desired layer in the original layout. - This variant produces polygons and takes texts for net name annotation. - A variant not taking texts is \make_polygon_layer. A Variant only taking - texts is \make_text_layer. - - The name is optional. If given, the layer will already be named accordingly (see \register). - """ - def make_polygon_layer(self, layer_index: int, name: Optional[str] = ...) -> Region: + def disconnect_pin(self, pin_id: int) -> None: r""" - @brief Creates a new region representing an original layer taking polygons and texts - See \make_layer for details. - - The name is optional. If given, the layer will already be named accordingly (see \register). + @brief Disconnects the given pin from any net. """ - def make_text_layer(self, layer_index: int, name: Optional[str] = ...) -> Texts: + def expanded_name(self) -> str: r""" - @brief Creates a new region representing an original layer taking texts only - See \make_layer for details. - - The name is optional. If given, the layer will already be named accordingly (see \register). - - Starting with version 0.27, this method returns a \Texts object. + @brief Gets the expanded name of the subcircuit. + The expanded name takes the name of the subcircuit. If the name is empty, the numeric ID will be used to build a name. """ - def netlist(self) -> Netlist: + def id(self) -> int: r""" - @brief gets the netlist extracted (0 if no extraction happened yet) + @brief Gets the subcircuit ID. + The ID is a unique integer which identifies the subcircuit. + It can be used to retrieve the subcircuit from the circuit using \Circuit#subcircuit_by_id. + When assigned, the subcircuit ID is not 0. """ @overload - def probe_net(self, of_layer: Region, point: DPoint, sc_path_out: Optional[Sequence[SubCircuit]] = ..., initial_circuit: Optional[Circuit] = ...) -> Net: + def net_for_pin(self, pin_id: int) -> Net: r""" - @brief Finds the net by probing a specific location on the given layer - - This method will find a net looking at the given layer at the specific position. - It will traverse the hierarchy below if no shape in the requested layer is found - in the specified location. The function will report the topmost net from far above the - hierarchy of circuits as possible. - - If \initial_circuit is given, the probing will start from this circuit and from the cell this circuit represents. By default, the probing will start from the top circuit. - - If no net is found at all, 0 is returned. - - It is recommended to use \probe_net on the netlist right after extraction. - Optimization functions such as \Netlist#purge will remove parts of the net which means - shape to net probing may no longer work for these nets. - - If non-null and an array, 'sc_path_out' will receive a list of \SubCircuits objects which lead to the net from the top circuit of the database. - - This variant accepts a micrometer-unit location. The location is given in the - coordinate space of the initial cell. - - The \sc_path_out and \initial_circuit parameters have been added in version 0.27. + @brief Gets the net connected to the specified pin of the subcircuit. + If the pin is not connected, nil is returned for the net. """ @overload - def probe_net(self, of_layer: Region, point: Point, sc_path_out: Optional[Sequence[SubCircuit]] = ..., initial_circuit: Optional[Circuit] = ...) -> Net: + def net_for_pin(self, pin_id: int) -> Net: r""" - @brief Finds the net by probing a specific location on the given layer - See the description of the other \probe_net variant. - This variant accepts a database-unit location. The location is given in the - coordinate space of the initial cell. + @brief Gets the net connected to the specified pin of the subcircuit (non-const version). + If the pin is not connected, nil is returned for the net. - The \sc_path_out and \initial_circuit parameters have been added in version 0.27. - """ - def read(self, path: str) -> None: - r""" - @brief Reads the extracted netlist from the file. - This method employs the native format of KLayout. - """ - def read_l2n(self, path: str) -> None: - r""" - @brief Reads the extracted netlist from the file. - This method employs the native format of KLayout. + This constness variant has been introduced in version 0.26.8 """ - def register(self, l: ShapeCollection, n: str) -> None: - r""" - @brief Names the given layer - 'l' must be a hierarchical \Region or \Texts object derived with \make_layer, \make_text_layer or \make_polygon_layer or a region derived from those by boolean operations or other hierarchical operations. - Naming a layer allows the system to indicate the layer in various contexts, i.e. when writing the data to a file. Named layers are also persisted inside the LayoutToNetlist object. They are not discarded when the Region object is destroyed. +class Technology: + r""" + @brief Represents a technology - If required, the system will assign a name automatically. - This method has been generalized in version 0.27. - """ - def reset_extracted(self) -> None: - r""" - @brief Resets the extracted netlist and enables re-extraction - This method is implicitly called when using \connect or \connect_global after a netlist has been extracted. - This enables incremental connect with re-extraction. + This class represents one technology from a set of technologies. The set of technologies available in the system can be obtained with \technology_names. Individual technology definitions are returned with \technology_by_name. Use \create_technology to register new technologies and \remove_technology to delete technologies. - This method has been introduced in version 0.27.1. - """ - @overload - def shapes_of_net(self, net: Net, of_layer: Region, recursive: bool) -> Region: - r""" - @brief Returns all shapes of a specific net and layer. - If 'recursive'' is true, the returned region will contain the shapes of - all subcircuits too. - """ - @overload - def shapes_of_net(self, net: Net, of_layer: Region, recursive: bool, to: Shapes, propid: Optional[int] = ...) -> None: - r""" - @brief Sends all shapes of a specific net and layer to the given Shapes container. - If 'recursive'' is true, the returned region will contain the shapes of - all subcircuits too. - "prop_id" is an optional properties ID. If given, this property set will be attached to the shapes. - """ - def write(self, path: str, short_format: Optional[bool] = ...) -> None: - r""" - @brief Writes the extracted netlist to a file. - This method employs the native format of KLayout. - """ - def write_l2n(self, path: str, short_format: Optional[bool] = ...) -> None: - r""" - @brief Writes the extracted netlist to a file. - This method employs the native format of KLayout. - """ + The Technology class has been introduced in version 0.25. + """ + add_other_layers: bool + r""" + Getter: + @brief Gets the flag indicating whether to add other layers to the layer properties -class DeepShapeStore: + Setter: + @brief Sets the flag indicating whether to add other layers to the layer properties + """ + dbu: float r""" - @brief An opaque layout heap for the deep region processor + Getter: + @brief Gets the default database unit - This class is used for keeping intermediate, hierarchical data for the deep region processor. It is used in conjunction with the region constructor to create a deep (hierarchical) region. - @code - layout = ... # a layout - layer = ... # a layer - cell = ... # a cell (initial cell for the deep region) - dss = RBA::DeepShapeStore::new - region = RBA::Region::new(cell.begin(layer), dss) - @/code + The default database unit is the one used when creating a layout for example. + Setter: + @brief Sets the default database unit + """ + default_base_path: str + r""" + Getter: + @brief Gets the default base path - The DeepShapeStore object also supplies some configuration options for the operations acting on the deep regions. See for example \threads=. + See \base_path for details about the default base path. - This class has been introduced in version 0.26. + Setter: + @hide """ - max_area_ratio: float + description: str r""" Getter: - @brief Gets the max. area ratio. + @brief Gets the description + The technology description is shown to the user in technology selection dialogs and for display purposes. Setter: - @brief Sets the max. area ratio for bounding box vs. polygon area - - This parameter is used to simplify complex polygons. It is used by - create_polygon_layer with the default parameters. It's also used by - boolean operations when they deliver their output. + @brief Sets the description """ - max_vertex_count: int + explicit_base_path: str r""" Getter: - @brief Gets the maximum vertex count. + @brief Gets the explicit base path + + See \base_path for details about the explicit base path. Setter: - @brief Sets the maximum vertex count default value + @brief Sets the explicit base path - This parameter is used to simplify complex polygons. It is used by - create_polygon_layer with the default parameters. It's also used by - boolean operations when they deliver their output. + See \base_path for details about the explicit base path. """ - reject_odd_polygons: bool + group: str r""" Getter: - @brief Gets a flag indicating whether to reject odd polygons. - This attribute has been introduced in version 0.27. - Setter: - @brief Sets a flag indicating whether to reject odd polygons + @brief Gets the technology group - Some kind of 'odd' (e.g. non-orientable) polygons may spoil the functionality because they cannot be handled properly. By using this flag, the shape store we reject these kind of polygons. The default is 'accept' (without warning). + The technology group is used to group certain technologies together in the technology selection menu. Technologies with the same group are put under a submenu with that group title. - This attribute has been introduced in version 0.27. + The 'group' attribute has been introduced in version 0.26.2. + + Setter: + @brief Sets the technology group + See \group for details about this attribute. + + The 'group' attribute has been introduced in version 0.26.2. """ - text_enlargement: int + layer_properties_file: str r""" Getter: - @brief Gets the text enlargement value. + @brief Gets the path of the layer properties file + If empty, no layer properties file is associated with the technology. If non-empty, this path will be corrected by the base path (see \correct_path) and this layer properties file will be loaded for layouts with this technology. Setter: - @brief Sets the text enlargement value + @brief Sets the path of the layer properties file - If set to a non-negative value, text objects are converted to boxes with the - given enlargement (width = 2 * enlargement). The box centers are identical - to the original location of the text. - If this value is negative (the default), texts are ignored. + See \layer_properties_file for details about this property. """ - text_property_name: Any + load_layout_options: LoadLayoutOptions r""" Getter: - @brief Gets the text property name. + @brief Gets the layout reader options + + This method returns the layout reader options that are used when reading layouts with this technology. + + Change the reader options by modifying the object and using the setter to change it: + + @code + opt = tech.load_layout_options + opt.dxf_dbu = 2.5 + tech.load_layout_options = opt + @/code Setter: - @brief Sets the text property name. + @brief Sets the layout reader options - If set to a non-null variant, text strings are attached to the generated boxes - as properties with this particular name. This option has an effect only if the - text_enlargement property is not negative. - By default, the name is empty. + See \load_layout_options for a description of this property. """ - threads: int + name: str r""" Getter: - @brief Gets the number of threads. + @brief Gets the name of the technology + Setter: + @brief Sets the name of the technology + """ + save_layout_options: SaveLayoutOptions + r""" + Getter: + @brief Gets the layout writer options + + This method returns the layout writer options that are used when writing layouts with this technology. + + Change the reader options by modifying the object and using the setter to change it: + + @code + opt = tech.save_layout_options + opt.dbu = 0.01 + tech.save_layout_options = opt + @/code Setter: - @brief Sets the number of threads to allocate for the hierarchical processor + @brief Sets the layout writer options + + See \save_layout_options for a description of this property. """ @classmethod - def instance_count(cls) -> int: + def clear_technologies(cls) -> None: r""" - @hide + @brief Clears all technologies + + This method has been introduced in version 0.26. """ @classmethod - def new(cls) -> DeepShapeStore: + def create_technology(cls, name: str) -> Technology: + r""" + @brief Creates a new (empty) technology with the given name + + This method returns a reference to the new technology. + """ + @classmethod + def has_technology(cls, name: str) -> bool: + r""" + @brief Returns a value indicating whether there is a technology with this name + """ + @classmethod + def new(cls) -> Technology: r""" @brief Creates a new object of this class """ + @classmethod + def remove_technology(cls, name: str) -> None: + r""" + @brief Removes the technology with the given name + """ + @classmethod + def technologies_from_xml(cls, xml: str) -> None: + r""" + @brief Loads the technologies from a XML representation + + See \technologies_to_xml for details. This method is the corresponding setter. + """ + @classmethod + def technologies_to_xml(cls) -> str: + r""" + @brief Returns a XML representation of all technologies registered in the system + + \technologies_from_xml can be used to restore the technology definitions. This method is provided mainly as a substitute for the pre-0.25 way of accessing technology data through the 'technology-data' configuration parameter. This method will return the equivalent string. + """ + @classmethod + def technology_by_name(cls, name: str) -> Technology: + r""" + @brief Gets the technology object for a given name + """ + @classmethod + def technology_from_xml(cls, xml: str) -> Technology: + r""" + @brief Loads the technology from a XML representation + + See \technology_to_xml for details. + """ + @classmethod + def technology_names(cls) -> List[str]: + r""" + @brief Gets a list of technology names defined in the system + """ + def __copy__(self) -> Technology: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> Technology: + r""" + @brief Creates a copy of self + """ def __init__(self) -> None: r""" @brief Creates a new object of this class @@ -48214,54 +47846,35 @@ class DeepShapeStore: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def add_breakout_cell(self, layout_index: int, cell_index: Sequence[int]) -> None: + def assign(self, other: Technology) -> None: r""" - @brief Adds a cell indexe to the breakout cell list for the given layout inside the store - See \clear_breakout_cells for an explanation of breakout cells. - - This method has been added in version 0.26.1 + @brief Assigns another object to self """ - @overload - def add_breakout_cells(self, pattern: str) -> None: + def base_path(self) -> str: r""" - @brief Adds cells (given by a cell name pattern) to the breakout cell list to all layouts inside the store - See \clear_breakout_cells for an explanation of breakout cells. + @brief Gets the base path of the technology - This method has been added in version 0.26.1 + The base path is the effective path where files are read from if their file path is a relative one. If the explicit path is set (see \explicit_base_path=), it is + used. If not, the default path is used. The default path is the one from which + a technology file was imported. The explicit one is the one that is specified + explicitly with \explicit_base_path=. """ - @overload - def add_breakout_cells(self, layout_index: int, cells: Sequence[int]) -> None: + def component(self, name: str) -> TechnologyComponent: r""" - @brief Adds cell indexes to the breakout cell list for the given layout inside the store - See \clear_breakout_cells for an explanation of breakout cells. - - This method has been added in version 0.26.1 + @brief Gets the technology component with the given name + The names are unique system identifiers. For all names, use \component_names. """ - @overload - def add_breakout_cells(self, layout_index: int, pattern: str) -> None: + def component_names(self) -> List[str]: r""" - @brief Adds cells (given by a cell name pattern) to the breakout cell list for the given layout inside the store - See \clear_breakout_cells for an explanation of breakout cells. - - This method has been added in version 0.26.1 + @brief Gets the names of all components available for \component """ - @overload - def clear_breakout_cells(self) -> None: + def correct_path(self, path: str) -> str: r""" - @brief Clears the breakout cells - See the other variant of \clear_breakout_cells for details. + @brief Makes a file path relative to the base path if one is specified - This method has been added in version 0.26.1 - """ - @overload - def clear_breakout_cells(self, layout_index: int) -> None: - r""" - @brief Clears the breakout cells - Breakout cells are a feature by which hierarchy handling can be disabled for specific cells. If cells are specified as breakout cells, they don't interact with neighbor or parent cells, hence are virtually isolated. Breakout cells are useful to shortcut hierarchy evaluation for cells which are otherwise difficult to handle. An example are memory array cells with overlaps to their neighbors: a precise handling of such cells would generate variants and the boundary of the array. Although precise, this behavior leads to partial flattening and propagation of shapes. In consequence, this will also result in wrong device detection in LVS applications. In such cases, these array cells can be declared 'breakout cells' which makes them isolated entities and variant generation does not happen. - - See also \set_breakout_cells and \add_breakout_cells. + This method turns an absolute path into one relative to the base path. Only files below the base path will be made relative. Files above or beside won't be made relative. - This method has been added in version 0.26.1 + See \base_path for details about the default base path. """ def create(self) -> None: r""" @@ -48280,64 +47893,54 @@ class DeepShapeStore: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def is_const_object(self) -> bool: + def dup(self) -> Technology: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Creates a copy of self """ - def is_singular(self) -> bool: + def eff_layer_properties_file(self) -> str: r""" - @brief Gets a value indicating whether there is a single layout variant - - Specifically for network extraction, singular DSS objects are required. Multiple layouts may be present if different sources of layouts have been used. Such DSS objects are not usable for network extraction. + @brief Gets the effective path of the layer properties file """ - def pop_state(self) -> None: + def eff_path(self, path: str) -> str: r""" - @brief Restores the store's state on the state state - This will restore the state pushed by \push_state. + @brief Makes a file path relative to the base path if one is specified - This method has been added in version 0.26.1 + This method will return the actual path for a file from the file's path. If the input path is a relative one, it will be made absolute by using the base path. + + See \base_path for details about the default base path. """ - def push_state(self) -> None: + def is_const_object(self) -> bool: r""" - @brief Pushes the store's state on the state state - This will save the stores state (\threads, \max_vertex_count, \max_area_ratio, breakout cells ...) on the state stack. \pop_state can be used to restore the state. - - This method has been added in version 0.26.1 + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def set_breakout_cells(self, pattern: str) -> None: + def load(self, file: str) -> None: r""" - @brief Sets the breakout cell list (as cell name pattern) for the all layouts inside the store - See \clear_breakout_cells for an explanation of breakout cells. - - This method has been added in version 0.26.1 + @brief Loads the technology definition from a file """ - @overload - def set_breakout_cells(self, layout_index: int, cells: Sequence[int]) -> None: + def save(self, file: str) -> None: r""" - @brief Sets the breakout cell list (as cell indexes) for the given layout inside the store - See \clear_breakout_cells for an explanation of breakout cells. - - This method has been added in version 0.26.1 + @brief Saves the technology definition to a file """ - @overload - def set_breakout_cells(self, layout_index: int, pattern: str) -> None: + def to_xml(self) -> str: r""" - @brief Sets the breakout cell list (as cell name pattern) for the given layout inside the store - See \clear_breakout_cells for an explanation of breakout cells. + @brief Returns a XML representation of this technolog - This method has been added in version 0.26.1 + \technology_from_xml can be used to restore the technology definition. """ -class NetlistCompareLogger: +class TechnologyComponent: r""" - @brief A base class for netlist comparer event receivers - See \GenericNetlistCompareLogger for custom implementations of such receivers. + @brief A part of a technology definition + Technology components extend technology definitions (class \Technology) by specialized subfeature definitions. For example, the net tracer supplies it's technology-dependent specification through a technology component called \NetTracerTechnology. + + Components are managed within technologies and can be accessed from a technology using \Technology#component. + + This class has been introduced in version 0.25. """ @classmethod - def new(cls) -> NetlistCompareLogger: + def new(cls) -> TechnologyComponent: r""" @brief Creates a new object of this class """ @@ -48387,6 +47990,10 @@ class NetlistCompareLogger: @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ + def description(self) -> str: + r""" + @brief Gets the human-readable description string of the technology component + """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -48405,251 +48012,271 @@ class NetlistCompareLogger: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - -class GenericNetlistCompareLogger(NetlistCompareLogger): - r""" - @brief An event receiver for the netlist compare feature. - The \NetlistComparer class will send compare events to a logger derived from this class. Use this class to implement your own logger class. You can override on of it's methods to receive certain kind of events. - This class has been introduced in version 0.26. - """ - class Severity: - r""" - @brief This class represents the log severity level for \GenericNetlistCompareLogger#log_entry. - This enum has been introduced in version 0.28. - """ - Error: ClassVar[GenericNetlistCompareLogger.Severity] - r""" - @brief An error - """ - Info: ClassVar[GenericNetlistCompareLogger.Severity] - r""" - @brief Information only - """ - NoSeverity: ClassVar[GenericNetlistCompareLogger.Severity] - r""" - @brief Unspecific severity - """ - Warning: ClassVar[GenericNetlistCompareLogger.Severity] - r""" - @brief A warning - """ - @overload - @classmethod - def new(cls, i: int) -> GenericNetlistCompareLogger.Severity: - r""" - @brief Creates an enum from an integer value - """ - @overload - @classmethod - def new(cls, s: str) -> GenericNetlistCompareLogger.Severity: - r""" - @brief Creates an enum from a string value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares two enums - """ - @overload - def __init__(self, i: int) -> None: - r""" - @brief Creates an enum from an integer value - """ - @overload - def __init__(self, s: str) -> None: - r""" - @brief Creates an enum from a string value - """ - @overload - def __lt__(self, other: int) -> bool: - r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value - """ - @overload - def __lt__(self, other: GenericNetlistCompareLogger.Severity) -> bool: - r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer for inequality - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares two enums for inequality - """ - def __repr__(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def __str__(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - def inspect(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def to_i(self) -> int: - r""" - @brief Gets the integer value from the enum - """ - def to_s(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: + def name(self) -> str: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Gets the formal name of the technology component + This is the name by which the component can be obtained from a technology using \Technology#component. """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. +class Text: + r""" + @brief A text object - Usually it's not required to call this method. It has been introduced in version 0.24. - """ + A text object has a point (location), a text, a text transformation, + a text size and a font id. Text size and font id are provided to be + be able to render the text correctly. + Text objects are used as labels (i.e. for pins) or to indicate a particular position. -class NetlistComparer: + The \Text class uses integer coordinates. A class that operates with floating-point coordinates is \DText. + + See @The Database API@ for more details about the database objects. + """ + HAlignCenter: ClassVar[HAlign] r""" - @brief Compares two netlists - This class performs a comparison of two netlists. - It can be used with an event receiver (logger) to track the errors and net mismatches. Event receivers are derived from class \GenericNetlistCompareLogger. - The netlist comparer can be configured in different ways. Specific hints can be given for nets, device classes or circuits to improve efficiency and reliability of the graph equivalence deduction algorithm. For example, objects can be marked as equivalent using \same_nets, \same_circuits etc. The compare algorithm will then use these hints to derive further equivalences. This way, ambiguities can be resolved. + @brief Centered horizontal alignment + """ + HAlignLeft: ClassVar[HAlign] + r""" + @brief Left horizontal alignment + """ + HAlignRight: ClassVar[HAlign] + r""" + @brief Right horizontal alignment + """ + NoHAlign: ClassVar[HAlign] + r""" + @brief Undefined horizontal alignment + """ + NoVAlign: ClassVar[VAlign] + r""" + @brief Undefined vertical alignment + """ + VAlignBottom: ClassVar[VAlign] + r""" + @brief Bottom vertical alignment + """ + VAlignCenter: ClassVar[VAlign] + r""" + @brief Centered vertical alignment + """ + VAlignTop: ClassVar[VAlign] + r""" + @brief Top vertical alignment + """ + font: int + r""" + Getter: + @brief Gets the font number + See \font= for a description of this property. + Setter: + @brief Sets the font number + The font number does not play a role for KLayout. This property is provided for compatibility with other systems which allow using different fonts for the text objects. + """ + halign: HAlign + r""" + Getter: + @brief Gets the horizontal alignment - Another configuration option relates to swappable pins of subcircuits. If pins are marked this way, the compare algorithm may swap them to achieve net matching. Swappable pins belong to an 'equivalence group' and can be defined with \equivalent_pins. + See \halign= for a description of this property. - This class has been introduced in version 0.26. + Setter: + @brief Sets the horizontal alignment + + This property specifies how the text is aligned relative to the anchor point. + This property has been introduced in version 0.22 and extended to enums in 0.28. """ - dont_consider_net_names: bool + size: int r""" Getter: - @brief Gets a value indicating whether net names shall not be considered - See \dont_consider_net_names= for details. + @brief Gets the text height + Setter: - @brief Sets a value indicating whether net names shall not be considered - If this value is set to true, net names will not be considered when resolving ambiguities. - Not considering net names usually is more expensive. The default is 'false' indicating that - net names will be considered for ambiguity resolution. + @brief Sets the text height of this object + """ + string: str + r""" + Getter: + @brief Get the text string - This property has been introduced in version 0.26.7. + Setter: + @brief Assign a text string to this object """ - max_branch_complexity: int + trans: Trans r""" Getter: - @brief Gets the maximum branch complexity - See \max_branch_complexity= for details. + @brief Gets the transformation + Setter: - @brief Sets the maximum branch complexity - This value limits the maximum branch complexity of the backtracking algorithm. - The complexity is the accumulated number of branch options with ambiguous - net matches. Backtracking will stop when the maximum number of options - has been exceeded. + @brief Assign a transformation (text position and orientation) to this object + """ + valign: VAlign + r""" + Getter: + @brief Gets the vertical alignment - By default, from version 0.27 on the complexity is unlimited and can be reduced in cases where runtimes need to be limited at the cost less elaborate matching evaluation. + See \valign= for a description of this property. - As the computational complexity is the square of the branch count, - this value should be adjusted carefully. + Setter: + @brief Sets the vertical alignment + + This is the version accepting integer values. It's provided for backward compatibility. """ - max_depth: int + x: int r""" Getter: - @brief Gets the maximum search depth - See \max_depth= for details. + @brief Gets the x location of the text + + This method has been introduced in version 0.23. + Setter: - @brief Sets the maximum search depth - This value limits the search depth of the backtracking algorithm to the - given number of jumps. + @brief Sets the x location of the text - By default, from version 0.27 on the depth is unlimited and can be reduced in cases where runtimes need to be limited at the cost less elaborate matching evaluation. + This method has been introduced in version 0.23. """ - @property - def max_resistance(self) -> None: - r""" - WARNING: This variable can only be set, not retrieved. - @brief Excludes all resistor devices with a resistance values higher than the given threshold. - To reset this constraint, set this attribute to zero. - """ - @property - def min_capacitance(self) -> None: - r""" - WARNING: This variable can only be set, not retrieved. - @brief Excludes all capacitor devices with a capacitance values less than the given threshold. - To reset this constraint, set this attribute to zero. - """ - with_log: bool + y: int r""" Getter: - @brief Gets a value indicating that log messages are generated. - See \with_log= for details about this flag. + @brief Gets the y location of the text - This attribute have been introduced in version 0.28. + This method has been introduced in version 0.23. Setter: - @brief Sets a value indicating that log messages are generated. - Log messages may be expensive to compute, hence they can be turned off. - By default, log messages are generated. + @brief Sets the y location of the text - This attribute have been introduced in version 0.28. + This method has been introduced in version 0.23. """ + @classmethod + def from_s(cls, s: str) -> Text: + r""" + @brief Creates an object from a string + Creates the object from a string representation (as returned by \to_s) + + This method has been added in version 0.23. + """ @overload @classmethod - def new(cls) -> NetlistComparer: + def new(cls) -> Text: r""" - @brief Creates a new comparer object. - See the class description for more details. + @brief Default constructor + + Creates a text with unit transformation and empty text. """ @overload @classmethod - def new(cls, logger: GenericNetlistCompareLogger) -> NetlistComparer: + def new(cls, dtext: DText) -> Text: r""" - @brief Creates a new comparer object. - The logger is a delegate or event receiver which the comparer will send compare events to. See the class description for more details. + @brief Creates an integer coordinate text from a floating-point coordinate text + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtext'. + """ + @overload + @classmethod + def new(cls, string: str, trans: Trans) -> Text: + r""" + @brief Constructor with string and transformation + + + A string and a transformation is provided to this constructor. The transformation specifies the location and orientation of the text object. + """ + @overload + @classmethod + def new(cls, string: str, trans: Trans, height: int, font: int) -> Text: + r""" + @brief Constructor with string, transformation, text height and font + + + A string and a transformation is provided to this constructor. The transformation specifies the location and orientation of the text object. In addition, the text height and font can be specified. + """ + @overload + @classmethod + def new(cls, string: str, x: int, y: int) -> Text: + r""" + @brief Constructor with string and location + + + A string and a location is provided to this constructor. The location is specifies as a pair of x and y coordinates. + + This method has been introduced in version 0.23. + """ + def __copy__(self) -> Text: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> Text: + r""" + @brief Creates a copy of self + """ + def __eq__(self, text: object) -> bool: + r""" + @brief Equality + + + Return true, if this text object and the given text are equal + """ + def __hash__(self) -> int: + r""" + @brief Computes a hash value + Returns a hash value for the given text object. This method enables texts as hash keys. + + This method has been introduced in version 0.25. """ @overload def __init__(self) -> None: r""" - @brief Creates a new comparer object. - See the class description for more details. + @brief Default constructor + + Creates a text with unit transformation and empty text. """ @overload - def __init__(self, logger: GenericNetlistCompareLogger) -> None: + def __init__(self, dtext: DText) -> None: r""" - @brief Creates a new comparer object. - The logger is a delegate or event receiver which the comparer will send compare events to. See the class description for more details. + @brief Creates an integer coordinate text from a floating-point coordinate text + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtext'. + """ + @overload + def __init__(self, string: str, trans: Trans) -> None: + r""" + @brief Constructor with string and transformation + + + A string and a transformation is provided to this constructor. The transformation specifies the location and orientation of the text object. + """ + @overload + def __init__(self, string: str, trans: Trans, height: int, font: int) -> None: + r""" + @brief Constructor with string, transformation, text height and font + + + A string and a transformation is provided to this constructor. The transformation specifies the location and orientation of the text object. In addition, the text height and font can be specified. + """ + @overload + def __init__(self, string: str, x: int, y: int) -> None: + r""" + @brief Constructor with string and location + + + A string and a location is provided to this constructor. The location is specifies as a pair of x and y coordinates. + + This method has been introduced in version 0.23. + """ + def __lt__(self, t: Text) -> bool: + r""" + @brief Less operator + @param t The object to compare against + This operator is provided to establish some, not necessarily a certain sorting order + """ + def __ne__(self, text: object) -> bool: + r""" + @brief Inequality + + + Return true, if this text object and the given text are not equal + """ + def __str__(self, dbu: Optional[float] = ...) -> str: + r""" + @brief Converts the object to a string. + If a DBU is given, the output units will be micrometers. + + The DBU argument has been added in version 0.27.6. """ def _create(self) -> None: r""" @@ -48688,19 +48315,18 @@ class NetlistComparer: Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def compare(self, netlist_a: Netlist, netlist_b: Netlist) -> bool: + def assign(self, other: Text) -> None: r""" - @brief Compares two netlists. - This method will perform the actual netlist compare. It will return true if both netlists are identical. If the comparer has been configured with \same_nets or similar methods, the objects given there must be located inside 'circuit_a' and 'circuit_b' respectively. + @brief Assigns another object to self """ - @overload - def compare(self, netlist_a: Netlist, netlist_b: Netlist, logger: NetlistCompareLogger) -> bool: + def bbox(self) -> Box: r""" - @brief Compares two netlists. - This method will perform the actual netlist compare using the given logger. It will return true if both netlists are identical. If the comparer has been configured with \same_nets or similar methods, the objects given there must be located inside 'circuit_a' and 'circuit_b' respectively. - """ - def create(self) -> None: + @brief Gets the bounding box of the text + The bounding box of the text is a single point - the location of the text. Both points of the box are identical. + + This method has been added in version 0.28. + """ + def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. @@ -48717,17 +48343,16 @@ class NetlistComparer: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def equivalent_pins(self, circuit_b: Circuit, pin_ids: Sequence[int]) -> None: + def dup(self) -> Text: r""" - @brief Marks several pins of the given circuit as equivalent (i.e. they can be swapped). - Only circuits from the second input can be given swappable pins. This will imply the same swappable pins on the equivalent circuit of the first input. This version is a generic variant of the two-pin version of this method. + @brief Creates a copy of self """ - @overload - def equivalent_pins(self, circuit_b: Circuit, pin_id1: int, pin_id2: int) -> None: + def hash(self) -> int: r""" - @brief Marks two pins of the given circuit as equivalent (i.e. they can be swapped). - Only circuits from the second input can be given swappable pins. This will imply the same swappable pins on the equivalent circuit of the first input. To mark multiple pins as swappable, use the version that takes a list of pins. + @brief Computes a hash value + Returns a hash value for the given text object. This method enables texts as hash keys. + + This method has been introduced in version 0.25. """ def is_const_object(self) -> bool: r""" @@ -48735,388 +48360,216 @@ class NetlistComparer: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def join_symmetric_nets(self, circuit: Circuit) -> None: + @overload + def move(self, distance: Vector) -> Text: r""" - @brief Joins symmetric nodes in the given circuit. + @brief Moves the text by a certain distance (modifies self) - Nodes are symmetrical if swapping them would not modify the circuit. - Hence they will carry the same potential and can be connected (joined). - This will simplify the circuit and can be applied before device combination - to render a schematic-equivalent netlist in some cases (split gate option). - This algorithm will apply the comparer's settings to the symmetry - condition (device filtering, device compare tolerances, device class - equivalence etc.). + Moves the text by a given offset and returns the moved + text. Does not check for coordinate overflows. - This method has been introduced in version 0.26.4. - """ - def same_circuits(self, circuit_a: Circuit, circuit_b: Circuit) -> None: - r""" - @brief Marks two circuits as identical. - This method makes a circuit circuit_a in netlist a identical to the corresponding - circuit circuit_b in netlist b (see \compare). By default circuits with the same name are identical. - """ - def same_device_classes(self, dev_cls_a: DeviceClass, dev_cls_b: DeviceClass) -> None: - r""" - @brief Marks two device classes as identical. - This makes a device class dev_cls_a in netlist a identical to the corresponding - device class dev_cls_b in netlist b (see \compare). - By default device classes with the same name are identical. + @param p The offset to move the text. + + @return A reference to this text object """ @overload - def same_nets(self, net_a: Net, net_b: Net, must_match: Optional[bool] = ...) -> None: + def move(self, dx: int, dy: int) -> Text: r""" - @brief Marks two nets as identical. - This makes a net net_a in netlist a identical to the corresponding - net net_b in netlist b (see \compare). - Otherwise, the algorithm will try to identify nets according to their topology. This method can be used to supply hints to the compare algorithm. It will use these hints to derive further identities. + @brief Moves the text by a certain distance (modifies self) - If 'must_match' is true, the nets are required to match. If they don't, an error is reported. - The 'must_match' optional argument has been added in version 0.27.3. + Moves the text by a given distance in x and y direction and returns the moved + text. Does not check for coordinate overflows. + + @param dx The x distance to move the text. + @param dy The y distance to move the text. + + @return A reference to this text object + + This method was introduced in version 0.23. """ @overload - def same_nets(self, circuit_a: Circuit, circuit_b: Circuit, net_a: Net, net_b: Net, must_match: Optional[bool] = ...) -> None: + def moved(self, distance: Vector) -> Text: r""" - @brief Marks two nets as identical. - This makes a net net_a in netlist a identical to the corresponding - net net_b in netlist b (see \compare). - Otherwise, the algorithm will try to identify nets according to their topology. This method can be used to supply hints to the compare algorithm. It will use these hints to derive further identities. + @brief Returns the text moved by a certain distance (does not modify self) - If 'must_match' is true, the nets are required to match. If they don't, an error is reported. - This variant allows specifying nil for the nets indicating the nets are mismatched by definition. with 'must_match' this will render a net mismatch error. + Moves the text by a given offset and returns the moved + text. Does not modify *this. Does not check for coordinate + overflows. - This variant has been added in version 0.27.3. - """ - def unmatched_circuits_a(self, a: Netlist, b: Netlist) -> List[Circuit]: - r""" - @brief Returns a list of circuits in A for which there is not corresponding circuit in B - This list can be used to flatten these circuits so they do not participate in the compare process. + @param p The offset to move the text. + + @return The moved text. """ - def unmatched_circuits_b(self, a: Netlist, b: Netlist) -> List[Circuit]: + @overload + def moved(self, dx: int, dy: int) -> Text: r""" - @brief Returns a list of circuits in B for which there is not corresponding circuit in A - This list can be used to flatten these circuits so they do not participate in the compare process. - """ + @brief Returns the text moved by a certain distance (does not modify self) -class NetlistCrossReference(NetlistCompareLogger): - r""" - @brief Represents the identity mapping between the objects of two netlists. - The NetlistCrossReference object is a container for the results of a netlist comparison. It implemented the \NetlistCompareLogger interface, hence can be used as output for a netlist compare operation (\NetlistComparer#compare). It's purpose is to store the results of the compare. It is used in this sense inside the \LayoutVsSchematic framework. + Moves the text by a given offset and returns the moved + text. Does not modify *this. Does not check for coordinate + overflows. - The basic idea of the cross reference object is pairing: the netlist comparer will try to identify matching items and store them as pairs inside the cross reference object. If no match is found, a single-sided pair is generated: one item is nil in this case. - Beside the items, a status is kept which gives more details about success or failure of the match operation. + @param dx The x distance to move the text. + @param dy The y distance to move the text. - Item pairing happens on different levels, reflecting the hierarchy of the netlists. On the top level there are circuits. Inside circuits nets, devices, subcircuits and pins are paired. Nets further contribute their connected items through terminals (for devices), pins (outgoing) and subcircuit pins. + @return The moved text. - This class has been introduced in version 0.26. - """ - class NetPairData: + This method was introduced in version 0.23. + """ + def position(self) -> Point: r""" - @brief A net match entry. - This object is used to describe the relationship of two nets in a netlist match. + @brief Gets the position of the text - Upon successful match, the \first and \second members are the matching objects and \status is 'Match'. - This object is also used to describe non-matches or match errors. In this case, \first or \second may be nil and \status further describes the case. + This convenience method has been added in version 0.28. """ - def first(self) -> Net: - r""" - @brief Gets the first object of the relation pair. - The first object is usually the one obtained from the layout-derived netlist. This member can be nil if the pair is describing a non-matching reference object. In this case, the \second member is the reference object for which no match was found. - """ - def second(self) -> Net: - r""" - @brief Gets the second object of the relation pair. - The first object is usually the one obtained from the reference netlist. This member can be nil if the pair is describing a non-matching layout object. In this case, the \first member is the layout-derived object for which no match was found. - """ - def status(self) -> NetlistCrossReference.Status: - r""" - @brief Gets the status of the relation. - This enum described the match status of the relation pair. - """ - class DevicePairData: + def to_dtype(self, dbu: Optional[float] = ...) -> DText: r""" - @brief A device match entry. - This object is used to describe the relationship of two devices in a netlist match. + @brief Converts the text to a floating-point coordinate text + The database unit can be specified to translate the integer-coordinate text into a floating-point coordinate text in micron units. The database unit is basically a scaling factor. - Upon successful match, the \first and \second members are the matching objects and \status is 'Match'. - This object is also used to describe non-matches or match errors. In this case, \first or \second may be nil and \status further describes the case. + This method has been introduced in version 0.25. """ - def first(self) -> Device: - r""" - @brief Gets the first object of the relation pair. - The first object is usually the one obtained from the layout-derived netlist. This member can be nil if the pair is describing a non-matching reference object. In this case, the \second member is the reference object for which no match was found. - """ - def second(self) -> Device: - r""" - @brief Gets the second object of the relation pair. - The first object is usually the one obtained from the reference netlist. This member can be nil if the pair is describing a non-matching layout object. In this case, the \first member is the layout-derived object for which no match was found. - """ - def status(self) -> NetlistCrossReference.Status: - r""" - @brief Gets the status of the relation. - This enum described the match status of the relation pair. - """ - class PinPairData: + def to_s(self, dbu: Optional[float] = ...) -> str: r""" - @brief A pin match entry. - This object is used to describe the relationship of two circuit pins in a netlist match. + @brief Converts the object to a string. + If a DBU is given, the output units will be micrometers. - Upon successful match, the \first and \second members are the matching objects and \status is 'Match'. - This object is also used to describe non-matches or match errors. In this case, \first or \second may be nil and \status further describes the case. + The DBU argument has been added in version 0.27.6. """ - def first(self) -> Pin: - r""" - @brief Gets the first object of the relation pair. - The first object is usually the one obtained from the layout-derived netlist. This member can be nil if the pair is describing a non-matching reference object. In this case, the \second member is the reference object for which no match was found. - """ - def second(self) -> Pin: - r""" - @brief Gets the second object of the relation pair. - The first object is usually the one obtained from the reference netlist. This member can be nil if the pair is describing a non-matching layout object. In this case, the \first member is the layout-derived object for which no match was found. - """ - def status(self) -> NetlistCrossReference.Status: - r""" - @brief Gets the status of the relation. - This enum described the match status of the relation pair. - """ - class SubCircuitPairData: + @overload + def transformed(self, t: CplxTrans) -> DText: r""" - @brief A subcircuit match entry. - This object is used to describe the relationship of two subcircuits in a netlist match. + @brief Transforms the text with the given complex transformation - Upon successful match, the \first and \second members are the matching objects and \status is 'Match'. - This object is also used to describe non-matches or match errors. In this case, \first or \second may be nil and \status further describes the case. + + @param t The magnifying transformation to apply + @return The transformed text (a DText now) """ - def first(self) -> SubCircuit: - r""" - @brief Gets the first object of the relation pair. - The first object is usually the one obtained from the layout-derived netlist. This member can be nil if the pair is describing a non-matching reference object. In this case, the \second member is the reference object for which no match was found. - """ - def second(self) -> SubCircuit: - r""" - @brief Gets the second object of the relation pair. - The first object is usually the one obtained from the reference netlist. This member can be nil if the pair is describing a non-matching layout object. In this case, the \first member is the layout-derived object for which no match was found. - """ - def status(self) -> NetlistCrossReference.Status: - r""" - @brief Gets the status of the relation. - This enum described the match status of the relation pair. - """ - class CircuitPairData: + @overload + def transformed(self, t: ICplxTrans) -> Text: r""" - @brief A circuit match entry. - This object is used to describe the relationship of two circuits in a netlist match. + @brief Transform the text with the given complex transformation - Upon successful match, the \first and \second members are the matching objects and \status is 'Match'. - This object is also used to describe non-matches or match errors. In this case, \first or \second may be nil and \status further describes the case. + + @param t The magnifying transformation to apply + @return The transformed text (in this case an integer coordinate object now) + + This method has been introduced in version 0.18. """ - def first(self) -> Circuit: - r""" - @brief Gets the first object of the relation pair. - The first object is usually the one obtained from the layout-derived netlist. This member can be nil if the pair is describing a non-matching reference object. In this case, the \second member is the reference object for which no match was found. - """ - def second(self) -> Circuit: - r""" - @brief Gets the second object of the relation pair. - The first object is usually the one obtained from the reference netlist. This member can be nil if the pair is describing a non-matching layout object. In this case, the \first member is the layout-derived object for which no match was found. - """ - def status(self) -> NetlistCrossReference.Status: - r""" - @brief Gets the status of the relation. - This enum described the match status of the relation pair. - """ - class NetTerminalRefPair: + @overload + def transformed(self, t: Trans) -> Text: r""" - @brief A match entry for a net terminal pair. - This object is used to describe the matching terminal pairs or non-matching terminals on a net. + @brief Transforms the text with the given simple transformation - Upon successful match, the \first and \second members are the matching net objects.Otherwise, either \first or \second is nil and the other member is the object for which no match was found. + + @param t The transformation to apply + @return The transformed text """ - def first(self) -> NetTerminalRef: - r""" - @brief Gets the first object of the relation pair. - The first object is usually the one obtained from the layout-derived netlist. This member can be nil if the pair is describing a non-matching reference object. In this case, the \second member is the reference object for which no match was found. - """ - def second(self) -> NetTerminalRef: - r""" - @brief Gets the second object of the relation pair. - The first object is usually the one obtained from the reference netlist. This member can be nil if the pair is describing a non-matching layout object. In this case, the \first member is the layout-derived object for which no match was found. - """ - class NetPinRefPair: - r""" - @brief A match entry for a net pin pair. - This object is used to describe the matching pin pairs or non-matching pins on a net. - Upon successful match, the \first and \second members are the matching net objects.Otherwise, either \first or \second is nil and the other member is the object for which no match was found. +class TextGenerator: + r""" + @brief A text generator class + + A text generator is basically a way to produce human-readable text for labelling layouts. It's similar to the Basic.TEXT PCell, but more convenient to use in a scripting context. + + Generators can be constructed from font files (or resources) or one of the registered generators can be used. + + To create a generator from a font file proceed this way: + @code + gen = RBA::TextGenerator::new + gen.load_from_file("myfont.gds") + region = gen.text("A TEXT", 0.001) + @/code + + This code produces a RBA::Region with a database unit of 0.001 micron. This region can be fed into a \Shapes container to place it into a cell for example. + + By convention the font files must have two to three layers: + + @ul + @li 1/0 for the actual data @/li + @li 2/0 for the borders @/li + @li 3/0 for an optional additional background @/li + @/ul + + Currently, all glyphs must be bottom-left aligned at 0, 0. The + border must be drawn in at least one glyph cell. The border is taken + as the overall bbox of all borders. + + The glyph cells must be named with a single character or "nnn" where "d" is the + ASCII code of the character (i.e. "032" for space). Allowed ASCII codes are 32 through 127. + If a lower-case "a" character is defined, lower-case letters are supported. + Otherwise, lowercase letters are mapped to uppercase letters. + + Undefined characters are left blank in the output. + + A comment cell can be defined ("COMMENT") which must hold one text in layer 1 + stating the comment, and additional descriptions such as line width: + + @ul + @li "line_width=": Specifies the intended line width in micron units @/li + @li "design_grid=": Specifies the intended design grid in micron units @/li + @li any other text: The description string @/li + @/ul + + Generators can be picked form a list of predefined generator. See \generators, \default_generator and \generator_by_name for picking a generator from the list. + + This class has been introduced in version 0.25. + """ + @classmethod + def default_generator(cls) -> TextGenerator: + r""" + @brief Gets the default text generator (a standard font) + This method delivers the default generator or nil if no such generator is installed. """ - def first(self) -> NetPinRef: - r""" - @brief Gets the first object of the relation pair. - The first object is usually the one obtained from the layout-derived netlist. This member can be nil if the pair is describing a non-matching reference object. In this case, the \second member is the reference object for which no match was found. - """ - def second(self) -> NetPinRef: - r""" - @brief Gets the second object of the relation pair. - The first object is usually the one obtained from the reference netlist. This member can be nil if the pair is describing a non-matching layout object. In this case, the \first member is the layout-derived object for which no match was found. - """ - class NetSubcircuitPinRefPair: + @classmethod + def font_paths(cls) -> List[str]: r""" - @brief A match entry for a net subcircuit pin pair. - This object is used to describe the matching subcircuit pin pairs or non-matching subcircuit pins on a net. + @brief Gets the paths where to look for font files + See \set_font_paths for a description of this function. - Upon successful match, the \first and \second members are the matching net objects.Otherwise, either \first or \second is nil and the other member is the object for which no match was found. + This method has been introduced in version 0.27.4. """ - def first(self) -> NetSubcircuitPinRef: - r""" - @brief Gets the first object of the relation pair. - The first object is usually the one obtained from the layout-derived netlist. This member can be nil if the pair is describing a non-matching reference object. In this case, the \second member is the reference object for which no match was found. - """ - def second(self) -> NetSubcircuitPinRef: - r""" - @brief Gets the second object of the relation pair. - The first object is usually the one obtained from the reference netlist. This member can be nil if the pair is describing a non-matching layout object. In this case, the \first member is the layout-derived object for which no match was found. - """ - class Status: + @classmethod + def generator_by_name(cls, name: str) -> TextGenerator: r""" - @brief This class represents the NetlistCrossReference::Status enum + @brief Gets the text generator for a given name + This method delivers the generator with the given name or nil if no such generator is registered. """ - Match: ClassVar[NetlistCrossReference.Status] + @classmethod + def generators(cls) -> List[TextGenerator]: r""" - @brief Enum constant NetlistCrossReference::Match - An exact match exists if this code is present. + @brief Gets the generators registered in the system + This method delivers a list of generator objects that can be used to create texts. """ - MatchWithWarning: ClassVar[NetlistCrossReference.Status] + @classmethod + def new(cls) -> TextGenerator: r""" - @brief Enum constant NetlistCrossReference::MatchWithWarning - If this code is present, a match was found but a warning is issued. For nets, this means that the choice is ambiguous and one, unspecific candidate has been chosen. For devices, this means a device match was established, but parameters or the device class are not matching exactly. + @brief Creates a new object of this class """ - Mismatch: ClassVar[NetlistCrossReference.Status] + @classmethod + def set_font_paths(cls, arg0: Sequence[str]) -> None: r""" - @brief Enum constant NetlistCrossReference::Mismatch - This code means there is a match candidate, but exact identity could not be confirmed. + @brief Sets the paths where to look for font files + This function sets the paths where to look for font files. After setting such a path, each font found will render a specific generator. The generator can be found under the font file's name. As the text generator is also the basis for the Basic.TEXT PCell, using this function also allows configuring custom fonts for this library cell. + + This method has been introduced in version 0.27.4. """ - NoMatch: ClassVar[NetlistCrossReference.Status] + def __copy__(self) -> TextGenerator: r""" - @brief Enum constant NetlistCrossReference::NoMatch - If this code is present, no match could be found. - There is also 'Mismatch' which means there is a candidate, but exact identity could not be confirmed. + @brief Creates a copy of self """ - None_: ClassVar[NetlistCrossReference.Status] + def __deepcopy__(self) -> TextGenerator: r""" - @brief Enum constant NetlistCrossReference::None - No specific status is implied if this code is present. + @brief Creates a copy of self """ - Skipped: ClassVar[NetlistCrossReference.Status] + def __init__(self) -> None: r""" - @brief Enum constant NetlistCrossReference::Skipped - On circuits this code means that a match has not been attempted because subcircuits of this circuits were not matched. As circuit matching happens bottom-up, all subcircuits must match at least with respect to their pins to allow any parent circuit to be matched. + @brief Creates a new object of this class """ - @overload - @classmethod - def new(cls, i: int) -> NetlistCrossReference.Status: - r""" - @brief Creates an enum from an integer value - """ - @overload - @classmethod - def new(cls, s: str) -> NetlistCrossReference.Status: - r""" - @brief Creates an enum from a string value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares two enums - """ - @overload - def __init__(self, i: int) -> None: - r""" - @brief Creates an enum from an integer value - """ - @overload - def __init__(self, s: str) -> None: - r""" - @brief Creates an enum from a string value - """ - @overload - def __lt__(self, other: int) -> bool: - r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value - """ - @overload - def __lt__(self, other: NetlistCrossReference.Status) -> bool: - r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer for inequality - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares two enums for inequality - """ - def __repr__(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def __str__(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - def inspect(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def to_i(self) -> int: - r""" - @brief Gets the integer value from the enum - """ - def to_s(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - Match: ClassVar[NetlistCrossReference.Status] - r""" - @brief Enum constant NetlistCrossReference::Match - An exact match exists if this code is present. - """ - MatchWithWarning: ClassVar[NetlistCrossReference.Status] - r""" - @brief Enum constant NetlistCrossReference::MatchWithWarning - If this code is present, a match was found but a warning is issued. For nets, this means that the choice is ambiguous and one, unspecific candidate has been chosen. For devices, this means a device match was established, but parameters or the device class are not matching exactly. - """ - Mismatch: ClassVar[NetlistCrossReference.Status] - r""" - @brief Enum constant NetlistCrossReference::Mismatch - This code means there is a match candidate, but exact identity could not be confirmed. - """ - NoMatch: ClassVar[NetlistCrossReference.Status] - r""" - @brief Enum constant NetlistCrossReference::NoMatch - If this code is present, no match could be found. - There is also 'Mismatch' which means there is a candidate, but exact identity could not be confirmed. - """ - None_: ClassVar[NetlistCrossReference.Status] - r""" - @brief Enum constant NetlistCrossReference::None - No specific status is implied if this code is present. - """ - Skipped: ClassVar[NetlistCrossReference.Status] - r""" - @brief Enum constant NetlistCrossReference::Skipped - On circuits this code means that a match has not been attempted because subcircuits of this circuits were not matched. As circuit matching happens bottom-up, all subcircuits must match at least with respect to their pins to allow any parent circuit to be matched. - """ def _create(self) -> None: r""" @brief Ensures the C++ object is created @@ -49154,261 +48607,128 @@ class NetlistCrossReference(NetlistCompareLogger): Usually it's not required to call this method. It has been introduced in version 0.24. """ - def circuit_count(self) -> int: + def assign(self, other: TextGenerator) -> None: r""" - @brief Gets the number of circuit pairs in the cross-reference object. + @brief Assigns another object to self """ - def clear(self) -> None: + def background(self) -> Box: r""" - @hide + @brief Gets the background rectangle of each glyph in the generator's database units + The background rectangle is the one that is used as background for inverted rendering. A version that delivers this value in micrometer units is \dbackground. """ - def each_circuit_pair(self) -> Iterator[NetlistCrossReference.CircuitPairData]: + def create(self) -> None: r""" - @brief Delivers the circuit pairs and their status. - See the class description for details. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def each_device_pair(self, circuit_pair: NetlistCrossReference.CircuitPairData) -> Iterator[NetlistCrossReference.DevicePairData]: + def dbackground(self) -> DBox: r""" - @brief Delivers the device pairs and their status for the given circuit pair. - See the class description for details. - """ - def each_net_pair(self, circuit_pair: NetlistCrossReference.CircuitPairData) -> Iterator[NetlistCrossReference.NetPairData]: - r""" - @brief Delivers the net pairs and their status for the given circuit pair. - See the class description for details. - """ - def each_net_pin_pair(self, net_pair: NetlistCrossReference.NetPairData) -> Iterator[NetlistCrossReference.NetPinRefPair]: - r""" - @brief Delivers the pin pairs for the given net pair. - For the net pair, lists the pin pairs identified on this net. - """ - def each_net_subcircuit_pin_pair(self, net_pair: NetlistCrossReference.NetPairData) -> Iterator[NetlistCrossReference.NetSubcircuitPinRefPair]: - r""" - @brief Delivers the subcircuit pin pairs for the given net pair. - For the net pair, lists the subcircuit pin pairs identified on this net. - """ - def each_net_terminal_pair(self, net_pair: NetlistCrossReference.NetPairData) -> Iterator[NetlistCrossReference.NetTerminalRefPair]: - r""" - @brief Delivers the device terminal pairs for the given net pair. - For the net pair, lists the device terminal pairs identified on this net. - """ - def each_pin_pair(self, circuit_pair: NetlistCrossReference.CircuitPairData) -> Iterator[NetlistCrossReference.PinPairData]: - r""" - @brief Delivers the pin pairs and their status for the given circuit pair. - See the class description for details. - """ - def each_subcircuit_pair(self, circuit_pair: NetlistCrossReference.CircuitPairData) -> Iterator[NetlistCrossReference.SubCircuitPairData]: - r""" - @brief Delivers the subcircuit pairs and their status for the given circuit pair. - See the class description for details. - """ - def netlist_a(self) -> Netlist: - r""" - @brief Gets the first netlist which participated in the compare. - This member may be nil, if the respective netlist is no longer valid. In this case, the netlist cross-reference object cannot be used. - """ - def netlist_b(self) -> Netlist: - r""" - @brief Gets the second netlist which participated in the compare. - This member may be nil, if the respective netlist is no longer valid.In this case, the netlist cross-reference object cannot be used. - """ - def other_circuit_for(self, circuit: Circuit) -> Circuit: - r""" - @brief Gets the matching other circuit for a given primary circuit. - The return value will be nil if no match is found. Otherwise it is the 'b' circuit for circuits from the 'a' netlist and vice versa. - - This method has been introduced in version 0.27. - """ - def other_device_for(self, device: Device) -> Device: - r""" - @brief Gets the matching other device for a given primary device. - The return value will be nil if no match is found. Otherwise it is the 'b' device for devices from the 'a' netlist and vice versa. - - This method has been introduced in version 0.27. - """ - def other_net_for(self, net: Net) -> Net: - r""" - @brief Gets the matching other net for a given primary net. - The return value will be nil if no match is found. Otherwise it is the 'b' net for nets from the 'a' netlist and vice versa. - """ - def other_pin_for(self, pin: Pin) -> Pin: - r""" - @brief Gets the matching other pin for a given primary pin. - The return value will be nil if no match is found. Otherwise it is the 'b' pin for pins from the 'a' netlist and vice versa. - - This method has been introduced in version 0.27. - """ - def other_subcircuit_for(self, subcircuit: SubCircuit) -> SubCircuit: - r""" - @brief Gets the matching other subcircuit for a given primary subcircuit. - The return value will be nil if no match is found. Otherwise it is the 'b' subcircuit for subcircuits from the 'a' netlist and vice versa. - - This method has been introduced in version 0.27. - """ - -class LayoutVsSchematic(LayoutToNetlist): - r""" - @brief A generic framework for doing LVS (layout vs. schematic) - - This class extends the concept of the netlist extraction from a layout to LVS verification. It does so by adding these concepts to the \LayoutToNetlist class: - - @ul - @li A reference netlist. This will be the netlist against which the layout-derived netlist is compared against. See \reference and \reference=. - @/li - @li A compare step. During the compare the layout-derived netlist and the reference netlists are compared. The compare results are captured in the cross-reference object. See \compare and \NetlistComparer for the comparer object. - @/li - @li A cross-reference. This object (of class \NetlistCrossReference) will keep the relations between the objects of the two netlists. It also lists the differences between the netlists. See \xref about how to access this object.@/li - @/ul - - The LVS object can be persisted to and from a file in a specific format, so it is sometimes referred to as the "LVS database". - - LVS objects can be attached to layout views with \LayoutView#add_lvsdb so they become available in the netlist database browser. - - This class has been introduced in version 0.26. - """ - reference: Netlist - r""" - Getter: - @brief Gets the reference netlist. - - Setter: - @brief Sets the reference netlist. - This will set the reference netlist used inside \compare as the second netlist to compare against the layout-extracted netlist. - - The LVS object will take ownership over the netlist - i.e. if it goes out of scope, the reference netlist is deleted. - """ - @overload - @classmethod - def new(cls) -> LayoutVsSchematic: - r""" - @brief Creates a new LVS object - The main objective for this constructor is to create an object suitable for reading and writing LVS database files. + @brief Gets the background rectangle in micron units + The background rectangle is the one that is used as background for inverted rendering. """ - @overload - @classmethod - def new(cls, dss: DeepShapeStore) -> LayoutVsSchematic: + def dbu(self) -> float: r""" - @brief Creates a new LVS object with the extractor object reusing an existing \DeepShapeStore object - See the corresponding constructor of the \LayoutToNetlist object for more details. + @brief Gets the basic database unit the design of the glyphs was made + This database unit the basic resolution of the glyphs. """ - @overload - @classmethod - def new(cls, iter: RecursiveShapeIterator) -> LayoutVsSchematic: + def ddesign_grid(self) -> float: r""" - @brief Creates a new LVS object with the extractor connected to an original layout - This constructor will attach the extractor of the LVS object to an original layout through the shape iterator. + @brief Gets the design grid of the glyphs in micron units + The design grid is the basic grid used when designing the glyphs. In most cases this grid is bigger than the database unit. """ - @overload - @classmethod - def new(cls, dss: DeepShapeStore, layout_index: int) -> LayoutVsSchematic: + def description(self) -> str: r""" - @brief Creates a new LVS object with the extractor object reusing an existing \DeepShapeStore object - See the corresponding constructor of the \LayoutToNetlist object for more details. + @brief Gets the description text of the generator + The generator's description text is a human-readable text that is used to identify the generator (aka 'font') in user interfaces. """ - @overload - @classmethod - def new(cls, topcell_name: str, dbu: float) -> LayoutVsSchematic: + def design_grid(self) -> int: r""" - @brief Creates a new LVS object with the extractor object taking a flat DSS - See the corresponding constructor of the \LayoutToNetlist object for more details. + @brief Gets the design grid of the glyphs in the generator's database units + The design grid is the basic grid used when designing the glyphs. In most cases this grid is bigger than the database unit. A version that delivers this value in micrometer units is \ddesign_grid. """ - @overload - def __init__(self) -> None: + def destroy(self) -> None: r""" - @brief Creates a new LVS object - The main objective for this constructor is to create an object suitable for reading and writing LVS database files. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def __init__(self, dss: DeepShapeStore) -> None: + def destroyed(self) -> bool: r""" - @brief Creates a new LVS object with the extractor object reusing an existing \DeepShapeStore object - See the corresponding constructor of the \LayoutToNetlist object for more details. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def __init__(self, iter: RecursiveShapeIterator) -> None: + def dheight(self) -> float: r""" - @brief Creates a new LVS object with the extractor connected to an original layout - This constructor will attach the extractor of the LVS object to an original layout through the shape iterator. + @brief Gets the design height of the glyphs in micron units + The height is the height of the rectangle occupied by each character. """ - @overload - def __init__(self, dss: DeepShapeStore, layout_index: int) -> None: + def dline_width(self) -> float: r""" - @brief Creates a new LVS object with the extractor object reusing an existing \DeepShapeStore object - See the corresponding constructor of the \LayoutToNetlist object for more details. + @brief Gets the line width of the glyphs in micron units + The line width is the intended (not necessarily precisely) line width of typical character lines (such as the bar of an 'I'). """ - @overload - def __init__(self, topcell_name: str, dbu: float) -> None: + def dup(self) -> TextGenerator: r""" - @brief Creates a new LVS object with the extractor object taking a flat DSS - See the corresponding constructor of the \LayoutToNetlist object for more details. + @brief Creates a copy of self """ - def _create(self) -> None: + def dwidth(self) -> float: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Gets the design width of the glyphs in micron units + The width is the width of the rectangle occupied by each character. """ - def _destroy(self) -> None: + def glyph(self, char: str) -> Region: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Gets the glyph of the given character as a region + The region represents the glyph's outline and is delivered in the generator's database units .A more elaborate way to getting the text's outline is \text. """ - def _destroyed(self) -> bool: + def height(self) -> int: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Gets the design height of the glyphs in the generator's database units + The height is the height of the rectangle occupied by each character. A version that delivers this value in micrometer units is \dheight. """ - def _is_const_object(self) -> bool: + def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def compare(self, comparer: NetlistComparer) -> bool: + def line_width(self) -> int: r""" - @brief Compare the layout-extracted netlist against the reference netlist using the given netlist comparer. + @brief Gets the line width of the glyphs in the generator's database units + The line width is the intended (not necessarily precisely) line width of typical character lines (such as the bar of an 'I'). A version that delivers this value in micrometer units is \dline_width. """ - def read(self, path: str) -> None: + def load_from_file(self, path: str) -> None: r""" - @brief Reads the LVS object from the file. - This method employs the native format of KLayout. + @brief Loads the given file into the generator + See the description of the class how the layout data is read. """ - def read_l2n(self, path: str) -> None: + def load_from_resource(self, resource_path: str) -> None: r""" - @brief Reads the \LayoutToNetlist part of the object from a file. - This method employs the native format of KLayout. + @brief Loads the given resource data (as layout data) into the generator + The resource path has to start with a colon, i.e. ':/my/resource.gds'. See the description of the class how the layout data is read. """ - def write(self, path: str, short_format: Optional[bool] = ...) -> None: + def name(self) -> str: r""" - @brief Writes the LVS object to a file. - This method employs the native format of KLayout. + @brief Gets the name of the generator + The generator's name is the basic key by which the generator is identified. """ - def write_l2n(self, path: str, short_format: Optional[bool] = ...) -> None: + def text(self, text: str, target_dbu: float, mag: Optional[float] = ..., inv: Optional[bool] = ..., bias: Optional[float] = ..., char_spacing: Optional[float] = ..., line_spacing: Optional[float] = ...) -> Region: r""" - @brief Writes the \LayoutToNetlist part of the object to a file. - This method employs the native format of KLayout. + @brief Gets the rendered text as a region + @param text The text string + @param target_dbu The database unit for which to produce the text + @param mag The magnification (1.0 for original size) + @param inv inverted rendering: if true, the glyphs are rendered inverse with the background box as the outer bounding box + @param bias An additional bias to be applied (happens before inversion, can be negative) + @param char_spacing Additional space between characters (in micron units) + @param line_spacing Additional space between lines (in micron units) + Various options can be specified to control the appearance of the text. See the description of the parameters. It's important to specify the target database unit in \target_dbu to indicate what database unit shall be used to create the output for. """ - def xref(self) -> NetlistCrossReference: + def width(self) -> int: r""" - @brief Gets the cross-reference object - The cross-reference object is created while comparing the layout-extracted netlist against the reference netlist - i.e. during \compare. Before \compare is called, this object is nil. - It holds the results of the comparison - a cross-reference between the nets and other objects in the match case and a listing of non-matching nets and other objects for the non-matching cases. - See \NetlistCrossReference for more details. + @brief Gets the design height of the glyphs in the generator's database units + The width is the width of the rectangle occupied by each character. A version that delivers this value in micrometer units is \dwidth. """ class Texts(ShapeCollection): @@ -49460,22 +48780,6 @@ class Texts(ShapeCollection): """ @overload @classmethod - def new(cls, shapes: Shapes) -> Texts: - r""" - @brief Shapes constructor - - This constructor creates an text collection from a \Shapes collection. - """ - @overload - @classmethod - def new(cls, text: Text) -> Texts: - r""" - @brief Constructor from a single edge pair object - - This constructor creates an text collection with a single text. - """ - @overload - @classmethod def new(cls, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore) -> Texts: r""" @brief Creates a hierarchical text collection from an original layer @@ -49493,17 +48797,16 @@ class Texts(ShapeCollection): """ @overload @classmethod - def new(cls, shape_iterator: RecursiveShapeIterator, trans: ICplxTrans) -> Texts: + def new(cls, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, trans: ICplxTrans) -> Texts: r""" - @brief Constructor from a hierarchical shape set with a transformation + @brief Creates a hierarchical text collection from an original layer with a transformation This constructor creates a text collection from the shapes delivered by the given recursive shape iterator. - Only texts are taken from the shape set and other shapes are ignored. - The given transformation is applied to each text taken. - This method allows feeding the text collection from a hierarchy of cells. + This version will create a hierarchical text collection which supports hierarchical operations. The transformation is useful to scale to a specific database unit for example. @code + dss = RBA::DeepShapeStore::new layout = ... # a layout cell = ... # the index of the initial cell layer = ... # the index of the layer from where to take the shapes from @@ -49513,16 +48816,17 @@ class Texts(ShapeCollection): """ @overload @classmethod - def new(cls, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, trans: ICplxTrans) -> Texts: + def new(cls, shape_iterator: RecursiveShapeIterator, trans: ICplxTrans) -> Texts: r""" - @brief Creates a hierarchical text collection from an original layer with a transformation + @brief Constructor from a hierarchical shape set with a transformation This constructor creates a text collection from the shapes delivered by the given recursive shape iterator. - This version will create a hierarchical text collection which supports hierarchical operations. + Only texts are taken from the shape set and other shapes are ignored. + The given transformation is applied to each text taken. + This method allows feeding the text collection from a hierarchy of cells. The transformation is useful to scale to a specific database unit for example. @code - dss = RBA::DeepShapeStore::new layout = ... # a layout cell = ... # the index of the initial cell layer = ... # the index of the layer from where to take the shapes from @@ -49530,6 +48834,22 @@ class Texts(ShapeCollection): r = RBA::Texts::new(layout.begin_shapes(cell, layer), RBA::ICplxTrans::new(layout.dbu / dbu)) @/code """ + @overload + @classmethod + def new(cls, shapes: Shapes) -> Texts: + r""" + @brief Shapes constructor + + This constructor creates an text collection from a \Shapes collection. + """ + @overload + @classmethod + def new(cls, text: Text) -> Texts: + r""" + @brief Constructor from a single edge pair object + + This constructor creates an text collection with a single text. + """ def __add__(self, other: Texts) -> Texts: r""" @brief Returns the combined text collection of self and the other one @@ -49599,20 +48919,6 @@ class Texts(ShapeCollection): @/code """ @overload - def __init__(self, shapes: Shapes) -> None: - r""" - @brief Shapes constructor - - This constructor creates an text collection from a \Shapes collection. - """ - @overload - def __init__(self, text: Text) -> None: - r""" - @brief Constructor from a single edge pair object - - This constructor creates an text collection with a single text. - """ - @overload def __init__(self, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore) -> None: r""" @brief Creates a hierarchical text collection from an original layer @@ -49629,17 +48935,16 @@ class Texts(ShapeCollection): @/code """ @overload - def __init__(self, shape_iterator: RecursiveShapeIterator, trans: ICplxTrans) -> None: + def __init__(self, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, trans: ICplxTrans) -> None: r""" - @brief Constructor from a hierarchical shape set with a transformation + @brief Creates a hierarchical text collection from an original layer with a transformation This constructor creates a text collection from the shapes delivered by the given recursive shape iterator. - Only texts are taken from the shape set and other shapes are ignored. - The given transformation is applied to each text taken. - This method allows feeding the text collection from a hierarchy of cells. + This version will create a hierarchical text collection which supports hierarchical operations. The transformation is useful to scale to a specific database unit for example. @code + dss = RBA::DeepShapeStore::new layout = ... # a layout cell = ... # the index of the initial cell layer = ... # the index of the layer from where to take the shapes from @@ -49648,16 +48953,17 @@ class Texts(ShapeCollection): @/code """ @overload - def __init__(self, shape_iterator: RecursiveShapeIterator, dss: DeepShapeStore, trans: ICplxTrans) -> None: + def __init__(self, shape_iterator: RecursiveShapeIterator, trans: ICplxTrans) -> None: r""" - @brief Creates a hierarchical text collection from an original layer with a transformation + @brief Constructor from a hierarchical shape set with a transformation This constructor creates a text collection from the shapes delivered by the given recursive shape iterator. - This version will create a hierarchical text collection which supports hierarchical operations. + Only texts are taken from the shape set and other shapes are ignored. + The given transformation is applied to each text taken. + This method allows feeding the text collection from a hierarchy of cells. The transformation is useful to scale to a specific database unit for example. @code - dss = RBA::DeepShapeStore::new layout = ... # a layout cell = ... # the index of the initial cell layer = ... # the index of the layer from where to take the shapes from @@ -49665,6 +48971,20 @@ class Texts(ShapeCollection): r = RBA::Texts::new(layout.begin_shapes(cell, layer), RBA::ICplxTrans::new(layout.dbu / dbu)) @/code """ + @overload + def __init__(self, shapes: Shapes) -> None: + r""" + @brief Shapes constructor + + This constructor creates an text collection from a \Shapes collection. + """ + @overload + def __init__(self, text: Text) -> None: + r""" + @brief Constructor from a single edge pair object + + This constructor creates an text collection with a single text. + """ def __iter__(self) -> Iterator[Text]: r""" @brief Returns each text of the text collection @@ -49792,6 +49112,13 @@ class Texts(ShapeCollection): The label is a text which is put in front of the progress bar. Using a progress bar will imply a performance penalty of a few percent typically. """ + def enable_properties(self) -> None: + r""" + @brief Enables properties for the given container. + This method has an effect mainly on original layers and will import properties from such layers. By default, properties are not enabled on original layers. Alternatively you can apply \filter_properties or \map_properties to enable properties with a specific name key. + + This method has been introduced in version 0.28.4. + """ @overload def extents(self, d: Optional[int] = ...) -> Region: r""" @@ -49806,6 +49133,14 @@ class Texts(ShapeCollection): @brief Returns a region with the enlarged bounding boxes of the texts This method acts like the other version of \extents, but allows giving different enlargements for x and y direction. """ + def filter_properties(self, keys: Sequence[Any]) -> None: + r""" + @brief Filters properties by certain keys. + Calling this method on a container will reduce the properties to values with name keys from the 'keys' list. + As a side effect, this method enables properties on original layers. + + This method has been introduced in version 0.28.4. + """ def flatten(self) -> None: r""" @brief Explicitly flattens an text collection @@ -49866,6 +49201,14 @@ class Texts(ShapeCollection): r""" @brief Returns true if the collection is empty """ + def map_properties(self, key_map: Dict[Any, Any]) -> None: + r""" + @brief Maps properties by name key. + Calling this method on a container will reduce the properties to values with name keys from the 'keys' hash and renames the properties. Properties not listed in the key map will be removed. + As a side effect, this method enables properties on original layers. + + This method has been introduced in version 0.28.4. + """ @overload def move(self, p: Vector) -> Texts: r""" @@ -49936,6 +49279,13 @@ class Texts(ShapeCollection): Merged semantics applies for the polygon region. """ + def remove_properties(self) -> None: + r""" + @brief Removes properties for the given container. + This will remove all properties on the given container. + + This method has been introduced in version 0.28.4. + """ def select_interacting(self, other: Region) -> Texts: r""" @brief Selects the texts from this text collection which are inside or on the edge of polygons from the given region @@ -50061,17 +49411,78 @@ class Texts(ShapeCollection): If "inverse" is true, this method returns the texts not having the given string. """ -class ShapeCollection: +class TileOutputReceiver(TileOutputReceiverBase): r""" - @brief A base class for the shape collections (\Region, \Edges, \EdgePairs and \Texts) + @brief A receiver abstraction for the tiling processor. - This class has been introduced in version 0.27. + The tiling processor (\TilingProcessor) is a framework for executing sequences of operations on tiles of a layout or multiple layouts. The \TileOutputReceiver class is used to specify an output channel for the tiling processor. See \TilingProcessor#output for more details. + + This class has been introduced in version 0.23. + """ + def _assign(self, other: TileOutputReceiverBase) -> None: + r""" + @brief Assigns another object to self + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _dup(self) -> TileOutputReceiver: + r""" + @brief Creates a copy of self + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + +class TileOutputReceiverBase: + r""" + @hide + @alias TileOutputReceiver """ @classmethod - def new(cls) -> ShapeCollection: + def new(cls) -> TileOutputReceiverBase: r""" @brief Creates a new object of this class """ + def __copy__(self) -> TileOutputReceiverBase: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> TileOutputReceiverBase: + r""" + @brief Creates a copy of self + """ def __init__(self) -> None: r""" @brief Creates a new object of this class @@ -50113,6 +49524,10 @@ class ShapeCollection: Usually it's not required to call this method. It has been introduced in version 0.24. """ + def assign(self, other: TileOutputReceiverBase) -> None: + r""" + @brief Assigns another object to self + """ def create(self) -> None: r""" @brief Ensures the C++ object is created @@ -50130,1329 +49545,2866 @@ class ShapeCollection: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ + def dup(self) -> TileOutputReceiverBase: + r""" + @brief Creates a copy of self + """ def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ + def processor(self) -> TilingProcessor: + r""" + @brief Gets the processor the receiver is attached to -class LEFDEFReaderConfiguration: - r""" - @brief Detailed LEF/DEF reader options - This class is a aggregate belonging to the \LoadLayoutOptions class. It provides options for the LEF/DEF reader. These options have been placed into a separate class to account for their complexity. - This class specifically handles layer mapping. This is the process of generating layer names or GDS layer/datatypes from LEF/DEF layers and purpose combinations. There are basically two ways: to use a map file or to use pattern-based production rules. - - To use a layer map file, set the \map_file attribute to the name of the layer map file. The layer map file lists the GDS layer and datatype numbers to generate for the geometry. + This attribute is set before begin and can be nil if the receiver is not attached to a processor. - The pattern-based approach will use the layer name and attach a purpose-dependent suffix to it. Use the ..._suffix attributes to specify this suffix. For routing, the corresponding attribute is \routing_suffix for example. A purpose can also be mapped to a specific GDS datatype using the corresponding ..._datatype attributes. - The decorated or undecorated names are looked up in a layer mapping table in the next step. The layer mapping table is specified using the \layer_map attribute. This table can be used to map layer names to specific GDS layers by using entries of the form 'NAME: layer-number'. + This method has been introduced in version 0.25. + """ - If a layer map file is present, the pattern-based attributes are ignored. - """ - blockages_datatype: int - r""" - Getter: - @brief Gets the blockage marker layer datatype value. - See \produce_via_geometry for details about the layer production rules. - Setter: - @brief Sets the blockage marker layer datatype value. - See \produce_via_geometry for details about the layer production rules. - """ - blockages_suffix: str - r""" - Getter: - @brief Gets the blockage marker layer name suffix. - See \produce_via_geometry for details about the layer production rules. - Setter: - @brief Sets the blockage marker layer name suffix. - See \produce_via_geometry for details about the layer production rules. - """ - cell_outline_layer: str - r""" - Getter: - @brief Gets the layer on which to produce the cell outline (diearea). - This attribute is a string corresponding to the string representation of \LayerInfo. This string can be either a layer number, a layer/datatype pair, a name or a combination of both. See \LayerInfo for details. - The setter for this attribute is \cell_outline_layer=. See also \produce_cell_outlines. - Setter: - @brief Sets the layer on which to produce the cell outline (diearea). - See \cell_outline_layer for details. - """ - create_other_layers: bool - r""" - Getter: - @brief Gets a value indicating whether layers not mapped in the layer map shall be created too - See \layer_map for details. - Setter: - @brief Sets a value indicating whether layers not mapped in the layer map shall be created too - See \layer_map for details. - """ - dbu: float +class TilingProcessor: r""" - Getter: - @brief Gets the database unit to use for producing the layout. - This value specifies the database to be used for the layout that is read. When a DEF file is specified with a different database unit, the layout is translated into this database unit. + @brief A processor for layout which distributes tasks over tiles - Setter: - @brief Sets the database unit to use for producing the layout. - See \dbu for details. - """ - fills_datatype: int - r""" - Getter: - @brief Gets the fill geometry layer datatype value. - See \produce_via_geometry for details about the layer production rules. + The tiling processor executes one or several scripts on one or multiple layouts providing a tiling scheme. In that scheme, the processor divides the original layout into rectangular tiles and executes the scripts on each tile separately. The tiling processor allows one to specify multiple, independent scripts which are run separately on each tile. It can make use of multi-core CPU's by supporting multiple threads running the tasks in parallel (with respect to tiles and scripts). - Fill support has been introduced in version 0.27. - Setter: - @brief Sets the fill geometry layer datatype value. - See \produce_via_geometry for details about the layer production rules. + Tiling a optional - if no tiles are specified, the tiling processing basically operates flat and parallelization extends to the scripts only. - Fill support has been introduced in version 0.27. - """ - fills_datatype_str: str - r""" - Getter: - @hide - Setter: - @hide - """ - fills_suffix: str - r""" - Getter: - @brief Gets the fill geometry layer name suffix. - See \produce_via_geometry for details about the layer production rules. + Tiles can be overlapping to gather input from neighboring tiles into the current tile. In order to provide that feature, a border can be specified which gives the amount by which the search region is extended beyond the border of the tile. To specify the border, use the \TilingProcessor#tile_border method. - Fill support has been introduced in version 0.27. - Setter: - @brief Sets the fill geometry layer name suffix. - See \produce_via_geometry for details about the layer production rules. + The basis of the tiling processor are \Region objects and expressions. Expressions are a built-in simple language to form simple scripts. Expressions allow access to the objects and methods built into KLayout. Each script can consist of multiple operations. Scripts are specified using \TilingProcessor#queue. - Fill support has been introduced in version 0.27. - """ - fills_suffix_str: str - r""" - Getter: - @hide - Setter: - @hide - """ - instance_property_name: Any - r""" - Getter: - @brief Gets a value indicating whether and how to produce instance names as properties. - If set to a value not nil, instance names will be attached to the instances generated as user properties. - This attribute then specifies the user property name to be used for attaching the instance names. - If set to nil, no instance names will be produced. + Input is provided to the script through variables holding a \Region object each. From outside the tiling processor, input is specified with the \TilingProcessor#input method. This method is given a name and a \RecursiveShapeIterator object which delivers the data for the input. On the script side, a \Region object is provided through a variable named like the first argument of the "input" method. - The corresponding setter is \instance_property_name=. + Inside the script the following functions are provided: - This method has been introduced in version 0.26.4. - Setter: - @brief Sets a value indicating whether and how to produce instance names as properties. - See \instance_property_name for details. + @ul + @li"_dbu" delivers the database unit used for the computations @/li + @li"_tile" delivers a region containing a mask for the tile (a rectangle) or nil if no tiling is used @/li + @li"_output" is used to deliver output (see below) @/li + @/ul - This method has been introduced in version 0.26.4. - """ - labels_datatype: int - r""" - Getter: - @brief Gets the labels layer datatype value. - See \produce_via_geometry for details about the layer production rules. - Setter: - @brief Sets the labels layer datatype value. - See \produce_via_geometry for details about the layer production rules. - """ - labels_suffix: str - r""" - Getter: - @brief Gets the label layer name suffix. - See \produce_via_geometry for details about the layer production rules. - Setter: - @brief Sets the label layer name suffix. - See \produce_via_geometry for details about the layer production rules. - """ - layer_map: LayerMap - r""" - Getter: - @brief Gets the layer map to be used for the LEF/DEF reader - @return A reference to the layer map - Because LEF/DEF layer mapping is substantially different than for normal layout files, the LEF/DEF reader employs a separate layer mapping table. The LEF/DEF specific layer mapping is stored within the LEF/DEF reader's configuration and can be accessed with this attribute. The layer mapping table of \LoadLayoutOptions will be ignored for the LEF/DEF reader. + Output can be obtained from the tiling processor by registering a receiver with a channel. A channel is basically a name. Inside the script, the name describes a variable which can be used as the first argument of the "_output" function to identify the channel. A channel is registers using the \TilingProcessor#output method. Beside the name, a receiver must be specified. A receiver is either another layout (a cell of that), a report database or a custom receiver implemented through the \TileOutputReceiver class. - The setter is \layer_map=. \create_other_layers= is available to control whether layers not specified in the layer mapping table shall be created automatically. - Setter: - @brief Sets the layer map to be used for the LEF/DEF reader - See \layer_map for details. - """ - lef_files: List[str] - r""" - Getter: - @brief Gets the list technology LEF files to additionally import - Returns a list of path names for technology LEF files to read in addition to the primary file. Relative paths are resolved relative to the file to read or relative to the technology base path. + The "_output" function expects two or three parameters: one channel id (the variable that was defined by the name given in the output method call) and an object to output (a \Region, \Edges, \EdgePairs or a geometrical primitive such as \Polygon or \Box). In addition, a boolean argument can be given indicating whether clipping at the tile shall be applied. If clipping is requested (the default), the shapes will be clipped at the tile's box. - The setter for this property is \lef_files=. - Setter: - @brief Sets the list technology LEF files to additionally import - See \lef_files for details. - """ - lef_labels_datatype: int - r""" - Getter: - @brief Gets the lef_labels layer datatype value. - See \produce_via_geometry for details about the layer production rules. + The tiling can be specified either through a tile size, a tile number or both. If a tile size is specified with the \TilingProcessor#tile_size method, the tiling processor will compute the number of tiles required. If the tile count is given (through \TilingProcessor#tiles), the tile size will be computed. If both are given, the tiling array is fixed and the array is centered around the original layout's center. If the tiling origin is given as well, the tiling processor will use the given array without any modifications. - This method has been introduced in version 0.27.2 + Once the tiling processor has been set up, the operation can be launched using \TilingProcessor#execute. - Setter: - @brief Sets the lef_labels layer datatype value. - See \produce_via_geometry for details about the layer production rules. + This is some sample code. It performs two XOR operations between two layouts and delivers the results to a report database: - This method has been introduced in version 0.27.2 - """ - lef_labels_suffix: str - r""" - Getter: - @brief Gets the label layer name suffix. - See \produce_via_geometry for details about the layer production rules. + @code + ly1 = ... # first layout + ly2 = ... # second layout - This method has been introduced in version 0.27.2 + rdb = RBA::ReportDatabase::new("xor") + output_cell = rdb.create_cell(ly1.top_cell.name) + output_cat1 = rbd.create_category("XOR 1-10") + output_cat2 = rbd.create_category("XOR 2-11") - Setter: - @brief Sets the label layer name suffix. - See \produce_via_geometry for details about the layer production rules. + tp = RBA::TilingProcessor::new + tp.input("a1", ly1, ly1.top_cell.cell_index, RBA::LayerInfo::new(1, 0)) + tp.input("a2", ly1, ly1.top_cell.cell_index, RBA::LayerInfo::new(2, 0)) + tp.input("b1", ly2, ly2.top_cell.cell_index, RBA::LayerInfo::new(11, 0)) + tp.input("b2", ly2, ly2.top_cell.cell_index, RBA::LayerInfo::new(12, 0)) + tp.output("o1", rdb, output_cell, output_cat1) + tp.output("o2", rdb, output_cell, output_cat2) + tp.queue("_output(o1, a1 ^ b1)") + tp.queue("_output(o2, a2 ^ b2)") + tp.tile_size(50.0, 50.0) + tp.execute("Job description") + @/code - This method has been introduced in version 0.27.2 - """ - lef_pins_datatype: int - r""" - Getter: - @brief Gets the LEF pin geometry layer datatype value. - See \produce_via_geometry for details about the layer production rules. - Setter: - @brief Sets the LEF pin geometry layer datatype value. - See \produce_via_geometry for details about the layer production rules. + This class has been introduced in version 0.23. """ - lef_pins_datatype_str: str + dbu: float r""" Getter: - @hide + @brief Gets the database unit under which the computations will be done + Setter: - @hide + @brief Sets the database unit under which the computations will be done + + All data used within the scripts will be brought to that database unit. If none is given it will be the database unit of the first layout given or 1nm if no layout is specified. """ - lef_pins_suffix: str + @property + def frame(self) -> None: + r""" + WARNING: This variable can only be set, not retrieved. + @brief Sets the layout frame + + The layout frame is the box (in micron units) taken into account for computing + the tiles if the tile counts are not given. If the layout frame is not set or + set to an empty box, the processor will try to derive the frame from the given + inputs. + + This method has been introduced in version 0.25. + """ + scale_to_dbu: bool r""" Getter: - @brief Gets the LEF pin geometry layer name suffix. - See \produce_via_geometry for details about the layer production rules. + @brief Gets a valid indicating whether automatic scaling to database unit is enabled + + This method has been introduced in version 0.23.2. Setter: - @brief Sets the LEF pin geometry layer name suffix. - See \produce_via_geometry for details about the layer production rules. + @brief Enables or disabled automatic scaling to database unit + + If automatic scaling to database unit is enabled, the input is automatically scaled to the database unit set inside the tile processor. This is the default. + + This method has been introduced in version 0.23.2. """ - lef_pins_suffix_str: str + threads: int r""" Getter: - @hide + @brief Gets the number of threads to use + Setter: - @hide + @brief Specifies the number of threads to use """ - macro_layout_files: List[str] - r""" - Getter: - @brief Gets the list of layout files to read for substituting macros in DEF - These files play the same role than the macro layouts (see \macro_layouts), except that this property specifies a list of file names. The given files are loaded automatically to resolve macro layouts instead of LEF geometry. See \macro_resolution_mode for details when this happens. Relative paths are resolved relative to the DEF file to read or relative to the technology base path. - Macros in need for substitution are looked up in the layout files by searching for cells with the same name. The files are scanned in the order they are given in the file list. - The files from \macro_layout_files are scanned after the layout objects specified with \macro_layouts. + @classmethod + def new(cls) -> TilingProcessor: + r""" + @brief Creates a new object of this class + """ + def __copy__(self) -> TilingProcessor: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> TilingProcessor: + r""" + @brief Creates a copy of self + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - The setter for this property is \macro_layout_files=. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This property has been added in version 0.27.1. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def assign(self, other: TilingProcessor) -> None: + r""" + @brief Assigns another object to self + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> TilingProcessor: + r""" + @brief Creates a copy of self + """ + def execute(self, desc: str) -> None: + r""" + @brief Runs the job - Setter: - @brief Sets the list of layout files to read for substituting macros in DEF - See \macro_layout_files for details. + This method will initiate execution of the queued scripts, once for every tile. The desc is a text shown in the progress bar for example. + """ + @overload + def input(self, name: str, edge_pairs: EdgePairs) -> None: + r""" + @brief Specifies input for the tiling processor + This method will establish an input channel for the processor. This version receives input from an \EdgePairs object. Edge pair collections don't always come with a database unit, hence a database unit should be specified with the \dbu= method unless a layout object is specified as input too. - This property has been added in version 0.27.1. - """ - macro_layouts: List[Layout] - r""" - Getter: - @brief Gets the layout objects used for resolving LEF macros in the DEF reader. - The DEF reader can either use LEF geometry or use a separate source of layouts for the LEF macros. The \macro_resolution_mode controls whether to use LEF geometry. If LEF geometry is not used, the DEF reader will look up macro cells from the \macro_layouts and pull cell layouts from there. + Caution: the EdgePairs object must stay valid during the lifetime of the tiling processor. Take care to store it in a variable to prevent early destruction of the EdgePairs object. Not doing so may crash the application. - The LEF cells are looked up as cells by name from the macro layouts in the order these are given in this array. + The name specifies the variable under which the input can be used in the scripts. + This variant has been introduced in version 0.27. + """ + @overload + def input(self, name: str, edge_pairs: EdgePairs, trans: ICplxTrans) -> None: + r""" + @brief Specifies input for the tiling processor + This method will establish an input channel for the processor. This version receives input from an \EdgePairs object. Edge pair collections don't always come with a database unit, hence a database unit should be specified with the \dbu= method unless a layout object is specified as input too. - \macro_layout_files is another way of specifying such substitution layouts. This method accepts file names instead of layout objects. + Caution: the EdgePairs object must stay valid during the lifetime of the tiling processor. Take care to store it in a variable to prevent early destruction of the EdgePairs object. Not doing so may crash the application. - This property has been added in version 0.27. + The name specifies the variable under which the input can be used in the scripts. + This variant has been introduced in version 0.27. + """ + @overload + def input(self, name: str, edges: Edges) -> None: + r""" + @brief Specifies input for the tiling processor + This method will establish an input channel for the processor. This version receives input from an \Edges object. Edge collections don't always come with a database unit, hence a database unit should be specified with the \dbu= method unless a layout object is specified as input too. - Setter: - @brief Sets the layout objects used for resolving LEF macros in the DEF reader. - See \macro_layouts for more details about this property. + Caution: the Edges object must stay valid during the lifetime of the tiling processor. Take care to store it in a variable to prevent early destruction of the Edges object. Not doing so may crash the application. - Layout objects specified in the array for this property are not owned by the \LEFDEFReaderConfiguration object. Be sure to keep some other reference to these Layout objects if you are storing away the LEF/DEF reader configuration object. + The name specifies the variable under which the input can be used in the scripts. + """ + @overload + def input(self, name: str, edges: Edges, trans: ICplxTrans) -> None: + r""" + @brief Specifies input for the tiling processor + This method will establish an input channel for the processor. This version receives input from an \Edges object. Edge collections don't always come with a database unit, hence a database unit should be specified with the \dbu= method unless a layout object is specified as input too. - This property has been added in version 0.27. - """ - macro_resolution_mode: int - r""" - Getter: - @brief Gets the macro resolution mode (LEF macros into DEF). - This property describes the way LEF macros are turned into layout cells when reading DEF. There are three modes available: + Caution: the Edges object must stay valid during the lifetime of the tiling processor. Take care to store it in a variable to prevent early destruction of the Edges object. Not doing so may crash the application. - @ul - @li 0: produce LEF geometry unless a FOREIGN cell is specified @/li - @li 1: produce LEF geometry always and ignore FOREIGN @/li - @li 2: Never produce LEF geometry and assume FOREIGN always @/li - @/ul + The name specifies the variable under which the input can be used in the scripts. + This variant allows one to specify an additional transformation too. It has been introduced in version 0.23.2. - If substitution layouts are specified with \macro_layouts, these are used to provide macro layouts in case no LEF geometry is taken. + """ + @overload + def input(self, name: str, iter: RecursiveShapeIterator) -> None: + r""" + @brief Specifies input for the tiling processor + This method will establish an input channel for the processor. This version receives input from a recursive shape iterator, hence from a hierarchy of shapes from a layout. - This property has been added in version 0.27. + The name specifies the variable under which the input can be used in the scripts. + """ + @overload + def input(self, name: str, iter: RecursiveShapeIterator, trans: ICplxTrans) -> None: + r""" + @brief Specifies input for the tiling processor + This method will establish an input channel for the processor. This version receives input from a recursive shape iterator, hence from a hierarchy of shapes from a layout. + In addition, a transformation can be specified which will be applied to the shapes before they are used. - Setter: - @brief Sets the macro resolution mode (LEF macros into DEF). - See \macro_resolution_mode for details about this property. + The name specifies the variable under which the input can be used in the scripts. + """ + @overload + def input(self, name: str, layout: Layout, cell_index: int, layer: int) -> None: + r""" + @brief Specifies input for the tiling processor + This method will establish an input channel for the processor. This version receives input from a layout and the hierarchy below the cell with the given cell index. + "layer" is the layer index of the input layer. - This property has been added in version 0.27. - """ - map_file: str - r""" - Getter: - @brief Gets the layer map file to use. - If a layer map file is given, the reader will pull the layer mapping from this file. The layer mapping rules specified in the reader options are ignored in this case. These are the name suffix rules for vias, blockages, routing, special routing, pins etc. and the corresponding datatype rules. The \layer_map attribute will also be ignored. - The layer map file path will be resolved relative to the technology base path if the LEF/DEF reader options are used in the context of a technology. + The name specifies the variable under which the input can be used in the scripts. + """ + @overload + def input(self, name: str, layout: Layout, cell_index: int, layer: int, trans: ICplxTrans) -> None: + r""" + @brief Specifies input for the tiling processor + This method will establish an input channel for the processor. This version receives input from a layout and the hierarchy below the cell with the given cell index. + "layer" is the layer index of the input layer. + In addition, a transformation can be specified which will be applied to the shapes before they are used. - This property has been added in version 0.27. + The name specifies the variable under which the input can be used in the scripts. + """ + @overload + def input(self, name: str, layout: Layout, cell_index: int, lp: LayerInfo) -> None: + r""" + @brief Specifies input for the tiling processor + This method will establish an input channel for the processor. This version receives input from a layout and the hierarchy below the cell with the given cell index. + "lp" is a \LayerInfo object specifying the input layer. - Setter: - @brief Sets the layer map file to use. - See \map_file for details about this property. + The name specifies the variable under which the input can be used in the scripts. + """ + @overload + def input(self, name: str, layout: Layout, cell_index: int, lp: LayerInfo, trans: ICplxTrans) -> None: + r""" + @brief Specifies input for the tiling processor + This method will establish an input channel for the processor. This version receives input from a layout and the hierarchy below the cell with the given cell index. + "lp" is a \LayerInfo object specifying the input layer. + In addition, a transformation can be specified which will be applied to the shapes before they are used. - This property has been added in version 0.27. - """ - net_property_name: Any - r""" - Getter: - @brief Gets a value indicating whether and how to produce net names as properties. - If set to a value not nil, net names will be attached to the net shapes generated as user properties. - This attribute then specifies the user property name to be used for attaching the net names. - If set to nil, no net names will be produced. + The name specifies the variable under which the input can be used in the scripts. + """ + @overload + def input(self, name: str, region: Region) -> None: + r""" + @brief Specifies input for the tiling processor + This method will establish an input channel for the processor. This version receives input from a \Region object. Regions don't always come with a database unit, hence a database unit should be specified with the \dbu= method unless a layout object is specified as input too. - The corresponding setter is \net_property_name=. - Setter: - @brief Sets a value indicating whether and how to produce net names as properties. - See \net_property_name for details. - """ - obstructions_datatype: int - r""" - Getter: - @brief Gets the obstruction marker layer datatype value. - See \produce_via_geometry for details about the layer production rules. - Setter: - @brief Sets the obstruction marker layer datatype value. - See \produce_via_geometry for details about the layer production rules. - """ - obstructions_suffix: str - r""" - Getter: - @brief Gets the obstruction marker layer name suffix. - See \produce_via_geometry for details about the layer production rules. - Setter: - @brief Sets the obstruction marker layer name suffix. - See \produce_via_geometry for details about the layer production rules. - """ - @property - def paths_relative_to_cwd(self) -> None: + Caution: the Region object must stay valid during the lifetime of the tiling processor. Take care to store it in a variable to prevent early destruction of the Region object. Not doing so may crash the application. + + The name specifies the variable under which the input can be used in the scripts. + """ + @overload + def input(self, name: str, region: Region, trans: ICplxTrans) -> None: r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets a value indicating whether to use paths relative to cwd (true) or DEF file (false) for map or LEF files - This write-only attribute has been introduced in version 0.27.9. + @brief Specifies input for the tiling processor + This method will establish an input channel for the processor. This version receives input from a \Region object. Regions don't always come with a database unit, hence a database unit should be specified with the \dbu= method unless a layout object is specified as input too. + + Caution: the Region object must stay valid during the lifetime of the tiling processor. Take care to store it in a variable to prevent early destruction of the Region object. Not doing so may crash the application. + + The name specifies the variable under which the input can be used in the scripts. + This variant allows one to specify an additional transformation too. It has been introduced in version 0.23.2. """ - pin_property_name: Any - r""" - Getter: - @brief Gets a value indicating whether and how to produce pin names as properties. - If set to a value not nil, pin names will be attached to the pin shapes generated as user properties. - This attribute then specifies the user property name to be used for attaching the pin names. - If set to nil, no pin names will be produced. + @overload + def input(self, name: str, texts: Texts) -> None: + r""" + @brief Specifies input for the tiling processor + This method will establish an input channel for the processor. This version receives input from an \Texts object. Text collections don't always come with a database unit, hence a database unit should be specified with the \dbu= method unless a layout object is specified as input too. - The corresponding setter is \pin_property_name=. + Caution: the Texts object must stay valid during the lifetime of the tiling processor. Take care to store it in a variable to prevent early destruction of the Texts object. Not doing so may crash the application. - This method has been introduced in version 0.26.4. - Setter: - @brief Sets a value indicating whether and how to produce pin names as properties. - See \pin_property_name for details. + The name specifies the variable under which the input can be used in the scripts. + This variant has been introduced in version 0.27. + """ + @overload + def input(self, name: str, texts: Texts, trans: ICplxTrans) -> None: + r""" + @brief Specifies input for the tiling processor + This method will establish an input channel for the processor. This version receives input from an \Texts object. Text collections don't always come with a database unit, hence a database unit should be specified with the \dbu= method unless a layout object is specified as input too. - This method has been introduced in version 0.26.4. - """ - pins_datatype: int + Caution: the Texts object must stay valid during the lifetime of the tiling processor. Take care to store it in a variable to prevent early destruction of the Texts object. Not doing so may crash the application. + + The name specifies the variable under which the input can be used in the scripts. + This variant has been introduced in version 0.27. + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + @overload + def output(self, name: str, edge_pairs: EdgePairs) -> None: + r""" + @brief Specifies output to an \EdgePairs object + This method will establish an output channel to an \EdgePairs object. The output sent to that channel will be put into the specified edge pair collection. + Only \EdgePair objects are accepted. Other objects are discarded. + + The name is the name which must be used in the _output function of the scripts in order to address that channel. + + @param name The name of the channel + @param edge_pairs The \EdgePairs object to which the data is sent + """ + @overload + def output(self, name: str, edges: Edges) -> None: + r""" + @brief Specifies output to an \Edges object + This method will establish an output channel to an \Edges object. The output sent to that channel will be put into the specified edge collection. + 'Solid' objects such as polygons will be converted to edges by resolving their hulls into edges. Edge pairs are resolved into single edges. + + The name is the name which must be used in the _output function of the scripts in order to address that channel. + + @param name The name of the channel + @param edges The \Edges object to which the data is sent + """ + @overload + def output(self, name: str, image: lay.BasicImage) -> None: + r""" + @brief Specifies output to an image + This method will establish an output channel which delivers float data to image data. The image is a monochrome image where each pixel corresponds to a single tile. This method for example is useful to collect density information into an image. The image is configured such that each pixel covers one tile. + + The name is the name which must be used in the _output function of the scripts in order to address that channel. + """ + @overload + def output(self, name: str, layout: Layout, cell: int, layer_index: int) -> None: + r""" + @brief Specifies output to a layout layer + This method will establish an output channel to a layer in a layout. The output sent to that channel will be put into the specified layer and cell. In this version, the layer is specified through a layer index, hence it must be created before. + + The name is the name which must be used in the _output function of the scripts in order to address that channel. + + @param name The name of the channel + @param layout The layout to which the data is sent + @param cell The index of the cell to which the data is sent + @param layer_index The layer index where the output will be sent to + """ + @overload + def output(self, name: str, layout: Layout, cell: int, lp: LayerInfo) -> None: + r""" + @brief Specifies output to a layout layer + This method will establish an output channel to a layer in a layout. The output sent to that channel will be put into the specified layer and cell. In this version, the layer is specified through a \LayerInfo object, i.e. layer and datatype number. If no such layer exists, it will be created. + + The name is the name which must be used in the _output function of the scripts in order to address that channel. + + @param name The name of the channel + @param layout The layout to which the data is sent + @param cell The index of the cell to which the data is sent + @param lp The layer specification where the output will be sent to + """ + @overload + def output(self, name: str, rdb: rdb.ReportDatabase, cell_id: int, category_id: int) -> None: + r""" + @brief Specifies output to a report database + This method will establish an output channel for the processor. The output sent to that channel will be put into the report database given by the "rdb" parameter. "cell_id" specifies the cell and "category_id" the category to use. + + The name is the name which must be used in the _output function of the scripts in order to address that channel. + """ + @overload + def output(self, name: str, rec: TileOutputReceiverBase) -> None: + r""" + @brief Specifies output for the tiling processor + This method will establish an output channel for the processor. For that it registers an output receiver which will receive data from the scripts. The scripts call the _output function to deliver data. + "name" will be name of the variable which must be passed to the first argument of the _output function in order to address this channel. + + Please note that the tiling processor will destroy the receiver object when it is freed itself. Hence if you need to address the receiver object later, make sure that the processor is still alive, i.e. by assigning the object to a variable. + + The following code uses the output receiver. It takes the shapes of a layer from a layout, computes the area of each tile and outputs the area to the custom receiver: + + @code + layout = ... # the layout + cell = ... # the top cell's index + layout = ... # the input layer + + class MyReceiver < RBA::TileOutputReceiver + def put(ix, iy, tile, obj, dbu, clip) + puts "got area for tile #{ix+1},#{iy+1}: #{obj.to_s}" + end + end + + tp = RBA::TilingProcessor::new + + # register the custom receiver + tp.output("my_receiver", MyReceiver::new) + tp.input("the_input", layout.begin_shapes(cell, layer)) + tp.tile_size(100, 100) # 100x100 um tile size + # The script clips the input at the tile and computes the (merged) area: + tp.queue("_output(my_receiver, (the_input & _tile).area)") + tp.execute("Job description") + @/code + """ + @overload + def output(self, name: str, region: Region) -> None: + r""" + @brief Specifies output to a \Region object + This method will establish an output channel to a \Region object. The output sent to that channel will be put into the specified region. + + The name is the name which must be used in the _output function of the scripts in order to address that channel. + Edges sent to this channel are discarded. Edge pairs are converted to polygons. + + @param name The name of the channel + @param region The \Region object to which the data is sent + """ + @overload + def output(self, name: str, sum: float) -> None: + r""" + @brief Specifies output to single value + This method will establish an output channel which sums up float data delivered by calling the _output function. + In order to specify the target for the data, a \Value object must be provided for the "sum" parameter. + + The name is the name which must be used in the _output function of the scripts in order to address that channel. + """ + @overload + def output(self, name: str, texts: Texts) -> None: + r""" + @brief Specifies output to an \Texts object + This method will establish an output channel to an \Texts object. The output sent to that channel will be put into the specified edge pair collection. + Only \Text objects are accepted. Other objects are discarded. + + The name is the name which must be used in the _output function of the scripts in order to address that channel. + + @param name The name of the channel + @param texts The \Texts object to which the data is sent + + This variant has been introduced in version 0.27. + """ + def queue(self, script: str) -> None: + r""" + @brief Queues a script for parallel execution + + With this method, scripts are registered that are executed in parallel on each tile. + The scripts have "Expressions" syntax and can make use of several predefined variables and functions. + See the \TilingProcessor class description for details. + """ + def tile_border(self, bx: float, by: float) -> None: + r""" + @brief Sets the tile border + + Specifies the tile border. The border is a margin that is considered when fetching shapes. By specifying a border you can fetch shapes into the tile's data which are outside the tile but still must be considered in the computations (i.e. because they might grow into the tile). + + The tile border is given in micron. + """ + def tile_origin(self, xo: float, yo: float) -> None: + r""" + @brief Sets the tile origin + + Specifies the origin (lower left corner) of the tile field. If no origin is specified, the tiles are centered to the layout's bounding box. Giving the origin together with the tile count and dimensions gives full control over the tile array. + + The tile origin is given in micron. + """ + def tile_size(self, w: float, h: float) -> None: + r""" + @brief Sets the tile size + + Specifies the size of the tiles to be used. If no tile size is specified, tiling won't be used and all computations will be done on the whole layout. + + The tile size is given in micron. + """ + def tiles(self, nw: int, nh: int) -> None: + r""" + @brief Sets the tile count + + Specifies the number of tiles to be used. If no tile number is specified, the number of tiles required is computed from the layout's dimensions and the tile size. If a number is given, but no tile size, the tile size will be computed from the layout's dimensions. + """ + def var(self, name: str, value: Any) -> None: + r""" + @brief Defines a variable for the tiling processor script + + The name specifies the variable under which the value can be used in the scripts. + """ + +class Trans: r""" - Getter: - @brief Gets the pin geometry layer datatype value. - See \produce_via_geometry for details about the layer production rules. - Setter: - @brief Sets the pin geometry layer datatype value. - See \produce_via_geometry for details about the layer production rules. + @brief A simple transformation + + Simple transformations only provide rotations about angles which a multiples of 90 degree. + Together with the mirror options, this results in 8 distinct orientations (fixpoint transformations). + These can be combined with a displacement which is applied after the rotation/mirror. + This version acts on integer coordinates. A version for floating-point coordinates is \DTrans. + + Here are some examples for using the Trans class: + + @code + t = RBA::Trans::new(0, 100) # displacement by 100 DBU in y direction + # the inverse: -> "r0 0,-100" + t.inverted.to_s + # concatenation: -> "r90 -100,0" + (RBA::Trans::R90 * t).to_s + # apply to a point: -> "0,100" + RBA::Trans::R90.trans(RBA::Point::new(100, 0)) + @/code + + See @The Database API@ for more details about the database objects. """ - pins_datatype_str: str + M0: ClassVar[Trans] r""" - Getter: - @hide - Setter: - @hide + @brief A constant giving "mirrored at the x-axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. """ - pins_suffix: str + M135: ClassVar[Trans] r""" - Getter: - @brief Gets the pin geometry layer name suffix. - See \produce_via_geometry for details about the layer production rules. - Setter: - @brief Sets the pin geometry layer name suffix. - See \produce_via_geometry for details about the layer production rules. + @brief A constant giving "mirrored at the 135 degree axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. """ - pins_suffix_str: str + M45: ClassVar[Trans] r""" - Getter: - @hide - Setter: - @hide + @brief A constant giving "mirrored at the 45 degree axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. """ - placement_blockage_layer: str + M90: ClassVar[Trans] r""" - Getter: - @brief Gets the layer on which to produce the placement blockage. - This attribute is a string corresponding to the string representation of \LayerInfo. This string can be either a layer number, a layer/datatype pair, a name or a combination of both. See \LayerInfo for details.The setter for this attribute is \placement_blockage_layer=. See also \produce_placement_blockages. - Setter: - @brief Sets the layer on which to produce the placement blockage. - See \placement_blockage_layer for details. + @brief A constant giving "mirrored at the y (90 degree) axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. """ - produce_blockages: bool + R0: ClassVar[Trans] r""" - Getter: - @brief Gets a value indicating whether routing blockage markers shall be produced. - See \produce_via_geometry for details about the layer production rules. - Setter: - @brief Sets a value indicating whether routing blockage markers shall be produced. - See \produce_via_geometry for details about the layer production rules. + @brief A constant giving "unrotated" (unit) transformation + The previous integer constant has been turned into a transformation in version 0.25. """ - produce_cell_outlines: bool + R180: ClassVar[Trans] r""" - Getter: - @brief Gets a value indicating whether to produce cell outlines (diearea). - If set to true, cell outlines will be produced on the layer given by \cell_outline_layer. - Setter: - @brief Sets a value indicating whether to produce cell outlines (diearea). - See \produce_cell_outlines for details. + @brief A constant giving "rotated by 180 degree counterclockwise" transformation + The previous integer constant has been turned into a transformation in version 0.25. """ - produce_fills: bool + R270: ClassVar[Trans] r""" - Getter: - @brief Gets a value indicating whether fill geometries shall be produced. - See \produce_via_geometry for details about the layer production rules. - - Fill support has been introduced in version 0.27. - Setter: - @brief Sets a value indicating whether fill geometries shall be produced. - See \produce_via_geometry for details about the layer production rules. - - Fill support has been introduced in version 0.27. + @brief A constant giving "rotated by 270 degree counterclockwise" transformation + The previous integer constant has been turned into a transformation in version 0.25. """ - produce_labels: bool + R90: ClassVar[Trans] r""" - Getter: - @brief Gets a value indicating whether labels shall be produced. - See \produce_via_geometry for details about the layer production rules. - Setter: - @brief Sets a value indicating whether labels shall be produced. - See \produce_via_geometry for details about the layer production rules. + @brief A constant giving "rotated by 90 degree counterclockwise" transformation + The previous integer constant has been turned into a transformation in version 0.25. """ - produce_lef_labels: bool + angle: int r""" Getter: - @brief Gets a value indicating whether lef_labels shall be produced. - See \produce_via_geometry for details about the layer production rules. - - This method has been introduced in version 0.27.2 + @brief Gets the angle in units of 90 degree + This value delivers the rotation component. In addition, a mirroring at the x axis may be applied before if the \is_mirror? property is true. Setter: - @brief Sets a value indicating whether lef_labels shall be produced. - See \produce_via_geometry for details about the layer production rules. + @brief Sets the angle in units of 90 degree + @param a The new angle - This method has been introduced in version 0.27.2 - """ - produce_lef_pins: bool - r""" - Getter: - @brief Gets a value indicating whether LEF pin geometries shall be produced. - See \produce_via_geometry for details about the layer production rules. - Setter: - @brief Sets a value indicating whether LEF pin geometries shall be produced. - See \produce_via_geometry for details about the layer production rules. - """ - produce_obstructions: bool - r""" - Getter: - @brief Gets a value indicating whether obstruction markers shall be produced. - See \produce_via_geometry for details about the layer production rules. - Setter: - @brief Sets a value indicating whether obstruction markers shall be produced. - See \produce_via_geometry for details about the layer production rules. - """ - produce_pins: bool - r""" - Getter: - @brief Gets a value indicating whether pin geometries shall be produced. - See \produce_via_geometry for details about the layer production rules. - Setter: - @brief Sets a value indicating whether pin geometries shall be produced. - See \produce_via_geometry for details about the layer production rules. + This method was introduced in version 0.20. """ - produce_placement_blockages: bool + disp: Vector r""" Getter: - @brief Gets a value indicating whether to produce placement blockage regions. - If set to true, polygons will be produced representing the placement blockage region on the layer given by \placement_blockage_layer. + @brief Gets to the displacement vector + + Staring with version 0.25 the displacement type is a vector. Setter: - @brief Sets a value indicating whether to produce placement blockage regions. - See \produce_placement_blockages for details. + @brief Sets the displacement + @param u The new displacement + + This method was introduced in version 0.20. + Staring with version 0.25 the displacement type is a vector. """ - produce_regions: bool + mirror: bool r""" Getter: - @brief Gets a value indicating whether to produce regions. - If set to true, polygons will be produced representing the regions on the layer given by \region_layer. + @brief Gets the mirror flag - The attribute has been introduced in version 0.27. + If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. Setter: - @brief Sets a value indicating whether to produce regions. - See \produce_regions for details. + @brief Sets the mirror flag + "mirroring" describes a reflection at the x-axis which is included in the transformation prior to rotation.@param m The new mirror flag - The attribute has been introduced in version 0.27. + This method was introduced in version 0.20. """ - produce_routing: bool + rot: int r""" Getter: - @brief Gets a value indicating whether routing geometry shall be produced. - See \produce_via_geometry for details about the layer production rules. + @brief Gets the angle/mirror code + + The angle/mirror code is one of the constants R0, R90, R180, R270, M0, M45, M90 and M135. rx is the rotation by an angle of x counter clockwise. mx is the mirroring at the axis given by the angle x (to the x-axis). Setter: - @brief Sets a value indicating whether routing geometry shall be produced. - See \produce_via_geometry for details about the layer production rules. + @brief Sets the angle/mirror code + @param r The new angle/rotation code (see \rot property) + + This method was introduced in version 0.20. """ - produce_special_routing: bool - r""" - Getter: - @brief Gets a value indicating whether special routing geometry shall be produced. - See \produce_via_geometry for details about the layer production rules. + @classmethod + def from_dtrans(cls, dtrans: DTrans) -> Trans: + r""" + @brief Creates an integer coordinate transformation from a floating-point coordinate transformation + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtrans'. + """ + @classmethod + def from_s(cls, s: str) -> Trans: + r""" + @brief Creates a transformation from a string + Creates the object from a string representation (as returned by \to_s) + + This method has been added in version 0.23. + """ + @overload + @classmethod + def new(cls) -> Trans: + r""" + @brief Creates a unit transformation + """ + @overload + @classmethod + def new(cls, c: Trans, u: Optional[Vector] = ...) -> Trans: + r""" + @brief Creates a transformation from another transformation plus a displacement + + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. + + This variant has been introduced in version 0.25. + + @param c The original transformation + @param u The Additional displacement + """ + @overload + @classmethod + def new(cls, c: Trans, x: int, y: int) -> Trans: + r""" + @brief Creates a transformation from another transformation plus a displacement + + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. + + This variant has been introduced in version 0.25. + + @param c The original transformation + @param x The Additional displacement (x) + @param y The Additional displacement (y) + """ + @overload + @classmethod + def new(cls, dtrans: DTrans) -> Trans: + r""" + @brief Creates an integer coordinate transformation from a floating-point coordinate transformation + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtrans'. + """ + @overload + @classmethod + def new(cls, rot: int, mirr: Optional[bool] = ..., u: Optional[Vector] = ...) -> Trans: + r""" + @brief Creates a transformation using angle and mirror flag + + The sequence of operations is: mirroring at x axis, + rotation, application of displacement. + + @param rot The rotation in units of 90 degree + @param mirrx True, if mirrored at x axis + @param u The displacement + """ + @overload + @classmethod + def new(cls, rot: int, mirr: bool, x: int, y: int) -> Trans: + r""" + @brief Creates a transformation using angle and mirror flag and two coordinate values for displacement + + The sequence of operations is: mirroring at x axis, + rotation, application of displacement. + + @param rot The rotation in units of 90 degree + @param mirrx True, if mirrored at x axis + @param x The horizontal displacement + @param y The vertical displacement + """ + @overload + @classmethod + def new(cls, u: Vector) -> Trans: + r""" + @brief Creates a transformation using a displacement only + + @param u The displacement + """ + @overload + @classmethod + def new(cls, x: int, y: int) -> Trans: + r""" + @brief Creates a transformation using a displacement given as two coordinates + + @param x The horizontal displacement + @param y The vertical displacement + """ + def __copy__(self) -> Trans: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> Trans: + r""" + @brief Creates a copy of self + """ + def __eq__(self, other: object) -> bool: + r""" + @brief Tests for equality + """ + def __hash__(self) -> int: + r""" + @brief Computes a hash value + Returns a hash value for the given transformation. This method enables transformations as hash keys. + + This method has been introduced in version 0.25. + """ + @overload + def __init__(self) -> None: + r""" + @brief Creates a unit transformation + """ + @overload + def __init__(self, c: Trans, u: Optional[Vector] = ...) -> None: + r""" + @brief Creates a transformation from another transformation plus a displacement + + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. + + This variant has been introduced in version 0.25. + + @param c The original transformation + @param u The Additional displacement + """ + @overload + def __init__(self, c: Trans, x: int, y: int) -> None: + r""" + @brief Creates a transformation from another transformation plus a displacement + + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. + + This variant has been introduced in version 0.25. + + @param c The original transformation + @param x The Additional displacement (x) + @param y The Additional displacement (y) + """ + @overload + def __init__(self, dtrans: DTrans) -> None: + r""" + @brief Creates an integer coordinate transformation from a floating-point coordinate transformation + + This constructor has been introduced in version 0.25 and replaces the previous static method 'from_dtrans'. + """ + @overload + def __init__(self, rot: int, mirr: Optional[bool] = ..., u: Optional[Vector] = ...) -> None: + r""" + @brief Creates a transformation using angle and mirror flag + + The sequence of operations is: mirroring at x axis, + rotation, application of displacement. + + @param rot The rotation in units of 90 degree + @param mirrx True, if mirrored at x axis + @param u The displacement + """ + @overload + def __init__(self, rot: int, mirr: bool, x: int, y: int) -> None: + r""" + @brief Creates a transformation using angle and mirror flag and two coordinate values for displacement + + The sequence of operations is: mirroring at x axis, + rotation, application of displacement. + + @param rot The rotation in units of 90 degree + @param mirrx True, if mirrored at x axis + @param x The horizontal displacement + @param y The vertical displacement + """ + @overload + def __init__(self, u: Vector) -> None: + r""" + @brief Creates a transformation using a displacement only + + @param u The displacement + """ + @overload + def __init__(self, x: int, y: int) -> None: + r""" + @brief Creates a transformation using a displacement given as two coordinates + + @param x The horizontal displacement + @param y The vertical displacement + """ + def __lt__(self, other: Trans) -> bool: + r""" + @brief Provides a 'less' criterion for sorting + This method is provided to implement a sorting order. The definition of 'less' is opaque and might change in future versions. + """ + @overload + def __mul__(self, box: Box) -> Box: + r""" + @brief Transforms a box + + 't*box' or 't.trans(box)' is equivalent to box.transformed(t). + + @param box The box to transform + @return The transformed box + + This convenience method has been introduced in version 0.25. + """ + @overload + def __mul__(self, d: int) -> int: + r""" + @brief Transforms a distance + + The "ctrans" method transforms the given distance. + e = t(d). For the simple transformations, there + is no magnification and no modification of the distance + therefore. + + @param d The distance to transform + @return The transformed distance + + The product '*' has been added as a synonym in version 0.28. + """ + @overload + def __mul__(self, edge: Edge) -> Edge: + r""" + @brief Transforms an edge + + 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). + + @param edge The edge to transform + @return The transformed edge + + This convenience method has been introduced in version 0.25. + """ + @overload + def __mul__(self, p: Point) -> Point: + r""" + @brief Transforms a point + + The "trans" method or the * operator transforms the given point. + q = t(p) + + The * operator has been introduced in version 0.25. + + @param p The point to transform + @return The transformed point + """ + @overload + def __mul__(self, path: Path) -> Path: + r""" + @brief Transforms a path + + 't*path' or 't.trans(path)' is equivalent to path.transformed(t). + + @param path The path to transform + @return The transformed path + + This convenience method has been introduced in version 0.25. + """ + @overload + def __mul__(self, polygon: Polygon) -> Polygon: + r""" + @brief Transforms a polygon + + 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). + + @param polygon The polygon to transform + @return The transformed polygon + + This convenience method has been introduced in version 0.25. + """ + @overload + def __mul__(self, t: Trans) -> Trans: + r""" + @brief Returns the concatenated transformation + + The * operator returns self*t ("t is applied before this transformation"). + + @param t The transformation to apply before + @return The modified transformation + """ + @overload + def __mul__(self, text: Text) -> Text: + r""" + @brief Transforms a text + + 't*text' or 't.trans(text)' is equivalent to text.transformed(t). + + @param text The text to transform + @return The transformed text + + This convenience method has been introduced in version 0.25. + """ + @overload + def __mul__(self, v: Vector) -> Vector: + r""" + @brief Transforms a vector + + The "trans" method or the * operator transforms the given vector. + w = t(v) + + Vector transformation has been introduced in version 0.25. + + @param v The vector to transform + @return The transformed vector + """ + def __ne__(self, other: object) -> bool: + r""" + @brief Tests for inequality + """ + @overload + def __rmul__(self, box: Box) -> Box: + r""" + @brief Transforms a box + + 't*box' or 't.trans(box)' is equivalent to box.transformed(t). + + @param box The box to transform + @return The transformed box + + This convenience method has been introduced in version 0.25. + """ + @overload + def __rmul__(self, d: int) -> int: + r""" + @brief Transforms a distance + + The "ctrans" method transforms the given distance. + e = t(d). For the simple transformations, there + is no magnification and no modification of the distance + therefore. + + @param d The distance to transform + @return The transformed distance + + The product '*' has been added as a synonym in version 0.28. + """ + @overload + def __rmul__(self, edge: Edge) -> Edge: + r""" + @brief Transforms an edge + + 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). + + @param edge The edge to transform + @return The transformed edge + + This convenience method has been introduced in version 0.25. + """ + @overload + def __rmul__(self, p: Point) -> Point: + r""" + @brief Transforms a point + + The "trans" method or the * operator transforms the given point. + q = t(p) + + The * operator has been introduced in version 0.25. + + @param p The point to transform + @return The transformed point + """ + @overload + def __rmul__(self, path: Path) -> Path: + r""" + @brief Transforms a path + + 't*path' or 't.trans(path)' is equivalent to path.transformed(t). + + @param path The path to transform + @return The transformed path + + This convenience method has been introduced in version 0.25. + """ + @overload + def __rmul__(self, polygon: Polygon) -> Polygon: + r""" + @brief Transforms a polygon + + 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). + + @param polygon The polygon to transform + @return The transformed polygon + + This convenience method has been introduced in version 0.25. + """ + @overload + def __rmul__(self, text: Text) -> Text: + r""" + @brief Transforms a text + + 't*text' or 't.trans(text)' is equivalent to text.transformed(t). + + @param text The text to transform + @return The transformed text + + This convenience method has been introduced in version 0.25. + """ + @overload + def __rmul__(self, v: Vector) -> Vector: + r""" + @brief Transforms a vector + + The "trans" method or the * operator transforms the given vector. + w = t(v) + + Vector transformation has been introduced in version 0.25. + + @param v The vector to transform + @return The transformed vector + """ + def __str__(self, dbu: Optional[float] = ...) -> str: + r""" + @brief String conversion + If a DBU is given, the output units will be micrometers. + + The DBU argument has been added in version 0.27.6. + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def assign(self, other: Trans) -> None: + r""" + @brief Assigns another object to self + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def ctrans(self, d: int) -> int: + r""" + @brief Transforms a distance + + The "ctrans" method transforms the given distance. + e = t(d). For the simple transformations, there + is no magnification and no modification of the distance + therefore. + + @param d The distance to transform + @return The transformed distance + + The product '*' has been added as a synonym in version 0.28. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> Trans: + r""" + @brief Creates a copy of self + """ + def hash(self) -> int: + r""" + @brief Computes a hash value + Returns a hash value for the given transformation. This method enables transformations as hash keys. + + This method has been introduced in version 0.25. + """ + def invert(self) -> Trans: + r""" + @brief Inverts the transformation (in place) + + Inverts the transformation and replaces this object by the + inverted one. + + @return The inverted transformation + """ + def inverted(self) -> Trans: + r""" + @brief Returns the inverted transformation + Returns the inverted transformation + + @return The inverted transformation + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def is_mirror(self) -> bool: + r""" + @brief Gets the mirror flag + + If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. + """ + def to_dtype(self, dbu: Optional[float] = ...) -> DTrans: + r""" + @brief Converts the transformation to a floating-point coordinate transformation + + The database unit can be specified to translate the integer-coordinate transformation into a floating-point coordinate transformation in micron units. The database unit is basically a scaling factor. + + This method has been introduced in version 0.25. + """ + def to_s(self, dbu: Optional[float] = ...) -> str: + r""" + @brief String conversion + If a DBU is given, the output units will be micrometers. + + The DBU argument has been added in version 0.27.6. + """ + @overload + def trans(self, box: Box) -> Box: + r""" + @brief Transforms a box + + 't*box' or 't.trans(box)' is equivalent to box.transformed(t). + + @param box The box to transform + @return The transformed box + + This convenience method has been introduced in version 0.25. + """ + @overload + def trans(self, edge: Edge) -> Edge: + r""" + @brief Transforms an edge + + 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). + + @param edge The edge to transform + @return The transformed edge + + This convenience method has been introduced in version 0.25. + """ + @overload + def trans(self, p: Point) -> Point: + r""" + @brief Transforms a point + + The "trans" method or the * operator transforms the given point. + q = t(p) + + The * operator has been introduced in version 0.25. + + @param p The point to transform + @return The transformed point + """ + @overload + def trans(self, path: Path) -> Path: + r""" + @brief Transforms a path + + 't*path' or 't.trans(path)' is equivalent to path.transformed(t). + + @param path The path to transform + @return The transformed path + + This convenience method has been introduced in version 0.25. + """ + @overload + def trans(self, polygon: Polygon) -> Polygon: + r""" + @brief Transforms a polygon + + 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). + + @param polygon The polygon to transform + @return The transformed polygon + + This convenience method has been introduced in version 0.25. + """ + @overload + def trans(self, text: Text) -> Text: + r""" + @brief Transforms a text + + 't*text' or 't.trans(text)' is equivalent to text.transformed(t). + + @param text The text to transform + @return The transformed text + + This convenience method has been introduced in version 0.25. + """ + @overload + def trans(self, v: Vector) -> Vector: + r""" + @brief Transforms a vector + + The "trans" method or the * operator transforms the given vector. + w = t(v) + + Vector transformation has been introduced in version 0.25. + + @param v The vector to transform + @return The transformed vector + """ + +class TrapezoidDecompositionMode: + r""" + @brief This class represents the TrapezoidDecompositionMode enum used within trapezoid decomposition + + This enum has been introduced in version 0.27. + """ + TD_htrapezoids: ClassVar[TrapezoidDecompositionMode] + r""" + @brief Indicates horizontal trapezoid decomposition. + """ + TD_simple: ClassVar[TrapezoidDecompositionMode] + r""" + @brief Indicates unspecific decomposition. + """ + TD_vtrapezoids: ClassVar[TrapezoidDecompositionMode] + r""" + @brief Indicates vertical trapezoid decomposition. + """ + @overload + @classmethod + def new(cls, i: int) -> TrapezoidDecompositionMode: + r""" + @brief Creates an enum from an integer value + """ + @overload + @classmethod + def new(cls, s: str) -> TrapezoidDecompositionMode: + r""" + @brief Creates an enum from a string value + """ + def __copy__(self) -> TrapezoidDecompositionMode: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> TrapezoidDecompositionMode: + r""" + @brief Creates a copy of self + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares two enums + """ + @overload + def __init__(self, i: int) -> None: + r""" + @brief Creates an enum from an integer value + """ + @overload + def __init__(self, s: str) -> None: + r""" + @brief Creates an enum from a string value + """ + @overload + def __lt__(self, other: TrapezoidDecompositionMode) -> bool: + r""" + @brief Returns true if the first enum is less (in the enum symbol order) than the second + """ + @overload + def __lt__(self, other: int) -> bool: + r""" + @brief Returns true if the enum is less (in the enum symbol order) than the integer value + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer for inequality + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares two enums for inequality + """ + def __repr__(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def assign(self, other: TrapezoidDecompositionMode) -> None: + r""" + @brief Assigns another object to self + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> TrapezoidDecompositionMode: + r""" + @brief Creates a copy of self + """ + def inspect(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def to_i(self) -> int: + r""" + @brief Gets the integer value from the enum + """ + def to_s(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + +class Utils: + r""" + @brief This namespace provides a collection of utility functions + + This class has been introduced in version 0.27. + """ + @classmethod + def new(cls) -> Utils: + r""" + @brief Creates a new object of this class + """ + @overload + @classmethod + def spline_interpolation(cls, control_points: Sequence[DPoint], degree: int, knots: Sequence[float], relative_accuracy: float, absolute_accuracy: float) -> List[DPoint]: + r""" + @brief This function computes the Spline curve for a given set of control points (point, weight), degree and knots. + + This is the version for non-rational splines. It lacks the weight vector. + """ + @overload + @classmethod + def spline_interpolation(cls, control_points: Sequence[DPoint], weights: Sequence[float], degree: int, knots: Sequence[float], relative_accuracy: float, absolute_accuracy: float) -> List[DPoint]: + r""" + @brief This function computes the Spline curve for a given set of control points (point, weight), degree and knots. + + The knot vector needs to be padded and it's size must fulfill the condition: + + @code + knots.size == control_points.size + degree + 1 + @/code + + The accuracy parameters allow tuning the resolution of the curve to target a specific approximation quality. + "relative_accuracy" gives the accuracy relative to the local curvature radius, "absolute" accuracy gives the + absolute accuracy. "accuracy" is the allowed deviation of polygon approximation from the ideal curve. + The computed curve should meet at least one of the accuracy criteria. Setting both limits to a very small + value will result in long run times and a large number of points returned. + + This function supports both rational splines (NURBS) and non-rational splines. The latter use weights of + 1.0 for each point. + + The return value is a list of points forming a path which approximates the spline curve. + """ + @overload + @classmethod + def spline_interpolation(cls, control_points: Sequence[Point], degree: int, knots: Sequence[float], relative_accuracy: float, absolute_accuracy: float) -> List[Point]: + r""" + @brief This function computes the Spline curve for a given set of control points (point, weight), degree and knots. + + This is the version for integer-coordinate points for non-rational splines. + """ + @overload + @classmethod + def spline_interpolation(cls, control_points: Sequence[Point], weights: Sequence[float], degree: int, knots: Sequence[float], relative_accuracy: float, absolute_accuracy: float) -> List[Point]: + r""" + @brief This function computes the Spline curve for a given set of control points (point, weight), degree and knots. + + This is the version for integer-coordinate points. + """ + def __copy__(self) -> Utils: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> Utils: + r""" + @brief Creates a copy of self + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def assign(self, other: Utils) -> None: + r""" + @brief Assigns another object to self + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> Utils: + r""" + @brief Creates a copy of self + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + +class VAlign: + r""" + @brief This class represents the vertical alignment modes. + This enum has been introduced in version 0.28. + """ + NoVAlign: ClassVar[VAlign] + r""" + @brief Undefined vertical alignment + """ + VAlignBottom: ClassVar[VAlign] + r""" + @brief Bottom vertical alignment + """ + VAlignCenter: ClassVar[VAlign] + r""" + @brief Centered vertical alignment + """ + VAlignTop: ClassVar[VAlign] + r""" + @brief Top vertical alignment + """ + @overload + @classmethod + def new(cls, i: int) -> VAlign: + r""" + @brief Creates an enum from an integer value + """ + @overload + @classmethod + def new(cls, s: str) -> VAlign: + r""" + @brief Creates an enum from a string value + """ + def __copy__(self) -> VAlign: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> VAlign: + r""" + @brief Creates a copy of self + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares two enums + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer value + """ + @overload + def __init__(self, i: int) -> None: + r""" + @brief Creates an enum from an integer value + """ + @overload + def __init__(self, s: str) -> None: + r""" + @brief Creates an enum from a string value + """ + @overload + def __lt__(self, other: VAlign) -> bool: + r""" + @brief Returns true if the first enum is less (in the enum symbol order) than the second + """ + @overload + def __lt__(self, other: int) -> bool: + r""" + @brief Returns true if the enum is less (in the enum symbol order) than the integer value + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer for inequality + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares two enums for inequality + """ + def __repr__(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - The differentiation between special and normal routing has been introduced in version 0.27. - Setter: - @brief Sets a value indicating whether special routing geometry shall be produced. - See \produce_via_geometry for details about the layer production rules. - The differentiation between special and normal routing has been introduced in version 0.27. - """ - produce_via_geometry: bool - r""" - Getter: - @brief Sets a value indicating whether via geometries shall be produced. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - If set to true, shapes will be produced for each via. The layer to be produced will be determined from the via layer's name using the suffix provided by \via_geometry_suffix. If there is a specific mapping in the layer mapping table for the via layer including the suffix, the layer/datatype will be taken from the layer mapping table. If there is a mapping to the undecorated via layer, the datatype will be substituted with the \via_geometry_datatype value. If no mapping is defined, a unique number will be assigned to the layer number and the datatype will be taken from the \via_geometry_datatype value. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def assign(self, other: VAlign) -> None: + r""" + @brief Assigns another object to self + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> VAlign: + r""" + @brief Creates a copy of self + """ + def inspect(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def to_i(self) -> int: + r""" + @brief Gets the integer value from the enum + """ + def to_s(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ - For example: the via layer is 'V1', \via_geometry_suffix is 'GEO' and \via_geometry_datatype is 1. Then: +class VCplxTrans: + r""" + @brief A complex transformation - @ul - @li If there is a mapping for 'V1.GEO', the layer and datatype will be taken from there. @/li - @li If there is a mapping for 'V1', the layer will be taken from there and the datatype will be taken from \via_geometry_datatype. The name of the produced layer will be 'V1.GEO'. @/li - @li If there is no mapping for both, the layer number will be a unique value, the datatype will be taken from \via_geometry_datatype and the layer name will be 'V1.GEO'. @/li@/ul + A complex transformation provides magnification, mirroring at the x-axis, rotation by an arbitrary + angle and a displacement. This is also the order, the operations are applied. + This version can transform floating point coordinate objects into integer coordinate objects, which may involve rounding and can be inexact. - Setter: - @brief Sets a value indicating whether via geometries shall be produced. - See \produce_via_geometry for details. - """ - read_lef_with_def: bool - r""" - Getter: - @brief Gets a value indicating whether to read all LEF files in the same directory than the DEF file. - If this property is set to true (the default), the DEF reader will automatically consume all LEF files next to the DEF file in addition to the LEF files specified with \lef_files. If set to false, only the LEF files specified with \lef_files will be read. + Complex transformations are extensions of the simple transformation classes (\Trans in that case) and behave similar. - This property has been added in version 0.27. + Transformations can be used to transform points or other objects. Transformations can be combined with the '*' operator to form the transformation which is equivalent to applying the second and then the first. Here is some code: - Setter: - @brief Sets a value indicating whether to read all LEF files in the same directory than the DEF file. - See \read_lef_with_def for details about this property. + @code + # Create a transformation that applies a magnification of 1.5, a rotation by 90 degree + # and displacement of 10 in x and 20 units in y direction: + t = RBA::VCplxTrans::new(1.5, 90, false, 10, 20) + t.to_s # r90 *1.5 10,20 + # compute the inverse: + t.inverted.to_s # r270 *0.666666667 -13,7 + # Combine with another displacement (applied after that): + (RBA::VCplxTrans::new(5, 5) * t).to_s # r90 *1.5 15,25 + # Transform a point: + t.trans(RBA::DPoint::new(100, 200)).to_s # -290,170 + @/code - This property has been added in version 0.27. - """ - region_layer: str - r""" - Getter: - @brief Gets the layer on which to produce the regions. - This attribute is a string corresponding to the string representation of \LayerInfo. This string can be either a layer number, a layer/datatype pair, a name or a combination of both. See \LayerInfo for details.The setter for this attribute is \region_layer=. See also \produce_regions. + The VCplxTrans type is the inverse transformation of the CplxTrans transformation and vice versa.Transformations of VCplxTrans type can be concatenated (operator *) with either itself or with transformations of compatible input or output type. This means, the operator VCplxTrans * CplxTrans is allowed (output types of CplxTrans and input of VCplxTrans are identical) while VCplxTrans * ICplxTrans is not. - The attribute has been introduced in version 0.27. - Setter: - @brief Sets the layer on which to produce the regions. - See \region_layer for details. + This class has been introduced in version 0.25. - The attribute has been introduced in version 0.27. - """ - routing_datatype: int - r""" - Getter: - @brief Gets the routing layer datatype value. - See \produce_via_geometry for details about the layer production rules. - Setter: - @brief Sets the routing layer datatype value. - See \produce_via_geometry for details about the layer production rules. + See @The Database API@ for more details about the database objects. """ - routing_datatype_str: str + M0: ClassVar[VCplxTrans] r""" - Getter: - @hide - Setter: - @hide + @brief A constant giving "mirrored at the x-axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. """ - routing_suffix: str + M135: ClassVar[VCplxTrans] r""" - Getter: - @brief Gets the routing layer name suffix. - See \produce_via_geometry for details about the layer production rules. - Setter: - @brief Sets the routing layer name suffix. - See \produce_via_geometry for details about the layer production rules. + @brief A constant giving "mirrored at the 135 degree axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. """ - routing_suffix_str: str + M45: ClassVar[VCplxTrans] r""" - Getter: - @hide - Setter: - @hide + @brief A constant giving "mirrored at the 45 degree axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. """ - separate_groups: bool + M90: ClassVar[VCplxTrans] r""" - Getter: - @brief Gets a value indicating whether to create separate parent cells for individual groups. - If this property is set to true, instances belonging to different groups are separated by putting them into individual parent cells. These parent cells are named after the groups and are put into the master top cell. - If this property is set to false (the default), no such group parents will be formed. - This property has been added in version 0.27. - - Setter: - @brief Sets a value indicating whether to create separate parent cells for individual groups. - See \separate_groups for details about this property. - - This property has been added in version 0.27. + @brief A constant giving "mirrored at the y (90 degree) axis" transformation + The previous integer constant has been turned into a transformation in version 0.25. """ - special_routing_datatype: int + R0: ClassVar[VCplxTrans] r""" - Getter: - @brief Gets the special routing layer datatype value. - See \produce_via_geometry for details about the layer production rules. - The differentiation between special and normal routing has been introduced in version 0.27. - Setter: - @brief Sets the special routing layer datatype value. - See \produce_via_geometry for details about the layer production rules. - The differentiation between special and normal routing has been introduced in version 0.27. + @brief A constant giving "unrotated" (unit) transformation + The previous integer constant has been turned into a transformation in version 0.25. """ - special_routing_datatype_str: str + R180: ClassVar[VCplxTrans] r""" - Getter: - @hide - Setter: - @hide + @brief A constant giving "rotated by 180 degree counterclockwise" transformation + The previous integer constant has been turned into a transformation in version 0.25. """ - special_routing_suffix: str + R270: ClassVar[VCplxTrans] r""" - Getter: - @brief Gets the special routing layer name suffix. - See \produce_via_geometry for details about the layer production rules. - The differentiation between special and normal routing has been introduced in version 0.27. - Setter: - @brief Sets the special routing layer name suffix. - See \produce_via_geometry for details about the layer production rules. - The differentiation between special and normal routing has been introduced in version 0.27. + @brief A constant giving "rotated by 270 degree counterclockwise" transformation + The previous integer constant has been turned into a transformation in version 0.25. """ - special_routing_suffix_str: str + R90: ClassVar[VCplxTrans] r""" - Getter: - @hide - Setter: - @hide + @brief A constant giving "rotated by 90 degree counterclockwise" transformation + The previous integer constant has been turned into a transformation in version 0.25. """ - via_cellname_prefix: str + angle: float r""" Getter: - @brief Gets the via cellname prefix. - Vias are represented by cells. The cell name is formed by combining the via cell name prefix and the via name. - - This property has been added in version 0.27. + @brief Gets the angle - Setter: - @brief Sets the via cellname prefix. - See \via_cellname_prefix for details about this property. + Note that the simple transformation returns the angle in units of 90 degree. Hence for a simple trans (i.e. \Trans), a rotation angle of 180 degree delivers a value of 2 for the angle attribute. The complex transformation, supporting any rotation angle returns the angle in degree. - This property has been added in version 0.27. - """ - via_geometry_datatype: int - r""" - Getter: - @brief Gets the via geometry layer datatype value. - See \produce_via_geometry for details about this property. + @return The rotation angle this transformation provides in degree units (0..360 deg). Setter: - @brief Sets the via geometry layer datatype value. - See \produce_via_geometry for details about this property. + @brief Sets the angle + @param a The new angle + See \angle for a description of that attribute. """ - via_geometry_datatype_str: str + disp: Vector r""" Getter: - @hide + @brief Gets the displacement + Setter: - @hide + @brief Sets the displacement + @param u The new displacement """ - via_geometry_suffix: str + mag: float r""" Getter: - @brief Gets the via geometry layer name suffix. - See \produce_via_geometry for details about this property. + @brief Gets the magnification Setter: - @brief Sets the via geometry layer name suffix. - See \produce_via_geometry for details about this property. + @brief Sets the magnification + @param m The new magnification """ - via_geometry_suffix_str: str + mirror: bool r""" Getter: - @hide + @brief Gets the mirror flag + + If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. Setter: - @hide + @brief Sets the mirror flag + "mirroring" describes a reflection at the x-axis which is included in the transformation prior to rotation.@param m The new mirror flag """ @classmethod - def new(cls) -> LEFDEFReaderConfiguration: + def from_s(cls, s: str) -> VCplxTrans: r""" - @brief Creates a new object of this class + @brief Creates an object from a string + Creates the object from a string representation (as returned by \to_s) + + This method has been added in version 0.23. + """ + @overload + @classmethod + def new(cls) -> VCplxTrans: + r""" + @brief Creates a unit transformation + """ + @overload + @classmethod + def new(cls, c: VCplxTrans, m: Optional[float] = ..., u: Optional[Vector] = ...) -> VCplxTrans: + r""" + @brief Creates a transformation from another transformation plus a magnification and displacement + + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. + + This variant has been introduced in version 0.25. + + @param c The original transformation + @param u The Additional displacement + """ + @overload + @classmethod + def new(cls, c: VCplxTrans, m: float, x: float, y: float) -> VCplxTrans: + r""" + @brief Creates a transformation from another transformation plus a magnification and displacement + + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. + + This variant has been introduced in version 0.25. + + @param c The original transformation + @param x The Additional displacement (x) + @param y The Additional displacement (y) + """ + @overload + @classmethod + def new(cls, m: float) -> VCplxTrans: + r""" + @brief Creates a transformation from a magnification + + Creates a magnifying transformation without displacement and rotation given the magnification m. + """ + @overload + @classmethod + def new(cls, mag: float, rot: float, mirrx: bool, u: Vector) -> VCplxTrans: + r""" + @brief Creates a transformation using magnification, angle, mirror flag and displacement + + The sequence of operations is: magnification, mirroring at x axis, + rotation, application of displacement. + + @param mag The magnification + @param rot The rotation angle in units of degree + @param mirrx True, if mirrored at x axis + @param u The displacement + """ + @overload + @classmethod + def new(cls, mag: float, rot: float, mirrx: bool, x: int, y: int) -> VCplxTrans: + r""" + @brief Creates a transformation using magnification, angle, mirror flag and displacement + + The sequence of operations is: magnification, mirroring at x axis, + rotation, application of displacement. + + @param mag The magnification + @param rot The rotation angle in units of degree + @param mirrx True, if mirrored at x axis + @param x The x displacement + @param y The y displacement + """ + @overload + @classmethod + def new(cls, t: DTrans) -> VCplxTrans: + r""" + @brief Creates a transformation from a simple transformation alone + + Creates a magnifying transformation from a simple transformation and a magnification of 1.0. + """ + @overload + @classmethod + def new(cls, t: DTrans, m: float) -> VCplxTrans: + r""" + @brief Creates a transformation from a simple transformation and a magnification + + Creates a magnifying transformation from a simple transformation and a magnification. + """ + @overload + @classmethod + def new(cls, trans: CplxTrans) -> VCplxTrans: + r""" + @brief Creates a floating-point coordinate transformation from another coordinate flavour + """ + @overload + @classmethod + def new(cls, trans: DCplxTrans) -> VCplxTrans: + r""" + @brief Creates a floating-point coordinate transformation from another coordinate flavour + """ + @overload + @classmethod + def new(cls, trans: ICplxTrans) -> VCplxTrans: + r""" + @brief Creates a floating-point coordinate transformation from another coordinate flavour + """ + @overload + @classmethod + def new(cls, u: Vector) -> VCplxTrans: + r""" + @brief Creates a transformation from a displacement + + Creates a transformation with a displacement only. + + This method has been added in version 0.25. + """ + @overload + @classmethod + def new(cls, x: int, y: int) -> VCplxTrans: + r""" + @brief Creates a transformation from a x and y displacement + + This constructor will create a transformation with the specified displacement + but no rotation. + + @param x The x displacement + @param y The y displacement + """ + def __copy__(self) -> VCplxTrans: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> VCplxTrans: + r""" + @brief Creates a copy of self + """ + def __eq__(self, other: object) -> bool: + r""" + @brief Tests for equality + """ + def __hash__(self) -> int: + r""" + @brief Computes a hash value + Returns a hash value for the given transformation. This method enables transformations as hash keys. + + This method has been introduced in version 0.25. + """ + @overload + def __init__(self) -> None: + r""" + @brief Creates a unit transformation + """ + @overload + def __init__(self, c: VCplxTrans, m: Optional[float] = ..., u: Optional[Vector] = ...) -> None: + r""" + @brief Creates a transformation from another transformation plus a magnification and displacement + + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. + + This variant has been introduced in version 0.25. + + @param c The original transformation + @param u The Additional displacement + """ + @overload + def __init__(self, c: VCplxTrans, m: float, x: float, y: float) -> None: + r""" + @brief Creates a transformation from another transformation plus a magnification and displacement + + Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates and backward compatibility since the constants are transformations now. It will copy the original transformation and add the given displacement. + + This variant has been introduced in version 0.25. + + @param c The original transformation + @param x The Additional displacement (x) + @param y The Additional displacement (y) + """ + @overload + def __init__(self, m: float) -> None: + r""" + @brief Creates a transformation from a magnification + + Creates a magnifying transformation without displacement and rotation given the magnification m. + """ + @overload + def __init__(self, mag: float, rot: float, mirrx: bool, u: Vector) -> None: + r""" + @brief Creates a transformation using magnification, angle, mirror flag and displacement + + The sequence of operations is: magnification, mirroring at x axis, + rotation, application of displacement. + + @param mag The magnification + @param rot The rotation angle in units of degree + @param mirrx True, if mirrored at x axis + @param u The displacement + """ + @overload + def __init__(self, mag: float, rot: float, mirrx: bool, x: int, y: int) -> None: + r""" + @brief Creates a transformation using magnification, angle, mirror flag and displacement + + The sequence of operations is: magnification, mirroring at x axis, + rotation, application of displacement. + + @param mag The magnification + @param rot The rotation angle in units of degree + @param mirrx True, if mirrored at x axis + @param x The x displacement + @param y The y displacement + """ + @overload + def __init__(self, t: DTrans) -> None: + r""" + @brief Creates a transformation from a simple transformation alone + + Creates a magnifying transformation from a simple transformation and a magnification of 1.0. + """ + @overload + def __init__(self, t: DTrans, m: float) -> None: + r""" + @brief Creates a transformation from a simple transformation and a magnification + + Creates a magnifying transformation from a simple transformation and a magnification. + """ + @overload + def __init__(self, trans: CplxTrans) -> None: + r""" + @brief Creates a floating-point coordinate transformation from another coordinate flavour + """ + @overload + def __init__(self, trans: DCplxTrans) -> None: + r""" + @brief Creates a floating-point coordinate transformation from another coordinate flavour + """ + @overload + def __init__(self, trans: ICplxTrans) -> None: + r""" + @brief Creates a floating-point coordinate transformation from another coordinate flavour + """ + @overload + def __init__(self, u: Vector) -> None: + r""" + @brief Creates a transformation from a displacement + + Creates a transformation with a displacement only. + + This method has been added in version 0.25. """ - def __copy__(self) -> LEFDEFReaderConfiguration: + @overload + def __init__(self, x: int, y: int) -> None: r""" - @brief Creates a copy of self + @brief Creates a transformation from a x and y displacement + + This constructor will create a transformation with the specified displacement + but no rotation. + + @param x The x displacement + @param y The y displacement """ - def __deepcopy__(self) -> LEFDEFReaderConfiguration: + def __lt__(self, other: VCplxTrans) -> bool: r""" - @brief Creates a copy of self + @brief Provides a 'less' criterion for sorting + This method is provided to implement a sorting order. The definition of 'less' is opaque and might change in future versions. """ - def __init__(self) -> None: + @overload + def __mul__(self, box: DBox) -> Box: r""" - @brief Creates a new object of this class + @brief Transforms a box + + 't*box' or 't.trans(box)' is equivalent to box.transformed(t). + + @param box The box to transform + @return The transformed box + + This convenience method has been introduced in version 0.25. """ - def _create(self) -> None: + @overload + def __mul__(self, d: float) -> int: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Transforms a distance + + The "ctrans" method transforms the given distance. + e = t(d). For the simple transformations, there + is no magnification and no modification of the distance + therefore. + + @param d The distance to transform + @return The transformed distance + + The product '*' has been added as a synonym in version 0.28. """ - def _destroy(self) -> None: + @overload + def __mul__(self, edge: DEdge) -> Edge: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Transforms an edge + + 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). + + @param edge The edge to transform + @return The transformed edge + + This convenience method has been introduced in version 0.25. """ - def _destroyed(self) -> bool: + @overload + def __mul__(self, p: DPoint) -> Point: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Transforms a point + + The "trans" method or the * operator transforms the given point. + q = t(p) + + The * operator has been introduced in version 0.25. + + @param p The point to transform + @return The transformed point """ - def _is_const_object(self) -> bool: + @overload + def __mul__(self, p: DVector) -> Vector: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Transforms a vector + + The "trans" method or the * operator transforms the given vector. + w = t(v) + + Vector transformation has been introduced in version 0.25. + + @param v The vector to transform + @return The transformed vector """ - def _manage(self) -> None: + @overload + def __mul__(self, path: DPath) -> Path: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Transforms a path - Usually it's not required to call this method. It has been introduced in version 0.24. + 't*path' or 't.trans(path)' is equivalent to path.transformed(t). + + @param path The path to transform + @return The transformed path + + This convenience method has been introduced in version 0.25. """ - def _unmanage(self) -> None: + @overload + def __mul__(self, polygon: DPolygon) -> Polygon: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Transforms a polygon - Usually it's not required to call this method. It has been introduced in version 0.24. + 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). + + @param polygon The polygon to transform + @return The transformed polygon + + This convenience method has been introduced in version 0.25. """ - def assign(self, other: LEFDEFReaderConfiguration) -> None: + @overload + def __mul__(self, t: CplxTrans) -> ICplxTrans: r""" - @brief Assigns another object to self + @brief Multiplication (concatenation) of transformations + + The * operator returns self*t ("t is applied before this transformation"). + + @param t The transformation to apply before + @return The modified transformation """ - def clear_fill_datatypes_per_mask(self) -> None: + @overload + def __mul__(self, t: DCplxTrans) -> VCplxTrans: r""" - @brief Clears the fill layer datatypes per mask. - See \produce_via_geometry for details about this property. + @brief Multiplication (concatenation) of transformations + The * operator returns self*t ("t is applied before this transformation"). - Mask specific rules have been introduced in version 0.27. + @param t The transformation to apply before + @return The modified transformation """ - def clear_fills_suffixes_per_mask(self) -> None: + @overload + def __mul__(self, t: VCplxTrans) -> VCplxTrans: r""" - @brief Clears the fill layer name suffix per mask. - See \produce_via_geometry for details about this property. + @brief Returns the concatenated transformation + The * operator returns self*t ("t is applied before this transformation"). - Mask specific rules have been introduced in version 0.27. + @param t The transformation to apply before + @return The modified transformation """ - def clear_lef_pins_datatypes_per_mask(self) -> None: + @overload + def __mul__(self, text: DText) -> Text: r""" - @brief Clears the LEF pin layer datatypes per mask. - See \produce_via_geometry for details about this property. + @brief Transforms a text + + 't*text' or 't.trans(text)' is equivalent to text.transformed(t). + @param text The text to transform + @return The transformed text - Mask specific rules have been introduced in version 0.27. + This convenience method has been introduced in version 0.25. """ - def clear_lef_pins_suffixes_per_mask(self) -> None: + def __ne__(self, other: object) -> bool: r""" - @brief Clears the LEF pin layer name suffix per mask. - See \produce_via_geometry for details about this property. + @brief Tests for inequality + """ + @overload + def __rmul__(self, box: DBox) -> Box: + r""" + @brief Transforms a box + + 't*box' or 't.trans(box)' is equivalent to box.transformed(t). + @param box The box to transform + @return The transformed box - Mask specific rules have been introduced in version 0.27. + This convenience method has been introduced in version 0.25. """ - def clear_pin_datatypes_per_mask(self) -> None: + @overload + def __rmul__(self, d: float) -> int: r""" - @brief Clears the pin layer datatypes per mask. - See \produce_via_geometry for details about this property. + @brief Transforms a distance + The "ctrans" method transforms the given distance. + e = t(d). For the simple transformations, there + is no magnification and no modification of the distance + therefore. - Mask specific rules have been introduced in version 0.27. + @param d The distance to transform + @return The transformed distance + + The product '*' has been added as a synonym in version 0.28. """ - def clear_pins_suffixes_per_mask(self) -> None: + @overload + def __rmul__(self, edge: DEdge) -> Edge: r""" - @brief Clears the pin layer name suffix per mask. - See \produce_via_geometry for details about this property. + @brief Transforms an edge + 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). - Mask specific rules have been introduced in version 0.27. + @param edge The edge to transform + @return The transformed edge + + This convenience method has been introduced in version 0.25. """ - def clear_routing_datatypes_per_mask(self) -> None: + @overload + def __rmul__(self, p: DPoint) -> Point: r""" - @brief Clears the routing layer datatypes per mask. - See \produce_via_geometry for details about this property. + @brief Transforms a point + + The "trans" method or the * operator transforms the given point. + q = t(p) + The * operator has been introduced in version 0.25. - Mask specific rules have been introduced in version 0.27. + @param p The point to transform + @return The transformed point """ - def clear_routing_suffixes_per_mask(self) -> None: + @overload + def __rmul__(self, p: DVector) -> Vector: r""" - @brief Clears the routing layer name suffix per mask. - See \produce_via_geometry for details about this property. + @brief Transforms a vector + + The "trans" method or the * operator transforms the given vector. + w = t(v) + Vector transformation has been introduced in version 0.25. - Mask specific rules have been introduced in version 0.27. + @param v The vector to transform + @return The transformed vector """ - def clear_special_routing_datatypes_per_mask(self) -> None: + @overload + def __rmul__(self, path: DPath) -> Path: r""" - @brief Clears the special routing layer datatypes per mask. - See \produce_via_geometry for details about this property. + @brief Transforms a path + 't*path' or 't.trans(path)' is equivalent to path.transformed(t). - Mask specific rules have been introduced in version 0.27. + @param path The path to transform + @return The transformed path + + This convenience method has been introduced in version 0.25. """ - def clear_special_routing_suffixes_per_mask(self) -> None: + @overload + def __rmul__(self, polygon: DPolygon) -> Polygon: r""" - @brief Clears the special routing layer name suffix per mask. - See \produce_via_geometry for details about this property. + @brief Transforms a polygon + 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). - Mask specific rules have been introduced in version 0.27. + @param polygon The polygon to transform + @return The transformed polygon + + This convenience method has been introduced in version 0.25. """ - def clear_via_geometry_datatypes_per_mask(self) -> None: + @overload + def __rmul__(self, text: DText) -> Text: r""" - @brief Clears the via geometry layer datatypes per mask. - See \produce_via_geometry for details about this property. + @brief Transforms a text + 't*text' or 't.trans(text)' is equivalent to text.transformed(t). - Mask specific rules have been introduced in version 0.27. + @param text The text to transform + @return The transformed text + + This convenience method has been introduced in version 0.25. """ - def clear_via_geometry_suffixes_per_mask(self) -> None: + def __str__(self, lazy: Optional[bool] = ..., dbu: Optional[float] = ...) -> str: r""" - @brief Clears the via geometry layer name suffix per mask. - See \produce_via_geometry for details about this property. - + @brief String conversion + If 'lazy' is true, some parts are omitted when not required. + If a DBU is given, the output units will be micrometers. - Mask specific rules have been introduced in version 0.27. + The lazy and DBU arguments have been added in version 0.27.6. """ - def create(self) -> None: + def _create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def destroy(self) -> None: + def _destroy(self) -> None: r""" @brief Explicitly destroys the object Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. If the object is not owned by the script, this method will do nothing. """ - def destroyed(self) -> bool: + def _destroyed(self) -> bool: r""" @brief Returns a value indicating whether the object was already destroyed This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> LEFDEFReaderConfiguration: - r""" - @brief Creates a copy of self - """ - def fills_suffix_per_mask(self, mask: int) -> str: - r""" - @brief Gets the fill geometry layer name suffix per mask. - See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - - Mask specific rules have been introduced in version 0.27. - """ - def is_const_object(self) -> bool: + def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def lef_pins_suffix_per_mask(self, mask: int) -> str: - r""" - @brief Gets the LEF pin geometry layer name suffix per mask. - See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - - Mask specific rules have been introduced in version 0.27. - """ - def pins_suffix_per_mask(self, mask: int) -> str: + def _manage(self) -> None: r""" - @brief Gets the pin geometry layer name suffix per mask. - See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - Mask specific rules have been introduced in version 0.27. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def routing_suffix_per_mask(self, mask: int) -> str: + def _unmanage(self) -> None: r""" - @brief Gets the routing geometry layer name suffix per mask. - See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - Mask specific rules have been introduced in version 0.27. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def set_fills_datatype_per_mask(self, mask: int, datatype: int) -> None: + def assign(self, other: VCplxTrans) -> None: r""" - @brief Sets the fill geometry layer datatype value. - See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - - Mask specific rules have been introduced in version 0.27. + @brief Assigns another object to self """ - def set_fills_suffix_per_mask(self, mask: int, suffix: str) -> None: + def create(self) -> None: r""" - @brief Sets the fill geometry layer name suffix per mask. - See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - - Mask specific rules have been introduced in version 0.27. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def set_lef_pins_datatype_per_mask(self, mask: int, datatype: int) -> None: + def ctrans(self, d: float) -> int: r""" - @brief Sets the LEF pin geometry layer datatype value. - See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). + @brief Transforms a distance - Mask specific rules have been introduced in version 0.27. - """ - def set_lef_pins_suffix_per_mask(self, mask: int, suffix: str) -> None: - r""" - @brief Sets the LEF pin geometry layer name suffix per mask. - See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). + The "ctrans" method transforms the given distance. + e = t(d). For the simple transformations, there + is no magnification and no modification of the distance + therefore. - Mask specific rules have been introduced in version 0.27. - """ - def set_pins_datatype_per_mask(self, mask: int, datatype: int) -> None: - r""" - @brief Sets the pin geometry layer datatype value. - See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). + @param d The distance to transform + @return The transformed distance - Mask specific rules have been introduced in version 0.27. + The product '*' has been added as a synonym in version 0.28. """ - def set_pins_suffix_per_mask(self, mask: int, suffix: str) -> None: + def destroy(self) -> None: r""" - @brief Sets the pin geometry layer name suffix per mask. - See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - - Mask specific rules have been introduced in version 0.27. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def set_routing_datatype_per_mask(self, mask: int, datatype: int) -> None: + def destroyed(self) -> bool: r""" - @brief Sets the routing geometry layer datatype value. - See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - - Mask specific rules have been introduced in version 0.27. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def set_routing_suffix_per_mask(self, mask: int, suffix: str) -> None: + def dup(self) -> VCplxTrans: r""" - @brief Sets the routing geometry layer name suffix per mask. - See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - - Mask specific rules have been introduced in version 0.27. + @brief Creates a copy of self """ - def set_special_routing_datatype_per_mask(self, mask: int, datatype: int) -> None: + def hash(self) -> int: r""" - @brief Sets the special routing geometry layer datatype value. - See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). + @brief Computes a hash value + Returns a hash value for the given transformation. This method enables transformations as hash keys. - Mask specific rules have been introduced in version 0.27. + This method has been introduced in version 0.25. """ - def set_special_routing_suffix_per_mask(self, mask: int, suffix: str) -> None: + def invert(self) -> VCplxTrans: r""" - @brief Sets the special routing geometry layer name suffix per mask. - See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). + @brief Inverts the transformation (in place) - Mask specific rules have been introduced in version 0.27. - """ - def set_via_geometry_datatype_per_mask(self, mask: int, datatype: int) -> None: - r""" - @brief Sets the via geometry layer datatype value. - See \produce_via_geometry for details about this property. - The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). + Inverts the transformation and replaces this transformation by it's + inverted one. - Mask specific rules have been introduced in version 0.27. + @return The inverted transformation """ - def set_via_geometry_suffix_per_mask(self, mask: int, suffix: str) -> None: + def inverted(self) -> CplxTrans: r""" - @brief Sets the via geometry layer name suffix per mask. - See \produce_via_geometry for details about this property. - The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). + @brief Returns the inverted transformation - Mask specific rules have been introduced in version 0.27. - """ - def special_routing_suffix_per_mask(self, mask: int) -> str: - r""" - @brief Gets the special routing geometry layer name suffix per mask. - See \produce_via_geometry for details about the layer production rules.The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). + Returns the inverted transformation. This method does not modify the transformation. - Mask specific rules have been introduced in version 0.27. + @return The inverted transformation """ - def via_geometry_suffix_per_mask(self, mask: int) -> str: + def is_complex(self) -> bool: r""" - @brief Gets the via geometry layer name suffix per mask. - See \produce_via_geometry for details about this property. - The mask number is a zero-based mask index (0: MASK 1, 1: MASK 2 ...). - - Mask specific rules have been introduced in version 0.27. - """ - -class NetTracerConnectivity: - r""" - @brief A connectivity description for the net tracer - - This object represents the technology description for the net tracer (represented by the \NetTracer class). - A technology description basically consists of connection declarations. - A connection is given by either two or three expressions describing two conductive materials. - With two expressions, the connection describes a transition from one material to another one. - With three expressions, the connection describes a transition from one material to another through a connection (a "via"). - - The conductive material is derived from original layers either directly or through boolean expressions. These expressions can include symbols which are defined through the \symbol method. - - For details about the expressions see the description of the net tracer feature. + @brief Returns true if the transformation is a complex one - This class has been introduced in version 0.28 and replaces the 'NetTracerTechnology' class which has been generalized. - """ - description: str - r""" - Getter: - @brief Gets the description text of the connectivty definition - The description is an optional string giving a human-readable description for this definition. - Setter: - @brief Sets the description of the connectivty definition - """ - name: str - r""" - Getter: - @brief Gets the name of the connectivty definition - The name is an optional string defining the formal name for this definition. + If this predicate is false, the transformation can safely be converted to a simple transformation. + Otherwise, this conversion will be lossy. + The predicate value is equivalent to 'is_mag || !is_ortho'. - Setter: - @brief Sets the name of the connectivty definition - """ - @classmethod - def new(cls) -> NetTracerConnectivity: - r""" - @brief Creates a new object of this class + This method has been introduced in version 0.27.5. """ - def __copy__(self) -> NetTracerConnectivity: + def is_const_object(self) -> bool: r""" - @brief Creates a copy of self + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def __deepcopy__(self) -> NetTracerConnectivity: + def is_mag(self) -> bool: r""" - @brief Creates a copy of self + @brief Tests, if the transformation is a magnifying one + + This is the recommended test for checking if the transformation represents + a magnification. """ - def __init__(self) -> None: + def is_mirror(self) -> bool: r""" - @brief Creates a new object of this class + @brief Gets the mirror flag + + If this property is true, the transformation is composed of a mirroring at the x-axis followed by a rotation by the angle given by the \angle property. """ - def _create(self) -> None: + def is_ortho(self) -> bool: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Tests, if the transformation is an orthogonal transformation + + If the rotation is by a multiple of 90 degree, this method will return true. """ - def _destroy(self) -> None: + def is_unity(self) -> bool: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Tests, whether this is a unit transformation """ - def _destroyed(self) -> bool: + def rot(self) -> int: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Returns the respective simple transformation equivalent rotation code if possible + + If this transformation is orthogonal (is_ortho () == true), then this method + will return the corresponding fixpoint transformation, not taking into account + magnification and displacement. If the transformation is not orthogonal, the result + reflects the quadrant the rotation goes into. """ - def _is_const_object(self) -> bool: + def s_trans(self) -> DTrans: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Extracts the simple transformation part + + The simple transformation part does not reflect magnification or arbitrary angles. + Rotation angles are rounded down to multiples of 90 degree. Magnification is fixed to 1.0. """ - def _manage(self) -> None: + def to_itrans(self, dbu: Optional[float] = ...) -> DCplxTrans: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Converts the transformation to another transformation with floating-point output coordinates - Usually it's not required to call this method. It has been introduced in version 0.24. + The database unit can be specified to translate the integer coordinate displacement in database units to a floating-point displacement in micron units. The displacement's' coordinates will be multiplied with the database unit. + + This method has been introduced in version 0.25. """ - def _unmanage(self) -> None: + def to_s(self, lazy: Optional[bool] = ..., dbu: Optional[float] = ...) -> str: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief String conversion + If 'lazy' is true, some parts are omitted when not required. + If a DBU is given, the output units will be micrometers. - Usually it's not required to call this method. It has been introduced in version 0.24. + The lazy and DBU arguments have been added in version 0.27.6. """ - def assign(self, other: NetTracerConnectivity) -> None: + def to_trans(self) -> ICplxTrans: r""" - @brief Assigns another object to self + @brief Converts the transformation to another transformation with integer input coordinates + + This method has been introduced in version 0.25. """ - @overload - def connection(self, a: str, b: str) -> None: + def to_vtrans(self, dbu: Optional[float] = ...) -> CplxTrans: r""" - @brief Defines a connection between two materials - See the class description for details about this method. + @brief Converts the transformation to another transformation with integer input and floating-point output coordinates + + The database unit can be specified to translate the integer coordinate displacement in database units to an floating-point displacement in micron units. The displacement's' coordinates will be multiplied with the database unit. + + This method has been introduced in version 0.25. """ @overload - def connection(self, a: str, via: str, b: str) -> None: + def trans(self, box: DBox) -> Box: r""" - @brief Defines a connection between materials through a via - See the class description for details about this method. + @brief Transforms a box + + 't*box' or 't.trans(box)' is equivalent to box.transformed(t). + + @param box The box to transform + @return The transformed box + + This convenience method has been introduced in version 0.25. """ - def create(self) -> None: + @overload + def trans(self, edge: DEdge) -> Edge: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Transforms an edge + + 't*edge' or 't.trans(edge)' is equivalent to edge.transformed(t). + + @param edge The edge to transform + @return The transformed edge + + This convenience method has been introduced in version 0.25. """ - def destroy(self) -> None: + @overload + def trans(self, p: DPoint) -> Point: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Transforms a point + + The "trans" method or the * operator transforms the given point. + q = t(p) + + The * operator has been introduced in version 0.25. + + @param p The point to transform + @return The transformed point """ - def destroyed(self) -> bool: + @overload + def trans(self, p: DVector) -> Vector: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Transforms a vector + + The "trans" method or the * operator transforms the given vector. + w = t(v) + + Vector transformation has been introduced in version 0.25. + + @param v The vector to transform + @return The transformed vector """ - def dup(self) -> NetTracerConnectivity: + @overload + def trans(self, path: DPath) -> Path: r""" - @brief Creates a copy of self + @brief Transforms a path + + 't*path' or 't.trans(path)' is equivalent to path.transformed(t). + + @param path The path to transform + @return The transformed path + + This convenience method has been introduced in version 0.25. """ - def is_const_object(self) -> bool: + @overload + def trans(self, polygon: DPolygon) -> Polygon: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Transforms a polygon + + 't*polygon' or 't.trans(polygon)' is equivalent to polygon.transformed(t). + + @param polygon The polygon to transform + @return The transformed polygon + + This convenience method has been introduced in version 0.25. """ - def symbol(self, name: str, expr: str) -> None: + @overload + def trans(self, text: DText) -> Text: r""" - @brief Defines a symbol for use in the material expressions. - Defines a sub-expression to be used in further symbols or material expressions. For the detailed notation of the expression see the description of the net tracer feature. + @brief Transforms a text + + 't*text' or 't.trans(text)' is equivalent to text.transformed(t). + + @param text The text to transform + @return The transformed text + + This convenience method has been introduced in version 0.25. """ -class NetElement: +class Vector: r""" - @brief A net element for the NetTracer net tracing facility - - This object represents a piece of a net extracted by the net tracer. See the description of \NetTracer for more details about the net tracer feature. + @brief A integer vector class + A vector is a distance in cartesian, 2 dimensional space. A vector is given by two coordinates (x and y) and represents the distance between two points. Being the distance, transformations act differently on vectors: the displacement is not applied. + Vectors are not geometrical objects by itself. But they are frequently used in the database API for various purposes. - The NetTracer object represents one shape of the net. The shape can be an original shape or a shape derived in a boolean operation. In the first case, the shape refers to a shape within a cell or a subcell of the original top cell. In the latter case, the shape is a synthesized one and outside the original layout hierarchy. + This class has been introduced in version 0.25. - In any case, the \shape method will deliver the shape and \trans the transformation of the shape into the original top cell. To obtain a flat representation of the net, the shapes need to be transformed by this transformation. + See @The Database API@ for more details about the database objects. + """ + x: int + r""" + Getter: + @brief Accessor to the x coordinate - \layer will give the layer the shape is located at, \cell_index will denote the cell that contains the shape. + Setter: + @brief Write accessor to the x coordinate + """ + y: int + r""" + Getter: + @brief Accessor to the y coordinate - This class has been introduced in version 0.25. + Setter: + @brief Write accessor to the y coordinate """ @classmethod - def new(cls) -> NetElement: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> NetElement: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> NetElement: - r""" - @brief Creates a copy of self - """ - def __init__(self) -> None: + def from_s(cls, s: str) -> Vector: r""" - @brief Creates a new object of this class + @brief Creates an object from a string + Creates the object from a string representation (as returned by \to_s) """ - def _create(self) -> None: + @overload + @classmethod + def new(cls) -> Vector: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Default constructor: creates a null vector with coordinates (0,0) """ - def _destroy(self) -> None: + @overload + @classmethod + def new(cls, dvector: DVector) -> Vector: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Creates an integer coordinate vector from a floating-point coordinate vector """ - def _destroyed(self) -> bool: + @overload + @classmethod + def new(cls, p: Point) -> Vector: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Default constructor: creates a vector from a point + This constructor is equivalent to computing p-point(0,0). + This method has been introduced in version 0.25. """ - def _is_const_object(self) -> bool: + @overload + @classmethod + def new(cls, x: int, y: int) -> Vector: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Constructor for a vector from two coordinate values + """ - def _manage(self) -> None: + @overload + def __add__(self, p: Point) -> Point: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Adds a vector and a point - Usually it's not required to call this method. It has been introduced in version 0.24. + + Returns the point p shifted by the vector. """ - def _unmanage(self) -> None: + @overload + def __add__(self, v: Vector) -> Vector: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Adds two vectors - Usually it's not required to call this method. It has been introduced in version 0.24. + + Adds vector v to self by adding the coordinates. """ - def assign(self, other: NetElement) -> None: + def __copy__(self) -> Vector: r""" - @brief Assigns another object to self + @brief Creates a copy of self """ - def bbox(self) -> Box: + def __deepcopy__(self) -> Vector: r""" - @brief Delivers the bounding box of the shape as seen from the original top cell + @brief Creates a copy of self """ - def cell_index(self) -> int: + def __eq__(self, v: object) -> bool: r""" - @brief Gets the index of the cell the shape is inside + @brief Equality test operator + """ - def create(self) -> None: + def __hash__(self) -> int: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Computes a hash value + Returns a hash value for the given vector. This method enables vectors as hash keys. + + This method has been introduced in version 0.25. """ - def destroy(self) -> None: + def __imul__(self, f: float) -> Vector: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Scaling by some factor + + + Scales object in place. All coordinates are multiplied with the given factor and if necessary rounded. """ - def destroyed(self) -> bool: + @overload + def __init__(self) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Default constructor: creates a null vector with coordinates (0,0) """ - def dup(self) -> NetElement: + @overload + def __init__(self, dvector: DVector) -> None: r""" - @brief Creates a copy of self + @brief Creates an integer coordinate vector from a floating-point coordinate vector """ - def is_const_object(self) -> bool: + @overload + def __init__(self, p: Point) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Default constructor: creates a vector from a point + This constructor is equivalent to computing p-point(0,0). + This method has been introduced in version 0.25. """ - def layer(self) -> int: + @overload + def __init__(self, x: int, y: int) -> None: r""" - @brief Gets the index of the layer the shape is on + @brief Constructor for a vector from two coordinate values + """ - def shape(self) -> Shape: + def __itruediv__(self, d: float) -> Vector: r""" - @brief Gets the shape that makes up this net element - See the class description for more details about this attribute. + @brief Division by some divisor + + + Divides the object in place. All coordinates are divided with the given divisor and if necessary rounded. """ - def trans(self) -> ICplxTrans: + def __lt__(self, v: Vector) -> bool: r""" - @brief Gets the transformation to apply for rendering the shape in the original top cell - See the class description for more details about this attribute. - """ + @brief "less" comparison operator -class NetTracer: - r""" - @brief The net tracer feature - The net tracer class provides an interface to the net tracer feature. It is accompanied by the \NetElement and \NetTracerTechnology classes. The latter will provide the technology definition for the net tracer while the \NetElement objects represent a piece of the net after it has been extracted. + This operator is provided to establish a sorting + order + """ + @overload + def __mul__(self, f: float) -> Vector: + r""" + @brief Scaling by some factor - The technology definition is optional. The net tracer can be used with a predefined technology as well. The basic scheme of using the net tracer is to instantiate a net tracer object and run the extraction through the \NetTracer#trace method. After this method was executed successfully, the resulting net can be obtained from the net tracer object by iterating over the \NetElement objects of the net tracer. - Here is some sample code: + Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + """ + @overload + def __mul__(self, v: Vector) -> int: + r""" + @brief Computes the scalar product between self and the given vector - @code - ly = RBA::CellView::active.layout - tracer = RBA::NetTracer::new + The scalar product of a and b is defined as: vp = ax*bx+ay*by. + """ + def __ne__(self, v: object) -> bool: + r""" + @brief Inequality test operator - tech = RBA::NetTracerConnectivity::new - tech.connection("1/0", "2/0", "3/0") + """ + def __neg__(self) -> Vector: + r""" + @brief Compute the negative of a vector - tracer.trace(tech, ly, ly.top_cell, RBA::Point::new(7000, 1500), ly.find_layer(1, 0)) - tracer.each_element do |e| - puts e.shape.polygon.transformed(e.trans) - end - @/code + Returns a new vector with -x,-y. + """ + @overload + def __rmul__(self, f: float) -> Vector: + r""" + @brief Scaling by some factor - This class has been introduced in version 0.25. With version 0.28, the \NetTracerConnectivity class replaces the 'NetTracerTechnology' class. - """ - trace_depth: int - r""" - Getter: - @brief gets the trace depth - See \trace_depth= for a description of this property. - This method has been introduced in version 0.26.4. + Returns the scaled object. All coordinates are multiplied with the given factor and if necessary rounded. + """ + @overload + def __rmul__(self, v: Vector) -> int: + r""" + @brief Computes the scalar product between self and the given vector - Setter: - @brief Sets the trace depth (shape limit) - Set this value to limit the maximum number of shapes delivered. Upon reaching this count, the tracer will stop and report the net as 'incomplete' (see \incomplete?). - Setting a trace depth if 0 is equivalent to 'unlimited'. - The actual number of shapes delivered may be a little less than the depth because of internal marker shapes which are taken into account, but are not delivered. - This method has been introduced in version 0.26.4. - """ - @classmethod - def new(cls) -> NetTracer: - r""" - @brief Creates a new object of this class + The scalar product of a and b is defined as: vp = ax*bx+ay*by. """ - def __copy__(self) -> NetTracer: + def __str__(self, dbu: Optional[float] = ...) -> str: r""" - @brief Creates a copy of self + @brief String conversion + If a DBU is given, the output units will be micrometers. + + The DBU argument has been added in version 0.27.6. """ - def __deepcopy__(self) -> NetTracer: + def __sub__(self, v: Vector) -> Vector: r""" - @brief Creates a copy of self + @brief Subtract two vectors + + + Subtract vector v from self by subtracting the coordinates. """ - def __init__(self) -> None: + def __truediv__(self, d: float) -> Vector: r""" - @brief Creates a new object of this class + @brief Division by some divisor + + + Returns the scaled object. All coordinates are divided with the given divisor and if necessary rounded. """ def _create(self) -> None: r""" @@ -51491,13 +52443,14 @@ class NetTracer: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: NetTracer) -> None: + def abs(self) -> float: r""" - @brief Assigns another object to self + @brief Returns the length of the vector + 'abs' is an alias provided for compatibility with the former point type. """ - def clear(self) -> None: + def assign(self, other: Vector) -> None: r""" - @brief Clears the data from the last extraction + @brief Assigns another object to self """ def create(self) -> None: r""" @@ -51516,19 +52469,16 @@ class NetTracer: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> NetTracer: + def dup(self) -> Vector: r""" @brief Creates a copy of self """ - def each_element(self) -> Iterator[NetElement]: - r""" - @brief Iterates over the elements found during extraction - The elements are available only after the extraction has been performed. - """ - def incomplete(self) -> bool: + def hash(self) -> int: r""" - @brief Returns a value indicating whether the net is incomplete - A net may be incomplete if the extraction has been stopped by the user for example. This attribute is useful only after the extraction has been performed. + @brief Computes a hash value + Returns a hash value for the given vector. This method enables vectors as hash keys. + + This method has been introduced in version 0.25. """ def is_const_object(self) -> bool: r""" @@ -51536,77 +52486,65 @@ class NetTracer: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def name(self) -> str: + def length(self) -> float: r""" - @brief Returns the name of the net found during extraction - The net name is extracted from labels found during the extraction. This attribute is useful only after the extraction has been performed. + @brief Returns the length of the vector + 'abs' is an alias provided for compatibility with the former point type. """ - def num_elements(self) -> int: + def sprod(self, v: Vector) -> int: r""" - @brief Returns the number of elements found during extraction - This attribute is useful only after the extraction has been performed. + @brief Computes the scalar product between self and the given vector + + + The scalar product of a and b is defined as: vp = ax*bx+ay*by. """ - @overload - def trace(self, tech: NetTracerConnectivity, layout: Layout, cell: Cell, start_point: Point, start_layer: int) -> None: + def sprod_sign(self, v: Vector) -> int: r""" - @brief Runs a net extraction - - This method runs an extraction with the given parameters. - To make the extraction successful, a shape must be present at the given start point on the start layer. The start layer must be a valid layer mentioned within the technology specification. + @brief Computes the scalar product between self and the given vector and returns a value indicating the sign of the product - This version runs a single extraction - i.e. it will extract all elements connected to the given seed point. A path extraction version is provided as well which will extract one (the presumably shortest) path between two points. - @param tech The connectivity definition - @param layout The layout on which to run the extraction - @param cell The cell on which to run the extraction (child cells will be included) - @param start_point The start point from which to start extraction of the net - @param start_layer The layer from which to start extraction + @return 1 if the scalar product is positive, 0 if it is zero and -1 if it is negative. """ - @overload - def trace(self, tech: str, layout: Layout, cell: Cell, start_point: Point, start_layer: int) -> None: + def sq_abs(self) -> float: r""" - @brief Runs a net extraction taking a predefined technology - This method behaves identical as the version with a technology object, except that it will look for a technology with the given name to obtain the extraction setup. - The technology is looked up by technology name. A version of this method exists where it is possible to specify the name of the particular connectivity to use in case there are multiple definitions available. + @brief The square length of the vector + 'sq_abs' is an alias provided for compatibility with the former point type. """ - @overload - def trace(self, tech: str, connectivity_name: str, layout: Layout, cell: Cell, start_point: Point, start_layer: int) -> None: + def sq_length(self) -> float: r""" - @brief Runs a net extraction taking a predefined technology - This method behaves identical as the version with a technology object, except that it will look for a technology with the given name to obtain the extraction setup. This version allows specifying the name of the connecvitiy setup. - - This method variant has been introduced in version 0.28. + @brief The square length of the vector + 'sq_abs' is an alias provided for compatibility with the former point type. """ - @overload - def trace(self, tech: NetTracerConnectivity, layout: Layout, cell: Cell, start_point: Point, start_layer: int, stop_point: Point, stop_layer: int) -> None: + def to_dtype(self, dbu: Optional[float] = ...) -> DVector: r""" - @brief Runs a path extraction - - This method runs an path extraction with the given parameters. - To make the extraction successful, a shape must be present at the given start point on the start layer and at the given stop point at the given stop layer. The start and stop layers must be a valid layers mentioned within the technology specification. - - This version runs a path extraction and will deliver elements forming one path leading from the start to the end point. + @brief Converts the vector to a floating-point coordinate vector + The database unit can be specified to translate the integer-coordinate vector into a floating-point coordinate vector in micron units. The database unit is basically a scaling factor. + """ + def to_p(self) -> Point: + r""" + @brief Turns the vector into a point + This method returns the point resulting from adding the vector to (0,0). + This method has been introduced in version 0.25. + """ + def to_s(self, dbu: Optional[float] = ...) -> str: + r""" + @brief String conversion + If a DBU is given, the output units will be micrometers. - @param tech The connectivity definition - @param layout The layout on which to run the extraction - @param cell The cell on which to run the extraction (child cells will be included) - @param start_point The start point from which to start extraction of the net - @param start_layer The layer from which to start extraction - @param stop_point The stop point at which to stop extraction of the net - @param stop_layer The layer at which to stop extraction + The DBU argument has been added in version 0.27.6. """ - @overload - def trace(self, tech: str, layout: Layout, cell: Cell, start_point: Point, start_layer: int, stop_point: Point, stop_layer: int) -> None: + def vprod(self, v: Vector) -> int: r""" - @brief Runs a path extraction taking a predefined technology - This method behaves identical as the version with a technology object, except that it will look for a technology with the given name to obtain the extraction setup. + @brief Computes the vector product between self and the given vector + + + The vector product of a and b is defined as: vp = ax*by-ay*bx. """ - @overload - def trace(self, tech: str, connectivity_name: str, layout: Layout, cell: Cell, start_point: Point, start_layer: int, stop_point: Point, stop_layer: int) -> None: + def vprod_sign(self, v: Vector) -> int: r""" - @brief Runs a path extraction taking a predefined technology - This method behaves identical as the version with a technology object, except that it will look for a technology with the given name to obtain the extraction setup.This version allows specifying the name of the connecvitiy setup. + @brief Computes the vector product between self and the given vector and returns a value indicating the sign of the product - This method variant has been introduced in version 0.28. + + @return 1 if the vector product is positive, 0 if it is zero and -1 if it is negative. """ diff --git a/src/pymod/distutils_src/klayout/laycore.pyi b/src/pymod/distutils_src/klayout/laycore.pyi index c002720c63..83fd6ba69b 100644 --- a/src/pymod/distutils_src/klayout/laycore.pyi +++ b/src/pymod/distutils_src/klayout/laycore.pyi @@ -3,78 +3,77 @@ from typing import overload import klayout.tl as tl import klayout.db as db import klayout.rdb as rdb -class PixelBuffer: +class AbstractMenu: r""" - @brief A simplistic pixel buffer representing an image of ARGB32 or RGB32 values + @brief An abstraction for the application menus - This object is mainly provided for offline rendering of layouts in Qt-less environments. - It supports a rectangular pixel space with color values encoded in 32bit integers. It supports transparency through an optional alpha channel. The color format for a pixel is "0xAARRGGBB" where 'AA' is the alpha value which is ignored in non-transparent mode. + The abstract menu is a class that stores a main menu and several popup menus + in a generic form such that they can be manipulated and converted into GUI objects. - This class supports basic operations such as initialization, single-pixel access and I/O to PNG. + Each item can be associated with a Action, which delivers a title, enabled/disable state etc. + The Action is either provided when new entries are inserted or created upon initialisation. - This class has been introduced in version 0.28. - """ - transparent: bool - r""" - Getter: - @brief Gets a flag indicating whether the pixel buffer supports an alpha channel + The abstract menu class provides methods to manipulate the menu structure (the state of the + menu items, their title and shortcut key is provided and manipulated through the Action object). - Setter: - @brief Sets a flag indicating whether the pixel buffer supports an alpha channel + Menu items and submenus are referred to by a "path". The path is a string with this interpretation: - By default, the pixel buffer does not support an alpha channel. + @ + @@@@ + @@@@ + @@@@ + @@@@ + @@@@ + @
"" @is the root@
"[.]" @is an element of the submenu given by . If is omitted, this refers to an element in the root@
"[.]end" @refers to the item past the last item of the submenu given by or root@
"[.]begin" @refers to the first item of the submenu given by or root@
"[.]#" @refers to the nth item of the submenu given by or root (n is an integer number)@
+ + Menu items can be put into groups. The path strings of each group can be obtained with the + "group" method. An item is put into a group by appending ":" to the item's name. + This specification can be used several times. + + Detached menus (i.e. for use in context menus) can be created as virtual top-level submenus + with a name of the form "@@". A special detached menu is "@toolbar" which represents the tool bar of the main window. + Menus are closely related to the \Action class. Actions are used to represent selectable items inside menus, provide the title and other configuration settings. Actions also link the menu items with code. See the \Action class description for further details. """ @classmethod - def from_png_data(cls, data: bytes) -> PixelBuffer: + def new(cls) -> AbstractMenu: r""" - @brief Reads the pixel buffer from a PNG byte stream - This method may not be available if PNG support is not compiled into KLayout. + @hide """ @classmethod - def from_qimage(cls, qimage: QtGui.QImage_Native) -> PixelBuffer: + def pack_key_binding(cls, path_to_keys: Dict[str, str]) -> str: r""" - @brief Creates a pixel buffer object from a QImage object + @brief Serializes a key binding definition into a single string + The serialized format is used by the 'key-bindings' config key. This method will take an array of path/key definitions (including the \Action#NoKeyBound option) and convert it to a single string suitable for assigning to the config key. + + This method has been introduced in version 0.26. """ @classmethod - def new(cls, width: int, height: int) -> PixelBuffer: + def pack_menu_items_hidden(cls, path_to_visibility: Dict[str, bool]) -> str: r""" - @brief Creates a pixel buffer object - - @param width The width in pixels - @param height The height in pixels + @brief Serializes a menu item visibility definition into a single string + The serialized format is used by the 'menu-items-hidden' config key. This method will take an array of path/visibility flag definitions and convert it to a single string suitable for assigning to the config key. - The pixels are basically uninitialized. You will need to use \fill to initialize them to a certain value. + This method has been introduced in version 0.26. """ @classmethod - def read_png(cls, file: str) -> PixelBuffer: - r""" - @brief Reads the pixel buffer from a PNG file - This method may not be available if PNG support is not compiled into KLayout. - """ - def __copy__(self) -> PixelBuffer: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> PixelBuffer: - r""" - @brief Creates a copy of self - """ - def __eq__(self, other: object) -> bool: + def unpack_key_binding(cls, s: str) -> Dict[str, str]: r""" - @brief Returns a value indicating whether self is identical to the other image + @brief Deserializes a key binding definition + This method is the reverse of \pack_key_binding. + + This method has been introduced in version 0.26. """ - def __init__(self, width: int, height: int) -> None: + @classmethod + def unpack_menu_items_hidden(cls, s: str) -> Dict[str, bool]: r""" - @brief Creates a pixel buffer object - - @param width The width in pixels - @param height The height in pixels + @brief Deserializes a menu item visibility definition + This method is the reverse of \pack_menu_items_hidden. - The pixels are basically uninitialized. You will need to use \fill to initialize them to a certain value. + This method has been introduced in version 0.26. """ - def __ne__(self, other: object) -> bool: + def __init__(self) -> None: r""" - @brief Returns a value indicating whether self is not identical to the other image + @hide """ def _create(self) -> None: r""" @@ -113,15 +112,34 @@ class PixelBuffer: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: PixelBuffer) -> None: + def action(self, path: str) -> ActionBase: r""" - @brief Assigns another object to self + @brief Gets the reference to a Action object associated with the given path + + @param path The path to the item. + @return A reference to a Action object associated with this path or nil if the path is not valid + """ + def clear_menu(self, path: str) -> None: + r""" + @brief Deletes the children of the item given by the path + + @param path The path to the item whose children to delete + + This method has been introduced in version 0.28. """ def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ + def delete_item(self, path: str) -> None: + r""" + @brief Deletes the item given by the path + + @param path The path to the item to delete + + This method will also delete all children of the given item. To clear the children only, use \clear_menu. + """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -134,29 +152,52 @@ class PixelBuffer: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def diff(self, other: PixelBuffer) -> PixelBuffer: + def group(self, group: str) -> List[str]: r""" - @brief Creates a difference image + @brief Gets the group members - This method is provided to support transfer of image differences - i.e. small updates instead of full images. It works for non-transparent images only and generates an image with transpareny enabled and with the new pixel values for pixels that have changed. The alpha value will be 0 for identical images and 255 for pixels with different values. This way, the difference image can be painted over the original image to generate the new image. + @param group The group name + @param A vector of all members (by path) of the group """ - def dup(self) -> PixelBuffer: + def insert_item(self, path: str, name: str, action: ActionBase) -> None: r""" - @brief Creates a copy of self + @brief Inserts a new item before the one given by the path + + The Action object passed as the third parameter references the handler which both implements the action to perform and the menu item's appearance such as title, icon and keyboard shortcut. + + @param path The path to the item before which to insert the new item + @param name The name of the item to insert + @param action The Action object to insert """ @overload - def fill(self, color: int) -> None: + def insert_menu(self, path: str, name: str, action: ActionBase) -> None: r""" - @brief Fills the pixel buffer with the given pixel value + @brief Inserts a new submenu before the item given by the path + + @param path The path to the item before which to insert the submenu + @param name The name of the submenu to insert + @param action The action object of the submenu to insert + + This method variant has been added in version 0.28. """ @overload - def fill(self, color: QtGui.QColor) -> None: + def insert_menu(self, path: str, name: str, title: str) -> None: r""" - @brief Fills the pixel buffer with the given QColor + @brief Inserts a new submenu before the item given by the path + + The title string optionally encodes the key shortcut and icon resource + in the form ["("")"]["<"">"]. + + @param path The path to the item before which to insert the submenu + @param name The name of the submenu to insert + @param title The title of the submenu to insert """ - def height(self) -> int: + def insert_separator(self, path: str, name: str) -> None: r""" - @brief Gets the height of the pixel buffer in pixels + @brief Inserts a new separator before the item given by the path + + @param path The path to the item before which to insert the separator + @param name The name of the separator to insert """ def is_const_object(self) -> bool: r""" @@ -164,105 +205,292 @@ class PixelBuffer: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def patch(self, other: PixelBuffer) -> None: + def is_menu(self, path: str) -> bool: r""" - @brief Patches another pixel buffer into this one + @brief Returns true if the item is a menu - This method is the inverse of \diff - it will patch the difference image created by diff into this pixel buffer. Note that this method will not do true alpha blending and requires the other pixel buffer to have the same format than self. Self will be modified by this operation. - """ - def pixel(self, x: int, y: int) -> int: - r""" - @brief Gets the value of the pixel at position x, y - """ - def set_pixel(self, x: int, y: int, c: int) -> None: - r""" - @brief Sets the value of the pixel at position x, y - """ - def swap(self, other: PixelBuffer) -> None: - r""" - @brief Swaps data with another PixelBuffer object - """ - def to_png_data(self) -> bytes: - r""" - @brief Converts the pixel buffer to a PNG byte stream - This method may not be available if PNG support is not compiled into KLayout. + @param path The path to the item + @return false if the path is not valid or is not a menu """ - def to_qimage(self) -> QtGui.QImage_Native: + def is_separator(self, path: str) -> bool: r""" - @brief Converts the pixel buffer to a \QImage object + @brief Returns true if the item is a separator + + @param path The path to the item + @return false if the path is not valid or is not a separator + + This method has been introduced in version 0.19. """ - def width(self) -> int: + def is_valid(self, path: str) -> bool: r""" - @brief Gets the width of the pixel buffer in pixels + @brief Returns true if the path is a valid one + + @param path The path to check + @return false if the path is not a valid path to an item """ - def write_png(self, file: str) -> None: + def items(self, path: str) -> List[str]: r""" - @brief Writes the pixel buffer to a PNG file - This method may not be available if PNG support is not compiled into KLayout. + @brief Gets the subitems for a given submenu + + @param path The path to the submenu + @return A vector or path strings for the child items or an empty vector if the path is not valid or the item does not have children """ -class BitmapBuffer: +class Action(ActionBase): r""" - @brief A simplistic pixel buffer representing monochrome image + @brief The abstraction for an action (i.e. used inside menus) - This object is mainly provided for offline rendering of layouts in Qt-less environments. - It supports a rectangular pixel space with color values encoded in single bits. + Actions act as a generalization of menu entries. The action provides the appearance of a menu entry such as title, key shortcut etc. and dispatches the menu events. The action can be manipulated to change to appearance of a menu entry and can be attached an observer that receives the events when the menu item is selected. - This class supports basic operations such as initialization, single-pixel access and I/O to PNG. + Multiple action objects can refer to the same action internally, in which case the information and event handler is copied between the incarnations. This way, a single implementation can be provided for multiple places where an action appears, for example inside the toolbar and in addition as a menu entry. Both actions will shared the same icon, text, shortcut etc. - This class has been introduced in version 0.28. + Actions are mainly used for providing new menu items inside the \AbstractMenu class. This is some sample Ruby code for that case: + + @code + a = RBA::Action.new + a.title = "Push Me!" + a.on_triggered do + puts "I was pushed!" + end + + app = RBA::Application.instance + mw = app.main_window + + menu = mw.menu + menu.insert_separator("@toolbar.end", "name") + menu.insert_item("@toolbar.end", "my_action", a) + @/code + + This code will register a custom action in the toolbar. When the toolbar button is pushed a message is printed. The toolbar is addressed by a path starting with the pseudo root "@toolbar". + + In Version 0.23, the Action class has been merged with the ActionBase class. """ - @classmethod - def from_png_data(cls, data: bytes) -> BitmapBuffer: + def _create(self) -> None: r""" - @brief Reads the pixel buffer from a PNG byte stream - This method may not be available if PNG support is not compiled into KLayout. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @classmethod - def from_qimage(cls, qimage: QtGui.QImage_Native) -> BitmapBuffer: + def _destroy(self) -> None: r""" - @brief Creates a pixel buffer object from a QImage object + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @classmethod - def new(cls, width: int, height: int) -> BitmapBuffer: + def _destroyed(self) -> bool: r""" - @brief Creates a pixel buffer object - - @param width The width in pixels - @param height The height in pixels - - The pixels are basically uninitialized. You will need to use \fill to initialize them to a certain value. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @classmethod - def read_png(cls, file: str) -> BitmapBuffer: + def _is_const_object(self) -> bool: r""" - @brief Reads the pixel buffer from a PNG file - This method may not be available if PNG support is not compiled into KLayout. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def __copy__(self) -> BitmapBuffer: + def _manage(self) -> None: r""" - @brief Creates a copy of self + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def __deepcopy__(self) -> BitmapBuffer: + def _unmanage(self) -> None: r""" - @brief Creates a copy of self + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def __eq__(self, other: object) -> bool: + +class ActionBase: + r""" + @hide + @alias Action + """ + NoKeyBound: ClassVar[str] + r""" + @brief Gets a shortcut value indicating that no shortcut shall be assigned + This method has been introduced in version 0.26. + """ + checkable: bool + r""" + Getter: + @brief Gets a value indicating whether the item is checkable + + Setter: + @brief Makes the item(s) checkable or not + + @param checkable true to make the item checkable + """ + checked: bool + r""" + Getter: + @brief Gets a value indicating whether the item is checked + + Setter: + @brief Checks or unchecks the item + + @param checked true to make the item checked + """ + @property + def icon(self) -> None: r""" - @brief Returns a value indicating whether self is identical to the other image + WARNING: This variable can only be set, not retrieved. + @brief Sets the icon to the given image file + + @param file The image file to load for the icon + + Passing an empty string will reset the icon. """ - def __init__(self, width: int, height: int) -> None: - r""" - @brief Creates a pixel buffer object + default_shortcut: str + r""" + Getter: + @brief Gets the default keyboard shortcut + @return The default keyboard shortcut as a string - @param width The width in pixels - @param height The height in pixels + This attribute has been introduced in version 0.25. - The pixels are basically uninitialized. You will need to use \fill to initialize them to a certain value. + Setter: + @brief Sets the default keyboard shortcut + + The default shortcut is used, if \shortcut is empty. + + This attribute has been introduced in version 0.25. + """ + enabled: bool + r""" + Getter: + @brief Gets a value indicating whether the item is enabled + + Setter: + @brief Enables or disables the action + + @param enabled true to enable the item + """ + hidden: bool + r""" + Getter: + @brief Gets a value indicating whether the item is hidden + If an item is hidden, it's always hidden and \is_visible? does not have an effect. + This attribute has been introduced in version 0.25. + + Setter: + @brief Sets a value that makes the item hidden always + See \is_hidden? for details. + + This attribute has been introduced in version 0.25 + """ + icon_text: str + r""" + Getter: + @brief Gets the icon's text + + Setter: + @brief Sets the icon's text + + If an icon text is set, this will be used for the text below the icon. + If no icon text is set, the normal text will be used for the icon. + Passing an empty string will reset the icon's text. + """ + on_menu_opening: None + r""" + Getter: + @brief This event is called if the menu item is a sub-menu and before the menu is opened. + + This event provides an opportunity to populate the menu before it is opened. + + This event has been introduced in version 0.28. + + Setter: + @brief This event is called if the menu item is a sub-menu and before the menu is opened. + + This event provides an opportunity to populate the menu before it is opened. + + This event has been introduced in version 0.28. + """ + on_triggered: None + r""" + Getter: + @brief This event is called if the menu item is selected. + + This event has been introduced in version 0.21 and moved to the ActionBase class in 0.28. + + Setter: + @brief This event is called if the menu item is selected. + + This event has been introduced in version 0.21 and moved to the ActionBase class in 0.28. + """ + separator: bool + r""" + Getter: + @brief Gets a value indicating whether the item is a separator + This method has been introduced in version 0.25. + + Setter: + @brief Makes an item a separator or not + + @param separator true to make the item a separator + This method has been introduced in version 0.25. + """ + shortcut: str + r""" + Getter: + @brief Gets the keyboard shortcut + @return The keyboard shortcut as a string + + Setter: + @brief Sets the keyboard shortcut + If the shortcut string is empty, the default shortcut will be used. If the string is equal to \Action#NoKeyBound, no keyboard shortcut will be assigned. + + @param shortcut The keyboard shortcut in Qt notation (i.e. "Ctrl+C") + + The NoKeyBound option has been added in version 0.26. + """ + title: str + r""" + Getter: + @brief Gets the title + + @return The current title string + + Setter: + @brief Sets the title + + @param title The title string to set (just the title) + """ + tool_tip: str + r""" + Getter: + @brief Gets the tool tip text. + + This method has been added in version 0.22. + + Setter: + @brief Sets the tool tip text + + The tool tip text is displayed in the tool tip window of the menu entry. + This is in particular useful for entries in the tool bar. + This method has been added in version 0.22. + """ + visible: bool + r""" + Getter: + @brief Gets a value indicating whether the item is visible + The visibility combines with \is_hidden?. To get the true visiblity, use \is_effective_visible?. + Setter: + @brief Sets the item's visibility + + @param visible true to make the item visible + """ + @classmethod + def new(cls) -> ActionBase: + r""" + @brief Creates a new object of this class """ - def __ne__(self, other: object) -> bool: + def __init__(self) -> None: r""" - @brief Returns a value indicating whether self is not identical to the other image + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -301,10 +529,6 @@ class BitmapBuffer: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: BitmapBuffer) -> None: - r""" - @brief Assigns another object to self - """ def create(self) -> None: r""" @brief Ensures the C++ object is created @@ -322,17 +546,22 @@ class BitmapBuffer: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> BitmapBuffer: + def effective_shortcut(self) -> str: r""" - @brief Creates a copy of self + @brief Gets the effective keyboard shortcut + @return The effective keyboard shortcut as a string + + The effective shortcut is the one that is taken. It's either \shortcut or \default_shortcut. + + This attribute has been introduced in version 0.25. """ - def fill(self, color: bool) -> None: + def is_checkable(self) -> bool: r""" - @brief Fills the pixel buffer with the given pixel value + @brief Gets a value indicating whether the item is checkable """ - def height(self) -> int: + def is_checked(self) -> bool: r""" - @brief Gets the height of the pixel buffer in pixels + @brief Gets a value indicating whether the item is checked """ def is_const_object(self) -> bool: r""" @@ -340,885 +569,611 @@ class BitmapBuffer: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def pixel(self, x: int, y: int) -> bool: + def is_effective_enabled(self) -> bool: r""" - @brief Gets the value of the pixel at position x, y + @brief Gets a value indicating whether the item is really enabled + This is the combined value from \is_enabled? and dynamic value (\wants_enabled). + This attribute has been introduced in version 0.28. """ - def set_pixel(self, x: int, y: int, c: bool) -> None: + def is_effective_visible(self) -> bool: r""" - @brief Sets the value of the pixel at position x, y + @brief Gets a value indicating whether the item is really visible + This is the combined visibility from \is_visible? and \is_hidden? and dynamic visibility (\wants_visible). + This attribute has been introduced in version 0.25. """ - def swap(self, other: BitmapBuffer) -> None: + def is_enabled(self) -> bool: r""" - @brief Swaps data with another BitmapBuffer object + @brief Gets a value indicating whether the item is enabled """ - def to_png_data(self) -> bytes: + def is_hidden(self) -> bool: r""" - @brief Converts the pixel buffer to a PNG byte stream - This method may not be available if PNG support is not compiled into KLayout. - """ - def to_qimage(self) -> QtGui.QImage_Native: - r""" - @brief Converts the pixel buffer to a \QImage object - """ - def width(self) -> int: - r""" - @brief Gets the width of the pixel buffer in pixels - """ - def write_png(self, file: str) -> None: - r""" - @brief Writes the pixel buffer to a PNG file - This method may not be available if PNG support is not compiled into KLayout. - """ - -class MacroExecutionContext: - r""" - @brief Support for various debugger features - - This class implements some features that allow customization of the debugger behavior, specifically the generation of back traces and the handling of exception. These functions are particular useful for implementing DSL interpreters and providing proper error locations in the back traces or to suppress exceptions when re-raising them. - """ - @classmethod - def ignore_next_exception(cls) -> None: - r""" - @brief Ignores the next exception in the debugger - The next exception thrown will be ignored in the debugger. That feature is useful when re-raising exceptions if those new exception shall not appear in the debugger. - """ - @classmethod - def new(cls) -> MacroExecutionContext: - r""" - @brief Creates a new object of this class - """ - @classmethod - def remove_debugger_scope(cls) -> None: - r""" - @brief Removes a debugger scope previously set with \set_debugger_scope - """ - @classmethod - def set_debugger_scope(cls, filename: str) -> None: - r""" - @brief Sets a debugger scope (file level which shall appear in the debugger) - If a debugger scope is set, back traces will be produced starting from that scope. Setting a scope is useful for implementing DSL interpreters and giving a proper hint about the original location of an error. - """ - def __copy__(self) -> MacroExecutionContext: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> MacroExecutionContext: - r""" - @brief Creates a copy of self - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Gets a value indicating whether the item is hidden + If an item is hidden, it's always hidden and \is_visible? does not have an effect. + This attribute has been introduced in version 0.25. """ - def _destroyed(self) -> bool: + def is_separator(self) -> bool: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Gets a value indicating whether the item is a separator + This method has been introduced in version 0.25. """ - def _is_const_object(self) -> bool: + def is_visible(self) -> bool: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Gets a value indicating whether the item is visible + The visibility combines with \is_hidden?. To get the true visiblity, use \is_effective_visible?. """ - def _manage(self) -> None: + def macro(self) -> Macro: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Gets the macro associated with the action + If the action is associated with a macro, this method returns a reference to the \Macro object. Otherwise, this method returns nil. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: MacroExecutionContext) -> None: - r""" - @brief Assigns another object to self - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def dup(self) -> MacroExecutionContext: - r""" - @brief Creates a copy of self + This method has been added in version 0.25. """ - def is_const_object(self) -> bool: + def trigger(self) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Triggers the action programmatically """ -class MacroInterpreter: +class Annotation(BasicAnnotation): r""" - @brief A custom interpreter for a DSL (domain specific language) + @brief A layout annotation (i.e. ruler) - DSL interpreters are a way to provide macros written in a language specific for the application. One example are DRC scripts which are written in some special language optimized for DRC ruledecks. Interpreters for such languages can be built using scripts itself by providing the interpreter implementation through this object. + Annotation objects provide a way to attach measurements or descriptive information to a layout view. Annotation objects can appear as rulers for example. Annotation objects can be configured in different ways using the styles provided. By configuring an annotation object properly, it can appear as a rectangle or a plain line for example. + See @Ruler properties@ for more details about the appearance options. - An interpreter implementation involves at least these steps: + Annotations are inserted into a layout view using \LayoutView#insert_annotation. Here is some sample code in Ruby: - @ul - @li Derive a new object from RBA::MacroInterpreter @/li - @li Reimplement the \execute method for the actual execution of the code @/li - @li In the initialize method configure the object using the attribute setters like \suffix= and register the object as DSL interpreter (in that order) @/li - @li Create at least one template macro in the initialize method @/li - @/ul + @code + app = RBA::Application.instance + mw = app.main_window + view = mw.current_view - Template macros provide a way for the macro editor to present macros for the new interpreter in the list of templates. Template macros can provide menu bindings, shortcuts and some initial text for example + ant = RBA::Annotation::new + ant.p1 = RBA::DPoint::new(0, 0) + ant.p2 = RBA::DPoint::new(100, 0) + ant.style = RBA::Annotation::StyleRuler + view.insert_annotation(ant) + @/code - The simple implementation can be enhanced by providing more information, i.e. syntax highlighter information, the debugger to use etc. This involves reimplementing further methods, i.e. "syntax_scheme". + Annotations can be retrieved from a view with \LayoutView#each_annotation and all annotations can be cleared with \LayoutView#clear_annotations. - This is a simple example for an interpreter in Ruby. Is is registered under the name 'simple-dsl' and just evaluates the script text: + Starting with version 0.25, annotations are 'live' objects once they are inserted into the view. Changing properties of annotations will automatically update the view (however, that is not true the other way round). - @code - class SimpleExecutable < RBA::Excutable + Here is some sample code of changing the style of all rulers to two-sided arrows: - # Constructor - def initialize(macro) - \@macro = macro - end - - # Implements the execute method - def execute - eval(\@macro.text, nil, \@macro.path) - nil - end + @code + view = RBA::LayoutView::current - end + begin - class SimpleInterpreter < RBA::MacroInterpreter + view.transaction("Restyle annotations") - # Constructor - def initialize - self.description = "A test interpreter" - # Registers the new interpreter - register("simple-dsl") - # create a template for the macro editor: - # Name is "new_simple", the description will be "Simple interpreter macro" - # in the "Special" group. - mt = create_template("new_simple") - mt.description = "Special;;Simple interpreter macro" + view.each_annotation do |a| + a.style = RBA::Annotation::StyleArrowBoth end - # Creates the executable delegate - def executable(macro) - SimpleExecutable::new(macro) - end - + ensure + view.commit end - - # Register the new interpreter - SimpleInterpreter::new - @/code + """ + AlignAuto: ClassVar[int] + r""" + @brief This code indicates automatic alignment. + This code makes the annotation align the label the way it thinks is best. - Please note that such an implementation is dangerous because the evaluation of the script happens in the context of the interpreter object. In this implementation the script could redefine the execute method for example. This implementation is provided as an example only. - A real implementation should add execution of prolog and epilog code inside the execute method and proper error handling. + This constant has been introduced in version 0.25. + """ + AlignBottom: ClassVar[int] + r""" + @brief This code indicates bottom alignment. + If used in a vertical context, this alignment code makes the label aligned at the bottom side - i.e. it will appear top of the reference point. - In order to make the above code effective, store the code in an macro, set "early auto-run" and restart KLayout. + This constant has been introduced in version 0.25. + """ + AlignCenter: ClassVar[int] + r""" + @brief This code indicates automatic alignment. + This code makes the annotation align the label centered. When used in a horizontal context, centering is in horizontal direction. If used in a vertical context, centering is in vertical direction. - This class has been introduced in version 0.23 and modified in 0.27. + This constant has been introduced in version 0.25. """ - MacroFormat: ClassVar[Macro.Format] + AlignDown: ClassVar[int] r""" - @brief The macro has macro (XML) format + @brief This code indicates left or bottom alignment, depending on the context. + This code is equivalent to \AlignLeft and \AlignBottom. + + This constant has been introduced in version 0.25. """ - NoDebugger: ClassVar[Macro.Interpreter] + AlignLeft: ClassVar[int] r""" - @brief Indicates no debugging for \debugger_scheme + @brief This code indicates left alignment. + If used in a horizontal context, this alignment code makes the label aligned at the left side - i.e. it will appear right of the reference point. + + This constant has been introduced in version 0.25. """ - PlainTextFormat: ClassVar[Macro.Format] + AlignRight: ClassVar[int] r""" - @brief The macro has plain text format + @brief This code indicates right alignment. + If used in a horizontal context, this alignment code makes the label aligned at the right side - i.e. it will appear left of the reference point. + + This constant has been introduced in version 0.25. """ - PlainTextWithHashAnnotationsFormat: ClassVar[Macro.Format] + AlignTop: ClassVar[int] r""" - @brief The macro has plain text format with special pseudo-comment annotations + @brief This code indicates top alignment. + If used in a vertical context, this alignment code makes the label aligned at the top side - i.e. it will appear bottom of the reference point. + + This constant has been introduced in version 0.25. """ - RubyDebugger: ClassVar[Macro.Interpreter] + AlignUp: ClassVar[int] r""" - @brief Indicates Ruby debugger for \debugger_scheme + @brief This code indicates right or top alignment, depending on the context. + This code is equivalent to \AlignRight and \AlignTop. + + This constant has been introduced in version 0.25. """ - @property - def debugger_scheme(self) -> None: - r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the debugger scheme (which debugger to use for the DSL macro) - - The value can be one of the constants \RubyDebugger or \NoDebugger. + AngleAny: ClassVar[int] + r""" + @brief Gets the any angle code for use with the \angle_constraint method + If this value is specified for the angle constraint, all angles will be allowed. + """ + AngleDiagonal: ClassVar[int] + r""" + @brief Gets the diagonal angle code for use with the \angle_constraint method + If this value is specified for the angle constraint, only multiples of 45 degree are allowed. + """ + AngleGlobal: ClassVar[int] + r""" + @brief Gets the global angle code for use with the \angle_constraint method. + This code will tell the ruler or marker to use the angle constraint defined globally. + """ + AngleHorizontal: ClassVar[int] + r""" + @brief Gets the horizontal angle code for use with the \angle_constraint method + If this value is specified for the angle constraint, only horizontal rulers are allowed. + """ + AngleOrtho: ClassVar[int] + r""" + @brief Gets the ortho angle code for use with the \angle_constraint method + If this value is specified for the angle constraint, only multiples of 90 degree are allowed. + """ + AngleVertical: ClassVar[int] + r""" + @brief Gets the vertical angle code for use with the \angle_constraint method + If this value is specified for the angle constraint, only vertical rulers are allowed. + """ + OutlineAngle: ClassVar[int] + r""" + @brief Gets the angle measurement ruler outline code for use with the \outline method + When this outline style is specified, the ruler is drawn to indicate the angle between the first and last segment. - Use this attribute setter in the initializer before registering the interpreter. + This constant has been introduced in version 0.28. + """ + OutlineBox: ClassVar[int] + r""" + @brief Gets the box outline code for use with the \outline method + When this outline style is specified, a box is drawn with the corners specified by the start and end point. All box edges are drawn in the style specified with the \style attribute. + """ + OutlineDiag: ClassVar[int] + r""" + @brief Gets the diagonal output code for use with the \outline method + When this outline style is specified, a line connecting start and end points in the given style (ruler, arrow or plain line) is drawn. + """ + OutlineDiagXY: ClassVar[int] + r""" + @brief Gets the xy plus diagonal outline code for use with the \outline method + @brief outline_xy code used by the \outline method + When this outline style is specified, three lines are drawn: one horizontal from left to right and attached to the end of that a line from the bottom to the top. Another line is drawn connecting the start and end points directly. The lines are drawn in the specified style (see \style method). + """ + OutlineDiagYX: ClassVar[int] + r""" + @brief Gets the yx plus diagonal outline code for use with the \outline method + When this outline style is specified, three lines are drawn: one vertical from bottom to top and attached to the end of that a line from the left to the right. Another line is drawn connecting the start and end points directly. The lines are drawn in the specified style (see \style method). + """ + OutlineEllipse: ClassVar[int] + r""" + @brief Gets the ellipse outline code for use with the \outline method + When this outline style is specified, an ellipse is drawn with the extensions specified by the start and end point. The contour drawn as a line. - Before version 0.25 this attribute was a re-implementable method. It has been turned into an attribute for performance reasons in version 0.25. - """ - @property - def description(self) -> None: - r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets a description string + This constant has been introduced in version 0.26. + """ + OutlineRadius: ClassVar[int] + r""" + @brief Gets the radius measurement ruler outline code for use with the \outline method + When this outline style is specified, the ruler is drawn to indicate a radius defined by at least three points of the ruler. - This string is used for showing the type of DSL macro in the file selection box together with the suffix for example. - Use this attribute setter in the initializer before registering the interpreter. + This constant has been introduced in version 0.28. + """ + OutlineXY: ClassVar[int] + r""" + @brief Gets the xy outline code for use with the \outline method + When this outline style is specified, two lines are drawn: one horizontal from left to right and attached to the end of that a line from the bottom to the top. The lines are drawn in the specified style (see \style method). + """ + OutlineYX: ClassVar[int] + r""" + @brief Gets the yx outline code for use with the \outline method + When this outline style is specified, two lines are drawn: one vertical from bottom to top and attached to the end of that a line from the left to the right. The lines are drawn in the specified style (see \style method). + """ + PositionAuto: ClassVar[int] + r""" + @brief This code indicates automatic positioning. + The main label will be put either to p1 or p2, whichever the annotation considers best. - Before version 0.25 this attribute was a re-implementable method. It has been turned into an attribute for performance reasons in version 0.25. - """ - @property - def storage_scheme(self) -> None: - r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the storage scheme (the format as which the macro is stored) + This constant has been introduced in version 0.25. + """ + PositionCenter: ClassVar[int] + r""" + @brief This code indicates positioning of the main label at the mid point between p1 and p2. + The main label will be put to the center point. - This value indicates how files for this DSL macro type shall be stored. The value can be one of the constants \PlainTextFormat, \PlainTextWithHashAnnotationsFormat and \MacroFormat. + This constant has been introduced in version 0.25. + """ + PositionP1: ClassVar[int] + r""" + @brief This code indicates positioning of the main label at p1. + The main label will be put to p1. - Use this attribute setter in the initializer before registering the interpreter. + This constant has been introduced in version 0.25. + """ + PositionP2: ClassVar[int] + r""" + @brief This code indicates positioning of the main label at p2. + The main label will be put to p2. - Before version 0.25 this attribute was a re-implementable method. It has been turned into an attribute for performance reasons in version 0.25. - """ - @property - def suffix(self) -> None: - r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the file suffix + This constant has been introduced in version 0.25. + """ + RulerModeAutoMetric: ClassVar[int] + r""" + @brief Specifies auto-metric ruler mode for the \register_template method + In auto-metric mode, a ruler can be placed with a single click and p1/p2 will be determined from the neighborhood. - This string defines which file suffix to associate with the DSL macro. If an empty string is given (the default) no particular suffix is assciated with that macro type and "lym" is assumed. - Use this attribute setter in the initializer before registering the interpreter. + This constant has been introduced in version 0.25 + """ + RulerModeNormal: ClassVar[int] + r""" + @brief Specifies normal ruler mode for the \register_template method - Before version 0.25 this attribute was a re-implementable method. It has been turned into an attribute for performance reasons in version 0.25. - """ - @property - def supports_include_expansion(self) -> None: - r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets a value indicating whether this interpreter supports the default include file expansion scheme. - If this value is set to true (the default), lines like '# %include ...' will be substituted by the content of the file following the '%include' keyword. - Set this value to false if you don't want to support this feature. + This constant has been introduced in version 0.25 + """ + RulerModeSingleClick: ClassVar[int] + r""" + @brief Specifies single-click ruler mode for the \register_template method + In single click-mode, a ruler can be placed with a single click and p1 will be == p2. - This attribute has been introduced in version 0.27. - """ - @property - def syntax_scheme(self) -> None: - r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets a string indicating the syntax highlighter scheme + This constant has been introduced in version 0.25 + """ + RulerMultiSegment: ClassVar[int] + r""" + @brief Specifies multi-segment mode + In multi-segment mode, multiple segments can be created. The ruler is finished with a double click. - The scheme string can be empty (indicating no syntax highlighting), "ruby" for the Ruby syntax highlighter or another string. In that case, the highlighter will look for a syntax definition under the resource path ":/syntax/.xml". + This constant has been introduced in version 0.28 + """ + RulerThreeClicks: ClassVar[int] + r""" + @brief Specifies three-click ruler mode for the \register_template method + In this ruler mode, two segments are created for angle and circle radius measurements. Three mouse clicks are required. - Use this attribute setter in the initializer before registering the interpreter. + This constant has been introduced in version 0.28 + """ + StyleArrowBoth: ClassVar[int] + r""" + @brief Gets the both arrow ends style code for use the \style method + When this style is specified, a two-headed arrow is drawn. + """ + StyleArrowEnd: ClassVar[int] + r""" + @brief Gets the end arrow style code for use the \style method + When this style is specified, an arrow is drawn pointing from the start to the end point. + """ + StyleArrowStart: ClassVar[int] + r""" + @brief Gets the start arrow style code for use the \style method + When this style is specified, an arrow is drawn pointing from the end to the start point. + """ + StyleCrossBoth: ClassVar[int] + r""" + @brief Gets the line style code for use with the \style method + When this style is specified, a cross is drawn at both points. - Before version 0.25 this attribute was a re-implementable method. It has been turned into an attribute for performance reasons in version 0.25. - """ - @classmethod - def new(cls) -> MacroInterpreter: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> MacroInterpreter: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> MacroInterpreter: - r""" - @brief Creates a copy of self - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + This constant has been added in version 0.26. + """ + StyleCrossEnd: ClassVar[int] + r""" + @brief Gets the line style code for use with the \style method + When this style is specified, a cross is drawn at the end point. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + This constant has been added in version 0.26. + """ + StyleCrossStart: ClassVar[int] + r""" + @brief Gets the line style code for use with the \style method + When this style is specified, a cross is drawn at the start point. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: MacroInterpreter) -> None: - r""" - @brief Assigns another object to self - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def create_template(self, url: str) -> Macro: - r""" - @brief Creates a new macro template - @param url The template will be initialized from that URL. + This constant has been added in version 0.26. + """ + StyleLine: ClassVar[int] + r""" + @brief Gets the line style code for use with the \style method + When this style is specified, a plain line is drawn. + """ + StyleRuler: ClassVar[int] + r""" + @brief Gets the ruler style code for use the \style method + When this style is specified, the annotation will show a ruler with some ticks at distances indicating a decade of units and a suitable subdivision into minor ticks at intervals of 1, 2 or 5 units. + """ + angle_constraint: int + r""" + Getter: + @brief Returns the angle constraint attribute + See \angle_constraint= for a more detailed description. + Setter: + @brief Sets the angle constraint attribute + This attribute controls if an angle constraint is applied when moving one of the ruler's points. The Angle... values can be used for this purpose. + """ + category: str + r""" + Getter: + @brief Gets the category string + See \category= for details. - This method will create a register a new macro template. It returns a \Macro object which can be modified in order to adjust the template (for example to set description, add a content, menu binding, autorun flags etc.) + This method has been introduced in version 0.25 + Setter: + @brief Sets the category string of the annotation + The category string is an arbitrary string that can be used by various consumers or generators to mark 'their' annotation. - This method must be called after \register has called. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def dup(self) -> MacroInterpreter: - r""" - @brief Creates a copy of self - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def register(self, name: str) -> None: - r""" - @brief Registers the macro interpreter - @param name The interpreter name. This is an arbitrary string which should be unique. + This method has been introduced in version 0.25 + """ + fmt: str + r""" + Getter: + @brief Returns the format used for the label + @return The format string + Format strings can contain placeholders for values and formulas for computing derived values. See @Ruler properties@ for more details. + Setter: + @brief Sets the format used for the label + @param format The format string + Format strings can contain placeholders for values and formulas for computing derived values. See @Ruler properties@ for more details. + """ + fmt_x: str + r""" + Getter: + @brief Returns the format used for the x-axis label + @return The format string + Format strings can contain placeholders for values and formulas for computing derived values. See @Ruler properties@ for more details. + Setter: + @brief Sets the format used for the x-axis label + X-axis labels are only used for styles that have a horizontal component. @param format The format string + Format strings can contain placeholders for values and formulas for computing derived values. See @Ruler properties@ for more details. + """ + fmt_y: str + r""" + Getter: + @brief Returns the format used for the y-axis label + @return The format string + Format strings can contain placeholders for values and formulas for computing derived values. See @Ruler properties@ for more details. + Setter: + @brief Sets the format used for the y-axis label + Y-axis labels are only used for styles that have a vertical component. @param format The format string + Format strings can contain placeholders for values and formulas for computing derived values. See @Ruler properties@ for more details. + """ + main_position: int + r""" + Getter: + @brief Gets the position of the main label + See \main_position= for details. - Registration of the interpreter makes the object known to the system. After registration, macros whose interpreter is set to 'dsl' can use this object to run the script. For executing a script, the system will call the interpreter's \execute method. - """ + This method has been introduced in version 0.25 + Setter: + @brief Sets the position of the main label + This method accepts one of the Position... constants. -class Macro: + This method has been introduced in version 0.25 + """ + main_xalign: int r""" - @brief A macro class + Getter: + @brief Gets the horizontal alignment type of the main label + See \main_xalign= for details. - This class is provided mainly to support generation of template macros in the DSL interpreter framework provided by \MacroInterpreter. The implementation may be enhanced in future versions and provide access to macros stored inside KLayout's macro repository. - But it can be used to execute macro code in a consistent way: + This method has been introduced in version 0.25 + Setter: + @brief Sets the horizontal alignment type of the main label + This method accepts one of the Align... constants. - @code - path = "path-to-macro.lym" - RBA::Macro::new(path).run() - @/code + This method has been introduced in version 0.25 + """ + main_yalign: int + r""" + Getter: + @brief Gets the vertical alignment type of the main label + See \main_yalign= for details. - Using the Macro class with \run for executing code will chose the right interpreter and is able to execute DRC and LVS scripts in the proper environment. This also provides an option to execute Ruby code from Python and vice versa. + This method has been introduced in version 0.25 + Setter: + @brief Sets the vertical alignment type of the main label + This method accepts one of the Align... constants. - In this scenario you can pass values to the script using \Interpreter#define_variable. The interpreter to choose for DRC and LVS scripts is \Interpreter#ruby_interpreter. For passing values back from the script, wrap the variable value into a \Value object which can be modified by the called script and read back by the caller. + This method has been introduced in version 0.25 """ - class Format: - r""" - @brief Specifies the format of a macro - This enum has been introduced in version 0.27.5. - """ - MacroFormat: ClassVar[Macro.Format] - r""" - @brief The macro has macro (XML) format - """ - PlainTextFormat: ClassVar[Macro.Format] - r""" - @brief The macro has plain text format - """ - PlainTextWithHashAnnotationsFormat: ClassVar[Macro.Format] - r""" - @brief The macro has plain text format with special pseudo-comment annotations - """ - @overload - @classmethod - def new(cls, i: int) -> Macro.Format: - r""" - @brief Creates an enum from an integer value - """ - @overload - @classmethod - def new(cls, s: str) -> Macro.Format: - r""" - @brief Creates an enum from a string value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares two enums - """ - @overload - def __init__(self, i: int) -> None: - r""" - @brief Creates an enum from an integer value - """ - @overload - def __init__(self, s: str) -> None: - r""" - @brief Creates an enum from a string value - """ - @overload - def __lt__(self, other: int) -> bool: - r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value - """ - @overload - def __lt__(self, other: Macro.Format) -> bool: - r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer for inequality - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares two enums for inequality - """ - def __repr__(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def __str__(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - def inspect(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def to_i(self) -> int: - r""" - @brief Gets the integer value from the enum - """ - def to_s(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - class Interpreter: - r""" - @brief Specifies the interpreter used for executing a macro - This enum has been introduced in version 0.27.5. - """ - DSLInterpreter: ClassVar[Macro.Interpreter] - r""" - @brief A domain-specific interpreter (DSL) - """ - None_: ClassVar[Macro.Interpreter] - r""" - @brief No specific interpreter - """ - Python: ClassVar[Macro.Interpreter] - r""" - @brief The interpreter is Python - """ - Ruby: ClassVar[Macro.Interpreter] - r""" - @brief The interpreter is Ruby - """ - Text: ClassVar[Macro.Interpreter] - r""" - @brief Plain text - """ - @overload - @classmethod - def new(cls, i: int) -> Macro.Interpreter: - r""" - @brief Creates an enum from an integer value - """ - @overload - @classmethod - def new(cls, s: str) -> Macro.Interpreter: - r""" - @brief Creates an enum from a string value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares two enums - """ - @overload - def __init__(self, i: int) -> None: - r""" - @brief Creates an enum from an integer value - """ - @overload - def __init__(self, s: str) -> None: - r""" - @brief Creates an enum from a string value - """ - @overload - def __lt__(self, other: int) -> bool: - r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value - """ - @overload - def __lt__(self, other: Macro.Interpreter) -> bool: - r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares two enums for inequality - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer for inequality - """ - def __repr__(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def __str__(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - def inspect(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def to_i(self) -> int: - r""" - @brief Gets the integer value from the enum - """ - def to_s(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - DSLInterpreter: ClassVar[Macro.Interpreter] - r""" - @brief A domain-specific interpreter (DSL) - """ - MacroFormat: ClassVar[Macro.Format] - r""" - @brief The macro has macro (XML) format - """ - None_: ClassVar[Macro.Interpreter] - r""" - @brief No specific interpreter - """ - PlainTextFormat: ClassVar[Macro.Format] - r""" - @brief The macro has plain text format - """ - PlainTextWithHashAnnotationsFormat: ClassVar[Macro.Format] - r""" - @brief The macro has plain text format with special pseudo-comment annotations - """ - Python: ClassVar[Macro.Interpreter] - r""" - @brief The interpreter is Python - """ - Ruby: ClassVar[Macro.Interpreter] - r""" - @brief The interpreter is Ruby - """ - Text: ClassVar[Macro.Interpreter] - r""" - @brief Plain text - """ - category: str + outline: int r""" Getter: - @brief Gets the category tags + @brief Returns the outline style of the annotation object - The category tags string indicates to which categories a macro will belong to. This string is only used for templates currently and is a comma-separated list of category names. Setter: - @brief Sets the category tags string - See \category for details. + @brief Sets the outline style used for drawing the annotation object + The Outline... values can be used for defining the annotation object's outline. The outline style determines what components are drawn. """ - description: str + p1: db.DPoint r""" Getter: - @brief Gets the description text + @brief Gets the first point of the ruler or marker + The points of the ruler or marker are always given in micron units in floating-point coordinates. - The description text of a macro will appear in the macro list. If used as a macro template, the description text can have the format "Group;;Description". In that case, the macro will appear in a group with title "Group". - Setter: - @brief Sets the description text - @param description The description text. - See \description for details. - """ - doc: str - r""" - Getter: - @brief Gets the macro's documentation string + This method is provided for backward compatibility. Starting with version 0.28, rulers can be multi-segmented. Use \points or \seg_p1 to retrieve the points of the ruler segments. - This method has been introduced in version 0.27.5. + @return The first point Setter: - @brief Sets the macro's documentation string + @brief Sets the first point of the ruler or marker + The points of the ruler or marker are always given in micron units in floating-point coordinates. - This method has been introduced in version 0.27.5. + This method is provided for backward compatibility. Starting with version 0.28, rulers can be multi-segmented. Use \points= to specify the ruler segments. """ - dsl_interpreter: str + p2: db.DPoint r""" Getter: - @brief Gets the macro's DSL interpreter name (if interpreter is DSLInterpreter) + @brief Gets the second point of the ruler or marker + The points of the ruler or marker are always given in micron units in floating-point coordinates. - This method has been introduced in version 0.27.5. + This method is provided for backward compatibility. Starting with version 0.28, rulers can be multi-segmented. Use \points or \seg_p1 to retrieve the points of the ruler segments. + + @return The second point Setter: - @brief Sets the macro's DSL interpreter name (if interpreter is DSLInterpreter) + @brief Sets the second point of the ruler or marker + The points of the ruler or marker are always given in micron units in floating-point coordinates. - This method has been introduced in version 0.27.5. + This method is provided for backward compatibility. Starting with version 0.28, rulers can be multi-segmented. Use \points= to specify the ruler segments. """ - epilog: str + points: List[db.DPoint] r""" Getter: - @brief Gets the epilog code + @brief Gets the points of the ruler + A single-segmented ruler has two points. Rulers with more points have more segments correspondingly. Note that the point list may have one point only (single-point ruler) or may even be empty. - The epilog is executed after the actual code is executed. Interpretation depends on the implementation of the DSL interpreter for DSL macros. + Use \points= to set the segment points. Use \segments to get the number of segments and \seg_p1 and \seg_p2 to get the first and second point of one segment. + + Multi-segmented rulers have been introduced in version 0.28 Setter: - @brief Sets the epilog - See \epilog for details. + @brief Sets the points for a (potentially) multi-segmented ruler + See \points for a description of multi-segmented rulers. The list of points passed to this method is cleaned from duplicates before being stored inside the ruler. + + This method has been introduced in version 0.28. """ - format: Macro.Format + snap: bool r""" Getter: - @brief Gets the macro's storage format - - This method has been introduced in version 0.27.5. + @brief Returns the 'snap to objects' attribute Setter: - @brief Sets the macro's storage format - - This method has been introduced in version 0.27.5. + @brief Sets the 'snap to objects' attribute + If this attribute is set to true, the ruler or marker snaps to other objects when moved. """ - group_name: str + style: int r""" Getter: - @brief Gets the menu group name + @brief Returns the style of the annotation object - If a group name is specified and \show_in_menu? is true, the macro will appear in a separate group (separated by a separator) together with other macros sharing the same group. Setter: - @brief Sets the menu group name - See \group_name for details. + @brief Sets the style used for drawing the annotation object + The Style... values can be used for defining the annotation object's style. The style determines if ticks or arrows are drawn. """ - interpreter: Macro.Interpreter + xlabel_xalign: int r""" Getter: - @brief Gets the macro's interpreter - - This method has been introduced in version 0.27.5. + @brief Gets the horizontal alignment type of the x axis label + See \xlabel_xalign= for details. + This method has been introduced in version 0.25 Setter: - @brief Sets the macro's interpreter + @brief Sets the horizontal alignment type of the x axis label + This method accepts one of the Align... constants. - This method has been introduced in version 0.27.5. + This method has been introduced in version 0.25 """ - is_autorun: bool + xlabel_yalign: int r""" Getter: - @brief Gets a flag indicating whether the macro is automatically executed on startup - - This method has been introduced in version 0.27.5. + @brief Gets the vertical alignment type of the x axis label + See \xlabel_yalign= for details. + This method has been introduced in version 0.25 Setter: - @brief Sets a flag indicating whether the macro is automatically executed on startup + @brief Sets the vertical alignment type of the x axis label + This method accepts one of the Align... constants. - This method has been introduced in version 0.27.5. + This method has been introduced in version 0.25 """ - is_autorun_early: bool + ylabel_xalign: int r""" Getter: - @brief Gets a flag indicating whether the macro is automatically executed early on startup - - This method has been introduced in version 0.27.5. + @brief Gets the horizontal alignment type of the y axis label + See \ylabel_xalign= for details. + This method has been introduced in version 0.25 Setter: - @brief Sets a flag indicating whether the macro is automatically executed early on startup + @brief Sets the horizontal alignment type of the y axis label + This method accepts one of the Align... constants. - This method has been introduced in version 0.27.5. + This method has been introduced in version 0.25 """ - menu_path: str + ylabel_yalign: int r""" Getter: - @brief Gets the menu path + @brief Gets the vertical alignment type of the y axis label + See \ylabel_yalign= for details. - If a menu path is specified and \show_in_menu? is true, the macro will appear in the menu at the specified position. + This method has been introduced in version 0.25 Setter: - @brief Sets the menu path - See \menu_path for details. - """ - prolog: str - r""" - Getter: - @brief Gets the prolog code - - The prolog is executed before the actual code is executed. Interpretation depends on the implementation of the DSL interpreter for DSL macros. - Setter: - @brief Sets the prolog - See \prolog for details. - """ - shortcut: str - r""" - Getter: - @brief Gets the macro's keyboard shortcut - - This method has been introduced in version 0.27.5. - - Setter: - @brief Sets the macro's keyboard shortcut - - This method has been introduced in version 0.27.5. - """ - show_in_menu: bool - r""" - Getter: - @brief Gets a value indicating whether the macro shall be shown in the menu - - Setter: - @brief Sets a value indicating whether the macro shall be shown in the menu - """ - text: str - r""" - Getter: - @brief Gets the macro text - - The text is the code executed by the macro interpreter. Depending on the DSL interpreter, the text can be any kind of code. - Setter: - @brief Sets the macro text - See \text for details. - """ - version: str - r""" - Getter: - @brief Gets the macro's version - - This method has been introduced in version 0.27.5. - - Setter: - @brief Sets the macro's version + @brief Sets the vertical alignment type of the y axis label + This method accepts one of the Align... constants. - This method has been introduced in version 0.27.5. + This method has been introduced in version 0.25 """ @classmethod - def macro_by_path(cls, path: str) -> Macro: - r""" - @brief Finds the macro by installation path - - Returns nil if no macro with this path can be found. - - This method has been added in version 0.26. - """ - @classmethod - def new(cls, path: str) -> Macro: + def from_s(cls, s: str) -> Annotation: r""" - @brief Loads the macro from the given file path + @brief Creates a ruler from a string representation + This function creates a ruler from the string returned by \to_s. - This constructor has been introduced in version 0.27.5. + This method was introduced in version 0.28. """ @classmethod - def real_line(cls, path: str, line: int) -> int: + def register_template(cls, annotation: BasicAnnotation, title: str, mode: Optional[int] = ...) -> None: r""" - @brief Gets the real line number for an include-encoded path and line number - - When using KLayout's include scheme based on '# %include ...', __FILE__ and __LINE__ (Ruby) will not have the proper values but encoded file names. This method allows retrieving the real line number by using - - @code - # Ruby - real_line = RBA::Macro::real_line(__FILE__, __LINE__) - - # Python - real_line = pya::Macro::real_line(__file__, __line__) - @/code + @brief Registers the given annotation as a template globally + @annotation The annotation to use for the template (positions are ignored) + @param title The title to use for the ruler template + @param mode The mode the ruler will be created in (see Ruler... constants) - This substitution is not required for top-level macros as KLayout's interpreter will automatically use this function instead of __FILE__. Call this function when you need __FILE__ from files included through the languages mechanisms such as 'require' or 'load' where this substitution does not happen. + In order to register a system template, the category string of the annotation has to be a unique and non-empty string. The annotation is added to the list of annotation templates and becomes available as a new template in the ruler drop-down menu. - For Python there is no equivalent for __LINE__, so you always have to use: + The new annotation template is registered on all views. - @code - # Pythonimport inspect - real_line = pya.Macro.real_line(__file__, inspect.currentframe().f_back.f_lineno) - @/code + NOTE: this setting is persisted and the the application configuration is updated. - This feature has been introduced in version 0.27. + This method has been added in version 0.25. """ @classmethod - def real_path(cls, path: str, line: int) -> str: + def unregister_templates(cls, category: str) -> None: r""" - @brief Gets the real path for an include-encoded path and line number - - When using KLayout's include scheme based on '# %include ...', __FILE__ and __LINE__ (Ruby) will not have the proper values but encoded file names. This method allows retrieving the real file by using - - @code - # Ruby - real_file = RBA::Macro::real_path(__FILE__, __LINE__) - @/code - - This substitution is not required for top-level macros as KLayout's interpreter will automatically use this function instead of __FILE__. Call this function when you need __FILE__ from files included through the languages mechanisms such as 'require' or 'load' where this substitution does not happen. + @brief Unregisters the template or templates with the given category string globally - For Python there is no equivalent for __LINE__, so you always have to use: + This method will remove all templates with the given category string. If the category string is empty, all templates are removed. - @code - # Pythonimport inspect - real_file = pya.Macro.real_path(__file__, inspect.currentframe().f_back.f_lineno) - @/code + NOTE: this setting is persisted and the the application configuration is updated. - This feature has been introduced in version 0.27. + This method has been added in version 0.28. """ - def __init__(self, path: str) -> None: + def __eq__(self, other: object) -> bool: r""" - @brief Loads the macro from the given file path - - This constructor has been introduced in version 0.27.5. + @brief Equality operator + """ + def __ne__(self, other: object) -> bool: + r""" + @brief Inequality operator + """ + def __str__(self) -> str: + r""" + @brief Returns the string representation of the ruler + This method was introduced in version 0.19. + """ + def _assign(self, other: BasicAnnotation) -> None: + r""" + @brief Assigns another object to self """ def _create(self) -> None: r""" @@ -1237,6 +1192,10 @@ class Macro: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ + def _dup(self) -> Annotation: + r""" + @brief Creates a copy of self + """ def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference @@ -1257,419 +1216,561 @@ class Macro: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def create(self) -> None: + def box(self) -> db.DBox: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Gets the bounding box of the object (not including text) + @return The bounding box """ - def destroy(self) -> None: + def delete(self) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Deletes this annotation from the view + If the annotation is an "active" one, this method will remove it from the view. This object will become detached and can still be manipulated, but without having an effect on the view. + This method has been introduced in version 0.25. """ - def destroyed(self) -> bool: + def detach(self) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Detaches the annotation object from the view + If the annotation object was inserted into the view, property changes will be reflected in the view. To disable this feature, 'detach' can be called after which the annotation object becomes inactive and changes will no longer be reflected in the view. + + This method has been introduced in version 0.25. """ - def interpreter_name(self) -> str: + def id(self) -> int: r""" - @brief Gets the macro interpreter name - This is the string version of \interpreter. + @brief Returns the annotation's ID + The annotation ID is an integer that uniquely identifies an annotation inside a view. + The ID is used for replacing an annotation (see \LayoutView#replace_annotation). - This method has been introduced in version 0.27.5. + This method was introduced in version 0.24. """ - def is_const_object(self) -> bool: + def is_valid(self) -> bool: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Returns a value indicating whether the object is a valid reference. + If this value is true, the object represents an annotation on the screen. Otherwise, the object is a 'detached' annotation which does not have a representation on the screen. + + This method was introduced in version 0.25. """ - def name(self) -> str: + def seg_p1(self, segment_index: int) -> db.DPoint: r""" - @brief Gets the name of the macro + @brief Gets the first point of the given segment. + The segment is indicated by the segment index which is a number between 0 and \segments-1. - This attribute has been added in version 0.25. + This method has been introduced in version 0.28. """ - def path(self) -> str: + def seg_p2(self, segment_index: int) -> db.DPoint: r""" - @brief Gets the path of the macro + @brief Gets the second point of the given segment. + The segment is indicated by the segment index which is a number between 0 and \segments-1. + The second point of a segment is also the first point of the following segment if there is one. - The path is the path where the macro is stored, starting with an abstract group identifier. The path is used to identify the macro in the debugger for example. + This method has been introduced in version 0.28. """ - def run(self) -> int: + def segments(self) -> int: r""" - @brief Executes the macro + @brief Gets the number of segments. + This method returns the number of segments the ruler is made up. Even though the ruler can be one or even zero points, the number of segments is at least 1. - This method has been introduced in version 0.27.5. + This method has been introduced in version 0.28. """ - def save_to(self, path: str) -> None: + def text(self, index: Optional[int] = ...) -> str: r""" - @brief Saves the macro to the given file - - This method has been introduced in version 0.27.5. + @brief Returns the formatted text for the main label + The index parameter indicates which segment to use (0 is the first one). It has been added in version 0.28. """ - def sync_properties_with_text(self) -> None: + def text_x(self, index: Optional[int] = ...) -> str: r""" - @brief Synchronizes the macro properties with the text - - This method performs the reverse process of \sync_text_with_properties. + @brief Returns the formatted text for the x-axis label + The index parameter indicates which segment to use (0 is the first one). It has been added in version 0.28. + """ + def text_y(self, index: Optional[int] = ...) -> str: + r""" + @brief Returns the formatted text for the y-axis label + The index parameter indicates which segment to use (0 is the first one). It has been added in version 0.28. + """ + def to_s(self) -> str: + r""" + @brief Returns the string representation of the ruler + This method was introduced in version 0.19. + """ + @overload + def transformed(self, t: db.DCplxTrans) -> Annotation: + r""" + @brief Transforms the ruler or marker with the given complex transformation + @param t The magnifying transformation to apply + @return The transformed object - This method has been introduced in version 0.27.5. + Starting with version 0.25, all overloads all available as 'transform'. """ - def sync_text_with_properties(self) -> None: + @overload + def transformed(self, t: db.DTrans) -> Annotation: r""" - @brief Synchronizes the macro text with the properties + @brief Transforms the ruler or marker with the given simple transformation + @param t The transformation to apply + @return The transformed object + """ + @overload + def transformed(self, t: db.ICplxTrans) -> Annotation: + r""" + @brief Transforms the ruler or marker with the given complex transformation + @param t The magnifying transformation to apply + @return The transformed object (in this case an integer coordinate object) - This method applies to PlainTextWithHashAnnotationsFormat format. The macro text will be enhanced with pseudo-comments reflecting the macro properties. This way, the macro properties can be stored in plain files. + This method has been introduced in version 0.18. - This method has been introduced in version 0.27.5. + Starting with version 0.25, all overloads all available as 'transform'. """ + @overload + def transformed_cplx(self, t: db.DCplxTrans) -> Annotation: + r""" + @brief Transforms the ruler or marker with the given complex transformation + @param t The magnifying transformation to apply + @return The transformed object -class LayerProperties: - r""" - @brief The layer properties structure - - The layer properties encapsulate the settings relevant for - the display and source of a layer. - - Each attribute is present in two incarnations: local and real. - "real" refers to the effective attribute after collecting the - attributes from the parents to the leaf property node. - In the spirit of this distinction, all read accessors - are present in "local" and "real" form. The read accessors take - a boolean parameter "real" that must be set to true, if the real - value shall be returned. - - "brightness" is a index that indicates how much to make the - color brighter to darker rendering the effective color - (\eff_frame_color, \eff_fill_color). It's value is roughly between - -255 and 255. - """ - animation: int - r""" - Getter: - @brief Gets the animation state + Starting with version 0.25, all overloads all available as 'transform'. + """ + @overload + def transformed_cplx(self, t: db.ICplxTrans) -> Annotation: + r""" + @brief Transforms the ruler or marker with the given complex transformation + @param t The magnifying transformation to apply + @return The transformed object (in this case an integer coordinate object) - This method is a convenience method for "animation(true)" + This method has been introduced in version 0.18. - This method has been introduced in version 0.22. - Setter: - @brief Sets the animation state + Starting with version 0.25, all overloads all available as 'transform'. + """ - See the description of the \animation method for details about the animation state - """ - dither_pattern: int +class BasicAnnotation: r""" - Getter: - @brief Gets the dither pattern index + @hide + @alias Annotation + """ + @classmethod + def new(cls) -> BasicAnnotation: + r""" + @brief Creates a new object of this class + """ + def __copy__(self) -> BasicAnnotation: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> BasicAnnotation: + r""" + @brief Creates a copy of self + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method is a convenience method for "dither_pattern(true)" + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.22. - Setter: - @brief Sets the dither pattern index + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def assign(self, other: BasicAnnotation) -> None: + r""" + @brief Assigns another object to self + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> BasicAnnotation: + r""" + @brief Creates a copy of self + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ - The dither pattern index must be one of the valid indices. - The first indices are reserved for built-in pattern, the following ones are custom pattern. - Index 0 is always solid filled and 1 is always the hollow filled pattern. - For custom pattern see \LayoutView#add_stipple. - """ - fill_brightness: int +class BasicImage: r""" - Getter: - @brief Gets the fill brightness value + @hide + @alias Image + """ + @classmethod + def new(cls) -> BasicImage: + r""" + @brief Creates a new object of this class + """ + def __copy__(self) -> BasicImage: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> BasicImage: + r""" + @brief Creates a copy of self + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method is a convenience method for "fill_brightness(true)" + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.22. - Setter: - @brief Sets the fill brightness + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def assign(self, other: BasicImage) -> None: + r""" + @brief Assigns another object to self + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> BasicImage: + r""" + @brief Creates a copy of self + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ - For neutral brightness set this value to 0. For darker colors set it to a negative value (down to -255), for brighter colors to a positive value (up to 255) - """ - fill_color: int +class BitmapBuffer: r""" - Getter: - @brief Gets the fill color + @brief A simplistic pixel buffer representing monochrome image - This method is a convenience method for "fill_color(true)" + This object is mainly provided for offline rendering of layouts in Qt-less environments. + It supports a rectangular pixel space with color values encoded in single bits. - This method has been introduced in version 0.22. - Setter: - @brief Sets the fill color to the given value + This class supports basic operations such as initialization, single-pixel access and I/O to PNG. - The color is a 32bit value encoding the blue value in the lower 8 bits, the green value in the next 8 bits and the red value in the 8 bits above that. + This class has been introduced in version 0.28. """ - frame_brightness: int - r""" - Getter: - @brief Gets the frame brightness value - - This method is a convenience method for "frame_brightness(true)" + @classmethod + def from_png_data(cls, data: bytes) -> BitmapBuffer: + r""" + @brief Reads the pixel buffer from a PNG byte stream + This method may not be available if PNG support is not compiled into KLayout. + """ + @classmethod + def new(cls, width: int, height: int) -> BitmapBuffer: + r""" + @brief Creates a pixel buffer object - This method has been introduced in version 0.22. - Setter: - @brief Sets the frame brightness + @param width The width in pixels + @param height The height in pixels - For neutral brightness set this value to 0. For darker colors set it to a negative value (down to -255), for brighter colors to a positive value (up to 255) - """ - frame_color: int - r""" - Getter: - @brief Gets the frame color + The pixels are basically uninitialized. You will need to use \fill to initialize them to a certain value. + """ + @classmethod + def read_png(cls, file: str) -> BitmapBuffer: + r""" + @brief Reads the pixel buffer from a PNG file + This method may not be available if PNG support is not compiled into KLayout. + """ + def __copy__(self) -> BitmapBuffer: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> BitmapBuffer: + r""" + @brief Creates a copy of self + """ + def __eq__(self, other: object) -> bool: + r""" + @brief Returns a value indicating whether self is identical to the other image + """ + def __init__(self, width: int, height: int) -> None: + r""" + @brief Creates a pixel buffer object - This method is a convenience method for "frame_color(true)" + @param width The width in pixels + @param height The height in pixels - This method has been introduced in version 0.22. - Setter: - @brief Sets the frame color to the given value + The pixels are basically uninitialized. You will need to use \fill to initialize them to a certain value. + """ + def __ne__(self, other: object) -> bool: + r""" + @brief Returns a value indicating whether self is not identical to the other image + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - The color is a 32bit value encoding the blue value in the lower 8 bits, the green value in the next 8 bits and the red value in the 8 bits above that. - """ - line_style: int - r""" - Getter: - @brief Gets the line style index + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method is a convenience method for "line_style(true)" + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def assign(self, other: BitmapBuffer) -> None: + r""" + @brief Assigns another object to self + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> BitmapBuffer: + r""" + @brief Creates a copy of self + """ + def fill(self, color: bool) -> None: + r""" + @brief Fills the pixel buffer with the given pixel value + """ + def height(self) -> int: + r""" + @brief Gets the height of the pixel buffer in pixels + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def pixel(self, x: int, y: int) -> bool: + r""" + @brief Gets the value of the pixel at position x, y + """ + def set_pixel(self, x: int, y: int, c: bool) -> None: + r""" + @brief Sets the value of the pixel at position x, y + """ + def swap(self, other: BitmapBuffer) -> None: + r""" + @brief Swaps data with another BitmapBuffer object + """ + def to_png_data(self) -> bytes: + r""" + @brief Converts the pixel buffer to a PNG byte stream + This method may not be available if PNG support is not compiled into KLayout. + """ + def width(self) -> int: + r""" + @brief Gets the width of the pixel buffer in pixels + """ + def write_png(self, file: str) -> None: + r""" + @brief Writes the pixel buffer to a PNG file + This method may not be available if PNG support is not compiled into KLayout. + """ - This method has been introduced in version 0.25. - Setter: - @brief Sets the line style index +class BrowserDialog: + r""" + @brief A HTML display and browser dialog - The line style index must be one of the valid indices. - The first indices are reserved for built-in pattern, the following ones are custom pattern. - Index 0 is always solid filled. - For custom line styles see \LayoutView#add_line_style. + The browser dialog displays HTML code in a browser panel. The HTML code is delivered through a separate object of class \BrowserSource which acts as a "server" for a specific kind of URL scheme. Whenever the browser sees a URL starting with "int:" it will ask the connected BrowserSource object for the HTML code of that page using it's 'get' method. The task of the BrowserSource object is to format the data requested in HTML and deliver it. - This method has been introduced in version 0.25. - """ - lower_hier_level: int - r""" - Getter: - @brief Gets the lower hierarchy level shown + One use case for that class is the implementation of rich data browsers for structured information. In a simple scenario, the browser dialog can be instantiated with a static HTML page. In that case, only the content of that page is shown. - This method is a convenience method for "lower_hier_level(true)" + Here's a simple example: - This method has been introduced in version 0.22. - Setter: - @brief Sets the lower hierarchy level + @code + html = "Hello, world!" + RBA::BrowserDialog::new(html).exec + @/code - If this method is called, the lower hierarchy level is enabled. See \lower_hier_level for a description of this property. - """ - marked: bool - r""" - Getter: - @brief Gets the marked state + And that is an example for the use case with a \BrowserSource as the "server": - This method is a convenience method for "marked?(true)" + @code + class MySource < RBA::BrowserSource + def get(url) + if (url =~ /b.html$/) + return "The second page" + else + return "The first page with a link" + end + end + end - This method has been introduced in version 0.22. - Setter: - @brief Sets the marked state + source = MySource::new + RBA::BrowserDialog::new(source).exec + @/code """ - name: str - r""" - Getter: - @brief Gets the name + @property + def caption(self) -> None: + r""" + WARNING: This variable can only be set, not retrieved. + @brief Sets the caption of the window + """ + @property + def home(self) -> None: + r""" + WARNING: This variable can only be set, not retrieved. + @brief Sets the browser's initial and current URL which is selected if the "home" location is chosen + The home URL is the one shown initially and the one which is selected when the "home" button is pressed. The default location is "int:/index.html". + """ + @property + def label(self) -> None: + r""" + WARNING: This variable can only be set, not retrieved. + @brief Sets the label text - Setter: - @brief Sets the name to the given string - """ - source: str - r""" - Getter: - @brief Gets the source specification + The label is shown left of the navigation buttons. + By default, no label is specified. - This method is a convenience method for "source(true)" + This method has been introduced in version 0.23. + """ + @property + def source(self) -> None: + r""" + WARNING: This variable can only be set, not retrieved. + @brief Connects to a source object - This method has been introduced in version 0.22. - Setter: - @brief Loads the source specification from a string - - Sets the source specification to the given string. The source specification may contain the cellview index, the source layer (given by layer/datatype or layer name), transformation, property selector etc. - This method throws an exception if the specification is not valid. - """ - source_cellview: int - r""" - Getter: - @brief Gets the cellview index that this layer refers to - - This method is a convenience method for "source_cellview(true)" - - This method has been introduced in version 0.22. - Setter: - @brief Sets the cellview index that this layer refers to - - See \cellview for a description of the transformations. - """ - source_datatype: int - r""" - Getter: - @brief Gets the stream datatype that the shapes are taken from - - This method is a convenience method for "source_datatype(true)" - - This method has been introduced in version 0.22. - Setter: - @brief Sets the stream datatype that the shapes are taken from - - See \datatype for a description of this property - """ - source_layer: int - r""" - Getter: - @brief Gets the stream layer that the shapes are taken from - - This method is a convenience method for "source_layer(true)" - - This method has been introduced in version 0.22. - Setter: - @brief Sets the stream layer that the shapes are taken from - - See \source_layer for a description of this property - """ - source_layer_index: int - r""" - Getter: - @brief Gets the stream layer that the shapes are taken from - - This method is a convenience method for "source_layer_index(true)" - - This method has been introduced in version 0.22. - Setter: - @brief Sets the layer index specification that the shapes are taken from - - See \source_layer_index for a description of this property. - """ - source_name: str - r""" - Getter: - @brief Gets the stream name that the shapes are taken from - - This method is a convenience method for "source_name(true)" - - This method has been introduced in version 0.22. - Setter: - @brief Sets the stream layer name that the shapes are taken from - - See \name for a description of this property - """ - trans: List[db.DCplxTrans] - r""" - Getter: - @brief Gets the transformations that the layer is transformed with - - This method is a convenience method for "trans(true)" - - This method has been introduced in version 0.22. - Setter: - @brief Sets the transformations that the layer is transformed with - - See \trans for a description of the transformations. - """ - transparent: bool - r""" - Getter: - @brief Gets the transparency state - - This method is a convenience method for "transparent?(true)" - - This method has been introduced in version 0.22. - Setter: - @brief Sets the transparency state - """ - upper_hier_level: int - r""" - Getter: - @brief Gets the upper hierarchy level shown - - This method is a convenience method for "upper_hier_level(true)" - - This method has been introduced in version 0.22. - Setter: - @brief Sets a upper hierarchy level - - If this method is called, the upper hierarchy level is enabled. See \upper_hier_level for a description of this property. - """ - valid: bool - r""" - Getter: - @brief Gets the validity state - - This method is a convenience method for "valid?(true)" - - This method has been introduced in version 0.23. - Setter: - @brief Sets the validity state - """ - visible: bool - r""" - Getter: - @brief Gets the visibility state - - This method is a convenience method for "visible?(true)" - - This method has been introduced in version 0.22. - Setter: - @brief Sets the visibility state - """ - width: int - r""" - Getter: - @brief Gets the line width - - This method is a convenience method for "width(true)" - - This method has been introduced in version 0.22. - Setter: - @brief Sets the line width to the given width - """ - xfill: bool - r""" - Getter: - @brief Gets a value indicating whether shapes are drawn with a cross - - This method is a convenience method for "xfill?(true)" - - This attribute has been introduced in version 0.25. - - Setter: - @brief Sets a value indicating whether shapes are drawn with a cross - - This attribute has been introduced in version 0.25. - """ - @classmethod - def new(cls) -> LayerProperties: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> LayerProperties: - r""" - @brief Creates a copy of self + Setting the source should be the first thing done after the BrowserDialog object is created. It will not have any effect after the browser has loaded the first page. In particular, \home= should be called after the source was set. """ - def __deepcopy__(self) -> LayerProperties: + @overload + @classmethod + def new(cls, html: str) -> BrowserDialog: r""" - @brief Creates a copy of self + @brief Creates a HTML browser window with a static HTML content + This method has been introduced in version 0.23. """ - def __eq__(self, other: object) -> bool: + @overload + @classmethod + def new(cls, source: BrowserSource) -> BrowserDialog: r""" - @brief Equality - - @param other The other object to compare against + @brief Creates a HTML browser window with a \BrowserSource as the source of HTML code + This method has been introduced in version 0.23. """ - def __init__(self) -> None: + @overload + def __init__(self, html: str) -> None: r""" - @brief Creates a new object of this class + @brief Creates a HTML browser window with a static HTML content + This method has been introduced in version 0.23. """ - def __ne__(self, other: object) -> bool: + @overload + def __init__(self, source: BrowserSource) -> None: r""" - @brief Inequality - - @param other The other object to compare against + @brief Creates a HTML browser window with a \BrowserSource as the source of HTML code + This method has been introduced in version 0.23. """ def _create(self) -> None: r""" @@ -1708,50 +1809,6 @@ class LayerProperties: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: LayerProperties) -> None: - r""" - @brief Assigns another object to self - """ - def cellview(self) -> int: - r""" - @brief Gets the the cellview index - - This is the index of the actual cellview to use. Basically, this method returns \source_cellview in "real" mode. The result may be different, if the cellview is not valid for example. In this case, a negative value is returned. - """ - def clear_dither_pattern(self) -> None: - r""" - @brief Clears the dither pattern - """ - def clear_fill_color(self) -> None: - r""" - @brief Resets the fill color - """ - def clear_frame_color(self) -> None: - r""" - @brief Resets the frame color - """ - def clear_line_style(self) -> None: - r""" - @brief Clears the line style - - This method has been introduced in version 0.25. - """ - def clear_lower_hier_level(self) -> None: - r""" - @brief Clears the lower hierarchy level specification - - See \has_lower_hier_level for a description of this property - """ - def clear_source_name(self) -> None: - r""" - @brief Removes any stream layer name specification from this layer - """ - def clear_upper_hier_level(self) -> None: - r""" - @brief Clears the upper hierarchy level specification - - See \has_upper_hier_level for a description of this property - """ def create(self) -> None: r""" @brief Ensures the C++ object is created @@ -1769,345 +1826,219 @@ class LayerProperties: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> LayerProperties: + def exec_(self) -> int: r""" - @brief Creates a copy of self + @brief Executes the HTML browser dialog as a modal window """ - @overload - def eff_dither_pattern(self) -> int: + def execute(self) -> int: r""" - @brief Gets the effective dither pattern index - - This method is a convenience method for "eff_dither_pattern(true)" - - This method has been introduced in version 0.22. + @brief Executes the HTML browser dialog as a modal window """ - @overload - def eff_dither_pattern(self, real: bool) -> int: + def hide(self) -> None: r""" - @brief Gets the effective dither pattern index - - The effective dither pattern index is always a valid index, even if no dither pattern is set. - @param real Set to true to return the real instead of local value + @brief Hides the HTML browser window """ - @overload - def eff_fill_color(self) -> int: + def is_const_object(self) -> bool: r""" - @brief Gets the effective fill color - - This method is a convenience method for "eff_fill_color(true)" - - This method has been introduced in version 0.22. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def eff_fill_color(self, real: bool) -> int: + def load(self, url: str) -> None: r""" - @brief Gets the effective fill color - - The effective fill color is computed from the frame color brightness and the - frame color. - - @param real Set to true to return the real instead of local value + @brief Loads the given URL into the browser dialog + Typically the URL has the "int:" scheme so the HTML code is taken from the \BrowserSource object. """ - @overload - def eff_frame_color(self) -> int: + def reload(self) -> None: r""" - @brief Gets the effective frame color - - This method is a convenience method for "eff_frame_color(true)" - - This method has been introduced in version 0.22. + @brief Reloads the current page """ - @overload - def eff_frame_color(self, real: bool) -> int: + def resize(self, width: int, height: int) -> None: r""" - @brief Gets the effective frame color - - The effective frame color is computed from the frame color brightness and the - frame color. - - @param real Set to true to return the real instead of local value + @brief Sets the size of the dialog window """ - @overload - def eff_line_style(self) -> int: + def search(self, search_item: str) -> None: r""" - @brief Gets the line style index - - This method is a convenience method for "eff_line_style(true)" + @brief Issues a search request using the given search item and the search URL specified with \set_search_url - This method has been introduced in version 0.25. + See \set_search_url for a description of the search mechanism. """ - @overload - def eff_line_style(self, real: bool) -> int: + def set_caption(self, caption: str) -> None: r""" - @brief Gets the effective line style index - - The effective line style index is always a valid index, even if no line style is set. In that case, a default style index will be returned. - - @param real Set to true to return the real instead of local value - - This method has been introduced in version 0.25. + @brief Sets the caption of the window """ - def flat(self) -> LayerProperties: + def set_home(self, home_url: str) -> None: r""" - @brief Returns the "flattened" (effective) layer properties entry for this node - - This method returns a \LayerProperties object that is not embedded into a hierarchy. - This object represents the effective layer properties for the given node. In particular, all 'local' properties are identical to the 'real' properties. Such an object can be used as a basis for manipulations. - This method has been introduced in version 0.22. + @brief Sets the browser's initial and current URL which is selected if the "home" location is chosen + The home URL is the one shown initially and the one which is selected when the "home" button is pressed. The default location is "int:/index.html". """ - @overload - def has_dither_pattern(self) -> bool: + def set_search_url(self, url: str, query_item: str) -> None: r""" - @brief True, if the dither pattern is set + @brief Enables the search field and specifies the search URL generated for a search - This method is a convenience method for "has_dither_pattern?(true)" + If a search URL is set, the search box right to the navigation bar will be enabled. When a text is entered into the search box, the browser will navigate to an URL composed of the search URL, the search item and the search text, i.e. "myurl?item=search_text". - This method has been introduced in version 0.22. + This method has been introduced in version 0.23. """ - @overload - def has_dither_pattern(self, real: bool) -> bool: + def set_size(self, width: int, height: int) -> None: r""" - @brief True, if the dither pattern is set + @brief Sets the size of the dialog window """ - @overload - def has_fill_color(self) -> bool: + def set_source(self, source: BrowserSource) -> None: r""" - @brief True, if the fill color is set - - This method is a convenience method for "has_fill_color?(true)" + @brief Connects to a source object - This method has been introduced in version 0.22. + Setting the source should be the first thing done after the BrowserDialog object is created. It will not have any effect after the browser has loaded the first page. In particular, \home= should be called after the source was set. """ - @overload - def has_fill_color(self, real: bool) -> bool: + def show(self) -> None: r""" - @brief True, if the fill color is set + @brief Shows the HTML browser window in a non-modal way """ - @overload - def has_frame_color(self) -> bool: - r""" - @brief True, if the frame color is set - This method is a convenience method for "has_frame_color?(true)" +class BrowserSource: + r""" + @brief The BrowserDialog's source for "int" URL's - This method has been introduced in version 0.22. - """ - @overload - def has_frame_color(self, real: bool) -> bool: - r""" - @brief True, if the frame color is set - """ - @overload - def has_line_style(self) -> bool: - r""" - @brief True, if the line style is set + The source object basically acts as a "server" for special URL's using "int" as the scheme. + Classes that want to implement such functionality must derive from BrowserSource and reimplement + the \get method. This method is supposed to deliver a HTML page for the given URL. - This method is a convenience method for "has_line_style?(true)" + Alternatively to implementing this functionality, a source object may be instantiated using the + constructor with a HTML code string. This will create a source object that simply displays the given string + as the initial and only page. + """ + @classmethod + def new(cls, arg0: str) -> BrowserSource: + r""" + @brief Constructs a BrowserSource object with a default HTML string - This method has been introduced in version 0.25. + The default HTML string is sent when no specific implementation is provided. """ - @overload - def has_line_style(self, real: bool) -> bool: + @classmethod + def new_html(cls, arg0: str) -> BrowserSource: r""" - @brief Gets a value indicating whether the line style is set + @brief Constructs a BrowserSource object with a default HTML string - This method has been introduced in version 0.25. + The default HTML string is sent when no specific implementation is provided. """ - @overload - def has_lower_hier_level(self) -> bool: + def __copy__(self) -> BrowserSource: r""" - @brief Gets a value indicating whether a lower hierarchy level is explicitly specified - - This method is a convenience method for "has_lower_hier_level?(true)" - - This method has been introduced in version 0.22. + @brief Creates a copy of self """ - @overload - def has_lower_hier_level(self, real: bool) -> bool: + def __deepcopy__(self) -> BrowserSource: r""" - @brief Gets a value indicating whether a lower hierarchy level is explicitly specified - - If "real" is true, the effective value is returned. + @brief Creates a copy of self """ - @overload - def has_source_name(self) -> bool: + def __init__(self, arg0: str) -> None: r""" - @brief Gets a value indicating whether a stream layer name is specified for this layer - - This method is a convenience method for "has_source_name?(true)" + @brief Constructs a BrowserSource object with a default HTML string - This method has been introduced in version 0.22. + The default HTML string is sent when no specific implementation is provided. """ - @overload - def has_source_name(self, real: bool) -> bool: + def _create(self) -> None: r""" - @brief Gets a value indicating whether a stream layer name is specified for this layer - - If "real" is true, the effective value is returned. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def has_upper_hier_level(self) -> bool: + def _destroy(self) -> None: r""" - @brief Gets a value indicating whether an upper hierarchy level is explicitly specified - - This method is a convenience method for "has_upper_hier_level?(true)" - - This method has been introduced in version 0.22. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def has_upper_hier_level(self, real: bool) -> bool: + def _destroyed(self) -> bool: r""" - @brief Gets a value indicating whether an upper hierarchy level is explicitly specified - - If "real" is true, the effective value is returned. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def is_const_object(self) -> bool: + def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def layer_index(self) -> int: + def _manage(self) -> None: r""" - @brief Gets the the layer index + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This is the index of the actual layer used. The source specification given by \source_layer, \source_datatype, \source_name is evaluated and the corresponding layer is looked up in the layout object. If a \source_layer_index is specified, this layer index is taken as the layer index to use. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def lower_hier_level_mode(self) -> int: + def _unmanage(self) -> None: r""" - @brief Gets the mode for the lower hierarchy level. - - This method is a convenience method for "lower_hier_level_mode(true)" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.22. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def lower_hier_level_mode(self, arg0: bool) -> int: + def assign(self, other: BrowserSource) -> None: r""" - @brief Gets the mode for the lower hierarchy level. - @param real If true, the computed value is returned, otherwise the local node value - - The mode value can be 0 (value is given by \lower_hier_level), 1 for "minimum value" and 2 for "maximum value". - - This method has been introduced in version 0.20. + @brief Assigns another object to self """ - @overload - def lower_hier_level_relative(self) -> bool: + def create(self) -> None: r""" - @brief Gets a value indicating whether the upper hierarchy level is relative. - - This method is a convenience method for "lower_hier_level_relative(true)" - - This method has been introduced in version 0.22. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def lower_hier_level_relative(self, real: bool) -> bool: + def destroy(self) -> None: r""" - @brief Gets a value indicating whether the lower hierarchy level is relative. - - See \lower_hier_level for a description of this property. - - This method has been introduced in version 0.19. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def set_lower_hier_level(self, level: int, relative: bool) -> None: + def destroyed(self) -> bool: r""" - @brief Sets the lower hierarchy level and if it is relative to the context cell - - If this method is called, the lower hierarchy level is enabled. See \lower_hier_level for a description of this property. - - This method has been introduced in version 0.19. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def set_lower_hier_level(self, level: int, relative: bool, mode: int) -> None: + def dup(self) -> BrowserSource: r""" - @brief Sets the lower hierarchy level, whether it is relative to the context cell and the mode - - If this method is called, the lower hierarchy level is enabled. See \lower_hier_level for a description of this property. - - This method has been introduced in version 0.20. - """ - @overload - def set_upper_hier_level(self, level: int, relative: bool) -> None: - r""" - @brief Sets the upper hierarchy level and if it is relative to the context cell - - If this method is called, the upper hierarchy level is enabled. See \upper_hier_level for a description of this property. - - This method has been introduced in version 0.19. - """ - @overload - def set_upper_hier_level(self, level: int, relative: bool, mode: int) -> None: - r""" - @brief Sets the upper hierarchy level, if it is relative to the context cell and the mode - - If this method is called, the upper hierarchy level is enabled. See \upper_hier_level for a description of this property. - - This method has been introduced in version 0.20. - """ - @overload - def upper_hier_level_mode(self) -> int: - r""" - @brief Gets the mode for the upper hierarchy level. - - This method is a convenience method for "upper_hier_level_mode(true)" - - This method has been introduced in version 0.22. + @brief Creates a copy of self """ - @overload - def upper_hier_level_mode(self, real: bool) -> int: + def is_const_object(self) -> bool: r""" - @brief Gets the mode for the upper hierarchy level. - @param real If true, the computed value is returned, otherwise the local node value - - The mode value can be 0 (value is given by \upper_hier_level), 1 for "minimum value" and 2 for "maximum value". - - This method has been introduced in version 0.20. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def upper_hier_level_relative(self) -> bool: + def next_topic(self, url: str) -> str: r""" - @brief Gets a value indicating whether the upper hierarchy level is relative. - - This method is a convenience method for "upper_hier_level_relative(true)" + @brief Gets the next topic URL from a given URL + An empty string will be returned if no next topic is available. - This method has been introduced in version 0.22. + This method has been introduced in version 0.28. """ - @overload - def upper_hier_level_relative(self, real: bool) -> bool: + def prev_topic(self, url: str) -> str: r""" - @brief Gets a value indicating whether if the upper hierarchy level is relative. - - See \upper_hier_level for a description of this property. + @brief Gets the previous topic URL from a given URL + An empty string will be returned if no previous topic is available. - This method has been introduced in version 0.19. + This method has been introduced in version 0.28. """ -class LayerPropertiesNode(LayerProperties): +class BrowserSource_Native: r""" - @brief A layer properties node structure - - This class is derived from \LayerProperties. Objects of this class are used - in the hierarchy of layer views that are arranged in a tree while the \LayerProperties - object reflects the properties of a single node. + @hide + @alias BrowserSource """ - def __eq__(self, other: object) -> bool: + @classmethod + def new(cls) -> BrowserSource_Native: r""" - @brief Equality - - @param other The other object to compare against + @brief Creates a new object of this class """ - def __ne__(self, other: object) -> bool: + def __copy__(self) -> BrowserSource_Native: r""" - @brief Inequality - - @param other The other object to compare against + @brief Creates a copy of self """ - def _assign(self, other: LayerProperties) -> None: + def __deepcopy__(self) -> BrowserSource_Native: r""" - @brief Assigns another object to self + @brief Creates a copy of self + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -2126,10 +2057,6 @@ class LayerPropertiesNode(LayerProperties): This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def _dup(self) -> LayerPropertiesNode: - r""" - @brief Creates a copy of self - """ def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference @@ -2150,105 +2077,99 @@ class LayerPropertiesNode(LayerProperties): Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def add_child(self) -> LayerPropertiesNodeRef: + def assign(self, other: BrowserSource_Native) -> None: r""" - @brief Add a child entry - @return A reference to the node created - This method allows building a layer properties tree by adding children to node objects. It returns a reference to the node object created which is a freshly initialized one. - - The parameterless version of this method was introduced in version 0.25. + @brief Assigns another object to self """ - @overload - def add_child(self, child: LayerProperties) -> LayerPropertiesNodeRef: + def create(self) -> None: r""" - @brief Add a child entry - @return A reference to the node created - This method allows building a layer properties tree by adding children to node objects. It returns a reference to the node object created. - - This method was introduced in version 0.22. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def bbox(self) -> db.DBox: + def destroy(self) -> None: r""" - @brief Compute the bbox of this layer - - This takes the layout and path definition (supported by the - given default layout or path, if no specific is given). - The node must have been attached to a view to make this - operation possible. - - @return A bbox in micron units + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def clear_children(self) -> None: + def destroyed(self) -> bool: r""" - @brief Clears all children - This method was introduced in version 0.22. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def flat(self) -> LayerPropertiesNode: + def dup(self) -> BrowserSource_Native: r""" - @brief return the "flattened" (effective) layer properties node for this node - - This method returns a \LayerPropertiesNode object that is not embedded into a hierarchy. - This object represents the effective layer properties for the given node. In particular, all 'local' properties are identical to the 'real' properties. Such an object can be used as a basis for manipulations. - - Unlike the name suggests, this node will still contain a hierarchy of nodes below if the original node did so. + @brief Creates a copy of self """ - def has_children(self) -> bool: + def get(self, arg0: str) -> str: r""" - @brief Test, if there are children """ - def id(self) -> int: + def is_const_object(self) -> bool: r""" - @brief Obtain the unique ID - - Each layer properties node object has a unique ID that is created - when a new LayerPropertiesNode object is instantiated. The ID is - copied when the object is copied. The ID can be used to identify the - object irregardless of it's content. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def list_index(self) -> int: + def next_topic(self, url: str) -> str: r""" - @brief Gets the index of the layer properties list that the node lives in """ - def view(self) -> LayoutView: + def prev_topic(self, url: str) -> str: r""" - @brief Gets the view this node lives in - - This reference can be nil if the node is a orphan node that lives outside a view. """ -class LayerPropertiesNodeRef(LayerPropertiesNode): +class ButtonState: r""" - @brief A class representing a reference to a layer properties node - - This object is returned by the layer properties iterator's current method (\LayerPropertiesIterator#current). A reference behaves like a layer properties node, but changes in the node are reflected in the view it is attached to. - - A typical use case for references is this: - - @code - # Hides a layers of a view - view = RBA::LayoutView::current - view.each_layer do |lref| - # lref is a LayerPropertiesNodeRef object - lref.visible = false - end - @/code - - This class has been introduced in version 0.25. + @brief The namespace for the button state flags in the mouse events of the Plugin class. + This class defines the constants for the button state. In the event handler, the button state is indicated by a bitwise combination of these constants. See \Plugin for further details. + This class has been introduced in version 0.22. """ - def __copy__(self) -> LayerPropertiesNode: + AltKey: ClassVar[int] + r""" + @brief Indicates that the Alt key is pressed + This constant is combined with other constants within \ButtonState + """ + ControlKey: ClassVar[int] + r""" + @brief Indicates that the Control key is pressed + This constant is combined with other constants within \ButtonState + """ + LeftButton: ClassVar[int] + r""" + @brief Indicates that the left mouse button is pressed + This constant is combined with other constants within \ButtonState + """ + MidButton: ClassVar[int] + r""" + @brief Indicates that the middle mouse button is pressed + This constant is combined with other constants within \ButtonState + """ + RightButton: ClassVar[int] + r""" + @brief Indicates that the right mouse button is pressed + This constant is combined with other constants within \ButtonState + """ + ShiftKey: ClassVar[int] + r""" + @brief Indicates that the Shift key is pressed + This constant is combined with other constants within \ButtonState + """ + @classmethod + def new(cls) -> ButtonState: r""" - @brief Creates a \LayerPropertiesNode object as a copy of the content of this node. - This method is mainly provided for backward compatibility with 0.24 and before. + @brief Creates a new object of this class """ - def __deepcopy__(self) -> LayerPropertiesNode: + def __copy__(self) -> ButtonState: r""" - @brief Creates a \LayerPropertiesNode object as a copy of the content of this node. - This method is mainly provided for backward compatibility with 0.24 and before. + @brief Creates a copy of self """ - def _assign(self, other: LayerProperties) -> None: + def __deepcopy__(self) -> ButtonState: r""" - @brief Assigns another object to self + @brief Creates a copy of self + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -2267,10 +2188,6 @@ class LayerPropertiesNodeRef(LayerPropertiesNode): This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def _dup(self) -> LayerPropertiesNodeRef: - r""" - @brief Creates a copy of self - """ def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference @@ -2291,86 +2208,203 @@ class LayerPropertiesNodeRef(LayerPropertiesNode): Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def assign(self, other: LayerProperties) -> None: + def assign(self, other: ButtonState) -> None: r""" - @brief Assigns the contents of the 'other' object to self. - - This version accepts a \LayerProperties object. Assignment will change the properties of the layer in the view. + @brief Assigns another object to self """ - @overload - def assign(self, other: LayerProperties) -> None: + def create(self) -> None: r""" - @brief Assigns the contents of the 'other' object to self. - - This version accepts a \LayerPropertiesNode object and allows modification of the layer node's hierarchy. Assignment will reconfigure the layer node in the view. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def delete(self) -> None: + def destroy(self) -> None: r""" - @brief Erases the current node and all child nodes - - After erasing the node, the reference will become invalid. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def dup(self) -> LayerPropertiesNode: + def destroyed(self) -> bool: r""" - @brief Creates a \LayerPropertiesNode object as a copy of the content of this node. - This method is mainly provided for backward compatibility with 0.24 and before. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def is_valid(self) -> bool: + def dup(self) -> ButtonState: r""" - @brief Returns true, if the reference points to a valid layer properties node - - Invalid references behave like ordinary \LayerPropertiesNode objects but without the ability to update the view upon changes of attributes. + @brief Creates a copy of self + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ -class LayerPropertiesIterator: +class CellView: r""" - @brief Layer properties iterator + @brief A class describing what is shown inside a layout view - This iterator provides a flat view for the layers in the layer tree if used with the next method. In this mode it will descend into the hierarchy and deliver node by node as a linear (flat) sequence. + The cell view points to a specific cell within a certain layout and a hierarchical context. + For that, first of all a layout pointer is provided. The cell itself + is addressed by an cell_index or a cell object reference. + The layout pointer can be nil, indicating that the cell view is invalid. - The iterator can also be used to navigate through the node hierarchy using \next_sibling, \down_first_child, \parent etc. + The cell is not only identified by it's index or object but also + by the path leading to that cell. This path indicates how to find the + cell in the hierarchical context of it's parent cells. - The iterator also plays an important role for manipulating the layer properties tree, i.e. by specifying insertion points in the tree for the \LayoutView class. + The path is in fact composed of two parts: first in an unspecific fashion, + just describing which parent cells are used. The target of this path + is called the "context cell". It is accessible by the \ctx_cell_index + or \ctx_cell methods. In the viewer, the unspecific part of the path is + the location of the cell in the cell tree. + + Additionally the path's second part may further identify a specific instance of a certain + subcell in the context cell. This is done through a set of \InstElement + objects. The target of this specific path is the actual cell addressed by the + cellview. This target cell is accessible by the \cell_index or \cell methods. + In the viewer, the target cell is shown in the context of the context cell. + The hierarchy levels are counted from the context cell, which is on level 0. + If the context path is empty, the context cell is identical with the target cell. + + Starting with version 0.25, the cellview can be modified directly. This will have an immediate effect on the display. For example, the following code will select a different cell: + + @code + cv = RBA::CellView::active + cv.cell_name = "TOP2" + @/code + + See @The Application API@ for more details about the cellview objects. + """ + cell: db.Cell + r""" + Getter: + @brief Gets the reference to the target cell currently addressed + + Setter: + @brief Sets the cell by reference to a Cell object + Setting the cell reference to nil invalidates the cellview. This method will construct any path to this cell, not a + particular one. It will clear the context path + and update the context and target cell. + """ + cell_index: int + r""" + Getter: + @brief Gets the target cell's index + + Setter: + @brief Sets the path to the given cell + + This method will construct any path to this cell, not a + particular one. It will clear the context path + and update the context and target cell. Note that the cell is specified by it's index. + """ + cell_name: str + r""" + Getter: + @brief Gets the name of the target cell currently addressed + + Setter: + @brief Sets the cell by name + + If the name is not a valid one, the cellview will become + invalid. + This method will construct any path to this cell, not a + particular one. It will clear the context path + and update the context and target cell. + """ + context_path: List[db.InstElement] + r""" + Getter: + @brief Gets the cell's context path + The context path leads from the context cell to the target cell in a specific fashion, i.e. describing each instance in detail, not just by cell indexes. If the context and target cell are identical, the context path is empty. + Setter: + @brief Sets the context path explicitly + + This method assumes that the unspecific part of the path + is established already and that the context path starts + from the context cell. + """ + name: str + r""" + Getter: + @brief Gets the unique name associated with the layout behind the cellview + + Setter: + @brief sets the unique name associated with the layout behind the cellview + + this method has been introduced in version 0.25. + """ + on_technology_changed: None + r""" + Getter: + @brief An event indicating that the technology has changed + This event is triggered when the CellView is attached to a different technology. + + This event has been introduced in version 0.27. + + Setter: + @brief An event indicating that the technology has changed + This event is triggered when the CellView is attached to a different technology. + + This event has been introduced in version 0.27. + """ + path: List[int] + r""" + Getter: + @brief Gets the cell's unspecific part of the path leading to the context cell + + Setter: + @brief Sets the unspecific part of the path explicitly + + Setting the unspecific part of the path will clear the context path component and + update the context and target cell. + """ + technology: str + r""" + Getter: + @brief Returns the technology name for the layout behind the given cell view + This method has been added in version 0.23. + + Setter: + @brief Sets the technology for the layout behind the given cell view + According to the specification of the technology, new layer properties may be loaded or the net tracer may be reconfigured. If the layout is shown in multiple views, the technology is updated for all views. + This method has been added in version 0.22. """ @classmethod - def new(cls) -> LayerPropertiesIterator: + def active(cls) -> CellView: + r""" + @brief Gets the active CellView + The active CellView is the one that is selected in the current layout view. This method is equivalent to + @code + RBA::LayoutView::current.active_cellview + @/code + If no CellView is active, this method returns nil. + + This method has been introduced in version 0.23. + """ + @classmethod + def new(cls) -> CellView: r""" @brief Creates a new object of this class """ - def __copy__(self) -> LayerPropertiesIterator: + def __copy__(self) -> CellView: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> LayerPropertiesIterator: + def __deepcopy__(self) -> CellView: r""" @brief Creates a copy of self """ def __eq__(self, other: object) -> bool: r""" - @brief Equality - - @param other The other object to compare against - Returns true, if self and other point to the same layer properties node. Caution: this does not imply that both layer properties nodes sit in the same tab. Just their position in the tree is compared. + @brief Equality: indicates whether the cellviews refer to the same one + In version 0.25, the definition of the equality operator has been changed to reflect identity of the cellview. Before that version, identity of the cell shown was implied. """ def __init__(self) -> None: r""" @brief Creates a new object of this class """ - def __lt__(self, other: LayerPropertiesIterator) -> bool: - r""" - @brief Comparison - - @param other The other object to compare against - - @return true, if self points to an object that comes before other - """ - def __ne__(self, other: object) -> bool: - r""" - @brief Inequality - - @param other The other object to compare against - """ def _create(self) -> None: r""" @brief Ensures the C++ object is created @@ -2408,41 +2442,61 @@ class LayerPropertiesIterator: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: LayerPropertiesIterator) -> None: + def ascend(self) -> None: + r""" + @brief Ascends upwards in the hierarchy. + Removes one element from the specific path of the cellview with the given index. Returns the element removed. + This method has been added in version 0.25. + """ + def assign(self, other: CellView) -> None: r""" @brief Assigns another object to self """ - def at_end(self) -> bool: + def close(self) -> None: r""" - @brief At-the-end property + @brief Closes this cell view - This predicate is true if the iterator is at the end of either all elements or - at the end of the child list (if \down_last_child or \down_first_child is used to iterate). + This method will close the cellview - remove it from the layout view. After this method was called, the cellview will become invalid (see \is_valid?). + + This method was introduced in version 0.25. """ - def at_top(self) -> bool: + def context_dtrans(self) -> db.DCplxTrans: r""" - @brief At-the-top property + @brief Gets the accumulated transformation of the context path in micron unit space + This is the transformation applied to the target cell before it is shown in the context cell + Technically this is the product of all transformations over the context path. + See \context_trans for a version delivering an integer-unit space transformation. - This predicate is true if there is no parent node above the node addressed by self. + This method has been introduced in version 0.27.3. """ - def child_index(self) -> int: + def context_trans(self) -> db.ICplxTrans: r""" - @brief Returns the index of the child within the parent + @brief Gets the accumulated transformation of the context path + This is the transformation applied to the target cell before it is shown in the context cell + Technically this is the product of all transformations over the context path. + See \context_dtrans for a version delivering a micron-unit space transformation. - This method returns the index of that the properties node the iterator points to in the list - of children of it's parent. If the element does not have a parent, the - index of the element in the global list is returned. + This method has been introduced in version 0.27.3. """ def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def current(self) -> LayerPropertiesNodeRef: + def ctx_cell(self) -> db.Cell: r""" - @brief Returns a reference to the layer properties node that the iterator points to - - Starting with version 0.25, the returned object can be manipulated and the changes will be reflected in the view immediately. + @brief Gets the reference to the context cell currently addressed + """ + def ctx_cell_index(self) -> int: + r""" + @brief Gets the context cell's index + """ + def descend(self, path: Sequence[db.InstElement]) -> None: + r""" + @brief Descends further into the hierarchy. + Adds the given path (given as an array of InstElement objects) to the specific path of the cellview with the given index. In effect, the cell addressed by the terminal of the new path components can be shown in the context of the upper cells, if the minimum hierarchy level is set to a negative value. + The path is assumed to originate from the current cell and contain specific instances sorted from top to bottom. + This method has been added in version 0.25. """ def destroy(self) -> None: r""" @@ -2456,34 +2510,31 @@ class LayerPropertiesIterator: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def down_first_child(self) -> LayerPropertiesIterator: + def dup(self) -> CellView: r""" - @brief Move to the first child - - This method moves to the first child of the current element. If there is - no child, \at_end? will be true. Even then, the iterator is sitting at the - the child level and \up can be used to move back. + @brief Creates a copy of self """ - def down_last_child(self) -> LayerPropertiesIterator: + def filename(self) -> str: r""" - @brief Move to the last child - - This method moves behind the last child of the current element. \at_end? will be - true then. Even then, the iterator points to the child level and \up - can be used to move back. + @brief Gets filename associated with the layout behind the cellview + """ + def hide_cell(self, cell: db.Cell) -> None: + r""" + @brief Hides the given cell - Despite the name, the iterator does not address the last child, but the position after that child. To actually get the iterator for the last child, use down_last_child and next_sibling(-1). + This method has been added in version 0.25. """ - def dup(self) -> LayerPropertiesIterator: + def index(self) -> int: r""" - @brief Creates a copy of self + @brief Gets the index of this cellview in the layout view + The index will be negative if the cellview is not a valid one. + This method has been added in version 0.25. """ - def first_child(self) -> LayerPropertiesIterator: + def is_cell_hidden(self, cell: db.Cell) -> bool: r""" - @brief Returns the iterator pointing to the first child + @brief Returns true, if the given cell is hidden - If there is no children, the iterator will be a valid insert point but not - point to any valid element. It will report \at_end? = true. + This method has been added in version 0.25. """ def is_const_object(self) -> bool: r""" @@ -2491,2476 +2542,2085 @@ class LayerPropertiesIterator: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def is_null(self) -> bool: + def is_dirty(self) -> bool: r""" - @brief "is null" predicate + @brief Gets a flag indicating whether the layout needs saving + A layout is 'dirty' if it is modified and needs saving. This method returns true in this case. - This predicate is true if the iterator is "null". Such an iterator can be - created with the default constructor or by moving a top-level iterator up. + This method has been introduced in version 0.24.10. """ - def last_child(self) -> LayerPropertiesIterator: + def is_valid(self) -> bool: r""" - @brief Returns the iterator pointing behind the last child - - The iterator will be a valid insert point but not - point to any valid element. It will report \at_end? = true. - - Despite the name, the iterator does not address the last child, but the position after that child. To actually get the iterator for the last child, use last_child and call next_sibling(-1) on that iterator. + @brief Returns true, if the cellview is valid + A cellview may become invalid if the corresponding tab is closed for example. """ - def next(self) -> LayerPropertiesIterator: + def layout(self) -> db.Layout: r""" - @brief Increment operator - - The iterator will be incremented to point to the next layer entry. It will descend into the hierarchy to address child nodes if there are any. + @brief Gets the reference to the layout object addressed by this view """ - def next_sibling(self, n: int) -> LayerPropertiesIterator: + def reset_cell(self) -> None: r""" - @brief Move to the next sibling by a given distance - + @brief Resets the cell - The iterator is moved to the nth next sibling of the current element. Use negative distances to move backward. + The cellview will become invalid. The layout object will + still be attached to the cellview, but no cell will be selected. """ - def num_siblings(self) -> int: + def set_cell(self, cell_index: int) -> None: r""" - @brief Return the number of siblings + @brief Sets the path to the given cell - The count includes the current element. More precisely, this property delivers the number of children of the current node's parent. + This method will construct any path to this cell, not a + particular one. It will clear the context path + and update the context and target cell. Note that the cell is specified by it's index. """ - def parent(self) -> LayerPropertiesIterator: + def set_cell_name(self, cell_name: str) -> None: r""" - @brief Returns the iterator pointing to the parent node + @brief Sets the cell by name - This method will return an iterator pointing to the parent element. - If there is no parent, the returned iterator will be a null iterator. + If the name is not a valid one, the cellview will become + invalid. + This method will construct any path to this cell, not a + particular one. It will clear the context path + and update the context and target cell. """ - def to_sibling(self, n: int) -> LayerPropertiesIterator: + def set_context_path(self, path: Sequence[db.InstElement]) -> None: r""" - @brief Move to the sibling with the given index - + @brief Sets the context path explicitly - The iterator is moved to the nth sibling by selecting the nth child in the current node's parent. + This method assumes that the unspecific part of the path + is established already and that the context path starts + from the context cell. """ - def up(self) -> LayerPropertiesIterator: + def set_path(self, path: Sequence[int]) -> None: r""" - @brief Move up + @brief Sets the unspecific part of the path explicitly - The iterator is moved to point to the current element's parent. - If the current element does not have a parent, the iterator will - become a null iterator. + Setting the unspecific part of the path will clear the context path component and + update the context and target cell. """ - -class LayoutViewBase: - r""" - @hide - @alias LayoutView - """ - class SelectionMode: + def show_all_cells(self) -> None: r""" - @brief Specifies how selected objects interact with already selected ones. + @brief Makes all cells shown (cancel effects of \hide_cell) for the specified cell view - This enum was introduced in version 0.27. - """ - Add: ClassVar[LayoutViewBase.SelectionMode] - r""" - @brief Adds to any existing selection - """ - Invert: ClassVar[LayoutViewBase.SelectionMode] - r""" - @brief Adds to any existing selection, if it's not there yet or removes it from the selection if it's already selected + This method has been added in version 0.25. """ - Replace: ClassVar[LayoutViewBase.SelectionMode] + def show_cell(self, cell: db.Cell) -> None: r""" - @brief Replaces the existing selection + @brief Shows the given cell (cancels the effect of \hide_cell) + + This method has been added in version 0.25. """ - Reset: ClassVar[LayoutViewBase.SelectionMode] + def view(self) -> LayoutView: r""" - @brief Removes from any existing selection + @brief Gets the view the cellview resides in + This reference will be nil if the cellview is not a valid one. + This method has been added in version 0.25. """ - @overload - @classmethod - def new(cls, i: int) -> LayoutViewBase.SelectionMode: - r""" - @brief Creates an enum from an integer value - """ - @overload - @classmethod - def new(cls, s: str) -> LayoutViewBase.SelectionMode: - r""" - @brief Creates an enum from a string value - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares two enums - """ - @overload - def __eq__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer value - """ - @overload - def __init__(self, i: int) -> None: - r""" - @brief Creates an enum from an integer value - """ - @overload - def __init__(self, s: str) -> None: - r""" - @brief Creates an enum from a string value - """ - @overload - def __lt__(self, other: int) -> bool: - r""" - @brief Returns true if the enum is less (in the enum symbol order) than the integer value - """ - @overload - def __lt__(self, other: LayoutViewBase.SelectionMode) -> bool: - r""" - @brief Returns true if the first enum is less (in the enum symbol order) than the second - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares an enum with an integer for inequality - """ - @overload - def __ne__(self, other: object) -> bool: - r""" - @brief Compares two enums for inequality - """ - def __repr__(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def __str__(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - def inspect(self) -> str: - r""" - @brief Converts an enum to a visual string - """ - def to_i(self) -> int: - r""" - @brief Gets the integer value from the enum - """ - def to_s(self) -> str: - r""" - @brief Gets the symbolic string from an enum - """ - Add: ClassVar[LayoutViewBase.SelectionMode] + +class Cursor: r""" - @brief Adds to any existing selection + @brief The namespace for the cursor constants + This class defines the constants for the cursor setting (for example for class \Plugin, method set_cursor). + This class has been introduced in version 0.22. """ - Invert: ClassVar[LayoutViewBase.SelectionMode] + Arrow: ClassVar[int] r""" - @brief Adds to any existing selection, if it's not there yet or removes it from the selection if it's already selected + @brief 'Arrow cursor' constant """ - LV_Naked: ClassVar[int] + Blank: ClassVar[int] r""" - @brief With this option, no separate views will be provided - Use this value with the constructor's 'options' argument. - This option is basically equivalent to using \LV_NoLayers+\LV_NoHierarchyPanel+\LV_NoLibrariesView+\LV_NoBookmarksView - - This constant has been introduced in version 0.27. + @brief 'Blank cursor' constant """ - LV_NoBookmarksView: ClassVar[int] + Busy: ClassVar[int] r""" - @brief With this option, no bookmarks view will be provided (see \bookmarks_frame) - Use this value with the constructor's 'options' argument. - - This constant has been introduced in version 0.27. + @brief 'Busy state cursor' constant """ - LV_NoEditorOptionsPanel: ClassVar[int] + ClosedHand: ClassVar[int] r""" - @brief With this option, no editor options panel will be provided (see \editor_options_frame) - Use this value with the constructor's 'options' argument. - - This constant has been introduced in version 0.27. + @brief 'Closed hand cursor' constant """ - LV_NoGrid: ClassVar[int] + Cross: ClassVar[int] r""" - @brief With this option, the grid background is not shown - Use this value with the constructor's 'options' argument. - - This constant has been introduced in version 0.27. + @brief 'Cross cursor' constant """ - LV_NoHierarchyPanel: ClassVar[int] + Forbidden: ClassVar[int] r""" - @brief With this option, no cell hierarchy view will be provided (see \hierarchy_control_frame) - Use this value with the constructor's 'options' argument. - - This constant has been introduced in version 0.27. + @brief 'Forbidden area cursor' constant """ - LV_NoLayers: ClassVar[int] + IBeam: ClassVar[int] r""" - @brief With this option, no layers view will be provided (see \layer_control_frame) - Use this value with the constructor's 'options' argument. - - This constant has been introduced in version 0.27. + @brief 'I beam (text insert) cursor' constant """ - LV_NoLibrariesView: ClassVar[int] + None_: ClassVar[int] r""" - @brief With this option, no library view will be provided (see \libraries_frame) - Use this value with the constructor's 'options' argument. - - This constant has been introduced in version 0.27. + @brief 'No cursor (default)' constant for \set_cursor (resets cursor to default) """ - LV_NoMove: ClassVar[int] + OpenHand: ClassVar[int] r""" - @brief With this option, move operations are not supported - Use this value with the constructor's 'options' argument. - - This constant has been introduced in version 0.27. + @brief 'Open hand cursor' constant """ - LV_NoPlugins: ClassVar[int] + PointingHand: ClassVar[int] r""" - @brief With this option, all plugins are disabled - Use this value with the constructor's 'options' argument. - - This constant has been introduced in version 0.27. + @brief 'Pointing hand cursor' constant """ - LV_NoPropertiesPopup: ClassVar[int] + SizeAll: ClassVar[int] r""" - @brief This option disables the properties popup on double click - Use this value with the constructor's 'options' argument. - - This constant has been introduced in version 0.28. + @brief 'Size all directions cursor' constant """ - LV_NoSelection: ClassVar[int] + SizeBDiag: ClassVar[int] r""" - @brief With this option, objects cannot be selected - Use this value with the constructor's 'options' argument. - - This constant has been introduced in version 0.27. + @brief 'Backward diagonal resize cursor' constant """ - LV_NoServices: ClassVar[int] + SizeFDiag: ClassVar[int] r""" - @brief This option disables all services except the ones for pure viewing - Use this value with the constructor's 'options' argument. - With this option, all manipulation features are disabled, except zooming. - It is equivalent to \LV_NoMove + \LV_NoTracker + \LV_NoSelection + \LV_NoPlugins. - - This constant has been introduced in version 0.27. + @brief 'Forward diagonal resize cursor' constant """ - LV_NoTracker: ClassVar[int] + SizeHor: ClassVar[int] r""" - @brief With this option, mouse position tracking is not supported - Use this value with the constructor's 'options' argument. - This option is not useful currently as no mouse tracking support is provided. - - This constant has been introduced in version 0.27. + @brief 'Horizontal resize cursor' constant """ - LV_NoZoom: ClassVar[int] + SizeVer: ClassVar[int] r""" - @brief With this option, zooming is disabled - Use this value with the constructor's 'options' argument. - - This constant has been introduced in version 0.27. + @brief 'Vertical resize cursor' constant """ - Replace: ClassVar[LayoutViewBase.SelectionMode] + SplitH: ClassVar[int] r""" - @brief Replaces the existing selection + @brief 'split_horizontal cursor' constant """ - Reset: ClassVar[LayoutViewBase.SelectionMode] + SplitV: ClassVar[int] r""" - @brief Removes from any existing selection + @brief 'Split vertical cursor' constant """ - @property - def active_setview_index(self) -> None: - r""" - WARNING: This variable can only be set, not retrieved. - @brief Makes the cellview with the given index the active one (shown in hierarchy browser) - See \active_cellview_index. - - This method has been renamed from set_active_cellview_index to active_cellview_index= in version 0.25. The original name is still available, but is deprecated. - """ - current_layer: LayerPropertiesIterator + UpArrow: ClassVar[int] r""" - Getter: - @brief Gets the current layer view - - Returns the \LayerPropertiesIterator pointing to the current layer view (the one that has the focus). If no layer view is active currently, a null iterator is returned. - - Setter: - @brief Sets the current layer view - - Specifies an \LayerPropertiesIterator pointing to the new current layer view. - - This method has been introduced in version 0.23. + @brief 'Upward arrow cursor' constant """ - current_layer_list: int + Wait: ClassVar[int] r""" - Getter: - @brief Gets the index of the currently selected layer properties tab - This method has been introduced in version 0.21. - - Setter: - @brief Sets the index of the currently selected layer properties tab - This method has been introduced in version 0.21. + @brief 'Waiting cursor' constant """ - max_hier_levels: int + WhatsThis: ClassVar[int] r""" - Getter: - @brief Returns the maximum hierarchy level up to which to display geometries - - @return The maximum level up to which to display geometries - Setter: - @brief Sets the maximum hierarchy level up to which to display geometries - - @param level The maximum level below which to display something - - This methods allows setting the maximum hierarchy below which to display geometries.This method may cause a redraw if required. + @brief 'Question mark cursor' constant """ - min_hier_levels: int - r""" - Getter: - @brief Returns the minimum hierarchy level at which to display geometries + @classmethod + def new(cls) -> Cursor: + r""" + @brief Creates a new object of this class + """ + def __copy__(self) -> Cursor: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> Cursor: + r""" + @brief Creates a copy of self + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - @return The minimum level at which to display geometries - Setter: - @brief Sets the minimum hierarchy level at which to display geometries + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - @param level The minimum level above which to display something + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def assign(self, other: Cursor) -> None: + r""" + @brief Assigns another object to self + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> Cursor: + r""" + @brief Creates a copy of self + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ - This methods allows setting the minimum hierarchy level above which to display geometries.This method may cause a redraw if required. - """ - object_selection: List[ObjectInstPath] +class Dispatcher: r""" - Getter: - @brief Returns a list of selected objects - This method will deliver an array of \ObjectInstPath objects listing the selected geometrical objects. Other selected objects such as annotations and images will not be contained in that list. - - The list returned is an array of copies of \ObjectInstPath objects. They can be modified, but they will become a new selection only after re-introducing them into the view through \object_selection= or \select_object. - - Another way of obtaining the selected objects is \each_object_selected. - - This method has been introduced in version 0.24. - - Setter: - @brief Sets the list of selected objects - - This method will set the selection of geometrical objects such as shapes and instances. It is the setter which complements the \object_selection method. + @brief Root of the configuration space in the plugin context and menu dispatcher - Another way of setting the selection is through \clear_object_selection and \select_object. + This class provides access to the root configuration space in the context of plugin programming. You can use this class to obtain configuration parameters from the configuration tree during plugin initialization. However, the preferred way of plugin configuration is through \Plugin#configure. - This method has been introduced in version 0.24. + Currently, the application object provides an identical entry point for configuration modification. For example, "Application::instance.set_config" is identical to "Dispatcher::instance.set_config". Hence there is little motivation for the Dispatcher class currently and this interface may be modified or removed in the future. + This class has been introduced in version 0.25 as 'PluginRoot'. + It is renamed and enhanced as 'Dispatcher' in 0.27. """ - on_active_cellview_changed: None - r""" - Getter: - @brief An event indicating that the active cellview has changed - - If the active cellview is changed by selecting a new one from the drop-down list, this event is triggered. - When this event is triggered, the cellview has already been changed. - Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_active_cellview_changed/remove_active_cellview_changed) have been removed in 0.25. - - Setter: - @brief An event indicating that the active cellview has changed + @classmethod + def instance(cls) -> Dispatcher: + r""" + @brief Gets the singleton instance of the Dispatcher object - If the active cellview is changed by selecting a new one from the drop-down list, this event is triggered. - When this event is triggered, the cellview has already been changed. - Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_active_cellview_changed/remove_active_cellview_changed) have been removed in 0.25. - """ - on_annotation_changed: None - r""" - Getter: - @brief A event indicating that an annotation has been modified - The argument of the event is the ID of the annotation that was changed. - This event has been added in version 0.25. - - Setter: - @brief A event indicating that an annotation has been modified - The argument of the event is the ID of the annotation that was changed. - This event has been added in version 0.25. - """ - on_annotation_selection_changed: None - r""" - Getter: - @brief A event indicating that the annotation selection has changed - This event has been added in version 0.25. + @return The instance + """ + @classmethod + def new(cls) -> Dispatcher: + r""" + @brief Creates a new object of this class + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - Setter: - @brief A event indicating that the annotation selection has changed - This event has been added in version 0.25. - """ - on_annotations_changed: None - r""" - Getter: - @brief A event indicating that annotations have been added or removed - This event has been added in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - Setter: - @brief A event indicating that annotations have been added or removed - This event has been added in version 0.25. - """ - on_apply_technology: None - r""" - Getter: - @brief An event indicating that a cellview has requested a new technology + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def clear_config(self) -> None: + r""" + @brief Clears the configuration parameters + """ + def commit_config(self) -> None: + r""" + @brief Commits the configuration settings - If the technology of a cellview is changed, this event is triggered. - The integer parameter of this event will indicate the cellview that has changed. + Some configuration options are queued for performance reasons and become active only after 'commit_config' has been called. After a sequence of \set_config calls, this method should be called to activate the settings made by these calls. + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def get_config(self, name: str) -> Any: + r""" + @brief Gets the value of a local configuration parameter - This event has been introduced in version 0.28. + @param name The name of the configuration parameter whose value shall be obtained (a string) - Setter: - @brief An event indicating that a cellview has requested a new technology + @return The value of the parameter or nil if there is no such parameter + """ + def get_config_names(self) -> List[str]: + r""" + @brief Gets the configuration parameter names - If the technology of a cellview is changed, this event is triggered. - The integer parameter of this event will indicate the cellview that has changed. + @return A list of configuration parameter names - This event has been introduced in version 0.28. - """ - on_cell_visibility_changed: None - r""" - Getter: - @brief An event indicating that the visibility of one or more cells has changed + This method returns the names of all known configuration parameters. These names can be used to get and set configuration parameter values. + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def read_config(self, file_name: str) -> bool: + r""" + @brief Reads the configuration from a file + @return A value indicating whether the operation was successful - This event is triggered after the visibility of one or more cells has changed. + This method silently does nothing, if the config file does not + exist. If it does and an error occurred, the error message is printed + on stderr. In both cases, false is returned. + """ + def set_config(self, name: str, value: str) -> None: + r""" + @brief Set a local configuration parameter with the given name to the given value - Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_cell_visibility_observer/remove_cell_visibility_observer) have been removed in 0.25. + @param name The name of the configuration parameter to set + @param value The value to which to set the configuration parameter - Setter: - @brief An event indicating that the visibility of one or more cells has changed + This method sets a configuration parameter with the given name to the given value. Values can only be strings. Numerical values have to be converted into strings first. Local configuration parameters override global configurations for this specific view. This allows for example to override global settings of background colors. Any local settings are not written to the configuration file. + """ + def write_config(self, file_name: str) -> bool: + r""" + @brief Writes configuration to a file + @return A value indicating whether the operation was successful - This event is triggered after the visibility of one or more cells has changed. + If the configuration file cannot be written, false + is returned but no exception is thrown. + """ - Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_cell_visibility_observer/remove_cell_visibility_observer) have been removed in 0.25. - """ - on_cellview_changed: None +class DoubleValue: r""" - Getter: - @brief An event indicating that a cellview has changed - - If a cellview is modified, this event is triggered. - When this event is triggered, the cellview have already been changed. - The integer parameter of this event will indicate the cellview that has changed. - - Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_cellview_observer/remove_cellview_observer) have been removed in 0.25. - - Setter: - @brief An event indicating that a cellview has changed - - If a cellview is modified, this event is triggered. - When this event is triggered, the cellview have already been changed. - The integer parameter of this event will indicate the cellview that has changed. - - Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_cellview_observer/remove_cellview_observer) have been removed in 0.25. + @brief Encapsulate a floating point value + @hide + This class is provided as a return value of \InputDialog::get_double. + By using an object rather than a pure value, an object with \has_value? = false can be returned indicating that + the "Cancel" button was pressed. Starting with version 0.22, the InputDialog class offers new method which do no + longer requires to use this class. """ - on_cellviews_changed: None - r""" - Getter: - @brief An event indicating that the cellview collection has changed - - If new cellviews are added or cellviews are removed, this event is triggered. - When this event is triggered, the cellviews have already been changed. - Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_cellview_list_observer/remove_cellview_list_observer) have been removed in 0.25. - - Setter: - @brief An event indicating that the cellview collection has changed + @classmethod + def new(cls) -> DoubleValue: + r""" + @brief Creates a new object of this class + """ + def __copy__(self) -> DoubleValue: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> DoubleValue: + r""" + @brief Creates a copy of self + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - If new cellviews are added or cellviews are removed, this event is triggered. - When this event is triggered, the cellviews have already been changed. - Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_cellview_list_observer/remove_cellview_list_observer) have been removed in 0.25. - """ - on_current_layer_list_changed: None - r""" - Getter: - @brief An event indicating the current layer list (the selected tab) has changed - @param index The index of the new current layer list + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This event is triggered after the current layer list was changed - i.e. a new tab was selected. - - This event was introduced in version 0.25. - - Setter: - @brief An event indicating the current layer list (the selected tab) has changed - @param index The index of the new current layer list - - This event is triggered after the current layer list was changed - i.e. a new tab was selected. - - This event was introduced in version 0.25. - """ - on_file_open: None - r""" - Getter: - @brief An event indicating that a file was opened - - If a file is loaded, this event is triggered. - When this event is triggered, the file was already loaded and the new file is the new active cellview. - Despite it's name, this event is also triggered if a layout object is loaded into the view. - - Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_file_open_observer/remove_file_open_observer) have been removed in 0.25. - - Setter: - @brief An event indicating that a file was opened - - If a file is loaded, this event is triggered. - When this event is triggered, the file was already loaded and the new file is the new active cellview. - Despite it's name, this event is also triggered if a layout object is loaded into the view. - - Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_file_open_observer/remove_file_open_observer) have been removed in 0.25. - """ - on_image_changed: None - r""" - Getter: - @brief A event indicating that an image has been modified - The argument of the event is the ID of the image that was changed. - This event has been added in version 0.25. - - Setter: - @brief A event indicating that an image has been modified - The argument of the event is the ID of the image that was changed. - This event has been added in version 0.25. - """ - on_image_selection_changed: None - r""" - Getter: - @brief A event indicating that the image selection has changed - This event has been added in version 0.25. - - Setter: - @brief A event indicating that the image selection has changed - This event has been added in version 0.25. - """ - on_images_changed: None - r""" - Getter: - @brief A event indicating that images have been added or removed - This event has been added in version 0.25. - - Setter: - @brief A event indicating that images have been added or removed - This event has been added in version 0.25. - """ - on_l2ndb_list_changed: None - r""" - Getter: - @brief An event that is triggered the list of netlist databases is changed - - If a netlist database is added or removed, this event is triggered. - - This method has been added in version 0.26. - Setter: - @brief An event that is triggered the list of netlist databases is changed - - If a netlist database is added or removed, this event is triggered. - - This method has been added in version 0.26. - """ - on_layer_list_changed: None - r""" - Getter: - @brief An event indicating that the layer list has changed - - This event is triggered after the layer list has changed it's configuration. - The integer argument gives a hint about the nature of the changed: - Bit 0 is set, if the properties (visibility, color etc.) of one or more layers have changed. Bit 1 is - set if the hierarchy has changed. Bit 2 is set, if layer names have changed. - Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_layer_list_observer/remove_layer_list_observer) have been removed in 0.25. - - Setter: - @brief An event indicating that the layer list has changed - - This event is triggered after the layer list has changed it's configuration. - The integer argument gives a hint about the nature of the changed: - Bit 0 is set, if the properties (visibility, color etc.) of one or more layers have changed. Bit 1 is - set if the hierarchy has changed. Bit 2 is set, if layer names have changed. - Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_layer_list_observer/remove_layer_list_observer) have been removed in 0.25. - """ - on_layer_list_deleted: None - r""" - Getter: - @brief An event indicating that a layer list (a tab) has been removed - @param index The index of the layer list that was removed - - This event is triggered after the layer list has been removed - i.e. a tab was deleted. - - This event was introduced in version 0.25. - - Setter: - @brief An event indicating that a layer list (a tab) has been removed - @param index The index of the layer list that was removed - - This event is triggered after the layer list has been removed - i.e. a tab was deleted. - - This event was introduced in version 0.25. - """ - on_layer_list_inserted: None - r""" - Getter: - @brief An event indicating that a layer list (a tab) has been inserted - @param index The index of the layer list that was inserted - - This event is triggered after the layer list has been inserted - i.e. a new tab was created. - - This event was introduced in version 0.25. - - Setter: - @brief An event indicating that a layer list (a tab) has been inserted - @param index The index of the layer list that was inserted - - This event is triggered after the layer list has been inserted - i.e. a new tab was created. - - This event was introduced in version 0.25. - """ - on_rdb_list_changed: None - r""" - Getter: - @brief An event that is triggered the list of report databases is changed - - If a report database is added or removed, this event is triggered. - - This event was translated from the Observer pattern to an event in version 0.25. - Setter: - @brief An event that is triggered the list of report databases is changed - - If a report database is added or removed, this event is triggered. - - This event was translated from the Observer pattern to an event in version 0.25. - """ - on_selection_changed: None - r""" - Getter: - @brief An event that is triggered if the selection is changed - - If the selection changed, this event is triggered. - - This event was translated from the Observer pattern to an event in version 0.25. - Setter: - @brief An event that is triggered if the selection is changed - - If the selection changed, this event is triggered. - - This event was translated from the Observer pattern to an event in version 0.25. - """ - on_transient_selection_changed: None - r""" - Getter: - @brief An event that is triggered if the transient selection is changed - - If the transient selection is changed, this event is triggered. - The transient selection is the highlighted selection when the mouse hovers over some object(s). - This event was translated from the Observer pattern to an event in version 0.25. - Setter: - @brief An event that is triggered if the transient selection is changed - - If the transient selection is changed, this event is triggered. - The transient selection is the highlighted selection when the mouse hovers over some object(s). - This event was translated from the Observer pattern to an event in version 0.25. - """ - on_viewport_changed: None - r""" - Getter: - @brief An event indicating that the viewport (the visible rectangle) has changed - - This event is triggered after a new display rectangle was chosen - for example, because the user zoomed into the layout. - - Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_viewport_changed_observer/remove_viewport_changed_observer) have been removed in 0.25. - - Setter: - @brief An event indicating that the viewport (the visible rectangle) has changed - - This event is triggered after a new display rectangle was chosen - for example, because the user zoomed into the layout. - - Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_viewport_changed_observer/remove_viewport_changed_observer) have been removed in 0.25. - """ - title: str - r""" - Getter: - @brief Returns the view's title string - - @return The title string - - The title string is either a string composed of the file names loaded (in some "readable" manner) or a customized title string set by \set_title. - Setter: - @brief Sets the title of the view - - @param title The title string to use - - Override the standard title of the view indicating the file names loaded by the specified title string. The title string can be reset with \reset_title to the standard title again. - """ - @classmethod - def menu_symbols(cls) -> List[str]: - r""" - @brief Gets all available menu symbols (see \call_menu). - NOTE: currently this method delivers a superset of all available symbols. Depending on the context, no all symbols may trigger actual functionality. - - This method has been introduced in version 0.27. - """ - @classmethod - def new(cls) -> LayoutViewBase: - r""" - @brief Creates a new object of this class + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def __init__(self) -> None: + def assign(self, other: DoubleValue) -> None: r""" - @brief Creates a new object of this class + @brief Assigns another object to self """ - def _create(self) -> None: + def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def _destroy(self) -> None: + def destroy(self) -> None: r""" @brief Explicitly destroys the object Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. If the object is not owned by the script, this method will do nothing. """ - def _destroyed(self) -> bool: + def destroyed(self) -> bool: r""" @brief Returns a value indicating whether the object was already destroyed This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def _is_const_object(self) -> bool: + def dup(self) -> DoubleValue: + r""" + @brief Creates a copy of self + """ + def has_value(self) -> bool: + r""" + @brief True, if a value is present + """ + def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def _manage(self) -> None: + def to_f(self) -> float: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief Get the actual value (a synonym for \value) """ - def _unmanage(self) -> None: + def value(self) -> float: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Get the actual value + """ - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def active_cellview(self) -> CellView: - r""" - @brief Gets the active cellview (shown in hierarchy browser) +class FileDialog: + r""" + @brief Various methods to request a file name - This is a convenience method which is equivalent to cellview(active_cellview_index()). + This class provides some basic dialogs to select a file or directory. This functionality is provided through the static (class) methods ask_... - This method has been introduced in version 0.19. - Starting from version 0.25, the returned object can be manipulated which will have an immediate effect on the display. - """ - def active_cellview_index(self) -> int: - r""" - @brief Gets the index of the active cellview (shown in hierarchy browser) - """ - def add_l2ndb(self, db: db.LayoutToNetlist) -> int: - r""" - @brief Adds the given netlist database to the view + Here are some examples: - This method will add an existing database to the view. It will then appear in the netlist database browser. - A similar method is \create_l2ndb which will create a new database within the view. + @code + # get an existing directory: + v = RBA::FileDialog::ask_existing_dir("Dialog Title", ".") + # get multiple files: + v = RBA::FileDialog::ask_open_file_names("Title", ".", "All files (*)") + # ask for one file name to save a file: + v = RBA::FileDialog::ask_save_file_name("Title", ".", "All files (*)") + @/code - @return The index of the database within the view (see \l2ndb) + All these examples return the "nil" value if "Cancel" is pressed. - This method has been added in version 0.26. - """ - @overload - def add_line_style(self, name: str, string: str) -> int: + If you have enabled the Qt binding, you can use \QFileDialog directly. + """ + @classmethod + def ask_existing_dir(cls, title: str, dir: str) -> Any: r""" - @brief Adds a custom line style from a string + @brief Open a dialog to select a directory - @param name The name under which this pattern will appear in the style editor - @param string A string describing the bits of the pattern ('.' for missing pixel, '*' for a set pixel) - @return The index of the newly created style, which can be used as the line style index of \LayerProperties. - This method has been introduced in version 0.25. - """ - @overload - def add_line_style(self, name: str, data: int, bits: int) -> int: - r""" - @brief Adds a custom line style + @param title The title of the dialog + @param dir The directory selected initially + @return The directory path selected or "nil" if "Cancel" was pressed - @param name The name under which this pattern will appear in the style editor - @param data A bit set with the new line style pattern (bit 0 is the leftmost pixel) - @param bits The number of bits to be used - @return The index of the newly created style, which can be used as the line style index of \LayerProperties. - This method has been introduced in version 0.25. + This method has been introduced in version 0.23. It is somewhat easier to use than the get_... equivalent. """ - def add_lvsdb(self, db: db.LayoutVsSchematic) -> int: + @classmethod + def ask_open_file_name(cls, title: str, dir: str, filter: str) -> Any: r""" - @brief Adds the given database to the view - - This method will add an existing database to the view. It will then appear in the netlist database browser. - A similar method is \create_lvsdb which will create a new database within the view. + @brief Select one file for opening - @return The index of the database within the view (see \lvsdb) + @param title The title of the dialog + @param dir The directory selected initially + @param filter The filters available, for example "Images (*.png *.xpm *.jpg);;Text files (*.txt);;XML files (*.xml)" + @return The path of the file selected or "nil" if "Cancel" was pressed - This method has been added in version 0.26. + This method has been introduced in version 0.23. It is somewhat easier to use than the get_... equivalent. """ - def add_missing_layers(self) -> None: + @classmethod + def ask_open_file_names(cls, title: str, dir: str, filter: str) -> Any: r""" - @brief Adds new layers to layer list - This method was introduced in version 0.19. + @brief Select one or multiple files for opening + + @param title The title of the dialog + @param dir The directory selected initially + @param filter The filters available, for example "Images (*.png *.xpm *.jpg);;Text files (*.txt);;XML files (*.xml)" + @return An array with the file paths selected or "nil" if "Cancel" was pressed + + This method has been introduced in version 0.23. It is somewhat easier to use than the get_... equivalent. """ - def add_rdb(self, db: rdb.ReportDatabase) -> int: + @classmethod + def ask_save_file_name(cls, title: str, dir: str, filter: str) -> Any: r""" - @brief Adds the given report database to the view - - This method will add an existing database to the view. It will then appear in the marker database browser. - A similar method is \create_rdb which will create a new database within the view. + @brief Select one file for writing - @return The index of the database within the view (see \rdb) + @param title The title of the dialog + @param dir The directory selected initially + @param filter The filters available, for example "Images (*.png *.xpm *.jpg);;Text files (*.txt);;XML files (*.xml)" + @return The path of the file chosen or "nil" if "Cancel" was pressed - This method has been added in version 0.26. + This method has been introduced in version 0.23. It is somewhat easier to use than the get_... equivalent. """ - @overload - def add_stipple(self, name: str, string: str) -> int: + @classmethod + def get_existing_dir(cls, title: str, dir: str) -> StringValue: r""" - @brief Adds a stipple pattern given by a string + @brief Open a dialog to select a directory - 'string' is a string describing the pattern. It consists of one or more lines composed of '.' or '*' characters and separated by newline characters. A '.' is for a missing pixel and '*' for a set pixel. The length of each line must be the same. Blanks before or after each line are ignored. + @param title The title of the dialog + @param dir The directory selected initially + @return A \StringValue object that contains the directory path selected or with has_value? = false if "Cancel" was pressed - @param name The name under which this pattern will appear in the stipple editor - @param string See above - @return The index of the newly created stipple pattern, which can be used as the dither pattern index of \LayerProperties. - This method has been introduced in version 0.25. + Starting with version 0.23 this method is deprecated. Use \ask_existing_dir instead. """ - @overload - def add_stipple(self, name: str, data: Sequence[int], bits: int) -> int: + @classmethod + def get_open_file_name(cls, title: str, dir: str, filter: str) -> StringValue: r""" - @brief Adds a stipple pattern + @brief Select one file for opening - 'data' is an array of unsigned integers describing the bits that make up the stipple pattern. If the array has less than 32 entries, the pattern will be repeated vertically. The number of bits used can be less than 32 bit which can be specified by the 'bits' parameter. Logically, the pattern will be put at the end of the list. + @param title The title of the dialog + @param dir The directory selected initially + @param filter The filters available, for example "Images (*.png *.xpm *.jpg);;Text files (*.txt);;XML files (*.xml)" + @return A \StringValue object that contains the files selected or with has_value? = false if "Cancel" was pressed - @param name The name under which this pattern will appear in the stipple editor - @param data See above - @param bits See above - @return The index of the newly created stipple pattern, which can be used as the dither pattern index of \LayerProperties. + Starting with version 0.23 this method is deprecated. Use \ask_open_file_name instead. """ - def annotation(self, id: int) -> Annotation: + @classmethod + def get_open_file_names(cls, title: str, dir: str, filter: str) -> StringListValue: r""" - @brief Gets the annotation given by an ID - Returns a reference to the annotation given by the respective ID or an invalid annotation if the ID is not valid. - Use \Annotation#is_valid? to determine whether the returned annotation is valid or not. + @brief Select one or multiple files for opening - The returned annotation is a 'live' object and changing it will update the view. + @param title The title of the dialog + @param dir The directory selected initially + @param filter The filters available, for example "Images (*.png *.xpm *.jpg);;Text files (*.txt);;XML files (*.xml)" + @return A \StringListValue object that contains the files selected or with has_value? = false if "Cancel" was pressed - This method has been introduced in version 0.25. + Starting with version 0.23 this method is deprecated. Use \ask_open_file_names instead. """ - def annotation_templates(self) -> List[List[Any]]: + @classmethod + def get_save_file_name(cls, title: str, dir: str, filter: str) -> StringValue: r""" - @brief Gets a list of \Annotation objects representing the annotation templates. - - Annotation templates are the rulers available in the ruler drop-down (preset ruler types). This method will fetch the templates available. This method returns triplets '(annotation, title, mode)'. The first member of the triplet is the annotation object representing the template. The second member is the title string displayed in the menu for this templates. The third member is the mode value (one of the RulerMode... constants - e.g \RulerModeNormal). + @brief Select one file for writing - The positions of the returned annotation objects are undefined. + @param title The title of the dialog + @param dir The directory selected initially + @param filter The filters available, for example "Images (*.png *.xpm *.jpg);;Text files (*.txt);;XML files (*.xml)" + @return A \StringValue object that contains the files selected or with has_value? = false if "Cancel" was pressed - This method has been introduced in version 0.28. + Starting with version 0.23 this method is deprecated. Use \ask_save_file_name instead. """ - def ascend(self, index: int) -> db.InstElement: + @classmethod + def new(cls) -> FileDialog: r""" - @brief Ascends upwards in the hierarchy. - - Removes one element from the specific path of the cellview with the given index. Returns the element removed. + @brief Creates a new object of this class """ - @overload - def begin_layers(self) -> LayerPropertiesIterator: + def __copy__(self) -> FileDialog: r""" - @brief Begin iterator for the layers - - This iterator delivers the layers of this view, either in a recursive or non-recursive - fashion, depending which iterator increment methods are used. - The iterator delivered by \end_layers is the past-the-end iterator. It can be compared - against a current iterator to check, if there are no further elements. - - Starting from version 0.25, an alternative solution is provided with 'each_layer' which is based on the \LayerPropertiesNodeRef class. + @brief Creates a copy of self """ - @overload - def begin_layers(self, index: int) -> LayerPropertiesIterator: + def __deepcopy__(self) -> FileDialog: r""" - @brief Begin iterator for the layers - - This iterator delivers the layers of this view, either in a recursive or non-recursive - fashion, depending which iterator increment methods are used. - The iterator delivered by \end_layers is the past-the-end iterator. It can be compared - against a current iterator to check, if there are no further elements. - This version addresses a specific list in a multi-tab layer properties arrangement with the "index" parameter. This method has been introduced in version 0.21. + @brief Creates a copy of self """ - def box(self) -> db.DBox: + def __init__(self) -> None: r""" - @brief Returns the displayed box in micron space + @brief Creates a new object of this class """ - def call_menu(self, symbol: str) -> None: + def _create(self) -> None: r""" - @brief Calls the menu item with the provided symbol. - To obtain all symbols, use \menu_symbols. - - This method has been introduced in version 0.27. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def cancel(self) -> None: + def _destroy(self) -> None: r""" - @brief Cancels all edit operations - - This method will stop all pending edit operations (i.e. drag and drop) and cancel the current selection. Calling this method is useful to ensure there are no potential interactions with the script's functionality. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def cellview(self, cv_index: int) -> CellView: + def _destroyed(self) -> bool: r""" - @brief Gets the cellview object for a given index - - @param cv_index The cellview index for which to get the object for - - Starting with version 0.25, this method returns a \CellView object that can be manipulated to directly reflect any changes in the display. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def cellviews(self) -> int: + def _is_const_object(self) -> bool: r""" - @brief Gets the number of cellviews + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def clear_annotations(self) -> None: + def _manage(self) -> None: r""" - @brief Clears all annotations on this view + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def clear_config(self) -> None: + def _unmanage(self) -> None: r""" - @brief Clears the local configuration parameters + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - See \set_config for a description of the local configuration parameters. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def clear_images(self) -> None: + def assign(self, other: FileDialog) -> None: r""" - @brief Clear all images on this view + @brief Assigns another object to self """ - @overload - def clear_layers(self) -> None: + def create(self) -> None: r""" - @brief Clears all layers + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def clear_layers(self, index: int) -> None: + def destroy(self) -> None: r""" - @brief Clears all layers for the given layer properties list - This version addresses a specific list in a multi-tab layer properties arrangement with the "index" parameter. This method has been introduced in version 0.21. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def clear_line_styles(self) -> None: + def destroyed(self) -> bool: r""" - @brief Removes all custom line styles - All line styles except the fixed ones are removed. If any of the custom styles is still used by the layers displayed, the results will be undefined. - This method has been introduced in version 0.25. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def clear_object_selection(self) -> None: + def dup(self) -> FileDialog: r""" - @brief Clears the selection of geometrical objects (shapes or cell instances) - The selection of other objects (such as annotations and images) will not be affected. - - This method has been introduced in version 0.24 + @brief Creates a copy of self """ - def clear_selection(self) -> None: + def is_const_object(self) -> bool: r""" - @brief Clears the selection of all objects (shapes, annotations, images ...) + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ - This method has been introduced in version 0.26.2 +class HelpDialog: + r""" + @brief The help dialog + + This class makes the help dialog available as an individual object. + + This class has been added in version 0.25. + """ + @classmethod + def new(cls, modal: bool) -> HelpDialog: + r""" + @brief Creates a new help dialog + If the modal flag is true, the dialog will be shown as a modal window. """ - def clear_stipples(self) -> None: + def _create(self) -> None: r""" - @brief Removes all custom line styles - All stipple pattern except the fixed ones are removed. If any of the custom stipple pattern is still used by the layers displayed, the results will be undefined. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def clear_transactions(self) -> None: + def _destroy(self) -> None: r""" - @brief Clears all transactions - - Discard all actions in the undo buffer. After clearing that buffer, no undo is available. It is important to clear the buffer when making database modifications outside transactions, i.e after that modifications have been done. If failing to do so, 'undo' operations are likely to produce invalid results. - This method was introduced in version 0.16. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def clear_transient_selection(self) -> None: + def _destroyed(self) -> bool: r""" - @brief Clears the transient selection (mouse-over hightlights) of all objects (shapes, annotations, images ...) - - This method has been introduced in version 0.26.2 + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def commit(self) -> None: + def _is_const_object(self) -> bool: r""" - @brief Ends a transaction - - See \transaction for a detailed description of transactions. - This method was introduced in version 0.16. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def commit_config(self) -> None: + def _manage(self) -> None: r""" - @brief Commits the configuration settings + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - Some configuration options are queued for performance reasons and become active only after 'commit_config' has been called. After a sequence of \set_config calls, this method should be called to activate the settings made by these calls. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. """ def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def create_l2ndb(self, name: str) -> int: + def destroy(self) -> None: r""" - @brief Creates a new netlist database and returns the index of the new database - @param name The name of the new netlist database - @return The index of the new database - This method returns an index of the new netlist database. Use \l2ndb to get the actual object. If a netlist database with the given name already exists, a unique name will be created. - The name will be replaced by the file name when a file is loaded into the netlist database. - - This method has been added in version 0.26. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - def create_layout(self, add_cellview: bool) -> int: + def destroyed(self) -> bool: r""" - @brief Creates a new, empty layout - - The add_cellview parameter controls whether to create a new cellview (true) - or clear all cellviews before (false). - - This version will associate the new layout with the default technology. - - @return The index of the cellview created. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def create_layout(self, tech: str, add_cellview: bool) -> int: + def exec_(self) -> int: r""" - @brief Create a new, empty layout and associate it with the given technology - - The add_cellview parameter controls whether to create a new cellview (true) - or clear all cellviews before (false). - - @return The index of the cellview created. - - This variant has been introduced in version 0.22. + @brief Executes the dialog (shows it modally) """ - @overload - def create_layout(self, tech: str, add_cellview: bool, init_layers: bool) -> int: + def is_const_object(self) -> bool: r""" - @brief Create a new, empty layout and associate it with the given technology - - The add_cellview parameter controls whether to create a new cellview (true) - or clear all cellviews before (false). This variant also allows one to control whether the layer properties are - initialized (init_layers = true) or not (init_layers = false). - - @return The index of the cellview created. - - This variant has been introduced in version 0.22. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def create_lvsdb(self, name: str) -> int: + def load(self, url: str) -> None: r""" - @brief Creates a new netlist database and returns the index of the new database - @param name The name of the new netlist database - @return The index of the new database - This method returns an index of the new netlist database. Use \lvsdb to get the actual object. If a netlist database with the given name already exists, a unique name will be created. - The name will be replaced by the file name when a file is loaded into the netlist database. - - This method has been added in version 0.26. + @brief Loads the specified URL + This method will call the page with the given URL. """ - def create_measure_ruler(self, point: db.DPoint, ac: Optional[int] = ...) -> Annotation: + def search(self, topic: str) -> None: r""" - @brief Createas an auto-measure ruler at the given point. - - @param point The seed point where to create the auto-measure ruler - @param ac The orientation constraints (determines the search direction too) - - The \ac parameters takes one of the Angle... constants from \Annotation. - - This method will create a ruler with a measurement, looking to the sides of the seed point for visible layout in the vicinity. The angle constraint determines the main directions where to look. If suitable edges are found, the method will pull a line between the closest edges. The ruler's endpoints will sit on these lines and the ruler's length will be the distance. - Only visible layers will participate in the measurement. - - The new ruler is inserted into the view already. It is created with the default style of rulers. - If the measurement fails because there is no layout in the vicinity, a ruler with identical start and end points will be created. - - @return The new ruler object - - This method was introduced in version 0.26. + @brief Issues a search on the specified topic + This method will call the search page with the given topic. """ - def create_rdb(self, name: str) -> int: + def show(self) -> None: r""" - @brief Creates a new report database and returns the index of the new database - @param name The name of the new report database - @return The index of the new database - This method returns an index of the new report database. Use \rdb to get the actual object. If a report database with the given name already exists, a unique name will be created. - The name will be replaced by the file name when a file is loaded into the report database. + @brief Shows the dialog """ - @overload - def delete_layer(self, iter: LayerPropertiesIterator) -> None: - r""" - @brief Deletes the layer properties node specified by the iterator - This method deletes the object that the iterator points to and invalidates - the iterator since the object that the iterator points to is no longer valid. - """ - @overload - def delete_layer(self, index: int, iter: LayerPropertiesIterator) -> None: - r""" - @brief Deletes the layer properties node specified by the iterator +class HelpSource(BrowserSource_Native): + r""" + @brief A BrowserSource implementation delivering the help text for the help dialog + This class can be used together with a \BrowserPanel or \BrowserDialog object to implement custom help systems. - This method deletes the object that the iterator points to and invalidates - the iterator since the object that the iterator points to is no longer valid. - This version addresses a specific list in a multi-tab layer properties arrangement with the "index" parameter. This method has been introduced in version 0.21. - """ - def delete_layer_list(self, index: int) -> None: + The basic URL's served by this class are: "int:/index.xml" for the index page and "int:/search.xml?string=..." for the search topic retrieval. + + This class has been added in version 0.25. + """ + @classmethod + def create_index_file(cls, path: str) -> None: r""" - @brief Deletes the given properties list - At least one layer properties list must remain. This method may change the current properties list. - This method has been introduced in version 0.21. + @brief Reserved internal use """ - @overload - def delete_layers(self, iterators: Sequence[LayerPropertiesIterator]) -> None: + @classmethod + def plain(cls) -> HelpSource: r""" - @brief Deletes the layer properties nodes specified by the iterator - - This method deletes the nodes specifies by the iterators. This method is the most convenient way to delete multiple entries. - - This method has been added in version 0.22. + @brief Reserved for internal use """ - @overload - def delete_layers(self, index: int, iterators: Sequence[LayerPropertiesIterator]) -> None: + def _assign(self, other: BrowserSource_Native) -> None: r""" - @brief Deletes the layer properties nodes specified by the iterator - - This method deletes the nodes specifies by the iterators. This method is the most convenient way to delete multiple entries. - This version addresses a specific list in a multi-tab layer properties arrangement with the "index" parameter. This method has been introduced in version 0.22. + @brief Assigns another object to self """ - def descend(self, path: Sequence[db.InstElement], index: int) -> None: + def _create(self) -> None: r""" - @brief Descends further into the hierarchy. - - Adds the given path (given as an array of InstElement objects) to the specific path of the cellview with the given index. In effect, the cell addressed by the terminal of the new path components can be shown in the context of the upper cells, if the minimum hierarchy level is set to a negative value. - The path is assumed to originate from the current cell and contain specific instances sorted from top to bottom. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def destroy(self) -> None: + def _destroy(self) -> None: r""" @brief Explicitly destroys the object Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. If the object is not owned by the script, this method will do nothing. """ - def destroyed(self) -> bool: + def _destroyed(self) -> bool: r""" @brief Returns a value indicating whether the object was already destroyed This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def each_annotation(self) -> Iterator[Annotation]: + def _dup(self) -> HelpSource: r""" - @brief Iterates over all annotations attached to this view + @brief Creates a copy of self """ - def each_annotation_selected(self) -> Iterator[Annotation]: + def _is_const_object(self) -> bool: r""" - @brief Iterate over each selected annotation objects, yielding a \Annotation object for each of them - This method was introduced in version 0.19. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def each_image(self) -> Iterator[Image]: + def _manage(self) -> None: r""" - @brief Iterate over all images attached to this view + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - With version 0.25, the objects returned by the iterator are references and can be manipulated to change their appearance. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def each_image_selected(self) -> Iterator[Image]: + def _unmanage(self) -> None: r""" - @brief Iterate over each selected image object, yielding a \Image object for each of them - This method was introduced in version 0.19. - """ - @overload - def each_layer(self) -> Iterator[LayerPropertiesNodeRef]: - r""" - @brief Hierarchically iterates over the layers in the first layer list - - This iterator will recursively deliver the layers in the first layer list of the view. The objects presented by the iterator are \LayerPropertiesNodeRef objects. They can be manipulated to apply changes to the layer settings or even the hierarchy of layers: - - @code - RBA::LayoutViewBase::current.each_layer do |lref| - # lref is a RBA::LayerPropertiesNodeRef object - lref.visible = false - end - @/code + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method was introduced in version 0.25. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @overload - def each_layer(self, layer_list: int) -> Iterator[LayerPropertiesNodeRef]: + def get_option(self, key: str) -> Any: r""" - @brief Hierarchically iterates over the layers in the given layer list - - This version of this method allows specification of the layer list to be iterated over. The layer list is specified by it's index which is a value between 0 and \num_layer_lists-1.For details see the parameter-less version of this method. - - This method was introduced in version 0.25. + @brief Reserved for internal use """ - def each_object_selected(self) -> Iterator[ObjectInstPath]: + def parent_of(self, path: str) -> str: r""" - @brief Iterates over each selected geometrical object, yielding a \ObjectInstPath object for each of them - - This iterator will deliver const objects - they cannot be modified. In order to modify the selection, create a copy of the \ObjectInstPath objects, modify them and install the new selection using \select_object or \object_selection=. - - Another way of obtaining the selection is \object_selection, which returns an array of \ObjectInstPath objects. + @brief Reserved internal use """ - def each_object_selected_transient(self) -> Iterator[ObjectInstPath]: + def scan(self) -> None: r""" - @brief Iterates over each geometrical objects in the transient selection, yielding a \ObjectInstPath object for each of them - - This method was introduced in version 0.18. + @brief Reserved internal use """ - def enable_edits(self, enable: bool) -> None: + def set_option(self, key: str, value: Any) -> None: r""" - @brief Enables or disables edits - - @param enable Enable edits if set to true - - This method allows putting the view into read-only mode by disabling all edit functions. For doing so, this method has to be called with a 'false' argument. Calling it with a 'true' parameter enables all edits again. This method must not be confused with the edit/viewer mode. The LayoutView's enable_edits method is intended to temporarily disable all menu entries and functions which could allow the user to alter the database. - In 0.25, this method has been moved from MainWindow to LayoutView. + @brief Reserved for internal use """ - @overload - def end_layers(self) -> LayerPropertiesIterator: + def title_for(self, path: str) -> str: r""" - @brief End iterator for the layers - See \begin_layers for a description about this iterator + @brief Reserved internal use """ - @overload - def end_layers(self, index: int) -> LayerPropertiesIterator: + def urls(self) -> List[str]: r""" - @brief End iterator for the layers - See \begin_layers for a description about this iterator - This version addresses a specific list in a multi-tab layer properties arrangement with the "index" parameter. This method has been introduced in version 0.21. + @brief Reserved for internal use """ - def erase_annotation(self, id: int) -> None: - r""" - @brief Erases the annotation given by the id - Deletes an existing annotation given by the id parameter. The id of an annotation can be obtained through \Annotation#id. - This method has been introduced in version 0.24. - Starting with version 0.25, the annotation's \Annotation#delete method can also be used to delete an annotation. - """ - def erase_cellview(self, index: int) -> None: - r""" - @brief Erases the cellview with the given index +class Image(BasicImage): + r""" + @brief An image to be stored as a layout annotation - This closes the given cellview and unloads the layout associated with it, unless referred to by another cellview. - """ - def erase_image(self, id: int) -> None: - r""" - @brief Erase the given image - @param id The id of the object to erase + Images can be put onto the layout canvas as annotations, along with rulers and markers. + Images can be monochrome (represent scalar data) as well as color (represent color images). + The display of images can be adjusted in various ways, i.e. color mapping (translation of scalar values to + colors), geometrical transformations (including rotation by arbitrary angles) and similar. + Images are always based on floating point data. The actual data range is not fixed and can be adjusted to the data set (i.e. 0..255 or -1..1). This gives a great flexibility when displaying data which is the result of some measurement or calculation for example. + The basic parameters of an image are the width and height of the data set, the width and height of one pixel, the geometrical transformation to be applied, the data range (min_value to max_value) and the data mapping which is described by an own class, \ImageDataMapping. - Erases the image with the given Id. The Id can be obtained with if "id" method of the image object. + Starting with version 0.22, the basic transformation is a 3x3 matrix rather than the simple affine transformation. This matrix includes the pixel dimensions as well. One consequence of that is that the magnification part of the matrix and the pixel dimensions are no longer separated. That has certain consequences, i.e. setting an affine transformation with a magnification scales the pixel sizes as before but an affine transformation returned will no longer contain the pixel dimensions as magnification because it only supports isotropic scaling. For backward compatibility, the rotation center for the affine transformations while the default center and the center for matrix transformations is the image center. - This method has been introduced in version 0.20. + As with version 0.25, images become 'live' objects. Changes to image properties will be reflected in the view automatically once the image object has been inserted into a view. Note that changes are not immediately reflected in the view, but are delayed until the view is refreshed. Hence, iterating the view's images will not render the same results than the image objects attached to the view. To ensure synchronization, call \Image#update. + """ + data_mapping: ImageDataMapping + r""" + Getter: + @brief Gets the data mapping + @return The data mapping object - With version 0.25, \Image#delete can be used to achieve the same results. - """ - @overload - def expand_layer_properties(self) -> None: - r""" - @brief Expands the layer properties for all tabs + The data mapping describes the transformation of a pixel value (any double value) into pixel data which can be sent to the graphics cards for display. See \ImageDataMapping for a more detailed description. - This method will expand all wildcard specifications in the layer properties by iterating over the specified objects (i.e. layers, cellviews) and by replacing default colors and stipples by the ones specified with the palettes. + Setter: + @brief Sets the data mapping object - This method was introduced in version 0.21. - """ - @overload - def expand_layer_properties(self, index: int) -> None: - r""" - @brief Expands the layer properties for the given tab + The data mapping describes the transformation of a pixel value (any double value) into pixel data which can be sent to the graphics cards for display. See \ImageDataMapping for a more detailed description. + """ + mask_data: List[bool] + r""" + Getter: + @brief Gets the mask from a array of boolean values + See \set_mask_data for a description of the data field. - This method will expand all wildcard specifications in the layer properties by iterating over the specified objects (i.e. layers, cellviews) and by replacing default colors and stipples by the ones specified with the palettes. + This method has been introduced in version 0.27. - This method was introduced in version 0.21. - """ - def get_config(self, name: str) -> str: - r""" - @brief Gets the value of a local configuration parameter + Setter: + @brief Sets the mask from a array of boolean values + The order of the boolean values is line first, from bottom to top and left to right and is the same as the order in the data array. - @param name The name of the configuration parameter whose value shall be obtained (a string) + This method has been introduced in version 0.27. + """ + matrix: db.Matrix3d + r""" + Getter: + @brief Returns the pixel-to-micron transformation matrix - @return The value of the parameter + This transformation matrix converts pixel coordinates (0,0 being the center and each pixel having the dimension of pixel_width and pixel_height) + to micron coordinates. The coordinate of the pixel is the lower left corner of the pixel. - See \set_config for a description of the local configuration parameters. - """ - def get_config_names(self) -> List[str]: - r""" - @brief Gets the configuration parameter names + The matrix is more general than the transformation used before and supports shear and perspective transformation. This property replaces the \trans property which is still functional, but deprecated. - @return A list of configuration parameter names + This method has been introduced in version 0.22. + Setter: + @brief Sets the transformation matrix - This method returns the names of all known configuration parameters. These names can be used to get and set configuration parameter values. + This transformation matrix converts pixel coordinates (0,0 being the center and each pixel having the dimension of pixel_width and pixel_height) + to micron coordinates. The coordinate of the pixel is the lower left corner of the pixel. - This method was introduced in version 0.25. - """ - def get_current_cell_path(self, cv_index: int) -> List[int]: - r""" - @brief Gets the cell path of the current cell + The matrix is more general than the transformation used before and supports shear and perspective transformation. This property replaces the \trans property which is still functional, but deprecated. - The current cell is the one highlighted in the browser with the focus rectangle. The - current path is returned for the cellview given by cv_index. - The cell path is a list of cell indices from the top cell to the current cell. + This method has been introduced in version 0.22. + """ + max_value: float + r""" + Getter: + @brief Sets the maximum value - @param cv_index The cellview index for which to get the current path from (usually this will be the active cellview index) - This method is was deprecated in version 0.25 since from then, the \CellView object can be used to obtain an manipulate the selected cell. - """ - def get_image(self, width: int, height: int) -> QtGui.QImage_Native: - r""" - @brief Gets the layout image as a \QImage + See the \max_value method for the description of the maximum value property. - @param width The width of the image to render in pixel. - @param height The height of the image to render in pixel. + Setter: + @brief Gets the upper limit of the values in the data set - The image contains the current scene (layout, annotations etc.). - The image is drawn synchronously with the given width and height. Drawing may take some time. - """ - def get_image_with_options(self, width: int, height: int, linewidth: Optional[int] = ..., oversampling: Optional[int] = ..., resolution: Optional[float] = ..., target: Optional[db.DBox] = ..., monochrome: Optional[bool] = ...) -> QtGui.QImage_Native: - r""" - @brief Gets the layout image as a \QImage (with options) + This value determines the upper end of the data mapping (i.e. white value etc.). + It does not necessarily correspond to the maximum value of the data set but it must be + larger than that. + """ + min_value: float + r""" + Getter: + @brief Gets the upper limit of the values in the data set - @param width The width of the image to render in pixel. - @param height The height of the image to render in pixel. - @param linewidth The width of a line in pixels (usually 1) or 0 for default. - @param oversampling The oversampling factor (1..3) or 0 for default. - @param resolution The resolution (pixel size compared to a screen pixel size, i.e 1/oversampling) or 0 for default. - @param target_box The box to draw or an empty box for default. - @param monochrome If true, monochrome images will be produced. + This value determines the upper end of the data mapping (i.e. white value etc.). + It does not necessarily correspond to the minimum value of the data set but it must be + larger than that. - The image contains the current scene (layout, annotations etc.). - The image is drawn synchronously with the given width and height. Drawing may take some time. Monochrome images don't have background or annotation objects currently. + Setter: + @brief Sets the minimum value - This method has been introduced in 0.23.10. - """ - def get_line_style(self, index: int) -> str: - r""" - @brief Gets the line style string for the style with the given index + See \min_value for the description of the minimum value property. + """ + pixel_height: float + r""" + Getter: + @brief Gets the pixel height - This method will return the line style string for the style with the given index. - The format of the string is the same than the string accepted by \add_line_style. - An empty string corresponds to 'solid line'. + See \pixel_height= for a description of that property. - This method has been introduced in version 0.25. - """ - def get_pixels(self, width: int, height: int) -> PixelBuffer: - r""" - @brief Gets the layout image as a \PixelBuffer + Starting with version 0.22, this property is incorporated into the transformation matrix. + This property is provided for convenience only. + Setter: + @brief Sets the pixel height - @param width The width of the image to render in pixel. - @param height The height of the image to render in pixel. + The pixel height determines the height of on pixel in the original space which is transformed to + micron space with the transformation. - The image contains the current scene (layout, annotations etc.). - The image is drawn synchronously with the given width and height. Drawing may take some time. - This method has been introduced in 0.28. - """ - def get_pixels_with_options(self, width: int, height: int, linewidth: Optional[int] = ..., oversampling: Optional[int] = ..., resolution: Optional[float] = ..., target: Optional[db.DBox] = ...) -> PixelBuffer: - r""" - @brief Gets the layout image as a \PixelBuffer (with options) + Starting with version 0.22, this property is incorporated into the transformation matrix. + This property is provided for convenience only. + """ + pixel_width: float + r""" + Getter: + @brief Gets the pixel width - @param width The width of the image to render in pixel. - @param height The height of the image to render in pixel. - @param linewidth The width of a line in pixels (usually 1) or 0 for default. - @param oversampling The oversampling factor (1..3) or 0 for default. - @param resolution The resolution (pixel size compared to a screen pixel size, i.e 1/oversampling) or 0 for default. - @param target_box The box to draw or an empty box for default. + See \pixel_width= for a description of that property. - The image contains the current scene (layout, annotations etc.). - The image is drawn synchronously with the given width and height. Drawing may take some time. - This method has been introduced in 0.28. - """ - def get_pixels_with_options_mono(self, width: int, height: int, linewidth: Optional[int] = ..., target: Optional[db.DBox] = ...) -> BitmapBuffer: - r""" - @brief Gets the layout image as a \PixelBuffer (with options) + Starting with version 0.22, this property is incorporated into the transformation matrix. + This property is provided for convenience only. + Setter: + @brief Sets the pixel width - @param width The width of the image to render in pixel. - @param height The height of the image to render in pixel. - @param linewidth The width of a line in pixels (usually 1) or 0 for default. - @param target_box The box to draw or an empty box for default. + The pixel width determines the width of on pixel in the original space which is transformed to + micron space with the transformation. - The image contains the current scene (layout, annotations etc.). - The image is drawn synchronously with the given width and height. Drawing may take some time. Monochrome images don't have background or annotation objects currently. + Starting with version 0.22, this property is incorporated into the transformation matrix. + This property is provided for convenience only. + """ + trans: db.DCplxTrans + r""" + Getter: + @brief Returns the pixel-to-micron transformation - This method has been introduced in 0.28. - """ - def get_screenshot(self) -> QtGui.QImage_Native: - r""" - @brief Gets a screenshot as a \QImage + This transformation converts pixel coordinates (0,0 being the lower left corner and each pixel having the dimension of pixel_width and pixel_height) + to micron coordinates. The coordinate of the pixel is the lower left corner of the pixel. - Getting the image requires the drawing to be complete. Ideally, synchronous mode is switched on for the application to guarantee this condition. The image will have the size of the viewport showing the current layout. - """ - def get_screenshot_pixels(self) -> PixelBuffer: - r""" - @brief Gets a screenshot as a \PixelBuffer + The general property is \matrix which also allows perspective and shear transformation. This property will only work, if the transformation does not include perspective or shear components. Therefore this property is deprecated. + Please note that for backward compatibility, the rotation center is pixel 0,0 (lowest left one), while it is the image center for the matrix transformation. + Setter: + @brief Sets the transformation - Getting the image requires the drawing to be complete. Ideally, synchronous mode is switched on for the application to guarantee this condition. The image will have the size of the viewport showing the current layout. - This method has been introduced in 0.28. - """ - def get_stipple(self, index: int) -> str: - r""" - @brief Gets the stipple pattern string for the pattern with the given index + This transformation converts pixel coordinates (0,0 being the lower left corner and each pixel having the dimension of pixel_width and pixel_height) + to micron coordinates. The coordinate of the pixel is the lower left corner of the pixel. - This method will return the stipple pattern string for the pattern with the given index. - The format of the string is the same than the string accepted by \add_stipple. + The general property is \matrix which also allows perspective and shear transformation. + Please note that for backward compatibility, the rotation center is pixel 0,0 (lowest left one), while it is the image center for the matrix transformation. + """ + visible: bool + r""" + Getter: + @brief Gets a flag indicating whether the image object is visible - This method has been introduced in version 0.25. - """ - def has_annotation_selection(self) -> bool: + An image object can be made invisible by setting the visible property to false. + + This method has been introduced in version 0.20. + + Setter: + @brief Sets the visibility + + See the \is_visible? method for a description of this property. + + This method has been introduced in version 0.20. + """ + z_position: int + r""" + Getter: + @brief Gets the z position of the image + Images with a higher z position are painted in front of images with lower z position. + The z value is an integer that controls the position relative to other images. + + This method was introduced in version 0.25. + Setter: + @brief Sets the z position of the image + + See \z_position for details about the z position attribute. + + This method was introduced in version 0.25. + """ + @classmethod + def from_s(cls, s: str) -> Image: r""" - @brief Returns true, if annotations (rulers) are selected in this view - This method was introduced in version 0.19. + @brief Creates an image from the string returned by \to_s. + This method has been introduced in version 0.27. """ - def has_image_selection(self) -> bool: + @overload + @classmethod + def new(cls) -> Image: r""" - @brief Returns true, if images are selected in this view - This method was introduced in version 0.19. + @brief Create a new image with the default attributes + This will create an empty image without data and no particular pixel width or related. + Use the \read_file or \set_data methods to set image properties and pixel values. """ - def has_object_selection(self) -> bool: + @overload + @classmethod + def new(cls, filename: str) -> Image: r""" - @brief Returns true, if geometrical objects (shapes or cell instances) are selected in this view + @brief Constructor from a image file + + This constructor creates an image object from a file (which can have any format supported by Qt) and + a unit transformation. The image will originally be put to position 0,0 (lower left corner) and each pixel + will have a size of 1 (micron). + + @param filename The path to the image file to load. """ - def has_selection(self) -> bool: + @overload + @classmethod + def new(cls, filename: str, trans: db.DCplxTrans) -> Image: r""" - @brief Indicates whether any objects are selected + @brief Constructor from a image file - This method has been introduced in version 0.27 + This constructor creates an image object from a file (which can have any format supported by Qt) and + a transformation. The image will originally be put to position 0,0 (lower left corner) and each pixel + will have a size of 1. The transformation describes how to transform this image into micron space. + + @param filename The path to the image file to load. + @param trans The transformation to apply to the image when displaying it. """ - def has_transient_object_selection(self) -> bool: + @overload + @classmethod + def new(cls, w: int, h: int, data: Sequence[float]) -> Image: r""" - @brief Returns true, if geometrical objects (shapes or cell instances) are selected in this view in the transient selection + @brief Constructor for a monochrome image with the given pixel values - The transient selection represents the objects selected when the mouse hovers over the layout windows. This selection is not used for operations but rather to indicate which object would be selected if the mouse is clicked. + This constructor creates an image from the given pixel values. The values have to be organized + line by line. Each line must consist of "w" values where the first value is the leftmost pixel. + Note, that the rows are oriented in the mathematical sense (first one is the lowest) contrary to + the common convention for image data. + Initially the pixel width and height will be 1 micron and the data range will be 0 to 1.0 (black to white level). + To adjust the data range use the \min_value and \max_value properties. - This method was introduced in version 0.18. + @param w The width of the image + @param h The height of the image + @param d The data (see method description) """ - def hide_cell(self, cell_index: int, cv_index: int) -> None: + @overload + @classmethod + def new(cls, w: int, h: int, red: Sequence[float], green: Sequence[float], blue: Sequence[float]) -> Image: r""" - @brief Hides the given cell for the given cellview + @brief Constructor for a color image with the given pixel values + + This constructor creates an image from the given pixel values. The values have to be organized + line by line and separated by color channel. Each line must consist of "w" values where the first value is the leftmost pixel. + Note, that the rows are oriented in the mathematical sense (first one is the lowest) contrary to + the common convention for image data. + Initially the pixel width and height will be 1 micron and the data range will be 0 to 1.0 (black to white level). + To adjust the data range use the \min_value and \max_value properties. + + @param w The width of the image + @param h The height of the image + @param red The red channel data set which will become owned by the image + @param green The green channel data set which will become owned by the image + @param blue The blue channel data set which will become owned by the image """ - def icon_for_layer(self, iter: LayerPropertiesIterator, w: int, h: int, dpr: float, di_off: Optional[int] = ..., no_state: Optional[bool] = ...) -> PixelBuffer: + @overload + @classmethod + def new(cls, w: int, h: int, trans: db.DCplxTrans, data: Sequence[float]) -> Image: r""" - @brief Creates an icon pixmap for the given layer. - - The icon will have size w times h pixels multiplied by the device pixel ratio (dpr). The dpr is The number of physical pixels per logical pixels on high-DPI displays. + @brief Constructor for a monochrome image with the given pixel values - 'di_off' will shift the dither pattern by the given number of (physical) pixels. If 'no_state' is true, the icon will not reflect visibility or validity states but rather the display style. + This constructor creates an image from the given pixel values. The values have to be organized + line by line. Each line must consist of "w" values where the first value is the leftmost pixel. + Note, that the rows are oriented in the mathematical sense (first one is the lowest) contrary to + the common convention for image data. + Initially the pixel width and height will be 1 micron and the data range will be 0 to 1.0 (black to white level). + To adjust the data range use the \min_value and \max_value properties. - This method has been introduced in version 0.28. + @param w The width of the image + @param h The height of the image + @param trans The transformation from pixel space to micron space + @param d The data (see method description) """ - def image(self, id: int) -> Image: + @overload + @classmethod + def new(cls, w: int, h: int, trans: db.DCplxTrans, red: Sequence[float], green: Sequence[float], blue: Sequence[float]) -> Image: r""" - @brief Gets the image given by an ID - Returns a reference to the image given by the respective ID or an invalid image if the ID is not valid. - Use \Image#is_valid? to determine whether the returned image is valid or not. + @brief Constructor for a color image with the given pixel values - The returned image is a 'live' object and changing it will update the view. + This constructor creates an image from the given pixel values. The values have to be organized + line by line and separated by color channel. Each line must consist of "w" values where the first value is the leftmost pixel. + Note, that the rows are oriented in the mathematical sense (first one is the lowest) contrary to + the common convention for image data. + Initially the pixel width and height will be 1 micron and the data range will be 0 to 1.0 (black to white level). + To adjust the data range use the \min_value and \max_value properties. - This method has been introduced in version 0.25. + @param w The width of the image + @param h The height of the image + @param trans The transformation from pixel space to micron space + @param red The red channel data set which will become owned by the image + @param green The green channel data set which will become owned by the image + @param blue The blue channel data set which will become owned by the image """ - def init_layer_properties(self, props: LayerProperties) -> None: + @classmethod + def read(cls, path: str) -> Image: r""" - @brief Fills the layer properties for a new layer - - This method initializes a layer properties object's color and stipples according to the defaults for the given layer source specification. The layer's source must be set already on the layer properties object. + @brief Loads the image from the given path. - This method was introduced in version 0.19. + This method expects the image file as a KLayout image format file (.lyimg). This is a XML-based format containing the image data plus placement and transformation information for the image placement. In addition, image manipulation parameters for false color display and color channel enhancement are embedded. - @param props The layer properties object to initialize. + This method has been introduced in version 0.27. """ - def insert_annotation(self, obj: Annotation) -> None: + @overload + def __init__(self) -> None: r""" - @brief Inserts an annotation object into the given view - Inserts a new annotation into the view. Existing annotation will remain. Use \clear_annotations to delete them before inserting new ones. Use \replace_annotation to replace an existing one with a new one. - Starting with version 0.25 this method modifies self's ID to reflect the ID of the ruler created. After an annotation is inserted into the view, it can be modified and the changes of properties will become reflected immediately in the view. + @brief Create a new image with the default attributes + This will create an empty image without data and no particular pixel width or related. + Use the \read_file or \set_data methods to set image properties and pixel values. """ - def insert_image(self, obj: Image) -> None: + @overload + def __init__(self, filename: str) -> None: r""" - @brief Insert an image object into the given view - Insert the image object given by obj into the view. + @brief Constructor from a image file - With version 0.25, this method will attach the image object to the view and the image object will become a 'live' object - i.e. changes to the object will change the appearance of the image on the screen. + This constructor creates an image object from a file (which can have any format supported by Qt) and + a unit transformation. The image will originally be put to position 0,0 (lower left corner) and each pixel + will have a size of 1 (micron). + + @param filename The path to the image file to load. """ @overload - def insert_layer(self, iter: LayerPropertiesIterator, node: Optional[LayerProperties] = ...) -> LayerPropertiesNodeRef: + def __init__(self, filename: str, trans: db.DCplxTrans) -> None: r""" - @brief Inserts the given layer properties node into the list before the given position + @brief Constructor from a image file - This method inserts the new properties node before the position given by "iter" and returns a const reference to the element created. The iterator that specified the position will remain valid after the node was inserted and will point to the newly created node. It can be used to add further nodes. To add children to the node inserted, use iter.last_child as insertion point for the next insert operations. + This constructor creates an image object from a file (which can have any format supported by Qt) and + a transformation. The image will originally be put to position 0,0 (lower left corner) and each pixel + will have a size of 1. The transformation describes how to transform this image into micron space. - Since version 0.22, this method accepts LayerProperties and LayerPropertiesNode objects. A LayerPropertiesNode object can contain a hierarchy of further nodes. - Since version 0.26 the node parameter is optional and the reference returned by this method can be used to set the properties of the new node. + @param filename The path to the image file to load. + @param trans The transformation to apply to the image when displaying it. """ @overload - def insert_layer(self, index: int, iter: LayerPropertiesIterator, node: Optional[LayerProperties] = ...) -> LayerPropertiesNodeRef: + def __init__(self, w: int, h: int, data: Sequence[float]) -> None: r""" - @brief Inserts the given layer properties node into the list before the given position + @brief Constructor for a monochrome image with the given pixel values - This version addresses a specific list in a multi-tab layer properties arrangement with the "index" parameter. This method inserts the new properties node before the position given by "iter" and returns a const reference to the element created. The iterator that specified the position will remain valid after the node was inserted and will point to the newly created node. It can be used to add further nodes. - This method has been introduced in version 0.21. - Since version 0.22, this method accepts LayerProperties and LayerPropertiesNode objects. A LayerPropertiesNode object can contain a hierarchy of further nodes. - Since version 0.26 the node parameter is optional and the reference returned by this method can be used to set the properties of the new node. - """ - def insert_layer_list(self, index: int) -> None: - r""" - @brief Inserts a new layer properties list at the given index - This method inserts a new tab at the given position. The current layer properties list will be changed to the new list. - This method has been introduced in version 0.21. - """ - def is_cell_hidden(self, cell_index: int, cv_index: int) -> bool: - r""" - @brief Returns true, if the cell is hidden - - @return True, if the cell with "cell_index" is hidden for the cellview "cv_index" - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def is_editable(self) -> bool: - r""" - @brief Returns true if the view is in editable mode - - This read-only attribute has been added in version 0.27.5. - """ - def is_transacting(self) -> bool: - r""" - @brief Indicates if a transaction is ongoing + This constructor creates an image from the given pixel values. The values have to be organized + line by line. Each line must consist of "w" values where the first value is the leftmost pixel. + Note, that the rows are oriented in the mathematical sense (first one is the lowest) contrary to + the common convention for image data. + Initially the pixel width and height will be 1 micron and the data range will be 0 to 1.0 (black to white level). + To adjust the data range use the \min_value and \max_value properties. - See \transaction for a detailed description of transactions. - This method was introduced in version 0.16. - """ - def l2ndb(self, index: int) -> db.LayoutToNetlist: - r""" - @brief Gets the netlist database with the given index - @return The \LayoutToNetlist object or nil if the index is not valid - This method has been added in version 0.26. + @param w The width of the image + @param h The height of the image + @param d The data (see method description) """ @overload - def load_layer_props(self, fn: str) -> None: + def __init__(self, w: int, h: int, red: Sequence[float], green: Sequence[float], blue: Sequence[float]) -> None: r""" - @brief Loads the layer properties + @brief Constructor for a color image with the given pixel values - @param fn The file name of the .lyp file to load + This constructor creates an image from the given pixel values. The values have to be organized + line by line and separated by color channel. Each line must consist of "w" values where the first value is the leftmost pixel. + Note, that the rows are oriented in the mathematical sense (first one is the lowest) contrary to + the common convention for image data. + Initially the pixel width and height will be 1 micron and the data range will be 0 to 1.0 (black to white level). + To adjust the data range use the \min_value and \max_value properties. - Load the layer properties from the file given in "fn" + @param w The width of the image + @param h The height of the image + @param red The red channel data set which will become owned by the image + @param green The green channel data set which will become owned by the image + @param blue The blue channel data set which will become owned by the image """ @overload - def load_layer_props(self, fn: str, add_default: bool) -> None: + def __init__(self, w: int, h: int, trans: db.DCplxTrans, data: Sequence[float]) -> None: r""" - @brief Loads the layer properties with options - - @param fn The file name of the .lyp file to load - @param add_default If true, default layers will be added for each other layer in the layout + @brief Constructor for a monochrome image with the given pixel values - Load the layer properties from the file given in "fn". - This version allows one to specify whether defaults should be used for all other layers by setting "add_default" to true. + This constructor creates an image from the given pixel values. The values have to be organized + line by line. Each line must consist of "w" values where the first value is the leftmost pixel. + Note, that the rows are oriented in the mathematical sense (first one is the lowest) contrary to + the common convention for image data. + Initially the pixel width and height will be 1 micron and the data range will be 0 to 1.0 (black to white level). + To adjust the data range use the \min_value and \max_value properties. - This variant has been added on version 0.21. + @param w The width of the image + @param h The height of the image + @param trans The transformation from pixel space to micron space + @param d The data (see method description) """ @overload - def load_layer_props(self, fn: str, cv_index: int, add_default: bool) -> None: + def __init__(self, w: int, h: int, trans: db.DCplxTrans, red: Sequence[float], green: Sequence[float], blue: Sequence[float]) -> None: r""" - @brief Loads the layer properties with options - - @param fn The file name of the .lyp file to load - @param cv_index See description text - @param add_default If true, default layers will be added for each other layer in the layout - - Load the layer properties from the file given in "fn". - This version allows one to specify whether defaults should be used for all other layers by setting "add_default" to true. It can be used to load the layer properties for a specific cellview by setting "cv_index" to the index for which the layer properties file should be applied. All present definitions for this layout will be removed before the properties file is loaded. "cv_index" can be set to -1. In that case, the layer properties file is applied to each of the layouts individually. + @brief Constructor for a color image with the given pixel values - Note that this version will override all cellview index definitions in the layer properties file. + This constructor creates an image from the given pixel values. The values have to be organized + line by line and separated by color channel. Each line must consist of "w" values where the first value is the leftmost pixel. + Note, that the rows are oriented in the mathematical sense (first one is the lowest) contrary to + the common convention for image data. + Initially the pixel width and height will be 1 micron and the data range will be 0 to 1.0 (black to white level). + To adjust the data range use the \min_value and \max_value properties. - This variant has been added on version 0.21. + @param w The width of the image + @param h The height of the image + @param trans The transformation from pixel space to micron space + @param red The red channel data set which will become owned by the image + @param green The green channel data set which will become owned by the image + @param blue The blue channel data set which will become owned by the image """ - @overload - def load_layout(self, filename: str, add_cellview: Optional[bool] = ...) -> int: + def __str__(self) -> str: r""" - @brief Loads a (new) file into the layout view - - Loads the file given by the "filename" parameter. - The add_cellview param controls whether to create a new cellview (true) - or clear all cellviews before (false). - - @return The index of the cellview loaded. The 'add_cellview' argument has been made optional in version 0.28. + @brief Converts the image to a string + The string returned can be used to create an image object using \from_s. + @return The string """ - @overload - def load_layout(self, filename: str, options: db.LoadLayoutOptions, add_cellview: Optional[bool] = ...) -> int: + def _assign(self, other: BasicImage) -> None: r""" - @brief Loads a (new) file into the layout view - - Loads the file given by the "filename" parameter. - The options specify various options for reading the file. - The add_cellview param controls whether to create a new cellview (true) - or clear all cellviews before (false). - - @return The index of the cellview loaded. - - This method has been introduced in version 0.18. The 'add_cellview' argument has been made optional in version 0.28. + @brief Assigns another object to self """ - @overload - def load_layout(self, filename: str, technology: str, add_cellview: Optional[bool] = ...) -> int: + def _create(self) -> None: r""" - @brief Loads a (new) file into the layout view with the given technology - - Loads the file given by the "filename" parameter and associates it with the given technology. - The add_cellview param controls whether to create a new cellview (true) - or clear all cellviews before (false). - - @return The index of the cellview loaded. - - This version has been introduced in version 0.22. The 'add_cellview' argument has been made optional in version 0.28. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def load_layout(self, filename: str, options: db.LoadLayoutOptions, technology: str, add_cellview: Optional[bool] = ...) -> int: + def _destroy(self) -> None: r""" - @brief Loads a (new) file into the layout view with the given technology - - Loads the file given by the "filename" parameter and associates it with the given technology. - The options specify various options for reading the file. - The add_cellview param controls whether to create a new cellview (true) - or clear all cellviews before (false). - - @return The index of the cellview loaded. - - This version has been introduced in version 0.22. The 'add_cellview' argument has been made optional in version 0.28. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def lvsdb(self, index: int) -> db.LayoutVsSchematic: + def _destroyed(self) -> bool: r""" - @brief Gets the netlist database with the given index - @return The \LayoutVsSchematic object or nil if the index is not valid - This method has been added in version 0.26. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def max_hier(self) -> None: + def _dup(self) -> Image: r""" - @brief Selects all hierarchy levels available - - Show the layout in full depth down to the deepest level of hierarchy. This method may cause a redraw. + @brief Creates a copy of self """ - def menu(self) -> AbstractMenu: + def _is_const_object(self) -> bool: r""" - @brief Gets the \AbstractMenu associated with this view. - - In normal UI application mode this is the main window's view. For a detached view or in non-UI applications this is the view's private menu. - - This method has been introduced in version 0.28. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def mode_name(self) -> str: + def _manage(self) -> None: r""" - @brief Gets the name of the current mode. - - See \switch_mode about a method to change the mode and \mode_names for a method to retrieve all available mode names. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method has been introduced in version 0.28. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def mode_names(self) -> List[str]: + def _unmanage(self) -> None: r""" - @brief Gets the names of the available modes. - - This method allows asking the view for the available mode names for \switch_mode and for the value returned by \mode. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.28. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def netlist_browser(self) -> NetlistBrowserDialog: + def box(self) -> db.DBox: r""" - @brief Gets the netlist browser object for the given layout view - - - This method has been added in version 0.27. + @brief Gets the bounding box of the image + @return The bounding box """ - def num_l2ndbs(self) -> int: + def clear(self) -> None: r""" - @brief Gets the number of netlist databases loaded into this view - @return The number of \LayoutToNetlist objects present in this view - - This method has been added in version 0.26. + @brief Clears the image data (sets to 0 or black). + This method has been introduced in version 0.27. """ - def num_layer_lists(self) -> int: + def data(self, channel: Optional[int] = ...) -> List[float]: r""" - @brief Gets the number of layer properties tabs present - This method has been introduced in version 0.23. + @brief Gets the data array for a specific color channel + Returns an array of pixel values for the given channel. For a color image, channel 0 is green, channel 1 is red and channel 2 is blue. For a monochrome image, the channel is ignored. + + For the format of the data see the constructor description. + + This method has been introduced in version 0.27. """ - def num_rdbs(self) -> int: + def delete(self) -> None: r""" - @brief Gets the number of report databases loaded into this view - @return The number of \ReportDatabase objects present in this view + @brief Deletes this image from the view + If the image is an "active" one, this method will remove it from the view. This object will become detached and can still be manipulated, but without having an effect on the view. + This method has been introduced in version 0.25. """ - def pan_center(self, p: db.DPoint) -> None: + def detach(self) -> None: r""" - @brief Pans to the given point + @brief Detaches the image object from the view + If the image object was inserted into the view, property changes will be reflected in the view. To disable this feature, 'detach'' can be called after which the image object becomes inactive and changes will no longer be reflected in the view. - The window is positioned such that "p" becomes the new center - """ - def pan_down(self) -> None: - r""" - @brief Pans down + This method has been introduced in version 0.25. """ - def pan_left(self) -> None: + def filename(self) -> str: r""" - @brief Pans to the left + @brief Gets the name of the file loaded of an empty string if not file is loaded + @return The file name (path) """ - def pan_right(self) -> None: + @overload + def get_pixel(self, x: int, y: int) -> float: r""" - @brief Pans to the right - """ - def pan_up(self) -> None: - r""" - @brief Pans upward - """ - def rdb(self, index: int) -> rdb.ReportDatabase: - r""" - @brief Gets the report database with the given index - @return The \ReportDatabase object or nil if the index is not valid - """ - def register_annotation_template(self, annotation: BasicAnnotation, title: str, mode: Optional[int] = ...) -> None: - r""" - @brief Registers the given annotation as a template for this particular view - @annotation The annotation to use for the template (positions are ignored) - @param title The title to use for the ruler template - @param mode The mode the ruler will be created in (see Ruler... constants) + @brief Gets one pixel (monochrome only) - See \Annotation#register_template for a method doing the same on application level. This method is hardly useful normally, but can be used when customizing layout views as individual widgets. + @param x The x coordinate of the pixel (0..width()-1) + @param y The y coordinate of the pixel (mathematical order: 0 is the lowest, 0..height()-1) - This method has been added in version 0.28. + If x or y value exceeds the image bounds, this method + returns 0.0. This method is valid for monochrome images only. For color images it will return 0.0 always. + Use \is_color? to decide whether the image is a color image or monochrome one. """ - def reload_layout(self, cv: int) -> None: + @overload + def get_pixel(self, x: int, y: int, component: int) -> float: r""" - @brief Reloads the given cellview + @brief Gets one pixel (monochrome and color) - @param cv The index of the cellview to reload - """ - def remove_l2ndb(self, index: int) -> None: - r""" - @brief Removes a netlist database with the given index - @param The index of the netlist database to remove from this view - This method has been added in version 0.26. - """ - def remove_line_style(self, index: int) -> None: - r""" - @brief Removes the line style with the given index - The line styles with an index less than the first custom style. If a style is removed that is still used, the results are undefined. + @param x The x coordinate of the pixel (0..width()-1) + @param y The y coordinate of the pixel (mathematical order: 0 is the lowest, 0..height()-1) + @param component 0 for red, 1 for green, 2 for blue. - This method has been introduced in version 0.25. - """ - def remove_rdb(self, index: int) -> None: - r""" - @brief Removes a report database with the given index - @param The index of the report database to remove from this view + If the component index, x or y value exceeds the image bounds, this method + returns 0.0. For monochrome images, the component index is ignored. """ - def remove_stipple(self, index: int) -> None: + def height(self) -> int: r""" - @brief Removes the stipple pattern with the given index - The pattern with an index less than the first custom pattern cannot be removed. If a stipple pattern is removed that is still used, the results are undefined. + @brief Gets the height of the image in pixels + @return The height in pixels """ - def remove_unused_layers(self) -> None: + def id(self) -> int: r""" - @brief Removes unused layers from layer list - This method was introduced in version 0.19. + @brief Gets the Id + + The Id is an arbitrary integer that can be used to track the evolution of an + image object. The Id is not changed when the object is edited. + On initialization, a unique Id is given to the object. The Id cannot be changed. This behaviour has been modified in version 0.20. """ - def rename_cellview(self, name: str, index: int) -> None: + def is_color(self) -> bool: r""" - @brief Renames the cellview with the given index - - If the name is not unique, a unique name will be constructed from the name given. - The name may be different from the filename but is associated with the layout object. - If a layout is shared between multiple cellviews (which may happen due to a clone of the layout view - for example), all cellviews are renamed. + @brief Returns true, if the image is a color image + @return True, if the image is a color image """ - def rename_layer_list(self, index: int, name: str) -> None: + def is_empty(self) -> bool: r""" - @brief Sets the title of the given layer properties tab - This method has been introduced in version 0.21. + @brief Returns true, if the image does not contain any data (i.e. is default constructed) + @return True, if the image is empty """ - def replace_annotation(self, id: int, obj: Annotation) -> None: + def is_valid(self) -> bool: r""" - @brief Replaces the annotation given by the id with the new one - Replaces an existing annotation given by the id parameter with the new one. The id of an annotation can be obtained through \Annotation#id. + @brief Returns a value indicating whether the object is a valid reference. + If this value is true, the object represents an image on the screen. Otherwise, the object is a 'detached' image which does not have a representation on the screen. - This method has been introduced in version 0.24. + This method was introduced in version 0.25. """ - def replace_image(self, id: int, new_obj: Image) -> None: + def is_visible(self) -> bool: r""" - @brief Replace an image object with the new image - - @param id The id of the object to replace - @param new_obj The new object to replace the old one + @brief Gets a flag indicating whether the image object is visible - Replaces the image with the given Id with the new object. The Id can be obtained with if "id" method of the image object. + An image object can be made invisible by setting the visible property to false. This method has been introduced in version 0.20. """ - def replace_l2ndb(self, db_index: int, db: db.LayoutToNetlist) -> int: + def mask(self, x: int, y: int) -> bool: r""" - @brief Replaces the netlist database with the given index + @brief Gets the mask for one pixel - If the index is not valid, the database will be added to the view (see \add_lvsdb). + @param x The x coordinate of the pixel (0..width()-1) + @param y The y coordinate of the pixel (mathematical order: 0 is the lowest, 0..height()-1) + @return false if the pixel is not drawn. - @return The index of the database within the view (see \lvsdb) + See \set_mask for details about the mask. - This method has been added in version 0.26. + This method has been introduced in version 0.23. """ @overload - def replace_layer_node(self, iter: LayerPropertiesIterator, node: LayerProperties) -> None: + def set_data(self, w: int, h: int, d: Sequence[float]) -> None: r""" - @brief Replaces the layer node at the position given by "iter" with a new one + @brief Writes the image data field (monochrome) + @param w The width of the new data + @param h The height of the new data + @param d The (monochrome) data to load into the image - Since version 0.22, this method accepts LayerProperties and LayerPropertiesNode objects. A LayerPropertiesNode object can contain a hierarchy of further nodes. + See the constructor description for the data organisation in that field. """ @overload - def replace_layer_node(self, index: int, iter: LayerPropertiesIterator, node: LayerProperties) -> None: + def set_data(self, w: int, h: int, r: Sequence[float], g: Sequence[float], b: Sequence[float]) -> None: r""" - @brief Replaces the layer node at the position given by "iter" with a new one - This version addresses a specific list in a multi-tab layer properties arrangement with the "index" parameter. - This method has been introduced in version 0.21. - Since version 0.22, this method accepts LayerProperties and LayerPropertiesNode objects. A LayerPropertiesNode object can contain a hierarchy of further nodes. + @brief Writes the image data field (color) + @param w The width of the new data + @param h The height of the new data + @param r The red channel data to load into the image + @param g The green channel data to load into the image + @param b The blue channel data to load into the image + + See the constructor description for the data organisation in that field. """ - def replace_lvsdb(self, db_index: int, db: db.LayoutVsSchematic) -> int: + def set_mask(self, x: int, y: int, m: bool) -> None: r""" - @brief Replaces the database with the given index + @brief Sets the mask for a pixel - If the index is not valid, the database will be added to the view (see \add_lvsdb). + @param x The x coordinate of the pixel (0..width()-1) + @param y The y coordinate of the pixel (mathematical order: 0 is the lowest, 0..height()-1) + @param m The mask - @return The index of the database within the view (see \lvsdb) + If the mask of a pixel is set to false, the pixel is not drawn. The default is true for all pixels. - This method has been added in version 0.26. + This method has been introduced in version 0.23. """ - def replace_rdb(self, db_index: int, db: rdb.ReportDatabase) -> int: + @overload + def set_pixel(self, x: int, y: int, r: float, g: float, b: float) -> None: r""" - @brief Replaces the report database with the given index - - If the index is not valid, the database will be added to the view (see \add_rdb). + @brief Sets one pixel (color) - @return The index of the database within the view (see \rdb) + @param x The x coordinate of the pixel (0..width()-1) + @param y The y coordinate of the pixel (mathematical order: 0 is the lowest, 0..height()-1) + @param red The red component + @param green The green component + @param blue The blue component - This method has been added in version 0.26. + If the component index, x or y value exceeds the image bounds of the image is not a color image, + this method does nothing. """ - def reset_title(self) -> None: + @overload + def set_pixel(self, x: int, y: int, v: float) -> None: r""" - @brief Resets the title to the standard title + @brief Sets one pixel (monochrome) - See \set_title and \title for a description about how titles are handled. + @param x The x coordinate of the pixel (0..width()-1) + @param y The y coordinate of the pixel (mathematical order: 0 is the lowest, 0..height()-1) + @param v The value + + If the component index, x or y value exceeds the image bounds of the image is a color image, + this method does nothing. """ - def resize(self, arg0: int, arg1: int) -> None: + def to_s(self) -> str: r""" - @brief Resizes the layout view to the given dimension - - This method has been made available in all builds in 0.28. + @brief Converts the image to a string + The string returned can be used to create an image object using \from_s. + @return The string """ @overload - def save_as(self, index: int, filename: str, options: db.SaveLayoutOptions) -> None: + def transformed(self, t: db.DCplxTrans) -> Image: r""" - @brief Saves a layout to the given stream file - - @param index The cellview index of the layout to save. - @param filename The file to write. - @param options Writer options. - - The layout with the given index is written to the stream file with the given options. 'options' is a \SaveLayoutOptions object that specifies which format to write and further options such as scaling factor etc. - Calling this method is equivalent to calling 'write' on the respective layout object. - - If the file name ends with a suffix ".gz" or ".gzip", the file is compressed with the zlib algorithm. + @brief Transforms the image with the given complex transformation + @param t The magnifying transformation to apply + @return The transformed object """ @overload - def save_as(self, index: int, filename: str, gzip: bool, options: db.SaveLayoutOptions) -> None: + def transformed(self, t: db.DTrans) -> Image: r""" - @brief Saves a layout to the given stream file - - @param index The cellview index of the layout to save. - @param filename The file to write. - @param gzip Ignored. - @param options Writer options. - - The layout with the given index is written to the stream file with the given options. 'options' is a \SaveLayoutOptions object that specifies which format to write and further options such as scaling factor etc. - Calling this method is equivalent to calling 'write' on the respective layout object. - - This method is deprecated starting from version 0.23. The compression mode is determined from the file name automatically and the \gzip parameter is ignored. + @brief Transforms the image with the given simple transformation + @param t The transformation to apply + @return The transformed object """ - def save_image(self, filename: str, width: int, height: int) -> None: + @overload + def transformed(self, t: db.Matrix3d) -> Image: r""" - @brief Saves the layout as an image to the given file - - @param filename The file to which to write the screenshot to. - @param width The width of the image to render in pixel. - @param height The height of the image to render in pixel. - - The image contains the current scene (layout, annotations etc.). - The image is written as a PNG file to the given file. The image is drawn synchronously with the given width and height. Drawing may take some time. + @brief Transforms the image with the given matrix transformation + @param t The transformation to apply (a matrix) + @return The transformed object + This method has been introduced in version 0.22. """ - def save_image_with_options(self, filename: str, width: int, height: int, linewidth: Optional[int] = ..., oversampling: Optional[int] = ..., resolution: Optional[float] = ..., target: Optional[db.DBox] = ..., monochrome: Optional[bool] = ...) -> None: + def transformed_cplx(self, t: db.DCplxTrans) -> Image: r""" - @brief Saves the layout as an image to the given file (with options) + @brief Transforms the image with the given complex transformation + @param t The magnifying transformation to apply + @return The transformed object + """ + def transformed_matrix(self, t: db.Matrix3d) -> Image: + r""" + @brief Transforms the image with the given matrix transformation + @param t The transformation to apply (a matrix) + @return The transformed object + This method has been introduced in version 0.22. + """ + def update(self) -> None: + r""" + @brief Forces an update of the view + Usually it is not required to call this method. The image object is automatically synchronized with the view's image objects. For performance reasons this update is delayed to collect multiple update requests. Calling 'update' will ensure immediate updates. - @param filename The file to which to write the screenshot to. - @param width The width of the image to render in pixel. - @param height The height of the image to render in pixel. - @param linewidth The line width scale factor (usually 1) or 0 for 1/resolution. - @param oversampling The oversampling factor (1..3) or 0 for the oversampling the view was configured with. - @param resolution The resolution (pixel size compared to a screen pixel) or 0 for 1/oversampling. - @param target_box The box to draw or an empty box for default. - @param monochrome If true, monochrome images will be produced. + This method has been introduced in version 0.25. + """ + def width(self) -> int: + r""" + @brief Gets the width of the image in pixels + @return The width in pixels + """ + def write(self, path: str) -> None: + r""" + @brief Saves the image to KLayout's image format (.lyimg) + This method has been introduced in version 0.27. + """ - The image contains the current scene (layout, annotations etc.). - The image is written as a PNG file to the given file. The image is drawn synchronously with the given width and height. Drawing may take some time. Monochrome images don't have background or annotation objects currently. +class ImageDataMapping: + r""" + @brief A structure describing the data mapping of an image object - The 'linewidth' factor scales the layout style line widths. + Data mapping is the process of transforming the data into RGB pixel values. + This implementation provides four adjustment steps: first, in the case of monochrome + data, the data is converted to a RGB triplet using the color map. The default color map + will copy the value to all channels rendering a gray scale. After having normalized the data + to 0..1 cooresponding to the min_value and max_value settings of the image, a color channel-independent + brightness and contrast adjustment is applied. Then, a per-channel multiplier (red_gain, green_gain, + blue_gain) is applied. Finally, the gamma function is applied and the result converted into a 0..255 + pixel value range and clipped. + """ + blue_gain: float + r""" + Getter: + @brief The blue channel gain - The 'oversampling' factor will use multiple passes passes to create a single image pixels. An oversampling factor of 2 uses 2x2 virtual pixels to generate an output pixel. This results in a smoother image. This however comes with a corresponding memory and run time penalty. When using oversampling, you can set linewidth and resolution to 0. This way, line widths and stipple pattern are scaled such that the resulting image is equivalent to the standard image. + This value is the multiplier by which the blue channel is scaled after applying + false color transformation and contrast/brightness/gamma. - The 'resolution' is the pixel size used to translate font sizes and stipple pattern. A resolution of 0.5 renders twice as large fonts and stipple pattern. When combining this value with an oversampling factor of 2 and a line width factor of 2, the resulting image is an oversampled version of the standard image. + 1.0 is a neutral value. The gain should be >=0.0. - Examples: + Setter: + @brief Set the blue_gain + See \blue_gain for a description of this property. + """ + brightness: float + r""" + Getter: + @brief The brightness value - @code - # standard image 500x500 pixels (oversampling as configured in the view) - layout_view.save_image_with_options("image.png", 500, 500) + The brightness is a double value between roughly -1.0 and 1.0. + Neutral (original) brightness is 0.0. - # 2x oversampled image with 500x500 pixels - layout_view.save_image_with_options("image.png", 500, 500, 0, 2, 0) + Setter: + @brief Set the brightness + See \brightness for a description of this property. + """ + contrast: float + r""" + Getter: + @brief The contrast value - # 2x scaled image with 1000x1000 pixels - layout_view.save_image_with_options("image.png", 1000, 1000, 2, 1, 0.5) - @/code + The contrast is a double value between roughly -1.0 and 1.0. + Neutral (original) contrast is 0.0. - This method has been introduced in 0.23.10. - """ - def save_layer_props(self, fn: str) -> None: - r""" - @brief Saves the layer properties + Setter: + @brief Set the contrast + See \contrast for a description of this property. + """ + gamma: float + r""" + Getter: + @brief The gamma value - Save the layer properties to the file given in "fn" - """ - def save_screenshot(self, filename: str) -> None: - r""" - @brief Saves a screenshot to the given file + The gamma value allows one to adjust for non-linearities in the display chain and to enhance contrast. + A value for linear intensity reproduction on the screen is roughly 0.5. The exact value depends on the + monitor calibration. Values below 1.0 give a "softer" appearance while values above 1.0 give a "harder" appearance. - @param filename The file to which to write the screenshot to. + Setter: + @brief Set the gamma + See \gamma for a description of this property. + """ + green_gain: float + r""" + Getter: + @brief The green channel gain - The screenshot is written as a PNG file to the given file. This requires the drawing to be complete. Ideally, synchronous mode is switched on for the application to guarantee this condition. The image will have the size of the viewport showing the current layout. - """ - def select_all(self) -> None: - r""" - @brief Selects all objects from the view + This value is the multiplier by which the green channel is scaled after applying + false color transformation and contrast/brightness/gamma. - This method has been introduced in version 0.27 - """ - def select_cell(self, cell_index: int, cv_index: int) -> None: - r""" - @brief Selects a cell by index for a certain cell view + 1.0 is a neutral value. The gain should be >=0.0. - Select the current (top) cell by specifying a path (a list of cell indices from top to the actual cell) and the cellview index for which this cell should become the currently shown one. - This method selects the cell to be drawn. In constrast, the \set_current_cell_path method selects the cell that is highlighted in the cell tree (but not necessarily drawn). - This method is was deprecated in version 0.25 since from then, the \CellView object can be used to obtain an manipulate the selected cell. - """ - def select_cell_path(self, cell_index: Sequence[int], cv_index: int) -> None: - r""" - @brief Selects a cell by cell index for a certain cell view + Setter: + @brief Set the green_gain + See \green_gain for a description of this property. + """ + red_gain: float + r""" + Getter: + @brief The red channel gain - Select the current (top) cell by specifying a cell indexand the cellview index for which this cell should become the currently shown one. The path to the cell is constructed by selecting one that leads to a top cell. - This method selects the cell to be drawn. In constrast, the \set_current_cell_path method selects the cell that is highlighted in the cell tree (but not necessarily drawn). - This method is was deprecated in version 0.25 since from then, the \CellView object can be used to obtain an manipulate the selected cell. - """ - @overload - def select_from(self, box: db.DBox, mode: Optional[LayoutViewBase.SelectionMode] = ...) -> None: - r""" - @brief Selects the objects from a given box + This value is the multiplier by which the red channel is scaled after applying + false color transformation and contrast/brightness/gamma. - The mode indicates whether to add to the selection, replace the selection, remove from selection or invert the selected status of the objects found inside the given box. + 1.0 is a neutral value. The gain should be >=0.0. - This method has been introduced in version 0.27 - """ - @overload - def select_from(self, point: db.DPoint, mode: Optional[LayoutViewBase.SelectionMode] = ...) -> None: + Setter: + @brief Set the red_gain + See \red_gain for a description of this property. + """ + @classmethod + def new(cls) -> ImageDataMapping: r""" - @brief Selects the objects from a given point - - The mode indicates whether to add to the selection, replace the selection, remove from selection or invert the selected status of the objects found around the given point. - - This method has been introduced in version 0.27 + @brief Create a new data mapping object with default settings """ - def select_object(self, obj: ObjectInstPath) -> None: + def __copy__(self) -> ImageDataMapping: r""" - @brief Adds the given selection to the list of selected objects - - The selection provided by the \ObjectInstPath descriptor is added to the list of selected objects. - To clear the previous selection, use \clear_object_selection. - - The selection of other objects (such as annotations and images) will not be affected. - - Another way of selecting objects is \object_selection=. - - This method has been introduced in version 0.24 + @brief Creates a copy of self """ - def selected_cells_paths(self, cv_index: int) -> List[List[int]]: + def __deepcopy__(self) -> ImageDataMapping: r""" - @brief Gets the paths of the selected cells - - Gets a list of cell paths to the cells selected in the cellview given by \cv_index. The "selected cells" are the ones selected in the cell list or cell tree. This is not the "current cell" which is the one that is shown in the layout window. - - The cell paths are arrays of cell indexes where the last element is the actual cell selected. - - This method has be introduced in version 0.25. + @brief Creates a copy of self """ - def selected_layers(self) -> List[LayerPropertiesIterator]: + def __init__(self) -> None: r""" - @brief Gets the selected layers - - Returns an array of \LayerPropertiesIterator objects pointing to the currently selected layers. If no layer view is selected currently, an empty array is returned. + @brief Create a new data mapping object with default settings """ - def selection_bbox(self) -> db.DBox: + def _create(self) -> None: r""" - @brief Returns the bounding box of the current selection - - This method has been introduced in version 0.26.2 + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def selection_size(self) -> int: + def _destroy(self) -> None: r""" - @brief Returns the number of selected objects - - This method has been introduced in version 0.27 + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def send_enter_event(self) -> None: + def _destroyed(self) -> bool: r""" - @brief Sends a mouse window leave event - - This method is intended to emulate the mouse mouse window leave events sent by Qt normally in environments where Qt is not present. - This method was introduced in version 0.28. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def send_key_press_event(self, key: int, buttons: int) -> None: + def _is_const_object(self) -> bool: r""" - @brief Sends a key press event - - This method is intended to emulate the key press events sent by Qt normally in environments where Qt is not present. The arguments follow the conventions used within \Plugin#key_event for example. - - This method was introduced in version 0.28. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def send_leave_event(self) -> None: + def _manage(self) -> None: r""" - @brief Sends a mouse window leave event + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method is intended to emulate the mouse mouse window leave events sent by Qt normally in environments where Qt is not present. - This method was introduced in version 0.28. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def send_mouse_double_clicked_event(self, pt: db.DPoint, buttons: int) -> None: + def _unmanage(self) -> None: r""" - @brief Sends a mouse button double-click event - - This method is intended to emulate the mouse button double-click events sent by Qt normally in environments where Qt is not present. The arguments follow the conventions used within \Plugin#mouse_move_event for example. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method was introduced in version 0.28. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def send_mouse_move_event(self, pt: db.DPoint, buttons: int) -> None: + @overload + def add_colormap_entry(self, value: float, color: int) -> None: r""" - @brief Sends a mouse move event - - This method is intended to emulate the mouse move events sent by Qt normally in environments where Qt is not present. The arguments follow the conventions used within \Plugin#mouse_move_event for example. + @brief Add a colormap entry for this data mapping object. + @param value The value at which the given color should be applied. + @param color The color to apply (a 32 bit RGB value). - This method was introduced in version 0.28. + This settings establishes a color mapping for a given value in the monochrome channel. The color must be given as a 32 bit integer, where the lowest order byte describes the blue component (0 to 255), the second byte the green component and the third byte the red component, i.e. 0xff0000 is red and 0x0000ff is blue. """ - def send_mouse_press_event(self, pt: db.DPoint, buttons: int) -> None: + @overload + def add_colormap_entry(self, value: float, lcolor: int, rcolor: int) -> None: r""" - @brief Sends a mouse button press event + @brief Add a colormap entry for this data mapping object. + @param value The value at which the given color should be applied. + @param lcolor The color to apply left of the value (a 32 bit RGB value). + @param rcolor The color to apply right of the value (a 32 bit RGB value). - This method is intended to emulate the mouse button press events sent by Qt normally in environments where Qt is not present. The arguments follow the conventions used within \Plugin#mouse_move_event for example. + This settings establishes a color mapping for a given value in the monochrome channel. The colors must be given as a 32 bit integer, where the lowest order byte describes the blue component (0 to 255), the second byte the green component and the third byte the red component, i.e. 0xff0000 is red and 0x0000ff is blue. - This method was introduced in version 0.28. + In contrast to the version with one color, this version allows specifying a color left and right of the value - i.e. a discontinuous step. + + This variant has been introduced in version 0.27. """ - def send_mouse_release_event(self, pt: db.DPoint, buttons: int) -> None: + def assign(self, other: ImageDataMapping) -> None: r""" - @brief Sends a mouse button release event - - This method is intended to emulate the mouse button release events sent by Qt normally in environments where Qt is not present. The arguments follow the conventions used within \Plugin#mouse_move_event for example. - - This method was introduced in version 0.28. + @brief Assigns another object to self """ - def send_wheel_event(self, delta: int, horizontal: bool, pt: db.DPoint, buttons: int) -> None: + def clear_colormap(self) -> None: r""" - @brief Sends a mouse wheel event - - This method is intended to emulate the mouse wheel events sent by Qt normally in environments where Qt is not present. The arguments follow the conventions used within \Plugin#wheel_event for example. - - This method was introduced in version 0.28. + @brief The the color map of this data mapping object. """ - def set_active_cellview_index(self, index: int) -> None: + def colormap_color(self, n: int) -> int: r""" - @brief Makes the cellview with the given index the active one (shown in hierarchy browser) - See \active_cellview_index. + @brief Returns the color for a given color map entry. + @param n The index of the entry (0..\num_colormap_entries-1) + @return The color (see \add_colormap_entry for a description). - This method has been renamed from set_active_cellview_index to active_cellview_index= in version 0.25. The original name is still available, but is deprecated. + NOTE: this version is deprecated and provided for backward compatibility. For discontinuous nodes this method delivers the left-sided color. """ - def set_config(self, name: str, value: str) -> None: + def colormap_lcolor(self, n: int) -> int: r""" - @brief Sets a local configuration parameter with the given name to the given value - - @param name The name of the configuration parameter to set - @param value The value to which to set the configuration parameter + @brief Returns the left-side color for a given color map entry. + @param n The index of the entry (0..\num_colormap_entries-1) + @return The color (see \add_colormap_entry for a description). - This method sets a local configuration parameter with the given name to the given value. Values can only be strings. Numerical values have to be converted into strings first. Local configuration parameters override global configurations for this specific view. This allows for example to override global settings of background colors. Any local settings are not written to the configuration file. + This method has been introduced in version 0.27. """ - def set_current_cell_path(self, cv_index: int, cell_path: Sequence[int]) -> None: + def colormap_rcolor(self, n: int) -> int: r""" - @brief Sets the path to the current cell - - The current cell is the one highlighted in the browser with the focus rectangle. The - cell given by the path is highlighted and scrolled into view. - To select the cell to be drawn, use the \select_cell or \select_cell_path method. - - @param cv_index The cellview index for which to set the current path for (usually this will be the active cellview index) - @param path The path to the current cell + @brief Returns the right-side color for a given color map entry. + @param n The index of the entry (0..\num_colormap_entries-1) + @return The color (see \add_colormap_entry for a description). - This method is was deprecated in version 0.25 since from then, the \CellView object can be used to obtain an manipulate the selected cell. + This method has been introduced in version 0.27. """ - def set_current_layer_list(self, index: int) -> None: + def colormap_value(self, n: int) -> float: r""" - @brief Sets the index of the currently selected layer properties tab - This method has been introduced in version 0.21. + @brief Returns the value for a given color map entry. + @param n The index of the entry (0..\num_colormap_entries-1) + @return The value (see \add_colormap_entry for a description). """ - @overload - def set_layer_properties(self, iter: LayerPropertiesIterator, props: LayerProperties) -> None: + def create(self) -> None: r""" - @brief Sets the layer properties of the layer pointed to by the iterator - - This method replaces the layer properties of the element pointed to by "iter" by the properties given by "props". It will not change the hierarchy but just the properties of the given node. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - def set_layer_properties(self, index: int, iter: LayerPropertiesIterator, props: LayerProperties) -> None: + def destroy(self) -> None: r""" - @brief Sets the layer properties of the layer pointed to by the iterator - - This method replaces the layer properties of the element pointed to by "iter" by the properties given by "props" in the tab given by "index". It will not change the hierarchy but just the properties of the given node.This version addresses a specific list in a multi-tab layer properties arrangement with the "index" parameter. This method has been introduced in version 0.21. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def set_title(self, title: str) -> None: + def destroyed(self) -> bool: r""" - @brief Sets the title of the view - - @param title The title string to use - - Override the standard title of the view indicating the file names loaded by the specified title string. The title string can be reset with \reset_title to the standard title again. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - @overload - def show_all_cells(self) -> None: + def dup(self) -> ImageDataMapping: r""" - @brief Makes all cells shown (cancel effects of \hide_cell) + @brief Creates a copy of self """ - @overload - def show_all_cells(self, cv_index: int) -> None: + def is_const_object(self) -> bool: r""" - @brief Makes all cells shown (cancel effects of \hide_cell) for the specified cell view - Unlike \show_all_cells, this method will only clear the hidden flag on the cell view selected by \cv_index. - - This variant has been added in version 0.25. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def show_cell(self, cell_index: int, cv_index: int) -> None: + def num_colormap_entries(self) -> int: r""" - @brief Shows the given cell for the given cellview (cancel effect of \hide_cell) + @brief Returns the current number of color map entries. + @return The number of entries. """ - def show_image(self, id: int, visible: bool) -> None: - r""" - @brief Shows or hides the given image - @param id The id of the object to show or hide - @param visible True, if the image should be shown - - Sets the visibility of the image with the given Id. The Id can be obtained with if "id" method of the image object. - This method has been introduced in version 0.20. - - With version 0.25, \Image#visible= can be used to achieve the same results. - """ - @overload - def show_layout(self, layout: db.Layout, add_cellview: bool) -> int: - r""" - @brief Shows an existing layout in the view +class InputDialog: + r""" + @brief Various methods to open a dialog requesting data entry + This class provides some basic dialogs to enter a single value. Values can be strings floating-point values, integer values or an item from a list. + This functionality is provided through the static (class) methods ask_... - Shows the given layout in the view. If add_cellview is true, the new layout is added to the list of cellviews in the view. + Here are some examples: - Note: once a layout is passed to the view with show_layout, it is owned by the view and must not be destroyed with the 'destroy' method. + @code + # get a double value between -10 and 10 (initial value is 0): + v = RBA::InputDialog::ask_double_ex("Dialog Title", "Enter the value here:", 0, -10, 10, 1) + # get an item from a list: + v = RBA::InputDialog::ask_item("Dialog Title", "Select one:", [ "item 1", "item 2", "item 3" ], 1) + @/code - @return The index of the cellview created. + All these examples return the "nil" value if "Cancel" is pressed. - This method has been introduced in version 0.22. - """ - @overload - def show_layout(self, layout: db.Layout, tech: str, add_cellview: bool) -> int: + If you have enabled the Qt binding, you can use \QInputDialog directly. + """ + @classmethod + def ask_double(cls, title: str, label: str, value: float, digits: int) -> Any: r""" - @brief Shows an existing layout in the view - - Shows the given layout in the view. If add_cellview is true, the new layout is added to the list of cellviews in the view. - The technology to use for that layout can be specified as well with the 'tech' parameter. Depending on the definition of the technology, layer properties may be loaded for example. - The technology string can be empty for the default technology. - - Note: once a layout is passed to the view with show_layout, it is owned by the view and must not be destroyed with the 'destroy' method. - - @return The index of the cellview created. - - This method has been introduced in version 0.22. + @brief Open an input dialog requesting a floating-point value + @param title The title to display for the dialog + @param label The label text to display for the dialog + @param value The initial value for the input field + @param digits The number of digits allowed + @return The value entered if "Ok" was pressed or nil if "Cancel" was pressed + This method has been introduced in 0.22 and is somewhat easier to use than the get_.. equivalent. """ - @overload - def show_layout(self, layout: db.Layout, tech: str, add_cellview: bool, init_layers: bool) -> int: + @classmethod + def ask_double_ex(cls, title: str, label: str, value: float, min: float, max: float, digits: int) -> Any: r""" - @brief Shows an existing layout in the view - - Shows the given layout in the view. If add_cellview is true, the new layout is added to the list of cellviews in the view. - The technology to use for that layout can be specified as well with the 'tech' parameter. Depending on the definition of the technology, layer properties may be loaded for example. - The technology string can be empty for the default technology. - This variant also allows one to control whether the layer properties are - initialized (init_layers = true) or not (init_layers = false). - - Note: once a layout is passed to the view with show_layout, it is owned by the view and must not be destroyed with the 'destroy' method. - - @return The index of the cellview created. - - This method has been introduced in version 0.22. + @brief Open an input dialog requesting a floating-point value with enhanced capabilities + @param title The title to display for the dialog + @param label The label text to display for the dialog + @param value The initial value for the input field + @param min The minimum value allowed + @param max The maximum value allowed + @param digits The number of digits allowed + @return The value entered if "Ok" was pressed or nil if "Cancel" was pressed + This method has been introduced in 0.22 and is somewhat easier to use than the get_.. equivalent. """ - def stop(self) -> None: + @classmethod + def ask_int(cls, title: str, label: str, value: int) -> Any: r""" - @brief Stops redraw thread and close any browsers - This method usually does not need to be called explicitly. The redraw thread is stopped automatically. + @brief Open an input dialog requesting an integer value + @param title The title to display for the dialog + @param label The label text to display for the dialog + @param value The initial value for the input field + @return The value entered if "Ok" was pressed or nil if "Cancel" was pressed + This method has been introduced in 0.22 and is somewhat easier to use than the get_.. equivalent. """ - def stop_redraw(self) -> None: + @classmethod + def ask_int_ex(cls, title: str, label: str, value: int, min: int, max: int, step: int) -> Any: r""" - @brief Stops the redraw thread - - It is very important to stop the redraw thread before applying changes to the layout or the cell views and the LayoutView configuration. This is usually done automatically. For rare cases, where this is not the case, this method is provided. + @brief Open an input dialog requesting an integer value with enhanced capabilities + @param title The title to display for the dialog + @param label The label text to display for the dialog + @param value The initial value for the input field + @param min The minimum value allowed + @param max The maximum value allowed + @param step The step size for the spin buttons + @return The value entered if "Ok" was pressed or nil if "Cancel" was pressed + This method has been introduced in 0.22 and is somewhat easier to use than the get_.. equivalent. """ - def switch_mode(self, arg0: str) -> None: + @classmethod + def ask_item(cls, title: str, label: str, items: Sequence[str], value: int) -> Any: r""" - @brief Switches the mode. - - See \mode_name about a method to get the name of the current mode and \mode_names for a method to retrieve all available mode names. - - This method has been introduced in version 0.28. + @brief Open an input dialog requesting an item from a list + @param title The title to display for the dialog + @param label The label text to display for the dialog + @param items The list of items to show in the selection element + @param selection The initial selection (index of the element selected initially) + @return The string of the item selected if "Ok" was pressed or nil if "Cancel" was pressed + This method has been introduced in 0.22 and is somewhat easier to use than the get_.. equivalent. """ - def transaction(self, description: str) -> None: + @classmethod + def ask_string(cls, title: str, label: str, value: str) -> Any: r""" - @brief Begins a transaction - - @param description A text that appears in the 'undo' description - - A transaction brackets a sequence of database modifications that appear as a single undo action. Only modifications that are wrapped inside a transaction..commit call pair can be undone. - Each transaction must be terminated with a \commit method call, even if some error occurred. It is advisable therefore to catch errors and issue a commit call in this case. - - This method was introduced in version 0.16. + @brief Open an input dialog requesting a string + @param title The title to display for the dialog + @param label The label text to display for the dialog + @param value The initial value for the input field + @return The string entered if "Ok" was pressed or nil if "Cancel" was pressed + This method has been introduced in 0.22 and is somewhat easier to use than the get_.. equivalent. """ - def transient_to_selection(self) -> None: + @classmethod + def ask_string_password(cls, title: str, label: str, value: str) -> Any: r""" - @brief Turns the transient selection into the actual selection - - The current selection is cleared before. All highlighted objects under the mouse will become selected. This applies to all types of objects (rulers, shapes, images ...). - - This method has been introduced in version 0.26.2 + @brief Open an input dialog requesting a string without showing the actual characters entered + @param title The title to display for the dialog + @param label The label text to display for the dialog + @param value The initial value for the input field + @return The string entered if "Ok" was pressed or nil if "Cancel" was pressed + This method has been introduced in 0.22 and is somewhat easier to use than the get_.. equivalent. """ - def unregister_annotation_templates(self, category: str) -> None: + @classmethod + def get_double(cls, title: str, label: str, value: float, digits: int) -> DoubleValue: r""" - @brief Unregisters the template or templates with the given category string on this particular view - - See \Annotation#unregister_template for a method doing the same on application level.This method is hardly useful normally, but can be used when customizing layout views as individual widgets. - - This method has been added in version 0.28. + @brief Open an input dialog requesting a floating-point value + @param title The title to display for the dialog + @param label The label text to display for the dialog + @param value The initial value for the input field + @param digits The number of digits allowed + @return A \DoubleValue object with has_value? set to true, if "Ok" was pressed and the value given in it's value attribute + Starting from 0.22, this method is deprecated and it is recommended to use the ask_... equivalent. """ - def unselect_object(self, obj: ObjectInstPath) -> None: + @classmethod + def get_double_ex(cls, title: str, label: str, value: float, min: float, max: float, digits: int) -> DoubleValue: r""" - @brief Removes the given selection from the list of selected objects - - The selection provided by the \ObjectInstPath descriptor is removed from the list of selected objects. - If the given object was not part of the selection, nothing will be changed. - The selection of other objects (such as annotations and images) will not be affected. - - This method has been introduced in version 0.24 + @brief Open an input dialog requesting a floating-point value with enhanced capabilities + @param title The title to display for the dialog + @param label The label text to display for the dialog + @param value The initial value for the input field + @param min The minimum value allowed + @param max The maximum value allowed + @param digits The number of digits allowed + @return A \DoubleValue object with has_value? set to true, if "Ok" was pressed and the value given in it's value attribute + Starting from 0.22, this method is deprecated and it is recommended to use the ask_... equivalent. """ - def update_content(self) -> None: + @classmethod + def get_int(cls, title: str, label: str, value: int) -> IntValue: r""" - @brief Updates the layout view to the current state - - This method triggers an update of the hierarchy tree and layer view tree. Usually, this method does not need to be called. The widgets are updated automatically in most cases. - - Currently, this method should be called however, after the layer view tree has been changed by the \insert_layer, \replace_layer_node or \delete_layer methods. + @brief Open an input dialog requesting an integer value + @param title The title to display for the dialog + @param label The label text to display for the dialog + @param value The initial value for the input field + @return A \IntValue object with has_value? set to true, if "Ok" was pressed and the value given in it's value attribute + Starting from 0.22, this method is deprecated and it is recommended to use the ask_... equivalent. """ - def viewport_height(self) -> int: + @classmethod + def get_int_ex(cls, title: str, label: str, value: int, min: int, max: int, step: int) -> IntValue: r""" - @brief Return the viewport height in pixels - This method was introduced in version 0.18. + @brief Open an input dialog requesting an integer value with enhanced capabilities + @param title The title to display for the dialog + @param label The label text to display for the dialog + @param value The initial value for the input field + @param min The minimum value allowed + @param max The maximum value allowed + @param step The step size for the spin buttons + @return A \IntValue object with has_value? set to true, if "Ok" was pressed and the value given in it's value attribute + Starting from 0.22, this method is deprecated and it is recommended to use the ask_... equivalent. """ - def viewport_trans(self) -> db.DCplxTrans: + @classmethod + def get_item(cls, title: str, label: str, items: Sequence[str], value: int) -> StringValue: r""" - @brief Returns the transformation that converts micron coordinates to pixels - Hint: the transformation returned will convert any point in micron coordinate space into a pixel coordinate. Contrary to usual convention, the y pixel coordinate is given in a mathematically oriented space - which means the bottom coordinate is 0. - This method was introduced in version 0.18. + @brief Open an input dialog requesting an item from a list + @param title The title to display for the dialog + @param label The label text to display for the dialog + @param items The list of items to show in the selection element + @param selection The initial selection (index of the element selected initially) + @return A \StringValue object with has_value? set to true, if "Ok" was pressed and the value given in it's value attribute + Starting from 0.22, this method is deprecated and it is recommended to use the ask_... equivalent. """ - def viewport_width(self) -> int: + @classmethod + def get_string(cls, title: str, label: str, value: str) -> StringValue: r""" - @brief Returns the viewport width in pixels - This method was introduced in version 0.18. + @brief Open an input dialog requesting a string + @param title The title to display for the dialog + @param label The label text to display for the dialog + @param value The initial value for the input field + @return A \StringValue object with has_value? set to true, if "Ok" was pressed and the value given in it's value attribute + Starting from 0.22, this method is deprecated and it is recommended to use the ask_... equivalent. """ - def zoom_box(self, box: db.DBox) -> None: + @classmethod + def get_string_password(cls, title: str, label: str, value: str) -> StringValue: r""" - @brief Sets the viewport to the given box - - @param box The box to which to set the view in micron coordinates + @brief Open an input dialog requesting a string without showing the actual characters entered + @param title The title to display for the dialog + @param label The label text to display for the dialog + @param value The initial value for the input field + @return A \StringValue object with has_value? set to true, if "Ok" was pressed and the value given in it's value attribute + Starting from 0.22, this method is deprecated and it is recommended to use the ask_... equivalent. """ - def zoom_fit(self) -> None: + @classmethod + def new(cls) -> InputDialog: r""" - @brief Fits the contents of the current view into the window + @brief Creates a new object of this class """ - def zoom_fit_sel(self) -> None: + def __copy__(self) -> InputDialog: r""" - @brief Fits the contents of the current selection into the window - - This method has been introduced in version 0.25. + @brief Creates a copy of self """ - def zoom_in(self) -> None: + def __deepcopy__(self) -> InputDialog: r""" - @brief Zooms in somewhat + @brief Creates a copy of self """ - def zoom_out(self) -> None: + def __init__(self) -> None: r""" - @brief Zooms out somewhat + @brief Creates a new object of this class """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. -class CellView: - r""" - @brief A class describing what is shown inside a layout view - - The cell view points to a specific cell within a certain layout and a hierarchical context. - For that, first of all a layout pointer is provided. The cell itself - is addressed by an cell_index or a cell object reference. - The layout pointer can be nil, indicating that the cell view is invalid. - - The cell is not only identified by it's index or object but also - by the path leading to that cell. This path indicates how to find the - cell in the hierarchical context of it's parent cells. - - The path is in fact composed of two parts: first in an unspecific fashion, - just describing which parent cells are used. The target of this path - is called the "context cell". It is accessible by the \ctx_cell_index - or \ctx_cell methods. In the viewer, the unspecific part of the path is - the location of the cell in the cell tree. - - Additionally the path's second part may further identify a specific instance of a certain - subcell in the context cell. This is done through a set of \InstElement - objects. The target of this specific path is the actual cell addressed by the - cellview. This target cell is accessible by the \cell_index or \cell methods. - In the viewer, the target cell is shown in the context of the context cell. - The hierarchy levels are counted from the context cell, which is on level 0. - If the context path is empty, the context cell is identical with the target cell. - - Starting with version 0.25, the cellview can be modified directly. This will have an immediate effect on the display. For example, the following code will select a different cell: - - @code - cv = RBA::CellView::active - cv.cell_name = "TOP2" - @/code + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - See @The Application API@ for more details about the cellview objects. - """ - cell: db.Cell - r""" - Getter: - @brief Gets the reference to the target cell currently addressed + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def assign(self, other: InputDialog) -> None: + r""" + @brief Assigns another object to self + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> InputDialog: + r""" + @brief Creates a copy of self + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ - Setter: - @brief Sets the cell by reference to a Cell object - Setting the cell reference to nil invalidates the cellview. This method will construct any path to this cell, not a - particular one. It will clear the context path - and update the context and target cell. - """ - cell_index: int +class IntValue: r""" - Getter: - @brief Gets the target cell's index - - Setter: - @brief Sets the path to the given cell - - This method will construct any path to this cell, not a - particular one. It will clear the context path - and update the context and target cell. Note that the cell is specified by it's index. + @brief Encapsulate an integer value + @hide + This class is provided as a return value of \InputDialog::get_int. + By using an object rather than a pure value, an object with \has_value? = false can be returned indicating that + the "Cancel" button was pressed. Starting with version 0.22, the InputDialog class offers new method which do no + longer requires to use this class. """ - cell_name: str - r""" - Getter: - @brief Gets the name of the target cell currently addressed - - Setter: - @brief Sets the cell by name - - If the name is not a valid one, the cellview will become - invalid. - This method will construct any path to this cell, not a - particular one. It will clear the context path - and update the context and target cell. - """ - context_path: List[db.InstElement] - r""" - Getter: - @brief Gets the cell's context path - The context path leads from the context cell to the target cell in a specific fashion, i.e. describing each instance in detail, not just by cell indexes. If the context and target cell are identical, the context path is empty. - Setter: - @brief Sets the context path explicitly - - This method assumes that the unspecific part of the path - is established already and that the context path starts - from the context cell. - """ - name: str - r""" - Getter: - @brief Gets the unique name associated with the layout behind the cellview - - Setter: - @brief sets the unique name associated with the layout behind the cellview - - this method has been introduced in version 0.25. - """ - on_technology_changed: None - r""" - Getter: - @brief An event indicating that the technology has changed - This event is triggered when the CellView is attached to a different technology. - - This event has been introduced in version 0.27. - - Setter: - @brief An event indicating that the technology has changed - This event is triggered when the CellView is attached to a different technology. - - This event has been introduced in version 0.27. - """ - path: List[int] - r""" - Getter: - @brief Gets the cell's unspecific part of the path leading to the context cell - - Setter: - @brief Sets the unspecific part of the path explicitly - - Setting the unspecific part of the path will clear the context path component and - update the context and target cell. - """ - technology: str - r""" - Getter: - @brief Returns the technology name for the layout behind the given cell view - This method has been added in version 0.23. - - Setter: - @brief Sets the technology for the layout behind the given cell view - According to the specification of the technology, new layer properties may be loaded or the net tracer may be reconfigured. If the layout is shown in multiple views, the technology is updated for all views. - This method has been added in version 0.22. - """ - @classmethod - def active(cls) -> CellView: - r""" - @brief Gets the active CellView - The active CellView is the one that is selected in the current layout view. This method is equivalent to - @code - RBA::LayoutView::current.active_cellview - @/code - If no CellView is active, this method returns nil. - - This method has been introduced in version 0.23. - """ @classmethod - def new(cls) -> CellView: + def new(cls) -> IntValue: r""" @brief Creates a new object of this class """ - def __copy__(self) -> CellView: + def __copy__(self) -> IntValue: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> CellView: + def __deepcopy__(self) -> IntValue: r""" @brief Creates a copy of self """ - def __eq__(self, other: object) -> bool: - r""" - @brief Equality: indicates whether the cellviews refer to the same one - In version 0.25, the definition of the equality operator has been changed to reflect identity of the cellview. Before that version, identity of the cell shown was implied. - """ def __init__(self) -> None: r""" @brief Creates a new object of this class @@ -5002,62 +4662,15 @@ class CellView: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def ascend(self) -> None: - r""" - @brief Ascends upwards in the hierarchy. - Removes one element from the specific path of the cellview with the given index. Returns the element removed. - This method has been added in version 0.25. - """ - def assign(self, other: CellView) -> None: + def assign(self, other: IntValue) -> None: r""" @brief Assigns another object to self """ - def close(self) -> None: - r""" - @brief Closes this cell view - - This method will close the cellview - remove it from the layout view. After this method was called, the cellview will become invalid (see \is_valid?). - - This method was introduced in version 0.25. - """ - def context_dtrans(self) -> db.DCplxTrans: - r""" - @brief Gets the accumulated transformation of the context path in micron unit space - This is the transformation applied to the target cell before it is shown in the context cell - Technically this is the product of all transformations over the context path. - See \context_trans for a version delivering an integer-unit space transformation. - - This method has been introduced in version 0.27.3. - """ - def context_trans(self) -> db.ICplxTrans: - r""" - @brief Gets the accumulated transformation of the context path - This is the transformation applied to the target cell before it is shown in the context cell - Technically this is the product of all transformations over the context path. - See \context_dtrans for a version delivering a micron-unit space transformation. - - This method has been introduced in version 0.27.3. - """ def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def ctx_cell(self) -> db.Cell: - r""" - @brief Gets the reference to the context cell currently addressed - """ - def ctx_cell_index(self) -> int: - r""" - @brief Gets the context cell's index - """ - def descend(self, path: Sequence[db.InstElement]) -> None: - r""" - @brief Descends further into the hierarchy. - Adds the given path (given as an array of InstElement objects) to the specific path of the cellview with the given index. In effect, the cell addressed by the terminal of the new path components can be shown in the context of the upper cells, if the minimum hierarchy level is set to a negative value. - The path is assumed to originate from the current cell and contain specific instances sorted from top to bottom. - This method has been added in version 0.25. - """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -5070,31 +4683,13 @@ class CellView: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> CellView: + def dup(self) -> IntValue: r""" @brief Creates a copy of self """ - def filename(self) -> str: - r""" - @brief Gets filename associated with the layout behind the cellview - """ - def hide_cell(self, cell: db.Cell) -> None: - r""" - @brief Hides the given cell - - This method has been added in version 0.25. - """ - def index(self) -> int: - r""" - @brief Gets the index of this cellview in the layout view - The index will be negative if the cellview is not a valid one. - This method has been added in version 0.25. - """ - def is_cell_hidden(self, cell: db.Cell) -> bool: + def has_value(self) -> bool: r""" - @brief Returns true, if the given cell is hidden - - This method has been added in version 0.25. + @brief True, if a value is present """ def is_const_object(self) -> bool: r""" @@ -5102,179 +4697,103 @@ class CellView: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def is_dirty(self) -> bool: - r""" - @brief Gets a flag indicating whether the layout needs saving - A layout is 'dirty' if it is modified and needs saving. This method returns true in this case. - - This method has been introduced in version 0.24.10. - """ - def is_valid(self) -> bool: - r""" - @brief Returns true, if the cellview is valid - A cellview may become invalid if the corresponding tab is closed for example. - """ - def layout(self) -> db.Layout: - r""" - @brief Gets the reference to the layout object addressed by this view - """ - def reset_cell(self) -> None: - r""" - @brief Resets the cell - - The cellview will become invalid. The layout object will - still be attached to the cellview, but no cell will be selected. - """ - def set_cell(self, cell_index: int) -> None: - r""" - @brief Sets the path to the given cell - - This method will construct any path to this cell, not a - particular one. It will clear the context path - and update the context and target cell. Note that the cell is specified by it's index. - """ - def set_cell_name(self, cell_name: str) -> None: - r""" - @brief Sets the cell by name - - If the name is not a valid one, the cellview will become - invalid. - This method will construct any path to this cell, not a - particular one. It will clear the context path - and update the context and target cell. - """ - def set_context_path(self, path: Sequence[db.InstElement]) -> None: - r""" - @brief Sets the context path explicitly - - This method assumes that the unspecific part of the path - is established already and that the context path starts - from the context cell. - """ - def set_path(self, path: Sequence[int]) -> None: - r""" - @brief Sets the unspecific part of the path explicitly - - Setting the unspecific part of the path will clear the context path component and - update the context and target cell. - """ - def show_all_cells(self) -> None: - r""" - @brief Makes all cells shown (cancel effects of \hide_cell) for the specified cell view - - This method has been added in version 0.25. - """ - def show_cell(self, cell: db.Cell) -> None: + def to_i(self) -> int: r""" - @brief Shows the given cell (cancels the effect of \hide_cell) - - This method has been added in version 0.25. + @brief Get the actual value (a synonym for \value) """ - def view(self) -> LayoutView: + def value(self) -> int: r""" - @brief Gets the view the cellview resides in - This reference will be nil if the cellview is not a valid one. - This method has been added in version 0.25. + @brief Get the actual value """ -class Marker: +class KeyCode: r""" - @brief The floating-point coordinate marker object + @brief The namespace for the some key codes. + This namespace defines some key codes understood by built-in \LayoutView components. When compiling with Qt, these codes are compatible with Qt's key codes. + The key codes are intended to be used when directly interfacing with \LayoutView in non-Qt-based environments. - The marker is a visual object that "marks" (highlights) a - certain area of the layout, given by a database object. This object accepts database objects with floating-point coordinates in micron values. + This class has been introduced in version 0.28. """ - color: int + Backspace: ClassVar[int] r""" - Getter: - @brief Gets the color of the marker - This value is valid only if \has_color? is true. - Setter: - @brief Sets the color of the marker - The color is a 32bit unsigned integer encoding the RGB values in the lower 3 bytes (blue in the lowest significant byte). The color can be reset with \reset_color, in which case, the default foreground color is used. + @brief Indicates the Backspace key """ - dismissable: bool + Backtab: ClassVar[int] r""" - Getter: - @brief Gets a value indicating whether the marker can be hidden - See \dismissable= for a description of this predicate. - Setter: - @brief Sets a value indicating whether the marker can be hidden - Dismissable markers can be hidden setting "View/Show Markers" to "off". The default setting is "false" meaning the marker can't be hidden. - - This attribute has been introduced in version 0.25.4. + @brief Indicates the Backtab key """ - dither_pattern: int + Delete: ClassVar[int] r""" - Getter: - @brief Gets the stipple pattern index - See \dither_pattern= for a description of the stipple pattern index. - Setter: - @brief Sets the stipple pattern index - A value of -1 or less than zero indicates that the marker is not filled. Otherwise, the value indicates which pattern to use for filling the marker. + @brief Indicates the Delete key """ - frame_color: int + Down: ClassVar[int] r""" - Getter: - @brief Gets the frame color of the marker - This value is valid only if \has_frame_color? is true.The set method has been added in version 0.20. - - Setter: - @brief Sets the frame color of the marker - The color is a 32bit unsigned integer encoding the RGB values in the lower 3 bytes (blue in the lowest significant byte). The color can be reset with \reset_frame_color, in which case the fill color is used. - The set method has been added in version 0.20. + @brief Indicates the Down key """ - halo: int + End: ClassVar[int] r""" - Getter: - @brief Gets the halo flag - See \halo= for a description of the halo flag. - Setter: - @brief Sets the halo flag - The halo flag is either -1 (for taking the default), 0 to disable the halo or 1 to enable it. If the halo is enabled, a pixel border with the background color is drawn around the marker, the vertices and texts. + @brief Indicates the End key """ - line_style: int + Enter: ClassVar[int] r""" - Getter: - @brief Get the line style - See \line_style= for a description of the line style index. - This method has been introduced in version 0.25. - Setter: - @brief Sets the line style - The line style is given by an index. 0 is solid, 1 is dashed and so forth. - - This method has been introduced in version 0.25. + @brief Indicates the Enter key """ - line_width: int + Escape: ClassVar[int] r""" - Getter: - @brief Gets the line width of the marker - See \line_width= for a description of the line width. - Setter: - @brief Sets the line width of the marker - This is the width of the line drawn for the outline of the marker. + @brief Indicates the Escape key """ - vertex_size: int + Home: ClassVar[int] r""" - Getter: - @brief Gets the vertex size of the marker - See \vertex_size= for a description. - Setter: - @brief Sets the vertex size of the marker - This is the size of the rectangles drawn for the vertices object. + @brief Indicates the Home key + """ + Insert: ClassVar[int] + r""" + @brief Indicates the Insert key + """ + Left: ClassVar[int] + r""" + @brief Indicates the Left key + """ + PageDown: ClassVar[int] + r""" + @brief Indicates the PageDown key + """ + PageUp: ClassVar[int] + r""" + @brief Indicates the PageUp key + """ + Return: ClassVar[int] + r""" + @brief Indicates the Return key + """ + Right: ClassVar[int] + r""" + @brief Indicates the Right key + """ + Tab: ClassVar[int] + r""" + @brief Indicates the Tab key + """ + Up: ClassVar[int] + r""" + @brief Indicates the Up key """ @classmethod - def new(cls, view: LayoutViewBase) -> Marker: + def new(cls) -> KeyCode: r""" - @brief Creates a marker - - A marker is always associated with a view, in which it is shown. The view this marker is associated with must be passed to the constructor. + @brief Creates a new object of this class """ - def __init__(self, view: LayoutViewBase) -> None: + def __copy__(self) -> KeyCode: r""" - @brief Creates a marker - - A marker is always associated with a view, in which it is shown. The view this marker is associated with must be passed to the constructor. + @brief Creates a copy of self + """ + def __deepcopy__(self) -> KeyCode: + r""" + @brief Creates a copy of self + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -5313,6 +4832,10 @@ class Marker: Usually it's not required to call this method. It has been introduced in version 0.24. """ + def assign(self, other: KeyCode) -> None: + r""" + @brief Assigns another object to self + """ def create(self) -> None: r""" @brief Ensures the C++ object is created @@ -5330,14 +4853,9 @@ class Marker: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def has_color(self) -> bool: - r""" - @brief Returns a value indicating whether the marker has a specific color - """ - def has_frame_color(self) -> bool: + def dup(self) -> KeyCode: r""" - @brief Returns a value indicating whether the marker has a specific frame color - The set method has been added in version 0.20. + @brief Creates a copy of self """ def is_const_object(self) -> bool: r""" @@ -5345,516 +4863,350 @@ class Marker: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def reset_color(self) -> None: - r""" - @brief Resets the color of the marker - See \set_color for a description of the color property of the marker. - """ - def reset_frame_color(self) -> None: - r""" - @brief Resets the frame color of the marker - See \set_frame_color for a description of the frame color property of the marker.The set method has been added in version 0.20. - """ - @overload - def set(self, box: db.DBox) -> None: - r""" - @brief Sets the box the marker is to display - - Makes the marker show a box. The box must be given in micron units. - If the box is empty, no marker is drawn. - The set method has been added in version 0.20. - """ - @overload - def set(self, edge: db.DEdge) -> None: - r""" - @brief Sets the edge the marker is to display - Makes the marker show a edge. The edge must be given in micron units. - The set method has been added in version 0.20. - """ - @overload - def set(self, path: db.DPath) -> None: - r""" - @brief Sets the path the marker is to display +class LayerProperties: + r""" + @brief The layer properties structure - Makes the marker show a path. The path must be given in micron units. - The set method has been added in version 0.20. - """ - @overload - def set(self, polygon: db.DPolygon) -> None: - r""" - @brief Sets the polygon the marker is to display + The layer properties encapsulate the settings relevant for + the display and source of a layer. - Makes the marker show a polygon. The polygon must be given in micron units. - The set method has been added in version 0.20. - """ - @overload - def set(self, text: db.DText) -> None: - r""" - @brief Sets the text the marker is to display + Each attribute is present in two incarnations: local and real. + "real" refers to the effective attribute after collecting the + attributes from the parents to the leaf property node. + In the spirit of this distinction, all read accessors + are present in "local" and "real" form. The read accessors take + a boolean parameter "real" that must be set to true, if the real + value shall be returned. - Makes the marker show a text. The text must be given in micron units. - The set method has been added in version 0.20. - """ - def set_box(self, box: db.DBox) -> None: - r""" - @brief Sets the box the marker is to display + "brightness" is a index that indicates how much to make the + color brighter to darker rendering the effective color + (\eff_frame_color, \eff_fill_color). It's value is roughly between + -255 and 255. + """ + animation: int + r""" + Getter: + @brief Gets the animation state - Makes the marker show a box. The box must be given in micron units. - If the box is empty, no marker is drawn. - The set method has been added in version 0.20. - """ - def set_edge(self, edge: db.DEdge) -> None: - r""" - @brief Sets the edge the marker is to display + This method is a convenience method for "animation(true)" - Makes the marker show a edge. The edge must be given in micron units. - The set method has been added in version 0.20. - """ - def set_path(self, path: db.DPath) -> None: - r""" - @brief Sets the path the marker is to display + This method has been introduced in version 0.22. + Setter: + @brief Sets the animation state - Makes the marker show a path. The path must be given in micron units. - The set method has been added in version 0.20. - """ - def set_polygon(self, polygon: db.DPolygon) -> None: - r""" - @brief Sets the polygon the marker is to display + See the description of the \animation method for details about the animation state + """ + dither_pattern: int + r""" + Getter: + @brief Gets the dither pattern index - Makes the marker show a polygon. The polygon must be given in micron units. - The set method has been added in version 0.20. - """ - def set_text(self, text: db.DText) -> None: - r""" - @brief Sets the text the marker is to display + This method is a convenience method for "dither_pattern(true)" - Makes the marker show a text. The text must be given in micron units. - The set method has been added in version 0.20. - """ + This method has been introduced in version 0.22. + Setter: + @brief Sets the dither pattern index -class AbstractMenu: + The dither pattern index must be one of the valid indices. + The first indices are reserved for built-in pattern, the following ones are custom pattern. + Index 0 is always solid filled and 1 is always the hollow filled pattern. + For custom pattern see \LayoutView#add_stipple. + """ + fill_brightness: int r""" - @brief An abstraction for the application menus - - The abstract menu is a class that stores a main menu and several popup menus - in a generic form such that they can be manipulated and converted into GUI objects. + Getter: + @brief Gets the fill brightness value - Each item can be associated with a Action, which delivers a title, enabled/disable state etc. - The Action is either provided when new entries are inserted or created upon initialisation. + This method is a convenience method for "fill_brightness(true)" - The abstract menu class provides methods to manipulate the menu structure (the state of the - menu items, their title and shortcut key is provided and manipulated through the Action object). + This method has been introduced in version 0.22. + Setter: + @brief Sets the fill brightness - Menu items and submenus are referred to by a "path". The path is a string with this interpretation: + For neutral brightness set this value to 0. For darker colors set it to a negative value (down to -255), for brighter colors to a positive value (up to 255) + """ + fill_color: int + r""" + Getter: + @brief Gets the fill color - @ - @@@@ - @@@@ - @@@@ - @@@@ - @@@@ - @
"" @is the root@
"[.]" @is an element of the submenu given by . If is omitted, this refers to an element in the root@
"[.]end" @refers to the item past the last item of the submenu given by or root@
"[.]begin" @refers to the first item of the submenu given by or root@
"[.]#" @refers to the nth item of the submenu given by or root (n is an integer number)@
+ This method is a convenience method for "fill_color(true)" - Menu items can be put into groups. The path strings of each group can be obtained with the - "group" method. An item is put into a group by appending ":" to the item's name. - This specification can be used several times. + This method has been introduced in version 0.22. + Setter: + @brief Sets the fill color to the given value - Detached menus (i.e. for use in context menus) can be created as virtual top-level submenus - with a name of the form "@@". A special detached menu is "@toolbar" which represents the tool bar of the main window. - Menus are closely related to the \Action class. Actions are used to represent selectable items inside menus, provide the title and other configuration settings. Actions also link the menu items with code. See the \Action class description for further details. + The color is a 32bit value encoding the blue value in the lower 8 bits, the green value in the next 8 bits and the red value in the 8 bits above that. """ - @classmethod - def new(cls) -> AbstractMenu: - r""" - @hide - """ - @classmethod - def pack_key_binding(cls, path_to_keys: Dict[str, str]) -> str: - r""" - @brief Serializes a key binding definition into a single string - The serialized format is used by the 'key-bindings' config key. This method will take an array of path/key definitions (including the \Action#NoKeyBound option) and convert it to a single string suitable for assigning to the config key. - - This method has been introduced in version 0.26. - """ - @classmethod - def pack_menu_items_hidden(cls, path_to_visibility: Dict[str, bool]) -> str: - r""" - @brief Serializes a menu item visibility definition into a single string - The serialized format is used by the 'menu-items-hidden' config key. This method will take an array of path/visibility flag definitions and convert it to a single string suitable for assigning to the config key. + frame_brightness: int + r""" + Getter: + @brief Gets the frame brightness value - This method has been introduced in version 0.26. - """ - @classmethod - def unpack_key_binding(cls, s: str) -> Dict[str, str]: - r""" - @brief Deserializes a key binding definition - This method is the reverse of \pack_key_binding. + This method is a convenience method for "frame_brightness(true)" - This method has been introduced in version 0.26. - """ - @classmethod - def unpack_menu_items_hidden(cls, s: str) -> Dict[str, bool]: - r""" - @brief Deserializes a menu item visibility definition - This method is the reverse of \pack_menu_items_hidden. + This method has been introduced in version 0.22. + Setter: + @brief Sets the frame brightness - This method has been introduced in version 0.26. - """ - def __init__(self) -> None: - r""" - @hide - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + For neutral brightness set this value to 0. For darker colors set it to a negative value (down to -255), for brighter colors to a positive value (up to 255) + """ + frame_color: int + r""" + Getter: + @brief Gets the frame color - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + This method is a convenience method for "frame_color(true)" - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def action(self, path: str) -> ActionBase: - r""" - @brief Gets the reference to a Action object associated with the given path + This method has been introduced in version 0.22. + Setter: + @brief Sets the frame color to the given value - @param path The path to the item. - @return A reference to a Action object associated with this path or nil if the path is not valid - """ - def clear_menu(self, path: str) -> None: - r""" - @brief Deletes the children of the item given by the path + The color is a 32bit value encoding the blue value in the lower 8 bits, the green value in the next 8 bits and the red value in the 8 bits above that. + """ + line_style: int + r""" + Getter: + @brief Gets the line style index - @param path The path to the item whose children to delete + This method is a convenience method for "line_style(true)" - This method has been introduced in version 0.28. - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def delete_item(self, path: str) -> None: - r""" - @brief Deletes the item given by the path + This method has been introduced in version 0.25. + Setter: + @brief Sets the line style index - @param path The path to the item to delete + The line style index must be one of the valid indices. + The first indices are reserved for built-in pattern, the following ones are custom pattern. + Index 0 is always solid filled. + For custom line styles see \LayoutView#add_line_style. - This method will also delete all children of the given item. To clear the children only, use \clear_menu. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def group(self, group: str) -> List[str]: - r""" - @brief Gets the group members + This method has been introduced in version 0.25. + """ + lower_hier_level: int + r""" + Getter: + @brief Gets the lower hierarchy level shown - @param group The group name - @param A vector of all members (by path) of the group - """ - def insert_item(self, path: str, name: str, action: ActionBase) -> None: - r""" - @brief Inserts a new item before the one given by the path + This method is a convenience method for "lower_hier_level(true)" - The Action object passed as the third parameter references the handler which both implements the action to perform and the menu item's appearance such as title, icon and keyboard shortcut. + This method has been introduced in version 0.22. + Setter: + @brief Sets the lower hierarchy level - @param path The path to the item before which to insert the new item - @param name The name of the item to insert - @param action The Action object to insert - """ - @overload - def insert_menu(self, path: str, name: str, action: ActionBase) -> None: - r""" - @brief Inserts a new submenu before the item given by the path + If this method is called, the lower hierarchy level is enabled. See \lower_hier_level for a description of this property. + """ + marked: bool + r""" + Getter: + @brief Gets the marked state - @param path The path to the item before which to insert the submenu - @param name The name of the submenu to insert - @param action The action object of the submenu to insert + This method is a convenience method for "marked?(true)" - This method variant has been added in version 0.28. - """ - @overload - def insert_menu(self, path: str, name: str, title: str) -> None: - r""" - @brief Inserts a new submenu before the item given by the path + This method has been introduced in version 0.22. + Setter: + @brief Sets the marked state + """ + name: str + r""" + Getter: + @brief Gets the name - The title string optionally encodes the key shortcut and icon resource - in the form ["("")"]["<"">"]. + Setter: + @brief Sets the name to the given string + """ + source: str + r""" + Getter: + @brief Gets the source specification - @param path The path to the item before which to insert the submenu - @param name The name of the submenu to insert - @param title The title of the submenu to insert - """ - def insert_separator(self, path: str, name: str) -> None: - r""" - @brief Inserts a new separator before the item given by the path + This method is a convenience method for "source(true)" - @param path The path to the item before which to insert the separator - @param name The name of the separator to insert - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def is_menu(self, path: str) -> bool: - r""" - @brief Returns true if the item is a menu + This method has been introduced in version 0.22. + Setter: + @brief Loads the source specification from a string - @param path The path to the item - @return false if the path is not valid or is not a menu - """ - def is_separator(self, path: str) -> bool: - r""" - @brief Returns true if the item is a separator - - @param path The path to the item - @return false if the path is not valid or is not a separator - - This method has been introduced in version 0.19. - """ - def is_valid(self, path: str) -> bool: - r""" - @brief Returns true if the path is a valid one - - @param path The path to check - @return false if the path is not a valid path to an item - """ - def items(self, path: str) -> List[str]: - r""" - @brief Gets the subitems for a given submenu - - @param path The path to the submenu - @return A vector or path strings for the child items or an empty vector if the path is not valid or the item does not have children - """ - -class ActionBase: - r""" - @hide - @alias Action - """ - NoKeyBound: ClassVar[str] - r""" - @brief Gets a shortcut value indicating that no shortcut shall be assigned - This method has been introduced in version 0.26. + Sets the source specification to the given string. The source specification may contain the cellview index, the source layer (given by layer/datatype or layer name), transformation, property selector etc. + This method throws an exception if the specification is not valid. """ - checkable: bool + source_cellview: int r""" Getter: - @brief Gets a value indicating whether the item is checkable + @brief Gets the cellview index that this layer refers to + This method is a convenience method for "source_cellview(true)" + + This method has been introduced in version 0.22. Setter: - @brief Makes the item(s) checkable or not + @brief Sets the cellview index that this layer refers to - @param checkable true to make the item checkable + See \cellview for a description of the transformations. """ - checked: bool + source_datatype: int r""" Getter: - @brief Gets a value indicating whether the item is checked + @brief Gets the stream datatype that the shapes are taken from + + This method is a convenience method for "source_datatype(true)" + This method has been introduced in version 0.22. Setter: - @brief Checks or unchecks the item + @brief Sets the stream datatype that the shapes are taken from - @param checked true to make the item checked + See \datatype for a description of this property """ - default_shortcut: str + source_layer: int r""" Getter: - @brief Gets the default keyboard shortcut - @return The default keyboard shortcut as a string + @brief Gets the stream layer that the shapes are taken from - This attribute has been introduced in version 0.25. + This method is a convenience method for "source_layer(true)" + This method has been introduced in version 0.22. Setter: - @brief Sets the default keyboard shortcut - - The default shortcut is used, if \shortcut is empty. + @brief Sets the stream layer that the shapes are taken from - This attribute has been introduced in version 0.25. + See \source_layer for a description of this property """ - enabled: bool + source_layer_index: int r""" Getter: - @brief Gets a value indicating whether the item is enabled + @brief Gets the stream layer that the shapes are taken from + This method is a convenience method for "source_layer_index(true)" + + This method has been introduced in version 0.22. Setter: - @brief Enables or disables the action + @brief Sets the layer index specification that the shapes are taken from - @param enabled true to enable the item + See \source_layer_index for a description of this property. """ - hidden: bool + source_name: str r""" Getter: - @brief Gets a value indicating whether the item is hidden - If an item is hidden, it's always hidden and \is_visible? does not have an effect. - This attribute has been introduced in version 0.25. + @brief Gets the stream name that the shapes are taken from + + This method is a convenience method for "source_name(true)" + This method has been introduced in version 0.22. Setter: - @brief Sets a value that makes the item hidden always - See \is_hidden? for details. + @brief Sets the stream layer name that the shapes are taken from - This attribute has been introduced in version 0.25 + See \name for a description of this property """ - @property - def icon(self) -> None: - r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the icon to the given \QIcon object - - @param qicon The QIcon object - - This variant has been added in version 0.28. - """ - icon_text: str + trans: List[db.DCplxTrans] r""" Getter: - @brief Gets the icon's text + @brief Gets the transformations that the layer is transformed with + This method is a convenience method for "trans(true)" + + This method has been introduced in version 0.22. Setter: - @brief Sets the icon's text + @brief Sets the transformations that the layer is transformed with - If an icon text is set, this will be used for the text below the icon. - If no icon text is set, the normal text will be used for the icon. - Passing an empty string will reset the icon's text. + See \trans for a description of the transformations. """ - on_menu_opening: None + transparent: bool r""" Getter: - @brief This event is called if the menu item is a sub-menu and before the menu is opened. - - This event provides an opportunity to populate the menu before it is opened. + @brief Gets the transparency state - This event has been introduced in version 0.28. + This method is a convenience method for "transparent?(true)" + This method has been introduced in version 0.22. Setter: - @brief This event is called if the menu item is a sub-menu and before the menu is opened. - - This event provides an opportunity to populate the menu before it is opened. - - This event has been introduced in version 0.28. + @brief Sets the transparency state """ - on_triggered: None + upper_hier_level: int r""" Getter: - @brief This event is called if the menu item is selected. + @brief Gets the upper hierarchy level shown - This event has been introduced in version 0.21 and moved to the ActionBase class in 0.28. + This method is a convenience method for "upper_hier_level(true)" + This method has been introduced in version 0.22. Setter: - @brief This event is called if the menu item is selected. + @brief Sets a upper hierarchy level - This event has been introduced in version 0.21 and moved to the ActionBase class in 0.28. + If this method is called, the upper hierarchy level is enabled. See \upper_hier_level for a description of this property. """ - separator: bool + valid: bool r""" Getter: - @brief Gets a value indicating whether the item is a separator - This method has been introduced in version 0.25. + @brief Gets the validity state - Setter: - @brief Makes an item a separator or not + This method is a convenience method for "valid?(true)" - @param separator true to make the item a separator - This method has been introduced in version 0.25. + This method has been introduced in version 0.23. + Setter: + @brief Sets the validity state """ - shortcut: str + visible: bool r""" Getter: - @brief Gets the keyboard shortcut - @return The keyboard shortcut as a string - - Setter: - @brief Sets the keyboard shortcut - If the shortcut string is empty, the default shortcut will be used. If the string is equal to \Action#NoKeyBound, no keyboard shortcut will be assigned. + @brief Gets the visibility state - @param shortcut The keyboard shortcut in Qt notation (i.e. "Ctrl+C") + This method is a convenience method for "visible?(true)" - The NoKeyBound option has been added in version 0.26. + This method has been introduced in version 0.22. + Setter: + @brief Sets the visibility state """ - title: str + width: int r""" Getter: - @brief Gets the title + @brief Gets the line width - @return The current title string + This method is a convenience method for "width(true)" + This method has been introduced in version 0.22. Setter: - @brief Sets the title - - @param title The title string to set (just the title) + @brief Sets the line width to the given width """ - tool_tip: str + xfill: bool r""" Getter: - @brief Gets the tool tip text. + @brief Gets a value indicating whether shapes are drawn with a cross - This method has been added in version 0.22. + This method is a convenience method for "xfill?(true)" - Setter: - @brief Sets the tool tip text + This attribute has been introduced in version 0.25. - The tool tip text is displayed in the tool tip window of the menu entry. - This is in particular useful for entries in the tool bar. - This method has been added in version 0.22. - """ - visible: bool - r""" - Getter: - @brief Gets a value indicating whether the item is visible - The visibility combines with \is_hidden?. To get the true visiblity, use \is_effective_visible?. Setter: - @brief Sets the item's visibility + @brief Sets a value indicating whether shapes are drawn with a cross - @param visible true to make the item visible + This attribute has been introduced in version 0.25. """ @classmethod - def new(cls) -> ActionBase: + def new(cls) -> LayerProperties: r""" @brief Creates a new object of this class """ + def __copy__(self) -> LayerProperties: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> LayerProperties: + r""" + @brief Creates a copy of self + """ + def __eq__(self, other: object) -> bool: + r""" + @brief Equality + + @param other The other object to compare against + """ def __init__(self) -> None: r""" @brief Creates a new object of this class """ + def __ne__(self, other: object) -> bool: + r""" + @brief Inequality + + @param other The other object to compare against + """ def _create(self) -> None: r""" @brief Ensures the C++ object is created @@ -5892,580 +5244,430 @@ class ActionBase: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def create(self) -> None: + def assign(self, other: LayerProperties) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Assigns another object to self """ - def destroy(self) -> None: + def cellview(self) -> int: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Gets the the cellview index + + This is the index of the actual cellview to use. Basically, this method returns \source_cellview in "real" mode. The result may be different, if the cellview is not valid for example. In this case, a negative value is returned. """ - def destroyed(self) -> bool: + def clear_dither_pattern(self) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Clears the dither pattern """ - def effective_shortcut(self) -> str: + def clear_fill_color(self) -> None: r""" - @brief Gets the effective keyboard shortcut - @return The effective keyboard shortcut as a string - - The effective shortcut is the one that is taken. It's either \shortcut or \default_shortcut. - - This attribute has been introduced in version 0.25. + @brief Resets the fill color """ - def is_checkable(self) -> bool: + def clear_frame_color(self) -> None: r""" - @brief Gets a value indicating whether the item is checkable + @brief Resets the frame color """ - def is_checked(self) -> bool: + def clear_line_style(self) -> None: r""" - @brief Gets a value indicating whether the item is checked + @brief Clears the line style + + This method has been introduced in version 0.25. """ - def is_const_object(self) -> bool: + def clear_lower_hier_level(self) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Clears the lower hierarchy level specification + + See \has_lower_hier_level for a description of this property """ - def is_effective_enabled(self) -> bool: + def clear_source_name(self) -> None: r""" - @brief Gets a value indicating whether the item is really enabled - This is the combined value from \is_enabled? and dynamic value (\wants_enabled). - This attribute has been introduced in version 0.28. + @brief Removes any stream layer name specification from this layer """ - def is_effective_visible(self) -> bool: + def clear_upper_hier_level(self) -> None: r""" - @brief Gets a value indicating whether the item is really visible - This is the combined visibility from \is_visible? and \is_hidden? and dynamic visibility (\wants_visible). - This attribute has been introduced in version 0.25. + @brief Clears the upper hierarchy level specification + + See \has_upper_hier_level for a description of this property """ - def is_enabled(self) -> bool: + def create(self) -> None: r""" - @brief Gets a value indicating whether the item is enabled + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def is_hidden(self) -> bool: + def destroy(self) -> None: r""" - @brief Gets a value indicating whether the item is hidden - If an item is hidden, it's always hidden and \is_visible? does not have an effect. - This attribute has been introduced in version 0.25. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def is_separator(self) -> bool: + def destroyed(self) -> bool: r""" - @brief Gets a value indicating whether the item is a separator - This method has been introduced in version 0.25. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def is_visible(self) -> bool: + def dup(self) -> LayerProperties: r""" - @brief Gets a value indicating whether the item is visible - The visibility combines with \is_hidden?. To get the true visiblity, use \is_effective_visible?. + @brief Creates a copy of self """ - def macro(self) -> Macro: + @overload + def eff_dither_pattern(self) -> int: r""" - @brief Gets the macro associated with the action - If the action is associated with a macro, this method returns a reference to the \Macro object. Otherwise, this method returns nil. + @brief Gets the effective dither pattern index + This method is a convenience method for "eff_dither_pattern(true)" - This method has been added in version 0.25. + This method has been introduced in version 0.22. """ - def trigger(self) -> None: + @overload + def eff_dither_pattern(self, real: bool) -> int: r""" - @brief Triggers the action programmatically + @brief Gets the effective dither pattern index + + The effective dither pattern index is always a valid index, even if no dither pattern is set. + @param real Set to true to return the real instead of local value """ + @overload + def eff_fill_color(self) -> int: + r""" + @brief Gets the effective fill color -class Action(ActionBase): - r""" - @brief The abstraction for an action (i.e. used inside menus) + This method is a convenience method for "eff_fill_color(true)" - Actions act as a generalization of menu entries. The action provides the appearance of a menu entry such as title, key shortcut etc. and dispatches the menu events. The action can be manipulated to change to appearance of a menu entry and can be attached an observer that receives the events when the menu item is selected. + This method has been introduced in version 0.22. + """ + @overload + def eff_fill_color(self, real: bool) -> int: + r""" + @brief Gets the effective fill color - Multiple action objects can refer to the same action internally, in which case the information and event handler is copied between the incarnations. This way, a single implementation can be provided for multiple places where an action appears, for example inside the toolbar and in addition as a menu entry. Both actions will shared the same icon, text, shortcut etc. + The effective fill color is computed from the frame color brightness and the + frame color. - Actions are mainly used for providing new menu items inside the \AbstractMenu class. This is some sample Ruby code for that case: + @param real Set to true to return the real instead of local value + """ + @overload + def eff_frame_color(self) -> int: + r""" + @brief Gets the effective frame color - @code - a = RBA::Action.new - a.title = "Push Me!" - a.on_triggered do - puts "I was pushed!" - end + This method is a convenience method for "eff_frame_color(true)" - app = RBA::Application.instance - mw = app.main_window + This method has been introduced in version 0.22. + """ + @overload + def eff_frame_color(self, real: bool) -> int: + r""" + @brief Gets the effective frame color - menu = mw.menu - menu.insert_separator("@toolbar.end", "name") - menu.insert_item("@toolbar.end", "my_action", a) - @/code + The effective frame color is computed from the frame color brightness and the + frame color. - This code will register a custom action in the toolbar. When the toolbar button is pushed a message is printed. The toolbar is addressed by a path starting with the pseudo root "@toolbar". + @param real Set to true to return the real instead of local value + """ + @overload + def eff_line_style(self) -> int: + r""" + @brief Gets the line style index - In Version 0.23, the Action class has been merged with the ActionBase class. - """ - def _create(self) -> None: + This method is a convenience method for "eff_line_style(true)" + + This method has been introduced in version 0.25. + """ + @overload + def eff_line_style(self, real: bool) -> int: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Gets the effective line style index + + The effective line style index is always a valid index, even if no line style is set. In that case, a default style index will be returned. + + @param real Set to true to return the real instead of local value + + This method has been introduced in version 0.25. """ - def _destroy(self) -> None: + def flat(self) -> LayerProperties: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Returns the "flattened" (effective) layer properties entry for this node + + This method returns a \LayerProperties object that is not embedded into a hierarchy. + This object represents the effective layer properties for the given node. In particular, all 'local' properties are identical to the 'real' properties. Such an object can be used as a basis for manipulations. + This method has been introduced in version 0.22. """ - def _destroyed(self) -> bool: + @overload + def has_dither_pattern(self) -> bool: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief True, if the dither pattern is set + + This method is a convenience method for "has_dither_pattern?(true)" + + This method has been introduced in version 0.22. """ - def _is_const_object(self) -> bool: + @overload + def has_dither_pattern(self, real: bool) -> bool: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief True, if the dither pattern is set """ - def _manage(self) -> None: + @overload + def has_fill_color(self) -> bool: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief True, if the fill color is set - Usually it's not required to call this method. It has been introduced in version 0.24. + This method is a convenience method for "has_fill_color?(true)" + + This method has been introduced in version 0.22. """ - def _unmanage(self) -> None: + @overload + def has_fill_color(self, real: bool) -> bool: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief True, if the fill color is set """ + @overload + def has_frame_color(self) -> bool: + r""" + @brief True, if the frame color is set -class PluginFactory: - r""" - @brief The plugin framework's plugin factory object + This method is a convenience method for "has_frame_color?(true)" - Plugins are components that extend KLayout's functionality in various aspects. Scripting support exists currently for providing mouse mode handlers and general on-demand functionality connected with a menu entry. + This method has been introduced in version 0.22. + """ + @overload + def has_frame_color(self, real: bool) -> bool: + r""" + @brief True, if the frame color is set + """ + @overload + def has_line_style(self) -> bool: + r""" + @brief True, if the line style is set - Plugins are objects that implement the \Plugin interface. Each layout view is associated with one instance of such an object. The PluginFactory is a singleton which is responsible for creating \Plugin objects and providing certain configuration information such as where to put the menu items connected to this plugin and what configuration keys are used. + This method is a convenience method for "has_line_style?(true)" - An implementation of PluginFactory must at least provide an implementation of \create_plugin. This method must instantiate a new object of the specific plugin. + This method has been introduced in version 0.25. + """ + @overload + def has_line_style(self, real: bool) -> bool: + r""" + @brief Gets a value indicating whether the line style is set - After the factory has been created, it must be registered in the system using one of the \register methods. It is therefore recommended to put the call to \register at the end of the "initialize" method. For the registration to work properly, the menu items must be defined before \register is called. + This method has been introduced in version 0.25. + """ + @overload + def has_lower_hier_level(self) -> bool: + r""" + @brief Gets a value indicating whether a lower hierarchy level is explicitly specified - The following features can also be implemented: + This method is a convenience method for "has_lower_hier_level?(true)" - @
    - @
  • Reserve keys in the configuration file using \add_option in the constructor@
  • - @
  • Create menu items by using \add_menu_entry in the constructor@
  • - @
  • Set the title for the mode entry that appears in the tool bar using the \register argument@
  • - @
  • Provide global functionality (independent from the layout view) using \configure or \menu_activated@
  • - @
+ This method has been introduced in version 0.22. + """ + @overload + def has_lower_hier_level(self, real: bool) -> bool: + r""" + @brief Gets a value indicating whether a lower hierarchy level is explicitly specified - This is a simple example for a plugin in Ruby. It switches the mouse cursor to a 'cross' cursor when it is active: + If "real" is true, the effective value is returned. + """ + @overload + def has_source_name(self) -> bool: + r""" + @brief Gets a value indicating whether a stream layer name is specified for this layer - @code - class PluginTestFactory < RBA::PluginFactory + This method is a convenience method for "has_source_name?(true)" - # Constructor - def initialize - # registers the new plugin class at position 100000 (at the end), with name - # "my_plugin_test" and title "My plugin test" - register(100000, "my_plugin_test", "My plugin test") - end - - # Create a new plugin instance of the custom type - def create_plugin(manager, dispatcher, view) - return PluginTest.new - end - - end - - # The plugin class - class PluginTest < RBA::Plugin - def mouse_moved_event(p, buttons, prio) - if prio - # Set the cursor to cross if our plugin is active. - set_cursor(RBA::Cursor::Cross) - end - # Returning false indicates that we don't want to consume the event. - # This way for example the cursor position tracker still works. - false - end - def mouse_click_event(p, buttons, prio) - if prio - puts "mouse button clicked." - # This indicates we want to consume the event and others don't receive the mouse click - # with prio = false. - return true - end - # don't consume the event if we are not active. - false - end - end - - # Instantiate the new plugin factory. - PluginTestFactory.new - @/code - - This class has been introduced in version 0.22. - """ - @property - def has_tool_entry(self) -> None: - r""" - WARNING: This variable can only be set, not retrieved. - @brief Enables or disables the tool bar entry - Initially this property is set to true. This means that the plugin will have a visible entry in the toolbar. This property can be set to false to disable this feature. In that case, the title and icon given on registration will be ignored. - """ - @classmethod - def new(cls) -> PluginFactory: - r""" - @brief Creates a new object of this class - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class + This method has been introduced in version 0.22. """ - def _create(self) -> None: + @overload + def has_source_name(self, real: bool) -> bool: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Gets a value indicating whether a stream layer name is specified for this layer + + If "real" is true, the effective value is returned. """ - def _destroy(self) -> None: + @overload + def has_upper_hier_level(self) -> bool: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Gets a value indicating whether an upper hierarchy level is explicitly specified + + This method is a convenience method for "has_upper_hier_level?(true)" + + This method has been introduced in version 0.22. """ - def _destroyed(self) -> bool: + @overload + def has_upper_hier_level(self, real: bool) -> bool: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Gets a value indicating whether an upper hierarchy level is explicitly specified + + If "real" is true, the effective value is returned. """ - def _is_const_object(self) -> bool: + def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def _manage(self) -> None: + def layer_index(self) -> int: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Gets the the layer index - Usually it's not required to call this method. It has been introduced in version 0.24. + This is the index of the actual layer used. The source specification given by \source_layer, \source_datatype, \source_name is evaluated and the corresponding layer is looked up in the layout object. If a \source_layer_index is specified, this layer index is taken as the layer index to use. """ - def _unmanage(self) -> None: + @overload + def lower_hier_level_mode(self) -> int: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Gets the mode for the lower hierarchy level. - Usually it's not required to call this method. It has been introduced in version 0.24. + This method is a convenience method for "lower_hier_level_mode(true)" + + This method has been introduced in version 0.22. """ - def add_config_menu_item(self, menu_name: str, insert_pos: str, title: str, cname: str, cvalue: str) -> None: + @overload + def lower_hier_level_mode(self, arg0: bool) -> int: r""" - @brief Adds a configuration menu item + @brief Gets the mode for the lower hierarchy level. + @param real If true, the computed value is returned, otherwise the local node value - Menu items created this way will send a configuration request with 'cname' as the configuration parameter name and 'cvalue' as the configuration parameter value. + The mode value can be 0 (value is given by \lower_hier_level), 1 for "minimum value" and 2 for "maximum value". - This method has been introduced in version 0.27. + This method has been introduced in version 0.20. """ @overload - def add_menu_entry(self, menu_name: str, insert_pos: str) -> None: + def lower_hier_level_relative(self) -> bool: r""" - @brief Specifies a separator - Call this method in the factory constructor to build the menu items that this plugin shall create. - This specific call inserts a separator at the given position (insert_pos). The position uses abstract menu item paths and "menu_name" names the component that will be created. See \AbstractMenu for a description of the path. + @brief Gets a value indicating whether the upper hierarchy level is relative. + + This method is a convenience method for "lower_hier_level_relative(true)" + + This method has been introduced in version 0.22. """ @overload - def add_menu_entry(self, symbol: str, menu_name: str, insert_pos: str, title: str) -> None: + def lower_hier_level_relative(self, real: bool) -> bool: r""" - @brief Specifies a menu item - Call this method in the factory constructor to build the menu items that this plugin shall create. - This specific call inserts a menu item at the specified position (insert_pos). The position uses abstract menu item paths and "menu_name" names the component that will be created. See \AbstractMenu for a description of the path. - When the menu item is selected "symbol" is the string that is sent to the \menu_activated callback (either the global one for the factory ot the one of the per-view plugin instance). + @brief Gets a value indicating whether the lower hierarchy level is relative. - @param symbol The string to send to the plugin if the menu is triggered - @param menu_name The name of entry to create at the given position - @param insert_pos The position where to create the entry - @param title The title string for the item. The title can contain a keyboard shortcut in round braces after the title text, i.e. "My Menu Item(F12)" + See \lower_hier_level for a description of this property. + + This method has been introduced in version 0.19. """ @overload - def add_menu_entry(self, symbol: str, menu_name: str, insert_pos: str, title: str, sub_menu: bool) -> None: + def set_lower_hier_level(self, level: int, relative: bool) -> None: r""" - @brief Specifies a menu item or sub-menu - Similar to the previous form of "add_menu_entry", but this version allows also to create sub-menus by setting the last parameter to "true". + @brief Sets the lower hierarchy level and if it is relative to the context cell - With version 0.27 it's more convenient to use \add_submenu. - """ - def add_menu_item_clone(self, symbol: str, menu_name: str, insert_pos: str, copy_from: str) -> None: - r""" - @brief Specifies a menu item as a clone of another one - Using this method, a menu item can be made a clone of another entry (given as path by 'copy_from'). - The new item will share the \Action object with the original one, so manipulating the action will change both the original entry and the new entry. + If this method is called, the lower hierarchy level is enabled. See \lower_hier_level for a description of this property. - This method has been introduced in version 0.27. + This method has been introduced in version 0.19. """ - def add_option(self, name: str, default_value: str) -> None: + @overload + def set_lower_hier_level(self, level: int, relative: bool, mode: int) -> None: r""" - @brief Specifies configuration variables. - Call this method in the factory constructor to add configuration key/value pairs to the configuration repository. Without specifying configuration variables, the status of a plugin cannot be persisted. + @brief Sets the lower hierarchy level, whether it is relative to the context cell and the mode - Once the configuration variables are known, they can be retrieved on demand using "get_config" from \MainWindow or listening to \configure callbacks (either in the factory or the plugin instance). Configuration variables can be set using "set_config" from \MainWindow. This scheme also works without registering the configuration options, but doing so has the advantage that it is guaranteed that a variable with this keys exists and has the given default value initially. + If this method is called, the lower hierarchy level is enabled. See \lower_hier_level for a description of this property. + This method has been introduced in version 0.20. """ - def add_submenu(self, menu_name: str, insert_pos: str, title: str) -> None: + @overload + def set_upper_hier_level(self, level: int, relative: bool) -> None: r""" - @brief Specifies a menu item or sub-menu + @brief Sets the upper hierarchy level and if it is relative to the context cell - This method has been introduced in version 0.27. - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + If this method is called, the upper hierarchy level is enabled. See \upper_hier_level for a description of this property. + + This method has been introduced in version 0.19. """ - def destroy(self) -> None: + @overload + def set_upper_hier_level(self, level: int, relative: bool, mode: int) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Sets the upper hierarchy level, if it is relative to the context cell and the mode + + If this method is called, the upper hierarchy level is enabled. See \upper_hier_level for a description of this property. + + This method has been introduced in version 0.20. """ - def destroyed(self) -> bool: + @overload + def upper_hier_level_mode(self) -> int: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Gets the mode for the upper hierarchy level. + + This method is a convenience method for "upper_hier_level_mode(true)" + + This method has been introduced in version 0.22. """ - def is_const_object(self) -> bool: + @overload + def upper_hier_level_mode(self, real: bool) -> int: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Gets the mode for the upper hierarchy level. + @param real If true, the computed value is returned, otherwise the local node value + + The mode value can be 0 (value is given by \upper_hier_level), 1 for "minimum value" and 2 for "maximum value". + + This method has been introduced in version 0.20. """ @overload - def register(self, position: int, name: str, title: str) -> None: + def upper_hier_level_relative(self) -> bool: r""" - @brief Registers the plugin factory - @param position An integer that determines the order in which the plugins are created. The internal plugins use the values from 1000 to 50000. - @param name The plugin name. This is an arbitrary string which should be unique. Hence it is recommended to use a unique prefix, i.e. "myplugin::ThePluginClass". - @param title The title string which is supposed to appear in the tool bar and menu related to this plugin. + @brief Gets a value indicating whether the upper hierarchy level is relative. - Registration of the plugin factory makes the object known to the system. Registration requires that the menu items have been set already. Hence it is recommended to put the registration at the end of the initialization method of the factory class. + This method is a convenience method for "upper_hier_level_relative(true)" + + This method has been introduced in version 0.22. """ @overload - def register(self, position: int, name: str, title: str, icon: str) -> None: + def upper_hier_level_relative(self, real: bool) -> bool: r""" - @brief Registers the plugin factory - @param position An integer that determines the order in which the plugins are created. The internal plugins use the values from 1000 to 50000. - @param name The plugin name. This is an arbitrary string which should be unique. Hence it is recommended to use a unique prefix, i.e. "myplugin::ThePluginClass". - @param title The title string which is supposed to appear in the tool bar and menu related to this plugin. - @param icon The path to the icon that appears in the tool bar and menu related to this plugin. + @brief Gets a value indicating whether if the upper hierarchy level is relative. - This version also allows registering an icon for the tool bar. + See \upper_hier_level for a description of this property. - Registration of the plugin factory makes the object known to the system. Registration requires that the menu items have been set already. Hence it is recommended to put the registration at the end of the initialization method of the factory class. + This method has been introduced in version 0.19. """ -class Plugin: +class LayerPropertiesIterator: r""" - @brief The plugin object + @brief Layer properties iterator - This class provides the actual plugin implementation. Each view gets it's own instance of the plugin class. The plugin factory \PluginFactory class must be specialized to provide a factory for new objects of the Plugin class. See the documentation there for details about the plugin mechanism and the basic concepts. + This iterator provides a flat view for the layers in the layer tree if used with the next method. In this mode it will descend into the hierarchy and deliver node by node as a linear (flat) sequence. - This class has been introduced in version 0.22. + The iterator can also be used to navigate through the node hierarchy using \next_sibling, \down_first_child, \parent etc. + + The iterator also plays an important role for manipulating the layer properties tree, i.e. by specifying insertion points in the tree for the \LayoutView class. """ @classmethod - def new(cls) -> Plugin: + def new(cls) -> LayerPropertiesIterator: r""" @brief Creates a new object of this class """ - def __init__(self) -> None: + def __copy__(self) -> LayerPropertiesIterator: r""" - @brief Creates a new object of this class + @brief Creates a copy of self """ - def _create(self) -> None: + def __deepcopy__(self) -> LayerPropertiesIterator: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Creates a copy of self """ - def _destroy(self) -> None: + def __eq__(self, other: object) -> bool: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Equality - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def grab_mouse(self) -> None: - r""" - @brief Redirects mouse events to this plugin, even if the plugin is not active. + @param other The other object to compare against + Returns true, if self and other point to the same layer properties node. Caution: this does not imply that both layer properties nodes sit in the same tab. Just their position in the tree is compared. """ - def is_const_object(self) -> bool: + def __init__(self) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Creates a new object of this class """ - def set_cursor(self, cursor_type: int) -> None: + def __lt__(self, other: LayerPropertiesIterator) -> bool: r""" - @brief Sets the cursor in the view area to the given type - Setting the cursor has an effect only inside event handlers, i.e. mouse_press_event. The cursor is not set permanently. Is is reset in the mouse move handler unless a button is pressed or the cursor is explicitly set again in the mouse_move_event. + @brief Comparison - The cursor type is one of the cursor constants in the \Cursor class, i.e. 'CursorArrow' for the normal cursor. - """ - def ungrab_mouse(self) -> None: - r""" - @brief Removes a mouse grab registered with \grab_mouse. - """ + @param other The other object to compare against -class Cursor: - r""" - @brief The namespace for the cursor constants - This class defines the constants for the cursor setting (for example for class \Plugin, method set_cursor). - This class has been introduced in version 0.22. - """ - Arrow: ClassVar[int] - r""" - @brief 'Arrow cursor' constant - """ - Blank: ClassVar[int] - r""" - @brief 'Blank cursor' constant - """ - Busy: ClassVar[int] - r""" - @brief 'Busy state cursor' constant - """ - ClosedHand: ClassVar[int] - r""" - @brief 'Closed hand cursor' constant - """ - Cross: ClassVar[int] - r""" - @brief 'Cross cursor' constant - """ - Forbidden: ClassVar[int] - r""" - @brief 'Forbidden area cursor' constant - """ - IBeam: ClassVar[int] - r""" - @brief 'I beam (text insert) cursor' constant - """ - None_: ClassVar[int] - r""" - @brief 'No cursor (default)' constant for \set_cursor (resets cursor to default) - """ - OpenHand: ClassVar[int] - r""" - @brief 'Open hand cursor' constant - """ - PointingHand: ClassVar[int] - r""" - @brief 'Pointing hand cursor' constant - """ - SizeAll: ClassVar[int] - r""" - @brief 'Size all directions cursor' constant - """ - SizeBDiag: ClassVar[int] - r""" - @brief 'Backward diagonal resize cursor' constant - """ - SizeFDiag: ClassVar[int] - r""" - @brief 'Forward diagonal resize cursor' constant - """ - SizeHor: ClassVar[int] - r""" - @brief 'Horizontal resize cursor' constant - """ - SizeVer: ClassVar[int] - r""" - @brief 'Vertical resize cursor' constant - """ - SplitH: ClassVar[int] - r""" - @brief 'split_horizontal cursor' constant - """ - SplitV: ClassVar[int] - r""" - @brief 'Split vertical cursor' constant - """ - UpArrow: ClassVar[int] - r""" - @brief 'Upward arrow cursor' constant - """ - Wait: ClassVar[int] - r""" - @brief 'Waiting cursor' constant - """ - WhatsThis: ClassVar[int] - r""" - @brief 'Question mark cursor' constant - """ - @classmethod - def new(cls) -> Cursor: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> Cursor: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> Cursor: - r""" - @brief Creates a copy of self + @return true, if self points to an object that comes before other """ - def __init__(self) -> None: + def __ne__(self, other: object) -> bool: r""" - @brief Creates a new object of this class + @brief Inequality + + @param other The other object to compare against """ def _create(self) -> None: r""" @@ -6504,15 +5706,42 @@ class Cursor: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: Cursor) -> None: + def assign(self, other: LayerPropertiesIterator) -> None: r""" @brief Assigns another object to self """ + def at_end(self) -> bool: + r""" + @brief At-the-end property + + This predicate is true if the iterator is at the end of either all elements or + at the end of the child list (if \down_last_child or \down_first_child is used to iterate). + """ + def at_top(self) -> bool: + r""" + @brief At-the-top property + + This predicate is true if there is no parent node above the node addressed by self. + """ + def child_index(self) -> int: + r""" + @brief Returns the index of the child within the parent + + This method returns the index of that the properties node the iterator points to in the list + of children of it's parent. If the element does not have a parent, the + index of the element in the global list is returned. + """ def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ + def current(self) -> LayerPropertiesNodeRef: + r""" + @brief Returns a reference to the layer properties node that the iterator points to + + Starting with version 0.25, the returned object can be manipulated and the changes will be reflected in the view immediately. + """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -6525,69 +5754,133 @@ class Cursor: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> Cursor: + def down_first_child(self) -> LayerPropertiesIterator: + r""" + @brief Move to the first child + + This method moves to the first child of the current element. If there is + no child, \at_end? will be true. Even then, the iterator is sitting at the + the child level and \up can be used to move back. + """ + def down_last_child(self) -> LayerPropertiesIterator: + r""" + @brief Move to the last child + + This method moves behind the last child of the current element. \at_end? will be + true then. Even then, the iterator points to the child level and \up + can be used to move back. + + Despite the name, the iterator does not address the last child, but the position after that child. To actually get the iterator for the last child, use down_last_child and next_sibling(-1). + """ + def dup(self) -> LayerPropertiesIterator: r""" @brief Creates a copy of self """ + def first_child(self) -> LayerPropertiesIterator: + r""" + @brief Returns the iterator pointing to the first child + + If there is no children, the iterator will be a valid insert point but not + point to any valid element. It will report \at_end? = true. + """ def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ + def is_null(self) -> bool: + r""" + @brief "is null" predicate -class ButtonState: - r""" - @brief The namespace for the button state flags in the mouse events of the Plugin class. - This class defines the constants for the button state. In the event handler, the button state is indicated by a bitwise combination of these constants. See \Plugin for further details. - This class has been introduced in version 0.22. - """ - AltKey: ClassVar[int] - r""" - @brief Indicates that the Alt key is pressed - This constant is combined with other constants within \ButtonState - """ - ControlKey: ClassVar[int] - r""" - @brief Indicates that the Control key is pressed - This constant is combined with other constants within \ButtonState - """ - LeftButton: ClassVar[int] - r""" - @brief Indicates that the left mouse button is pressed - This constant is combined with other constants within \ButtonState - """ - MidButton: ClassVar[int] - r""" - @brief Indicates that the middle mouse button is pressed - This constant is combined with other constants within \ButtonState - """ - RightButton: ClassVar[int] + This predicate is true if the iterator is "null". Such an iterator can be + created with the default constructor or by moving a top-level iterator up. + """ + def last_child(self) -> LayerPropertiesIterator: + r""" + @brief Returns the iterator pointing behind the last child + + The iterator will be a valid insert point but not + point to any valid element. It will report \at_end? = true. + + Despite the name, the iterator does not address the last child, but the position after that child. To actually get the iterator for the last child, use last_child and call next_sibling(-1) on that iterator. + """ + def next(self) -> LayerPropertiesIterator: + r""" + @brief Increment operator + + The iterator will be incremented to point to the next layer entry. It will descend into the hierarchy to address child nodes if there are any. + """ + def next_sibling(self, n: int) -> LayerPropertiesIterator: + r""" + @brief Move to the next sibling by a given distance + + + The iterator is moved to the nth next sibling of the current element. Use negative distances to move backward. + """ + def num_siblings(self) -> int: + r""" + @brief Return the number of siblings + + The count includes the current element. More precisely, this property delivers the number of children of the current node's parent. + """ + def parent(self) -> LayerPropertiesIterator: + r""" + @brief Returns the iterator pointing to the parent node + + This method will return an iterator pointing to the parent element. + If there is no parent, the returned iterator will be a null iterator. + """ + def to_sibling(self, n: int) -> LayerPropertiesIterator: + r""" + @brief Move to the sibling with the given index + + + The iterator is moved to the nth sibling by selecting the nth child in the current node's parent. + """ + def up(self) -> LayerPropertiesIterator: + r""" + @brief Move up + + The iterator is moved to point to the current element's parent. + If the current element does not have a parent, the iterator will + become a null iterator. + """ + +class LayerPropertiesNode(LayerProperties): r""" - @brief Indicates that the right mouse button is pressed - This constant is combined with other constants within \ButtonState + @brief A layer properties node structure + + This class is derived from \LayerProperties. Objects of this class are used + in the hierarchy of layer views that are arranged in a tree while the \LayerProperties + object reflects the properties of a single node. """ - ShiftKey: ClassVar[int] + expanded: bool r""" - @brief Indicates that the Shift key is pressed - This constant is combined with other constants within \ButtonState + Getter: + @brief Gets a value indicating whether the layer tree node is expanded. + This predicate has been introduced in version 0.28.6. + Setter: + @brief Set a value indicating whether the layer tree node is expanded. + Setting this value to 'true' will expand (open) the tree node. Setting it to 'false' will collapse the node. + + This predicate has been introduced in version 0.28.6. """ - @classmethod - def new(cls) -> ButtonState: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> ButtonState: + def __eq__(self, other: object) -> bool: r""" - @brief Creates a copy of self + @brief Equality + + @param other The other object to compare against """ - def __deepcopy__(self) -> ButtonState: + def __ne__(self, other: object) -> bool: r""" - @brief Creates a copy of self + @brief Inequality + + @param other The other object to compare against """ - def __init__(self) -> None: + def _assign(self, other: LayerProperties) -> None: r""" - @brief Creates a new object of this class + @brief Assigns another object to self """ def _create(self) -> None: r""" @@ -6606,6 +5899,10 @@ class ButtonState: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ + def _dup(self) -> LayerPropertiesNode: + r""" + @brief Creates a copy of self + """ def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference @@ -6626,126 +5923,261 @@ class ButtonState: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: ButtonState) -> None: + @overload + def add_child(self) -> LayerPropertiesNodeRef: + r""" + @brief Add a child entry + @return A reference to the node created + This method allows building a layer properties tree by adding children to node objects. It returns a reference to the node object created which is a freshly initialized one. + + The parameterless version of this method was introduced in version 0.25. + """ + @overload + def add_child(self, child: LayerProperties) -> LayerPropertiesNodeRef: + r""" + @brief Add a child entry + @return A reference to the node created + This method allows building a layer properties tree by adding children to node objects. It returns a reference to the node object created. + + This method was introduced in version 0.22. + """ + def bbox(self) -> db.DBox: + r""" + @brief Compute the bbox of this layer + + This takes the layout and path definition (supported by the + given default layout or path, if no specific is given). + The node must have been attached to a view to make this + operation possible. + + @return A bbox in micron units + """ + def clear_children(self) -> None: + r""" + @brief Clears all children + This method was introduced in version 0.22. + """ + def flat(self) -> LayerPropertiesNode: + r""" + @brief return the "flattened" (effective) layer properties node for this node + + This method returns a \LayerPropertiesNode object that is not embedded into a hierarchy. + This object represents the effective layer properties for the given node. In particular, all 'local' properties are identical to the 'real' properties. Such an object can be used as a basis for manipulations. + + Unlike the name suggests, this node will still contain a hierarchy of nodes below if the original node did so. + """ + def has_children(self) -> bool: + r""" + @brief Test, if there are children + """ + def id(self) -> int: + r""" + @brief Obtain the unique ID + + Each layer properties node object has a unique ID that is created + when a new LayerPropertiesNode object is instantiated. The ID is + copied when the object is copied. The ID can be used to identify the + object irregardless of it's content. + """ + def is_expanded(self) -> bool: + r""" + @brief Gets a value indicating whether the layer tree node is expanded. + This predicate has been introduced in version 0.28.6. + """ + def list_index(self) -> int: + r""" + @brief Gets the index of the layer properties list that the node lives in + """ + def view(self) -> LayoutView: + r""" + @brief Gets the view this node lives in + + This reference can be nil if the node is a orphan node that lives outside a view. + """ + +class LayerPropertiesNodeRef(LayerPropertiesNode): + r""" + @brief A class representing a reference to a layer properties node + + This object is returned by the layer properties iterator's current method (\LayerPropertiesIterator#current). A reference behaves like a layer properties node, but changes in the node are reflected in the view it is attached to. + + A typical use case for references is this: + + @code + # Hides a layers of a view + view = RBA::LayoutView::current + view.each_layer do |lref| + # lref is a LayerPropertiesNodeRef object + lref.visible = false + end + @/code + + This class has been introduced in version 0.25. + """ + def __copy__(self) -> LayerPropertiesNode: + r""" + @brief Creates a \LayerPropertiesNode object as a copy of the content of this node. + This method is mainly provided for backward compatibility with 0.24 and before. + """ + def __deepcopy__(self) -> LayerPropertiesNode: + r""" + @brief Creates a \LayerPropertiesNode object as a copy of the content of this node. + This method is mainly provided for backward compatibility with 0.24 and before. + """ + def _assign(self, other: LayerProperties) -> None: r""" @brief Assigns another object to self """ - def create(self) -> None: + def _create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def destroy(self) -> None: + def _destroy(self) -> None: r""" @brief Explicitly destroys the object Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. If the object is not owned by the script, this method will do nothing. """ - def destroyed(self) -> bool: + def _destroyed(self) -> bool: r""" @brief Returns a value indicating whether the object was already destroyed This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> ButtonState: + def _dup(self) -> LayerPropertiesNodeRef: r""" @brief Creates a copy of self """ - def is_const_object(self) -> bool: + def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. -class KeyCode: + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + @overload + def assign(self, other: LayerProperties) -> None: + r""" + @brief Assigns the contents of the 'other' object to self. + + This version accepts a \LayerProperties object. Assignment will change the properties of the layer in the view. + """ + @overload + def assign(self, other: LayerProperties) -> None: + r""" + @brief Assigns the contents of the 'other' object to self. + + This version accepts a \LayerPropertiesNode object and allows modification of the layer node's hierarchy. Assignment will reconfigure the layer node in the view. + """ + def delete(self) -> None: + r""" + @brief Erases the current node and all child nodes + + After erasing the node, the reference will become invalid. + """ + def dup(self) -> LayerPropertiesNode: + r""" + @brief Creates a \LayerPropertiesNode object as a copy of the content of this node. + This method is mainly provided for backward compatibility with 0.24 and before. + """ + def is_valid(self) -> bool: + r""" + @brief Returns true, if the reference points to a valid layer properties node + + Invalid references behave like ordinary \LayerPropertiesNode objects but without the ability to update the view upon changes of attributes. + """ + +class LayoutView(LayoutViewBase): r""" - @brief The namespace for the some key codes. - This namespace defines some key codes understood by built-in \LayoutView components. When compiling with Qt, these codes are compatible with Qt's key codes. - The key codes are intended to be used when directly interfacing with \LayoutView in non-Qt-based environments. + @brief The view object presenting one or more layout objects - This class has been introduced in version 0.28. + The visual part of the view is the tab panel in the main window. The non-visual part are the redraw thread, the layout handles, cell lists, layer view lists etc. This object controls these aspects of the view and controls the appearance of the data. """ - Backspace: ClassVar[int] - r""" - @brief Indicates the Backspace key - """ - Backtab: ClassVar[int] - r""" - @brief Indicates the Backtab key - """ - Delete: ClassVar[int] - r""" - @brief Indicates the Delete key - """ - Down: ClassVar[int] - r""" - @brief Indicates the Down key - """ - End: ClassVar[int] - r""" - @brief Indicates the End key - """ - Enter: ClassVar[int] - r""" - @brief Indicates the Enter key - """ - Escape: ClassVar[int] - r""" - @brief Indicates the Escape key - """ - Home: ClassVar[int] - r""" - @brief Indicates the Home key - """ - Insert: ClassVar[int] - r""" - @brief Indicates the Insert key - """ - Left: ClassVar[int] - r""" - @brief Indicates the Left key - """ - PageDown: ClassVar[int] - r""" - @brief Indicates the PageDown key - """ - PageUp: ClassVar[int] - r""" - @brief Indicates the PageUp key - """ - Return: ClassVar[int] - r""" - @brief Indicates the Return key - """ - Right: ClassVar[int] + on_close: None r""" - @brief Indicates the Right key + Getter: + @brief A event indicating that the view is about to close + + This event is triggered when the view is going to be closed entirely. + + It has been added in version 0.25. + Setter: + @brief A event indicating that the view is about to close + + This event is triggered when the view is going to be closed entirely. + + It has been added in version 0.25. """ - Tab: ClassVar[int] + on_hide: None r""" - @brief Indicates the Tab key + Getter: + @brief A event indicating that the view is going to become invisible + + It has been added in version 0.25. + Setter: + @brief A event indicating that the view is going to become invisible + + It has been added in version 0.25. """ - Up: ClassVar[int] + on_show: None r""" - @brief Indicates the Up key + Getter: + @brief A event indicating that the view is going to become visible + + It has been added in version 0.25. + Setter: + @brief A event indicating that the view is going to become visible + + It has been added in version 0.25. """ @classmethod - def new(cls) -> KeyCode: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> KeyCode: + def current(cls) -> LayoutView: r""" - @brief Creates a copy of self + @brief Returns the current view + The current view is the one that is shown in the current tab. Returns nil if no layout is loaded. + + This method has been introduced in version 0.23. """ - def __deepcopy__(self) -> KeyCode: + @classmethod + def new(cls, editable: Optional[bool] = ..., manager: Optional[db.Manager] = ..., options: Optional[int] = ...) -> LayoutView: r""" - @brief Creates a copy of self + @brief Creates a standalone view + + This constructor is for special purposes only. To create a view in the context of a main window, use \MainWindow#create_view and related methods. + + @param editable True to make the view editable + @param manager The \Manager object to enable undo/redo + @param options A combination of the values in the LV_... constants from \LayoutViewBase + + This constructor has been introduced in version 0.25. + It has been enhanced with the arguments in version 0.27. """ - def __init__(self) -> None: + def __init__(self, editable: Optional[bool] = ..., manager: Optional[db.Manager] = ..., options: Optional[int] = ...) -> None: r""" - @brief Creates a new object of this class + @brief Creates a standalone view + + This constructor is for special purposes only. To create a view in the context of a main window, use \MainWindow#create_view and related methods. + + @param editable True to make the view editable + @param manager The \Manager object to enable undo/redo + @param options A combination of the values in the LV_... constants from \LayoutViewBase + + This constructor has been introduced in version 0.25. + It has been enhanced with the arguments in version 0.27. """ def _create(self) -> None: r""" @@ -6784,523 +6216,685 @@ class KeyCode: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: KeyCode) -> None: - r""" - @brief Assigns another object to self - """ - def create(self) -> None: + def bookmark_view(self, name: str) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Bookmarks the current view under the given name + + @param name The name under which to bookmark the current state """ - def destroy(self) -> None: + def close(self) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Closes the view + + This method has been added in version 0.27. """ - def destroyed(self) -> bool: + def show_l2ndb(self, l2ndb_index: int, cv_index: int) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Shows a netlist database in the marker browser on a certain layout + The netlist browser is opened showing the netlist database with the index given by "l2ndb_index". + It will be attached (i.e. navigate to) the layout with the given cellview index in "cv_index". + + This method has been added in version 0.26. """ - def dup(self) -> KeyCode: + def show_lvsdb(self, lvsdb_index: int, cv_index: int) -> None: r""" - @brief Creates a copy of self + @brief Shows a netlist database in the marker browser on a certain layout + The netlist browser is opened showing the netlist database with the index given by "lvsdb_index". + It will be attached (i.e. navigate to) the layout with the given cellview index in "cv_index". + + This method has been added in version 0.26. """ - def is_const_object(self) -> bool: + def show_rdb(self, rdb_index: int, cv_index: int) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Shows a report database in the marker browser on a certain layout + The marker browser is opened showing the report database with the index given by "rdb_index". + It will be attached (i.e. navigate to) the layout with the given cellview index in "cv_index". """ -class Dispatcher: +class LayoutViewBase: r""" - @brief Root of the configuration space in the plugin context and menu dispatcher - - This class provides access to the root configuration space in the context of plugin programming. You can use this class to obtain configuration parameters from the configuration tree during plugin initialization. However, the preferred way of plugin configuration is through \Plugin#configure. - - Currently, the application object provides an identical entry point for configuration modification. For example, "Application::instance.set_config" is identical to "Dispatcher::instance.set_config". Hence there is little motivation for the Dispatcher class currently and this interface may be modified or removed in the future. - This class has been introduced in version 0.25 as 'PluginRoot'. - It is renamed and enhanced as 'Dispatcher' in 0.27. + @hide + @alias LayoutView """ - @classmethod - def instance(cls) -> Dispatcher: - r""" - @brief Gets the singleton instance of the Dispatcher object - - @return The instance - """ - @classmethod - def new(cls) -> Dispatcher: - r""" - @brief Creates a new object of this class - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: + class SelectionMode: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Specifies how selected objects interact with already selected ones. - Usually it's not required to call this method. It has been introduced in version 0.24. + This enum was introduced in version 0.27. """ - def _unmanage(self) -> None: + Add: ClassVar[LayoutViewBase.SelectionMode] r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief Adds to any existing selection """ - def clear_config(self) -> None: + Invert: ClassVar[LayoutViewBase.SelectionMode] r""" - @brief Clears the configuration parameters + @brief Adds to any existing selection, if it's not there yet or removes it from the selection if it's already selected """ - def commit_config(self) -> None: + Replace: ClassVar[LayoutViewBase.SelectionMode] r""" - @brief Commits the configuration settings - - Some configuration options are queued for performance reasons and become active only after 'commit_config' has been called. After a sequence of \set_config calls, this method should be called to activate the settings made by these calls. + @brief Replaces the existing selection """ - def create(self) -> None: + Reset: ClassVar[LayoutViewBase.SelectionMode] r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Removes from any existing selection """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def get_config(self, name: str) -> Any: - r""" - @brief Gets the value of a local configuration parameter + @overload + @classmethod + def new(cls, i: int) -> LayoutViewBase.SelectionMode: + r""" + @brief Creates an enum from an integer value + """ + @overload + @classmethod + def new(cls, s: str) -> LayoutViewBase.SelectionMode: + r""" + @brief Creates an enum from a string value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares two enums + """ + @overload + def __init__(self, i: int) -> None: + r""" + @brief Creates an enum from an integer value + """ + @overload + def __init__(self, s: str) -> None: + r""" + @brief Creates an enum from a string value + """ + @overload + def __lt__(self, other: LayoutViewBase.SelectionMode) -> bool: + r""" + @brief Returns true if the first enum is less (in the enum symbol order) than the second + """ + @overload + def __lt__(self, other: int) -> bool: + r""" + @brief Returns true if the enum is less (in the enum symbol order) than the integer value + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer for inequality + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares two enums for inequality + """ + def __repr__(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + def inspect(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def to_i(self) -> int: + r""" + @brief Gets the integer value from the enum + """ + def to_s(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + Add: ClassVar[LayoutViewBase.SelectionMode] + r""" + @brief Adds to any existing selection + """ + Invert: ClassVar[LayoutViewBase.SelectionMode] + r""" + @brief Adds to any existing selection, if it's not there yet or removes it from the selection if it's already selected + """ + LV_Naked: ClassVar[int] + r""" + @brief With this option, no separate views will be provided + Use this value with the constructor's 'options' argument. + This option is basically equivalent to using \LV_NoLayers+\LV_NoHierarchyPanel+\LV_NoLibrariesView+\LV_NoBookmarksView - @param name The name of the configuration parameter whose value shall be obtained (a string) + This constant has been introduced in version 0.27. + """ + LV_NoBookmarksView: ClassVar[int] + r""" + @brief With this option, no bookmarks view will be provided (see \bookmarks_frame) + Use this value with the constructor's 'options' argument. - @return The value of the parameter or nil if there is no such parameter - """ - def get_config_names(self) -> List[str]: - r""" - @brief Gets the configuration parameter names + This constant has been introduced in version 0.27. + """ + LV_NoEditorOptionsPanel: ClassVar[int] + r""" + @brief With this option, no editor options panel will be provided (see \editor_options_frame) + Use this value with the constructor's 'options' argument. - @return A list of configuration parameter names + This constant has been introduced in version 0.27. + """ + LV_NoGrid: ClassVar[int] + r""" + @brief With this option, the grid background is not shown + Use this value with the constructor's 'options' argument. - This method returns the names of all known configuration parameters. These names can be used to get and set configuration parameter values. - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def read_config(self, file_name: str) -> bool: - r""" - @brief Reads the configuration from a file - @return A value indicating whether the operation was successful + This constant has been introduced in version 0.27. + """ + LV_NoHierarchyPanel: ClassVar[int] + r""" + @brief With this option, no cell hierarchy view will be provided (see \hierarchy_control_frame) + Use this value with the constructor's 'options' argument. - This method silently does nothing, if the config file does not - exist. If it does and an error occurred, the error message is printed - on stderr. In both cases, false is returned. - """ - def set_config(self, name: str, value: str) -> None: - r""" - @brief Set a local configuration parameter with the given name to the given value + This constant has been introduced in version 0.27. + """ + LV_NoLayers: ClassVar[int] + r""" + @brief With this option, no layers view will be provided (see \layer_control_frame) + Use this value with the constructor's 'options' argument. - @param name The name of the configuration parameter to set - @param value The value to which to set the configuration parameter + This constant has been introduced in version 0.27. + """ + LV_NoLibrariesView: ClassVar[int] + r""" + @brief With this option, no library view will be provided (see \libraries_frame) + Use this value with the constructor's 'options' argument. - This method sets a configuration parameter with the given name to the given value. Values can only be strings. Numerical values have to be converted into strings first. Local configuration parameters override global configurations for this specific view. This allows for example to override global settings of background colors. Any local settings are not written to the configuration file. - """ - def write_config(self, file_name: str) -> bool: - r""" - @brief Writes configuration to a file - @return A value indicating whether the operation was successful + This constant has been introduced in version 0.27. + """ + LV_NoMove: ClassVar[int] + r""" + @brief With this option, move operations are not supported + Use this value with the constructor's 'options' argument. - If the configuration file cannot be written, false - is returned but no exception is thrown. - """ + This constant has been introduced in version 0.27. + """ + LV_NoPlugins: ClassVar[int] + r""" + @brief With this option, all plugins are disabled + Use this value with the constructor's 'options' argument. -class DoubleValue: + This constant has been introduced in version 0.27. + """ + LV_NoPropertiesPopup: ClassVar[int] r""" - @brief Encapsulate a floating point value - @hide - This class is provided as a return value of \InputDialog::get_double. - By using an object rather than a pure value, an object with \has_value? = false can be returned indicating that - the "Cancel" button was pressed. Starting with version 0.22, the InputDialog class offers new method which do no - longer requires to use this class. + @brief This option disables the properties popup on double click + Use this value with the constructor's 'options' argument. + + This constant has been introduced in version 0.28. """ - @classmethod - def new(cls) -> DoubleValue: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> DoubleValue: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> DoubleValue: - r""" - @brief Creates a copy of self - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + LV_NoSelection: ClassVar[int] + r""" + @brief With this option, objects cannot be selected + Use this value with the constructor's 'options' argument. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + This constant has been introduced in version 0.27. + """ + LV_NoServices: ClassVar[int] + r""" + @brief This option disables all services except the ones for pure viewing + Use this value with the constructor's 'options' argument. + With this option, all manipulation features are disabled, except zooming. + It is equivalent to \LV_NoMove + \LV_NoTracker + \LV_NoSelection + \LV_NoPlugins. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: DoubleValue) -> None: - r""" - @brief Assigns another object to self - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def dup(self) -> DoubleValue: - r""" - @brief Creates a copy of self - """ - def has_value(self) -> bool: - r""" - @brief True, if a value is present - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def to_f(self) -> float: - r""" - @brief Get the actual value (a synonym for \value) - """ - def value(self) -> float: - r""" - @brief Get the actual value - """ + This constant has been introduced in version 0.27. + """ + LV_NoTracker: ClassVar[int] + r""" + @brief With this option, mouse position tracking is not supported + Use this value with the constructor's 'options' argument. + This option is not useful currently as no mouse tracking support is provided. -class IntValue: + This constant has been introduced in version 0.27. + """ + LV_NoZoom: ClassVar[int] r""" - @brief Encapsulate an integer value - @hide - This class is provided as a return value of \InputDialog::get_int. - By using an object rather than a pure value, an object with \has_value? = false can be returned indicating that - the "Cancel" button was pressed. Starting with version 0.22, the InputDialog class offers new method which do no - longer requires to use this class. + @brief With this option, zooming is disabled + Use this value with the constructor's 'options' argument. + + This constant has been introduced in version 0.27. """ - @classmethod - def new(cls) -> IntValue: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> IntValue: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> IntValue: - r""" - @brief Creates a copy of self - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + Replace: ClassVar[LayoutViewBase.SelectionMode] + r""" + @brief Replaces the existing selection + """ + Reset: ClassVar[LayoutViewBase.SelectionMode] + r""" + @brief Removes from any existing selection + """ + current_layer: LayerPropertiesIterator + r""" + Getter: + @brief Gets the current layer view - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + Returns the \LayerPropertiesIterator pointing to the current layer view (the one that has the focus). If no layer view is active currently, a null iterator is returned. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: IntValue) -> None: - r""" - @brief Assigns another object to self - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def dup(self) -> IntValue: - r""" - @brief Creates a copy of self - """ - def has_value(self) -> bool: - r""" - @brief True, if a value is present - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def to_i(self) -> int: - r""" - @brief Get the actual value (a synonym for \value) - """ - def value(self) -> int: - r""" - @brief Get the actual value - """ + Setter: + @brief Sets the current layer view -class StringValue: + Specifies an \LayerPropertiesIterator pointing to the new current layer view. + + This method has been introduced in version 0.23. + """ + current_layer_list: int r""" - @brief Encapsulate a string value - @hide - This class is provided as a return value of \InputDialog::get_string, \InputDialog::get_item and \FileDialog. - By using an object rather than a pure value, an object with \has_value? = false can be returned indicating that - the "Cancel" button was pressed. Starting with version 0.22, the InputDialog class offers new method which do no - longer requires to use this class. + Getter: + @brief Gets the index of the currently selected layer properties tab + This method has been introduced in version 0.21. + + Setter: + @brief Sets the index of the currently selected layer properties tab + This method has been introduced in version 0.21. """ - @classmethod - def new(cls) -> StringValue: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> StringValue: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> StringValue: - r""" - @brief Creates a copy of self - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def __str__(self) -> str: - r""" - @brief Get the actual value (a synonym for \value) - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: + @property + def active_setview_index(self) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + WARNING: This variable can only be set, not retrieved. + @brief Makes the cellview with the given index the active one (shown in hierarchy browser) + See \active_cellview_index. + + This method has been renamed from set_active_cellview_index to active_cellview_index= in version 0.25. The original name is still available, but is deprecated. """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + max_hier_levels: int + r""" + Getter: + @brief Returns the maximum hierarchy level up to which to display geometries + + @return The maximum level up to which to display geometries + Setter: + @brief Sets the maximum hierarchy level up to which to display geometries + + @param level The maximum level below which to display something + + This methods allows setting the maximum hierarchy below which to display geometries.This method may cause a redraw if required. + """ + min_hier_levels: int + r""" + Getter: + @brief Returns the minimum hierarchy level at which to display geometries + + @return The minimum level at which to display geometries + Setter: + @brief Sets the minimum hierarchy level at which to display geometries + + @param level The minimum level above which to display something + + This methods allows setting the minimum hierarchy level above which to display geometries.This method may cause a redraw if required. + """ + object_selection: List[ObjectInstPath] + r""" + Getter: + @brief Returns a list of selected objects + This method will deliver an array of \ObjectInstPath objects listing the selected geometrical objects. Other selected objects such as annotations and images will not be contained in that list. + + The list returned is an array of copies of \ObjectInstPath objects. They can be modified, but they will become a new selection only after re-introducing them into the view through \object_selection= or \select_object. + + Another way of obtaining the selected objects is \each_object_selected. + + This method has been introduced in version 0.24. + + Setter: + @brief Sets the list of selected objects + + This method will set the selection of geometrical objects such as shapes and instances. It is the setter which complements the \object_selection method. + + Another way of setting the selection is through \clear_object_selection and \select_object. + + This method has been introduced in version 0.24. + """ + on_active_cellview_changed: None + r""" + Getter: + @brief An event indicating that the active cellview has changed + + If the active cellview is changed by selecting a new one from the drop-down list, this event is triggered. + When this event is triggered, the cellview has already been changed. + Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_active_cellview_changed/remove_active_cellview_changed) have been removed in 0.25. + + Setter: + @brief An event indicating that the active cellview has changed + + If the active cellview is changed by selecting a new one from the drop-down list, this event is triggered. + When this event is triggered, the cellview has already been changed. + Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_active_cellview_changed/remove_active_cellview_changed) have been removed in 0.25. + """ + on_annotation_changed: None + r""" + Getter: + @brief A event indicating that an annotation has been modified + The argument of the event is the ID of the annotation that was changed. + This event has been added in version 0.25. + + Setter: + @brief A event indicating that an annotation has been modified + The argument of the event is the ID of the annotation that was changed. + This event has been added in version 0.25. + """ + on_annotation_selection_changed: None + r""" + Getter: + @brief A event indicating that the annotation selection has changed + This event has been added in version 0.25. + + Setter: + @brief A event indicating that the annotation selection has changed + This event has been added in version 0.25. + """ + on_annotations_changed: None + r""" + Getter: + @brief A event indicating that annotations have been added or removed + This event has been added in version 0.25. + + Setter: + @brief A event indicating that annotations have been added or removed + This event has been added in version 0.25. + """ + on_apply_technology: None + r""" + Getter: + @brief An event indicating that a cellview has requested a new technology + + If the technology of a cellview is changed, this event is triggered. + The integer parameter of this event will indicate the cellview that has changed. + + This event has been introduced in version 0.28. + + Setter: + @brief An event indicating that a cellview has requested a new technology + + If the technology of a cellview is changed, this event is triggered. + The integer parameter of this event will indicate the cellview that has changed. + + This event has been introduced in version 0.28. + """ + on_cell_visibility_changed: None + r""" + Getter: + @brief An event indicating that the visibility of one or more cells has changed + + This event is triggered after the visibility of one or more cells has changed. + + Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_cell_visibility_observer/remove_cell_visibility_observer) have been removed in 0.25. + + Setter: + @brief An event indicating that the visibility of one or more cells has changed + + This event is triggered after the visibility of one or more cells has changed. + + Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_cell_visibility_observer/remove_cell_visibility_observer) have been removed in 0.25. + """ + on_cellview_changed: None + r""" + Getter: + @brief An event indicating that a cellview has changed + + If a cellview is modified, this event is triggered. + When this event is triggered, the cellview have already been changed. + The integer parameter of this event will indicate the cellview that has changed. + + Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_cellview_observer/remove_cellview_observer) have been removed in 0.25. + + Setter: + @brief An event indicating that a cellview has changed + + If a cellview is modified, this event is triggered. + When this event is triggered, the cellview have already been changed. + The integer parameter of this event will indicate the cellview that has changed. + + Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_cellview_observer/remove_cellview_observer) have been removed in 0.25. + """ + on_cellviews_changed: None + r""" + Getter: + @brief An event indicating that the cellview collection has changed + + If new cellviews are added or cellviews are removed, this event is triggered. + When this event is triggered, the cellviews have already been changed. + Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_cellview_list_observer/remove_cellview_list_observer) have been removed in 0.25. + + Setter: + @brief An event indicating that the cellview collection has changed + + If new cellviews are added or cellviews are removed, this event is triggered. + When this event is triggered, the cellviews have already been changed. + Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_cellview_list_observer/remove_cellview_list_observer) have been removed in 0.25. + """ + on_current_layer_list_changed: None + r""" + Getter: + @brief An event indicating the current layer list (the selected tab) has changed + @param index The index of the new current layer list + + This event is triggered after the current layer list was changed - i.e. a new tab was selected. + + This event was introduced in version 0.25. + + Setter: + @brief An event indicating the current layer list (the selected tab) has changed + @param index The index of the new current layer list + + This event is triggered after the current layer list was changed - i.e. a new tab was selected. + + This event was introduced in version 0.25. + """ + on_file_open: None + r""" + Getter: + @brief An event indicating that a file was opened + + If a file is loaded, this event is triggered. + When this event is triggered, the file was already loaded and the new file is the new active cellview. + Despite it's name, this event is also triggered if a layout object is loaded into the view. + + Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_file_open_observer/remove_file_open_observer) have been removed in 0.25. + + Setter: + @brief An event indicating that a file was opened + + If a file is loaded, this event is triggered. + When this event is triggered, the file was already loaded and the new file is the new active cellview. + Despite it's name, this event is also triggered if a layout object is loaded into the view. + + Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_file_open_observer/remove_file_open_observer) have been removed in 0.25. + """ + on_image_changed: None + r""" + Getter: + @brief A event indicating that an image has been modified + The argument of the event is the ID of the image that was changed. + This event has been added in version 0.25. + + Setter: + @brief A event indicating that an image has been modified + The argument of the event is the ID of the image that was changed. + This event has been added in version 0.25. + """ + on_image_selection_changed: None + r""" + Getter: + @brief A event indicating that the image selection has changed + This event has been added in version 0.25. + + Setter: + @brief A event indicating that the image selection has changed + This event has been added in version 0.25. + """ + on_images_changed: None + r""" + Getter: + @brief A event indicating that images have been added or removed + This event has been added in version 0.25. + + Setter: + @brief A event indicating that images have been added or removed + This event has been added in version 0.25. + """ + on_l2ndb_list_changed: None + r""" + Getter: + @brief An event that is triggered the list of netlist databases is changed + + If a netlist database is added or removed, this event is triggered. + + This method has been added in version 0.26. + Setter: + @brief An event that is triggered the list of netlist databases is changed + + If a netlist database is added or removed, this event is triggered. + + This method has been added in version 0.26. + """ + on_layer_list_changed: None + r""" + Getter: + @brief An event indicating that the layer list has changed + + This event is triggered after the layer list has changed it's configuration. + The integer argument gives a hint about the nature of the changed: + Bit 0 is set, if the properties (visibility, color etc.) of one or more layers have changed. Bit 1 is + set if the hierarchy has changed. Bit 2 is set, if layer names have changed. + Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_layer_list_observer/remove_layer_list_observer) have been removed in 0.25. + + Setter: + @brief An event indicating that the layer list has changed + + This event is triggered after the layer list has changed it's configuration. + The integer argument gives a hint about the nature of the changed: + Bit 0 is set, if the properties (visibility, color etc.) of one or more layers have changed. Bit 1 is + set if the hierarchy has changed. Bit 2 is set, if layer names have changed. + Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_layer_list_observer/remove_layer_list_observer) have been removed in 0.25. + """ + on_layer_list_deleted: None + r""" + Getter: + @brief An event indicating that a layer list (a tab) has been removed + @param index The index of the layer list that was removed + + This event is triggered after the layer list has been removed - i.e. a tab was deleted. + + This event was introduced in version 0.25. + + Setter: + @brief An event indicating that a layer list (a tab) has been removed + @param index The index of the layer list that was removed + + This event is triggered after the layer list has been removed - i.e. a tab was deleted. + + This event was introduced in version 0.25. + """ + on_layer_list_inserted: None + r""" + Getter: + @brief An event indicating that a layer list (a tab) has been inserted + @param index The index of the layer list that was inserted + + This event is triggered after the layer list has been inserted - i.e. a new tab was created. + + This event was introduced in version 0.25. + + Setter: + @brief An event indicating that a layer list (a tab) has been inserted + @param index The index of the layer list that was inserted + + This event is triggered after the layer list has been inserted - i.e. a new tab was created. + + This event was introduced in version 0.25. + """ + on_rdb_list_changed: None + r""" + Getter: + @brief An event that is triggered the list of report databases is changed + + If a report database is added or removed, this event is triggered. + + This event was translated from the Observer pattern to an event in version 0.25. + Setter: + @brief An event that is triggered the list of report databases is changed + + If a report database is added or removed, this event is triggered. + + This event was translated from the Observer pattern to an event in version 0.25. + """ + on_selection_changed: None + r""" + Getter: + @brief An event that is triggered if the selection is changed + + If the selection changed, this event is triggered. + + This event was translated from the Observer pattern to an event in version 0.25. + Setter: + @brief An event that is triggered if the selection is changed - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + If the selection changed, this event is triggered. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: StringValue) -> None: - r""" - @brief Assigns another object to self - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def dup(self) -> StringValue: - r""" - @brief Creates a copy of self - """ - def has_value(self) -> bool: - r""" - @brief True, if a value is present - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def to_s(self) -> str: - r""" - @brief Get the actual value (a synonym for \value) - """ - def value(self) -> str: - r""" - @brief Get the actual value - """ + This event was translated from the Observer pattern to an event in version 0.25. + """ + on_transient_selection_changed: None + r""" + Getter: + @brief An event that is triggered if the transient selection is changed -class StringListValue: + If the transient selection is changed, this event is triggered. + The transient selection is the highlighted selection when the mouse hovers over some object(s). + This event was translated from the Observer pattern to an event in version 0.25. + Setter: + @brief An event that is triggered if the transient selection is changed + + If the transient selection is changed, this event is triggered. + The transient selection is the highlighted selection when the mouse hovers over some object(s). + This event was translated from the Observer pattern to an event in version 0.25. + """ + on_viewport_changed: None r""" - @brief Encapsulate a string list - @hide - This class is provided as a return value of \FileDialog. - By using an object rather than a pure string list, an object with \has_value? = false can be returned indicating that - the "Cancel" button was pressed. Starting with version 0.22, the InputDialog class offers new method which do no - longer requires to use this class. + Getter: + @brief An event indicating that the viewport (the visible rectangle) has changed + + This event is triggered after a new display rectangle was chosen - for example, because the user zoomed into the layout. + + Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_viewport_changed_observer/remove_viewport_changed_observer) have been removed in 0.25. + + Setter: + @brief An event indicating that the viewport (the visible rectangle) has changed + + This event is triggered after a new display rectangle was chosen - for example, because the user zoomed into the layout. + + Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_viewport_changed_observer/remove_viewport_changed_observer) have been removed in 0.25. + """ + title: str + r""" + Getter: + @brief Returns the view's title string + + @return The title string + + The title string is either a string composed of the file names loaded (in some "readable" manner) or a customized title string set by \set_title. + Setter: + @brief Sets the title of the view + + @param title The title string to use + + Override the standard title of the view indicating the file names loaded by the specified title string. The title string can be reset with \reset_title to the standard title again. """ @classmethod - def new(cls) -> StringListValue: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> StringListValue: + def menu_symbols(cls) -> List[str]: r""" - @brief Creates a copy of self + @brief Gets all available menu symbols (see \call_menu). + NOTE: currently this method delivers a superset of all available symbols. Depending on the context, no all symbols may trigger actual functionality. + + This method has been introduced in version 0.27. """ - def __deepcopy__(self) -> StringListValue: + @classmethod + def new(cls) -> LayoutViewBase: r""" - @brief Creates a copy of self + @brief Creates a new object of this class """ def __init__(self) -> None: r""" @@ -7343,321 +6937,392 @@ class StringListValue: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: StringListValue) -> None: + def active_cellview(self) -> CellView: r""" - @brief Assigns another object to self + @brief Gets the active cellview (shown in hierarchy browser) + + This is a convenience method which is equivalent to cellview(active_cellview_index()). + + This method has been introduced in version 0.19. + Starting from version 0.25, the returned object can be manipulated which will have an immediate effect on the display. """ - def create(self) -> None: + def active_cellview_index(self) -> int: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Gets the index of the active cellview (shown in hierarchy browser) """ - def destroy(self) -> None: + def add_l2ndb(self, db: db.LayoutToNetlist) -> int: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Adds the given netlist database to the view + + This method will add an existing database to the view. It will then appear in the netlist database browser. + A similar method is \create_l2ndb which will create a new database within the view. + + @return The index of the database within the view (see \l2ndb) + + This method has been added in version 0.26. """ - def destroyed(self) -> bool: + @overload + def add_line_style(self, name: str, data: int, bits: int) -> int: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Adds a custom line style + + @param name The name under which this pattern will appear in the style editor + @param data A bit set with the new line style pattern (bit 0 is the leftmost pixel) + @param bits The number of bits to be used + @return The index of the newly created style, which can be used as the line style index of \LayerProperties. + This method has been introduced in version 0.25. """ - def dup(self) -> StringListValue: + @overload + def add_line_style(self, name: str, string: str) -> int: r""" - @brief Creates a copy of self + @brief Adds a custom line style from a string + + @param name The name under which this pattern will appear in the style editor + @param string A string describing the bits of the pattern ('.' for missing pixel, '*' for a set pixel) + @return The index of the newly created style, which can be used as the line style index of \LayerProperties. + This method has been introduced in version 0.25. """ - def has_value(self) -> bool: + def add_lvsdb(self, db: db.LayoutVsSchematic) -> int: r""" - @brief True, if a value is present + @brief Adds the given database to the view + + This method will add an existing database to the view. It will then appear in the netlist database browser. + A similar method is \create_lvsdb which will create a new database within the view. + + @return The index of the database within the view (see \lvsdb) + + This method has been added in version 0.26. """ - def is_const_object(self) -> bool: + def add_missing_layers(self) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Adds new layers to layer list + This method was introduced in version 0.19. """ - def value(self) -> List[str]: + def add_rdb(self, db: rdb.ReportDatabase) -> int: r""" - @brief Get the actual value (a list of strings) - """ - -class BrowserDialog(QDialog_Native): - r""" - @brief A HTML display and browser dialog + @brief Adds the given report database to the view - The browser dialog displays HTML code in a browser panel. The HTML code is delivered through a separate object of class \BrowserSource which acts as a "server" for a specific kind of URL scheme. Whenever the browser sees a URL starting with "int:" it will ask the connected BrowserSource object for the HTML code of that page using it's 'get' method. The task of the BrowserSource object is to format the data requested in HTML and deliver it. + This method will add an existing database to the view. It will then appear in the marker database browser. + A similar method is \create_rdb which will create a new database within the view. - One use case for that class is the implementation of rich data browsers for structured information. In a simple scenario, the browser dialog can be instantiated with a static HTML page. In that case, only the content of that page is shown. + @return The index of the database within the view (see \rdb) - Here's a simple example: + This method has been added in version 0.26. + """ + @overload + def add_stipple(self, name: str, data: Sequence[int], bits: int) -> int: + r""" + @brief Adds a stipple pattern - @code - html = "Hello, world!" - RBA::BrowserDialog::new(html).exec - @/code + 'data' is an array of unsigned integers describing the bits that make up the stipple pattern. If the array has less than 32 entries, the pattern will be repeated vertically. The number of bits used can be less than 32 bit which can be specified by the 'bits' parameter. Logically, the pattern will be put at the end of the list. - And that is an example for the use case with a \BrowserSource as the "server": + @param name The name under which this pattern will appear in the stipple editor + @param data See above + @param bits See above + @return The index of the newly created stipple pattern, which can be used as the dither pattern index of \LayerProperties. + """ + @overload + def add_stipple(self, name: str, string: str) -> int: + r""" + @brief Adds a stipple pattern given by a string - @code - class MySource < RBA::BrowserSource - def get(url) - if (url =~ /b.html$/) - return "The second page" - else - return "The first page with a link" - end - end - end + 'string' is a string describing the pattern. It consists of one or more lines composed of '.' or '*' characters and separated by newline characters. A '.' is for a missing pixel and '*' for a set pixel. The length of each line must be the same. Blanks before or after each line are ignored. - source = MySource::new - RBA::BrowserDialog::new(source).exec - @/code - """ - @property - def caption(self) -> None: - r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the caption of the window + @param name The name under which this pattern will appear in the stipple editor + @param string See above + @return The index of the newly created stipple pattern, which can be used as the dither pattern index of \LayerProperties. + This method has been introduced in version 0.25. """ - @property - def home(self) -> None: + def annotation(self, id: int) -> Annotation: r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the browser's initial and current URL which is selected if the "home" location is chosen - The home URL is the one shown initially and the one which is selected when the "home" button is pressed. The default location is "int:/index.html". + @brief Gets the annotation given by an ID + Returns a reference to the annotation given by the respective ID or an invalid annotation if the ID is not valid. + Use \Annotation#is_valid? to determine whether the returned annotation is valid or not. + + The returned annotation is a 'live' object and changing it will update the view. + + This method has been introduced in version 0.25. """ - @property - def label(self) -> None: + def annotation_templates(self) -> List[List[Any]]: r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the label text + @brief Gets a list of \Annotation objects representing the annotation templates. - The label is shown left of the navigation buttons. - By default, no label is specified. + Annotation templates are the rulers available in the ruler drop-down (preset ruler types). This method will fetch the templates available. This method returns triplets '(annotation, title, mode)'. The first member of the triplet is the annotation object representing the template. The second member is the title string displayed in the menu for this templates. The third member is the mode value (one of the RulerMode... constants - e.g \RulerModeNormal). - This method has been introduced in version 0.23. + The positions of the returned annotation objects are undefined. + + This method has been introduced in version 0.28. """ - @property - def source(self) -> None: + def ascend(self, index: int) -> db.InstElement: r""" - WARNING: This variable can only be set, not retrieved. - @brief Connects to a source object + @brief Ascends upwards in the hierarchy. - Setting the source should be the first thing done after the BrowserDialog object is created. It will not have any effect after the browser has loaded the first page. In particular, \home= should be called after the source was set. + Removes one element from the specific path of the cellview with the given index. Returns the element removed. """ @overload - @classmethod - def new(cls, html: str) -> BrowserDialog: + def begin_layers(self) -> LayerPropertiesIterator: r""" - @brief Creates a HTML browser window with a static HTML content - This method has been introduced in version 0.23. + @brief Begin iterator for the layers + + This iterator delivers the layers of this view, either in a recursive or non-recursive + fashion, depending which iterator increment methods are used. + The iterator delivered by \end_layers is the past-the-end iterator. It can be compared + against a current iterator to check, if there are no further elements. + + Starting from version 0.25, an alternative solution is provided with 'each_layer' which is based on the \LayerPropertiesNodeRef class. """ @overload - @classmethod - def new(cls, source: BrowserSource) -> BrowserDialog: + def begin_layers(self, index: int) -> LayerPropertiesIterator: r""" - @brief Creates a HTML browser window with a \BrowserSource as the source of HTML code - This method has been introduced in version 0.23. + @brief Begin iterator for the layers + + This iterator delivers the layers of this view, either in a recursive or non-recursive + fashion, depending which iterator increment methods are used. + The iterator delivered by \end_layers is the past-the-end iterator. It can be compared + against a current iterator to check, if there are no further elements. + This version addresses a specific list in a multi-tab layer properties arrangement with the "index" parameter. This method has been introduced in version 0.21. """ - @overload - @classmethod - def new(cls, parent: QtWidgets.QWidget_Native, html: str) -> BrowserDialog: + def box(self) -> db.DBox: r""" - @brief Creates a HTML browser window with a static HTML content - This method variant with a parent argument has been introduced in version 0.24.2. + @brief Returns the displayed box in micron space """ - @overload - @classmethod - def new(cls, parent: QtWidgets.QWidget_Native, source: BrowserSource) -> BrowserDialog: + def call_menu(self, symbol: str) -> None: r""" - @brief Creates a HTML browser window with a \BrowserSource as the source of HTML code - This method variant with a parent argument has been introduced in version 0.24.2. + @brief Calls the menu item with the provided symbol. + To obtain all symbols, use \menu_symbols. + + This method has been introduced in version 0.27. """ - @overload - def __init__(self, html: str) -> None: + def cancel(self) -> None: r""" - @brief Creates a HTML browser window with a static HTML content - This method has been introduced in version 0.23. + @brief Cancels all edit operations + + This method will stop all pending edit operations (i.e. drag and drop) and cancel the current selection. Calling this method is useful to ensure there are no potential interactions with the script's functionality. """ - @overload - def __init__(self, source: BrowserSource) -> None: + def cellview(self, cv_index: int) -> CellView: r""" - @brief Creates a HTML browser window with a \BrowserSource as the source of HTML code - This method has been introduced in version 0.23. + @brief Gets the cellview object for a given index + + @param cv_index The cellview index for which to get the object for + + Starting with version 0.25, this method returns a \CellView object that can be manipulated to directly reflect any changes in the display. """ - @overload - def __init__(self, parent: QtWidgets.QWidget_Native, html: str) -> None: + def cellviews(self) -> int: r""" - @brief Creates a HTML browser window with a static HTML content - This method variant with a parent argument has been introduced in version 0.24.2. + @brief Gets the number of cellviews """ - @overload - def __init__(self, parent: QtWidgets.QWidget_Native, source: BrowserSource) -> None: + def clear_annotations(self) -> None: r""" - @brief Creates a HTML browser window with a \BrowserSource as the source of HTML code - This method variant with a parent argument has been introduced in version 0.24.2. + @brief Clears all annotations on this view """ - def _create(self) -> None: + def clear_config(self) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Clears the local configuration parameters + + See \set_config for a description of the local configuration parameters. """ - def _destroy(self) -> None: + def clear_images(self) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Clear all images on this view """ - def _destroyed(self) -> bool: + @overload + def clear_layers(self) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Clears all layers """ - def _is_const_object(self) -> bool: + @overload + def clear_layers(self, index: int) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Clears all layers for the given layer properties list + This version addresses a specific list in a multi-tab layer properties arrangement with the "index" parameter. This method has been introduced in version 0.21. """ - def _manage(self) -> None: + def clear_line_styles(self) -> None: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief Removes all custom line styles + All line styles except the fixed ones are removed. If any of the custom styles is still used by the layers displayed, the results will be undefined. + This method has been introduced in version 0.25. """ - def _unmanage(self) -> None: + def clear_object_selection(self) -> None: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Clears the selection of geometrical objects (shapes or cell instances) + The selection of other objects (such as annotations and images) will not be affected. - Usually it's not required to call this method. It has been introduced in version 0.24. + This method has been introduced in version 0.24 """ - def exec_(self) -> int: + def clear_selection(self) -> None: r""" - @brief Executes the HTML browser dialog as a modal window + @brief Clears the selection of all objects (shapes, annotations, images ...) + + This method has been introduced in version 0.26.2 """ - def execute(self) -> int: + def clear_stipples(self) -> None: r""" - @brief Executes the HTML browser dialog as a modal window + @brief Removes all custom line styles + All stipple pattern except the fixed ones are removed. If any of the custom stipple pattern is still used by the layers displayed, the results will be undefined. """ - def load(self, url: str) -> None: + def clear_transactions(self) -> None: r""" - @brief Loads the given URL into the browser dialog - Typically the URL has the "int:" scheme so the HTML code is taken from the \BrowserSource object. + @brief Clears all transactions + + Discard all actions in the undo buffer. After clearing that buffer, no undo is available. It is important to clear the buffer when making database modifications outside transactions, i.e after that modifications have been done. If failing to do so, 'undo' operations are likely to produce invalid results. + This method was introduced in version 0.16. """ - def reload(self) -> None: + def clear_transient_selection(self) -> None: r""" - @brief Reloads the current page + @brief Clears the transient selection (mouse-over hightlights) of all objects (shapes, annotations, images ...) + + This method has been introduced in version 0.26.2 """ - def resize(self, width: int, height: int) -> None: + def commit(self) -> None: r""" - @brief Sets the size of the dialog window + @brief Ends a transaction + + See \transaction for a detailed description of transactions. + This method was introduced in version 0.16. """ - def search(self, search_item: str) -> None: + def commit_config(self) -> None: r""" - @brief Issues a search request using the given search item and the search URL specified with \set_search_url + @brief Commits the configuration settings - See \set_search_url for a description of the search mechanism. + Some configuration options are queued for performance reasons and become active only after 'commit_config' has been called. After a sequence of \set_config calls, this method should be called to activate the settings made by these calls. + + This method has been introduced in version 0.25. """ - def set_caption(self, caption: str) -> None: + def create(self) -> None: r""" - @brief Sets the caption of the window + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def set_home(self, home_url: str) -> None: + def create_l2ndb(self, name: str) -> int: r""" - @brief Sets the browser's initial and current URL which is selected if the "home" location is chosen - The home URL is the one shown initially and the one which is selected when the "home" button is pressed. The default location is "int:/index.html". + @brief Creates a new netlist database and returns the index of the new database + @param name The name of the new netlist database + @return The index of the new database + This method returns an index of the new netlist database. Use \l2ndb to get the actual object. If a netlist database with the given name already exists, a unique name will be created. + The name will be replaced by the file name when a file is loaded into the netlist database. + + This method has been added in version 0.26. """ - def set_search_url(self, url: str, query_item: str) -> None: + @overload + def create_layout(self, add_cellview: bool) -> int: r""" - @brief Enables the search field and specifies the search URL generated for a search + @brief Creates a new, empty layout - If a search URL is set, the search box right to the navigation bar will be enabled. When a text is entered into the search box, the browser will navigate to an URL composed of the search URL, the search item and the search text, i.e. "myurl?item=search_text". + The add_cellview parameter controls whether to create a new cellview (true) + or clear all cellviews before (false). - This method has been introduced in version 0.23. - """ - def set_size(self, width: int, height: int) -> None: - r""" - @brief Sets the size of the dialog window + This version will associate the new layout with the default technology. + + @return The index of the cellview created. """ - def set_source(self, source: BrowserSource) -> None: + @overload + def create_layout(self, tech: str, add_cellview: bool) -> int: r""" - @brief Connects to a source object + @brief Create a new, empty layout and associate it with the given technology - Setting the source should be the first thing done after the BrowserDialog object is created. It will not have any effect after the browser has loaded the first page. In particular, \home= should be called after the source was set. - """ + The add_cellview parameter controls whether to create a new cellview (true) + or clear all cellviews before (false). -class BrowserSource_Native: - r""" - @hide - @alias BrowserSource - """ - @classmethod - def new(cls) -> BrowserSource_Native: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> BrowserSource_Native: - r""" - @brief Creates a copy of self + @return The index of the cellview created. + + This variant has been introduced in version 0.22. """ - def __deepcopy__(self) -> BrowserSource_Native: + @overload + def create_layout(self, tech: str, add_cellview: bool, init_layers: bool) -> int: r""" - @brief Creates a copy of self + @brief Create a new, empty layout and associate it with the given technology + + The add_cellview parameter controls whether to create a new cellview (true) + or clear all cellviews before (false). This variant also allows one to control whether the layer properties are + initialized (init_layers = true) or not (init_layers = false). + + @return The index of the cellview created. + + This variant has been introduced in version 0.22. """ - def __init__(self) -> None: + def create_lvsdb(self, name: str) -> int: r""" - @brief Creates a new object of this class + @brief Creates a new netlist database and returns the index of the new database + @param name The name of the new netlist database + @return The index of the new database + This method returns an index of the new netlist database. Use \lvsdb to get the actual object. If a netlist database with the given name already exists, a unique name will be created. + The name will be replaced by the file name when a file is loaded into the netlist database. + + This method has been added in version 0.26. """ - def _create(self) -> None: + def create_measure_ruler(self, point: db.DPoint, ac: Optional[int] = ...) -> Annotation: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Createas an auto-measure ruler at the given point. + + @param point The seed point where to create the auto-measure ruler + @param ac The orientation constraints (determines the search direction too) + + The \ac parameters takes one of the Angle... constants from \Annotation. + + This method will create a ruler with a measurement, looking to the sides of the seed point for visible layout in the vicinity. The angle constraint determines the main directions where to look. If suitable edges are found, the method will pull a line between the closest edges. The ruler's endpoints will sit on these lines and the ruler's length will be the distance. + Only visible layers will participate in the measurement. + + The new ruler is inserted into the view already. It is created with the default style of rulers. + If the measurement fails because there is no layout in the vicinity, a ruler with identical start and end points will be created. + + @return The new ruler object + + This method was introduced in version 0.26. """ - def _destroy(self) -> None: + def create_rdb(self, name: str) -> int: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Creates a new report database and returns the index of the new database + @param name The name of the new report database + @return The index of the new database + This method returns an index of the new report database. Use \rdb to get the actual object. If a report database with the given name already exists, a unique name will be created. + The name will be replaced by the file name when a file is loaded into the report database. """ - def _destroyed(self) -> bool: + @overload + def delete_layer(self, index: int, iter: LayerPropertiesIterator) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Deletes the layer properties node specified by the iterator + + This method deletes the object that the iterator points to and invalidates + the iterator since the object that the iterator points to is no longer valid. + This version addresses a specific list in a multi-tab layer properties arrangement with the "index" parameter. This method has been introduced in version 0.21. """ - def _is_const_object(self) -> bool: + @overload + def delete_layer(self, iter: LayerPropertiesIterator) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Deletes the layer properties node specified by the iterator + + This method deletes the object that the iterator points to and invalidates + the iterator since the object that the iterator points to is no longer valid. """ - def _manage(self) -> None: + def delete_layer_list(self, index: int) -> None: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief Deletes the given properties list + At least one layer properties list must remain. This method may change the current properties list. + This method has been introduced in version 0.21. """ - def _unmanage(self) -> None: + @overload + def delete_layers(self, index: int, iterators: Sequence[LayerPropertiesIterator]) -> None: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Deletes the layer properties nodes specified by the iterator - Usually it's not required to call this method. It has been introduced in version 0.24. + This method deletes the nodes specifies by the iterators. This method is the most convenient way to delete multiple entries. + This version addresses a specific list in a multi-tab layer properties arrangement with the "index" parameter. This method has been introduced in version 0.22. """ - def assign(self, other: BrowserSource_Native) -> None: + @overload + def delete_layers(self, iterators: Sequence[LayerPropertiesIterator]) -> None: r""" - @brief Assigns another object to self + @brief Deletes the layer properties nodes specified by the iterator + + This method deletes the nodes specifies by the iterators. This method is the most convenient way to delete multiple entries. + + This method has been added in version 0.22. """ - def create(self) -> None: + def descend(self, path: Sequence[db.InstElement], index: int) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Descends further into the hierarchy. + + Adds the given path (given as an array of InstElement objects) to the specific path of the cellview with the given index. In effect, the cell addressed by the terminal of the new path components can be shown in the context of the upper cells, if the minimum hierarchy level is set to a negative value. + The path is assumed to originate from the current cell and contain specific instances sorted from top to bottom. """ def destroy(self) -> None: r""" @@ -7671,1468 +7336,1618 @@ class BrowserSource_Native: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> BrowserSource_Native: - r""" - @brief Creates a copy of self - """ - def get(self, arg0: str) -> str: + def each_annotation(self) -> Iterator[Annotation]: r""" + @brief Iterates over all annotations attached to this view """ - def get_image(self, url: str) -> QtGui.QImage_Native: + def each_annotation_selected(self) -> Iterator[Annotation]: r""" + @brief Iterate over each selected annotation objects, yielding a \Annotation object for each of them + This method was introduced in version 0.19. """ - def is_const_object(self) -> bool: + def each_image(self) -> Iterator[Image]: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Iterate over all images attached to this view + + With version 0.25, the objects returned by the iterator are references and can be manipulated to change their appearance. """ - def next_topic(self, url: str) -> str: + def each_image_selected(self) -> Iterator[Image]: r""" + @brief Iterate over each selected image object, yielding a \Image object for each of them + This method was introduced in version 0.19. """ - def prev_topic(self, url: str) -> str: + @overload + def each_layer(self) -> Iterator[LayerPropertiesNodeRef]: r""" - """ - -class BrowserSource: - r""" - @brief The BrowserDialog's source for "int" URL's + @brief Hierarchically iterates over the layers in the first layer list - The source object basically acts as a "server" for special URL's using "int" as the scheme. - Classes that want to implement such functionality must derive from BrowserSource and reimplement - the \get method. This method is supposed to deliver a HTML page for the given URL. + This iterator will recursively deliver the layers in the first layer list of the view. The objects presented by the iterator are \LayerPropertiesNodeRef objects. They can be manipulated to apply changes to the layer settings or even the hierarchy of layers: - Alternatively to implementing this functionality, a source object may be instantiated using the - constructor with a HTML code string. This will create a source object that simply displays the given string - as the initial and only page. - """ - @classmethod - def new(cls, arg0: str) -> BrowserSource: - r""" - @brief Constructs a BrowserSource object with a default HTML string + @code + RBA::LayoutViewBase::current.each_layer do |lref| + # lref is a RBA::LayerPropertiesNodeRef object + lref.visible = false + end + @/code - The default HTML string is sent when no specific implementation is provided. + This method was introduced in version 0.25. """ - @classmethod - def new_html(cls, arg0: str) -> BrowserSource: + @overload + def each_layer(self, layer_list: int) -> Iterator[LayerPropertiesNodeRef]: r""" - @brief Constructs a BrowserSource object with a default HTML string + @brief Hierarchically iterates over the layers in the given layer list - The default HTML string is sent when no specific implementation is provided. - """ - def __copy__(self) -> BrowserSource: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> BrowserSource: - r""" - @brief Creates a copy of self - """ - def __init__(self, arg0: str) -> None: - r""" - @brief Constructs a BrowserSource object with a default HTML string + This version of this method allows specification of the layer list to be iterated over. The layer list is specified by it's index which is a value between 0 and \num_layer_lists-1.For details see the parameter-less version of this method. - The default HTML string is sent when no specific implementation is provided. - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + This method was introduced in version 0.25. """ - def _manage(self) -> None: + def each_object_selected(self) -> Iterator[ObjectInstPath]: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Iterates over each selected geometrical object, yielding a \ObjectInstPath object for each of them - Usually it's not required to call this method. It has been introduced in version 0.24. + This iterator will deliver const objects - they cannot be modified. In order to modify the selection, create a copy of the \ObjectInstPath objects, modify them and install the new selection using \select_object or \object_selection=. + + Another way of obtaining the selection is \object_selection, which returns an array of \ObjectInstPath objects. """ - def _unmanage(self) -> None: + def each_object_selected_transient(self) -> Iterator[ObjectInstPath]: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Iterates over each geometrical objects in the transient selection, yielding a \ObjectInstPath object for each of them - Usually it's not required to call this method. It has been introduced in version 0.24. + This method was introduced in version 0.18. """ - def assign(self, other: BrowserSource) -> None: + def enable_edits(self, enable: bool) -> None: r""" - @brief Assigns another object to self + @brief Enables or disables edits + + @param enable Enable edits if set to true + + This method allows putting the view into read-only mode by disabling all edit functions. For doing so, this method has to be called with a 'false' argument. Calling it with a 'true' parameter enables all edits again. This method must not be confused with the edit/viewer mode. The LayoutView's enable_edits method is intended to temporarily disable all menu entries and functions which could allow the user to alter the database. + In 0.25, this method has been moved from MainWindow to LayoutView. """ - def create(self) -> None: + @overload + def end_layers(self) -> LayerPropertiesIterator: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief End iterator for the layers + See \begin_layers for a description about this iterator """ - def destroy(self) -> None: + @overload + def end_layers(self, index: int) -> LayerPropertiesIterator: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief End iterator for the layers + See \begin_layers for a description about this iterator + This version addresses a specific list in a multi-tab layer properties arrangement with the "index" parameter. This method has been introduced in version 0.21. """ - def destroyed(self) -> bool: + def erase_annotation(self, id: int) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Erases the annotation given by the id + Deletes an existing annotation given by the id parameter. The id of an annotation can be obtained through \Annotation#id. + + This method has been introduced in version 0.24. + Starting with version 0.25, the annotation's \Annotation#delete method can also be used to delete an annotation. """ - def dup(self) -> BrowserSource: + def erase_cellview(self, index: int) -> None: r""" - @brief Creates a copy of self + @brief Erases the cellview with the given index + + This closes the given cellview and unloads the layout associated with it, unless referred to by another cellview. """ - def get_image(self, url: str) -> QtGui.QImage_Native: + def erase_image(self, id: int) -> None: r""" - @brief Gets the image object for a specific URL + @brief Erase the given image + @param id The id of the object to erase - This method has been introduced in version 0.28. + Erases the image with the given Id. The Id can be obtained with if "id" method of the image object. + + This method has been introduced in version 0.20. + + With version 0.25, \Image#delete can be used to achieve the same results. """ - def is_const_object(self) -> bool: + @overload + def expand_layer_properties(self) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Expands the layer properties for all tabs + + This method will expand all wildcard specifications in the layer properties by iterating over the specified objects (i.e. layers, cellviews) and by replacing default colors and stipples by the ones specified with the palettes. + + This method was introduced in version 0.21. """ - def next_topic(self, url: str) -> str: + @overload + def expand_layer_properties(self, index: int) -> None: r""" - @brief Gets the next topic URL from a given URL - An empty string will be returned if no next topic is available. + @brief Expands the layer properties for the given tab - This method has been introduced in version 0.28. + This method will expand all wildcard specifications in the layer properties by iterating over the specified objects (i.e. layers, cellviews) and by replacing default colors and stipples by the ones specified with the palettes. + + This method was introduced in version 0.21. """ - def prev_topic(self, url: str) -> str: + def get_config(self, name: str) -> str: r""" - @brief Gets the previous topic URL from a given URL - An empty string will be returned if no previous topic is available. + @brief Gets the value of a local configuration parameter - This method has been introduced in version 0.28. + @param name The name of the configuration parameter whose value shall be obtained (a string) + + @return The value of the parameter + + See \set_config for a description of the local configuration parameters. """ + def get_config_names(self) -> List[str]: + r""" + @brief Gets the configuration parameter names -class BrowserPanel(QWidget_Native): - r""" - @brief A HTML display and browser widget + @return A list of configuration parameter names - This widget provides the functionality of \BrowserDialog within a widget. It can be embedded into other dialogs. For details about the use model of this class see \BrowserDialog. + This method returns the names of all known configuration parameters. These names can be used to get and set configuration parameter values. - This class has been introduced in version 0.25. - """ - @property - def home(self) -> None: - r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the browser widget's initial and current URL which is selected if the "home" location is chosen - The home URL is the one shown initially and the one which is selected when the "home" button is pressed. The default location is "int:/index.html". + This method was introduced in version 0.25. """ - @property - def label(self) -> None: + def get_current_cell_path(self, cv_index: int) -> List[int]: r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the label text + @brief Gets the cell path of the current cell - The label is shown left of the navigation buttons. - By default, no label is specified. + The current cell is the one highlighted in the browser with the focus rectangle. The + current path is returned for the cellview given by cv_index. + The cell path is a list of cell indices from the top cell to the current cell. + + @param cv_index The cellview index for which to get the current path from (usually this will be the active cellview index) + This method is was deprecated in version 0.25 since from then, the \CellView object can be used to obtain an manipulate the selected cell. """ - @property - def source(self) -> None: + def get_line_style(self, index: int) -> str: r""" - WARNING: This variable can only be set, not retrieved. - @brief Connects to a source object + @brief Gets the line style string for the style with the given index - Setting the source should be the first thing done after the BrowserDialog object is created. It will not have any effect after the browser has loaded the first page. In particular, \home= should be called after the source was set. + This method will return the line style string for the style with the given index. + The format of the string is the same than the string accepted by \add_line_style. + An empty string corresponds to 'solid line'. + + This method has been introduced in version 0.25. """ - @overload - @classmethod - def new(cls, parent: QtWidgets.QWidget_Native) -> BrowserPanel: + def get_pixels(self, width: int, height: int) -> PixelBuffer: r""" - @brief Creates a HTML browser widget + @brief Gets the layout image as a \PixelBuffer + + @param width The width of the image to render in pixel. + @param height The height of the image to render in pixel. + + The image contains the current scene (layout, annotations etc.). + The image is drawn synchronously with the given width and height. Drawing may take some time. + This method has been introduced in 0.28. """ - @overload - @classmethod - def new(cls, parent: QtWidgets.QWidget_Native, source: BrowserSource_Native) -> BrowserPanel: + def get_pixels_with_options(self, width: int, height: int, linewidth: Optional[int] = ..., oversampling: Optional[int] = ..., resolution: Optional[float] = ..., target: Optional[db.DBox] = ...) -> PixelBuffer: r""" - @brief Creates a HTML browser widget with a \BrowserSource as the source of HTML code + @brief Gets the layout image as a \PixelBuffer (with options) + + @param width The width of the image to render in pixel. + @param height The height of the image to render in pixel. + @param linewidth The width of a line in pixels (usually 1) or 0 for default. + @param oversampling The oversampling factor (1..3) or 0 for default. + @param resolution The resolution (pixel size compared to a screen pixel size, i.e 1/oversampling) or 0 for default. + @param target_box The box to draw or an empty box for default. + + The image contains the current scene (layout, annotations etc.). + The image is drawn synchronously with the given width and height. Drawing may take some time. + This method has been introduced in 0.28. """ - @overload - def __init__(self, parent: QtWidgets.QWidget_Native) -> None: + def get_pixels_with_options_mono(self, width: int, height: int, linewidth: Optional[int] = ..., target: Optional[db.DBox] = ...) -> BitmapBuffer: r""" - @brief Creates a HTML browser widget + @brief Gets the layout image as a \PixelBuffer (with options) + + @param width The width of the image to render in pixel. + @param height The height of the image to render in pixel. + @param linewidth The width of a line in pixels (usually 1) or 0 for default. + @param target_box The box to draw or an empty box for default. + + The image contains the current scene (layout, annotations etc.). + The image is drawn synchronously with the given width and height. Drawing may take some time. Monochrome images don't have background or annotation objects currently. + + This method has been introduced in 0.28. """ - @overload - def __init__(self, parent: QtWidgets.QWidget_Native, source: BrowserSource_Native) -> None: + def get_screenshot_pixels(self) -> PixelBuffer: r""" - @brief Creates a HTML browser widget with a \BrowserSource as the source of HTML code + @brief Gets a screenshot as a \PixelBuffer + + Getting the image requires the drawing to be complete. Ideally, synchronous mode is switched on for the application to guarantee this condition. The image will have the size of the viewport showing the current layout. + This method has been introduced in 0.28. """ - def _create(self) -> None: + def get_stipple(self, index: int) -> str: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Gets the stipple pattern string for the pattern with the given index + + This method will return the stipple pattern string for the pattern with the given index. + The format of the string is the same than the string accepted by \add_stipple. + + This method has been introduced in version 0.25. """ - def _destroy(self) -> None: + def has_annotation_selection(self) -> bool: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Returns true, if annotations (rulers) are selected in this view + This method was introduced in version 0.19. """ - def _destroyed(self) -> bool: + def has_image_selection(self) -> bool: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Returns true, if images are selected in this view + This method was introduced in version 0.19. """ - def _is_const_object(self) -> bool: + def has_object_selection(self) -> bool: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Returns true, if geometrical objects (shapes or cell instances) are selected in this view """ - def _manage(self) -> None: + def has_selection(self) -> bool: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Indicates whether any objects are selected - Usually it's not required to call this method. It has been introduced in version 0.24. + This method has been introduced in version 0.27 """ - def _unmanage(self) -> None: + def has_transient_object_selection(self) -> bool: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Returns true, if geometrical objects (shapes or cell instances) are selected in this view in the transient selection - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def load(self, url: str) -> None: - r""" - @brief Loads the given URL into the browser widget - Typically the URL has the "int:" scheme so the HTML code is taken from the \BrowserSource object. + The transient selection represents the objects selected when the mouse hovers over the layout windows. This selection is not used for operations but rather to indicate which object would be selected if the mouse is clicked. + + This method was introduced in version 0.18. """ - def reload(self) -> None: + def hide_cell(self, cell_index: int, cv_index: int) -> None: r""" - @brief Reloads the current page + @brief Hides the given cell for the given cellview """ - def search(self, search_item: str) -> None: + def icon_for_layer(self, iter: LayerPropertiesIterator, w: int, h: int, dpr: float, di_off: Optional[int] = ..., no_state: Optional[bool] = ...) -> PixelBuffer: r""" - @brief Issues a search request using the given search item and the search URL specified with \set_search_url + @brief Creates an icon pixmap for the given layer. - See \search_url= for a description of the search mechanism. - """ - def set_search_url(self, url: str, query_item: str) -> None: - r""" - @brief Enables the search field and specifies the search URL generated for a search + The icon will have size w times h pixels multiplied by the device pixel ratio (dpr). The dpr is The number of physical pixels per logical pixels on high-DPI displays. - If a search URL is set, the search box right to the navigation bar will be enabled. When a text is entered into the search box, the browser will navigate to an URL composed of the search URL, the search item and the search text, i.e. "myurl?item=search_text". + 'di_off' will shift the dither pattern by the given number of (physical) pixels. If 'no_state' is true, the icon will not reflect visibility or validity states but rather the display style. + + This method has been introduced in version 0.28. """ - def url(self) -> str: + def image(self, id: int) -> Image: r""" - @brief Gets the URL currently shown - """ + @brief Gets the image given by an ID + Returns a reference to the image given by the respective ID or an invalid image if the ID is not valid. + Use \Image#is_valid? to determine whether the returned image is valid or not. -class InputDialog: - r""" - @brief Various methods to open a dialog requesting data entry - This class provides some basic dialogs to enter a single value. Values can be strings floating-point values, integer values or an item from a list. - This functionality is provided through the static (class) methods ask_... + The returned image is a 'live' object and changing it will update the view. - Here are some examples: + This method has been introduced in version 0.25. + """ + def init_layer_properties(self, props: LayerProperties) -> None: + r""" + @brief Fills the layer properties for a new layer - @code - # get a double value between -10 and 10 (initial value is 0): - v = RBA::InputDialog::ask_double_ex("Dialog Title", "Enter the value here:", 0, -10, 10, 1) - # get an item from a list: - v = RBA::InputDialog::ask_item("Dialog Title", "Select one:", [ "item 1", "item 2", "item 3" ], 1) - @/code + This method initializes a layer properties object's color and stipples according to the defaults for the given layer source specification. The layer's source must be set already on the layer properties object. - All these examples return the "nil" value if "Cancel" is pressed. + This method was introduced in version 0.19. - If you have enabled the Qt binding, you can use \QInputDialog directly. - """ - @classmethod - def ask_double(cls, title: str, label: str, value: float, digits: int) -> Any: - r""" - @brief Open an input dialog requesting a floating-point value - @param title The title to display for the dialog - @param label The label text to display for the dialog - @param value The initial value for the input field - @param digits The number of digits allowed - @return The value entered if "Ok" was pressed or nil if "Cancel" was pressed - This method has been introduced in 0.22 and is somewhat easier to use than the get_.. equivalent. + @param props The layer properties object to initialize. """ - @classmethod - def ask_double_ex(cls, title: str, label: str, value: float, min: float, max: float, digits: int) -> Any: + def insert_annotation(self, obj: Annotation) -> None: r""" - @brief Open an input dialog requesting a floating-point value with enhanced capabilities - @param title The title to display for the dialog - @param label The label text to display for the dialog - @param value The initial value for the input field - @param min The minimum value allowed - @param max The maximum value allowed - @param digits The number of digits allowed - @return The value entered if "Ok" was pressed or nil if "Cancel" was pressed - This method has been introduced in 0.22 and is somewhat easier to use than the get_.. equivalent. + @brief Inserts an annotation object into the given view + Inserts a new annotation into the view. Existing annotation will remain. Use \clear_annotations to delete them before inserting new ones. Use \replace_annotation to replace an existing one with a new one. + Starting with version 0.25 this method modifies self's ID to reflect the ID of the ruler created. After an annotation is inserted into the view, it can be modified and the changes of properties will become reflected immediately in the view. """ - @classmethod - def ask_int(cls, title: str, label: str, value: int) -> Any: + def insert_image(self, obj: Image) -> None: r""" - @brief Open an input dialog requesting an integer value - @param title The title to display for the dialog - @param label The label text to display for the dialog - @param value The initial value for the input field - @return The value entered if "Ok" was pressed or nil if "Cancel" was pressed - This method has been introduced in 0.22 and is somewhat easier to use than the get_.. equivalent. + @brief Insert an image object into the given view + Insert the image object given by obj into the view. + + With version 0.25, this method will attach the image object to the view and the image object will become a 'live' object - i.e. changes to the object will change the appearance of the image on the screen. """ - @classmethod - def ask_int_ex(cls, title: str, label: str, value: int, min: int, max: int, step: int) -> Any: + @overload + def insert_layer(self, index: int, iter: LayerPropertiesIterator, node: Optional[LayerProperties] = ...) -> LayerPropertiesNodeRef: r""" - @brief Open an input dialog requesting an integer value with enhanced capabilities - @param title The title to display for the dialog - @param label The label text to display for the dialog - @param value The initial value for the input field - @param min The minimum value allowed - @param max The maximum value allowed - @param step The step size for the spin buttons - @return The value entered if "Ok" was pressed or nil if "Cancel" was pressed - This method has been introduced in 0.22 and is somewhat easier to use than the get_.. equivalent. + @brief Inserts the given layer properties node into the list before the given position + + This version addresses a specific list in a multi-tab layer properties arrangement with the "index" parameter. This method inserts the new properties node before the position given by "iter" and returns a const reference to the element created. The iterator that specified the position will remain valid after the node was inserted and will point to the newly created node. It can be used to add further nodes. + This method has been introduced in version 0.21. + Since version 0.22, this method accepts LayerProperties and LayerPropertiesNode objects. A LayerPropertiesNode object can contain a hierarchy of further nodes. + Since version 0.26 the node parameter is optional and the reference returned by this method can be used to set the properties of the new node. """ - @classmethod - def ask_item(cls, title: str, label: str, items: Sequence[str], value: int) -> Any: + @overload + def insert_layer(self, iter: LayerPropertiesIterator, node: Optional[LayerProperties] = ...) -> LayerPropertiesNodeRef: r""" - @brief Open an input dialog requesting an item from a list - @param title The title to display for the dialog - @param label The label text to display for the dialog - @param items The list of items to show in the selection element - @param selection The initial selection (index of the element selected initially) - @return The string of the item selected if "Ok" was pressed or nil if "Cancel" was pressed - This method has been introduced in 0.22 and is somewhat easier to use than the get_.. equivalent. + @brief Inserts the given layer properties node into the list before the given position + + This method inserts the new properties node before the position given by "iter" and returns a const reference to the element created. The iterator that specified the position will remain valid after the node was inserted and will point to the newly created node. It can be used to add further nodes. To add children to the node inserted, use iter.last_child as insertion point for the next insert operations. + + Since version 0.22, this method accepts LayerProperties and LayerPropertiesNode objects. A LayerPropertiesNode object can contain a hierarchy of further nodes. + Since version 0.26 the node parameter is optional and the reference returned by this method can be used to set the properties of the new node. """ - @classmethod - def ask_string(cls, title: str, label: str, value: str) -> Any: + def insert_layer_list(self, index: int) -> None: r""" - @brief Open an input dialog requesting a string - @param title The title to display for the dialog - @param label The label text to display for the dialog - @param value The initial value for the input field - @return The string entered if "Ok" was pressed or nil if "Cancel" was pressed - This method has been introduced in 0.22 and is somewhat easier to use than the get_.. equivalent. + @brief Inserts a new layer properties list at the given index + This method inserts a new tab at the given position. The current layer properties list will be changed to the new list. + This method has been introduced in version 0.21. """ - @classmethod - def ask_string_password(cls, title: str, label: str, value: str) -> Any: + def is_cell_hidden(self, cell_index: int, cv_index: int) -> bool: r""" - @brief Open an input dialog requesting a string without showing the actual characters entered - @param title The title to display for the dialog - @param label The label text to display for the dialog - @param value The initial value for the input field - @return The string entered if "Ok" was pressed or nil if "Cancel" was pressed - This method has been introduced in 0.22 and is somewhat easier to use than the get_.. equivalent. + @brief Returns true, if the cell is hidden + + @return True, if the cell with "cell_index" is hidden for the cellview "cv_index" """ - @classmethod - def get_double(cls, title: str, label: str, value: float, digits: int) -> DoubleValue: + def is_const_object(self) -> bool: r""" - @brief Open an input dialog requesting a floating-point value - @param title The title to display for the dialog - @param label The label text to display for the dialog - @param value The initial value for the input field - @param digits The number of digits allowed - @return A \DoubleValue object with has_value? set to true, if "Ok" was pressed and the value given in it's value attribute - Starting from 0.22, this method is deprecated and it is recommended to use the ask_... equivalent. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @classmethod - def get_double_ex(cls, title: str, label: str, value: float, min: float, max: float, digits: int) -> DoubleValue: + def is_editable(self) -> bool: r""" - @brief Open an input dialog requesting a floating-point value with enhanced capabilities - @param title The title to display for the dialog - @param label The label text to display for the dialog - @param value The initial value for the input field - @param min The minimum value allowed - @param max The maximum value allowed - @param digits The number of digits allowed - @return A \DoubleValue object with has_value? set to true, if "Ok" was pressed and the value given in it's value attribute - Starting from 0.22, this method is deprecated and it is recommended to use the ask_... equivalent. + @brief Returns true if the view is in editable mode + + This read-only attribute has been added in version 0.27.5. """ - @classmethod - def get_int(cls, title: str, label: str, value: int) -> IntValue: + def is_transacting(self) -> bool: r""" - @brief Open an input dialog requesting an integer value - @param title The title to display for the dialog - @param label The label text to display for the dialog - @param value The initial value for the input field - @return A \IntValue object with has_value? set to true, if "Ok" was pressed and the value given in it's value attribute - Starting from 0.22, this method is deprecated and it is recommended to use the ask_... equivalent. + @brief Indicates if a transaction is ongoing + + See \transaction for a detailed description of transactions. + This method was introduced in version 0.16. """ - @classmethod - def get_int_ex(cls, title: str, label: str, value: int, min: int, max: int, step: int) -> IntValue: + def l2ndb(self, index: int) -> db.LayoutToNetlist: r""" - @brief Open an input dialog requesting an integer value with enhanced capabilities - @param title The title to display for the dialog - @param label The label text to display for the dialog - @param value The initial value for the input field - @param min The minimum value allowed - @param max The maximum value allowed - @param step The step size for the spin buttons - @return A \IntValue object with has_value? set to true, if "Ok" was pressed and the value given in it's value attribute - Starting from 0.22, this method is deprecated and it is recommended to use the ask_... equivalent. + @brief Gets the netlist database with the given index + @return The \LayoutToNetlist object or nil if the index is not valid + This method has been added in version 0.26. """ - @classmethod - def get_item(cls, title: str, label: str, items: Sequence[str], value: int) -> StringValue: + @overload + def load_layer_props(self, fn: str) -> None: r""" - @brief Open an input dialog requesting an item from a list - @param title The title to display for the dialog - @param label The label text to display for the dialog - @param items The list of items to show in the selection element - @param selection The initial selection (index of the element selected initially) - @return A \StringValue object with has_value? set to true, if "Ok" was pressed and the value given in it's value attribute - Starting from 0.22, this method is deprecated and it is recommended to use the ask_... equivalent. + @brief Loads the layer properties + + @param fn The file name of the .lyp file to load + + Load the layer properties from the file given in "fn" """ - @classmethod - def get_string(cls, title: str, label: str, value: str) -> StringValue: + @overload + def load_layer_props(self, fn: str, add_default: bool) -> None: r""" - @brief Open an input dialog requesting a string - @param title The title to display for the dialog - @param label The label text to display for the dialog - @param value The initial value for the input field - @return A \StringValue object with has_value? set to true, if "Ok" was pressed and the value given in it's value attribute - Starting from 0.22, this method is deprecated and it is recommended to use the ask_... equivalent. + @brief Loads the layer properties with options + + @param fn The file name of the .lyp file to load + @param add_default If true, default layers will be added for each other layer in the layout + + Load the layer properties from the file given in "fn". + This version allows one to specify whether defaults should be used for all other layers by setting "add_default" to true. + + This variant has been added on version 0.21. """ - @classmethod - def get_string_password(cls, title: str, label: str, value: str) -> StringValue: + @overload + def load_layer_props(self, fn: str, cv_index: int, add_default: bool) -> None: r""" - @brief Open an input dialog requesting a string without showing the actual characters entered - @param title The title to display for the dialog - @param label The label text to display for the dialog - @param value The initial value for the input field - @return A \StringValue object with has_value? set to true, if "Ok" was pressed and the value given in it's value attribute - Starting from 0.22, this method is deprecated and it is recommended to use the ask_... equivalent. + @brief Loads the layer properties with options + + @param fn The file name of the .lyp file to load + @param cv_index See description text + @param add_default If true, default layers will be added for each other layer in the layout + + Load the layer properties from the file given in "fn". + This version allows one to specify whether defaults should be used for all other layers by setting "add_default" to true. It can be used to load the layer properties for a specific cellview by setting "cv_index" to the index for which the layer properties file should be applied. All present definitions for this layout will be removed before the properties file is loaded. "cv_index" can be set to -1. In that case, the layer properties file is applied to each of the layouts individually. + + Note that this version will override all cellview index definitions in the layer properties file. + + This variant has been added on version 0.21. """ - @classmethod - def new(cls) -> InputDialog: + @overload + def load_layout(self, filename: str, add_cellview: Optional[bool] = ...) -> int: r""" - @brief Creates a new object of this class + @brief Loads a (new) file into the layout view + + Loads the file given by the "filename" parameter. + The add_cellview param controls whether to create a new cellview (true) + or clear all cellviews before (false). + + @return The index of the cellview loaded. The 'add_cellview' argument has been made optional in version 0.28. """ - def __copy__(self) -> InputDialog: + @overload + def load_layout(self, filename: str, options: db.LoadLayoutOptions, add_cellview: Optional[bool] = ...) -> int: r""" - @brief Creates a copy of self + @brief Loads a (new) file into the layout view + + Loads the file given by the "filename" parameter. + The options specify various options for reading the file. + The add_cellview param controls whether to create a new cellview (true) + or clear all cellviews before (false). + + @return The index of the cellview loaded. + + This method has been introduced in version 0.18. The 'add_cellview' argument has been made optional in version 0.28. """ - def __deepcopy__(self) -> InputDialog: + @overload + def load_layout(self, filename: str, options: db.LoadLayoutOptions, technology: str, add_cellview: Optional[bool] = ...) -> int: r""" - @brief Creates a copy of self + @brief Loads a (new) file into the layout view with the given technology + + Loads the file given by the "filename" parameter and associates it with the given technology. + The options specify various options for reading the file. + The add_cellview param controls whether to create a new cellview (true) + or clear all cellviews before (false). + + @return The index of the cellview loaded. + + This version has been introduced in version 0.22. The 'add_cellview' argument has been made optional in version 0.28. """ - def __init__(self) -> None: + @overload + def load_layout(self, filename: str, technology: str, add_cellview: Optional[bool] = ...) -> int: r""" - @brief Creates a new object of this class + @brief Loads a (new) file into the layout view with the given technology + + Loads the file given by the "filename" parameter and associates it with the given technology. + The add_cellview param controls whether to create a new cellview (true) + or clear all cellviews before (false). + + @return The index of the cellview loaded. + + This version has been introduced in version 0.22. The 'add_cellview' argument has been made optional in version 0.28. """ - def _create(self) -> None: + def lvsdb(self, index: int) -> db.LayoutVsSchematic: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Gets the netlist database with the given index + @return The \LayoutVsSchematic object or nil if the index is not valid + This method has been added in version 0.26. """ - def _destroy(self) -> None: + def max_hier(self) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Selects all hierarchy levels available + + Show the layout in full depth down to the deepest level of hierarchy. This method may cause a redraw. """ - def _destroyed(self) -> bool: + def menu(self) -> AbstractMenu: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Gets the \AbstractMenu associated with this view. + + In normal UI application mode this is the main window's view. For a detached view or in non-UI applications this is the view's private menu. + + This method has been introduced in version 0.28. """ - def _is_const_object(self) -> bool: + def mode_name(self) -> str: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Gets the name of the current mode. + + See \switch_mode about a method to change the mode and \mode_names for a method to retrieve all available mode names. + + This method has been introduced in version 0.28. """ - def _manage(self) -> None: + def mode_names(self) -> List[str]: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Gets the names of the available modes. - Usually it's not required to call this method. It has been introduced in version 0.24. + This method allows asking the view for the available mode names for \switch_mode and for the value returned by \mode. + + This method has been introduced in version 0.28. """ - def _unmanage(self) -> None: + def netlist_browser(self) -> NetlistBrowserDialog: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Gets the netlist browser object for the given layout view - Usually it's not required to call this method. It has been introduced in version 0.24. + + This method has been added in version 0.27. """ - def assign(self, other: InputDialog) -> None: + def num_l2ndbs(self) -> int: r""" - @brief Assigns another object to self + @brief Gets the number of netlist databases loaded into this view + @return The number of \LayoutToNetlist objects present in this view + + This method has been added in version 0.26. """ - def create(self) -> None: + def num_layer_lists(self) -> int: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Gets the number of layer properties tabs present + This method has been introduced in version 0.23. """ - def destroy(self) -> None: + def num_rdbs(self) -> int: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Gets the number of report databases loaded into this view + @return The number of \ReportDatabase objects present in this view """ - def destroyed(self) -> bool: + def pan_center(self, p: db.DPoint) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Pans to the given point + + The window is positioned such that "p" becomes the new center """ - def dup(self) -> InputDialog: + def pan_down(self) -> None: r""" - @brief Creates a copy of self + @brief Pans down """ - def is_const_object(self) -> bool: + def pan_left(self) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Pans to the left """ - -class FileDialog: - r""" - @brief Various methods to request a file name - - This class provides some basic dialogs to select a file or directory. This functionality is provided through the static (class) methods ask_... - - Here are some examples: - - @code - # get an existing directory: - v = RBA::FileDialog::ask_existing_dir("Dialog Title", ".") - # get multiple files: - v = RBA::FileDialog::ask_open_file_names("Title", ".", "All files (*)") - # ask for one file name to save a file: - v = RBA::FileDialog::ask_save_file_name("Title", ".", "All files (*)") - @/code - - All these examples return the "nil" value if "Cancel" is pressed. - - If you have enabled the Qt binding, you can use \QFileDialog directly. - """ - @classmethod - def ask_existing_dir(cls, title: str, dir: str) -> Any: + def pan_right(self) -> None: r""" - @brief Open a dialog to select a directory - - @param title The title of the dialog - @param dir The directory selected initially - @return The directory path selected or "nil" if "Cancel" was pressed - - This method has been introduced in version 0.23. It is somewhat easier to use than the get_... equivalent. + @brief Pans to the right """ - @classmethod - def ask_open_file_name(cls, title: str, dir: str, filter: str) -> Any: + def pan_up(self) -> None: r""" - @brief Select one file for opening - - @param title The title of the dialog - @param dir The directory selected initially - @param filter The filters available, for example "Images (*.png *.xpm *.jpg);;Text files (*.txt);;XML files (*.xml)" - @return The path of the file selected or "nil" if "Cancel" was pressed - - This method has been introduced in version 0.23. It is somewhat easier to use than the get_... equivalent. + @brief Pans upward """ - @classmethod - def ask_open_file_names(cls, title: str, dir: str, filter: str) -> Any: + def rdb(self, index: int) -> rdb.ReportDatabase: r""" - @brief Select one or multiple files for opening - - @param title The title of the dialog - @param dir The directory selected initially - @param filter The filters available, for example "Images (*.png *.xpm *.jpg);;Text files (*.txt);;XML files (*.xml)" - @return An array with the file paths selected or "nil" if "Cancel" was pressed - - This method has been introduced in version 0.23. It is somewhat easier to use than the get_... equivalent. + @brief Gets the report database with the given index + @return The \ReportDatabase object or nil if the index is not valid """ - @classmethod - def ask_save_file_name(cls, title: str, dir: str, filter: str) -> Any: + def register_annotation_template(self, annotation: BasicAnnotation, title: str, mode: Optional[int] = ...) -> None: r""" - @brief Select one file for writing + @brief Registers the given annotation as a template for this particular view + @annotation The annotation to use for the template (positions are ignored) + @param title The title to use for the ruler template + @param mode The mode the ruler will be created in (see Ruler... constants) - @param title The title of the dialog - @param dir The directory selected initially - @param filter The filters available, for example "Images (*.png *.xpm *.jpg);;Text files (*.txt);;XML files (*.xml)" - @return The path of the file chosen or "nil" if "Cancel" was pressed + See \Annotation#register_template for a method doing the same on application level. This method is hardly useful normally, but can be used when customizing layout views as individual widgets. - This method has been introduced in version 0.23. It is somewhat easier to use than the get_... equivalent. + This method has been added in version 0.28. """ - @classmethod - def get_existing_dir(cls, title: str, dir: str) -> StringValue: + def reload_layout(self, cv: int) -> None: r""" - @brief Open a dialog to select a directory - - @param title The title of the dialog - @param dir The directory selected initially - @return A \StringValue object that contains the directory path selected or with has_value? = false if "Cancel" was pressed + @brief Reloads the given cellview - Starting with version 0.23 this method is deprecated. Use \ask_existing_dir instead. + @param cv The index of the cellview to reload """ - @classmethod - def get_open_file_name(cls, title: str, dir: str, filter: str) -> StringValue: + def remove_l2ndb(self, index: int) -> None: r""" - @brief Select one file for opening - - @param title The title of the dialog - @param dir The directory selected initially - @param filter The filters available, for example "Images (*.png *.xpm *.jpg);;Text files (*.txt);;XML files (*.xml)" - @return A \StringValue object that contains the files selected or with has_value? = false if "Cancel" was pressed - - Starting with version 0.23 this method is deprecated. Use \ask_open_file_name instead. + @brief Removes a netlist database with the given index + @param The index of the netlist database to remove from this view + This method has been added in version 0.26. """ - @classmethod - def get_open_file_names(cls, title: str, dir: str, filter: str) -> StringListValue: + def remove_line_style(self, index: int) -> None: r""" - @brief Select one or multiple files for opening - - @param title The title of the dialog - @param dir The directory selected initially - @param filter The filters available, for example "Images (*.png *.xpm *.jpg);;Text files (*.txt);;XML files (*.xml)" - @return A \StringListValue object that contains the files selected or with has_value? = false if "Cancel" was pressed + @brief Removes the line style with the given index + The line styles with an index less than the first custom style. If a style is removed that is still used, the results are undefined. - Starting with version 0.23 this method is deprecated. Use \ask_open_file_names instead. + This method has been introduced in version 0.25. """ - @classmethod - def get_save_file_name(cls, title: str, dir: str, filter: str) -> StringValue: + def remove_rdb(self, index: int) -> None: r""" - @brief Select one file for writing - - @param title The title of the dialog - @param dir The directory selected initially - @param filter The filters available, for example "Images (*.png *.xpm *.jpg);;Text files (*.txt);;XML files (*.xml)" - @return A \StringValue object that contains the files selected or with has_value? = false if "Cancel" was pressed - - Starting with version 0.23 this method is deprecated. Use \ask_save_file_name instead. + @brief Removes a report database with the given index + @param The index of the report database to remove from this view """ - @classmethod - def new(cls) -> FileDialog: + def remove_stipple(self, index: int) -> None: r""" - @brief Creates a new object of this class + @brief Removes the stipple pattern with the given index + The pattern with an index less than the first custom pattern cannot be removed. If a stipple pattern is removed that is still used, the results are undefined. """ - def __copy__(self) -> FileDialog: + def remove_unused_layers(self) -> None: r""" - @brief Creates a copy of self + @brief Removes unused layers from layer list + This method was introduced in version 0.19. """ - def __deepcopy__(self) -> FileDialog: + def rename_cellview(self, name: str, index: int) -> None: r""" - @brief Creates a copy of self + @brief Renames the cellview with the given index + + If the name is not unique, a unique name will be constructed from the name given. + The name may be different from the filename but is associated with the layout object. + If a layout is shared between multiple cellviews (which may happen due to a clone of the layout view + for example), all cellviews are renamed. """ - def __init__(self) -> None: + def rename_layer_list(self, index: int, name: str) -> None: r""" - @brief Creates a new object of this class + @brief Sets the title of the given layer properties tab + This method has been introduced in version 0.21. """ - def _create(self) -> None: + def replace_annotation(self, id: int, obj: Annotation) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Replaces the annotation given by the id with the new one + Replaces an existing annotation given by the id parameter with the new one. The id of an annotation can be obtained through \Annotation#id. + + This method has been introduced in version 0.24. """ - def _destroy(self) -> None: + def replace_image(self, id: int, new_obj: Image) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Replace an image object with the new image + + @param id The id of the object to replace + @param new_obj The new object to replace the old one + + Replaces the image with the given Id with the new object. The Id can be obtained with if "id" method of the image object. + + This method has been introduced in version 0.20. """ - def _destroyed(self) -> bool: + def replace_l2ndb(self, db_index: int, db: db.LayoutToNetlist) -> int: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Replaces the netlist database with the given index + + If the index is not valid, the database will be added to the view (see \add_lvsdb). + + @return The index of the database within the view (see \lvsdb) + + This method has been added in version 0.26. """ - def _is_const_object(self) -> bool: + @overload + def replace_layer_node(self, index: int, iter: LayerPropertiesIterator, node: LayerProperties) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Replaces the layer node at the position given by "iter" with a new one + This version addresses a specific list in a multi-tab layer properties arrangement with the "index" parameter. + This method has been introduced in version 0.21. + Since version 0.22, this method accepts LayerProperties and LayerPropertiesNode objects. A LayerPropertiesNode object can contain a hierarchy of further nodes. """ - def _manage(self) -> None: + @overload + def replace_layer_node(self, iter: LayerPropertiesIterator, node: LayerProperties) -> None: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Replaces the layer node at the position given by "iter" with a new one - Usually it's not required to call this method. It has been introduced in version 0.24. + Since version 0.22, this method accepts LayerProperties and LayerPropertiesNode objects. A LayerPropertiesNode object can contain a hierarchy of further nodes. """ - def _unmanage(self) -> None: + def replace_lvsdb(self, db_index: int, db: db.LayoutVsSchematic) -> int: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Replaces the database with the given index + + If the index is not valid, the database will be added to the view (see \add_lvsdb). + + @return The index of the database within the view (see \lvsdb) - Usually it's not required to call this method. It has been introduced in version 0.24. + This method has been added in version 0.26. """ - def assign(self, other: FileDialog) -> None: + def replace_rdb(self, db_index: int, db: rdb.ReportDatabase) -> int: r""" - @brief Assigns another object to self + @brief Replaces the report database with the given index + + If the index is not valid, the database will be added to the view (see \add_rdb). + + @return The index of the database within the view (see \rdb) + + This method has been added in version 0.26. """ - def create(self) -> None: + def reset_title(self) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Resets the title to the standard title + + See \set_title and \title for a description about how titles are handled. """ - def destroy(self) -> None: + def resize(self, arg0: int, arg1: int) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Resizes the layout view to the given dimension + + This method has been made available in all builds in 0.28. """ - def destroyed(self) -> bool: + @overload + def save_as(self, index: int, filename: str, gzip: bool, options: db.SaveLayoutOptions) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Saves a layout to the given stream file + + @param index The cellview index of the layout to save. + @param filename The file to write. + @param gzip Ignored. + @param options Writer options. + + The layout with the given index is written to the stream file with the given options. 'options' is a \SaveLayoutOptions object that specifies which format to write and further options such as scaling factor etc. + Calling this method is equivalent to calling 'write' on the respective layout object. + + This method is deprecated starting from version 0.23. The compression mode is determined from the file name automatically and the \gzip parameter is ignored. """ - def dup(self) -> FileDialog: + @overload + def save_as(self, index: int, filename: str, options: db.SaveLayoutOptions) -> None: r""" - @brief Creates a copy of self + @brief Saves a layout to the given stream file + + @param index The cellview index of the layout to save. + @param filename The file to write. + @param options Writer options. + + The layout with the given index is written to the stream file with the given options. 'options' is a \SaveLayoutOptions object that specifies which format to write and further options such as scaling factor etc. + Calling this method is equivalent to calling 'write' on the respective layout object. + + If the file name ends with a suffix ".gz" or ".gzip", the file is compressed with the zlib algorithm. """ - def is_const_object(self) -> bool: + def save_image(self, filename: str, width: int, height: int) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Saves the layout as an image to the given file + + @param filename The file to which to write the screenshot to. + @param width The width of the image to render in pixel. + @param height The height of the image to render in pixel. + + The image contains the current scene (layout, annotations etc.). + The image is written as a PNG file to the given file. The image is drawn synchronously with the given width and height. Drawing may take some time. """ + def save_image_with_options(self, filename: str, width: int, height: int, linewidth: Optional[int] = ..., oversampling: Optional[int] = ..., resolution: Optional[float] = ..., target: Optional[db.DBox] = ..., monochrome: Optional[bool] = ...) -> None: + r""" + @brief Saves the layout as an image to the given file (with options) -class MessageBox(QMainWindow_Native): - r""" - @brief Various methods to display message boxes - This class provides some basic message boxes. This functionality is provided through the static (class) methods \warning, \question and so on. + @param filename The file to which to write the screenshot to. + @param width The width of the image to render in pixel. + @param height The height of the image to render in pixel. + @param linewidth The line width scale factor (usually 1) or 0 for 1/resolution. + @param oversampling The oversampling factor (1..3) or 0 for the oversampling the view was configured with. + @param resolution The resolution (pixel size compared to a screen pixel) or 0 for 1/oversampling. + @param target_box The box to draw or an empty box for default. + @param monochrome If true, monochrome images will be produced. - Here is some example: + The image contains the current scene (layout, annotations etc.). + The image is written as a PNG file to the given file. The image is drawn synchronously with the given width and height. Drawing may take some time. Monochrome images don't have background or annotation objects currently. - @code - # issue a warning and ask whether to continue: - v = RBA::MessageBox::warning("Dialog Title", "Something happened. Continue?", RBA::MessageBox::Yes + RBA::MessageBox::No) - if v == RBA::MessageBox::Yes - ... continue ... - end - @/code + The 'linewidth' factor scales the layout style line widths. - If you have enabled the Qt binding, you can use \QMessageBox directly. - """ - Abort: ClassVar[int] - r""" - @brief A constant describing the 'Abort' button - """ - Cancel: ClassVar[int] - r""" - @brief A constant describing the 'Cancel' button - """ - Ignore: ClassVar[int] - r""" - @brief A constant describing the 'Ignore' button - """ - No: ClassVar[int] - r""" - @brief A constant describing the 'No' button - """ - Ok: ClassVar[int] - r""" - @brief A constant describing the 'Ok' button - """ - Retry: ClassVar[int] - r""" - @brief A constant describing the 'Retry' button - """ - Yes: ClassVar[int] - r""" - @brief A constant describing the 'Yes' button - """ - @classmethod - def b_abort(cls) -> int: - r""" - @brief A constant describing the 'Abort' button - """ - @classmethod - def b_cancel(cls) -> int: - r""" - @brief A constant describing the 'Cancel' button + The 'oversampling' factor will use multiple passes passes to create a single image pixels. An oversampling factor of 2 uses 2x2 virtual pixels to generate an output pixel. This results in a smoother image. This however comes with a corresponding memory and run time penalty. When using oversampling, you can set linewidth and resolution to 0. This way, line widths and stipple pattern are scaled such that the resulting image is equivalent to the standard image. + + The 'resolution' is the pixel size used to translate font sizes and stipple pattern. A resolution of 0.5 renders twice as large fonts and stipple pattern. When combining this value with an oversampling factor of 2 and a line width factor of 2, the resulting image is an oversampled version of the standard image. + + Examples: + + @code + # standard image 500x500 pixels (oversampling as configured in the view) + layout_view.save_image_with_options("image.png", 500, 500) + + # 2x oversampled image with 500x500 pixels + layout_view.save_image_with_options("image.png", 500, 500, 0, 2, 0) + + # 2x scaled image with 1000x1000 pixels + layout_view.save_image_with_options("image.png", 1000, 1000, 2, 1, 0.5) + @/code + + This method has been introduced in 0.23.10. """ - @classmethod - def b_ignore(cls) -> int: + def save_layer_props(self, fn: str) -> None: r""" - @brief A constant describing the 'Ignore' button + @brief Saves the layer properties + + Save the layer properties to the file given in "fn" """ - @classmethod - def b_no(cls) -> int: + def save_screenshot(self, filename: str) -> None: r""" - @brief A constant describing the 'No' button + @brief Saves a screenshot to the given file + + @param filename The file to which to write the screenshot to. + + The screenshot is written as a PNG file to the given file. This requires the drawing to be complete. Ideally, synchronous mode is switched on for the application to guarantee this condition. The image will have the size of the viewport showing the current layout. """ - @classmethod - def b_ok(cls) -> int: + def select_all(self) -> None: r""" - @brief A constant describing the 'Ok' button + @brief Selects all objects from the view + + This method has been introduced in version 0.27 """ - @classmethod - def b_retry(cls) -> int: + def select_cell(self, cell_index: int, cv_index: int) -> None: r""" - @brief A constant describing the 'Retry' button + @brief Selects a cell by index for a certain cell view + + Select the current (top) cell by specifying a path (a list of cell indices from top to the actual cell) and the cellview index for which this cell should become the currently shown one. + This method selects the cell to be drawn. In constrast, the \set_current_cell_path method selects the cell that is highlighted in the cell tree (but not necessarily drawn). + This method is was deprecated in version 0.25 since from then, the \CellView object can be used to obtain an manipulate the selected cell. """ - @classmethod - def b_yes(cls) -> int: + def select_cell_path(self, cell_index: Sequence[int], cv_index: int) -> None: r""" - @brief A constant describing the 'Yes' button + @brief Selects a cell by cell index for a certain cell view + + Select the current (top) cell by specifying a cell indexand the cellview index for which this cell should become the currently shown one. The path to the cell is constructed by selecting one that leads to a top cell. + This method selects the cell to be drawn. In constrast, the \set_current_cell_path method selects the cell that is highlighted in the cell tree (but not necessarily drawn). + This method is was deprecated in version 0.25 since from then, the \CellView object can be used to obtain an manipulate the selected cell. """ - @classmethod - def critical(cls, title: str, text: str, buttons: int) -> int: + @overload + def select_from(self, box: db.DBox, mode: Optional[LayoutViewBase.SelectionMode] = ...) -> None: r""" - @brief Open a critical (error) message box - @param title The title of the window - @param text The text to show - @param buttons A combination (+) of button constants (\Ok and so on) describing the buttons to show for the message box - @return The button constant describing the button that was pressed + @brief Selects the objects from a given box + + The mode indicates whether to add to the selection, replace the selection, remove from selection or invert the selected status of the objects found inside the given box. + + This method has been introduced in version 0.27 """ - @classmethod - def info(cls, title: str, text: str, buttons: int) -> int: + @overload + def select_from(self, point: db.DPoint, mode: Optional[LayoutViewBase.SelectionMode] = ...) -> None: r""" - @brief Open a information message box - @param title The title of the window - @param text The text to show - @param buttons A combination (+) of button constants (\Ok and so on) describing the buttons to show for the message box - @return The button constant describing the button that was pressed + @brief Selects the objects from a given point + + The mode indicates whether to add to the selection, replace the selection, remove from selection or invert the selected status of the objects found around the given point. + + This method has been introduced in version 0.27 """ - @classmethod - def question(cls, title: str, text: str, buttons: int) -> int: + def select_object(self, obj: ObjectInstPath) -> None: r""" - @brief Open a question message box - @param title The title of the window - @param text The text to show - @param buttons A combination (+) of button constants (\Ok and so on) describing the buttons to show for the message box - @return The button constant describing the button that was pressed + @brief Adds the given selection to the list of selected objects + + The selection provided by the \ObjectInstPath descriptor is added to the list of selected objects. + To clear the previous selection, use \clear_object_selection. + + The selection of other objects (such as annotations and images) will not be affected. + + Another way of selecting objects is \object_selection=. + + This method has been introduced in version 0.24 """ - @classmethod - def warning(cls, title: str, text: str, buttons: int) -> int: + def selected_cells_paths(self, cv_index: int) -> List[List[int]]: r""" - @brief Open a warning message box - @param title The title of the window - @param text The text to show - @param buttons A combination (+) of button constants (\Ok and so on) describing the buttons to show for the message box - @return The button constant describing the button that was pressed + @brief Gets the paths of the selected cells + + Gets a list of cell paths to the cells selected in the cellview given by \cv_index. The "selected cells" are the ones selected in the cell list or cell tree. This is not the "current cell" which is the one that is shown in the layout window. + + The cell paths are arrays of cell indexes where the last element is the actual cell selected. + + This method has be introduced in version 0.25. """ - def __copy__(self) -> MessageBox: + def selected_layers(self) -> List[LayerPropertiesIterator]: r""" - @brief Creates a copy of self + @brief Gets the selected layers + + Returns an array of \LayerPropertiesIterator objects pointing to the currently selected layers. If no layer view is selected currently, an empty array is returned. """ - def __deepcopy__(self) -> MessageBox: + def selection_bbox(self) -> db.DBox: r""" - @brief Creates a copy of self + @brief Returns the bounding box of the current selection + + This method has been introduced in version 0.26.2 """ - def _create(self) -> None: + def selection_size(self) -> int: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Returns the number of selected objects + + This method has been introduced in version 0.27 """ - def _destroy(self) -> None: + def send_enter_event(self) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Sends a mouse window leave event + + This method is intended to emulate the mouse mouse window leave events sent by Qt normally in environments where Qt is not present. + This method was introduced in version 0.28. """ - def _destroyed(self) -> bool: + def send_key_press_event(self, key: int, buttons: int) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Sends a key press event + + This method is intended to emulate the key press events sent by Qt normally in environments where Qt is not present. The arguments follow the conventions used within \Plugin#key_event for example. + + This method was introduced in version 0.28. """ - def _is_const_object(self) -> bool: + def send_leave_event(self) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Sends a mouse window leave event + + This method is intended to emulate the mouse mouse window leave events sent by Qt normally in environments where Qt is not present. + This method was introduced in version 0.28. """ - def _manage(self) -> None: + def send_mouse_double_clicked_event(self, pt: db.DPoint, buttons: int) -> None: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Sends a mouse button double-click event - Usually it's not required to call this method. It has been introduced in version 0.24. + This method is intended to emulate the mouse button double-click events sent by Qt normally in environments where Qt is not present. The arguments follow the conventions used within \Plugin#mouse_moved_event for example. + + This method was introduced in version 0.28. """ - def _unmanage(self) -> None: + def send_mouse_move_event(self, pt: db.DPoint, buttons: int) -> None: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Sends a mouse move event - Usually it's not required to call this method. It has been introduced in version 0.24. + This method is intended to emulate the mouse move events sent by Qt normally in environments where Qt is not present. The arguments follow the conventions used within \Plugin#mouse_moved_event for example. + + This method was introduced in version 0.28. """ - def assign(self, other: QObject_Native) -> None: + def send_mouse_press_event(self, pt: db.DPoint, buttons: int) -> None: r""" - @brief Assigns another object to self + @brief Sends a mouse button press event + + This method is intended to emulate the mouse button press events sent by Qt normally in environments where Qt is not present. The arguments follow the conventions used within \Plugin#mouse_moved_event for example. + + This method was introduced in version 0.28. """ - def dup(self) -> MessageBox: + def send_mouse_release_event(self, pt: db.DPoint, buttons: int) -> None: r""" - @brief Creates a copy of self + @brief Sends a mouse button release event + + This method is intended to emulate the mouse button release events sent by Qt normally in environments where Qt is not present. The arguments follow the conventions used within \Plugin#mouse_moved_event for example. + + This method was introduced in version 0.28. """ + def send_wheel_event(self, delta: int, horizontal: bool, pt: db.DPoint, buttons: int) -> None: + r""" + @brief Sends a mouse wheel event -class NetlistObjectPath: - r""" - @brief An object describing the instantiation of a netlist object. - This class describes the instantiation of a net or a device or a circuit in terms of a root circuit and a subcircuit chain leading to the indicated object. + This method is intended to emulate the mouse wheel events sent by Qt normally in environments where Qt is not present. The arguments follow the conventions used within \Plugin#wheel_event for example. - See \net= or \device= for the indicated object, \path= for the subcircuit chain. + This method was introduced in version 0.28. + """ + def set_active_cellview_index(self, index: int) -> None: + r""" + @brief Makes the cellview with the given index the active one (shown in hierarchy browser) + See \active_cellview_index. - This class has been introduced in version 0.27. - """ - device: db.Device - r""" - Getter: - @brief Gets the device the path points to. + This method has been renamed from set_active_cellview_index to active_cellview_index= in version 0.25. The original name is still available, but is deprecated. + """ + def set_config(self, name: str, value: str) -> None: + r""" + @brief Sets a local configuration parameter with the given name to the given value - Setter: - @brief Sets the device the path points to. - If the path describes the location of a device, this member will indicate it. - The other way to describe a final object is \net=. If neither a device nor net is given, the path describes a circuit and how it is referenced from the root. - """ - net: db.Net - r""" - Getter: - @brief Gets the net the path points to. + @param name The name of the configuration parameter to set + @param value The value to which to set the configuration parameter - Setter: - @brief Sets the net the path points to. - If the path describes the location of a net, this member will indicate it. - The other way to describe a final object is \device=. If neither a device nor net is given, the path describes a circuit and how it is referenced from the root. - """ - path: List[db.SubCircuit] - r""" - Getter: - @brief Gets the path. + This method sets a local configuration parameter with the given name to the given value. Values can only be strings. Numerical values have to be converted into strings first. Local configuration parameters override global configurations for this specific view. This allows for example to override global settings of background colors. Any local settings are not written to the configuration file. + """ + def set_current_cell_path(self, cv_index: int, cell_path: Sequence[int]) -> None: + r""" + @brief Sets the path to the current cell - Setter: - @brief Sets the path. - The path is a list of subcircuits leading from the root to the final object. The final (net, device) object is located in the circuit called by the last subcircuit of the subcircuit chain. If the subcircuit list is empty, the final object is located inside the root object. - """ - root: db.Circuit - r""" - Getter: - @brief Gets the root circuit of the path. + The current cell is the one highlighted in the browser with the focus rectangle. The + cell given by the path is highlighted and scrolled into view. + To select the cell to be drawn, use the \select_cell or \select_cell_path method. - Setter: - @brief Sets the root circuit of the path. - The root circuit is the circuit from which the path starts. - """ - @classmethod - def new(cls) -> NetlistObjectPath: + @param cv_index The cellview index for which to set the current path for (usually this will be the active cellview index) + @param path The path to the current cell + + This method is was deprecated in version 0.25 since from then, the \CellView object can be used to obtain an manipulate the selected cell. + """ + def set_current_layer_list(self, index: int) -> None: r""" - @brief Creates a new object of this class + @brief Sets the index of the currently selected layer properties tab + This method has been introduced in version 0.21. """ - def __copy__(self) -> NetlistObjectPath: + @overload + def set_layer_properties(self, index: int, iter: LayerPropertiesIterator, props: LayerProperties) -> None: r""" - @brief Creates a copy of self + @brief Sets the layer properties of the layer pointed to by the iterator + + This method replaces the layer properties of the element pointed to by "iter" by the properties given by "props" in the tab given by "index". It will not change the hierarchy but just the properties of the given node.This version addresses a specific list in a multi-tab layer properties arrangement with the "index" parameter. This method has been introduced in version 0.21. """ - def __deepcopy__(self) -> NetlistObjectPath: + @overload + def set_layer_properties(self, iter: LayerPropertiesIterator, props: LayerProperties) -> None: r""" - @brief Creates a copy of self + @brief Sets the layer properties of the layer pointed to by the iterator + + This method replaces the layer properties of the element pointed to by "iter" by the properties given by "props". It will not change the hierarchy but just the properties of the given node. """ - def __init__(self) -> None: + def set_title(self, title: str) -> None: r""" - @brief Creates a new object of this class + @brief Sets the title of the view + + @param title The title string to use + + Override the standard title of the view indicating the file names loaded by the specified title string. The title string can be reset with \reset_title to the standard title again. """ - def _create(self) -> None: + @overload + def show_all_cells(self) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Makes all cells shown (cancel effects of \hide_cell) """ - def _destroy(self) -> None: + @overload + def show_all_cells(self, cv_index: int) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Makes all cells shown (cancel effects of \hide_cell) for the specified cell view + Unlike \show_all_cells, this method will only clear the hidden flag on the cell view selected by \cv_index. + + This variant has been added in version 0.25. """ - def _destroyed(self) -> bool: + def show_cell(self, cell_index: int, cv_index: int) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Shows the given cell for the given cellview (cancel effect of \hide_cell) """ - def _is_const_object(self) -> bool: + def show_image(self, id: int, visible: bool) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Shows or hides the given image + @param id The id of the object to show or hide + @param visible True, if the image should be shown + + Sets the visibility of the image with the given Id. The Id can be obtained with if "id" method of the image object. + + This method has been introduced in version 0.20. + + With version 0.25, \Image#visible= can be used to achieve the same results. """ - def _manage(self) -> None: + @overload + def show_layout(self, layout: db.Layout, add_cellview: bool) -> int: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Shows an existing layout in the view - Usually it's not required to call this method. It has been introduced in version 0.24. + Shows the given layout in the view. If add_cellview is true, the new layout is added to the list of cellviews in the view. + + Note: once a layout is passed to the view with show_layout, it is owned by the view and must not be destroyed with the 'destroy' method. + + @return The index of the cellview created. + + This method has been introduced in version 0.22. """ - def _unmanage(self) -> None: + @overload + def show_layout(self, layout: db.Layout, tech: str, add_cellview: bool) -> int: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Shows an existing layout in the view - Usually it's not required to call this method. It has been introduced in version 0.24. + Shows the given layout in the view. If add_cellview is true, the new layout is added to the list of cellviews in the view. + The technology to use for that layout can be specified as well with the 'tech' parameter. Depending on the definition of the technology, layer properties may be loaded for example. + The technology string can be empty for the default technology. + + Note: once a layout is passed to the view with show_layout, it is owned by the view and must not be destroyed with the 'destroy' method. + + @return The index of the cellview created. + + This method has been introduced in version 0.22. + """ + @overload + def show_layout(self, layout: db.Layout, tech: str, add_cellview: bool, init_layers: bool) -> int: + r""" + @brief Shows an existing layout in the view + + Shows the given layout in the view. If add_cellview is true, the new layout is added to the list of cellviews in the view. + The technology to use for that layout can be specified as well with the 'tech' parameter. Depending on the definition of the technology, layer properties may be loaded for example. + The technology string can be empty for the default technology. + This variant also allows one to control whether the layer properties are + initialized (init_layers = true) or not (init_layers = false). + + Note: once a layout is passed to the view with show_layout, it is owned by the view and must not be destroyed with the 'destroy' method. + + @return The index of the cellview created. + + This method has been introduced in version 0.22. """ - def assign(self, other: NetlistObjectPath) -> None: + def stop(self) -> None: r""" - @brief Assigns another object to self + @brief Stops redraw thread and close any browsers + This method usually does not need to be called explicitly. The redraw thread is stopped automatically. """ - def create(self) -> None: + def stop_redraw(self) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Stops the redraw thread + + It is very important to stop the redraw thread before applying changes to the layout or the cell views and the LayoutView configuration. This is usually done automatically. For rare cases, where this is not the case, this method is provided. """ - def destroy(self) -> None: + def switch_mode(self, arg0: str) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Switches the mode. + + See \mode_name about a method to get the name of the current mode and \mode_names for a method to retrieve all available mode names. + + This method has been introduced in version 0.28. """ - def destroyed(self) -> bool: + def transaction(self, description: str) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Begins a transaction + + @param description A text that appears in the 'undo' description + + A transaction brackets a sequence of database modifications that appear as a single undo action. Only modifications that are wrapped inside a transaction..commit call pair can be undone. + Each transaction must be terminated with a \commit method call, even if some error occurred. It is advisable therefore to catch errors and issue a commit call in this case. + + This method was introduced in version 0.16. """ - def dup(self) -> NetlistObjectPath: + def transient_to_selection(self) -> None: r""" - @brief Creates a copy of self + @brief Turns the transient selection into the actual selection + + The current selection is cleared before. All highlighted objects under the mouse will become selected. This applies to all types of objects (rulers, shapes, images ...). + + This method has been introduced in version 0.26.2 """ - def is_const_object(self) -> bool: + def unregister_annotation_templates(self, category: str) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Unregisters the template or templates with the given category string on this particular view + + See \Annotation#unregister_templates for a method doing the same on application level.This method is hardly useful normally, but can be used when customizing layout views as individual widgets. + + This method has been added in version 0.28. """ - def is_null(self) -> bool: + def unselect_object(self, obj: ObjectInstPath) -> None: r""" - @brief Returns a value indicating whether the path is an empty one. - """ - -class NetlistObjectsPath: - r""" - @brief An object describing the instantiation of a single netlist object or a pair of those. - This class is basically a pair of netlist object paths (see \NetlistObjectPath). When derived from a single netlist view, only the first path is valid and will point to the selected object (a net, a device or a circuit). The second path is null. + @brief Removes the given selection from the list of selected objects - If the path is derived from a paired netlist view (a LVS report view), the first path corresponds to the object in the layout netlist, the second one to the object in the schematic netlist. - If the selected object isn't a matched one, either the first or second path may be a null or a partial path without a final net or device object or a partial path. + The selection provided by the \ObjectInstPath descriptor is removed from the list of selected objects. + If the given object was not part of the selection, nothing will be changed. + The selection of other objects (such as annotations and images) will not be affected. - This class has been introduced in version 0.27. - """ - @classmethod - def new(cls) -> NetlistObjectsPath: + This method has been introduced in version 0.24 + """ + def update_content(self) -> None: r""" - @brief Creates a new object of this class + @brief Updates the layout view to the current state + + This method triggers an update of the hierarchy tree and layer view tree. Usually, this method does not need to be called. The widgets are updated automatically in most cases. + + Currently, this method should be called however, after the layer view tree has been changed by the \insert_layer, \replace_layer_node or \delete_layer methods. """ - def __copy__(self) -> NetlistObjectsPath: + def viewport_height(self) -> int: r""" - @brief Creates a copy of self + @brief Return the viewport height in pixels + This method was introduced in version 0.18. """ - def __deepcopy__(self) -> NetlistObjectsPath: + def viewport_trans(self) -> db.DCplxTrans: r""" - @brief Creates a copy of self + @brief Returns the transformation that converts micron coordinates to pixels + Hint: the transformation returned will convert any point in micron coordinate space into a pixel coordinate. Contrary to usual convention, the y pixel coordinate is given in a mathematically oriented space - which means the bottom coordinate is 0. + This method was introduced in version 0.18. """ - def __init__(self) -> None: + def viewport_width(self) -> int: r""" - @brief Creates a new object of this class + @brief Returns the viewport width in pixels + This method was introduced in version 0.18. """ - def _create(self) -> None: + def zoom_box(self, box: db.DBox) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Sets the viewport to the given box + + @param box The box to which to set the view in micron coordinates """ - def _destroy(self) -> None: + def zoom_fit(self) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Fits the contents of the current view into the window """ - def _destroyed(self) -> bool: + def zoom_fit_sel(self) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Fits the contents of the current selection into the window + + This method has been introduced in version 0.25. """ - def _is_const_object(self) -> bool: + def zoom_in(self) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Zooms in somewhat """ - def _manage(self) -> None: + def zoom_out(self) -> None: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Zooms out somewhat + """ - Usually it's not required to call this method. It has been introduced in version 0.24. +class Macro: + r""" + @brief A macro class + + This class is provided mainly to support generation of template macros in the DSL interpreter framework provided by \MacroInterpreter. The implementation may be enhanced in future versions and provide access to macros stored inside KLayout's macro repository. + But it can be used to execute macro code in a consistent way: + + @code + path = "path-to-macro.lym" + RBA::Macro::new(path).run() + @/code + + Using the Macro class with \run for executing code will chose the right interpreter and is able to execute DRC and LVS scripts in the proper environment. This also provides an option to execute Ruby code from Python and vice versa. + + In this scenario you can pass values to the script using \Interpreter#define_variable. The interpreter to choose for DRC and LVS scripts is \Interpreter#ruby_interpreter. For passing values back from the script, wrap the variable value into a \Value object which can be modified by the called script and read back by the caller. + """ + class Format: + r""" + @brief Specifies the format of a macro + This enum has been introduced in version 0.27.5. """ - def _unmanage(self) -> None: + MacroFormat: ClassVar[Macro.Format] r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief The macro has macro (XML) format """ - def assign(self, other: NetlistObjectsPath) -> None: + PlainTextFormat: ClassVar[Macro.Format] r""" - @brief Assigns another object to self + @brief The macro has plain text format """ - def create(self) -> None: + PlainTextWithHashAnnotationsFormat: ClassVar[Macro.Format] r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief The macro has plain text format with special pseudo-comment annotations """ - def destroy(self) -> None: + @overload + @classmethod + def new(cls, i: int) -> Macro.Format: + r""" + @brief Creates an enum from an integer value + """ + @overload + @classmethod + def new(cls, s: str) -> Macro.Format: + r""" + @brief Creates an enum from a string value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares two enums + """ + @overload + def __init__(self, i: int) -> None: + r""" + @brief Creates an enum from an integer value + """ + @overload + def __init__(self, s: str) -> None: + r""" + @brief Creates an enum from a string value + """ + @overload + def __lt__(self, other: Macro.Format) -> bool: + r""" + @brief Returns true if the first enum is less (in the enum symbol order) than the second + """ + @overload + def __lt__(self, other: int) -> bool: + r""" + @brief Returns true if the enum is less (in the enum symbol order) than the integer value + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer for inequality + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares two enums for inequality + """ + def __repr__(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + def inspect(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def to_i(self) -> int: + r""" + @brief Gets the integer value from the enum + """ + def to_s(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + class Interpreter: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Specifies the interpreter used for executing a macro + This enum has been introduced in version 0.27.5. """ - def destroyed(self) -> bool: + DSLInterpreter: ClassVar[Macro.Interpreter] r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief A domain-specific interpreter (DSL) """ - def dup(self) -> NetlistObjectsPath: + None_: ClassVar[Macro.Interpreter] r""" - @brief Creates a copy of self + @brief No specific interpreter """ - def first(self) -> NetlistObjectPath: + Python: ClassVar[Macro.Interpreter] r""" - @brief Gets the first object's path. - In cases of paired netlists (LVS database), the first path points to the layout netlist object. - For the single netlist, the first path is the only path supplied. + @brief The interpreter is Python """ - def is_const_object(self) -> bool: + Ruby: ClassVar[Macro.Interpreter] r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief The interpreter is Ruby """ - def second(self) -> NetlistObjectPath: + Text: ClassVar[Macro.Interpreter] r""" - @brief Gets the second object's path. - In cases of paired netlists (LVS database), the first path points to the schematic netlist object. - For the single netlist, the second path is always a null path. + @brief Plain text """ - -class NetlistBrowserDialog: + @overload + @classmethod + def new(cls, i: int) -> Macro.Interpreter: + r""" + @brief Creates an enum from an integer value + """ + @overload + @classmethod + def new(cls, s: str) -> Macro.Interpreter: + r""" + @brief Creates an enum from a string value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer value + """ + @overload + def __eq__(self, other: object) -> bool: + r""" + @brief Compares two enums + """ + @overload + def __init__(self, i: int) -> None: + r""" + @brief Creates an enum from an integer value + """ + @overload + def __init__(self, s: str) -> None: + r""" + @brief Creates an enum from a string value + """ + @overload + def __lt__(self, other: Macro.Interpreter) -> bool: + r""" + @brief Returns true if the first enum is less (in the enum symbol order) than the second + """ + @overload + def __lt__(self, other: int) -> bool: + r""" + @brief Returns true if the enum is less (in the enum symbol order) than the integer value + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares an enum with an integer for inequality + """ + @overload + def __ne__(self, other: object) -> bool: + r""" + @brief Compares two enums for inequality + """ + def __repr__(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def __str__(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + def inspect(self) -> str: + r""" + @brief Converts an enum to a visual string + """ + def to_i(self) -> int: + r""" + @brief Gets the integer value from the enum + """ + def to_s(self) -> str: + r""" + @brief Gets the symbolic string from an enum + """ + DSLInterpreter: ClassVar[Macro.Interpreter] r""" - @brief Represents the netlist browser dialog. - This dialog is a part of the \LayoutView class and can be obtained through \LayoutView#netlist_browser. - This interface allows to interact with the browser - mainly to get information about state changes. - - This class has been introduced in version 0.27. + @brief A domain-specific interpreter (DSL) """ - on_current_db_changed: None + MacroFormat: ClassVar[Macro.Format] + r""" + @brief The macro has macro (XML) format + """ + None_: ClassVar[Macro.Interpreter] + r""" + @brief No specific interpreter + """ + PlainTextFormat: ClassVar[Macro.Format] + r""" + @brief The macro has plain text format + """ + PlainTextWithHashAnnotationsFormat: ClassVar[Macro.Format] + r""" + @brief The macro has plain text format with special pseudo-comment annotations + """ + Python: ClassVar[Macro.Interpreter] + r""" + @brief The interpreter is Python + """ + Ruby: ClassVar[Macro.Interpreter] + r""" + @brief The interpreter is Ruby + """ + Text: ClassVar[Macro.Interpreter] + r""" + @brief Plain text + """ + category: str r""" Getter: - @brief This event is triggered when the current database is changed. - The current database can be obtained with \db. + @brief Gets the category tags + + The category tags string indicates to which categories a macro will belong to. This string is only used for templates currently and is a comma-separated list of category names. Setter: - @brief This event is triggered when the current database is changed. - The current database can be obtained with \db. + @brief Sets the category tags string + See \category for details. """ - on_probe: None + description: str r""" Getter: - @brief This event is triggered when a net is probed. - The first path will indicate the location of the probed net in terms of two paths: one describing the instantiation of the net in layout space and one in schematic space. Both objects are \NetlistObjectPath objects which hold the root circuit, the chain of subcircuits leading to the circuit containing the net and the net itself. + @brief Gets the description text + + The description text of a macro will appear in the macro list. If used as a macro template, the description text can have the format "Group;;Description". In that case, the macro will appear in a group with title "Group". Setter: - @brief This event is triggered when a net is probed. - The first path will indicate the location of the probed net in terms of two paths: one describing the instantiation of the net in layout space and one in schematic space. Both objects are \NetlistObjectPath objects which hold the root circuit, the chain of subcircuits leading to the circuit containing the net and the net itself. + @brief Sets the description text + @param description The description text. + See \description for details. """ - on_selection_changed: None + doc: str r""" Getter: - @brief This event is triggered when the selection changed. - The selection can be obtained with \current_path_first, \current_path_second, \selected_nets, \selected_devices, \selected_subcircuits and \selected_circuits. + @brief Gets the macro's documentation string + + This method has been introduced in version 0.27.5. + Setter: - @brief This event is triggered when the selection changed. - The selection can be obtained with \current_path_first, \current_path_second, \selected_nets, \selected_devices, \selected_subcircuits and \selected_circuits. - """ - @classmethod - def new(cls) -> NetlistBrowserDialog: - r""" - @brief Creates a new object of this class - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Sets the macro's documentation string - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + This method has been introduced in version 0.27.5. + """ + dsl_interpreter: str + r""" + Getter: + @brief Gets the macro's DSL interpreter name (if interpreter is DSLInterpreter) - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def current_path(self) -> NetlistObjectsPath: - r""" - @brief Gets the path of the current object as a path pair (combines layout and schematic object paths in case of a LVS database view). - """ - def current_path_first(self) -> NetlistObjectPath: - r""" - @brief Gets the path of the current object on the first (layout in case of LVS database) side. - """ - def current_path_second(self) -> NetlistObjectPath: - r""" - @brief Gets the path of the current object on the second (schematic in case of LVS database) side. - """ - def db(self) -> db.LayoutToNetlist: - r""" - @brief Gets the database the browser is connected to. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def selected_paths(self) -> List[NetlistObjectsPath]: - r""" - @brief Gets the nets currently selected objects (paths) in the netlist database browser. - The result is an array of path pairs. See \NetlistObjectsPath for details about these pairs. - """ + This method has been introduced in version 0.27.5. + + Setter: + @brief Sets the macro's DSL interpreter name (if interpreter is DSLInterpreter) -class LayoutViewWidget(QFrame_Native): + This method has been introduced in version 0.27.5. + """ + epilog: str r""" - This object produces a widget which embeds a LayoutView. This widget can be used inside Qt widget hierarchies. - To access the \LayoutView object within, use \view. + Getter: + @brief Gets the epilog code - This class has been introduced in version 0.28. + The epilog is executed after the actual code is executed. Interpretation depends on the implementation of the DSL interpreter for DSL macros. + Setter: + @brief Sets the epilog + See \epilog for details. """ - @classmethod - def new(cls, parent: QtWidgets.QWidget_Native, editable: Optional[bool] = ..., manager: Optional[db.Manager] = ..., options: Optional[int] = ...) -> LayoutViewWidget: - r""" - @brief Creates a standalone view widget + format: Macro.Format + r""" + Getter: + @brief Gets the macro's storage format - @param parent The parent widget in which to embed the view - @param editable True to make the view editable - @param manager The \Manager object to enable undo/redo - @param options A combination of the values in the LV_... constants from \LayoutViewBase + This method has been introduced in version 0.27.5. - This constructor has been introduced in version 0.25. - It has been enhanced with the arguments in version 0.27. - """ - def __init__(self, parent: QtWidgets.QWidget_Native, editable: Optional[bool] = ..., manager: Optional[db.Manager] = ..., options: Optional[int] = ...) -> None: - r""" - @brief Creates a standalone view widget + Setter: + @brief Sets the macro's storage format - @param parent The parent widget in which to embed the view - @param editable True to make the view editable - @param manager The \Manager object to enable undo/redo - @param options A combination of the values in the LV_... constants from \LayoutViewBase + This method has been introduced in version 0.27.5. + """ + group_name: str + r""" + Getter: + @brief Gets the menu group name - This constructor has been introduced in version 0.25. - It has been enhanced with the arguments in version 0.27. - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - def _manage(self) -> None: - r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + If a group name is specified and \show_in_menu? is true, the macro will appear in a separate group (separated by a separator) together with other macros sharing the same group. + Setter: + @brief Sets the menu group name + See \group_name for details. + """ + interpreter: Macro.Interpreter + r""" + Getter: + @brief Gets the macro's interpreter - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + This method has been introduced in version 0.27.5. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def bookmarks_frame(self) -> QtWidgets.QWidget_Native: - r""" - @brief Gets the bookmarks side widget - For details about side widgets see \layer_control_frame. + Setter: + @brief Sets the macro's interpreter - This method has been introduced in version 0.27 - """ - def hierarchy_control_frame(self) -> QtWidgets.QWidget_Native: - r""" - @brief Gets the cell view (hierarchy view) side widget - For details about side widgets see \layer_control_frame. + This method has been introduced in version 0.27.5. + """ + is_autorun: bool + r""" + Getter: + @brief Gets a flag indicating whether the macro is automatically executed on startup - This method has been introduced in version 0.27 - """ - def layer_control_frame(self) -> QtWidgets.QWidget_Native: - r""" - @brief Gets the layer control side widget - A 'side widget' is a widget attached to the view. It does not have a parent, so you can embed it into a different context. Please note that with embedding through 'setParent' it will be destroyed when your parent widget gets destroyed. It will be lost then to the view. + This method has been introduced in version 0.27.5. - The side widget can be configured through the views configuration interface. + Setter: + @brief Sets a flag indicating whether the macro is automatically executed on startup - This method has been introduced in version 0.27 - """ - def layer_toolbox_frame(self) -> QtWidgets.QWidget_Native: - r""" - @brief Gets the layer toolbox side widget - A 'side widget' is a widget attached to the view. It does not have a parent, so you can embed it into a different context. Please note that with embedding through 'setParent' it will be destroyed when your parent widget gets destroyed. It will be lost then to the view. + This method has been introduced in version 0.27.5. + """ + is_autorun_early: bool + r""" + Getter: + @brief Gets a flag indicating whether the macro is automatically executed early on startup - The side widget can be configured through the views configuration interface. + This method has been introduced in version 0.27.5. - This method has been introduced in version 0.28 - """ - def libraries_frame(self) -> QtWidgets.QWidget_Native: - r""" - @brief Gets the library view side widget - For details about side widgets see \layer_control_frame. + Setter: + @brief Sets a flag indicating whether the macro is automatically executed early on startup - This method has been introduced in version 0.27 - """ - def view(self) -> LayoutView: - r""" - @brief Gets the embedded view object. - """ + This method has been introduced in version 0.27.5. + """ + menu_path: str + r""" + Getter: + @brief Gets the menu path -class LayoutView(LayoutViewBase): + If a menu path is specified and \show_in_menu? is true, the macro will appear in the menu at the specified position. + Setter: + @brief Sets the menu path + See \menu_path for details. + """ + prolog: str r""" - @brief The view object presenting one or more layout objects + Getter: + @brief Gets the prolog code - The visual part of the view is the tab panel in the main window. The non-visual part are the redraw thread, the layout handles, cell lists, layer view lists etc. This object controls these aspects of the view and controls the appearance of the data. + The prolog is executed before the actual code is executed. Interpretation depends on the implementation of the DSL interpreter for DSL macros. + Setter: + @brief Sets the prolog + See \prolog for details. """ - on_close: None + shortcut: str r""" Getter: - @brief A event indicating that the view is about to close + @brief Gets the macro's keyboard shortcut - This event is triggered when the view is going to be closed entirely. + This method has been introduced in version 0.27.5. - It has been added in version 0.25. Setter: - @brief A event indicating that the view is about to close - - This event is triggered when the view is going to be closed entirely. + @brief Sets the macro's keyboard shortcut - It has been added in version 0.25. + This method has been introduced in version 0.27.5. """ - on_hide: None + show_in_menu: bool r""" Getter: - @brief A event indicating that the view is going to become invisible + @brief Gets a value indicating whether the macro shall be shown in the menu - It has been added in version 0.25. Setter: - @brief A event indicating that the view is going to become invisible + @brief Sets a value indicating whether the macro shall be shown in the menu + """ + text: str + r""" + Getter: + @brief Gets the macro text - It has been added in version 0.25. + The text is the code executed by the macro interpreter. Depending on the DSL interpreter, the text can be any kind of code. + Setter: + @brief Sets the macro text + See \text for details. """ - on_show: None + version: str r""" Getter: - @brief A event indicating that the view is going to become visible + @brief Gets the macro's version + + This method has been introduced in version 0.27.5. - It has been added in version 0.25. Setter: - @brief A event indicating that the view is going to become visible + @brief Sets the macro's version - It has been added in version 0.25. + This method has been introduced in version 0.27.5. """ @classmethod - def current(cls) -> LayoutView: + def macro_by_path(cls, path: str) -> Macro: r""" - @brief Returns the current view - The current view is the one that is shown in the current tab. Returns nil if no layout is loaded. + @brief Finds the macro by installation path - This method has been introduced in version 0.23. + Returns nil if no macro with this path can be found. + + This method has been added in version 0.26. """ @classmethod - def new(cls, editable: Optional[bool] = ..., manager: Optional[db.Manager] = ..., options: Optional[int] = ...) -> LayoutView: + def new(cls, path: str) -> Macro: r""" - @brief Creates a standalone view + @brief Loads the macro from the given file path - This constructor is for special purposes only. To create a view in the context of a main window, use \MainWindow#create_view and related methods. + This constructor has been introduced in version 0.27.5. + """ + @classmethod + def real_line(cls, path: str, line: int) -> int: + r""" + @brief Gets the real line number for an include-encoded path and line number - @param editable True to make the view editable - @param manager The \Manager object to enable undo/redo - @param options A combination of the values in the LV_... constants from \LayoutViewBase + When using KLayout's include scheme based on '# %include ...', __FILE__ and __LINE__ (Ruby) will not have the proper values but encoded file names. This method allows retrieving the real line number by using - This constructor has been introduced in version 0.25. - It has been enhanced with the arguments in version 0.27. + @code + # Ruby + real_line = RBA::Macro::real_line(__FILE__, __LINE__) + + # Python + real_line = pya::Macro::real_line(__file__, __line__) + @/code + + This substitution is not required for top-level macros as KLayout's interpreter will automatically use this function instead of __FILE__. Call this function when you need __FILE__ from files included through the languages mechanisms such as 'require' or 'load' where this substitution does not happen. + + For Python there is no equivalent for __LINE__, so you always have to use: + + @code + # Pythonimport inspect + real_line = pya.Macro.real_line(__file__, inspect.currentframe().f_back.f_lineno) + @/code + + This feature has been introduced in version 0.27. """ - def __init__(self, editable: Optional[bool] = ..., manager: Optional[db.Manager] = ..., options: Optional[int] = ...) -> None: + @classmethod + def real_path(cls, path: str, line: int) -> str: r""" - @brief Creates a standalone view + @brief Gets the real path for an include-encoded path and line number - This constructor is for special purposes only. To create a view in the context of a main window, use \MainWindow#create_view and related methods. + When using KLayout's include scheme based on '# %include ...', __FILE__ and __LINE__ (Ruby) will not have the proper values but encoded file names. This method allows retrieving the real file by using - @param editable True to make the view editable - @param manager The \Manager object to enable undo/redo - @param options A combination of the values in the LV_... constants from \LayoutViewBase + @code + # Ruby + real_file = RBA::Macro::real_path(__FILE__, __LINE__) + @/code + + This substitution is not required for top-level macros as KLayout's interpreter will automatically use this function instead of __FILE__. Call this function when you need __FILE__ from files included through the languages mechanisms such as 'require' or 'load' where this substitution does not happen. + + For Python there is no equivalent for __LINE__, so you always have to use: + + @code + # Pythonimport inspect + real_file = pya.Macro.real_path(__file__, inspect.currentframe().f_back.f_lineno) + @/code + + This feature has been introduced in version 0.27. + """ + def __init__(self, path: str) -> None: + r""" + @brief Loads the macro from the given file path - This constructor has been introduced in version 0.25. - It has been enhanced with the arguments in version 0.27. + This constructor has been introduced in version 0.27.5. """ def _create(self) -> None: r""" @@ -9171,56 +8986,110 @@ class LayoutView(LayoutViewBase): Usually it's not required to call this method. It has been introduced in version 0.24. """ - def bookmark_view(self, name: str) -> None: + def create(self) -> None: r""" - @brief Bookmarks the current view under the given name + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def interpreter_name(self) -> str: + r""" + @brief Gets the macro interpreter name + This is the string version of \interpreter. - @param name The name under which to bookmark the current state + This method has been introduced in version 0.27.5. """ - def close(self) -> None: + def is_const_object(self) -> bool: r""" - @brief Closes the view + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def name(self) -> str: + r""" + @brief Gets the name of the macro - This method has been added in version 0.27. + This attribute has been added in version 0.25. """ - def show_l2ndb(self, l2ndb_index: int, cv_index: int) -> None: + def path(self) -> str: r""" - @brief Shows a netlist database in the marker browser on a certain layout - The netlist browser is opened showing the netlist database with the index given by "l2ndb_index". - It will be attached (i.e. navigate to) the layout with the given cellview index in "cv_index". + @brief Gets the path of the macro - This method has been added in version 0.26. + The path is the path where the macro is stored, starting with an abstract group identifier. The path is used to identify the macro in the debugger for example. """ - def show_lvsdb(self, lvsdb_index: int, cv_index: int) -> None: + def run(self) -> int: r""" - @brief Shows a netlist database in the marker browser on a certain layout - The netlist browser is opened showing the netlist database with the index given by "lvsdb_index". - It will be attached (i.e. navigate to) the layout with the given cellview index in "cv_index". + @brief Executes the macro - This method has been added in version 0.26. + This method has been introduced in version 0.27.5. """ - def show_rdb(self, rdb_index: int, cv_index: int) -> None: + def save_to(self, path: str) -> None: r""" - @brief Shows a report database in the marker browser on a certain layout - The marker browser is opened showing the report database with the index given by "rdb_index". - It will be attached (i.e. navigate to) the layout with the given cellview index in "cv_index". + @brief Saves the macro to the given file + + This method has been introduced in version 0.27.5. """ + def sync_properties_with_text(self) -> None: + r""" + @brief Synchronizes the macro properties with the text -class BasicAnnotation: + This method performs the reverse process of \sync_text_with_properties. + + This method has been introduced in version 0.27.5. + """ + def sync_text_with_properties(self) -> None: + r""" + @brief Synchronizes the macro text with the properties + + This method applies to PlainTextWithHashAnnotationsFormat format. The macro text will be enhanced with pseudo-comments reflecting the macro properties. This way, the macro properties can be stored in plain files. + + This method has been introduced in version 0.27.5. + """ + +class MacroExecutionContext: r""" - @hide - @alias Annotation + @brief Support for various debugger features + + This class implements some features that allow customization of the debugger behavior, specifically the generation of back traces and the handling of exception. These functions are particular useful for implementing DSL interpreters and providing proper error locations in the back traces or to suppress exceptions when re-raising them. """ @classmethod - def new(cls) -> BasicAnnotation: + def ignore_next_exception(cls) -> None: + r""" + @brief Ignores the next exception in the debugger + The next exception thrown will be ignored in the debugger. That feature is useful when re-raising exceptions if those new exception shall not appear in the debugger. + """ + @classmethod + def new(cls) -> MacroExecutionContext: r""" @brief Creates a new object of this class """ - def __copy__(self) -> BasicAnnotation: + @classmethod + def remove_debugger_scope(cls) -> None: + r""" + @brief Removes a debugger scope previously set with \set_debugger_scope + """ + @classmethod + def set_debugger_scope(cls, filename: str) -> None: + r""" + @brief Sets a debugger scope (file level which shall appear in the debugger) + If a debugger scope is set, back traces will be produced starting from that scope. Setting a scope is useful for implementing DSL interpreters and giving a proper hint about the original location of an error. + """ + def __copy__(self) -> MacroExecutionContext: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> BasicAnnotation: + def __deepcopy__(self) -> MacroExecutionContext: r""" @brief Creates a copy of self """ @@ -9265,7 +9134,7 @@ class BasicAnnotation: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: BasicAnnotation) -> None: + def assign(self, other: MacroExecutionContext) -> None: r""" @brief Assigns another object to self """ @@ -9286,577 +9155,400 @@ class BasicAnnotation: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> BasicAnnotation: + def dup(self) -> MacroExecutionContext: r""" @brief Creates a copy of self """ - def is_const_object(self) -> bool: - r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. - """ - -class Annotation(BasicAnnotation): - r""" - @brief A layout annotation (i.e. ruler) - - Annotation objects provide a way to attach measurements or descriptive information to a layout view. Annotation objects can appear as rulers for example. Annotation objects can be configured in different ways using the styles provided. By configuring an annotation object properly, it can appear as a rectangle or a plain line for example. - See @Ruler properties@ for more details about the appearance options. - - Annotations are inserted into a layout view using \LayoutView#insert_annotation. Here is some sample code in Ruby: - - @code - app = RBA::Application.instance - mw = app.main_window - view = mw.current_view - - ant = RBA::Annotation::new - ant.p1 = RBA::DPoint::new(0, 0) - ant.p2 = RBA::DPoint::new(100, 0) - ant.style = RBA::Annotation::StyleRuler - view.insert_annotation(ant) - @/code - - Annotations can be retrieved from a view with \LayoutView#each_annotation and all annotations can be cleared with \LayoutView#clear_annotations. - - Starting with version 0.25, annotations are 'live' objects once they are inserted into the view. Changing properties of annotations will automatically update the view (however, that is not true the other way round). - - Here is some sample code of changing the style of all rulers to two-sided arrows: - - @code - view = RBA::LayoutView::current - - begin - - view.transaction("Restyle annotations") - - view.each_annotation do |a| - a.style = RBA::Annotation::StyleArrowBoth - end - - ensure - view.commit - end - @/code - """ - AlignAuto: ClassVar[int] - r""" - @brief This code indicates automatic alignment. - This code makes the annotation align the label the way it thinks is best. - - This constant has been introduced in version 0.25. - """ - AlignBottom: ClassVar[int] - r""" - @brief This code indicates bottom alignment. - If used in a vertical context, this alignment code makes the label aligned at the bottom side - i.e. it will appear top of the reference point. - - This constant has been introduced in version 0.25. - """ - AlignCenter: ClassVar[int] - r""" - @brief This code indicates automatic alignment. - This code makes the annotation align the label centered. When used in a horizontal context, centering is in horizontal direction. If used in a vertical context, centering is in vertical direction. - - This constant has been introduced in version 0.25. - """ - AlignDown: ClassVar[int] - r""" - @brief This code indicates left or bottom alignment, depending on the context. - This code is equivalent to \AlignLeft and \AlignBottom. - - This constant has been introduced in version 0.25. - """ - AlignLeft: ClassVar[int] - r""" - @brief This code indicates left alignment. - If used in a horizontal context, this alignment code makes the label aligned at the left side - i.e. it will appear right of the reference point. - - This constant has been introduced in version 0.25. - """ - AlignRight: ClassVar[int] - r""" - @brief This code indicates right alignment. - If used in a horizontal context, this alignment code makes the label aligned at the right side - i.e. it will appear left of the reference point. - - This constant has been introduced in version 0.25. - """ - AlignTop: ClassVar[int] - r""" - @brief This code indicates top alignment. - If used in a vertical context, this alignment code makes the label aligned at the top side - i.e. it will appear bottom of the reference point. - - This constant has been introduced in version 0.25. - """ - AlignUp: ClassVar[int] - r""" - @brief This code indicates right or top alignment, depending on the context. - This code is equivalent to \AlignRight and \AlignTop. - - This constant has been introduced in version 0.25. - """ - AngleAny: ClassVar[int] - r""" - @brief Gets the any angle code for use with the \angle_constraint method - If this value is specified for the angle constraint, all angles will be allowed. - """ - AngleDiagonal: ClassVar[int] - r""" - @brief Gets the diagonal angle code for use with the \angle_constraint method - If this value is specified for the angle constraint, only multiples of 45 degree are allowed. - """ - AngleGlobal: ClassVar[int] - r""" - @brief Gets the global angle code for use with the \angle_constraint method. - This code will tell the ruler or marker to use the angle constraint defined globally. - """ - AngleHorizontal: ClassVar[int] - r""" - @brief Gets the horizontal angle code for use with the \angle_constraint method - If this value is specified for the angle constraint, only horizontal rulers are allowed. - """ - AngleOrtho: ClassVar[int] - r""" - @brief Gets the ortho angle code for use with the \angle_constraint method - If this value is specified for the angle constraint, only multiples of 90 degree are allowed. - """ - AngleVertical: ClassVar[int] - r""" - @brief Gets the vertical angle code for use with the \angle_constraint method - If this value is specified for the angle constraint, only vertical rulers are allowed. - """ - OutlineAngle: ClassVar[int] - r""" - @brief Gets the angle measurement ruler outline code for use with the \outline method - When this outline style is specified, the ruler is drawn to indicate the angle between the first and last segment. + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ - This constant has been introduced in version 0.28. - """ - OutlineBox: ClassVar[int] - r""" - @brief Gets the box outline code for use with the \outline method - When this outline style is specified, a box is drawn with the corners specified by the start and end point. All box edges are drawn in the style specified with the \style attribute. - """ - OutlineDiag: ClassVar[int] - r""" - @brief Gets the diagonal output code for use with the \outline method - When this outline style is specified, a line connecting start and end points in the given style (ruler, arrow or plain line) is drawn. - """ - OutlineDiagXY: ClassVar[int] - r""" - @brief Gets the xy plus diagonal outline code for use with the \outline method - @brief outline_xy code used by the \outline method - When this outline style is specified, three lines are drawn: one horizontal from left to right and attached to the end of that a line from the bottom to the top. Another line is drawn connecting the start and end points directly. The lines are drawn in the specified style (see \style method). - """ - OutlineDiagYX: ClassVar[int] - r""" - @brief Gets the yx plus diagonal outline code for use with the \outline method - When this outline style is specified, three lines are drawn: one vertical from bottom to top and attached to the end of that a line from the left to the right. Another line is drawn connecting the start and end points directly. The lines are drawn in the specified style (see \style method). - """ - OutlineEllipse: ClassVar[int] +class MacroInterpreter: r""" - @brief Gets the ellipse outline code for use with the \outline method - When this outline style is specified, an ellipse is drawn with the extensions specified by the start and end point. The contour drawn as a line. + @brief A custom interpreter for a DSL (domain specific language) - This constant has been introduced in version 0.26. - """ - OutlineRadius: ClassVar[int] - r""" - @brief Gets the radius measurement ruler outline code for use with the \outline method - When this outline style is specified, the ruler is drawn to indicate a radius defined by at least three points of the ruler. + DSL interpreters are a way to provide macros written in a language specific for the application. One example are DRC scripts which are written in some special language optimized for DRC ruledecks. Interpreters for such languages can be built using scripts itself by providing the interpreter implementation through this object. - This constant has been introduced in version 0.28. - """ - OutlineXY: ClassVar[int] - r""" - @brief Gets the xy outline code for use with the \outline method - When this outline style is specified, two lines are drawn: one horizontal from left to right and attached to the end of that a line from the bottom to the top. The lines are drawn in the specified style (see \style method). - """ - OutlineYX: ClassVar[int] - r""" - @brief Gets the yx outline code for use with the \outline method - When this outline style is specified, two lines are drawn: one vertical from bottom to top and attached to the end of that a line from the left to the right. The lines are drawn in the specified style (see \style method). - """ - PositionAuto: ClassVar[int] - r""" - @brief This code indicates automatic positioning. - The main label will be put either to p1 or p2, whichever the annotation considers best. + An interpreter implementation involves at least these steps: - This constant has been introduced in version 0.25. - """ - PositionCenter: ClassVar[int] - r""" - @brief This code indicates positioning of the main label at the mid point between p1 and p2. - The main label will be put to the center point. + @ul + @li Derive a new object from RBA::MacroInterpreter @/li + @li Reimplement the \execute method for the actual execution of the code @/li + @li In the initialize method configure the object using the attribute setters like \suffix= and register the object as DSL interpreter (in that order) @/li + @li Create at least one template macro in the initialize method @/li + @/ul - This constant has been introduced in version 0.25. - """ - PositionP1: ClassVar[int] - r""" - @brief This code indicates positioning of the main label at p1. - The main label will be put to p1. + Template macros provide a way for the macro editor to present macros for the new interpreter in the list of templates. Template macros can provide menu bindings, shortcuts and some initial text for example - This constant has been introduced in version 0.25. - """ - PositionP2: ClassVar[int] - r""" - @brief This code indicates positioning of the main label at p2. - The main label will be put to p2. + The simple implementation can be enhanced by providing more information, i.e. syntax highlighter information, the debugger to use etc. This involves reimplementing further methods, i.e. "syntax_scheme". - This constant has been introduced in version 0.25. - """ - RulerModeAutoMetric: ClassVar[int] - r""" - @brief Specifies auto-metric ruler mode for the \register_template method - In auto-metric mode, a ruler can be placed with a single click and p1/p2 will be determined from the neighborhood. + This is a simple example for an interpreter in Ruby. Is is registered under the name 'simple-dsl' and just evaluates the script text: - This constant has been introduced in version 0.25 - """ - RulerModeNormal: ClassVar[int] - r""" - @brief Specifies normal ruler mode for the \register_template method + @code + class SimpleExecutable < RBA::Excutable - This constant has been introduced in version 0.25 - """ - RulerModeSingleClick: ClassVar[int] - r""" - @brief Specifies single-click ruler mode for the \register_template method - In single click-mode, a ruler can be placed with a single click and p1 will be == p2. + # Constructor + def initialize(macro) + \@macro = macro + end + + # Implements the execute method + def execute + eval(\@macro.text, nil, \@macro.path) + nil + end - This constant has been introduced in version 0.25 - """ - RulerMultiSegment: ClassVar[int] - r""" - @brief Specifies multi-segment mode - In multi-segment mode, multiple segments can be created. The ruler is finished with a double click. + end - This constant has been introduced in version 0.28 - """ - RulerThreeClicks: ClassVar[int] - r""" - @brief Specifies three-click ruler mode for the \register_template method - In this ruler mode, two segments are created for angle and circle radius measurements. Three mouse clicks are required. + class SimpleInterpreter < RBA::MacroInterpreter - This constant has been introduced in version 0.28 - """ - StyleArrowBoth: ClassVar[int] - r""" - @brief Gets the both arrow ends style code for use the \style method - When this style is specified, a two-headed arrow is drawn. - """ - StyleArrowEnd: ClassVar[int] - r""" - @brief Gets the end arrow style code for use the \style method - When this style is specified, an arrow is drawn pointing from the start to the end point. - """ - StyleArrowStart: ClassVar[int] - r""" - @brief Gets the start arrow style code for use the \style method - When this style is specified, an arrow is drawn pointing from the end to the start point. - """ - StyleCrossBoth: ClassVar[int] - r""" - @brief Gets the line style code for use with the \style method - When this style is specified, a cross is drawn at both points. + # Constructor + def initialize + self.description = "A test interpreter" + # Registers the new interpreter + register("simple-dsl") + # create a template for the macro editor: + # Name is "new_simple", the description will be "Simple interpreter macro" + # in the "Special" group. + mt = create_template("new_simple") + mt.description = "Special;;Simple interpreter macro" + end + + # Creates the executable delegate + def executable(macro) + SimpleExecutable::new(macro) + end - This constant has been added in version 0.26. - """ - StyleCrossEnd: ClassVar[int] - r""" - @brief Gets the line style code for use with the \style method - When this style is specified, a cross is drawn at the end point. + end - This constant has been added in version 0.26. - """ - StyleCrossStart: ClassVar[int] - r""" - @brief Gets the line style code for use with the \style method - When this style is specified, a cross is drawn at the start point. + # Register the new interpreter + SimpleInterpreter::new - This constant has been added in version 0.26. - """ - StyleLine: ClassVar[int] - r""" - @brief Gets the line style code for use with the \style method - When this style is specified, a plain line is drawn. - """ - StyleRuler: ClassVar[int] - r""" - @brief Gets the ruler style code for use the \style method - When this style is specified, the annotation will show a ruler with some ticks at distances indicating a decade of units and a suitable subdivision into minor ticks at intervals of 1, 2 or 5 units. - """ - angle_constraint: int - r""" - Getter: - @brief Returns the angle constraint attribute - See \angle_constraint= for a more detailed description. - Setter: - @brief Sets the angle constraint attribute - This attribute controls if an angle constraint is applied when moving one of the ruler's points. The Angle... values can be used for this purpose. - """ - category: str - r""" - Getter: - @brief Gets the category string - See \category= for details. + @/code - This method has been introduced in version 0.25 - Setter: - @brief Sets the category string of the annotation - The category string is an arbitrary string that can be used by various consumers or generators to mark 'their' annotation. + Please note that such an implementation is dangerous because the evaluation of the script happens in the context of the interpreter object. In this implementation the script could redefine the execute method for example. This implementation is provided as an example only. + A real implementation should add execution of prolog and epilog code inside the execute method and proper error handling. - This method has been introduced in version 0.25 + In order to make the above code effective, store the code in an macro, set "early auto-run" and restart KLayout. + + This class has been introduced in version 0.23 and modified in 0.27. """ - fmt: str + MacroFormat: ClassVar[Macro.Format] r""" - Getter: - @brief Returns the format used for the label - @return The format string - Format strings can contain placeholders for values and formulas for computing derived values. See @Ruler properties@ for more details. - Setter: - @brief Sets the format used for the label - @param format The format string - Format strings can contain placeholders for values and formulas for computing derived values. See @Ruler properties@ for more details. + @brief The macro has macro (XML) format """ - fmt_x: str + NoDebugger: ClassVar[Macro.Interpreter] r""" - Getter: - @brief Returns the format used for the x-axis label - @return The format string - Format strings can contain placeholders for values and formulas for computing derived values. See @Ruler properties@ for more details. - Setter: - @brief Sets the format used for the x-axis label - X-axis labels are only used for styles that have a horizontal component. @param format The format string - Format strings can contain placeholders for values and formulas for computing derived values. See @Ruler properties@ for more details. + @brief Indicates no debugging for \debugger_scheme """ - fmt_y: str + PlainTextFormat: ClassVar[Macro.Format] r""" - Getter: - @brief Returns the format used for the y-axis label - @return The format string - Format strings can contain placeholders for values and formulas for computing derived values. See @Ruler properties@ for more details. - Setter: - @brief Sets the format used for the y-axis label - Y-axis labels are only used for styles that have a vertical component. @param format The format string - Format strings can contain placeholders for values and formulas for computing derived values. See @Ruler properties@ for more details. + @brief The macro has plain text format """ - main_position: int + PlainTextWithHashAnnotationsFormat: ClassVar[Macro.Format] + r""" + @brief The macro has plain text format with special pseudo-comment annotations + """ + RubyDebugger: ClassVar[Macro.Interpreter] r""" - Getter: - @brief Gets the position of the main label - See \main_position= for details. + @brief Indicates Ruby debugger for \debugger_scheme + """ + @property + def debugger_scheme(self) -> None: + r""" + WARNING: This variable can only be set, not retrieved. + @brief Sets the debugger scheme (which debugger to use for the DSL macro) - This method has been introduced in version 0.25 - Setter: - @brief Sets the position of the main label - This method accepts one of the Position... constants. + The value can be one of the constants \RubyDebugger or \NoDebugger. - This method has been introduced in version 0.25 - """ - main_xalign: int - r""" - Getter: - @brief Gets the horizontal alignment type of the main label - See \main_xalign= for details. + Use this attribute setter in the initializer before registering the interpreter. - This method has been introduced in version 0.25 - Setter: - @brief Sets the horizontal alignment type of the main label - This method accepts one of the Align... constants. + Before version 0.25 this attribute was a re-implementable method. It has been turned into an attribute for performance reasons in version 0.25. + """ + @property + def description(self) -> None: + r""" + WARNING: This variable can only be set, not retrieved. + @brief Sets a description string - This method has been introduced in version 0.25 - """ - main_yalign: int - r""" - Getter: - @brief Gets the vertical alignment type of the main label - See \main_yalign= for details. + This string is used for showing the type of DSL macro in the file selection box together with the suffix for example. + Use this attribute setter in the initializer before registering the interpreter. - This method has been introduced in version 0.25 - Setter: - @brief Sets the vertical alignment type of the main label - This method accepts one of the Align... constants. + Before version 0.25 this attribute was a re-implementable method. It has been turned into an attribute for performance reasons in version 0.25. + """ + @property + def storage_scheme(self) -> None: + r""" + WARNING: This variable can only be set, not retrieved. + @brief Sets the storage scheme (the format as which the macro is stored) - This method has been introduced in version 0.25 - """ - outline: int - r""" - Getter: - @brief Returns the outline style of the annotation object + This value indicates how files for this DSL macro type shall be stored. The value can be one of the constants \PlainTextFormat, \PlainTextWithHashAnnotationsFormat and \MacroFormat. - Setter: - @brief Sets the outline style used for drawing the annotation object - The Outline... values can be used for defining the annotation object's outline. The outline style determines what components are drawn. - """ - p1: db.DPoint - r""" - Getter: - @brief Gets the first point of the ruler or marker - The points of the ruler or marker are always given in micron units in floating-point coordinates. + Use this attribute setter in the initializer before registering the interpreter. - This method is provided for backward compatibility. Starting with version 0.28, rulers can be multi-segmented. Use \points or \seg_p1 to retrieve the points of the ruler segments. + Before version 0.25 this attribute was a re-implementable method. It has been turned into an attribute for performance reasons in version 0.25. + """ + @property + def suffix(self) -> None: + r""" + WARNING: This variable can only be set, not retrieved. + @brief Sets the file suffix - @return The first point + This string defines which file suffix to associate with the DSL macro. If an empty string is given (the default) no particular suffix is assciated with that macro type and "lym" is assumed. + Use this attribute setter in the initializer before registering the interpreter. - Setter: - @brief Sets the first point of the ruler or marker - The points of the ruler or marker are always given in micron units in floating-point coordinates. + Before version 0.25 this attribute was a re-implementable method. It has been turned into an attribute for performance reasons in version 0.25. + """ + @property + def supports_include_expansion(self) -> None: + r""" + WARNING: This variable can only be set, not retrieved. + @brief Sets a value indicating whether this interpreter supports the default include file expansion scheme. + If this value is set to true (the default), lines like '# %include ...' will be substituted by the content of the file following the '%include' keyword. + Set this value to false if you don't want to support this feature. - This method is provided for backward compatibility. Starting with version 0.28, rulers can be multi-segmented. Use \points= to specify the ruler segments. - """ - p2: db.DPoint - r""" - Getter: - @brief Gets the second point of the ruler or marker - The points of the ruler or marker are always given in micron units in floating-point coordinates. + This attribute has been introduced in version 0.27. + """ + @property + def syntax_scheme(self) -> None: + r""" + WARNING: This variable can only be set, not retrieved. + @brief Sets a string indicating the syntax highlighter scheme - This method is provided for backward compatibility. Starting with version 0.28, rulers can be multi-segmented. Use \points or \seg_p1 to retrieve the points of the ruler segments. + The scheme string can be empty (indicating no syntax highlighting), "ruby" for the Ruby syntax highlighter or another string. In that case, the highlighter will look for a syntax definition under the resource path ":/syntax/.xml". - @return The second point + Use this attribute setter in the initializer before registering the interpreter. - Setter: - @brief Sets the second point of the ruler or marker - The points of the ruler or marker are always given in micron units in floating-point coordinates. + Before version 0.25 this attribute was a re-implementable method. It has been turned into an attribute for performance reasons in version 0.25. + """ + @classmethod + def new(cls) -> MacroInterpreter: + r""" + @brief Creates a new object of this class + """ + def __copy__(self) -> MacroInterpreter: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> MacroInterpreter: + r""" + @brief Creates a copy of self + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class + """ + def _create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def _destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def _destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method is provided for backward compatibility. Starting with version 0.28, rulers can be multi-segmented. Use \points= to specify the ruler segments. - """ - points: List[db.DPoint] - r""" - Getter: - @brief Gets the points of the ruler - A single-segmented ruler has two points. Rulers with more points have more segments correspondingly. Note that the point list may have one point only (single-point ruler) or may even be empty. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - Use \points= to set the segment points. Use \segments to get the number of segments and \seg_p1 and \seg_p2 to get the first and second point of one segment. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def assign(self, other: MacroInterpreter) -> None: + r""" + @brief Assigns another object to self + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def create_template(self, url: str) -> Macro: + r""" + @brief Creates a new macro template + @param url The template will be initialized from that URL. - Multi-segmented rulers have been introduced in version 0.28 - Setter: - @brief Sets the points for a (potentially) multi-segmented ruler - See \points for a description of multi-segmented rulers. The list of points passed to this method is cleaned from duplicates before being stored inside the ruler. + This method will create a register a new macro template. It returns a \Macro object which can be modified in order to adjust the template (for example to set description, add a content, menu binding, autorun flags etc.) - This method has been introduced in version 0.28. + This method must be called after \register has called. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> MacroInterpreter: + r""" + @brief Creates a copy of self + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def register(self, name: str) -> None: + r""" + @brief Registers the macro interpreter + @param name The interpreter name. This is an arbitrary string which should be unique. + + Registration of the interpreter makes the object known to the system. After registration, macros whose interpreter is set to 'dsl' can use this object to run the script. For executing a script, the system will call the interpreter's \execute method. + """ + +class MainWindow: + r""" + @brief The main application window and central controller object + + This object first is the main window but also the main controller. The main controller is the port by which access can be gained to all the data objects, view and other aspects of the program. """ - snap: bool + current_view_index: int r""" Getter: - @brief Returns the 'snap to objects' attribute + @brief Returns the current view's index + @return The index of the current view + + This method will return the index of the current view. Setter: - @brief Sets the 'snap to objects' attribute - If this attribute is set to true, the ruler or marker snaps to other objects when moved. + @brief Selects the view with the given index + + @param index The index of the view to select (0 is the first) + + This method will make the view with the given index the current (front) view. + + This method was renamed from select_view to current_view_index= in version 0.25. The old name is still available, but deprecated. """ - style: int - r""" - Getter: - @brief Returns the style of the annotation object + @property + def synchronous(self) -> None: + r""" + WARNING: This variable can only be set, not retrieved. + @brief Puts the main window into synchronous mode - Setter: - @brief Sets the style used for drawing the annotation object - The Style... values can be used for defining the annotation object's style. The style determines if ticks or arrows are drawn. - """ - xlabel_xalign: int + @param sync_mode 'true' if the application should behave synchronously + + In synchronous mode, an application is allowed to block on redraw. While redrawing, no user interactions are possible. Although this is not desirable for smooth operation, it can be beneficial for test or automation purposes, i.e. if a screenshot needs to be produced once the application has finished drawing. + """ + initial_technology: str r""" Getter: - @brief Gets the horizontal alignment type of the x axis label - See \xlabel_xalign= for details. + @brief Gets the technology used for creating or loading layouts (unless explicitly specified) - This method has been introduced in version 0.25 + @return The current initial technology + This method was added in version 0.22. Setter: - @brief Sets the horizontal alignment type of the x axis label - This method accepts one of the Align... constants. + @brief Sets the technology used for creating or loading layouts (unless explicitly specified) - This method has been introduced in version 0.25 + Setting the technology will have an effect on the next load_layout or create_layout operation which does not explicitly specify the technology but might not be reflected correctly in the reader options dialog and changes will be reset when the application is restarted. + @param tech The new initial technology + + This method was added in version 0.22. """ - xlabel_yalign: int + on_current_view_changed: None r""" Getter: - @brief Gets the vertical alignment type of the x axis label - See \xlabel_yalign= for details. + @brief An event indicating that the current view has changed + + This event is triggered after the current view has changed. This happens, if the user switches the layout tab. + + Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_current_view_observer/remove_current_view_observer) have been removed in 0.25. - This method has been introduced in version 0.25 Setter: - @brief Sets the vertical alignment type of the x axis label - This method accepts one of the Align... constants. + @brief An event indicating that the current view has changed - This method has been introduced in version 0.25 + This event is triggered after the current view has changed. This happens, if the user switches the layout tab. + + Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_current_view_observer/remove_current_view_observer) have been removed in 0.25. """ - ylabel_xalign: int + on_view_closed: None r""" Getter: - @brief Gets the horizontal alignment type of the y axis label - See \ylabel_xalign= for details. + @brief An event indicating that a view was closed + @param index The index of the view that was closed + + This event is triggered after a view was closed. For example, because the tab was closed. + + This event has been added in version 0.25. - This method has been introduced in version 0.25 Setter: - @brief Sets the horizontal alignment type of the y axis label - This method accepts one of the Align... constants. + @brief An event indicating that a view was closed + @param index The index of the view that was closed - This method has been introduced in version 0.25 + This event is triggered after a view was closed. For example, because the tab was closed. + + This event has been added in version 0.25. """ - ylabel_yalign: int + on_view_created: None r""" Getter: - @brief Gets the vertical alignment type of the y axis label - See \ylabel_yalign= for details. + @brief An event indicating that a new view was created + @param index The index of the view that was created + + This event is triggered after a new view was created. For example, if a layout is loaded into a new panel. + + Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_new_view_observer/remove_new_view_observer) have been removed in 0.25. - This method has been introduced in version 0.25 Setter: - @brief Sets the vertical alignment type of the y axis label - This method accepts one of the Align... constants. + @brief An event indicating that a new view was created + @param index The index of the view that was created - This method has been introduced in version 0.25 + This event is triggered after a new view was created. For example, if a layout is loaded into a new panel. + + Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_new_view_observer/remove_new_view_observer) have been removed in 0.25. """ @classmethod - def from_s(cls, s: str) -> Annotation: + def instance(cls) -> MainWindow: r""" - @brief Creates a ruler from a string representation - This function creates a ruler from the string returned by \to_s. + @brief Gets application's main window instance - This method was introduced in version 0.28. + This method has been added in version 0.24. """ @classmethod - def register_template(cls, annotation: BasicAnnotation, title: str, mode: Optional[int] = ...) -> None: + def menu_symbols(cls) -> List[str]: r""" - @brief Registers the given annotation as a template globally - @annotation The annotation to use for the template (positions are ignored) - @param title The title to use for the ruler template - @param mode The mode the ruler will be created in (see Ruler... constants) - - In order to register a system template, the category string of the annotation has to be a unique and non-empty string. The annotation is added to the list of annotation templates and becomes available as a new template in the ruler drop-down menu. - - The new annotation template is registered on all views. - - NOTE: this setting is persisted and the the application configuration is updated. + @brief Gets all available menu symbols (see \call_menu). + NOTE: currently this method delivers a superset of all available symbols. Depending on the context, no all symbols may trigger actual functionality. - This method has been added in version 0.25. + This method has been introduced in version 0.27. """ @classmethod - def unregister_templates(cls, category: str) -> None: - r""" - @brief Unregisters the template or templates with the given category string globally - - This method will remove all templates with the given category string. If the category string is empty, all templates are removed. - - NOTE: this setting is persisted and the the application configuration is updated. - - This method has been added in version 0.28. - """ - def __eq__(self, other: object) -> bool: - r""" - @brief Equality operator - """ - def __ne__(self, other: object) -> bool: - r""" - @brief Inequality operator - """ - def __str__(self) -> str: + def new(cls) -> MainWindow: r""" - @brief Returns the string representation of the ruler - This method was introduced in version 0.19. + @brief Creates a new object of this class """ - def _assign(self, other: BasicAnnotation) -> None: + def __init__(self) -> None: r""" - @brief Assigns another object to self + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -9875,10 +9567,6 @@ class Annotation(BasicAnnotation): This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def _dup(self) -> Annotation: - r""" - @brief Creates a copy of self - """ def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference @@ -9899,810 +9587,816 @@ class Annotation(BasicAnnotation): Usually it's not required to call this method. It has been introduced in version 0.24. """ - def box(self) -> db.DBox: + def call_menu(self, symbol: str) -> None: r""" - @brief Gets the bounding box of the object (not including text) - @return The bounding box + @brief Calls the menu item with the provided symbol. + To obtain all symbols, use menu_symbols. + + This method has been introduced in version 0.27 and replaces the previous cm_... methods. Instead of calling a specific cm_... method, use LayoutView#call_menu with 'cm_...' as the symbol. """ - def delete(self) -> None: + def cancel(self) -> None: r""" - @brief Deletes this annotation from the view - If the annotation is an "active" one, this method will remove it from the view. This object will become detached and can still be manipulated, but without having an effect on the view. - This method has been introduced in version 0.25. + @brief Cancels current editing operations + + This method call cancels all current editing operations and restores normal mouse mode. """ - def detach(self) -> None: + def clear_config(self) -> None: r""" - @brief Detaches the annotation object from the view - If the annotation object was inserted into the view, property changes will be reflected in the view. To disable this feature, 'detach' can be called after which the annotation object becomes inactive and changes will no longer be reflected in the view. + @brief Clears the configuration parameters + This method is provided for using MainWindow without an Application object. It's a convience method which is equivalent to 'dispatcher().clear_config()'. See \Dispatcher#clear_config for details. - This method has been introduced in version 0.25. + This method has been introduced in version 0.27. """ - def id(self) -> int: + def clone_current_view(self) -> None: r""" - @brief Returns the annotation's ID - The annotation ID is an integer that uniquely identifies an annotation inside a view. - The ID is used for replacing an annotation (see \LayoutView#replace_annotation). + @brief Clones the current view and make it current + """ + def close_all(self) -> None: + r""" + @brief Closes all views - This method was introduced in version 0.24. + This method unconditionally closes all views. No dialog will be opened if unsaved edits exist. + + This method was added in version 0.18. """ - def is_valid(self) -> bool: + def close_current_view(self) -> None: + r""" + @brief Closes the current view + + This method does not open a dialog to ask which cell view to close if multiple cells are opened in the view, but rather closes all cells. + """ + def cm_adjust_origin(self) -> None: + r""" + @brief 'cm_adjust_origin' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_adjust_origin')" instead. + """ + def cm_bookmark_view(self) -> None: + r""" + @brief 'cm_bookmark_view' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_bookmark_view')" instead. + """ + def cm_cancel(self) -> None: + r""" + @brief 'cm_cancel' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_cancel')" instead. + """ + def cm_cell_copy(self) -> None: + r""" + @brief 'cm_cell_copy' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_cell_copy')" instead. + """ + def cm_cell_cut(self) -> None: + r""" + @brief 'cm_cell_cut' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_cell_cut')" instead. + """ + def cm_cell_delete(self) -> None: + r""" + @brief 'cm_cell_delete' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_cell_delete')" instead. + """ + def cm_cell_flatten(self) -> None: + r""" + @brief 'cm_cell_flatten' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_cell_flatten')" instead. + """ + def cm_cell_hide(self) -> None: + r""" + @brief 'cm_cell_hide' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_cell_hide')" instead. + """ + def cm_cell_paste(self) -> None: + r""" + @brief 'cm_cell_paste' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_cell_paste')" instead. + """ + def cm_cell_rename(self) -> None: + r""" + @brief 'cm_cell_rename' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_cell_rename')" instead. + """ + def cm_cell_select(self) -> None: + r""" + @brief 'cm_cell_select' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_cell_select')" instead. + """ + def cm_cell_show(self) -> None: + r""" + @brief 'cm_cell_show' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_cell_show')" instead. + """ + def cm_cell_show_all(self) -> None: + r""" + @brief 'cm_cell_show_all' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_cell_show_all')" instead. + """ + def cm_clear_layer(self) -> None: r""" - @brief Returns a value indicating whether the object is a valid reference. - If this value is true, the object represents an annotation on the screen. Otherwise, the object is a 'detached' annotation which does not have a representation on the screen. - - This method was introduced in version 0.25. + @brief 'cm_clear_layer' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_clear_layer')" instead. """ - def seg_p1(self, segment_index: int) -> db.DPoint: + def cm_clone(self) -> None: r""" - @brief Gets the first point of the given segment. - The segment is indicated by the segment index which is a number between 0 and \segments-1. - - This method has been introduced in version 0.28. + @brief 'cm_clone' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_clone')" instead. """ - def seg_p2(self, segment_index: int) -> db.DPoint: + def cm_close(self) -> None: r""" - @brief Gets the second point of the given segment. - The segment is indicated by the segment index which is a number between 0 and \segments-1. - The second point of a segment is also the first point of the following segment if there is one. - - This method has been introduced in version 0.28. + @brief 'cm_close' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_close')" instead. """ - def segments(self) -> int: + def cm_close_all(self) -> None: r""" - @brief Gets the number of segments. - This method returns the number of segments the ruler is made up. Even though the ruler can be one or even zero points, the number of segments is at least 1. - - This method has been introduced in version 0.28. + @brief 'cm_close_all' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_close_all')" instead. """ - def text(self, index: Optional[int] = ...) -> str: + def cm_copy(self) -> None: r""" - @brief Returns the formatted text for the main label - The index parameter indicates which segment to use (0 is the first one). It has been added in version 0.28. + @brief 'cm_copy' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_copy')" instead. """ - def text_x(self, index: Optional[int] = ...) -> str: + def cm_copy_layer(self) -> None: r""" - @brief Returns the formatted text for the x-axis label - The index parameter indicates which segment to use (0 is the first one). It has been added in version 0.28. + @brief 'cm_copy_layer' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_copy_layer')" instead. """ - def text_y(self, index: Optional[int] = ...) -> str: + def cm_cut(self) -> None: r""" - @brief Returns the formatted text for the y-axis label - The index parameter indicates which segment to use (0 is the first one). It has been added in version 0.28. + @brief 'cm_cut' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_cut')" instead. """ - def to_s(self) -> str: + def cm_dec_max_hier(self) -> None: r""" - @brief Returns the string representation of the ruler - This method was introduced in version 0.19. + @brief 'cm_dec_max_hier' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_dec_max_hier')" instead. """ - @overload - def transformed(self, t: db.DCplxTrans) -> Annotation: + def cm_delete(self) -> None: r""" - @brief Transforms the ruler or marker with the given complex transformation - @param t The magnifying transformation to apply - @return The transformed object - - Starting with version 0.25, all overloads all available as 'transform'. + @brief 'cm_delete' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_delete')" instead. """ - @overload - def transformed(self, t: db.DTrans) -> Annotation: + def cm_delete_layer(self) -> None: r""" - @brief Transforms the ruler or marker with the given simple transformation - @param t The transformation to apply - @return The transformed object + @brief 'cm_delete_layer' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_delete_layer')" instead. """ - @overload - def transformed(self, t: db.ICplxTrans) -> Annotation: + def cm_edit_layer(self) -> None: r""" - @brief Transforms the ruler or marker with the given complex transformation - @param t The magnifying transformation to apply - @return The transformed object (in this case an integer coordinate object) - - This method has been introduced in version 0.18. - - Starting with version 0.25, all overloads all available as 'transform'. + @brief 'cm_edit_layer' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_edit_layer')" instead. """ - @overload - def transformed_cplx(self, t: db.DCplxTrans) -> Annotation: + def cm_exit(self) -> None: r""" - @brief Transforms the ruler or marker with the given complex transformation - @param t The magnifying transformation to apply - @return The transformed object - - Starting with version 0.25, all overloads all available as 'transform'. + @brief 'cm_exit' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_exit')" instead. """ - @overload - def transformed_cplx(self, t: db.ICplxTrans) -> Annotation: + def cm_goto_position(self) -> None: r""" - @brief Transforms the ruler or marker with the given complex transformation - @param t The magnifying transformation to apply - @return The transformed object (in this case an integer coordinate object) - - This method has been introduced in version 0.18. - - Starting with version 0.25, all overloads all available as 'transform'. + @brief 'cm_goto_position' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_goto_position')" instead. """ - -class ObjectInstPath: - r""" - @brief A class describing a selected shape or instance - - A shape or instance is addressed by a path which describes all instances leading to the specified - object. These instances are described through \InstElement objects, which specify the instance and, in case of array instances, the specific array member. - For shapes, additionally the layer and the shape itself is specified. The ObjectInstPath objects - encapsulates both forms, which can be distinguished with the \is_cell_inst? predicate. - - An instantiation path leads from a top cell down to the container cell which either holds the shape or the instance. - The top cell can be obtained through the \top attribute, the container cell through the \source attribute. Both are cell indexes which can be converted to \Cell objects through the \Layout#cell. In case of objects located in the top cell, \top and \source refer to the same cell. - The first element of the instantiation path is the instance located within the top cell leading to the first child cell. The second element leads to the next child cell and so forth. \path_nth can be used to obtain a specific element of the path. - - The \cv_index attribute specifies the cellview the selection applies to. Use \LayoutView#cellview to obtain the \CellView object from the index. - - The shape or instance the selection refers to can be obtained with \shape and \inst respectively. Use \is_cell_inst? to decide whether the selection refers to an instance or not. - - The ObjectInstPath class plays a role when retrieving and modifying the selection of shapes and instances through \LayoutView#object_selection, \LayoutView#object_selection=, \LayoutView#select_object and \LayoutView#unselect_object. \ObjectInstPath objects can be modified to reflect a new selection, but the new selection becomes active only after it is installed in the view. The following sample demonstrates that. It implements a function to convert all shapes to polygons: - - @code - mw = RBA::Application::instance::main_window - view = mw.current_view - - begin - - view.transaction("Convert selected shapes to polygons") - - sel = view.object_selection - - sel.each do |s| - if !s.is_cell_inst? && !s.shape.is_text? - ly = view.cellview(s.cv_index).layout - # convert to polygon - s.shape.polygon = s.shape.polygon - end - end - - view.object_selection = sel - - ensure - view.commit - end - @/code - - Note, that without resetting the selection in the above example, the application might raise errors because after modifying the selected objects, the current selection will no longer be valid. Establishing a new valid selection in the way shown above will help avoiding this issue. - """ - cv_index: int - r""" - Getter: - @brief Gets the cellview index that describes which cell view the shape or instance is located in - - Setter: - @brief Sets the cellview index that describes which cell view the shape or instance is located in - - This method has been introduced in version 0.24. - """ - layer: Any - r""" - Getter: - @brief Gets the layer index that describes which layer the selected shape is on - - Starting with version 0.27, this method returns nil for this property if \is_cell_inst? is false - i.e. the selection does not represent a shape. - Setter: - @brief Sets to the layer index that describes which layer the selected shape is on - - Setting the layer property to a valid layer index makes the path a shape selection path. - Setting the layer property to a negative layer index makes the selection an instance selection. - - This method has been introduced in version 0.24. - """ - path: List[db.InstElement] - r""" - Getter: - @brief Gets the instantiation path - The path is a sequence of \InstElement objects leading to the target object. - - This method was introduced in version 0.26. - - Setter: - @brief Sets the instantiation path - - This method was introduced in version 0.26. - """ - seq: int - r""" - Getter: - @brief Gets the sequence number - - The sequence number describes when the item was selected. - A sequence number of 0 indicates that the item was selected in the first selection action (without 'Shift' pressed). - - Setter: - @brief Sets the sequence number - - See \seq for a description of this property. - - This method was introduced in version 0.24. - """ - shape: Any - r""" - Getter: - @brief Gets the selected shape - - The shape object may be modified. This does not have an immediate effect on the selection. Instead, the selection must be set in the view using \LayoutView#object_selection= or \LayoutView#select_object. - - This method delivers valid results only for object selections that represent shapes. Starting with version 0.27, this method returns nil for this property if \is_cell_inst? is false. - Setter: - @brief Sets the shape object that describes the selected shape geometrically - - When using this setter, the layer index must be set to a valid layout layer (see \layer=). - Setting both properties makes the selection a shape selection. - - This method has been introduced in version 0.24. - """ - top: int - r""" - Getter: - @brief Gets the cell index of the top cell the selection applies to - - The top cell is identical to the current cell provided by the cell view. - It is the cell from which is instantiation path originates and the container cell if not instantiation path is set. - - This method has been introduced in version 0.24. - Setter: - @brief Sets the cell index of the top cell the selection applies to - - See \top_cell for a description of this property. - - This method has been introduced in version 0.24. - """ - @classmethod - def new(cls, si: db.RecursiveShapeIterator, cv_index: int) -> ObjectInstPath: + def cm_help_about(self) -> None: + r""" + @brief 'cm_help_about' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_help_about')" instead. + """ + def cm_inc_max_hier(self) -> None: r""" - @brief Creates a new path object from a \RecursiveShapeIterator - Use this constructor to quickly turn a recursive shape iterator delivery into a shape selection. + @brief 'cm_inc_max_hier' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_inc_max_hier')" instead. """ - def __copy__(self) -> ObjectInstPath: + def cm_last_display_state(self) -> None: r""" - @brief Creates a copy of self + @brief 'cm_prev_display_state|#cm_last_display_state' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_prev_display_state|#cm_last_display_state')" instead. """ - def __deepcopy__(self) -> ObjectInstPath: + def cm_layout_props(self) -> None: r""" - @brief Creates a copy of self + @brief 'cm_layout_props' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_layout_props')" instead. """ - def __eq__(self, b: object) -> bool: + def cm_load_bookmarks(self) -> None: r""" - @brief Equality of two ObjectInstPath objects - Note: this operator returns true if both instance paths refer to the same object, not just identical ones. - - This method has been introduced with version 0.24. + @brief 'cm_load_bookmarks' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_load_bookmarks')" instead. """ - def __init__(self, si: db.RecursiveShapeIterator, cv_index: int) -> None: + def cm_load_layer_props(self) -> None: r""" - @brief Creates a new path object from a \RecursiveShapeIterator - Use this constructor to quickly turn a recursive shape iterator delivery into a shape selection. + @brief 'cm_load_layer_props' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_load_layer_props')" instead. """ - def __lt__(self, b: ObjectInstPath) -> bool: + def cm_lv_add_missing(self) -> None: r""" - @brief Provides an order criterion for two ObjectInstPath objects - Note: this operator is just provided to establish any order, not a particular one. - - This method has been introduced with version 0.24. + @brief 'cm_lv_add_missing' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_add_missing')" instead. """ - def __ne__(self, b: object) -> bool: + def cm_lv_delete(self) -> None: r""" - @brief Inequality of two ObjectInstPath objects - See the comments on the == operator. - - This method has been introduced with version 0.24. + @brief 'cm_lv_delete' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_delete')" instead. """ - def _create(self) -> None: + def cm_lv_expand_all(self) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief 'cm_lv_expand_all' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_expand_all')" instead. """ - def _destroy(self) -> None: + def cm_lv_group(self) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief 'cm_lv_group' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_group')" instead. """ - def _destroyed(self) -> bool: + def cm_lv_hide(self) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief 'cm_lv_hide' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_hide')" instead. """ - def _is_const_object(self) -> bool: + def cm_lv_hide_all(self) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief 'cm_lv_hide_all' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_hide_all')" instead. """ - def _manage(self) -> None: + def cm_lv_insert(self) -> None: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief 'cm_lv_insert' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_insert')" instead. """ - def _unmanage(self) -> None: + def cm_lv_new_tab(self) -> None: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief 'cm_lv_new_tab' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_new_tab')" instead. """ - def append_path(self, element: db.InstElement) -> None: + def cm_lv_regroup_by_datatype(self) -> None: r""" - @brief Appends an element to the instantiation path - - This method allows building of an instantiation path pointing to the selected object. - For an instance selection, the last component added is the instance which is selected. - For a shape selection, the path points to the cell containing the selected shape. - - This method was introduced in version 0.24. + @brief 'cm_lv_regroup_by_datatype' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_regroup_by_datatype')" instead. """ - def assign(self, other: ObjectInstPath) -> None: + def cm_lv_regroup_by_index(self) -> None: r""" - @brief Assigns another object to self + @brief 'cm_lv_regroup_by_index' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_regroup_by_index')" instead. """ - def cell_index(self) -> int: + def cm_lv_regroup_by_layer(self) -> None: r""" - @brief Gets the cell index of the cell that the selection applies to. - This method returns the cell index that describes which cell the selected shape is located in or the cell whose instance is selected if \is_cell_inst? is true. - This property is set implicitly by setting the top cell and adding elements to the instantiation path. - To obtain the index of the container cell, use \source. + @brief 'cm_lv_regroup_by_layer' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_regroup_by_layer')" instead. """ - def clear_path(self) -> None: + def cm_lv_regroup_flatten(self) -> None: r""" - @brief Clears the instantiation path - - This method was introduced in version 0.24. + @brief 'cm_lv_regroup_flatten' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_regroup_flatten')" instead. """ - def create(self) -> None: + def cm_lv_remove_tab(self) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief 'cm_lv_remove_tab' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_remove_tab')" instead. """ - def destroy(self) -> None: + def cm_lv_remove_unused(self) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief 'cm_lv_remove_unused' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_remove_unused')" instead. + """ + def cm_lv_rename(self) -> None: + r""" + @brief 'cm_lv_rename' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_rename')" instead. + """ + def cm_lv_rename_tab(self) -> None: + r""" + @brief 'cm_lv_rename_tab' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_rename_tab')" instead. + """ + def cm_lv_select_all(self) -> None: + r""" + @brief 'cm_lv_select_all' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_select_all')" instead. + """ + def cm_lv_show(self) -> None: + r""" + @brief 'cm_lv_show' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_show')" instead. + """ + def cm_lv_show_all(self) -> None: + r""" + @brief 'cm_lv_show_all' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_show_all')" instead. + """ + def cm_lv_show_only(self) -> None: + r""" + @brief 'cm_lv_show_only' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_show_only')" instead. + """ + def cm_lv_sort_by_dli(self) -> None: + r""" + @brief 'cm_lv_sort_by_dli' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_sort_by_dli')" instead. + """ + def cm_lv_sort_by_idl(self) -> None: + r""" + @brief 'cm_lv_sort_by_idl' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_sort_by_idl')" instead. + """ + def cm_lv_sort_by_ild(self) -> None: + r""" + @brief 'cm_lv_sort_by_ild' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_sort_by_ild')" instead. + """ + def cm_lv_sort_by_ldi(self) -> None: + r""" + @brief 'cm_lv_sort_by_ldi' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_sort_by_ldi')" instead. + """ + def cm_lv_sort_by_name(self) -> None: + r""" + @brief 'cm_lv_sort_by_name' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_sort_by_name')" instead. + """ + def cm_lv_source(self) -> None: + r""" + @brief 'cm_lv_source' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_source')" instead. + """ + def cm_lv_ungroup(self) -> None: + r""" + @brief 'cm_lv_ungroup' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_lv_ungroup')" instead. + """ + def cm_macro_editor(self) -> None: + r""" + @brief 'cm_macro_editor' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_macro_editor')" instead. + """ + def cm_manage_bookmarks(self) -> None: + r""" + @brief 'cm_manage_bookmarks' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_manage_bookmarks')" instead. + """ + def cm_max_hier(self) -> None: + r""" + @brief 'cm_max_hier' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_max_hier')" instead. + """ + def cm_max_hier_0(self) -> None: + r""" + @brief 'cm_max_hier_0' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_max_hier_0')" instead. """ - def destroyed(self) -> bool: + def cm_max_hier_1(self) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief 'cm_max_hier_1' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_max_hier_1')" instead. """ - def dtrans(self) -> db.DCplxTrans: + def cm_navigator_close(self) -> None: r""" - @brief Gets the transformation applicable for the shape in micron space. - - This method returns the same transformation than \trans, but applicable to objects in micrometer units: - - @code - # renders the micrometer-unit polygon in top cell coordinates: - dpolygon_in_top = sel.dtrans * sel.shape.dpolygon - @/code - - This method is not applicable to instance selections. A more generic attribute is \source_dtrans. - - The method has been introduced in version 0.25. + @brief 'cm_navigator_close' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_navigator_close')" instead. """ - def dup(self) -> ObjectInstPath: + def cm_new_cell(self) -> None: r""" - @brief Creates a copy of self + @brief 'cm_new_cell' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_new_cell')" instead. """ - def each_inst(self) -> Iterator[db.InstElement]: + def cm_new_layer(self) -> None: r""" - @brief Yields the instantiation path - - The instantiation path describes by an sequence of \InstElement objects the path by which the cell containing the selected shape is found from the cell view's current cell. - If this object represents an instance, the path will contain the selected instance as the last element. - The elements are delivered top down. + @brief 'cm_new_layer' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_new_layer')" instead. """ - def inst(self) -> db.Instance: + def cm_new_layout(self) -> None: r""" - @brief Deliver the instance represented by this selection - - This method delivers valid results only if \is_cell_inst? is true. - It returns the instance reference (an \Instance object) that this selection represents. - - This property is set implicitly by adding instance elements to the instantiation path. - - This method has been added in version 0.16. + @brief 'cm_new_layout' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_new_layout')" instead. """ - def is_cell_inst(self) -> bool: + def cm_new_panel(self) -> None: r""" - @brief True, if this selection represents a cell instance - - If this attribute is true, the shape reference and layer are not valid. + @brief 'cm_new_panel' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_new_panel')" instead. """ - def is_const_object(self) -> bool: + def cm_next_display_state(self) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief 'cm_next_display_state' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_next_display_state')" instead. """ - def is_valid(self, view: LayoutViewBase) -> bool: + def cm_open(self) -> None: r""" - @brief Gets a value indicating whether the instance path refers to a valid object in the context of the given view - - This predicate has been introduced in version 0.27.12. + @brief 'cm_open' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_open')" instead. """ - def layout(self) -> db.Layout: + def cm_open_current_cell(self) -> None: r""" - @brief Gets the Layout object the selected object lives in. - - This method returns the \Layout object that the selected object lives in. This method may return nil, if the selection does not point to a valid object. - - This method has been introduced in version 0.25. + @brief 'cm_open_current_cell' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_open_current_cell')" instead. """ - def path_length(self) -> int: + def cm_open_new_view(self) -> None: r""" - @brief Returns the length of the path (number of elements delivered by \each_inst) - - This method has been added in version 0.16. + @brief 'cm_open_new_view' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_open_new_view')" instead. """ - def path_nth(self, n: int) -> db.InstElement: + def cm_open_too(self) -> None: r""" - @brief Returns the nth element of the path (similar to \each_inst but with direct access through the index) - - @param n The index of the element to retrieve (0..\path_length-1) - This method has been added in version 0.16. + @brief 'cm_open_too' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_open_too')" instead. """ - def source(self) -> int: + def cm_packages(self) -> None: r""" - @brief Returns to the cell index of the cell that the selected element resides inside. - - If this reference represents a cell instance, this method delivers the index of the cell in which the cell instance resides. Otherwise, this method returns the same value than \cell_index. - - This property is set implicitly by setting the top cell and adding elements to the instantiation path. - - This method has been added in version 0.16. + @brief 'cm_packages' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_packages')" instead. """ - def source_dtrans(self) -> db.DCplxTrans: + def cm_pan_down(self) -> None: r""" - @brief Gets the transformation applicable for an instance and shape in micron space. - - This method returns the same transformation than \source_trans, but applicable to objects in micrometer units: - - @code - # renders the cell instance as seen from top level: - dcell_inst_in_top = sel.source_dtrans * sel.inst.dcell_inst - @/code - - The method has been introduced in version 0.25. + @brief 'cm_pan_down' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_pan_down')" instead. """ - def source_trans(self) -> db.ICplxTrans: + def cm_pan_left(self) -> None: r""" - @brief Gets the transformation applicable for an instance and shape. - - If this object represents a shape, this transformation describes how the selected shape is transformed into the current cell of the cell view. - If this object represents an instance, this transformation describes how the selected instance is transformed into the current cell of the cell view. - This method is similar to \trans, except that the resulting transformation does not include the instance transformation if the object represents an instance. - - This property is set implicitly by setting the top cell and adding elements to the instantiation path. - - This method has been added in version 0.16. + @brief 'cm_pan_left' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_pan_left')" instead. """ - def trans(self) -> db.ICplxTrans: + def cm_pan_right(self) -> None: r""" - @brief Gets the transformation applicable for the shape. - - If this object represents a shape, this transformation describes how the selected shape is transformed into the current cell of the cell view. - Basically, this transformation is the accumulated transformation over the instantiation path. If the ObjectInstPath represents a cell instance, this includes the transformation of the selected instance as well. - - This property is set implicitly by setting the top cell and adding elements to the instantiation path. - This method is not applicable for instance selections. A more generic attribute is \source_trans. + @brief 'cm_pan_right' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_pan_right')" instead. """ - -class ImageDataMapping: - r""" - @brief A structure describing the data mapping of an image object - - Data mapping is the process of transforming the data into RGB pixel values. - This implementation provides four adjustment steps: first, in the case of monochrome - data, the data is converted to a RGB triplet using the color map. The default color map - will copy the value to all channels rendering a gray scale. After having normalized the data - to 0..1 cooresponding to the min_value and max_value settings of the image, a color channel-independent - brightness and contrast adjustment is applied. Then, a per-channel multiplier (red_gain, green_gain, - blue_gain) is applied. Finally, the gamma function is applied and the result converted into a 0..255 - pixel value range and clipped. - """ - blue_gain: float - r""" - Getter: - @brief The blue channel gain - - This value is the multiplier by which the blue channel is scaled after applying - false color transformation and contrast/brightness/gamma. - - 1.0 is a neutral value. The gain should be >=0.0. - - Setter: - @brief Set the blue_gain - See \blue_gain for a description of this property. - """ - brightness: float - r""" - Getter: - @brief The brightness value - - The brightness is a double value between roughly -1.0 and 1.0. - Neutral (original) brightness is 0.0. - - Setter: - @brief Set the brightness - See \brightness for a description of this property. - """ - contrast: float - r""" - Getter: - @brief The contrast value - - The contrast is a double value between roughly -1.0 and 1.0. - Neutral (original) contrast is 0.0. - - Setter: - @brief Set the contrast - See \contrast for a description of this property. - """ - gamma: float - r""" - Getter: - @brief The gamma value - - The gamma value allows one to adjust for non-linearities in the display chain and to enhance contrast. - A value for linear intensity reproduction on the screen is roughly 0.5. The exact value depends on the - monitor calibration. Values below 1.0 give a "softer" appearance while values above 1.0 give a "harder" appearance. - - Setter: - @brief Set the gamma - See \gamma for a description of this property. - """ - green_gain: float - r""" - Getter: - @brief The green channel gain - - This value is the multiplier by which the green channel is scaled after applying - false color transformation and contrast/brightness/gamma. - - 1.0 is a neutral value. The gain should be >=0.0. - - Setter: - @brief Set the green_gain - See \green_gain for a description of this property. - """ - red_gain: float - r""" - Getter: - @brief The red channel gain - - This value is the multiplier by which the red channel is scaled after applying - false color transformation and contrast/brightness/gamma. - - 1.0 is a neutral value. The gain should be >=0.0. - - Setter: - @brief Set the red_gain - See \red_gain for a description of this property. - """ - @classmethod - def new(cls) -> ImageDataMapping: + def cm_pan_up(self) -> None: + r""" + @brief 'cm_pan_up' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_pan_up')" instead. + """ + def cm_paste(self) -> None: r""" - @brief Create a new data mapping object with default settings + @brief 'cm_paste' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_paste')" instead. """ - def __copy__(self) -> ImageDataMapping: + def cm_prev_display_state(self) -> None: r""" - @brief Creates a copy of self + @brief 'cm_prev_display_state|#cm_last_display_state' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_prev_display_state|#cm_last_display_state')" instead. """ - def __deepcopy__(self) -> ImageDataMapping: + def cm_print(self) -> None: r""" - @brief Creates a copy of self + @brief 'cm_print' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_print')" instead. """ - def __init__(self) -> None: + def cm_pull_in(self) -> None: r""" - @brief Create a new data mapping object with default settings + @brief 'cm_pull_in' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_pull_in')" instead. """ - def _create(self) -> None: + def cm_reader_options(self) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief 'cm_reader_options' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_reader_options')" instead. """ - def _destroy(self) -> None: + def cm_redo(self) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief 'cm_redo' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_redo')" instead. """ - def _destroyed(self) -> bool: + def cm_redraw(self) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief 'cm_redraw' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_redraw')" instead. """ - def _is_const_object(self) -> bool: + def cm_reload(self) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief 'cm_reload' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_reload')" instead. """ - def _manage(self) -> None: + def cm_reset_window_state(self) -> None: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief 'cm_reset_window_state' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_reset_window_state')" instead. """ - def _unmanage(self) -> None: + def cm_restore_session(self) -> None: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - - Usually it's not required to call this method. It has been introduced in version 0.24. + @brief 'cm_restore_session' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_restore_session')" instead. """ - @overload - def add_colormap_entry(self, value: float, color: int) -> None: + def cm_save(self) -> None: r""" - @brief Add a colormap entry for this data mapping object. - @param value The value at which the given color should be applied. - @param color The color to apply (a 32 bit RGB value). - - This settings establishes a color mapping for a given value in the monochrome channel. The color must be given as a 32 bit integer, where the lowest order byte describes the blue component (0 to 255), the second byte the green component and the third byte the red component, i.e. 0xff0000 is red and 0x0000ff is blue. + @brief 'cm_save' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_save')" instead. """ - @overload - def add_colormap_entry(self, value: float, lcolor: int, rcolor: int) -> None: + def cm_save_all(self) -> None: r""" - @brief Add a colormap entry for this data mapping object. - @param value The value at which the given color should be applied. - @param lcolor The color to apply left of the value (a 32 bit RGB value). - @param rcolor The color to apply right of the value (a 32 bit RGB value). - - This settings establishes a color mapping for a given value in the monochrome channel. The colors must be given as a 32 bit integer, where the lowest order byte describes the blue component (0 to 255), the second byte the green component and the third byte the red component, i.e. 0xff0000 is red and 0x0000ff is blue. - - In contrast to the version with one color, this version allows specifying a color left and right of the value - i.e. a discontinuous step. - - This variant has been introduced in version 0.27. + @brief 'cm_save_all' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_save_all')" instead. """ - def assign(self, other: ImageDataMapping) -> None: + def cm_save_as(self) -> None: r""" - @brief Assigns another object to self + @brief 'cm_save_as' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_save_as')" instead. """ - def clear_colormap(self) -> None: + def cm_save_bookmarks(self) -> None: r""" - @brief The the color map of this data mapping object. + @brief 'cm_save_bookmarks' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_save_bookmarks')" instead. """ - def colormap_color(self, n: int) -> int: + def cm_save_current_cell_as(self) -> None: r""" - @brief Returns the color for a given color map entry. - @param n The index of the entry (0..\num_colormap_entries-1) - @return The color (see \add_colormap_entry for a description). - - NOTE: this version is deprecated and provided for backward compatibility. For discontinuous nodes this method delivers the left-sided color. + @brief 'cm_save_current_cell_as' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_save_current_cell_as')" instead. """ - def colormap_lcolor(self, n: int) -> int: + def cm_save_layer_props(self) -> None: r""" - @brief Returns the left-side color for a given color map entry. - @param n The index of the entry (0..\num_colormap_entries-1) - @return The color (see \add_colormap_entry for a description). - - This method has been introduced in version 0.27. + @brief 'cm_save_layer_props' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_save_layer_props')" instead. """ - def colormap_rcolor(self, n: int) -> int: + def cm_save_session(self) -> None: r""" - @brief Returns the right-side color for a given color map entry. - @param n The index of the entry (0..\num_colormap_entries-1) - @return The color (see \add_colormap_entry for a description). - - This method has been introduced in version 0.27. + @brief 'cm_save_session' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_save_session')" instead. """ - def colormap_value(self, n: int) -> float: + def cm_screenshot(self) -> None: r""" - @brief Returns the value for a given color map entry. - @param n The index of the entry (0..\num_colormap_entries-1) - @return The value (see \add_colormap_entry for a description). + @brief 'cm_screenshot' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_screenshot')" instead. """ - def create(self) -> None: + def cm_screenshot_to_clipboard(self) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief 'cm_screenshot_to_clipboard' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_screenshot_to_clipboard')" instead. """ - def destroy(self) -> None: + def cm_sel_flip_x(self) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief 'cm_sel_flip_x' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_sel_flip_x')" instead. """ - def destroyed(self) -> bool: + def cm_sel_flip_y(self) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief 'cm_sel_flip_y' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_sel_flip_y')" instead. """ - def dup(self) -> ImageDataMapping: + def cm_sel_free_rot(self) -> None: r""" - @brief Creates a copy of self + @brief 'cm_sel_free_rot' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_sel_free_rot')" instead. """ - def is_const_object(self) -> bool: + def cm_sel_move(self) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief 'cm_sel_move' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_sel_move')" instead. """ - def num_colormap_entries(self) -> int: + def cm_sel_move_to(self) -> None: r""" - @brief Returns the current number of color map entries. - @return The number of entries. + @brief 'cm_sel_move_to' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_sel_move_to')" instead. """ - -class BasicImage: - r""" - @hide - @alias Image - """ - @classmethod - def new(cls) -> BasicImage: + def cm_sel_rot_ccw(self) -> None: + r""" + @brief 'cm_sel_rot_ccw' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_sel_rot_ccw')" instead. + """ + def cm_sel_rot_cw(self) -> None: + r""" + @brief 'cm_sel_rot_cw' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_sel_rot_cw')" instead. + """ + def cm_sel_scale(self) -> None: + r""" + @brief 'cm_sel_scale' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_sel_scale')" instead. + """ + def cm_select_all(self) -> None: + r""" + @brief 'cm_select_all' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_select_all')" instead. + """ + def cm_select_cell(self) -> None: + r""" + @brief 'cm_select_cell' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_select_cell')" instead. + """ + def cm_select_current_cell(self) -> None: + r""" + @brief 'cm_select_current_cell' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_select_current_cell')" instead. + """ + def cm_setup(self) -> None: + r""" + @brief 'cm_setup' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_setup')" instead. + """ + def cm_show_properties(self) -> None: + r""" + @brief 'cm_show_properties' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_show_properties')" instead. + """ + def cm_technologies(self) -> None: + r""" + @brief 'cm_technologies' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_technologies')" instead. + """ + def cm_undo(self) -> None: r""" - @brief Creates a new object of this class + @brief 'cm_undo' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_undo')" instead. """ - def __copy__(self) -> BasicImage: + def cm_unselect_all(self) -> None: r""" - @brief Creates a copy of self + @brief 'cm_unselect_all' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_unselect_all')" instead. """ - def __deepcopy__(self) -> BasicImage: + def cm_view_log(self) -> None: r""" - @brief Creates a copy of self + @brief 'cm_view_log' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_view_log')" instead. """ - def __init__(self) -> None: + def cm_zoom_fit(self) -> None: r""" - @brief Creates a new object of this class + @brief 'cm_zoom_fit' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_zoom_fit')" instead. """ - def _create(self) -> None: + def cm_zoom_fit_sel(self) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief 'cm_zoom_fit_sel' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_zoom_fit_sel')" instead. """ - def _destroy(self) -> None: + def cm_zoom_in(self) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief 'cm_zoom_in' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_zoom_in')" instead. """ - def _destroyed(self) -> bool: + def cm_zoom_out(self) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief 'cm_zoom_out' action. + This method is deprecated in version 0.27. + Use "call_menu('cm_zoom_out')" instead. """ - def _is_const_object(self) -> bool: + def commit_config(self) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Commits the configuration settings + This method is provided for using MainWindow without an Application object. It's a convience method which is equivalent to 'dispatcher().commit_config(...)'. See \Dispatcher#commit_config for details. + + This method has been introduced in version 0.27. """ - def _manage(self) -> None: + def create(self) -> None: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + @overload + def create_layout(self, mode: int) -> CellView: + r""" + @brief Creates a new, empty layout - Usually it's not required to call this method. It has been introduced in version 0.24. + @param mode An integer value of 0, 1 or 2 that determines how the layout is created + @return The cellview of the layout that was created + + Create the layout in the current view, replacing the current layouts (mode 0), in a new view (mode 1) or adding it to the current view (mode 2). + In mode 1, the new view is made the current one. + + This version uses the initial technology and associates it with the new layout. + + Starting with version 0.25, this method returns a cellview object that can be modified to configure the cellview. """ - def _unmanage(self) -> None: + @overload + def create_layout(self, tech: str, mode: int) -> CellView: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + @brief Creates a new, empty layout with the given technology - Usually it's not required to call this method. It has been introduced in version 0.24. + @param mode An integer value of 0, 1 or 2 that determines how the layout is created + @param tech The name of the technology to use for that layout. + @return The cellview of the layout that was created + + Create the layout in the current view, replacing the current layouts (mode 0), in a new view (mode 1) or adding it to the current view (mode 2). + In mode 1, the new view is made the current one. + + If the technology name is not a valid technology name, the default technology will be used. + + This version was introduced in version 0.22. + Starting with version 0.25, this method returns a cellview object that can be modified to configure the cellview. """ - def assign(self, other: BasicImage) -> None: + def create_view(self) -> int: r""" - @brief Assigns another object to self + @brief Creates a new, empty view + + @return The index of the view that was created + + Creates an empty view that can be filled with layouts using the load_layout and create_layout methods on the view object. Use the \view method to obtain the view object from the view index. + This method has been added in version 0.22. """ - def create(self) -> None: + def current_view(self) -> LayoutView: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Returns a reference to the current view's object + + @return A reference to a \LayoutView object representing the current view. """ def destroy(self) -> None: r""" @@ -10716,425 +10410,413 @@ class BasicImage: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> BasicImage: - r""" - @brief Creates a copy of self - """ - def is_const_object(self) -> bool: + def dispatcher(self) -> Dispatcher: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Gets the dispatcher interface (the plugin root configuration space) + This method has been introduced in version 0.27. """ + def enable_edits(self, enable: bool) -> None: + r""" + @brief Enables or disables editing -class Image(BasicImage): - r""" - @brief An image to be stored as a layout annotation - - Images can be put onto the layout canvas as annotations, along with rulers and markers. - Images can be monochrome (represent scalar data) as well as color (represent color images). - The display of images can be adjusted in various ways, i.e. color mapping (translation of scalar values to - colors), geometrical transformations (including rotation by arbitrary angles) and similar. - Images are always based on floating point data. The actual data range is not fixed and can be adjusted to the data set (i.e. 0..255 or -1..1). This gives a great flexibility when displaying data which is the result of some measurement or calculation for example. - The basic parameters of an image are the width and height of the data set, the width and height of one pixel, the geometrical transformation to be applied, the data range (min_value to max_value) and the data mapping which is described by an own class, \ImageDataMapping. - - Starting with version 0.22, the basic transformation is a 3x3 matrix rather than the simple affine transformation. This matrix includes the pixel dimensions as well. One consequence of that is that the magnification part of the matrix and the pixel dimensions are no longer separated. That has certain consequences, i.e. setting an affine transformation with a magnification scales the pixel sizes as before but an affine transformation returned will no longer contain the pixel dimensions as magnification because it only supports isotropic scaling. For backward compatibility, the rotation center for the affine transformations while the default center and the center for matrix transformations is the image center. - - As with version 0.25, images become 'live' objects. Changes to image properties will be reflected in the view automatically once the image object has been inserted into a view. Note that changes are not immediately reflected in the view, but are delayed until the view is refreshed. Hence, iterating the view's images will not render the same results than the image objects attached to the view. To ensure synchronization, call \Image#update. - """ - data_mapping: ImageDataMapping - r""" - Getter: - @brief Gets the data mapping - @return The data mapping object - - The data mapping describes the transformation of a pixel value (any double value) into pixel data which can be sent to the graphics cards for display. See \ImageDataMapping for a more detailed description. - - Setter: - @brief Sets the data mapping object - - The data mapping describes the transformation of a pixel value (any double value) into pixel data which can be sent to the graphics cards for display. See \ImageDataMapping for a more detailed description. - """ - mask_data: List[bool] - r""" - Getter: - @brief Gets the mask from a array of boolean values - See \set_mask_data for a description of the data field. - - This method has been introduced in version 0.27. - - Setter: - @brief Sets the mask from a array of boolean values - The order of the boolean values is line first, from bottom to top and left to right and is the same as the order in the data array. - - This method has been introduced in version 0.27. - """ - matrix: db.Matrix3d - r""" - Getter: - @brief Returns the pixel-to-micron transformation matrix - - This transformation matrix converts pixel coordinates (0,0 being the center and each pixel having the dimension of pixel_width and pixel_height) - to micron coordinates. The coordinate of the pixel is the lower left corner of the pixel. - - The matrix is more general than the transformation used before and supports shear and perspective transformation. This property replaces the \trans property which is still functional, but deprecated. - - This method has been introduced in version 0.22. - Setter: - @brief Sets the transformation matrix - - This transformation matrix converts pixel coordinates (0,0 being the center and each pixel having the dimension of pixel_width and pixel_height) - to micron coordinates. The coordinate of the pixel is the lower left corner of the pixel. - - The matrix is more general than the transformation used before and supports shear and perspective transformation. This property replaces the \trans property which is still functional, but deprecated. - - This method has been introduced in version 0.22. - """ - max_value: float - r""" - Getter: - @brief Sets the maximum value - - See the \max_value method for the description of the maximum value property. - - Setter: - @brief Gets the upper limit of the values in the data set - - This value determines the upper end of the data mapping (i.e. white value etc.). - It does not necessarily correspond to the maximum value of the data set but it must be - larger than that. - """ - min_value: float - r""" - Getter: - @brief Gets the upper limit of the values in the data set - - This value determines the upper end of the data mapping (i.e. white value etc.). - It does not necessarily correspond to the minimum value of the data set but it must be - larger than that. - - Setter: - @brief Sets the minimum value - - See \min_value for the description of the minimum value property. - """ - pixel_height: float - r""" - Getter: - @brief Gets the pixel height - - See \pixel_height= for a description of that property. - - Starting with version 0.22, this property is incorporated into the transformation matrix. - This property is provided for convenience only. - Setter: - @brief Sets the pixel height - - The pixel height determines the height of on pixel in the original space which is transformed to - micron space with the transformation. - - Starting with version 0.22, this property is incorporated into the transformation matrix. - This property is provided for convenience only. - """ - pixel_width: float - r""" - Getter: - @brief Gets the pixel width - - See \pixel_width= for a description of that property. - - Starting with version 0.22, this property is incorporated into the transformation matrix. - This property is provided for convenience only. - Setter: - @brief Sets the pixel width - - The pixel width determines the width of on pixel in the original space which is transformed to - micron space with the transformation. - - Starting with version 0.22, this property is incorporated into the transformation matrix. - This property is provided for convenience only. - """ - trans: db.DCplxTrans - r""" - Getter: - @brief Returns the pixel-to-micron transformation - - This transformation converts pixel coordinates (0,0 being the lower left corner and each pixel having the dimension of pixel_width and pixel_height) - to micron coordinates. The coordinate of the pixel is the lower left corner of the pixel. - - The general property is \matrix which also allows perspective and shear transformation. This property will only work, if the transformation does not include perspective or shear components. Therefore this property is deprecated. - Please note that for backward compatibility, the rotation center is pixel 0,0 (lowest left one), while it is the image center for the matrix transformation. - Setter: - @brief Sets the transformation + @param enable Enable edits if set to true - This transformation converts pixel coordinates (0,0 being the lower left corner and each pixel having the dimension of pixel_width and pixel_height) - to micron coordinates. The coordinate of the pixel is the lower left corner of the pixel. + Starting from version 0.25, this method enables/disables edits on the current view only. + Use LayoutView#enable_edits instead. + """ + def exit(self) -> None: + r""" + @brief Schedules an exit for the application - The general property is \matrix which also allows perspective and shear transformation. - Please note that for backward compatibility, the rotation center is pixel 0,0 (lowest left one), while it is the image center for the matrix transformation. - """ - visible: bool - r""" - Getter: - @brief Gets a flag indicating whether the image object is visible + This method does not immediately exit the application but sends an exit request to the application which will cause a clean shutdown of the GUI. + """ + def get_config(self, name: str) -> Any: + r""" + @brief Gets the value of a local configuration parameter + This method is provided for using MainWindow without an Application object. It's a convience method which is equivalent to 'dispatcher().get_config(...)'. See \Dispatcher#get_config for details. - An image object can be made invisible by setting the visible property to false. + This method has been introduced in version 0.27. + """ + def get_config_names(self) -> List[str]: + r""" + @brief Gets the configuration parameter names + This method is provided for using MainWindow without an Application object. It's a convience method which is equivalent to 'dispatcher().get_config_names(...)'. See \Dispatcher#get_config_names for details. - This method has been introduced in version 0.20. + This method has been introduced in version 0.27. + """ + def get_default_key_bindings(self) -> Dict[str, str]: + r""" + @brief Gets the default key bindings + This method returns a hash with the default key binding vs. menu item path. + You can use this hash with \set_key_bindings to reset all key bindings to the default ones. - Setter: - @brief Sets the visibility + This method has been introduced in version 0.27. + """ + def get_default_menu_items_hidden(self) -> Dict[str, bool]: + r""" + @brief Gets the flags indicating whether menu items are hidden by default + You can use this hash with \set_menu_items_hidden to restore the visibility of all menu items. - See the \is_visible? method for a description of this property. + This method has been introduced in version 0.27. + """ + def get_key_bindings(self) -> Dict[str, str]: + r""" + @brief Gets the current key bindings + This method returns a hash with the key binding vs. menu item path. - This method has been introduced in version 0.20. - """ - z_position: int - r""" - Getter: - @brief Gets the z position of the image - Images with a higher z position are painted in front of images with lower z position. - The z value is an integer that controls the position relative to other images. + This method has been introduced in version 0.27. + """ + def get_menu_items_hidden(self) -> Dict[str, bool]: + r""" + @brief Gets the flags indicating whether menu items are hidden + This method returns a hash with the hidden flag vs. menu item path. + You can use this hash with \set_menu_items_hidden. - This method was introduced in version 0.25. - Setter: - @brief Sets the z position of the image + This method has been introduced in version 0.27. + """ + def grid_micron(self) -> float: + r""" + @brief Gets the global grid in micron - See \z_position for details about the z position attribute. + @return The global grid in micron - This method was introduced in version 0.25. - """ - @classmethod - def from_s(cls, s: str) -> Image: + The global grid is used at various places, i.e. for ruler snapping, for grid display etc. + """ + def index_of(self, view: LayoutView) -> int: r""" - @brief Creates an image from the string returned by \to_s. - This method has been introduced in version 0.27. + @brief Gets the index of the given view + + @return The index of the view that was given + + If the given view is not a view object within the main window, a negative value will be returned. + + This method has been added in version 0.25. """ - @overload - @classmethod - def new(cls) -> Image: + def is_const_object(self) -> bool: r""" - @brief Create a new image with the default attributes - This will create an empty image without data and no particular pixel width or related. - Use the \read_file or \set_data methods to set image properties and pixel values. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ @overload - @classmethod - def new(cls, filename: str) -> Image: + def load_layout(self, filename: str, mode: Optional[int] = ...) -> CellView: r""" - @brief Constructor from a image file + @brief Loads a new layout - This constructor creates an image object from a file (which can have any format supported by Qt) and - a unit transformation. The image will originally be put to position 0,0 (lower left corner) and each pixel - will have a size of 1 (micron). + @param filename The name of the file to load + @param mode An integer value of 0, 1 or 2 that determines how the file is loaded + @return The cellview into which the layout was loaded - @param filename The path to the image file to load. + Loads the given file into the current view, replacing the current layouts (mode 0), into a new view (mode 1) or adding the layout to the current view (mode 2). + In mode 1, the new view is made the current one. + + This version will use the initial technology and the default reader options. Others versions are provided which allow specification of technology and reader options explicitly. + + Starting with version 0.25, this method returns a cellview object that can be modified to configure the cellview. The 'mode' argument has been made optional in version 0.28. """ @overload - @classmethod - def new(cls, filename: str, trans: db.DCplxTrans) -> Image: + def load_layout(self, filename: str, options: db.LoadLayoutOptions, mode: Optional[int] = ...) -> CellView: r""" - @brief Constructor from a image file + @brief Loads a new layout with the given options - This constructor creates an image object from a file (which can have any format supported by Qt) and - a transformation. The image will originally be put to position 0,0 (lower left corner) and each pixel - will have a size of 1. The transformation describes how to transform this image into micron space. + @param filename The name of the file to load + @param options The reader options to use. + @param mode An integer value of 0, 1 or 2 that determines how the file is loaded + @return The cellview into which the layout was loaded - @param filename The path to the image file to load. - @param trans The transformation to apply to the image when displaying it. + Loads the given file into the current view, replacing the current layouts (mode 0), into a new view (mode 1) or adding the layout to the current view (mode 2). + In mode 1, the new view is made the current one. + + This version was introduced in version 0.22. + Starting with version 0.25, this method returns a cellview object that can be modified to configure the cellview. The 'mode' argument has been made optional in version 0.28. """ @overload - @classmethod - def new(cls, w: int, h: int, data: Sequence[float]) -> Image: + def load_layout(self, filename: str, options: db.LoadLayoutOptions, tech: str, mode: Optional[int] = ...) -> CellView: r""" - @brief Constructor for a monochrome image with the given pixel values + @brief Loads a new layout with the given options and associate it with the given technology - This constructor creates an image from the given pixel values. The values have to be organized - line by line. Each line must consist of "w" values where the first value is the leftmost pixel. - Note, that the rows are oriented in the mathematical sense (first one is the lowest) contrary to - the common convention for image data. - Initially the pixel width and height will be 1 micron and the data range will be 0 to 1.0 (black to white level). - To adjust the data range use the \min_value and \max_value properties. + @param filename The name of the file to load + @param options The reader options to use. + @param tech The name of the technology to use for that layout. + @param mode An integer value of 0, 1 or 2 that determines how the file is loaded + @return The cellview into which the layout was loaded - @param w The width of the image - @param h The height of the image - @param d The data (see method description) + Loads the given file into the current view, replacing the current layouts (mode 0), into a new view (mode 1) or adding the layout to the current view (mode 2). + In mode 1, the new view is made the current one. + + If the technology name is not a valid technology name, the default technology will be used. + + This version was introduced in version 0.22. + Starting with version 0.25, this method returns a cellview object that can be modified to configure the cellview. The 'mode' argument has been made optional in version 0.28. """ @overload - @classmethod - def new(cls, w: int, h: int, trans: db.DCplxTrans, data: Sequence[float]) -> Image: + def load_layout(self, filename: str, tech: str, mode: Optional[int] = ...) -> CellView: r""" - @brief Constructor for a monochrome image with the given pixel values + @brief Loads a new layout and associate it with the given technology - This constructor creates an image from the given pixel values. The values have to be organized - line by line. Each line must consist of "w" values where the first value is the leftmost pixel. - Note, that the rows are oriented in the mathematical sense (first one is the lowest) contrary to - the common convention for image data. - Initially the pixel width and height will be 1 micron and the data range will be 0 to 1.0 (black to white level). - To adjust the data range use the \min_value and \max_value properties. + @param filename The name of the file to load + @param tech The name of the technology to use for that layout. + @param mode An integer value of 0, 1 or 2 that determines how the file is loaded + @return The cellview into which the layout was loaded - @param w The width of the image - @param h The height of the image - @param trans The transformation from pixel space to micron space - @param d The data (see method description) + Loads the given file into the current view, replacing the current layouts (mode 0), into a new view (mode 1) or adding the layout to the current view (mode 2). + In mode 1, the new view is made the current one. + + If the technology name is not a valid technology name, the default technology will be used. The 'mode' argument has been made optional in version 0.28. + + This version was introduced in version 0.22. + Starting with version 0.25, this method returns a cellview object that can be modified to configure the cellview. """ - @overload - @classmethod - def new(cls, w: int, h: int, red: Sequence[float], green: Sequence[float], blue: Sequence[float]) -> Image: + def manager(self) -> db.Manager: r""" - @brief Constructor for a color image with the given pixel values + @brief Gets the \Manager object of this window - This constructor creates an image from the given pixel values. The values have to be organized - line by line and separated by color channel. Each line must consist of "w" values where the first value is the leftmost pixel. - Note, that the rows are oriented in the mathematical sense (first one is the lowest) contrary to - the common convention for image data. - Initially the pixel width and height will be 1 micron and the data range will be 0 to 1.0 (black to white level). - To adjust the data range use the \min_value and \max_value properties. + The manager object is responsible to managing the undo/redo stack. Usually this object is not required. It's more convenient and safer to use the related methods provided by \LayoutView (\LayoutView#transaction, \LayoutView#commit) and \MainWindow (such as \MainWindow#cm_undo and \MainWindow#cm_redo). - @param w The width of the image - @param h The height of the image - @param red The red channel data set which will become owned by the image - @param green The green channel data set which will become owned by the image - @param blue The blue channel data set which will become owned by the image + This method has been added in version 0.24. """ - @overload - @classmethod - def new(cls, w: int, h: int, trans: db.DCplxTrans, red: Sequence[float], green: Sequence[float], blue: Sequence[float]) -> Image: + def menu(self) -> AbstractMenu: r""" - @brief Constructor for a color image with the given pixel values + @brief Returns a reference to the abstract menu - This constructor creates an image from the given pixel values. The values have to be organized - line by line and separated by color channel. Each line must consist of "w" values where the first value is the leftmost pixel. - Note, that the rows are oriented in the mathematical sense (first one is the lowest) contrary to - the common convention for image data. - Initially the pixel width and height will be 1 micron and the data range will be 0 to 1.0 (black to white level). - To adjust the data range use the \min_value and \max_value properties. + @return A reference to an \AbstractMenu object representing the menu system + """ + def message(self, message: str, time: int) -> None: + r""" + @brief Displays a message in the status bar - @param w The width of the image - @param h The height of the image - @param trans The transformation from pixel space to micron space - @param red The red channel data set which will become owned by the image - @param green The green channel data set which will become owned by the image - @param blue The blue channel data set which will become owned by the image + @param message The message to display + @param time The time how long to display the message in ms + + This given message is shown in the status bar for the given time. + + This method has been added in version 0.18. + """ + def read_config(self, file_name: str) -> bool: + r""" + @brief Reads the configuration from a file + This method is provided for using MainWindow without an Application object. It's a convience method which is equivalent to 'dispatcher().read_config(...)'. See \Dispatcher#read_config for details. + + This method has been introduced in version 0.27. + """ + def redraw(self) -> None: + r""" + @brief Redraws the current view + + Issues a redraw request to the current view. This usually happens automatically, so this method does not need to be called in most relevant cases. """ - @classmethod - def read(cls, path: str) -> Image: + def resize(self, width: int, height: int) -> None: r""" - @brief Loads the image from the given path. + @brief Resizes the window - This method expects the image file as a KLayout image format file (.lyimg). This is a XML-based format containing the image data plus placement and transformation information for the image placement. In addition, image manipulation parameters for false color display and color channel enhancement are embedded. + @param width The new width of the window + @param height The new width of the window - This method has been introduced in version 0.27. + This method resizes the window to the given target size including decoration such as menu bar and control panels """ - @overload - def __init__(self) -> None: + def restore_session(self, fn: str) -> None: r""" - @brief Create a new image with the default attributes - This will create an empty image without data and no particular pixel width or related. - Use the \read_file or \set_data methods to set image properties and pixel values. + @brief Restores a session from the given file + + @param fn The path to the session file + + The session stored in the given session file is restored. All existing views are closed and all layout edits are discarded without notification. + + This method was added in version 0.18. """ - @overload - def __init__(self, filename: str) -> None: + def save_session(self, fn: str) -> None: r""" - @brief Constructor from a image file + @brief Saves the session to the given file - This constructor creates an image object from a file (which can have any format supported by Qt) and - a unit transformation. The image will originally be put to position 0,0 (lower left corner) and each pixel - will have a size of 1 (micron). + @param fn The path to the session file - @param filename The path to the image file to load. + The session is saved to the given session file. Any existing layout edits are not automatically saved together with the session. The session just holds display settings and annotation objects. If layout edits exist, they have to be saved explicitly in a separate step. + + This method was added in version 0.18. """ - @overload - def __init__(self, filename: str, trans: db.DCplxTrans) -> None: + def select_view(self, index: int) -> None: r""" - @brief Constructor from a image file + @brief Selects the view with the given index - This constructor creates an image object from a file (which can have any format supported by Qt) and - a transformation. The image will originally be put to position 0,0 (lower left corner) and each pixel - will have a size of 1. The transformation describes how to transform this image into micron space. + @param index The index of the view to select (0 is the first) - @param filename The path to the image file to load. - @param trans The transformation to apply to the image when displaying it. + This method will make the view with the given index the current (front) view. + + This method was renamed from select_view to current_view_index= in version 0.25. The old name is still available, but deprecated. """ - @overload - def __init__(self, w: int, h: int, data: Sequence[float]) -> None: + def set_config(self, name: str, value: str) -> None: r""" - @brief Constructor for a monochrome image with the given pixel values + @brief Set a local configuration parameter with the given name to the given value + This method is provided for using MainWindow without an Application object. It's a convience method which is equivalent to 'dispatcher().set_config(...)'. See \Dispatcher#set_config for details. - This constructor creates an image from the given pixel values. The values have to be organized - line by line. Each line must consist of "w" values where the first value is the leftmost pixel. - Note, that the rows are oriented in the mathematical sense (first one is the lowest) contrary to - the common convention for image data. - Initially the pixel width and height will be 1 micron and the data range will be 0 to 1.0 (black to white level). - To adjust the data range use the \min_value and \max_value properties. + This method has been introduced in version 0.27. + """ + def set_key_bindings(self, bindings: Dict[str, str]) -> None: + r""" + @brief Sets key bindings. + Sets the given key bindings. Pass a hash listing the key bindings per menu item paths. Key strings follow the usual notation, e.g. 'Ctrl+A', 'Shift+X' or just 'F2'. + Use an empty value to remove a key binding from a menu entry. - @param w The width of the image - @param h The height of the image - @param d The data (see method description) + \get_key_bindings will give you the current key bindings, \get_default_key_bindings will give you the default ones. + + Examples: + + @code + # reset all key bindings to default: + mw = RBA::MainWindow.instance() + mw.set_key_bindings(mw.get_default_key_bindings()) + + # disable key binding for 'copy': + RBA::MainWindow.instance.set_key_bindings({ "edit_menu.copy" => "" }) + + # configure 'copy' to use Shift+K and 'cut' to use Ctrl+K: + RBA::MainWindow.instance.set_key_bindings({ "edit_menu.copy" => "Shift+K", "edit_menu.cut" => "Ctrl+K" }) + @/code + + This method has been introduced in version 0.27. """ - @overload - def __init__(self, w: int, h: int, trans: db.DCplxTrans, data: Sequence[float]) -> None: + def set_menu_items_hidden(self, arg0: Dict[str, bool]) -> None: r""" - @brief Constructor for a monochrome image with the given pixel values + @brief sets the flags indicating whether menu items are hidden + This method allows hiding certain menu items. It takes a hash with hidden flags vs. menu item paths. + Examples: - This constructor creates an image from the given pixel values. The values have to be organized - line by line. Each line must consist of "w" values where the first value is the leftmost pixel. - Note, that the rows are oriented in the mathematical sense (first one is the lowest) contrary to - the common convention for image data. - Initially the pixel width and height will be 1 micron and the data range will be 0 to 1.0 (black to white level). - To adjust the data range use the \min_value and \max_value properties. + @code + # show all menu items: + mw = RBA::MainWindow.instance() + mw.set_menu_items_hidden(mw.get_default_menu_items_hidden()) - @param w The width of the image - @param h The height of the image - @param trans The transformation from pixel space to micron space - @param d The data (see method description) + # hide the 'copy' entry from the 'Edit' menu: + RBA::MainWindow.instance().set_menu_items_hidden({ "edit_menu.copy" => true }) + @/code + + This method has been introduced in version 0.27. """ - @overload - def __init__(self, w: int, h: int, red: Sequence[float], green: Sequence[float], blue: Sequence[float]) -> None: + def show_macro_editor(self, cat: Optional[str] = ..., add: Optional[bool] = ...) -> None: r""" - @brief Constructor for a color image with the given pixel values + @brief Shows the macro editor + If 'cat' is given, this category will be selected in the category tab. If 'add' is true, the 'new macro' dialog will be opened. - This constructor creates an image from the given pixel values. The values have to be organized - line by line and separated by color channel. Each line must consist of "w" values where the first value is the leftmost pixel. - Note, that the rows are oriented in the mathematical sense (first one is the lowest) contrary to - the common convention for image data. - Initially the pixel width and height will be 1 micron and the data range will be 0 to 1.0 (black to white level). - To adjust the data range use the \min_value and \max_value properties. + This method has been introduced in version 0.26. + """ + def view(self, n: int) -> LayoutView: + r""" + @brief Returns a reference to a view object by index - @param w The width of the image - @param h The height of the image - @param red The red channel data set which will become owned by the image - @param green The green channel data set which will become owned by the image - @param blue The blue channel data set which will become owned by the image + @return The view object's reference for the view with the given index. """ - @overload - def __init__(self, w: int, h: int, trans: db.DCplxTrans, red: Sequence[float], green: Sequence[float], blue: Sequence[float]) -> None: + def views(self) -> int: r""" - @brief Constructor for a color image with the given pixel values + @brief Returns the number of views - This constructor creates an image from the given pixel values. The values have to be organized - line by line and separated by color channel. Each line must consist of "w" values where the first value is the leftmost pixel. - Note, that the rows are oriented in the mathematical sense (first one is the lowest) contrary to - the common convention for image data. - Initially the pixel width and height will be 1 micron and the data range will be 0 to 1.0 (black to white level). - To adjust the data range use the \min_value and \max_value properties. + @return The number of views available so far. + """ + def write_config(self, file_name: str) -> bool: + r""" + @brief Writes configuration to a file + This method is provided for using MainWindow without an Application object. It's a convience method which is equivalent to 'dispatcher().write_config(...)'. See \Dispatcher#write_config for details. - @param w The width of the image - @param h The height of the image - @param trans The transformation from pixel space to micron space - @param red The red channel data set which will become owned by the image - @param green The green channel data set which will become owned by the image - @param blue The blue channel data set which will become owned by the image + This method has been introduced in version 0.27. """ - def __str__(self) -> str: + +class Marker: + r""" + @brief The floating-point coordinate marker object + + The marker is a visual object that "marks" (highlights) a + certain area of the layout, given by a database object. This object accepts database objects with floating-point coordinates in micron values. + """ + color: int + r""" + Getter: + @brief Gets the color of the marker + This value is valid only if \has_color? is true. + Setter: + @brief Sets the color of the marker + The color is a 32bit unsigned integer encoding the RGB values in the lower 3 bytes (blue in the lowest significant byte). The color can be reset with \reset_color, in which case, the default foreground color is used. + """ + dismissable: bool + r""" + Getter: + @brief Gets a value indicating whether the marker can be hidden + See \dismissable= for a description of this predicate. + Setter: + @brief Sets a value indicating whether the marker can be hidden + Dismissable markers can be hidden setting "View/Show Markers" to "off". The default setting is "false" meaning the marker can't be hidden. + + This attribute has been introduced in version 0.25.4. + """ + dither_pattern: int + r""" + Getter: + @brief Gets the stipple pattern index + See \dither_pattern= for a description of the stipple pattern index. + Setter: + @brief Sets the stipple pattern index + A value of -1 or less than zero indicates that the marker is not filled. Otherwise, the value indicates which pattern to use for filling the marker. + """ + frame_color: int + r""" + Getter: + @brief Gets the frame color of the marker + This value is valid only if \has_frame_color? is true.The set method has been added in version 0.20. + + Setter: + @brief Sets the frame color of the marker + The color is a 32bit unsigned integer encoding the RGB values in the lower 3 bytes (blue in the lowest significant byte). The color can be reset with \reset_frame_color, in which case the fill color is used. + The set method has been added in version 0.20. + """ + halo: int + r""" + Getter: + @brief Gets the halo flag + See \halo= for a description of the halo flag. + Setter: + @brief Sets the halo flag + The halo flag is either -1 (for taking the default), 0 to disable the halo or 1 to enable it. If the halo is enabled, a pixel border with the background color is drawn around the marker, the vertices and texts. + """ + line_style: int + r""" + Getter: + @brief Get the line style + See \line_style= for a description of the line style index. + This method has been introduced in version 0.25. + Setter: + @brief Sets the line style + The line style is given by an index. 0 is solid, 1 is dashed and so forth. + + This method has been introduced in version 0.25. + """ + line_width: int + r""" + Getter: + @brief Gets the line width of the marker + See \line_width= for a description of the line width. + Setter: + @brief Sets the line width of the marker + This is the width of the line drawn for the outline of the marker. + """ + vertex_size: int + r""" + Getter: + @brief Gets the vertex size of the marker + See \vertex_size= for a description. + Setter: + @brief Sets the vertex size of the marker + This is the size of the rectangles drawn for the vertices object. + """ + @classmethod + def new(cls, view: LayoutViewBase) -> Marker: r""" - @brief Converts the image to a string - The string returned can be used to create an image object using \from_s. - @return The string + @brief Creates a marker + + A marker is always associated with a view, in which it is shown. The view this marker is associated with must be passed to the constructor. """ - def _assign(self, other: BasicImage) -> None: + def __init__(self, view: LayoutViewBase) -> None: r""" - @brief Assigns another object to self + @brief Creates a marker + + A marker is always associated with a view, in which it is shown. The view this marker is associated with must be passed to the constructor. """ def _create(self) -> None: r""" @@ -11153,10 +10835,6 @@ class Image(BasicImage): This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def _dup(self) -> Image: - r""" - @brief Creates a copy of self - """ def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference @@ -11177,257 +10855,258 @@ class Image(BasicImage): Usually it's not required to call this method. It has been introduced in version 0.24. """ - def box(self) -> db.DBox: + def create(self) -> None: r""" - @brief Gets the bounding box of the image - @return The bounding box + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def clear(self) -> None: + def destroy(self) -> None: r""" - @brief Clears the image data (sets to 0 or black). - This method has been introduced in version 0.27. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def data(self, channel: Optional[int] = ...) -> List[float]: + def destroyed(self) -> bool: r""" - @brief Gets the data array for a specific color channel - Returns an array of pixel values for the given channel. For a color image, channel 0 is green, channel 1 is red and channel 2 is blue. For a monochrome image, the channel is ignored. - - For the format of the data see the constructor description. - - This method has been introduced in version 0.27. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def delete(self) -> None: + def has_color(self) -> bool: r""" - @brief Deletes this image from the view - If the image is an "active" one, this method will remove it from the view. This object will become detached and can still be manipulated, but without having an effect on the view. - This method has been introduced in version 0.25. + @brief Returns a value indicating whether the marker has a specific color """ - def detach(self) -> None: + def has_frame_color(self) -> bool: r""" - @brief Detaches the image object from the view - If the image object was inserted into the view, property changes will be reflected in the view. To disable this feature, 'detach'' can be called after which the image object becomes inactive and changes will no longer be reflected in the view. - - This method has been introduced in version 0.25. + @brief Returns a value indicating whether the marker has a specific frame color + The set method has been added in version 0.20. """ - def filename(self) -> str: + def is_const_object(self) -> bool: r""" - @brief Gets the name of the file loaded of an empty string if not file is loaded - @return The file name (path) + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def get_pixel(self, x: int, y: int) -> float: + def reset_color(self) -> None: r""" - @brief Gets one pixel (monochrome only) - - @param x The x coordinate of the pixel (0..width()-1) - @param y The y coordinate of the pixel (mathematical order: 0 is the lowest, 0..height()-1) - - If x or y value exceeds the image bounds, this method - returns 0.0. This method is valid for monochrome images only. For color images it will return 0.0 always. - Use \is_color? to decide whether the image is a color image or monochrome one. + @brief Resets the color of the marker + See \set_color for a description of the color property of the marker. """ - @overload - def get_pixel(self, x: int, y: int, component: int) -> float: + def reset_frame_color(self) -> None: r""" - @brief Gets one pixel (monochrome and color) - - @param x The x coordinate of the pixel (0..width()-1) - @param y The y coordinate of the pixel (mathematical order: 0 is the lowest, 0..height()-1) - @param component 0 for red, 1 for green, 2 for blue. - - If the component index, x or y value exceeds the image bounds, this method - returns 0.0. For monochrome images, the component index is ignored. + @brief Resets the frame color of the marker + See \set_frame_color for a description of the frame color property of the marker.The set method has been added in version 0.20. """ - def height(self) -> int: + @overload + def set(self, box: db.DBox) -> None: r""" - @brief Gets the height of the image in pixels - @return The height in pixels + @brief Sets the box the marker is to display + + Makes the marker show a box. The box must be given in micron units. + If the box is empty, no marker is drawn. + The set method has been added in version 0.20. """ - def id(self) -> int: + @overload + def set(self, edge: db.DEdge) -> None: r""" - @brief Gets the Id + @brief Sets the edge the marker is to display - The Id is an arbitrary integer that can be used to track the evolution of an - image object. The Id is not changed when the object is edited. - On initialization, a unique Id is given to the object. The Id cannot be changed. This behaviour has been modified in version 0.20. + Makes the marker show a edge. The edge must be given in micron units. + The set method has been added in version 0.20. """ - def is_color(self) -> bool: + @overload + def set(self, path: db.DPath) -> None: r""" - @brief Returns true, if the image is a color image - @return True, if the image is a color image + @brief Sets the path the marker is to display + + Makes the marker show a path. The path must be given in micron units. + The set method has been added in version 0.20. """ - def is_empty(self) -> bool: + @overload + def set(self, polygon: db.DPolygon) -> None: r""" - @brief Returns true, if the image does not contain any data (i.e. is default constructed) - @return True, if the image is empty + @brief Sets the polygon the marker is to display + + Makes the marker show a polygon. The polygon must be given in micron units. + The set method has been added in version 0.20. """ - def is_valid(self) -> bool: + @overload + def set(self, text: db.DText) -> None: r""" - @brief Returns a value indicating whether the object is a valid reference. - If this value is true, the object represents an image on the screen. Otherwise, the object is a 'detached' image which does not have a representation on the screen. + @brief Sets the text the marker is to display - This method was introduced in version 0.25. + Makes the marker show a text. The text must be given in micron units. + The set method has been added in version 0.20. """ - def is_visible(self) -> bool: + def set_box(self, box: db.DBox) -> None: r""" - @brief Gets a flag indicating whether the image object is visible - - An image object can be made invisible by setting the visible property to false. + @brief Sets the box the marker is to display - This method has been introduced in version 0.20. + Makes the marker show a box. The box must be given in micron units. + If the box is empty, no marker is drawn. + The set method has been added in version 0.20. """ - def mask(self, x: int, y: int) -> bool: + def set_edge(self, edge: db.DEdge) -> None: r""" - @brief Gets the mask for one pixel - - @param x The x coordinate of the pixel (0..width()-1) - @param y The y coordinate of the pixel (mathematical order: 0 is the lowest, 0..height()-1) - @return false if the pixel is not drawn. - - See \set_mask for details about the mask. + @brief Sets the edge the marker is to display - This method has been introduced in version 0.23. + Makes the marker show a edge. The edge must be given in micron units. + The set method has been added in version 0.20. """ - @overload - def set_data(self, w: int, h: int, d: Sequence[float]) -> None: + def set_path(self, path: db.DPath) -> None: r""" - @brief Writes the image data field (monochrome) - @param w The width of the new data - @param h The height of the new data - @param d The (monochrome) data to load into the image + @brief Sets the path the marker is to display - See the constructor description for the data organisation in that field. + Makes the marker show a path. The path must be given in micron units. + The set method has been added in version 0.20. """ - @overload - def set_data(self, w: int, h: int, r: Sequence[float], g: Sequence[float], b: Sequence[float]) -> None: + def set_polygon(self, polygon: db.DPolygon) -> None: r""" - @brief Writes the image data field (color) - @param w The width of the new data - @param h The height of the new data - @param r The red channel data to load into the image - @param g The green channel data to load into the image - @param b The blue channel data to load into the image + @brief Sets the polygon the marker is to display - See the constructor description for the data organisation in that field. + Makes the marker show a polygon. The polygon must be given in micron units. + The set method has been added in version 0.20. """ - def set_mask(self, x: int, y: int, m: bool) -> None: + def set_text(self, text: db.DText) -> None: r""" - @brief Sets the mask for a pixel - - @param x The x coordinate of the pixel (0..width()-1) - @param y The y coordinate of the pixel (mathematical order: 0 is the lowest, 0..height()-1) - @param m The mask - - If the mask of a pixel is set to false, the pixel is not drawn. The default is true for all pixels. + @brief Sets the text the marker is to display - This method has been introduced in version 0.23. + Makes the marker show a text. The text must be given in micron units. + The set method has been added in version 0.20. """ - @overload - def set_pixel(self, x: int, y: int, v: float) -> None: - r""" - @brief Sets one pixel (monochrome) - @param x The x coordinate of the pixel (0..width()-1) - @param y The y coordinate of the pixel (mathematical order: 0 is the lowest, 0..height()-1) - @param v The value +class MessageBox: + r""" + @brief Various methods to display message boxes + This class provides some basic message boxes. This functionality is provided through the static (class) methods \warning, \question and so on. - If the component index, x or y value exceeds the image bounds of the image is a color image, - this method does nothing. - """ - @overload - def set_pixel(self, x: int, y: int, r: float, g: float, b: float) -> None: - r""" - @brief Sets one pixel (color) + Here is some example: - @param x The x coordinate of the pixel (0..width()-1) - @param y The y coordinate of the pixel (mathematical order: 0 is the lowest, 0..height()-1) - @param red The red component - @param green The green component - @param blue The blue component + @code + # issue a warning and ask whether to continue: + v = RBA::MessageBox::warning("Dialog Title", "Something happened. Continue?", RBA::MessageBox::Yes + RBA::MessageBox::No) + if v == RBA::MessageBox::Yes + ... continue ... + end + @/code - If the component index, x or y value exceeds the image bounds of the image is not a color image, - this method does nothing. + If you have enabled the Qt binding, you can use \QMessageBox directly. + """ + Abort: ClassVar[int] + r""" + @brief A constant describing the 'Abort' button + """ + Cancel: ClassVar[int] + r""" + @brief A constant describing the 'Cancel' button + """ + Ignore: ClassVar[int] + r""" + @brief A constant describing the 'Ignore' button + """ + No: ClassVar[int] + r""" + @brief A constant describing the 'No' button + """ + Ok: ClassVar[int] + r""" + @brief A constant describing the 'Ok' button + """ + Retry: ClassVar[int] + r""" + @brief A constant describing the 'Retry' button + """ + Yes: ClassVar[int] + r""" + @brief A constant describing the 'Yes' button + """ + @classmethod + def b_abort(cls) -> int: + r""" + @brief A constant describing the 'Abort' button """ - def to_s(self) -> str: + @classmethod + def b_cancel(cls) -> int: r""" - @brief Converts the image to a string - The string returned can be used to create an image object using \from_s. - @return The string + @brief A constant describing the 'Cancel' button """ - @overload - def transformed(self, t: db.DCplxTrans) -> Image: + @classmethod + def b_ignore(cls) -> int: r""" - @brief Transforms the image with the given complex transformation - @param t The magnifying transformation to apply - @return The transformed object + @brief A constant describing the 'Ignore' button """ - @overload - def transformed(self, t: db.DTrans) -> Image: + @classmethod + def b_no(cls) -> int: r""" - @brief Transforms the image with the given simple transformation - @param t The transformation to apply - @return The transformed object + @brief A constant describing the 'No' button """ - @overload - def transformed(self, t: db.Matrix3d) -> Image: + @classmethod + def b_ok(cls) -> int: r""" - @brief Transforms the image with the given matrix transformation - @param t The transformation to apply (a matrix) - @return The transformed object - This method has been introduced in version 0.22. + @brief A constant describing the 'Ok' button """ - def transformed_cplx(self, t: db.DCplxTrans) -> Image: + @classmethod + def b_retry(cls) -> int: r""" - @brief Transforms the image with the given complex transformation - @param t The magnifying transformation to apply - @return The transformed object + @brief A constant describing the 'Retry' button """ - def transformed_matrix(self, t: db.Matrix3d) -> Image: + @classmethod + def b_yes(cls) -> int: r""" - @brief Transforms the image with the given matrix transformation - @param t The transformation to apply (a matrix) - @return The transformed object - This method has been introduced in version 0.22. + @brief A constant describing the 'Yes' button """ - def update(self) -> None: + @classmethod + def critical(cls, title: str, text: str, buttons: int) -> int: r""" - @brief Forces an update of the view - Usually it is not required to call this method. The image object is automatically synchronized with the view's image objects. For performance reasons this update is delayed to collect multiple update requests. Calling 'update' will ensure immediate updates. - - This method has been introduced in version 0.25. + @brief Open a critical (error) message box + @param title The title of the window + @param text The text to show + @param buttons A combination (+) of button constants (\Ok and so on) describing the buttons to show for the message box + @return The button constant describing the button that was pressed """ - def width(self) -> int: + @classmethod + def info(cls, title: str, text: str, buttons: int) -> int: r""" - @brief Gets the width of the image in pixels - @return The width in pixels + @brief Open a information message box + @param title The title of the window + @param text The text to show + @param buttons A combination (+) of button constants (\Ok and so on) describing the buttons to show for the message box + @return The button constant describing the button that was pressed """ - def write(self, path: str) -> None: + @classmethod + def new(cls) -> MessageBox: r""" - @brief Saves the image to KLayout's image format (.lyimg) - This method has been introduced in version 0.27. + @brief Creates a new object of this class """ - -class HelpDialog(QDialog_Native): - r""" - @brief The help dialog - - This class makes the help dialog available as an individual object. - - This class has been added in version 0.25. - """ - @overload @classmethod - def new(cls, modal: bool) -> HelpDialog: + def question(cls, title: str, text: str, buttons: int) -> int: r""" - @brief Creates a new help dialog - If the modal flag is true, the dialog will be shown as a modal window. + @brief Open a question message box + @param title The title of the window + @param text The text to show + @param buttons A combination (+) of button constants (\Ok and so on) describing the buttons to show for the message box + @return The button constant describing the button that was pressed """ - @overload @classmethod - def new(cls, parent: QtWidgets.QWidget_Native, modal: bool) -> HelpDialog: + def warning(cls, title: str, text: str, buttons: int) -> int: r""" - @brief Creates a new help dialog - If the modal flag is true, the dialog will be shown as a modal window. + @brief Open a warning message box + @param title The title of the window + @param text The text to show + @param buttons A combination (+) of button constants (\Ok and so on) describing the buttons to show for the message box + @return The button constant describing the button that was pressed + """ + def __copy__(self) -> MessageBox: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> MessageBox: + r""" + @brief Creates a copy of self + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -11466,39 +11145,81 @@ class HelpDialog(QDialog_Native): Usually it's not required to call this method. It has been introduced in version 0.24. """ - def load(self, url: str) -> None: + def assign(self, other: MessageBox) -> None: r""" - @brief Loads the specified URL - This method will call the page with the given URL. + @brief Assigns another object to self """ - def search(self, topic: str) -> None: + def create(self) -> None: r""" - @brief Issues a search on the specified topic - This method will call the search page with the given topic. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> MessageBox: + r""" + @brief Creates a copy of self + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ -class HelpSource(BrowserSource_Native): +class NetlistBrowserDialog: r""" - @brief A BrowserSource implementation delivering the help text for the help dialog - This class can be used together with a \BrowserPanel or \BrowserDialog object to implement custom help systems. - - The basic URL's served by this class are: "int:/index.xml" for the index page and "int:/search.xml?string=..." for the search topic retrieval. + @brief Represents the netlist browser dialog. + This dialog is a part of the \LayoutView class and can be obtained through \LayoutView#netlist_browser. + This interface allows to interact with the browser - mainly to get information about state changes. - This class has been added in version 0.25. + This class has been introduced in version 0.27. + """ + on_current_db_changed: None + r""" + Getter: + @brief This event is triggered when the current database is changed. + The current database can be obtained with \db. + Setter: + @brief This event is triggered when the current database is changed. + The current database can be obtained with \db. + """ + on_probe: None + r""" + Getter: + @brief This event is triggered when a net is probed. + The first path will indicate the location of the probed net in terms of two paths: one describing the instantiation of the net in layout space and one in schematic space. Both objects are \NetlistObjectPath objects which hold the root circuit, the chain of subcircuits leading to the circuit containing the net and the net itself. + Setter: + @brief This event is triggered when a net is probed. + The first path will indicate the location of the probed net in terms of two paths: one describing the instantiation of the net in layout space and one in schematic space. Both objects are \NetlistObjectPath objects which hold the root circuit, the chain of subcircuits leading to the circuit containing the net and the net itself. + """ + on_selection_changed: None + r""" + Getter: + @brief This event is triggered when the selection changed. + The selection can be obtained with \current_path_first, \current_path_second, \selected_nets, \selected_devices, \selected_subcircuits and \selected_circuits. + Setter: + @brief This event is triggered when the selection changed. + The selection can be obtained with \current_path_first, \current_path_second, \selected_nets, \selected_devices, \selected_subcircuits and \selected_circuits. """ @classmethod - def create_index_file(cls, path: str) -> None: - r""" - @brief Reserved internal use - """ - @classmethod - def plain(cls) -> HelpSource: + def new(cls) -> NetlistBrowserDialog: r""" - @brief Reserved for internal use + @brief Creates a new object of this class """ - def _assign(self, other: BrowserSource_Native) -> None: + def __init__(self) -> None: r""" - @brief Assigns another object to self + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -11517,10 +11238,6 @@ class HelpSource(BrowserSource_Native): This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def _dup(self) -> HelpSource: - r""" - @brief Creates a copy of self - """ def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference @@ -11541,149 +11258,114 @@ class HelpSource(BrowserSource_Native): Usually it's not required to call this method. It has been introduced in version 0.24. """ - def get_dom(self, path: str) -> QtXml.QDomDocument: + def create(self) -> None: r""" - @brief Reserved for internal use + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def get_option(self, key: str) -> Any: + def current_path(self) -> NetlistObjectsPath: r""" - @brief Reserved for internal use + @brief Gets the path of the current object as a path pair (combines layout and schematic object paths in case of a LVS database view). """ - def parent_of(self, path: str) -> str: + def current_path_first(self) -> NetlistObjectPath: r""" - @brief Reserved internal use + @brief Gets the path of the current object on the first (layout in case of LVS database) side. """ - def scan(self) -> None: + def current_path_second(self) -> NetlistObjectPath: r""" - @brief Reserved internal use + @brief Gets the path of the current object on the second (schematic in case of LVS database) side. """ - def set_option(self, key: str, value: Any) -> None: + def db(self) -> db.LayoutToNetlist: r""" - @brief Reserved for internal use + @brief Gets the database the browser is connected to. """ - def title_for(self, path: str) -> str: + def destroy(self) -> None: r""" - @brief Reserved internal use + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def urls(self) -> List[str]: + def destroyed(self) -> bool: r""" - @brief Reserved for internal use + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def selected_paths(self) -> List[NetlistObjectsPath]: + r""" + @brief Gets the nets currently selected objects (paths) in the netlist database browser. + The result is an array of path pairs. See \NetlistObjectsPath for details about these pairs. """ -class MainWindow(QMainWindow_Native): - r""" - @brief The main application window and central controller object - - This object first is the main window but also the main controller. The main controller is the port by which access can be gained to all the data objects, view and other aspects of the program. - """ - current_view_index: int - r""" - Getter: - @brief Returns the current view's index - - @return The index of the current view - - This method will return the index of the current view. - Setter: - @brief Selects the view with the given index - - @param index The index of the view to select (0 is the first) +class NetlistObjectPath: + r""" + @brief An object describing the instantiation of a netlist object. + This class describes the instantiation of a net or a device or a circuit in terms of a root circuit and a subcircuit chain leading to the indicated object. - This method will make the view with the given index the current (front) view. + See \net= or \device= for the indicated object, \path= for the subcircuit chain. - This method was renamed from select_view to current_view_index= in version 0.25. The old name is still available, but deprecated. + This class has been introduced in version 0.27. """ - initial_technology: str + device: db.Device r""" Getter: - @brief Gets the technology used for creating or loading layouts (unless explicitly specified) + @brief Gets the device the path points to. - @return The current initial technology - This method was added in version 0.22. Setter: - @brief Sets the technology used for creating or loading layouts (unless explicitly specified) - - Setting the technology will have an effect on the next load_layout or create_layout operation which does not explicitly specify the technology but might not be reflected correctly in the reader options dialog and changes will be reset when the application is restarted. - @param tech The new initial technology - - This method was added in version 0.22. + @brief Sets the device the path points to. + If the path describes the location of a device, this member will indicate it. + The other way to describe a final object is \net=. If neither a device nor net is given, the path describes a circuit and how it is referenced from the root. """ - on_current_view_changed: None + net: db.Net r""" Getter: - @brief An event indicating that the current view has changed - - This event is triggered after the current view has changed. This happens, if the user switches the layout tab. - - Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_current_view_observer/remove_current_view_observer) have been removed in 0.25. + @brief Gets the net the path points to. Setter: - @brief An event indicating that the current view has changed - - This event is triggered after the current view has changed. This happens, if the user switches the layout tab. - - Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_current_view_observer/remove_current_view_observer) have been removed in 0.25. + @brief Sets the net the path points to. + If the path describes the location of a net, this member will indicate it. + The other way to describe a final object is \device=. If neither a device nor net is given, the path describes a circuit and how it is referenced from the root. """ - on_view_closed: None + path: List[db.SubCircuit] r""" Getter: - @brief An event indicating that a view was closed - @param index The index of the view that was closed - - This event is triggered after a view was closed. For example, because the tab was closed. - - This event has been added in version 0.25. + @brief Gets the path. Setter: - @brief An event indicating that a view was closed - @param index The index of the view that was closed - - This event is triggered after a view was closed. For example, because the tab was closed. - - This event has been added in version 0.25. + @brief Sets the path. + The path is a list of subcircuits leading from the root to the final object. The final (net, device) object is located in the circuit called by the last subcircuit of the subcircuit chain. If the subcircuit list is empty, the final object is located inside the root object. """ - on_view_created: None + root: db.Circuit r""" Getter: - @brief An event indicating that a new view was created - @param index The index of the view that was created - - This event is triggered after a new view was created. For example, if a layout is loaded into a new panel. - - Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_new_view_observer/remove_new_view_observer) have been removed in 0.25. + @brief Gets the root circuit of the path. Setter: - @brief An event indicating that a new view was created - @param index The index of the view that was created - - This event is triggered after a new view was created. For example, if a layout is loaded into a new panel. - - Before version 0.25 this event was based on the observer pattern obsolete now. The corresponding methods (add_new_view_observer/remove_new_view_observer) have been removed in 0.25. + @brief Sets the root circuit of the path. + The root circuit is the circuit from which the path starts. """ - @property - def synchronous(self) -> None: + @classmethod + def new(cls) -> NetlistObjectPath: r""" - WARNING: This variable can only be set, not retrieved. - @brief Puts the main window into synchronous mode - - @param sync_mode 'true' if the application should behave synchronously - - In synchronous mode, an application is allowed to block on redraw. While redrawing, no user interactions are possible. Although this is not desirable for smooth operation, it can be beneficial for test or automation purposes, i.e. if a screenshot needs to be produced once the application has finished drawing. + @brief Creates a new object of this class """ - @classmethod - def instance(cls) -> MainWindow: + def __copy__(self) -> NetlistObjectPath: r""" - @brief Gets application's main window instance - - This method has been added in version 0.24. + @brief Creates a copy of self """ - @classmethod - def menu_symbols(cls) -> List[str]: + def __deepcopy__(self) -> NetlistObjectPath: r""" - @brief Gets all available menu symbols (see \call_menu). - NOTE: currently this method delivers a superset of all available symbols. Depending on the context, no all symbols may trigger actual functionality. - - This method has been introduced in version 0.27. + @brief Creates a copy of self + """ + def __init__(self) -> None: + r""" + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -11722,1112 +11404,1238 @@ class MainWindow(QMainWindow_Native): Usually it's not required to call this method. It has been introduced in version 0.24. """ - def call_menu(self, symbol: str) -> None: - r""" - @brief Calls the menu item with the provided symbol. - To obtain all symbols, use menu_symbols. - - This method has been introduced in version 0.27 and replaces the previous cm_... methods. Instead of calling a specific cm_... method, use LayoutView#call_menu with 'cm_...' as the symbol. - """ - def cancel(self) -> None: - r""" - @brief Cancels current editing operations - - This method call cancels all current editing operations and restores normal mouse mode. - """ - def clear_config(self) -> None: + def assign(self, other: NetlistObjectPath) -> None: r""" - @brief Clears the configuration parameters - This method is provided for using MainWindow without an Application object. It's a convience method which is equivalent to 'dispatcher().clear_config()'. See \Dispatcher#clear_config for details. - - This method has been introduced in version 0.27. + @brief Assigns another object to self """ - def clone_current_view(self) -> None: + def create(self) -> None: r""" - @brief Clones the current view and make it current + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def close_all(self) -> None: + def destroy(self) -> None: r""" - @brief Closes all views - - This method unconditionally closes all views. No dialog will be opened if unsaved edits exist. - - This method was added in version 0.18. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def close_current_view(self) -> None: + def destroyed(self) -> bool: r""" - @brief Closes the current view - - This method does not open a dialog to ask which cell view to close if multiple cells are opened in the view, but rather closes all cells. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def cm_adjust_origin(self) -> None: + def dup(self) -> NetlistObjectPath: r""" - @brief 'cm_adjust_origin' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_adjust_origin')" instead. + @brief Creates a copy of self """ - def cm_bookmark_view(self) -> None: + def is_const_object(self) -> bool: r""" - @brief 'cm_bookmark_view' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_bookmark_view')" instead. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def cm_cancel(self) -> None: + def is_null(self) -> bool: r""" - @brief 'cm_cancel' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_cancel')" instead. + @brief Returns a value indicating whether the path is an empty one. """ - def cm_cell_copy(self) -> None: + +class NetlistObjectsPath: + r""" + @brief An object describing the instantiation of a single netlist object or a pair of those. + This class is basically a pair of netlist object paths (see \NetlistObjectPath). When derived from a single netlist view, only the first path is valid and will point to the selected object (a net, a device or a circuit). The second path is null. + + If the path is derived from a paired netlist view (a LVS report view), the first path corresponds to the object in the layout netlist, the second one to the object in the schematic netlist. + If the selected object isn't a matched one, either the first or second path may be a null or a partial path without a final net or device object or a partial path. + + This class has been introduced in version 0.27. + """ + @classmethod + def new(cls) -> NetlistObjectsPath: r""" - @brief 'cm_cell_copy' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_cell_copy')" instead. + @brief Creates a new object of this class """ - def cm_cell_cut(self) -> None: + def __copy__(self) -> NetlistObjectsPath: r""" - @brief 'cm_cell_cut' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_cell_cut')" instead. + @brief Creates a copy of self """ - def cm_cell_delete(self) -> None: + def __deepcopy__(self) -> NetlistObjectsPath: r""" - @brief 'cm_cell_delete' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_cell_delete')" instead. + @brief Creates a copy of self """ - def cm_cell_flatten(self) -> None: + def __init__(self) -> None: r""" - @brief 'cm_cell_flatten' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_cell_flatten')" instead. + @brief Creates a new object of this class """ - def cm_cell_hide(self) -> None: + def _create(self) -> None: r""" - @brief 'cm_cell_hide' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_cell_hide')" instead. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def cm_cell_paste(self) -> None: + def _destroy(self) -> None: r""" - @brief 'cm_cell_paste' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_cell_paste')" instead. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def cm_cell_rename(self) -> None: + def _destroyed(self) -> bool: r""" - @brief 'cm_cell_rename' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_cell_rename')" instead. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def cm_cell_select(self) -> None: + def _is_const_object(self) -> bool: r""" - @brief 'cm_cell_select' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_cell_select')" instead. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def cm_cell_show(self) -> None: + def _manage(self) -> None: r""" - @brief 'cm_cell_show' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_cell_show')" instead. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def cm_cell_show_all(self) -> None: + def _unmanage(self) -> None: r""" - @brief 'cm_cell_show_all' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_cell_show_all')" instead. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def cm_clear_layer(self) -> None: + def assign(self, other: NetlistObjectsPath) -> None: r""" - @brief 'cm_clear_layer' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_clear_layer')" instead. + @brief Assigns another object to self """ - def cm_clone(self) -> None: + def create(self) -> None: r""" - @brief 'cm_clone' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_clone')" instead. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def cm_close(self) -> None: + def destroy(self) -> None: r""" - @brief 'cm_close' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_close')" instead. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def cm_close_all(self) -> None: + def destroyed(self) -> bool: r""" - @brief 'cm_close_all' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_close_all')" instead. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def cm_copy(self) -> None: + def dup(self) -> NetlistObjectsPath: r""" - @brief 'cm_copy' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_copy')" instead. + @brief Creates a copy of self """ - def cm_copy_layer(self) -> None: + def first(self) -> NetlistObjectPath: r""" - @brief 'cm_copy_layer' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_copy_layer')" instead. + @brief Gets the first object's path. + In cases of paired netlists (LVS database), the first path points to the layout netlist object. + For the single netlist, the first path is the only path supplied. """ - def cm_cut(self) -> None: + def is_const_object(self) -> bool: r""" - @brief 'cm_cut' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_cut')" instead. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def cm_dec_max_hier(self) -> None: + def second(self) -> NetlistObjectPath: r""" - @brief 'cm_dec_max_hier' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_dec_max_hier')" instead. + @brief Gets the second object's path. + In cases of paired netlists (LVS database), the first path points to the schematic netlist object. + For the single netlist, the second path is always a null path. """ - def cm_delete(self) -> None: + +class ObjectInstPath: + r""" + @brief A class describing a selected shape or instance + + A shape or instance is addressed by a path which describes all instances leading to the specified + object. These instances are described through \InstElement objects, which specify the instance and, in case of array instances, the specific array member. + For shapes, additionally the layer and the shape itself is specified. The ObjectInstPath objects + encapsulates both forms, which can be distinguished with the \is_cell_inst? predicate. + + An instantiation path leads from a top cell down to the container cell which either holds the shape or the instance. + The top cell can be obtained through the \top attribute, the container cell through the \source attribute. Both are cell indexes which can be converted to \Cell objects through the \Layout#cell. In case of objects located in the top cell, \top and \source refer to the same cell. + The first element of the instantiation path is the instance located within the top cell leading to the first child cell. The second element leads to the next child cell and so forth. \path_nth can be used to obtain a specific element of the path. + + The \cv_index attribute specifies the cellview the selection applies to. Use \LayoutView#cellview to obtain the \CellView object from the index. + + The shape or instance the selection refers to can be obtained with \shape and \inst respectively. Use \is_cell_inst? to decide whether the selection refers to an instance or not. + + The ObjectInstPath class plays a role when retrieving and modifying the selection of shapes and instances through \LayoutView#object_selection, \LayoutView#object_selection=, \LayoutView#select_object and \LayoutView#unselect_object. \ObjectInstPath objects can be modified to reflect a new selection, but the new selection becomes active only after it is installed in the view. The following sample demonstrates that. It implements a function to convert all shapes to polygons: + + @code + mw = RBA::Application::instance::main_window + view = mw.current_view + + begin + + view.transaction("Convert selected shapes to polygons") + + sel = view.object_selection + + sel.each do |s| + if !s.is_cell_inst? && !s.shape.is_text? + ly = view.cellview(s.cv_index).layout + # convert to polygon + s.shape.polygon = s.shape.polygon + end + end + + view.object_selection = sel + + ensure + view.commit + end + @/code + + Note, that without resetting the selection in the above example, the application might raise errors because after modifying the selected objects, the current selection will no longer be valid. Establishing a new valid selection in the way shown above will help avoiding this issue. + """ + cv_index: int + r""" + Getter: + @brief Gets the cellview index that describes which cell view the shape or instance is located in + + Setter: + @brief Sets the cellview index that describes which cell view the shape or instance is located in + + This method has been introduced in version 0.24. + """ + layer: Any + r""" + Getter: + @brief Gets the layer index that describes which layer the selected shape is on + + Starting with version 0.27, this method returns nil for this property if \is_cell_inst? is false - i.e. the selection does not represent a shape. + Setter: + @brief Sets to the layer index that describes which layer the selected shape is on + + Setting the layer property to a valid layer index makes the path a shape selection path. + Setting the layer property to a negative layer index makes the selection an instance selection. + + This method has been introduced in version 0.24. + """ + path: List[db.InstElement] + r""" + Getter: + @brief Gets the instantiation path + The path is a sequence of \InstElement objects leading to the target object. + + This method was introduced in version 0.26. + + Setter: + @brief Sets the instantiation path + + This method was introduced in version 0.26. + """ + seq: int + r""" + Getter: + @brief Gets the sequence number + + The sequence number describes when the item was selected. + A sequence number of 0 indicates that the item was selected in the first selection action (without 'Shift' pressed). + + Setter: + @brief Sets the sequence number + + See \seq for a description of this property. + + This method was introduced in version 0.24. + """ + shape: Any + r""" + Getter: + @brief Gets the selected shape + + The shape object may be modified. This does not have an immediate effect on the selection. Instead, the selection must be set in the view using \LayoutView#object_selection= or \LayoutView#select_object. + + This method delivers valid results only for object selections that represent shapes. Starting with version 0.27, this method returns nil for this property if \is_cell_inst? is false. + Setter: + @brief Sets the shape object that describes the selected shape geometrically + + When using this setter, the layer index must be set to a valid layout layer (see \layer=). + Setting both properties makes the selection a shape selection. + + This method has been introduced in version 0.24. + """ + top: int + r""" + Getter: + @brief Gets the cell index of the top cell the selection applies to + + The top cell is identical to the current cell provided by the cell view. + It is the cell from which is instantiation path originates and the container cell if not instantiation path is set. + + This method has been introduced in version 0.24. + Setter: + @brief Sets the cell index of the top cell the selection applies to + + See \top_cell for a description of this property. + + This method has been introduced in version 0.24. + """ + @classmethod + def new(cls, si: db.RecursiveShapeIterator, cv_index: int) -> ObjectInstPath: r""" - @brief 'cm_delete' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_delete')" instead. + @brief Creates a new path object from a \RecursiveShapeIterator + Use this constructor to quickly turn a recursive shape iterator delivery into a shape selection. """ - def cm_delete_layer(self) -> None: + def __copy__(self) -> ObjectInstPath: r""" - @brief 'cm_delete_layer' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_delete_layer')" instead. + @brief Creates a copy of self """ - def cm_edit_layer(self) -> None: + def __deepcopy__(self) -> ObjectInstPath: r""" - @brief 'cm_edit_layer' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_edit_layer')" instead. + @brief Creates a copy of self """ - def cm_exit(self) -> None: + def __eq__(self, b: object) -> bool: r""" - @brief 'cm_exit' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_exit')" instead. + @brief Equality of two ObjectInstPath objects + Note: this operator returns true if both instance paths refer to the same object, not just identical ones. + + This method has been introduced with version 0.24. """ - def cm_goto_position(self) -> None: + def __init__(self, si: db.RecursiveShapeIterator, cv_index: int) -> None: r""" - @brief 'cm_goto_position' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_goto_position')" instead. + @brief Creates a new path object from a \RecursiveShapeIterator + Use this constructor to quickly turn a recursive shape iterator delivery into a shape selection. """ - def cm_help_about(self) -> None: + def __lt__(self, b: ObjectInstPath) -> bool: r""" - @brief 'cm_help_about' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_help_about')" instead. + @brief Provides an order criterion for two ObjectInstPath objects + Note: this operator is just provided to establish any order, not a particular one. + + This method has been introduced with version 0.24. """ - def cm_inc_max_hier(self) -> None: + def __ne__(self, b: object) -> bool: r""" - @brief 'cm_inc_max_hier' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_inc_max_hier')" instead. + @brief Inequality of two ObjectInstPath objects + See the comments on the == operator. + + This method has been introduced with version 0.24. """ - def cm_last_display_state(self) -> None: + def _create(self) -> None: r""" - @brief 'cm_prev_display_state|#cm_last_display_state' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_prev_display_state|#cm_last_display_state')" instead. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def cm_layout_props(self) -> None: + def _destroy(self) -> None: r""" - @brief 'cm_layout_props' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_layout_props')" instead. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def cm_load_bookmarks(self) -> None: + def _destroyed(self) -> bool: r""" - @brief 'cm_load_bookmarks' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_load_bookmarks')" instead. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def cm_load_layer_props(self) -> None: + def _is_const_object(self) -> bool: r""" - @brief 'cm_load_layer_props' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_load_layer_props')" instead. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def cm_lv_add_missing(self) -> None: + def _manage(self) -> None: r""" - @brief 'cm_lv_add_missing' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_add_missing')" instead. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def cm_lv_delete(self) -> None: + def _unmanage(self) -> None: r""" - @brief 'cm_lv_delete' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_delete')" instead. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def cm_lv_expand_all(self) -> None: + def append_path(self, element: db.InstElement) -> None: r""" - @brief 'cm_lv_expand_all' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_expand_all')" instead. + @brief Appends an element to the instantiation path + + This method allows building of an instantiation path pointing to the selected object. + For an instance selection, the last component added is the instance which is selected. + For a shape selection, the path points to the cell containing the selected shape. + + This method was introduced in version 0.24. """ - def cm_lv_group(self) -> None: + def assign(self, other: ObjectInstPath) -> None: r""" - @brief 'cm_lv_group' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_group')" instead. + @brief Assigns another object to self """ - def cm_lv_hide(self) -> None: + def cell_index(self) -> int: r""" - @brief 'cm_lv_hide' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_hide')" instead. + @brief Gets the cell index of the cell that the selection applies to. + This method returns the cell index that describes which cell the selected shape is located in or the cell whose instance is selected if \is_cell_inst? is true. + This property is set implicitly by setting the top cell and adding elements to the instantiation path. + To obtain the index of the container cell, use \source. """ - def cm_lv_hide_all(self) -> None: + def clear_path(self) -> None: r""" - @brief 'cm_lv_hide_all' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_hide_all')" instead. + @brief Clears the instantiation path + + This method was introduced in version 0.24. """ - def cm_lv_insert(self) -> None: + def create(self) -> None: r""" - @brief 'cm_lv_insert' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_insert')" instead. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def cm_lv_new_tab(self) -> None: + def destroy(self) -> None: r""" - @brief 'cm_lv_new_tab' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_new_tab')" instead. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def cm_lv_regroup_by_datatype(self) -> None: + def destroyed(self) -> bool: r""" - @brief 'cm_lv_regroup_by_datatype' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_regroup_by_datatype')" instead. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def cm_lv_regroup_by_index(self) -> None: + def dtrans(self) -> db.DCplxTrans: r""" - @brief 'cm_lv_regroup_by_index' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_regroup_by_index')" instead. + @brief Gets the transformation applicable for the shape in micron space. + + This method returns the same transformation than \trans, but applicable to objects in micrometer units: + + @code + # renders the micrometer-unit polygon in top cell coordinates: + dpolygon_in_top = sel.dtrans * sel.shape.dpolygon + @/code + + This method is not applicable to instance selections. A more generic attribute is \source_dtrans. + + The method has been introduced in version 0.25. """ - def cm_lv_regroup_by_layer(self) -> None: + def dup(self) -> ObjectInstPath: r""" - @brief 'cm_lv_regroup_by_layer' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_regroup_by_layer')" instead. + @brief Creates a copy of self """ - def cm_lv_regroup_flatten(self) -> None: + def each_inst(self) -> Iterator[db.InstElement]: r""" - @brief 'cm_lv_regroup_flatten' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_regroup_flatten')" instead. + @brief Yields the instantiation path + + The instantiation path describes by an sequence of \InstElement objects the path by which the cell containing the selected shape is found from the cell view's current cell. + If this object represents an instance, the path will contain the selected instance as the last element. + The elements are delivered top down. """ - def cm_lv_remove_tab(self) -> None: + def inst(self) -> db.Instance: r""" - @brief 'cm_lv_remove_tab' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_remove_tab')" instead. + @brief Deliver the instance represented by this selection + + This method delivers valid results only if \is_cell_inst? is true. + It returns the instance reference (an \Instance object) that this selection represents. + + This property is set implicitly by adding instance elements to the instantiation path. + + This method has been added in version 0.16. """ - def cm_lv_remove_unused(self) -> None: + def is_cell_inst(self) -> bool: r""" - @brief 'cm_lv_remove_unused' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_remove_unused')" instead. + @brief True, if this selection represents a cell instance + + If this attribute is true, the shape reference and layer are not valid. """ - def cm_lv_rename(self) -> None: + def is_const_object(self) -> bool: r""" - @brief 'cm_lv_rename' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_rename')" instead. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def cm_lv_rename_tab(self) -> None: + def is_valid(self, view: LayoutViewBase) -> bool: r""" - @brief 'cm_lv_rename_tab' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_rename_tab')" instead. + @brief Gets a value indicating whether the instance path refers to a valid object in the context of the given view + + This predicate has been introduced in version 0.27.12. """ - def cm_lv_select_all(self) -> None: + def layout(self) -> db.Layout: r""" - @brief 'cm_lv_select_all' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_select_all')" instead. + @brief Gets the Layout object the selected object lives in. + + This method returns the \Layout object that the selected object lives in. This method may return nil, if the selection does not point to a valid object. + + This method has been introduced in version 0.25. """ - def cm_lv_show(self) -> None: + def path_length(self) -> int: r""" - @brief 'cm_lv_show' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_show')" instead. + @brief Returns the length of the path (number of elements delivered by \each_inst) + + This method has been added in version 0.16. """ - def cm_lv_show_all(self) -> None: + def path_nth(self, n: int) -> db.InstElement: r""" - @brief 'cm_lv_show_all' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_show_all')" instead. + @brief Returns the nth element of the path (similar to \each_inst but with direct access through the index) + + @param n The index of the element to retrieve (0..\path_length-1) + This method has been added in version 0.16. """ - def cm_lv_show_only(self) -> None: + def source(self) -> int: r""" - @brief 'cm_lv_show_only' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_show_only')" instead. + @brief Returns to the cell index of the cell that the selected element resides inside. + + If this reference represents a cell instance, this method delivers the index of the cell in which the cell instance resides. Otherwise, this method returns the same value than \cell_index. + + This property is set implicitly by setting the top cell and adding elements to the instantiation path. + + This method has been added in version 0.16. """ - def cm_lv_sort_by_dli(self) -> None: + def source_dtrans(self) -> db.DCplxTrans: r""" - @brief 'cm_lv_sort_by_dli' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_sort_by_dli')" instead. + @brief Gets the transformation applicable for an instance and shape in micron space. + + This method returns the same transformation than \source_trans, but applicable to objects in micrometer units: + + @code + # renders the cell instance as seen from top level: + dcell_inst_in_top = sel.source_dtrans * sel.inst.dcell_inst + @/code + + The method has been introduced in version 0.25. """ - def cm_lv_sort_by_idl(self) -> None: + def source_trans(self) -> db.ICplxTrans: r""" - @brief 'cm_lv_sort_by_idl' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_sort_by_idl')" instead. + @brief Gets the transformation applicable for an instance and shape. + + If this object represents a shape, this transformation describes how the selected shape is transformed into the current cell of the cell view. + If this object represents an instance, this transformation describes how the selected instance is transformed into the current cell of the cell view. + This method is similar to \trans, except that the resulting transformation does not include the instance transformation if the object represents an instance. + + This property is set implicitly by setting the top cell and adding elements to the instantiation path. + + This method has been added in version 0.16. """ - def cm_lv_sort_by_ild(self) -> None: + def trans(self) -> db.ICplxTrans: r""" - @brief 'cm_lv_sort_by_ild' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_sort_by_ild')" instead. + @brief Gets the transformation applicable for the shape. + + If this object represents a shape, this transformation describes how the selected shape is transformed into the current cell of the cell view. + Basically, this transformation is the accumulated transformation over the instantiation path. If the ObjectInstPath represents a cell instance, this includes the transformation of the selected instance as well. + + This property is set implicitly by setting the top cell and adding elements to the instantiation path. + This method is not applicable for instance selections. A more generic attribute is \source_trans. """ - def cm_lv_sort_by_ldi(self) -> None: + +class PixelBuffer: + r""" + @brief A simplistic pixel buffer representing an image of ARGB32 or RGB32 values + + This object is mainly provided for offline rendering of layouts in Qt-less environments. + It supports a rectangular pixel space with color values encoded in 32bit integers. It supports transparency through an optional alpha channel. The color format for a pixel is "0xAARRGGBB" where 'AA' is the alpha value which is ignored in non-transparent mode. + + This class supports basic operations such as initialization, single-pixel access and I/O to PNG. + + This class has been introduced in version 0.28. + """ + transparent: bool + r""" + Getter: + @brief Gets a flag indicating whether the pixel buffer supports an alpha channel + + Setter: + @brief Sets a flag indicating whether the pixel buffer supports an alpha channel + + By default, the pixel buffer does not support an alpha channel. + """ + @classmethod + def from_png_data(cls, data: bytes) -> PixelBuffer: r""" - @brief 'cm_lv_sort_by_ldi' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_sort_by_ldi')" instead. + @brief Reads the pixel buffer from a PNG byte stream + This method may not be available if PNG support is not compiled into KLayout. """ - def cm_lv_sort_by_name(self) -> None: + @classmethod + def new(cls, width: int, height: int) -> PixelBuffer: r""" - @brief 'cm_lv_sort_by_name' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_sort_by_name')" instead. + @brief Creates a pixel buffer object + + @param width The width in pixels + @param height The height in pixels + + The pixels are basically uninitialized. You will need to use \fill to initialize them to a certain value. """ - def cm_lv_source(self) -> None: + @classmethod + def read_png(cls, file: str) -> PixelBuffer: r""" - @brief 'cm_lv_source' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_source')" instead. + @brief Reads the pixel buffer from a PNG file + This method may not be available if PNG support is not compiled into KLayout. """ - def cm_lv_ungroup(self) -> None: + def __copy__(self) -> PixelBuffer: r""" - @brief 'cm_lv_ungroup' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_lv_ungroup')" instead. + @brief Creates a copy of self """ - def cm_macro_editor(self) -> None: + def __deepcopy__(self) -> PixelBuffer: r""" - @brief 'cm_macro_editor' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_macro_editor')" instead. + @brief Creates a copy of self """ - def cm_manage_bookmarks(self) -> None: + def __eq__(self, other: object) -> bool: r""" - @brief 'cm_manage_bookmarks' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_manage_bookmarks')" instead. + @brief Returns a value indicating whether self is identical to the other image """ - def cm_max_hier(self) -> None: + def __init__(self, width: int, height: int) -> None: r""" - @brief 'cm_max_hier' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_max_hier')" instead. + @brief Creates a pixel buffer object + + @param width The width in pixels + @param height The height in pixels + + The pixels are basically uninitialized. You will need to use \fill to initialize them to a certain value. """ - def cm_max_hier_0(self) -> None: + def __ne__(self, other: object) -> bool: r""" - @brief 'cm_max_hier_0' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_max_hier_0')" instead. + @brief Returns a value indicating whether self is not identical to the other image """ - def cm_max_hier_1(self) -> None: + def _create(self) -> None: r""" - @brief 'cm_max_hier_1' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_max_hier_1')" instead. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def cm_navigator_close(self) -> None: + def _destroy(self) -> None: r""" - @brief 'cm_navigator_close' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_navigator_close')" instead. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def cm_navigator_freeze(self) -> None: + def _destroyed(self) -> bool: r""" - @brief 'cm_navigator_freeze' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_navigator_freeze')" instead. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def cm_new_cell(self) -> None: + def _is_const_object(self) -> bool: r""" - @brief 'cm_new_cell' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_new_cell')" instead. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def cm_new_layer(self) -> None: + def _manage(self) -> None: r""" - @brief 'cm_new_layer' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_new_layer')" instead. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def cm_new_layout(self) -> None: + def _unmanage(self) -> None: r""" - @brief 'cm_new_layout' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_new_layout')" instead. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def cm_new_panel(self) -> None: + def assign(self, other: PixelBuffer) -> None: r""" - @brief 'cm_new_panel' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_new_panel')" instead. + @brief Assigns another object to self """ - def cm_next_display_state(self) -> None: + def create(self) -> None: r""" - @brief 'cm_next_display_state' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_next_display_state')" instead. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def cm_open(self) -> None: + def destroy(self) -> None: r""" - @brief 'cm_open' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_open')" instead. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def cm_open_current_cell(self) -> None: + def destroyed(self) -> bool: r""" - @brief 'cm_open_current_cell' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_open_current_cell')" instead. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def cm_open_new_view(self) -> None: + def diff(self, other: PixelBuffer) -> PixelBuffer: r""" - @brief 'cm_open_new_view' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_open_new_view')" instead. + @brief Creates a difference image + + This method is provided to support transfer of image differences - i.e. small updates instead of full images. It works for non-transparent images only and generates an image with transpareny enabled and with the new pixel values for pixels that have changed. The alpha value will be 0 for identical images and 255 for pixels with different values. This way, the difference image can be painted over the original image to generate the new image. """ - def cm_open_too(self) -> None: + def dup(self) -> PixelBuffer: r""" - @brief 'cm_open_too' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_open_too')" instead. + @brief Creates a copy of self """ - def cm_packages(self) -> None: + def fill(self, color: int) -> None: r""" - @brief 'cm_packages' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_packages')" instead. + @brief Fills the pixel buffer with the given pixel value """ - def cm_pan_down(self) -> None: + def height(self) -> int: r""" - @brief 'cm_pan_down' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_pan_down')" instead. + @brief Gets the height of the pixel buffer in pixels """ - def cm_pan_left(self) -> None: + def is_const_object(self) -> bool: r""" - @brief 'cm_pan_left' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_pan_left')" instead. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def cm_pan_right(self) -> None: + def patch(self, other: PixelBuffer) -> None: r""" - @brief 'cm_pan_right' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_pan_right')" instead. + @brief Patches another pixel buffer into this one + + This method is the inverse of \diff - it will patch the difference image created by diff into this pixel buffer. Note that this method will not do true alpha blending and requires the other pixel buffer to have the same format than self. Self will be modified by this operation. """ - def cm_pan_up(self) -> None: + def pixel(self, x: int, y: int) -> int: r""" - @brief 'cm_pan_up' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_pan_up')" instead. + @brief Gets the value of the pixel at position x, y """ - def cm_paste(self) -> None: + def set_pixel(self, x: int, y: int, c: int) -> None: r""" - @brief 'cm_paste' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_paste')" instead. + @brief Sets the value of the pixel at position x, y """ - def cm_prev_display_state(self) -> None: + def swap(self, other: PixelBuffer) -> None: r""" - @brief 'cm_prev_display_state|#cm_last_display_state' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_prev_display_state|#cm_last_display_state')" instead. + @brief Swaps data with another PixelBuffer object """ - def cm_print(self) -> None: + def to_png_data(self) -> bytes: r""" - @brief 'cm_print' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_print')" instead. + @brief Converts the pixel buffer to a PNG byte stream + This method may not be available if PNG support is not compiled into KLayout. """ - def cm_pull_in(self) -> None: + def width(self) -> int: r""" - @brief 'cm_pull_in' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_pull_in')" instead. + @brief Gets the width of the pixel buffer in pixels """ - def cm_reader_options(self) -> None: + def write_png(self, file: str) -> None: r""" - @brief 'cm_reader_options' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_reader_options')" instead. + @brief Writes the pixel buffer to a PNG file + This method may not be available if PNG support is not compiled into KLayout. """ - def cm_redo(self) -> None: + +class Plugin: + r""" + @brief The plugin object + + This class provides the actual plugin implementation. Each view gets it's own instance of the plugin class. The plugin factory \PluginFactory class must be specialized to provide a factory for new objects of the Plugin class. See the documentation there for details about the plugin mechanism and the basic concepts. + + This class has been introduced in version 0.22. + """ + @classmethod + def new(cls) -> Plugin: r""" - @brief 'cm_redo' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_redo')" instead. + @brief Creates a new object of this class """ - def cm_redraw(self) -> None: + def __init__(self) -> None: r""" - @brief 'cm_redraw' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_redraw')" instead. + @brief Creates a new object of this class """ - def cm_reload(self) -> None: + def _create(self) -> None: r""" - @brief 'cm_reload' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_reload')" instead. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def cm_reset_window_state(self) -> None: + def _destroy(self) -> None: r""" - @brief 'cm_reset_window_state' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_reset_window_state')" instead. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def cm_restore_session(self) -> None: + def _destroyed(self) -> bool: r""" - @brief 'cm_restore_session' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_restore_session')" instead. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def cm_save(self) -> None: + def _is_const_object(self) -> bool: r""" - @brief 'cm_save' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_save')" instead. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def cm_save_all(self) -> None: + def _manage(self) -> None: r""" - @brief 'cm_save_all' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_save_all')" instead. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def cm_save_as(self) -> None: + def _unmanage(self) -> None: r""" - @brief 'cm_save_as' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_save_as')" instead. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def cm_save_bookmarks(self) -> None: + def create(self) -> None: r""" - @brief 'cm_save_bookmarks' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_save_bookmarks')" instead. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def cm_save_current_cell_as(self) -> None: + def destroy(self) -> None: r""" - @brief 'cm_save_current_cell_as' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_save_current_cell_as')" instead. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def cm_save_layer_props(self) -> None: + def destroyed(self) -> bool: r""" - @brief 'cm_save_layer_props' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_save_layer_props')" instead. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def cm_save_session(self) -> None: + def grab_mouse(self) -> None: r""" - @brief 'cm_save_session' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_save_session')" instead. + @brief Redirects mouse events to this plugin, even if the plugin is not active. """ - def cm_screenshot(self) -> None: + def is_const_object(self) -> bool: r""" - @brief 'cm_screenshot' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_screenshot')" instead. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def cm_sel_flip_x(self) -> None: + def set_cursor(self, cursor_type: int) -> None: r""" - @brief 'cm_sel_flip_x' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_sel_flip_x')" instead. + @brief Sets the cursor in the view area to the given type + Setting the cursor has an effect only inside event handlers, i.e. mouse_press_event. The cursor is not set permanently. Is is reset in the mouse move handler unless a button is pressed or the cursor is explicitly set again in the mouse_move_event. + + The cursor type is one of the cursor constants in the \Cursor class, i.e. 'CursorArrow' for the normal cursor. """ - def cm_sel_flip_y(self) -> None: + def ungrab_mouse(self) -> None: r""" - @brief 'cm_sel_flip_y' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_sel_flip_y')" instead. + @brief Removes a mouse grab registered with \grab_mouse. """ - def cm_sel_free_rot(self) -> None: + +class PluginFactory: + r""" + @brief The plugin framework's plugin factory object + + Plugins are components that extend KLayout's functionality in various aspects. Scripting support exists currently for providing mouse mode handlers and general on-demand functionality connected with a menu entry. + + Plugins are objects that implement the \Plugin interface. Each layout view is associated with one instance of such an object. The PluginFactory is a singleton which is responsible for creating \Plugin objects and providing certain configuration information such as where to put the menu items connected to this plugin and what configuration keys are used. + + An implementation of PluginFactory must at least provide an implementation of \create_plugin. This method must instantiate a new object of the specific plugin. + + After the factory has been created, it must be registered in the system using one of the \register methods. It is therefore recommended to put the call to \register at the end of the "initialize" method. For the registration to work properly, the menu items must be defined before \register is called. + + The following features can also be implemented: + + @
    + @
  • Reserve keys in the configuration file using \add_option in the constructor@
  • + @
  • Create menu items by using \add_menu_entry in the constructor@
  • + @
  • Set the title for the mode entry that appears in the tool bar using the \register argument@
  • + @
  • Provide global functionality (independent from the layout view) using \configure or \menu_activated@
  • + @
+ + This is a simple example for a plugin in Ruby. It switches the mouse cursor to a 'cross' cursor when it is active: + + @code + class PluginTestFactory < RBA::PluginFactory + + # Constructor + def initialize + # registers the new plugin class at position 100000 (at the end), with name + # "my_plugin_test" and title "My plugin test" + register(100000, "my_plugin_test", "My plugin test") + end + + # Create a new plugin instance of the custom type + def create_plugin(manager, dispatcher, view) + return PluginTest.new + end + + end + + # The plugin class + class PluginTest < RBA::Plugin + def mouse_moved_event(p, buttons, prio) + if prio + # Set the cursor to cross if our plugin is active. + set_cursor(RBA::Cursor::Cross) + end + # Returning false indicates that we don't want to consume the event. + # This way for example the cursor position tracker still works. + false + end + def mouse_click_event(p, buttons, prio) + if prio + puts "mouse button clicked." + # This indicates we want to consume the event and others don't receive the mouse click + # with prio = false. + return true + end + # don't consume the event if we are not active. + false + end + end + + # Instantiate the new plugin factory. + PluginTestFactory.new + @/code + + This class has been introduced in version 0.22. + """ + @property + def has_tool_entry(self) -> None: r""" - @brief 'cm_sel_free_rot' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_sel_free_rot')" instead. + WARNING: This variable can only be set, not retrieved. + @brief Enables or disables the tool bar entry + Initially this property is set to true. This means that the plugin will have a visible entry in the toolbar. This property can be set to false to disable this feature. In that case, the title and icon given on registration will be ignored. """ - def cm_sel_move(self) -> None: + @classmethod + def new(cls) -> PluginFactory: r""" - @brief 'cm_sel_move' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_sel_move')" instead. + @brief Creates a new object of this class """ - def cm_sel_move_to(self) -> None: + def __init__(self) -> None: r""" - @brief 'cm_sel_move_to' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_sel_move_to')" instead. + @brief Creates a new object of this class """ - def cm_sel_rot_ccw(self) -> None: + def _create(self) -> None: r""" - @brief 'cm_sel_rot_ccw' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_sel_rot_ccw')" instead. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def cm_sel_rot_cw(self) -> None: + def _destroy(self) -> None: r""" - @brief 'cm_sel_rot_cw' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_sel_rot_cw')" instead. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def cm_sel_scale(self) -> None: + def _destroyed(self) -> bool: r""" - @brief 'cm_sel_scale' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_sel_scale')" instead. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def cm_select_all(self) -> None: + def _is_const_object(self) -> bool: r""" - @brief 'cm_select_all' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_select_all')" instead. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def cm_select_cell(self) -> None: + def _manage(self) -> None: r""" - @brief 'cm_select_cell' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_select_cell')" instead. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def cm_select_current_cell(self) -> None: + def _unmanage(self) -> None: r""" - @brief 'cm_select_current_cell' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_select_current_cell')" instead. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def cm_setup(self) -> None: + def add_config_menu_item(self, menu_name: str, insert_pos: str, title: str, cname: str, cvalue: str) -> None: r""" - @brief 'cm_setup' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_setup')" instead. + @brief Adds a configuration menu item + + Menu items created this way will send a configuration request with 'cname' as the configuration parameter name and 'cvalue' as the configuration parameter value. + + This method has been introduced in version 0.27. """ - def cm_show_properties(self) -> None: + @overload + def add_menu_entry(self, menu_name: str, insert_pos: str) -> None: r""" - @brief 'cm_show_properties' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_show_properties')" instead. + @brief Specifies a separator + Call this method in the factory constructor to build the menu items that this plugin shall create. + This specific call inserts a separator at the given position (insert_pos). The position uses abstract menu item paths and "menu_name" names the component that will be created. See \AbstractMenu for a description of the path. """ - def cm_technologies(self) -> None: + @overload + def add_menu_entry(self, symbol: str, menu_name: str, insert_pos: str, title: str) -> None: r""" - @brief 'cm_technologies' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_technologies')" instead. + @brief Specifies a menu item + Call this method in the factory constructor to build the menu items that this plugin shall create. + This specific call inserts a menu item at the specified position (insert_pos). The position uses abstract menu item paths and "menu_name" names the component that will be created. See \AbstractMenu for a description of the path. + When the menu item is selected "symbol" is the string that is sent to the \menu_activated callback (either the global one for the factory ot the one of the per-view plugin instance). + + @param symbol The string to send to the plugin if the menu is triggered + @param menu_name The name of entry to create at the given position + @param insert_pos The position where to create the entry + @param title The title string for the item. The title can contain a keyboard shortcut in round braces after the title text, i.e. "My Menu Item(F12)" """ - def cm_undo(self) -> None: + @overload + def add_menu_entry(self, symbol: str, menu_name: str, insert_pos: str, title: str, sub_menu: bool) -> None: r""" - @brief 'cm_undo' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_undo')" instead. + @brief Specifies a menu item or sub-menu + Similar to the previous form of "add_menu_entry", but this version allows also to create sub-menus by setting the last parameter to "true". + + With version 0.27 it's more convenient to use \add_submenu. """ - def cm_unselect_all(self) -> None: + def add_menu_item_clone(self, symbol: str, menu_name: str, insert_pos: str, copy_from: str) -> None: r""" - @brief 'cm_unselect_all' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_unselect_all')" instead. + @brief Specifies a menu item as a clone of another one + Using this method, a menu item can be made a clone of another entry (given as path by 'copy_from'). + The new item will share the \Action object with the original one, so manipulating the action will change both the original entry and the new entry. + + This method has been introduced in version 0.27. """ - def cm_view_log(self) -> None: + def add_option(self, name: str, default_value: str) -> None: r""" - @brief 'cm_view_log' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_view_log')" instead. + @brief Specifies configuration variables. + Call this method in the factory constructor to add configuration key/value pairs to the configuration repository. Without specifying configuration variables, the status of a plugin cannot be persisted. + + Once the configuration variables are known, they can be retrieved on demand using "get_config" from \MainWindow or listening to \configure callbacks (either in the factory or the plugin instance). Configuration variables can be set using "set_config" from \MainWindow. This scheme also works without registering the configuration options, but doing so has the advantage that it is guaranteed that a variable with this keys exists and has the given default value initially. + """ - def cm_zoom_fit(self) -> None: + def add_submenu(self, menu_name: str, insert_pos: str, title: str) -> None: r""" - @brief 'cm_zoom_fit' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_zoom_fit')" instead. + @brief Specifies a menu item or sub-menu + + This method has been introduced in version 0.27. """ - def cm_zoom_fit_sel(self) -> None: + def create(self) -> None: r""" - @brief 'cm_zoom_fit_sel' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_zoom_fit_sel')" instead. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def cm_zoom_in(self) -> None: + def destroy(self) -> None: r""" - @brief 'cm_zoom_in' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_zoom_in')" instead. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def cm_zoom_out(self) -> None: + def destroyed(self) -> bool: r""" - @brief 'cm_zoom_out' action. - This method is deprecated in version 0.27. - Use "call_menu('cm_zoom_out')" instead. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def commit_config(self) -> None: + def is_const_object(self) -> bool: r""" - @brief Commits the configuration settings - This method is provided for using MainWindow without an Application object. It's a convience method which is equivalent to 'dispatcher().commit_config(...)'. See \Dispatcher#commit_config for details. - - This method has been introduced in version 0.27. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ @overload - def create_layout(self, mode: int) -> CellView: + def register(self, position: int, name: str, title: str) -> None: r""" - @brief Creates a new, empty layout - - @param mode An integer value of 0, 1 or 2 that determines how the layout is created - @return The cellview of the layout that was created - - Create the layout in the current view, replacing the current layouts (mode 0), in a new view (mode 1) or adding it to the current view (mode 2). - In mode 1, the new view is made the current one. - - This version uses the initial technology and associates it with the new layout. + @brief Registers the plugin factory + @param position An integer that determines the order in which the plugins are created. The internal plugins use the values from 1000 to 50000. + @param name The plugin name. This is an arbitrary string which should be unique. Hence it is recommended to use a unique prefix, i.e. "myplugin::ThePluginClass". + @param title The title string which is supposed to appear in the tool bar and menu related to this plugin. - Starting with version 0.25, this method returns a cellview object that can be modified to configure the cellview. + Registration of the plugin factory makes the object known to the system. Registration requires that the menu items have been set already. Hence it is recommended to put the registration at the end of the initialization method of the factory class. """ @overload - def create_layout(self, tech: str, mode: int) -> CellView: + def register(self, position: int, name: str, title: str, icon: str) -> None: r""" - @brief Creates a new, empty layout with the given technology - - @param mode An integer value of 0, 1 or 2 that determines how the layout is created - @param tech The name of the technology to use for that layout. - @return The cellview of the layout that was created + @brief Registers the plugin factory + @param position An integer that determines the order in which the plugins are created. The internal plugins use the values from 1000 to 50000. + @param name The plugin name. This is an arbitrary string which should be unique. Hence it is recommended to use a unique prefix, i.e. "myplugin::ThePluginClass". + @param title The title string which is supposed to appear in the tool bar and menu related to this plugin. + @param icon The path to the icon that appears in the tool bar and menu related to this plugin. - Create the layout in the current view, replacing the current layouts (mode 0), in a new view (mode 1) or adding it to the current view (mode 2). - In mode 1, the new view is made the current one. + This version also allows registering an icon for the tool bar. - If the technology name is not a valid technology name, the default technology will be used. + Registration of the plugin factory makes the object known to the system. Registration requires that the menu items have been set already. Hence it is recommended to put the registration at the end of the initialization method of the factory class. + """ - This version was introduced in version 0.22. - Starting with version 0.25, this method returns a cellview object that can be modified to configure the cellview. +class StringListValue: + r""" + @brief Encapsulate a string list + @hide + This class is provided as a return value of \FileDialog. + By using an object rather than a pure string list, an object with \has_value? = false can be returned indicating that + the "Cancel" button was pressed. Starting with version 0.22, the InputDialog class offers new method which do no + longer requires to use this class. + """ + @classmethod + def new(cls) -> StringListValue: + r""" + @brief Creates a new object of this class """ - def create_view(self) -> int: + def __copy__(self) -> StringListValue: r""" - @brief Creates a new, empty view - - @return The index of the view that was created - - Creates an empty view that can be filled with layouts using the load_layout and create_layout methods on the view object. Use the \view method to obtain the view object from the view index. - This method has been added in version 0.22. + @brief Creates a copy of self """ - def current_view(self) -> LayoutView: + def __deepcopy__(self) -> StringListValue: r""" - @brief Returns a reference to the current view's object - - @return A reference to a \LayoutView object representing the current view. + @brief Creates a copy of self """ - def dispatcher(self) -> Dispatcher: + def __init__(self) -> None: r""" - @brief Gets the dispatcher interface (the plugin root configuration space) - This method has been introduced in version 0.27. + @brief Creates a new object of this class """ - def enable_edits(self, enable: bool) -> None: + def _create(self) -> None: r""" - @brief Enables or disables editing - - @param enable Enable edits if set to true - - Starting from version 0.25, this method enables/disables edits on the current view only. - Use LayoutView#enable_edits instead. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def exit(self) -> None: + def _destroy(self) -> None: r""" - @brief Schedules an exit for the application - - This method does not immediately exit the application but sends an exit request to the application which will cause a clean shutdown of the GUI. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def get_config(self, name: str) -> Any: + def _destroyed(self) -> bool: r""" - @brief Gets the value of a local configuration parameter - This method is provided for using MainWindow without an Application object. It's a convience method which is equivalent to 'dispatcher().get_config(...)'. See \Dispatcher#get_config for details. - - This method has been introduced in version 0.27. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def get_config_names(self) -> List[str]: + def _is_const_object(self) -> bool: r""" - @brief Gets the configuration parameter names - This method is provided for using MainWindow without an Application object. It's a convience method which is equivalent to 'dispatcher().get_config_names(...)'. See \Dispatcher#get_config_names for details. - - This method has been introduced in version 0.27. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def get_default_key_bindings(self) -> Dict[str, str]: + def _manage(self) -> None: r""" - @brief Gets the default key bindings - This method returns a hash with the default key binding vs. menu item path. - You can use this hash with \set_key_bindings to reset all key bindings to the default ones. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method has been introduced in version 0.27. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def get_default_menu_items_hidden(self) -> Dict[str, bool]: + def _unmanage(self) -> None: r""" - @brief Gets the flags indicating whether menu items are hidden by default - You can use this hash with \set_menu_items_hidden to restore the visibility of all menu items. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.27. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def get_key_bindings(self) -> Dict[str, str]: + def assign(self, other: StringListValue) -> None: r""" - @brief Gets the current key bindings - This method returns a hash with the key binding vs. menu item path. - - This method has been introduced in version 0.27. + @brief Assigns another object to self """ - def get_menu_items_hidden(self) -> Dict[str, bool]: + def create(self) -> None: r""" - @brief Gets the flags indicating whether menu items are hidden - This method returns a hash with the hidden flag vs. menu item path. - You can use this hash with \set_menu_items_hidden. - - This method has been introduced in version 0.27. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def grid_micron(self) -> float: + def destroy(self) -> None: r""" - @brief Gets the global grid in micron - - @return The global grid in micron - - The global grid is used at various places, i.e. for ruler snapping, for grid display etc. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def index_of(self, view: LayoutView) -> int: + def destroyed(self) -> bool: r""" - @brief Gets the index of the given view - - @return The index of the view that was given - - If the given view is not a view object within the main window, a negative value will be returned. - - This method has been added in version 0.25. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def dup(self) -> StringListValue: + r""" + @brief Creates a copy of self + """ + def has_value(self) -> bool: + r""" + @brief True, if a value is present """ - @overload - def load_layout(self, filename: str, mode: Optional[int] = ...) -> CellView: + def is_const_object(self) -> bool: r""" - @brief Loads a new layout - - @param filename The name of the file to load - @param mode An integer value of 0, 1 or 2 that determines how the file is loaded - @return The cellview into which the layout was loaded - - Loads the given file into the current view, replacing the current layouts (mode 0), into a new view (mode 1) or adding the layout to the current view (mode 2). - In mode 1, the new view is made the current one. - - This version will use the initial technology and the default reader options. Others versions are provided which allow specification of technology and reader options explicitly. - - Starting with version 0.25, this method returns a cellview object that can be modified to configure the cellview. The 'mode' argument has been made optional in version 0.28. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - @overload - def load_layout(self, filename: str, options: db.LoadLayoutOptions, mode: Optional[int] = ...) -> CellView: + def value(self) -> List[str]: r""" - @brief Loads a new layout with the given options - - @param filename The name of the file to load - @param options The reader options to use. - @param mode An integer value of 0, 1 or 2 that determines how the file is loaded - @return The cellview into which the layout was loaded - - Loads the given file into the current view, replacing the current layouts (mode 0), into a new view (mode 1) or adding the layout to the current view (mode 2). - In mode 1, the new view is made the current one. + @brief Get the actual value (a list of strings) + """ - This version was introduced in version 0.22. - Starting with version 0.25, this method returns a cellview object that can be modified to configure the cellview. The 'mode' argument has been made optional in version 0.28. +class StringValue: + r""" + @brief Encapsulate a string value + @hide + This class is provided as a return value of \InputDialog::get_string, \InputDialog::get_item and \FileDialog. + By using an object rather than a pure value, an object with \has_value? = false can be returned indicating that + the "Cancel" button was pressed. Starting with version 0.22, the InputDialog class offers new method which do no + longer requires to use this class. + """ + @classmethod + def new(cls) -> StringValue: + r""" + @brief Creates a new object of this class """ - @overload - def load_layout(self, filename: str, tech: str, mode: Optional[int] = ...) -> CellView: + def __copy__(self) -> StringValue: r""" - @brief Loads a new layout and associate it with the given technology - - @param filename The name of the file to load - @param tech The name of the technology to use for that layout. - @param mode An integer value of 0, 1 or 2 that determines how the file is loaded - @return The cellview into which the layout was loaded - - Loads the given file into the current view, replacing the current layouts (mode 0), into a new view (mode 1) or adding the layout to the current view (mode 2). - In mode 1, the new view is made the current one. - - If the technology name is not a valid technology name, the default technology will be used. The 'mode' argument has been made optional in version 0.28. - - This version was introduced in version 0.22. - Starting with version 0.25, this method returns a cellview object that can be modified to configure the cellview. + @brief Creates a copy of self """ - @overload - def load_layout(self, filename: str, options: db.LoadLayoutOptions, tech: str, mode: Optional[int] = ...) -> CellView: + def __deepcopy__(self) -> StringValue: r""" - @brief Loads a new layout with the given options and associate it with the given technology - - @param filename The name of the file to load - @param options The reader options to use. - @param tech The name of the technology to use for that layout. - @param mode An integer value of 0, 1 or 2 that determines how the file is loaded - @return The cellview into which the layout was loaded - - Loads the given file into the current view, replacing the current layouts (mode 0), into a new view (mode 1) or adding the layout to the current view (mode 2). - In mode 1, the new view is made the current one. - - If the technology name is not a valid technology name, the default technology will be used. - - This version was introduced in version 0.22. - Starting with version 0.25, this method returns a cellview object that can be modified to configure the cellview. The 'mode' argument has been made optional in version 0.28. + @brief Creates a copy of self """ - def manager(self) -> db.Manager: + def __init__(self) -> None: r""" - @brief Gets the \Manager object of this window - - The manager object is responsible to managing the undo/redo stack. Usually this object is not required. It's more convenient and safer to use the related methods provided by \LayoutView (\LayoutView#transaction, \LayoutView#commit) and \MainWindow (such as \MainWindow#cm_undo and \MainWindow#cm_redo). - - This method has been added in version 0.24. + @brief Creates a new object of this class """ - def menu(self) -> AbstractMenu: + def __str__(self) -> str: r""" - @brief Returns a reference to the abstract menu - - @return A reference to an \AbstractMenu object representing the menu system + @brief Get the actual value (a synonym for \value) """ - def message(self, message: str, time: int) -> None: + def _create(self) -> None: r""" - @brief Displays a message in the status bar - - @param message The message to display - @param time The time how long to display the message in ms - - This given message is shown in the status bar for the given time. - - This method has been added in version 0.18. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def read_config(self, file_name: str) -> bool: + def _destroy(self) -> None: r""" - @brief Reads the configuration from a file - This method is provided for using MainWindow without an Application object. It's a convience method which is equivalent to 'dispatcher().read_config(...)'. See \Dispatcher#read_config for details. - - This method has been introduced in version 0.27. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def redraw(self) -> None: + def _destroyed(self) -> bool: r""" - @brief Redraws the current view - - Issues a redraw request to the current view. This usually happens automatically, so this method does not need to be called in most relevant cases. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def resize(self, width: int, height: int) -> None: + def _is_const_object(self) -> bool: r""" - @brief Resizes the window - - @param width The new width of the window - @param height The new width of the window - - This method resizes the window to the given target size including decoration such as menu bar and control panels + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def restore_session(self, fn: str) -> None: + def _manage(self) -> None: r""" - @brief Restores a session from the given file - - @param fn The path to the session file - - The session stored in the given session file is restored. All existing views are closed and all layout edits are discarded without notification. + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - This method was added in version 0.18. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def save_session(self, fn: str) -> None: + def _unmanage(self) -> None: r""" - @brief Saves the session to the given file - - @param fn The path to the session file - - The session is saved to the given session file. Any existing layout edits are not automatically saved together with the session. The session just holds display settings and annotation objects. If layout edits exist, they have to be saved explicitly in a separate step. + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method was added in version 0.18. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def select_view(self, index: int) -> None: + def assign(self, other: StringValue) -> None: r""" - @brief Selects the view with the given index - - @param index The index of the view to select (0 is the first) - - This method will make the view with the given index the current (front) view. - - This method was renamed from select_view to current_view_index= in version 0.25. The old name is still available, but deprecated. + @brief Assigns another object to self """ - def set_config(self, name: str, value: str) -> None: + def create(self) -> None: r""" - @brief Set a local configuration parameter with the given name to the given value - This method is provided for using MainWindow without an Application object. It's a convience method which is equivalent to 'dispatcher().set_config(...)'. See \Dispatcher#set_config for details. - - This method has been introduced in version 0.27. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def set_key_bindings(self, bindings: Dict[str, str]) -> None: + def destroy(self) -> None: r""" - @brief Sets key bindings. - Sets the given key bindings. Pass a hash listing the key bindings per menu item paths. Key strings follow the usual notation, e.g. 'Ctrl+A', 'Shift+X' or just 'F2'. - Use an empty value to remove a key binding from a menu entry. - - \get_key_bindings will give you the current key bindings, \get_default_key_bindings will give you the default ones. - - Examples: - - @code - # reset all key bindings to default: - mw = RBA::MainWindow.instance() - mw.set_key_bindings(mw.get_default_key_bindings()) - - # disable key binding for 'copy': - RBA::MainWindow.instance.set_key_bindings({ "edit_menu.copy" => "" }) - - # configure 'copy' to use Shift+K and 'cut' to use Ctrl+K: - RBA::MainWindow.instance.set_key_bindings({ "edit_menu.copy" => "Shift+K", "edit_menu.cut" => "Ctrl+K" }) - @/code - - This method has been introduced in version 0.27. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def set_menu_items_hidden(self, arg0: Dict[str, bool]) -> None: + def destroyed(self) -> bool: r""" - @brief sets the flags indicating whether menu items are hidden - This method allows hiding certain menu items. It takes a hash with hidden flags vs. menu item paths. - Examples: - - @code - # show all menu items: - mw = RBA::MainWindow.instance() - mw.set_menu_items_hidden(mw.get_default_menu_items_hidden()) - - # hide the 'copy' entry from the 'Edit' menu: - RBA::MainWindow.instance().set_menu_items_hidden({ "edit_menu.copy" => true }) - @/code - - This method has been introduced in version 0.27. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def show_macro_editor(self, cat: Optional[str] = ..., add: Optional[bool] = ...) -> None: + def dup(self) -> StringValue: r""" - @brief Shows the macro editor - If 'cat' is given, this category will be selected in the category tab. If 'add' is true, the 'new macro' dialog will be opened. - - This method has been introduced in version 0.26. + @brief Creates a copy of self """ - def view(self, n: int) -> LayoutView: + def has_value(self) -> bool: r""" - @brief Returns a reference to a view object by index - - @return The view object's reference for the view with the given index. + @brief True, if a value is present """ - def views(self) -> int: + def is_const_object(self) -> bool: r""" - @brief Returns the number of views - - @return The number of views available so far. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def write_config(self, file_name: str) -> bool: + def to_s(self) -> str: r""" - @brief Writes configuration to a file - This method is provided for using MainWindow without an Application object. It's a convience method which is equivalent to 'dispatcher().write_config(...)'. See \Dispatcher#write_config for details. - - This method has been introduced in version 0.27. + @brief Get the actual value (a synonym for \value) + """ + def value(self) -> str: + r""" + @brief Get the actual value """ diff --git a/src/pymod/distutils_src/klayout/rdbcore.pyi b/src/pymod/distutils_src/klayout/rdbcore.pyi index 39e5c6dbcd..2a9b7fc415 100644 --- a/src/pymod/distutils_src/klayout/rdbcore.pyi +++ b/src/pymod/distutils_src/klayout/rdbcore.pyi @@ -2,46 +2,29 @@ from typing import Any, ClassVar, Dict, Sequence, List, Iterator, Optional from typing import overload import klayout.tl as tl import klayout.db as db -class RdbReference: - r""" - @brief A cell reference inside the report database - This class describes a cell reference. Such reference object can be attached to cells to describe instantiations of them in parent cells. Not necessarily all instantiations of a cell in the layout database are represented by references and in some cases there might even be no references at all. The references are merely a hint how a marker must be displayed in the context of any other, potentially parent, cell in the layout database. - """ - parent_cell_id: int +class RdbCategory: r""" - Getter: - @brief Gets parent cell ID for this reference - @return The parent cell ID - - Setter: - @brief Sets the parent cell ID for this reference + @brief A category inside the report database + Every item in the report database is assigned to a category. A category is a DRC rule check for example. Categories can be organized hierarchically, i.e. a category may have sub-categories. Item counts are summarized for categories and items belonging to sub-categories of one category can be browsed together for example. As a general rule, categories not being leaf categories (having child categories) may not have items. """ - trans: db.DCplxTrans + description: str r""" Getter: - @brief Gets the transformation for this reference - The transformation describes the transformation of the child cell into the parent cell. In that sense that is the usual transformation of a cell reference. - @return The transformation + @brief Gets the category description + @return The description string Setter: - @brief Sets the transformation for this reference + @brief Sets the category description + @param description The description string """ @classmethod - def new(cls, trans: db.DCplxTrans, parent_cell_id: int) -> RdbReference: - r""" - @brief Creates a reference with a given transformation and parent cell ID - """ - def __copy__(self) -> RdbReference: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> RdbReference: + def new(cls) -> RdbCategory: r""" - @brief Creates a copy of self + @brief Creates a new object of this class """ - def __init__(self, trans: db.DCplxTrans, parent_cell_id: int) -> None: + def __init__(self) -> None: r""" - @brief Creates a reference with a given transformation and parent cell ID + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -80,10 +63,6 @@ class RdbReference: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: RdbReference) -> None: - r""" - @brief Assigns another object to self - """ def create(self) -> None: r""" @brief Ensures the C++ object is created @@ -107,9 +86,15 @@ class RdbReference: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> RdbReference: + def each_item(self) -> Iterator[RdbItem]: r""" - @brief Creates a copy of self + @brief Iterates over all items inside the database which are associated with this category + + This method has been introduced in version 0.23. + """ + def each_sub_category(self) -> Iterator[RdbCategory]: + r""" + @brief Iterates over all sub-categories """ def is_const_object(self) -> bool: r""" @@ -117,6 +102,100 @@ class RdbReference: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ + def name(self) -> str: + r""" + @brief Gets the category name + The category name is an string that identifies the category in the context of a parent category or inside the database when it is a top level category. The name is not the path name which is a path to a child category and incorporates all names of parent categories. + @return The category name + """ + def num_items(self) -> int: + r""" + @brief Gets the number of items in this category + The number of items includes the items in sub-categories of this category. + """ + def num_items_visited(self) -> int: + r""" + @brief Gets the number of visited items in this category + The number of items includes the items in sub-categories of this category. + """ + def parent(self) -> RdbCategory: + r""" + @brief Gets the parent category of this category + @return The parent category or nil if this category is a top-level category + """ + def path(self) -> str: + r""" + @brief Gets the category path + The category path is the category name for top level categories. For child categories, the path contains the names of all parent categories separated by a dot. + @return The path for this category + """ + def rdb_id(self) -> int: + r""" + @brief Gets the category ID + The category ID is an integer that uniquely identifies the category. It is used for referring to a category in \RdbItem for example. + @return The category ID + """ + @overload + def scan_collection(self, cell: RdbCell, trans: db.CplxTrans, edge_pairs: db.EdgePairs, flat: Optional[bool] = ..., with_properties: Optional[bool] = ...) -> None: + r""" + @brief Turns the given edge pair collection into a hierarchical or flat report database + This a another flavour of \scan_collection accepting an edge pair collection. + + This method has been introduced in version 0.26. The 'with_properties' argument has been added in version 0.28. + """ + @overload + def scan_collection(self, cell: RdbCell, trans: db.CplxTrans, edges: db.Edges, flat: Optional[bool] = ..., with_properties: Optional[bool] = ...) -> None: + r""" + @brief Turns the given edge collection into a hierarchical or flat report database + This a another flavour of \scan_collection accepting an edge collection. + + This method has been introduced in version 0.26. The 'with_properties' argument has been added in version 0.28. + """ + @overload + def scan_collection(self, cell: RdbCell, trans: db.CplxTrans, region: db.Region, flat: Optional[bool] = ..., with_properties: Optional[bool] = ...) -> None: + r""" + @brief Turns the given region into a hierarchical or flat report database + The exact behavior depends on the nature of the region. If the region is a hierarchical (original or deep) region and the 'flat' argument is false, this method will produce a hierarchical report database in the given category. The 'cell_id' parameter is ignored in this case. Sample references will be produced to supply minimal instantiation information. + + If the region is a flat one or the 'flat' argument is true, the region's polygons will be produced as report database items in this category and in the cell given by 'cell_id'. + + The transformation argument needs to supply the dbu-to-micron transformation. + + If 'with_properties' is true, user properties will be turned into tagged values as well. + + This method has been introduced in version 0.26. The 'with_properties' argument has been added in version 0.28. + """ + @overload + def scan_collection(self, cell: RdbCell, trans: db.CplxTrans, texts: db.Texts, flat: Optional[bool] = ..., with_properties: Optional[bool] = ...) -> None: + r""" + @brief Turns the given edge pair collection into a hierarchical or flat report database + This a another flavour of \scan_collection accepting a text collection. + + This method has been introduced in version 0.28. + """ + def scan_layer(self, layout: db.Layout, layer: int, cell: Optional[db.Cell] = ..., levels: Optional[int] = ..., with_properties: Optional[bool] = ...) -> None: + r""" + @brief Scans a layer from a layout into this category, starting with a given cell and a depth specification + Creates RDB items for each polygon or edge shape read from the cell and it's children in the layout on the given layer and puts them into this category. + New cells will be generated when required. + "levels" is the number of hierarchy levels to take the child cells from. 0 means to use only "cell" and don't descend, -1 means "all levels". + Other settings like database unit, description, top cell etc. are not made in the RDB. + + If 'with_properties' is true, user properties will be turned into tagged values as well. + + This method has been introduced in version 0.23. The 'with_properties' argument has been added in version 0.28. + """ + def scan_shapes(self, iter: db.RecursiveShapeIterator, flat: Optional[bool] = ..., with_properties: Optional[bool] = ...) -> None: + r""" + @brief Scans the polygon or edge shapes from the shape iterator into the category + Creates RDB items for each polygon or edge shape read from the iterator and puts them into this category. + A similar, but lower-level method is \ReportDatabase#create_items with a \RecursiveShapeIterator argument. + In contrast to \ReportDatabase#create_items, 'scan_shapes' can also produce hierarchical databases if the \flat argument is false. In this case, the hierarchy the recursive shape iterator traverses is copied into the report database using sample references. + + If 'with_properties' is true, user properties will be turned into tagged values as well. + + This method has been introduced in version 0.23. The flat mode argument has been added in version 0.26. The 'with_properties' argument has been added in version 0.28. + """ class RdbCell: r""" @@ -248,26 +327,52 @@ class RdbCell: A variant name additionally identifies the cell when multiple cells with the same name are present. A variant name is either assigned automatically or set when creating a cell. @return The cell variant name """ -class RdbCategory: +class RdbItem: r""" - @brief A category inside the report database - Every item in the report database is assigned to a category. A category is a DRC rule check for example. Categories can be organized hierarchically, i.e. a category may have sub-categories. Item counts are summarized for categories and items belonging to sub-categories of one category can be browsed together for example. As a general rule, categories not being leaf categories (having child categories) may not have items. + @brief An item inside the report database + An item is the basic information entity in the RDB. It is associated with a cell and a category. It can be assigned values which encapsulate other objects such as strings and geometrical objects. In addition, items can be assigned an image (i.e. a screenshot image) and tags which are basically boolean flags that can be defined freely. """ - description: str + @property + def image(self) -> None: + r""" + WARNING: This variable can only be set, not retrieved. + @brief Sets the attached image from a PixelBuffer object + + This method has been added in version 0.28. + """ + image_str: str r""" Getter: - @brief Gets the category description - @return The description string + @brief Gets the image associated with this item as a string + @return A base64-encoded image file (in PNG format) Setter: - @brief Sets the category description - @param description The description string + @brief Sets the image from a string + @param image A base64-encoded image file (preferably in PNG format) + """ + tags_str: str + r""" + Getter: + @brief Returns a string listing all tags of this item + @return A comma-separated list of tags + + Setter: + @brief Sets the tags from a string + @param tags A comma-separated list of tags """ @classmethod - def new(cls) -> RdbCategory: + def new(cls) -> RdbItem: r""" @brief Creates a new object of this class """ + def __copy__(self) -> RdbItem: + r""" + @brief Creates a copy of self + """ + def __deepcopy__(self) -> RdbItem: + r""" + @brief Creates a copy of self + """ def __init__(self) -> None: r""" @brief Creates a new object of this class @@ -309,138 +414,154 @@ class RdbCategory: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def create(self) -> None: + def add_tag(self, tag_id: int) -> None: r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + @brief Adds a tag with the given id to the item + Each tag can be added once to the item. The tags of an item thus form a set. If a tag with that ID already exists, this method does nothing. """ - def database(self) -> ReportDatabase: + @overload + def add_value(self, shape: db.Shape, trans: db.CplxTrans) -> None: r""" - @brief Gets the database object that category is associated with + @brief Adds a geometrical value object from a shape + @param value The shape object from which to take the geometrical object. + @param trans The transformation to apply. - This method has been introduced in version 0.23. + The transformation can be used to convert database units to micron units. + + This method has been introduced in version 0.25.3. """ - def destroy(self) -> None: + @overload + def add_value(self, value: RdbItemValue) -> None: r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. + @brief Adds a value object to the values of this item + @param value The value to add. """ - def destroyed(self) -> bool: + @overload + def add_value(self, value: db.DBox) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Adds a box object to the values of this item + @param value The box to add. + This method has been introduced in version 0.25 as a convenience method. """ - def each_item(self) -> Iterator[RdbItem]: + @overload + def add_value(self, value: db.DEdge) -> None: r""" - @brief Iterates over all items inside the database which are associated with this category - - This method has been introduced in version 0.23. + @brief Adds an edge object to the values of this item + @param value The edge to add. + This method has been introduced in version 0.25 as a convenience method. """ - def each_sub_category(self) -> Iterator[RdbCategory]: + @overload + def add_value(self, value: db.DEdgePair) -> None: r""" - @brief Iterates over all sub-categories + @brief Adds an edge pair object to the values of this item + @param value The edge pair to add. + This method has been introduced in version 0.25 as a convenience method. """ - def is_const_object(self) -> bool: + @overload + def add_value(self, value: db.DPolygon) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Adds a polygon object to the values of this item + @param value The polygon to add. + This method has been introduced in version 0.25 as a convenience method. """ - def name(self) -> str: + @overload + def add_value(self, value: float) -> None: r""" - @brief Gets the category name - The category name is an string that identifies the category in the context of a parent category or inside the database when it is a top level category. The name is not the path name which is a path to a child category and incorporates all names of parent categories. - @return The category name + @brief Adds a numeric value to the values of this item + @param value The value to add. + This method has been introduced in version 0.25 as a convenience method. """ - def num_items(self) -> int: + @overload + def add_value(self, value: str) -> None: r""" - @brief Gets the number of items in this category - The number of items includes the items in sub-categories of this category. + @brief Adds a string object to the values of this item + @param value The string to add. + This method has been introduced in version 0.25 as a convenience method. + """ + def assign(self, other: RdbItem) -> None: + r""" + @brief Assigns another object to self + """ + def category_id(self) -> int: + r""" + @brief Gets the category ID + Returns the ID of the category that this item is associated with. + @return The category ID + """ + def cell_id(self) -> int: + r""" + @brief Gets the cell ID + Returns the ID of the cell that this item is associated with. + @return The cell ID + """ + def clear_values(self) -> None: + r""" + @brief Removes all values from this item + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def database(self) -> ReportDatabase: + r""" + @brief Gets the database object that item is associated with + + This method has been introduced in version 0.23. """ - def num_items_visited(self) -> int: + def destroy(self) -> None: r""" - @brief Gets the number of visited items in this category - The number of items includes the items in sub-categories of this category. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def parent(self) -> RdbCategory: + def destroyed(self) -> bool: r""" - @brief Gets the parent category of this category - @return The parent category or nil if this category is a top-level category + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def path(self) -> str: + def dup(self) -> RdbItem: r""" - @brief Gets the category path - The category path is the category name for top level categories. For child categories, the path contains the names of all parent categories separated by a dot. - @return The path for this category + @brief Creates a copy of self """ - def rdb_id(self) -> int: + def each_value(self) -> Iterator[RdbItemValue]: r""" - @brief Gets the category ID - The category ID is an integer that uniquely identifies the category. It is used for referring to a category in \RdbItem for example. - @return The category ID + @brief Iterates over all values """ - @overload - def scan_collection(self, cell: RdbCell, trans: db.CplxTrans, edge_pairs: db.EdgePairs, flat: Optional[bool] = ..., with_properties: Optional[bool] = ...) -> None: + def has_image(self) -> bool: r""" - @brief Turns the given edge pair collection into a hierarchical or flat report database - This a another flavour of \scan_collection accepting an edge pair collection. + @brief Gets a value indicating that the item has an image attached + See \image_str how to obtain the image. - This method has been introduced in version 0.26. The 'with_properties' argument has been added in version 0.28. + This method has been introduced in version 0.28. """ - @overload - def scan_collection(self, cell: RdbCell, trans: db.CplxTrans, edges: db.Edges, flat: Optional[bool] = ..., with_properties: Optional[bool] = ...) -> None: + def has_tag(self, tag_id: int) -> bool: r""" - @brief Turns the given edge collection into a hierarchical or flat report database - This a another flavour of \scan_collection accepting an edge collection. - - This method has been introduced in version 0.26. The 'with_properties' argument has been added in version 0.28. + @brief Returns a value indicating whether the item has a tag with the given ID + @return True, if the item has a tag with the given ID """ - @overload - def scan_collection(self, cell: RdbCell, trans: db.CplxTrans, region: db.Region, flat: Optional[bool] = ..., with_properties: Optional[bool] = ...) -> None: + def image_pixels(self) -> lay.PixelBuffer: r""" - @brief Turns the given region into a hierarchical or flat report database - The exact behavior depends on the nature of the region. If the region is a hierarchical (original or deep) region and the 'flat' argument is false, this method will produce a hierarchical report database in the given category. The 'cell_id' parameter is ignored in this case. Sample references will be produced to supply minimal instantiation information. - - If the region is a flat one or the 'flat' argument is true, the region's polygons will be produced as report database items in this category and in the cell given by 'cell_id'. - - The transformation argument needs to supply the dbu-to-micron transformation. - - If 'with_properties' is true, user properties will be turned into tagged values as well. + @brief Gets the attached image as a PixelBuffer object - This method has been introduced in version 0.26. The 'with_properties' argument has been added in version 0.28. + This method has been added in version 0.28. """ - @overload - def scan_collection(self, cell: RdbCell, trans: db.CplxTrans, texts: db.Texts, flat: Optional[bool] = ..., with_properties: Optional[bool] = ...) -> None: + def is_const_object(self) -> bool: r""" - @brief Turns the given edge pair collection into a hierarchical or flat report database - This a another flavour of \scan_collection accepting a text collection. - - This method has been introduced in version 0.28. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def scan_layer(self, layout: db.Layout, layer: int, cell: Optional[db.Cell] = ..., levels: Optional[int] = ..., with_properties: Optional[bool] = ...) -> None: + def is_visited(self) -> bool: r""" - @brief Scans a layer from a layout into this category, starting with a given cell and a depth specification - Creates RDB items for each polygon or edge shape read from the cell and it's children in the layout on the given layer and puts them into this category. - New cells will be generated when required. - "levels" is the number of hierarchy levels to take the child cells from. 0 means to use only "cell" and don't descend, -1 means "all levels". - Other settings like database unit, description, top cell etc. are not made in the RDB. - - If 'with_properties' is true, user properties will be turned into tagged values as well. - - This method has been introduced in version 0.23. The 'with_properties' argument has been added in version 0.28. + @brief Gets a value indicating whether the item was already visited + @return True, if the item has been visited already """ - def scan_shapes(self, iter: db.RecursiveShapeIterator, flat: Optional[bool] = ..., with_properties: Optional[bool] = ...) -> None: + def remove_tag(self, tag_id: int) -> None: r""" - @brief Scans the polygon or edge shapes from the shape iterator into the category - Creates RDB items for each polygon or edge shape read from the iterator and puts them into this category. - A similar, but lower-level method is \ReportDatabase#create_items with a \RecursiveShapeIterator argument. - In contrast to \ReportDatabase#create_items, 'scan_shapes' can also produce hierarchical databases if the \flat argument is false. In this case, the hierarchy the recursive shape iterator traverses is copied into the report database using sample references. - - If 'with_properties' is true, user properties will be turned into tagged values as well. - - This method has been introduced in version 0.23. The flat mode argument has been added in version 0.26. The 'with_properties' argument has been added in version 0.28. + @brief Remove the tag with the given id from the item + If a tag with that ID does not exists on this item, this method does nothing. """ class RdbItemValue: @@ -741,55 +862,46 @@ class RdbItemValue: @return The string """ -class RdbItem: +class RdbReference: r""" - @brief An item inside the report database - An item is the basic information entity in the RDB. It is associated with a cell and a category. It can be assigned values which encapsulate other objects such as strings and geometrical objects. In addition, items can be assigned an image (i.e. a screenshot image) and tags which are basically boolean flags that can be defined freely. + @brief A cell reference inside the report database + This class describes a cell reference. Such reference object can be attached to cells to describe instantiations of them in parent cells. Not necessarily all instantiations of a cell in the layout database are represented by references and in some cases there might even be no references at all. The references are merely a hint how a marker must be displayed in the context of any other, potentially parent, cell in the layout database. """ - @property - def image(self) -> None: - r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the attached image from a PixelBuffer object - - This method has been added in version 0.28. - """ - image_str: str + parent_cell_id: int r""" Getter: - @brief Gets the image associated with this item as a string - @return A base64-encoded image file (in PNG format) + @brief Gets parent cell ID for this reference + @return The parent cell ID Setter: - @brief Sets the image from a string - @param image A base64-encoded image file (preferably in PNG format) + @brief Sets the parent cell ID for this reference """ - tags_str: str + trans: db.DCplxTrans r""" Getter: - @brief Returns a string listing all tags of this item - @return A comma-separated list of tags + @brief Gets the transformation for this reference + The transformation describes the transformation of the child cell into the parent cell. In that sense that is the usual transformation of a cell reference. + @return The transformation Setter: - @brief Sets the tags from a string - @param tags A comma-separated list of tags + @brief Sets the transformation for this reference """ @classmethod - def new(cls) -> RdbItem: + def new(cls, trans: db.DCplxTrans, parent_cell_id: int) -> RdbReference: r""" - @brief Creates a new object of this class + @brief Creates a reference with a given transformation and parent cell ID """ - def __copy__(self) -> RdbItem: + def __copy__(self) -> RdbReference: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> RdbItem: + def __deepcopy__(self) -> RdbReference: r""" @brief Creates a copy of self """ - def __init__(self) -> None: + def __init__(self, trans: db.DCplxTrans, parent_cell_id: int) -> None: r""" - @brief Creates a new object of this class + @brief Creates a reference with a given transformation and parent cell ID """ def _create(self) -> None: r""" @@ -828,90 +940,10 @@ class RdbItem: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def add_tag(self, tag_id: int) -> None: - r""" - @brief Adds a tag with the given id to the item - Each tag can be added once to the item. The tags of an item thus form a set. If a tag with that ID already exists, this method does nothing. - """ - @overload - def add_value(self, value: float) -> None: - r""" - @brief Adds a numeric value to the values of this item - @param value The value to add. - This method has been introduced in version 0.25 as a convenience method. - """ - @overload - def add_value(self, value: RdbItemValue) -> None: - r""" - @brief Adds a value object to the values of this item - @param value The value to add. - """ - @overload - def add_value(self, value: db.DBox) -> None: - r""" - @brief Adds a box object to the values of this item - @param value The box to add. - This method has been introduced in version 0.25 as a convenience method. - """ - @overload - def add_value(self, value: db.DEdge) -> None: - r""" - @brief Adds an edge object to the values of this item - @param value The edge to add. - This method has been introduced in version 0.25 as a convenience method. - """ - @overload - def add_value(self, value: db.DEdgePair) -> None: - r""" - @brief Adds an edge pair object to the values of this item - @param value The edge pair to add. - This method has been introduced in version 0.25 as a convenience method. - """ - @overload - def add_value(self, value: db.DPolygon) -> None: - r""" - @brief Adds a polygon object to the values of this item - @param value The polygon to add. - This method has been introduced in version 0.25 as a convenience method. - """ - @overload - def add_value(self, value: str) -> None: - r""" - @brief Adds a string object to the values of this item - @param value The string to add. - This method has been introduced in version 0.25 as a convenience method. - """ - @overload - def add_value(self, shape: db.Shape, trans: db.CplxTrans) -> None: - r""" - @brief Adds a geometrical value object from a shape - @param value The shape object from which to take the geometrical object. - @param trans The transformation to apply. - - The transformation can be used to convert database units to micron units. - - This method has been introduced in version 0.25.3. - """ - def assign(self, other: RdbItem) -> None: + def assign(self, other: RdbReference) -> None: r""" @brief Assigns another object to self """ - def category_id(self) -> int: - r""" - @brief Gets the category ID - Returns the ID of the category that this item is associated with. - @return The category ID - """ - def cell_id(self) -> int: - r""" - @brief Gets the cell ID - Returns the ID of the cell that this item is associated with. - @return The cell ID - """ - def clear_values(self) -> None: - r""" - @brief Removes all values from this item - """ def create(self) -> None: r""" @brief Ensures the C++ object is created @@ -919,7 +951,7 @@ class RdbItem: """ def database(self) -> ReportDatabase: r""" - @brief Gets the database object that item is associated with + @brief Gets the database object that category is associated with This method has been introduced in version 0.23. """ @@ -935,48 +967,16 @@ class RdbItem: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> RdbItem: + def dup(self) -> RdbReference: r""" @brief Creates a copy of self """ - def each_value(self) -> Iterator[RdbItemValue]: - r""" - @brief Iterates over all values - """ - def has_image(self) -> bool: - r""" - @brief Gets a value indicating that the item has an image attached - See \image_str how to obtain the image. - - This method has been introduced in version 0.28. - """ - def has_tag(self, tag_id: int) -> bool: - r""" - @brief Returns a value indicating whether the item has a tag with the given ID - @return True, if the item has a tag with the given ID - """ - def image_pixels(self) -> lay.PixelBuffer: - r""" - @brief Gets the attached image as a PixelBuffer object - - This method has been added in version 0.28. - """ def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def is_visited(self) -> bool: - r""" - @brief Gets a value indicating whether the item was already visited - @return True, if the item has been visited already - """ - def remove_tag(self, tag_id: int) -> None: - r""" - @brief Remove the tag with the given id from the item - If a tag with that ID does not exists on this item, this method does nothing. - """ class ReportDatabase: r""" diff --git a/src/pymod/distutils_src/klayout/tlcore.pyi b/src/pymod/distutils_src/klayout/tlcore.pyi index c9d67ac961..fb1b74b097 100644 --- a/src/pymod/distutils_src/klayout/tlcore.pyi +++ b/src/pymod/distutils_src/klayout/tlcore.pyi @@ -1,143 +1,99 @@ from typing import Any, ClassVar, Dict, Sequence, List, Iterator, Optional from typing import overload -class EmptyClass: +class AbsoluteProgress(Progress): r""" + @brief A progress reporter counting progress in absolute units + + An absolute progress reporter counts from 0 upwards without a known limit. A unit value is used to convert the value to a bar value. One unit corresponds to 1% on the bar. + For formatted output, a format string can be specified as well as a unit value by which the current value is divided before it is formatted. + + The progress can be configured to have a description text, a title and a format. + The "inc" method increments the value, the "set" or "value=" methods set the value to a specific value. + + While one of these three methods is called, they will run the event loop in regular intervals. That makes the application respond to mouse clicks, specifically the Cancel button on the progress bar. If that button is clicked, an exception will be raised by these methods. + + The progress object must be destroyed explicitly in order to remove the progress status bar. + + The following sample code creates a progress bar which displays the current count as "Megabytes". + For the progress bar, one percent corresponds to 16 kByte: + + @code + p = RBA::AbsoluteProgress::new("test") + p.format = "%.2f MBytes" + p.unit = 1024*16 + p.format_unit = 1024*1024 + begin + 10000000.times { p.inc } + ensure + p.destroy + end + @/code + + This class has been introduced in version 0.23. """ - @classmethod - def new(cls) -> EmptyClass: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> EmptyClass: - r""" - @brief Creates a copy of self - """ - def __deepcopy__(self) -> EmptyClass: - r""" - @brief Creates a copy of self - """ - def __init__(self) -> None: - r""" - @brief Creates a new object of this class - """ - def _create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def _destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def _destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def _is_const_object(self) -> bool: + @property + def format(self) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + WARNING: This variable can only be set, not retrieved. + @brief sets the output format (sprintf notation) for the progress text """ - def _manage(self) -> None: + @property + def format_unit(self) -> None: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + WARNING: This variable can only be set, not retrieved. + @brief Sets the format unit - Usually it's not required to call this method. It has been introduced in version 0.24. + This is the unit used for formatted output. + The current count is divided by the format unit to render + the value passed to the format string. """ - def _unmanage(self) -> None: + @property + def unit(self) -> None: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + WARNING: This variable can only be set, not retrieved. + @brief Sets the unit - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: EmptyClass) -> None: - r""" - @brief Assigns another object to self - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def dup(self) -> EmptyClass: - r""" - @brief Creates a copy of self + Specifies the count value corresponding to 1 percent on the progress bar. By default, the current value divided by the unit is used to create the formatted value from the output string. Another attribute is provided (\format_unit=) to specify a separate unit for that purpose. """ - def is_const_object(self) -> bool: + @property + def value(self) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + WARNING: This variable can only be set, not retrieved. + @brief Sets the progress value """ - -class Value: - r""" - @brief Encapsulates a value (preferably a plain data type) in an object - This class is provided to 'box' a value (encapsulate the value in an object). This class is required to interface to pointer or reference types in a method call. By using that class, the method can alter the value and thus implement 'out parameter' semantics. The value may be 'nil' which acts as a null pointer in pointer type arguments. - This class has been introduced in version 0.22. - """ - value: Any - r""" - Getter: - @brief Gets the actual value. - - Setter: - @brief Set the actual value. - """ @overload @classmethod - def new(cls) -> Value: + def new(cls, desc: str) -> AbsoluteProgress: r""" - @brief Constructs a nil object. + @brief Creates an absolute progress reporter with the given description """ @overload @classmethod - def new(cls, value: Any) -> Value: + def new(cls, desc: str, yield_interval: int) -> AbsoluteProgress: r""" - @brief Constructs a non-nil object with the given value. - This constructor has been introduced in version 0.22. + @brief Creates an absolute progress reporter with the given description + + The yield interval specifies, how often the event loop will be triggered. When the yield interval is 10 for example, the event loop will be executed every tenth call of \inc or \set. """ - def __copy__(self) -> Value: + def __copy__(self) -> AbsoluteProgress: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> Value: + def __deepcopy__(self) -> AbsoluteProgress: r""" @brief Creates a copy of self """ @overload - def __init__(self) -> None: + def __init__(self, desc: str) -> None: r""" - @brief Constructs a nil object. + @brief Creates an absolute progress reporter with the given description """ @overload - def __init__(self, value: Any) -> None: - r""" - @brief Constructs a non-nil object with the given value. - This constructor has been introduced in version 0.22. - """ - def __str__(self) -> str: + def __init__(self, desc: str, yield_interval: int) -> None: r""" - @brief Convert this object to a string + @brief Creates an absolute progress reporter with the given description + + The yield interval specifies, how often the event loop will be triggered. When the yield interval is 10 for example, the event loop will be executed every tenth call of \inc or \set. """ def _create(self) -> None: r""" @@ -176,79 +132,52 @@ class Value: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: Value) -> None: + def assign(self, other: Progress) -> None: r""" @brief Assigns another object to self """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def dup(self) -> Value: + def dup(self) -> AbsoluteProgress: r""" @brief Creates a copy of self """ - def is_const_object(self) -> bool: + def inc(self) -> AbsoluteProgress: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Increments the progress value """ - def to_s(self) -> str: + def set(self, value: int, force_yield: bool) -> None: r""" - @brief Convert this object to a string + @brief Sets the progress value + + This method is equivalent to \value=, but it allows forcing the event loop to be triggered. + If "force_yield" is true, the event loop will be triggered always, irregardless of the yield interval specified in the constructor. """ -class Interpreter: +class AbstractProgress(Progress): r""" - @brief A generalization of script interpreters - The main purpose of this class is to provide cross-language call options. Using the Python interpreter, it is possible to execute Python code from Ruby for example. + @brief The abstract progress reporter - The following example shows how to use the interpreter class to execute Python code from Ruby and how to pass values from Ruby to Python and back using the \Value wrapper object: + The abstract progress reporter acts as a 'bracket' for a sequence of operations which are connected logically. For example, a DRC script consists of multiple operations. An abstract progress reportert is instantiated during the run time of the DRC script. This way, the application leaves the UI open while the DRC executes and log messages can be collected. - @code - pya = RBA::Interpreter::python_interpreter - out_param = RBA::Value::new(17) - pya.define_variable("out_param", out_param) - pya.eval_string(< Interpreter: + def new(cls, desc: str) -> AbstractProgress: r""" - @brief Creates a new object of this class + @brief Creates an abstract progress reporter with the given description """ - @classmethod - def python_interpreter(cls) -> Interpreter: + def __copy__(self) -> AbstractProgress: r""" - @brief Gets the instance of the Python interpreter + @brief Creates a copy of self """ - @classmethod - def ruby_interpreter(cls) -> Interpreter: + def __deepcopy__(self) -> AbstractProgress: r""" - @brief Gets the instance of the Ruby interpreter + @brief Creates a copy of self """ - def __init__(self) -> None: + def __init__(self, desc: str) -> None: r""" - @brief Creates a new object of this class + @brief Creates an abstract progress reporter with the given description """ def _create(self) -> None: r""" @@ -287,48 +216,13 @@ class Interpreter: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def define_variable(self, name: str, value: Any) -> None: - r""" - @brief Defines a (global) variable with the given name and value - You can use the \Value class to provide 'out' or 'inout' parameters which can be modified by code executed inside the interpreter and read back by the caller. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def eval_expr(self, string: str, filename: Optional[str] = ..., line: Optional[int] = ...) -> Any: - r""" - @brief Executes the expression inside the given string and returns the result value - Use 'filename' and 'line' to indicate the original source for the error messages. - """ - def eval_string(self, string: str, filename: Optional[str] = ..., line: Optional[int] = ...) -> None: - r""" - @brief Executes the code inside the given string - Use 'filename' and 'line' to indicate the original source for the error messages. - """ - def is_const_object(self) -> bool: + def assign(self, other: Progress) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Assigns another object to self """ - def load_file(self, path: str) -> None: + def dup(self) -> AbstractProgress: r""" - @brief Loads the given file into the interpreter - This will execute the code inside the file. + @brief Creates a copy of self """ class ArgType: @@ -567,22 +461,19 @@ class ArgType: @brief Return the basic type (see t_.. constants) """ -class MethodOverload: +class Class: r""" @hide """ @classmethod - def new(cls) -> MethodOverload: - r""" - @brief Creates a new object of this class - """ - def __copy__(self) -> MethodOverload: + def each_class(cls) -> Iterator[Class]: r""" - @brief Creates a copy of self + @brief Iterate over all classes """ - def __deepcopy__(self) -> MethodOverload: + @classmethod + def new(cls) -> Class: r""" - @brief Creates a copy of self + @brief Creates a new object of this class """ def __init__(self) -> None: r""" @@ -625,19 +516,27 @@ class MethodOverload: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: MethodOverload) -> None: + def base(self) -> Class: r""" - @brief Assigns another object to self + @brief The base class or nil if the class does not have a base class + + This method has been introduced in version 0.22. + """ + def can_copy(self) -> bool: + r""" + @brief True if the class offers assignment + """ + def can_destroy(self) -> bool: + r""" + @brief True if the class offers a destroy method + + This method has been introduced in version 0.22. """ def create(self) -> None: r""" @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def deprecated(self) -> bool: - r""" - @brief A value indicating that this overload is deprecated - """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -650,9 +549,17 @@ class MethodOverload: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> MethodOverload: + def doc(self) -> str: r""" - @brief Creates a copy of self + @brief The documentation string for this class + """ + def each_child_class(self) -> Iterator[Class]: + r""" + @brief Iterate over all child classes defined within this class + """ + def each_method(self) -> Iterator[Method]: + r""" + @brief Iterate over all methods of this class """ def is_const_object(self) -> bool: r""" @@ -660,38 +567,41 @@ class MethodOverload: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def is_getter(self) -> bool: + def module(self) -> str: r""" - @brief A value indicating that this overload is a property getter + @brief The name of module where the class lives """ - def is_predicate(self) -> bool: + def name(self) -> str: r""" - @brief A value indicating that this overload is a predicate + @brief The name of the class """ - def is_setter(self) -> bool: + def parent(self) -> Class: r""" - @brief A value indicating that this overload is a property setter + @brief The parent of the class """ - def name(self) -> str: + def python_methods(self, static: bool) -> List[PythonFunction]: r""" - @brief The name of this overload - This is the raw, unadorned name. I.e. no question mark suffix for predicates, no equal character suffix for setters etc. + @brief Gets the Python methods (static or non-static) + """ + def python_properties(self, static: bool) -> List[PythonGetterSetterPair]: + r""" + @brief Gets the Python properties (static or non-static) as a list of getter/setter pairs + Note that if a getter or setter is not available the list of Python functions for this part is empty. """ -class Method: +class EmptyClass: r""" - @hide """ @classmethod - def new(cls) -> Method: + def new(cls) -> EmptyClass: r""" @brief Creates a new object of this class """ - def __copy__(self) -> Method: + def __copy__(self) -> EmptyClass: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> Method: + def __deepcopy__(self) -> EmptyClass: r""" @brief Creates a copy of self """ @@ -736,13 +646,7 @@ class Method: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def accepts_num_args(self, arg0: int) -> bool: - r""" - @brief True, if this method is compatible with the given number of arguments - - This method has been introduced in version 0.24. - """ - def assign(self, other: Method) -> None: + def assign(self, other: EmptyClass) -> None: r""" @brief Assigns another object to self """ @@ -763,102 +667,89 @@ class Method: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def doc(self) -> str: - r""" - @brief The documentation string for this method - """ - def dup(self) -> Method: + def dup(self) -> EmptyClass: r""" @brief Creates a copy of self """ - def each_argument(self) -> Iterator[ArgType]: - r""" - @brief Iterate over all arguments of this method - """ - def each_overload(self) -> Iterator[MethodOverload]: - r""" - @brief This iterator delivers the synonyms (overloads). - - This method has been introduced in version 0.24. - """ - def is_const(self) -> bool: - r""" - @brief True, if this method does not alter the object - """ def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def is_constructor(self) -> bool: + +class Executable(ExecutableBase): + r""" + @brief A generic executable object + This object is a delegate for implementing the actual function of some generic executable function. In addition to the plain execution, if offers a post-mortem cleanup callback which is always executed, even if execute's implementation is cancelled in the debugger. + + Parameters are kept as a generic key/value map. + + This class has been introduced in version 0.27. + """ + def _assign(self, other: ExecutableBase) -> None: r""" - @brief True, if this method is a constructor - Static methods that return new objects are constructors. - This method has been introduced in version 0.25. + @brief Assigns another object to self """ - def is_protected(self) -> bool: + def _create(self) -> None: r""" - @brief True, if this method is protected - - This method has been introduced in version 0.24. + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def is_signal(self) -> bool: + def _destroy(self) -> None: r""" - @brief True, if this method is a signal - - Signals replace events for version 0.25. is_event? is no longer available. + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - def is_static(self) -> bool: + def _destroyed(self) -> bool: r""" - @brief True, if this method is static (a class method) + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def name(self) -> str: + def _dup(self) -> Executable: r""" - @brief The name string of the method - A method may have multiple names (aliases). The name string delivers all of them in a combined way. - - The names are separated by pipe characters (|). A trailing star (*) indicates that the method is protected. - - Names may be prefixed by a colon (:) to indicate a property getter. This colon does not appear in the method name. - - A hash prefix indicates that a specific alias is deprecated. - - Names may be suffixed by a question mark (?) to indicate a predicate or a equal character (=) to indicate a property setter. Depending on the preferences of the language, these characters may appear in the method names of not - in Python they don't, in Ruby they will be part of the method name. - - The backslash character is used inside the names to escape these special characters. - - The preferred method of deriving the overload is to iterate then using \each_overload. + @brief Creates a copy of self """ - def primary_name(self) -> str: + def _is_const_object(self) -> bool: r""" - @brief The primary name of the method - The primary name is the first name of a sequence of aliases. - - This method has been introduced in version 0.24. + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ - def python_methods(self) -> str: + def _manage(self) -> None: r""" - @brief Gets the Python specific documentation + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ - def ret_type(self) -> ArgType: + def _unmanage(self) -> None: r""" - @brief The return type of this method + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + + Usually it's not required to call this method. It has been introduced in version 0.24. """ -class Class: +class ExecutableBase: r""" @hide + @alias Executable """ @classmethod - def each_class(cls) -> Iterator[Class]: + def new(cls) -> ExecutableBase: r""" - @brief Iterate over all classes + @brief Creates a new object of this class """ - @classmethod - def new(cls) -> Class: + def __copy__(self) -> ExecutableBase: r""" - @brief Creates a new object of this class + @brief Creates a copy of self + """ + def __deepcopy__(self) -> ExecutableBase: + r""" + @brief Creates a copy of self """ def __init__(self) -> None: r""" @@ -894,28 +785,16 @@ class Class: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def base(self) -> Class: - r""" - @brief The base class or nil if the class does not have a base class - - This method has been introduced in version 0.22. - """ - def can_copy(self) -> bool: - r""" - @brief True if the class offers assignment - """ - def can_destroy(self) -> bool: + def _unmanage(self) -> None: r""" - @brief True if the class offers a destroy method + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This method has been introduced in version 0.22. + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def assign(self, other: ExecutableBase) -> None: + r""" + @brief Assigns another object to self """ def create(self) -> None: r""" @@ -934,17 +813,9 @@ class Class: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def doc(self) -> str: - r""" - @brief The documentation string for this class - """ - def each_child_class(self) -> Iterator[Class]: - r""" - @brief Iterate over all child classes defined within this class - """ - def each_method(self) -> Iterator[Method]: + def dup(self) -> ExecutableBase: r""" - @brief Iterate over all methods of this class + @brief Creates a copy of self """ def is_const_object(self) -> bool: r""" @@ -952,93 +823,58 @@ class Class: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def module(self) -> str: - r""" - @brief The name of module where the class lives - """ - def name(self) -> str: - r""" - @brief The name of the class - """ - def parent(self) -> Class: - r""" - @brief The parent of the class - """ - def python_methods(self, static: bool) -> List[PythonFunction]: - r""" - @brief Gets the Python methods (static or non-static) - """ - def python_properties(self, static: bool) -> List[PythonGetterSetterPair]: - r""" - @brief Gets the Python properties (static or non-static) as a list of getter/setter pairs - Note that if a getter or setter is not available the list of Python functions for this part is empty. - """ -class Logger: +class Expression(ExpressionContext): r""" - @brief A logger - - The logger outputs messages to the log channels. If the log viewer is open, the log messages will be shown in the logger view. Otherwise they will be printed to the terminal on Linux for example. - - A code example: + @brief Evaluation of Expressions - @code - RBA::Logger::error("An error message") - RBA::Logger::warn("A warning") - @/code + This class allows evaluation of expressions. Expressions are used in many places throughout KLayout and provide computation features for various applications. Having a script language, there is no real use for expressions inside a script client. This class is provided mainly for testing purposes. - This class has been introduced in version 0.23. - """ - verbosity: ClassVar[int] - r""" - @brief Returns the verbosity level + An expression is 'compiled' into an Expression object and can be evaluated multiple times. - The verbosity level is defined by the application (see -d command line option for example). Level 0 is silent, levels 10, 20, 30 etc. denote levels with increasing verbosity. 11, 21, 31 .. are sublevels which also enable timing logs in addition to messages. + This class has been introduced in version 0.25. In version 0.26 it was separated into execution and context. """ - @classmethod - def error(cls, msg: str) -> None: + @property + def text(self) -> None: r""" - @brief Writes the given string to the error channel - - The error channel is formatted as an error (i.e. red in the logger window) and output unconditionally. + WARNING: This variable can only be set, not retrieved. + @brief Sets the given text as the expression. """ @classmethod - def info(cls, msg: str) -> None: + def _class_eval(cls, expr: str) -> Any: r""" - @brief Writes the given string to the info channel - - The info channel is printed as neutral messages unconditionally. + @brief A convience function to evaluate the given expression and directly return the result + This is a static method that does not require instantiation of the expression object first. """ @classmethod - def log(cls, msg: str) -> None: + def eval(cls, expr: str) -> Any: r""" - @brief Writes the given string to the log channel - - Log messages are printed as neutral messages and are output only if the verbosity is above 0. + @brief A convience function to evaluate the given expression and directly return the result + This is a static method that does not require instantiation of the expression object first. """ + @overload @classmethod - def new(cls) -> Logger: + def new(cls, expr: str) -> Expression: r""" - @brief Creates a new object of this class + @brief Creates an expression evaluator """ + @overload @classmethod - def warn(cls, msg: str) -> None: - r""" - @brief Writes the given string to the warning channel - - The warning channel is formatted as a warning (i.e. blue in the logger window) and output unconditionally. - """ - def __copy__(self) -> Logger: + def new(cls, expr: str, variables: Dict[str, Any]) -> Expression: r""" - @brief Creates a copy of self + @brief Creates an expression evaluator + This version of the constructor takes a hash of variables available to the expressions. """ - def __deepcopy__(self) -> Logger: + @overload + def __init__(self, expr: str) -> None: r""" - @brief Creates a copy of self + @brief Creates an expression evaluator """ - def __init__(self) -> None: + @overload + def __init__(self, expr: str, variables: Dict[str, Any]) -> None: r""" - @brief Creates a new object of this class + @brief Creates an expression evaluator + This version of the constructor takes a hash of variables available to the expressions. """ def _create(self) -> None: r""" @@ -1057,6 +893,10 @@ class Logger: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ + def _inst_eval(self) -> Any: + r""" + @brief Evaluates the current expression and returns the result + """ def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference @@ -1077,73 +917,34 @@ class Logger: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: Logger) -> None: - r""" - @brief Assigns another object to self - """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: - r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. - """ - def dup(self) -> Logger: - r""" - @brief Creates a copy of self - """ - def is_const_object(self) -> bool: + def eval(self) -> Any: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Evaluates the current expression and returns the result """ -class Timer: +class ExpressionContext: r""" - @brief A timer (stop watch) - - The timer provides a way to measure CPU time. It provides two basic methods: start and stop. After it has been started and stopped again, the time can be retrieved using the user and sys attributes, i.e.: - - @code - t = RBA::Timer::new - t.start - # ... do something - t.stop - puts "it took #{t.sys} seconds (kernel), #{t.user} seconds (user) on the CPU" - @/code + @brief Represents the context of an expression evaluation - The time is reported in seconds. + The context provides a variable namespace for the expression evaluation. - This class has been introduced in version 0.23. + This class has been introduced in version 0.26 when \Expression was separated into the execution and context part. """ @classmethod - def memory_size(cls) -> int: + def global_var(cls, name: str, value: Any) -> None: r""" - @brief Gets the current memory usage of the process in Bytes - - This method has been introduced in version 0.27. + @brief Defines a global variable with the given name and value """ @classmethod - def new(cls) -> Timer: + def new(cls) -> ExpressionContext: r""" @brief Creates a new object of this class """ - def __copy__(self) -> Timer: + def __copy__(self) -> ExpressionContext: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> Timer: + def __deepcopy__(self) -> ExpressionContext: r""" @brief Creates a copy of self """ @@ -1151,10 +952,6 @@ class Timer: r""" @brief Creates a new object of this class """ - def __str__(self) -> str: - r""" - @brief Produces a string with the currently elapsed times - """ def _create(self) -> None: r""" @brief Ensures the C++ object is created @@ -1192,7 +989,7 @@ class Timer: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: Timer) -> None: + def assign(self, other: ExpressionContext) -> None: r""" @brief Assigns another object to self """ @@ -1213,76 +1010,65 @@ class Timer: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> Timer: + def dup(self) -> ExpressionContext: r""" @brief Creates a copy of self """ + def eval(self, expr: str) -> Any: + r""" + @brief Compiles and evaluates the given expression in this context + This method has been introduced in version 0.26. + """ def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def start(self) -> None: - r""" - @brief Starts the timer - """ - def stop(self) -> None: - r""" - @brief Stops the timer - """ - def sys(self) -> float: - r""" - @brief Returns the elapsed CPU time in kernel mode from start to stop in seconds - """ - def to_s(self) -> str: - r""" - @brief Produces a string with the currently elapsed times - """ - def user(self) -> float: - r""" - @brief Returns the elapsed CPU time in user mode from start to stop in seconds - """ - def wall(self) -> float: + def var(self, name: str, value: Any) -> None: r""" - @brief Returns the elapsed real time from start to stop in seconds - This method has been introduced in version 0.26. + @brief Defines a variable with the given name and value """ -class Progress: +class GlobPattern: r""" - @brief A progress reporter - - This is the base class for all progress reporter objects. Progress reporter objects are used to report the progress of some operation and to allow aborting an operation. Progress reporter objects must be triggered periodically, i.e. a value must be set. On the display side, a progress bar usually is used to represent the progress of an operation. - - Actual implementations of the progress reporter class are \RelativeProgress and \AbsoluteProgress. + @brief A glob pattern matcher + This class is provided to make KLayout's glob pattern matching available to scripts too. The intention is to provide an implementation which is compatible with KLayout's pattern syntax. - This class has been introduced in version 0.23. + This class has been introduced in version 0.26. """ - desc: str + case_sensitive: bool r""" Getter: - @brief Gets the description text of the progress object + @brief Gets a value indicating whether the glob pattern match is case sensitive. + Setter: + @brief Sets a value indicating whether the glob pattern match is case sensitive. + """ + head_match: bool + r""" + Getter: + @brief Gets a value indicating whether trailing characters are allowed. Setter: - @brief Sets the description text of the progress object + @brief Sets a value indicating whether trailing characters are allowed. + If this predicate is false, the glob pattern needs to match the full subject string. If true, the match function will ignore trailing characters and return true if the front part of the subject string matches. """ - @property - def title(self) -> None: + @classmethod + def new(cls, pattern: str) -> GlobPattern: r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the title text of the progress object - - Initially the title is equal to the description. + @brief Creates a new glob pattern match object + """ + def __copy__(self) -> GlobPattern: + r""" + @brief Creates a copy of self """ - @classmethod - def new(cls) -> Progress: + def __deepcopy__(self) -> GlobPattern: r""" - @brief Creates a new object of this class + @brief Creates a copy of self """ - def __init__(self) -> None: + def __init__(self, pattern: str) -> None: r""" - @brief Creates a new object of this class + @brief Creates a new glob pattern match object """ def _create(self) -> None: r""" @@ -1321,6 +1107,10 @@ class Progress: Usually it's not required to call this method. It has been introduced in version 0.24. """ + def assign(self, other: GlobPattern) -> None: + r""" + @brief Assigns another object to self + """ def create(self) -> None: r""" @brief Ensures the C++ object is created @@ -1338,39 +1128,59 @@ class Progress: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ + def dup(self) -> GlobPattern: + r""" + @brief Creates a copy of self + """ def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ + def match(self, subject: str) -> Any: + r""" + @brief Matches the subject string against the pattern. + Returns nil if the subject string does not match the pattern. Otherwise returns a list with the substrings captured in round brackets. + """ -class AbstractProgress(Progress): +class Interpreter: r""" - @brief The abstract progress reporter + @brief A generalization of script interpreters + The main purpose of this class is to provide cross-language call options. Using the Python interpreter, it is possible to execute Python code from Ruby for example. - The abstract progress reporter acts as a 'bracket' for a sequence of operations which are connected logically. For example, a DRC script consists of multiple operations. An abstract progress reportert is instantiated during the run time of the DRC script. This way, the application leaves the UI open while the DRC executes and log messages can be collected. + The following example shows how to use the interpreter class to execute Python code from Ruby and how to pass values from Ruby to Python and back using the \Value wrapper object: - The abstract progress does not have a value. + @code + pya = RBA::Interpreter::python_interpreter + out_param = RBA::Value::new(17) + pya.define_variable("out_param", out_param) + pya.eval_string(< AbstractProgress: + def new(cls) -> Interpreter: r""" - @brief Creates an abstract progress reporter with the given description + @brief Creates a new object of this class """ - def __copy__(self) -> AbstractProgress: + @classmethod + def python_interpreter(cls) -> Interpreter: r""" - @brief Creates a copy of self + @brief Gets the instance of the Python interpreter """ - def __deepcopy__(self) -> AbstractProgress: + @classmethod + def ruby_interpreter(cls) -> Interpreter: r""" - @brief Creates a copy of self + @brief Gets the instance of the Ruby interpreter """ - def __init__(self, desc: str) -> None: + def __init__(self) -> None: r""" - @brief Creates an abstract progress reporter with the given description + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -1409,96 +1219,115 @@ class AbstractProgress(Progress): Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: Progress) -> None: + def create(self) -> None: r""" - @brief Assigns another object to self + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - def dup(self) -> AbstractProgress: + def define_variable(self, name: str, value: Any) -> None: r""" - @brief Creates a copy of self + @brief Defines a (global) variable with the given name and value + You can use the \Value class to provide 'out' or 'inout' parameters which can be modified by code executed inside the interpreter and read back by the caller. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def eval_expr(self, string: str, filename: Optional[str] = ..., line: Optional[int] = ...) -> Any: + r""" + @brief Executes the expression inside the given string and returns the result value + Use 'filename' and 'line' to indicate the original source for the error messages. + """ + def eval_string(self, string: str, filename: Optional[str] = ..., line: Optional[int] = ...) -> None: + r""" + @brief Executes the code inside the given string + Use 'filename' and 'line' to indicate the original source for the error messages. + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def load_file(self, path: str) -> None: + r""" + @brief Loads the given file into the interpreter + This will execute the code inside the file. """ -class RelativeProgress(Progress): +class Logger: r""" - @brief A progress reporter counting progress in relative units - - A relative progress reporter counts from 0 to some maximum value representing 0 to 100 percent completion of a task. The progress can be configured to have a description text, a title and a format. - The "inc" method increments the value, the "set" or "value=" methods set the value to a specific value. - - While one of these three methods is called, they will run the event loop in regular intervals. That makes the application respond to mouse clicks, specifically the Cancel button on the progress bar. If that button is clicked, an exception will be raised by these methods. + @brief A logger - The progress object must be destroyed explicitly in order to remove the progress status bar. + The logger outputs messages to the log channels. If the log viewer is open, the log messages will be shown in the logger view. Otherwise they will be printed to the terminal on Linux for example. A code example: @code - p = RBA::RelativeProgress::new("test", 10000000) - begin - 10000000.times { p.inc } - ensure - p.destroy - end + RBA::Logger::error("An error message") + RBA::Logger::warn("A warning") @/code This class has been introduced in version 0.23. """ - @property - def format(self) -> None: + verbosity: ClassVar[int] + r""" + @brief Returns the verbosity level + + The verbosity level is defined by the application (see -d command line option for example). Level 0 is silent, levels 10, 20, 30 etc. denote levels with increasing verbosity. 11, 21, 31 .. are sublevels which also enable timing logs in addition to messages. + """ + @classmethod + def error(cls, msg: str) -> None: r""" - WARNING: This variable can only be set, not retrieved. - @brief sets the output format (sprintf notation) for the progress text + @brief Writes the given string to the error channel + + The error channel is formatted as an error (i.e. red in the logger window) and output unconditionally. """ - @property - def value(self) -> None: + @classmethod + def info(cls, msg: str) -> None: r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the progress value + @brief Writes the given string to the info channel + + The info channel is printed as neutral messages unconditionally. """ - @overload @classmethod - def new(cls, desc: str, max_value: int) -> RelativeProgress: + def log(cls, msg: str) -> None: r""" - @brief Creates a relative progress reporter with the given description and maximum value + @brief Writes the given string to the log channel - The reported progress will be 0 to 100% for values between 0 and the maximum value. - The values are always integers. Double values cannot be used property. + Log messages are printed as neutral messages and are output only if the verbosity is above 0. """ - @overload @classmethod - def new(cls, desc: str, max_value: int, yield_interval: int) -> RelativeProgress: + def new(cls) -> Logger: r""" - @brief Creates a relative progress reporter with the given description and maximum value - - The reported progress will be 0 to 100% for values between 0 and the maximum value. - The values are always integers. Double values cannot be used property. - - The yield interval specifies, how often the event loop will be triggered. When the yield interval is 10 for example, the event loop will be executed every tenth call of \inc or \set. + @brief Creates a new object of this class """ - def __copy__(self) -> RelativeProgress: + @classmethod + def warn(cls, msg: str) -> None: r""" - @brief Creates a copy of self + @brief Writes the given string to the warning channel + + The warning channel is formatted as a warning (i.e. blue in the logger window) and output unconditionally. """ - def __deepcopy__(self) -> RelativeProgress: + def __copy__(self) -> Logger: r""" @brief Creates a copy of self """ - @overload - def __init__(self, desc: str, max_value: int) -> None: + def __deepcopy__(self) -> Logger: r""" - @brief Creates a relative progress reporter with the given description and maximum value - - The reported progress will be 0 to 100% for values between 0 and the maximum value. - The values are always integers. Double values cannot be used property. + @brief Creates a copy of self """ - @overload - def __init__(self, desc: str, max_value: int, yield_interval: int) -> None: + def __init__(self) -> None: r""" - @brief Creates a relative progress reporter with the given description and maximum value - - The reported progress will be 0 to 100% for values between 0 and the maximum value. - The values are always integers. Double values cannot be used property. - - The yield interval specifies, how often the event loop will be triggered. When the yield interval is 10 for example, the event loop will be executed every tenth call of \inc or \set. + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -1528,129 +1357,67 @@ class RelativeProgress(Progress): @brief Marks the object as managed by the script side. After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def _unmanage(self) -> None: - r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - def assign(self, other: Progress) -> None: - r""" - @brief Assigns another object to self - """ - def dup(self) -> RelativeProgress: - r""" - @brief Creates a copy of self - """ - def inc(self) -> RelativeProgress: - r""" - @brief Increments the progress value - """ - def set(self, value: int, force_yield: bool) -> None: - r""" - @brief Sets the progress value - - This method is equivalent to \value=, but it allows forcing the event loop to be triggered. - If "force_yield" is true, the event loop will be triggered always, irregardless of the yield interval specified in the constructor. - """ - -class AbsoluteProgress(Progress): - r""" - @brief A progress reporter counting progress in absolute units - - An absolute progress reporter counts from 0 upwards without a known limit. A unit value is used to convert the value to a bar value. One unit corresponds to 1% on the bar. - For formatted output, a format string can be specified as well as a unit value by which the current value is divided before it is formatted. - - The progress can be configured to have a description text, a title and a format. - The "inc" method increments the value, the "set" or "value=" methods set the value to a specific value. - - While one of these three methods is called, they will run the event loop in regular intervals. That makes the application respond to mouse clicks, specifically the Cancel button on the progress bar. If that button is clicked, an exception will be raised by these methods. - - The progress object must be destroyed explicitly in order to remove the progress status bar. - - The following sample code creates a progress bar which displays the current count as "Megabytes". - For the progress bar, one percent corresponds to 16 kByte: - - @code - p = RBA::AbsoluteProgress::new("test") - p.format = "%.2f MBytes" - p.unit = 1024*16 - p.format_unit = 1024*1024 - begin - 10000000.times { p.inc } - ensure - p.destroy - end - @/code - - This class has been introduced in version 0.23. - """ - @property - def format(self) -> None: - r""" - WARNING: This variable can only be set, not retrieved. - @brief sets the output format (sprintf notation) for the progress text + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @property - def format_unit(self) -> None: + def _unmanage(self) -> None: r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the format unit + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - This is the unit used for formatted output. - The current count is divided by the format unit to render - the value passed to the format string. + Usually it's not required to call this method. It has been introduced in version 0.24. """ - @property - def unit(self) -> None: + def assign(self, other: Logger) -> None: r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the unit - - Specifies the count value corresponding to 1 percent on the progress bar. By default, the current value divided by the unit is used to create the formatted value from the output string. Another attribute is provided (\format_unit=) to specify a separate unit for that purpose. + @brief Assigns another object to self """ - @property - def value(self) -> None: + def create(self) -> None: r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the progress value + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ - @overload - @classmethod - def new(cls, desc: str) -> AbsoluteProgress: + def destroy(self) -> None: r""" - @brief Creates an absolute progress reporter with the given description + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. """ - @overload - @classmethod - def new(cls, desc: str, yield_interval: int) -> AbsoluteProgress: + def destroyed(self) -> bool: r""" - @brief Creates an absolute progress reporter with the given description - - The yield interval specifies, how often the event loop will be triggered. When the yield interval is 10 for example, the event loop will be executed every tenth call of \inc or \set. + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def __copy__(self) -> AbsoluteProgress: + def dup(self) -> Logger: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> AbsoluteProgress: + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + +class Method: + r""" + @hide + """ + @classmethod + def new(cls) -> Method: + r""" + @brief Creates a new object of this class + """ + def __copy__(self) -> Method: r""" @brief Creates a copy of self """ - @overload - def __init__(self, desc: str) -> None: + def __deepcopy__(self) -> Method: r""" - @brief Creates an absolute progress reporter with the given description + @brief Creates a copy of self """ - @overload - def __init__(self, desc: str, yield_interval: int) -> None: + def __init__(self) -> None: r""" - @brief Creates an absolute progress reporter with the given description - - The yield interval specifies, how often the event loop will be triggered. When the yield interval is 10 for example, the event loop will be executed every tenth call of \inc or \set. + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -1689,49 +1456,130 @@ class AbsoluteProgress(Progress): Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: Progress) -> None: + def accepts_num_args(self, arg0: int) -> bool: + r""" + @brief True, if this method is compatible with the given number of arguments + + This method has been introduced in version 0.24. + """ + def assign(self, other: Method) -> None: r""" @brief Assigns another object to self """ - def dup(self) -> AbsoluteProgress: + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def doc(self) -> str: + r""" + @brief The documentation string for this method + """ + def dup(self) -> Method: r""" @brief Creates a copy of self """ - def inc(self) -> AbsoluteProgress: + def each_argument(self) -> Iterator[ArgType]: r""" - @brief Increments the progress value + @brief Iterate over all arguments of this method """ - def set(self, value: int, force_yield: bool) -> None: + def each_overload(self) -> Iterator[MethodOverload]: r""" - @brief Sets the progress value + @brief This iterator delivers the synonyms (overloads). - This method is equivalent to \value=, but it allows forcing the event loop to be triggered. - If "force_yield" is true, the event loop will be triggered always, irregardless of the yield interval specified in the constructor. + This method has been introduced in version 0.24. + """ + def is_const(self) -> bool: + r""" + @brief True, if this method does not alter the object + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def is_constructor(self) -> bool: + r""" + @brief True, if this method is a constructor + Static methods that return new objects are constructors. + This method has been introduced in version 0.25. """ + def is_protected(self) -> bool: + r""" + @brief True, if this method is protected -class ExpressionContext: - r""" - @brief Represents the context of an expression evaluation + This method has been introduced in version 0.24. + """ + def is_signal(self) -> bool: + r""" + @brief True, if this method is a signal - The context provides a variable namespace for the expression evaluation. + Signals replace events for version 0.25. is_event? is no longer available. + """ + def is_static(self) -> bool: + r""" + @brief True, if this method is static (a class method) + """ + def name(self) -> str: + r""" + @brief The name string of the method + A method may have multiple names (aliases). The name string delivers all of them in a combined way. - This class has been introduced in version 0.26 when \Expression was separated into the execution and context part. - """ - @classmethod - def global_var(cls, name: str, value: Any) -> None: + The names are separated by pipe characters (|). A trailing star (*) indicates that the method is protected. + + Names may be prefixed by a colon (:) to indicate a property getter. This colon does not appear in the method name. + + A hash prefix indicates that a specific alias is deprecated. + + Names may be suffixed by a question mark (?) to indicate a predicate or a equal character (=) to indicate a property setter. Depending on the preferences of the language, these characters may appear in the method names of not - in Python they don't, in Ruby they will be part of the method name. + + The backslash character is used inside the names to escape these special characters. + + The preferred method of deriving the overload is to iterate then using \each_overload. + """ + def primary_name(self) -> str: r""" - @brief Defines a global variable with the given name and value + @brief The primary name of the method + The primary name is the first name of a sequence of aliases. + + This method has been introduced in version 0.24. + """ + def python_methods(self) -> str: + r""" + @brief Gets the Python specific documentation + """ + def ret_type(self) -> ArgType: + r""" + @brief The return type of this method """ + +class MethodOverload: + r""" + @hide + """ @classmethod - def new(cls) -> ExpressionContext: + def new(cls) -> MethodOverload: r""" @brief Creates a new object of this class """ - def __copy__(self) -> ExpressionContext: + def __copy__(self) -> MethodOverload: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> ExpressionContext: + def __deepcopy__(self) -> MethodOverload: r""" @brief Creates a copy of self """ @@ -1776,7 +1624,7 @@ class ExpressionContext: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: ExpressionContext) -> None: + def assign(self, other: MethodOverload) -> None: r""" @brief Assigns another object to self """ @@ -1785,6 +1633,10 @@ class ExpressionContext: @brief Ensures the C++ object is created Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. """ + def deprecated(self) -> bool: + r""" + @brief A value indicating that this overload is deprecated + """ def destroy(self) -> None: r""" @brief Explicitly destroys the object @@ -1797,77 +1649,68 @@ class ExpressionContext: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> ExpressionContext: + def dup(self) -> MethodOverload: r""" @brief Creates a copy of self """ - def eval(self, expr: str) -> Any: - r""" - @brief Compiles and evaluates the given expression in this context - This method has been introduced in version 0.26. - """ def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def var(self, name: str, value: Any) -> None: + def is_getter(self) -> bool: r""" - @brief Defines a variable with the given name and value + @brief A value indicating that this overload is a property getter """ - -class Expression(ExpressionContext): - r""" - @brief Evaluation of Expressions - - This class allows evaluation of expressions. Expressions are used in many places throughout KLayout and provide computation features for various applications. Having a script language, there is no real use for expressions inside a script client. This class is provided mainly for testing purposes. - - An expression is 'compiled' into an Expression object and can be evaluated multiple times. - - This class has been introduced in version 0.25. In version 0.26 it was separated into execution and context. - """ - @property - def text(self) -> None: + def is_predicate(self) -> bool: r""" - WARNING: This variable can only be set, not retrieved. - @brief Sets the given text as the expression. + @brief A value indicating that this overload is a predicate """ - @classmethod - def _class_eval(cls, expr: str) -> Any: + def is_setter(self) -> bool: r""" - @brief A convience function to evaluate the given expression and directly return the result - This is a static method that does not require instantiation of the expression object first. + @brief A value indicating that this overload is a property setter """ - @classmethod - def eval(cls, expr: str) -> Any: + def name(self) -> str: r""" - @brief A convience function to evaluate the given expression and directly return the result - This is a static method that does not require instantiation of the expression object first. + @brief The name of this overload + This is the raw, unadorned name. I.e. no question mark suffix for predicates, no equal character suffix for setters etc. """ - @overload - @classmethod - def new(cls, expr: str) -> Expression: + +class Progress: + r""" + @brief A progress reporter + + This is the base class for all progress reporter objects. Progress reporter objects are used to report the progress of some operation and to allow aborting an operation. Progress reporter objects must be triggered periodically, i.e. a value must be set. On the display side, a progress bar usually is used to represent the progress of an operation. + + Actual implementations of the progress reporter class are \RelativeProgress and \AbsoluteProgress. + + This class has been introduced in version 0.23. + """ + @property + def title(self) -> None: r""" - @brief Creates an expression evaluator + WARNING: This variable can only be set, not retrieved. + @brief Sets the title text of the progress object + + Initially the title is equal to the description. """ - @overload + desc: str + r""" + Getter: + @brief Gets the description text of the progress object + + Setter: + @brief Sets the description text of the progress object + """ @classmethod - def new(cls, expr: str, variables: Dict[str, Any]) -> Expression: - r""" - @brief Creates an expression evaluator - This version of the constructor takes a hash of variables available to the expressions. - """ - @overload - def __init__(self, expr: str) -> None: + def new(cls) -> Progress: r""" - @brief Creates an expression evaluator + @brief Creates a new object of this class """ - @overload - def __init__(self, expr: str, variables: Dict[str, Any]) -> None: + def __init__(self) -> None: r""" - @brief Creates an expression evaluator - This version of the constructor takes a hash of variables available to the expressions. + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -1886,10 +1729,6 @@ class Expression(ExpressionContext): This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def _inst_eval(self) -> Any: - r""" - @brief Evaluates the current expression and returns the result - """ def _is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference @@ -1910,50 +1749,50 @@ class Expression(ExpressionContext): Usually it's not required to call this method. It has been introduced in version 0.24. """ - def eval(self) -> Any: + def create(self) -> None: r""" - @brief Evaluates the current expression and returns the result + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. """ -class GlobPattern: - r""" - @brief A glob pattern matcher - This class is provided to make KLayout's glob pattern matching available to scripts too. The intention is to provide an implementation which is compatible with KLayout's pattern syntax. - - This class has been introduced in version 0.26. - """ - case_sensitive: bool - r""" - Getter: - @brief Gets a value indicating whether the glob pattern match is case sensitive. - Setter: - @brief Sets a value indicating whether the glob pattern match is case sensitive. - """ - head_match: bool +class PythonFunction: r""" - Getter: - @brief Gets a value indicating whether trailing characters are allowed. - - Setter: - @brief Sets a value indicating whether trailing characters are allowed. - If this predicate is false, the glob pattern needs to match the full subject string. If true, the match function will ignore trailing characters and return true if the front part of the subject string matches. + @hide """ @classmethod - def new(cls, pattern: str) -> GlobPattern: + def new(cls) -> PythonFunction: r""" - @brief Creates a new glob pattern match object + @brief Creates a new object of this class """ - def __copy__(self) -> GlobPattern: + def __copy__(self) -> PythonFunction: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> GlobPattern: + def __deepcopy__(self) -> PythonFunction: r""" @brief Creates a copy of self """ - def __init__(self, pattern: str) -> None: + def __init__(self) -> None: r""" - @brief Creates a new glob pattern match object + @brief Creates a new object of this class """ def _create(self) -> None: r""" @@ -1992,7 +1831,7 @@ class GlobPattern: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: GlobPattern) -> None: + def assign(self, other: PythonFunction) -> None: r""" @brief Assigns another object to self """ @@ -2013,7 +1852,7 @@ class GlobPattern: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> GlobPattern: + def dup(self) -> PythonFunction: r""" @brief Creates a copy of self """ @@ -2023,27 +1862,37 @@ class GlobPattern: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def match(self, subject: str) -> Any: + def is_protected(self) -> bool: r""" - @brief Matches the subject string against the pattern. - Returns nil if the subject string does not match the pattern. Otherwise returns a list with the substrings captured in round brackets. + @brief Gets a value indicating whether this function is protected + """ + def is_static(self) -> bool: + r""" + @brief Gets the value indicating whether this Python function is 'static' (class function) + """ + def methods(self) -> List[Method]: + r""" + @brief Gets the list of methods bound to this Python function + """ + def name(self) -> str: + r""" + @brief Gets the name of this Python function """ -class ExecutableBase: +class PythonGetterSetterPair: r""" @hide - @alias Executable """ @classmethod - def new(cls) -> ExecutableBase: + def new(cls) -> PythonGetterSetterPair: r""" @brief Creates a new object of this class """ - def __copy__(self) -> ExecutableBase: + def __copy__(self) -> PythonGetterSetterPair: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> ExecutableBase: + def __deepcopy__(self) -> PythonGetterSetterPair: r""" @brief Creates a copy of self """ @@ -2088,7 +1937,7 @@ class ExecutableBase: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: ExecutableBase) -> None: + def assign(self, other: PythonGetterSetterPair) -> None: r""" @brief Assigns another object to self """ @@ -2109,29 +1958,60 @@ class ExecutableBase: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> ExecutableBase: + def dup(self) -> PythonGetterSetterPair: r""" @brief Creates a copy of self """ + def getter(self) -> PythonFunction: + r""" + @brief Gets the getter function + """ def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ + def setter(self) -> PythonFunction: + r""" + @brief Gets the setter function + """ -class Executable(ExecutableBase): +class Recipe: r""" - @brief A generic executable object - This object is a delegate for implementing the actual function of some generic executable function. In addition to the plain execution, if offers a post-mortem cleanup callback which is always executed, even if execute's implementation is cancelled in the debugger. + @brief A facility for providing reproducible recipes + The idea of this facility is to provide a service by which an object + can be reproduced in a parametrized way. The intended use case is a + DRC report for example, where the DRC script is the generator. + + In this use case, the DRC engine will register a recipe. It will + put the serialized version of the recipe into the DRC report. If the + user requests a re-run of the DRC, the recipe will be called and + the implementation is supposed to deliver a new database. + + To register a recipe, reimplement the Recipe class and create an + instance. To serialize a recipe, use "generator", to execute the + recipe, use "make". Parameters are kept as a generic key/value map. - This class has been introduced in version 0.27. + This class has been introduced in version 0.26. """ - def _assign(self, other: ExecutableBase) -> None: + @classmethod + def make(cls, generator: str, add_params: Optional[Dict[str, Any]] = ...) -> Any: r""" - @brief Assigns another object to self + @brief Executes the recipe given by the generator string. + The generator string is the one delivered with \generator. + Additional parameters can be passed in "add_params". They have lower priority than the parameters kept inside the generator string. + """ + @classmethod + def new(cls, name: str, description: Optional[str] = ...) -> Recipe: + r""" + @brief Creates a new recipe object with the given name and (optional) description + """ + def __init__(self, name: str, description: Optional[str] = ...) -> None: + r""" + @brief Creates a new recipe object with the given name and (optional) description """ def _create(self) -> None: r""" @@ -2150,66 +2030,144 @@ class Executable(ExecutableBase): This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def _dup(self) -> Executable: + def _is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def _manage(self) -> None: + r""" + @brief Marks the object as managed by the script side. + After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def _unmanage(self) -> None: + r""" + @brief Marks the object as no longer owned by the script side. + Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. + + Usually it's not required to call this method. It has been introduced in version 0.24. + """ + def create(self) -> None: + r""" + @brief Ensures the C++ object is created + Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. + """ + def description(self) -> str: + r""" + @brief Gets the description of the recipe. + """ + def destroy(self) -> None: + r""" + @brief Explicitly destroys the object + Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. + If the object is not owned by the script, this method will do nothing. + """ + def destroyed(self) -> bool: + r""" + @brief Returns a value indicating whether the object was already destroyed + This method returns true, if the object was destroyed, either explicitly or by the C++ side. + The latter may happen, if the object is owned by a C++ object which got destroyed itself. + """ + def generator(self, params: Dict[str, Any]) -> str: + r""" + @brief Delivers the generator string from the given parameters. + The generator string can be used with \make to re-run the recipe. + """ + def is_const_object(self) -> bool: + r""" + @brief Returns a value indicating whether the reference is a const reference + This method returns true, if self is a const reference. + In that case, only const methods may be called on self. + """ + def name(self) -> str: + r""" + @brief Gets the name of the recipe. + """ + +class RelativeProgress(Progress): + r""" + @brief A progress reporter counting progress in relative units + + A relative progress reporter counts from 0 to some maximum value representing 0 to 100 percent completion of a task. The progress can be configured to have a description text, a title and a format. + The "inc" method increments the value, the "set" or "value=" methods set the value to a specific value. + + While one of these three methods is called, they will run the event loop in regular intervals. That makes the application respond to mouse clicks, specifically the Cancel button on the progress bar. If that button is clicked, an exception will be raised by these methods. + + The progress object must be destroyed explicitly in order to remove the progress status bar. + + A code example: + + @code + p = RBA::RelativeProgress::new("test", 10000000) + begin + 10000000.times { p.inc } + ensure + p.destroy + end + @/code + + This class has been introduced in version 0.23. + """ + @property + def format(self) -> None: r""" - @brief Creates a copy of self + WARNING: This variable can only be set, not retrieved. + @brief sets the output format (sprintf notation) for the progress text """ - def _is_const_object(self) -> bool: + @property + def value(self) -> None: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + WARNING: This variable can only be set, not retrieved. + @brief Sets the progress value """ - def _manage(self) -> None: + @overload + @classmethod + def new(cls, desc: str, max_value: int) -> RelativeProgress: r""" - @brief Marks the object as managed by the script side. - After calling this method on an object, the script side will be responsible for the management of the object. This method may be called if an object is returned from a C++ function and the object is known not to be owned by any C++ instance. If necessary, the script side may delete the object if the script's reference is no longer required. + @brief Creates a relative progress reporter with the given description and maximum value - Usually it's not required to call this method. It has been introduced in version 0.24. + The reported progress will be 0 to 100% for values between 0 and the maximum value. + The values are always integers. Double values cannot be used property. """ - def _unmanage(self) -> None: + @overload + @classmethod + def new(cls, desc: str, max_value: int, yield_interval: int) -> RelativeProgress: r""" - @brief Marks the object as no longer owned by the script side. - Calling this method will make this object no longer owned by the script's memory management. Instead, the object must be managed in some other way. Usually this method may be called if it is known that some C++ object holds and manages this object. Technically speaking, this method will turn the script's reference into a weak reference. After the script engine decides to delete the reference, the object itself will still exist. If the object is not managed otherwise, memory leaks will occur. - - Usually it's not required to call this method. It has been introduced in version 0.24. - """ - -class Recipe: - r""" - @brief A facility for providing reproducible recipes - The idea of this facility is to provide a service by which an object - can be reproduced in a parametrized way. The intended use case is a - DRC report for example, where the DRC script is the generator. - - In this use case, the DRC engine will register a recipe. It will - put the serialized version of the recipe into the DRC report. If the - user requests a re-run of the DRC, the recipe will be called and - the implementation is supposed to deliver a new database. - - To register a recipe, reimplement the Recipe class and create an - instance. To serialize a recipe, use "generator", to execute the - recipe, use "make". + @brief Creates a relative progress reporter with the given description and maximum value - Parameters are kept as a generic key/value map. + The reported progress will be 0 to 100% for values between 0 and the maximum value. + The values are always integers. Double values cannot be used property. - This class has been introduced in version 0.26. - """ - @classmethod - def make(cls, generator: str, add_params: Optional[Dict[str, Any]] = ...) -> Any: + The yield interval specifies, how often the event loop will be triggered. When the yield interval is 10 for example, the event loop will be executed every tenth call of \inc or \set. + """ + def __copy__(self) -> RelativeProgress: r""" - @brief Executes the recipe given by the generator string. - The generator string is the one delivered with \generator. - Additional parameters can be passed in "add_params". They have lower priority than the parameters kept inside the generator string. + @brief Creates a copy of self """ - @classmethod - def new(cls, name: str, description: Optional[str] = ...) -> Recipe: + def __deepcopy__(self) -> RelativeProgress: r""" - @brief Creates a new recipe object with the given name and (optional) description + @brief Creates a copy of self """ - def __init__(self, name: str, description: Optional[str] = ...) -> None: + @overload + def __init__(self, desc: str, max_value: int) -> None: r""" - @brief Creates a new recipe object with the given name and (optional) description + @brief Creates a relative progress reporter with the given description and maximum value + + The reported progress will be 0 to 100% for values between 0 and the maximum value. + The values are always integers. Double values cannot be used property. + """ + @overload + def __init__(self, desc: str, max_value: int, yield_interval: int) -> None: + r""" + @brief Creates a relative progress reporter with the given description and maximum value + + The reported progress will be 0 to 100% for values between 0 and the maximum value. + The values are always integers. Double values cannot be used property. + + The yield interval specifies, how often the event loop will be triggered. When the yield interval is 10 for example, the event loop will be executed every tenth call of \inc or \set. """ def _create(self) -> None: r""" @@ -2248,57 +2206,61 @@ class Recipe: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def create(self) -> None: - r""" - @brief Ensures the C++ object is created - Use this method to ensure the C++ object is created, for example to ensure that resources are allocated. Usually C++ objects are created on demand and not necessarily when the script object is created. - """ - def description(self) -> str: - r""" - @brief Gets the description of the recipe. - """ - def destroy(self) -> None: - r""" - @brief Explicitly destroys the object - Explicitly destroys the object on C++ side if it was owned by the script interpreter. Subsequent access to this object will throw an exception. - If the object is not owned by the script, this method will do nothing. - """ - def destroyed(self) -> bool: + def assign(self, other: Progress) -> None: r""" - @brief Returns a value indicating whether the object was already destroyed - This method returns true, if the object was destroyed, either explicitly or by the C++ side. - The latter may happen, if the object is owned by a C++ object which got destroyed itself. + @brief Assigns another object to self """ - def generator(self, params: Dict[str, Any]) -> str: + def dup(self) -> RelativeProgress: r""" - @brief Delivers the generator string from the given parameters. - The generator string can be used with \make to re-run the recipe. + @brief Creates a copy of self """ - def is_const_object(self) -> bool: + def inc(self) -> RelativeProgress: r""" - @brief Returns a value indicating whether the reference is a const reference - This method returns true, if self is a const reference. - In that case, only const methods may be called on self. + @brief Increments the progress value """ - def name(self) -> str: + def set(self, value: int, force_yield: bool) -> None: r""" - @brief Gets the name of the recipe. + @brief Sets the progress value + + This method is equivalent to \value=, but it allows forcing the event loop to be triggered. + If "force_yield" is true, the event loop will be triggered always, irregardless of the yield interval specified in the constructor. """ -class PythonGetterSetterPair: +class Timer: r""" - @hide + @brief A timer (stop watch) + + The timer provides a way to measure CPU time. It provides two basic methods: start and stop. After it has been started and stopped again, the time can be retrieved using the user and sys attributes, i.e.: + + @code + t = RBA::Timer::new + t.start + # ... do something + t.stop + puts "it took #{t.sys} seconds (kernel), #{t.user} seconds (user) on the CPU" + @/code + + The time is reported in seconds. + + This class has been introduced in version 0.23. """ @classmethod - def new(cls) -> PythonGetterSetterPair: + def memory_size(cls) -> int: + r""" + @brief Gets the current memory usage of the process in Bytes + + This method has been introduced in version 0.27. + """ + @classmethod + def new(cls) -> Timer: r""" @brief Creates a new object of this class """ - def __copy__(self) -> PythonGetterSetterPair: + def __copy__(self) -> Timer: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> PythonGetterSetterPair: + def __deepcopy__(self) -> Timer: r""" @brief Creates a copy of self """ @@ -2306,6 +2268,10 @@ class PythonGetterSetterPair: r""" @brief Creates a new object of this class """ + def __str__(self) -> str: + r""" + @brief Produces a string with the currently elapsed times + """ def _create(self) -> None: r""" @brief Ensures the C++ object is created @@ -2343,7 +2309,7 @@ class PythonGetterSetterPair: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: PythonGetterSetterPair) -> None: + def assign(self, other: Timer) -> None: r""" @brief Assigns another object to self """ @@ -2364,45 +2330,91 @@ class PythonGetterSetterPair: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> PythonGetterSetterPair: + def dup(self) -> Timer: r""" @brief Creates a copy of self """ - def getter(self) -> PythonFunction: - r""" - @brief Gets the getter function - """ def is_const_object(self) -> bool: r""" @brief Returns a value indicating whether the reference is a const reference This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def setter(self) -> PythonFunction: + def start(self) -> None: r""" - @brief Gets the setter function + @brief Starts the timer + """ + def stop(self) -> None: + r""" + @brief Stops the timer + """ + def sys(self) -> float: + r""" + @brief Returns the elapsed CPU time in kernel mode from start to stop in seconds + """ + def to_s(self) -> str: + r""" + @brief Produces a string with the currently elapsed times + """ + def user(self) -> float: + r""" + @brief Returns the elapsed CPU time in user mode from start to stop in seconds + """ + def wall(self) -> float: + r""" + @brief Returns the elapsed real time from start to stop in seconds + This method has been introduced in version 0.26. """ -class PythonFunction: +class Value: r""" - @hide + @brief Encapsulates a value (preferably a plain data type) in an object + This class is provided to 'box' a value (encapsulate the value in an object). This class is required to interface to pointer or reference types in a method call. By using that class, the method can alter the value and thus implement 'out parameter' semantics. The value may be 'nil' which acts as a null pointer in pointer type arguments. + This class has been introduced in version 0.22. + """ + value: Any + r""" + Getter: + @brief Gets the actual value. + + Setter: + @brief Set the actual value. """ + @overload @classmethod - def new(cls) -> PythonFunction: + def new(cls) -> Value: r""" - @brief Creates a new object of this class + @brief Constructs a nil object. """ - def __copy__(self) -> PythonFunction: + @overload + @classmethod + def new(cls, value: Any) -> Value: + r""" + @brief Constructs a non-nil object with the given value. + This constructor has been introduced in version 0.22. + """ + def __copy__(self) -> Value: r""" @brief Creates a copy of self """ - def __deepcopy__(self) -> PythonFunction: + def __deepcopy__(self) -> Value: r""" @brief Creates a copy of self """ + @overload def __init__(self) -> None: r""" - @brief Creates a new object of this class + @brief Constructs a nil object. + """ + @overload + def __init__(self, value: Any) -> None: + r""" + @brief Constructs a non-nil object with the given value. + This constructor has been introduced in version 0.22. + """ + def __str__(self) -> str: + r""" + @brief Convert this object to a string """ def _create(self) -> None: r""" @@ -2441,7 +2453,7 @@ class PythonFunction: Usually it's not required to call this method. It has been introduced in version 0.24. """ - def assign(self, other: PythonFunction) -> None: + def assign(self, other: Value) -> None: r""" @brief Assigns another object to self """ @@ -2462,7 +2474,7 @@ class PythonFunction: This method returns true, if the object was destroyed, either explicitly or by the C++ side. The latter may happen, if the object is owned by a C++ object which got destroyed itself. """ - def dup(self) -> PythonFunction: + def dup(self) -> Value: r""" @brief Creates a copy of self """ @@ -2472,20 +2484,8 @@ class PythonFunction: This method returns true, if self is a const reference. In that case, only const methods may be called on self. """ - def is_protected(self) -> bool: - r""" - @brief Gets a value indicating whether this function is protected - """ - def is_static(self) -> bool: - r""" - @brief Gets the value indicating whether this Python function is 'static' (class function) - """ - def methods(self) -> List[Method]: - r""" - @brief Gets the list of methods bound to this Python function - """ - def name(self) -> str: + def to_s(self) -> str: r""" - @brief Gets the name of this Python function + @brief Convert this object to a string """ diff --git a/src/pymod/pymod.pri b/src/pymod/pymod.pri index b4ea54c5aa..defe860923 100644 --- a/src/pymod/pymod.pri +++ b/src/pymod/pymod.pri @@ -54,11 +54,26 @@ INSTALLS = lib_target msvc { QMAKE_POST_LINK += && $(COPY) $$shell_path($$PWD/distutils_src/klayout/$$PYI) $$shell_path($$DESTDIR_PYMOD) } else { - QMAKE_POST_LINK += && $(MKDIR) $$DESTDIR_PYMOD/$$REALMODULE && $(COPY) $$PWD/distutils_src/klayout/$$PYI $$DESTDIR_PYMOD + QMAKE_POST_LINK += && $(MKDIR) $$DESTDIR_PYMOD && $(COPY) $$PWD/distutils_src/klayout/$$PYI $$DESTDIR_PYMOD } POST_TARGETDEPS += $$PWD/distutils_src/klayout/$$PYI + # INSTALLS needs to be inside a lib or app templates. + modpyi_target.path = $$PREFIX/pymod/klayout + # This would be nice: + # init_target.files += $$DESTDIR_PYMOD/$$REALMODULE/* + # but some Qt versions need this explicitly: + msvc { + modpyi_target.extra = $(INSTALL_PROGRAM) $$shell_path($$DESTDIR_PYMOD/$$PYI) $$shell_path($(INSTALLROOT)$$PREFIX/pymod/klayout) + } else { + modpyi_target.extra = $(INSTALL_PROGRAM) $$DESTDIR_PYMOD/$$PYI $(INSTALLROOT)$$PREFIX/pymod/klayout + } + + # Not yet. As long as .pyi files are not generated automatically, + # this does not make much sense: + # INSTALLS += modpyi_target + } !equals(REALMODULE, "") { From f5fd47bd4bd365d63317b8d852e5264e540cd0e2 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 12 Mar 2023 00:53:42 +0100 Subject: [PATCH 021/128] Fixed standalone Python module builds --- setup.py | 34 +++++++++++++++++++++++++++++++++- src/tl/tl/tlEnv.cc | 1 + 2 files changed, 34 insertions(+), 1 deletion(-) diff --git a/setup.py b/setup.py index 46e44fd581..4f636018a2 100644 --- a/setup.py +++ b/setup.py @@ -942,6 +942,38 @@ def version(self): extra_compile_args=config.compile_args('laycore'), sources=list(lay_sources)) +# ------------------------------------------------------------------ +# pya extension library (all inclusive, basis of pya module) + +pyacore_path = os.path.join("src", "pymod", "pya") +pyacore_sources = set(glob.glob(os.path.join(pyacore_path, "*.cc"))) + +pya = Extension(config.root + '.pyacore', + define_macros=config.macros(), + include_dirs=[_laybasic_path, + _layview_path, + _lib_path, + _img_path, + _ant_path, + _edt_path, + _lym_path, + _tl_path, + _gsi_path, + _pya_path], + extra_objects=[config.path_of('_laybasic', _laybasic_path), + config.path_of('_layview', _layview_path), + config.path_of('_lib', _lib_path), + config.path_of('_img', _img_path), + config.path_of('_ant', _ant_path), + config.path_of('_edt', _edt_path), + config.path_of('_lym', _lym_path), + config.path_of('_tl', _tl_path), + config.path_of('_gsi', _gsi_path), + config.path_of('_pya', _pya_path)], + extra_link_args=config.link_args('pyacore'), + extra_compile_args=config.compile_args('pyacore'), + sources=list(pyacore_sources)) + # ------------------------------------------------------------------ # Core setup function @@ -978,6 +1010,6 @@ def version(self): include_package_data=True, ext_modules=[_tl, _gsi, _pya, _rba, _db, _lib, _rdb, _lym, _laybasic, _layview, _ant, _edt, _img] + db_plugins - + [tl, db, lib, rdb, lay], + + [tl, db, lib, rdb, lay, pya], cmdclass={'build_ext': klayout_build_ext} ) diff --git a/src/tl/tl/tlEnv.cc b/src/tl/tl/tlEnv.cc index 5d6a6a3441..e7df985b76 100644 --- a/src/tl/tl/tlEnv.cc +++ b/src/tl/tl/tlEnv.cc @@ -25,6 +25,7 @@ #include "tlString.h" #include +#include #ifdef _WIN32 # include From b6fe8d269968c8dbbc7e817537f46dc0de7453ad Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 12 Mar 2023 10:21:44 +0100 Subject: [PATCH 022/128] Fixed link errors for pyacore on Win --- setup.py | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/setup.py b/setup.py index 4f636018a2..748182bdd4 100644 --- a/setup.py +++ b/setup.py @@ -953,6 +953,8 @@ def version(self): include_dirs=[_laybasic_path, _layview_path, _lib_path, + _db_path, + _rdb_path, _img_path, _ant_path, _edt_path, @@ -963,6 +965,8 @@ def version(self): extra_objects=[config.path_of('_laybasic', _laybasic_path), config.path_of('_layview', _layview_path), config.path_of('_lib', _lib_path), + config.path_of('_db', _db_path), + config.path_of('_rdb', _rdb_path), config.path_of('_img', _img_path), config.path_of('_ant', _ant_path), config.path_of('_edt', _edt_path), From 9a1c7764758d95efc2917f90fcf2aa1ad02277ce Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Fri, 24 Mar 2023 19:15:57 +0100 Subject: [PATCH 023/128] Make sure the Python modules are found from the application's installation by prepending their path to sys.path --- src/gsi/gsi/gsiInterpreter.h | 2 +- src/pya/pya/pya.cc | 12 +++++++++--- src/pya/pya/pya.h | 2 +- src/pyastub/pya.cc | 2 +- src/pyastub/pya.h | 2 +- src/rba/rba/rba.cc | 14 +++++++++----- src/rba/rba/rba.h | 2 +- src/rbastub/rba.cc | 2 +- src/rbastub/rba.h | 2 +- 9 files changed, 25 insertions(+), 15 deletions(-) diff --git a/src/gsi/gsi/gsiInterpreter.h b/src/gsi/gsi/gsiInterpreter.h index a88f008141..9cd074dc21 100644 --- a/src/gsi/gsi/gsiInterpreter.h +++ b/src/gsi/gsi/gsiInterpreter.h @@ -187,7 +187,7 @@ class GSI_PUBLIC Interpreter /** * @brief Add the given path to the search path ($: in ruby) */ - virtual void add_path (const std::string &path) = 0; + virtual void add_path (const std::string &path, bool prepend = false) = 0; /** * @brief Requires the given module (ruby "require") diff --git a/src/pya/pya/pya.cc b/src/pya/pya/pya.cc index fb7f16fd33..41a421b621 100644 --- a/src/pya/pya/pya.cc +++ b/src/pya/pya/pya.cc @@ -321,7 +321,9 @@ PythonInterpreter::PythonInterpreter (bool embedded) // We can put build-in modules there. std::string module_path = tl::get_module_path ((void *) &reset_interpreter); if (! module_path.empty ()) { - add_path (tl::combine_path (tl::absolute_path (module_path), "pymod")); + add_path (tl::combine_path (tl::absolute_path (module_path), "pymod"), true /*prepend*/); + } else { + tl::warn << tl::to_string (tr ("Unable to find built-in Python module library path")); } PyObject *pya_module = PyImport_ImportModule (pya_module_name); @@ -368,11 +370,15 @@ PythonInterpreter::make_string (const std::string &s) } void -PythonInterpreter::add_path (const std::string &p) +PythonInterpreter::add_path (const std::string &p, bool prepend) { PyObject *path = PySys_GetObject ((char *) "path"); if (path != NULL && PyList_Check (path)) { - PyList_Append (path, c2python (p)); + if (prepend) { + PyList_Insert (path, 0, c2python (p)); + } else { + PyList_Append (path, c2python (p)); + } } } diff --git a/src/pya/pya/pya.h b/src/pya/pya/pya.h index cd5ebbf837..65fa77cb95 100644 --- a/src/pya/pya/pya.h +++ b/src/pya/pya/pya.h @@ -108,7 +108,7 @@ class PYA_PUBLIC PythonInterpreter /** * @brief Add the given path to the search path */ - void add_path (const std::string &path); + void add_path (const std::string &path, bool prepend = false); /** * @brief Adds a package location to this interpreter diff --git a/src/pyastub/pya.cc b/src/pyastub/pya.cc index 1ab239f6e4..e752bd85ba 100644 --- a/src/pyastub/pya.cc +++ b/src/pyastub/pya.cc @@ -53,7 +53,7 @@ PythonInterpreter *PythonInterpreter::instance () } void -PythonInterpreter::add_path (const std::string &) +PythonInterpreter::add_path (const std::string &, bool prepend) { // .. nothing .. } diff --git a/src/pyastub/pya.h b/src/pyastub/pya.h index 64f8400b19..c1bf931d88 100644 --- a/src/pyastub/pya.h +++ b/src/pyastub/pya.h @@ -48,7 +48,7 @@ class PYA_PUBLIC PythonInterpreter /** * @brief Add the given path to the search path */ - void add_path (const std::string &path); + void add_path (const std::string &path, bool prepend); /** * @brief Adds a package location to this interpreter diff --git a/src/rba/rba/rba.cc b/src/rba/rba/rba.cc index d11eca0940..aba50449c0 100644 --- a/src/rba/rba/rba.cc +++ b/src/rba/rba/rba.cc @@ -1552,11 +1552,15 @@ struct RubyConstDescriptor extern "C" void ruby_prog_init(); static void -rba_add_path (const std::string &path) +rba_add_path (const std::string &path, bool prepend) { VALUE pv = rb_gv_get ("$:"); if (pv != Qnil && TYPE (pv) == T_ARRAY) { - rb_ary_push (pv, rb_str_new (path.c_str (), long (path.size ()))); + if (prepend) { + rb_ary_unshift (pv, rb_str_new (path.c_str (), long (path.size ()))); + } else { + rb_ary_push (pv, rb_str_new (path.c_str (), long (path.size ()))); + } } } @@ -2036,7 +2040,7 @@ RubyInterpreter::initialize (int &main_argc, char **main_argv, int (*main_func) if (v.is_list ()) { for (tl::Variant::iterator i = v.begin (); i != v.end (); ++i) { - rba_add_path (i->to_string ()); + rba_add_path (i->to_string (), false); } } @@ -2133,9 +2137,9 @@ RubyInterpreter::remove_package_location (const std::string & /*package_path*/) } void -RubyInterpreter::add_path (const std::string &path) +RubyInterpreter::add_path (const std::string &path, bool prepend) { - rba_add_path (path); + rba_add_path (path, prepend); } void diff --git a/src/rba/rba/rba.h b/src/rba/rba/rba.h index f2a1bda436..21535e9863 100644 --- a/src/rba/rba/rba.h +++ b/src/rba/rba/rba.h @@ -56,7 +56,7 @@ class RBA_PUBLIC RubyInterpreter /** * @brief Add the given path to the search path ($: in ruby) */ - void add_path (const std::string &path); + void add_path (const std::string &path, bool prepend = false); /** * @brief Adds a package location to this interpreter diff --git a/src/rbastub/rba.cc b/src/rbastub/rba.cc index 3ad1e9ddd0..e42c34a345 100644 --- a/src/rbastub/rba.cc +++ b/src/rbastub/rba.cc @@ -63,7 +63,7 @@ RubyInterpreter::remove_package_location (const std::string &) } void -RubyInterpreter::add_path (const std::string &) +RubyInterpreter::add_path (const std::string &, bool) { // .. nothing .. } diff --git a/src/rbastub/rba.h b/src/rbastub/rba.h index 393dbae0c9..b178e1cf0d 100644 --- a/src/rbastub/rba.h +++ b/src/rbastub/rba.h @@ -45,7 +45,7 @@ class RBA_PUBLIC RubyInterpreter /** * @brief Add the given path to the search path ($: in ruby) */ - void add_path (const std::string &path); + void add_path (const std::string &path, bool prepend); /** * @brief Adds a package location to this interpreter From 31aa45dce4da53f17bb07a734fcc208a8ed63046 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 25 Mar 2023 22:54:54 +0100 Subject: [PATCH 024/128] Qt5 binding enhancements - Based on Qt 5.12.12 now (tested to build on 5.15) - QImage constructor with binary data - More classes, specifically QLibraryInfo for Qt version - QLayout and derivatives take ownership over widgets added --- scripts/mkqtdecl.sh | 2 +- scripts/mkqtdecl5/QtCore/allofqt.cpp | 39 +- scripts/mkqtdecl5/QtDesigner/allofqt.cpp | 7 +- scripts/mkqtdecl5/QtGui/allofqt.cpp | 65 + scripts/mkqtdecl5/QtMultimedia/allofqt.cpp | 2 + scripts/mkqtdecl5/QtNetwork/allofqt.cpp | 7 + scripts/mkqtdecl5/mkqtdecl.conf | 83 +- scripts/mkqtdecl6/mkqtdecl.conf | 40 +- scripts/mkqtdecl_common/c++.treetop | 56 +- scripts/mkqtdecl_common/common.conf | 73 ++ scripts/mkqtdecl_common/cpp_classes.rb | 7 +- scripts/mkqtdecl_common/cpp_parser_classes.rb | 16 +- src/gsi/gsi/gsi.cc | 3 + src/gsi/gsi/gsiMethods.cc | 102 ++ src/gsi/gsi/gsiMethods.h | 90 +- src/gsiqt/qt5/QtCore/QtCore.pri | 6 + .../qt5/QtCore/gsiDeclQAbstractAnimation.cc | 82 +- .../QtCore/gsiDeclQAbstractEventDispatcher.cc | 104 +- .../qt5/QtCore/gsiDeclQAbstractItemModel.cc | 147 ++- .../qt5/QtCore/gsiDeclQAbstractListModel.cc | 104 +- .../qt5/QtCore/gsiDeclQAbstractProxyModel.cc | 104 +- src/gsiqt/qt5/QtCore/gsiDeclQAbstractState.cc | 78 +- .../qt5/QtCore/gsiDeclQAbstractTableModel.cc | 104 +- .../qt5/QtCore/gsiDeclQAbstractTransition.cc | 82 +- .../qt5/QtCore/gsiDeclQAnimationDriver.cc | 100 +- .../qt5/QtCore/gsiDeclQAnimationGroup.cc | 82 +- src/gsiqt/qt5/QtCore/gsiDeclQBasicMutex.cc | 32 + src/gsiqt/qt5/QtCore/gsiDeclQBuffer.cc | 10 +- .../qt5/QtCore/gsiDeclQCommandLineOption.cc | 94 ++ .../qt5/QtCore/gsiDeclQCommandLineParser.cc | 49 +- .../qt5/QtCore/gsiDeclQCoreApplication.cc | 86 +- .../qt5/QtCore/gsiDeclQCryptographicHash.cc | 28 + src/gsiqt/qt5/QtCore/gsiDeclQDataStream.cc | 67 + src/gsiqt/qt5/QtCore/gsiDeclQDate.cc | 37 +- src/gsiqt/qt5/QtCore/gsiDeclQDateTime.cc | 102 ++ src/gsiqt/qt5/QtCore/gsiDeclQDeadlineTimer.cc | 479 +++++++ src/gsiqt/qt5/QtCore/gsiDeclQDebug.cc | 37 + src/gsiqt/qt5/QtCore/gsiDeclQDir.cc | 36 + src/gsiqt/qt5/QtCore/gsiDeclQEvent.cc | 2 + src/gsiqt/qt5/QtCore/gsiDeclQEventLoop.cc | 82 +- .../qt5/QtCore/gsiDeclQEventTransition.cc | 86 +- src/gsiqt/qt5/QtCore/gsiDeclQFile.cc | 3 + src/gsiqt/qt5/QtCore/gsiDeclQFileDevice.cc | 217 +++- src/gsiqt/qt5/QtCore/gsiDeclQFileInfo.cc | 52 + src/gsiqt/qt5/QtCore/gsiDeclQFileSelector.cc | 100 +- .../qt5/QtCore/gsiDeclQFileSystemWatcher.cc | 104 +- src/gsiqt/qt5/QtCore/gsiDeclQFinalState.cc | 82 +- src/gsiqt/qt5/QtCore/gsiDeclQHistoryState.cc | 146 ++- src/gsiqt/qt5/QtCore/gsiDeclQIODevice.cc | 199 ++- .../qt5/QtCore/gsiDeclQIdentityProxyModel.cc | 120 +- .../qt5/QtCore/gsiDeclQItemSelectionModel.cc | 100 +- .../qt5/QtCore/gsiDeclQItemSelectionRange.cc | 49 +- src/gsiqt/qt5/QtCore/gsiDeclQJsonArray.cc | 21 + src/gsiqt/qt5/QtCore/gsiDeclQJsonDocument.cc | 86 +- src/gsiqt/qt5/QtCore/gsiDeclQJsonObject.cc | 161 +++ src/gsiqt/qt5/QtCore/gsiDeclQJsonValue.cc | 101 +- src/gsiqt/qt5/QtCore/gsiDeclQLibrary.cc | 112 +- src/gsiqt/qt5/QtCore/gsiDeclQLibraryInfo.cc | 17 + src/gsiqt/qt5/QtCore/gsiDeclQLine.cc | 16 + src/gsiqt/qt5/QtCore/gsiDeclQLineF.cc | 16 + src/gsiqt/qt5/QtCore/gsiDeclQLocale.cc | 308 +++-- src/gsiqt/qt5/QtCore/gsiDeclQMetaEnum.cc | 40 +- src/gsiqt/qt5/QtCore/gsiDeclQMetaObject.cc | 24 +- src/gsiqt/qt5/QtCore/gsiDeclQMetaProperty.cc | 20 +- src/gsiqt/qt5/QtCore/gsiDeclQMetaType.cc | 23 +- src/gsiqt/qt5/QtCore/gsiDeclQMimeData.cc | 96 +- src/gsiqt/qt5/QtCore/gsiDeclQModelIndex.cc | 40 + src/gsiqt/qt5/QtCore/gsiDeclQMutex.cc | 22 +- src/gsiqt/qt5/QtCore/gsiDeclQObject.cc | 182 +-- .../QtCore/gsiDeclQOperatingSystemVersion.cc | 237 ++++ .../QtCore/gsiDeclQParallelAnimationGroup.cc | 82 +- .../qt5/QtCore/gsiDeclQPauseAnimation.cc | 86 +- src/gsiqt/qt5/QtCore/gsiDeclQPluginLoader.cc | 104 +- src/gsiqt/qt5/QtCore/gsiDeclQProcess.cc | 31 +- .../qt5/QtCore/gsiDeclQPropertyAnimation.cc | 86 +- .../qt5/QtCore/gsiDeclQRandomGenerator.cc | 431 +++++++ .../qt5/QtCore/gsiDeclQRandomGenerator64.cc | 255 ++++ src/gsiqt/qt5/QtCore/gsiDeclQRect.cc | 16 + src/gsiqt/qt5/QtCore/gsiDeclQRectF.cc | 16 + .../qt5/QtCore/gsiDeclQRegularExpression.cc | 40 + src/gsiqt/qt5/QtCore/gsiDeclQResource.cc | 17 + src/gsiqt/qt5/QtCore/gsiDeclQSaveFile.cc | 156 ++- .../qt5/QtCore/gsiDeclQSemaphoreReleaser.cc | 171 +++ .../gsiDeclQSequentialAnimationGroup.cc | 82 +- src/gsiqt/qt5/QtCore/gsiDeclQSettings.cc | 135 +- src/gsiqt/qt5/QtCore/gsiDeclQSharedMemory.cc | 106 +- src/gsiqt/qt5/QtCore/gsiDeclQSignalMapper.cc | 100 +- .../qt5/QtCore/gsiDeclQSignalTransition.cc | 86 +- .../qt5/QtCore/gsiDeclQSocketNotifier.cc | 82 +- .../QtCore/gsiDeclQSortFilterProxyModel.cc | 210 +++- src/gsiqt/qt5/QtCore/gsiDeclQState.cc | 86 +- src/gsiqt/qt5/QtCore/gsiDeclQStateMachine.cc | 66 +- src/gsiqt/qt5/QtCore/gsiDeclQStorageInfo.cc | 32 + .../qt5/QtCore/gsiDeclQStringListModel.cc | 134 +- src/gsiqt/qt5/QtCore/gsiDeclQSysInfo.cc | 66 +- src/gsiqt/qt5/QtCore/gsiDeclQTemporaryDir.cc | 36 + src/gsiqt/qt5/QtCore/gsiDeclQTemporaryFile.cc | 23 + src/gsiqt/qt5/QtCore/gsiDeclQTextCodec.cc | 4 +- src/gsiqt/qt5/QtCore/gsiDeclQTextDecoder.cc | 16 + src/gsiqt/qt5/QtCore/gsiDeclQThread.cc | 82 +- src/gsiqt/qt5/QtCore/gsiDeclQThreadPool.cc | 157 ++- src/gsiqt/qt5/QtCore/gsiDeclQTimeLine.cc | 82 +- src/gsiqt/qt5/QtCore/gsiDeclQTimer.cc | 82 +- src/gsiqt/qt5/QtCore/gsiDeclQTranslator.cc | 104 +- .../qt5/QtCore/gsiDeclQVariantAnimation.cc | 82 +- src/gsiqt/qt5/QtCore/gsiDeclQVersionNumber.cc | 472 +++++++ src/gsiqt/qt5/QtCore/gsiDeclQWaitCondition.cc | 81 ++ .../qt5/QtCore/gsiDeclQXmlStreamStringRef.cc | 61 + src/gsiqt/qt5/QtCore/gsiDeclQt.cc | 60 +- src/gsiqt/qt5/QtCore/gsiDeclQt_1.cc | 129 +- src/gsiqt/qt5/QtCore/gsiDeclQt_2.cc | 145 ++- src/gsiqt/qt5/QtCore/gsiDeclQt_3.cc | 196 +-- src/gsiqt/qt5/QtCore/gsiDeclQt_4.cc | 155 +++ src/gsiqt/qt5/QtCore/gsiQtExternals.h | 24 + src/gsiqt/qt5/QtDesigner/QtDesigner.pri | 2 - .../QtDesigner/gsiDeclQAbstractFormBuilder.cc | 4 +- src/gsiqt/qt5/QtDesigner/gsiQtExternals.h | 8 - src/gsiqt/qt5/QtGui/QtGui.pri | 3 + .../gsiDeclQAbstractTextDocumentLayout.cc | 140 ++- src/gsiqt/qt5/QtGui/gsiDeclQAccessible.cc | 1 + .../gsiDeclQAccessibleActionInterface.cc | 8 +- src/gsiqt/qt5/QtGui/gsiDeclQActionEvent.cc | 4 +- src/gsiqt/qt5/QtGui/gsiDeclQBackingStore.cc | 4 +- src/gsiqt/qt5/QtGui/gsiDeclQBitmap.cc | 49 +- src/gsiqt/qt5/QtGui/gsiDeclQColor.cc | 220 +++- src/gsiqt/qt5/QtGui/gsiDeclQCursor.cc | 33 + .../qt5/QtGui/gsiDeclQDoubleValidator.cc | 104 +- src/gsiqt/qt5/QtGui/gsiDeclQDrag.cc | 113 +- src/gsiqt/qt5/QtGui/gsiDeclQFont.cc | 1 + src/gsiqt/qt5/QtGui/gsiDeclQFontMetrics.cc | 71 +- src/gsiqt/qt5/QtGui/gsiDeclQFontMetricsF.cc | 67 +- src/gsiqt/qt5/QtGui/gsiDeclQGenericPlugin.cc | 106 +- .../qt5/QtGui/gsiDeclQGenericPluginFactory.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQGradient.cc | 209 +++- src/gsiqt/qt5/QtGui/gsiDeclQGuiApplication.cc | 246 +++- src/gsiqt/qt5/QtGui/gsiDeclQIcon.cc | 135 +- src/gsiqt/qt5/QtGui/gsiDeclQIconEngine.cc | 70 ++ .../qt5/QtGui/gsiDeclQIconEnginePlugin.cc | 106 +- ...gsiDeclQIconEngine_ScaledPixmapArgument.cc | 72 ++ src/gsiqt/qt5/QtGui/gsiDeclQImage.cc | 227 +++- src/gsiqt/qt5/QtGui/gsiDeclQImageIOPlugin.cc | 106 +- src/gsiqt/qt5/QtGui/gsiDeclQImageReader.cc | 65 +- src/gsiqt/qt5/QtGui/gsiDeclQImageWriter.cc | 31 +- src/gsiqt/qt5/QtGui/gsiDeclQInputMethod.cc | 34 + .../qt5/QtGui/gsiDeclQInputMethodEvent.cc | 167 ++- .../gsiDeclQInputMethodEvent_Attribute.cc | 32 +- src/gsiqt/qt5/QtGui/gsiDeclQIntValidator.cc | 104 +- src/gsiqt/qt5/QtGui/gsiDeclQKeySequence.cc | 3 +- src/gsiqt/qt5/QtGui/gsiDeclQMatrix.cc | 10 +- src/gsiqt/qt5/QtGui/gsiDeclQMatrix4x4.cc | 4 +- src/gsiqt/qt5/QtGui/gsiDeclQMouseEvent.cc | 67 + src/gsiqt/qt5/QtGui/gsiDeclQMovie.cc | 140 ++- .../qt5/QtGui/gsiDeclQNativeGestureEvent.cc | 158 ++- .../qt5/QtGui/gsiDeclQOffscreenSurface.cc | 169 ++- .../qt5/QtGui/gsiDeclQPagedPaintDevice.cc | 21 + src/gsiqt/qt5/QtGui/gsiDeclQPaintDevice.cc | 35 +- .../qt5/QtGui/gsiDeclQPaintDeviceWindow.cc | 78 +- src/gsiqt/qt5/QtGui/gsiDeclQPaintEngine.cc | 4 +- src/gsiqt/qt5/QtGui/gsiDeclQPainter.cc | 101 +- .../QtGui/gsiDeclQPainter_PixmapFragment.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPalette.cc | 17 + src/gsiqt/qt5/QtGui/gsiDeclQPdfWriter.cc | 133 +- src/gsiqt/qt5/QtGui/gsiDeclQPicture.cc | 16 +- .../qt5/QtGui/gsiDeclQPictureFormatPlugin.cc | 100 +- src/gsiqt/qt5/QtGui/gsiDeclQPixmap.cc | 32 +- .../QtGui/gsiDeclQPointingDeviceUniqueId.cc | 135 ++ src/gsiqt/qt5/QtGui/gsiDeclQPolygon.cc | 80 +- src/gsiqt/qt5/QtGui/gsiDeclQPolygonF.cc | 80 +- src/gsiqt/qt5/QtGui/gsiDeclQQuaternion.cc | 12 +- src/gsiqt/qt5/QtGui/gsiDeclQRasterWindow.cc | 82 +- src/gsiqt/qt5/QtGui/gsiDeclQRawFont.cc | 16 + .../qt5/QtGui/gsiDeclQRegExpValidator.cc | 104 +- src/gsiqt/qt5/QtGui/gsiDeclQRegion.cc | 64 + .../gsiDeclQRegularExpressionValidator.cc | 104 +- src/gsiqt/qt5/QtGui/gsiDeclQRgba64.cc | 497 ++++++++ src/gsiqt/qt5/QtGui/gsiDeclQScreen.cc | 144 ++- src/gsiqt/qt5/QtGui/gsiDeclQStandardItem.cc | 91 ++ .../qt5/QtGui/gsiDeclQStandardItemModel.cc | 128 +- src/gsiqt/qt5/QtGui/gsiDeclQStyleHints.cc | 411 ++++++- src/gsiqt/qt5/QtGui/gsiDeclQSurface.cc | 5 +- src/gsiqt/qt5/QtGui/gsiDeclQSurfaceFormat.cc | 57 + .../qt5/QtGui/gsiDeclQSyntaxHighlighter.cc | 96 +- .../qt5/QtGui/gsiDeclQTextBlockFormat.cc | 37 + src/gsiqt/qt5/QtGui/gsiDeclQTextBlockGroup.cc | 96 +- src/gsiqt/qt5/QtGui/gsiDeclQTextDocument.cc | 148 ++- src/gsiqt/qt5/QtGui/gsiDeclQTextFrame.cc | 96 +- .../qt5/QtGui/gsiDeclQTextImageFormat.cc | 37 + src/gsiqt/qt5/QtGui/gsiDeclQTextLayout.cc | 58 +- src/gsiqt/qt5/QtGui/gsiDeclQTextLine.cc | 4 +- src/gsiqt/qt5/QtGui/gsiDeclQTextList.cc | 96 +- src/gsiqt/qt5/QtGui/gsiDeclQTextObject.cc | 96 +- src/gsiqt/qt5/QtGui/gsiDeclQTextOption.cc | 38 + src/gsiqt/qt5/QtGui/gsiDeclQTextTable.cc | 96 +- src/gsiqt/qt5/QtGui/gsiDeclQTouchEvent.cc | 8 +- .../QtGui/gsiDeclQTouchEvent_TouchPoint.cc | 116 +- src/gsiqt/qt5/QtGui/gsiDeclQTransform.cc | 24 +- src/gsiqt/qt5/QtGui/gsiDeclQValidator.cc | 100 +- src/gsiqt/qt5/QtGui/gsiDeclQWheelEvent.cc | 126 ++ src/gsiqt/qt5/QtGui/gsiDeclQWindow.cc | 169 ++- src/gsiqt/qt5/QtGui/gsiQtExternals.h | 8 + src/gsiqt/qt5/QtMultimedia/QtMultimedia.pri | 2 + .../gsiDeclQAbstractAudioDeviceInfo.cc | 92 +- .../gsiDeclQAbstractAudioInput.cc | 104 +- .../gsiDeclQAbstractAudioOutput.cc | 104 +- .../gsiDeclQAbstractVideoFilter.cc | 96 +- .../gsiDeclQAbstractVideoSurface.cc | 124 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQAudio.cc | 54 +- .../qt5/QtMultimedia/gsiDeclQAudioDecoder.cc | 120 +- .../gsiDeclQAudioDecoderControl.cc | 92 +- .../gsiDeclQAudioEncoderSettingsControl.cc | 118 +- .../qt5/QtMultimedia/gsiDeclQAudioInput.cc | 106 +- .../gsiDeclQAudioInputSelectorControl.cc | 92 +- .../qt5/QtMultimedia/gsiDeclQAudioOutput.cc | 106 +- .../gsiDeclQAudioOutputSelectorControl.cc | 92 +- .../qt5/QtMultimedia/gsiDeclQAudioProbe.cc | 102 +- .../qt5/QtMultimedia/gsiDeclQAudioRecorder.cc | 96 +- .../QtMultimedia/gsiDeclQAudioRoleControl.cc | 707 +++++++++++ .../QtMultimedia/gsiDeclQAudioSystemPlugin.cc | 96 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQCamera.cc | 162 +-- ...siDeclQCameraCaptureBufferFormatControl.cc | 98 +- ...gsiDeclQCameraCaptureDestinationControl.cc | 98 +- .../qt5/QtMultimedia/gsiDeclQCameraControl.cc | 98 +- .../QtMultimedia/gsiDeclQCameraExposure.cc | 18 +- .../gsiDeclQCameraExposureControl.cc | 92 +- .../gsiDeclQCameraFeedbackControl.cc | 92 +- .../gsiDeclQCameraFlashControl.cc | 92 +- .../gsiDeclQCameraFocusControl.cc | 92 +- .../gsiDeclQCameraImageCapture.cc | 124 +- .../gsiDeclQCameraImageCaptureControl.cc | 122 +- .../gsiDeclQCameraImageProcessing.cc | 37 + .../gsiDeclQCameraImageProcessingControl.cc | 92 +- .../QtMultimedia/gsiDeclQCameraInfoControl.cc | 92 +- .../gsiDeclQCameraLocksControl.cc | 92 +- ...gsiDeclQCameraViewfinderSettingsControl.cc | 92 +- ...siDeclQCameraViewfinderSettingsControl2.cc | 92 +- .../QtMultimedia/gsiDeclQCameraZoomControl.cc | 92 +- .../gsiDeclQCustomAudioRoleControl.cc | 707 +++++++++++ .../QtMultimedia/gsiDeclQGraphicsVideoItem.cc | 64 +- .../gsiDeclQImageEncoderControl.cc | 118 +- .../gsiDeclQMediaAudioProbeControl.cc | 92 +- .../gsiDeclQMediaAvailabilityControl.cc | 92 +- .../gsiDeclQMediaContainerControl.cc | 92 +- .../qt5/QtMultimedia/gsiDeclQMediaControl.cc | 92 +- .../gsiDeclQMediaGaplessPlaybackControl.cc | 92 +- .../gsiDeclQMediaNetworkAccessControl.cc | 92 +- .../qt5/QtMultimedia/gsiDeclQMediaObject.cc | 116 +- .../qt5/QtMultimedia/gsiDeclQMediaPlayer.cc | 284 ++++- .../gsiDeclQMediaPlayerControl.cc | 132 +- .../qt5/QtMultimedia/gsiDeclQMediaPlaylist.cc | 135 +- .../qt5/QtMultimedia/gsiDeclQMediaRecorder.cc | 108 +- .../gsiDeclQMediaRecorderControl.cc | 92 +- .../qt5/QtMultimedia/gsiDeclQMediaService.cc | 92 +- ...clQMediaServiceProviderFactoryInterface.cc | 26 +- .../gsiDeclQMediaServiceProviderPlugin.cc | 120 +- .../gsiDeclQMediaStreamsControl.cc | 92 +- .../QtMultimedia/gsiDeclQMediaTimeInterval.cc | 20 + .../gsiDeclQMediaVideoProbeControl.cc | 92 +- .../gsiDeclQMetaDataReaderControl.cc | 92 +- .../gsiDeclQMetaDataWriterControl.cc | 92 +- .../qt5/QtMultimedia/gsiDeclQRadioData.cc | 96 +- .../QtMultimedia/gsiDeclQRadioDataControl.cc | 92 +- .../qt5/QtMultimedia/gsiDeclQRadioTuner.cc | 120 +- .../QtMultimedia/gsiDeclQRadioTunerControl.cc | 92 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQSound.cc | 96 +- .../qt5/QtMultimedia/gsiDeclQSoundEffect.cc | 96 +- .../gsiDeclQVideoDeviceSelectorControl.cc | 98 +- .../gsiDeclQVideoEncoderSettingsControl.cc | 122 +- .../qt5/QtMultimedia/gsiDeclQVideoFrame.cc | 1 + .../qt5/QtMultimedia/gsiDeclQVideoProbe.cc | 102 +- .../gsiDeclQVideoRendererControl.cc | 92 +- .../gsiDeclQVideoSurfaceFormat.cc | 37 + .../qt5/QtMultimedia/gsiDeclQVideoWidget.cc | 424 +++---- .../gsiDeclQVideoWindowControl.cc | 92 +- src/gsiqt/qt5/QtMultimedia/gsiQtExternals.h | 8 + src/gsiqt/qt5/QtNetwork/QtNetwork.pri | 8 + .../QtNetwork/gsiDeclQAbstractNetworkCache.cc | 96 +- .../qt5/QtNetwork/gsiDeclQAbstractSocket.cc | 6 +- src/gsiqt/qt5/QtNetwork/gsiDeclQDnsLookup.cc | 108 +- src/gsiqt/qt5/QtNetwork/gsiDeclQDtls.cc | 1096 +++++++++++++++++ .../QtNetwork/gsiDeclQDtlsClientVerifier.cc | 641 ++++++++++ ...QDtlsClientVerifier_GeneratorParameters.cc | 95 ++ src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsError.cc | 59 + .../qt5/QtNetwork/gsiDeclQHostAddress.cc | 205 +++ src/gsiqt/qt5/QtNetwork/gsiDeclQHostInfo.cc | 21 + src/gsiqt/qt5/QtNetwork/gsiDeclQHstsPolicy.cc | 327 +++++ .../qt5/QtNetwork/gsiDeclQHttpMultiPart.cc | 104 +- .../qt5/QtNetwork/gsiDeclQLocalServer.cc | 120 +- .../qt5/QtNetwork/gsiDeclQLocalSocket.cc | 6 +- .../QtNetwork/gsiDeclQNetworkAccessManager.cc | 325 ++++- .../QtNetwork/gsiDeclQNetworkAddressEntry.cc | 180 +++ .../QtNetwork/gsiDeclQNetworkConfiguration.cc | 36 + .../gsiDeclQNetworkConfigurationManager.cc | 104 +- .../qt5/QtNetwork/gsiDeclQNetworkCookieJar.cc | 100 +- .../qt5/QtNetwork/gsiDeclQNetworkDatagram.cc | 451 +++++++ .../qt5/QtNetwork/gsiDeclQNetworkDiskCache.cc | 100 +- .../qt5/QtNetwork/gsiDeclQNetworkInterface.cc | 105 ++ .../qt5/QtNetwork/gsiDeclQNetworkProxy.cc | 4 +- .../QtNetwork/gsiDeclQNetworkProxyFactory.cc | 16 + .../QtNetwork/gsiDeclQNetworkProxyQuery.cc | 44 +- .../qt5/QtNetwork/gsiDeclQNetworkReply.cc | 6 + .../qt5/QtNetwork/gsiDeclQNetworkRequest.cc | 72 +- .../qt5/QtNetwork/gsiDeclQNetworkSession.cc | 100 +- .../qt5/QtNetwork/gsiDeclQPasswordDigestor.cc | 46 + src/gsiqt/qt5/QtNetwork/gsiDeclQSsl.cc | 9 +- .../qt5/QtNetwork/gsiDeclQSslCertificate.cc | 36 +- .../qt5/QtNetwork/gsiDeclQSslConfiguration.cc | 226 ++++ .../gsiDeclQSslDiffieHellmanParameters.cc | 292 +++++ .../gsiDeclQSslPreSharedKeyAuthenticator.cc | 6 +- src/gsiqt/qt5/QtNetwork/gsiDeclQSslSocket.cc | 6 +- src/gsiqt/qt5/QtNetwork/gsiDeclQTcpServer.cc | 104 +- src/gsiqt/qt5/QtNetwork/gsiDeclQTcpSocket.cc | 6 +- src/gsiqt/qt5/QtNetwork/gsiDeclQUdpSocket.cc | 47 +- src/gsiqt/qt5/QtNetwork/gsiQtExternals.h | 20 + .../gsiDeclQAbstractPrintDialog.cc | 422 +++---- .../QtPrintSupport/gsiDeclQPageSetupDialog.cc | 8 +- .../qt5/QtPrintSupport/gsiDeclQPrintDialog.cc | 426 +++---- .../gsiDeclQPrintPreviewDialog.cc | 434 +++---- .../gsiDeclQPrintPreviewWidget.cc | 544 ++++---- .../qt5/QtPrintSupport/gsiDeclQPrinter.cc | 37 + src/gsiqt/qt5/QtSql/gsiDeclQSqlDriver.cc | 100 +- src/gsiqt/qt5/QtSql/gsiDeclQSqlError.cc | 21 + src/gsiqt/qt5/QtSql/gsiDeclQSqlField.cc | 63 + src/gsiqt/qt5/QtSql/gsiDeclQSqlQueryModel.cc | 120 +- src/gsiqt/qt5/QtSql/gsiDeclQSqlRelation.cc | 21 + .../QtSql/gsiDeclQSqlRelationalTableModel.cc | 104 +- src/gsiqt/qt5/QtSql/gsiDeclQSqlTableModel.cc | 104 +- .../qt5/QtSvg/gsiDeclQGraphicsSvgItem.cc | 86 +- src/gsiqt/qt5/QtSvg/gsiDeclQSvgRenderer.cc | 108 +- src/gsiqt/qt5/QtSvg/gsiDeclQSvgWidget.cc | 518 ++++---- src/gsiqt/qt5/QtUiTools/gsiDeclQUiLoader.cc | 116 +- src/gsiqt/qt5/QtWidgets/QtWidgets.pri | 1 + .../qt5/QtWidgets/gsiDeclQAbstractButton.cc | 356 +++--- .../gsiDeclQAbstractGraphicsShapeItem.cc | 4 +- .../QtWidgets/gsiDeclQAbstractItemDelegate.cc | 100 +- .../qt5/QtWidgets/gsiDeclQAbstractItemView.cc | 284 +++-- .../QtWidgets/gsiDeclQAbstractScrollArea.cc | 264 ++-- .../qt5/QtWidgets/gsiDeclQAbstractSlider.cc | 464 +++---- .../qt5/QtWidgets/gsiDeclQAbstractSpinBox.cc | 268 ++-- src/gsiqt/qt5/QtWidgets/gsiDeclQAction.cc | 149 ++- .../qt5/QtWidgets/gsiDeclQActionGroup.cc | 96 +- .../qt5/QtWidgets/gsiDeclQApplication.cc | 160 ++- src/gsiqt/qt5/QtWidgets/gsiDeclQBoxLayout.cc | 96 +- .../qt5/QtWidgets/gsiDeclQButtonGroup.cc | 100 +- .../qt5/QtWidgets/gsiDeclQCalendarWidget.cc | 444 +++---- src/gsiqt/qt5/QtWidgets/gsiDeclQCheckBox.cc | 360 +++--- .../qt5/QtWidgets/gsiDeclQColorDialog.cc | 446 +++---- src/gsiqt/qt5/QtWidgets/gsiDeclQColumnView.cc | 230 ++-- src/gsiqt/qt5/QtWidgets/gsiDeclQComboBox.cc | 325 ++--- .../QtWidgets/gsiDeclQCommandLinkButton.cc | 364 +++--- .../qt5/QtWidgets/gsiDeclQCommonStyle.cc | 168 +-- src/gsiqt/qt5/QtWidgets/gsiDeclQCompleter.cc | 70 +- .../qt5/QtWidgets/gsiDeclQDataWidgetMapper.cc | 100 +- src/gsiqt/qt5/QtWidgets/gsiDeclQDateEdit.cc | 252 ++-- .../qt5/QtWidgets/gsiDeclQDateTimeEdit.cc | 260 ++-- .../qt5/QtWidgets/gsiDeclQDesktopWidget.cc | 592 ++++----- src/gsiqt/qt5/QtWidgets/gsiDeclQDial.cc | 374 +++--- src/gsiqt/qt5/QtWidgets/gsiDeclQDialog.cc | 430 +++---- .../qt5/QtWidgets/gsiDeclQDialogButtonBox.cc | 530 ++++---- src/gsiqt/qt5/QtWidgets/gsiDeclQDirModel.cc | 108 +- src/gsiqt/qt5/QtWidgets/gsiDeclQDockWidget.cc | 494 ++++---- .../qt5/QtWidgets/gsiDeclQDoubleSpinBox.cc | 285 +++-- .../qt5/QtWidgets/gsiDeclQErrorMessage.cc | 426 +++---- src/gsiqt/qt5/QtWidgets/gsiDeclQFileDialog.cc | 559 +++++---- .../qt5/QtWidgets/gsiDeclQFileSystemModel.cc | 110 +- src/gsiqt/qt5/QtWidgets/gsiDeclQFocusFrame.cc | 480 ++++---- .../qt5/QtWidgets/gsiDeclQFontComboBox.cc | 302 ++--- src/gsiqt/qt5/QtWidgets/gsiDeclQFontDialog.cc | 442 +++---- src/gsiqt/qt5/QtWidgets/gsiDeclQFormLayout.cc | 219 +++- .../gsiDeclQFormLayout_TakeRowResult.cc | 72 ++ src/gsiqt/qt5/QtWidgets/gsiDeclQFrame.cc | 504 ++++---- src/gsiqt/qt5/QtWidgets/gsiDeclQGesture.cc | 100 +- .../QtWidgets/gsiDeclQGestureRecognizer.cc | 6 +- .../qt5/QtWidgets/gsiDeclQGraphicsAnchor.cc | 96 +- .../QtWidgets/gsiDeclQGraphicsAnchorLayout.cc | 4 +- .../QtWidgets/gsiDeclQGraphicsBlurEffect.cc | 104 +- .../gsiDeclQGraphicsColorizeEffect.cc | 104 +- .../gsiDeclQGraphicsDropShadowEffect.cc | 104 +- .../qt5/QtWidgets/gsiDeclQGraphicsEffect.cc | 104 +- .../QtWidgets/gsiDeclQGraphicsEllipseItem.cc | 16 +- .../QtWidgets/gsiDeclQGraphicsGridLayout.cc | 12 +- .../qt5/QtWidgets/gsiDeclQGraphicsItem.cc | 12 +- .../gsiDeclQGraphicsItemAnimation.cc | 100 +- .../QtWidgets/gsiDeclQGraphicsItemGroup.cc | 8 +- .../qt5/QtWidgets/gsiDeclQGraphicsLayout.cc | 4 +- .../QtWidgets/gsiDeclQGraphicsLayoutItem.cc | 4 +- .../qt5/QtWidgets/gsiDeclQGraphicsLineItem.cc | 16 +- .../QtWidgets/gsiDeclQGraphicsLinearLayout.cc | 8 +- .../qt5/QtWidgets/gsiDeclQGraphicsObject.cc | 82 +- .../gsiDeclQGraphicsOpacityEffect.cc | 104 +- .../qt5/QtWidgets/gsiDeclQGraphicsPathItem.cc | 12 +- .../QtWidgets/gsiDeclQGraphicsPixmapItem.cc | 8 +- .../QtWidgets/gsiDeclQGraphicsPolygonItem.cc | 12 +- .../QtWidgets/gsiDeclQGraphicsProxyWidget.cc | 66 +- .../qt5/QtWidgets/gsiDeclQGraphicsRectItem.cc | 16 +- .../qt5/QtWidgets/gsiDeclQGraphicsRotation.cc | 100 +- .../qt5/QtWidgets/gsiDeclQGraphicsScale.cc | 100 +- .../qt5/QtWidgets/gsiDeclQGraphicsScene.cc | 111 +- .../gsiDeclQGraphicsSimpleTextItem.cc | 8 +- .../qt5/QtWidgets/gsiDeclQGraphicsTextItem.cc | 86 +- .../QtWidgets/gsiDeclQGraphicsTransform.cc | 100 +- .../qt5/QtWidgets/gsiDeclQGraphicsView.cc | 196 +-- .../qt5/QtWidgets/gsiDeclQGraphicsWidget.cc | 94 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGridLayout.cc | 102 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGroupBox.cc | 396 +++--- src/gsiqt/qt5/QtWidgets/gsiDeclQHBoxLayout.cc | 78 +- src/gsiqt/qt5/QtWidgets/gsiDeclQHeaderView.cc | 267 ++-- .../qt5/QtWidgets/gsiDeclQInputDialog.cc | 554 +++++---- .../qt5/QtWidgets/gsiDeclQItemDelegate.cc | 80 +- .../qt5/QtWidgets/gsiDeclQKeySequenceEdit.cc | 468 +++---- src/gsiqt/qt5/QtWidgets/gsiDeclQLCDNumber.cc | 504 ++++---- src/gsiqt/qt5/QtWidgets/gsiDeclQLabel.cc | 386 +++--- src/gsiqt/qt5/QtWidgets/gsiDeclQLayout.cc | 99 +- src/gsiqt/qt5/QtWidgets/gsiDeclQLayoutItem.cc | 4 +- src/gsiqt/qt5/QtWidgets/gsiDeclQLineEdit.cc | 365 +++--- src/gsiqt/qt5/QtWidgets/gsiDeclQListView.cc | 285 +++-- src/gsiqt/qt5/QtWidgets/gsiDeclQListWidget.cc | 333 +++-- .../qt5/QtWidgets/gsiDeclQListWidgetItem.cc | 12 +- src/gsiqt/qt5/QtWidgets/gsiDeclQMainWindow.cc | 560 +++++---- src/gsiqt/qt5/QtWidgets/gsiDeclQMdiArea.cc | 214 ++-- .../qt5/QtWidgets/gsiDeclQMdiSubWindow.cc | 196 +-- src/gsiqt/qt5/QtWidgets/gsiDeclQMenu.cc | 378 +++--- src/gsiqt/qt5/QtWidgets/gsiDeclQMenuBar.cc | 300 ++--- src/gsiqt/qt5/QtWidgets/gsiDeclQMessageBox.cc | 416 +++---- src/gsiqt/qt5/QtWidgets/gsiDeclQPanGesture.cc | 100 +- .../qt5/QtWidgets/gsiDeclQPinchGesture.cc | 100 +- .../gsiDeclQPlainTextDocumentLayout.cc | 96 +- .../qt5/QtWidgets/gsiDeclQPlainTextEdit.cc | 223 ++-- .../qt5/QtWidgets/gsiDeclQProgressBar.cc | 500 ++++---- .../qt5/QtWidgets/gsiDeclQProgressDialog.cc | 438 +++---- src/gsiqt/qt5/QtWidgets/gsiDeclQPushButton.cc | 364 +++--- .../qt5/QtWidgets/gsiDeclQRadioButton.cc | 360 +++--- src/gsiqt/qt5/QtWidgets/gsiDeclQRubberBand.cc | 446 +++---- src/gsiqt/qt5/QtWidgets/gsiDeclQScrollArea.cc | 264 ++-- src/gsiqt/qt5/QtWidgets/gsiDeclQScrollBar.cc | 360 +++--- src/gsiqt/qt5/QtWidgets/gsiDeclQShortcut.cc | 86 +- src/gsiqt/qt5/QtWidgets/gsiDeclQSizeGrip.cc | 368 +++--- src/gsiqt/qt5/QtWidgets/gsiDeclQSizePolicy.cc | 16 + src/gsiqt/qt5/QtWidgets/gsiDeclQSlider.cc | 396 +++--- src/gsiqt/qt5/QtWidgets/gsiDeclQSpinBox.cc | 285 +++-- .../qt5/QtWidgets/gsiDeclQSplashScreen.cc | 504 ++++---- src/gsiqt/qt5/QtWidgets/gsiDeclQSplitter.cc | 491 ++++---- .../qt5/QtWidgets/gsiDeclQSplitterHandle.cc | 424 +++---- .../qt5/QtWidgets/gsiDeclQStackedLayout.cc | 80 +- .../qt5/QtWidgets/gsiDeclQStackedWidget.cc | 500 ++++---- src/gsiqt/qt5/QtWidgets/gsiDeclQStatusBar.cc | 464 +++---- src/gsiqt/qt5/QtWidgets/gsiDeclQStyle.cc | 310 ++--- .../qt5/QtWidgets/gsiDeclQStyleFactory.cc | 2 +- .../qt5/QtWidgets/gsiDeclQStylePlugin.cc | 106 +- .../QtWidgets/gsiDeclQStyledItemDelegate.cc | 80 +- .../qt5/QtWidgets/gsiDeclQSwipeGesture.cc | 100 +- .../qt5/QtWidgets/gsiDeclQSystemTrayIcon.cc | 116 +- src/gsiqt/qt5/QtWidgets/gsiDeclQTabBar.cc | 382 +++--- src/gsiqt/qt5/QtWidgets/gsiDeclQTabWidget.cc | 446 +++---- src/gsiqt/qt5/QtWidgets/gsiDeclQTableView.cc | 230 ++-- .../qt5/QtWidgets/gsiDeclQTableWidget.cc | 298 +++-- .../QtWidgets/gsiDeclQTapAndHoldGesture.cc | 100 +- src/gsiqt/qt5/QtWidgets/gsiDeclQTapGesture.cc | 100 +- .../qt5/QtWidgets/gsiDeclQTextBrowser.cc | 174 +-- src/gsiqt/qt5/QtWidgets/gsiDeclQTextEdit.cc | 223 ++-- src/gsiqt/qt5/QtWidgets/gsiDeclQTimeEdit.cc | 252 ++-- src/gsiqt/qt5/QtWidgets/gsiDeclQToolBar.cc | 486 ++++---- src/gsiqt/qt5/QtWidgets/gsiDeclQToolBox.cc | 486 ++++---- src/gsiqt/qt5/QtWidgets/gsiDeclQToolButton.cc | 302 ++--- src/gsiqt/qt5/QtWidgets/gsiDeclQToolTip.cc | 4 +- src/gsiqt/qt5/QtWidgets/gsiDeclQTreeView.cc | 230 ++-- src/gsiqt/qt5/QtWidgets/gsiDeclQTreeWidget.cc | 300 +++-- .../qt5/QtWidgets/gsiDeclQUndoCommand.cc | 45 +- src/gsiqt/qt5/QtWidgets/gsiDeclQUndoGroup.cc | 100 +- src/gsiqt/qt5/QtWidgets/gsiDeclQUndoStack.cc | 117 +- src/gsiqt/qt5/QtWidgets/gsiDeclQUndoView.cc | 256 ++-- src/gsiqt/qt5/QtWidgets/gsiDeclQVBoxLayout.cc | 78 +- src/gsiqt/qt5/QtWidgets/gsiDeclQWhatsThis.cc | 8 +- src/gsiqt/qt5/QtWidgets/gsiDeclQWidget.cc | 611 ++++----- .../qt5/QtWidgets/gsiDeclQWidgetAction.cc | 58 +- src/gsiqt/qt5/QtWidgets/gsiDeclQWizard.cc | 394 +++--- src/gsiqt/qt5/QtWidgets/gsiDeclQWizardPage.cc | 544 ++++---- src/gsiqt/qt5/QtXml/gsiDeclQDomDocument.cc | 72 +- src/gsiqt/qt5/QtXml/gsiDeclQXmlAttributes.cc | 66 + src/gsiqt/qt5/QtXml/gsiDeclQXmlReader.cc | 8 +- .../qt5/QtXml/gsiDeclQXmlSimpleReader.cc | 8 +- .../gsiDeclQAbstractMessageHandler.cc | 96 +- .../gsiDeclQAbstractUriResolver.cc | 96 +- .../qt5/QtXmlPatterns/gsiDeclQXmlName.cc | 20 + .../gsiDeclQXmlNodeModelIndex.cc | 20 + testdata/python/qtbinding.py | 37 + testdata/ruby/qtbinding.rb | 53 +- 486 files changed, 42142 insertions(+), 25632 deletions(-) create mode 100644 src/gsiqt/qt5/QtCore/gsiDeclQDeadlineTimer.cc create mode 100644 src/gsiqt/qt5/QtCore/gsiDeclQOperatingSystemVersion.cc create mode 100644 src/gsiqt/qt5/QtCore/gsiDeclQRandomGenerator.cc create mode 100644 src/gsiqt/qt5/QtCore/gsiDeclQRandomGenerator64.cc create mode 100644 src/gsiqt/qt5/QtCore/gsiDeclQSemaphoreReleaser.cc create mode 100644 src/gsiqt/qt5/QtCore/gsiDeclQVersionNumber.cc create mode 100644 src/gsiqt/qt5/QtGui/gsiDeclQIconEngine_ScaledPixmapArgument.cc create mode 100644 src/gsiqt/qt5/QtGui/gsiDeclQPointingDeviceUniqueId.cc create mode 100644 src/gsiqt/qt5/QtGui/gsiDeclQRgba64.cc create mode 100644 src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRoleControl.cc create mode 100644 src/gsiqt/qt5/QtMultimedia/gsiDeclQCustomAudioRoleControl.cc create mode 100644 src/gsiqt/qt5/QtNetwork/gsiDeclQDtls.cc create mode 100644 src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier.cc create mode 100644 src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier_GeneratorParameters.cc create mode 100644 src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsError.cc create mode 100644 src/gsiqt/qt5/QtNetwork/gsiDeclQHstsPolicy.cc create mode 100644 src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDatagram.cc create mode 100644 src/gsiqt/qt5/QtNetwork/gsiDeclQPasswordDigestor.cc create mode 100644 src/gsiqt/qt5/QtNetwork/gsiDeclQSslDiffieHellmanParameters.cc create mode 100644 src/gsiqt/qt5/QtWidgets/gsiDeclQFormLayout_TakeRowResult.cc diff --git a/scripts/mkqtdecl.sh b/scripts/mkqtdecl.sh index a860a9cfd7..e7cd01d289 100755 --- a/scripts/mkqtdecl.sh +++ b/scripts/mkqtdecl.sh @@ -43,7 +43,7 @@ update=0 diff=0 reuse=0 qt="/opt/qt/4.6.3/include" -qt5="/opt/qt/5.5.1/include" +qt5="/opt/qt/5.12.12/include" qt6="/opt/qt/6.2.1/include" inst_dir_common=`pwd`/scripts/mkqtdecl_common inst_dir4=`pwd`/scripts/mkqtdecl4 diff --git a/scripts/mkqtdecl5/QtCore/allofqt.cpp b/scripts/mkqtdecl5/QtCore/allofqt.cpp index 20ddf04cce..cbcc915f15 100644 --- a/scripts/mkqtdecl5/QtCore/allofqt.cpp +++ b/scripts/mkqtdecl5/QtCore/allofqt.cpp @@ -19,7 +19,8 @@ #include "QtCore/QAtomicPointer" #include "QtCore/QBasicMutex" #include "QtCore/QBasicTimer" -#include "QtCore/QBBSystemLocaleData" +#include "QtCore/QBEInteger" +#include "QtCore/QBigEndianStorageType" #include "QtCore/QBitArray" #include "QtCore/QBitRef" #include "QtCore/QBuffer" @@ -31,6 +32,14 @@ #include "QtCore/QByteArrayMatcher" #include "QtCore/QByteRef" #include "QtCore/QCache" +#include "QtCore/QCborArray" +#include "QtCore/QCborError" +#include "QtCore/QCborMap" +#include "QtCore/QCborParserError" +#include "QtCore/QCborStreamReader" +#include "QtCore/QCborStreamWriter" +#include "QtCore/QCborValue" +#include "QtCore/QCborValueRef" #include "QtCore/QChar" #include "QtCore/QCharRef" #include "QtCore/QChildEvent" @@ -38,6 +47,7 @@ #include "QtCore/QCollatorSortKey" #include "QtCore/QCommandLineOption" #include "QtCore/QCommandLineParser" +// #include "QtCore/QConstOverload" #include "QtCore/QContiguousCache" #include "QtCore/QContiguousCacheData" #include "QtCore/QContiguousCacheTypedData" @@ -46,6 +56,7 @@ #include "QtCore/QDataStream" #include "QtCore/QDate" #include "QtCore/QDateTime" +#include "QtCore/QDeadlineTimer" #include "QtCore/QDebug" #include "QtCore/QDebugStateSaver" #include "QtCore/QDeferredDeleteEvent" @@ -71,7 +82,7 @@ #include "QtCore/QFinalState" #include "QtCore/QFlag" #include "QtCore/QFlags" -#include "QtCore/QForeachContainer" +#include "QtCore/QFloat16" #include "QtCore/QFunctionPointer" #include "QtCore/QFuture" #include "QtCore/QFutureInterface" @@ -86,6 +97,7 @@ #include "QtCore/QHash" #include "QtCore/QHashData" #include "QtCore/QHashDummyValue" +#include "QtCore/QHashFunctions" #include "QtCore/QHashIterator" #include "QtCore/QHashNode" #include "QtCore/QHistoryState" @@ -105,9 +117,11 @@ #include "QtCore/QJsonValuePtr" #include "QtCore/QJsonValueRef" #include "QtCore/QJsonValueRefPtr" +// #include "QtCore/QKeyValueIterator" #include "QtCore/QLatin1Char" #include "QtCore/QLatin1Literal" #include "QtCore/QLatin1String" +#include "QtCore/QLEInteger" #include "QtCore/QLibrary" #include "QtCore/QLibraryInfo" #include "QtCore/QLine" @@ -120,6 +134,7 @@ #include "QtCore/QListData" #include "QtCore/QListIterator" #include "QtCore/QListSpecialMethods" +#include "QtCore/QLittleEndianStorageType" #include "QtCore/QLocale" #include "QtCore/QLockFile" #include "QtCore/QLoggingCategory" @@ -140,9 +155,6 @@ #include "QtCore/QMetaObject" #include "QtCore/QMetaProperty" #include "QtCore/QMetaType" -#include "QtCore/QMetaTypeId" -#include "QtCore/QMetaTypeId2" -#include "QtCore/QMetaTypeIdQObject" #include "QtCore/QMimeData" #include "QtCore/QMimeDatabase" #include "QtCore/QMimeType" @@ -162,11 +174,13 @@ #include "QtCore/QMutex" #include "QtCore/QMutexLocker" #include "QtCore/QNoDebug" +// #include "QtCore/QNonConstOverload" #include "QtCore/QObject" #include "QtCore/QObjectCleanupHandler" #include "QtCore/QObjectData" #include "QtCore/QObjectList" #include "QtCore/QObjectUserData" +#include "QtCore/QOperatingSystemVersion" #include "QtCore/QPair" #include "QtCore/QParallelAnimationGroup" #include "QtCore/QPauseAnimation" @@ -180,6 +194,8 @@ #include "QtCore/QProcessEnvironment" #include "QtCore/QPropertyAnimation" #include "QtCore/QQueue" +#include "QtCore/QRandomGenerator" +#include "QtCore/QRandomGenerator64" #include "QtCore/QReadLocker" #include "QtCore/QReadWriteLock" #include "QtCore/QRect" @@ -200,7 +216,10 @@ #include "QtCore/QScopedPointerObjectDeleteLater" #include "QtCore/QScopedPointerPodDeleter" #include "QtCore/QScopedValueRollback" +#include "QtCore/QScopeGuard" +// #include "QtCore/Q_SECURITY_ATTRIBUTES" #include "QtCore/QSemaphore" +#include "QtCore/QSemaphoreReleaser" #include "QtCore/QSequentialAnimationGroup" #include "QtCore/QSequentialIterable" #include "QtCore/QSet" @@ -217,29 +236,35 @@ #include "QtCore/QSizeF" #include "QtCore/QSocketNotifier" #include "QtCore/QSortFilterProxyModel" +#include "QtCore/QSpecialInteger" #include "QtCore/QStack" #include "QtCore/QStandardPaths" +// #include "QtCore/Q_STARTUPINFO" #include "QtCore/QState" #include "QtCore/QStateMachine" #include "QtCore/QStaticArrayData" -#include "QtCore/QStaticAssertFailure" #include "QtCore/QStaticByteArrayData" +#include "QtCore/QStaticByteArrayMatcherBase" #include "QtCore/QStaticPlugin" #include "QtCore/QStaticStringData" #include "QtCore/QStorageInfo" #include "QtCore/QString" +#include "QtCore/QStringAlgorithms" #include "QtCore/QStringBuilder" #include "QtCore/QStringData" #include "QtCore/QStringDataPtr" #include "QtCore/QStringList" #include "QtCore/QStringListIterator" #include "QtCore/QStringListModel" +#include "QtCore/QStringLiteral" #include "QtCore/QStringMatcher" #include "QtCore/QStringRef" +#include "QtCore/QStringView" #include "QtCore/QSysInfo" #include "QtCore/QSystemSemaphore" #include "QtCore/Qt" #include "QtCore/QtAlgorithms" +#include "QtCore/QtCborCommon" #include "QtCore/QtCleanUpFunction" #include "QtCore/QtConfig" #include "QtCore/QtContainerFwd" @@ -277,6 +302,7 @@ #include "QtCore/QTranslator" #include "QtCore/QTypeInfo" #include "QtCore/QTypeInfoMerger" +// #include "QtCore/QTypeInfoQuery" #include "QtCore/QUnhandledException" #include "QtCore/QUrl" #include "QtCore/QUrlQuery" @@ -291,6 +317,7 @@ #include "QtCore/QVarLengthArray" #include "QtCore/QVector" #include "QtCore/QVectorIterator" +#include "QtCore/QVersionNumber" #include "QtCore/QWaitCondition" #include "QtCore/QWeakPointer" #include "QtCore/QWinEventNotifier" diff --git a/scripts/mkqtdecl5/QtDesigner/allofqt.cpp b/scripts/mkqtdecl5/QtDesigner/allofqt.cpp index 132b71918b..563d9beea1 100644 --- a/scripts/mkqtdecl5/QtDesigner/allofqt.cpp +++ b/scripts/mkqtdecl5/QtDesigner/allofqt.cpp @@ -1,13 +1,16 @@ +#if 0 +// No designer support, except QFormBuilder #include "QtDesigner/QAbstractExtensionFactory" #include "QtDesigner/QAbstractExtensionManager" #include "QtDesigner/QAbstractFormBuilder" -#if 0 -// No designer support, except QFormBuilder #include "QtDesigner/QDesignerActionEditorInterface" #include "QtDesigner/QDesignerComponents" #include "QtDesigner/QDesignerContainerExtension" +#include "QtDesigner/QDesignerCustomWidgetCollectionInterface" +#include "QtDesigner/QDesignerCustomWidgetInterface" #include "QtDesigner/QDesignerDnDItemInterface" #include "QtDesigner/QDesignerDynamicPropertySheetExtension" +#include "QtDesigner/QDesignerExportWidget" #include "QtDesigner/QDesignerExtraInfoExtension" #include "QtDesigner/QDesignerFormEditorInterface" #include "QtDesigner/QDesignerFormEditorPluginInterface" diff --git a/scripts/mkqtdecl5/QtGui/allofqt.cpp b/scripts/mkqtdecl5/QtGui/allofqt.cpp index a8df61cb01..b58e936292 100644 --- a/scripts/mkqtdecl5/QtGui/allofqt.cpp +++ b/scripts/mkqtdecl5/QtGui/allofqt.cpp @@ -82,6 +82,7 @@ #include "QtGui/QKeyEvent" #include "QtGui/QKeySequence" #include "QtGui/QLinearGradient" +// #include "QtGui/QList" // clash with QList #include "QtGui/QMatrix" #include "QtGui/QMatrix2x2" #include "QtGui/QMatrix2x3" @@ -97,6 +98,58 @@ #include "QtGui/QMovie" #include "QtGui/QNativeGestureEvent" #include "QtGui/QOffscreenSurface" +#if 0 // we don't want to support this .. +#include "QtGui/QOpenGLBuffer" +#include "QtGui/QOpenGLContext" +#include "QtGui/QOpenGLContextGroup" +#include "QtGui/QOpenGLDebugLogger" +#include "QtGui/QOpenGLDebugMessage" +#include "QtGui/QOpenGLExtraFunctions" +#include "QtGui/QOpenGLExtraFunctionsPrivate" +#include "QtGui/QOpenGLFramebufferObject" +#include "QtGui/QOpenGLFramebufferObjectFormat" +#include "QtGui/QOpenGLFunctions" +#include "QtGui/QOpenGLFunctions_1_0" +#include "QtGui/QOpenGLFunctions_1_1" +#include "QtGui/QOpenGLFunctions_1_2" +#include "QtGui/QOpenGLFunctions_1_3" +#include "QtGui/QOpenGLFunctions_1_4" +#include "QtGui/QOpenGLFunctions_1_5" +#include "QtGui/QOpenGLFunctions_2_0" +#include "QtGui/QOpenGLFunctions_2_1" +#include "QtGui/QOpenGLFunctions_3_0" +#include "QtGui/QOpenGLFunctions_3_1" +#include "QtGui/QOpenGLFunctions_3_2_Compatibility" +#include "QtGui/QOpenGLFunctions_3_2_Core" +#include "QtGui/QOpenGLFunctions_3_3_Compatibility" +#include "QtGui/QOpenGLFunctions_3_3_Core" +#include "QtGui/QOpenGLFunctions_4_0_Compatibility" +#include "QtGui/QOpenGLFunctions_4_0_Core" +#include "QtGui/QOpenGLFunctions_4_1_Compatibility" +#include "QtGui/QOpenGLFunctions_4_1_Core" +#include "QtGui/QOpenGLFunctions_4_2_Compatibility" +#include "QtGui/QOpenGLFunctions_4_2_Core" +#include "QtGui/QOpenGLFunctions_4_3_Compatibility" +#include "QtGui/QOpenGLFunctions_4_3_Core" +#include "QtGui/QOpenGLFunctions_4_4_Compatibility" +#include "QtGui/QOpenGLFunctions_4_4_Core" +#include "QtGui/QOpenGLFunctions_4_5_Compatibility" +#include "QtGui/QOpenGLFunctions_4_5_Core" +#include "QtGui/QOpenGLFunctions_ES2" +#include "QtGui/QOpenGLFunctionsPrivate" +#include "QtGui/QOpenGLPaintDevice" +#include "QtGui/QOpenGLPixelTransferOptions" +#include "QtGui/QOpenGLShader" +#include "QtGui/QOpenGLShaderProgram" +#include "QtGui/QOpenGLTexture" +#include "QtGui/QOpenGLTextureBlitter" +#include "QtGui/QOpenGLTimeMonitor" +#include "QtGui/QOpenGLTimerQuery" +#include "QtGui/QOpenGLVersionFunctions" +#include "QtGui/QOpenGLVersionProfile" +#include "QtGui/QOpenGLVertexArrayObject" +#include "QtGui/QOpenGLWindow" +#endif #include "QtGui/QPagedPaintDevice" #include "QtGui/QPageLayout" #include "QtGui/QPageSize" @@ -118,6 +171,7 @@ #include "QtGui/QPixmap" #include "QtGui/QPixmapCache" #include "QtGui/QPlatformSurfaceEvent" +#include "QtGui/QPointingDeviceUniqueId" #include "QtGui/QPolygon" #include "QtGui/QPolygonF" #include "QtGui/QQuaternion" @@ -129,6 +183,7 @@ #include "QtGui/QRegularExpressionValidator" #include "QtGui/QResizeEvent" #include "QtGui/QRgb" +#include "QtGui/QRgba64" #include "QtGui/QScreen" #include "QtGui/QScreenOrientationChangeEvent" #include "QtGui/QScrollEvent" @@ -186,6 +241,16 @@ #include "QtGui/QVector2D" #include "QtGui/QVector3D" #include "QtGui/QVector4D" +#if 0 // we don't want to support this .. +#include "QtGui/QVulkanDeviceFunctions" +#include "QtGui/QVulkanExtension" +#include "QtGui/QVulkanFunctions" +#include "QtGui/QVulkanInfoVector" +#include "QtGui/QVulkanInstance" +#include "QtGui/QVulkanLayer" +#include "QtGui/QVulkanWindow" +#include "QtGui/QVulkanWindowRenderer" +#endif #include "QtGui/QWhatsThisClickedEvent" #include "QtGui/QWheelEvent" #include "QtGui/QWidgetList" diff --git a/scripts/mkqtdecl5/QtMultimedia/allofqt.cpp b/scripts/mkqtdecl5/QtMultimedia/allofqt.cpp index 189de7f87e..3bd34c48a2 100644 --- a/scripts/mkqtdecl5/QtMultimedia/allofqt.cpp +++ b/scripts/mkqtdecl5/QtMultimedia/allofqt.cpp @@ -19,6 +19,7 @@ #include "QtMultimedia/QAudioOutputSelectorControl" #include "QtMultimedia/QAudioProbe" #include "QtMultimedia/QAudioRecorder" +#include "QtMultimedia/QAudioRoleControl" #include "QtMultimedia/QAudioSystemFactoryInterface" #include "QtMultimedia/QAudioSystemPlugin" #include "QtMultimedia/QCamera" @@ -44,6 +45,7 @@ #include "QtMultimedia/QCameraViewfinderSettingsControl" #include "QtMultimedia/QCameraViewfinderSettingsControl2" #include "QtMultimedia/QCameraZoomControl" +#include "QtMultimedia/QCustomAudioRoleControl" #include "QtMultimedia/QImageEncoderControl" #include "QtMultimedia/QImageEncoderSettings" #include "QtMultimedia/QMediaAudioProbeControl" diff --git a/scripts/mkqtdecl5/QtNetwork/allofqt.cpp b/scripts/mkqtdecl5/QtNetwork/allofqt.cpp index 2884c1655a..c91ef4359b 100644 --- a/scripts/mkqtdecl5/QtNetwork/allofqt.cpp +++ b/scripts/mkqtdecl5/QtNetwork/allofqt.cpp @@ -7,8 +7,11 @@ #include "QtNetwork/QDnsMailExchangeRecord" #include "QtNetwork/QDnsServiceRecord" #include "QtNetwork/QDnsTextRecord" +#include "QtNetwork/QDtls" +#include "QtNetwork/QDtlsClientVerifier" #include "QtNetwork/QHostAddress" #include "QtNetwork/QHostInfo" +#include "QtNetwork/QHstsPolicy" #include "QtNetwork/QHttpMultiPart" #include "QtNetwork/QHttpPart" #include "QtNetwork/Q_IPV6ADDR" @@ -22,6 +25,7 @@ #include "QtNetwork/QNetworkConfigurationManager" #include "QtNetwork/QNetworkCookie" #include "QtNetwork/QNetworkCookieJar" +#include "QtNetwork/QNetworkDatagram" #include "QtNetwork/QNetworkDiskCache" #include "QtNetwork/QNetworkInterface" #include "QtNetwork/QNetworkProxy" @@ -30,11 +34,14 @@ #include "QtNetwork/QNetworkReply" #include "QtNetwork/QNetworkRequest" #include "QtNetwork/QNetworkSession" +#include "QtNetwork/QSctpServer" +#include "QtNetwork/QSctpSocket" #include "QtNetwork/QSsl" #include "QtNetwork/QSslCertificate" #include "QtNetwork/QSslCertificateExtension" #include "QtNetwork/QSslCipher" #include "QtNetwork/QSslConfiguration" +#include "QtNetwork/QSslDiffieHellmanParameters" #include "QtNetwork/QSslEllipticCurve" #include "QtNetwork/QSslError" #include "QtNetwork/QSslKey" diff --git a/scripts/mkqtdecl5/mkqtdecl.conf b/scripts/mkqtdecl5/mkqtdecl.conf index e5a78cb220..2450c28ce7 100644 --- a/scripts/mkqtdecl5/mkqtdecl.conf +++ b/scripts/mkqtdecl5/mkqtdecl.conf @@ -30,13 +30,17 @@ drop_method :all_classes, /::qt_check_for_QOBJECT_macro/ # don't include in API! drop_method :all_classes, /::devType\(/ # not required drop_method :all_classes, /::data_ptr/ # no private data drop_method :all_classes, /::x11/ # no X11 stuff +drop_method :all_classes, /\(.*std::chrono.*\)/ # no std::chrono +drop_method :all_classes, /^std::chrono::/ # no std::chrono as return value drop_method :all_classes, /\(.*&&.*\)/ # no move semantics drop_method :all_classes, /.*\s+&&$/ # no move semantics drop_method :all_classes, /\(.*std::initializer_list.*\)/ # no brace initialization +drop_method :all_classes, /\(.*QStringView\W/ # no QStringView +drop_method :all_classes, /^QStringView\W/ # no QStringView -rename :all_classes, /::create\(/, "qt_create" # clashes with GSI/Ruby -rename :all_classes, /::destroy\(/, "qt_destroy" # clashes with GSI/Ruby -rename :all_classes, /::raise\(/, "qt_raise" # clashes with Ruby "raise" keyword +def_alias :all_classes, /::create\(/, "qt_create" # clashes with GSI/Ruby +def_alias :all_classes, /::destroy\(/, "qt_destroy" # clashes with GSI/Ruby +def_alias :all_classes, /::raise\(/, "qt_raise" # clashes with Ruby "raise" keyword # -------------------------------------------------------------- # Qt @@ -74,20 +78,38 @@ drop_class "QAtomicInt" drop_class "QAtomicInteger" drop_class "QAtomicOps" drop_class "QAtomicPointer" +drop_class "QAtomicTraits" drop_class "QAtomicOpsSupport" drop_class "QBasicAtomicInt" drop_class "QBasicAtomicInteger" drop_class "QBasicAtomicOps" drop_class "QBasicAtomicPointer" drop_class "QBBSystemLocaleData" +drop_class "QBigEndianStorageType" drop_class "QBitArray" drop_class "QBitRef" drop_class "QBool" drop_class "QByteArray" drop_class "QByteRef" drop_class "QCache" +drop_class "QCborArray" # complex API & there are better alternatives +drop_class "QCborArray_ConstIterator" # complex API & there are better alternatives +drop_class "QCborArray_Iterator" # complex API & there are better alternatives +drop_class "QCborError" # complex API & there are better alternatives +drop_class "QCborMap" # complex API & there are better alternatives +drop_class "QCborMap_ConstIterator" # complex API & there are better alternatives +drop_class "QCborMap_Iterator" # complex API & there are better alternatives +drop_class "QCborParserError" # complex API & there are better alternatives +drop_class "QCborStreamReader" # complex API & there are better alternatives +drop_class "QCborStreamWriter" # complex API & there are better alternatives +drop_class "QCborValue" # complex API & there are better alternatives +drop_class "QCborValueRef" # complex API & there are better alternatives +drop_class "QCborKnownTags" # complex API & there are better alternatives +drop_class "QCborNegativeInteger" # complex API & there are better alternatives +drop_class "QCborSimpleType" # complex API & there are better alternatives drop_class "QChar" drop_class "QCharRef" +drop_class "QConstOverload" drop_class "QConstString" drop_class "QContiguousCache" drop_class "QContiguousCacheData" @@ -126,6 +148,7 @@ drop_class "QIncompatibleFlag" drop_class "QInternal" drop_class "QIntegerForSizeof" drop_class "QJsonPrivate" +drop_class "QKeyValueIterator" drop_class "QLatin1Char" drop_class "QLatin1String" drop_class "QLinkedList" @@ -136,6 +159,7 @@ drop_class "QList" drop_class "QListData" drop_class "QListIterator" drop_class "QListSpecialMethods" +drop_class "QLittleEndianStorageType" drop_class "QMap" drop_class "QMapData" drop_class "QMapIterator" @@ -157,10 +181,12 @@ drop_class "QMutableStringListIterator" drop_class "QMutableVectorIterator" drop_class "QMutexLocker" drop_class "QNoImplicitBoolCast" +drop_class "QNonConstOverload" drop_class "QObjectCleanupHandler" drop_class "QObjectData" drop_class "QObjectList" drop_class "QObjectUserData" +drop_class "QOverload" drop_class "QPair" drop_class "QPointer" drop_class "QQueue" @@ -171,19 +197,24 @@ drop_class "QScopedPointerDeleter" drop_class "QScopedPointerObjectDeleteLater" drop_class "QScopedPointerPodDeleter" drop_class "QScopedValueRollback" +drop_class "QScopeGuard" drop_class "QSet" drop_class "QSetIterator" drop_class "QSharedDataPointer" drop_class "QSharedData" # where to get QAtomic? drop_class "QSharedPointer" +drop_class "QSpecialInteger" drop_class "QStack" drop_class "QStaticArrayData" drop_class "QStaticByteArrayData" +drop_class "QStaticByteArrayMatcher" +drop_class "QStaticByteArrayMatcherBase" drop_class "QStaticStringData" drop_class "QStdWString" drop_class "QStringListIterator" drop_class "QStringList" # mapped otherwise drop_class "QString" # mapped otherwise +drop_class "QStringView" # mapped otherwise drop_class "QStringRef" drop_class "QStringBuilder" drop_class "QStringBuilderBase" @@ -213,6 +244,7 @@ drop_class "QtMetaTypePrivate" drop_class "QtGlobalStatic" drop_class "QTypeInfo" drop_class "QTypeInfoMerger" +drop_class "QTypeInfoQuery" drop_class "QTypedArrayData" drop_class "QUuid" drop_class "QUpdateLaterEvent" @@ -230,9 +262,16 @@ drop_enum_const "QEvent", /CocoaRequestModal/ # not available on WIN drop_method "QMetaType", /QMetaType::staticMetaObject/ # not available drop_method "QMetaType", /QMetaType::registerNormalizedType/ # needs function ptrs. +drop_method "QDeadlineTimer", /QDeadlineTimer::_q_data/ # internal and QPair is not bound drop_method "QCollator", /QCollator::compare\(.*QStringRef/ # clashes with QString version drop_method "QLocale", /QLocale::(toDouble|toFloat|toInt|toLongLong|toShort|quoteString|toUInt|toULongLong|toUShort)\(.*QStringRef/ # clashes with QString version drop_method "QRegularExpression", /QRegularExpression::(match|globalMatch)\(.*QStringRef/ # clashes with QString version +drop_method "QRandomGenerator", /QRandomGenerator::QRandomGenerator\(.*quint32\s+\*/ # no pointers +drop_method "QRandomGenerator", /QRandomGenerator::QRandomGenerator\(.*std::seed_seq/ # no std::seed_seq +drop_method "QRandomGenerator", /QRandomGenerator::seed\(.*std::seed_seq/ # no std::seed_seq +drop_method "QRandomGenerator64", /QRandomGenerator64::QRandomGenerator64\(.*quint32\s+\*/ # no pointers +drop_method "QRandomGenerator64", /QRandomGenerator64::QRandomGenerator64\(.*std::seed_seq/ # no std::seed_seq +drop_method "QRandomGenerator64", /QRandomGenerator64::seed\(.*std::seed_seq/ # no std::seed_seq drop_method "QSignalBlocker", /QSignalBlocker::QSignalBlocker\(.*&/ # clashes with pointer version drop_method "QQuaternion", /QQuaternion::toRotationMatrix\(/ # GenericMatrix not available drop_method "QQuaternion", /QQuaternion::fromRotationMatrix\(/ # GenericMatrix not available @@ -353,6 +392,8 @@ drop_method "", /::operator\s*==\(const\s+QVariant\s*&\w+,\s*const\s+QVariantCom drop_method "", /::operator\s*!=\(const\s+QVariant\s*&\w+,\s*const\s+QVariantComparisonHelper/ # requires QVariantComparisonHelper drop_method "QByteArrayMatcher", /QByteArrayMatcher::indexIn\(const\s+QByteArray/ # clashes with const char * variant drop_method "QRegion", /QRegion::setRects/ # gets a new implementation +drop_method "QRegion", /QRegion::c?rbegin/ # iterator not available +drop_method "QRegion", /QRegion::c?rend/ # iterator not available drop_method "QTimer", /static\s+void\s+QTimer::singleShot\(/ # requires slots, alternative impl? drop_method "QDebug", /QDebug::operator\s*<<\((?!const\s+QString\s*&)/ # don't map the others right now - too many (TODO: how to map?) drop_method "", /::operator\s*<<\(QDebug\s*\w*\s*,\s*(?!const\s+QString\s*&)/ # don't map the others right now - too many (TODO: how to map?) @@ -628,15 +669,20 @@ drop_class "QOpenGLPixelTransferOptions" # OpenGL native types not supported drop_class "QOpenGLShader" # OpenGL native types not supported drop_class "QOpenGLShaderProgram" # OpenGL native types not supported drop_class "QOpenGLTexture" # OpenGL native types not supported +drop_class "QOpenGLTextureBlitter" # OpenGL native types not supported drop_class "QOpenGLTimeMonitor" # OpenGL native types not supported drop_class "QOpenGLTimerQuery" # OpenGL native types not supported drop_class "QOpenGLVersionFunctionsBackend" # OpenGL native types not supported drop_class "QOpenGLVersionProfile" # OpenGL native types not supported drop_class "QOpenGLVersionStatus" # OpenGL native types not supported +drop_class "QOpenGLVersionFunctionsStorage" # OpenGL native types not supported drop_class "QOpenGLVertexArrayObject_Binder" # OpenGL native types not supported drop_class "QOpenGLVertexArrayObject" # OpenGL native types not supported drop_class "QOpenGLWidget" # OpenGL native types not supported drop_class "QOpenGLWindow" # OpenGL native types not supported +drop_class "QOpenGLExtraFunctions" # OpenGL native types not supported +drop_class "QOpenGLExtraFunctionsPrivate" # OpenGL native types not supported +drop_class "QOpenGLExtraFunctionsPrivate_Functions" # OpenGL native types not supported # depedencies from operators are not derived automatically currently: include "QPoint", [ "", "", "" ] @@ -654,6 +700,8 @@ include "QOffscreenSurface", [ "", "" ] include "QScreenOrientationChangeEvent", [ "", "" ] drop_method "QWindow", /QWindow::handle/ # QPlatformWindow not available +drop_method "QWindow", /::vulkanInstance\(/ # no Vulkan support currently +drop_method "QWindow", /::setVulkanInstance\(/ # no Vulkan support currently drop_method "QScreen", /QScreen::handle/ # QPlatformScreen not available drop_method "QSurface", /QSurface::surfaceHandle/ # QPlatformSurface not available drop_method "QOffscreenSurface", /QOffscreenSurface::handle/ # QPlatformOffscreenSurface not available @@ -663,7 +711,8 @@ drop_method "QGuiApplication", /QGuiApplication::platformFunction/ # (TODO) no drop_method "QPagedPaintDevice", /QPagedPaintDevice::dd/ # QPagedPaintDevicePrivate not available drop_method "QPixmap", /QPixmap::QPixmap\(QPlatformPixmap/ # QPlatformPixmap not available drop_method "QAbstractPageSetupDialog", /QAbstractPageSetupDialog::QAbstractPageSetupDialog\(QAbstractPageSetupDialogPrivate/ -drop_method "QImage", /QImage::QImage\(.*cleanupFunction/ # (TODO) no function pointers available +drop_method "QImage", /QImage::QImage\(.*cleanupFunction/ # (TODO) no function pointers available -> substitute by variant in add_native_impl_QImage +add_native_impl_QImage() drop_method "QClipboardEvent", /QClipboardEvent::data/ drop_method "QClipboardEvent", /QClipboardEvent::QClipboardEvent\(QEventPrivate/ drop_method "QCursor", /QCursor::QCursor\s*\(\s*Qt::HANDLE/ # not available on WIN @@ -786,11 +835,31 @@ drop_method "Qimage", /Qimage::text\(const\s+QString/ # clashes with const char rename "QDialogButtonBox", /QDialogButtonBox::QDialogButtonBox\(QFlags/, "new_buttons" rename "QIcon", /QIcon::pixmap\(int\s+extent/, "pixmap_ext" rename "QKeySequence", /QKeySequence::QKeySequence\(QKeySequence::StandardKey/, "new_std" + +# TODO: basically, the layout object only takes ownership over the objects when +# it has a QWidget parent itself. This is not reflected in the following simple scheme keep_arg "QBoxLayout", /::addLayout/, 0 # will take ownership of layout +keep_arg "QBoxLayout", /::addSpacerItem/, 0 # will take ownership of item +keep_arg "QBoxLayout", /::addWidget/, 0 # will take ownership of item +keep_arg "QBoxLayout", /::insertItem/, 1 # will take ownership of item +keep_arg "QBoxLayout", /::insertLayout/, 1 # will take ownership of item +keep_arg "QBoxLayout", /::insertSpacerItem/, 1 # will take ownership of item +keep_arg "QBoxLayout", /::insertWidget/, 1 # will take ownership of item +keep_arg "QFormLayout", /::addRow/, 1 # will take ownership of item +keep_arg "QFormLayout", /::addRow\(QWidget\s*\*/, 0 # will take ownership of item +keep_arg "QFormLayout", /::insertRow/, 2 # will take ownership of item +keep_arg "QFormLayout", /::insertRow\(QWidget\s*\*/, 1 # will take ownership of item +keep_arg "QFormLayout", /::setWidget/, 2 # will take ownership of item keep_arg "QGridLayout", /::addLayout/, 0 # will take ownership of layout -keep_arg "QWidget", /::setLayout\s*\(/, 0 # will take ownership of layout +keep_arg "QGridLayout", /::addItem/, 0 # will take ownership of layout +keep_arg "QGridLayout", /::addWidget/, 0 # will take ownership of layout keep_arg "QLayout", /::addChildLayout/, 0 # will take ownership of layout keep_arg "QLayout", /::addItem/, 0 # will take ownership of item +keep_arg "QLayout", /::addWidget/, 0 # will take ownership of item +keep_arg "QStackedLayout", /::addWidget/, 0 # will take ownership of item +keep_arg "QStackedLayout", /::insertWidget/, 1 # will take ownership of item + +keep_arg "QWidget", /::setLayout\s*\(/, 0 # will take ownership of layout keep_arg "QTreeWidgetItem", /::addChild\(/, 0 # will take ownership of the child keep_arg "QTreeWidgetItem", /::addChildren\(/, 0 # will take ownership of the children keep_arg "QTreeWidgetItem", /::insertChild\(/, 1 # will take ownership of the child @@ -817,7 +886,7 @@ owner_arg "QWidget", /::setParent\(QWidget\s+\*/, 0 # will make self owned by ar # keep_arg "QTableWidget", /::setItemPrototype\(/, 0 # will take ownership of the child return_new "QLayout", /::takeAt/ # returns a free object return_new "QBoxLayout", /::takeAt/ # returns a free object -return_new "QFormLayout", /::takeAt/ # returns a free object +# TODO: QFormLayout: takeRow -> needs QFormLayout::TakeRowResult return_new "QGridLayout", /::takeAt/ # returns a free object return_new "QStackedLayout", /::takeAt/ # returns a free object return_new "QStandardItem", /::take/ # returns a free object @@ -945,6 +1014,8 @@ no_imports "QAbstractXmlNodeModel" # base class is QSharedData which is not ava # -------------------------------------------------------------- # QtNetwork +include "QDtlsError", [ "" ] + drop_method "QUrlInfo", /QUrlInfo::QUrlInfo\(.*permissions/ # too many arguments (13) drop_method "QHostAddress", /QHostAddress::QHostAddress\(\s*(const\s*)?quint8\s*\*/ # requires char *, a string version is available for IPv6 drop_method "QHostAddress", /QHostAddress::QHostAddress\(\s*const\s+QIPv6Address/ # requires QIPv6Address struct, a string version is available for IPv6 diff --git a/scripts/mkqtdecl6/mkqtdecl.conf b/scripts/mkqtdecl6/mkqtdecl.conf index bd15c83e91..afa95f8746 100644 --- a/scripts/mkqtdecl6/mkqtdecl.conf +++ b/scripts/mkqtdecl6/mkqtdecl.conf @@ -34,8 +34,8 @@ drop_method :all_classes, /\(.*&&.*\)/ # no move semantics drop_method :all_classes, /.*\s+&&$/ # no move semantics drop_method :all_classes, /\(.*std::nullptr_t.*\)/ # no nullptr arguments drop_method :all_classes, /\(.*std::experimental.*\)/ # no experimental stuff -drop_method :all_classes, /\(.*std::chrono.*\)/ # no chrono -drop_method :all_classes, /^std::chrono::/ # no chrono as return value +drop_method :all_classes, /\(.*std::chrono.*\)/ # no std::chrono +drop_method :all_classes, /^std::chrono::/ # no std::chrono as return value drop_method :all_classes, /\(.*std::filesystem.*\)/ # no filesystem drop_method :all_classes, /^std::filesystem::/ # no filesystem as return value drop_method :all_classes, /\(.*std::initializer_list.*\)/ # no brace initialization @@ -43,10 +43,12 @@ drop_method :all_classes, /\(.*std::function.*\)/ # std::function not bindable drop_method :all_classes, /^std::function substitute by variant in add_native_impl_QImage +add_native_impl_QImage() drop_method "QClipboardEvent", /QClipboardEvent::data/ drop_method "QClipboardEvent", /QClipboardEvent::QClipboardEvent\(QEventPrivate/ drop_method "QCursor", /QCursor::QCursor\s*\(\s*Qt::HANDLE/ # not available on WIN @@ -1036,7 +1039,6 @@ drop_method "QColor", /QColor::QColor\(const\s+QString/ # clashes with const cha drop_method "QColor", /QColor::allowX11ColorNames/ # not available in WIN drop_method "QColor", /QColor::setAllowX11ColorNames/ # not available in WIN drop_method "Qimage", /Qimage::text\(const\s+QString/ # clashes with const char * version -drop_method "QOpenGLExtraFunctions", /QOpenGLExtraFunctions::glDebugMessageCallback\(/ # needs function * drop_method "QWindow", /::vulkanInstance\(/ # no Vulkan support currently drop_method "QWindow", /::setVulkanInstance\(/ # no Vulkan support currently drop_method "QTransform", /::asAffineMatrix\(/ # auto return value not supported @@ -1049,11 +1051,30 @@ rename "QDialogButtonBox", /QDialogButtonBox::QDialogButtonBox\(QFlags/, "new_bu rename "QIcon", /QIcon::pixmap\(int\s+extent/, "pixmap_ext" rename "QKeySequence", /QKeySequence::QKeySequence\(QKeySequence::StandardKey/, "new_std" +# TODO: basically, the layout object only takes ownership over the objects when +# it has a QWidget parent itself. This is not reflected in the following simple scheme keep_arg "QBoxLayout", /::addLayout/, 0 # will take ownership of layout +keep_arg "QBoxLayout", /::addSpacerItem/, 0 # will take ownership of item +keep_arg "QBoxLayout", /::addWidget/, 0 # will take ownership of item +keep_arg "QBoxLayout", /::insertItem/, 1 # will take ownership of item +keep_arg "QBoxLayout", /::insertLayout/, 1 # will take ownership of item +keep_arg "QBoxLayout", /::insertSpacerItem/, 1 # will take ownership of item +keep_arg "QBoxLayout", /::insertWidget/, 1 # will take ownership of item +keep_arg "QFormLayout", /::addRow/, 1 # will take ownership of item +keep_arg "QFormLayout", /::addRow\(QWidget\s*\*/, 0 # will take ownership of item +keep_arg "QFormLayout", /::insertRow/, 2 # will take ownership of item +keep_arg "QFormLayout", /::insertRow\(QWidget\s*\*/, 1 # will take ownership of item +keep_arg "QFormLayout", /::setWidget/, 2 # will take ownership of item keep_arg "QGridLayout", /::addLayout/, 0 # will take ownership of layout -keep_arg "QWidget", /::setLayout\s*\(/, 0 # will take ownership of layout +keep_arg "QGridLayout", /::addItem/, 0 # will take ownership of layout +keep_arg "QGridLayout", /::addWidget/, 0 # will take ownership of layout keep_arg "QLayout", /::addChildLayout/, 0 # will take ownership of layout keep_arg "QLayout", /::addItem/, 0 # will take ownership of item +keep_arg "QLayout", /::addWidget/, 0 # will take ownership of item +keep_arg "QStackedLayout", /::addWidget/, 0 # will take ownership of item +keep_arg "QStackedLayout", /::insertWidget/, 1 # will take ownership of item + +keep_arg "QWidget", /::setLayout\s*\(/, 0 # will take ownership of layout keep_arg "QTreeWidgetItem", /::addChild\(/, 0 # will take ownership of the child keep_arg "QTreeWidgetItem", /::addChildren\(/, 0 # will take ownership of the children keep_arg "QTreeWidgetItem", /::insertChild\(/, 1 # will take ownership of the child @@ -1082,6 +1103,7 @@ return_new "QLayout", /::takeAt/ # returns a free object return_new "QBoxLayout", /::takeAt/ # returns a free object return_new "QFormLayout", /::takeAt/ # returns a free object return_new "QGridLayout", /::takeAt/ # returns a free object +# TODO: QFormLayout: takeRow -> needs QFormLayout::TakeRowResult return_new "QStackedLayout", /::takeAt/ # returns a free object return_new "QStandardItem", /::take/ # returns a free object return_new "QStandardItemModel", /::take/ # returns a free object diff --git a/scripts/mkqtdecl_common/c++.treetop b/scripts/mkqtdecl_common/c++.treetop index 4ad9d591d3..bb68f79bd5 100644 --- a/scripts/mkqtdecl_common/c++.treetop +++ b/scripts/mkqtdecl_common/c++.treetop @@ -259,11 +259,11 @@ grammar CPP end rule pointer - cvspec:( cv:cv s )? "*" itspec:( s it:inner_type )? + "*" itspec:( s it:inner_type_with_cv )? end rule reference - cvspec:( cv:cv s )? "&" itspec:( s it:inner_type )? + "&" itspec:( s it:inner_type_with_cv )? end rule array_spec @@ -293,35 +293,43 @@ grammar CPP end rule member_pointer - cspec:( qid:qualified_id s "::*" s ) itspec:( it:inner_type )? cvspec:( s cv:cv )? refspec:( s ref:( "&" !"&" / "&&" ) )? + cspec:( qid:qualified_id s "::*" s ) itspec:( it:inner_type_with_cv )? refspec:( s ref:( "&" !"&" / "&&" ) )? end - rule inner_type_with_cv - cvspec:cv s it:inner_type + rule inner_type_part + "(" s inner_type s ")" / + pointer / + reference / + member_pointer / + ( "__restrict" ![a-zA-Z0-9_] s / "..." s )* qualified_id + end + + rule inner_type_part_with_cv_post + it:inner_type_part cvspec:( s cv:cv )? end rule inner_type - it:( - "(" s inner_type s ")" / - inner_type_with_cv / - pointer / - reference / - member_pointer / - ( "__restrict" ![a-zA-Z0-9_] s / "..." s )* qualified_id - ) + it:inner_type_part_with_cv_post + s pfx:( s spec:( array_spec / func_spec ) )* end + rule inner_type_with_cv + cvspec:( cv:cv s )? it:inner_type + end + rule init_spec block_wo_comma / "default" / "delete" / "0" end + rule tn + "typename" ![a-zA-Z0-9_] s + end + rule type - cvspec:( cv:cv s )? - a - ( "typename" ![a-zA-Z0-9_] s )? - ct:concrete_type + a + dct:( cvspec:( cv:cv s ) a tn? ct:concrete_type / tn? ct:concrete_type a cvspec:( cv:cv s )? ) a il:( s t1:inner_type i1:(s "=" s is1:init_spec)? tt:( s "," s t2:inner_type i2:(s "=" s is2:init_spec)? )* )? # alternative initialization if only a concrete type is given: @@ -330,21 +338,23 @@ grammar CPP end rule type_wo_comma - cvspec:( cv:cv s )? + a + dct:( cvspec:( cv:cv s ) a tn? ct:concrete_type / tn? ct:concrete_type a cvspec:( cv:cv s )? ) a - ( "typename" ![a-zA-Z0-9_] s )? - ct:concrete_type il:( s t:inner_type i:(s "=" s is:init_spec)? )? # alternative initialization if only a concrete type is given: pi:( s "=" s is:init_spec )? end + rule tnt + ( "typename" / "class" ) ![a-zA-Z0-9_] s ( "..." s )? + end + rule type_for_template - cvspec:( cv:cv s )? + a + dct:( cvspec:( cv:cv s ) a tnt? ct:concrete_type / tnt? ct:concrete_type a cvspec:( cv:cv s )? ) a - ( ( "typename" / "class" ) ![a-zA-Z0-9_] s ( "..." s )? )? - ct:concrete_type il:( s t:inner_type )? end diff --git a/scripts/mkqtdecl_common/common.conf b/scripts/mkqtdecl_common/common.conf index fe4f2da1f0..a54cf66945 100644 --- a/scripts/mkqtdecl_common/common.conf +++ b/scripts/mkqtdecl_common/common.conf @@ -75,6 +75,79 @@ DECL end +# -------------------------------------------------------------- +# Add native implementations for QImage +# Constructor from raw packed data without the cleanup functions + +def add_native_impl_QImage + + add_native_impl("QImage_Adaptor", <<'CODE', <<'DECL') + + // NOTE: QImage does not take ownership of the data, so + // we will provide a buffer to do so. This requires an additional + // copy, but as GSI is not guaranteeing the lifetime of the + // data, this is required here. + class DataHolder + { + public: + + DataHolder() : mp_data(0) { } + DataHolder(unsigned char *data) : mp_data(data) { } + + ~DataHolder() + { + if (mp_data) { + delete[](mp_data); + } + mp_data = 0; + } + + static unsigned char *alloc(const std::string &data) + { + unsigned char *ptr = new unsigned char[data.size()]; + memcpy(ptr, data.c_str(), data.size()); + return ptr; + } + + private: + unsigned char *mp_data; + }; + + static QImage_Adaptor *new_qimage_from_data1(const std::string &data, int width, int height, int bytesPerLine, QImage::Format format) + { + return new QImage_Adaptor(DataHolder::alloc(data), width, height, bytesPerLine, format); + } + + static QImage_Adaptor *new_qimage_from_data2(const std::string &data, int width, int height, QImage::Format format) + { + return new QImage_Adaptor(DataHolder::alloc(data), width, height, format); + } + + QImage_Adaptor(unsigned char *data, int width, int height, int bytesPerLine, QImage::Format format) + : QImage(data, width, height, bytesPerLine, format), m_holder(data) + { + } + + QImage_Adaptor(unsigned char *data, int width, int height, QImage::Format format) + : QImage (data, width, height, format), m_holder(data) + { + } + + DataHolder m_holder; + +CODE + gsi::constructor("new", &QImage_Adaptor::new_qimage_from_data1, gsi::arg ("data"), gsi::arg ("width"), gsi::arg ("height"), gsi::arg ("bytesPerLine"), gsi::arg ("format"), + "@brief QImage::QImage(const uchar *data, int width, int height, int bytesPerLine)\n" + "The cleanupFunction parameter is available currently." + ) + + gsi::constructor("new", &QImage_Adaptor::new_qimage_from_data2, gsi::arg ("data"), gsi::arg ("width"), gsi::arg ("height"), gsi::arg ("format"), + "@brief QImage::QImage(const uchar *data, int width, int height)\n" + "The cleanupFunction parameter is available currently." + ) +DECL + +end + # -------------------------------------------------------------- # Alternative implementation for QFont::Light, QFont::Bold, QFont::Normal, QFont::DemiBold, QFont::Black diff --git a/scripts/mkqtdecl_common/cpp_classes.rb b/scripts/mkqtdecl_common/cpp_classes.rb index c3d7f3bdf4..dbbb079be8 100644 --- a/scripts/mkqtdecl_common/cpp_classes.rb +++ b/scripts/mkqtdecl_common/cpp_classes.rb @@ -155,16 +155,15 @@ def dump(i) # part. class CPPMemberPointer < CPPOuterType - attr_accessor :qid, :inner, :cv - def_initializer :qid, :inner, :cv + attr_accessor :qid, :inner + def_initializer :qid, :inner def to_s - self.qid.to_s + "::* " + self.inner.to_s + (self.cv ? " " + self.cv.to_s : "") + self.qid.to_s + "::* " + self.inner.to_s end def dump(i) i + "CPPMemberPointer\n" + i + " inner:\n" + self.inner.dump(i + " ") + - i + " cv:\n" + self.cv.dump(i + " ") + i + " qid: " + self.qid.to_s end diff --git a/scripts/mkqtdecl_common/cpp_parser_classes.rb b/scripts/mkqtdecl_common/cpp_parser_classes.rb index ea283ecd39..be164864cc 100644 --- a/scripts/mkqtdecl_common/cpp_parser_classes.rb +++ b/scripts/mkqtdecl_common/cpp_parser_classes.rb @@ -211,19 +211,19 @@ def cpp module PPointer def cpp - CPPCV::wrap(cvspec.nonterminal? && cvspec.cv.to_symbol, CPPPointer::new(itspec.nonterminal? ? itspec.it.cpp_reduced : CPPAnonymousId::new)) + CPPPointer::new(itspec.nonterminal? ? itspec.it.cpp_reduced : CPPAnonymousId::new) end end module PReference def cpp - CPPCV::wrap(cvspec.nonterminal? && cvspec.cv.to_symbol, CPPReference::new(itspec.nonterminal? ? itspec.it.cpp_reduced : CPPAnonymousId::new)) + CPPReference::new(itspec.nonterminal? ? itspec.it.cpp_reduced : CPPAnonymousId::new) end end module PMemberPointer def cpp - CPPMemberPointer::new(cspec.qid.cpp, itspec.nonterminal? ? itspec.it.cpp_reduced : CPPAnonymousId::new, cvspec.nonterminal? && cvspec.cv.to_symbol) + CPPMemberPointer::new(cspec.qid.cpp, itspec.nonterminal? ? itspec.it.cpp_reduced : CPPAnonymousId::new) end end @@ -247,7 +247,7 @@ def cpp module PInnerTypeWithCV def cpp - CPPCV::wrap(cvspec.to_symbol, it.cpp_reduced) + CPPCV::wrap(cvspec.nonterminal? && cvspec.cv.to_symbol, it.cpp_reduced) end end @@ -293,7 +293,7 @@ module PType def cpp # This is the class/struct/union/enum declaration if there is one - d = ct.cpp + d = dct.ct.cpp if d.is_a?(Array) r = d.select { |i| i.is_a?(CPPStruct) || i.is_a?(CPPEnum) } elsif d.is_a?(CPPStruct) || d.is_a?(CPPEnum) @@ -302,7 +302,7 @@ def cpp r = [] end # Create each declaration - ot = CPPCV::wrap(cvspec.nonterminal? && cvspec.cv.to_symbol, ct.cpp_reduced) + ot = CPPCV::wrap(dct.cvspec.nonterminal? && dct.cvspec.cv.to_symbol, dct.ct.cpp_reduced) if il.nonterminal? r << CPPType::new(ot, il.t1.cpp_reduced, il.i1.nonterminal? ? il.i1.is1.text_value : nil) il.tt.elements.each do |t| @@ -324,7 +324,7 @@ def cpp module PTypeWoComma def cpp - ot = CPPCV::wrap(cvspec.nonterminal? && cvspec.cv.to_symbol, ct.cpp_reduced) + ot = CPPCV::wrap(dct.cvspec.nonterminal? && dct.cvspec.cv.to_symbol, dct.ct.cpp_reduced) if il.nonterminal? CPPType::new(ot, il.t.cpp_reduced, il.i.nonterminal? ? il.i.is.text_value : nil) else @@ -335,7 +335,7 @@ def cpp module PTypeForTemplate def cpp - ot = CPPCV::wrap(cvspec.nonterminal? && cvspec.cv.to_symbol, ct.cpp_reduced) + ot = CPPCV::wrap(dct.cvspec.nonterminal? && dct.cvspec.cv.to_symbol, dct.ct.cpp_reduced) CPPType::new(ot, il.nonterminal? ? il.t.cpp_reduced : CPPAnonymousId::new, nil) end end diff --git a/src/gsi/gsi/gsi.cc b/src/gsi/gsi/gsi.cc index 511bd049d9..e68ed17a06 100644 --- a/src/gsi/gsi/gsi.cc +++ b/src/gsi/gsi/gsi.cc @@ -44,6 +44,9 @@ initialize () // Do a first initialization of the new classes because they might add more classes for (gsi::ClassBase::class_iterator c = gsi::ClassBase::begin_new_classes (); c != gsi::ClassBase::end_new_classes (); ++c) { + if (tl::verbosity () >= 50 && c->begin_methods () != c->end_methods ()) { + tl::info << "GSI: initializing class " << c->module () << "::" << c->name (); + } // TODO: get rid of that const cast (const_cast (&*c))->initialize (); } diff --git a/src/gsi/gsi/gsiMethods.cc b/src/gsi/gsi/gsiMethods.cc index 250264dfb6..9f6100b22a 100644 --- a/src/gsi/gsi/gsiMethods.cc +++ b/src/gsi/gsi/gsiMethods.cc @@ -22,6 +22,7 @@ #include "gsiDecl.h" +#include "tlLog.h" #include @@ -231,5 +232,106 @@ MethodBase::primary_name () const } } +// -------------------------------------------------------------------------------- +// Implementation of MethodBase + +Methods::Methods () + : m_methods () +{ + // .. nothing yet .. +} + +Methods::Methods (MethodBase *m) + : m_methods () +{ + m_methods.push_back (m); +} + +Methods::Methods (const Methods &d) +{ + operator= (d); +} + +Methods & +Methods::operator= (const Methods &d) +{ + if (this != &d) { + clear (); + m_methods.reserve (d.m_methods.size ()); + for (std::vector::const_iterator m = d.m_methods.begin (); m != d.m_methods.end (); ++m) { + m_methods.push_back ((*m)->clone ()); + } + } + return *this; +} + +Methods::~Methods () +{ + clear (); +} + +void +Methods::initialize () +{ + for (std::vector::iterator m = m_methods.begin (); m != m_methods.end (); ++m) { + if (tl::verbosity () >= 60) { + tl::info << "GSI: initializing method " << (*m)->to_string (); + } + (*m)->initialize (); + } +} + +void +Methods::clear () +{ + for (std::vector::iterator m = m_methods.begin (); m != m_methods.end (); ++m) { + delete *m; + } + m_methods.clear (); +} + +// HINT: this is not the usual + semantics but this is more effective +Methods & +Methods::operator+ (const Methods &m) +{ + return operator+= (m); +} + +// HINT: this is not the usual + semantics but this is more effective +Methods & +Methods::operator+ (MethodBase *m) +{ + return operator+= (m); +} + +Methods & +Methods::operator+= (const Methods &m) +{ + for (std::vector::const_iterator mm = m.m_methods.begin (); mm != m.m_methods.end (); ++mm) + { + add_method ((*mm)->clone ()); + } + return *this; +} + +Methods & +Methods::operator+= (MethodBase *m) +{ + add_method (m); + return *this; +} + +void +Methods::add_method (MethodBase *method) +{ + m_methods.push_back (method); +} + +void +Methods::swap (Methods &other) +{ + m_methods.swap (other.m_methods); +} + } diff --git a/src/gsi/gsi/gsiMethods.h b/src/gsi/gsi/gsiMethods.h index cd44ca0646..5a2ae8d78f 100644 --- a/src/gsi/gsi/gsiMethods.h +++ b/src/gsi/gsi/gsiMethods.h @@ -620,81 +620,29 @@ class GSI_PUBLIC Methods public: typedef std::vector::const_iterator iterator; - Methods () - : m_methods () - { - // .. nothing yet .. - } - - explicit Methods (MethodBase *m) - : m_methods () - { - m_methods.push_back (m); - } - - Methods (const Methods &d) - { - operator= (d); - } + Methods (); + explicit Methods (MethodBase *m); + Methods (const Methods &d); - Methods &operator= (const Methods &d) - { - if (this != &d) { - clear (); - m_methods.reserve (d.m_methods.size ()); - for (std::vector::const_iterator m = d.m_methods.begin (); m != d.m_methods.end (); ++m) { - m_methods.push_back ((*m)->clone ()); - } - } - return *this; - } + Methods &operator= (const Methods &d); - ~Methods () - { - clear (); - } + ~Methods (); - void initialize () - { - for (std::vector::iterator m = m_methods.begin (); m != m_methods.end (); ++m) { - (*m)->initialize (); - } - } - - void clear () - { - for (std::vector::iterator m = m_methods.begin (); m != m_methods.end (); ++m) { - delete *m; - } - m_methods.clear (); - } + void initialize (); + void clear (); // HINT: this is not the usual + semantics but this is more effective - Methods &operator+ (const Methods &m) - { - return operator+= (m); - } + Methods &operator+ (const Methods &m); // HINT: this is not the usual + semantics but this is more effective - Methods &operator+ (MethodBase *m) - { - return operator+= (m); - } + Methods &operator+ (MethodBase *m); - Methods &operator+= (const Methods &m) - { - for (std::vector::const_iterator mm = m.m_methods.begin (); mm != m.m_methods.end (); ++mm) - { - add_method ((*mm)->clone ()); - } - return *this; - } + Methods &operator+= (const Methods &m); + Methods &operator+= (MethodBase *m); - Methods &operator+= (MethodBase *m) - { - add_method (m); - return *this; - } + void add_method (MethodBase *method); + + void swap (Methods &other); iterator begin () const { @@ -706,21 +654,11 @@ class GSI_PUBLIC Methods return m_methods.end (); } - void add_method (MethodBase *method) - { - m_methods.push_back (method); - } - size_t size () const { return m_methods.size (); } - void swap (Methods &other) - { - m_methods.swap (other.m_methods); - } - public: std::vector m_methods; }; diff --git a/src/gsiqt/qt5/QtCore/QtCore.pri b/src/gsiqt/qt5/QtCore/QtCore.pri index 04b0ffc6b6..735630560d 100644 --- a/src/gsiqt/qt5/QtCore/QtCore.pri +++ b/src/gsiqt/qt5/QtCore/QtCore.pri @@ -35,6 +35,7 @@ SOURCES += \ $$PWD/gsiDeclQDataStream.cc \ $$PWD/gsiDeclQDate.cc \ $$PWD/gsiDeclQDateTime.cc \ + $$PWD/gsiDeclQDeadlineTimer.cc \ $$PWD/gsiDeclQDebug.cc \ $$PWD/gsiDeclQDebugStateSaver.cc \ $$PWD/gsiDeclQDeferredDeleteEvent.cc \ @@ -100,6 +101,7 @@ SOURCES += \ $$PWD/gsiDeclQMutex.cc \ $$PWD/gsiDeclQNoDebug.cc \ $$PWD/gsiDeclQObject.cc \ + $$PWD/gsiDeclQOperatingSystemVersion.cc \ $$PWD/gsiDeclQParallelAnimationGroup.cc \ $$PWD/gsiDeclQPauseAnimation.cc \ $$PWD/gsiDeclQPersistentModelIndex.cc \ @@ -109,6 +111,8 @@ SOURCES += \ $$PWD/gsiDeclQProcess.cc \ $$PWD/gsiDeclQProcessEnvironment.cc \ $$PWD/gsiDeclQPropertyAnimation.cc \ + $$PWD/gsiDeclQRandomGenerator.cc \ + $$PWD/gsiDeclQRandomGenerator64.cc \ $$PWD/gsiDeclQReadLocker.cc \ $$PWD/gsiDeclQReadWriteLock.cc \ $$PWD/gsiDeclQRect.cc \ @@ -121,6 +125,7 @@ SOURCES += \ $$PWD/gsiDeclQRunnable.cc \ $$PWD/gsiDeclQSaveFile.cc \ $$PWD/gsiDeclQSemaphore.cc \ + $$PWD/gsiDeclQSemaphoreReleaser.cc \ $$PWD/gsiDeclQSequentialAnimationGroup.cc \ $$PWD/gsiDeclQSequentialIterable.cc \ $$PWD/gsiDeclQSettings.cc \ @@ -164,6 +169,7 @@ SOURCES += \ $$PWD/gsiDeclQUrl.cc \ $$PWD/gsiDeclQUrlQuery.cc \ $$PWD/gsiDeclQVariantAnimation.cc \ + $$PWD/gsiDeclQVersionNumber.cc \ $$PWD/gsiDeclQWaitCondition.cc \ $$PWD/gsiDeclQWriteLocker.cc \ $$PWD/gsiDeclQXmlStreamAttribute.cc \ diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractAnimation.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractAnimation.cc index 4534a05c1e..cc84aba827 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractAnimation.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractAnimation.cc @@ -504,18 +504,18 @@ class QAbstractAnimation_Adaptor : public QAbstractAnimation, public qt_gsi::QtO } } - // [adaptor impl] bool QAbstractAnimation::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractAnimation::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractAnimation::eventFilter(arg1, arg2); + return QAbstractAnimation::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractAnimation_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractAnimation_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractAnimation::eventFilter(arg1, arg2); + return QAbstractAnimation::eventFilter(watched, event); } } @@ -538,33 +538,33 @@ class QAbstractAnimation_Adaptor : public QAbstractAnimation, public qt_gsi::QtO emit QAbstractAnimation::stateChanged(newState, oldState); } - // [adaptor impl] void QAbstractAnimation::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractAnimation::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractAnimation::childEvent(arg1); + QAbstractAnimation::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractAnimation_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractAnimation_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractAnimation::childEvent(arg1); + QAbstractAnimation::childEvent(event); } } - // [adaptor impl] void QAbstractAnimation::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractAnimation::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractAnimation::customEvent(arg1); + QAbstractAnimation::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractAnimation_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractAnimation_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractAnimation::customEvent(arg1); + QAbstractAnimation::customEvent(event); } } @@ -598,18 +598,18 @@ class QAbstractAnimation_Adaptor : public QAbstractAnimation, public qt_gsi::QtO } } - // [adaptor impl] void QAbstractAnimation::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAbstractAnimation::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAbstractAnimation::timerEvent(arg1); + QAbstractAnimation::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAbstractAnimation_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAbstractAnimation_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAbstractAnimation::timerEvent(arg1); + QAbstractAnimation::timerEvent(event); } } @@ -677,7 +677,7 @@ QAbstractAnimation_Adaptor::~QAbstractAnimation_Adaptor() { } static void _init_ctor_QAbstractAnimation_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -686,16 +686,16 @@ static void _call_ctor_QAbstractAnimation_Adaptor_1302 (const qt_gsi::GenericSta { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAbstractAnimation_Adaptor (arg1)); } -// void QAbstractAnimation::childEvent(QChildEvent *) +// void QAbstractAnimation::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -733,11 +733,11 @@ static void _call_emitter_currentLoopChanged_767 (const qt_gsi::GenericMethod * } -// void QAbstractAnimation::customEvent(QEvent *) +// void QAbstractAnimation::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -761,7 +761,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -770,7 +770,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QAbstractAnimation_Adaptor *)cls)->emitter_QAbstractAnimation_destroyed_1302 (arg1); } @@ -859,13 +859,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractAnimation::eventFilter(QObject *, QEvent *) +// bool QAbstractAnimation::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1002,11 +1002,11 @@ static void _call_emitter_stateChanged_5680 (const qt_gsi::GenericMethod * /*dec } -// void QAbstractAnimation::timerEvent(QTimerEvent *) +// void QAbstractAnimation::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1109,10 +1109,10 @@ gsi::Class &qtdecl_QAbstractAnimation (); static gsi::Methods methods_QAbstractAnimation_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractAnimation::QAbstractAnimation(QObject *parent)\nThis method creates an object of class QAbstractAnimation.", &_init_ctor_QAbstractAnimation_Adaptor_1302, &_call_ctor_QAbstractAnimation_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractAnimation::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractAnimation::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_currentLoopChanged", "@brief Emitter for signal void QAbstractAnimation::currentLoopChanged(int currentLoop)\nCall this method to emit this signal.", false, &_init_emitter_currentLoopChanged_767, &_call_emitter_currentLoopChanged_767); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractAnimation::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractAnimation::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractAnimation::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("emit_directionChanged", "@brief Emitter for signal void QAbstractAnimation::directionChanged(QAbstractAnimation::Direction)\nCall this method to emit this signal.", false, &_init_emitter_directionChanged_3310, &_call_emitter_directionChanged_3310); @@ -1122,7 +1122,7 @@ static gsi::Methods methods_QAbstractAnimation_Adaptor () { methods += new qt_gsi::GenericMethod ("duration", "@hide", true, &_init_cbs_duration_c0_0, &_call_cbs_duration_c0_0, &_set_callback_cbs_duration_c0_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QAbstractAnimation::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractAnimation::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractAnimation::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QAbstractAnimation::finished()\nCall this method to emit this signal.", false, &_init_emitter_finished_0, &_call_emitter_finished_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAbstractAnimation::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); @@ -1131,7 +1131,7 @@ static gsi::Methods methods_QAbstractAnimation_Adaptor () { methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAbstractAnimation::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAbstractAnimation::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QAbstractAnimation::stateChanged(QAbstractAnimation::State newState, QAbstractAnimation::State oldState)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_5680, &_call_emitter_stateChanged_5680); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractAnimation::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractAnimation::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateCurrentTime", "@brief Virtual method void QAbstractAnimation::updateCurrentTime(int currentTime)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_updateCurrentTime_767_0, &_call_cbs_updateCurrentTime_767_0); methods += new qt_gsi::GenericMethod ("*updateCurrentTime", "@hide", false, &_init_cbs_updateCurrentTime_767_0, &_call_cbs_updateCurrentTime_767_0, &_set_callback_cbs_updateCurrentTime_767_0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractEventDispatcher.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractEventDispatcher.cc index a41ae50d83..f7dbd3212c 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractEventDispatcher.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractEventDispatcher.cc @@ -410,7 +410,7 @@ static void _call_f_wakeUp_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, static void _init_f_instance_1303 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("thread", true, "0"); + static gsi::ArgSpecBase argspec_0 ("thread", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -419,7 +419,7 @@ static void _call_f_instance_1303 (const qt_gsi::GenericStaticMethod * /*decl*/, { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QThread *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QThread *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QAbstractEventDispatcher *)QAbstractEventDispatcher::instance (arg1)); } @@ -594,33 +594,33 @@ class QAbstractEventDispatcher_Adaptor : public QAbstractEventDispatcher, public emit QAbstractEventDispatcher::destroyed(arg1); } - // [adaptor impl] bool QAbstractEventDispatcher::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAbstractEventDispatcher::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAbstractEventDispatcher::event(arg1); + return QAbstractEventDispatcher::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAbstractEventDispatcher_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAbstractEventDispatcher_Adaptor::cbs_event_1217_0, _event); } else { - return QAbstractEventDispatcher::event(arg1); + return QAbstractEventDispatcher::event(_event); } } - // [adaptor impl] bool QAbstractEventDispatcher::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractEventDispatcher::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractEventDispatcher::eventFilter(arg1, arg2); + return QAbstractEventDispatcher::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractEventDispatcher_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractEventDispatcher_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractEventDispatcher::eventFilter(arg1, arg2); + return QAbstractEventDispatcher::eventFilter(watched, event); } } @@ -837,33 +837,33 @@ class QAbstractEventDispatcher_Adaptor : public QAbstractEventDispatcher, public } } - // [adaptor impl] void QAbstractEventDispatcher::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractEventDispatcher::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractEventDispatcher::childEvent(arg1); + QAbstractEventDispatcher::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractEventDispatcher_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractEventDispatcher_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractEventDispatcher::childEvent(arg1); + QAbstractEventDispatcher::childEvent(event); } } - // [adaptor impl] void QAbstractEventDispatcher::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractEventDispatcher::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractEventDispatcher::customEvent(arg1); + QAbstractEventDispatcher::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractEventDispatcher_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractEventDispatcher_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractEventDispatcher::customEvent(arg1); + QAbstractEventDispatcher::customEvent(event); } } @@ -882,18 +882,18 @@ class QAbstractEventDispatcher_Adaptor : public QAbstractEventDispatcher, public } } - // [adaptor impl] void QAbstractEventDispatcher::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAbstractEventDispatcher::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAbstractEventDispatcher::timerEvent(arg1); + QAbstractEventDispatcher::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAbstractEventDispatcher_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAbstractEventDispatcher_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAbstractEventDispatcher::timerEvent(arg1); + QAbstractEventDispatcher::timerEvent(event); } } @@ -925,7 +925,7 @@ QAbstractEventDispatcher_Adaptor::~QAbstractEventDispatcher_Adaptor() { } static void _init_ctor_QAbstractEventDispatcher_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -934,7 +934,7 @@ static void _call_ctor_QAbstractEventDispatcher_Adaptor_1302 (const qt_gsi::Gene { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAbstractEventDispatcher_Adaptor (arg1)); } @@ -967,11 +967,11 @@ static void _call_emitter_awake_0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QAbstractEventDispatcher::childEvent(QChildEvent *) +// void QAbstractEventDispatcher::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1011,11 +1011,11 @@ static void _set_callback_cbs_closingDown_0_0 (void *cls, const gsi::Callback &c } -// void QAbstractEventDispatcher::customEvent(QEvent *) +// void QAbstractEventDispatcher::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1039,7 +1039,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1048,7 +1048,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QAbstractEventDispatcher_Adaptor *)cls)->emitter_QAbstractEventDispatcher_destroyed_1302 (arg1); } @@ -1077,11 +1077,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QAbstractEventDispatcher::event(QEvent *) +// bool QAbstractEventDispatcher::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1100,13 +1100,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractEventDispatcher::eventFilter(QObject *, QEvent *) +// bool QAbstractEventDispatcher::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1413,11 +1413,11 @@ static void _set_callback_cbs_startingUp_0_0 (void *cls, const gsi::Callback &cb } -// void QAbstractEventDispatcher::timerEvent(QTimerEvent *) +// void QAbstractEventDispatcher::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1537,18 +1537,18 @@ static gsi::Methods methods_QAbstractEventDispatcher_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractEventDispatcher::QAbstractEventDispatcher(QObject *parent)\nThis method creates an object of class QAbstractEventDispatcher.", &_init_ctor_QAbstractEventDispatcher_Adaptor_1302, &_call_ctor_QAbstractEventDispatcher_Adaptor_1302); methods += new qt_gsi::GenericMethod ("emit_aboutToBlock", "@brief Emitter for signal void QAbstractEventDispatcher::aboutToBlock()\nCall this method to emit this signal.", false, &_init_emitter_aboutToBlock_0, &_call_emitter_aboutToBlock_0); methods += new qt_gsi::GenericMethod ("emit_awake", "@brief Emitter for signal void QAbstractEventDispatcher::awake()\nCall this method to emit this signal.", false, &_init_emitter_awake_0, &_call_emitter_awake_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractEventDispatcher::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractEventDispatcher::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("closingDown", "@brief Virtual method void QAbstractEventDispatcher::closingDown()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closingDown_0_0, &_call_cbs_closingDown_0_0); methods += new qt_gsi::GenericMethod ("closingDown", "@hide", false, &_init_cbs_closingDown_0_0, &_call_cbs_closingDown_0_0, &_set_callback_cbs_closingDown_0_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractEventDispatcher::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractEventDispatcher::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractEventDispatcher::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractEventDispatcher::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractEventDispatcher::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractEventDispatcher::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractEventDispatcher::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractEventDispatcher::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("flush", "@brief Virtual method void QAbstractEventDispatcher::flush()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_flush_0_0, &_call_cbs_flush_0_0); methods += new qt_gsi::GenericMethod ("flush", "@hide", false, &_init_cbs_flush_0_0, &_call_cbs_flush_0_0, &_set_callback_cbs_flush_0_0); @@ -1573,7 +1573,7 @@ static gsi::Methods methods_QAbstractEventDispatcher_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAbstractEventDispatcher::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("startingUp", "@brief Virtual method void QAbstractEventDispatcher::startingUp()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_startingUp_0_0, &_call_cbs_startingUp_0_0); methods += new qt_gsi::GenericMethod ("startingUp", "@hide", false, &_init_cbs_startingUp_0_0, &_call_cbs_startingUp_0_0, &_set_callback_cbs_startingUp_0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractEventDispatcher::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractEventDispatcher::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("unregisterSocketNotifier", "@brief Virtual method void QAbstractEventDispatcher::unregisterSocketNotifier(QSocketNotifier *notifier)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_unregisterSocketNotifier_2152_0, &_call_cbs_unregisterSocketNotifier_2152_0); methods += new qt_gsi::GenericMethod ("unregisterSocketNotifier", "@hide", false, &_init_cbs_unregisterSocketNotifier_2152_0, &_call_cbs_unregisterSocketNotifier_2152_0, &_set_callback_cbs_unregisterSocketNotifier_2152_0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractItemModel.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractItemModel.cc index 03019a8e1c..4633766e5c 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractItemModel.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractItemModel.cc @@ -128,6 +128,28 @@ static void _call_f_canFetchMore_c2395 (const qt_gsi::GenericMethod * /*decl*/, } +// bool QAbstractItemModel::checkIndex(const QModelIndex &index, QFlags options) + + +static void _init_f_checkIndex_c6947 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("index"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("options", true, "QAbstractItemModel::CheckIndexOption::NoOption"); + decl->add_arg > (argspec_1); + decl->set_return (); +} + +static void _call_f_checkIndex_c6947 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QAbstractItemModel::CheckIndexOption::NoOption, heap); + ret.write ((bool)((QAbstractItemModel *)cls)->checkIndex (arg1, arg2)); +} + + // int QAbstractItemModel::columnCount(const QModelIndex &parent) @@ -1053,6 +1075,7 @@ static gsi::Methods methods_QAbstractItemModel () { methods += new qt_gsi::GenericMethod ("buddy", "@brief Method QModelIndex QAbstractItemModel::buddy(const QModelIndex &index)\n", true, &_init_f_buddy_c2395, &_call_f_buddy_c2395); methods += new qt_gsi::GenericMethod ("canDropMimeData", "@brief Method bool QAbstractItemModel::canDropMimeData(const QMimeData *data, Qt::DropAction action, int row, int column, const QModelIndex &parent)\n", true, &_init_f_canDropMimeData_c7425, &_call_f_canDropMimeData_c7425); methods += new qt_gsi::GenericMethod ("canFetchMore", "@brief Method bool QAbstractItemModel::canFetchMore(const QModelIndex &parent)\n", true, &_init_f_canFetchMore_c2395, &_call_f_canFetchMore_c2395); + methods += new qt_gsi::GenericMethod ("checkIndex", "@brief Method bool QAbstractItemModel::checkIndex(const QModelIndex &index, QFlags options)\n", true, &_init_f_checkIndex_c6947, &_call_f_checkIndex_c6947); methods += new qt_gsi::GenericMethod ("columnCount", "@brief Method int QAbstractItemModel::columnCount(const QModelIndex &parent)\n", true, &_init_f_columnCount_c2395, &_call_f_columnCount_c2395); methods += new qt_gsi::GenericMethod ("data", "@brief Method QVariant QAbstractItemModel::data(const QModelIndex &index, int role)\n", true, &_init_f_data_c3054, &_call_f_data_c3054); methods += new qt_gsi::GenericMethod ("dropMimeData", "@brief Method bool QAbstractItemModel::dropMimeData(const QMimeData *data, Qt::DropAction action, int row, int column, const QModelIndex &parent)\n", false, &_init_f_dropMimeData_7425, &_call_f_dropMimeData_7425); @@ -1439,33 +1462,33 @@ class QAbstractItemModel_Adaptor : public QAbstractItemModel, public qt_gsi::QtO } } - // [adaptor impl] bool QAbstractItemModel::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAbstractItemModel::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAbstractItemModel::event(arg1); + return QAbstractItemModel::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAbstractItemModel_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAbstractItemModel_Adaptor::cbs_event_1217_0, _event); } else { - return QAbstractItemModel::event(arg1); + return QAbstractItemModel::event(_event); } } - // [adaptor impl] bool QAbstractItemModel::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractItemModel::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractItemModel::eventFilter(arg1, arg2); + return QAbstractItemModel::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractItemModel_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractItemModel_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractItemModel::eventFilter(arg1, arg2); + return QAbstractItemModel::eventFilter(watched, event); } } @@ -1989,33 +2012,33 @@ class QAbstractItemModel_Adaptor : public QAbstractItemModel, public qt_gsi::QtO } } - // [adaptor impl] void QAbstractItemModel::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractItemModel::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractItemModel::childEvent(arg1); + QAbstractItemModel::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractItemModel_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractItemModel_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractItemModel::childEvent(arg1); + QAbstractItemModel::childEvent(event); } } - // [adaptor impl] void QAbstractItemModel::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractItemModel::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractItemModel::customEvent(arg1); + QAbstractItemModel::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractItemModel_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractItemModel_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractItemModel::customEvent(arg1); + QAbstractItemModel::customEvent(event); } } @@ -2034,18 +2057,18 @@ class QAbstractItemModel_Adaptor : public QAbstractItemModel, public qt_gsi::QtO } } - // [adaptor impl] void QAbstractItemModel::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAbstractItemModel::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAbstractItemModel::timerEvent(arg1); + QAbstractItemModel::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAbstractItemModel_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAbstractItemModel_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAbstractItemModel::timerEvent(arg1); + QAbstractItemModel::timerEvent(event); } } @@ -2097,7 +2120,7 @@ QAbstractItemModel_Adaptor::~QAbstractItemModel_Adaptor() { } static void _init_ctor_QAbstractItemModel_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -2106,7 +2129,7 @@ static void _call_ctor_QAbstractItemModel_Adaptor_1302 (const qt_gsi::GenericSta { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAbstractItemModel_Adaptor (arg1)); } @@ -2411,11 +2434,11 @@ static void _call_fp_changePersistentIndexList_5912 (const qt_gsi::GenericMethod } -// void QAbstractItemModel::childEvent(QChildEvent *) +// void QAbstractItemModel::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2622,7 +2645,7 @@ static void _init_fp_createIndex_c2374 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("column"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("data", true, "0"); + static gsi::ArgSpecBase argspec_2 ("data", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -2633,7 +2656,7 @@ static void _call_fp_createIndex_c2374 (const qt_gsi::GenericMethod * /*decl*/, tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); - void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QModelIndex)((QAbstractItemModel_Adaptor *)cls)->fp_QAbstractItemModel_createIndex_c2374 (arg1, arg2, arg3)); } @@ -2662,11 +2685,11 @@ static void _call_fp_createIndex_c2657 (const qt_gsi::GenericMethod * /*decl*/, } -// void QAbstractItemModel::customEvent(QEvent *) +// void QAbstractItemModel::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2767,7 +2790,7 @@ static void _call_fp_decodeData_5302 (const qt_gsi::GenericMethod * /*decl*/, vo static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2776,7 +2799,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QAbstractItemModel_Adaptor *)cls)->emitter_QAbstractItemModel_destroyed_1302 (arg1); } @@ -2967,11 +2990,11 @@ static void _call_fp_endResetModel_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// bool QAbstractItemModel::event(QEvent *) +// bool QAbstractItemModel::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2990,13 +3013,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractItemModel::eventFilter(QObject *, QEvent *) +// bool QAbstractItemModel::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -4099,11 +4122,11 @@ static void _set_callback_cbs_supportedDropActions_c0_0 (void *cls, const gsi::C } -// void QAbstractItemModel::timerEvent(QTimerEvent *) +// void QAbstractItemModel::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4146,7 +4169,7 @@ static gsi::Methods methods_QAbstractItemModel_Adaptor () { methods += new qt_gsi::GenericMethod ("canFetchMore", "@hide", true, &_init_cbs_canFetchMore_c2395_0, &_call_cbs_canFetchMore_c2395_0, &_set_callback_cbs_canFetchMore_c2395_0); methods += new qt_gsi::GenericMethod ("*changePersistentIndex", "@brief Method void QAbstractItemModel::changePersistentIndex(const QModelIndex &from, const QModelIndex &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndex_4682, &_call_fp_changePersistentIndex_4682); methods += new qt_gsi::GenericMethod ("*changePersistentIndexList", "@brief Method void QAbstractItemModel::changePersistentIndexList(const QList &from, const QList &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndexList_5912, &_call_fp_changePersistentIndexList_5912); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractItemModel::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractItemModel::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("columnCount", "@brief Virtual method int QAbstractItemModel::columnCount(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_columnCount_c2395_1, &_call_cbs_columnCount_c2395_1); methods += new qt_gsi::GenericMethod ("columnCount", "@hide", true, &_init_cbs_columnCount_c2395_1, &_call_cbs_columnCount_c2395_1, &_set_callback_cbs_columnCount_c2395_1); @@ -4158,7 +4181,7 @@ static gsi::Methods methods_QAbstractItemModel_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_columnsRemoved", "@brief Emitter for signal void QAbstractItemModel::columnsRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsRemoved_7372, &_call_emitter_columnsRemoved_7372); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QAbstractItemModel::createIndex(int row, int column, void *data)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2374, &_call_fp_createIndex_c2374); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QAbstractItemModel::createIndex(int row, int column, quintptr id)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2657, &_call_fp_createIndex_c2657); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractItemModel::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractItemModel::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("data", "@brief Virtual method QVariant QAbstractItemModel::data(const QModelIndex &index, int role)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1); methods += new qt_gsi::GenericMethod ("data", "@hide", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1, &_set_callback_cbs_data_c3054_1); @@ -4177,9 +4200,9 @@ static gsi::Methods methods_QAbstractItemModel_Adaptor () { methods += new qt_gsi::GenericMethod ("*endRemoveColumns", "@brief Method void QAbstractItemModel::endRemoveColumns()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveColumns_0, &_call_fp_endRemoveColumns_0); methods += new qt_gsi::GenericMethod ("*endRemoveRows", "@brief Method void QAbstractItemModel::endRemoveRows()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveRows_0, &_call_fp_endRemoveRows_0); methods += new qt_gsi::GenericMethod ("*endResetModel", "@brief Method void QAbstractItemModel::endResetModel()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endResetModel_0, &_call_fp_endResetModel_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractItemModel::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractItemModel::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractItemModel::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractItemModel::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@brief Virtual method void QAbstractItemModel::fetchMore(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_fetchMore_2395_0, &_call_cbs_fetchMore_2395_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@hide", false, &_init_cbs_fetchMore_2395_0, &_call_cbs_fetchMore_2395_0, &_set_callback_cbs_fetchMore_2395_0); @@ -4255,7 +4278,7 @@ static gsi::Methods methods_QAbstractItemModel_Adaptor () { methods += new qt_gsi::GenericMethod ("supportedDragActions", "@hide", true, &_init_cbs_supportedDragActions_c0_0, &_call_cbs_supportedDragActions_c0_0, &_set_callback_cbs_supportedDragActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@brief Virtual method QFlags QAbstractItemModel::supportedDropActions()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@hide", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0, &_set_callback_cbs_supportedDropActions_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractItemModel::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractItemModel::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } @@ -4267,6 +4290,26 @@ gsi::Class decl_QAbstractItemModel_Adaptor (qtdecl_Q } +// Implementation of the enum wrapper class for QAbstractItemModel::CheckIndexOption +namespace qt_gsi +{ + +static gsi::Enum decl_QAbstractItemModel_CheckIndexOption_Enum ("QtCore", "QAbstractItemModel_CheckIndexOption", + gsi::enum_const ("NoOption", QAbstractItemModel::CheckIndexOption::NoOption, "@brief Enum constant QAbstractItemModel::CheckIndexOption::NoOption") + + gsi::enum_const ("IndexIsValid", QAbstractItemModel::CheckIndexOption::IndexIsValid, "@brief Enum constant QAbstractItemModel::CheckIndexOption::IndexIsValid") + + gsi::enum_const ("DoNotUseParent", QAbstractItemModel::CheckIndexOption::DoNotUseParent, "@brief Enum constant QAbstractItemModel::CheckIndexOption::DoNotUseParent") + + gsi::enum_const ("ParentIsInvalid", QAbstractItemModel::CheckIndexOption::ParentIsInvalid, "@brief Enum constant QAbstractItemModel::CheckIndexOption::ParentIsInvalid"), + "@qt\n@brief This class represents the QAbstractItemModel::CheckIndexOption enum"); + +static gsi::QFlagsClass decl_QAbstractItemModel_CheckIndexOption_Enums ("QtCore", "QAbstractItemModel_QFlags_CheckIndexOption", + "@qt\n@brief This class represents the QFlags flag set"); + +static gsi::ClassExt decl_QAbstractItemModel_CheckIndexOption_Enum_as_child (decl_QAbstractItemModel_CheckIndexOption_Enum, "CheckIndexOption"); +static gsi::ClassExt decl_QAbstractItemModel_CheckIndexOption_Enums_as_child (decl_QAbstractItemModel_CheckIndexOption_Enums, "QFlags_CheckIndexOption"); + +} + + // Implementation of the enum wrapper class for QAbstractItemModel::LayoutChangeHint namespace qt_gsi { diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractListModel.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractListModel.cc index 8ee0f09259..29992e272e 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractListModel.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractListModel.cc @@ -566,33 +566,33 @@ class QAbstractListModel_Adaptor : public QAbstractListModel, public qt_gsi::QtO } } - // [adaptor impl] bool QAbstractListModel::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAbstractListModel::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAbstractListModel::event(arg1); + return QAbstractListModel::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAbstractListModel_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAbstractListModel_Adaptor::cbs_event_1217_0, _event); } else { - return QAbstractListModel::event(arg1); + return QAbstractListModel::event(_event); } } - // [adaptor impl] bool QAbstractListModel::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractListModel::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractListModel::eventFilter(arg1, arg2); + return QAbstractListModel::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractListModel_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractListModel_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractListModel::eventFilter(arg1, arg2); + return QAbstractListModel::eventFilter(watched, event); } } @@ -1082,33 +1082,33 @@ class QAbstractListModel_Adaptor : public QAbstractListModel, public qt_gsi::QtO } } - // [adaptor impl] void QAbstractListModel::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractListModel::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractListModel::childEvent(arg1); + QAbstractListModel::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractListModel_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractListModel_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractListModel::childEvent(arg1); + QAbstractListModel::childEvent(event); } } - // [adaptor impl] void QAbstractListModel::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractListModel::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractListModel::customEvent(arg1); + QAbstractListModel::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractListModel_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractListModel_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractListModel::customEvent(arg1); + QAbstractListModel::customEvent(event); } } @@ -1127,18 +1127,18 @@ class QAbstractListModel_Adaptor : public QAbstractListModel, public qt_gsi::QtO } } - // [adaptor impl] void QAbstractListModel::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAbstractListModel::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAbstractListModel::timerEvent(arg1); + QAbstractListModel::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAbstractListModel_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAbstractListModel_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAbstractListModel::timerEvent(arg1); + QAbstractListModel::timerEvent(event); } } @@ -1187,7 +1187,7 @@ QAbstractListModel_Adaptor::~QAbstractListModel_Adaptor() { } static void _init_ctor_QAbstractListModel_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1196,7 +1196,7 @@ static void _call_ctor_QAbstractListModel_Adaptor_1302 (const qt_gsi::GenericSta { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAbstractListModel_Adaptor (arg1)); } @@ -1501,11 +1501,11 @@ static void _call_fp_changePersistentIndexList_5912 (const qt_gsi::GenericMethod } -// void QAbstractListModel::childEvent(QChildEvent *) +// void QAbstractListModel::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1689,7 +1689,7 @@ static void _init_fp_createIndex_c2374 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("column"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("data", true, "0"); + static gsi::ArgSpecBase argspec_2 ("data", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -1700,7 +1700,7 @@ static void _call_fp_createIndex_c2374 (const qt_gsi::GenericMethod * /*decl*/, tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); - void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QModelIndex)((QAbstractListModel_Adaptor *)cls)->fp_QAbstractListModel_createIndex_c2374 (arg1, arg2, arg3)); } @@ -1729,11 +1729,11 @@ static void _call_fp_createIndex_c2657 (const qt_gsi::GenericMethod * /*decl*/, } -// void QAbstractListModel::customEvent(QEvent *) +// void QAbstractListModel::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1834,7 +1834,7 @@ static void _call_fp_decodeData_5302 (const qt_gsi::GenericMethod * /*decl*/, vo static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1843,7 +1843,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QAbstractListModel_Adaptor *)cls)->emitter_QAbstractListModel_destroyed_1302 (arg1); } @@ -2034,11 +2034,11 @@ static void _call_fp_endResetModel_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// bool QAbstractListModel::event(QEvent *) +// bool QAbstractListModel::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2057,13 +2057,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractListModel::eventFilter(QObject *, QEvent *) +// bool QAbstractListModel::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -3120,11 +3120,11 @@ static void _set_callback_cbs_supportedDropActions_c0_0 (void *cls, const gsi::C } -// void QAbstractListModel::timerEvent(QTimerEvent *) +// void QAbstractListModel::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3167,7 +3167,7 @@ static gsi::Methods methods_QAbstractListModel_Adaptor () { methods += new qt_gsi::GenericMethod ("canFetchMore", "@hide", true, &_init_cbs_canFetchMore_c2395_0, &_call_cbs_canFetchMore_c2395_0, &_set_callback_cbs_canFetchMore_c2395_0); methods += new qt_gsi::GenericMethod ("*changePersistentIndex", "@brief Method void QAbstractListModel::changePersistentIndex(const QModelIndex &from, const QModelIndex &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndex_4682, &_call_fp_changePersistentIndex_4682); methods += new qt_gsi::GenericMethod ("*changePersistentIndexList", "@brief Method void QAbstractListModel::changePersistentIndexList(const QList &from, const QList &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndexList_5912, &_call_fp_changePersistentIndexList_5912); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractListModel::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractListModel::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_columnsAboutToBeInserted", "@brief Emitter for signal void QAbstractListModel::columnsAboutToBeInserted(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsAboutToBeInserted_7372, &_call_emitter_columnsAboutToBeInserted_7372); methods += new qt_gsi::GenericMethod ("emit_columnsAboutToBeMoved", "@brief Emitter for signal void QAbstractListModel::columnsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationColumn)\nCall this method to emit this signal.", false, &_init_emitter_columnsAboutToBeMoved_10318, &_call_emitter_columnsAboutToBeMoved_10318); @@ -3177,7 +3177,7 @@ static gsi::Methods methods_QAbstractListModel_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_columnsRemoved", "@brief Emitter for signal void QAbstractListModel::columnsRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsRemoved_7372, &_call_emitter_columnsRemoved_7372); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QAbstractListModel::createIndex(int row, int column, void *data)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2374, &_call_fp_createIndex_c2374); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QAbstractListModel::createIndex(int row, int column, quintptr id)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2657, &_call_fp_createIndex_c2657); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractListModel::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractListModel::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("data", "@brief Virtual method QVariant QAbstractListModel::data(const QModelIndex &index, int role)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1); methods += new qt_gsi::GenericMethod ("data", "@hide", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1, &_set_callback_cbs_data_c3054_1); @@ -3196,9 +3196,9 @@ static gsi::Methods methods_QAbstractListModel_Adaptor () { methods += new qt_gsi::GenericMethod ("*endRemoveColumns", "@brief Method void QAbstractListModel::endRemoveColumns()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveColumns_0, &_call_fp_endRemoveColumns_0); methods += new qt_gsi::GenericMethod ("*endRemoveRows", "@brief Method void QAbstractListModel::endRemoveRows()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveRows_0, &_call_fp_endRemoveRows_0); methods += new qt_gsi::GenericMethod ("*endResetModel", "@brief Method void QAbstractListModel::endResetModel()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endResetModel_0, &_call_fp_endResetModel_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractListModel::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractListModel::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractListModel::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractListModel::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@brief Virtual method void QAbstractListModel::fetchMore(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_fetchMore_2395_0, &_call_cbs_fetchMore_2395_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@hide", false, &_init_cbs_fetchMore_2395_0, &_call_cbs_fetchMore_2395_0, &_set_callback_cbs_fetchMore_2395_0); @@ -3270,7 +3270,7 @@ static gsi::Methods methods_QAbstractListModel_Adaptor () { methods += new qt_gsi::GenericMethod ("supportedDragActions", "@hide", true, &_init_cbs_supportedDragActions_c0_0, &_call_cbs_supportedDragActions_c0_0, &_set_callback_cbs_supportedDragActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@brief Virtual method QFlags QAbstractListModel::supportedDropActions()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@hide", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0, &_set_callback_cbs_supportedDropActions_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractListModel::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractListModel::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractProxyModel.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractProxyModel.cc index 7dea5b65db..2e20a2e2fb 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractProxyModel.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractProxyModel.cc @@ -1063,33 +1063,33 @@ class QAbstractProxyModel_Adaptor : public QAbstractProxyModel, public qt_gsi::Q } } - // [adaptor impl] bool QAbstractProxyModel::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAbstractProxyModel::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAbstractProxyModel::event(arg1); + return QAbstractProxyModel::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAbstractProxyModel_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAbstractProxyModel_Adaptor::cbs_event_1217_0, _event); } else { - return QAbstractProxyModel::event(arg1); + return QAbstractProxyModel::event(_event); } } - // [adaptor impl] bool QAbstractProxyModel::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractProxyModel::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractProxyModel::eventFilter(arg1, arg2); + return QAbstractProxyModel::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractProxyModel_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractProxyModel_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractProxyModel::eventFilter(arg1, arg2); + return QAbstractProxyModel::eventFilter(watched, event); } } @@ -1696,33 +1696,33 @@ class QAbstractProxyModel_Adaptor : public QAbstractProxyModel, public qt_gsi::Q } } - // [adaptor impl] void QAbstractProxyModel::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractProxyModel::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractProxyModel::childEvent(arg1); + QAbstractProxyModel::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractProxyModel_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractProxyModel_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractProxyModel::childEvent(arg1); + QAbstractProxyModel::childEvent(event); } } - // [adaptor impl] void QAbstractProxyModel::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractProxyModel::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractProxyModel::customEvent(arg1); + QAbstractProxyModel::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractProxyModel_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractProxyModel_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractProxyModel::customEvent(arg1); + QAbstractProxyModel::customEvent(event); } } @@ -1741,18 +1741,18 @@ class QAbstractProxyModel_Adaptor : public QAbstractProxyModel, public qt_gsi::Q } } - // [adaptor impl] void QAbstractProxyModel::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAbstractProxyModel::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAbstractProxyModel::timerEvent(arg1); + QAbstractProxyModel::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAbstractProxyModel_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAbstractProxyModel_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAbstractProxyModel::timerEvent(arg1); + QAbstractProxyModel::timerEvent(event); } } @@ -1809,7 +1809,7 @@ QAbstractProxyModel_Adaptor::~QAbstractProxyModel_Adaptor() { } static void _init_ctor_QAbstractProxyModel_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1818,7 +1818,7 @@ static void _call_ctor_QAbstractProxyModel_Adaptor_1302 (const qt_gsi::GenericSt { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAbstractProxyModel_Adaptor (arg1)); } @@ -2123,11 +2123,11 @@ static void _call_fp_changePersistentIndexList_5912 (const qt_gsi::GenericMethod } -// void QAbstractProxyModel::childEvent(QChildEvent *) +// void QAbstractProxyModel::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2334,7 +2334,7 @@ static void _init_fp_createIndex_c2374 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("column"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("data", true, "0"); + static gsi::ArgSpecBase argspec_2 ("data", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -2345,7 +2345,7 @@ static void _call_fp_createIndex_c2374 (const qt_gsi::GenericMethod * /*decl*/, tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); - void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QModelIndex)((QAbstractProxyModel_Adaptor *)cls)->fp_QAbstractProxyModel_createIndex_c2374 (arg1, arg2, arg3)); } @@ -2374,11 +2374,11 @@ static void _call_fp_createIndex_c2657 (const qt_gsi::GenericMethod * /*decl*/, } -// void QAbstractProxyModel::customEvent(QEvent *) +// void QAbstractProxyModel::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2479,7 +2479,7 @@ static void _call_fp_decodeData_5302 (const qt_gsi::GenericMethod * /*decl*/, vo static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2488,7 +2488,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QAbstractProxyModel_Adaptor *)cls)->emitter_QAbstractProxyModel_destroyed_1302 (arg1); } @@ -2679,11 +2679,11 @@ static void _call_fp_endResetModel_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// bool QAbstractProxyModel::event(QEvent *) +// bool QAbstractProxyModel::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2702,13 +2702,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractProxyModel::eventFilter(QObject *, QEvent *) +// bool QAbstractProxyModel::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -3941,11 +3941,11 @@ static void _set_callback_cbs_supportedDropActions_c0_0 (void *cls, const gsi::C } -// void QAbstractProxyModel::timerEvent(QTimerEvent *) +// void QAbstractProxyModel::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3988,7 +3988,7 @@ static gsi::Methods methods_QAbstractProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("canFetchMore", "@hide", true, &_init_cbs_canFetchMore_c2395_0, &_call_cbs_canFetchMore_c2395_0, &_set_callback_cbs_canFetchMore_c2395_0); methods += new qt_gsi::GenericMethod ("*changePersistentIndex", "@brief Method void QAbstractProxyModel::changePersistentIndex(const QModelIndex &from, const QModelIndex &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndex_4682, &_call_fp_changePersistentIndex_4682); methods += new qt_gsi::GenericMethod ("*changePersistentIndexList", "@brief Method void QAbstractProxyModel::changePersistentIndexList(const QList &from, const QList &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndexList_5912, &_call_fp_changePersistentIndexList_5912); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractProxyModel::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractProxyModel::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("columnCount", "@brief Virtual method int QAbstractProxyModel::columnCount(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_columnCount_c2395_1, &_call_cbs_columnCount_c2395_1); methods += new qt_gsi::GenericMethod ("columnCount", "@hide", true, &_init_cbs_columnCount_c2395_1, &_call_cbs_columnCount_c2395_1, &_set_callback_cbs_columnCount_c2395_1); @@ -4000,7 +4000,7 @@ static gsi::Methods methods_QAbstractProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_columnsRemoved", "@brief Emitter for signal void QAbstractProxyModel::columnsRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsRemoved_7372, &_call_emitter_columnsRemoved_7372); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QAbstractProxyModel::createIndex(int row, int column, void *data)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2374, &_call_fp_createIndex_c2374); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QAbstractProxyModel::createIndex(int row, int column, quintptr id)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2657, &_call_fp_createIndex_c2657); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractProxyModel::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractProxyModel::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("data", "@brief Virtual method QVariant QAbstractProxyModel::data(const QModelIndex &proxyIndex, int role)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1); methods += new qt_gsi::GenericMethod ("data", "@hide", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1, &_set_callback_cbs_data_c3054_1); @@ -4019,9 +4019,9 @@ static gsi::Methods methods_QAbstractProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("*endRemoveColumns", "@brief Method void QAbstractProxyModel::endRemoveColumns()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveColumns_0, &_call_fp_endRemoveColumns_0); methods += new qt_gsi::GenericMethod ("*endRemoveRows", "@brief Method void QAbstractProxyModel::endRemoveRows()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveRows_0, &_call_fp_endRemoveRows_0); methods += new qt_gsi::GenericMethod ("*endResetModel", "@brief Method void QAbstractProxyModel::endResetModel()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endResetModel_0, &_call_fp_endResetModel_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractProxyModel::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractProxyModel::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractProxyModel::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractProxyModel::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@brief Virtual method void QAbstractProxyModel::fetchMore(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_fetchMore_2395_0, &_call_cbs_fetchMore_2395_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@hide", false, &_init_cbs_fetchMore_2395_0, &_call_cbs_fetchMore_2395_0, &_set_callback_cbs_fetchMore_2395_0); @@ -4108,7 +4108,7 @@ static gsi::Methods methods_QAbstractProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("supportedDragActions", "@hide", true, &_init_cbs_supportedDragActions_c0_0, &_call_cbs_supportedDragActions_c0_0, &_set_callback_cbs_supportedDragActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@brief Virtual method QFlags QAbstractProxyModel::supportedDropActions()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@hide", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0, &_set_callback_cbs_supportedDropActions_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractProxyModel::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractProxyModel::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractState.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractState.cc index 623bed14c6..ace67670f0 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractState.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractState.cc @@ -231,18 +231,18 @@ class QAbstractState_Adaptor : public QAbstractState, public qt_gsi::QtObjectBas throw tl::Exception ("Can't emit private signal 'void QAbstractState::entered()'"); } - // [adaptor impl] bool QAbstractState::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractState::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractState::eventFilter(arg1, arg2); + return QAbstractState::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractState_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractState_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractState::eventFilter(arg1, arg2); + return QAbstractState::eventFilter(watched, event); } } @@ -259,33 +259,33 @@ class QAbstractState_Adaptor : public QAbstractState, public qt_gsi::QtObjectBas throw tl::Exception ("Can't emit private signal 'void QAbstractState::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QAbstractState::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractState::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractState::childEvent(arg1); + QAbstractState::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractState_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractState_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractState::childEvent(arg1); + QAbstractState::childEvent(event); } } - // [adaptor impl] void QAbstractState::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractState::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractState::customEvent(arg1); + QAbstractState::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractState_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractState_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractState::customEvent(arg1); + QAbstractState::customEvent(event); } } @@ -351,18 +351,18 @@ class QAbstractState_Adaptor : public QAbstractState, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QAbstractState::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAbstractState::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAbstractState::timerEvent(arg1); + QAbstractState::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAbstractState_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAbstractState_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAbstractState::timerEvent(arg1); + QAbstractState::timerEvent(event); } } @@ -410,11 +410,11 @@ static void _call_emitter_activeChanged_864 (const qt_gsi::GenericMethod * /*dec } -// void QAbstractState::childEvent(QChildEvent *) +// void QAbstractState::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -434,11 +434,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAbstractState::customEvent(QEvent *) +// void QAbstractState::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -462,7 +462,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -471,7 +471,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QAbstractState_Adaptor *)cls)->emitter_QAbstractState_destroyed_1302 (arg1); } @@ -537,13 +537,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractState::eventFilter(QObject *, QEvent *) +// bool QAbstractState::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -707,11 +707,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QAbstractState::timerEvent(QTimerEvent *) +// void QAbstractState::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -740,9 +740,9 @@ static gsi::Methods methods_QAbstractState_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractState::QAbstractState()\nThis method creates an object of class QAbstractState.", &_init_ctor_QAbstractState_Adaptor_0, &_call_ctor_QAbstractState_Adaptor_0); methods += new qt_gsi::GenericMethod ("emit_activeChanged", "@brief Emitter for signal void QAbstractState::activeChanged(bool active)\nCall this method to emit this signal.", false, &_init_emitter_activeChanged_864, &_call_emitter_activeChanged_864); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractState::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractState::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractState::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractState::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractState::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractState::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -750,7 +750,7 @@ static gsi::Methods methods_QAbstractState_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_entered", "@brief Emitter for signal void QAbstractState::entered()\nCall this method to emit this signal.", false, &_init_emitter_entered_3384, &_call_emitter_entered_3384); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QAbstractState::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractState::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractState::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_exited", "@brief Emitter for signal void QAbstractState::exited()\nCall this method to emit this signal.", false, &_init_emitter_exited_3384, &_call_emitter_exited_3384); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAbstractState::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); @@ -762,7 +762,7 @@ static gsi::Methods methods_QAbstractState_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAbstractState::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAbstractState::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAbstractState::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractState::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractState::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractTableModel.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractTableModel.cc index a3ce5b99f8..5c9ed1b929 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractTableModel.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractTableModel.cc @@ -582,33 +582,33 @@ class QAbstractTableModel_Adaptor : public QAbstractTableModel, public qt_gsi::Q } } - // [adaptor impl] bool QAbstractTableModel::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAbstractTableModel::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAbstractTableModel::event(arg1); + return QAbstractTableModel::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAbstractTableModel_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAbstractTableModel_Adaptor::cbs_event_1217_0, _event); } else { - return QAbstractTableModel::event(arg1); + return QAbstractTableModel::event(_event); } } - // [adaptor impl] bool QAbstractTableModel::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractTableModel::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractTableModel::eventFilter(arg1, arg2); + return QAbstractTableModel::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractTableModel_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractTableModel_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractTableModel::eventFilter(arg1, arg2); + return QAbstractTableModel::eventFilter(watched, event); } } @@ -1098,33 +1098,33 @@ class QAbstractTableModel_Adaptor : public QAbstractTableModel, public qt_gsi::Q } } - // [adaptor impl] void QAbstractTableModel::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractTableModel::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractTableModel::childEvent(arg1); + QAbstractTableModel::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractTableModel_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractTableModel_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractTableModel::childEvent(arg1); + QAbstractTableModel::childEvent(event); } } - // [adaptor impl] void QAbstractTableModel::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractTableModel::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractTableModel::customEvent(arg1); + QAbstractTableModel::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractTableModel_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractTableModel_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractTableModel::customEvent(arg1); + QAbstractTableModel::customEvent(event); } } @@ -1143,18 +1143,18 @@ class QAbstractTableModel_Adaptor : public QAbstractTableModel, public qt_gsi::Q } } - // [adaptor impl] void QAbstractTableModel::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAbstractTableModel::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAbstractTableModel::timerEvent(arg1); + QAbstractTableModel::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAbstractTableModel_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAbstractTableModel_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAbstractTableModel::timerEvent(arg1); + QAbstractTableModel::timerEvent(event); } } @@ -1204,7 +1204,7 @@ QAbstractTableModel_Adaptor::~QAbstractTableModel_Adaptor() { } static void _init_ctor_QAbstractTableModel_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1213,7 +1213,7 @@ static void _call_ctor_QAbstractTableModel_Adaptor_1302 (const qt_gsi::GenericSt { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAbstractTableModel_Adaptor (arg1)); } @@ -1518,11 +1518,11 @@ static void _call_fp_changePersistentIndexList_5912 (const qt_gsi::GenericMethod } -// void QAbstractTableModel::childEvent(QChildEvent *) +// void QAbstractTableModel::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1729,7 +1729,7 @@ static void _init_fp_createIndex_c2374 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("column"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("data", true, "0"); + static gsi::ArgSpecBase argspec_2 ("data", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -1740,7 +1740,7 @@ static void _call_fp_createIndex_c2374 (const qt_gsi::GenericMethod * /*decl*/, tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); - void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QModelIndex)((QAbstractTableModel_Adaptor *)cls)->fp_QAbstractTableModel_createIndex_c2374 (arg1, arg2, arg3)); } @@ -1769,11 +1769,11 @@ static void _call_fp_createIndex_c2657 (const qt_gsi::GenericMethod * /*decl*/, } -// void QAbstractTableModel::customEvent(QEvent *) +// void QAbstractTableModel::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1874,7 +1874,7 @@ static void _call_fp_decodeData_5302 (const qt_gsi::GenericMethod * /*decl*/, vo static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1883,7 +1883,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QAbstractTableModel_Adaptor *)cls)->emitter_QAbstractTableModel_destroyed_1302 (arg1); } @@ -2074,11 +2074,11 @@ static void _call_fp_endResetModel_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// bool QAbstractTableModel::event(QEvent *) +// bool QAbstractTableModel::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2097,13 +2097,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractTableModel::eventFilter(QObject *, QEvent *) +// bool QAbstractTableModel::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -3160,11 +3160,11 @@ static void _set_callback_cbs_supportedDropActions_c0_0 (void *cls, const gsi::C } -// void QAbstractTableModel::timerEvent(QTimerEvent *) +// void QAbstractTableModel::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3207,7 +3207,7 @@ static gsi::Methods methods_QAbstractTableModel_Adaptor () { methods += new qt_gsi::GenericMethod ("canFetchMore", "@hide", true, &_init_cbs_canFetchMore_c2395_0, &_call_cbs_canFetchMore_c2395_0, &_set_callback_cbs_canFetchMore_c2395_0); methods += new qt_gsi::GenericMethod ("*changePersistentIndex", "@brief Method void QAbstractTableModel::changePersistentIndex(const QModelIndex &from, const QModelIndex &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndex_4682, &_call_fp_changePersistentIndex_4682); methods += new qt_gsi::GenericMethod ("*changePersistentIndexList", "@brief Method void QAbstractTableModel::changePersistentIndexList(const QList &from, const QList &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndexList_5912, &_call_fp_changePersistentIndexList_5912); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractTableModel::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractTableModel::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("columnCount", "@brief Virtual method int QAbstractTableModel::columnCount(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_columnCount_c2395_1, &_call_cbs_columnCount_c2395_1); methods += new qt_gsi::GenericMethod ("columnCount", "@hide", true, &_init_cbs_columnCount_c2395_1, &_call_cbs_columnCount_c2395_1, &_set_callback_cbs_columnCount_c2395_1); @@ -3219,7 +3219,7 @@ static gsi::Methods methods_QAbstractTableModel_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_columnsRemoved", "@brief Emitter for signal void QAbstractTableModel::columnsRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsRemoved_7372, &_call_emitter_columnsRemoved_7372); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QAbstractTableModel::createIndex(int row, int column, void *data)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2374, &_call_fp_createIndex_c2374); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QAbstractTableModel::createIndex(int row, int column, quintptr id)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2657, &_call_fp_createIndex_c2657); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractTableModel::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractTableModel::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("data", "@brief Virtual method QVariant QAbstractTableModel::data(const QModelIndex &index, int role)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1); methods += new qt_gsi::GenericMethod ("data", "@hide", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1, &_set_callback_cbs_data_c3054_1); @@ -3238,9 +3238,9 @@ static gsi::Methods methods_QAbstractTableModel_Adaptor () { methods += new qt_gsi::GenericMethod ("*endRemoveColumns", "@brief Method void QAbstractTableModel::endRemoveColumns()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveColumns_0, &_call_fp_endRemoveColumns_0); methods += new qt_gsi::GenericMethod ("*endRemoveRows", "@brief Method void QAbstractTableModel::endRemoveRows()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveRows_0, &_call_fp_endRemoveRows_0); methods += new qt_gsi::GenericMethod ("*endResetModel", "@brief Method void QAbstractTableModel::endResetModel()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endResetModel_0, &_call_fp_endResetModel_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractTableModel::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractTableModel::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractTableModel::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractTableModel::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@brief Virtual method void QAbstractTableModel::fetchMore(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_fetchMore_2395_0, &_call_cbs_fetchMore_2395_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@hide", false, &_init_cbs_fetchMore_2395_0, &_call_cbs_fetchMore_2395_0, &_set_callback_cbs_fetchMore_2395_0); @@ -3312,7 +3312,7 @@ static gsi::Methods methods_QAbstractTableModel_Adaptor () { methods += new qt_gsi::GenericMethod ("supportedDragActions", "@hide", true, &_init_cbs_supportedDragActions_c0_0, &_call_cbs_supportedDragActions_c0_0, &_set_callback_cbs_supportedDragActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@brief Virtual method QFlags QAbstractTableModel::supportedDropActions()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@hide", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0, &_set_callback_cbs_supportedDropActions_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractTableModel::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractTableModel::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractTransition.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractTransition.cc index 5e954ca8e0..81b97d30bc 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractTransition.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractTransition.cc @@ -380,18 +380,18 @@ class QAbstractTransition_Adaptor : public QAbstractTransition, public qt_gsi::Q emit QAbstractTransition::destroyed(arg1); } - // [adaptor impl] bool QAbstractTransition::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractTransition::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractTransition::eventFilter(arg1, arg2); + return QAbstractTransition::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractTransition_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractTransition_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractTransition::eventFilter(arg1, arg2); + return QAbstractTransition::eventFilter(watched, event); } } @@ -420,33 +420,33 @@ class QAbstractTransition_Adaptor : public QAbstractTransition, public qt_gsi::Q throw tl::Exception ("Can't emit private signal 'void QAbstractTransition::triggered()'"); } - // [adaptor impl] void QAbstractTransition::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractTransition::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractTransition::childEvent(arg1); + QAbstractTransition::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractTransition_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractTransition_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractTransition::childEvent(arg1); + QAbstractTransition::childEvent(event); } } - // [adaptor impl] void QAbstractTransition::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractTransition::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractTransition::customEvent(arg1); + QAbstractTransition::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractTransition_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractTransition_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractTransition::customEvent(arg1); + QAbstractTransition::customEvent(event); } } @@ -512,18 +512,18 @@ class QAbstractTransition_Adaptor : public QAbstractTransition, public qt_gsi::Q } } - // [adaptor impl] void QAbstractTransition::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAbstractTransition::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAbstractTransition::timerEvent(arg1); + QAbstractTransition::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAbstractTransition_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAbstractTransition_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAbstractTransition::timerEvent(arg1); + QAbstractTransition::timerEvent(event); } } @@ -543,7 +543,7 @@ QAbstractTransition_Adaptor::~QAbstractTransition_Adaptor() { } static void _init_ctor_QAbstractTransition_Adaptor_1216 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("sourceState", true, "0"); + static gsi::ArgSpecBase argspec_0 ("sourceState", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -552,16 +552,16 @@ static void _call_ctor_QAbstractTransition_Adaptor_1216 (const qt_gsi::GenericSt { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QState *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QState *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAbstractTransition_Adaptor (arg1)); } -// void QAbstractTransition::childEvent(QChildEvent *) +// void QAbstractTransition::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -581,11 +581,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAbstractTransition::customEvent(QEvent *) +// void QAbstractTransition::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -609,7 +609,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -618,7 +618,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QAbstractTransition_Adaptor *)cls)->emitter_QAbstractTransition_destroyed_1302 (arg1); } @@ -670,13 +670,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractTransition::eventFilter(QObject *, QEvent *) +// bool QAbstractTransition::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -853,11 +853,11 @@ static void _call_emitter_targetStatesChanged_3938 (const qt_gsi::GenericMethod } -// void QAbstractTransition::timerEvent(QTimerEvent *) +// void QAbstractTransition::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -899,16 +899,16 @@ gsi::Class &qtdecl_QAbstractTransition (); static gsi::Methods methods_QAbstractTransition_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractTransition::QAbstractTransition(QState *sourceState)\nThis method creates an object of class QAbstractTransition.", &_init_ctor_QAbstractTransition_Adaptor_1216, &_call_ctor_QAbstractTransition_Adaptor_1216); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractTransition::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractTransition::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractTransition::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractTransition::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractTransition::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractTransition::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QAbstractTransition::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractTransition::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractTransition::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventTest", "@brief Virtual method bool QAbstractTransition::eventTest(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventTest_1217_0, &_call_cbs_eventTest_1217_0); methods += new qt_gsi::GenericMethod ("*eventTest", "@hide", false, &_init_cbs_eventTest_1217_0, &_call_cbs_eventTest_1217_0, &_set_callback_cbs_eventTest_1217_0); @@ -921,7 +921,7 @@ static gsi::Methods methods_QAbstractTransition_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAbstractTransition::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("emit_targetStateChanged", "@brief Emitter for signal void QAbstractTransition::targetStateChanged()\nCall this method to emit this signal.", false, &_init_emitter_targetStateChanged_3938, &_call_emitter_targetStateChanged_3938); methods += new qt_gsi::GenericMethod ("emit_targetStatesChanged", "@brief Emitter for signal void QAbstractTransition::targetStatesChanged()\nCall this method to emit this signal.", false, &_init_emitter_targetStatesChanged_3938, &_call_emitter_targetStatesChanged_3938); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractTransition::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractTransition::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_triggered", "@brief Emitter for signal void QAbstractTransition::triggered()\nCall this method to emit this signal.", false, &_init_emitter_triggered_3938, &_call_emitter_triggered_3938); return methods; diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAnimationDriver.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAnimationDriver.cc index 07662fadec..178afbfb48 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAnimationDriver.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAnimationDriver.cc @@ -329,33 +329,33 @@ class QAnimationDriver_Adaptor : public QAnimationDriver, public qt_gsi::QtObjec } } - // [adaptor impl] bool QAnimationDriver::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAnimationDriver::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAnimationDriver::event(arg1); + return QAnimationDriver::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAnimationDriver_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAnimationDriver_Adaptor::cbs_event_1217_0, _event); } else { - return QAnimationDriver::event(arg1); + return QAnimationDriver::event(_event); } } - // [adaptor impl] bool QAnimationDriver::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAnimationDriver::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAnimationDriver::eventFilter(arg1, arg2); + return QAnimationDriver::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAnimationDriver_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAnimationDriver_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAnimationDriver::eventFilter(arg1, arg2); + return QAnimationDriver::eventFilter(watched, event); } } @@ -378,33 +378,33 @@ class QAnimationDriver_Adaptor : public QAnimationDriver, public qt_gsi::QtObjec emit QAnimationDriver::stopped(); } - // [adaptor impl] void QAnimationDriver::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAnimationDriver::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAnimationDriver::childEvent(arg1); + QAnimationDriver::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAnimationDriver_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAnimationDriver_Adaptor::cbs_childEvent_1701_0, event); } else { - QAnimationDriver::childEvent(arg1); + QAnimationDriver::childEvent(event); } } - // [adaptor impl] void QAnimationDriver::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAnimationDriver::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAnimationDriver::customEvent(arg1); + QAnimationDriver::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAnimationDriver_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAnimationDriver_Adaptor::cbs_customEvent_1217_0, event); } else { - QAnimationDriver::customEvent(arg1); + QAnimationDriver::customEvent(event); } } @@ -453,18 +453,18 @@ class QAnimationDriver_Adaptor : public QAnimationDriver, public qt_gsi::QtObjec } } - // [adaptor impl] void QAnimationDriver::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAnimationDriver::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAnimationDriver::timerEvent(arg1); + QAnimationDriver::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAnimationDriver_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAnimationDriver_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAnimationDriver::timerEvent(arg1); + QAnimationDriver::timerEvent(event); } } @@ -486,7 +486,7 @@ QAnimationDriver_Adaptor::~QAnimationDriver_Adaptor() { } static void _init_ctor_QAnimationDriver_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -495,7 +495,7 @@ static void _call_ctor_QAnimationDriver_Adaptor_1302 (const qt_gsi::GenericStati { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAnimationDriver_Adaptor (arg1)); } @@ -539,11 +539,11 @@ static void _call_fp_advanceAnimation_986 (const qt_gsi::GenericMethod * /*decl* } -// void QAnimationDriver::childEvent(QChildEvent *) +// void QAnimationDriver::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -563,11 +563,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAnimationDriver::customEvent(QEvent *) +// void QAnimationDriver::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -591,7 +591,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -600,7 +600,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QAnimationDriver_Adaptor *)cls)->emitter_QAnimationDriver_destroyed_1302 (arg1); } @@ -648,11 +648,11 @@ static void _set_callback_cbs_elapsed_c0_0 (void *cls, const gsi::Callback &cb) } -// bool QAnimationDriver::event(QEvent *) +// bool QAnimationDriver::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -671,13 +671,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAnimationDriver::eventFilter(QObject *, QEvent *) +// bool QAnimationDriver::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -847,11 +847,11 @@ static void _call_emitter_stopped_0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QAnimationDriver::timerEvent(QTimerEvent *) +// void QAnimationDriver::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -882,18 +882,18 @@ static gsi::Methods methods_QAnimationDriver_Adaptor () { methods += new qt_gsi::GenericMethod ("advance", "@brief Virtual method void QAnimationDriver::advance()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_advance_0_0, &_call_cbs_advance_0_0); methods += new qt_gsi::GenericMethod ("advance", "@hide", false, &_init_cbs_advance_0_0, &_call_cbs_advance_0_0, &_set_callback_cbs_advance_0_0); methods += new qt_gsi::GenericMethod ("*advanceAnimation", "@brief Method void QAnimationDriver::advanceAnimation(qint64 timeStep)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_advanceAnimation_986, &_call_fp_advanceAnimation_986); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAnimationDriver::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAnimationDriver::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAnimationDriver::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAnimationDriver::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAnimationDriver::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAnimationDriver::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("elapsed", "@brief Virtual method qint64 QAnimationDriver::elapsed()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_elapsed_c0_0, &_call_cbs_elapsed_c0_0); methods += new qt_gsi::GenericMethod ("elapsed", "@hide", true, &_init_cbs_elapsed_c0_0, &_call_cbs_elapsed_c0_0, &_set_callback_cbs_elapsed_c0_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAnimationDriver::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAnimationDriver::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAnimationDriver::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAnimationDriver::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAnimationDriver::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAnimationDriver::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); @@ -906,7 +906,7 @@ static gsi::Methods methods_QAnimationDriver_Adaptor () { methods += new qt_gsi::GenericMethod ("*stop", "@brief Virtual method void QAnimationDriver::stop()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0); methods += new qt_gsi::GenericMethod ("*stop", "@hide", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0, &_set_callback_cbs_stop_0_0); methods += new qt_gsi::GenericMethod ("emit_stopped", "@brief Emitter for signal void QAnimationDriver::stopped()\nCall this method to emit this signal.", false, &_init_emitter_stopped_0, &_call_emitter_stopped_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAnimationDriver::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAnimationDriver::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAnimationGroup.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAnimationGroup.cc index 9f99d75250..44be6ef46e 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAnimationGroup.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAnimationGroup.cc @@ -363,18 +363,18 @@ class QAnimationGroup_Adaptor : public QAnimationGroup, public qt_gsi::QtObjectB } } - // [adaptor impl] bool QAnimationGroup::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAnimationGroup::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAnimationGroup::eventFilter(arg1, arg2); + return QAnimationGroup::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAnimationGroup_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAnimationGroup_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAnimationGroup::eventFilter(arg1, arg2); + return QAnimationGroup::eventFilter(watched, event); } } @@ -397,33 +397,33 @@ class QAnimationGroup_Adaptor : public QAnimationGroup, public qt_gsi::QtObjectB emit QAnimationGroup::stateChanged(newState, oldState); } - // [adaptor impl] void QAnimationGroup::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAnimationGroup::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAnimationGroup::childEvent(arg1); + QAnimationGroup::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAnimationGroup_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAnimationGroup_Adaptor::cbs_childEvent_1701_0, event); } else { - QAnimationGroup::childEvent(arg1); + QAnimationGroup::childEvent(event); } } - // [adaptor impl] void QAnimationGroup::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAnimationGroup::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAnimationGroup::customEvent(arg1); + QAnimationGroup::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAnimationGroup_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAnimationGroup_Adaptor::cbs_customEvent_1217_0, event); } else { - QAnimationGroup::customEvent(arg1); + QAnimationGroup::customEvent(event); } } @@ -457,18 +457,18 @@ class QAnimationGroup_Adaptor : public QAnimationGroup, public qt_gsi::QtObjectB } } - // [adaptor impl] void QAnimationGroup::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAnimationGroup::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAnimationGroup::timerEvent(arg1); + QAnimationGroup::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAnimationGroup_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAnimationGroup_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAnimationGroup::timerEvent(arg1); + QAnimationGroup::timerEvent(event); } } @@ -536,7 +536,7 @@ QAnimationGroup_Adaptor::~QAnimationGroup_Adaptor() { } static void _init_ctor_QAnimationGroup_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -545,16 +545,16 @@ static void _call_ctor_QAnimationGroup_Adaptor_1302 (const qt_gsi::GenericStatic { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAnimationGroup_Adaptor (arg1)); } -// void QAnimationGroup::childEvent(QChildEvent *) +// void QAnimationGroup::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -592,11 +592,11 @@ static void _call_emitter_currentLoopChanged_767 (const qt_gsi::GenericMethod * } -// void QAnimationGroup::customEvent(QEvent *) +// void QAnimationGroup::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -620,7 +620,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -629,7 +629,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QAnimationGroup_Adaptor *)cls)->emitter_QAnimationGroup_destroyed_1302 (arg1); } @@ -718,13 +718,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAnimationGroup::eventFilter(QObject *, QEvent *) +// bool QAnimationGroup::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -861,11 +861,11 @@ static void _call_emitter_stateChanged_5680 (const qt_gsi::GenericMethod * /*dec } -// void QAnimationGroup::timerEvent(QTimerEvent *) +// void QAnimationGroup::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -968,10 +968,10 @@ gsi::Class &qtdecl_QAnimationGroup (); static gsi::Methods methods_QAnimationGroup_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAnimationGroup::QAnimationGroup(QObject *parent)\nThis method creates an object of class QAnimationGroup.", &_init_ctor_QAnimationGroup_Adaptor_1302, &_call_ctor_QAnimationGroup_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAnimationGroup::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAnimationGroup::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_currentLoopChanged", "@brief Emitter for signal void QAnimationGroup::currentLoopChanged(int currentLoop)\nCall this method to emit this signal.", false, &_init_emitter_currentLoopChanged_767, &_call_emitter_currentLoopChanged_767); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAnimationGroup::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAnimationGroup::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAnimationGroup::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("emit_directionChanged", "@brief Emitter for signal void QAnimationGroup::directionChanged(QAbstractAnimation::Direction)\nCall this method to emit this signal.", false, &_init_emitter_directionChanged_3310, &_call_emitter_directionChanged_3310); @@ -981,7 +981,7 @@ static gsi::Methods methods_QAnimationGroup_Adaptor () { methods += new qt_gsi::GenericMethod ("duration", "@hide", true, &_init_cbs_duration_c0_0, &_call_cbs_duration_c0_0, &_set_callback_cbs_duration_c0_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QAnimationGroup::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAnimationGroup::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAnimationGroup::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QAnimationGroup::finished()\nCall this method to emit this signal.", false, &_init_emitter_finished_0, &_call_emitter_finished_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAnimationGroup::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); @@ -990,7 +990,7 @@ static gsi::Methods methods_QAnimationGroup_Adaptor () { methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAnimationGroup::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAnimationGroup::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QAnimationGroup::stateChanged(QAbstractAnimation::State newState, QAbstractAnimation::State oldState)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_5680, &_call_emitter_stateChanged_5680); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAnimationGroup::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAnimationGroup::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateCurrentTime", "@brief Virtual method void QAnimationGroup::updateCurrentTime(int currentTime)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_updateCurrentTime_767_0, &_call_cbs_updateCurrentTime_767_0); methods += new qt_gsi::GenericMethod ("*updateCurrentTime", "@hide", false, &_init_cbs_updateCurrentTime_767_0, &_call_cbs_updateCurrentTime_767_0, &_set_callback_cbs_updateCurrentTime_767_0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQBasicMutex.cc b/src/gsiqt/qt5/QtCore/gsiDeclQBasicMutex.cc index 01ebc7c2e8..e09111b108 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQBasicMutex.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQBasicMutex.cc @@ -65,6 +65,21 @@ static void _call_f_isRecursive_0 (const qt_gsi::GenericMethod * /*decl*/, void } +// bool QBasicMutex::isRecursive() + + +static void _init_f_isRecursive_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isRecursive_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QBasicMutex *)cls)->isRecursive ()); +} + + // void QBasicMutex::lock() @@ -96,6 +111,21 @@ static void _call_f_tryLock_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// bool QBasicMutex::try_lock() + + +static void _init_f_try_lock_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_try_lock_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QBasicMutex *)cls)->try_lock ()); +} + + // void QBasicMutex::unlock() @@ -120,8 +150,10 @@ static gsi::Methods methods_QBasicMutex () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QBasicMutex::QBasicMutex()\nThis method creates an object of class QBasicMutex.", &_init_ctor_QBasicMutex_0, &_call_ctor_QBasicMutex_0); methods += new qt_gsi::GenericMethod ("isRecursive?", "@brief Method bool QBasicMutex::isRecursive()\n", false, &_init_f_isRecursive_0, &_call_f_isRecursive_0); + methods += new qt_gsi::GenericMethod ("isRecursive?", "@brief Method bool QBasicMutex::isRecursive()\n", true, &_init_f_isRecursive_c0, &_call_f_isRecursive_c0); methods += new qt_gsi::GenericMethod ("lock", "@brief Method void QBasicMutex::lock()\n", false, &_init_f_lock_0, &_call_f_lock_0); methods += new qt_gsi::GenericMethod ("tryLock", "@brief Method bool QBasicMutex::tryLock()\n", false, &_init_f_tryLock_0, &_call_f_tryLock_0); + methods += new qt_gsi::GenericMethod ("try_lock", "@brief Method bool QBasicMutex::try_lock()\n", false, &_init_f_try_lock_0, &_call_f_try_lock_0); methods += new qt_gsi::GenericMethod ("unlock", "@brief Method void QBasicMutex::unlock()\n", false, &_init_f_unlock_0, &_call_f_unlock_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQBuffer.cc b/src/gsiqt/qt5/QtCore/gsiDeclQBuffer.cc index 2d7c288093..02e158307e 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQBuffer.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQBuffer.cc @@ -57,7 +57,7 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g static void _init_ctor_QBuffer_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -66,7 +66,7 @@ static void _call_ctor_QBuffer_1302 (const qt_gsi::GenericStaticMethod * /*decl* { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QBuffer (arg1)); } @@ -78,7 +78,7 @@ static void _init_ctor_QBuffer_2812 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("buf"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -88,7 +88,7 @@ static void _call_ctor_QBuffer_2812 (const qt_gsi::GenericStaticMethod * /*decl* __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QByteArray *arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QBuffer (arg1, arg2)); } @@ -389,6 +389,8 @@ static gsi::Methods methods_QBuffer () { methods += new qt_gsi::GenericMethod ("size", "@brief Method qint64 QBuffer::size()\nThis is a reimplementation of QIODevice::size", true, &_init_f_size_c0, &_call_f_size_c0); methods += gsi::qt_signal ("aboutToClose()", "aboutToClose", "@brief Signal declaration for QBuffer::aboutToClose()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("bytesWritten(qint64)", "bytesWritten", gsi::arg("bytes"), "@brief Signal declaration for QBuffer::bytesWritten(qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelBytesWritten(int, qint64)", "channelBytesWritten", gsi::arg("channel"), gsi::arg("bytes"), "@brief Signal declaration for QBuffer::channelBytesWritten(int channel, qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelReadyRead(int)", "channelReadyRead", gsi::arg("channel"), "@brief Signal declaration for QBuffer::channelReadyRead(int channel)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QBuffer::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QBuffer::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("readChannelFinished()", "readChannelFinished", "@brief Signal declaration for QBuffer::readChannelFinished()\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQCommandLineOption.cc b/src/gsiqt/qt5/QtCore/gsiDeclQCommandLineOption.cc index 21aeecd35b..d3854caf7e 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQCommandLineOption.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQCommandLineOption.cc @@ -178,6 +178,36 @@ static void _call_f_description_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// QFlags QCommandLineOption::flags() + + +static void _init_f_flags_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return > (); +} + +static void _call_f_flags_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write > ((QFlags)((QCommandLineOption *)cls)->flags ()); +} + + +// bool QCommandLineOption::isHidden() + + +static void _init_f_isHidden_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isHidden_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QCommandLineOption *)cls)->isHidden ()); +} + + // QStringList QCommandLineOption::names() @@ -272,6 +302,46 @@ static void _call_f_setDescription_2025 (const qt_gsi::GenericMethod * /*decl*/, } +// void QCommandLineOption::setFlags(QFlags aflags) + + +static void _init_f_setFlags_3435 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("aflags"); + decl->add_arg > (argspec_0); + decl->set_return (); +} + +static void _call_f_setFlags_3435 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QFlags arg1 = gsi::arg_reader >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QCommandLineOption *)cls)->setFlags (arg1); +} + + +// void QCommandLineOption::setHidden(bool hidden) + + +static void _init_f_setHidden_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("hidden"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setHidden_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QCommandLineOption *)cls)->setHidden (arg1); +} + + // void QCommandLineOption::setValueName(const QString &name) @@ -340,11 +410,15 @@ static gsi::Methods methods_QCommandLineOption () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCommandLineOption::QCommandLineOption(const QCommandLineOption &other)\nThis method creates an object of class QCommandLineOption.", &_init_ctor_QCommandLineOption_3122, &_call_ctor_QCommandLineOption_3122); methods += new qt_gsi::GenericMethod (":defaultValues", "@brief Method QStringList QCommandLineOption::defaultValues()\n", true, &_init_f_defaultValues_c0, &_call_f_defaultValues_c0); methods += new qt_gsi::GenericMethod (":description", "@brief Method QString QCommandLineOption::description()\n", true, &_init_f_description_c0, &_call_f_description_c0); + methods += new qt_gsi::GenericMethod ("flags", "@brief Method QFlags QCommandLineOption::flags()\n", true, &_init_f_flags_c0, &_call_f_flags_c0); + methods += new qt_gsi::GenericMethod ("isHidden?", "@brief Method bool QCommandLineOption::isHidden()\n", true, &_init_f_isHidden_c0, &_call_f_isHidden_c0); methods += new qt_gsi::GenericMethod ("names", "@brief Method QStringList QCommandLineOption::names()\n", true, &_init_f_names_c0, &_call_f_names_c0); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QCommandLineOption &QCommandLineOption::operator=(const QCommandLineOption &other)\n", false, &_init_f_operator_eq__3122, &_call_f_operator_eq__3122); methods += new qt_gsi::GenericMethod ("setDefaultValue", "@brief Method void QCommandLineOption::setDefaultValue(const QString &defaultValue)\n", false, &_init_f_setDefaultValue_2025, &_call_f_setDefaultValue_2025); methods += new qt_gsi::GenericMethod ("setDefaultValues|defaultValues=", "@brief Method void QCommandLineOption::setDefaultValues(const QStringList &defaultValues)\n", false, &_init_f_setDefaultValues_2437, &_call_f_setDefaultValues_2437); methods += new qt_gsi::GenericMethod ("setDescription|description=", "@brief Method void QCommandLineOption::setDescription(const QString &description)\n", false, &_init_f_setDescription_2025, &_call_f_setDescription_2025); + methods += new qt_gsi::GenericMethod ("setFlags", "@brief Method void QCommandLineOption::setFlags(QFlags aflags)\n", false, &_init_f_setFlags_3435, &_call_f_setFlags_3435); + methods += new qt_gsi::GenericMethod ("setHidden", "@brief Method void QCommandLineOption::setHidden(bool hidden)\n", false, &_init_f_setHidden_864, &_call_f_setHidden_864); methods += new qt_gsi::GenericMethod ("setValueName|valueName=", "@brief Method void QCommandLineOption::setValueName(const QString &name)\n", false, &_init_f_setValueName_2025, &_call_f_setValueName_2025); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QCommandLineOption::swap(QCommandLineOption &other)\n", false, &_init_f_swap_2427, &_call_f_swap_2427); methods += new qt_gsi::GenericMethod (":valueName", "@brief Method QString QCommandLineOption::valueName()\n", true, &_init_f_valueName_c0, &_call_f_valueName_c0); @@ -360,3 +434,23 @@ GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QCommandLineOption () { } + +// Implementation of the enum wrapper class for QCommandLineOption::Flag +namespace qt_gsi +{ + +static gsi::Enum decl_QCommandLineOption_Flag_Enum ("QtCore", "QCommandLineOption_Flag", + gsi::enum_const ("HiddenFromHelp", QCommandLineOption::HiddenFromHelp, "@brief Enum constant QCommandLineOption::HiddenFromHelp") + + gsi::enum_const ("ShortOptionStyle", QCommandLineOption::ShortOptionStyle, "@brief Enum constant QCommandLineOption::ShortOptionStyle"), + "@qt\n@brief This class represents the QCommandLineOption::Flag enum"); + +static gsi::QFlagsClass decl_QCommandLineOption_Flag_Enums ("QtCore", "QCommandLineOption_QFlags_Flag", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_QCommandLineOption_Flag_Enum_in_parent (decl_QCommandLineOption_Flag_Enum.defs ()); +static gsi::ClassExt decl_QCommandLineOption_Flag_Enum_as_child (decl_QCommandLineOption_Flag_Enum, "Flag"); +static gsi::ClassExt decl_QCommandLineOption_Flag_Enums_as_child (decl_QCommandLineOption_Flag_Enums, "QFlags_Flag"); + +} + diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQCommandLineParser.cc b/src/gsiqt/qt5/QtCore/gsiDeclQCommandLineParser.cc index bedecac3cd..6263d18c0c 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQCommandLineParser.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQCommandLineParser.cc @@ -354,6 +354,26 @@ static void _call_f_setApplicationDescription_2025 (const qt_gsi::GenericMethod } +// void QCommandLineParser::setOptionsAfterPositionalArgumentsMode(QCommandLineParser::OptionsAfterPositionalArgumentsMode mode) + + +static void _init_f_setOptionsAfterPositionalArgumentsMode_5992 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("mode"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_setOptionsAfterPositionalArgumentsMode_5992 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QCommandLineParser *)cls)->setOptionsAfterPositionalArgumentsMode (qt_gsi::QtToCppAdaptor(arg1).cref()); +} + + // void QCommandLineParser::setSingleDashWordOptionMode(QCommandLineParser::SingleDashWordOptionMode parsingMode) @@ -508,7 +528,7 @@ static void _init_f_tr_4013 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("sourceText"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("disambiguation", true, "0"); + static gsi::ArgSpecBase argspec_1 ("disambiguation", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("n", true, "-1"); decl->add_arg (argspec_2); @@ -520,7 +540,7 @@ static void _call_f_tr_4013 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi:: __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const char *arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); ret.write ((QString)QCommandLineParser::tr (arg1, arg2, arg3)); } @@ -533,7 +553,7 @@ static void _init_f_trUtf8_4013 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("sourceText"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("disambiguation", true, "0"); + static gsi::ArgSpecBase argspec_1 ("disambiguation", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("n", true, "-1"); decl->add_arg (argspec_2); @@ -545,7 +565,7 @@ static void _call_f_trUtf8_4013 (const qt_gsi::GenericStaticMethod * /*decl*/, g __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const char *arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); ret.write ((QString)QCommandLineParser::trUtf8 (arg1, arg2, arg3)); } @@ -575,6 +595,7 @@ static gsi::Methods methods_QCommandLineParser () { methods += new qt_gsi::GenericMethod ("process", "@brief Method void QCommandLineParser::process(const QStringList &arguments)\n", false, &_init_f_process_2437, &_call_f_process_2437); methods += new qt_gsi::GenericMethod ("process", "@brief Method void QCommandLineParser::process(const QCoreApplication &app)\n", false, &_init_f_process_2927, &_call_f_process_2927); methods += new qt_gsi::GenericMethod ("setApplicationDescription|applicationDescription=", "@brief Method void QCommandLineParser::setApplicationDescription(const QString &description)\n", false, &_init_f_setApplicationDescription_2025, &_call_f_setApplicationDescription_2025); + methods += new qt_gsi::GenericMethod ("setOptionsAfterPositionalArgumentsMode", "@brief Method void QCommandLineParser::setOptionsAfterPositionalArgumentsMode(QCommandLineParser::OptionsAfterPositionalArgumentsMode mode)\n", false, &_init_f_setOptionsAfterPositionalArgumentsMode_5992, &_call_f_setOptionsAfterPositionalArgumentsMode_5992); methods += new qt_gsi::GenericMethod ("setSingleDashWordOptionMode", "@brief Method void QCommandLineParser::setSingleDashWordOptionMode(QCommandLineParser::SingleDashWordOptionMode parsingMode)\n", false, &_init_f_setSingleDashWordOptionMode_4777, &_call_f_setSingleDashWordOptionMode_4777); methods += new qt_gsi::GenericMethod ("showHelp", "@brief Method void QCommandLineParser::showHelp(int exitCode)\n", false, &_init_f_showHelp_767, &_call_f_showHelp_767); methods += new qt_gsi::GenericMethod ("showVersion", "@brief Method void QCommandLineParser::showVersion()\n", false, &_init_f_showVersion_0, &_call_f_showVersion_0); @@ -598,6 +619,26 @@ GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QCommandLineParser () { } +// Implementation of the enum wrapper class for QCommandLineParser::OptionsAfterPositionalArgumentsMode +namespace qt_gsi +{ + +static gsi::Enum decl_QCommandLineParser_OptionsAfterPositionalArgumentsMode_Enum ("QtCore", "QCommandLineParser_OptionsAfterPositionalArgumentsMode", + gsi::enum_const ("ParseAsOptions", QCommandLineParser::ParseAsOptions, "@brief Enum constant QCommandLineParser::ParseAsOptions") + + gsi::enum_const ("ParseAsPositionalArguments", QCommandLineParser::ParseAsPositionalArguments, "@brief Enum constant QCommandLineParser::ParseAsPositionalArguments"), + "@qt\n@brief This class represents the QCommandLineParser::OptionsAfterPositionalArgumentsMode enum"); + +static gsi::QFlagsClass decl_QCommandLineParser_OptionsAfterPositionalArgumentsMode_Enums ("QtCore", "QCommandLineParser_QFlags_OptionsAfterPositionalArgumentsMode", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_QCommandLineParser_OptionsAfterPositionalArgumentsMode_Enum_in_parent (decl_QCommandLineParser_OptionsAfterPositionalArgumentsMode_Enum.defs ()); +static gsi::ClassExt decl_QCommandLineParser_OptionsAfterPositionalArgumentsMode_Enum_as_child (decl_QCommandLineParser_OptionsAfterPositionalArgumentsMode_Enum, "OptionsAfterPositionalArgumentsMode"); +static gsi::ClassExt decl_QCommandLineParser_OptionsAfterPositionalArgumentsMode_Enums_as_child (decl_QCommandLineParser_OptionsAfterPositionalArgumentsMode_Enums, "QFlags_OptionsAfterPositionalArgumentsMode"); + +} + + // Implementation of the enum wrapper class for QCommandLineParser::SingleDashWordOptionMode namespace qt_gsi { diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQCoreApplication.cc b/src/gsiqt/qt5/QtCore/gsiDeclQCoreApplication.cc index 04d234d972..2879cab385 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQCoreApplication.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQCoreApplication.cc @@ -581,7 +581,7 @@ static void _call_f_sendEvent_2411 (const qt_gsi::GenericStaticMethod * /*decl*/ static void _init_f_sendPostedEvents_1961 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("receiver", true, "0"); + static gsi::ArgSpecBase argspec_0 ("receiver", true, "nullptr"); decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("event_type", true, "0"); decl->add_arg (argspec_1); @@ -592,7 +592,7 @@ static void _call_f_sendPostedEvents_1961 (const qt_gsi::GenericStaticMethod * / { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); int arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); __SUPPRESS_UNUSED_WARNING(ret); QCoreApplication::sendPostedEvents (arg1, arg2); @@ -875,7 +875,7 @@ static void _init_f_translate_5636 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("key"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("disambiguation", true, "0"); + static gsi::ArgSpecBase argspec_2 ("disambiguation", true, "nullptr"); decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("n", true, "-1"); decl->add_arg (argspec_3); @@ -888,7 +888,7 @@ static void _call_f_translate_5636 (const qt_gsi::GenericStaticMethod * /*decl*/ tl::Heap heap; const char *arg1 = gsi::arg_reader() (args, heap); const char *arg2 = gsi::arg_reader() (args, heap); - const char *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); int arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); ret.write ((QString)QCoreApplication::translate (arg1, arg2, arg3, arg4)); } @@ -1037,18 +1037,18 @@ class QCoreApplication_Adaptor : public QCoreApplication, public qt_gsi::QtObjec emit QCoreApplication::destroyed(arg1); } - // [adaptor impl] bool QCoreApplication::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QCoreApplication::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QCoreApplication::eventFilter(arg1, arg2); + return QCoreApplication::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QCoreApplication_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QCoreApplication_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QCoreApplication::eventFilter(arg1, arg2); + return QCoreApplication::eventFilter(watched, event); } } @@ -1071,33 +1071,33 @@ class QCoreApplication_Adaptor : public QCoreApplication, public qt_gsi::QtObjec emit QCoreApplication::organizationNameChanged(); } - // [adaptor impl] void QCoreApplication::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCoreApplication::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCoreApplication::childEvent(arg1); + QCoreApplication::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCoreApplication_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCoreApplication_Adaptor::cbs_childEvent_1701_0, event); } else { - QCoreApplication::childEvent(arg1); + QCoreApplication::childEvent(event); } } - // [adaptor impl] void QCoreApplication::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCoreApplication::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCoreApplication::customEvent(arg1); + QCoreApplication::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCoreApplication_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCoreApplication_Adaptor::cbs_customEvent_1217_0, event); } else { - QCoreApplication::customEvent(arg1); + QCoreApplication::customEvent(event); } } @@ -1131,18 +1131,18 @@ class QCoreApplication_Adaptor : public QCoreApplication, public qt_gsi::QtObjec } } - // [adaptor impl] void QCoreApplication::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QCoreApplication::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QCoreApplication::timerEvent(arg1); + QCoreApplication::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QCoreApplication_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QCoreApplication_Adaptor::cbs_timerEvent_1730_0, event); } else { - QCoreApplication::timerEvent(arg1); + QCoreApplication::timerEvent(event); } } @@ -1198,11 +1198,11 @@ static void _call_emitter_applicationVersionChanged_0 (const qt_gsi::GenericMeth } -// void QCoreApplication::childEvent(QChildEvent *) +// void QCoreApplication::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1222,11 +1222,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QCoreApplication::customEvent(QEvent *) +// void QCoreApplication::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1250,7 +1250,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1259,7 +1259,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QCoreApplication_Adaptor *)cls)->emitter_QCoreApplication_destroyed_1302 (arg1); } @@ -1311,13 +1311,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QCoreApplication::eventFilter(QObject *, QEvent *) +// bool QCoreApplication::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1447,11 +1447,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QCoreApplication::timerEvent(QTimerEvent *) +// void QCoreApplication::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1481,16 +1481,16 @@ static gsi::Methods methods_QCoreApplication_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_aboutToQuit", "@brief Emitter for signal void QCoreApplication::aboutToQuit()\nCall this method to emit this signal.", false, &_init_emitter_aboutToQuit_3584, &_call_emitter_aboutToQuit_3584); methods += new qt_gsi::GenericMethod ("emit_applicationNameChanged", "@brief Emitter for signal void QCoreApplication::applicationNameChanged()\nCall this method to emit this signal.", false, &_init_emitter_applicationNameChanged_0, &_call_emitter_applicationNameChanged_0); methods += new qt_gsi::GenericMethod ("emit_applicationVersionChanged", "@brief Emitter for signal void QCoreApplication::applicationVersionChanged()\nCall this method to emit this signal.", false, &_init_emitter_applicationVersionChanged_0, &_call_emitter_applicationVersionChanged_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCoreApplication::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCoreApplication::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCoreApplication::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCoreApplication::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCoreApplication::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCoreApplication::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QCoreApplication::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCoreApplication::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCoreApplication::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCoreApplication::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QCoreApplication::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); @@ -1499,7 +1499,7 @@ static gsi::Methods methods_QCoreApplication_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCoreApplication::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCoreApplication::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCoreApplication::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCoreApplication::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCoreApplication::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQCryptographicHash.cc b/src/gsiqt/qt5/QtCore/gsiDeclQCryptographicHash.cc index 9b7903602f..c2f11941ae 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQCryptographicHash.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQCryptographicHash.cc @@ -170,6 +170,25 @@ static void _call_f_hash_5532 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi } +// static int QCryptographicHash::hashLength(QCryptographicHash::Algorithm method) + + +static void _init_f_hashLength_3331 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("method"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_hashLength_3331 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ret.write ((int)QCryptographicHash::hashLength (qt_gsi::QtToCppAdaptor(arg1).cref())); +} + + namespace gsi { @@ -183,6 +202,7 @@ static gsi::Methods methods_QCryptographicHash () { methods += new qt_gsi::GenericMethod ("reset", "@brief Method void QCryptographicHash::reset()\n", false, &_init_f_reset_0, &_call_f_reset_0); methods += new qt_gsi::GenericMethod ("result", "@brief Method QByteArray QCryptographicHash::result()\n", true, &_init_f_result_c0, &_call_f_result_c0); methods += new qt_gsi::GenericStaticMethod ("hash", "@brief Static method QByteArray QCryptographicHash::hash(const QByteArray &data, QCryptographicHash::Algorithm method)\nThis method is static and can be called without an instance.", &_init_f_hash_5532, &_call_f_hash_5532); + methods += new qt_gsi::GenericStaticMethod ("hashLength", "@brief Static method int QCryptographicHash::hashLength(QCryptographicHash::Algorithm method)\nThis method is static and can be called without an instance.", &_init_f_hashLength_3331, &_call_f_hashLength_3331); return methods; } @@ -208,6 +228,14 @@ static gsi::Enum decl_QCryptographicHash_Algorith gsi::enum_const ("Sha256", QCryptographicHash::Sha256, "@brief Enum constant QCryptographicHash::Sha256") + gsi::enum_const ("Sha384", QCryptographicHash::Sha384, "@brief Enum constant QCryptographicHash::Sha384") + gsi::enum_const ("Sha512", QCryptographicHash::Sha512, "@brief Enum constant QCryptographicHash::Sha512") + + gsi::enum_const ("Keccak_224", QCryptographicHash::Keccak_224, "@brief Enum constant QCryptographicHash::Keccak_224") + + gsi::enum_const ("Keccak_256", QCryptographicHash::Keccak_256, "@brief Enum constant QCryptographicHash::Keccak_256") + + gsi::enum_const ("Keccak_384", QCryptographicHash::Keccak_384, "@brief Enum constant QCryptographicHash::Keccak_384") + + gsi::enum_const ("Keccak_512", QCryptographicHash::Keccak_512, "@brief Enum constant QCryptographicHash::Keccak_512") + + gsi::enum_const ("RealSha3_224", QCryptographicHash::RealSha3_224, "@brief Enum constant QCryptographicHash::RealSha3_224") + + gsi::enum_const ("RealSha3_256", QCryptographicHash::RealSha3_256, "@brief Enum constant QCryptographicHash::RealSha3_256") + + gsi::enum_const ("RealSha3_384", QCryptographicHash::RealSha3_384, "@brief Enum constant QCryptographicHash::RealSha3_384") + + gsi::enum_const ("RealSha3_512", QCryptographicHash::RealSha3_512, "@brief Enum constant QCryptographicHash::RealSha3_512") + gsi::enum_const ("Sha3_224", QCryptographicHash::Sha3_224, "@brief Enum constant QCryptographicHash::Sha3_224") + gsi::enum_const ("Sha3_256", QCryptographicHash::Sha3_256, "@brief Enum constant QCryptographicHash::Sha3_256") + gsi::enum_const ("Sha3_384", QCryptographicHash::Sha3_384, "@brief Enum constant QCryptographicHash::Sha3_384") + diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQDataStream.cc b/src/gsiqt/qt5/QtCore/gsiDeclQDataStream.cc index 3cb9263d82..3047ad3408 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQDataStream.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQDataStream.cc @@ -319,6 +319,22 @@ static void _call_ctor_QDataStream_2309 (const qt_gsi::GenericStaticMethod * /*d } +// void QDataStream::abortTransaction() + + +static void _init_f_abortTransaction_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_abortTransaction_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDataStream *)cls)->abortTransaction (); +} + + // bool QDataStream::atEnd() @@ -349,6 +365,21 @@ static void _call_f_byteOrder_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } +// bool QDataStream::commitTransaction() + + +static void _init_f_commitTransaction_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_commitTransaction_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QDataStream *)cls)->commitTransaction ()); +} + + // QIODevice *QDataStream::device() @@ -395,6 +426,22 @@ static void _call_f_resetStatus_0 (const qt_gsi::GenericMethod * /*decl*/, void } +// void QDataStream::rollbackTransaction() + + +static void _init_f_rollbackTransaction_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_rollbackTransaction_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDataStream *)cls)->rollbackTransaction (); +} + + // void QDataStream::setByteOrder(QDataStream::ByteOrder) @@ -514,6 +561,22 @@ static void _call_f_skipRawData_767 (const qt_gsi::GenericMethod * /*decl*/, voi } +// void QDataStream::startTransaction() + + +static void _init_f_startTransaction_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_startTransaction_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDataStream *)cls)->startTransaction (); +} + + // QDataStream::Status QDataStream::status() @@ -614,17 +677,21 @@ static gsi::Methods methods_QDataStream () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDataStream::QDataStream(QIODevice *)\nThis method creates an object of class QDataStream.", &_init_ctor_QDataStream_1447, &_call_ctor_QDataStream_1447); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDataStream::QDataStream(QByteArray *, QFlags flags)\nThis method creates an object of class QDataStream.", &_init_ctor_QDataStream_4752, &_call_ctor_QDataStream_4752); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDataStream::QDataStream(const QByteArray &)\nThis method creates an object of class QDataStream.", &_init_ctor_QDataStream_2309, &_call_ctor_QDataStream_2309); + methods += new qt_gsi::GenericMethod ("abortTransaction", "@brief Method void QDataStream::abortTransaction()\n", false, &_init_f_abortTransaction_0, &_call_f_abortTransaction_0); methods += new qt_gsi::GenericMethod ("atEnd", "@brief Method bool QDataStream::atEnd()\n", true, &_init_f_atEnd_c0, &_call_f_atEnd_c0); methods += new qt_gsi::GenericMethod (":byteOrder", "@brief Method QDataStream::ByteOrder QDataStream::byteOrder()\n", true, &_init_f_byteOrder_c0, &_call_f_byteOrder_c0); + methods += new qt_gsi::GenericMethod ("commitTransaction", "@brief Method bool QDataStream::commitTransaction()\n", false, &_init_f_commitTransaction_0, &_call_f_commitTransaction_0); methods += new qt_gsi::GenericMethod (":device", "@brief Method QIODevice *QDataStream::device()\n", true, &_init_f_device_c0, &_call_f_device_c0); methods += new qt_gsi::GenericMethod (":floatingPointPrecision", "@brief Method QDataStream::FloatingPointPrecision QDataStream::floatingPointPrecision()\n", true, &_init_f_floatingPointPrecision_c0, &_call_f_floatingPointPrecision_c0); methods += new qt_gsi::GenericMethod ("resetStatus", "@brief Method void QDataStream::resetStatus()\n", false, &_init_f_resetStatus_0, &_call_f_resetStatus_0); + methods += new qt_gsi::GenericMethod ("rollbackTransaction", "@brief Method void QDataStream::rollbackTransaction()\n", false, &_init_f_rollbackTransaction_0, &_call_f_rollbackTransaction_0); methods += new qt_gsi::GenericMethod ("setByteOrder|byteOrder=", "@brief Method void QDataStream::setByteOrder(QDataStream::ByteOrder)\n", false, &_init_f_setByteOrder_2543, &_call_f_setByteOrder_2543); methods += new qt_gsi::GenericMethod ("setDevice|device=", "@brief Method void QDataStream::setDevice(QIODevice *)\n", false, &_init_f_setDevice_1447, &_call_f_setDevice_1447); methods += new qt_gsi::GenericMethod ("setFloatingPointPrecision|floatingPointPrecision=", "@brief Method void QDataStream::setFloatingPointPrecision(QDataStream::FloatingPointPrecision precision)\n", false, &_init_f_setFloatingPointPrecision_3913, &_call_f_setFloatingPointPrecision_3913); methods += new qt_gsi::GenericMethod ("setStatus|status=", "@brief Method void QDataStream::setStatus(QDataStream::Status status)\n", false, &_init_f_setStatus_2275, &_call_f_setStatus_2275); methods += new qt_gsi::GenericMethod ("setVersion|version=", "@brief Method void QDataStream::setVersion(int)\n", false, &_init_f_setVersion_767, &_call_f_setVersion_767); methods += new qt_gsi::GenericMethod ("skipRawData", "@brief Method int QDataStream::skipRawData(int len)\n", false, &_init_f_skipRawData_767, &_call_f_skipRawData_767); + methods += new qt_gsi::GenericMethod ("startTransaction", "@brief Method void QDataStream::startTransaction()\n", false, &_init_f_startTransaction_0, &_call_f_startTransaction_0); methods += new qt_gsi::GenericMethod (":status", "@brief Method QDataStream::Status QDataStream::status()\n", true, &_init_f_status_c0, &_call_f_status_c0); methods += new qt_gsi::GenericMethod ("unsetDevice", "@brief Method void QDataStream::unsetDevice()\n", false, &_init_f_unsetDevice_0, &_call_f_unsetDevice_0); methods += new qt_gsi::GenericMethod (":version", "@brief Method int QDataStream::version()\n", true, &_init_f_version_c0, &_call_f_version_c0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQDate.cc b/src/gsiqt/qt5/QtCore/gsiDeclQDate.cc index a46146d7ec..6a4a38e81f 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQDate.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQDate.cc @@ -252,6 +252,32 @@ static void _call_f_getDate_2643 (const qt_gsi::GenericMethod * /*decl*/, void * } +// void QDate::getDate(int *year, int *month, int *day) + + +static void _init_f_getDate_c2643 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("year"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("month"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("day"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_f_getDate_c2643 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int *arg1 = gsi::arg_reader() (args, heap); + int *arg2 = gsi::arg_reader() (args, heap); + int *arg3 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDate *)cls)->getDate (arg1, arg2, arg3); +} + + // bool QDate::isNull() @@ -494,7 +520,7 @@ static void _call_f_toString_c2025 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_f_weekNumber_c953 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("yearNum", true, "0"); + static gsi::ArgSpecBase argspec_0 ("yearNum", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -503,7 +529,7 @@ static void _call_f_weekNumber_c953 (const qt_gsi::GenericMethod * /*decl*/, voi { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - int *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + int *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((int)((QDate *)cls)->weekNumber (arg1)); } @@ -538,12 +564,12 @@ static void _call_f_currentDate_0 (const qt_gsi::GenericStaticMethod * /*decl*/, } -// static QDate QDate::fromJulianDay(qint64 jd) +// static QDate QDate::fromJulianDay(qint64 jd_) static void _init_f_fromJulianDay_986 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("jd"); + static gsi::ArgSpecBase argspec_0 ("jd_"); decl->add_arg (argspec_0); decl->set_return (); } @@ -751,6 +777,7 @@ static gsi::Methods methods_QDate () { methods += new qt_gsi::GenericMethod ("daysInYear", "@brief Method int QDate::daysInYear()\n", true, &_init_f_daysInYear_c0, &_call_f_daysInYear_c0); methods += new qt_gsi::GenericMethod ("daysTo", "@brief Method qint64 QDate::daysTo(const QDate &)\n", true, &_init_f_daysTo_c1776, &_call_f_daysTo_c1776); methods += new qt_gsi::GenericMethod ("getDate", "@brief Method void QDate::getDate(int *year, int *month, int *day)\n", false, &_init_f_getDate_2643, &_call_f_getDate_2643); + methods += new qt_gsi::GenericMethod ("getDate", "@brief Method void QDate::getDate(int *year, int *month, int *day)\n", true, &_init_f_getDate_c2643, &_call_f_getDate_c2643); methods += new qt_gsi::GenericMethod ("isNull?", "@brief Method bool QDate::isNull()\n", true, &_init_f_isNull_c0, &_call_f_isNull_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QDate::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod ("month", "@brief Method int QDate::month()\n", true, &_init_f_month_c0, &_call_f_month_c0); @@ -767,7 +794,7 @@ static gsi::Methods methods_QDate () { methods += new qt_gsi::GenericMethod ("weekNumber", "@brief Method int QDate::weekNumber(int *yearNum)\n", true, &_init_f_weekNumber_c953, &_call_f_weekNumber_c953); methods += new qt_gsi::GenericMethod ("year", "@brief Method int QDate::year()\n", true, &_init_f_year_c0, &_call_f_year_c0); methods += new qt_gsi::GenericStaticMethod ("currentDate", "@brief Static method QDate QDate::currentDate()\nThis method is static and can be called without an instance.", &_init_f_currentDate_0, &_call_f_currentDate_0); - methods += new qt_gsi::GenericStaticMethod ("fromJulianDay", "@brief Static method QDate QDate::fromJulianDay(qint64 jd)\nThis method is static and can be called without an instance.", &_init_f_fromJulianDay_986, &_call_f_fromJulianDay_986); + methods += new qt_gsi::GenericStaticMethod ("fromJulianDay", "@brief Static method QDate QDate::fromJulianDay(qint64 jd_)\nThis method is static and can be called without an instance.", &_init_f_fromJulianDay_986, &_call_f_fromJulianDay_986); methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QDate QDate::fromString(const QString &s, Qt::DateFormat f)\nThis method is static and can be called without an instance.", &_init_f_fromString_3665, &_call_f_fromString_3665); methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QDate QDate::fromString(const QString &s, const QString &format)\nThis method is static and can be called without an instance.", &_init_f_fromString_3942, &_call_f_fromString_3942); methods += new qt_gsi::GenericStaticMethod ("isLeapYear?", "@brief Static method bool QDate::isLeapYear(int year)\nThis method is static and can be called without an instance.", &_init_f_isLeapYear_767, &_call_f_isLeapYear_767); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQDateTime.cc b/src/gsiqt/qt5/QtCore/gsiDeclQDateTime.cc index d9051a0bc1..965a12a95e 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQDateTime.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQDateTime.cc @@ -589,6 +589,26 @@ static void _call_f_setOffsetFromUtc_767 (const qt_gsi::GenericMethod * /*decl*/ } +// void QDateTime::setSecsSinceEpoch(qint64 secs) + + +static void _init_f_setSecsSinceEpoch_986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("secs"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setSecsSinceEpoch_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDateTime *)cls)->setSecsSinceEpoch (arg1); +} + + // void QDateTime::setTime(const QTime &time) @@ -818,6 +838,21 @@ static void _call_f_toOffsetFromUtc_c767 (const qt_gsi::GenericMethod * /*decl*/ } +// qint64 QDateTime::toSecsSinceEpoch() + + +static void _init_f_toSecsSinceEpoch_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_toSecsSinceEpoch_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((qint64)((QDateTime *)cls)->toSecsSinceEpoch ()); +} + + // QString QDateTime::toString(Qt::DateFormat f) @@ -984,6 +1019,21 @@ static void _call_f_currentMSecsSinceEpoch_0 (const qt_gsi::GenericStaticMethod } +// static qint64 QDateTime::currentSecsSinceEpoch() + + +static void _init_f_currentSecsSinceEpoch_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_currentSecsSinceEpoch_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((qint64)QDateTime::currentSecsSinceEpoch ()); +} + + // static QDateTime QDateTime::fromMSecsSinceEpoch(qint64 msecs) @@ -1050,6 +1100,53 @@ static void _call_f_fromMSecsSinceEpoch_3083 (const qt_gsi::GenericStaticMethod } +// static QDateTime QDateTime::fromSecsSinceEpoch(qint64 secs, Qt::TimeSpec spe, int offsetFromUtc) + + +static void _init_f_fromSecsSinceEpoch_3080 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("secs"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("spe", true, "Qt::LocalTime"); + decl->add_arg::target_type & > (argspec_1); + static gsi::ArgSpecBase argspec_2 ("offsetFromUtc", true, "0"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_f_fromSecsSinceEpoch_3080 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::LocalTime), heap); + int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + ret.write ((QDateTime)QDateTime::fromSecsSinceEpoch (arg1, qt_gsi::QtToCppAdaptor(arg2).cref(), arg3)); +} + + +// static QDateTime QDateTime::fromSecsSinceEpoch(qint64 secs, const QTimeZone &timeZone) + + +static void _init_f_fromSecsSinceEpoch_3083 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("secs"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("timeZone"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_fromSecsSinceEpoch_3083 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + const QTimeZone &arg2 = gsi::arg_reader() (args, heap); + ret.write ((QDateTime)QDateTime::fromSecsSinceEpoch (arg1, arg2)); +} + + // static QDateTime QDateTime::fromString(const QString &s, Qt::DateFormat f) @@ -1195,6 +1292,7 @@ static gsi::Methods methods_QDateTime () { methods += new qt_gsi::GenericMethod ("setDate|date=", "@brief Method void QDateTime::setDate(const QDate &date)\n", false, &_init_f_setDate_1776, &_call_f_setDate_1776); methods += new qt_gsi::GenericMethod ("setMSecsSinceEpoch", "@brief Method void QDateTime::setMSecsSinceEpoch(qint64 msecs)\n", false, &_init_f_setMSecsSinceEpoch_986, &_call_f_setMSecsSinceEpoch_986); methods += new qt_gsi::GenericMethod ("setOffsetFromUtc|offsetFromUtc=", "@brief Method void QDateTime::setOffsetFromUtc(int offsetSeconds)\n", false, &_init_f_setOffsetFromUtc_767, &_call_f_setOffsetFromUtc_767); + methods += new qt_gsi::GenericMethod ("setSecsSinceEpoch", "@brief Method void QDateTime::setSecsSinceEpoch(qint64 secs)\n", false, &_init_f_setSecsSinceEpoch_986, &_call_f_setSecsSinceEpoch_986); methods += new qt_gsi::GenericMethod ("setTime|time=", "@brief Method void QDateTime::setTime(const QTime &time)\n", false, &_init_f_setTime_1793, &_call_f_setTime_1793); methods += new qt_gsi::GenericMethod ("setTimeSpec|timeSpec=", "@brief Method void QDateTime::setTimeSpec(Qt::TimeSpec spec)\n", false, &_init_f_setTimeSpec_1543, &_call_f_setTimeSpec_1543); methods += new qt_gsi::GenericMethod ("setTimeZone|timeZone=", "@brief Method void QDateTime::setTimeZone(const QTimeZone &toZone)\n", false, &_init_f_setTimeZone_2205, &_call_f_setTimeZone_2205); @@ -1208,6 +1306,7 @@ static gsi::Methods methods_QDateTime () { methods += new qt_gsi::GenericMethod ("toLocalTime", "@brief Method QDateTime QDateTime::toLocalTime()\n", true, &_init_f_toLocalTime_c0, &_call_f_toLocalTime_c0); methods += new qt_gsi::GenericMethod ("toMSecsSinceEpoch", "@brief Method qint64 QDateTime::toMSecsSinceEpoch()\n", true, &_init_f_toMSecsSinceEpoch_c0, &_call_f_toMSecsSinceEpoch_c0); methods += new qt_gsi::GenericMethod ("toOffsetFromUtc", "@brief Method QDateTime QDateTime::toOffsetFromUtc(int offsetSeconds)\n", true, &_init_f_toOffsetFromUtc_c767, &_call_f_toOffsetFromUtc_c767); + methods += new qt_gsi::GenericMethod ("toSecsSinceEpoch", "@brief Method qint64 QDateTime::toSecsSinceEpoch()\n", true, &_init_f_toSecsSinceEpoch_c0, &_call_f_toSecsSinceEpoch_c0); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QDateTime::toString(Qt::DateFormat f)\n", true, &_init_f_toString_c1748, &_call_f_toString_c1748); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QDateTime::toString(const QString &format)\n", true, &_init_f_toString_c2025, &_call_f_toString_c2025); methods += new qt_gsi::GenericMethod ("toTimeSpec", "@brief Method QDateTime QDateTime::toTimeSpec(Qt::TimeSpec spec)\n", true, &_init_f_toTimeSpec_c1543, &_call_f_toTimeSpec_c1543); @@ -1218,9 +1317,12 @@ static gsi::Methods methods_QDateTime () { methods += new qt_gsi::GenericStaticMethod ("currentDateTime", "@brief Static method QDateTime QDateTime::currentDateTime()\nThis method is static and can be called without an instance.", &_init_f_currentDateTime_0, &_call_f_currentDateTime_0); methods += new qt_gsi::GenericStaticMethod ("currentDateTimeUtc", "@brief Static method QDateTime QDateTime::currentDateTimeUtc()\nThis method is static and can be called without an instance.", &_init_f_currentDateTimeUtc_0, &_call_f_currentDateTimeUtc_0); methods += new qt_gsi::GenericStaticMethod ("currentMSecsSinceEpoch", "@brief Static method qint64 QDateTime::currentMSecsSinceEpoch()\nThis method is static and can be called without an instance.", &_init_f_currentMSecsSinceEpoch_0, &_call_f_currentMSecsSinceEpoch_0); + methods += new qt_gsi::GenericStaticMethod ("currentSecsSinceEpoch", "@brief Static method qint64 QDateTime::currentSecsSinceEpoch()\nThis method is static and can be called without an instance.", &_init_f_currentSecsSinceEpoch_0, &_call_f_currentSecsSinceEpoch_0); methods += new qt_gsi::GenericStaticMethod ("fromMSecsSinceEpoch", "@brief Static method QDateTime QDateTime::fromMSecsSinceEpoch(qint64 msecs)\nThis method is static and can be called without an instance.", &_init_f_fromMSecsSinceEpoch_986, &_call_f_fromMSecsSinceEpoch_986); methods += new qt_gsi::GenericStaticMethod ("fromMSecsSinceEpoch", "@brief Static method QDateTime QDateTime::fromMSecsSinceEpoch(qint64 msecs, Qt::TimeSpec spec, int offsetFromUtc)\nThis method is static and can be called without an instance.", &_init_f_fromMSecsSinceEpoch_3080, &_call_f_fromMSecsSinceEpoch_3080); methods += new qt_gsi::GenericStaticMethod ("fromMSecsSinceEpoch", "@brief Static method QDateTime QDateTime::fromMSecsSinceEpoch(qint64 msecs, const QTimeZone &timeZone)\nThis method is static and can be called without an instance.", &_init_f_fromMSecsSinceEpoch_3083, &_call_f_fromMSecsSinceEpoch_3083); + methods += new qt_gsi::GenericStaticMethod ("fromSecsSinceEpoch", "@brief Static method QDateTime QDateTime::fromSecsSinceEpoch(qint64 secs, Qt::TimeSpec spe, int offsetFromUtc)\nThis method is static and can be called without an instance.", &_init_f_fromSecsSinceEpoch_3080, &_call_f_fromSecsSinceEpoch_3080); + methods += new qt_gsi::GenericStaticMethod ("fromSecsSinceEpoch", "@brief Static method QDateTime QDateTime::fromSecsSinceEpoch(qint64 secs, const QTimeZone &timeZone)\nThis method is static and can be called without an instance.", &_init_f_fromSecsSinceEpoch_3083, &_call_f_fromSecsSinceEpoch_3083); methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QDateTime QDateTime::fromString(const QString &s, Qt::DateFormat f)\nThis method is static and can be called without an instance.", &_init_f_fromString_3665, &_call_f_fromString_3665); methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QDateTime QDateTime::fromString(const QString &s, const QString &format)\nThis method is static and can be called without an instance.", &_init_f_fromString_3942, &_call_f_fromString_3942); methods += new qt_gsi::GenericStaticMethod ("fromTime_t", "@brief Static method QDateTime QDateTime::fromTime_t(unsigned int secsSince1Jan1970UTC)\nThis method is static and can be called without an instance.", &_init_f_fromTime_t_1772, &_call_f_fromTime_t_1772); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQDeadlineTimer.cc b/src/gsiqt/qt5/QtCore/gsiDeclQDeadlineTimer.cc new file mode 100644 index 0000000000..6b99f51306 --- /dev/null +++ b/src/gsiqt/qt5/QtCore/gsiDeclQDeadlineTimer.cc @@ -0,0 +1,479 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +/** +* @file gsiDeclQDeadlineTimer.cc +* +* DO NOT EDIT THIS FILE. +* This file has been created automatically +*/ + +#include +#include "gsiQt.h" +#include "gsiQtCoreCommon.h" +#include + +// ----------------------------------------------------------------------- +// class QDeadlineTimer + +// Constructor QDeadlineTimer::QDeadlineTimer(Qt::TimerType type_) + + +static void _init_ctor_QDeadlineTimer_1680 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("type_", true, "Qt::CoarseTimer"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QDeadlineTimer_1680 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::CoarseTimer), heap); + ret.write (new QDeadlineTimer (qt_gsi::QtToCppAdaptor(arg1).cref())); +} + + +// Constructor QDeadlineTimer::QDeadlineTimer(QDeadlineTimer::ForeverConstant, Qt::TimerType type_) + + +static void _init_ctor_QDeadlineTimer_5079 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg::target_type & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("type_", true, "Qt::CoarseTimer"); + decl->add_arg::target_type & > (argspec_1); + decl->set_return_new (); +} + +static void _call_ctor_QDeadlineTimer_5079 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::CoarseTimer), heap); + ret.write (new QDeadlineTimer (qt_gsi::QtToCppAdaptor(arg1).cref(), qt_gsi::QtToCppAdaptor(arg2).cref())); +} + + +// Constructor QDeadlineTimer::QDeadlineTimer(qint64 msecs, Qt::TimerType type) + + +static void _init_ctor_QDeadlineTimer_2558 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("msecs"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("type", true, "Qt::CoarseTimer"); + decl->add_arg::target_type & > (argspec_1); + decl->set_return_new (); +} + +static void _call_ctor_QDeadlineTimer_2558 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::CoarseTimer), heap); + ret.write (new QDeadlineTimer (arg1, qt_gsi::QtToCppAdaptor(arg2).cref())); +} + + +// qint64 QDeadlineTimer::deadline() + + +static void _init_f_deadline_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_deadline_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((qint64)((QDeadlineTimer *)cls)->deadline ()); +} + + +// qint64 QDeadlineTimer::deadlineNSecs() + + +static void _init_f_deadlineNSecs_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_deadlineNSecs_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((qint64)((QDeadlineTimer *)cls)->deadlineNSecs ()); +} + + +// bool QDeadlineTimer::hasExpired() + + +static void _init_f_hasExpired_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_hasExpired_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QDeadlineTimer *)cls)->hasExpired ()); +} + + +// bool QDeadlineTimer::isForever() + + +static void _init_f_isForever_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isForever_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QDeadlineTimer *)cls)->isForever ()); +} + + +// QDeadlineTimer &QDeadlineTimer::operator+=(qint64 msecs) + + +static void _init_f_operator_plus__eq__986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("msecs"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_plus__eq__986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + ret.write ((QDeadlineTimer &)((QDeadlineTimer *)cls)->operator+= (arg1)); +} + + +// QDeadlineTimer &QDeadlineTimer::operator-=(qint64 msecs) + + +static void _init_f_operator_minus__eq__986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("msecs"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_minus__eq__986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + ret.write ((QDeadlineTimer &)((QDeadlineTimer *)cls)->operator-= (arg1)); +} + + +// qint64 QDeadlineTimer::remainingTime() + + +static void _init_f_remainingTime_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_remainingTime_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((qint64)((QDeadlineTimer *)cls)->remainingTime ()); +} + + +// qint64 QDeadlineTimer::remainingTimeNSecs() + + +static void _init_f_remainingTimeNSecs_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_remainingTimeNSecs_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((qint64)((QDeadlineTimer *)cls)->remainingTimeNSecs ()); +} + + +// void QDeadlineTimer::setDeadline(qint64 msecs, Qt::TimerType timerType) + + +static void _init_f_setDeadline_2558 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("msecs"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("timerType", true, "Qt::CoarseTimer"); + decl->add_arg::target_type & > (argspec_1); + decl->set_return (); +} + +static void _call_f_setDeadline_2558 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::CoarseTimer), heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDeadlineTimer *)cls)->setDeadline (arg1, qt_gsi::QtToCppAdaptor(arg2).cref()); +} + + +// void QDeadlineTimer::setPreciseDeadline(qint64 secs, qint64 nsecs, Qt::TimerType type) + + +static void _init_f_setPreciseDeadline_3436 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("secs"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("nsecs", true, "0"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("type", true, "Qt::CoarseTimer"); + decl->add_arg::target_type & > (argspec_2); + decl->set_return (); +} + +static void _call_f_setPreciseDeadline_3436 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + qint64 arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const qt_gsi::Converter::target_type & arg3 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::CoarseTimer), heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDeadlineTimer *)cls)->setPreciseDeadline (arg1, arg2, qt_gsi::QtToCppAdaptor(arg3).cref()); +} + + +// void QDeadlineTimer::setPreciseRemainingTime(qint64 secs, qint64 nsecs, Qt::TimerType type) + + +static void _init_f_setPreciseRemainingTime_3436 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("secs"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("nsecs", true, "0"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("type", true, "Qt::CoarseTimer"); + decl->add_arg::target_type & > (argspec_2); + decl->set_return (); +} + +static void _call_f_setPreciseRemainingTime_3436 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + qint64 arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const qt_gsi::Converter::target_type & arg3 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::CoarseTimer), heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDeadlineTimer *)cls)->setPreciseRemainingTime (arg1, arg2, qt_gsi::QtToCppAdaptor(arg3).cref()); +} + + +// void QDeadlineTimer::setRemainingTime(qint64 msecs, Qt::TimerType type) + + +static void _init_f_setRemainingTime_2558 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("msecs"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("type", true, "Qt::CoarseTimer"); + decl->add_arg::target_type & > (argspec_1); + decl->set_return (); +} + +static void _call_f_setRemainingTime_2558 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::CoarseTimer), heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDeadlineTimer *)cls)->setRemainingTime (arg1, qt_gsi::QtToCppAdaptor(arg2).cref()); +} + + +// void QDeadlineTimer::setTimerType(Qt::TimerType type) + + +static void _init_f_setTimerType_1680 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("type"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_setTimerType_1680 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDeadlineTimer *)cls)->setTimerType (qt_gsi::QtToCppAdaptor(arg1).cref()); +} + + +// void QDeadlineTimer::swap(QDeadlineTimer &other) + + +static void _init_f_swap_2002 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_swap_2002 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QDeadlineTimer &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDeadlineTimer *)cls)->swap (arg1); +} + + +// Qt::TimerType QDeadlineTimer::timerType() + + +static void _init_f_timerType_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_timerType_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QDeadlineTimer *)cls)->timerType ())); +} + + +// static QDeadlineTimer QDeadlineTimer::addNSecs(QDeadlineTimer dt, qint64 nsecs) + + +static void _init_f_addNSecs_2698 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("dt"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("nsecs"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_addNSecs_2698 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QDeadlineTimer arg1 = gsi::arg_reader() (args, heap); + qint64 arg2 = gsi::arg_reader() (args, heap); + ret.write ((QDeadlineTimer)QDeadlineTimer::addNSecs (arg1, arg2)); +} + + +// static QDeadlineTimer QDeadlineTimer::current(Qt::TimerType timerType) + + +static void _init_f_current_1680 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("timerType", true, "Qt::CoarseTimer"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_current_1680 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::CoarseTimer), heap); + ret.write ((QDeadlineTimer)QDeadlineTimer::current (qt_gsi::QtToCppAdaptor(arg1).cref())); +} + + + +namespace gsi +{ + +static gsi::Methods methods_QDeadlineTimer () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDeadlineTimer::QDeadlineTimer(Qt::TimerType type_)\nThis method creates an object of class QDeadlineTimer.", &_init_ctor_QDeadlineTimer_1680, &_call_ctor_QDeadlineTimer_1680); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDeadlineTimer::QDeadlineTimer(QDeadlineTimer::ForeverConstant, Qt::TimerType type_)\nThis method creates an object of class QDeadlineTimer.", &_init_ctor_QDeadlineTimer_5079, &_call_ctor_QDeadlineTimer_5079); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDeadlineTimer::QDeadlineTimer(qint64 msecs, Qt::TimerType type)\nThis method creates an object of class QDeadlineTimer.", &_init_ctor_QDeadlineTimer_2558, &_call_ctor_QDeadlineTimer_2558); + methods += new qt_gsi::GenericMethod ("deadline", "@brief Method qint64 QDeadlineTimer::deadline()\n", true, &_init_f_deadline_c0, &_call_f_deadline_c0); + methods += new qt_gsi::GenericMethod ("deadlineNSecs", "@brief Method qint64 QDeadlineTimer::deadlineNSecs()\n", true, &_init_f_deadlineNSecs_c0, &_call_f_deadlineNSecs_c0); + methods += new qt_gsi::GenericMethod ("hasExpired", "@brief Method bool QDeadlineTimer::hasExpired()\n", true, &_init_f_hasExpired_c0, &_call_f_hasExpired_c0); + methods += new qt_gsi::GenericMethod ("isForever?", "@brief Method bool QDeadlineTimer::isForever()\n", true, &_init_f_isForever_c0, &_call_f_isForever_c0); + methods += new qt_gsi::GenericMethod ("+=", "@brief Method QDeadlineTimer &QDeadlineTimer::operator+=(qint64 msecs)\n", false, &_init_f_operator_plus__eq__986, &_call_f_operator_plus__eq__986); + methods += new qt_gsi::GenericMethod ("-=", "@brief Method QDeadlineTimer &QDeadlineTimer::operator-=(qint64 msecs)\n", false, &_init_f_operator_minus__eq__986, &_call_f_operator_minus__eq__986); + methods += new qt_gsi::GenericMethod ("remainingTime", "@brief Method qint64 QDeadlineTimer::remainingTime()\n", true, &_init_f_remainingTime_c0, &_call_f_remainingTime_c0); + methods += new qt_gsi::GenericMethod ("remainingTimeNSecs", "@brief Method qint64 QDeadlineTimer::remainingTimeNSecs()\n", true, &_init_f_remainingTimeNSecs_c0, &_call_f_remainingTimeNSecs_c0); + methods += new qt_gsi::GenericMethod ("setDeadline", "@brief Method void QDeadlineTimer::setDeadline(qint64 msecs, Qt::TimerType timerType)\n", false, &_init_f_setDeadline_2558, &_call_f_setDeadline_2558); + methods += new qt_gsi::GenericMethod ("setPreciseDeadline", "@brief Method void QDeadlineTimer::setPreciseDeadline(qint64 secs, qint64 nsecs, Qt::TimerType type)\n", false, &_init_f_setPreciseDeadline_3436, &_call_f_setPreciseDeadline_3436); + methods += new qt_gsi::GenericMethod ("setPreciseRemainingTime", "@brief Method void QDeadlineTimer::setPreciseRemainingTime(qint64 secs, qint64 nsecs, Qt::TimerType type)\n", false, &_init_f_setPreciseRemainingTime_3436, &_call_f_setPreciseRemainingTime_3436); + methods += new qt_gsi::GenericMethod ("setRemainingTime", "@brief Method void QDeadlineTimer::setRemainingTime(qint64 msecs, Qt::TimerType type)\n", false, &_init_f_setRemainingTime_2558, &_call_f_setRemainingTime_2558); + methods += new qt_gsi::GenericMethod ("setTimerType", "@brief Method void QDeadlineTimer::setTimerType(Qt::TimerType type)\n", false, &_init_f_setTimerType_1680, &_call_f_setTimerType_1680); + methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QDeadlineTimer::swap(QDeadlineTimer &other)\n", false, &_init_f_swap_2002, &_call_f_swap_2002); + methods += new qt_gsi::GenericMethod ("timerType", "@brief Method Qt::TimerType QDeadlineTimer::timerType()\n", true, &_init_f_timerType_c0, &_call_f_timerType_c0); + methods += new qt_gsi::GenericStaticMethod ("addNSecs", "@brief Static method QDeadlineTimer QDeadlineTimer::addNSecs(QDeadlineTimer dt, qint64 nsecs)\nThis method is static and can be called without an instance.", &_init_f_addNSecs_2698, &_call_f_addNSecs_2698); + methods += new qt_gsi::GenericStaticMethod ("current", "@brief Static method QDeadlineTimer QDeadlineTimer::current(Qt::TimerType timerType)\nThis method is static and can be called without an instance.", &_init_f_current_1680, &_call_f_current_1680); + return methods; +} + +gsi::Class decl_QDeadlineTimer ("QtCore", "QDeadlineTimer", + methods_QDeadlineTimer (), + "@qt\n@brief Binding of QDeadlineTimer"); + + +GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QDeadlineTimer () { return decl_QDeadlineTimer; } + +} + + +// Implementation of the enum wrapper class for QDeadlineTimer::ForeverConstant +namespace qt_gsi +{ + +static gsi::Enum decl_QDeadlineTimer_ForeverConstant_Enum ("QtCore", "QDeadlineTimer_ForeverConstant", + gsi::enum_const ("Forever", QDeadlineTimer::Forever, "@brief Enum constant QDeadlineTimer::Forever"), + "@qt\n@brief This class represents the QDeadlineTimer::ForeverConstant enum"); + +static gsi::QFlagsClass decl_QDeadlineTimer_ForeverConstant_Enums ("QtCore", "QDeadlineTimer_QFlags_ForeverConstant", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_QDeadlineTimer_ForeverConstant_Enum_in_parent (decl_QDeadlineTimer_ForeverConstant_Enum.defs ()); +static gsi::ClassExt decl_QDeadlineTimer_ForeverConstant_Enum_as_child (decl_QDeadlineTimer_ForeverConstant_Enum, "ForeverConstant"); +static gsi::ClassExt decl_QDeadlineTimer_ForeverConstant_Enums_as_child (decl_QDeadlineTimer_ForeverConstant_Enums, "QFlags_ForeverConstant"); + +} + diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQDebug.cc b/src/gsiqt/qt5/QtCore/gsiDeclQDebug.cc index 333a487de4..d2fdf3dd04 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQDebug.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQDebug.cc @@ -279,6 +279,26 @@ static void _call_f_setAutoInsertSpaces_864 (const qt_gsi::GenericMethod * /*dec } +// void QDebug::setVerbosity(int verbosityLevel) + + +static void _init_f_setVerbosity_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("verbosityLevel"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setVerbosity_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDebug *)cls)->setVerbosity (arg1); +} + + // QDebug &QDebug::space() @@ -314,6 +334,21 @@ static void _call_f_swap_1186 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// int QDebug::verbosity() + + +static void _init_f_verbosity_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_verbosity_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QDebug *)cls)->verbosity ()); +} + + namespace gsi { @@ -334,8 +369,10 @@ static gsi::Methods methods_QDebug () { methods += new qt_gsi::GenericMethod ("quote", "@brief Method QDebug &QDebug::quote()\n", false, &_init_f_quote_0, &_call_f_quote_0); methods += new qt_gsi::GenericMethod ("resetFormat", "@brief Method QDebug &QDebug::resetFormat()\n", false, &_init_f_resetFormat_0, &_call_f_resetFormat_0); methods += new qt_gsi::GenericMethod ("setAutoInsertSpaces|autoInsertSpaces=", "@brief Method void QDebug::setAutoInsertSpaces(bool b)\n", false, &_init_f_setAutoInsertSpaces_864, &_call_f_setAutoInsertSpaces_864); + methods += new qt_gsi::GenericMethod ("setVerbosity", "@brief Method void QDebug::setVerbosity(int verbosityLevel)\n", false, &_init_f_setVerbosity_767, &_call_f_setVerbosity_767); methods += new qt_gsi::GenericMethod ("space", "@brief Method QDebug &QDebug::space()\n", false, &_init_f_space_0, &_call_f_space_0); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QDebug::swap(QDebug &other)\n", false, &_init_f_swap_1186, &_call_f_swap_1186); + methods += new qt_gsi::GenericMethod ("verbosity", "@brief Method int QDebug::verbosity()\n", true, &_init_f_verbosity_c0, &_call_f_verbosity_c0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQDir.cc b/src/gsiqt/qt5/QtCore/gsiDeclQDir.cc index 384ee17b4d..019e6ac7ea 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQDir.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQDir.cc @@ -392,6 +392,25 @@ static void _call_f_isAbsolute_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// bool QDir::isEmpty(QFlags filters) + + +static void _init_f_isEmpty_c2230 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("filters", true, "QDir::Filters(QDir::AllEntries | QDir::NoDotAndDotDot)"); + decl->add_arg > (argspec_0); + decl->set_return (); +} + +static void _call_f_isEmpty_c2230 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QFlags arg1 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QDir::Filters(QDir::AllEntries | QDir::NoDotAndDotDot), heap); + ret.write ((bool)((QDir *)cls)->isEmpty (arg1)); +} + + // bool QDir::isReadable() @@ -1053,6 +1072,21 @@ static void _call_f_isRelativePath_2025 (const qt_gsi::GenericStaticMethod * /*d } +// static QChar QDir::listSeparator() + + +static void _init_f_listSeparator_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_listSeparator_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(QDir::listSeparator ())); +} + + // static bool QDir::match(const QStringList &filters, const QString &fileName) @@ -1296,6 +1330,7 @@ static gsi::Methods methods_QDir () { methods += new qt_gsi::GenericMethod ("filePath", "@brief Method QString QDir::filePath(const QString &fileName)\n", true, &_init_f_filePath_c2025, &_call_f_filePath_c2025); methods += new qt_gsi::GenericMethod (":filter", "@brief Method QFlags QDir::filter()\n", true, &_init_f_filter_c0, &_call_f_filter_c0); methods += new qt_gsi::GenericMethod ("isAbsolute?", "@brief Method bool QDir::isAbsolute()\n", true, &_init_f_isAbsolute_c0, &_call_f_isAbsolute_c0); + methods += new qt_gsi::GenericMethod ("isEmpty?", "@brief Method bool QDir::isEmpty(QFlags filters)\n", true, &_init_f_isEmpty_c2230, &_call_f_isEmpty_c2230); methods += new qt_gsi::GenericMethod ("isReadable?", "@brief Method bool QDir::isReadable()\n", true, &_init_f_isReadable_c0, &_call_f_isReadable_c0); methods += new qt_gsi::GenericMethod ("isRelative?", "@brief Method bool QDir::isRelative()\n", true, &_init_f_isRelative_c0, &_call_f_isRelative_c0); methods += new qt_gsi::GenericMethod ("isRoot?", "@brief Method bool QDir::isRoot()\n", true, &_init_f_isRoot_c0, &_call_f_isRoot_c0); @@ -1333,6 +1368,7 @@ static gsi::Methods methods_QDir () { methods += new qt_gsi::GenericStaticMethod ("homePath", "@brief Static method QString QDir::homePath()\nThis method is static and can be called without an instance.", &_init_f_homePath_0, &_call_f_homePath_0); methods += new qt_gsi::GenericStaticMethod ("isAbsolutePath?", "@brief Static method bool QDir::isAbsolutePath(const QString &path)\nThis method is static and can be called without an instance.", &_init_f_isAbsolutePath_2025, &_call_f_isAbsolutePath_2025); methods += new qt_gsi::GenericStaticMethod ("isRelativePath?", "@brief Static method bool QDir::isRelativePath(const QString &path)\nThis method is static and can be called without an instance.", &_init_f_isRelativePath_2025, &_call_f_isRelativePath_2025); + methods += new qt_gsi::GenericStaticMethod ("listSeparator", "@brief Static method QChar QDir::listSeparator()\nThis method is static and can be called without an instance.", &_init_f_listSeparator_0, &_call_f_listSeparator_0); methods += new qt_gsi::GenericStaticMethod ("match", "@brief Static method bool QDir::match(const QStringList &filters, const QString &fileName)\nThis method is static and can be called without an instance.", &_init_f_match_4354, &_call_f_match_4354); methods += new qt_gsi::GenericStaticMethod ("match", "@brief Static method bool QDir::match(const QString &filter, const QString &fileName)\nThis method is static and can be called without an instance.", &_init_f_match_3942, &_call_f_match_3942); methods += new qt_gsi::GenericStaticMethod ("nameFiltersFromString", "@brief Static method QStringList QDir::nameFiltersFromString(const QString &nameFilter)\nThis method is static and can be called without an instance.", &_init_f_nameFiltersFromString_2025, &_call_f_nameFiltersFromString_2025); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQEvent.cc b/src/gsiqt/qt5/QtCore/gsiDeclQEvent.cc index 854faa00de..22df93288f 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQEvent.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQEvent.cc @@ -446,6 +446,8 @@ static gsi::Enum decl_QEvent_Type_Enum ("QtCore", "QEvent_Type", gsi::enum_const ("WindowChangeInternal", QEvent::WindowChangeInternal, "@brief Enum constant QEvent::WindowChangeInternal") + gsi::enum_const ("ScreenChangeInternal", QEvent::ScreenChangeInternal, "@brief Enum constant QEvent::ScreenChangeInternal") + gsi::enum_const ("PlatformSurface", QEvent::PlatformSurface, "@brief Enum constant QEvent::PlatformSurface") + + gsi::enum_const ("Pointer", QEvent::Pointer, "@brief Enum constant QEvent::Pointer") + + gsi::enum_const ("TabletTrackingChange", QEvent::TabletTrackingChange, "@brief Enum constant QEvent::TabletTrackingChange") + gsi::enum_const ("User", QEvent::User, "@brief Enum constant QEvent::User") + gsi::enum_const ("MaxUser", QEvent::MaxUser, "@brief Enum constant QEvent::MaxUser"), "@qt\n@brief This class represents the QEvent::Type enum"); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQEventLoop.cc b/src/gsiqt/qt5/QtCore/gsiDeclQEventLoop.cc index c55df12ead..8dffd647c7 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQEventLoop.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQEventLoop.cc @@ -342,18 +342,18 @@ class QEventLoop_Adaptor : public QEventLoop, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QEventLoop::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QEventLoop::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QEventLoop::eventFilter(arg1, arg2); + return QEventLoop::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QEventLoop_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QEventLoop_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QEventLoop::eventFilter(arg1, arg2); + return QEventLoop::eventFilter(watched, event); } } @@ -364,33 +364,33 @@ class QEventLoop_Adaptor : public QEventLoop, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QEventLoop::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QEventLoop::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QEventLoop::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QEventLoop::childEvent(arg1); + QEventLoop::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QEventLoop_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QEventLoop_Adaptor::cbs_childEvent_1701_0, event); } else { - QEventLoop::childEvent(arg1); + QEventLoop::childEvent(event); } } - // [adaptor impl] void QEventLoop::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QEventLoop::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QEventLoop::customEvent(arg1); + QEventLoop::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QEventLoop_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QEventLoop_Adaptor::cbs_customEvent_1217_0, event); } else { - QEventLoop::customEvent(arg1); + QEventLoop::customEvent(event); } } @@ -409,18 +409,18 @@ class QEventLoop_Adaptor : public QEventLoop, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QEventLoop::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QEventLoop::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QEventLoop::timerEvent(arg1); + QEventLoop::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QEventLoop_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QEventLoop_Adaptor::cbs_timerEvent_1730_0, event); } else { - QEventLoop::timerEvent(arg1); + QEventLoop::timerEvent(event); } } @@ -438,7 +438,7 @@ QEventLoop_Adaptor::~QEventLoop_Adaptor() { } static void _init_ctor_QEventLoop_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -447,16 +447,16 @@ static void _call_ctor_QEventLoop_Adaptor_1302 (const qt_gsi::GenericStaticMetho { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QEventLoop_Adaptor (arg1)); } -// void QEventLoop::childEvent(QChildEvent *) +// void QEventLoop::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -476,11 +476,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QEventLoop::customEvent(QEvent *) +// void QEventLoop::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -504,7 +504,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -513,7 +513,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QEventLoop_Adaptor *)cls)->emitter_QEventLoop_destroyed_1302 (arg1); } @@ -565,13 +565,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QEventLoop::eventFilter(QObject *, QEvent *) +// bool QEventLoop::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -673,11 +673,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QEventLoop::timerEvent(QTimerEvent *) +// void QEventLoop::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -705,23 +705,23 @@ gsi::Class &qtdecl_QEventLoop (); static gsi::Methods methods_QEventLoop_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QEventLoop::QEventLoop(QObject *parent)\nThis method creates an object of class QEventLoop.", &_init_ctor_QEventLoop_Adaptor_1302, &_call_ctor_QEventLoop_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QEventLoop::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QEventLoop::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QEventLoop::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QEventLoop::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QEventLoop::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QEventLoop::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QEventLoop::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QEventLoop::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QEventLoop::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QEventLoop::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QEventLoop::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QEventLoop::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QEventLoop::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QEventLoop::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QEventLoop::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QEventLoop::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQEventTransition.cc b/src/gsiqt/qt5/QtCore/gsiDeclQEventTransition.cc index 2e28e19739..226de8e7f4 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQEventTransition.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQEventTransition.cc @@ -265,18 +265,18 @@ class QEventTransition_Adaptor : public QEventTransition, public qt_gsi::QtObjec emit QEventTransition::destroyed(arg1); } - // [adaptor impl] bool QEventTransition::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QEventTransition::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QEventTransition::eventFilter(arg1, arg2); + return QEventTransition::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QEventTransition_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QEventTransition_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QEventTransition::eventFilter(arg1, arg2); + return QEventTransition::eventFilter(watched, event); } } @@ -305,33 +305,33 @@ class QEventTransition_Adaptor : public QEventTransition, public qt_gsi::QtObjec throw tl::Exception ("Can't emit private signal 'void QEventTransition::triggered()'"); } - // [adaptor impl] void QEventTransition::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QEventTransition::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QEventTransition::childEvent(arg1); + QEventTransition::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QEventTransition_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QEventTransition_Adaptor::cbs_childEvent_1701_0, event); } else { - QEventTransition::childEvent(arg1); + QEventTransition::childEvent(event); } } - // [adaptor impl] void QEventTransition::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QEventTransition::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QEventTransition::customEvent(arg1); + QEventTransition::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QEventTransition_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QEventTransition_Adaptor::cbs_customEvent_1217_0, event); } else { - QEventTransition::customEvent(arg1); + QEventTransition::customEvent(event); } } @@ -395,18 +395,18 @@ class QEventTransition_Adaptor : public QEventTransition, public qt_gsi::QtObjec } } - // [adaptor impl] void QEventTransition::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QEventTransition::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QEventTransition::timerEvent(arg1); + QEventTransition::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QEventTransition_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QEventTransition_Adaptor::cbs_timerEvent_1730_0, event); } else { - QEventTransition::timerEvent(arg1); + QEventTransition::timerEvent(event); } } @@ -426,7 +426,7 @@ QEventTransition_Adaptor::~QEventTransition_Adaptor() { } static void _init_ctor_QEventTransition_Adaptor_1216 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("sourceState", true, "0"); + static gsi::ArgSpecBase argspec_0 ("sourceState", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -435,7 +435,7 @@ static void _call_ctor_QEventTransition_Adaptor_1216 (const qt_gsi::GenericStati { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QState *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QState *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QEventTransition_Adaptor (arg1)); } @@ -448,7 +448,7 @@ static void _init_ctor_QEventTransition_Adaptor_3867 (qt_gsi::GenericStaticMetho decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("type"); decl->add_arg::target_type & > (argspec_1); - static gsi::ArgSpecBase argspec_2 ("sourceState", true, "0"); + static gsi::ArgSpecBase argspec_2 ("sourceState", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -459,16 +459,16 @@ static void _call_ctor_QEventTransition_Adaptor_3867 (const qt_gsi::GenericStati tl::Heap heap; QObject *arg1 = gsi::arg_reader() (args, heap); const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); - QState *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QState *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QEventTransition_Adaptor (arg1, qt_gsi::QtToCppAdaptor(arg2).cref(), arg3)); } -// void QEventTransition::childEvent(QChildEvent *) +// void QEventTransition::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -488,11 +488,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QEventTransition::customEvent(QEvent *) +// void QEventTransition::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -516,7 +516,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -525,7 +525,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QEventTransition_Adaptor *)cls)->emitter_QEventTransition_destroyed_1302 (arg1); } @@ -577,13 +577,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QEventTransition::eventFilter(QObject *, QEvent *) +// bool QEventTransition::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -760,11 +760,11 @@ static void _call_emitter_targetStatesChanged_3938 (const qt_gsi::GenericMethod } -// void QEventTransition::timerEvent(QTimerEvent *) +// void QEventTransition::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -807,16 +807,16 @@ static gsi::Methods methods_QEventTransition_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QEventTransition::QEventTransition(QState *sourceState)\nThis method creates an object of class QEventTransition.", &_init_ctor_QEventTransition_Adaptor_1216, &_call_ctor_QEventTransition_Adaptor_1216); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QEventTransition::QEventTransition(QObject *object, QEvent::Type type, QState *sourceState)\nThis method creates an object of class QEventTransition.", &_init_ctor_QEventTransition_Adaptor_3867, &_call_ctor_QEventTransition_Adaptor_3867); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QEventTransition::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QEventTransition::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QEventTransition::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QEventTransition::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QEventTransition::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QEventTransition::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QEventTransition::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QEventTransition::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QEventTransition::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventTest", "@brief Virtual method bool QEventTransition::eventTest(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventTest_1217_0, &_call_cbs_eventTest_1217_0); methods += new qt_gsi::GenericMethod ("*eventTest", "@hide", false, &_init_cbs_eventTest_1217_0, &_call_cbs_eventTest_1217_0, &_set_callback_cbs_eventTest_1217_0); @@ -829,7 +829,7 @@ static gsi::Methods methods_QEventTransition_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QEventTransition::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("emit_targetStateChanged", "@brief Emitter for signal void QEventTransition::targetStateChanged()\nCall this method to emit this signal.", false, &_init_emitter_targetStateChanged_3938, &_call_emitter_targetStateChanged_3938); methods += new qt_gsi::GenericMethod ("emit_targetStatesChanged", "@brief Emitter for signal void QEventTransition::targetStatesChanged()\nCall this method to emit this signal.", false, &_init_emitter_targetStatesChanged_3938, &_call_emitter_targetStatesChanged_3938); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QEventTransition::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QEventTransition::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_triggered", "@brief Emitter for signal void QEventTransition::triggered()\nCall this method to emit this signal.", false, &_init_emitter_triggered_3938, &_call_emitter_triggered_3938); return methods; diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQFile.cc b/src/gsiqt/qt5/QtCore/gsiDeclQFile.cc index f13d3b4450..98948d9021 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQFile.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQFile.cc @@ -28,6 +28,7 @@ */ #include +#include #include #include #include @@ -686,6 +687,8 @@ static gsi::Methods methods_QFile () { methods += new qt_gsi::GenericMethod ("symLinkTarget", "@brief Method QString QFile::symLinkTarget()\n", true, &_init_f_symLinkTarget_c0, &_call_f_symLinkTarget_c0); methods += gsi::qt_signal ("aboutToClose()", "aboutToClose", "@brief Signal declaration for QFile::aboutToClose()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("bytesWritten(qint64)", "bytesWritten", gsi::arg("bytes"), "@brief Signal declaration for QFile::bytesWritten(qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelBytesWritten(int, qint64)", "channelBytesWritten", gsi::arg("channel"), gsi::arg("bytes"), "@brief Signal declaration for QFile::channelBytesWritten(int channel, qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelReadyRead(int)", "channelReadyRead", gsi::arg("channel"), "@brief Signal declaration for QFile::channelReadyRead(int channel)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QFile::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QFile::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("readChannelFinished()", "readChannelFinished", "@brief Signal declaration for QFile::readChannelFinished()\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQFileDevice.cc b/src/gsiqt/qt5/QtCore/gsiDeclQFileDevice.cc index d6773c71fa..f3efee5064 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQFileDevice.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQFileDevice.cc @@ -29,6 +29,7 @@ #include #include +#include #include #include #include @@ -115,6 +116,25 @@ static void _call_f_fileName_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } +// QDateTime QFileDevice::fileTime(QFileDevice::FileTime time) + + +static void _init_f_fileTime_c2392 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("time"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_fileTime_c2392 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ret.write ((QDateTime)((QFileDevice *)cls)->fileTime (qt_gsi::QtToCppAdaptor(arg1).cref())); +} + + // bool QFileDevice::flush() @@ -228,6 +248,28 @@ static void _call_f_seek_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// bool QFileDevice::setFileTime(const QDateTime &newDate, QFileDevice::FileTime fileTime) + + +static void _init_f_setFileTime_4459 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("newDate"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("fileTime"); + decl->add_arg::target_type & > (argspec_1); + decl->set_return (); +} + +static void _call_f_setFileTime_4459 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QDateTime &arg1 = gsi::arg_reader() (args, heap); + const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); + ret.write ((bool)((QFileDevice *)cls)->setFileTime (arg1, qt_gsi::QtToCppAdaptor(arg2).cref())); +} + + // bool QFileDevice::setPermissions(QFlags permissionSpec) @@ -338,6 +380,7 @@ static gsi::Methods methods_QFileDevice () { methods += new qt_gsi::GenericMethod ("close", "@brief Method void QFileDevice::close()\nThis is a reimplementation of QIODevice::close", false, &_init_f_close_0, &_call_f_close_0); methods += new qt_gsi::GenericMethod ("error", "@brief Method QFileDevice::FileError QFileDevice::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); methods += new qt_gsi::GenericMethod ("fileName", "@brief Method QString QFileDevice::fileName()\n", true, &_init_f_fileName_c0, &_call_f_fileName_c0); + methods += new qt_gsi::GenericMethod ("fileTime", "@brief Method QDateTime QFileDevice::fileTime(QFileDevice::FileTime time)\n", true, &_init_f_fileTime_c2392, &_call_f_fileTime_c2392); methods += new qt_gsi::GenericMethod ("flush", "@brief Method bool QFileDevice::flush()\n", false, &_init_f_flush_0, &_call_f_flush_0); methods += new qt_gsi::GenericMethod ("handle", "@brief Method int QFileDevice::handle()\n", true, &_init_f_handle_c0, &_call_f_handle_c0); methods += new qt_gsi::GenericMethod ("isSequential?", "@brief Method bool QFileDevice::isSequential()\nThis is a reimplementation of QIODevice::isSequential", true, &_init_f_isSequential_c0, &_call_f_isSequential_c0); @@ -345,11 +388,14 @@ static gsi::Methods methods_QFileDevice () { methods += new qt_gsi::GenericMethod ("pos", "@brief Method qint64 QFileDevice::pos()\nThis is a reimplementation of QIODevice::pos", true, &_init_f_pos_c0, &_call_f_pos_c0); methods += new qt_gsi::GenericMethod ("resize", "@brief Method bool QFileDevice::resize(qint64 sz)\n", false, &_init_f_resize_986, &_call_f_resize_986); methods += new qt_gsi::GenericMethod ("seek", "@brief Method bool QFileDevice::seek(qint64 offset)\nThis is a reimplementation of QIODevice::seek", false, &_init_f_seek_986, &_call_f_seek_986); + methods += new qt_gsi::GenericMethod ("setFileTime", "@brief Method bool QFileDevice::setFileTime(const QDateTime &newDate, QFileDevice::FileTime fileTime)\n", false, &_init_f_setFileTime_4459, &_call_f_setFileTime_4459); methods += new qt_gsi::GenericMethod ("setPermissions", "@brief Method bool QFileDevice::setPermissions(QFlags permissionSpec)\n", false, &_init_f_setPermissions_3370, &_call_f_setPermissions_3370); methods += new qt_gsi::GenericMethod ("size", "@brief Method qint64 QFileDevice::size()\nThis is a reimplementation of QIODevice::size", true, &_init_f_size_c0, &_call_f_size_c0); methods += new qt_gsi::GenericMethod ("unsetError", "@brief Method void QFileDevice::unsetError()\n", false, &_init_f_unsetError_0, &_call_f_unsetError_0); methods += gsi::qt_signal ("aboutToClose()", "aboutToClose", "@brief Signal declaration for QFileDevice::aboutToClose()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("bytesWritten(qint64)", "bytesWritten", gsi::arg("bytes"), "@brief Signal declaration for QFileDevice::bytesWritten(qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelBytesWritten(int, qint64)", "channelBytesWritten", gsi::arg("channel"), gsi::arg("bytes"), "@brief Signal declaration for QFileDevice::channelBytesWritten(int channel, qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelReadyRead(int)", "channelReadyRead", gsi::arg("channel"), "@brief Signal declaration for QFileDevice::channelReadyRead(int channel)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QFileDevice::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QFileDevice::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("readChannelFinished()", "readChannelFinished", "@brief Signal declaration for QFileDevice::readChannelFinished()\nYou can bind a procedure to this signal."); @@ -478,6 +524,18 @@ class QFileDevice_Adaptor : public QFileDevice, public qt_gsi::QtObjectBase } } + // [emitter impl] void QFileDevice::channelBytesWritten(int channel, qint64 bytes) + void emitter_QFileDevice_channelBytesWritten_1645(int channel, qint64 bytes) + { + emit QFileDevice::channelBytesWritten(channel, bytes); + } + + // [emitter impl] void QFileDevice::channelReadyRead(int channel) + void emitter_QFileDevice_channelReadyRead_767(int channel) + { + emit QFileDevice::channelReadyRead(channel); + } + // [adaptor impl] void QFileDevice::close() void cbs_close_0_0() { @@ -499,33 +557,33 @@ class QFileDevice_Adaptor : public QFileDevice, public qt_gsi::QtObjectBase emit QFileDevice::destroyed(arg1); } - // [adaptor impl] bool QFileDevice::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QFileDevice::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QFileDevice::event(arg1); + return QFileDevice::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QFileDevice_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QFileDevice_Adaptor::cbs_event_1217_0, _event); } else { - return QFileDevice::event(arg1); + return QFileDevice::event(_event); } } - // [adaptor impl] bool QFileDevice::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QFileDevice::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QFileDevice::eventFilter(arg1, arg2); + return QFileDevice::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QFileDevice_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QFileDevice_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QFileDevice::eventFilter(arg1, arg2); + return QFileDevice::eventFilter(watched, event); } } @@ -728,33 +786,33 @@ class QFileDevice_Adaptor : public QFileDevice, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFileDevice::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QFileDevice::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QFileDevice::childEvent(arg1); + QFileDevice::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QFileDevice_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QFileDevice_Adaptor::cbs_childEvent_1701_0, event); } else { - QFileDevice::childEvent(arg1); + QFileDevice::childEvent(event); } } - // [adaptor impl] void QFileDevice::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFileDevice::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QFileDevice::customEvent(arg1); + QFileDevice::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QFileDevice_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QFileDevice_Adaptor::cbs_customEvent_1217_0, event); } else { - QFileDevice::customEvent(arg1); + QFileDevice::customEvent(event); } } @@ -773,18 +831,18 @@ class QFileDevice_Adaptor : public QFileDevice, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFileDevice::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QFileDevice::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QFileDevice::timerEvent(arg1); + QFileDevice::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QFileDevice_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QFileDevice_Adaptor::cbs_timerEvent_1730_0, event); } else { - QFileDevice::timerEvent(arg1); + QFileDevice::timerEvent(event); } } @@ -939,11 +997,50 @@ static void _set_callback_cbs_canReadLine_c0_0 (void *cls, const gsi::Callback & } -// void QFileDevice::childEvent(QChildEvent *) +// emitter void QFileDevice::channelBytesWritten(int channel, qint64 bytes) + +static void _init_emitter_channelBytesWritten_1645 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("channel"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("bytes"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_channelBytesWritten_1645 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + qint64 arg2 = gsi::arg_reader() (args, heap); + ((QFileDevice_Adaptor *)cls)->emitter_QFileDevice_channelBytesWritten_1645 (arg1, arg2); +} + + +// emitter void QFileDevice::channelReadyRead(int channel) + +static void _init_emitter_channelReadyRead_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("channel"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_channelReadyRead_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QFileDevice_Adaptor *)cls)->emitter_QFileDevice_channelReadyRead_767 (arg1); +} + + +// void QFileDevice::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -983,11 +1080,11 @@ static void _set_callback_cbs_close_0_0 (void *cls, const gsi::Callback &cb) } -// void QFileDevice::customEvent(QEvent *) +// void QFileDevice::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1011,7 +1108,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1020,7 +1117,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QFileDevice_Adaptor *)cls)->emitter_QFileDevice_destroyed_1302 (arg1); } @@ -1049,11 +1146,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QFileDevice::event(QEvent *) +// bool QFileDevice::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1072,13 +1169,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QFileDevice::eventFilter(QObject *, QEvent *) +// bool QFileDevice::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1452,11 +1549,11 @@ static void _set_callback_cbs_size_c0_0 (void *cls, const gsi::Callback &cb) } -// void QFileDevice::timerEvent(QTimerEvent *) +// void QFileDevice::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1565,18 +1662,20 @@ static gsi::Methods methods_QFileDevice_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_bytesWritten", "@brief Emitter for signal void QFileDevice::bytesWritten(qint64 bytes)\nCall this method to emit this signal.", false, &_init_emitter_bytesWritten_986, &_call_emitter_bytesWritten_986); methods += new qt_gsi::GenericMethod ("canReadLine", "@brief Virtual method bool QFileDevice::canReadLine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_canReadLine_c0_0, &_call_cbs_canReadLine_c0_0); methods += new qt_gsi::GenericMethod ("canReadLine", "@hide", true, &_init_cbs_canReadLine_c0_0, &_call_cbs_canReadLine_c0_0, &_set_callback_cbs_canReadLine_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QFileDevice::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("emit_channelBytesWritten", "@brief Emitter for signal void QFileDevice::channelBytesWritten(int channel, qint64 bytes)\nCall this method to emit this signal.", false, &_init_emitter_channelBytesWritten_1645, &_call_emitter_channelBytesWritten_1645); + methods += new qt_gsi::GenericMethod ("emit_channelReadyRead", "@brief Emitter for signal void QFileDevice::channelReadyRead(int channel)\nCall this method to emit this signal.", false, &_init_emitter_channelReadyRead_767, &_call_emitter_channelReadyRead_767); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QFileDevice::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("close", "@brief Virtual method void QFileDevice::close()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_close_0_0, &_call_cbs_close_0_0); methods += new qt_gsi::GenericMethod ("close", "@hide", false, &_init_cbs_close_0_0, &_call_cbs_close_0_0, &_set_callback_cbs_close_0_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFileDevice::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFileDevice::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QFileDevice::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QFileDevice::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QFileDevice::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QFileDevice::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QFileDevice::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QFileDevice::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fileName", "@brief Virtual method QString QFileDevice::fileName()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_fileName_c0_0, &_call_cbs_fileName_c0_0); methods += new qt_gsi::GenericMethod ("fileName", "@hide", true, &_init_cbs_fileName_c0_0, &_call_cbs_fileName_c0_0, &_set_callback_cbs_fileName_c0_0); @@ -1607,7 +1706,7 @@ static gsi::Methods methods_QFileDevice_Adaptor () { methods += new qt_gsi::GenericMethod ("setPermissions", "@hide", false, &_init_cbs_setPermissions_3370_0, &_call_cbs_setPermissions_3370_0, &_set_callback_cbs_setPermissions_3370_0); methods += new qt_gsi::GenericMethod ("size", "@brief Virtual method qint64 QFileDevice::size()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_size_c0_0, &_call_cbs_size_c0_0); methods += new qt_gsi::GenericMethod ("size", "@hide", true, &_init_cbs_size_c0_0, &_call_cbs_size_c0_0, &_set_callback_cbs_size_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFileDevice::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFileDevice::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("waitForBytesWritten", "@brief Virtual method bool QFileDevice::waitForBytesWritten(int msecs)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_waitForBytesWritten_767_0, &_call_cbs_waitForBytesWritten_767_0); methods += new qt_gsi::GenericMethod ("waitForBytesWritten", "@hide", false, &_init_cbs_waitForBytesWritten_767_0, &_call_cbs_waitForBytesWritten_767_0, &_set_callback_cbs_waitForBytesWritten_767_0); @@ -1658,6 +1757,28 @@ static gsi::ClassExt decl_QFileDevice_FileError_Enums_as_child (dec } +// Implementation of the enum wrapper class for QFileDevice::FileTime +namespace qt_gsi +{ + +static gsi::Enum decl_QFileDevice_FileTime_Enum ("QtCore", "QFileDevice_FileTime", + gsi::enum_const ("FileAccessTime", QFileDevice::FileAccessTime, "@brief Enum constant QFileDevice::FileAccessTime") + + gsi::enum_const ("FileBirthTime", QFileDevice::FileBirthTime, "@brief Enum constant QFileDevice::FileBirthTime") + + gsi::enum_const ("FileMetadataChangeTime", QFileDevice::FileMetadataChangeTime, "@brief Enum constant QFileDevice::FileMetadataChangeTime") + + gsi::enum_const ("FileModificationTime", QFileDevice::FileModificationTime, "@brief Enum constant QFileDevice::FileModificationTime"), + "@qt\n@brief This class represents the QFileDevice::FileTime enum"); + +static gsi::QFlagsClass decl_QFileDevice_FileTime_Enums ("QtCore", "QFileDevice_QFlags_FileTime", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_QFileDevice_FileTime_Enum_in_parent (decl_QFileDevice_FileTime_Enum.defs ()); +static gsi::ClassExt decl_QFileDevice_FileTime_Enum_as_child (decl_QFileDevice_FileTime_Enum, "FileTime"); +static gsi::ClassExt decl_QFileDevice_FileTime_Enums_as_child (decl_QFileDevice_FileTime_Enums, "QFlags_FileTime"); + +} + + // Implementation of the enum wrapper class for QFileDevice::Permission namespace qt_gsi { diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQFileInfo.cc b/src/gsiqt/qt5/QtCore/gsiDeclQFileInfo.cc index 8ce883365e..02c0efd40b 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQFileInfo.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQFileInfo.cc @@ -192,6 +192,21 @@ static void _call_f_baseName_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } +// QDateTime QFileInfo::birthTime() + + +static void _init_f_birthTime_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_birthTime_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QDateTime)((QFileInfo *)cls)->birthTime ()); +} + + // QString QFileInfo::bundleName() @@ -357,6 +372,25 @@ static void _call_f_filePath_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } +// QDateTime QFileInfo::fileTime(QFileDevice::FileTime time) + + +static void _init_f_fileTime_c2392 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("time"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_fileTime_c2392 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ret.write ((QDateTime)((QFileInfo *)cls)->fileTime (qt_gsi::QtToCppAdaptor(arg1).cref())); +} + + // QString QFileInfo::group() @@ -612,6 +646,21 @@ static void _call_f_makeAbsolute_0 (const qt_gsi::GenericMethod * /*decl*/, void } +// QDateTime QFileInfo::metadataChangeTime() + + +static void _init_f_metadataChangeTime_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_metadataChangeTime_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QDateTime)((QFileInfo *)cls)->metadataChangeTime ()); +} + + // bool QFileInfo::operator!=(const QFileInfo &fileinfo) @@ -961,6 +1010,7 @@ static gsi::Methods methods_QFileInfo () { methods += new qt_gsi::GenericMethod ("absoluteFilePath", "@brief Method QString QFileInfo::absoluteFilePath()\n", true, &_init_f_absoluteFilePath_c0, &_call_f_absoluteFilePath_c0); methods += new qt_gsi::GenericMethod ("absolutePath", "@brief Method QString QFileInfo::absolutePath()\n", true, &_init_f_absolutePath_c0, &_call_f_absolutePath_c0); methods += new qt_gsi::GenericMethod ("baseName", "@brief Method QString QFileInfo::baseName()\n", true, &_init_f_baseName_c0, &_call_f_baseName_c0); + methods += new qt_gsi::GenericMethod ("birthTime", "@brief Method QDateTime QFileInfo::birthTime()\n", true, &_init_f_birthTime_c0, &_call_f_birthTime_c0); methods += new qt_gsi::GenericMethod ("bundleName", "@brief Method QString QFileInfo::bundleName()\n", true, &_init_f_bundleName_c0, &_call_f_bundleName_c0); methods += new qt_gsi::GenericMethod (":caching", "@brief Method bool QFileInfo::caching()\n", true, &_init_f_caching_c0, &_call_f_caching_c0); methods += new qt_gsi::GenericMethod ("canonicalFilePath", "@brief Method QString QFileInfo::canonicalFilePath()\n", true, &_init_f_canonicalFilePath_c0, &_call_f_canonicalFilePath_c0); @@ -972,6 +1022,7 @@ static gsi::Methods methods_QFileInfo () { methods += new qt_gsi::GenericMethod ("exists", "@brief Method bool QFileInfo::exists()\n", true, &_init_f_exists_c0, &_call_f_exists_c0); methods += new qt_gsi::GenericMethod ("fileName", "@brief Method QString QFileInfo::fileName()\n", true, &_init_f_fileName_c0, &_call_f_fileName_c0); methods += new qt_gsi::GenericMethod ("filePath", "@brief Method QString QFileInfo::filePath()\n", true, &_init_f_filePath_c0, &_call_f_filePath_c0); + methods += new qt_gsi::GenericMethod ("fileTime", "@brief Method QDateTime QFileInfo::fileTime(QFileDevice::FileTime time)\n", true, &_init_f_fileTime_c2392, &_call_f_fileTime_c2392); methods += new qt_gsi::GenericMethod ("group", "@brief Method QString QFileInfo::group()\n", true, &_init_f_group_c0, &_call_f_group_c0); methods += new qt_gsi::GenericMethod ("groupId", "@brief Method unsigned int QFileInfo::groupId()\n", true, &_init_f_groupId_c0, &_call_f_groupId_c0); methods += new qt_gsi::GenericMethod ("isAbsolute?", "@brief Method bool QFileInfo::isAbsolute()\n", true, &_init_f_isAbsolute_c0, &_call_f_isAbsolute_c0); @@ -989,6 +1040,7 @@ static gsi::Methods methods_QFileInfo () { methods += new qt_gsi::GenericMethod ("lastModified", "@brief Method QDateTime QFileInfo::lastModified()\n", true, &_init_f_lastModified_c0, &_call_f_lastModified_c0); methods += new qt_gsi::GenericMethod ("lastRead", "@brief Method QDateTime QFileInfo::lastRead()\n", true, &_init_f_lastRead_c0, &_call_f_lastRead_c0); methods += new qt_gsi::GenericMethod ("makeAbsolute", "@brief Method bool QFileInfo::makeAbsolute()\n", false, &_init_f_makeAbsolute_0, &_call_f_makeAbsolute_0); + methods += new qt_gsi::GenericMethod ("metadataChangeTime", "@brief Method QDateTime QFileInfo::metadataChangeTime()\n", true, &_init_f_metadataChangeTime_c0, &_call_f_metadataChangeTime_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QFileInfo::operator!=(const QFileInfo &fileinfo)\n", true, &_init_f_operator_excl__eq__c2174, &_call_f_operator_excl__eq__c2174); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QFileInfo &QFileInfo::operator=(const QFileInfo &fileinfo)\n", false, &_init_f_operator_eq__2174, &_call_f_operator_eq__2174); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QFileInfo::operator==(const QFileInfo &fileinfo)\n", true, &_init_f_operator_eq__eq__c2174, &_call_f_operator_eq__eq__c2174); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQFileSelector.cc b/src/gsiqt/qt5/QtCore/gsiDeclQFileSelector.cc index 3377b6f4e5..34f0e62dbd 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQFileSelector.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQFileSelector.cc @@ -266,33 +266,33 @@ class QFileSelector_Adaptor : public QFileSelector, public qt_gsi::QtObjectBase emit QFileSelector::destroyed(arg1); } - // [adaptor impl] bool QFileSelector::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QFileSelector::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QFileSelector::event(arg1); + return QFileSelector::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QFileSelector_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QFileSelector_Adaptor::cbs_event_1217_0, _event); } else { - return QFileSelector::event(arg1); + return QFileSelector::event(_event); } } - // [adaptor impl] bool QFileSelector::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QFileSelector::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QFileSelector::eventFilter(arg1, arg2); + return QFileSelector::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QFileSelector_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QFileSelector_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QFileSelector::eventFilter(arg1, arg2); + return QFileSelector::eventFilter(watched, event); } } @@ -303,33 +303,33 @@ class QFileSelector_Adaptor : public QFileSelector, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QFileSelector::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QFileSelector::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QFileSelector::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QFileSelector::childEvent(arg1); + QFileSelector::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QFileSelector_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QFileSelector_Adaptor::cbs_childEvent_1701_0, event); } else { - QFileSelector::childEvent(arg1); + QFileSelector::childEvent(event); } } - // [adaptor impl] void QFileSelector::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFileSelector::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QFileSelector::customEvent(arg1); + QFileSelector::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QFileSelector_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QFileSelector_Adaptor::cbs_customEvent_1217_0, event); } else { - QFileSelector::customEvent(arg1); + QFileSelector::customEvent(event); } } @@ -348,18 +348,18 @@ class QFileSelector_Adaptor : public QFileSelector, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFileSelector::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QFileSelector::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QFileSelector::timerEvent(arg1); + QFileSelector::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QFileSelector_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QFileSelector_Adaptor::cbs_timerEvent_1730_0, event); } else { - QFileSelector::timerEvent(arg1); + QFileSelector::timerEvent(event); } } @@ -377,7 +377,7 @@ QFileSelector_Adaptor::~QFileSelector_Adaptor() { } static void _init_ctor_QFileSelector_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -386,16 +386,16 @@ static void _call_ctor_QFileSelector_Adaptor_1302 (const qt_gsi::GenericStaticMe { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QFileSelector_Adaptor (arg1)); } -// void QFileSelector::childEvent(QChildEvent *) +// void QFileSelector::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -415,11 +415,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QFileSelector::customEvent(QEvent *) +// void QFileSelector::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -443,7 +443,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -452,7 +452,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QFileSelector_Adaptor *)cls)->emitter_QFileSelector_destroyed_1302 (arg1); } @@ -481,11 +481,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QFileSelector::event(QEvent *) +// bool QFileSelector::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -504,13 +504,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QFileSelector::eventFilter(QObject *, QEvent *) +// bool QFileSelector::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -612,11 +612,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QFileSelector::timerEvent(QTimerEvent *) +// void QFileSelector::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -644,23 +644,23 @@ gsi::Class &qtdecl_QFileSelector (); static gsi::Methods methods_QFileSelector_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QFileSelector::QFileSelector(QObject *parent)\nThis method creates an object of class QFileSelector.", &_init_ctor_QFileSelector_Adaptor_1302, &_call_ctor_QFileSelector_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QFileSelector::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QFileSelector::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFileSelector::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFileSelector::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QFileSelector::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QFileSelector::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QFileSelector::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QFileSelector::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QFileSelector::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QFileSelector::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QFileSelector::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QFileSelector::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QFileSelector::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QFileSelector::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QFileSelector::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFileSelector::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFileSelector::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQFileSystemWatcher.cc b/src/gsiqt/qt5/QtCore/gsiDeclQFileSystemWatcher.cc index 6d96108682..481e3cf438 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQFileSystemWatcher.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQFileSystemWatcher.cc @@ -305,33 +305,33 @@ class QFileSystemWatcher_Adaptor : public QFileSystemWatcher, public qt_gsi::QtO throw tl::Exception ("Can't emit private signal 'void QFileSystemWatcher::directoryChanged(const QString &path)'"); } - // [adaptor impl] bool QFileSystemWatcher::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QFileSystemWatcher::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QFileSystemWatcher::event(arg1); + return QFileSystemWatcher::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QFileSystemWatcher_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QFileSystemWatcher_Adaptor::cbs_event_1217_0, _event); } else { - return QFileSystemWatcher::event(arg1); + return QFileSystemWatcher::event(_event); } } - // [adaptor impl] bool QFileSystemWatcher::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QFileSystemWatcher::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QFileSystemWatcher::eventFilter(arg1, arg2); + return QFileSystemWatcher::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QFileSystemWatcher_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QFileSystemWatcher_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QFileSystemWatcher::eventFilter(arg1, arg2); + return QFileSystemWatcher::eventFilter(watched, event); } } @@ -349,33 +349,33 @@ class QFileSystemWatcher_Adaptor : public QFileSystemWatcher, public qt_gsi::QtO throw tl::Exception ("Can't emit private signal 'void QFileSystemWatcher::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QFileSystemWatcher::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QFileSystemWatcher::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QFileSystemWatcher::childEvent(arg1); + QFileSystemWatcher::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QFileSystemWatcher_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QFileSystemWatcher_Adaptor::cbs_childEvent_1701_0, event); } else { - QFileSystemWatcher::childEvent(arg1); + QFileSystemWatcher::childEvent(event); } } - // [adaptor impl] void QFileSystemWatcher::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFileSystemWatcher::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QFileSystemWatcher::customEvent(arg1); + QFileSystemWatcher::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QFileSystemWatcher_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QFileSystemWatcher_Adaptor::cbs_customEvent_1217_0, event); } else { - QFileSystemWatcher::customEvent(arg1); + QFileSystemWatcher::customEvent(event); } } @@ -394,18 +394,18 @@ class QFileSystemWatcher_Adaptor : public QFileSystemWatcher, public qt_gsi::QtO } } - // [adaptor impl] void QFileSystemWatcher::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QFileSystemWatcher::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QFileSystemWatcher::timerEvent(arg1); + QFileSystemWatcher::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QFileSystemWatcher_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QFileSystemWatcher_Adaptor::cbs_timerEvent_1730_0, event); } else { - QFileSystemWatcher::timerEvent(arg1); + QFileSystemWatcher::timerEvent(event); } } @@ -423,7 +423,7 @@ QFileSystemWatcher_Adaptor::~QFileSystemWatcher_Adaptor() { } static void _init_ctor_QFileSystemWatcher_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -432,7 +432,7 @@ static void _call_ctor_QFileSystemWatcher_Adaptor_1302 (const qt_gsi::GenericSta { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QFileSystemWatcher_Adaptor (arg1)); } @@ -443,7 +443,7 @@ static void _init_ctor_QFileSystemWatcher_Adaptor_3631 (qt_gsi::GenericStaticMet { static gsi::ArgSpecBase argspec_0 ("paths"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -453,16 +453,16 @@ static void _call_ctor_QFileSystemWatcher_Adaptor_3631 (const qt_gsi::GenericSta __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QStringList &arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QFileSystemWatcher_Adaptor (arg1, arg2)); } -// void QFileSystemWatcher::childEvent(QChildEvent *) +// void QFileSystemWatcher::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -482,11 +482,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QFileSystemWatcher::customEvent(QEvent *) +// void QFileSystemWatcher::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -510,7 +510,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -519,7 +519,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QFileSystemWatcher_Adaptor *)cls)->emitter_QFileSystemWatcher_destroyed_1302 (arg1); } @@ -566,11 +566,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QFileSystemWatcher::event(QEvent *) +// bool QFileSystemWatcher::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -589,13 +589,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QFileSystemWatcher::eventFilter(QObject *, QEvent *) +// bool QFileSystemWatcher::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -715,11 +715,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QFileSystemWatcher::timerEvent(QTimerEvent *) +// void QFileSystemWatcher::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -748,17 +748,17 @@ static gsi::Methods methods_QFileSystemWatcher_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QFileSystemWatcher::QFileSystemWatcher(QObject *parent)\nThis method creates an object of class QFileSystemWatcher.", &_init_ctor_QFileSystemWatcher_Adaptor_1302, &_call_ctor_QFileSystemWatcher_Adaptor_1302); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QFileSystemWatcher::QFileSystemWatcher(const QStringList &paths, QObject *parent)\nThis method creates an object of class QFileSystemWatcher.", &_init_ctor_QFileSystemWatcher_Adaptor_3631, &_call_ctor_QFileSystemWatcher_Adaptor_3631); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QFileSystemWatcher::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QFileSystemWatcher::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFileSystemWatcher::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFileSystemWatcher::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QFileSystemWatcher::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("emit_directoryChanged", "@brief Emitter for signal void QFileSystemWatcher::directoryChanged(const QString &path)\nCall this method to emit this signal.", false, &_init_emitter_directoryChanged_5715, &_call_emitter_directoryChanged_5715); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QFileSystemWatcher::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QFileSystemWatcher::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QFileSystemWatcher::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QFileSystemWatcher::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QFileSystemWatcher::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_fileChanged", "@brief Emitter for signal void QFileSystemWatcher::fileChanged(const QString &path)\nCall this method to emit this signal.", false, &_init_emitter_fileChanged_5715, &_call_emitter_fileChanged_5715); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QFileSystemWatcher::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); @@ -766,7 +766,7 @@ static gsi::Methods methods_QFileSystemWatcher_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QFileSystemWatcher::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QFileSystemWatcher::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QFileSystemWatcher::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFileSystemWatcher::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFileSystemWatcher::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQFinalState.cc b/src/gsiqt/qt5/QtCore/gsiDeclQFinalState.cc index f9135c2b31..fa27898574 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQFinalState.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQFinalState.cc @@ -189,18 +189,18 @@ class QFinalState_Adaptor : public QFinalState, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QFinalState::entered()'"); } - // [adaptor impl] bool QFinalState::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QFinalState::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QFinalState::eventFilter(arg1, arg2); + return QFinalState::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QFinalState_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QFinalState_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QFinalState::eventFilter(arg1, arg2); + return QFinalState::eventFilter(watched, event); } } @@ -217,33 +217,33 @@ class QFinalState_Adaptor : public QFinalState, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QFinalState::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QFinalState::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QFinalState::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QFinalState::childEvent(arg1); + QFinalState::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QFinalState_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QFinalState_Adaptor::cbs_childEvent_1701_0, event); } else { - QFinalState::childEvent(arg1); + QFinalState::childEvent(event); } } - // [adaptor impl] void QFinalState::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFinalState::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QFinalState::customEvent(arg1); + QFinalState::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QFinalState_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QFinalState_Adaptor::cbs_customEvent_1217_0, event); } else { - QFinalState::customEvent(arg1); + QFinalState::customEvent(event); } } @@ -307,18 +307,18 @@ class QFinalState_Adaptor : public QFinalState, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFinalState::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QFinalState::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QFinalState::timerEvent(arg1); + QFinalState::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QFinalState_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QFinalState_Adaptor::cbs_timerEvent_1730_0, event); } else { - QFinalState::timerEvent(arg1); + QFinalState::timerEvent(event); } } @@ -338,7 +338,7 @@ QFinalState_Adaptor::~QFinalState_Adaptor() { } static void _init_ctor_QFinalState_Adaptor_1216 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -347,7 +347,7 @@ static void _call_ctor_QFinalState_Adaptor_1216 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QState *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QState *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QFinalState_Adaptor (arg1)); } @@ -370,11 +370,11 @@ static void _call_emitter_activeChanged_864 (const qt_gsi::GenericMethod * /*dec } -// void QFinalState::childEvent(QChildEvent *) +// void QFinalState::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -394,11 +394,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QFinalState::customEvent(QEvent *) +// void QFinalState::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -422,7 +422,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -431,7 +431,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QFinalState_Adaptor *)cls)->emitter_QFinalState_destroyed_1302 (arg1); } @@ -497,13 +497,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QFinalState::eventFilter(QObject *, QEvent *) +// bool QFinalState::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -667,11 +667,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QFinalState::timerEvent(QTimerEvent *) +// void QFinalState::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -700,9 +700,9 @@ static gsi::Methods methods_QFinalState_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QFinalState::QFinalState(QState *parent)\nThis method creates an object of class QFinalState.", &_init_ctor_QFinalState_Adaptor_1216, &_call_ctor_QFinalState_Adaptor_1216); methods += new qt_gsi::GenericMethod ("emit_activeChanged", "@brief Emitter for signal void QFinalState::activeChanged(bool active)\nCall this method to emit this signal.", false, &_init_emitter_activeChanged_864, &_call_emitter_activeChanged_864); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QFinalState::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QFinalState::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFinalState::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFinalState::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QFinalState::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QFinalState::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -710,7 +710,7 @@ static gsi::Methods methods_QFinalState_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_entered", "@brief Emitter for signal void QFinalState::entered()\nCall this method to emit this signal.", false, &_init_emitter_entered_3384, &_call_emitter_entered_3384); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QFinalState::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QFinalState::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QFinalState::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_exited", "@brief Emitter for signal void QFinalState::exited()\nCall this method to emit this signal.", false, &_init_emitter_exited_3384, &_call_emitter_exited_3384); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QFinalState::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); @@ -722,7 +722,7 @@ static gsi::Methods methods_QFinalState_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QFinalState::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QFinalState::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QFinalState::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFinalState::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFinalState::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQHistoryState.cc b/src/gsiqt/qt5/QtCore/gsiDeclQHistoryState.cc index 241c7800f4..7731fe08e2 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQHistoryState.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQHistoryState.cc @@ -29,6 +29,7 @@ #include #include +#include #include #include #include @@ -72,6 +73,21 @@ static void _call_f_defaultState_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } +// QAbstractTransition *QHistoryState::defaultTransition() + + +static void _init_f_defaultTransition_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_defaultTransition_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QAbstractTransition *)((QHistoryState *)cls)->defaultTransition ()); +} + + // QHistoryState::HistoryType QHistoryState::historyType() @@ -107,6 +123,26 @@ static void _call_f_setDefaultState_2036 (const qt_gsi::GenericMethod * /*decl*/ } +// void QHistoryState::setDefaultTransition(QAbstractTransition *transition) + + +static void _init_f_setDefaultTransition_2590 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("transition"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setDefaultTransition_2590 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QAbstractTransition *arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QHistoryState *)cls)->setDefaultTransition (arg1); +} + + // void QHistoryState::setHistoryType(QHistoryState::HistoryType type) @@ -184,11 +220,14 @@ static gsi::Methods methods_QHistoryState () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":defaultState", "@brief Method QAbstractState *QHistoryState::defaultState()\n", true, &_init_f_defaultState_c0, &_call_f_defaultState_c0); + methods += new qt_gsi::GenericMethod ("defaultTransition", "@brief Method QAbstractTransition *QHistoryState::defaultTransition()\n", true, &_init_f_defaultTransition_c0, &_call_f_defaultTransition_c0); methods += new qt_gsi::GenericMethod (":historyType", "@brief Method QHistoryState::HistoryType QHistoryState::historyType()\n", true, &_init_f_historyType_c0, &_call_f_historyType_c0); methods += new qt_gsi::GenericMethod ("setDefaultState|defaultState=", "@brief Method void QHistoryState::setDefaultState(QAbstractState *state)\n", false, &_init_f_setDefaultState_2036, &_call_f_setDefaultState_2036); + methods += new qt_gsi::GenericMethod ("setDefaultTransition", "@brief Method void QHistoryState::setDefaultTransition(QAbstractTransition *transition)\n", false, &_init_f_setDefaultTransition_2590, &_call_f_setDefaultTransition_2590); methods += new qt_gsi::GenericMethod ("setHistoryType|historyType=", "@brief Method void QHistoryState::setHistoryType(QHistoryState::HistoryType type)\n", false, &_init_f_setHistoryType_3072, &_call_f_setHistoryType_3072); methods += gsi::qt_signal ("activeChanged(bool)", "activeChanged", gsi::arg("active"), "@brief Signal declaration for QHistoryState::activeChanged(bool active)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("defaultStateChanged()", "defaultStateChanged", "@brief Signal declaration for QHistoryState::defaultStateChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("defaultTransitionChanged()", "defaultTransitionChanged", "@brief Signal declaration for QHistoryState::defaultTransitionChanged()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QHistoryState::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("entered()", "entered", "@brief Signal declaration for QHistoryState::entered()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("exited()", "exited", "@brief Signal declaration for QHistoryState::exited()\nYou can bind a procedure to this signal."); @@ -272,6 +311,12 @@ class QHistoryState_Adaptor : public QHistoryState, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QHistoryState::defaultStateChanged()'"); } + // [emitter impl] void QHistoryState::defaultTransitionChanged() + void emitter_QHistoryState_defaultTransitionChanged_3318() + { + throw tl::Exception ("Can't emit private signal 'void QHistoryState::defaultTransitionChanged()'"); + } + // [emitter impl] void QHistoryState::destroyed(QObject *) void emitter_QHistoryState_destroyed_1302(QObject *arg1) { @@ -284,18 +329,18 @@ class QHistoryState_Adaptor : public QHistoryState, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QHistoryState::entered()'"); } - // [adaptor impl] bool QHistoryState::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QHistoryState::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QHistoryState::eventFilter(arg1, arg2); + return QHistoryState::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QHistoryState_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QHistoryState_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QHistoryState::eventFilter(arg1, arg2); + return QHistoryState::eventFilter(watched, event); } } @@ -318,33 +363,33 @@ class QHistoryState_Adaptor : public QHistoryState, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QHistoryState::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QHistoryState::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QHistoryState::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QHistoryState::childEvent(arg1); + QHistoryState::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QHistoryState_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QHistoryState_Adaptor::cbs_childEvent_1701_0, event); } else { - QHistoryState::childEvent(arg1); + QHistoryState::childEvent(event); } } - // [adaptor impl] void QHistoryState::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QHistoryState::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QHistoryState::customEvent(arg1); + QHistoryState::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QHistoryState_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QHistoryState_Adaptor::cbs_customEvent_1217_0, event); } else { - QHistoryState::customEvent(arg1); + QHistoryState::customEvent(event); } } @@ -408,18 +453,18 @@ class QHistoryState_Adaptor : public QHistoryState, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QHistoryState::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QHistoryState::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QHistoryState::timerEvent(arg1); + QHistoryState::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QHistoryState_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QHistoryState_Adaptor::cbs_timerEvent_1730_0, event); } else { - QHistoryState::timerEvent(arg1); + QHistoryState::timerEvent(event); } } @@ -439,7 +484,7 @@ QHistoryState_Adaptor::~QHistoryState_Adaptor() { } static void _init_ctor_QHistoryState_Adaptor_1216 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -448,7 +493,7 @@ static void _call_ctor_QHistoryState_Adaptor_1216 (const qt_gsi::GenericStaticMe { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QState *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QState *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QHistoryState_Adaptor (arg1)); } @@ -459,7 +504,7 @@ static void _init_ctor_QHistoryState_Adaptor_4180 (qt_gsi::GenericStaticMethod * { static gsi::ArgSpecBase argspec_0 ("type"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -469,7 +514,7 @@ static void _call_ctor_QHistoryState_Adaptor_4180 (const qt_gsi::GenericStaticMe __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - QState *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QState *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QHistoryState_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2)); } @@ -492,11 +537,11 @@ static void _call_emitter_activeChanged_864 (const qt_gsi::GenericMethod * /*dec } -// void QHistoryState::childEvent(QChildEvent *) +// void QHistoryState::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -516,11 +561,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QHistoryState::customEvent(QEvent *) +// void QHistoryState::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -554,11 +599,25 @@ static void _call_emitter_defaultStateChanged_3318 (const qt_gsi::GenericMethod } +// emitter void QHistoryState::defaultTransitionChanged() + +static void _init_emitter_defaultTransitionChanged_3318 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_defaultTransitionChanged_3318 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QHistoryState_Adaptor *)cls)->emitter_QHistoryState_defaultTransitionChanged_3318 (); +} + + // emitter void QHistoryState::destroyed(QObject *) static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -567,7 +626,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QHistoryState_Adaptor *)cls)->emitter_QHistoryState_destroyed_1302 (arg1); } @@ -633,13 +692,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QHistoryState::eventFilter(QObject *, QEvent *) +// bool QHistoryState::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -817,11 +876,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QHistoryState::timerEvent(QTimerEvent *) +// void QHistoryState::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -851,18 +910,19 @@ static gsi::Methods methods_QHistoryState_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QHistoryState::QHistoryState(QState *parent)\nThis method creates an object of class QHistoryState.", &_init_ctor_QHistoryState_Adaptor_1216, &_call_ctor_QHistoryState_Adaptor_1216); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QHistoryState::QHistoryState(QHistoryState::HistoryType type, QState *parent)\nThis method creates an object of class QHistoryState.", &_init_ctor_QHistoryState_Adaptor_4180, &_call_ctor_QHistoryState_Adaptor_4180); methods += new qt_gsi::GenericMethod ("emit_activeChanged", "@brief Emitter for signal void QHistoryState::activeChanged(bool active)\nCall this method to emit this signal.", false, &_init_emitter_activeChanged_864, &_call_emitter_activeChanged_864); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QHistoryState::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QHistoryState::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QHistoryState::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QHistoryState::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_defaultStateChanged", "@brief Emitter for signal void QHistoryState::defaultStateChanged()\nCall this method to emit this signal.", false, &_init_emitter_defaultStateChanged_3318, &_call_emitter_defaultStateChanged_3318); + methods += new qt_gsi::GenericMethod ("emit_defaultTransitionChanged", "@brief Emitter for signal void QHistoryState::defaultTransitionChanged()\nCall this method to emit this signal.", false, &_init_emitter_defaultTransitionChanged_3318, &_call_emitter_defaultTransitionChanged_3318); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QHistoryState::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QHistoryState::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("emit_entered", "@brief Emitter for signal void QHistoryState::entered()\nCall this method to emit this signal.", false, &_init_emitter_entered_3384, &_call_emitter_entered_3384); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QHistoryState::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QHistoryState::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QHistoryState::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_exited", "@brief Emitter for signal void QHistoryState::exited()\nCall this method to emit this signal.", false, &_init_emitter_exited_3384, &_call_emitter_exited_3384); methods += new qt_gsi::GenericMethod ("emit_historyTypeChanged", "@brief Emitter for signal void QHistoryState::historyTypeChanged()\nCall this method to emit this signal.", false, &_init_emitter_historyTypeChanged_3318, &_call_emitter_historyTypeChanged_3318); @@ -875,7 +935,7 @@ static gsi::Methods methods_QHistoryState_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QHistoryState::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QHistoryState::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QHistoryState::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QHistoryState::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QHistoryState::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQIODevice.cc b/src/gsiqt/qt5/QtCore/gsiDeclQIODevice.cc index 3b023fcb6e..7508c2145e 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQIODevice.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQIODevice.cc @@ -128,6 +128,52 @@ static void _call_f_close_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// void QIODevice::commitTransaction() + + +static void _init_f_commitTransaction_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_commitTransaction_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + ((QIODevice *)cls)->commitTransaction (); +} + + +// int QIODevice::currentReadChannel() + + +static void _init_f_currentReadChannel_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_currentReadChannel_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QIODevice *)cls)->currentReadChannel ()); +} + + +// int QIODevice::currentWriteChannel() + + +static void _init_f_currentWriteChannel_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_currentWriteChannel_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QIODevice *)cls)->currentWriteChannel ()); +} + + // QString QIODevice::errorString() @@ -203,6 +249,21 @@ static void _call_f_isTextModeEnabled_c0 (const qt_gsi::GenericMethod * /*decl*/ } +// bool QIODevice::isTransactionStarted() + + +static void _init_f_isTransactionStarted_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isTransactionStarted_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QIODevice *)cls)->isTransactionStarted ()); +} + + // bool QIODevice::isWritable() @@ -339,6 +400,21 @@ static void _call_f_readAll_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// int QIODevice::readChannelCount() + + +static void _init_f_readChannelCount_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_readChannelCount_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QIODevice *)cls)->readChannelCount ()); +} + + // QByteArray QIODevice::readLine(qint64 maxlen) @@ -373,6 +449,22 @@ static void _call_f_reset_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// void QIODevice::rollbackTransaction() + + +static void _init_f_rollbackTransaction_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_rollbackTransaction_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + ((QIODevice *)cls)->rollbackTransaction (); +} + + // bool QIODevice::seek(qint64 pos) @@ -392,6 +484,46 @@ static void _call_f_seek_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// void QIODevice::setCurrentReadChannel(int channel) + + +static void _init_f_setCurrentReadChannel_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("channel"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setCurrentReadChannel_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QIODevice *)cls)->setCurrentReadChannel (arg1); +} + + +// void QIODevice::setCurrentWriteChannel(int channel) + + +static void _init_f_setCurrentWriteChannel_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("channel"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setCurrentWriteChannel_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QIODevice *)cls)->setCurrentWriteChannel (arg1); +} + + // void QIODevice::setTextModeEnabled(bool enabled) @@ -427,6 +559,41 @@ static void _call_f_size_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// qint64 QIODevice::skip(qint64 maxSize) + + +static void _init_f_skip_986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("maxSize"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_skip_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + ret.write ((qint64)((QIODevice *)cls)->skip (arg1)); +} + + +// void QIODevice::startTransaction() + + +static void _init_f_startTransaction_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_startTransaction_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + ((QIODevice *)cls)->startTransaction (); +} + + // void QIODevice::ungetChar(char c) @@ -526,6 +693,21 @@ static void _call_f_write_2309 (const qt_gsi::GenericMethod * /*decl*/, void *cl } +// int QIODevice::writeChannelCount() + + +static void _init_f_writeChannelCount_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_writeChannelCount_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QIODevice *)cls)->writeChannelCount ()); +} + + // static QString QIODevice::tr(const char *s, const char *c, int n) @@ -588,11 +770,15 @@ static gsi::Methods methods_QIODevice () { methods += new qt_gsi::GenericMethod ("bytesToWrite", "@brief Method qint64 QIODevice::bytesToWrite()\n", true, &_init_f_bytesToWrite_c0, &_call_f_bytesToWrite_c0); methods += new qt_gsi::GenericMethod ("canReadLine", "@brief Method bool QIODevice::canReadLine()\n", true, &_init_f_canReadLine_c0, &_call_f_canReadLine_c0); methods += new qt_gsi::GenericMethod ("close", "@brief Method void QIODevice::close()\n", false, &_init_f_close_0, &_call_f_close_0); + methods += new qt_gsi::GenericMethod ("commitTransaction", "@brief Method void QIODevice::commitTransaction()\n", false, &_init_f_commitTransaction_0, &_call_f_commitTransaction_0); + methods += new qt_gsi::GenericMethod ("currentReadChannel", "@brief Method int QIODevice::currentReadChannel()\n", true, &_init_f_currentReadChannel_c0, &_call_f_currentReadChannel_c0); + methods += new qt_gsi::GenericMethod ("currentWriteChannel", "@brief Method int QIODevice::currentWriteChannel()\n", true, &_init_f_currentWriteChannel_c0, &_call_f_currentWriteChannel_c0); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QIODevice::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); methods += new qt_gsi::GenericMethod ("isOpen?", "@brief Method bool QIODevice::isOpen()\n", true, &_init_f_isOpen_c0, &_call_f_isOpen_c0); methods += new qt_gsi::GenericMethod ("isReadable?", "@brief Method bool QIODevice::isReadable()\n", true, &_init_f_isReadable_c0, &_call_f_isReadable_c0); methods += new qt_gsi::GenericMethod ("isSequential?", "@brief Method bool QIODevice::isSequential()\n", true, &_init_f_isSequential_c0, &_call_f_isSequential_c0); methods += new qt_gsi::GenericMethod ("isTextModeEnabled?|:textModeEnabled", "@brief Method bool QIODevice::isTextModeEnabled()\n", true, &_init_f_isTextModeEnabled_c0, &_call_f_isTextModeEnabled_c0); + methods += new qt_gsi::GenericMethod ("isTransactionStarted?", "@brief Method bool QIODevice::isTransactionStarted()\n", true, &_init_f_isTransactionStarted_c0, &_call_f_isTransactionStarted_c0); methods += new qt_gsi::GenericMethod ("isWritable?", "@brief Method bool QIODevice::isWritable()\n", true, &_init_f_isWritable_c0, &_call_f_isWritable_c0); methods += new qt_gsi::GenericMethod ("open", "@brief Method bool QIODevice::open(QFlags mode)\n", false, &_init_f_open_3242, &_call_f_open_3242); methods += new qt_gsi::GenericMethod ("openMode", "@brief Method QFlags QIODevice::openMode()\n", true, &_init_f_openMode_c0, &_call_f_openMode_c0); @@ -601,18 +787,27 @@ static gsi::Methods methods_QIODevice () { methods += new qt_gsi::GenericMethod ("putChar", "@brief Method bool QIODevice::putChar(char c)\n", false, &_init_f_putChar_850, &_call_f_putChar_850); methods += new qt_gsi::GenericMethod ("read", "@brief Method QByteArray QIODevice::read(qint64 maxlen)\n", false, &_init_f_read_986, &_call_f_read_986); methods += new qt_gsi::GenericMethod ("readAll", "@brief Method QByteArray QIODevice::readAll()\n", false, &_init_f_readAll_0, &_call_f_readAll_0); + methods += new qt_gsi::GenericMethod ("readChannelCount", "@brief Method int QIODevice::readChannelCount()\n", true, &_init_f_readChannelCount_c0, &_call_f_readChannelCount_c0); methods += new qt_gsi::GenericMethod ("readLine", "@brief Method QByteArray QIODevice::readLine(qint64 maxlen)\n", false, &_init_f_readLine_986, &_call_f_readLine_986); methods += new qt_gsi::GenericMethod ("reset", "@brief Method bool QIODevice::reset()\n", false, &_init_f_reset_0, &_call_f_reset_0); + methods += new qt_gsi::GenericMethod ("rollbackTransaction", "@brief Method void QIODevice::rollbackTransaction()\n", false, &_init_f_rollbackTransaction_0, &_call_f_rollbackTransaction_0); methods += new qt_gsi::GenericMethod ("seek", "@brief Method bool QIODevice::seek(qint64 pos)\n", false, &_init_f_seek_986, &_call_f_seek_986); + methods += new qt_gsi::GenericMethod ("setCurrentReadChannel", "@brief Method void QIODevice::setCurrentReadChannel(int channel)\n", false, &_init_f_setCurrentReadChannel_767, &_call_f_setCurrentReadChannel_767); + methods += new qt_gsi::GenericMethod ("setCurrentWriteChannel", "@brief Method void QIODevice::setCurrentWriteChannel(int channel)\n", false, &_init_f_setCurrentWriteChannel_767, &_call_f_setCurrentWriteChannel_767); methods += new qt_gsi::GenericMethod ("setTextModeEnabled|textModeEnabled=", "@brief Method void QIODevice::setTextModeEnabled(bool enabled)\n", false, &_init_f_setTextModeEnabled_864, &_call_f_setTextModeEnabled_864); methods += new qt_gsi::GenericMethod ("size", "@brief Method qint64 QIODevice::size()\n", true, &_init_f_size_c0, &_call_f_size_c0); + methods += new qt_gsi::GenericMethod ("skip", "@brief Method qint64 QIODevice::skip(qint64 maxSize)\n", false, &_init_f_skip_986, &_call_f_skip_986); + methods += new qt_gsi::GenericMethod ("startTransaction", "@brief Method void QIODevice::startTransaction()\n", false, &_init_f_startTransaction_0, &_call_f_startTransaction_0); methods += new qt_gsi::GenericMethod ("ungetChar", "@brief Method void QIODevice::ungetChar(char c)\n", false, &_init_f_ungetChar_850, &_call_f_ungetChar_850); methods += new qt_gsi::GenericMethod ("waitForBytesWritten", "@brief Method bool QIODevice::waitForBytesWritten(int msecs)\n", false, &_init_f_waitForBytesWritten_767, &_call_f_waitForBytesWritten_767); methods += new qt_gsi::GenericMethod ("waitForReadyRead", "@brief Method bool QIODevice::waitForReadyRead(int msecs)\n", false, &_init_f_waitForReadyRead_767, &_call_f_waitForReadyRead_767); methods += new qt_gsi::GenericMethod ("write", "@brief Method qint64 QIODevice::write(const char *data, qint64 len)\n", false, &_init_f_write_2609, &_call_f_write_2609); methods += new qt_gsi::GenericMethod ("write", "@brief Method qint64 QIODevice::write(const QByteArray &data)\n", false, &_init_f_write_2309, &_call_f_write_2309); + methods += new qt_gsi::GenericMethod ("writeChannelCount", "@brief Method int QIODevice::writeChannelCount()\n", true, &_init_f_writeChannelCount_c0, &_call_f_writeChannelCount_c0); methods += gsi::qt_signal ("aboutToClose()", "aboutToClose", "@brief Signal declaration for QIODevice::aboutToClose()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("bytesWritten(qint64)", "bytesWritten", gsi::arg("bytes"), "@brief Signal declaration for QIODevice::bytesWritten(qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelBytesWritten(int, qint64)", "channelBytesWritten", gsi::arg("channel"), gsi::arg("bytes"), "@brief Signal declaration for QIODevice::channelBytesWritten(int channel, qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelReadyRead(int)", "channelReadyRead", gsi::arg("channel"), "@brief Signal declaration for QIODevice::channelReadyRead(int channel)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QIODevice::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QIODevice::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("readChannelFinished()", "readChannelFinished", "@brief Signal declaration for QIODevice::readChannelFinished()\nYou can bind a procedure to this signal."); @@ -646,7 +841,9 @@ static gsi::Enum decl_QIODevice_OpenModeFlag_Enum ("QtC gsi::enum_const ("Append", QIODevice::Append, "@brief Enum constant QIODevice::Append") + gsi::enum_const ("Truncate", QIODevice::Truncate, "@brief Enum constant QIODevice::Truncate") + gsi::enum_const ("Text", QIODevice::Text, "@brief Enum constant QIODevice::Text") + - gsi::enum_const ("Unbuffered", QIODevice::Unbuffered, "@brief Enum constant QIODevice::Unbuffered"), + gsi::enum_const ("Unbuffered", QIODevice::Unbuffered, "@brief Enum constant QIODevice::Unbuffered") + + gsi::enum_const ("NewOnly", QIODevice::NewOnly, "@brief Enum constant QIODevice::NewOnly") + + gsi::enum_const ("ExistingOnly", QIODevice::ExistingOnly, "@brief Enum constant QIODevice::ExistingOnly"), "@qt\n@brief This class represents the QIODevice::OpenModeFlag enum"); static gsi::QFlagsClass decl_QIODevice_OpenModeFlag_Enums ("QtCore", "QIODevice_QFlags_OpenModeFlag", diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQIdentityProxyModel.cc b/src/gsiqt/qt5/QtCore/gsiDeclQIdentityProxyModel.cc index c52e5ddad8..2a2345dd9a 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQIdentityProxyModel.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQIdentityProxyModel.cc @@ -337,6 +337,21 @@ static void _call_f_parent_c2395 (const qt_gsi::GenericMethod * /*decl*/, void * } +// QObject *QIdentityProxyModel::parent() + + +static void _init_f_parent_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_parent_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QObject *)((QIdentityProxyModel *)cls)->parent ()); +} + + // bool QIdentityProxyModel::removeColumns(int column, int count, const QModelIndex &parent) @@ -519,6 +534,7 @@ static gsi::Methods methods_QIdentityProxyModel () { methods += new qt_gsi::GenericMethod ("mapToSource", "@brief Method QModelIndex QIdentityProxyModel::mapToSource(const QModelIndex &proxyIndex)\nThis is a reimplementation of QAbstractProxyModel::mapToSource", true, &_init_f_mapToSource_c2395, &_call_f_mapToSource_c2395); methods += new qt_gsi::GenericMethod ("match", "@brief Method QList QIdentityProxyModel::match(const QModelIndex &start, int role, const QVariant &value, int hits, QFlags flags)\nThis is a reimplementation of QAbstractItemModel::match", true, &_init_f_match_c7932, &_call_f_match_c7932); methods += new qt_gsi::GenericMethod ("parent", "@brief Method QModelIndex QIdentityProxyModel::parent(const QModelIndex &child)\nThis is a reimplementation of QAbstractItemModel::parent", true, &_init_f_parent_c2395, &_call_f_parent_c2395); + methods += new qt_gsi::GenericMethod (":parent", "@brief Method QObject *QIdentityProxyModel::parent()\n", true, &_init_f_parent_c0, &_call_f_parent_c0); methods += new qt_gsi::GenericMethod ("removeColumns", "@brief Method bool QIdentityProxyModel::removeColumns(int column, int count, const QModelIndex &parent)\nThis is a reimplementation of QAbstractItemModel::removeColumns", false, &_init_f_removeColumns_3713, &_call_f_removeColumns_3713); methods += new qt_gsi::GenericMethod ("removeRows", "@brief Method bool QIdentityProxyModel::removeRows(int row, int count, const QModelIndex &parent)\nThis is a reimplementation of QAbstractItemModel::removeRows", false, &_init_f_removeRows_3713, &_call_f_removeRows_3713); methods += new qt_gsi::GenericMethod ("rowCount", "@brief Method int QIdentityProxyModel::rowCount(const QModelIndex &parent)\nThis is a reimplementation of QAbstractItemModel::rowCount", true, &_init_f_rowCount_c2395, &_call_f_rowCount_c2395); @@ -869,33 +885,33 @@ class QIdentityProxyModel_Adaptor : public QIdentityProxyModel, public qt_gsi::Q } } - // [adaptor impl] bool QIdentityProxyModel::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QIdentityProxyModel::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QIdentityProxyModel::event(arg1); + return QIdentityProxyModel::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QIdentityProxyModel_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QIdentityProxyModel_Adaptor::cbs_event_1217_0, _event); } else { - return QIdentityProxyModel::event(arg1); + return QIdentityProxyModel::event(_event); } } - // [adaptor impl] bool QIdentityProxyModel::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QIdentityProxyModel::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QIdentityProxyModel::eventFilter(arg1, arg2); + return QIdentityProxyModel::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QIdentityProxyModel_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QIdentityProxyModel_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QIdentityProxyModel::eventFilter(arg1, arg2); + return QIdentityProxyModel::eventFilter(watched, event); } } @@ -1495,33 +1511,33 @@ class QIdentityProxyModel_Adaptor : public QIdentityProxyModel, public qt_gsi::Q } } - // [adaptor impl] void QIdentityProxyModel::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QIdentityProxyModel::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QIdentityProxyModel::childEvent(arg1); + QIdentityProxyModel::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QIdentityProxyModel_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QIdentityProxyModel_Adaptor::cbs_childEvent_1701_0, event); } else { - QIdentityProxyModel::childEvent(arg1); + QIdentityProxyModel::childEvent(event); } } - // [adaptor impl] void QIdentityProxyModel::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QIdentityProxyModel::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QIdentityProxyModel::customEvent(arg1); + QIdentityProxyModel::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QIdentityProxyModel_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QIdentityProxyModel_Adaptor::cbs_customEvent_1217_0, event); } else { - QIdentityProxyModel::customEvent(arg1); + QIdentityProxyModel::customEvent(event); } } @@ -1540,18 +1556,18 @@ class QIdentityProxyModel_Adaptor : public QIdentityProxyModel, public qt_gsi::Q } } - // [adaptor impl] void QIdentityProxyModel::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QIdentityProxyModel::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QIdentityProxyModel::timerEvent(arg1); + QIdentityProxyModel::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QIdentityProxyModel_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QIdentityProxyModel_Adaptor::cbs_timerEvent_1730_0, event); } else { - QIdentityProxyModel::timerEvent(arg1); + QIdentityProxyModel::timerEvent(event); } } @@ -1608,7 +1624,7 @@ QIdentityProxyModel_Adaptor::~QIdentityProxyModel_Adaptor() { } static void _init_ctor_QIdentityProxyModel_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1617,7 +1633,7 @@ static void _call_ctor_QIdentityProxyModel_Adaptor_1302 (const qt_gsi::GenericSt { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QIdentityProxyModel_Adaptor (arg1)); } @@ -1922,11 +1938,11 @@ static void _call_fp_changePersistentIndexList_5912 (const qt_gsi::GenericMethod } -// void QIdentityProxyModel::childEvent(QChildEvent *) +// void QIdentityProxyModel::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2133,7 +2149,7 @@ static void _init_fp_createIndex_c2374 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("column"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("data", true, "0"); + static gsi::ArgSpecBase argspec_2 ("data", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -2144,7 +2160,7 @@ static void _call_fp_createIndex_c2374 (const qt_gsi::GenericMethod * /*decl*/, tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); - void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QModelIndex)((QIdentityProxyModel_Adaptor *)cls)->fp_QIdentityProxyModel_createIndex_c2374 (arg1, arg2, arg3)); } @@ -2173,11 +2189,11 @@ static void _call_fp_createIndex_c2657 (const qt_gsi::GenericMethod * /*decl*/, } -// void QIdentityProxyModel::customEvent(QEvent *) +// void QIdentityProxyModel::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2278,7 +2294,7 @@ static void _call_fp_decodeData_5302 (const qt_gsi::GenericMethod * /*decl*/, vo static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2287,7 +2303,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QIdentityProxyModel_Adaptor *)cls)->emitter_QIdentityProxyModel_destroyed_1302 (arg1); } @@ -2478,11 +2494,11 @@ static void _call_fp_endResetModel_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// bool QIdentityProxyModel::event(QEvent *) +// bool QIdentityProxyModel::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2501,13 +2517,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QIdentityProxyModel::eventFilter(QObject *, QEvent *) +// bool QIdentityProxyModel::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -3740,11 +3756,11 @@ static void _set_callback_cbs_supportedDropActions_c0_0 (void *cls, const gsi::C } -// void QIdentityProxyModel::timerEvent(QTimerEvent *) +// void QIdentityProxyModel::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3787,7 +3803,7 @@ static gsi::Methods methods_QIdentityProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("canFetchMore", "@hide", true, &_init_cbs_canFetchMore_c2395_0, &_call_cbs_canFetchMore_c2395_0, &_set_callback_cbs_canFetchMore_c2395_0); methods += new qt_gsi::GenericMethod ("*changePersistentIndex", "@brief Method void QIdentityProxyModel::changePersistentIndex(const QModelIndex &from, const QModelIndex &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndex_4682, &_call_fp_changePersistentIndex_4682); methods += new qt_gsi::GenericMethod ("*changePersistentIndexList", "@brief Method void QIdentityProxyModel::changePersistentIndexList(const QList &from, const QList &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndexList_5912, &_call_fp_changePersistentIndexList_5912); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QIdentityProxyModel::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QIdentityProxyModel::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("columnCount", "@brief Virtual method int QIdentityProxyModel::columnCount(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_columnCount_c2395_1, &_call_cbs_columnCount_c2395_1); methods += new qt_gsi::GenericMethod ("columnCount", "@hide", true, &_init_cbs_columnCount_c2395_1, &_call_cbs_columnCount_c2395_1, &_set_callback_cbs_columnCount_c2395_1); @@ -3799,7 +3815,7 @@ static gsi::Methods methods_QIdentityProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_columnsRemoved", "@brief Emitter for signal void QIdentityProxyModel::columnsRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsRemoved_7372, &_call_emitter_columnsRemoved_7372); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QIdentityProxyModel::createIndex(int row, int column, void *data)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2374, &_call_fp_createIndex_c2374); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QIdentityProxyModel::createIndex(int row, int column, quintptr id)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2657, &_call_fp_createIndex_c2657); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QIdentityProxyModel::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QIdentityProxyModel::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("data", "@brief Virtual method QVariant QIdentityProxyModel::data(const QModelIndex &proxyIndex, int role)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1); methods += new qt_gsi::GenericMethod ("data", "@hide", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1, &_set_callback_cbs_data_c3054_1); @@ -3818,9 +3834,9 @@ static gsi::Methods methods_QIdentityProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("*endRemoveColumns", "@brief Method void QIdentityProxyModel::endRemoveColumns()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveColumns_0, &_call_fp_endRemoveColumns_0); methods += new qt_gsi::GenericMethod ("*endRemoveRows", "@brief Method void QIdentityProxyModel::endRemoveRows()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveRows_0, &_call_fp_endRemoveRows_0); methods += new qt_gsi::GenericMethod ("*endResetModel", "@brief Method void QIdentityProxyModel::endResetModel()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endResetModel_0, &_call_fp_endResetModel_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QIdentityProxyModel::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QIdentityProxyModel::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QIdentityProxyModel::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QIdentityProxyModel::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@brief Virtual method void QIdentityProxyModel::fetchMore(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_fetchMore_2395_0, &_call_cbs_fetchMore_2395_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@hide", false, &_init_cbs_fetchMore_2395_0, &_call_cbs_fetchMore_2395_0, &_set_callback_cbs_fetchMore_2395_0); @@ -3907,7 +3923,7 @@ static gsi::Methods methods_QIdentityProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("supportedDragActions", "@hide", true, &_init_cbs_supportedDragActions_c0_0, &_call_cbs_supportedDragActions_c0_0, &_set_callback_cbs_supportedDragActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@brief Virtual method QFlags QIdentityProxyModel::supportedDropActions()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@hide", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0, &_set_callback_cbs_supportedDropActions_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QIdentityProxyModel::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QIdentityProxyModel::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQItemSelectionModel.cc b/src/gsiqt/qt5/QtCore/gsiDeclQItemSelectionModel.cc index 67c5bf52e2..1357fc54b3 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQItemSelectionModel.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQItemSelectionModel.cc @@ -648,33 +648,33 @@ class QItemSelectionModel_Adaptor : public QItemSelectionModel, public qt_gsi::Q emit QItemSelectionModel::destroyed(arg1); } - // [adaptor impl] bool QItemSelectionModel::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QItemSelectionModel::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QItemSelectionModel::event(arg1); + return QItemSelectionModel::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QItemSelectionModel_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QItemSelectionModel_Adaptor::cbs_event_1217_0, _event); } else { - return QItemSelectionModel::event(arg1); + return QItemSelectionModel::event(_event); } } - // [adaptor impl] bool QItemSelectionModel::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QItemSelectionModel::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QItemSelectionModel::eventFilter(arg1, arg2); + return QItemSelectionModel::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QItemSelectionModel_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QItemSelectionModel_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QItemSelectionModel::eventFilter(arg1, arg2); + return QItemSelectionModel::eventFilter(watched, event); } } @@ -757,33 +757,33 @@ class QItemSelectionModel_Adaptor : public QItemSelectionModel, public qt_gsi::Q } } - // [adaptor impl] void QItemSelectionModel::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QItemSelectionModel::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QItemSelectionModel::childEvent(arg1); + QItemSelectionModel::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QItemSelectionModel_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QItemSelectionModel_Adaptor::cbs_childEvent_1701_0, event); } else { - QItemSelectionModel::childEvent(arg1); + QItemSelectionModel::childEvent(event); } } - // [adaptor impl] void QItemSelectionModel::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QItemSelectionModel::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QItemSelectionModel::customEvent(arg1); + QItemSelectionModel::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QItemSelectionModel_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QItemSelectionModel_Adaptor::cbs_customEvent_1217_0, event); } else { - QItemSelectionModel::customEvent(arg1); + QItemSelectionModel::customEvent(event); } } @@ -802,18 +802,18 @@ class QItemSelectionModel_Adaptor : public QItemSelectionModel, public qt_gsi::Q } } - // [adaptor impl] void QItemSelectionModel::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QItemSelectionModel::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QItemSelectionModel::timerEvent(arg1); + QItemSelectionModel::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QItemSelectionModel_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QItemSelectionModel_Adaptor::cbs_timerEvent_1730_0, event); } else { - QItemSelectionModel::timerEvent(arg1); + QItemSelectionModel::timerEvent(event); } } @@ -837,7 +837,7 @@ QItemSelectionModel_Adaptor::~QItemSelectionModel_Adaptor() { } static void _init_ctor_QItemSelectionModel_Adaptor_2419 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("model", true, "0"); + static gsi::ArgSpecBase argspec_0 ("model", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -846,7 +846,7 @@ static void _call_ctor_QItemSelectionModel_Adaptor_2419 (const qt_gsi::GenericSt { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QAbstractItemModel *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QAbstractItemModel *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QItemSelectionModel_Adaptor (arg1)); } @@ -872,11 +872,11 @@ static void _call_ctor_QItemSelectionModel_Adaptor_3613 (const qt_gsi::GenericSt } -// void QItemSelectionModel::childEvent(QChildEvent *) +// void QItemSelectionModel::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -999,11 +999,11 @@ static void _call_emitter_currentRowChanged_4682 (const qt_gsi::GenericMethod * } -// void QItemSelectionModel::customEvent(QEvent *) +// void QItemSelectionModel::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1027,7 +1027,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1036,7 +1036,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QItemSelectionModel_Adaptor *)cls)->emitter_QItemSelectionModel_destroyed_1302 (arg1); } @@ -1087,11 +1087,11 @@ static void _call_fp_emitSelectionChanged_5346 (const qt_gsi::GenericMethod * /* } -// bool QItemSelectionModel::event(QEvent *) +// bool QItemSelectionModel::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1110,13 +1110,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QItemSelectionModel::eventFilter(QObject *, QEvent *) +// bool QItemSelectionModel::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1358,11 +1358,11 @@ static void _set_callback_cbs_setCurrentIndex_6758_0 (void *cls, const gsi::Call } -// void QItemSelectionModel::timerEvent(QTimerEvent *) +// void QItemSelectionModel::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1391,7 +1391,7 @@ static gsi::Methods methods_QItemSelectionModel_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QItemSelectionModel::QItemSelectionModel(QAbstractItemModel *model)\nThis method creates an object of class QItemSelectionModel.", &_init_ctor_QItemSelectionModel_Adaptor_2419, &_call_ctor_QItemSelectionModel_Adaptor_2419); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QItemSelectionModel::QItemSelectionModel(QAbstractItemModel *model, QObject *parent)\nThis method creates an object of class QItemSelectionModel.", &_init_ctor_QItemSelectionModel_Adaptor_3613, &_call_ctor_QItemSelectionModel_Adaptor_3613); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QItemSelectionModel::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QItemSelectionModel::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("clear", "@brief Virtual method void QItemSelectionModel::clear()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0); methods += new qt_gsi::GenericMethod ("clear", "@hide", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0, &_set_callback_cbs_clear_0_0); @@ -1400,15 +1400,15 @@ static gsi::Methods methods_QItemSelectionModel_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_currentChanged", "@brief Emitter for signal void QItemSelectionModel::currentChanged(const QModelIndex ¤t, const QModelIndex &previous)\nCall this method to emit this signal.", false, &_init_emitter_currentChanged_4682, &_call_emitter_currentChanged_4682); methods += new qt_gsi::GenericMethod ("emit_currentColumnChanged", "@brief Emitter for signal void QItemSelectionModel::currentColumnChanged(const QModelIndex ¤t, const QModelIndex &previous)\nCall this method to emit this signal.", false, &_init_emitter_currentColumnChanged_4682, &_call_emitter_currentColumnChanged_4682); methods += new qt_gsi::GenericMethod ("emit_currentRowChanged", "@brief Emitter for signal void QItemSelectionModel::currentRowChanged(const QModelIndex ¤t, const QModelIndex &previous)\nCall this method to emit this signal.", false, &_init_emitter_currentRowChanged_4682, &_call_emitter_currentRowChanged_4682); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QItemSelectionModel::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QItemSelectionModel::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QItemSelectionModel::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QItemSelectionModel::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*emitSelectionChanged", "@brief Method void QItemSelectionModel::emitSelectionChanged(const QItemSelection &newSelection, const QItemSelection &oldSelection)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_emitSelectionChanged_5346, &_call_fp_emitSelectionChanged_5346); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QItemSelectionModel::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QItemSelectionModel::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QItemSelectionModel::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QItemSelectionModel::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QItemSelectionModel::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_modelChanged", "@brief Emitter for signal void QItemSelectionModel::modelChanged(QAbstractItemModel *model)\nCall this method to emit this signal.", false, &_init_emitter_modelChanged_2419, &_call_emitter_modelChanged_2419); @@ -1425,7 +1425,7 @@ static gsi::Methods methods_QItemSelectionModel_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QItemSelectionModel::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setCurrentIndex", "@brief Virtual method void QItemSelectionModel::setCurrentIndex(const QModelIndex &index, QFlags command)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setCurrentIndex_6758_0, &_call_cbs_setCurrentIndex_6758_0); methods += new qt_gsi::GenericMethod ("setCurrentIndex", "@hide", false, &_init_cbs_setCurrentIndex_6758_0, &_call_cbs_setCurrentIndex_6758_0, &_set_callback_cbs_setCurrentIndex_6758_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QItemSelectionModel::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QItemSelectionModel::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQItemSelectionRange.cc b/src/gsiqt/qt5/QtCore/gsiDeclQItemSelectionRange.cc index f2a40deb13..a5caf99cff 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQItemSelectionRange.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQItemSelectionRange.cc @@ -72,14 +72,14 @@ static void _call_ctor_QItemSelectionRange_3220 (const qt_gsi::GenericStaticMeth } -// Constructor QItemSelectionRange::QItemSelectionRange(const QModelIndex &topLeft, const QModelIndex &bottomRight) +// Constructor QItemSelectionRange::QItemSelectionRange(const QModelIndex &topL, const QModelIndex &bottomR) static void _init_ctor_QItemSelectionRange_4682 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("topLeft"); + static gsi::ArgSpecBase argspec_0 ("topL"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("bottomRight"); + static gsi::ArgSpecBase argspec_1 ("bottomR"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -353,6 +353,25 @@ static void _call_f_operator_lt__c3220 (const qt_gsi::GenericMethod * /*decl*/, } +// QItemSelectionRange &QItemSelectionRange::operator=(const QItemSelectionRange &other) + + +static void _init_f_operator_eq__3220 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_eq__3220 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QItemSelectionRange &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QItemSelectionRange &)((QItemSelectionRange *)cls)->operator= (arg1)); +} + + // bool QItemSelectionRange::operator==(const QItemSelectionRange &other) @@ -402,6 +421,26 @@ static void _call_f_right_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// void QItemSelectionRange::swap(QItemSelectionRange &other) + + +static void _init_f_swap_2525 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_swap_2525 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QItemSelectionRange &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QItemSelectionRange *)cls)->swap (arg1); +} + + // int QItemSelectionRange::top() @@ -455,7 +494,7 @@ static gsi::Methods methods_QItemSelectionRange () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QItemSelectionRange::QItemSelectionRange()\nThis method creates an object of class QItemSelectionRange.", &_init_ctor_QItemSelectionRange_0, &_call_ctor_QItemSelectionRange_0); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QItemSelectionRange::QItemSelectionRange(const QItemSelectionRange &other)\nThis method creates an object of class QItemSelectionRange.", &_init_ctor_QItemSelectionRange_3220, &_call_ctor_QItemSelectionRange_3220); - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QItemSelectionRange::QItemSelectionRange(const QModelIndex &topLeft, const QModelIndex &bottomRight)\nThis method creates an object of class QItemSelectionRange.", &_init_ctor_QItemSelectionRange_4682, &_call_ctor_QItemSelectionRange_4682); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QItemSelectionRange::QItemSelectionRange(const QModelIndex &topL, const QModelIndex &bottomR)\nThis method creates an object of class QItemSelectionRange.", &_init_ctor_QItemSelectionRange_4682, &_call_ctor_QItemSelectionRange_4682); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QItemSelectionRange::QItemSelectionRange(const QModelIndex &index)\nThis method creates an object of class QItemSelectionRange.", &_init_ctor_QItemSelectionRange_2395, &_call_ctor_QItemSelectionRange_2395); methods += new qt_gsi::GenericMethod ("bottom", "@brief Method int QItemSelectionRange::bottom()\n", true, &_init_f_bottom_c0, &_call_f_bottom_c0); methods += new qt_gsi::GenericMethod ("bottomRight", "@brief Method const QPersistentModelIndex &QItemSelectionRange::bottomRight()\n", true, &_init_f_bottomRight_c0, &_call_f_bottomRight_c0); @@ -471,9 +510,11 @@ static gsi::Methods methods_QItemSelectionRange () { methods += new qt_gsi::GenericMethod ("model", "@brief Method const QAbstractItemModel *QItemSelectionRange::model()\n", true, &_init_f_model_c0, &_call_f_model_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QItemSelectionRange::operator!=(const QItemSelectionRange &other)\n", true, &_init_f_operator_excl__eq__c3220, &_call_f_operator_excl__eq__c3220); methods += new qt_gsi::GenericMethod ("<", "@brief Method bool QItemSelectionRange::operator<(const QItemSelectionRange &other)\n", true, &_init_f_operator_lt__c3220, &_call_f_operator_lt__c3220); + methods += new qt_gsi::GenericMethod ("assign", "@brief Method QItemSelectionRange &QItemSelectionRange::operator=(const QItemSelectionRange &other)\n", false, &_init_f_operator_eq__3220, &_call_f_operator_eq__3220); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QItemSelectionRange::operator==(const QItemSelectionRange &other)\n", true, &_init_f_operator_eq__eq__c3220, &_call_f_operator_eq__eq__c3220); methods += new qt_gsi::GenericMethod ("parent", "@brief Method QModelIndex QItemSelectionRange::parent()\n", true, &_init_f_parent_c0, &_call_f_parent_c0); methods += new qt_gsi::GenericMethod ("right", "@brief Method int QItemSelectionRange::right()\n", true, &_init_f_right_c0, &_call_f_right_c0); + methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QItemSelectionRange::swap(QItemSelectionRange &other)\n", false, &_init_f_swap_2525, &_call_f_swap_2525); methods += new qt_gsi::GenericMethod ("top", "@brief Method int QItemSelectionRange::top()\n", true, &_init_f_top_c0, &_call_f_top_c0); methods += new qt_gsi::GenericMethod ("topLeft", "@brief Method const QPersistentModelIndex &QItemSelectionRange::topLeft()\n", true, &_init_f_topLeft_c0, &_call_f_topLeft_c0); methods += new qt_gsi::GenericMethod ("width", "@brief Method int QItemSelectionRange::width()\n", true, &_init_f_width_c0, &_call_f_width_c0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQJsonArray.cc b/src/gsiqt/qt5/QtCore/gsiDeclQJsonArray.cc index 6500eb8c27..a5778c7b2e 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQJsonArray.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQJsonArray.cc @@ -692,6 +692,26 @@ static void _call_f_size_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// void QJsonArray::swap(QJsonArray &other) + + +static void _init_f_swap_1620 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_swap_1620 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QJsonArray &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QJsonArray *)cls)->swap (arg1); +} + + // QJsonValue QJsonArray::takeAt(int i) @@ -807,6 +827,7 @@ static gsi::Methods methods_QJsonArray () { methods += new qt_gsi::GenericMethod ("removeLast", "@brief Method void QJsonArray::removeLast()\n", false, &_init_f_removeLast_0, &_call_f_removeLast_0); methods += new qt_gsi::GenericMethod ("replace", "@brief Method void QJsonArray::replace(int i, const QJsonValue &value)\n", false, &_init_f_replace_2972, &_call_f_replace_2972); methods += new qt_gsi::GenericMethod ("size", "@brief Method int QJsonArray::size()\n", true, &_init_f_size_c0, &_call_f_size_c0); + methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QJsonArray::swap(QJsonArray &other)\n", false, &_init_f_swap_1620, &_call_f_swap_1620); methods += new qt_gsi::GenericMethod ("takeAt", "@brief Method QJsonValue QJsonArray::takeAt(int i)\n", false, &_init_f_takeAt_767, &_call_f_takeAt_767); methods += new qt_gsi::GenericMethod ("toVariantList", "@brief Method QList QJsonArray::toVariantList()\n", true, &_init_f_toVariantList_c0, &_call_f_toVariantList_c0); methods += new qt_gsi::GenericStaticMethod ("fromStringList", "@brief Static method QJsonArray QJsonArray::fromStringList(const QStringList &list)\nThis method is static and can be called without an instance.", &_init_f_fromStringList_2437, &_call_f_fromStringList_2437); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQJsonDocument.cc b/src/gsiqt/qt5/QtCore/gsiDeclQJsonDocument.cc index bf7b49e8f4..a8c743eaa7 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQJsonDocument.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQJsonDocument.cc @@ -31,6 +31,7 @@ #include #include #include +#include #include "gsiQt.h" #include "gsiQtCoreCommon.h" #include @@ -257,6 +258,63 @@ static void _call_f_operator_eq__eq__c2635 (const qt_gsi::GenericMethod * /*decl } +// const QJsonValue QJsonDocument::operator[](const QString &key) + + +static void _init_f_operator_index__c2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("key"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_index__c2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ret.write ((const QJsonValue)((QJsonDocument *)cls)->operator[] (arg1)); +} + + +// const QJsonValue QJsonDocument::operator[](QLatin1String key) + + +static void _init_f_operator_index__c1701 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("key"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_index__c1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QLatin1String arg1 = gsi::arg_reader() (args, heap); + ret.write ((const QJsonValue)((QJsonDocument *)cls)->operator[] (arg1)); +} + + +// const QJsonValue QJsonDocument::operator[](int i) + + +static void _init_f_operator_index__c767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("i"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_index__c767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ret.write ((const QJsonValue)((QJsonDocument *)cls)->operator[] (arg1)); +} + + // const char *QJsonDocument::rawData(int *size) @@ -316,6 +374,26 @@ static void _call_f_setObject_2403 (const qt_gsi::GenericMethod * /*decl*/, void } +// void QJsonDocument::swap(QJsonDocument &other) + + +static void _init_f_swap_1940 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_swap_1940 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QJsonDocument &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QJsonDocument *)cls)->swap (arg1); +} + + // QByteArray QJsonDocument::toBinaryData() @@ -409,7 +487,7 @@ static void _init_f_fromJson_4343 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("json"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("error", true, "0"); + static gsi::ArgSpecBase argspec_1 ("error", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -419,7 +497,7 @@ static void _call_f_fromJson_4343 (const qt_gsi::GenericStaticMethod * /*decl*/, __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QByteArray &arg1 = gsi::arg_reader() (args, heap); - QJsonParseError *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QJsonParseError *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QJsonDocument)QJsonDocument::fromJson (arg1, arg2)); } @@ -487,9 +565,13 @@ static gsi::Methods methods_QJsonDocument () { methods += new qt_gsi::GenericMethod ("assign", "@brief Method QJsonDocument &QJsonDocument::operator =(const QJsonDocument &other)\n", false, &_init_f_operator_eq__2635, &_call_f_operator_eq__2635); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QJsonDocument::operator!=(const QJsonDocument &other)\n", true, &_init_f_operator_excl__eq__c2635, &_call_f_operator_excl__eq__c2635); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QJsonDocument::operator==(const QJsonDocument &other)\n", true, &_init_f_operator_eq__eq__c2635, &_call_f_operator_eq__eq__c2635); + methods += new qt_gsi::GenericMethod ("[]", "@brief Method const QJsonValue QJsonDocument::operator[](const QString &key)\n", true, &_init_f_operator_index__c2025, &_call_f_operator_index__c2025); + methods += new qt_gsi::GenericMethod ("[]", "@brief Method const QJsonValue QJsonDocument::operator[](QLatin1String key)\n", true, &_init_f_operator_index__c1701, &_call_f_operator_index__c1701); + methods += new qt_gsi::GenericMethod ("[]", "@brief Method const QJsonValue QJsonDocument::operator[](int i)\n", true, &_init_f_operator_index__c767, &_call_f_operator_index__c767); methods += new qt_gsi::GenericMethod ("rawData", "@brief Method const char *QJsonDocument::rawData(int *size)\n", true, &_init_f_rawData_c953, &_call_f_rawData_c953); methods += new qt_gsi::GenericMethod ("setArray|array=", "@brief Method void QJsonDocument::setArray(const QJsonArray &array)\n", false, &_init_f_setArray_2315, &_call_f_setArray_2315); methods += new qt_gsi::GenericMethod ("setObject", "@brief Method void QJsonDocument::setObject(const QJsonObject &object)\n", false, &_init_f_setObject_2403, &_call_f_setObject_2403); + methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QJsonDocument::swap(QJsonDocument &other)\n", false, &_init_f_swap_1940, &_call_f_swap_1940); methods += new qt_gsi::GenericMethod ("toBinaryData", "@brief Method QByteArray QJsonDocument::toBinaryData()\n", true, &_init_f_toBinaryData_c0, &_call_f_toBinaryData_c0); methods += new qt_gsi::GenericMethod ("toJson", "@brief Method QByteArray QJsonDocument::toJson()\n", true, &_init_f_toJson_c0, &_call_f_toJson_c0); methods += new qt_gsi::GenericMethod ("toJson", "@brief Method QByteArray QJsonDocument::toJson(QJsonDocument::JsonFormat format)\n", true, &_init_f_toJson_c2901, &_call_f_toJson_c2901); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQJsonObject.cc b/src/gsiqt/qt5/QtCore/gsiDeclQJsonObject.cc index 09abbca1cc..9dec0666a7 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQJsonObject.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQJsonObject.cc @@ -150,6 +150,25 @@ static void _call_f_constFind_c2025 (const qt_gsi::GenericMethod * /*decl*/, voi } +// QJsonObject::const_iterator QJsonObject::constFind(QLatin1String key) + + +static void _init_f_constFind_c1701 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("key"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_constFind_c1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QLatin1String arg1 = gsi::arg_reader() (args, heap); + ret.write ((QJsonObject::const_iterator)((QJsonObject *)cls)->constFind (arg1)); +} + + // bool QJsonObject::contains(const QString &key) @@ -169,6 +188,25 @@ static void _call_f_contains_c2025 (const qt_gsi::GenericMethod * /*decl*/, void } +// bool QJsonObject::contains(QLatin1String key) + + +static void _init_f_contains_c1701 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("key"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_contains_c1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QLatin1String arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QJsonObject *)cls)->contains (arg1)); +} + + // int QJsonObject::count() @@ -267,6 +305,25 @@ static void _call_f_find_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// QJsonObject::iterator QJsonObject::find(QLatin1String key) + + +static void _init_f_find_1701 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("key"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_find_1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QLatin1String arg1 = gsi::arg_reader() (args, heap); + ret.write ((QJsonObject::iterator)((QJsonObject *)cls)->find (arg1)); +} + + // QJsonObject::const_iterator QJsonObject::find(const QString &key) @@ -286,6 +343,25 @@ static void _call_f_find_c2025 (const qt_gsi::GenericMethod * /*decl*/, void *cl } +// QJsonObject::const_iterator QJsonObject::find(QLatin1String key) + + +static void _init_f_find_c1701 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("key"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_find_c1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QLatin1String arg1 = gsi::arg_reader() (args, heap); + ret.write ((QJsonObject::const_iterator)((QJsonObject *)cls)->find (arg1)); +} + + // QJsonObject::iterator QJsonObject::insert(const QString &key, const QJsonValue &value) @@ -429,6 +505,25 @@ static void _call_f_operator_index__c2025 (const qt_gsi::GenericMethod * /*decl* } +// QJsonValue QJsonObject::operator[](QLatin1String key) + + +static void _init_f_operator_index__c1701 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("key"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_index__c1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QLatin1String arg1 = gsi::arg_reader() (args, heap); + ret.write ((QJsonValue)((QJsonObject *)cls)->operator[] (arg1)); +} + + // QJsonValueRef QJsonObject::operator[](const QString &key) @@ -448,6 +543,25 @@ static void _call_f_operator_index__2025 (const qt_gsi::GenericMethod * /*decl*/ } +// QJsonValueRef QJsonObject::operator[](QLatin1String key) + + +static void _init_f_operator_index__1701 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("key"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_index__1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QLatin1String arg1 = gsi::arg_reader() (args, heap); + ret.write ((QJsonValueRef)((QJsonObject *)cls)->operator[] (arg1)); +} + + // void QJsonObject::remove(const QString &key) @@ -483,6 +597,26 @@ static void _call_f_size_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// void QJsonObject::swap(QJsonObject &other) + + +static void _init_f_swap_1708 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_swap_1708 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QJsonObject &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QJsonObject *)cls)->swap (arg1); +} + + // QJsonValue QJsonObject::take(const QString &key) @@ -551,6 +685,25 @@ static void _call_f_value_c2025 (const qt_gsi::GenericMethod * /*decl*/, void *c } +// QJsonValue QJsonObject::value(QLatin1String key) + + +static void _init_f_value_c1701 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("key"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_value_c1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QLatin1String arg1 = gsi::arg_reader() (args, heap); + ret.write ((QJsonValue)((QJsonObject *)cls)->value (arg1)); +} + + // static QJsonObject QJsonObject::fromVariantHash(const QHash &map) @@ -602,14 +755,18 @@ static gsi::Methods methods_QJsonObject () { methods += new qt_gsi::GenericMethod ("constBegin", "@brief Method QJsonObject::const_iterator QJsonObject::constBegin()\n", true, &_init_f_constBegin_c0, &_call_f_constBegin_c0); methods += new qt_gsi::GenericMethod ("constEnd", "@brief Method QJsonObject::const_iterator QJsonObject::constEnd()\n", true, &_init_f_constEnd_c0, &_call_f_constEnd_c0); methods += new qt_gsi::GenericMethod ("constFind", "@brief Method QJsonObject::const_iterator QJsonObject::constFind(const QString &key)\n", true, &_init_f_constFind_c2025, &_call_f_constFind_c2025); + methods += new qt_gsi::GenericMethod ("constFind", "@brief Method QJsonObject::const_iterator QJsonObject::constFind(QLatin1String key)\n", true, &_init_f_constFind_c1701, &_call_f_constFind_c1701); methods += new qt_gsi::GenericMethod ("contains", "@brief Method bool QJsonObject::contains(const QString &key)\n", true, &_init_f_contains_c2025, &_call_f_contains_c2025); + methods += new qt_gsi::GenericMethod ("contains", "@brief Method bool QJsonObject::contains(QLatin1String key)\n", true, &_init_f_contains_c1701, &_call_f_contains_c1701); methods += new qt_gsi::GenericMethod ("count", "@brief Method int QJsonObject::count()\n", true, &_init_f_count_c0, &_call_f_count_c0); methods += new qt_gsi::GenericMethod ("empty", "@brief Method bool QJsonObject::empty()\n", true, &_init_f_empty_c0, &_call_f_empty_c0); methods += new qt_gsi::GenericMethod ("end", "@brief Method QJsonObject::iterator QJsonObject::end()\n", false, &_init_f_end_0, &_call_f_end_0); methods += new qt_gsi::GenericMethod ("end", "@brief Method QJsonObject::const_iterator QJsonObject::end()\n", true, &_init_f_end_c0, &_call_f_end_c0); methods += new qt_gsi::GenericMethod ("erase", "@brief Method QJsonObject::iterator QJsonObject::erase(QJsonObject::iterator it)\n", false, &_init_f_erase_2516, &_call_f_erase_2516); methods += new qt_gsi::GenericMethod ("find", "@brief Method QJsonObject::iterator QJsonObject::find(const QString &key)\n", false, &_init_f_find_2025, &_call_f_find_2025); + methods += new qt_gsi::GenericMethod ("find", "@brief Method QJsonObject::iterator QJsonObject::find(QLatin1String key)\n", false, &_init_f_find_1701, &_call_f_find_1701); methods += new qt_gsi::GenericMethod ("find", "@brief Method QJsonObject::const_iterator QJsonObject::find(const QString &key)\n", true, &_init_f_find_c2025, &_call_f_find_c2025); + methods += new qt_gsi::GenericMethod ("find", "@brief Method QJsonObject::const_iterator QJsonObject::find(QLatin1String key)\n", true, &_init_f_find_c1701, &_call_f_find_c1701); methods += new qt_gsi::GenericMethod ("insert", "@brief Method QJsonObject::iterator QJsonObject::insert(const QString &key, const QJsonValue &value)\n", false, &_init_f_insert_4230, &_call_f_insert_4230); methods += new qt_gsi::GenericMethod ("isEmpty?", "@brief Method bool QJsonObject::isEmpty()\n", true, &_init_f_isEmpty_c0, &_call_f_isEmpty_c0); methods += new qt_gsi::GenericMethod ("keys", "@brief Method QStringList QJsonObject::keys()\n", true, &_init_f_keys_c0, &_call_f_keys_c0); @@ -618,13 +775,17 @@ static gsi::Methods methods_QJsonObject () { methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QJsonObject::operator!=(const QJsonObject &other)\n", true, &_init_f_operator_excl__eq__c2403, &_call_f_operator_excl__eq__c2403); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QJsonObject::operator==(const QJsonObject &other)\n", true, &_init_f_operator_eq__eq__c2403, &_call_f_operator_eq__eq__c2403); methods += new qt_gsi::GenericMethod ("[]", "@brief Method QJsonValue QJsonObject::operator[](const QString &key)\n", true, &_init_f_operator_index__c2025, &_call_f_operator_index__c2025); + methods += new qt_gsi::GenericMethod ("[]", "@brief Method QJsonValue QJsonObject::operator[](QLatin1String key)\n", true, &_init_f_operator_index__c1701, &_call_f_operator_index__c1701); methods += new qt_gsi::GenericMethod ("[]", "@brief Method QJsonValueRef QJsonObject::operator[](const QString &key)\n", false, &_init_f_operator_index__2025, &_call_f_operator_index__2025); + methods += new qt_gsi::GenericMethod ("[]", "@brief Method QJsonValueRef QJsonObject::operator[](QLatin1String key)\n", false, &_init_f_operator_index__1701, &_call_f_operator_index__1701); methods += new qt_gsi::GenericMethod ("remove", "@brief Method void QJsonObject::remove(const QString &key)\n", false, &_init_f_remove_2025, &_call_f_remove_2025); methods += new qt_gsi::GenericMethod ("size", "@brief Method int QJsonObject::size()\n", true, &_init_f_size_c0, &_call_f_size_c0); + methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QJsonObject::swap(QJsonObject &other)\n", false, &_init_f_swap_1708, &_call_f_swap_1708); methods += new qt_gsi::GenericMethod ("take", "@brief Method QJsonValue QJsonObject::take(const QString &key)\n", false, &_init_f_take_2025, &_call_f_take_2025); methods += new qt_gsi::GenericMethod ("toVariantHash", "@brief Method QHash QJsonObject::toVariantHash()\n", true, &_init_f_toVariantHash_c0, &_call_f_toVariantHash_c0); methods += new qt_gsi::GenericMethod ("toVariantMap", "@brief Method QMap QJsonObject::toVariantMap()\n", true, &_init_f_toVariantMap_c0, &_call_f_toVariantMap_c0); methods += new qt_gsi::GenericMethod ("value", "@brief Method QJsonValue QJsonObject::value(const QString &key)\n", true, &_init_f_value_c2025, &_call_f_value_c2025); + methods += new qt_gsi::GenericMethod ("value", "@brief Method QJsonValue QJsonObject::value(QLatin1String key)\n", true, &_init_f_value_c1701, &_call_f_value_c1701); methods += new qt_gsi::GenericStaticMethod ("fromVariantHash", "@brief Static method QJsonObject QJsonObject::fromVariantHash(const QHash &map)\nThis method is static and can be called without an instance.", &_init_f_fromVariantHash_3610, &_call_f_fromVariantHash_3610); methods += new qt_gsi::GenericStaticMethod ("fromVariantMap", "@brief Static method QJsonObject QJsonObject::fromVariantMap(const QMap &map)\nThis method is static and can be called without an instance.", &_init_f_fromVariantMap_3508, &_call_f_fromVariantMap_3508); return methods; diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQJsonValue.cc b/src/gsiqt/qt5/QtCore/gsiDeclQJsonValue.cc index 8727b07ebd..4dc564400f 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQJsonValue.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQJsonValue.cc @@ -351,6 +351,83 @@ static void _call_f_operator_eq__eq__c2313 (const qt_gsi::GenericMethod * /*decl } +// const QJsonValue QJsonValue::operator[](const QString &key) + + +static void _init_f_operator_index__c2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("key"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_index__c2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ret.write ((const QJsonValue)((QJsonValue *)cls)->operator[] (arg1)); +} + + +// const QJsonValue QJsonValue::operator[](QLatin1String key) + + +static void _init_f_operator_index__c1701 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("key"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_index__c1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QLatin1String arg1 = gsi::arg_reader() (args, heap); + ret.write ((const QJsonValue)((QJsonValue *)cls)->operator[] (arg1)); +} + + +// const QJsonValue QJsonValue::operator[](int i) + + +static void _init_f_operator_index__c767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("i"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_index__c767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ret.write ((const QJsonValue)((QJsonValue *)cls)->operator[] (arg1)); +} + + +// void QJsonValue::swap(QJsonValue &other) + + +static void _init_f_swap_1618 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_swap_1618 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QJsonValue &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QJsonValue *)cls)->swap (arg1); +} + + // QJsonArray QJsonValue::toArray() @@ -476,12 +553,27 @@ static void _call_f_toObject_c2403 (const qt_gsi::GenericMethod * /*decl*/, void } +// QString QJsonValue::toString() + + +static void _init_f_toString_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_toString_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)((QJsonValue *)cls)->toString ()); +} + + // QString QJsonValue::toString(const QString &defaultValue) static void _init_f_toString_c2025 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("defaultValue", true, "QString()"); + static gsi::ArgSpecBase argspec_0 ("defaultValue"); decl->add_arg (argspec_0); decl->set_return (); } @@ -490,7 +582,7 @@ static void _call_f_toString_c2025 (const qt_gsi::GenericMethod * /*decl*/, void { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - const QString &arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); + const QString &arg1 = gsi::arg_reader() (args, heap); ret.write ((QString)((QJsonValue *)cls)->toString (arg1)); } @@ -568,6 +660,10 @@ static gsi::Methods methods_QJsonValue () { methods += new qt_gsi::GenericMethod ("assign", "@brief Method QJsonValue &QJsonValue::operator =(const QJsonValue &other)\n", false, &_init_f_operator_eq__2313, &_call_f_operator_eq__2313); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QJsonValue::operator!=(const QJsonValue &other)\n", true, &_init_f_operator_excl__eq__c2313, &_call_f_operator_excl__eq__c2313); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QJsonValue::operator==(const QJsonValue &other)\n", true, &_init_f_operator_eq__eq__c2313, &_call_f_operator_eq__eq__c2313); + methods += new qt_gsi::GenericMethod ("[]", "@brief Method const QJsonValue QJsonValue::operator[](const QString &key)\n", true, &_init_f_operator_index__c2025, &_call_f_operator_index__c2025); + methods += new qt_gsi::GenericMethod ("[]", "@brief Method const QJsonValue QJsonValue::operator[](QLatin1String key)\n", true, &_init_f_operator_index__c1701, &_call_f_operator_index__c1701); + methods += new qt_gsi::GenericMethod ("[]", "@brief Method const QJsonValue QJsonValue::operator[](int i)\n", true, &_init_f_operator_index__c767, &_call_f_operator_index__c767); + methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QJsonValue::swap(QJsonValue &other)\n", false, &_init_f_swap_1618, &_call_f_swap_1618); methods += new qt_gsi::GenericMethod ("toArray", "@brief Method QJsonArray QJsonValue::toArray()\n", true, &_init_f_toArray_c0, &_call_f_toArray_c0); methods += new qt_gsi::GenericMethod ("toArray", "@brief Method QJsonArray QJsonValue::toArray(const QJsonArray &defaultValue)\n", true, &_init_f_toArray_c2315, &_call_f_toArray_c2315); methods += new qt_gsi::GenericMethod ("toBool", "@brief Method bool QJsonValue::toBool(bool defaultValue)\n", true, &_init_f_toBool_c864, &_call_f_toBool_c864); @@ -575,6 +671,7 @@ static gsi::Methods methods_QJsonValue () { methods += new qt_gsi::GenericMethod ("toInt", "@brief Method int QJsonValue::toInt(int defaultValue)\n", true, &_init_f_toInt_c767, &_call_f_toInt_c767); methods += new qt_gsi::GenericMethod ("toObject", "@brief Method QJsonObject QJsonValue::toObject()\n", true, &_init_f_toObject_c0, &_call_f_toObject_c0); methods += new qt_gsi::GenericMethod ("toObject", "@brief Method QJsonObject QJsonValue::toObject(const QJsonObject &defaultValue)\n", true, &_init_f_toObject_c2403, &_call_f_toObject_c2403); + methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QJsonValue::toString()\n", true, &_init_f_toString_c0, &_call_f_toString_c0); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QJsonValue::toString(const QString &defaultValue)\n", true, &_init_f_toString_c2025, &_call_f_toString_c2025); methods += new qt_gsi::GenericMethod ("toVariant", "@brief Method QVariant QJsonValue::toVariant()\n", true, &_init_f_toVariant_c0, &_call_f_toVariant_c0); methods += new qt_gsi::GenericMethod ("type", "@brief Method QJsonValue::Type QJsonValue::type()\n", true, &_init_f_type_c0, &_call_f_type_c0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQLibrary.cc b/src/gsiqt/qt5/QtCore/gsiDeclQLibrary.cc index 63d8d2a1fc..6df127c4a0 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQLibrary.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQLibrary.cc @@ -414,33 +414,33 @@ class QLibrary_Adaptor : public QLibrary, public qt_gsi::QtObjectBase emit QLibrary::destroyed(arg1); } - // [adaptor impl] bool QLibrary::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QLibrary::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QLibrary::event(arg1); + return QLibrary::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QLibrary_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QLibrary_Adaptor::cbs_event_1217_0, _event); } else { - return QLibrary::event(arg1); + return QLibrary::event(_event); } } - // [adaptor impl] bool QLibrary::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QLibrary::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QLibrary::eventFilter(arg1, arg2); + return QLibrary::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QLibrary_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QLibrary_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QLibrary::eventFilter(arg1, arg2); + return QLibrary::eventFilter(watched, event); } } @@ -451,33 +451,33 @@ class QLibrary_Adaptor : public QLibrary, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QLibrary::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QLibrary::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QLibrary::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QLibrary::childEvent(arg1); + QLibrary::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QLibrary_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QLibrary_Adaptor::cbs_childEvent_1701_0, event); } else { - QLibrary::childEvent(arg1); + QLibrary::childEvent(event); } } - // [adaptor impl] void QLibrary::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QLibrary::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QLibrary::customEvent(arg1); + QLibrary::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QLibrary_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QLibrary_Adaptor::cbs_customEvent_1217_0, event); } else { - QLibrary::customEvent(arg1); + QLibrary::customEvent(event); } } @@ -496,18 +496,18 @@ class QLibrary_Adaptor : public QLibrary, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLibrary::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QLibrary::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QLibrary::timerEvent(arg1); + QLibrary::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QLibrary_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QLibrary_Adaptor::cbs_timerEvent_1730_0, event); } else { - QLibrary::timerEvent(arg1); + QLibrary::timerEvent(event); } } @@ -525,7 +525,7 @@ QLibrary_Adaptor::~QLibrary_Adaptor() { } static void _init_ctor_QLibrary_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -534,7 +534,7 @@ static void _call_ctor_QLibrary_Adaptor_1302 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QLibrary_Adaptor (arg1)); } @@ -545,7 +545,7 @@ static void _init_ctor_QLibrary_Adaptor_3219 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("fileName"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -555,7 +555,7 @@ static void _call_ctor_QLibrary_Adaptor_3219 (const qt_gsi::GenericStaticMethod __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QLibrary_Adaptor (arg1, arg2)); } @@ -568,7 +568,7 @@ static void _init_ctor_QLibrary_Adaptor_3878 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("verNum"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_2 ("parent", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -579,7 +579,7 @@ static void _call_ctor_QLibrary_Adaptor_3878 (const qt_gsi::GenericStaticMethod tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); - QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QLibrary_Adaptor (arg1, arg2, arg3)); } @@ -592,7 +592,7 @@ static void _init_ctor_QLibrary_Adaptor_5136 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("version"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_2 ("parent", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -603,16 +603,16 @@ static void _call_ctor_QLibrary_Adaptor_5136 (const qt_gsi::GenericStaticMethod tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); const QString &arg2 = gsi::arg_reader() (args, heap); - QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QLibrary_Adaptor (arg1, arg2, arg3)); } -// void QLibrary::childEvent(QChildEvent *) +// void QLibrary::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -632,11 +632,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QLibrary::customEvent(QEvent *) +// void QLibrary::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -660,7 +660,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -669,7 +669,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QLibrary_Adaptor *)cls)->emitter_QLibrary_destroyed_1302 (arg1); } @@ -698,11 +698,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QLibrary::event(QEvent *) +// bool QLibrary::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -721,13 +721,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QLibrary::eventFilter(QObject *, QEvent *) +// bool QLibrary::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -829,11 +829,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QLibrary::timerEvent(QTimerEvent *) +// void QLibrary::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -864,23 +864,23 @@ static gsi::Methods methods_QLibrary_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QLibrary::QLibrary(const QString &fileName, QObject *parent)\nThis method creates an object of class QLibrary.", &_init_ctor_QLibrary_Adaptor_3219, &_call_ctor_QLibrary_Adaptor_3219); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QLibrary::QLibrary(const QString &fileName, int verNum, QObject *parent)\nThis method creates an object of class QLibrary.", &_init_ctor_QLibrary_Adaptor_3878, &_call_ctor_QLibrary_Adaptor_3878); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QLibrary::QLibrary(const QString &fileName, const QString &version, QObject *parent)\nThis method creates an object of class QLibrary.", &_init_ctor_QLibrary_Adaptor_5136, &_call_ctor_QLibrary_Adaptor_5136); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QLibrary::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QLibrary::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QLibrary::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QLibrary::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QLibrary::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QLibrary::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QLibrary::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QLibrary::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QLibrary::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QLibrary::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QLibrary::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QLibrary::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QLibrary::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QLibrary::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QLibrary::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QLibrary::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QLibrary::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQLibraryInfo.cc b/src/gsiqt/qt5/QtCore/gsiDeclQLibraryInfo.cc index fab8e3d14e..b24485f3a6 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQLibraryInfo.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQLibraryInfo.cc @@ -29,6 +29,7 @@ #include #include +#include #include "gsiQt.h" #include "gsiQtCoreCommon.h" #include @@ -149,6 +150,21 @@ static void _call_f_platformPluginArguments_2025 (const qt_gsi::GenericStaticMet } +// static QVersionNumber QLibraryInfo::version() + + +static void _init_f_version_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_version_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QVersionNumber)QLibraryInfo::version ()); +} + + namespace gsi { @@ -162,6 +178,7 @@ static gsi::Methods methods_QLibraryInfo () { methods += new qt_gsi::GenericStaticMethod ("licensee", "@brief Static method QString QLibraryInfo::licensee()\nThis method is static and can be called without an instance.", &_init_f_licensee_0, &_call_f_licensee_0); methods += new qt_gsi::GenericStaticMethod ("location", "@brief Static method QString QLibraryInfo::location(QLibraryInfo::LibraryLocation)\nThis method is static and can be called without an instance.", &_init_f_location_3304, &_call_f_location_3304); methods += new qt_gsi::GenericStaticMethod ("platformPluginArguments", "@brief Static method QStringList QLibraryInfo::platformPluginArguments(const QString &platformName)\nThis method is static and can be called without an instance.", &_init_f_platformPluginArguments_2025, &_call_f_platformPluginArguments_2025); + methods += new qt_gsi::GenericStaticMethod ("version", "@brief Static method QVersionNumber QLibraryInfo::version()\nThis method is static and can be called without an instance.", &_init_f_version_0, &_call_f_version_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQLine.cc b/src/gsiqt/qt5/QtCore/gsiDeclQLine.cc index 8dfb09b877..dbc0cba6ad 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQLine.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQLine.cc @@ -101,6 +101,21 @@ static void _call_ctor_QLine_2744 (const qt_gsi::GenericStaticMethod * /*decl*/, } +// QPoint QLine::center() + + +static void _init_f_center_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_center_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QPoint)((QLine *)cls)->center ()); +} + + // int QLine::dx() @@ -459,6 +474,7 @@ static gsi::Methods methods_QLine () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QLine::QLine()\nThis method creates an object of class QLine.", &_init_ctor_QLine_0, &_call_ctor_QLine_0); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QLine::QLine(const QPoint &pt1, const QPoint &pt2)\nThis method creates an object of class QLine.", &_init_ctor_QLine_3724, &_call_ctor_QLine_3724); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QLine::QLine(int x1, int y1, int x2, int y2)\nThis method creates an object of class QLine.", &_init_ctor_QLine_2744, &_call_ctor_QLine_2744); + methods += new qt_gsi::GenericMethod ("center", "@brief Method QPoint QLine::center()\n", true, &_init_f_center_c0, &_call_f_center_c0); methods += new qt_gsi::GenericMethod ("dx", "@brief Method int QLine::dx()\n", true, &_init_f_dx_c0, &_call_f_dx_c0); methods += new qt_gsi::GenericMethod ("dy", "@brief Method int QLine::dy()\n", true, &_init_f_dy_c0, &_call_f_dy_c0); methods += new qt_gsi::GenericMethod ("isNull?", "@brief Method bool QLine::isNull()\n", true, &_init_f_isNull_c0, &_call_f_isNull_c0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQLineF.cc b/src/gsiqt/qt5/QtCore/gsiDeclQLineF.cc index 6e33aa1ae6..10c53458d8 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQLineF.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQLineF.cc @@ -174,6 +174,21 @@ static void _call_f_angleTo_c1856 (const qt_gsi::GenericMethod * /*decl*/, void } +// QPointF QLineF::center() + + +static void _init_f_center_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_center_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QPointF)((QLineF *)cls)->center ()); +} + + // double QLineF::dx() @@ -699,6 +714,7 @@ static gsi::Methods methods_QLineF () { methods += new qt_gsi::GenericMethod (":angle", "@brief Method double QLineF::angle()\n", true, &_init_f_angle_c0, &_call_f_angle_c0); methods += new qt_gsi::GenericMethod ("angle", "@brief Method double QLineF::angle(const QLineF &l)\n", true, &_init_f_angle_c1856, &_call_f_angle_c1856); methods += new qt_gsi::GenericMethod ("angleTo", "@brief Method double QLineF::angleTo(const QLineF &l)\n", true, &_init_f_angleTo_c1856, &_call_f_angleTo_c1856); + methods += new qt_gsi::GenericMethod ("center", "@brief Method QPointF QLineF::center()\n", true, &_init_f_center_c0, &_call_f_center_c0); methods += new qt_gsi::GenericMethod ("dx", "@brief Method double QLineF::dx()\n", true, &_init_f_dx_c0, &_call_f_dx_c0); methods += new qt_gsi::GenericMethod ("dy", "@brief Method double QLineF::dy()\n", true, &_init_f_dy_c0, &_call_f_dy_c0); methods += new qt_gsi::GenericMethod ("intersect", "@brief Method QLineF::IntersectType QLineF::intersect(const QLineF &l, QPointF *intersectionPoint)\n", true, &_init_f_intersect_c3043, &_call_f_intersect_c3043); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQLocale.cc b/src/gsiqt/qt5/QtCore/gsiDeclQLocale.cc index 4463289907..28d2debb1d 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQLocale.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQLocale.cc @@ -326,6 +326,31 @@ static void _call_f_firstDayOfWeek_c0 (const qt_gsi::GenericMethod * /*decl*/, v } +// QString QLocale::formattedDataSize(qint64 bytes, int precision, QFlags format) + + +static void _init_f_formattedDataSize_4864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("bytes"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("precision", true, "2"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("format", true, "QLocale::DataSizeIecFormat"); + decl->add_arg > (argspec_2); + decl->set_return (); +} + +static void _call_f_formattedDataSize_4864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + int arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (2, heap); + QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QLocale::DataSizeIecFormat, heap); + ret.write ((QString)((QLocale *)cls)->formattedDataSize (arg1, arg2, arg3)); +} + + // QChar QLocale::groupSeparator() @@ -671,6 +696,26 @@ static void _call_f_standaloneMonthName_c2919 (const qt_gsi::GenericMethod * /*d } +// void QLocale::swap(QLocale &other) + + +static void _init_f_swap_1291 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_swap_1291 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QLocale &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QLocale *)cls)->swap (arg1); +} + + // Qt::LayoutDirection QLocale::textDirection() @@ -859,12 +904,37 @@ static void _call_f_toCurrencyString_c2988 (const qt_gsi::GenericMethod * /*decl } -// QString QLocale::toCurrencyString(float, const QString &symbol) +// QString QLocale::toCurrencyString(double, const QString &symbol, int precision) -static void _init_f_toCurrencyString_c2887 (qt_gsi::GenericMethod *decl) +static void _init_f_toCurrencyString_c3647 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("symbol"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("precision"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_f_toCurrencyString_c3647 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + const QString &arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ret.write ((QString)((QLocale *)cls)->toCurrencyString (arg1, arg2, arg3)); +} + + +// QString QLocale::toCurrencyString(float i, const QString &symbol) + + +static void _init_f_toCurrencyString_c2887 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("i"); decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("symbol", true, "QString()"); decl->add_arg (argspec_1); @@ -881,6 +951,31 @@ static void _call_f_toCurrencyString_c2887 (const qt_gsi::GenericMethod * /*decl } +// QString QLocale::toCurrencyString(float i, const QString &symbol, int precision) + + +static void _init_f_toCurrencyString_c3546 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("i"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("symbol"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("precision"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_f_toCurrencyString_c3546 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + float arg1 = gsi::arg_reader() (args, heap); + const QString &arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ret.write ((QString)((QLocale *)cls)->toCurrencyString (arg1, arg2, arg3)); +} + + // QDate QLocale::toDate(const QString &string, QLocale::FormatType) @@ -976,7 +1071,7 @@ static void _init_f_toDouble_c2967 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("s"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -986,7 +1081,7 @@ static void _call_f_toDouble_c2967 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((double)((QLocale *)cls)->toDouble (arg1, arg2)); } @@ -998,7 +1093,7 @@ static void _init_f_toFloat_c2967 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("s"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1008,7 +1103,7 @@ static void _call_f_toFloat_c2967 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((float)((QLocale *)cls)->toFloat (arg1, arg2)); } @@ -1020,7 +1115,7 @@ static void _init_f_toInt_c2967 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("s"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1030,7 +1125,7 @@ static void _call_f_toInt_c2967 (const qt_gsi::GenericMethod * /*decl*/, void *c __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((int)((QLocale *)cls)->toInt (arg1, arg2)); } @@ -1042,7 +1137,7 @@ static void _init_f_toLongLong_c2967 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("s"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1052,7 +1147,7 @@ static void _call_f_toLongLong_c2967 (const qt_gsi::GenericMethod * /*decl*/, vo __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((qlonglong)((QLocale *)cls)->toLongLong (arg1, arg2)); } @@ -1083,7 +1178,7 @@ static void _init_f_toShort_c2967 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("s"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1093,7 +1188,7 @@ static void _call_f_toShort_c2967 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((short int)((QLocale *)cls)->toShort (arg1, arg2)); } @@ -1284,113 +1379,113 @@ static void _call_f_toString_c3693 (const qt_gsi::GenericMethod * /*decl*/, void } -// QString QLocale::toString(const QDate &date, QLocale::FormatType format) +// QString QLocale::toString(const QTime &time, const QString &formatStr) -static void _init_f_toString_c3928 (qt_gsi::GenericMethod *decl) +static void _init_f_toString_c3710 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("date"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "QLocale::LongFormat"); - decl->add_arg::target_type & > (argspec_1); + static gsi::ArgSpecBase argspec_0 ("time"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("formatStr"); + decl->add_arg (argspec_1); decl->set_return (); } -static void _call_f_toString_c3928 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +static void _call_f_toString_c3710 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - const QDate &arg1 = gsi::arg_reader() (args, heap); - const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QLocale::LongFormat), heap); - ret.write ((QString)((QLocale *)cls)->toString (arg1, qt_gsi::QtToCppAdaptor(arg2).cref())); + const QTime &arg1 = gsi::arg_reader() (args, heap); + const QString &arg2 = gsi::arg_reader() (args, heap); + ret.write ((QString)((QLocale *)cls)->toString (arg1, arg2)); } -// QString QLocale::toString(const QTime &time, const QString &formatStr) +// QString QLocale::toString(const QDateTime &dateTime, const QString &format) -static void _init_f_toString_c3710 (qt_gsi::GenericMethod *decl) +static void _init_f_toString_c4092 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("time"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("formatStr"); + static gsi::ArgSpecBase argspec_0 ("dateTime"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("format"); decl->add_arg (argspec_1); decl->set_return (); } -static void _call_f_toString_c3710 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +static void _call_f_toString_c4092 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - const QTime &arg1 = gsi::arg_reader() (args, heap); + const QDateTime &arg1 = gsi::arg_reader() (args, heap); const QString &arg2 = gsi::arg_reader() (args, heap); ret.write ((QString)((QLocale *)cls)->toString (arg1, arg2)); } -// QString QLocale::toString(const QTime &time, QLocale::FormatType format) +// QString QLocale::toString(const QDate &date, QLocale::FormatType format) -static void _init_f_toString_c3945 (qt_gsi::GenericMethod *decl) +static void _init_f_toString_c3928 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("time"); - decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_0 ("date"); + decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("format", true, "QLocale::LongFormat"); decl->add_arg::target_type & > (argspec_1); decl->set_return (); } -static void _call_f_toString_c3945 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +static void _call_f_toString_c3928 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - const QTime &arg1 = gsi::arg_reader() (args, heap); + const QDate &arg1 = gsi::arg_reader() (args, heap); const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QLocale::LongFormat), heap); ret.write ((QString)((QLocale *)cls)->toString (arg1, qt_gsi::QtToCppAdaptor(arg2).cref())); } -// QString QLocale::toString(const QDateTime &dateTime, QLocale::FormatType format) +// QString QLocale::toString(const QTime &time, QLocale::FormatType format) -static void _init_f_toString_c4327 (qt_gsi::GenericMethod *decl) +static void _init_f_toString_c3945 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("dateTime"); - decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_0 ("time"); + decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("format", true, "QLocale::LongFormat"); decl->add_arg::target_type & > (argspec_1); decl->set_return (); } -static void _call_f_toString_c4327 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +static void _call_f_toString_c3945 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - const QDateTime &arg1 = gsi::arg_reader() (args, heap); + const QTime &arg1 = gsi::arg_reader() (args, heap); const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QLocale::LongFormat), heap); ret.write ((QString)((QLocale *)cls)->toString (arg1, qt_gsi::QtToCppAdaptor(arg2).cref())); } -// QString QLocale::toString(const QDateTime &dateTime, const QString &format) +// QString QLocale::toString(const QDateTime &dateTime, QLocale::FormatType format) -static void _init_f_toString_c4092 (qt_gsi::GenericMethod *decl) +static void _init_f_toString_c4327 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("dateTime"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format"); - decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_1 ("format", true, "QLocale::LongFormat"); + decl->add_arg::target_type & > (argspec_1); decl->set_return (); } -static void _call_f_toString_c4092 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +static void _call_f_toString_c4327 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QDateTime &arg1 = gsi::arg_reader() (args, heap); - const QString &arg2 = gsi::arg_reader() (args, heap); - ret.write ((QString)((QLocale *)cls)->toString (arg1, arg2)); + const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QLocale::LongFormat), heap); + ret.write ((QString)((QLocale *)cls)->toString (arg1, qt_gsi::QtToCppAdaptor(arg2).cref())); } @@ -1445,7 +1540,7 @@ static void _init_f_toUInt_c2967 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("s"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1455,7 +1550,7 @@ static void _call_f_toUInt_c2967 (const qt_gsi::GenericMethod * /*decl*/, void * __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((unsigned int)((QLocale *)cls)->toUInt (arg1, arg2)); } @@ -1467,7 +1562,7 @@ static void _init_f_toULongLong_c2967 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("s"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1477,7 +1572,7 @@ static void _call_f_toULongLong_c2967 (const qt_gsi::GenericMethod * /*decl*/, v __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((qulonglong)((QLocale *)cls)->toULongLong (arg1, arg2)); } @@ -1489,7 +1584,7 @@ static void _init_f_toUShort_c2967 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("s"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1499,7 +1594,7 @@ static void _call_f_toUShort_c2967 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((unsigned short int)((QLocale *)cls)->toUShort (arg1, arg2)); } @@ -1741,6 +1836,7 @@ static gsi::Methods methods_QLocale () { methods += new qt_gsi::GenericMethod ("decimalPoint", "@brief Method QChar QLocale::decimalPoint()\n", true, &_init_f_decimalPoint_c0, &_call_f_decimalPoint_c0); methods += new qt_gsi::GenericMethod ("exponential", "@brief Method QChar QLocale::exponential()\n", true, &_init_f_exponential_c0, &_call_f_exponential_c0); methods += new qt_gsi::GenericMethod ("firstDayOfWeek", "@brief Method Qt::DayOfWeek QLocale::firstDayOfWeek()\n", true, &_init_f_firstDayOfWeek_c0, &_call_f_firstDayOfWeek_c0); + methods += new qt_gsi::GenericMethod ("formattedDataSize", "@brief Method QString QLocale::formattedDataSize(qint64 bytes, int precision, QFlags format)\n", false, &_init_f_formattedDataSize_4864, &_call_f_formattedDataSize_4864); methods += new qt_gsi::GenericMethod ("groupSeparator", "@brief Method QChar QLocale::groupSeparator()\n", true, &_init_f_groupSeparator_c0, &_call_f_groupSeparator_c0); methods += new qt_gsi::GenericMethod ("language", "@brief Method QLocale::Language QLocale::language()\n", true, &_init_f_language_c0, &_call_f_language_c0); methods += new qt_gsi::GenericMethod ("measurementSystem", "@brief Method QLocale::MeasurementSystem QLocale::measurementSystem()\n", true, &_init_f_measurementSystem_c0, &_call_f_measurementSystem_c0); @@ -1761,6 +1857,7 @@ static gsi::Methods methods_QLocale () { methods += new qt_gsi::GenericMethod ("setNumberOptions|numberOptions=", "@brief Method void QLocale::setNumberOptions(QFlags options)\n", false, &_init_f_setNumberOptions_3171, &_call_f_setNumberOptions_3171); methods += new qt_gsi::GenericMethod ("standaloneDayName", "@brief Method QString QLocale::standaloneDayName(int, QLocale::FormatType format)\n", true, &_init_f_standaloneDayName_c2919, &_call_f_standaloneDayName_c2919); methods += new qt_gsi::GenericMethod ("standaloneMonthName", "@brief Method QString QLocale::standaloneMonthName(int, QLocale::FormatType format)\n", true, &_init_f_standaloneMonthName_c2919, &_call_f_standaloneMonthName_c2919); + methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QLocale::swap(QLocale &other)\n", false, &_init_f_swap_1291, &_call_f_swap_1291); methods += new qt_gsi::GenericMethod ("textDirection", "@brief Method Qt::LayoutDirection QLocale::textDirection()\n", true, &_init_f_textDirection_c0, &_call_f_textDirection_c0); methods += new qt_gsi::GenericMethod ("timeFormat", "@brief Method QString QLocale::timeFormat(QLocale::FormatType format)\n", true, &_init_f_timeFormat_c2260, &_call_f_timeFormat_c2260); methods += new qt_gsi::GenericMethod ("toCurrencyString", "@brief Method QString QLocale::toCurrencyString(qlonglong, const QString &symbol)\n", true, &_init_f_toCurrencyString_c3330, &_call_f_toCurrencyString_c3330); @@ -1770,7 +1867,9 @@ static gsi::Methods methods_QLocale () { methods += new qt_gsi::GenericMethod ("toCurrencyString", "@brief Method QString QLocale::toCurrencyString(int, const QString &symbol)\n", true, &_init_f_toCurrencyString_c2684, &_call_f_toCurrencyString_c2684); methods += new qt_gsi::GenericMethod ("toCurrencyString", "@brief Method QString QLocale::toCurrencyString(unsigned int, const QString &symbol)\n", true, &_init_f_toCurrencyString_c3689, &_call_f_toCurrencyString_c3689); methods += new qt_gsi::GenericMethod ("toCurrencyString", "@brief Method QString QLocale::toCurrencyString(double, const QString &symbol)\n", true, &_init_f_toCurrencyString_c2988, &_call_f_toCurrencyString_c2988); - methods += new qt_gsi::GenericMethod ("toCurrencyString", "@brief Method QString QLocale::toCurrencyString(float, const QString &symbol)\n", true, &_init_f_toCurrencyString_c2887, &_call_f_toCurrencyString_c2887); + methods += new qt_gsi::GenericMethod ("toCurrencyString", "@brief Method QString QLocale::toCurrencyString(double, const QString &symbol, int precision)\n", true, &_init_f_toCurrencyString_c3647, &_call_f_toCurrencyString_c3647); + methods += new qt_gsi::GenericMethod ("toCurrencyString", "@brief Method QString QLocale::toCurrencyString(float i, const QString &symbol)\n", true, &_init_f_toCurrencyString_c2887, &_call_f_toCurrencyString_c2887); + methods += new qt_gsi::GenericMethod ("toCurrencyString", "@brief Method QString QLocale::toCurrencyString(float i, const QString &symbol, int precision)\n", true, &_init_f_toCurrencyString_c3546, &_call_f_toCurrencyString_c3546); methods += new qt_gsi::GenericMethod ("toDate", "@brief Method QDate QLocale::toDate(const QString &string, QLocale::FormatType)\n", true, &_init_f_toDate_c4177, &_call_f_toDate_c4177); methods += new qt_gsi::GenericMethod ("toDate", "@brief Method QDate QLocale::toDate(const QString &string, const QString &format)\n", true, &_init_f_toDate_c3942, &_call_f_toDate_c3942); methods += new qt_gsi::GenericMethod ("toDateTime", "@brief Method QDateTime QLocale::toDateTime(const QString &string, QLocale::FormatType format)\n", true, &_init_f_toDateTime_c4177, &_call_f_toDateTime_c4177); @@ -1790,11 +1889,11 @@ static gsi::Methods methods_QLocale () { methods += new qt_gsi::GenericMethod ("toString_d", "@brief Method QString QLocale::toString(double i, char f, int prec)\n", true, &_init_f_toString_c2472, &_call_f_toString_c2472); methods += new qt_gsi::GenericMethod ("toString_f", "@brief Method QString QLocale::toString(float i, char f, int prec)\n", true, &_init_f_toString_c2371, &_call_f_toString_c2371); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(const QDate &date, const QString &formatStr)\n", true, &_init_f_toString_c3693, &_call_f_toString_c3693); - methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(const QDate &date, QLocale::FormatType format)\n", true, &_init_f_toString_c3928, &_call_f_toString_c3928); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(const QTime &time, const QString &formatStr)\n", true, &_init_f_toString_c3710, &_call_f_toString_c3710); + methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(const QDateTime &dateTime, const QString &format)\n", true, &_init_f_toString_c4092, &_call_f_toString_c4092); + methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(const QDate &date, QLocale::FormatType format)\n", true, &_init_f_toString_c3928, &_call_f_toString_c3928); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(const QTime &time, QLocale::FormatType format)\n", true, &_init_f_toString_c3945, &_call_f_toString_c3945); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(const QDateTime &dateTime, QLocale::FormatType format)\n", true, &_init_f_toString_c4327, &_call_f_toString_c4327); - methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(const QDateTime &dateTime, const QString &format)\n", true, &_init_f_toString_c4092, &_call_f_toString_c4092); methods += new qt_gsi::GenericMethod ("toTime", "@brief Method QTime QLocale::toTime(const QString &string, QLocale::FormatType)\n", true, &_init_f_toTime_c4177, &_call_f_toTime_c4177); methods += new qt_gsi::GenericMethod ("toTime", "@brief Method QTime QLocale::toTime(const QString &string, const QString &format)\n", true, &_init_f_toTime_c3942, &_call_f_toTime_c3942); methods += new qt_gsi::GenericMethod ("toUInt", "@brief Method unsigned int QLocale::toUInt(const QString &s, bool *ok)\n", true, &_init_f_toUInt_c2967, &_call_f_toUInt_c2967); @@ -2043,14 +2142,14 @@ static gsi::Enum decl_QLocale_Country_Enum ("QtCore", "QLocale gsi::enum_const ("Tanzania", QLocale::Tanzania, "@brief Enum constant QLocale::Tanzania") + gsi::enum_const ("Thailand", QLocale::Thailand, "@brief Enum constant QLocale::Thailand") + gsi::enum_const ("Togo", QLocale::Togo, "@brief Enum constant QLocale::Togo") + - gsi::enum_const ("Tokelau", QLocale::Tokelau, "@brief Enum constant QLocale::Tokelau") + + gsi::enum_const ("TokelauCountry", QLocale::TokelauCountry, "@brief Enum constant QLocale::TokelauCountry") + gsi::enum_const ("Tonga", QLocale::Tonga, "@brief Enum constant QLocale::Tonga") + gsi::enum_const ("TrinidadAndTobago", QLocale::TrinidadAndTobago, "@brief Enum constant QLocale::TrinidadAndTobago") + gsi::enum_const ("Tunisia", QLocale::Tunisia, "@brief Enum constant QLocale::Tunisia") + gsi::enum_const ("Turkey", QLocale::Turkey, "@brief Enum constant QLocale::Turkey") + gsi::enum_const ("Turkmenistan", QLocale::Turkmenistan, "@brief Enum constant QLocale::Turkmenistan") + gsi::enum_const ("TurksAndCaicosIslands", QLocale::TurksAndCaicosIslands, "@brief Enum constant QLocale::TurksAndCaicosIslands") + - gsi::enum_const ("Tuvalu", QLocale::Tuvalu, "@brief Enum constant QLocale::Tuvalu") + + gsi::enum_const ("TuvaluCountry", QLocale::TuvaluCountry, "@brief Enum constant QLocale::TuvaluCountry") + gsi::enum_const ("Uganda", QLocale::Uganda, "@brief Enum constant QLocale::Uganda") + gsi::enum_const ("Ukraine", QLocale::Ukraine, "@brief Enum constant QLocale::Ukraine") + gsi::enum_const ("UnitedArabEmirates", QLocale::UnitedArabEmirates, "@brief Enum constant QLocale::UnitedArabEmirates") + @@ -2076,7 +2175,7 @@ static gsi::Enum decl_QLocale_Country_Enum ("QtCore", "QLocale gsi::enum_const ("Serbia", QLocale::Serbia, "@brief Enum constant QLocale::Serbia") + gsi::enum_const ("SaintBarthelemy", QLocale::SaintBarthelemy, "@brief Enum constant QLocale::SaintBarthelemy") + gsi::enum_const ("SaintMartin", QLocale::SaintMartin, "@brief Enum constant QLocale::SaintMartin") + - gsi::enum_const ("LatinAmericaAndTheCaribbean", QLocale::LatinAmericaAndTheCaribbean, "@brief Enum constant QLocale::LatinAmericaAndTheCaribbean") + + gsi::enum_const ("LatinAmerica", QLocale::LatinAmerica, "@brief Enum constant QLocale::LatinAmerica") + gsi::enum_const ("AscensionIsland", QLocale::AscensionIsland, "@brief Enum constant QLocale::AscensionIsland") + gsi::enum_const ("AlandIslands", QLocale::AlandIslands, "@brief Enum constant QLocale::AlandIslands") + gsi::enum_const ("DiegoGarcia", QLocale::DiegoGarcia, "@brief Enum constant QLocale::DiegoGarcia") + @@ -2088,12 +2187,19 @@ static gsi::Enum decl_QLocale_Country_Enum ("QtCore", "QLocale gsi::enum_const ("Bonaire", QLocale::Bonaire, "@brief Enum constant QLocale::Bonaire") + gsi::enum_const ("SintMaarten", QLocale::SintMaarten, "@brief Enum constant QLocale::SintMaarten") + gsi::enum_const ("Kosovo", QLocale::Kosovo, "@brief Enum constant QLocale::Kosovo") + + gsi::enum_const ("EuropeanUnion", QLocale::EuropeanUnion, "@brief Enum constant QLocale::EuropeanUnion") + + gsi::enum_const ("OutlyingOceania", QLocale::OutlyingOceania, "@brief Enum constant QLocale::OutlyingOceania") + + gsi::enum_const ("World", QLocale::World, "@brief Enum constant QLocale::World") + + gsi::enum_const ("Europe", QLocale::Europe, "@brief Enum constant QLocale::Europe") + gsi::enum_const ("DemocraticRepublicOfCongo", QLocale::DemocraticRepublicOfCongo, "@brief Enum constant QLocale::DemocraticRepublicOfCongo") + - gsi::enum_const ("PeoplesRepublicOfCongo", QLocale::PeoplesRepublicOfCongo, "@brief Enum constant QLocale::PeoplesRepublicOfCongo") + gsi::enum_const ("DemocraticRepublicOfKorea", QLocale::DemocraticRepublicOfKorea, "@brief Enum constant QLocale::DemocraticRepublicOfKorea") + + gsi::enum_const ("LatinAmericaAndTheCaribbean", QLocale::LatinAmericaAndTheCaribbean, "@brief Enum constant QLocale::LatinAmericaAndTheCaribbean") + + gsi::enum_const ("PeoplesRepublicOfCongo", QLocale::PeoplesRepublicOfCongo, "@brief Enum constant QLocale::PeoplesRepublicOfCongo") + gsi::enum_const ("RepublicOfKorea", QLocale::RepublicOfKorea, "@brief Enum constant QLocale::RepublicOfKorea") + gsi::enum_const ("RussianFederation", QLocale::RussianFederation, "@brief Enum constant QLocale::RussianFederation") + gsi::enum_const ("SyrianArabRepublic", QLocale::SyrianArabRepublic, "@brief Enum constant QLocale::SyrianArabRepublic") + + gsi::enum_const ("Tokelau", QLocale::Tokelau, "@brief Enum constant QLocale::Tokelau") + + gsi::enum_const ("Tuvalu", QLocale::Tuvalu, "@brief Enum constant QLocale::Tuvalu") + gsi::enum_const ("LastCountry", QLocale::LastCountry, "@brief Enum constant QLocale::LastCountry"), "@qt\n@brief This class represents the QLocale::Country enum"); @@ -2129,6 +2235,29 @@ static gsi::ClassExt decl_QLocale_CurrencySymbolFormat_Enums_as_child ( } +// Implementation of the enum wrapper class for QLocale::DataSizeFormat +namespace qt_gsi +{ + +static gsi::Enum decl_QLocale_DataSizeFormat_Enum ("QtCore", "QLocale_DataSizeFormat", + gsi::enum_const ("DataSizeBase1000", QLocale::DataSizeBase1000, "@brief Enum constant QLocale::DataSizeBase1000") + + gsi::enum_const ("DataSizeSIQuantifiers", QLocale::DataSizeSIQuantifiers, "@brief Enum constant QLocale::DataSizeSIQuantifiers") + + gsi::enum_const ("DataSizeIecFormat", QLocale::DataSizeIecFormat, "@brief Enum constant QLocale::DataSizeIecFormat") + + gsi::enum_const ("DataSizeTraditionalFormat", QLocale::DataSizeTraditionalFormat, "@brief Enum constant QLocale::DataSizeTraditionalFormat") + + gsi::enum_const ("DataSizeSIFormat", QLocale::DataSizeSIFormat, "@brief Enum constant QLocale::DataSizeSIFormat"), + "@qt\n@brief This class represents the QLocale::DataSizeFormat enum"); + +static gsi::QFlagsClass decl_QLocale_DataSizeFormat_Enums ("QtCore", "QLocale_QFlags_DataSizeFormat", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_QLocale_DataSizeFormat_Enum_in_parent (decl_QLocale_DataSizeFormat_Enum.defs ()); +static gsi::ClassExt decl_QLocale_DataSizeFormat_Enum_as_child (decl_QLocale_DataSizeFormat_Enum, "DataSizeFormat"); +static gsi::ClassExt decl_QLocale_DataSizeFormat_Enums_as_child (decl_QLocale_DataSizeFormat_Enums, "QFlags_DataSizeFormat"); + +} + + // Implementation of the enum wrapper class for QLocale::FormatType namespace qt_gsi { @@ -2495,19 +2624,39 @@ static gsi::Enum decl_QLocale_Language_Enum ("QtCore", "QLoca gsi::enum_const ("Mono", QLocale::Mono, "@brief Enum constant QLocale::Mono") + gsi::enum_const ("TedimChin", QLocale::TedimChin, "@brief Enum constant QLocale::TedimChin") + gsi::enum_const ("Maithili", QLocale::Maithili, "@brief Enum constant QLocale::Maithili") + - gsi::enum_const ("Norwegian", QLocale::Norwegian, "@brief Enum constant QLocale::Norwegian") + - gsi::enum_const ("Moldavian", QLocale::Moldavian, "@brief Enum constant QLocale::Moldavian") + - gsi::enum_const ("SerboCroatian", QLocale::SerboCroatian, "@brief Enum constant QLocale::SerboCroatian") + - gsi::enum_const ("Tagalog", QLocale::Tagalog, "@brief Enum constant QLocale::Tagalog") + - gsi::enum_const ("Twi", QLocale::Twi, "@brief Enum constant QLocale::Twi") + + gsi::enum_const ("Ahom", QLocale::Ahom, "@brief Enum constant QLocale::Ahom") + + gsi::enum_const ("AmericanSignLanguage", QLocale::AmericanSignLanguage, "@brief Enum constant QLocale::AmericanSignLanguage") + + gsi::enum_const ("ArdhamagadhiPrakrit", QLocale::ArdhamagadhiPrakrit, "@brief Enum constant QLocale::ArdhamagadhiPrakrit") + + gsi::enum_const ("Bhojpuri", QLocale::Bhojpuri, "@brief Enum constant QLocale::Bhojpuri") + + gsi::enum_const ("HieroglyphicLuwian", QLocale::HieroglyphicLuwian, "@brief Enum constant QLocale::HieroglyphicLuwian") + + gsi::enum_const ("LiteraryChinese", QLocale::LiteraryChinese, "@brief Enum constant QLocale::LiteraryChinese") + + gsi::enum_const ("Mazanderani", QLocale::Mazanderani, "@brief Enum constant QLocale::Mazanderani") + + gsi::enum_const ("Mru", QLocale::Mru, "@brief Enum constant QLocale::Mru") + + gsi::enum_const ("Newari", QLocale::Newari, "@brief Enum constant QLocale::Newari") + + gsi::enum_const ("NorthernLuri", QLocale::NorthernLuri, "@brief Enum constant QLocale::NorthernLuri") + + gsi::enum_const ("Palauan", QLocale::Palauan, "@brief Enum constant QLocale::Palauan") + + gsi::enum_const ("Papiamento", QLocale::Papiamento, "@brief Enum constant QLocale::Papiamento") + + gsi::enum_const ("Saraiki", QLocale::Saraiki, "@brief Enum constant QLocale::Saraiki") + + gsi::enum_const ("TokelauLanguage", QLocale::TokelauLanguage, "@brief Enum constant QLocale::TokelauLanguage") + + gsi::enum_const ("TokPisin", QLocale::TokPisin, "@brief Enum constant QLocale::TokPisin") + + gsi::enum_const ("TuvaluLanguage", QLocale::TuvaluLanguage, "@brief Enum constant QLocale::TuvaluLanguage") + + gsi::enum_const ("UncodedLanguages", QLocale::UncodedLanguages, "@brief Enum constant QLocale::UncodedLanguages") + + gsi::enum_const ("Cantonese", QLocale::Cantonese, "@brief Enum constant QLocale::Cantonese") + + gsi::enum_const ("Osage", QLocale::Osage, "@brief Enum constant QLocale::Osage") + + gsi::enum_const ("Tangut", QLocale::Tangut, "@brief Enum constant QLocale::Tangut") + gsi::enum_const ("Afan", QLocale::Afan, "@brief Enum constant QLocale::Afan") + - gsi::enum_const ("Byelorussian", QLocale::Byelorussian, "@brief Enum constant QLocale::Byelorussian") + gsi::enum_const ("Bhutani", QLocale::Bhutani, "@brief Enum constant QLocale::Bhutani") + + gsi::enum_const ("Byelorussian", QLocale::Byelorussian, "@brief Enum constant QLocale::Byelorussian") + gsi::enum_const ("Cambodian", QLocale::Cambodian, "@brief Enum constant QLocale::Cambodian") + - gsi::enum_const ("Kurundi", QLocale::Kurundi, "@brief Enum constant QLocale::Kurundi") + - gsi::enum_const ("RhaetoRomance", QLocale::RhaetoRomance, "@brief Enum constant QLocale::RhaetoRomance") + gsi::enum_const ("Chewa", QLocale::Chewa, "@brief Enum constant QLocale::Chewa") + gsi::enum_const ("Frisian", QLocale::Frisian, "@brief Enum constant QLocale::Frisian") + + gsi::enum_const ("Kurundi", QLocale::Kurundi, "@brief Enum constant QLocale::Kurundi") + + gsi::enum_const ("Moldavian", QLocale::Moldavian, "@brief Enum constant QLocale::Moldavian") + + gsi::enum_const ("Norwegian", QLocale::Norwegian, "@brief Enum constant QLocale::Norwegian") + + gsi::enum_const ("RhaetoRomance", QLocale::RhaetoRomance, "@brief Enum constant QLocale::RhaetoRomance") + + gsi::enum_const ("SerboCroatian", QLocale::SerboCroatian, "@brief Enum constant QLocale::SerboCroatian") + + gsi::enum_const ("Tagalog", QLocale::Tagalog, "@brief Enum constant QLocale::Tagalog") + + gsi::enum_const ("Twi", QLocale::Twi, "@brief Enum constant QLocale::Twi") + gsi::enum_const ("Uigur", QLocale::Uigur, "@brief Enum constant QLocale::Uigur") + gsi::enum_const ("LastLanguage", QLocale::LastLanguage, "@brief Enum constant QLocale::LastLanguage"), "@qt\n@brief This class represents the QLocale::Language enum"); @@ -2550,8 +2699,13 @@ namespace qt_gsi { static gsi::Enum decl_QLocale_NumberOption_Enum ("QtCore", "QLocale_NumberOption", + gsi::enum_const ("DefaultNumberOptions", QLocale::DefaultNumberOptions, "@brief Enum constant QLocale::DefaultNumberOptions") + gsi::enum_const ("OmitGroupSeparator", QLocale::OmitGroupSeparator, "@brief Enum constant QLocale::OmitGroupSeparator") + - gsi::enum_const ("RejectGroupSeparator", QLocale::RejectGroupSeparator, "@brief Enum constant QLocale::RejectGroupSeparator"), + gsi::enum_const ("RejectGroupSeparator", QLocale::RejectGroupSeparator, "@brief Enum constant QLocale::RejectGroupSeparator") + + gsi::enum_const ("OmitLeadingZeroInExponent", QLocale::OmitLeadingZeroInExponent, "@brief Enum constant QLocale::OmitLeadingZeroInExponent") + + gsi::enum_const ("RejectLeadingZeroInExponent", QLocale::RejectLeadingZeroInExponent, "@brief Enum constant QLocale::RejectLeadingZeroInExponent") + + gsi::enum_const ("IncludeTrailingZeroesAfterDot", QLocale::IncludeTrailingZeroesAfterDot, "@brief Enum constant QLocale::IncludeTrailingZeroesAfterDot") + + gsi::enum_const ("RejectTrailingZeroesAfterDot", QLocale::RejectTrailingZeroesAfterDot, "@brief Enum constant QLocale::RejectTrailingZeroesAfterDot"), "@qt\n@brief This class represents the QLocale::NumberOption enum"); static gsi::QFlagsClass decl_QLocale_NumberOption_Enums ("QtCore", "QLocale_QFlags_NumberOption", @@ -2718,6 +2872,20 @@ static gsi::Enum decl_QLocale_Script_Enum ("QtCore", "QLocale_S gsi::enum_const ("KhudawadiScript", QLocale::KhudawadiScript, "@brief Enum constant QLocale::KhudawadiScript") + gsi::enum_const ("TirhutaScript", QLocale::TirhutaScript, "@brief Enum constant QLocale::TirhutaScript") + gsi::enum_const ("VarangKshitiScript", QLocale::VarangKshitiScript, "@brief Enum constant QLocale::VarangKshitiScript") + + gsi::enum_const ("AhomScript", QLocale::AhomScript, "@brief Enum constant QLocale::AhomScript") + + gsi::enum_const ("AnatolianHieroglyphsScript", QLocale::AnatolianHieroglyphsScript, "@brief Enum constant QLocale::AnatolianHieroglyphsScript") + + gsi::enum_const ("HatranScript", QLocale::HatranScript, "@brief Enum constant QLocale::HatranScript") + + gsi::enum_const ("MultaniScript", QLocale::MultaniScript, "@brief Enum constant QLocale::MultaniScript") + + gsi::enum_const ("OldHungarianScript", QLocale::OldHungarianScript, "@brief Enum constant QLocale::OldHungarianScript") + + gsi::enum_const ("SignWritingScript", QLocale::SignWritingScript, "@brief Enum constant QLocale::SignWritingScript") + + gsi::enum_const ("AdlamScript", QLocale::AdlamScript, "@brief Enum constant QLocale::AdlamScript") + + gsi::enum_const ("BhaiksukiScript", QLocale::BhaiksukiScript, "@brief Enum constant QLocale::BhaiksukiScript") + + gsi::enum_const ("MarchenScript", QLocale::MarchenScript, "@brief Enum constant QLocale::MarchenScript") + + gsi::enum_const ("NewaScript", QLocale::NewaScript, "@brief Enum constant QLocale::NewaScript") + + gsi::enum_const ("OsageScript", QLocale::OsageScript, "@brief Enum constant QLocale::OsageScript") + + gsi::enum_const ("TangutScript", QLocale::TangutScript, "@brief Enum constant QLocale::TangutScript") + + gsi::enum_const ("HanWithBopomofoScript", QLocale::HanWithBopomofoScript, "@brief Enum constant QLocale::HanWithBopomofoScript") + + gsi::enum_const ("JamoScript", QLocale::JamoScript, "@brief Enum constant QLocale::JamoScript") + gsi::enum_const ("SimplifiedChineseScript", QLocale::SimplifiedChineseScript, "@brief Enum constant QLocale::SimplifiedChineseScript") + gsi::enum_const ("TraditionalChineseScript", QLocale::TraditionalChineseScript, "@brief Enum constant QLocale::TraditionalChineseScript") + gsi::enum_const ("LastScript", QLocale::LastScript, "@brief Enum constant QLocale::LastScript"), diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMetaEnum.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMetaEnum.cc index 30066f6aeb..ecf5e8e367 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMetaEnum.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMetaEnum.cc @@ -66,6 +66,21 @@ static void _call_f_enclosingMetaObject_c0 (const qt_gsi::GenericMethod * /*decl } +// const char *QMetaEnum::enumName() + + +static void _init_f_enumName_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_enumName_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((const char *)((QMetaEnum *)cls)->enumName ()); +} + + // bool QMetaEnum::isFlag() @@ -81,6 +96,21 @@ static void _call_f_isFlag_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// bool QMetaEnum::isScoped() + + +static void _init_f_isScoped_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isScoped_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QMetaEnum *)cls)->isScoped ()); +} + + // bool QMetaEnum::isValid() @@ -137,7 +167,7 @@ static void _init_f_keyToValue_c2673 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("key"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -147,7 +177,7 @@ static void _call_f_keyToValue_c2673 (const qt_gsi::GenericMethod * /*decl*/, vo __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const char *arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((int)((QMetaEnum *)cls)->keyToValue (arg1, arg2)); } @@ -159,7 +189,7 @@ static void _init_f_keysToValue_c2673 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("keys"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -169,7 +199,7 @@ static void _call_f_keysToValue_c2673 (const qt_gsi::GenericMethod * /*decl*/, v __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const char *arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((int)((QMetaEnum *)cls)->keysToValue (arg1, arg2)); } @@ -269,7 +299,9 @@ static gsi::Methods methods_QMetaEnum () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMetaEnum::QMetaEnum()\nThis method creates an object of class QMetaEnum.", &_init_ctor_QMetaEnum_0, &_call_ctor_QMetaEnum_0); methods += new qt_gsi::GenericMethod ("enclosingMetaObject", "@brief Method const QMetaObject *QMetaEnum::enclosingMetaObject()\n", true, &_init_f_enclosingMetaObject_c0, &_call_f_enclosingMetaObject_c0); + methods += new qt_gsi::GenericMethod ("enumName", "@brief Method const char *QMetaEnum::enumName()\n", true, &_init_f_enumName_c0, &_call_f_enumName_c0); methods += new qt_gsi::GenericMethod ("isFlag?", "@brief Method bool QMetaEnum::isFlag()\n", true, &_init_f_isFlag_c0, &_call_f_isFlag_c0); + methods += new qt_gsi::GenericMethod ("isScoped?", "@brief Method bool QMetaEnum::isScoped()\n", true, &_init_f_isScoped_c0, &_call_f_isScoped_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QMetaEnum::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod ("key", "@brief Method const char *QMetaEnum::key(int index)\n", true, &_init_f_key_c767, &_call_f_key_c767); methods += new qt_gsi::GenericMethod ("keyCount", "@brief Method int QMetaEnum::keyCount()\n", true, &_init_f_keyCount_c0, &_call_f_keyCount_c0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMetaObject.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMetaObject.cc index 91de957283..b4adb75387 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMetaObject.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMetaObject.cc @@ -335,6 +335,25 @@ static void _call_f_indexOfSlot_c1731 (const qt_gsi::GenericMethod * /*decl*/, v } +// bool QMetaObject::inherits(const QMetaObject *metaObject) + + +static void _init_f_inherits_c2388 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("metaObject"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_inherits_c2388 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QMetaObject *arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QMetaObject *)cls)->inherits (arg1)); +} + + // QMetaMethod QMetaObject::method(int index) @@ -547,7 +566,7 @@ static void _init_f_connect_6708 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_3); static gsi::ArgSpecBase argspec_4 ("type", true, "0"); decl->add_arg (argspec_4); - static gsi::ArgSpecBase argspec_5 ("types", true, "0"); + static gsi::ArgSpecBase argspec_5 ("types", true, "nullptr"); decl->add_arg (argspec_5); decl->set_return (); } @@ -561,7 +580,7 @@ static void _call_f_connect_6708 (const qt_gsi::GenericStaticMethod * /*decl*/, const QObject *arg3 = gsi::arg_reader() (args, heap); int arg4 = gsi::arg_reader() (args, heap); int arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - int *arg6 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + int *arg6 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QMetaObject::Connection)QMetaObject::connect (arg1, arg2, arg3, arg4, arg5, arg6)); } @@ -703,6 +722,7 @@ static gsi::Methods methods_QMetaObject () { methods += new qt_gsi::GenericMethod ("indexOfProperty", "@brief Method int QMetaObject::indexOfProperty(const char *name)\n", true, &_init_f_indexOfProperty_c1731, &_call_f_indexOfProperty_c1731); methods += new qt_gsi::GenericMethod ("indexOfSignal", "@brief Method int QMetaObject::indexOfSignal(const char *signal)\n", true, &_init_f_indexOfSignal_c1731, &_call_f_indexOfSignal_c1731); methods += new qt_gsi::GenericMethod ("indexOfSlot", "@brief Method int QMetaObject::indexOfSlot(const char *slot)\n", true, &_init_f_indexOfSlot_c1731, &_call_f_indexOfSlot_c1731); + methods += new qt_gsi::GenericMethod ("inherits", "@brief Method bool QMetaObject::inherits(const QMetaObject *metaObject)\n", true, &_init_f_inherits_c2388, &_call_f_inherits_c2388); methods += new qt_gsi::GenericMethod ("method", "@brief Method QMetaMethod QMetaObject::method(int index)\n", true, &_init_f_method_c767, &_call_f_method_c767); methods += new qt_gsi::GenericMethod ("methodCount", "@brief Method int QMetaObject::methodCount()\n", true, &_init_f_methodCount_c0, &_call_f_methodCount_c0); methods += new qt_gsi::GenericMethod ("methodOffset", "@brief Method int QMetaObject::methodOffset()\n", true, &_init_f_methodOffset_c0, &_call_f_methodOffset_c0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMetaProperty.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMetaProperty.cc index 32717fabfc..f0f5a03889 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMetaProperty.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMetaProperty.cc @@ -134,7 +134,7 @@ static void _call_f_isConstant_c0 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_f_isDesignable_c1997 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("obj", true, "0"); + static gsi::ArgSpecBase argspec_0 ("obj", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -143,7 +143,7 @@ static void _call_f_isDesignable_c1997 (const qt_gsi::GenericMethod * /*decl*/, { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - const QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QMetaProperty *)cls)->isDesignable (arg1)); } @@ -153,7 +153,7 @@ static void _call_f_isDesignable_c1997 (const qt_gsi::GenericMethod * /*decl*/, static void _init_f_isEditable_c1997 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("obj", true, "0"); + static gsi::ArgSpecBase argspec_0 ("obj", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -162,7 +162,7 @@ static void _call_f_isEditable_c1997 (const qt_gsi::GenericMethod * /*decl*/, vo { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - const QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QMetaProperty *)cls)->isEditable (arg1)); } @@ -247,7 +247,7 @@ static void _call_f_isResettable_c0 (const qt_gsi::GenericMethod * /*decl*/, voi static void _init_f_isScriptable_c1997 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("obj", true, "0"); + static gsi::ArgSpecBase argspec_0 ("obj", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -256,7 +256,7 @@ static void _call_f_isScriptable_c1997 (const qt_gsi::GenericMethod * /*decl*/, { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - const QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QMetaProperty *)cls)->isScriptable (arg1)); } @@ -266,7 +266,7 @@ static void _call_f_isScriptable_c1997 (const qt_gsi::GenericMethod * /*decl*/, static void _init_f_isStored_c1997 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("obj", true, "0"); + static gsi::ArgSpecBase argspec_0 ("obj", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -275,7 +275,7 @@ static void _call_f_isStored_c1997 (const qt_gsi::GenericMethod * /*decl*/, void { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - const QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QMetaProperty *)cls)->isStored (arg1)); } @@ -285,7 +285,7 @@ static void _call_f_isStored_c1997 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_f_isUser_c1997 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("obj", true, "0"); + static gsi::ArgSpecBase argspec_0 ("obj", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -294,7 +294,7 @@ static void _call_f_isUser_c1997 (const qt_gsi::GenericMethod * /*decl*/, void * { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - const QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QMetaProperty *)cls)->isUser (arg1)); } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMetaType.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMetaType.cc index 6e5478bf2c..eb1a9766a7 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMetaType.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMetaType.cc @@ -63,7 +63,7 @@ static void _init_f_construct_c2699 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("where"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("copy", true, "0"); + static gsi::ArgSpecBase argspec_1 ("copy", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -73,7 +73,7 @@ static void _call_f_construct_c2699 (const qt_gsi::GenericMethod * /*decl*/, voi __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; void *arg1 = gsi::arg_reader() (args, heap); - const void *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const void *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((void *)((QMetaType *)cls)->construct (arg1, arg2)); } @@ -83,7 +83,7 @@ static void _call_f_construct_c2699 (const qt_gsi::GenericMethod * /*decl*/, voi static void _init_f_create_c1751 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("copy", true, "0"); + static gsi::ArgSpecBase argspec_0 ("copy", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -92,7 +92,7 @@ static void _call_f_create_c1751 (const qt_gsi::GenericMethod * /*decl*/, void * { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - const void *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const void *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((void *)((QMetaType *)cls)->create (arg1)); } @@ -285,7 +285,7 @@ static void _init_f_create_2410 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("type"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("copy", true, "0"); + static gsi::ArgSpecBase argspec_1 ("copy", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -295,7 +295,7 @@ static void _call_f_create_2410 (const qt_gsi::GenericStaticMethod * /*decl*/, g __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); - const void *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const void *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((void *)QMetaType::create (arg1, arg2)); } @@ -650,8 +650,8 @@ static gsi::Methods methods_QMetaType () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMetaType::QMetaType(const int type)\nThis method creates an object of class QMetaType.", &_init_ctor_QMetaType_1462, &_call_ctor_QMetaType_1462); methods += new qt_gsi::GenericMethod ("construct", "@brief Method void *QMetaType::construct(void *where, const void *copy)\n", true, &_init_f_construct_c2699, &_call_f_construct_c2699); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Method void *QMetaType::create(const void *copy)\n", true, &_init_f_create_c1751, &_call_f_create_c1751); - methods += new qt_gsi::GenericMethod ("qt_destroy", "@brief Method void QMetaType::destroy(void *data)\n", true, &_init_f_destroy_c1056, &_call_f_destroy_c1056); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method void *QMetaType::create(const void *copy)\n", true, &_init_f_create_c1751, &_call_f_create_c1751); + methods += new qt_gsi::GenericMethod ("destroy|qt_destroy", "@brief Method void QMetaType::destroy(void *data)\n", true, &_init_f_destroy_c1056, &_call_f_destroy_c1056); methods += new qt_gsi::GenericMethod ("destruct", "@brief Method void QMetaType::destruct(void *data)\n", true, &_init_f_destruct_c1056, &_call_f_destruct_c1056); methods += new qt_gsi::GenericMethod ("flags", "@brief Method QFlags QMetaType::flags()\n", true, &_init_f_flags_c0, &_call_f_flags_c0); methods += new qt_gsi::GenericMethod ("isRegistered?", "@brief Method bool QMetaType::isRegistered()\n", true, &_init_f_isRegistered_c0, &_call_f_isRegistered_c0); @@ -660,9 +660,9 @@ static gsi::Methods methods_QMetaType () { methods += new qt_gsi::GenericStaticMethod ("compare", "@brief Static method bool QMetaType::compare(const void *lhs, const void *rhs, int typeId, int *result)\nThis method is static and can be called without an instance.", &_init_f_compare_4898, &_call_f_compare_4898); methods += new qt_gsi::GenericStaticMethod ("construct", "@brief Static method void *QMetaType::construct(int type, void *where, const void *copy)\nThis method is static and can be called without an instance.", &_init_f_construct_3358, &_call_f_construct_3358); methods += new qt_gsi::GenericStaticMethod ("convert", "@brief Static method bool QMetaType::convert(const void *from, int fromTypeId, void *to, int toTypeId)\nThis method is static and can be called without an instance.", &_init_f_convert_4017, &_call_f_convert_4017); - methods += new qt_gsi::GenericStaticMethod ("qt_create", "@brief Static method void *QMetaType::create(int type, const void *copy)\nThis method is static and can be called without an instance.", &_init_f_create_2410, &_call_f_create_2410); + methods += new qt_gsi::GenericStaticMethod ("create|qt_create", "@brief Static method void *QMetaType::create(int type, const void *copy)\nThis method is static and can be called without an instance.", &_init_f_create_2410, &_call_f_create_2410); methods += new qt_gsi::GenericStaticMethod ("debugStream", "@brief Static method bool QMetaType::debugStream(QDebug &dbg, const void *rhs, int typeId)\nThis method is static and can be called without an instance.", &_init_f_debugStream_3488, &_call_f_debugStream_3488); - methods += new qt_gsi::GenericStaticMethod ("qt_destroy", "@brief Static method void QMetaType::destroy(int type, void *data)\nThis method is static and can be called without an instance.", &_init_f_destroy_1715, &_call_f_destroy_1715); + methods += new qt_gsi::GenericStaticMethod ("destroy|qt_destroy", "@brief Static method void QMetaType::destroy(int type, void *data)\nThis method is static and can be called without an instance.", &_init_f_destroy_1715, &_call_f_destroy_1715); methods += new qt_gsi::GenericStaticMethod ("destruct", "@brief Static method void QMetaType::destruct(int type, void *where)\nThis method is static and can be called without an instance.", &_init_f_destruct_1715, &_call_f_destruct_1715); methods += new qt_gsi::GenericStaticMethod ("equals", "@brief Static method bool QMetaType::equals(const void *lhs, const void *rhs, int typeId, int *result)\nThis method is static and can be called without an instance.", &_init_f_equals_4898, &_call_f_equals_4898); methods += new qt_gsi::GenericStaticMethod ("hasRegisteredComparators", "@brief Static method bool QMetaType::hasRegisteredComparators(int typeId)\nThis method is static and can be called without an instance.", &_init_f_hasRegisteredComparators_767, &_call_f_hasRegisteredComparators_767); @@ -704,7 +704,8 @@ static gsi::Enum decl_QMetaType_TypeFlag_Enum ("QtCore", "Q gsi::enum_const ("WeakPointerToQObject", QMetaType::WeakPointerToQObject, "@brief Enum constant QMetaType::WeakPointerToQObject") + gsi::enum_const ("TrackingPointerToQObject", QMetaType::TrackingPointerToQObject, "@brief Enum constant QMetaType::TrackingPointerToQObject") + gsi::enum_const ("WasDeclaredAsMetaType", QMetaType::WasDeclaredAsMetaType, "@brief Enum constant QMetaType::WasDeclaredAsMetaType") + - gsi::enum_const ("IsGadget", QMetaType::IsGadget, "@brief Enum constant QMetaType::IsGadget"), + gsi::enum_const ("IsGadget", QMetaType::IsGadget, "@brief Enum constant QMetaType::IsGadget") + + gsi::enum_const ("PointerToGadget", QMetaType::PointerToGadget, "@brief Enum constant QMetaType::PointerToGadget"), "@qt\n@brief This class represents the QMetaType::TypeFlag enum"); static gsi::QFlagsClass decl_QMetaType_TypeFlag_Enums ("QtCore", "QMetaType_QFlags_TypeFlag", diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMimeData.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMimeData.cc index 663a288f57..8ce3952e61 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMimeData.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMimeData.cc @@ -550,33 +550,33 @@ class QMimeData_Adaptor : public QMimeData, public qt_gsi::QtObjectBase emit QMimeData::destroyed(arg1); } - // [adaptor impl] bool QMimeData::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QMimeData::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QMimeData::event(arg1); + return QMimeData::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QMimeData_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QMimeData_Adaptor::cbs_event_1217_0, _event); } else { - return QMimeData::event(arg1); + return QMimeData::event(_event); } } - // [adaptor impl] bool QMimeData::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMimeData::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMimeData::eventFilter(arg1, arg2); + return QMimeData::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMimeData_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMimeData_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMimeData::eventFilter(arg1, arg2); + return QMimeData::eventFilter(watched, event); } } @@ -617,33 +617,33 @@ class QMimeData_Adaptor : public QMimeData, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QMimeData::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QMimeData::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMimeData::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMimeData::childEvent(arg1); + QMimeData::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMimeData_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMimeData_Adaptor::cbs_childEvent_1701_0, event); } else { - QMimeData::childEvent(arg1); + QMimeData::childEvent(event); } } - // [adaptor impl] void QMimeData::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMimeData::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMimeData::customEvent(arg1); + QMimeData::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMimeData_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMimeData_Adaptor::cbs_customEvent_1217_0, event); } else { - QMimeData::customEvent(arg1); + QMimeData::customEvent(event); } } @@ -677,18 +677,18 @@ class QMimeData_Adaptor : public QMimeData, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMimeData::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMimeData::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMimeData::timerEvent(arg1); + QMimeData::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMimeData_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMimeData_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMimeData::timerEvent(arg1); + QMimeData::timerEvent(event); } } @@ -719,11 +719,11 @@ static void _call_ctor_QMimeData_Adaptor_0 (const qt_gsi::GenericStaticMethod * } -// void QMimeData::childEvent(QChildEvent *) +// void QMimeData::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -743,11 +743,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QMimeData::customEvent(QEvent *) +// void QMimeData::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -771,7 +771,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -780,7 +780,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QMimeData_Adaptor *)cls)->emitter_QMimeData_destroyed_1302 (arg1); } @@ -809,11 +809,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QMimeData::event(QEvent *) +// bool QMimeData::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -832,13 +832,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMimeData::eventFilter(QObject *, QEvent *) +// bool QMimeData::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1008,11 +1008,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QMimeData::timerEvent(QTimerEvent *) +// void QMimeData::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1040,16 +1040,16 @@ gsi::Class &qtdecl_QMimeData (); static gsi::Methods methods_QMimeData_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMimeData::QMimeData()\nThis method creates an object of class QMimeData.", &_init_ctor_QMimeData_Adaptor_0, &_call_ctor_QMimeData_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMimeData::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMimeData::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMimeData::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMimeData::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMimeData::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMimeData::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMimeData::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMimeData::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMimeData::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMimeData::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("formats", "@brief Virtual method QStringList QMimeData::formats()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_formats_c0_0, &_call_cbs_formats_c0_0); methods += new qt_gsi::GenericMethod ("formats", "@hide", true, &_init_cbs_formats_c0_0, &_call_cbs_formats_c0_0, &_set_callback_cbs_formats_c0_0); @@ -1062,7 +1062,7 @@ static gsi::Methods methods_QMimeData_Adaptor () { methods += new qt_gsi::GenericMethod ("*retrieveData", "@hide", true, &_init_cbs_retrieveData_c3693_0, &_call_cbs_retrieveData_c3693_0, &_set_callback_cbs_retrieveData_c3693_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMimeData::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMimeData::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMimeData::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMimeData::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQModelIndex.cc b/src/gsiqt/qt5/QtCore/gsiDeclQModelIndex.cc index 79a227c92b..225eb4774c 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQModelIndex.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQModelIndex.cc @@ -291,6 +291,44 @@ static void _call_f_sibling_c1426 (const qt_gsi::GenericMethod * /*decl*/, void } +// QModelIndex QModelIndex::siblingAtColumn(int column) + + +static void _init_f_siblingAtColumn_c767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("column"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_siblingAtColumn_c767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ret.write ((QModelIndex)((QModelIndex *)cls)->siblingAtColumn (arg1)); +} + + +// QModelIndex QModelIndex::siblingAtRow(int row) + + +static void _init_f_siblingAtRow_c767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("row"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_siblingAtRow_c767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ret.write ((QModelIndex)((QModelIndex *)cls)->siblingAtRow (arg1)); +} + + namespace gsi { @@ -312,6 +350,8 @@ static gsi::Methods methods_QModelIndex () { methods += new qt_gsi::GenericMethod ("parent", "@brief Method QModelIndex QModelIndex::parent()\n", true, &_init_f_parent_c0, &_call_f_parent_c0); methods += new qt_gsi::GenericMethod ("row", "@brief Method int QModelIndex::row()\n", true, &_init_f_row_c0, &_call_f_row_c0); methods += new qt_gsi::GenericMethod ("sibling", "@brief Method QModelIndex QModelIndex::sibling(int row, int column)\n", true, &_init_f_sibling_c1426, &_call_f_sibling_c1426); + methods += new qt_gsi::GenericMethod ("siblingAtColumn", "@brief Method QModelIndex QModelIndex::siblingAtColumn(int column)\n", true, &_init_f_siblingAtColumn_c767, &_call_f_siblingAtColumn_c767); + methods += new qt_gsi::GenericMethod ("siblingAtRow", "@brief Method QModelIndex QModelIndex::siblingAtRow(int row)\n", true, &_init_f_siblingAtRow_c767, &_call_f_siblingAtRow_c767); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMutex.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMutex.cc index 957c5ddb47..e1b9558f77 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMutex.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMutex.cc @@ -57,12 +57,12 @@ static void _call_ctor_QMutex_2507 (const qt_gsi::GenericStaticMethod * /*decl*/ // bool QMutex::isRecursive() -static void _init_f_isRecursive_0 (qt_gsi::GenericMethod *decl) +static void _init_f_isRecursive_c0 (qt_gsi::GenericMethod *decl) { decl->set_return (); } -static void _call_f_isRecursive_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +static void _call_f_isRecursive_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) { __SUPPRESS_UNUSED_WARNING(args); ret.write ((bool)((QMutex *)cls)->isRecursive ()); @@ -104,6 +104,21 @@ static void _call_f_tryLock_767 (const qt_gsi::GenericMethod * /*decl*/, void *c } +// bool QMutex::try_lock() + + +static void _init_f_try_lock_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_try_lock_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QMutex *)cls)->try_lock ()); +} + + // void QMutex::unlock() @@ -127,9 +142,10 @@ namespace gsi static gsi::Methods methods_QMutex () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMutex::QMutex(QMutex::RecursionMode mode)\nThis method creates an object of class QMutex.", &_init_ctor_QMutex_2507, &_call_ctor_QMutex_2507); - methods += new qt_gsi::GenericMethod ("isRecursive?", "@brief Method bool QMutex::isRecursive()\n", false, &_init_f_isRecursive_0, &_call_f_isRecursive_0); + methods += new qt_gsi::GenericMethod ("isRecursive?", "@brief Method bool QMutex::isRecursive()\n", true, &_init_f_isRecursive_c0, &_call_f_isRecursive_c0); methods += new qt_gsi::GenericMethod ("lock", "@brief Method void QMutex::lock()\n", false, &_init_f_lock_0, &_call_f_lock_0); methods += new qt_gsi::GenericMethod ("tryLock", "@brief Method bool QMutex::tryLock(int timeout)\n", false, &_init_f_tryLock_767, &_call_f_tryLock_767); + methods += new qt_gsi::GenericMethod ("try_lock", "@brief Method bool QMutex::try_lock()\n", false, &_init_f_try_lock_0, &_call_f_try_lock_0); methods += new qt_gsi::GenericMethod ("unlock", "@brief Method void QMutex::unlock()\n", false, &_init_f_unlock_0, &_call_f_unlock_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQObject.cc b/src/gsiqt/qt5/QtCore/gsiDeclQObject.cc index 8b23765194..a36f4b1ac8 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQObject.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQObject.cc @@ -137,11 +137,11 @@ static void _call_f_deleteLater_0 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_f_disconnect_c5243 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("signal", true, "0"); + static gsi::ArgSpecBase argspec_0 ("signal", true, "nullptr"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("receiver", true, "0"); + static gsi::ArgSpecBase argspec_1 ("receiver", true, "nullptr"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("member", true, "0"); + static gsi::ArgSpecBase argspec_2 ("member", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -150,9 +150,9 @@ static void _call_f_disconnect_c5243 (const qt_gsi::GenericMethod * /*decl*/, vo { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - const char *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - const QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - const char *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + const QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + const char *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QObject *)cls)->disconnect (arg1, arg2, arg3)); } @@ -164,7 +164,7 @@ static void _init_f_disconnect_c3620 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("receiver"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("member", true, "0"); + static gsi::ArgSpecBase argspec_1 ("member", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -174,7 +174,7 @@ static void _call_f_disconnect_c3620 (const qt_gsi::GenericMethod * /*decl*/, vo __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QObject *arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QObject *)cls)->disconnect (arg1, arg2)); } @@ -195,6 +195,22 @@ static void _call_f_dumpObjectInfo_0 (const qt_gsi::GenericMethod * /*decl*/, vo } +// void QObject::dumpObjectInfo() + + +static void _init_f_dumpObjectInfo_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_dumpObjectInfo_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + ((QObject *)cls)->dumpObjectInfo (); +} + + // void QObject::dumpObjectTree() @@ -211,6 +227,22 @@ static void _call_f_dumpObjectTree_0 (const qt_gsi::GenericMethod * /*decl*/, vo } +// void QObject::dumpObjectTree() + + +static void _init_f_dumpObjectTree_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_dumpObjectTree_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + ((QObject *)cls)->dumpObjectTree (); +} + + // QList QObject::dynamicPropertyNames() @@ -226,12 +258,12 @@ static void _call_f_dynamicPropertyNames_c0 (const qt_gsi::GenericMethod * /*dec } -// bool QObject::event(QEvent *) +// bool QObject::event(QEvent *event) static void _init_f_event_1217 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -245,14 +277,14 @@ static void _call_f_event_1217 (const qt_gsi::GenericMethod * /*decl*/, void *cl } -// bool QObject::eventFilter(QObject *, QEvent *) +// bool QObject::eventFilter(QObject *watched, QEvent *event) static void _init_f_eventFilter_2411 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -286,12 +318,12 @@ static void _call_f_inherits_c1731 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QObject::installEventFilter(QObject *) +// void QObject::installEventFilter(QObject *filterObj) static void _init_f_installEventFilter_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("filterObj"); decl->add_arg (argspec_0); decl->set_return (); } @@ -425,12 +457,12 @@ static void _call_f_property_c1731 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QObject::removeEventFilter(QObject *) +// void QObject::removeEventFilter(QObject *obj) static void _init_f_removeEventFilter_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("obj"); decl->add_arg (argspec_0); decl->set_return (); } @@ -465,12 +497,12 @@ static void _call_f_setObjectName_2025 (const qt_gsi::GenericMethod * /*decl*/, } -// void QObject::setParent(QObject *) +// void QObject::setParent(QObject *parent) static void _init_f_setParent_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("parent"); decl->add_arg (argspec_0); decl->set_return (); } @@ -779,12 +811,14 @@ static gsi::Methods methods_QObject () { methods += new qt_gsi::GenericMethod ("disconnect", "@brief Method bool QObject::disconnect(const char *signal, const QObject *receiver, const char *member)\n", true, &_init_f_disconnect_c5243, &_call_f_disconnect_c5243); methods += new qt_gsi::GenericMethod ("disconnect", "@brief Method bool QObject::disconnect(const QObject *receiver, const char *member)\n", true, &_init_f_disconnect_c3620, &_call_f_disconnect_c3620); methods += new qt_gsi::GenericMethod ("dumpObjectInfo", "@brief Method void QObject::dumpObjectInfo()\n", false, &_init_f_dumpObjectInfo_0, &_call_f_dumpObjectInfo_0); + methods += new qt_gsi::GenericMethod ("dumpObjectInfo", "@brief Method void QObject::dumpObjectInfo()\n", true, &_init_f_dumpObjectInfo_c0, &_call_f_dumpObjectInfo_c0); methods += new qt_gsi::GenericMethod ("dumpObjectTree", "@brief Method void QObject::dumpObjectTree()\n", false, &_init_f_dumpObjectTree_0, &_call_f_dumpObjectTree_0); + methods += new qt_gsi::GenericMethod ("dumpObjectTree", "@brief Method void QObject::dumpObjectTree()\n", true, &_init_f_dumpObjectTree_c0, &_call_f_dumpObjectTree_c0); methods += new qt_gsi::GenericMethod ("dynamicPropertyNames", "@brief Method QList QObject::dynamicPropertyNames()\n", true, &_init_f_dynamicPropertyNames_c0, &_call_f_dynamicPropertyNames_c0); - methods += new qt_gsi::GenericMethod ("event", "@brief Method bool QObject::event(QEvent *)\n", false, &_init_f_event_1217, &_call_f_event_1217); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Method bool QObject::eventFilter(QObject *, QEvent *)\n", false, &_init_f_eventFilter_2411, &_call_f_eventFilter_2411); + methods += new qt_gsi::GenericMethod ("event", "@brief Method bool QObject::event(QEvent *event)\n", false, &_init_f_event_1217, &_call_f_event_1217); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Method bool QObject::eventFilter(QObject *watched, QEvent *event)\n", false, &_init_f_eventFilter_2411, &_call_f_eventFilter_2411); methods += new qt_gsi::GenericMethod ("inherits", "@brief Method bool QObject::inherits(const char *classname)\n", true, &_init_f_inherits_c1731, &_call_f_inherits_c1731); - methods += new qt_gsi::GenericMethod ("installEventFilter", "@brief Method void QObject::installEventFilter(QObject *)\n", false, &_init_f_installEventFilter_1302, &_call_f_installEventFilter_1302); + methods += new qt_gsi::GenericMethod ("installEventFilter", "@brief Method void QObject::installEventFilter(QObject *filterObj)\n", false, &_init_f_installEventFilter_1302, &_call_f_installEventFilter_1302); methods += new qt_gsi::GenericMethod ("isWidgetType?", "@brief Method bool QObject::isWidgetType()\n", true, &_init_f_isWidgetType_c0, &_call_f_isWidgetType_c0); methods += new qt_gsi::GenericMethod ("isWindowType?", "@brief Method bool QObject::isWindowType()\n", true, &_init_f_isWindowType_c0, &_call_f_isWindowType_c0); methods += new qt_gsi::GenericMethod ("killTimer", "@brief Method void QObject::killTimer(int id)\n", false, &_init_f_killTimer_767, &_call_f_killTimer_767); @@ -792,9 +826,9 @@ static gsi::Methods methods_QObject () { methods += new qt_gsi::GenericMethod (":objectName", "@brief Method QString QObject::objectName()\n", true, &_init_f_objectName_c0, &_call_f_objectName_c0); methods += new qt_gsi::GenericMethod (":parent", "@brief Method QObject *QObject::parent()\n", true, &_init_f_parent_c0, &_call_f_parent_c0); methods += new qt_gsi::GenericMethod ("property", "@brief Method QVariant QObject::property(const char *name)\n", true, &_init_f_property_c1731, &_call_f_property_c1731); - methods += new qt_gsi::GenericMethod ("removeEventFilter", "@brief Method void QObject::removeEventFilter(QObject *)\n", false, &_init_f_removeEventFilter_1302, &_call_f_removeEventFilter_1302); + methods += new qt_gsi::GenericMethod ("removeEventFilter", "@brief Method void QObject::removeEventFilter(QObject *obj)\n", false, &_init_f_removeEventFilter_1302, &_call_f_removeEventFilter_1302); methods += new qt_gsi::GenericMethod ("setObjectName|objectName=", "@brief Method void QObject::setObjectName(const QString &name)\n", false, &_init_f_setObjectName_2025, &_call_f_setObjectName_2025); - methods += new qt_gsi::GenericMethod ("setParent|parent=", "@brief Method void QObject::setParent(QObject *)\n", false, &_init_f_setParent_1302, &_call_f_setParent_1302); + methods += new qt_gsi::GenericMethod ("setParent|parent=", "@brief Method void QObject::setParent(QObject *parent)\n", false, &_init_f_setParent_1302, &_call_f_setParent_1302); methods += new qt_gsi::GenericMethod ("setProperty", "@brief Method bool QObject::setProperty(const char *name, const QVariant &value)\n", false, &_init_f_setProperty_3742, &_call_f_setProperty_3742); methods += new qt_gsi::GenericMethod ("signalsBlocked", "@brief Method bool QObject::signalsBlocked()\n", true, &_init_f_signalsBlocked_c0, &_call_f_signalsBlocked_c0); methods += new qt_gsi::GenericMethod ("startTimer", "@brief Method int QObject::startTimer(int interval, Qt::TimerType timerType)\n", false, &_init_f_startTimer_2339, &_call_f_startTimer_2339); @@ -867,33 +901,33 @@ class QObject_Adaptor : public QObject, public qt_gsi::QtObjectBase emit QObject::destroyed(arg1); } - // [adaptor impl] bool QObject::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QObject::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QObject::event(arg1); + return QObject::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QObject_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QObject_Adaptor::cbs_event_1217_0, _event); } else { - return QObject::event(arg1); + return QObject::event(_event); } } - // [adaptor impl] bool QObject::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QObject::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QObject::eventFilter(arg1, arg2); + return QObject::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QObject_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QObject_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QObject::eventFilter(arg1, arg2); + return QObject::eventFilter(watched, event); } } @@ -904,33 +938,33 @@ class QObject_Adaptor : public QObject, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QObject::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QObject::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QObject::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QObject::childEvent(arg1); + QObject::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QObject_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QObject_Adaptor::cbs_childEvent_1701_0, event); } else { - QObject::childEvent(arg1); + QObject::childEvent(event); } } - // [adaptor impl] void QObject::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QObject::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QObject::customEvent(arg1); + QObject::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QObject_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QObject_Adaptor::cbs_customEvent_1217_0, event); } else { - QObject::customEvent(arg1); + QObject::customEvent(event); } } @@ -949,18 +983,18 @@ class QObject_Adaptor : public QObject, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QObject::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QObject::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QObject::timerEvent(arg1); + QObject::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QObject_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QObject_Adaptor::cbs_timerEvent_1730_0, event); } else { - QObject::timerEvent(arg1); + QObject::timerEvent(event); } } @@ -978,7 +1012,7 @@ QObject_Adaptor::~QObject_Adaptor() { } static void _init_ctor_QObject_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -987,16 +1021,16 @@ static void _call_ctor_QObject_Adaptor_1302 (const qt_gsi::GenericStaticMethod * { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QObject_Adaptor (arg1)); } -// void QObject::childEvent(QChildEvent *) +// void QObject::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1016,11 +1050,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QObject::customEvent(QEvent *) +// void QObject::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1044,7 +1078,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1053,7 +1087,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QObject_Adaptor *)cls)->emitter_QObject_destroyed_1302 (arg1); } @@ -1082,11 +1116,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QObject::event(QEvent *) +// bool QObject::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1105,13 +1139,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QObject::eventFilter(QObject *, QEvent *) +// bool QObject::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1213,11 +1247,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QObject::timerEvent(QTimerEvent *) +// void QObject::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1245,23 +1279,23 @@ gsi::Class &qtdecl_QObject (); static gsi::Methods methods_QObject_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QObject::QObject(QObject *parent)\nThis method creates an object of class QObject.", &_init_ctor_QObject_Adaptor_1302, &_call_ctor_QObject_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QObject::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QObject::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QObject::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QObject::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QObject::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QObject::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QObject::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QObject::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QObject::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QObject::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QObject::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QObject::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QObject::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QObject::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QObject::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QObject::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QObject::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQOperatingSystemVersion.cc b/src/gsiqt/qt5/QtCore/gsiDeclQOperatingSystemVersion.cc new file mode 100644 index 0000000000..c1191c9c4a --- /dev/null +++ b/src/gsiqt/qt5/QtCore/gsiDeclQOperatingSystemVersion.cc @@ -0,0 +1,237 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +/** +* @file gsiDeclQOperatingSystemVersion.cc +* +* DO NOT EDIT THIS FILE. +* This file has been created automatically +*/ + +#include +#include "gsiQt.h" +#include "gsiQtCoreCommon.h" +#include + +// ----------------------------------------------------------------------- +// class QOperatingSystemVersion + +// Constructor QOperatingSystemVersion::QOperatingSystemVersion(QOperatingSystemVersion::OSType osType, int vmajor, int vminor, int vmicro) + + +static void _init_ctor_QOperatingSystemVersion_5514 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("osType"); + decl->add_arg::target_type & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("vmajor"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("vminor", true, "-1"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("vmicro", true, "-1"); + decl->add_arg (argspec_3); + decl->set_return_new (); +} + +static void _call_ctor_QOperatingSystemVersion_5514 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); + int arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); + ret.write (new QOperatingSystemVersion (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4)); +} + + +// int QOperatingSystemVersion::majorVersion() + + +static void _init_f_majorVersion_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_majorVersion_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QOperatingSystemVersion *)cls)->majorVersion ()); +} + + +// int QOperatingSystemVersion::microVersion() + + +static void _init_f_microVersion_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_microVersion_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QOperatingSystemVersion *)cls)->microVersion ()); +} + + +// int QOperatingSystemVersion::minorVersion() + + +static void _init_f_minorVersion_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_minorVersion_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QOperatingSystemVersion *)cls)->minorVersion ()); +} + + +// QString QOperatingSystemVersion::name() + + +static void _init_f_name_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_name_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)((QOperatingSystemVersion *)cls)->name ()); +} + + +// int QOperatingSystemVersion::segmentCount() + + +static void _init_f_segmentCount_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_segmentCount_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QOperatingSystemVersion *)cls)->segmentCount ()); +} + + +// QOperatingSystemVersion::OSType QOperatingSystemVersion::type() + + +static void _init_f_type_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_type_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QOperatingSystemVersion *)cls)->type ())); +} + + +// static QOperatingSystemVersion QOperatingSystemVersion::current() + + +static void _init_f_current_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_current_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QOperatingSystemVersion)QOperatingSystemVersion::current ()); +} + + +// static QOperatingSystemVersion::OSType QOperatingSystemVersion::currentType() + + +static void _init_f_currentType_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_currentType_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(QOperatingSystemVersion::currentType ())); +} + + + +namespace gsi +{ + +static gsi::Methods methods_QOperatingSystemVersion () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QOperatingSystemVersion::QOperatingSystemVersion(QOperatingSystemVersion::OSType osType, int vmajor, int vminor, int vmicro)\nThis method creates an object of class QOperatingSystemVersion.", &_init_ctor_QOperatingSystemVersion_5514, &_call_ctor_QOperatingSystemVersion_5514); + methods += new qt_gsi::GenericMethod ("majorVersion", "@brief Method int QOperatingSystemVersion::majorVersion()\n", true, &_init_f_majorVersion_c0, &_call_f_majorVersion_c0); + methods += new qt_gsi::GenericMethod ("microVersion", "@brief Method int QOperatingSystemVersion::microVersion()\n", true, &_init_f_microVersion_c0, &_call_f_microVersion_c0); + methods += new qt_gsi::GenericMethod ("minorVersion", "@brief Method int QOperatingSystemVersion::minorVersion()\n", true, &_init_f_minorVersion_c0, &_call_f_minorVersion_c0); + methods += new qt_gsi::GenericMethod ("name", "@brief Method QString QOperatingSystemVersion::name()\n", true, &_init_f_name_c0, &_call_f_name_c0); + methods += new qt_gsi::GenericMethod ("segmentCount", "@brief Method int QOperatingSystemVersion::segmentCount()\n", true, &_init_f_segmentCount_c0, &_call_f_segmentCount_c0); + methods += new qt_gsi::GenericMethod ("type", "@brief Method QOperatingSystemVersion::OSType QOperatingSystemVersion::type()\n", true, &_init_f_type_c0, &_call_f_type_c0); + methods += new qt_gsi::GenericStaticMethod ("current", "@brief Static method QOperatingSystemVersion QOperatingSystemVersion::current()\nThis method is static and can be called without an instance.", &_init_f_current_0, &_call_f_current_0); + methods += new qt_gsi::GenericStaticMethod ("currentType", "@brief Static method QOperatingSystemVersion::OSType QOperatingSystemVersion::currentType()\nThis method is static and can be called without an instance.", &_init_f_currentType_0, &_call_f_currentType_0); + return methods; +} + +gsi::Class decl_QOperatingSystemVersion ("QtCore", "QOperatingSystemVersion", + methods_QOperatingSystemVersion (), + "@qt\n@brief Binding of QOperatingSystemVersion"); + + +GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QOperatingSystemVersion () { return decl_QOperatingSystemVersion; } + +} + + +// Implementation of the enum wrapper class for QOperatingSystemVersion::OSType +namespace qt_gsi +{ + +static gsi::Enum decl_QOperatingSystemVersion_OSType_Enum ("QtCore", "QOperatingSystemVersion_OSType", + gsi::enum_const ("Unknown", QOperatingSystemVersion::Unknown, "@brief Enum constant QOperatingSystemVersion::Unknown") + + gsi::enum_const ("Windows", QOperatingSystemVersion::Windows, "@brief Enum constant QOperatingSystemVersion::Windows") + + gsi::enum_const ("MacOS", QOperatingSystemVersion::MacOS, "@brief Enum constant QOperatingSystemVersion::MacOS") + + gsi::enum_const ("IOS", QOperatingSystemVersion::IOS, "@brief Enum constant QOperatingSystemVersion::IOS") + + gsi::enum_const ("TvOS", QOperatingSystemVersion::TvOS, "@brief Enum constant QOperatingSystemVersion::TvOS") + + gsi::enum_const ("WatchOS", QOperatingSystemVersion::WatchOS, "@brief Enum constant QOperatingSystemVersion::WatchOS") + + gsi::enum_const ("Android", QOperatingSystemVersion::Android, "@brief Enum constant QOperatingSystemVersion::Android"), + "@qt\n@brief This class represents the QOperatingSystemVersion::OSType enum"); + +static gsi::QFlagsClass decl_QOperatingSystemVersion_OSType_Enums ("QtCore", "QOperatingSystemVersion_QFlags_OSType", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_QOperatingSystemVersion_OSType_Enum_in_parent (decl_QOperatingSystemVersion_OSType_Enum.defs ()); +static gsi::ClassExt decl_QOperatingSystemVersion_OSType_Enum_as_child (decl_QOperatingSystemVersion_OSType_Enum, "OSType"); +static gsi::ClassExt decl_QOperatingSystemVersion_OSType_Enums_as_child (decl_QOperatingSystemVersion_OSType_Enums, "QFlags_OSType"); + +} + diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQParallelAnimationGroup.cc b/src/gsiqt/qt5/QtCore/gsiDeclQParallelAnimationGroup.cc index 3ed0639a47..d3dd3f0d1a 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQParallelAnimationGroup.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQParallelAnimationGroup.cc @@ -221,18 +221,18 @@ class QParallelAnimationGroup_Adaptor : public QParallelAnimationGroup, public q } } - // [adaptor impl] bool QParallelAnimationGroup::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QParallelAnimationGroup::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QParallelAnimationGroup::eventFilter(arg1, arg2); + return QParallelAnimationGroup::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QParallelAnimationGroup_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QParallelAnimationGroup_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QParallelAnimationGroup::eventFilter(arg1, arg2); + return QParallelAnimationGroup::eventFilter(watched, event); } } @@ -255,33 +255,33 @@ class QParallelAnimationGroup_Adaptor : public QParallelAnimationGroup, public q emit QParallelAnimationGroup::stateChanged(newState, oldState); } - // [adaptor impl] void QParallelAnimationGroup::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QParallelAnimationGroup::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QParallelAnimationGroup::childEvent(arg1); + QParallelAnimationGroup::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QParallelAnimationGroup_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QParallelAnimationGroup_Adaptor::cbs_childEvent_1701_0, event); } else { - QParallelAnimationGroup::childEvent(arg1); + QParallelAnimationGroup::childEvent(event); } } - // [adaptor impl] void QParallelAnimationGroup::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QParallelAnimationGroup::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QParallelAnimationGroup::customEvent(arg1); + QParallelAnimationGroup::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QParallelAnimationGroup_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QParallelAnimationGroup_Adaptor::cbs_customEvent_1217_0, event); } else { - QParallelAnimationGroup::customEvent(arg1); + QParallelAnimationGroup::customEvent(event); } } @@ -315,18 +315,18 @@ class QParallelAnimationGroup_Adaptor : public QParallelAnimationGroup, public q } } - // [adaptor impl] void QParallelAnimationGroup::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QParallelAnimationGroup::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QParallelAnimationGroup::timerEvent(arg1); + QParallelAnimationGroup::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QParallelAnimationGroup_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QParallelAnimationGroup_Adaptor::cbs_timerEvent_1730_0, event); } else { - QParallelAnimationGroup::timerEvent(arg1); + QParallelAnimationGroup::timerEvent(event); } } @@ -393,7 +393,7 @@ QParallelAnimationGroup_Adaptor::~QParallelAnimationGroup_Adaptor() { } static void _init_ctor_QParallelAnimationGroup_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -402,16 +402,16 @@ static void _call_ctor_QParallelAnimationGroup_Adaptor_1302 (const qt_gsi::Gener { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QParallelAnimationGroup_Adaptor (arg1)); } -// void QParallelAnimationGroup::childEvent(QChildEvent *) +// void QParallelAnimationGroup::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -449,11 +449,11 @@ static void _call_emitter_currentLoopChanged_767 (const qt_gsi::GenericMethod * } -// void QParallelAnimationGroup::customEvent(QEvent *) +// void QParallelAnimationGroup::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -477,7 +477,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -486,7 +486,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QParallelAnimationGroup_Adaptor *)cls)->emitter_QParallelAnimationGroup_destroyed_1302 (arg1); } @@ -575,13 +575,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QParallelAnimationGroup::eventFilter(QObject *, QEvent *) +// bool QParallelAnimationGroup::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -718,11 +718,11 @@ static void _call_emitter_stateChanged_5680 (const qt_gsi::GenericMethod * /*dec } -// void QParallelAnimationGroup::timerEvent(QTimerEvent *) +// void QParallelAnimationGroup::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -825,10 +825,10 @@ gsi::Class &qtdecl_QParallelAnimationGroup (); static gsi::Methods methods_QParallelAnimationGroup_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QParallelAnimationGroup::QParallelAnimationGroup(QObject *parent)\nThis method creates an object of class QParallelAnimationGroup.", &_init_ctor_QParallelAnimationGroup_Adaptor_1302, &_call_ctor_QParallelAnimationGroup_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QParallelAnimationGroup::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QParallelAnimationGroup::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_currentLoopChanged", "@brief Emitter for signal void QParallelAnimationGroup::currentLoopChanged(int currentLoop)\nCall this method to emit this signal.", false, &_init_emitter_currentLoopChanged_767, &_call_emitter_currentLoopChanged_767); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QParallelAnimationGroup::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QParallelAnimationGroup::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QParallelAnimationGroup::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("emit_directionChanged", "@brief Emitter for signal void QParallelAnimationGroup::directionChanged(QAbstractAnimation::Direction)\nCall this method to emit this signal.", false, &_init_emitter_directionChanged_3310, &_call_emitter_directionChanged_3310); @@ -838,7 +838,7 @@ static gsi::Methods methods_QParallelAnimationGroup_Adaptor () { methods += new qt_gsi::GenericMethod ("duration", "@hide", true, &_init_cbs_duration_c0_0, &_call_cbs_duration_c0_0, &_set_callback_cbs_duration_c0_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QParallelAnimationGroup::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QParallelAnimationGroup::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QParallelAnimationGroup::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QParallelAnimationGroup::finished()\nCall this method to emit this signal.", false, &_init_emitter_finished_0, &_call_emitter_finished_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QParallelAnimationGroup::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); @@ -847,7 +847,7 @@ static gsi::Methods methods_QParallelAnimationGroup_Adaptor () { methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QParallelAnimationGroup::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QParallelAnimationGroup::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QParallelAnimationGroup::stateChanged(QAbstractAnimation::State newState, QAbstractAnimation::State oldState)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_5680, &_call_emitter_stateChanged_5680); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QParallelAnimationGroup::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QParallelAnimationGroup::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateCurrentTime", "@brief Virtual method void QParallelAnimationGroup::updateCurrentTime(int currentTime)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_updateCurrentTime_767_0, &_call_cbs_updateCurrentTime_767_0); methods += new qt_gsi::GenericMethod ("*updateCurrentTime", "@hide", false, &_init_cbs_updateCurrentTime_767_0, &_call_cbs_updateCurrentTime_767_0, &_set_callback_cbs_updateCurrentTime_767_0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQPauseAnimation.cc b/src/gsiqt/qt5/QtCore/gsiDeclQPauseAnimation.cc index 2a4a79f27e..985cad8905 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQPauseAnimation.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQPauseAnimation.cc @@ -253,18 +253,18 @@ class QPauseAnimation_Adaptor : public QPauseAnimation, public qt_gsi::QtObjectB } } - // [adaptor impl] bool QPauseAnimation::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QPauseAnimation::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QPauseAnimation::eventFilter(arg1, arg2); + return QPauseAnimation::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QPauseAnimation_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QPauseAnimation_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QPauseAnimation::eventFilter(arg1, arg2); + return QPauseAnimation::eventFilter(watched, event); } } @@ -287,33 +287,33 @@ class QPauseAnimation_Adaptor : public QPauseAnimation, public qt_gsi::QtObjectB emit QPauseAnimation::stateChanged(newState, oldState); } - // [adaptor impl] void QPauseAnimation::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QPauseAnimation::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QPauseAnimation::childEvent(arg1); + QPauseAnimation::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QPauseAnimation_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QPauseAnimation_Adaptor::cbs_childEvent_1701_0, event); } else { - QPauseAnimation::childEvent(arg1); + QPauseAnimation::childEvent(event); } } - // [adaptor impl] void QPauseAnimation::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPauseAnimation::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QPauseAnimation::customEvent(arg1); + QPauseAnimation::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QPauseAnimation_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QPauseAnimation_Adaptor::cbs_customEvent_1217_0, event); } else { - QPauseAnimation::customEvent(arg1); + QPauseAnimation::customEvent(event); } } @@ -347,18 +347,18 @@ class QPauseAnimation_Adaptor : public QPauseAnimation, public qt_gsi::QtObjectB } } - // [adaptor impl] void QPauseAnimation::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QPauseAnimation::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QPauseAnimation::timerEvent(arg1); + QPauseAnimation::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QPauseAnimation_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QPauseAnimation_Adaptor::cbs_timerEvent_1730_0, event); } else { - QPauseAnimation::timerEvent(arg1); + QPauseAnimation::timerEvent(event); } } @@ -425,7 +425,7 @@ QPauseAnimation_Adaptor::~QPauseAnimation_Adaptor() { } static void _init_ctor_QPauseAnimation_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -434,7 +434,7 @@ static void _call_ctor_QPauseAnimation_Adaptor_1302 (const qt_gsi::GenericStatic { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QPauseAnimation_Adaptor (arg1)); } @@ -445,7 +445,7 @@ static void _init_ctor_QPauseAnimation_Adaptor_1961 (qt_gsi::GenericStaticMethod { static gsi::ArgSpecBase argspec_0 ("msecs"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -455,16 +455,16 @@ static void _call_ctor_QPauseAnimation_Adaptor_1961 (const qt_gsi::GenericStatic __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QPauseAnimation_Adaptor (arg1, arg2)); } -// void QPauseAnimation::childEvent(QChildEvent *) +// void QPauseAnimation::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -502,11 +502,11 @@ static void _call_emitter_currentLoopChanged_767 (const qt_gsi::GenericMethod * } -// void QPauseAnimation::customEvent(QEvent *) +// void QPauseAnimation::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -530,7 +530,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -539,7 +539,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QPauseAnimation_Adaptor *)cls)->emitter_QPauseAnimation_destroyed_1302 (arg1); } @@ -628,13 +628,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QPauseAnimation::eventFilter(QObject *, QEvent *) +// bool QPauseAnimation::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -771,11 +771,11 @@ static void _call_emitter_stateChanged_5680 (const qt_gsi::GenericMethod * /*dec } -// void QPauseAnimation::timerEvent(QTimerEvent *) +// void QPauseAnimation::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -879,10 +879,10 @@ static gsi::Methods methods_QPauseAnimation_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPauseAnimation::QPauseAnimation(QObject *parent)\nThis method creates an object of class QPauseAnimation.", &_init_ctor_QPauseAnimation_Adaptor_1302, &_call_ctor_QPauseAnimation_Adaptor_1302); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPauseAnimation::QPauseAnimation(int msecs, QObject *parent)\nThis method creates an object of class QPauseAnimation.", &_init_ctor_QPauseAnimation_Adaptor_1961, &_call_ctor_QPauseAnimation_Adaptor_1961); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPauseAnimation::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPauseAnimation::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_currentLoopChanged", "@brief Emitter for signal void QPauseAnimation::currentLoopChanged(int currentLoop)\nCall this method to emit this signal.", false, &_init_emitter_currentLoopChanged_767, &_call_emitter_currentLoopChanged_767); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPauseAnimation::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPauseAnimation::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QPauseAnimation::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("emit_directionChanged", "@brief Emitter for signal void QPauseAnimation::directionChanged(QAbstractAnimation::Direction)\nCall this method to emit this signal.", false, &_init_emitter_directionChanged_3310, &_call_emitter_directionChanged_3310); @@ -892,7 +892,7 @@ static gsi::Methods methods_QPauseAnimation_Adaptor () { methods += new qt_gsi::GenericMethod ("duration", "@hide", true, &_init_cbs_duration_c0_0, &_call_cbs_duration_c0_0, &_set_callback_cbs_duration_c0_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QPauseAnimation::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPauseAnimation::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPauseAnimation::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QPauseAnimation::finished()\nCall this method to emit this signal.", false, &_init_emitter_finished_0, &_call_emitter_finished_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QPauseAnimation::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); @@ -901,7 +901,7 @@ static gsi::Methods methods_QPauseAnimation_Adaptor () { methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QPauseAnimation::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QPauseAnimation::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QPauseAnimation::stateChanged(QAbstractAnimation::State newState, QAbstractAnimation::State oldState)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_5680, &_call_emitter_stateChanged_5680); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPauseAnimation::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPauseAnimation::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateCurrentTime", "@brief Virtual method void QPauseAnimation::updateCurrentTime(int)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_updateCurrentTime_767_0, &_call_cbs_updateCurrentTime_767_0); methods += new qt_gsi::GenericMethod ("*updateCurrentTime", "@hide", false, &_init_cbs_updateCurrentTime_767_0, &_call_cbs_updateCurrentTime_767_0, &_set_callback_cbs_updateCurrentTime_767_0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQPluginLoader.cc b/src/gsiqt/qt5/QtCore/gsiDeclQPluginLoader.cc index fecadd175e..c602c1716f 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQPluginLoader.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQPluginLoader.cc @@ -388,33 +388,33 @@ class QPluginLoader_Adaptor : public QPluginLoader, public qt_gsi::QtObjectBase emit QPluginLoader::destroyed(arg1); } - // [adaptor impl] bool QPluginLoader::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QPluginLoader::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QPluginLoader::event(arg1); + return QPluginLoader::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QPluginLoader_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QPluginLoader_Adaptor::cbs_event_1217_0, _event); } else { - return QPluginLoader::event(arg1); + return QPluginLoader::event(_event); } } - // [adaptor impl] bool QPluginLoader::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QPluginLoader::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QPluginLoader::eventFilter(arg1, arg2); + return QPluginLoader::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QPluginLoader_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QPluginLoader_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QPluginLoader::eventFilter(arg1, arg2); + return QPluginLoader::eventFilter(watched, event); } } @@ -425,33 +425,33 @@ class QPluginLoader_Adaptor : public QPluginLoader, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QPluginLoader::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QPluginLoader::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QPluginLoader::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QPluginLoader::childEvent(arg1); + QPluginLoader::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QPluginLoader_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QPluginLoader_Adaptor::cbs_childEvent_1701_0, event); } else { - QPluginLoader::childEvent(arg1); + QPluginLoader::childEvent(event); } } - // [adaptor impl] void QPluginLoader::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPluginLoader::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QPluginLoader::customEvent(arg1); + QPluginLoader::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QPluginLoader_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QPluginLoader_Adaptor::cbs_customEvent_1217_0, event); } else { - QPluginLoader::customEvent(arg1); + QPluginLoader::customEvent(event); } } @@ -470,18 +470,18 @@ class QPluginLoader_Adaptor : public QPluginLoader, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPluginLoader::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QPluginLoader::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QPluginLoader::timerEvent(arg1); + QPluginLoader::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QPluginLoader_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QPluginLoader_Adaptor::cbs_timerEvent_1730_0, event); } else { - QPluginLoader::timerEvent(arg1); + QPluginLoader::timerEvent(event); } } @@ -499,7 +499,7 @@ QPluginLoader_Adaptor::~QPluginLoader_Adaptor() { } static void _init_ctor_QPluginLoader_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -508,7 +508,7 @@ static void _call_ctor_QPluginLoader_Adaptor_1302 (const qt_gsi::GenericStaticMe { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QPluginLoader_Adaptor (arg1)); } @@ -519,7 +519,7 @@ static void _init_ctor_QPluginLoader_Adaptor_3219 (qt_gsi::GenericStaticMethod * { static gsi::ArgSpecBase argspec_0 ("fileName"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -529,16 +529,16 @@ static void _call_ctor_QPluginLoader_Adaptor_3219 (const qt_gsi::GenericStaticMe __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QPluginLoader_Adaptor (arg1, arg2)); } -// void QPluginLoader::childEvent(QChildEvent *) +// void QPluginLoader::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -558,11 +558,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QPluginLoader::customEvent(QEvent *) +// void QPluginLoader::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -586,7 +586,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -595,7 +595,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QPluginLoader_Adaptor *)cls)->emitter_QPluginLoader_destroyed_1302 (arg1); } @@ -624,11 +624,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QPluginLoader::event(QEvent *) +// bool QPluginLoader::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -647,13 +647,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QPluginLoader::eventFilter(QObject *, QEvent *) +// bool QPluginLoader::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -755,11 +755,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QPluginLoader::timerEvent(QTimerEvent *) +// void QPluginLoader::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -788,23 +788,23 @@ static gsi::Methods methods_QPluginLoader_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPluginLoader::QPluginLoader(QObject *parent)\nThis method creates an object of class QPluginLoader.", &_init_ctor_QPluginLoader_Adaptor_1302, &_call_ctor_QPluginLoader_Adaptor_1302); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPluginLoader::QPluginLoader(const QString &fileName, QObject *parent)\nThis method creates an object of class QPluginLoader.", &_init_ctor_QPluginLoader_Adaptor_3219, &_call_ctor_QPluginLoader_Adaptor_3219); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPluginLoader::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPluginLoader::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPluginLoader::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPluginLoader::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QPluginLoader::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPluginLoader::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QPluginLoader::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QPluginLoader::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPluginLoader::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPluginLoader::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QPluginLoader::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QPluginLoader::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QPluginLoader::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QPluginLoader::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QPluginLoader::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPluginLoader::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPluginLoader::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQProcess.cc b/src/gsiqt/qt5/QtCore/gsiDeclQProcess.cc index 5dd666cd80..3b07b3dfec 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQProcess.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQProcess.cc @@ -58,7 +58,7 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g static void _init_ctor_QProcess_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -67,7 +67,7 @@ static void _call_ctor_QProcess_1302 (const qt_gsi::GenericStaticMethod * /*decl { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QProcess (arg1)); } @@ -794,6 +794,25 @@ static void _call_f_start_3242 (const qt_gsi::GenericMethod * /*decl*/, void *cl } +// bool QProcess::startDetached(qint64 *pid) + + +static void _init_f_startDetached_1172 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("pid", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_startDetached_1172 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ret.write ((bool)((QProcess *)cls)->startDetached (arg1)); +} + + // QProcess::ProcessState QProcess::state() @@ -983,7 +1002,7 @@ static void _init_f_startDetached_7335 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("workingDirectory"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("pid", true, "0"); + static gsi::ArgSpecBase argspec_3 ("pid", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -995,7 +1014,7 @@ static void _call_f_startDetached_7335 (const qt_gsi::GenericStaticMethod * /*de const QString &arg1 = gsi::arg_reader() (args, heap); const QStringList &arg2 = gsi::arg_reader() (args, heap); const QString &arg3 = gsi::arg_reader() (args, heap); - qint64 *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + qint64 *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)QProcess::startDetached (arg1, arg2, arg3, arg4)); } @@ -1155,6 +1174,7 @@ static gsi::Methods methods_QProcess () { methods += new qt_gsi::GenericMethod ("start", "@brief Method void QProcess::start(const QString &program, const QStringList &arguments, QFlags mode)\n", false, &_init_f_start_7488, &_call_f_start_7488); methods += new qt_gsi::GenericMethod ("start", "@brief Method void QProcess::start(const QString &command, QFlags mode)\n", false, &_init_f_start_5159, &_call_f_start_5159); methods += new qt_gsi::GenericMethod ("start", "@brief Method void QProcess::start(QFlags mode)\n", false, &_init_f_start_3242, &_call_f_start_3242); + methods += new qt_gsi::GenericMethod ("startDetached", "@brief Method bool QProcess::startDetached(qint64 *pid)\n", false, &_init_f_startDetached_1172, &_call_f_startDetached_1172); methods += new qt_gsi::GenericMethod ("state", "@brief Method QProcess::ProcessState QProcess::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); methods += new qt_gsi::GenericMethod ("terminate", "@brief Method void QProcess::terminate()\n", false, &_init_f_terminate_0, &_call_f_terminate_0); methods += new qt_gsi::GenericMethod ("waitForBytesWritten", "@brief Method bool QProcess::waitForBytesWritten(int msecs)\nThis is a reimplementation of QIODevice::waitForBytesWritten", false, &_init_f_waitForBytesWritten_767, &_call_f_waitForBytesWritten_767); @@ -1164,8 +1184,11 @@ static gsi::Methods methods_QProcess () { methods += new qt_gsi::GenericMethod (":workingDirectory", "@brief Method QString QProcess::workingDirectory()\n", true, &_init_f_workingDirectory_c0, &_call_f_workingDirectory_c0); methods += gsi::qt_signal ("aboutToClose()", "aboutToClose", "@brief Signal declaration for QProcess::aboutToClose()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("bytesWritten(qint64)", "bytesWritten", gsi::arg("bytes"), "@brief Signal declaration for QProcess::bytesWritten(qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelBytesWritten(int, qint64)", "channelBytesWritten", gsi::arg("channel"), gsi::arg("bytes"), "@brief Signal declaration for QProcess::channelBytesWritten(int channel, qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelReadyRead(int)", "channelReadyRead", gsi::arg("channel"), "@brief Signal declaration for QProcess::channelReadyRead(int channel)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QProcess::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal::target_type & > ("error(QProcess::ProcessError)", "error_sig", gsi::arg("error"), "@brief Signal declaration for QProcess::error(QProcess::ProcessError error)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("errorOccurred(QProcess::ProcessError)", "errorOccurred", gsi::arg("error"), "@brief Signal declaration for QProcess::errorOccurred(QProcess::ProcessError error)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("finished(int)", "finished_int", gsi::arg("exitCode"), "@brief Signal declaration for QProcess::finished(int exitCode)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal::target_type & > ("finished(int, QProcess::ExitStatus)", "finished", gsi::arg("exitCode"), gsi::arg("exitStatus"), "@brief Signal declaration for QProcess::finished(int exitCode, QProcess::ExitStatus exitStatus)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QProcess::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQPropertyAnimation.cc b/src/gsiqt/qt5/QtCore/gsiDeclQPropertyAnimation.cc index 9eb3132e54..a10c996116 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQPropertyAnimation.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQPropertyAnimation.cc @@ -292,18 +292,18 @@ class QPropertyAnimation_Adaptor : public QPropertyAnimation, public qt_gsi::QtO } } - // [adaptor impl] bool QPropertyAnimation::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QPropertyAnimation::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QPropertyAnimation::eventFilter(arg1, arg2); + return QPropertyAnimation::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QPropertyAnimation_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QPropertyAnimation_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QPropertyAnimation::eventFilter(arg1, arg2); + return QPropertyAnimation::eventFilter(watched, event); } } @@ -332,33 +332,33 @@ class QPropertyAnimation_Adaptor : public QPropertyAnimation, public qt_gsi::QtO emit QPropertyAnimation::valueChanged(value); } - // [adaptor impl] void QPropertyAnimation::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QPropertyAnimation::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QPropertyAnimation::childEvent(arg1); + QPropertyAnimation::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QPropertyAnimation_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QPropertyAnimation_Adaptor::cbs_childEvent_1701_0, event); } else { - QPropertyAnimation::childEvent(arg1); + QPropertyAnimation::childEvent(event); } } - // [adaptor impl] void QPropertyAnimation::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPropertyAnimation::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QPropertyAnimation::customEvent(arg1); + QPropertyAnimation::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QPropertyAnimation_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QPropertyAnimation_Adaptor::cbs_customEvent_1217_0, event); } else { - QPropertyAnimation::customEvent(arg1); + QPropertyAnimation::customEvent(event); } } @@ -407,18 +407,18 @@ class QPropertyAnimation_Adaptor : public QPropertyAnimation, public qt_gsi::QtO } } - // [adaptor impl] void QPropertyAnimation::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QPropertyAnimation::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QPropertyAnimation::timerEvent(arg1); + QPropertyAnimation::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QPropertyAnimation_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QPropertyAnimation_Adaptor::cbs_timerEvent_1730_0, event); } else { - QPropertyAnimation::timerEvent(arg1); + QPropertyAnimation::timerEvent(event); } } @@ -502,7 +502,7 @@ QPropertyAnimation_Adaptor::~QPropertyAnimation_Adaptor() { } static void _init_ctor_QPropertyAnimation_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -511,7 +511,7 @@ static void _call_ctor_QPropertyAnimation_Adaptor_1302 (const qt_gsi::GenericSta { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QPropertyAnimation_Adaptor (arg1)); } @@ -524,7 +524,7 @@ static void _init_ctor_QPropertyAnimation_Adaptor_4697 (qt_gsi::GenericStaticMet decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("propertyName"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_2 ("parent", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -535,16 +535,16 @@ static void _call_ctor_QPropertyAnimation_Adaptor_4697 (const qt_gsi::GenericSta tl::Heap heap; QObject *arg1 = gsi::arg_reader() (args, heap); const QByteArray &arg2 = gsi::arg_reader() (args, heap); - QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QPropertyAnimation_Adaptor (arg1, arg2, arg3)); } -// void QPropertyAnimation::childEvent(QChildEvent *) +// void QPropertyAnimation::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -582,11 +582,11 @@ static void _call_emitter_currentLoopChanged_767 (const qt_gsi::GenericMethod * } -// void QPropertyAnimation::customEvent(QEvent *) +// void QPropertyAnimation::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -610,7 +610,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -619,7 +619,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QPropertyAnimation_Adaptor *)cls)->emitter_QPropertyAnimation_destroyed_1302 (arg1); } @@ -708,13 +708,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QPropertyAnimation::eventFilter(QObject *, QEvent *) +// bool QPropertyAnimation::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -880,11 +880,11 @@ static void _call_emitter_stateChanged_5680 (const qt_gsi::GenericMethod * /*dec } -// void QPropertyAnimation::timerEvent(QTimerEvent *) +// void QPropertyAnimation::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1030,10 +1030,10 @@ static gsi::Methods methods_QPropertyAnimation_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPropertyAnimation::QPropertyAnimation(QObject *parent)\nThis method creates an object of class QPropertyAnimation.", &_init_ctor_QPropertyAnimation_Adaptor_1302, &_call_ctor_QPropertyAnimation_Adaptor_1302); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPropertyAnimation::QPropertyAnimation(QObject *target, const QByteArray &propertyName, QObject *parent)\nThis method creates an object of class QPropertyAnimation.", &_init_ctor_QPropertyAnimation_Adaptor_4697, &_call_ctor_QPropertyAnimation_Adaptor_4697); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPropertyAnimation::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPropertyAnimation::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_currentLoopChanged", "@brief Emitter for signal void QPropertyAnimation::currentLoopChanged(int currentLoop)\nCall this method to emit this signal.", false, &_init_emitter_currentLoopChanged_767, &_call_emitter_currentLoopChanged_767); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPropertyAnimation::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPropertyAnimation::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QPropertyAnimation::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("emit_directionChanged", "@brief Emitter for signal void QPropertyAnimation::directionChanged(QAbstractAnimation::Direction)\nCall this method to emit this signal.", false, &_init_emitter_directionChanged_3310, &_call_emitter_directionChanged_3310); @@ -1043,7 +1043,7 @@ static gsi::Methods methods_QPropertyAnimation_Adaptor () { methods += new qt_gsi::GenericMethod ("duration", "@hide", true, &_init_cbs_duration_c0_0, &_call_cbs_duration_c0_0, &_set_callback_cbs_duration_c0_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QPropertyAnimation::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPropertyAnimation::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPropertyAnimation::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QPropertyAnimation::finished()\nCall this method to emit this signal.", false, &_init_emitter_finished_0, &_call_emitter_finished_0); methods += new qt_gsi::GenericMethod ("*interpolated", "@brief Virtual method QVariant QPropertyAnimation::interpolated(const QVariant &from, const QVariant &to, double progress)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_interpolated_c5093_0, &_call_cbs_interpolated_c5093_0); @@ -1054,7 +1054,7 @@ static gsi::Methods methods_QPropertyAnimation_Adaptor () { methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QPropertyAnimation::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QPropertyAnimation::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QPropertyAnimation::stateChanged(QAbstractAnimation::State newState, QAbstractAnimation::State oldState)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_5680, &_call_emitter_stateChanged_5680); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPropertyAnimation::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPropertyAnimation::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateCurrentTime", "@brief Virtual method void QPropertyAnimation::updateCurrentTime(int)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_updateCurrentTime_767_0, &_call_cbs_updateCurrentTime_767_0); methods += new qt_gsi::GenericMethod ("*updateCurrentTime", "@hide", false, &_init_cbs_updateCurrentTime_767_0, &_call_cbs_updateCurrentTime_767_0, &_set_callback_cbs_updateCurrentTime_767_0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQRandomGenerator.cc b/src/gsiqt/qt5/QtCore/gsiDeclQRandomGenerator.cc new file mode 100644 index 0000000000..6712b63f19 --- /dev/null +++ b/src/gsiqt/qt5/QtCore/gsiDeclQRandomGenerator.cc @@ -0,0 +1,431 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +/** +* @file gsiDeclQRandomGenerator.cc +* +* DO NOT EDIT THIS FILE. +* This file has been created automatically +*/ + +#include +#include "gsiQt.h" +#include "gsiQtCoreCommon.h" +#include + +// ----------------------------------------------------------------------- +// class QRandomGenerator + +// Constructor QRandomGenerator::QRandomGenerator(quint32 seedValue) + + +static void _init_ctor_QRandomGenerator_1098 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("seedValue", true, "1"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QRandomGenerator_1098 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + quint32 arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (1, heap); + ret.write (new QRandomGenerator (arg1)); +} + + +// Constructor QRandomGenerator::QRandomGenerator(const QRandomGenerator &other) + + +static void _init_ctor_QRandomGenerator_2938 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QRandomGenerator_2938 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QRandomGenerator &arg1 = gsi::arg_reader() (args, heap); + ret.write (new QRandomGenerator (arg1)); +} + + +// double QRandomGenerator::bounded(double highest) + + +static void _init_f_bounded_1071 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("highest"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_bounded_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + ret.write ((double)((QRandomGenerator *)cls)->bounded (arg1)); +} + + +// quint32 QRandomGenerator::bounded(quint32 highest) + + +static void _init_f_bounded_1098 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("highest"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_bounded_1098 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + quint32 arg1 = gsi::arg_reader() (args, heap); + ret.write ((quint32)((QRandomGenerator *)cls)->bounded (arg1)); +} + + +// quint32 QRandomGenerator::bounded(quint32 lowest, quint32 highest) + + +static void _init_f_bounded_2088 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("lowest"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("highest"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_bounded_2088 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + quint32 arg1 = gsi::arg_reader() (args, heap); + quint32 arg2 = gsi::arg_reader() (args, heap); + ret.write ((quint32)((QRandomGenerator *)cls)->bounded (arg1, arg2)); +} + + +// int QRandomGenerator::bounded(int highest) + + +static void _init_f_bounded_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("highest"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_bounded_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ret.write ((int)((QRandomGenerator *)cls)->bounded (arg1)); +} + + +// int QRandomGenerator::bounded(int lowest, int highest) + + +static void _init_f_bounded_1426 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("lowest"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("highest"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_bounded_1426 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + ret.write ((int)((QRandomGenerator *)cls)->bounded (arg1, arg2)); +} + + +// void QRandomGenerator::discard(unsigned long long int z) + + +static void _init_f_discard_2924 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("z"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_discard_2924 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + unsigned long long int arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QRandomGenerator *)cls)->discard (arg1); +} + + +// quint32 QRandomGenerator::generate() + + +static void _init_f_generate_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_generate_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((quint32)((QRandomGenerator *)cls)->generate ()); +} + + +// void QRandomGenerator::generate(quint32 *begin, quint32 *end) + + +static void _init_f_generate_2460 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("begin"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("end"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_generate_2460 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + quint32 *arg1 = gsi::arg_reader() (args, heap); + quint32 *arg2 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QRandomGenerator *)cls)->generate (arg1, arg2); +} + + +// quint64 QRandomGenerator::generate64() + + +static void _init_f_generate64_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_generate64_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((quint64)((QRandomGenerator *)cls)->generate64 ()); +} + + +// double QRandomGenerator::generateDouble() + + +static void _init_f_generateDouble_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_generateDouble_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((double)((QRandomGenerator *)cls)->generateDouble ()); +} + + +// quint32 QRandomGenerator::operator()() + + +static void _init_f_operator_func__0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_operator_func__0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((quint32)((QRandomGenerator *)cls)->operator() ()); +} + + +// QRandomGenerator &QRandomGenerator::operator=(const QRandomGenerator &other) + + +static void _init_f_operator_eq__2938 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_eq__2938 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QRandomGenerator &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QRandomGenerator &)((QRandomGenerator *)cls)->operator= (arg1)); +} + + +// void QRandomGenerator::seed(quint32 s) + + +static void _init_f_seed_1098 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("s", true, "1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_seed_1098 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + quint32 arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (1, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QRandomGenerator *)cls)->seed (arg1); +} + + +// static QRandomGenerator *QRandomGenerator::global() + + +static void _init_f_global_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_global_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QRandomGenerator *)QRandomGenerator::global ()); +} + + +// static quint32 QRandomGenerator::max() + + +static void _init_f_max_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_max_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((quint32)QRandomGenerator::max ()); +} + + +// static quint32 QRandomGenerator::min() + + +static void _init_f_min_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_min_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((quint32)QRandomGenerator::min ()); +} + + +// static QRandomGenerator QRandomGenerator::securelySeeded() + + +static void _init_f_securelySeeded_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_securelySeeded_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QRandomGenerator)QRandomGenerator::securelySeeded ()); +} + + +// static QRandomGenerator *QRandomGenerator::system() + + +static void _init_f_system_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_system_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QRandomGenerator *)QRandomGenerator::system ()); +} + + + +namespace gsi +{ + +static gsi::Methods methods_QRandomGenerator () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRandomGenerator::QRandomGenerator(quint32 seedValue)\nThis method creates an object of class QRandomGenerator.", &_init_ctor_QRandomGenerator_1098, &_call_ctor_QRandomGenerator_1098); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRandomGenerator::QRandomGenerator(const QRandomGenerator &other)\nThis method creates an object of class QRandomGenerator.", &_init_ctor_QRandomGenerator_2938, &_call_ctor_QRandomGenerator_2938); + methods += new qt_gsi::GenericMethod ("bounded", "@brief Method double QRandomGenerator::bounded(double highest)\n", false, &_init_f_bounded_1071, &_call_f_bounded_1071); + methods += new qt_gsi::GenericMethod ("bounded", "@brief Method quint32 QRandomGenerator::bounded(quint32 highest)\n", false, &_init_f_bounded_1098, &_call_f_bounded_1098); + methods += new qt_gsi::GenericMethod ("bounded", "@brief Method quint32 QRandomGenerator::bounded(quint32 lowest, quint32 highest)\n", false, &_init_f_bounded_2088, &_call_f_bounded_2088); + methods += new qt_gsi::GenericMethod ("bounded", "@brief Method int QRandomGenerator::bounded(int highest)\n", false, &_init_f_bounded_767, &_call_f_bounded_767); + methods += new qt_gsi::GenericMethod ("bounded", "@brief Method int QRandomGenerator::bounded(int lowest, int highest)\n", false, &_init_f_bounded_1426, &_call_f_bounded_1426); + methods += new qt_gsi::GenericMethod ("discard", "@brief Method void QRandomGenerator::discard(unsigned long long int z)\n", false, &_init_f_discard_2924, &_call_f_discard_2924); + methods += new qt_gsi::GenericMethod ("generate", "@brief Method quint32 QRandomGenerator::generate()\n", false, &_init_f_generate_0, &_call_f_generate_0); + methods += new qt_gsi::GenericMethod ("generate", "@brief Method void QRandomGenerator::generate(quint32 *begin, quint32 *end)\n", false, &_init_f_generate_2460, &_call_f_generate_2460); + methods += new qt_gsi::GenericMethod ("generate64", "@brief Method quint64 QRandomGenerator::generate64()\n", false, &_init_f_generate64_0, &_call_f_generate64_0); + methods += new qt_gsi::GenericMethod ("generateDouble", "@brief Method double QRandomGenerator::generateDouble()\n", false, &_init_f_generateDouble_0, &_call_f_generateDouble_0); + methods += new qt_gsi::GenericMethod ("()", "@brief Method quint32 QRandomGenerator::operator()()\n", false, &_init_f_operator_func__0, &_call_f_operator_func__0); + methods += new qt_gsi::GenericMethod ("assign", "@brief Method QRandomGenerator &QRandomGenerator::operator=(const QRandomGenerator &other)\n", false, &_init_f_operator_eq__2938, &_call_f_operator_eq__2938); + methods += new qt_gsi::GenericMethod ("seed", "@brief Method void QRandomGenerator::seed(quint32 s)\n", false, &_init_f_seed_1098, &_call_f_seed_1098); + methods += new qt_gsi::GenericStaticMethod ("global", "@brief Static method QRandomGenerator *QRandomGenerator::global()\nThis method is static and can be called without an instance.", &_init_f_global_0, &_call_f_global_0); + methods += new qt_gsi::GenericStaticMethod ("max", "@brief Static method quint32 QRandomGenerator::max()\nThis method is static and can be called without an instance.", &_init_f_max_0, &_call_f_max_0); + methods += new qt_gsi::GenericStaticMethod ("min", "@brief Static method quint32 QRandomGenerator::min()\nThis method is static and can be called without an instance.", &_init_f_min_0, &_call_f_min_0); + methods += new qt_gsi::GenericStaticMethod ("securelySeeded", "@brief Static method QRandomGenerator QRandomGenerator::securelySeeded()\nThis method is static and can be called without an instance.", &_init_f_securelySeeded_0, &_call_f_securelySeeded_0); + methods += new qt_gsi::GenericStaticMethod ("system", "@brief Static method QRandomGenerator *QRandomGenerator::system()\nThis method is static and can be called without an instance.", &_init_f_system_0, &_call_f_system_0); + return methods; +} + +gsi::Class decl_QRandomGenerator ("QtCore", "QRandomGenerator", + methods_QRandomGenerator (), + "@qt\n@brief Binding of QRandomGenerator"); + + +GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QRandomGenerator () { return decl_QRandomGenerator; } + +} + diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQRandomGenerator64.cc b/src/gsiqt/qt5/QtCore/gsiDeclQRandomGenerator64.cc new file mode 100644 index 0000000000..9143d76d56 --- /dev/null +++ b/src/gsiqt/qt5/QtCore/gsiDeclQRandomGenerator64.cc @@ -0,0 +1,255 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +/** +* @file gsiDeclQRandomGenerator64.cc +* +* DO NOT EDIT THIS FILE. +* This file has been created automatically +*/ + +#include +#include +#include "gsiQt.h" +#include "gsiQtCoreCommon.h" +#include + +// ----------------------------------------------------------------------- +// class QRandomGenerator64 + +// Constructor QRandomGenerator64::QRandomGenerator64(quint32 seedValue) + + +static void _init_ctor_QRandomGenerator64_1098 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("seedValue", true, "1"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QRandomGenerator64_1098 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + quint32 arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (1, heap); + ret.write (new QRandomGenerator64 (arg1)); +} + + +// Constructor QRandomGenerator64::QRandomGenerator64(const QRandomGenerator &other) + + +static void _init_ctor_QRandomGenerator64_2938 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QRandomGenerator64_2938 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QRandomGenerator &arg1 = gsi::arg_reader() (args, heap); + ret.write (new QRandomGenerator64 (arg1)); +} + + +// void QRandomGenerator64::discard(unsigned long long int z) + + +static void _init_f_discard_2924 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("z"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_discard_2924 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + unsigned long long int arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QRandomGenerator64 *)cls)->discard (arg1); +} + + +// void QRandomGenerator64::generate(quint32 *begin, quint32 *end) + + +static void _init_f_generate_2460 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("begin"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("end"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_generate_2460 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + quint32 *arg1 = gsi::arg_reader() (args, heap); + quint32 *arg2 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QRandomGenerator64 *)cls)->generate (arg1, arg2); +} + + +// quint64 QRandomGenerator64::generate() + + +static void _init_f_generate_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_generate_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((quint64)((QRandomGenerator64 *)cls)->generate ()); +} + + +// quint32 QRandomGenerator64::operator()() + + +static void _init_f_operator_func__0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_operator_func__0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((quint32)((QRandomGenerator64 *)cls)->operator() ()); +} + + +// static QRandomGenerator64 *QRandomGenerator64::global() + + +static void _init_f_global_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_global_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QRandomGenerator64 *)QRandomGenerator64::global ()); +} + + +// static quint32 QRandomGenerator64::max() + + +static void _init_f_max_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_max_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((quint32)QRandomGenerator64::max ()); +} + + +// static quint32 QRandomGenerator64::min() + + +static void _init_f_min_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_min_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((quint32)QRandomGenerator64::min ()); +} + + +// static QRandomGenerator64 QRandomGenerator64::securelySeeded() + + +static void _init_f_securelySeeded_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_securelySeeded_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QRandomGenerator64)QRandomGenerator64::securelySeeded ()); +} + + +// static QRandomGenerator64 *QRandomGenerator64::system() + + +static void _init_f_system_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_system_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QRandomGenerator64 *)QRandomGenerator64::system ()); +} + + + +namespace gsi +{ + +static gsi::Methods methods_QRandomGenerator64 () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRandomGenerator64::QRandomGenerator64(quint32 seedValue)\nThis method creates an object of class QRandomGenerator64.", &_init_ctor_QRandomGenerator64_1098, &_call_ctor_QRandomGenerator64_1098); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRandomGenerator64::QRandomGenerator64(const QRandomGenerator &other)\nThis method creates an object of class QRandomGenerator64.", &_init_ctor_QRandomGenerator64_2938, &_call_ctor_QRandomGenerator64_2938); + methods += new qt_gsi::GenericMethod ("discard", "@brief Method void QRandomGenerator64::discard(unsigned long long int z)\n", false, &_init_f_discard_2924, &_call_f_discard_2924); + methods += new qt_gsi::GenericMethod ("generate", "@brief Method void QRandomGenerator64::generate(quint32 *begin, quint32 *end)\n", false, &_init_f_generate_2460, &_call_f_generate_2460); + methods += new qt_gsi::GenericMethod ("generate", "@brief Method quint64 QRandomGenerator64::generate()\n", false, &_init_f_generate_0, &_call_f_generate_0); + methods += new qt_gsi::GenericMethod ("()", "@brief Method quint32 QRandomGenerator64::operator()()\n", false, &_init_f_operator_func__0, &_call_f_operator_func__0); + methods += new qt_gsi::GenericStaticMethod ("global", "@brief Static method QRandomGenerator64 *QRandomGenerator64::global()\nThis method is static and can be called without an instance.", &_init_f_global_0, &_call_f_global_0); + methods += new qt_gsi::GenericStaticMethod ("max", "@brief Static method quint32 QRandomGenerator64::max()\nThis method is static and can be called without an instance.", &_init_f_max_0, &_call_f_max_0); + methods += new qt_gsi::GenericStaticMethod ("min", "@brief Static method quint32 QRandomGenerator64::min()\nThis method is static and can be called without an instance.", &_init_f_min_0, &_call_f_min_0); + methods += new qt_gsi::GenericStaticMethod ("securelySeeded", "@brief Static method QRandomGenerator64 QRandomGenerator64::securelySeeded()\nThis method is static and can be called without an instance.", &_init_f_securelySeeded_0, &_call_f_securelySeeded_0); + methods += new qt_gsi::GenericStaticMethod ("system", "@brief Static method QRandomGenerator64 *QRandomGenerator64::system()\nThis method is static and can be called without an instance.", &_init_f_system_0, &_call_f_system_0); + return methods; +} + +gsi::Class &qtdecl_QRandomGenerator (); + +gsi::Class decl_QRandomGenerator64 (qtdecl_QRandomGenerator (), "QtCore", "QRandomGenerator64", + methods_QRandomGenerator64 (), + "@qt\n@brief Binding of QRandomGenerator64"); + + +GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QRandomGenerator64 () { return decl_QRandomGenerator64; } + +} + diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQRect.cc b/src/gsiqt/qt5/QtCore/gsiDeclQRect.cc index d5c654d852..4f8819edbf 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQRect.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQRect.cc @@ -1371,6 +1371,21 @@ static void _call_f_translated_c1916 (const qt_gsi::GenericMethod * /*decl*/, vo } +// QRect QRect::transposed() + + +static void _init_f_transposed_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_transposed_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QRect)((QRect *)cls)->transposed ()); +} + + // QRect QRect::united(const QRect &other) @@ -1528,6 +1543,7 @@ static gsi::Methods methods_QRect () { methods += new qt_gsi::GenericMethod ("translate", "@brief Method void QRect::translate(const QPoint &p)\n", false, &_init_f_translate_1916, &_call_f_translate_1916); methods += new qt_gsi::GenericMethod ("translated", "@brief Method QRect QRect::translated(int dx, int dy)\n", true, &_init_f_translated_c1426, &_call_f_translated_c1426); methods += new qt_gsi::GenericMethod ("translated", "@brief Method QRect QRect::translated(const QPoint &p)\n", true, &_init_f_translated_c1916, &_call_f_translated_c1916); + methods += new qt_gsi::GenericMethod ("transposed", "@brief Method QRect QRect::transposed()\n", true, &_init_f_transposed_c0, &_call_f_transposed_c0); methods += new qt_gsi::GenericMethod ("united", "@brief Method QRect QRect::united(const QRect &other)\n", true, &_init_f_united_c1792, &_call_f_united_c1792); methods += new qt_gsi::GenericMethod (":width", "@brief Method int QRect::width()\n", true, &_init_f_width_c0, &_call_f_width_c0); methods += new qt_gsi::GenericMethod (":x", "@brief Method int QRect::x()\n", true, &_init_f_x_c0, &_call_f_x_c0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQRectF.cc b/src/gsiqt/qt5/QtCore/gsiDeclQRectF.cc index a44e5553d9..910be50f68 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQRectF.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQRectF.cc @@ -1390,6 +1390,21 @@ static void _call_f_translated_c1986 (const qt_gsi::GenericMethod * /*decl*/, vo } +// QRectF QRectF::transposed() + + +static void _init_f_transposed_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_transposed_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QRectF)((QRectF *)cls)->transposed ()); +} + + // QRectF QRectF::united(const QRectF &other) @@ -1549,6 +1564,7 @@ static gsi::Methods methods_QRectF () { methods += new qt_gsi::GenericMethod ("translate", "@brief Method void QRectF::translate(const QPointF &p)\n", false, &_init_f_translate_1986, &_call_f_translate_1986); methods += new qt_gsi::GenericMethod ("translated", "@brief Method QRectF QRectF::translated(double dx, double dy)\n", true, &_init_f_translated_c2034, &_call_f_translated_c2034); methods += new qt_gsi::GenericMethod ("translated", "@brief Method QRectF QRectF::translated(const QPointF &p)\n", true, &_init_f_translated_c1986, &_call_f_translated_c1986); + methods += new qt_gsi::GenericMethod ("transposed", "@brief Method QRectF QRectF::transposed()\n", true, &_init_f_transposed_c0, &_call_f_transposed_c0); methods += new qt_gsi::GenericMethod ("united", "@brief Method QRectF QRectF::united(const QRectF &other)\n", true, &_init_f_united_c1862, &_call_f_united_c1862); methods += new qt_gsi::GenericMethod (":width", "@brief Method double QRectF::width()\n", true, &_init_f_width_c0, &_call_f_width_c0); methods += new qt_gsi::GenericMethod (":x", "@brief Method double QRectF::x()\n", true, &_init_f_x_c0, &_call_f_x_c0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQRegularExpression.cc b/src/gsiqt/qt5/QtCore/gsiDeclQRegularExpression.cc index d1c1859170..3f1160aec4 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQRegularExpression.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQRegularExpression.cc @@ -387,6 +387,25 @@ static void _call_f_swap_2493 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// static QString QRegularExpression::anchoredPattern(const QString &expression) + + +static void _init_f_anchoredPattern_2025 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("expression"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_anchoredPattern_2025 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QString)QRegularExpression::anchoredPattern (arg1)); +} + + // static QString QRegularExpression::escape(const QString &str) @@ -406,6 +425,25 @@ static void _call_f_escape_2025 (const qt_gsi::GenericStaticMethod * /*decl*/, g } +// static QString QRegularExpression::wildcardToRegularExpression(const QString &str) + + +static void _init_f_wildcardToRegularExpression_2025 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("str"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_wildcardToRegularExpression_2025 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QString)QRegularExpression::wildcardToRegularExpression (arg1)); +} + + namespace gsi { @@ -431,7 +469,9 @@ static gsi::Methods methods_QRegularExpression () { methods += new qt_gsi::GenericMethod ("setPattern|pattern=", "@brief Method void QRegularExpression::setPattern(const QString &pattern)\n", false, &_init_f_setPattern_2025, &_call_f_setPattern_2025); methods += new qt_gsi::GenericMethod ("setPatternOptions|patternOptions=", "@brief Method void QRegularExpression::setPatternOptions(QFlags options)\n", false, &_init_f_setPatternOptions_4490, &_call_f_setPatternOptions_4490); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QRegularExpression::swap(QRegularExpression &other)\n", false, &_init_f_swap_2493, &_call_f_swap_2493); + methods += new qt_gsi::GenericStaticMethod ("anchoredPattern", "@brief Static method QString QRegularExpression::anchoredPattern(const QString &expression)\nThis method is static and can be called without an instance.", &_init_f_anchoredPattern_2025, &_call_f_anchoredPattern_2025); methods += new qt_gsi::GenericStaticMethod ("escape", "@brief Static method QString QRegularExpression::escape(const QString &str)\nThis method is static and can be called without an instance.", &_init_f_escape_2025, &_call_f_escape_2025); + methods += new qt_gsi::GenericStaticMethod ("wildcardToRegularExpression", "@brief Static method QString QRegularExpression::wildcardToRegularExpression(const QString &str)\nThis method is static and can be called without an instance.", &_init_f_wildcardToRegularExpression_2025, &_call_f_wildcardToRegularExpression_2025); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQResource.cc b/src/gsiqt/qt5/QtCore/gsiDeclQResource.cc index 8463906612..5bcb3bf80e 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQResource.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQResource.cc @@ -28,6 +28,7 @@ */ #include +#include #include #include "gsiQt.h" #include "gsiQtCoreCommon.h" @@ -133,6 +134,21 @@ static void _call_f_isValid_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cl } +// QDateTime QResource::lastModified() + + +static void _init_f_lastModified_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_lastModified_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QDateTime)((QResource *)cls)->lastModified ()); +} + + // QLocale QResource::locale() @@ -338,6 +354,7 @@ static gsi::Methods methods_QResource () { methods += new qt_gsi::GenericMethod (":fileName", "@brief Method QString QResource::fileName()\n", true, &_init_f_fileName_c0, &_call_f_fileName_c0); methods += new qt_gsi::GenericMethod ("isCompressed?", "@brief Method bool QResource::isCompressed()\n", true, &_init_f_isCompressed_c0, &_call_f_isCompressed_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QResource::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); + methods += new qt_gsi::GenericMethod ("lastModified", "@brief Method QDateTime QResource::lastModified()\n", true, &_init_f_lastModified_c0, &_call_f_lastModified_c0); methods += new qt_gsi::GenericMethod (":locale", "@brief Method QLocale QResource::locale()\n", true, &_init_f_locale_c0, &_call_f_locale_c0); methods += new qt_gsi::GenericMethod ("setFileName|fileName=", "@brief Method void QResource::setFileName(const QString &file)\n", false, &_init_f_setFileName_2025, &_call_f_setFileName_2025); methods += new qt_gsi::GenericMethod ("setLocale|locale=", "@brief Method void QResource::setLocale(const QLocale &locale)\n", false, &_init_f_setLocale_1986, &_call_f_setLocale_1986); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSaveFile.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSaveFile.cc index a592344e45..2a695c16d7 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSaveFile.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSaveFile.cc @@ -29,6 +29,7 @@ #include #include +#include #include #include #include @@ -239,6 +240,8 @@ static gsi::Methods methods_QSaveFile () { methods += new qt_gsi::GenericMethod ("setFileName|fileName=", "@brief Method void QSaveFile::setFileName(const QString &name)\n", false, &_init_f_setFileName_2025, &_call_f_setFileName_2025); methods += gsi::qt_signal ("aboutToClose()", "aboutToClose", "@brief Signal declaration for QSaveFile::aboutToClose()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("bytesWritten(qint64)", "bytesWritten", gsi::arg("bytes"), "@brief Signal declaration for QSaveFile::bytesWritten(qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelBytesWritten(int, qint64)", "channelBytesWritten", gsi::arg("channel"), gsi::arg("bytes"), "@brief Signal declaration for QSaveFile::channelBytesWritten(int channel, qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelReadyRead(int)", "channelReadyRead", gsi::arg("channel"), "@brief Signal declaration for QSaveFile::channelReadyRead(int channel)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QSaveFile::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QSaveFile::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("readChannelFinished()", "readChannelFinished", "@brief Signal declaration for QSaveFile::readChannelFinished()\nYou can bind a procedure to this signal."); @@ -391,39 +394,51 @@ class QSaveFile_Adaptor : public QSaveFile, public qt_gsi::QtObjectBase } } + // [emitter impl] void QSaveFile::channelBytesWritten(int channel, qint64 bytes) + void emitter_QSaveFile_channelBytesWritten_1645(int channel, qint64 bytes) + { + emit QSaveFile::channelBytesWritten(channel, bytes); + } + + // [emitter impl] void QSaveFile::channelReadyRead(int channel) + void emitter_QSaveFile_channelReadyRead_767(int channel) + { + emit QSaveFile::channelReadyRead(channel); + } + // [emitter impl] void QSaveFile::destroyed(QObject *) void emitter_QSaveFile_destroyed_1302(QObject *arg1) { emit QSaveFile::destroyed(arg1); } - // [adaptor impl] bool QSaveFile::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QSaveFile::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QSaveFile::event(arg1); + return QSaveFile::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QSaveFile_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QSaveFile_Adaptor::cbs_event_1217_0, _event); } else { - return QSaveFile::event(arg1); + return QSaveFile::event(_event); } } - // [adaptor impl] bool QSaveFile::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSaveFile::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSaveFile::eventFilter(arg1, arg2); + return QSaveFile::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSaveFile_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSaveFile_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSaveFile::eventFilter(arg1, arg2); + return QSaveFile::eventFilter(watched, event); } } @@ -626,33 +641,33 @@ class QSaveFile_Adaptor : public QSaveFile, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSaveFile::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSaveFile::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSaveFile::childEvent(arg1); + QSaveFile::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSaveFile_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSaveFile_Adaptor::cbs_childEvent_1701_0, event); } else { - QSaveFile::childEvent(arg1); + QSaveFile::childEvent(event); } } - // [adaptor impl] void QSaveFile::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSaveFile::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSaveFile::customEvent(arg1); + QSaveFile::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSaveFile_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSaveFile_Adaptor::cbs_customEvent_1217_0, event); } else { - QSaveFile::customEvent(arg1); + QSaveFile::customEvent(event); } } @@ -671,18 +686,18 @@ class QSaveFile_Adaptor : public QSaveFile, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSaveFile::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSaveFile::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSaveFile::timerEvent(arg1); + QSaveFile::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSaveFile_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSaveFile_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSaveFile::timerEvent(arg1); + QSaveFile::timerEvent(event); } } @@ -750,7 +765,7 @@ static void _call_ctor_QSaveFile_Adaptor_2025 (const qt_gsi::GenericStaticMethod static void _init_ctor_QSaveFile_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -759,7 +774,7 @@ static void _call_ctor_QSaveFile_Adaptor_1302 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSaveFile_Adaptor (arg1)); } @@ -893,11 +908,50 @@ static void _set_callback_cbs_canReadLine_c0_0 (void *cls, const gsi::Callback & } -// void QSaveFile::childEvent(QChildEvent *) +// emitter void QSaveFile::channelBytesWritten(int channel, qint64 bytes) + +static void _init_emitter_channelBytesWritten_1645 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("channel"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("bytes"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_channelBytesWritten_1645 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + qint64 arg2 = gsi::arg_reader() (args, heap); + ((QSaveFile_Adaptor *)cls)->emitter_QSaveFile_channelBytesWritten_1645 (arg1, arg2); +} + + +// emitter void QSaveFile::channelReadyRead(int channel) + +static void _init_emitter_channelReadyRead_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("channel"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_channelReadyRead_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QSaveFile_Adaptor *)cls)->emitter_QSaveFile_channelReadyRead_767 (arg1); +} + + +// void QSaveFile::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -917,11 +971,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QSaveFile::customEvent(QEvent *) +// void QSaveFile::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -945,7 +999,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -954,7 +1008,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSaveFile_Adaptor *)cls)->emitter_QSaveFile_destroyed_1302 (arg1); } @@ -983,11 +1037,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QSaveFile::event(QEvent *) +// bool QSaveFile::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1006,13 +1060,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSaveFile::eventFilter(QObject *, QEvent *) +// bool QSaveFile::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1386,11 +1440,11 @@ static void _set_callback_cbs_size_c0_0 (void *cls, const gsi::Callback &cb) } -// void QSaveFile::timerEvent(QTimerEvent *) +// void QSaveFile::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1502,16 +1556,18 @@ static gsi::Methods methods_QSaveFile_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_bytesWritten", "@brief Emitter for signal void QSaveFile::bytesWritten(qint64 bytes)\nCall this method to emit this signal.", false, &_init_emitter_bytesWritten_986, &_call_emitter_bytesWritten_986); methods += new qt_gsi::GenericMethod ("canReadLine", "@brief Virtual method bool QSaveFile::canReadLine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_canReadLine_c0_0, &_call_cbs_canReadLine_c0_0); methods += new qt_gsi::GenericMethod ("canReadLine", "@hide", true, &_init_cbs_canReadLine_c0_0, &_call_cbs_canReadLine_c0_0, &_set_callback_cbs_canReadLine_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSaveFile::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("emit_channelBytesWritten", "@brief Emitter for signal void QSaveFile::channelBytesWritten(int channel, qint64 bytes)\nCall this method to emit this signal.", false, &_init_emitter_channelBytesWritten_1645, &_call_emitter_channelBytesWritten_1645); + methods += new qt_gsi::GenericMethod ("emit_channelReadyRead", "@brief Emitter for signal void QSaveFile::channelReadyRead(int channel)\nCall this method to emit this signal.", false, &_init_emitter_channelReadyRead_767, &_call_emitter_channelReadyRead_767); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSaveFile::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSaveFile::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSaveFile::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSaveFile::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSaveFile::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSaveFile::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSaveFile::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSaveFile::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSaveFile::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fileName", "@brief Virtual method QString QSaveFile::fileName()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_fileName_c0_0, &_call_cbs_fileName_c0_0); methods += new qt_gsi::GenericMethod ("fileName", "@hide", true, &_init_cbs_fileName_c0_0, &_call_cbs_fileName_c0_0, &_set_callback_cbs_fileName_c0_0); @@ -1542,7 +1598,7 @@ static gsi::Methods methods_QSaveFile_Adaptor () { methods += new qt_gsi::GenericMethod ("setPermissions", "@hide", false, &_init_cbs_setPermissions_3370_0, &_call_cbs_setPermissions_3370_0, &_set_callback_cbs_setPermissions_3370_0); methods += new qt_gsi::GenericMethod ("size", "@brief Virtual method qint64 QSaveFile::size()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_size_c0_0, &_call_cbs_size_c0_0); methods += new qt_gsi::GenericMethod ("size", "@hide", true, &_init_cbs_size_c0_0, &_call_cbs_size_c0_0, &_set_callback_cbs_size_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSaveFile::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSaveFile::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("waitForBytesWritten", "@brief Virtual method bool QSaveFile::waitForBytesWritten(int msecs)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_waitForBytesWritten_767_0, &_call_cbs_waitForBytesWritten_767_0); methods += new qt_gsi::GenericMethod ("waitForBytesWritten", "@hide", false, &_init_cbs_waitForBytesWritten_767_0, &_call_cbs_waitForBytesWritten_767_0, &_set_callback_cbs_waitForBytesWritten_767_0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSemaphoreReleaser.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSemaphoreReleaser.cc new file mode 100644 index 0000000000..dee49befa9 --- /dev/null +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSemaphoreReleaser.cc @@ -0,0 +1,171 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +/** +* @file gsiDeclQSemaphoreReleaser.cc +* +* DO NOT EDIT THIS FILE. +* This file has been created automatically +*/ + +#include +#include +#include "gsiQt.h" +#include "gsiQtCoreCommon.h" +#include + +// ----------------------------------------------------------------------- +// class QSemaphoreReleaser + +// Constructor QSemaphoreReleaser::QSemaphoreReleaser() + + +static void _init_ctor_QSemaphoreReleaser_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return_new (); +} + +static void _call_ctor_QSemaphoreReleaser_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write (new QSemaphoreReleaser ()); +} + + +// Constructor QSemaphoreReleaser::QSemaphoreReleaser(QSemaphore &sem, int n) + + +static void _init_ctor_QSemaphoreReleaser_2290 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("sem"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("n", true, "1"); + decl->add_arg (argspec_1); + decl->set_return_new (); +} + +static void _call_ctor_QSemaphoreReleaser_2290 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QSemaphore &arg1 = gsi::arg_reader() (args, heap); + int arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (1, heap); + ret.write (new QSemaphoreReleaser (arg1, arg2)); +} + + +// Constructor QSemaphoreReleaser::QSemaphoreReleaser(QSemaphore *sem, int n) + + +static void _init_ctor_QSemaphoreReleaser_2294 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("sem"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("n", true, "1"); + decl->add_arg (argspec_1); + decl->set_return_new (); +} + +static void _call_ctor_QSemaphoreReleaser_2294 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QSemaphore *arg1 = gsi::arg_reader() (args, heap); + int arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (1, heap); + ret.write (new QSemaphoreReleaser (arg1, arg2)); +} + + +// QSemaphore *QSemaphoreReleaser::cancel() + + +static void _init_f_cancel_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_cancel_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QSemaphore *)((QSemaphoreReleaser *)cls)->cancel ()); +} + + +// QSemaphore *QSemaphoreReleaser::semaphore() + + +static void _init_f_semaphore_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_semaphore_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QSemaphore *)((QSemaphoreReleaser *)cls)->semaphore ()); +} + + +// void QSemaphoreReleaser::swap(QSemaphoreReleaser &other) + + +static void _init_f_swap_2450 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_swap_2450 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QSemaphoreReleaser &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QSemaphoreReleaser *)cls)->swap (arg1); +} + + + +namespace gsi +{ + +static gsi::Methods methods_QSemaphoreReleaser () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSemaphoreReleaser::QSemaphoreReleaser()\nThis method creates an object of class QSemaphoreReleaser.", &_init_ctor_QSemaphoreReleaser_0, &_call_ctor_QSemaphoreReleaser_0); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSemaphoreReleaser::QSemaphoreReleaser(QSemaphore &sem, int n)\nThis method creates an object of class QSemaphoreReleaser.", &_init_ctor_QSemaphoreReleaser_2290, &_call_ctor_QSemaphoreReleaser_2290); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSemaphoreReleaser::QSemaphoreReleaser(QSemaphore *sem, int n)\nThis method creates an object of class QSemaphoreReleaser.", &_init_ctor_QSemaphoreReleaser_2294, &_call_ctor_QSemaphoreReleaser_2294); + methods += new qt_gsi::GenericMethod ("cancel", "@brief Method QSemaphore *QSemaphoreReleaser::cancel()\n", false, &_init_f_cancel_0, &_call_f_cancel_0); + methods += new qt_gsi::GenericMethod ("semaphore", "@brief Method QSemaphore *QSemaphoreReleaser::semaphore()\n", true, &_init_f_semaphore_c0, &_call_f_semaphore_c0); + methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QSemaphoreReleaser::swap(QSemaphoreReleaser &other)\n", false, &_init_f_swap_2450, &_call_f_swap_2450); + return methods; +} + +gsi::Class decl_QSemaphoreReleaser ("QtCore", "QSemaphoreReleaser", + methods_QSemaphoreReleaser (), + "@qt\n@brief Binding of QSemaphoreReleaser"); + + +GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QSemaphoreReleaser () { return decl_QSemaphoreReleaser; } + +} + diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSequentialAnimationGroup.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSequentialAnimationGroup.cc index b99228c8f9..bf76def5e0 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSequentialAnimationGroup.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSequentialAnimationGroup.cc @@ -288,18 +288,18 @@ class QSequentialAnimationGroup_Adaptor : public QSequentialAnimationGroup, publ } } - // [adaptor impl] bool QSequentialAnimationGroup::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSequentialAnimationGroup::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSequentialAnimationGroup::eventFilter(arg1, arg2); + return QSequentialAnimationGroup::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSequentialAnimationGroup_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSequentialAnimationGroup_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSequentialAnimationGroup::eventFilter(arg1, arg2); + return QSequentialAnimationGroup::eventFilter(watched, event); } } @@ -322,33 +322,33 @@ class QSequentialAnimationGroup_Adaptor : public QSequentialAnimationGroup, publ emit QSequentialAnimationGroup::stateChanged(newState, oldState); } - // [adaptor impl] void QSequentialAnimationGroup::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSequentialAnimationGroup::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSequentialAnimationGroup::childEvent(arg1); + QSequentialAnimationGroup::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSequentialAnimationGroup_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSequentialAnimationGroup_Adaptor::cbs_childEvent_1701_0, event); } else { - QSequentialAnimationGroup::childEvent(arg1); + QSequentialAnimationGroup::childEvent(event); } } - // [adaptor impl] void QSequentialAnimationGroup::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSequentialAnimationGroup::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSequentialAnimationGroup::customEvent(arg1); + QSequentialAnimationGroup::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSequentialAnimationGroup_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSequentialAnimationGroup_Adaptor::cbs_customEvent_1217_0, event); } else { - QSequentialAnimationGroup::customEvent(arg1); + QSequentialAnimationGroup::customEvent(event); } } @@ -382,18 +382,18 @@ class QSequentialAnimationGroup_Adaptor : public QSequentialAnimationGroup, publ } } - // [adaptor impl] void QSequentialAnimationGroup::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSequentialAnimationGroup::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSequentialAnimationGroup::timerEvent(arg1); + QSequentialAnimationGroup::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSequentialAnimationGroup_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSequentialAnimationGroup_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSequentialAnimationGroup::timerEvent(arg1); + QSequentialAnimationGroup::timerEvent(event); } } @@ -460,7 +460,7 @@ QSequentialAnimationGroup_Adaptor::~QSequentialAnimationGroup_Adaptor() { } static void _init_ctor_QSequentialAnimationGroup_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -469,16 +469,16 @@ static void _call_ctor_QSequentialAnimationGroup_Adaptor_1302 (const qt_gsi::Gen { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSequentialAnimationGroup_Adaptor (arg1)); } -// void QSequentialAnimationGroup::childEvent(QChildEvent *) +// void QSequentialAnimationGroup::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -534,11 +534,11 @@ static void _call_emitter_currentLoopChanged_767 (const qt_gsi::GenericMethod * } -// void QSequentialAnimationGroup::customEvent(QEvent *) +// void QSequentialAnimationGroup::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -562,7 +562,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -571,7 +571,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSequentialAnimationGroup_Adaptor *)cls)->emitter_QSequentialAnimationGroup_destroyed_1302 (arg1); } @@ -660,13 +660,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSequentialAnimationGroup::eventFilter(QObject *, QEvent *) +// bool QSequentialAnimationGroup::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -803,11 +803,11 @@ static void _call_emitter_stateChanged_5680 (const qt_gsi::GenericMethod * /*dec } -// void QSequentialAnimationGroup::timerEvent(QTimerEvent *) +// void QSequentialAnimationGroup::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -910,11 +910,11 @@ gsi::Class &qtdecl_QSequentialAnimationGroup (); static gsi::Methods methods_QSequentialAnimationGroup_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSequentialAnimationGroup::QSequentialAnimationGroup(QObject *parent)\nThis method creates an object of class QSequentialAnimationGroup.", &_init_ctor_QSequentialAnimationGroup_Adaptor_1302, &_call_ctor_QSequentialAnimationGroup_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSequentialAnimationGroup::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSequentialAnimationGroup::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_currentAnimationChanged", "@brief Emitter for signal void QSequentialAnimationGroup::currentAnimationChanged(QAbstractAnimation *current)\nCall this method to emit this signal.", false, &_init_emitter_currentAnimationChanged_2451, &_call_emitter_currentAnimationChanged_2451); methods += new qt_gsi::GenericMethod ("emit_currentLoopChanged", "@brief Emitter for signal void QSequentialAnimationGroup::currentLoopChanged(int currentLoop)\nCall this method to emit this signal.", false, &_init_emitter_currentLoopChanged_767, &_call_emitter_currentLoopChanged_767); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSequentialAnimationGroup::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSequentialAnimationGroup::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSequentialAnimationGroup::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("emit_directionChanged", "@brief Emitter for signal void QSequentialAnimationGroup::directionChanged(QAbstractAnimation::Direction)\nCall this method to emit this signal.", false, &_init_emitter_directionChanged_3310, &_call_emitter_directionChanged_3310); @@ -924,7 +924,7 @@ static gsi::Methods methods_QSequentialAnimationGroup_Adaptor () { methods += new qt_gsi::GenericMethod ("duration", "@hide", true, &_init_cbs_duration_c0_0, &_call_cbs_duration_c0_0, &_set_callback_cbs_duration_c0_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QSequentialAnimationGroup::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSequentialAnimationGroup::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSequentialAnimationGroup::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QSequentialAnimationGroup::finished()\nCall this method to emit this signal.", false, &_init_emitter_finished_0, &_call_emitter_finished_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSequentialAnimationGroup::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); @@ -933,7 +933,7 @@ static gsi::Methods methods_QSequentialAnimationGroup_Adaptor () { methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QSequentialAnimationGroup::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QSequentialAnimationGroup::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QSequentialAnimationGroup::stateChanged(QAbstractAnimation::State newState, QAbstractAnimation::State oldState)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_5680, &_call_emitter_stateChanged_5680); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSequentialAnimationGroup::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSequentialAnimationGroup::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateCurrentTime", "@brief Virtual method void QSequentialAnimationGroup::updateCurrentTime(int)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_updateCurrentTime_767_0, &_call_cbs_updateCurrentTime_767_0); methods += new qt_gsi::GenericMethod ("*updateCurrentTime", "@hide", false, &_init_cbs_updateCurrentTime_767_0, &_call_cbs_updateCurrentTime_767_0, &_set_callback_cbs_updateCurrentTime_767_0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSettings.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSettings.cc index a7c5b29827..cf33789ff3 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSettings.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSettings.cc @@ -303,6 +303,21 @@ static void _call_f_group_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// bool QSettings::isAtomicSyncRequired() + + +static void _init_f_isAtomicSyncRequired_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isAtomicSyncRequired_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QSettings *)cls)->isAtomicSyncRequired ()); +} + + // bool QSettings::isWritable() @@ -388,6 +403,26 @@ static void _call_f_setArrayIndex_767 (const qt_gsi::GenericMethod * /*decl*/, v } +// void QSettings::setAtomicSyncRequired(bool enable) + + +static void _init_f_setAtomicSyncRequired_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("enable"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setAtomicSyncRequired_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QSettings *)cls)->setAtomicSyncRequired (arg1); +} + + // void QSettings::setFallbacksEnabled(bool b) @@ -656,11 +691,13 @@ static gsi::Methods methods_QSettings () { methods += new qt_gsi::GenericMethod ("fileName", "@brief Method QString QSettings::fileName()\n", true, &_init_f_fileName_c0, &_call_f_fileName_c0); methods += new qt_gsi::GenericMethod ("format", "@brief Method QSettings::Format QSettings::format()\n", true, &_init_f_format_c0, &_call_f_format_c0); methods += new qt_gsi::GenericMethod ("group", "@brief Method QString QSettings::group()\n", true, &_init_f_group_c0, &_call_f_group_c0); + methods += new qt_gsi::GenericMethod ("isAtomicSyncRequired?", "@brief Method bool QSettings::isAtomicSyncRequired()\n", true, &_init_f_isAtomicSyncRequired_c0, &_call_f_isAtomicSyncRequired_c0); methods += new qt_gsi::GenericMethod ("isWritable?", "@brief Method bool QSettings::isWritable()\n", true, &_init_f_isWritable_c0, &_call_f_isWritable_c0); methods += new qt_gsi::GenericMethod ("organizationName", "@brief Method QString QSettings::organizationName()\n", true, &_init_f_organizationName_c0, &_call_f_organizationName_c0); methods += new qt_gsi::GenericMethod ("remove", "@brief Method void QSettings::remove(const QString &key)\n", false, &_init_f_remove_2025, &_call_f_remove_2025); methods += new qt_gsi::GenericMethod ("scope", "@brief Method QSettings::Scope QSettings::scope()\n", true, &_init_f_scope_c0, &_call_f_scope_c0); methods += new qt_gsi::GenericMethod ("setArrayIndex", "@brief Method void QSettings::setArrayIndex(int i)\n", false, &_init_f_setArrayIndex_767, &_call_f_setArrayIndex_767); + methods += new qt_gsi::GenericMethod ("setAtomicSyncRequired", "@brief Method void QSettings::setAtomicSyncRequired(bool enable)\n", false, &_init_f_setAtomicSyncRequired_864, &_call_f_setAtomicSyncRequired_864); methods += new qt_gsi::GenericMethod ("setFallbacksEnabled|fallbacksEnabled=", "@brief Method void QSettings::setFallbacksEnabled(bool b)\n", false, &_init_f_setFallbacksEnabled_864, &_call_f_setFallbacksEnabled_864); methods += new qt_gsi::GenericMethod ("setValue", "@brief Method void QSettings::setValue(const QString &key, const QVariant &value)\n", false, &_init_f_setValue_4036, &_call_f_setValue_4036); methods += new qt_gsi::GenericMethod ("status", "@brief Method QSettings::Status QSettings::status()\n", true, &_init_f_status_c0, &_call_f_status_c0); @@ -799,18 +836,18 @@ class QSettings_Adaptor : public QSettings, public qt_gsi::QtObjectBase emit QSettings::destroyed(arg1); } - // [adaptor impl] bool QSettings::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSettings::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSettings::eventFilter(arg1, arg2); + return QSettings::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSettings_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSettings_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSettings::eventFilter(arg1, arg2); + return QSettings::eventFilter(watched, event); } } @@ -821,33 +858,33 @@ class QSettings_Adaptor : public QSettings, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QSettings::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QSettings::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSettings::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSettings::childEvent(arg1); + QSettings::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSettings_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSettings_Adaptor::cbs_childEvent_1701_0, event); } else { - QSettings::childEvent(arg1); + QSettings::childEvent(event); } } - // [adaptor impl] void QSettings::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSettings::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSettings::customEvent(arg1); + QSettings::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSettings_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSettings_Adaptor::cbs_customEvent_1217_0, event); } else { - QSettings::customEvent(arg1); + QSettings::customEvent(event); } } @@ -881,18 +918,18 @@ class QSettings_Adaptor : public QSettings, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSettings::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSettings::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSettings::timerEvent(arg1); + QSettings::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSettings_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSettings_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSettings::timerEvent(arg1); + QSettings::timerEvent(event); } } @@ -914,7 +951,7 @@ static void _init_ctor_QSettings_Adaptor_5136 (qt_gsi::GenericStaticMethod *decl decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("application", true, "QString()"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_2 ("parent", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -925,7 +962,7 @@ static void _call_ctor_QSettings_Adaptor_5136 (const qt_gsi::GenericStaticMethod tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); const QString &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); - QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSettings_Adaptor (arg1, arg2, arg3)); } @@ -940,7 +977,7 @@ static void _init_ctor_QSettings_Adaptor_7016 (qt_gsi::GenericStaticMethod *decl decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("application", true, "QString()"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_3 ("parent", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return_new (); } @@ -952,7 +989,7 @@ static void _call_ctor_QSettings_Adaptor_7016 (const qt_gsi::GenericStaticMethod const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); const QString &arg2 = gsi::arg_reader() (args, heap); const QString &arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); - QObject *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSettings_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4)); } @@ -969,7 +1006,7 @@ static void _init_ctor_QSettings_Adaptor_9007 (qt_gsi::GenericStaticMethod *decl decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("application", true, "QString()"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_4 ("parent", true, "nullptr"); decl->add_arg (argspec_4); decl->set_return_new (); } @@ -982,7 +1019,7 @@ static void _call_ctor_QSettings_Adaptor_9007 (const qt_gsi::GenericStaticMethod const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); const QString &arg3 = gsi::arg_reader() (args, heap); const QString &arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); - QObject *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSettings_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), qt_gsi::QtToCppAdaptor(arg2).cref(), arg3, arg4, arg5)); } @@ -995,7 +1032,7 @@ static void _init_ctor_QSettings_Adaptor_5210 (qt_gsi::GenericStaticMethod *decl decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("format"); decl->add_arg::target_type & > (argspec_1); - static gsi::ArgSpecBase argspec_2 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_2 ("parent", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -1006,7 +1043,7 @@ static void _call_ctor_QSettings_Adaptor_5210 (const qt_gsi::GenericStaticMethod tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); - QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSettings_Adaptor (arg1, qt_gsi::QtToCppAdaptor(arg2).cref(), arg3)); } @@ -1015,7 +1052,7 @@ static void _call_ctor_QSettings_Adaptor_5210 (const qt_gsi::GenericStaticMethod static void _init_ctor_QSettings_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1024,16 +1061,16 @@ static void _call_ctor_QSettings_Adaptor_1302 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSettings_Adaptor (arg1)); } -// void QSettings::childEvent(QChildEvent *) +// void QSettings::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1053,11 +1090,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QSettings::customEvent(QEvent *) +// void QSettings::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1081,7 +1118,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1090,7 +1127,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSettings_Adaptor *)cls)->emitter_QSettings_destroyed_1302 (arg1); } @@ -1142,13 +1179,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSettings::eventFilter(QObject *, QEvent *) +// bool QSettings::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1250,11 +1287,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QSettings::timerEvent(QTimerEvent *) +// void QSettings::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1286,23 +1323,23 @@ static gsi::Methods methods_QSettings_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSettings::QSettings(QSettings::Format format, QSettings::Scope scope, const QString &organization, const QString &application, QObject *parent)\nThis method creates an object of class QSettings.", &_init_ctor_QSettings_Adaptor_9007, &_call_ctor_QSettings_Adaptor_9007); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSettings::QSettings(const QString &fileName, QSettings::Format format, QObject *parent)\nThis method creates an object of class QSettings.", &_init_ctor_QSettings_Adaptor_5210, &_call_ctor_QSettings_Adaptor_5210); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSettings::QSettings(QObject *parent)\nThis method creates an object of class QSettings.", &_init_ctor_QSettings_Adaptor_1302, &_call_ctor_QSettings_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSettings::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSettings::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSettings::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSettings::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSettings::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSettings::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QSettings::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSettings::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSettings::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSettings::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QSettings::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QSettings::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QSettings::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QSettings::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSettings::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSettings::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSharedMemory.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSharedMemory.cc index e21f5e675b..4ac8752d81 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSharedMemory.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSharedMemory.cc @@ -373,7 +373,7 @@ static gsi::Methods methods_QSharedMemory () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("attach", "@brief Method bool QSharedMemory::attach(QSharedMemory::AccessMode mode)\n", false, &_init_f_attach_2848, &_call_f_attach_2848); methods += new qt_gsi::GenericMethod ("constData", "@brief Method const void *QSharedMemory::constData()\n", true, &_init_f_constData_c0, &_call_f_constData_c0); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Method bool QSharedMemory::create(int size, QSharedMemory::AccessMode mode)\n", false, &_init_f_create_3507, &_call_f_create_3507); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method bool QSharedMemory::create(int size, QSharedMemory::AccessMode mode)\n", false, &_init_f_create_3507, &_call_f_create_3507); methods += new qt_gsi::GenericMethod ("data", "@brief Method void *QSharedMemory::data()\n", false, &_init_f_data_0, &_call_f_data_0); methods += new qt_gsi::GenericMethod ("data", "@brief Method const void *QSharedMemory::data()\n", true, &_init_f_data_c0, &_call_f_data_c0); methods += new qt_gsi::GenericMethod ("detach", "@brief Method bool QSharedMemory::detach()\n", false, &_init_f_detach_0, &_call_f_detach_0); @@ -461,33 +461,33 @@ class QSharedMemory_Adaptor : public QSharedMemory, public qt_gsi::QtObjectBase emit QSharedMemory::destroyed(arg1); } - // [adaptor impl] bool QSharedMemory::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QSharedMemory::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QSharedMemory::event(arg1); + return QSharedMemory::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QSharedMemory_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QSharedMemory_Adaptor::cbs_event_1217_0, _event); } else { - return QSharedMemory::event(arg1); + return QSharedMemory::event(_event); } } - // [adaptor impl] bool QSharedMemory::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSharedMemory::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSharedMemory::eventFilter(arg1, arg2); + return QSharedMemory::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSharedMemory_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSharedMemory_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSharedMemory::eventFilter(arg1, arg2); + return QSharedMemory::eventFilter(watched, event); } } @@ -498,33 +498,33 @@ class QSharedMemory_Adaptor : public QSharedMemory, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QSharedMemory::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QSharedMemory::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSharedMemory::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSharedMemory::childEvent(arg1); + QSharedMemory::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSharedMemory_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSharedMemory_Adaptor::cbs_childEvent_1701_0, event); } else { - QSharedMemory::childEvent(arg1); + QSharedMemory::childEvent(event); } } - // [adaptor impl] void QSharedMemory::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSharedMemory::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSharedMemory::customEvent(arg1); + QSharedMemory::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSharedMemory_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSharedMemory_Adaptor::cbs_customEvent_1217_0, event); } else { - QSharedMemory::customEvent(arg1); + QSharedMemory::customEvent(event); } } @@ -543,18 +543,18 @@ class QSharedMemory_Adaptor : public QSharedMemory, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSharedMemory::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSharedMemory::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSharedMemory::timerEvent(arg1); + QSharedMemory::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSharedMemory_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSharedMemory_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSharedMemory::timerEvent(arg1); + QSharedMemory::timerEvent(event); } } @@ -572,7 +572,7 @@ QSharedMemory_Adaptor::~QSharedMemory_Adaptor() { } static void _init_ctor_QSharedMemory_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -581,7 +581,7 @@ static void _call_ctor_QSharedMemory_Adaptor_1302 (const qt_gsi::GenericStaticMe { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSharedMemory_Adaptor (arg1)); } @@ -592,7 +592,7 @@ static void _init_ctor_QSharedMemory_Adaptor_3219 (qt_gsi::GenericStaticMethod * { static gsi::ArgSpecBase argspec_0 ("key"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -602,16 +602,16 @@ static void _call_ctor_QSharedMemory_Adaptor_3219 (const qt_gsi::GenericStaticMe __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSharedMemory_Adaptor (arg1, arg2)); } -// void QSharedMemory::childEvent(QChildEvent *) +// void QSharedMemory::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -631,11 +631,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QSharedMemory::customEvent(QEvent *) +// void QSharedMemory::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -659,7 +659,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -668,7 +668,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSharedMemory_Adaptor *)cls)->emitter_QSharedMemory_destroyed_1302 (arg1); } @@ -697,11 +697,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QSharedMemory::event(QEvent *) +// bool QSharedMemory::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -720,13 +720,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSharedMemory::eventFilter(QObject *, QEvent *) +// bool QSharedMemory::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -828,11 +828,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QSharedMemory::timerEvent(QTimerEvent *) +// void QSharedMemory::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -861,23 +861,23 @@ static gsi::Methods methods_QSharedMemory_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSharedMemory::QSharedMemory(QObject *parent)\nThis method creates an object of class QSharedMemory.", &_init_ctor_QSharedMemory_Adaptor_1302, &_call_ctor_QSharedMemory_Adaptor_1302); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSharedMemory::QSharedMemory(const QString &key, QObject *parent)\nThis method creates an object of class QSharedMemory.", &_init_ctor_QSharedMemory_Adaptor_3219, &_call_ctor_QSharedMemory_Adaptor_3219); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSharedMemory::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSharedMemory::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSharedMemory::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSharedMemory::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSharedMemory::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSharedMemory::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSharedMemory::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSharedMemory::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSharedMemory::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSharedMemory::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSharedMemory::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QSharedMemory::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QSharedMemory::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QSharedMemory::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QSharedMemory::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSharedMemory::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSharedMemory::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSignalMapper.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSignalMapper.cc index eedc2ee224..03c6542cf5 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSignalMapper.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSignalMapper.cc @@ -412,33 +412,33 @@ class QSignalMapper_Adaptor : public QSignalMapper, public qt_gsi::QtObjectBase emit QSignalMapper::destroyed(arg1); } - // [adaptor impl] bool QSignalMapper::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QSignalMapper::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QSignalMapper::event(arg1); + return QSignalMapper::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QSignalMapper_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QSignalMapper_Adaptor::cbs_event_1217_0, _event); } else { - return QSignalMapper::event(arg1); + return QSignalMapper::event(_event); } } - // [adaptor impl] bool QSignalMapper::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSignalMapper::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSignalMapper::eventFilter(arg1, arg2); + return QSignalMapper::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSignalMapper_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSignalMapper_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSignalMapper::eventFilter(arg1, arg2); + return QSignalMapper::eventFilter(watched, event); } } @@ -473,33 +473,33 @@ class QSignalMapper_Adaptor : public QSignalMapper, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QSignalMapper::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QSignalMapper::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSignalMapper::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSignalMapper::childEvent(arg1); + QSignalMapper::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSignalMapper_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSignalMapper_Adaptor::cbs_childEvent_1701_0, event); } else { - QSignalMapper::childEvent(arg1); + QSignalMapper::childEvent(event); } } - // [adaptor impl] void QSignalMapper::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSignalMapper::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSignalMapper::customEvent(arg1); + QSignalMapper::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSignalMapper_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSignalMapper_Adaptor::cbs_customEvent_1217_0, event); } else { - QSignalMapper::customEvent(arg1); + QSignalMapper::customEvent(event); } } @@ -518,18 +518,18 @@ class QSignalMapper_Adaptor : public QSignalMapper, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSignalMapper::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSignalMapper::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSignalMapper::timerEvent(arg1); + QSignalMapper::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSignalMapper_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSignalMapper_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSignalMapper::timerEvent(arg1); + QSignalMapper::timerEvent(event); } } @@ -547,7 +547,7 @@ QSignalMapper_Adaptor::~QSignalMapper_Adaptor() { } static void _init_ctor_QSignalMapper_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -556,16 +556,16 @@ static void _call_ctor_QSignalMapper_Adaptor_1302 (const qt_gsi::GenericStaticMe { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSignalMapper_Adaptor (arg1)); } -// void QSignalMapper::childEvent(QChildEvent *) +// void QSignalMapper::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -585,11 +585,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QSignalMapper::customEvent(QEvent *) +// void QSignalMapper::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -613,7 +613,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -622,7 +622,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSignalMapper_Adaptor *)cls)->emitter_QSignalMapper_destroyed_1302 (arg1); } @@ -651,11 +651,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QSignalMapper::event(QEvent *) +// bool QSignalMapper::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -674,13 +674,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSignalMapper::eventFilter(QObject *, QEvent *) +// bool QSignalMapper::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -854,11 +854,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QSignalMapper::timerEvent(QTimerEvent *) +// void QSignalMapper::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -886,16 +886,16 @@ gsi::Class &qtdecl_QSignalMapper (); static gsi::Methods methods_QSignalMapper_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSignalMapper::QSignalMapper(QObject *parent)\nThis method creates an object of class QSignalMapper.", &_init_ctor_QSignalMapper_Adaptor_1302, &_call_ctor_QSignalMapper_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSignalMapper::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSignalMapper::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSignalMapper::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSignalMapper::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSignalMapper::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSignalMapper::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSignalMapper::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSignalMapper::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSignalMapper::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSignalMapper::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSignalMapper::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_mapped", "@brief Emitter for signal void QSignalMapper::mapped(int)\nCall this method to emit this signal.", false, &_init_emitter_mapped_767, &_call_emitter_mapped_767); @@ -906,7 +906,7 @@ static gsi::Methods methods_QSignalMapper_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QSignalMapper::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QSignalMapper::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QSignalMapper::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSignalMapper::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSignalMapper::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSignalTransition.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSignalTransition.cc index 417a0c9e1f..1ca21530e2 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSignalTransition.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSignalTransition.cc @@ -267,18 +267,18 @@ class QSignalTransition_Adaptor : public QSignalTransition, public qt_gsi::QtObj emit QSignalTransition::destroyed(arg1); } - // [adaptor impl] bool QSignalTransition::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSignalTransition::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSignalTransition::eventFilter(arg1, arg2); + return QSignalTransition::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSignalTransition_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSignalTransition_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSignalTransition::eventFilter(arg1, arg2); + return QSignalTransition::eventFilter(watched, event); } } @@ -319,33 +319,33 @@ class QSignalTransition_Adaptor : public QSignalTransition, public qt_gsi::QtObj throw tl::Exception ("Can't emit private signal 'void QSignalTransition::triggered()'"); } - // [adaptor impl] void QSignalTransition::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSignalTransition::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSignalTransition::childEvent(arg1); + QSignalTransition::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSignalTransition_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSignalTransition_Adaptor::cbs_childEvent_1701_0, event); } else { - QSignalTransition::childEvent(arg1); + QSignalTransition::childEvent(event); } } - // [adaptor impl] void QSignalTransition::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSignalTransition::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSignalTransition::customEvent(arg1); + QSignalTransition::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSignalTransition_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSignalTransition_Adaptor::cbs_customEvent_1217_0, event); } else { - QSignalTransition::customEvent(arg1); + QSignalTransition::customEvent(event); } } @@ -409,18 +409,18 @@ class QSignalTransition_Adaptor : public QSignalTransition, public qt_gsi::QtObj } } - // [adaptor impl] void QSignalTransition::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSignalTransition::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSignalTransition::timerEvent(arg1); + QSignalTransition::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSignalTransition_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSignalTransition_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSignalTransition::timerEvent(arg1); + QSignalTransition::timerEvent(event); } } @@ -440,7 +440,7 @@ QSignalTransition_Adaptor::~QSignalTransition_Adaptor() { } static void _init_ctor_QSignalTransition_Adaptor_1216 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("sourceState", true, "0"); + static gsi::ArgSpecBase argspec_0 ("sourceState", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -449,7 +449,7 @@ static void _call_ctor_QSignalTransition_Adaptor_1216 (const qt_gsi::GenericStat { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QState *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QState *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSignalTransition_Adaptor (arg1)); } @@ -462,7 +462,7 @@ static void _init_ctor_QSignalTransition_Adaptor_4728 (qt_gsi::GenericStaticMeth decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("signal"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("sourceState", true, "0"); + static gsi::ArgSpecBase argspec_2 ("sourceState", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -473,16 +473,16 @@ static void _call_ctor_QSignalTransition_Adaptor_4728 (const qt_gsi::GenericStat tl::Heap heap; const QObject *arg1 = gsi::arg_reader() (args, heap); const char *arg2 = gsi::arg_reader() (args, heap); - QState *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QState *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSignalTransition_Adaptor (arg1, arg2, arg3)); } -// void QSignalTransition::childEvent(QChildEvent *) +// void QSignalTransition::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -502,11 +502,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QSignalTransition::customEvent(QEvent *) +// void QSignalTransition::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -530,7 +530,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -539,7 +539,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSignalTransition_Adaptor *)cls)->emitter_QSignalTransition_destroyed_1302 (arg1); } @@ -591,13 +591,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSignalTransition::eventFilter(QObject *, QEvent *) +// bool QSignalTransition::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -802,11 +802,11 @@ static void _call_emitter_targetStatesChanged_3938 (const qt_gsi::GenericMethod } -// void QSignalTransition::timerEvent(QTimerEvent *) +// void QSignalTransition::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -849,16 +849,16 @@ static gsi::Methods methods_QSignalTransition_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSignalTransition::QSignalTransition(QState *sourceState)\nThis method creates an object of class QSignalTransition.", &_init_ctor_QSignalTransition_Adaptor_1216, &_call_ctor_QSignalTransition_Adaptor_1216); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSignalTransition::QSignalTransition(const QObject *sender, const char *signal, QState *sourceState)\nThis method creates an object of class QSignalTransition.", &_init_ctor_QSignalTransition_Adaptor_4728, &_call_ctor_QSignalTransition_Adaptor_4728); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSignalTransition::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSignalTransition::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSignalTransition::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSignalTransition::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSignalTransition::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSignalTransition::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QSignalTransition::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSignalTransition::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSignalTransition::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventTest", "@brief Virtual method bool QSignalTransition::eventTest(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventTest_1217_0, &_call_cbs_eventTest_1217_0); methods += new qt_gsi::GenericMethod ("*eventTest", "@hide", false, &_init_cbs_eventTest_1217_0, &_call_cbs_eventTest_1217_0, &_set_callback_cbs_eventTest_1217_0); @@ -873,7 +873,7 @@ static gsi::Methods methods_QSignalTransition_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_signalChanged", "@brief Emitter for signal void QSignalTransition::signalChanged()\nCall this method to emit this signal.", false, &_init_emitter_signalChanged_3724, &_call_emitter_signalChanged_3724); methods += new qt_gsi::GenericMethod ("emit_targetStateChanged", "@brief Emitter for signal void QSignalTransition::targetStateChanged()\nCall this method to emit this signal.", false, &_init_emitter_targetStateChanged_3938, &_call_emitter_targetStateChanged_3938); methods += new qt_gsi::GenericMethod ("emit_targetStatesChanged", "@brief Emitter for signal void QSignalTransition::targetStatesChanged()\nCall this method to emit this signal.", false, &_init_emitter_targetStatesChanged_3938, &_call_emitter_targetStatesChanged_3938); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSignalTransition::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSignalTransition::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_triggered", "@brief Emitter for signal void QSignalTransition::triggered()\nCall this method to emit this signal.", false, &_init_emitter_triggered_3938, &_call_emitter_triggered_3938); return methods; diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSocketNotifier.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSocketNotifier.cc index 1b5e43205a..1abeb8da27 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSocketNotifier.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSocketNotifier.cc @@ -249,18 +249,18 @@ class QSocketNotifier_Adaptor : public QSocketNotifier, public qt_gsi::QtObjectB emit QSocketNotifier::destroyed(arg1); } - // [adaptor impl] bool QSocketNotifier::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSocketNotifier::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSocketNotifier::eventFilter(arg1, arg2); + return QSocketNotifier::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSocketNotifier_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSocketNotifier_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSocketNotifier::eventFilter(arg1, arg2); + return QSocketNotifier::eventFilter(watched, event); } } @@ -271,33 +271,33 @@ class QSocketNotifier_Adaptor : public QSocketNotifier, public qt_gsi::QtObjectB throw tl::Exception ("Can't emit private signal 'void QSocketNotifier::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QSocketNotifier::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSocketNotifier::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSocketNotifier::childEvent(arg1); + QSocketNotifier::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSocketNotifier_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSocketNotifier_Adaptor::cbs_childEvent_1701_0, event); } else { - QSocketNotifier::childEvent(arg1); + QSocketNotifier::childEvent(event); } } - // [adaptor impl] void QSocketNotifier::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSocketNotifier::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSocketNotifier::customEvent(arg1); + QSocketNotifier::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSocketNotifier_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSocketNotifier_Adaptor::cbs_customEvent_1217_0, event); } else { - QSocketNotifier::customEvent(arg1); + QSocketNotifier::customEvent(event); } } @@ -331,18 +331,18 @@ class QSocketNotifier_Adaptor : public QSocketNotifier, public qt_gsi::QtObjectB } } - // [adaptor impl] void QSocketNotifier::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSocketNotifier::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSocketNotifier::timerEvent(arg1); + QSocketNotifier::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSocketNotifier_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSocketNotifier_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSocketNotifier::timerEvent(arg1); + QSocketNotifier::timerEvent(event); } } @@ -364,7 +364,7 @@ static void _init_ctor_QSocketNotifier_Adaptor_7056 (qt_gsi::GenericStaticMethod decl->add_arg::Signed > (argspec_0); static gsi::ArgSpecBase argspec_1 ("arg2"); decl->add_arg::target_type & > (argspec_1); - static gsi::ArgSpecBase argspec_2 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_2 ("parent", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -375,7 +375,7 @@ static void _call_ctor_QSocketNotifier_Adaptor_7056 (const qt_gsi::GenericStatic tl::Heap heap; QIntegerForSizeof::Signed arg1 = gsi::arg_reader::Signed >() (args, heap); const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); - QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSocketNotifier_Adaptor (arg1, qt_gsi::QtToCppAdaptor(arg2).cref(), arg3)); } @@ -398,11 +398,11 @@ static void _call_emitter_activated_4159 (const qt_gsi::GenericMethod * /*decl*/ } -// void QSocketNotifier::childEvent(QChildEvent *) +// void QSocketNotifier::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -422,11 +422,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QSocketNotifier::customEvent(QEvent *) +// void QSocketNotifier::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -450,7 +450,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -459,7 +459,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSocketNotifier_Adaptor *)cls)->emitter_QSocketNotifier_destroyed_1302 (arg1); } @@ -511,13 +511,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSocketNotifier::eventFilter(QObject *, QEvent *) +// bool QSocketNotifier::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -619,11 +619,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QSocketNotifier::timerEvent(QTimerEvent *) +// void QSocketNotifier::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -652,23 +652,23 @@ static gsi::Methods methods_QSocketNotifier_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSocketNotifier::QSocketNotifier(QIntegerForSizeof::Signed socket, QSocketNotifier::Type, QObject *parent)\nThis method creates an object of class QSocketNotifier.", &_init_ctor_QSocketNotifier_Adaptor_7056, &_call_ctor_QSocketNotifier_Adaptor_7056); methods += new qt_gsi::GenericMethod ("emit_activated", "@brief Emitter for signal void QSocketNotifier::activated(int socket)\nCall this method to emit this signal.", false, &_init_emitter_activated_4159, &_call_emitter_activated_4159); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSocketNotifier::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSocketNotifier::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSocketNotifier::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSocketNotifier::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSocketNotifier::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSocketNotifier::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QSocketNotifier::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSocketNotifier::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSocketNotifier::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSocketNotifier::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QSocketNotifier::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QSocketNotifier::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QSocketNotifier::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QSocketNotifier::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSocketNotifier::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSocketNotifier::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSortFilterProxyModel.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSortFilterProxyModel.cc index b7fe3a4ee7..6d3183f71c 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSortFilterProxyModel.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSortFilterProxyModel.cc @@ -39,6 +39,7 @@ #include #include #include +#include #include #include #include @@ -268,6 +269,21 @@ static void _call_f_filterRegExp_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } +// QRegularExpression QSortFilterProxyModel::filterRegularExpression() + + +static void _init_f_filterRegularExpression_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_filterRegularExpression_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QRegularExpression)((QSortFilterProxyModel *)cls)->filterRegularExpression ()); +} + + // int QSortFilterProxyModel::filterRole() @@ -437,6 +453,21 @@ static void _call_f_invalidate_0 (const qt_gsi::GenericMethod * /*decl*/, void * } +// bool QSortFilterProxyModel::isRecursiveFilteringEnabled() + + +static void _init_f_isRecursiveFilteringEnabled_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isRecursiveFilteringEnabled_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QSortFilterProxyModel *)cls)->isRecursiveFilteringEnabled ()); +} + + // bool QSortFilterProxyModel::isSortLocaleAware() @@ -801,6 +832,26 @@ static void _call_f_setFilterKeyColumn_767 (const qt_gsi::GenericMethod * /*decl } +// void QSortFilterProxyModel::setFilterRegExp(const QString &pattern) + + +static void _init_f_setFilterRegExp_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("pattern"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setFilterRegExp_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QSortFilterProxyModel *)cls)->setFilterRegExp (arg1); +} + + // void QSortFilterProxyModel::setFilterRegExp(const QRegExp ®Exp) @@ -821,23 +872,43 @@ static void _call_f_setFilterRegExp_1981 (const qt_gsi::GenericMethod * /*decl*/ } -// void QSortFilterProxyModel::setFilterRegExp(const QString &pattern) +// void QSortFilterProxyModel::setFilterRegularExpression(const QString &pattern) -static void _init_f_setFilterRegExp_2025 (qt_gsi::GenericMethod *decl) +static void _init_f_setFilterRegularExpression_2025 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("pattern"); decl->add_arg (argspec_0); decl->set_return (); } -static void _call_f_setFilterRegExp_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +static void _call_f_setFilterRegularExpression_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); __SUPPRESS_UNUSED_WARNING(ret); - ((QSortFilterProxyModel *)cls)->setFilterRegExp (arg1); + ((QSortFilterProxyModel *)cls)->setFilterRegularExpression (arg1); +} + + +// void QSortFilterProxyModel::setFilterRegularExpression(const QRegularExpression ®ularExpression) + + +static void _init_f_setFilterRegularExpression_3188 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("regularExpression"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setFilterRegularExpression_3188 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QRegularExpression &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QSortFilterProxyModel *)cls)->setFilterRegularExpression (arg1); } @@ -909,6 +980,26 @@ static void _call_f_setHeaderData_5242 (const qt_gsi::GenericMethod * /*decl*/, } +// void QSortFilterProxyModel::setRecursiveFilteringEnabled(bool recursive) + + +static void _init_f_setRecursiveFilteringEnabled_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("recursive"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setRecursiveFilteringEnabled_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QSortFilterProxyModel *)cls)->setRecursiveFilteringEnabled (arg1); +} + + // void QSortFilterProxyModel::setSortCaseSensitivity(Qt::CaseSensitivity cs) @@ -1198,6 +1289,7 @@ static gsi::Methods methods_QSortFilterProxyModel () { methods += new qt_gsi::GenericMethod (":filterCaseSensitivity", "@brief Method Qt::CaseSensitivity QSortFilterProxyModel::filterCaseSensitivity()\n", true, &_init_f_filterCaseSensitivity_c0, &_call_f_filterCaseSensitivity_c0); methods += new qt_gsi::GenericMethod (":filterKeyColumn", "@brief Method int QSortFilterProxyModel::filterKeyColumn()\n", true, &_init_f_filterKeyColumn_c0, &_call_f_filterKeyColumn_c0); methods += new qt_gsi::GenericMethod (":filterRegExp", "@brief Method QRegExp QSortFilterProxyModel::filterRegExp()\n", true, &_init_f_filterRegExp_c0, &_call_f_filterRegExp_c0); + methods += new qt_gsi::GenericMethod ("filterRegularExpression", "@brief Method QRegularExpression QSortFilterProxyModel::filterRegularExpression()\n", true, &_init_f_filterRegularExpression_c0, &_call_f_filterRegularExpression_c0); methods += new qt_gsi::GenericMethod (":filterRole", "@brief Method int QSortFilterProxyModel::filterRole()\n", true, &_init_f_filterRole_c0, &_call_f_filterRole_c0); methods += new qt_gsi::GenericMethod ("flags", "@brief Method QFlags QSortFilterProxyModel::flags(const QModelIndex &index)\nThis is a reimplementation of QAbstractProxyModel::flags", true, &_init_f_flags_c2395, &_call_f_flags_c2395); methods += new qt_gsi::GenericMethod ("hasChildren", "@brief Method bool QSortFilterProxyModel::hasChildren(const QModelIndex &parent)\nThis is a reimplementation of QAbstractProxyModel::hasChildren", true, &_init_f_hasChildren_c2395, &_call_f_hasChildren_c2395); @@ -1206,6 +1298,7 @@ static gsi::Methods methods_QSortFilterProxyModel () { methods += new qt_gsi::GenericMethod ("insertColumns", "@brief Method bool QSortFilterProxyModel::insertColumns(int column, int count, const QModelIndex &parent)\nThis is a reimplementation of QAbstractItemModel::insertColumns", false, &_init_f_insertColumns_3713, &_call_f_insertColumns_3713); methods += new qt_gsi::GenericMethod ("insertRows", "@brief Method bool QSortFilterProxyModel::insertRows(int row, int count, const QModelIndex &parent)\nThis is a reimplementation of QAbstractItemModel::insertRows", false, &_init_f_insertRows_3713, &_call_f_insertRows_3713); methods += new qt_gsi::GenericMethod ("invalidate", "@brief Method void QSortFilterProxyModel::invalidate()\n", false, &_init_f_invalidate_0, &_call_f_invalidate_0); + methods += new qt_gsi::GenericMethod ("isRecursiveFilteringEnabled?", "@brief Method bool QSortFilterProxyModel::isRecursiveFilteringEnabled()\n", true, &_init_f_isRecursiveFilteringEnabled_c0, &_call_f_isRecursiveFilteringEnabled_c0); methods += new qt_gsi::GenericMethod ("isSortLocaleAware?|:isSortLocaleAware", "@brief Method bool QSortFilterProxyModel::isSortLocaleAware()\n", true, &_init_f_isSortLocaleAware_c0, &_call_f_isSortLocaleAware_c0); methods += new qt_gsi::GenericMethod ("mapFromSource", "@brief Method QModelIndex QSortFilterProxyModel::mapFromSource(const QModelIndex &sourceIndex)\nThis is a reimplementation of QAbstractProxyModel::mapFromSource", true, &_init_f_mapFromSource_c2395, &_call_f_mapFromSource_c2395); methods += new qt_gsi::GenericMethod ("mapSelectionFromSource", "@brief Method QItemSelection QSortFilterProxyModel::mapSelectionFromSource(const QItemSelection &sourceSelection)\nThis is a reimplementation of QAbstractProxyModel::mapSelectionFromSource", true, &_init_f_mapSelectionFromSource_c2727, &_call_f_mapSelectionFromSource_c2727); @@ -1224,11 +1317,14 @@ static gsi::Methods methods_QSortFilterProxyModel () { methods += new qt_gsi::GenericMethod ("setFilterCaseSensitivity|filterCaseSensitivity=", "@brief Method void QSortFilterProxyModel::setFilterCaseSensitivity(Qt::CaseSensitivity cs)\n", false, &_init_f_setFilterCaseSensitivity_2324, &_call_f_setFilterCaseSensitivity_2324); methods += new qt_gsi::GenericMethod ("setFilterFixedString", "@brief Method void QSortFilterProxyModel::setFilterFixedString(const QString &pattern)\n", false, &_init_f_setFilterFixedString_2025, &_call_f_setFilterFixedString_2025); methods += new qt_gsi::GenericMethod ("setFilterKeyColumn|filterKeyColumn=", "@brief Method void QSortFilterProxyModel::setFilterKeyColumn(int column)\n", false, &_init_f_setFilterKeyColumn_767, &_call_f_setFilterKeyColumn_767); - methods += new qt_gsi::GenericMethod ("setFilterRegExp|filterRegExp=", "@brief Method void QSortFilterProxyModel::setFilterRegExp(const QRegExp ®Exp)\n", false, &_init_f_setFilterRegExp_1981, &_call_f_setFilterRegExp_1981); methods += new qt_gsi::GenericMethod ("setFilterRegExp|filterRegExp=", "@brief Method void QSortFilterProxyModel::setFilterRegExp(const QString &pattern)\n", false, &_init_f_setFilterRegExp_2025, &_call_f_setFilterRegExp_2025); + methods += new qt_gsi::GenericMethod ("setFilterRegExp|filterRegExp=", "@brief Method void QSortFilterProxyModel::setFilterRegExp(const QRegExp ®Exp)\n", false, &_init_f_setFilterRegExp_1981, &_call_f_setFilterRegExp_1981); + methods += new qt_gsi::GenericMethod ("setFilterRegularExpression", "@brief Method void QSortFilterProxyModel::setFilterRegularExpression(const QString &pattern)\n", false, &_init_f_setFilterRegularExpression_2025, &_call_f_setFilterRegularExpression_2025); + methods += new qt_gsi::GenericMethod ("setFilterRegularExpression", "@brief Method void QSortFilterProxyModel::setFilterRegularExpression(const QRegularExpression ®ularExpression)\n", false, &_init_f_setFilterRegularExpression_3188, &_call_f_setFilterRegularExpression_3188); methods += new qt_gsi::GenericMethod ("setFilterRole|filterRole=", "@brief Method void QSortFilterProxyModel::setFilterRole(int role)\n", false, &_init_f_setFilterRole_767, &_call_f_setFilterRole_767); methods += new qt_gsi::GenericMethod ("setFilterWildcard", "@brief Method void QSortFilterProxyModel::setFilterWildcard(const QString &pattern)\n", false, &_init_f_setFilterWildcard_2025, &_call_f_setFilterWildcard_2025); methods += new qt_gsi::GenericMethod ("setHeaderData", "@brief Method bool QSortFilterProxyModel::setHeaderData(int section, Qt::Orientation orientation, const QVariant &value, int role)\nThis is a reimplementation of QAbstractProxyModel::setHeaderData", false, &_init_f_setHeaderData_5242, &_call_f_setHeaderData_5242); + methods += new qt_gsi::GenericMethod ("setRecursiveFilteringEnabled", "@brief Method void QSortFilterProxyModel::setRecursiveFilteringEnabled(bool recursive)\n", false, &_init_f_setRecursiveFilteringEnabled_864, &_call_f_setRecursiveFilteringEnabled_864); methods += new qt_gsi::GenericMethod ("setSortCaseSensitivity|sortCaseSensitivity=", "@brief Method void QSortFilterProxyModel::setSortCaseSensitivity(Qt::CaseSensitivity cs)\n", false, &_init_f_setSortCaseSensitivity_2324, &_call_f_setSortCaseSensitivity_2324); methods += new qt_gsi::GenericMethod ("setSortLocaleAware", "@brief Method void QSortFilterProxyModel::setSortLocaleAware(bool on)\n", false, &_init_f_setSortLocaleAware_864, &_call_f_setSortLocaleAware_864); methods += new qt_gsi::GenericMethod ("setSortRole|sortRole=", "@brief Method void QSortFilterProxyModel::setSortRole(int role)\n", false, &_init_f_setSortRole_767, &_call_f_setSortRole_767); @@ -1596,33 +1692,33 @@ class QSortFilterProxyModel_Adaptor : public QSortFilterProxyModel, public qt_gs } } - // [adaptor impl] bool QSortFilterProxyModel::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QSortFilterProxyModel::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QSortFilterProxyModel::event(arg1); + return QSortFilterProxyModel::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QSortFilterProxyModel_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QSortFilterProxyModel_Adaptor::cbs_event_1217_0, _event); } else { - return QSortFilterProxyModel::event(arg1); + return QSortFilterProxyModel::event(_event); } } - // [adaptor impl] bool QSortFilterProxyModel::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSortFilterProxyModel::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSortFilterProxyModel::eventFilter(arg1, arg2); + return QSortFilterProxyModel::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSortFilterProxyModel_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSortFilterProxyModel_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSortFilterProxyModel::eventFilter(arg1, arg2); + return QSortFilterProxyModel::eventFilter(watched, event); } } @@ -2222,33 +2318,33 @@ class QSortFilterProxyModel_Adaptor : public QSortFilterProxyModel, public qt_gs } } - // [adaptor impl] void QSortFilterProxyModel::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSortFilterProxyModel::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSortFilterProxyModel::childEvent(arg1); + QSortFilterProxyModel::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSortFilterProxyModel_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSortFilterProxyModel_Adaptor::cbs_childEvent_1701_0, event); } else { - QSortFilterProxyModel::childEvent(arg1); + QSortFilterProxyModel::childEvent(event); } } - // [adaptor impl] void QSortFilterProxyModel::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSortFilterProxyModel::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSortFilterProxyModel::customEvent(arg1); + QSortFilterProxyModel::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSortFilterProxyModel_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSortFilterProxyModel_Adaptor::cbs_customEvent_1217_0, event); } else { - QSortFilterProxyModel::customEvent(arg1); + QSortFilterProxyModel::customEvent(event); } } @@ -2312,18 +2408,18 @@ class QSortFilterProxyModel_Adaptor : public QSortFilterProxyModel, public qt_gs } } - // [adaptor impl] void QSortFilterProxyModel::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSortFilterProxyModel::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSortFilterProxyModel::timerEvent(arg1); + QSortFilterProxyModel::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSortFilterProxyModel_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSortFilterProxyModel_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSortFilterProxyModel::timerEvent(arg1); + QSortFilterProxyModel::timerEvent(event); } } @@ -2383,7 +2479,7 @@ QSortFilterProxyModel_Adaptor::~QSortFilterProxyModel_Adaptor() { } static void _init_ctor_QSortFilterProxyModel_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -2392,7 +2488,7 @@ static void _call_ctor_QSortFilterProxyModel_Adaptor_1302 (const qt_gsi::Generic { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSortFilterProxyModel_Adaptor (arg1)); } @@ -2697,11 +2793,11 @@ static void _call_fp_changePersistentIndexList_5912 (const qt_gsi::GenericMethod } -// void QSortFilterProxyModel::childEvent(QChildEvent *) +// void QSortFilterProxyModel::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2908,7 +3004,7 @@ static void _init_fp_createIndex_c2374 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("column"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("data", true, "0"); + static gsi::ArgSpecBase argspec_2 ("data", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -2919,7 +3015,7 @@ static void _call_fp_createIndex_c2374 (const qt_gsi::GenericMethod * /*decl*/, tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); - void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QModelIndex)((QSortFilterProxyModel_Adaptor *)cls)->fp_QSortFilterProxyModel_createIndex_c2374 (arg1, arg2, arg3)); } @@ -2948,11 +3044,11 @@ static void _call_fp_createIndex_c2657 (const qt_gsi::GenericMethod * /*decl*/, } -// void QSortFilterProxyModel::customEvent(QEvent *) +// void QSortFilterProxyModel::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3053,7 +3149,7 @@ static void _call_fp_decodeData_5302 (const qt_gsi::GenericMethod * /*decl*/, vo static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3062,7 +3158,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSortFilterProxyModel_Adaptor *)cls)->emitter_QSortFilterProxyModel_destroyed_1302 (arg1); } @@ -3253,11 +3349,11 @@ static void _call_fp_endResetModel_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// bool QSortFilterProxyModel::event(QEvent *) +// bool QSortFilterProxyModel::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3276,13 +3372,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSortFilterProxyModel::eventFilter(QObject *, QEvent *) +// bool QSortFilterProxyModel::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -4623,11 +4719,11 @@ static void _set_callback_cbs_supportedDropActions_c0_0 (void *cls, const gsi::C } -// void QSortFilterProxyModel::timerEvent(QTimerEvent *) +// void QSortFilterProxyModel::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4670,7 +4766,7 @@ static gsi::Methods methods_QSortFilterProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("canFetchMore", "@hide", true, &_init_cbs_canFetchMore_c2395_0, &_call_cbs_canFetchMore_c2395_0, &_set_callback_cbs_canFetchMore_c2395_0); methods += new qt_gsi::GenericMethod ("*changePersistentIndex", "@brief Method void QSortFilterProxyModel::changePersistentIndex(const QModelIndex &from, const QModelIndex &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndex_4682, &_call_fp_changePersistentIndex_4682); methods += new qt_gsi::GenericMethod ("*changePersistentIndexList", "@brief Method void QSortFilterProxyModel::changePersistentIndexList(const QList &from, const QList &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndexList_5912, &_call_fp_changePersistentIndexList_5912); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSortFilterProxyModel::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSortFilterProxyModel::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("columnCount", "@brief Virtual method int QSortFilterProxyModel::columnCount(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_columnCount_c2395_1, &_call_cbs_columnCount_c2395_1); methods += new qt_gsi::GenericMethod ("columnCount", "@hide", true, &_init_cbs_columnCount_c2395_1, &_call_cbs_columnCount_c2395_1, &_set_callback_cbs_columnCount_c2395_1); @@ -4682,7 +4778,7 @@ static gsi::Methods methods_QSortFilterProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_columnsRemoved", "@brief Emitter for signal void QSortFilterProxyModel::columnsRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsRemoved_7372, &_call_emitter_columnsRemoved_7372); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QSortFilterProxyModel::createIndex(int row, int column, void *data)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2374, &_call_fp_createIndex_c2374); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QSortFilterProxyModel::createIndex(int row, int column, quintptr id)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2657, &_call_fp_createIndex_c2657); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSortFilterProxyModel::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSortFilterProxyModel::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("data", "@brief Virtual method QVariant QSortFilterProxyModel::data(const QModelIndex &index, int role)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1); methods += new qt_gsi::GenericMethod ("data", "@hide", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1, &_set_callback_cbs_data_c3054_1); @@ -4701,9 +4797,9 @@ static gsi::Methods methods_QSortFilterProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("*endRemoveColumns", "@brief Method void QSortFilterProxyModel::endRemoveColumns()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveColumns_0, &_call_fp_endRemoveColumns_0); methods += new qt_gsi::GenericMethod ("*endRemoveRows", "@brief Method void QSortFilterProxyModel::endRemoveRows()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveRows_0, &_call_fp_endRemoveRows_0); methods += new qt_gsi::GenericMethod ("*endResetModel", "@brief Method void QSortFilterProxyModel::endResetModel()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endResetModel_0, &_call_fp_endResetModel_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSortFilterProxyModel::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSortFilterProxyModel::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSortFilterProxyModel::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSortFilterProxyModel::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@brief Virtual method void QSortFilterProxyModel::fetchMore(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_fetchMore_2395_0, &_call_cbs_fetchMore_2395_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@hide", false, &_init_cbs_fetchMore_2395_0, &_call_cbs_fetchMore_2395_0, &_set_callback_cbs_fetchMore_2395_0); @@ -4798,7 +4894,7 @@ static gsi::Methods methods_QSortFilterProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("supportedDragActions", "@hide", true, &_init_cbs_supportedDragActions_c0_0, &_call_cbs_supportedDragActions_c0_0, &_set_callback_cbs_supportedDragActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@brief Virtual method QFlags QSortFilterProxyModel::supportedDropActions()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@hide", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0, &_set_callback_cbs_supportedDropActions_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSortFilterProxyModel::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSortFilterProxyModel::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQState.cc b/src/gsiqt/qt5/QtCore/gsiDeclQState.cc index b6649e43f0..26732e337f 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQState.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQState.cc @@ -462,18 +462,18 @@ class QState_Adaptor : public QState, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QState::errorStateChanged()'"); } - // [adaptor impl] bool QState::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QState::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QState::eventFilter(arg1, arg2); + return QState::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QState_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QState_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QState::eventFilter(arg1, arg2); + return QState::eventFilter(watched, event); } } @@ -508,33 +508,33 @@ class QState_Adaptor : public QState, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QState::propertiesAssigned()'"); } - // [adaptor impl] void QState::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QState::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QState::childEvent(arg1); + QState::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QState_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QState_Adaptor::cbs_childEvent_1701_0, event); } else { - QState::childEvent(arg1); + QState::childEvent(event); } } - // [adaptor impl] void QState::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QState::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QState::customEvent(arg1); + QState::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QState_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QState_Adaptor::cbs_customEvent_1217_0, event); } else { - QState::customEvent(arg1); + QState::customEvent(event); } } @@ -598,18 +598,18 @@ class QState_Adaptor : public QState, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QState::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QState::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QState::timerEvent(arg1); + QState::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QState_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QState_Adaptor::cbs_timerEvent_1730_0, event); } else { - QState::timerEvent(arg1); + QState::timerEvent(event); } } @@ -629,7 +629,7 @@ QState_Adaptor::~QState_Adaptor() { } static void _init_ctor_QState_Adaptor_1216 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -638,7 +638,7 @@ static void _call_ctor_QState_Adaptor_1216 (const qt_gsi::GenericStaticMethod * { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QState *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QState *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QState_Adaptor (arg1)); } @@ -649,7 +649,7 @@ static void _init_ctor_QState_Adaptor_3127 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("childMode"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -659,7 +659,7 @@ static void _call_ctor_QState_Adaptor_3127 (const qt_gsi::GenericStaticMethod * __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - QState *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QState *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QState_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2)); } @@ -682,11 +682,11 @@ static void _call_emitter_activeChanged_864 (const qt_gsi::GenericMethod * /*dec } -// void QState::childEvent(QChildEvent *) +// void QState::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -720,11 +720,11 @@ static void _call_emitter_childModeChanged_2564 (const qt_gsi::GenericMethod * / } -// void QState::customEvent(QEvent *) +// void QState::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -748,7 +748,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -757,7 +757,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QState_Adaptor *)cls)->emitter_QState_destroyed_1302 (arg1); } @@ -837,13 +837,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QState::eventFilter(QObject *, QEvent *) +// bool QState::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1049,11 +1049,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QState::timerEvent(QTimerEvent *) +// void QState::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1083,10 +1083,10 @@ static gsi::Methods methods_QState_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QState::QState(QState *parent)\nThis method creates an object of class QState.", &_init_ctor_QState_Adaptor_1216, &_call_ctor_QState_Adaptor_1216); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QState::QState(QState::ChildMode childMode, QState *parent)\nThis method creates an object of class QState.", &_init_ctor_QState_Adaptor_3127, &_call_ctor_QState_Adaptor_3127); methods += new qt_gsi::GenericMethod ("emit_activeChanged", "@brief Emitter for signal void QState::activeChanged(bool active)\nCall this method to emit this signal.", false, &_init_emitter_activeChanged_864, &_call_emitter_activeChanged_864); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QState::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QState::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_childModeChanged", "@brief Emitter for signal void QState::childModeChanged()\nCall this method to emit this signal.", false, &_init_emitter_childModeChanged_2564, &_call_emitter_childModeChanged_2564); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QState::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QState::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QState::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QState::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -1095,7 +1095,7 @@ static gsi::Methods methods_QState_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_errorStateChanged", "@brief Emitter for signal void QState::errorStateChanged()\nCall this method to emit this signal.", false, &_init_emitter_errorStateChanged_2564, &_call_emitter_errorStateChanged_2564); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QState::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QState::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QState::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_exited", "@brief Emitter for signal void QState::exited()\nCall this method to emit this signal.", false, &_init_emitter_exited_3384, &_call_emitter_exited_3384); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QState::finished()\nCall this method to emit this signal.", false, &_init_emitter_finished_2564, &_call_emitter_finished_2564); @@ -1110,7 +1110,7 @@ static gsi::Methods methods_QState_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QState::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QState::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QState::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QState::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QState::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQStateMachine.cc b/src/gsiqt/qt5/QtCore/gsiDeclQStateMachine.cc index c3a2c40f32..5df7f6c79f 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQStateMachine.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQStateMachine.cc @@ -718,33 +718,33 @@ class QStateMachine_Adaptor : public QStateMachine, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QStateMachine::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QStateMachine::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QStateMachine::childEvent(arg1); + QStateMachine::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QStateMachine_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QStateMachine_Adaptor::cbs_childEvent_1701_0, event); } else { - QStateMachine::childEvent(arg1); + QStateMachine::childEvent(event); } } - // [adaptor impl] void QStateMachine::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QStateMachine::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QStateMachine::customEvent(arg1); + QStateMachine::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QStateMachine_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QStateMachine_Adaptor::cbs_customEvent_1217_0, event); } else { - QStateMachine::customEvent(arg1); + QStateMachine::customEvent(event); } } @@ -838,18 +838,18 @@ class QStateMachine_Adaptor : public QStateMachine, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QStateMachine::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QStateMachine::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QStateMachine::timerEvent(arg1); + QStateMachine::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QStateMachine_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QStateMachine_Adaptor::cbs_timerEvent_1730_0, event); } else { - QStateMachine::timerEvent(arg1); + QStateMachine::timerEvent(event); } } @@ -873,7 +873,7 @@ QStateMachine_Adaptor::~QStateMachine_Adaptor() { } static void _init_ctor_QStateMachine_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -882,7 +882,7 @@ static void _call_ctor_QStateMachine_Adaptor_1302 (const qt_gsi::GenericStaticMe { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QStateMachine_Adaptor (arg1)); } @@ -893,7 +893,7 @@ static void _init_ctor_QStateMachine_Adaptor_3213 (qt_gsi::GenericStaticMethod * { static gsi::ArgSpecBase argspec_0 ("childMode"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -903,7 +903,7 @@ static void _call_ctor_QStateMachine_Adaptor_3213 (const qt_gsi::GenericStaticMe __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QStateMachine_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2)); } @@ -974,11 +974,11 @@ static void _set_callback_cbs_beginSelectTransitions_1217_0 (void *cls, const gs } -// void QStateMachine::childEvent(QChildEvent *) +// void QStateMachine::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1012,11 +1012,11 @@ static void _call_emitter_childModeChanged_2564 (const qt_gsi::GenericMethod * / } -// void QStateMachine::customEvent(QEvent *) +// void QStateMachine::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1040,7 +1040,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1049,7 +1049,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QStateMachine_Adaptor *)cls)->emitter_QStateMachine_destroyed_1302 (arg1); } @@ -1435,11 +1435,11 @@ static void _call_emitter_stopped_3257 (const qt_gsi::GenericMethod * /*decl*/, } -// void QStateMachine::timerEvent(QTimerEvent *) +// void QStateMachine::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1473,10 +1473,10 @@ static gsi::Methods methods_QStateMachine_Adaptor () { methods += new qt_gsi::GenericMethod ("*beginMicrostep", "@hide", false, &_init_cbs_beginMicrostep_1217_0, &_call_cbs_beginMicrostep_1217_0, &_set_callback_cbs_beginMicrostep_1217_0); methods += new qt_gsi::GenericMethod ("*beginSelectTransitions", "@brief Virtual method void QStateMachine::beginSelectTransitions(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_beginSelectTransitions_1217_0, &_call_cbs_beginSelectTransitions_1217_0); methods += new qt_gsi::GenericMethod ("*beginSelectTransitions", "@hide", false, &_init_cbs_beginSelectTransitions_1217_0, &_call_cbs_beginSelectTransitions_1217_0, &_set_callback_cbs_beginSelectTransitions_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QStateMachine::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QStateMachine::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_childModeChanged", "@brief Emitter for signal void QStateMachine::childModeChanged()\nCall this method to emit this signal.", false, &_init_emitter_childModeChanged_2564, &_call_emitter_childModeChanged_2564); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStateMachine::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStateMachine::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QStateMachine::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QStateMachine::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -1507,7 +1507,7 @@ static gsi::Methods methods_QStateMachine_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QStateMachine::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("emit_started", "@brief Emitter for signal void QStateMachine::started()\nCall this method to emit this signal.", false, &_init_emitter_started_3257, &_call_emitter_started_3257); methods += new qt_gsi::GenericMethod ("emit_stopped", "@brief Emitter for signal void QStateMachine::stopped()\nCall this method to emit this signal.", false, &_init_emitter_stopped_3257, &_call_emitter_stopped_3257); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QStateMachine::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QStateMachine::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQStorageInfo.cc b/src/gsiqt/qt5/QtCore/gsiDeclQStorageInfo.cc index 2820db0306..b4469741ab 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQStorageInfo.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQStorageInfo.cc @@ -108,6 +108,21 @@ static void _call_ctor_QStorageInfo_2515 (const qt_gsi::GenericStaticMethod * /* } +// int QStorageInfo::blockSize() + + +static void _init_f_blockSize_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_blockSize_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QStorageInfo *)cls)->blockSize ()); +} + + // qint64 QStorageInfo::bytesAvailable() @@ -343,6 +358,21 @@ static void _call_f_setPath_2025 (const qt_gsi::GenericMethod * /*decl*/, void * } +// QByteArray QStorageInfo::subvolume() + + +static void _init_f_subvolume_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_subvolume_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QByteArray)((QStorageInfo *)cls)->subvolume ()); +} + + // void QStorageInfo::swap(QStorageInfo &other) @@ -413,6 +443,7 @@ static gsi::Methods methods_QStorageInfo () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QStorageInfo::QStorageInfo(const QString &path)\nThis method creates an object of class QStorageInfo.", &_init_ctor_QStorageInfo_2025, &_call_ctor_QStorageInfo_2025); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QStorageInfo::QStorageInfo(const QDir &dir)\nThis method creates an object of class QStorageInfo.", &_init_ctor_QStorageInfo_1681, &_call_ctor_QStorageInfo_1681); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QStorageInfo::QStorageInfo(const QStorageInfo &other)\nThis method creates an object of class QStorageInfo.", &_init_ctor_QStorageInfo_2515, &_call_ctor_QStorageInfo_2515); + methods += new qt_gsi::GenericMethod ("blockSize", "@brief Method int QStorageInfo::blockSize()\n", true, &_init_f_blockSize_c0, &_call_f_blockSize_c0); methods += new qt_gsi::GenericMethod ("bytesAvailable", "@brief Method qint64 QStorageInfo::bytesAvailable()\n", true, &_init_f_bytesAvailable_c0, &_call_f_bytesAvailable_c0); methods += new qt_gsi::GenericMethod ("bytesFree", "@brief Method qint64 QStorageInfo::bytesFree()\n", true, &_init_f_bytesFree_c0, &_call_f_bytesFree_c0); methods += new qt_gsi::GenericMethod ("bytesTotal", "@brief Method qint64 QStorageInfo::bytesTotal()\n", true, &_init_f_bytesTotal_c0, &_call_f_bytesTotal_c0); @@ -428,6 +459,7 @@ static gsi::Methods methods_QStorageInfo () { methods += new qt_gsi::GenericMethod ("refresh", "@brief Method void QStorageInfo::refresh()\n", false, &_init_f_refresh_0, &_call_f_refresh_0); methods += new qt_gsi::GenericMethod ("rootPath", "@brief Method QString QStorageInfo::rootPath()\n", true, &_init_f_rootPath_c0, &_call_f_rootPath_c0); methods += new qt_gsi::GenericMethod ("setPath", "@brief Method void QStorageInfo::setPath(const QString &path)\n", false, &_init_f_setPath_2025, &_call_f_setPath_2025); + methods += new qt_gsi::GenericMethod ("subvolume", "@brief Method QByteArray QStorageInfo::subvolume()\n", true, &_init_f_subvolume_c0, &_call_f_subvolume_c0); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QStorageInfo::swap(QStorageInfo &other)\n", false, &_init_f_swap_1820, &_call_f_swap_1820); methods += new qt_gsi::GenericStaticMethod ("mountedVolumes", "@brief Static method QList QStorageInfo::mountedVolumes()\nThis method is static and can be called without an instance.", &_init_f_mountedVolumes_0, &_call_f_mountedVolumes_0); methods += new qt_gsi::GenericStaticMethod ("root", "@brief Static method QStorageInfo QStorageInfo::root()\nThis method is static and can be called without an instance.", &_init_f_root_0, &_call_f_root_0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQStringListModel.cc b/src/gsiqt/qt5/QtCore/gsiDeclQStringListModel.cc index 54311ed3ef..f84f9ebfb0 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQStringListModel.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQStringListModel.cc @@ -66,7 +66,7 @@ static void _init_f_data_c3054 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("index"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("role"); + static gsi::ArgSpecBase argspec_1 ("role", true, "Qt::DisplayRole"); decl->add_arg (argspec_1); decl->set_return (); } @@ -76,7 +76,7 @@ static void _call_f_data_c3054 (const qt_gsi::GenericMethod * /*decl*/, void *cl __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QModelIndex &arg1 = gsi::arg_reader() (args, heap); - int arg2 = gsi::arg_reader() (args, heap); + int arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (Qt::DisplayRole, heap); ret.write ((QVariant)((QStringListModel *)cls)->data (arg1, arg2)); } @@ -659,15 +659,15 @@ class QStringListModel_Adaptor : public QStringListModel, public qt_gsi::QtObjec } // [adaptor impl] QVariant QStringListModel::data(const QModelIndex &index, int role) - QVariant cbs_data_c3054_0(const QModelIndex &index, int role) const + QVariant cbs_data_c3054_1(const QModelIndex &index, int role) const { return QStringListModel::data(index, role); } virtual QVariant data(const QModelIndex &index, int role) const { - if (cb_data_c3054_0.can_issue()) { - return cb_data_c3054_0.issue(&QStringListModel_Adaptor::cbs_data_c3054_0, index, role); + if (cb_data_c3054_1.can_issue()) { + return cb_data_c3054_1.issue(&QStringListModel_Adaptor::cbs_data_c3054_1, index, role); } else { return QStringListModel::data(index, role); } @@ -700,33 +700,33 @@ class QStringListModel_Adaptor : public QStringListModel, public qt_gsi::QtObjec } } - // [adaptor impl] bool QStringListModel::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QStringListModel::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QStringListModel::event(arg1); + return QStringListModel::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QStringListModel_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QStringListModel_Adaptor::cbs_event_1217_0, _event); } else { - return QStringListModel::event(arg1); + return QStringListModel::event(_event); } } - // [adaptor impl] bool QStringListModel::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QStringListModel::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QStringListModel::eventFilter(arg1, arg2); + return QStringListModel::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QStringListModel_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QStringListModel_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QStringListModel::eventFilter(arg1, arg2); + return QStringListModel::eventFilter(watched, event); } } @@ -1215,33 +1215,33 @@ class QStringListModel_Adaptor : public QStringListModel, public qt_gsi::QtObjec } } - // [adaptor impl] void QStringListModel::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QStringListModel::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QStringListModel::childEvent(arg1); + QStringListModel::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QStringListModel_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QStringListModel_Adaptor::cbs_childEvent_1701_0, event); } else { - QStringListModel::childEvent(arg1); + QStringListModel::childEvent(event); } } - // [adaptor impl] void QStringListModel::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QStringListModel::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QStringListModel::customEvent(arg1); + QStringListModel::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QStringListModel_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QStringListModel_Adaptor::cbs_customEvent_1217_0, event); } else { - QStringListModel::customEvent(arg1); + QStringListModel::customEvent(event); } } @@ -1260,25 +1260,25 @@ class QStringListModel_Adaptor : public QStringListModel, public qt_gsi::QtObjec } } - // [adaptor impl] void QStringListModel::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QStringListModel::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QStringListModel::timerEvent(arg1); + QStringListModel::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QStringListModel_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QStringListModel_Adaptor::cbs_timerEvent_1730_0, event); } else { - QStringListModel::timerEvent(arg1); + QStringListModel::timerEvent(event); } } gsi::Callback cb_buddy_c2395_0; gsi::Callback cb_canDropMimeData_c7425_0; gsi::Callback cb_canFetchMore_c2395_0; - gsi::Callback cb_data_c3054_0; + gsi::Callback cb_data_c3054_1; gsi::Callback cb_dropMimeData_7425_0; gsi::Callback cb_event_1217_0; gsi::Callback cb_eventFilter_2411_0; @@ -1320,7 +1320,7 @@ QStringListModel_Adaptor::~QStringListModel_Adaptor() { } static void _init_ctor_QStringListModel_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1329,7 +1329,7 @@ static void _call_ctor_QStringListModel_Adaptor_1302 (const qt_gsi::GenericStati { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QStringListModel_Adaptor (arg1)); } @@ -1340,7 +1340,7 @@ static void _init_ctor_QStringListModel_Adaptor_3631 (qt_gsi::GenericStaticMetho { static gsi::ArgSpecBase argspec_0 ("strings"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1350,7 +1350,7 @@ static void _call_ctor_QStringListModel_Adaptor_3631 (const qt_gsi::GenericStati __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QStringList &arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QStringListModel_Adaptor (arg1, arg2)); } @@ -1655,11 +1655,11 @@ static void _call_fp_changePersistentIndexList_5912 (const qt_gsi::GenericMethod } -// void QStringListModel::childEvent(QChildEvent *) +// void QStringListModel::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1843,7 +1843,7 @@ static void _init_fp_createIndex_c2374 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("column"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("data", true, "0"); + static gsi::ArgSpecBase argspec_2 ("data", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -1854,7 +1854,7 @@ static void _call_fp_createIndex_c2374 (const qt_gsi::GenericMethod * /*decl*/, tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); - void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QModelIndex)((QStringListModel_Adaptor *)cls)->fp_QStringListModel_createIndex_c2374 (arg1, arg2, arg3)); } @@ -1883,11 +1883,11 @@ static void _call_fp_createIndex_c2657 (const qt_gsi::GenericMethod * /*decl*/, } -// void QStringListModel::customEvent(QEvent *) +// void QStringListModel::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1909,7 +1909,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback // QVariant QStringListModel::data(const QModelIndex &index, int role) -static void _init_cbs_data_c3054_0 (qt_gsi::GenericMethod *decl) +static void _init_cbs_data_c3054_1 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("index"); decl->add_arg (argspec_0); @@ -1918,18 +1918,18 @@ static void _init_cbs_data_c3054_0 (qt_gsi::GenericMethod *decl) decl->set_return (); } -static void _call_cbs_data_c3054_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +static void _call_cbs_data_c3054_1 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QModelIndex &arg1 = args.read (heap); int arg2 = args.read (heap); - ret.write ((QVariant)((QStringListModel_Adaptor *)cls)->cbs_data_c3054_0 (arg1, arg2)); + ret.write ((QVariant)((QStringListModel_Adaptor *)cls)->cbs_data_c3054_1 (arg1, arg2)); } -static void _set_callback_cbs_data_c3054_0 (void *cls, const gsi::Callback &cb) +static void _set_callback_cbs_data_c3054_1 (void *cls, const gsi::Callback &cb) { - ((QStringListModel_Adaptor *)cls)->cb_data_c3054_0 = cb; + ((QStringListModel_Adaptor *)cls)->cb_data_c3054_1 = cb; } @@ -1988,7 +1988,7 @@ static void _call_fp_decodeData_5302 (const qt_gsi::GenericMethod * /*decl*/, vo static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1997,7 +1997,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QStringListModel_Adaptor *)cls)->emitter_QStringListModel_destroyed_1302 (arg1); } @@ -2188,11 +2188,11 @@ static void _call_fp_endResetModel_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// bool QStringListModel::event(QEvent *) +// bool QStringListModel::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2211,13 +2211,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QStringListModel::eventFilter(QObject *, QEvent *) +// bool QStringListModel::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -3274,11 +3274,11 @@ static void _set_callback_cbs_supportedDropActions_c0_0 (void *cls, const gsi::C } -// void QStringListModel::timerEvent(QTimerEvent *) +// void QStringListModel::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3322,7 +3322,7 @@ static gsi::Methods methods_QStringListModel_Adaptor () { methods += new qt_gsi::GenericMethod ("canFetchMore", "@hide", true, &_init_cbs_canFetchMore_c2395_0, &_call_cbs_canFetchMore_c2395_0, &_set_callback_cbs_canFetchMore_c2395_0); methods += new qt_gsi::GenericMethod ("*changePersistentIndex", "@brief Method void QStringListModel::changePersistentIndex(const QModelIndex &from, const QModelIndex &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndex_4682, &_call_fp_changePersistentIndex_4682); methods += new qt_gsi::GenericMethod ("*changePersistentIndexList", "@brief Method void QStringListModel::changePersistentIndexList(const QList &from, const QList &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndexList_5912, &_call_fp_changePersistentIndexList_5912); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QStringListModel::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QStringListModel::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_columnsAboutToBeInserted", "@brief Emitter for signal void QStringListModel::columnsAboutToBeInserted(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsAboutToBeInserted_7372, &_call_emitter_columnsAboutToBeInserted_7372); methods += new qt_gsi::GenericMethod ("emit_columnsAboutToBeMoved", "@brief Emitter for signal void QStringListModel::columnsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationColumn)\nCall this method to emit this signal.", false, &_init_emitter_columnsAboutToBeMoved_10318, &_call_emitter_columnsAboutToBeMoved_10318); @@ -3332,10 +3332,10 @@ static gsi::Methods methods_QStringListModel_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_columnsRemoved", "@brief Emitter for signal void QStringListModel::columnsRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsRemoved_7372, &_call_emitter_columnsRemoved_7372); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QStringListModel::createIndex(int row, int column, void *data)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2374, &_call_fp_createIndex_c2374); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QStringListModel::createIndex(int row, int column, quintptr id)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2657, &_call_fp_createIndex_c2657); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStringListModel::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStringListModel::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("data", "@brief Virtual method QVariant QStringListModel::data(const QModelIndex &index, int role)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_data_c3054_0, &_call_cbs_data_c3054_0); - methods += new qt_gsi::GenericMethod ("data", "@hide", true, &_init_cbs_data_c3054_0, &_call_cbs_data_c3054_0, &_set_callback_cbs_data_c3054_0); + methods += new qt_gsi::GenericMethod ("data", "@brief Virtual method QVariant QStringListModel::data(const QModelIndex &index, int role)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1); + methods += new qt_gsi::GenericMethod ("data", "@hide", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1, &_set_callback_cbs_data_c3054_1); methods += new qt_gsi::GenericMethod ("emit_dataChanged", "@brief Emitter for signal void QStringListModel::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QVector &roles)\nCall this method to emit this signal.", false, &_init_emitter_dataChanged_7048, &_call_emitter_dataChanged_7048); methods += new qt_gsi::GenericMethod ("*decodeData", "@brief Method bool QStringListModel::decodeData(int row, int column, const QModelIndex &parent, QDataStream &stream)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_decodeData_5302, &_call_fp_decodeData_5302); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QStringListModel::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); @@ -3351,9 +3351,9 @@ static gsi::Methods methods_QStringListModel_Adaptor () { methods += new qt_gsi::GenericMethod ("*endRemoveColumns", "@brief Method void QStringListModel::endRemoveColumns()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveColumns_0, &_call_fp_endRemoveColumns_0); methods += new qt_gsi::GenericMethod ("*endRemoveRows", "@brief Method void QStringListModel::endRemoveRows()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveRows_0, &_call_fp_endRemoveRows_0); methods += new qt_gsi::GenericMethod ("*endResetModel", "@brief Method void QStringListModel::endResetModel()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endResetModel_0, &_call_fp_endResetModel_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QStringListModel::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QStringListModel::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QStringListModel::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QStringListModel::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@brief Virtual method void QStringListModel::fetchMore(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_fetchMore_2395_0, &_call_cbs_fetchMore_2395_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@hide", false, &_init_cbs_fetchMore_2395_0, &_call_cbs_fetchMore_2395_0, &_set_callback_cbs_fetchMore_2395_0); @@ -3425,7 +3425,7 @@ static gsi::Methods methods_QStringListModel_Adaptor () { methods += new qt_gsi::GenericMethod ("supportedDragActions", "@hide", true, &_init_cbs_supportedDragActions_c0_0, &_call_cbs_supportedDragActions_c0_0, &_set_callback_cbs_supportedDragActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@brief Virtual method QFlags QStringListModel::supportedDropActions()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@hide", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0, &_set_callback_cbs_supportedDropActions_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QStringListModel::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QStringListModel::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSysInfo.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSysInfo.cc index 9cde7c7628..c8a3824f3c 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSysInfo.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSysInfo.cc @@ -50,6 +50,21 @@ static void _call_ctor_QSysInfo_0 (const qt_gsi::GenericStaticMethod * /*decl*/, } +// static QByteArray QSysInfo::bootUniqueId() + + +static void _init_f_bootUniqueId_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_bootUniqueId_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QByteArray)QSysInfo::bootUniqueId ()); +} + + // static QString QSysInfo::buildAbi() @@ -140,6 +155,36 @@ static void _call_f_macVersion_0 (const qt_gsi::GenericStaticMethod * /*decl*/, } +// static QString QSysInfo::machineHostName() + + +static void _init_f_machineHostName_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_machineHostName_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)QSysInfo::machineHostName ()); +} + + +// static QByteArray QSysInfo::machineUniqueId() + + +static void _init_f_machineUniqueId_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_machineUniqueId_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QByteArray)QSysInfo::machineUniqueId ()); +} + + // static QString QSysInfo::prettyProductName() @@ -207,12 +252,15 @@ namespace gsi static gsi::Methods methods_QSysInfo () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSysInfo::QSysInfo()\nThis method creates an object of class QSysInfo.", &_init_ctor_QSysInfo_0, &_call_ctor_QSysInfo_0); + methods += new qt_gsi::GenericStaticMethod ("bootUniqueId", "@brief Static method QByteArray QSysInfo::bootUniqueId()\nThis method is static and can be called without an instance.", &_init_f_bootUniqueId_0, &_call_f_bootUniqueId_0); methods += new qt_gsi::GenericStaticMethod ("buildAbi", "@brief Static method QString QSysInfo::buildAbi()\nThis method is static and can be called without an instance.", &_init_f_buildAbi_0, &_call_f_buildAbi_0); methods += new qt_gsi::GenericStaticMethod ("buildCpuArchitecture", "@brief Static method QString QSysInfo::buildCpuArchitecture()\nThis method is static and can be called without an instance.", &_init_f_buildCpuArchitecture_0, &_call_f_buildCpuArchitecture_0); methods += new qt_gsi::GenericStaticMethod ("currentCpuArchitecture", "@brief Static method QString QSysInfo::currentCpuArchitecture()\nThis method is static and can be called without an instance.", &_init_f_currentCpuArchitecture_0, &_call_f_currentCpuArchitecture_0); methods += new qt_gsi::GenericStaticMethod ("kernelType", "@brief Static method QString QSysInfo::kernelType()\nThis method is static and can be called without an instance.", &_init_f_kernelType_0, &_call_f_kernelType_0); methods += new qt_gsi::GenericStaticMethod ("kernelVersion", "@brief Static method QString QSysInfo::kernelVersion()\nThis method is static and can be called without an instance.", &_init_f_kernelVersion_0, &_call_f_kernelVersion_0); methods += new qt_gsi::GenericStaticMethod ("macVersion", "@brief Static method QSysInfo::MacVersion QSysInfo::macVersion()\nThis method is static and can be called without an instance.", &_init_f_macVersion_0, &_call_f_macVersion_0); + methods += new qt_gsi::GenericStaticMethod ("machineHostName", "@brief Static method QString QSysInfo::machineHostName()\nThis method is static and can be called without an instance.", &_init_f_machineHostName_0, &_call_f_machineHostName_0); + methods += new qt_gsi::GenericStaticMethod ("machineUniqueId", "@brief Static method QByteArray QSysInfo::machineUniqueId()\nThis method is static and can be called without an instance.", &_init_f_machineUniqueId_0, &_call_f_machineUniqueId_0); methods += new qt_gsi::GenericStaticMethod ("prettyProductName", "@brief Static method QString QSysInfo::prettyProductName()\nThis method is static and can be called without an instance.", &_init_f_prettyProductName_0, &_call_f_prettyProductName_0); methods += new qt_gsi::GenericStaticMethod ("productType", "@brief Static method QString QSysInfo::productType()\nThis method is static and can be called without an instance.", &_init_f_productType_0, &_call_f_productType_0); methods += new qt_gsi::GenericStaticMethod ("productVersion", "@brief Static method QString QSysInfo::productVersion()\nThis method is static and can be called without an instance.", &_init_f_productVersion_0, &_call_f_productVersion_0); @@ -250,6 +298,7 @@ static gsi::Enum decl_QSysInfo_MacVersion_Enum ("QtCore", gsi::enum_const ("MV_10_9", QSysInfo::MV_10_9, "@brief Enum constant QSysInfo::MV_10_9") + gsi::enum_const ("MV_10_10", QSysInfo::MV_10_10, "@brief Enum constant QSysInfo::MV_10_10") + gsi::enum_const ("MV_10_11", QSysInfo::MV_10_11, "@brief Enum constant QSysInfo::MV_10_11") + + gsi::enum_const ("MV_10_12", QSysInfo::MV_10_12, "@brief Enum constant QSysInfo::MV_10_12") + gsi::enum_const ("MV_CHEETAH", QSysInfo::MV_CHEETAH, "@brief Enum constant QSysInfo::MV_CHEETAH") + gsi::enum_const ("MV_PUMA", QSysInfo::MV_PUMA, "@brief Enum constant QSysInfo::MV_PUMA") + gsi::enum_const ("MV_JAGUAR", QSysInfo::MV_JAGUAR, "@brief Enum constant QSysInfo::MV_JAGUAR") + @@ -262,6 +311,7 @@ static gsi::Enum decl_QSysInfo_MacVersion_Enum ("QtCore", gsi::enum_const ("MV_MAVERICKS", QSysInfo::MV_MAVERICKS, "@brief Enum constant QSysInfo::MV_MAVERICKS") + gsi::enum_const ("MV_YOSEMITE", QSysInfo::MV_YOSEMITE, "@brief Enum constant QSysInfo::MV_YOSEMITE") + gsi::enum_const ("MV_ELCAPITAN", QSysInfo::MV_ELCAPITAN, "@brief Enum constant QSysInfo::MV_ELCAPITAN") + + gsi::enum_const ("MV_SIERRA", QSysInfo::MV_SIERRA, "@brief Enum constant QSysInfo::MV_SIERRA") + gsi::enum_const ("MV_IOS", QSysInfo::MV_IOS, "@brief Enum constant QSysInfo::MV_IOS") + gsi::enum_const ("MV_IOS_4_3", QSysInfo::MV_IOS_4_3, "@brief Enum constant QSysInfo::MV_IOS_4_3") + gsi::enum_const ("MV_IOS_5_0", QSysInfo::MV_IOS_5_0, "@brief Enum constant QSysInfo::MV_IOS_5_0") + @@ -275,7 +325,21 @@ static gsi::Enum decl_QSysInfo_MacVersion_Enum ("QtCore", gsi::enum_const ("MV_IOS_8_2", QSysInfo::MV_IOS_8_2, "@brief Enum constant QSysInfo::MV_IOS_8_2") + gsi::enum_const ("MV_IOS_8_3", QSysInfo::MV_IOS_8_3, "@brief Enum constant QSysInfo::MV_IOS_8_3") + gsi::enum_const ("MV_IOS_8_4", QSysInfo::MV_IOS_8_4, "@brief Enum constant QSysInfo::MV_IOS_8_4") + - gsi::enum_const ("MV_IOS_9_0", QSysInfo::MV_IOS_9_0, "@brief Enum constant QSysInfo::MV_IOS_9_0"), + gsi::enum_const ("MV_IOS_9_0", QSysInfo::MV_IOS_9_0, "@brief Enum constant QSysInfo::MV_IOS_9_0") + + gsi::enum_const ("MV_IOS_9_1", QSysInfo::MV_IOS_9_1, "@brief Enum constant QSysInfo::MV_IOS_9_1") + + gsi::enum_const ("MV_IOS_9_2", QSysInfo::MV_IOS_9_2, "@brief Enum constant QSysInfo::MV_IOS_9_2") + + gsi::enum_const ("MV_IOS_9_3", QSysInfo::MV_IOS_9_3, "@brief Enum constant QSysInfo::MV_IOS_9_3") + + gsi::enum_const ("MV_IOS_10_0", QSysInfo::MV_IOS_10_0, "@brief Enum constant QSysInfo::MV_IOS_10_0") + + gsi::enum_const ("MV_TVOS", QSysInfo::MV_TVOS, "@brief Enum constant QSysInfo::MV_TVOS") + + gsi::enum_const ("MV_TVOS_9_0", QSysInfo::MV_TVOS_9_0, "@brief Enum constant QSysInfo::MV_TVOS_9_0") + + gsi::enum_const ("MV_TVOS_9_1", QSysInfo::MV_TVOS_9_1, "@brief Enum constant QSysInfo::MV_TVOS_9_1") + + gsi::enum_const ("MV_TVOS_9_2", QSysInfo::MV_TVOS_9_2, "@brief Enum constant QSysInfo::MV_TVOS_9_2") + + gsi::enum_const ("MV_TVOS_10_0", QSysInfo::MV_TVOS_10_0, "@brief Enum constant QSysInfo::MV_TVOS_10_0") + + gsi::enum_const ("MV_WATCHOS", QSysInfo::MV_WATCHOS, "@brief Enum constant QSysInfo::MV_WATCHOS") + + gsi::enum_const ("MV_WATCHOS_2_0", QSysInfo::MV_WATCHOS_2_0, "@brief Enum constant QSysInfo::MV_WATCHOS_2_0") + + gsi::enum_const ("MV_WATCHOS_2_1", QSysInfo::MV_WATCHOS_2_1, "@brief Enum constant QSysInfo::MV_WATCHOS_2_1") + + gsi::enum_const ("MV_WATCHOS_2_2", QSysInfo::MV_WATCHOS_2_2, "@brief Enum constant QSysInfo::MV_WATCHOS_2_2") + + gsi::enum_const ("MV_WATCHOS_3_0", QSysInfo::MV_WATCHOS_3_0, "@brief Enum constant QSysInfo::MV_WATCHOS_3_0"), "@qt\n@brief This class represents the QSysInfo::MacVersion enum"); static gsi::QFlagsClass decl_QSysInfo_MacVersion_Enums ("QtCore", "QSysInfo_QFlags_MacVersion", diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTemporaryDir.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTemporaryDir.cc index 14c869ac69..d31996c92b 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTemporaryDir.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTemporaryDir.cc @@ -84,6 +84,40 @@ static void _call_f_autoRemove_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// QString QTemporaryDir::errorString() + + +static void _init_f_errorString_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_errorString_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)((QTemporaryDir *)cls)->errorString ()); +} + + +// QString QTemporaryDir::filePath(const QString &fileName) + + +static void _init_f_filePath_c2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("fileName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_filePath_c2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QString)((QTemporaryDir *)cls)->filePath (arg1)); +} + + // bool QTemporaryDir::isValid() @@ -158,6 +192,8 @@ static gsi::Methods methods_QTemporaryDir () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTemporaryDir::QTemporaryDir()\nThis method creates an object of class QTemporaryDir.", &_init_ctor_QTemporaryDir_0, &_call_ctor_QTemporaryDir_0); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTemporaryDir::QTemporaryDir(const QString &templateName)\nThis method creates an object of class QTemporaryDir.", &_init_ctor_QTemporaryDir_2025, &_call_ctor_QTemporaryDir_2025); methods += new qt_gsi::GenericMethod (":autoRemove", "@brief Method bool QTemporaryDir::autoRemove()\n", true, &_init_f_autoRemove_c0, &_call_f_autoRemove_c0); + methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QTemporaryDir::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); + methods += new qt_gsi::GenericMethod ("filePath", "@brief Method QString QTemporaryDir::filePath(const QString &fileName)\n", true, &_init_f_filePath_c2025, &_call_f_filePath_c2025); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QTemporaryDir::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod ("path", "@brief Method QString QTemporaryDir::path()\n", true, &_init_f_path_c0, &_call_f_path_c0); methods += new qt_gsi::GenericMethod ("remove", "@brief Method bool QTemporaryDir::remove()\n", false, &_init_f_remove_0, &_call_f_remove_0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTemporaryFile.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTemporaryFile.cc index ec930a77e6..494fad3566 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTemporaryFile.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTemporaryFile.cc @@ -28,6 +28,7 @@ */ #include +#include #include #include #include @@ -188,6 +189,25 @@ static void _call_f_open_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, g } +// bool QTemporaryFile::rename(const QString &newName) + + +static void _init_f_rename_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("newName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_rename_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QTemporaryFile *)cls)->rename (arg1)); +} + + // void QTemporaryFile::setAutoRemove(bool b) @@ -369,10 +389,13 @@ static gsi::Methods methods_QTemporaryFile () { methods += new qt_gsi::GenericMethod (":fileName", "@brief Method QString QTemporaryFile::fileName()\nThis is a reimplementation of QFile::fileName", true, &_init_f_fileName_c0, &_call_f_fileName_c0); methods += new qt_gsi::GenericMethod (":fileTemplate", "@brief Method QString QTemporaryFile::fileTemplate()\n", true, &_init_f_fileTemplate_c0, &_call_f_fileTemplate_c0); methods += new qt_gsi::GenericMethod ("open", "@brief Method bool QTemporaryFile::open()\n", false, &_init_f_open_0, &_call_f_open_0); + methods += new qt_gsi::GenericMethod ("rename", "@brief Method bool QTemporaryFile::rename(const QString &newName)\n", false, &_init_f_rename_2025, &_call_f_rename_2025); methods += new qt_gsi::GenericMethod ("setAutoRemove|autoRemove=", "@brief Method void QTemporaryFile::setAutoRemove(bool b)\n", false, &_init_f_setAutoRemove_864, &_call_f_setAutoRemove_864); methods += new qt_gsi::GenericMethod ("setFileTemplate|fileTemplate=", "@brief Method void QTemporaryFile::setFileTemplate(const QString &name)\n", false, &_init_f_setFileTemplate_2025, &_call_f_setFileTemplate_2025); methods += gsi::qt_signal ("aboutToClose()", "aboutToClose", "@brief Signal declaration for QTemporaryFile::aboutToClose()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("bytesWritten(qint64)", "bytesWritten", gsi::arg("bytes"), "@brief Signal declaration for QTemporaryFile::bytesWritten(qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelBytesWritten(int, qint64)", "channelBytesWritten", gsi::arg("channel"), gsi::arg("bytes"), "@brief Signal declaration for QTemporaryFile::channelBytesWritten(int channel, qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelReadyRead(int)", "channelReadyRead", gsi::arg("channel"), "@brief Signal declaration for QTemporaryFile::channelReadyRead(int channel)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QTemporaryFile::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QTemporaryFile::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("readChannelFinished()", "readChannelFinished", "@brief Signal declaration for QTemporaryFile::readChannelFinished()\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTextCodec.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTextCodec.cc index 6a9ae3fc62..95de6c778e 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTextCodec.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTextCodec.cc @@ -205,7 +205,7 @@ static void _init_f_toUnicode_c5465 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("length"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("state", true, "0"); + static gsi::ArgSpecBase argspec_2 ("state", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -216,7 +216,7 @@ static void _call_f_toUnicode_c5465 (const qt_gsi::GenericMethod * /*decl*/, voi tl::Heap heap; const char *arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); - QTextCodec::ConverterState *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QTextCodec::ConverterState *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QString)((QTextCodec *)cls)->toUnicode (arg1, arg2, arg3)); } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTextDecoder.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTextDecoder.cc index 1aac399041..bca344f0f9 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTextDecoder.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTextDecoder.cc @@ -92,6 +92,21 @@ static void _call_f_hasFailure_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// bool QTextDecoder::needsMoreData() + + +static void _init_f_needsMoreData_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_needsMoreData_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QTextDecoder *)cls)->needsMoreData ()); +} + + // QString QTextDecoder::toUnicode(const char *chars, int len) @@ -168,6 +183,7 @@ static gsi::Methods methods_QTextDecoder () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTextDecoder::QTextDecoder(const QTextCodec *codec)\nThis method creates an object of class QTextDecoder.", &_init_ctor_QTextDecoder_2297, &_call_ctor_QTextDecoder_2297); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTextDecoder::QTextDecoder(const QTextCodec *codec, QFlags flags)\nThis method creates an object of class QTextDecoder.", &_init_ctor_QTextDecoder_5857, &_call_ctor_QTextDecoder_5857); methods += new qt_gsi::GenericMethod ("hasFailure", "@brief Method bool QTextDecoder::hasFailure()\n", true, &_init_f_hasFailure_c0, &_call_f_hasFailure_c0); + methods += new qt_gsi::GenericMethod ("needsMoreData", "@brief Method bool QTextDecoder::needsMoreData()\n", true, &_init_f_needsMoreData_c0, &_call_f_needsMoreData_c0); methods += new qt_gsi::GenericMethod ("toUnicode", "@brief Method QString QTextDecoder::toUnicode(const char *chars, int len)\n", false, &_init_f_toUnicode_2390, &_call_f_toUnicode_2390); methods += new qt_gsi::GenericMethod ("toUnicode", "@brief Method QString QTextDecoder::toUnicode(const QByteArray &ba)\n", false, &_init_f_toUnicode_2309, &_call_f_toUnicode_2309); methods += new qt_gsi::GenericMethod ("toUnicode", "@brief Method void QTextDecoder::toUnicode(QString *target, const char *chars, int len)\n", false, &_init_f_toUnicode_3616, &_call_f_toUnicode_3616); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQThread.cc b/src/gsiqt/qt5/QtCore/gsiDeclQThread.cc index b37f7050a4..99d35eef77 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQThread.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQThread.cc @@ -630,18 +630,18 @@ class QThread_Adaptor : public QThread, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QThread::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QThread::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QThread::eventFilter(arg1, arg2); + return QThread::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QThread_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QThread_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QThread::eventFilter(arg1, arg2); + return QThread::eventFilter(watched, event); } } @@ -664,33 +664,33 @@ class QThread_Adaptor : public QThread, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QThread::started()'"); } - // [adaptor impl] void QThread::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QThread::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QThread::childEvent(arg1); + QThread::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QThread_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QThread_Adaptor::cbs_childEvent_1701_0, event); } else { - QThread::childEvent(arg1); + QThread::childEvent(event); } } - // [adaptor impl] void QThread::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QThread::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QThread::customEvent(arg1); + QThread::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QThread_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QThread_Adaptor::cbs_customEvent_1217_0, event); } else { - QThread::customEvent(arg1); + QThread::customEvent(event); } } @@ -724,18 +724,18 @@ class QThread_Adaptor : public QThread, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QThread::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QThread::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QThread::timerEvent(arg1); + QThread::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QThread_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QThread_Adaptor::cbs_timerEvent_1730_0, event); } else { - QThread::timerEvent(arg1); + QThread::timerEvent(event); } } @@ -754,7 +754,7 @@ QThread_Adaptor::~QThread_Adaptor() { } static void _init_ctor_QThread_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -763,16 +763,16 @@ static void _call_ctor_QThread_Adaptor_1302 (const qt_gsi::GenericStaticMethod * { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QThread_Adaptor (arg1)); } -// void QThread::childEvent(QChildEvent *) +// void QThread::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -792,11 +792,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QThread::customEvent(QEvent *) +// void QThread::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -820,7 +820,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -829,7 +829,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QThread_Adaptor *)cls)->emitter_QThread_destroyed_1302 (arg1); } @@ -881,13 +881,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QThread::eventFilter(QObject *, QEvent *) +// bool QThread::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1070,11 +1070,11 @@ static void _call_emitter_started_2651 (const qt_gsi::GenericMethod * /*decl*/, } -// void QThread::timerEvent(QTimerEvent *) +// void QThread::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1102,16 +1102,16 @@ gsi::Class &qtdecl_QThread (); static gsi::Methods methods_QThread_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QThread::QThread(QObject *parent)\nThis method creates an object of class QThread.", &_init_ctor_QThread_Adaptor_1302, &_call_ctor_QThread_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QThread::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QThread::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QThread::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QThread::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QThread::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QThread::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QThread::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QThread::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QThread::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*exec", "@brief Method int QThread::exec()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_exec_0, &_call_fp_exec_0); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QThread::finished()\nCall this method to emit this signal.", false, &_init_emitter_finished_2651, &_call_emitter_finished_2651); @@ -1124,7 +1124,7 @@ static gsi::Methods methods_QThread_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QThread::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericStaticMethod ("*setTerminationEnabled", "@brief Method void QThread::setTerminationEnabled(bool enabled)\nThis method is protected and can only be called from inside a derived class.", &_init_fp_setTerminationEnabled_864, &_call_fp_setTerminationEnabled_864); methods += new qt_gsi::GenericMethod ("emit_started", "@brief Emitter for signal void QThread::started()\nCall this method to emit this signal.", false, &_init_emitter_started_2651, &_call_emitter_started_2651); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QThread::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QThread::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQThreadPool.cc b/src/gsiqt/qt5/QtCore/gsiDeclQThreadPool.cc index 8c5f6cb36b..4781f6a072 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQThreadPool.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQThreadPool.cc @@ -208,6 +208,41 @@ static void _call_f_setMaxThreadCount_767 (const qt_gsi::GenericMethod * /*decl* } +// void QThreadPool::setStackSize(unsigned int stackSize) + + +static void _init_f_setStackSize_1772 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("stackSize"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setStackSize_1772 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + unsigned int arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QThreadPool *)cls)->setStackSize (arg1); +} + + +// unsigned int QThreadPool::stackSize() + + +static void _init_f_stackSize_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_stackSize_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((unsigned int)((QThreadPool *)cls)->stackSize ()); +} + + // void QThreadPool::start(QRunnable *runnable, int priority) @@ -250,6 +285,25 @@ static void _call_f_tryStart_1526 (const qt_gsi::GenericMethod * /*decl*/, void } +// bool QThreadPool::tryTake(QRunnable *runnable) + + +static void _init_f_tryTake_1526 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("runnable"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_tryTake_1526 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QRunnable *arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QThreadPool *)cls)->tryTake (arg1)); +} + + // bool QThreadPool::waitForDone(int msecs) @@ -349,8 +403,11 @@ static gsi::Methods methods_QThreadPool () { methods += new qt_gsi::GenericMethod ("reserveThread", "@brief Method void QThreadPool::reserveThread()\n", false, &_init_f_reserveThread_0, &_call_f_reserveThread_0); methods += new qt_gsi::GenericMethod ("setExpiryTimeout|expiryTimeout=", "@brief Method void QThreadPool::setExpiryTimeout(int expiryTimeout)\n", false, &_init_f_setExpiryTimeout_767, &_call_f_setExpiryTimeout_767); methods += new qt_gsi::GenericMethod ("setMaxThreadCount|maxThreadCount=", "@brief Method void QThreadPool::setMaxThreadCount(int maxThreadCount)\n", false, &_init_f_setMaxThreadCount_767, &_call_f_setMaxThreadCount_767); + methods += new qt_gsi::GenericMethod ("setStackSize", "@brief Method void QThreadPool::setStackSize(unsigned int stackSize)\n", false, &_init_f_setStackSize_1772, &_call_f_setStackSize_1772); + methods += new qt_gsi::GenericMethod ("stackSize", "@brief Method unsigned int QThreadPool::stackSize()\n", true, &_init_f_stackSize_c0, &_call_f_stackSize_c0); methods += new qt_gsi::GenericMethod ("start", "@brief Method void QThreadPool::start(QRunnable *runnable, int priority)\n", false, &_init_f_start_2185, &_call_f_start_2185); methods += new qt_gsi::GenericMethod ("tryStart", "@brief Method bool QThreadPool::tryStart(QRunnable *runnable)\n", false, &_init_f_tryStart_1526, &_call_f_tryStart_1526); + methods += new qt_gsi::GenericMethod ("tryTake", "@brief Method bool QThreadPool::tryTake(QRunnable *runnable)\n", false, &_init_f_tryTake_1526, &_call_f_tryTake_1526); methods += new qt_gsi::GenericMethod ("waitForDone", "@brief Method bool QThreadPool::waitForDone(int msecs)\n", false, &_init_f_waitForDone_767, &_call_f_waitForDone_767); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QThreadPool::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QThreadPool::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); @@ -415,33 +472,33 @@ class QThreadPool_Adaptor : public QThreadPool, public qt_gsi::QtObjectBase emit QThreadPool::destroyed(arg1); } - // [adaptor impl] bool QThreadPool::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QThreadPool::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QThreadPool::event(arg1); + return QThreadPool::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QThreadPool_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QThreadPool_Adaptor::cbs_event_1217_0, _event); } else { - return QThreadPool::event(arg1); + return QThreadPool::event(_event); } } - // [adaptor impl] bool QThreadPool::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QThreadPool::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QThreadPool::eventFilter(arg1, arg2); + return QThreadPool::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QThreadPool_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QThreadPool_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QThreadPool::eventFilter(arg1, arg2); + return QThreadPool::eventFilter(watched, event); } } @@ -452,33 +509,33 @@ class QThreadPool_Adaptor : public QThreadPool, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QThreadPool::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QThreadPool::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QThreadPool::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QThreadPool::childEvent(arg1); + QThreadPool::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QThreadPool_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QThreadPool_Adaptor::cbs_childEvent_1701_0, event); } else { - QThreadPool::childEvent(arg1); + QThreadPool::childEvent(event); } } - // [adaptor impl] void QThreadPool::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QThreadPool::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QThreadPool::customEvent(arg1); + QThreadPool::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QThreadPool_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QThreadPool_Adaptor::cbs_customEvent_1217_0, event); } else { - QThreadPool::customEvent(arg1); + QThreadPool::customEvent(event); } } @@ -497,18 +554,18 @@ class QThreadPool_Adaptor : public QThreadPool, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QThreadPool::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QThreadPool::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QThreadPool::timerEvent(arg1); + QThreadPool::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QThreadPool_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QThreadPool_Adaptor::cbs_timerEvent_1730_0, event); } else { - QThreadPool::timerEvent(arg1); + QThreadPool::timerEvent(event); } } @@ -526,7 +583,7 @@ QThreadPool_Adaptor::~QThreadPool_Adaptor() { } static void _init_ctor_QThreadPool_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -535,16 +592,16 @@ static void _call_ctor_QThreadPool_Adaptor_1302 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QThreadPool_Adaptor (arg1)); } -// void QThreadPool::childEvent(QChildEvent *) +// void QThreadPool::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -564,11 +621,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QThreadPool::customEvent(QEvent *) +// void QThreadPool::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -592,7 +649,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -601,7 +658,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QThreadPool_Adaptor *)cls)->emitter_QThreadPool_destroyed_1302 (arg1); } @@ -630,11 +687,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QThreadPool::event(QEvent *) +// bool QThreadPool::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -653,13 +710,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QThreadPool::eventFilter(QObject *, QEvent *) +// bool QThreadPool::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -761,11 +818,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QThreadPool::timerEvent(QTimerEvent *) +// void QThreadPool::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -793,23 +850,23 @@ gsi::Class &qtdecl_QThreadPool (); static gsi::Methods methods_QThreadPool_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QThreadPool::QThreadPool(QObject *parent)\nThis method creates an object of class QThreadPool.", &_init_ctor_QThreadPool_Adaptor_1302, &_call_ctor_QThreadPool_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QThreadPool::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QThreadPool::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QThreadPool::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QThreadPool::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QThreadPool::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QThreadPool::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QThreadPool::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QThreadPool::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QThreadPool::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QThreadPool::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QThreadPool::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QThreadPool::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QThreadPool::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QThreadPool::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QThreadPool::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QThreadPool::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QThreadPool::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTimeLine.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTimeLine.cc index 6a91a5c9c5..888562480a 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTimeLine.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTimeLine.cc @@ -717,33 +717,33 @@ class QTimeLine_Adaptor : public QTimeLine, public qt_gsi::QtObjectBase emit QTimeLine::destroyed(arg1); } - // [adaptor impl] bool QTimeLine::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QTimeLine::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QTimeLine::event(arg1); + return QTimeLine::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QTimeLine_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QTimeLine_Adaptor::cbs_event_1217_0, _event); } else { - return QTimeLine::event(arg1); + return QTimeLine::event(_event); } } - // [adaptor impl] bool QTimeLine::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QTimeLine::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QTimeLine::eventFilter(arg1, arg2); + return QTimeLine::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QTimeLine_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QTimeLine_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QTimeLine::eventFilter(arg1, arg2); + return QTimeLine::eventFilter(watched, event); } } @@ -796,33 +796,33 @@ class QTimeLine_Adaptor : public QTimeLine, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTimeLine::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTimeLine::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTimeLine::childEvent(arg1); + QTimeLine::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTimeLine_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTimeLine_Adaptor::cbs_childEvent_1701_0, event); } else { - QTimeLine::childEvent(arg1); + QTimeLine::childEvent(event); } } - // [adaptor impl] void QTimeLine::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTimeLine::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTimeLine::customEvent(arg1); + QTimeLine::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTimeLine_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTimeLine_Adaptor::cbs_customEvent_1217_0, event); } else { - QTimeLine::customEvent(arg1); + QTimeLine::customEvent(event); } } @@ -873,7 +873,7 @@ static void _init_ctor_QTimeLine_Adaptor_1961 (qt_gsi::GenericStaticMethod *decl { static gsi::ArgSpecBase argspec_0 ("duration", true, "1000"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -883,16 +883,16 @@ static void _call_ctor_QTimeLine_Adaptor_1961 (const qt_gsi::GenericStaticMethod __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; int arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (1000, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTimeLine_Adaptor (arg1, arg2)); } -// void QTimeLine::childEvent(QChildEvent *) +// void QTimeLine::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -912,11 +912,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QTimeLine::customEvent(QEvent *) +// void QTimeLine::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -940,7 +940,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -949,7 +949,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTimeLine_Adaptor *)cls)->emitter_QTimeLine_destroyed_1302 (arg1); } @@ -978,11 +978,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QTimeLine::event(QEvent *) +// bool QTimeLine::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1001,13 +1001,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QTimeLine::eventFilter(QObject *, QEvent *) +// bool QTimeLine::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1232,16 +1232,16 @@ gsi::Class &qtdecl_QTimeLine (); static gsi::Methods methods_QTimeLine_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTimeLine::QTimeLine(int duration, QObject *parent)\nThis method creates an object of class QTimeLine.", &_init_ctor_QTimeLine_Adaptor_1961, &_call_ctor_QTimeLine_Adaptor_1961); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTimeLine::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTimeLine::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTimeLine::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTimeLine::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTimeLine::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTimeLine::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTimeLine::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTimeLine::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTimeLine::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTimeLine::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QTimeLine::finished()\nCall this method to emit this signal.", false, &_init_emitter_finished_2842, &_call_emitter_finished_2842); methods += new qt_gsi::GenericMethod ("emit_frameChanged", "@brief Emitter for signal void QTimeLine::frameChanged(int)\nCall this method to emit this signal.", false, &_init_emitter_frameChanged_3501, &_call_emitter_frameChanged_3501); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTimer.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTimer.cc index 05690b460f..0beca34470 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTimer.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTimer.cc @@ -387,33 +387,33 @@ class QTimer_Adaptor : public QTimer, public qt_gsi::QtObjectBase emit QTimer::destroyed(arg1); } - // [adaptor impl] bool QTimer::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QTimer::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QTimer::event(arg1); + return QTimer::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QTimer_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QTimer_Adaptor::cbs_event_1217_0, _event); } else { - return QTimer::event(arg1); + return QTimer::event(_event); } } - // [adaptor impl] bool QTimer::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QTimer::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QTimer::eventFilter(arg1, arg2); + return QTimer::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QTimer_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QTimer_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QTimer::eventFilter(arg1, arg2); + return QTimer::eventFilter(watched, event); } } @@ -430,33 +430,33 @@ class QTimer_Adaptor : public QTimer, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QTimer::timeout()'"); } - // [adaptor impl] void QTimer::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTimer::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTimer::childEvent(arg1); + QTimer::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTimer_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTimer_Adaptor::cbs_childEvent_1701_0, event); } else { - QTimer::childEvent(arg1); + QTimer::childEvent(event); } } - // [adaptor impl] void QTimer::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTimer::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTimer::customEvent(arg1); + QTimer::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTimer_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTimer_Adaptor::cbs_customEvent_1217_0, event); } else { - QTimer::customEvent(arg1); + QTimer::customEvent(event); } } @@ -504,7 +504,7 @@ QTimer_Adaptor::~QTimer_Adaptor() { } static void _init_ctor_QTimer_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -513,16 +513,16 @@ static void _call_ctor_QTimer_Adaptor_1302 (const qt_gsi::GenericStaticMethod * { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTimer_Adaptor (arg1)); } -// void QTimer::childEvent(QChildEvent *) +// void QTimer::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -542,11 +542,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QTimer::customEvent(QEvent *) +// void QTimer::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -570,7 +570,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -579,7 +579,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTimer_Adaptor *)cls)->emitter_QTimer_destroyed_1302 (arg1); } @@ -608,11 +608,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QTimer::event(QEvent *) +// bool QTimer::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -631,13 +631,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QTimer::eventFilter(QObject *, QEvent *) +// bool QTimer::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -785,16 +785,16 @@ gsi::Class &qtdecl_QTimer (); static gsi::Methods methods_QTimer_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTimer::QTimer(QObject *parent)\nThis method creates an object of class QTimer.", &_init_ctor_QTimer_Adaptor_1302, &_call_ctor_QTimer_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTimer::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTimer::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTimer::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTimer::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTimer::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTimer::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTimer::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTimer::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTimer::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTimer::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QTimer::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QTimer::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTranslator.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTranslator.cc index f63139b0ae..6358ff4289 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTranslator.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTranslator.cc @@ -163,7 +163,7 @@ static void _init_f_translate_c5636 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("sourceText"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("disambiguation", true, "0"); + static gsi::ArgSpecBase argspec_2 ("disambiguation", true, "nullptr"); decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("n", true, "-1"); decl->add_arg (argspec_3); @@ -176,7 +176,7 @@ static void _call_f_translate_c5636 (const qt_gsi::GenericMethod * /*decl*/, voi tl::Heap heap; const char *arg1 = gsi::arg_reader() (args, heap); const char *arg2 = gsi::arg_reader() (args, heap); - const char *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); int arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); ret.write ((QString)((QTranslator *)cls)->translate (arg1, arg2, arg3, arg4)); } @@ -305,33 +305,33 @@ class QTranslator_Adaptor : public QTranslator, public qt_gsi::QtObjectBase emit QTranslator::destroyed(arg1); } - // [adaptor impl] bool QTranslator::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QTranslator::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QTranslator::event(arg1); + return QTranslator::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QTranslator_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QTranslator_Adaptor::cbs_event_1217_0, _event); } else { - return QTranslator::event(arg1); + return QTranslator::event(_event); } } - // [adaptor impl] bool QTranslator::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QTranslator::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QTranslator::eventFilter(arg1, arg2); + return QTranslator::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QTranslator_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QTranslator_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QTranslator::eventFilter(arg1, arg2); + return QTranslator::eventFilter(watched, event); } } @@ -372,33 +372,33 @@ class QTranslator_Adaptor : public QTranslator, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTranslator::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTranslator::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTranslator::childEvent(arg1); + QTranslator::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTranslator_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTranslator_Adaptor::cbs_childEvent_1701_0, event); } else { - QTranslator::childEvent(arg1); + QTranslator::childEvent(event); } } - // [adaptor impl] void QTranslator::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTranslator::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTranslator::customEvent(arg1); + QTranslator::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTranslator_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTranslator_Adaptor::cbs_customEvent_1217_0, event); } else { - QTranslator::customEvent(arg1); + QTranslator::customEvent(event); } } @@ -417,18 +417,18 @@ class QTranslator_Adaptor : public QTranslator, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTranslator::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QTranslator::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QTranslator::timerEvent(arg1); + QTranslator::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QTranslator_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QTranslator_Adaptor::cbs_timerEvent_1730_0, event); } else { - QTranslator::timerEvent(arg1); + QTranslator::timerEvent(event); } } @@ -448,7 +448,7 @@ QTranslator_Adaptor::~QTranslator_Adaptor() { } static void _init_ctor_QTranslator_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -457,16 +457,16 @@ static void _call_ctor_QTranslator_Adaptor_1302 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTranslator_Adaptor (arg1)); } -// void QTranslator::childEvent(QChildEvent *) +// void QTranslator::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -486,11 +486,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QTranslator::customEvent(QEvent *) +// void QTranslator::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -514,7 +514,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -523,7 +523,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTranslator_Adaptor *)cls)->emitter_QTranslator_destroyed_1302 (arg1); } @@ -552,11 +552,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QTranslator::event(QEvent *) +// bool QTranslator::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -575,13 +575,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QTranslator::eventFilter(QObject *, QEvent *) +// bool QTranslator::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -702,11 +702,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QTranslator::timerEvent(QTimerEvent *) +// void QTranslator::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -766,16 +766,16 @@ gsi::Class &qtdecl_QTranslator (); static gsi::Methods methods_QTranslator_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTranslator::QTranslator(QObject *parent)\nThis method creates an object of class QTranslator.", &_init_ctor_QTranslator_Adaptor_1302, &_call_ctor_QTranslator_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTranslator::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTranslator::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTranslator::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTranslator::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTranslator::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTranslator::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTranslator::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTranslator::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTranslator::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTranslator::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isEmpty", "@brief Virtual method bool QTranslator::isEmpty()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isEmpty_c0_0, &_call_cbs_isEmpty_c0_0); methods += new qt_gsi::GenericMethod ("isEmpty", "@hide", true, &_init_cbs_isEmpty_c0_0, &_call_cbs_isEmpty_c0_0, &_set_callback_cbs_isEmpty_c0_0); @@ -784,7 +784,7 @@ static gsi::Methods methods_QTranslator_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QTranslator::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QTranslator::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QTranslator::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTranslator::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTranslator::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("translate", "@brief Virtual method QString QTranslator::translate(const char *context, const char *sourceText, const char *disambiguation, int n)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_translate_c5636_2, &_call_cbs_translate_c5636_2); methods += new qt_gsi::GenericMethod ("translate", "@hide", true, &_init_cbs_translate_c5636_2, &_call_cbs_translate_c5636_2, &_set_callback_cbs_translate_c5636_2); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQVariantAnimation.cc b/src/gsiqt/qt5/QtCore/gsiDeclQVariantAnimation.cc index 18cf2d55af..cfc2ce496f 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQVariantAnimation.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQVariantAnimation.cc @@ -451,18 +451,18 @@ class QVariantAnimation_Adaptor : public QVariantAnimation, public qt_gsi::QtObj } } - // [adaptor impl] bool QVariantAnimation::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QVariantAnimation::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QVariantAnimation::eventFilter(arg1, arg2); + return QVariantAnimation::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QVariantAnimation_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QVariantAnimation_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QVariantAnimation::eventFilter(arg1, arg2); + return QVariantAnimation::eventFilter(watched, event); } } @@ -491,33 +491,33 @@ class QVariantAnimation_Adaptor : public QVariantAnimation, public qt_gsi::QtObj emit QVariantAnimation::valueChanged(value); } - // [adaptor impl] void QVariantAnimation::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QVariantAnimation::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QVariantAnimation::childEvent(arg1); + QVariantAnimation::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QVariantAnimation_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QVariantAnimation_Adaptor::cbs_childEvent_1701_0, event); } else { - QVariantAnimation::childEvent(arg1); + QVariantAnimation::childEvent(event); } } - // [adaptor impl] void QVariantAnimation::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QVariantAnimation::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QVariantAnimation::customEvent(arg1); + QVariantAnimation::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QVariantAnimation_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QVariantAnimation_Adaptor::cbs_customEvent_1217_0, event); } else { - QVariantAnimation::customEvent(arg1); + QVariantAnimation::customEvent(event); } } @@ -566,18 +566,18 @@ class QVariantAnimation_Adaptor : public QVariantAnimation, public qt_gsi::QtObj } } - // [adaptor impl] void QVariantAnimation::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QVariantAnimation::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QVariantAnimation::timerEvent(arg1); + QVariantAnimation::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QVariantAnimation_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QVariantAnimation_Adaptor::cbs_timerEvent_1730_0, event); } else { - QVariantAnimation::timerEvent(arg1); + QVariantAnimation::timerEvent(event); } } @@ -661,7 +661,7 @@ QVariantAnimation_Adaptor::~QVariantAnimation_Adaptor() { } static void _init_ctor_QVariantAnimation_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -670,16 +670,16 @@ static void _call_ctor_QVariantAnimation_Adaptor_1302 (const qt_gsi::GenericStat { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QVariantAnimation_Adaptor (arg1)); } -// void QVariantAnimation::childEvent(QChildEvent *) +// void QVariantAnimation::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -717,11 +717,11 @@ static void _call_emitter_currentLoopChanged_767 (const qt_gsi::GenericMethod * } -// void QVariantAnimation::customEvent(QEvent *) +// void QVariantAnimation::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -745,7 +745,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -754,7 +754,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QVariantAnimation_Adaptor *)cls)->emitter_QVariantAnimation_destroyed_1302 (arg1); } @@ -843,13 +843,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QVariantAnimation::eventFilter(QObject *, QEvent *) +// bool QVariantAnimation::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1015,11 +1015,11 @@ static void _call_emitter_stateChanged_5680 (const qt_gsi::GenericMethod * /*dec } -// void QVariantAnimation::timerEvent(QTimerEvent *) +// void QVariantAnimation::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1164,10 +1164,10 @@ gsi::Class &qtdecl_QVariantAnimation (); static gsi::Methods methods_QVariantAnimation_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QVariantAnimation::QVariantAnimation(QObject *parent)\nThis method creates an object of class QVariantAnimation.", &_init_ctor_QVariantAnimation_Adaptor_1302, &_call_ctor_QVariantAnimation_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QVariantAnimation::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QVariantAnimation::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_currentLoopChanged", "@brief Emitter for signal void QVariantAnimation::currentLoopChanged(int currentLoop)\nCall this method to emit this signal.", false, &_init_emitter_currentLoopChanged_767, &_call_emitter_currentLoopChanged_767); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVariantAnimation::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVariantAnimation::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QVariantAnimation::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("emit_directionChanged", "@brief Emitter for signal void QVariantAnimation::directionChanged(QAbstractAnimation::Direction)\nCall this method to emit this signal.", false, &_init_emitter_directionChanged_3310, &_call_emitter_directionChanged_3310); @@ -1177,7 +1177,7 @@ static gsi::Methods methods_QVariantAnimation_Adaptor () { methods += new qt_gsi::GenericMethod ("duration", "@hide", true, &_init_cbs_duration_c0_0, &_call_cbs_duration_c0_0, &_set_callback_cbs_duration_c0_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QVariantAnimation::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVariantAnimation::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVariantAnimation::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QVariantAnimation::finished()\nCall this method to emit this signal.", false, &_init_emitter_finished_0, &_call_emitter_finished_0); methods += new qt_gsi::GenericMethod ("*interpolated", "@brief Virtual method QVariant QVariantAnimation::interpolated(const QVariant &from, const QVariant &to, double progress)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_interpolated_c5093_0, &_call_cbs_interpolated_c5093_0); @@ -1188,7 +1188,7 @@ static gsi::Methods methods_QVariantAnimation_Adaptor () { methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QVariantAnimation::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QVariantAnimation::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QVariantAnimation::stateChanged(QAbstractAnimation::State newState, QAbstractAnimation::State oldState)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_5680, &_call_emitter_stateChanged_5680); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QVariantAnimation::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QVariantAnimation::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateCurrentTime", "@brief Virtual method void QVariantAnimation::updateCurrentTime(int)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_updateCurrentTime_767_0, &_call_cbs_updateCurrentTime_767_0); methods += new qt_gsi::GenericMethod ("*updateCurrentTime", "@hide", false, &_init_cbs_updateCurrentTime_767_0, &_call_cbs_updateCurrentTime_767_0, &_set_callback_cbs_updateCurrentTime_767_0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQVersionNumber.cc b/src/gsiqt/qt5/QtCore/gsiDeclQVersionNumber.cc new file mode 100644 index 0000000000..2bcb7322a1 --- /dev/null +++ b/src/gsiqt/qt5/QtCore/gsiDeclQVersionNumber.cc @@ -0,0 +1,472 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +/** +* @file gsiDeclQVersionNumber.cc +* +* DO NOT EDIT THIS FILE. +* This file has been created automatically +*/ + +#include +#include "gsiQt.h" +#include "gsiQtCoreCommon.h" +#include + +// ----------------------------------------------------------------------- +// class QVersionNumber + +// Constructor QVersionNumber::QVersionNumber() + + +static void _init_ctor_QVersionNumber_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return_new (); +} + +static void _call_ctor_QVersionNumber_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write (new QVersionNumber ()); +} + + +// Constructor QVersionNumber::QVersionNumber(const QVector &seg) + + +static void _init_ctor_QVersionNumber_2474 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("seg"); + decl->add_arg & > (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QVersionNumber_2474 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QVector &arg1 = gsi::arg_reader & >() (args, heap); + ret.write (new QVersionNumber (arg1)); +} + + +// Constructor QVersionNumber::QVersionNumber(int maj) + + +static void _init_ctor_QVersionNumber_767 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("maj"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QVersionNumber_767 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ret.write (new QVersionNumber (arg1)); +} + + +// Constructor QVersionNumber::QVersionNumber(int maj, int min) + + +static void _init_ctor_QVersionNumber_1426 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("maj"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("min"); + decl->add_arg (argspec_1); + decl->set_return_new (); +} + +static void _call_ctor_QVersionNumber_1426 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + ret.write (new QVersionNumber (arg1, arg2)); +} + + +// Constructor QVersionNumber::QVersionNumber(int maj, int min, int mic) + + +static void _init_ctor_QVersionNumber_2085 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("maj"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("min"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("mic"); + decl->add_arg (argspec_2); + decl->set_return_new (); +} + +static void _call_ctor_QVersionNumber_2085 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ret.write (new QVersionNumber (arg1, arg2, arg3)); +} + + +// bool QVersionNumber::isNormalized() + + +static void _init_f_isNormalized_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isNormalized_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QVersionNumber *)cls)->isNormalized ()); +} + + +// bool QVersionNumber::isNull() + + +static void _init_f_isNull_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isNull_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QVersionNumber *)cls)->isNull ()); +} + + +// bool QVersionNumber::isPrefixOf(const QVersionNumber &other) + + +static void _init_f_isPrefixOf_c2753 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_isPrefixOf_c2753 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QVersionNumber &arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QVersionNumber *)cls)->isPrefixOf (arg1)); +} + + +// int QVersionNumber::majorVersion() + + +static void _init_f_majorVersion_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_majorVersion_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QVersionNumber *)cls)->majorVersion ()); +} + + +// int QVersionNumber::microVersion() + + +static void _init_f_microVersion_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_microVersion_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QVersionNumber *)cls)->microVersion ()); +} + + +// int QVersionNumber::minorVersion() + + +static void _init_f_minorVersion_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_minorVersion_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QVersionNumber *)cls)->minorVersion ()); +} + + +// QVersionNumber QVersionNumber::normalized() + + +static void _init_f_normalized_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_normalized_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QVersionNumber)((QVersionNumber *)cls)->normalized ()); +} + + +// int QVersionNumber::segmentAt(int index) + + +static void _init_f_segmentAt_c767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("index"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_segmentAt_c767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ret.write ((int)((QVersionNumber *)cls)->segmentAt (arg1)); +} + + +// int QVersionNumber::segmentCount() + + +static void _init_f_segmentCount_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_segmentCount_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QVersionNumber *)cls)->segmentCount ()); +} + + +// QVector QVersionNumber::segments() + + +static void _init_f_segments_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return > (); +} + +static void _call_f_segments_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write > ((QVector)((QVersionNumber *)cls)->segments ()); +} + + +// QString QVersionNumber::toString() + + +static void _init_f_toString_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_toString_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)((QVersionNumber *)cls)->toString ()); +} + + +// static QVersionNumber QVersionNumber::commonPrefix(const QVersionNumber &v1, const QVersionNumber &v2) + + +static void _init_f_commonPrefix_5398 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("v1"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("v2"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_commonPrefix_5398 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QVersionNumber &arg1 = gsi::arg_reader() (args, heap); + const QVersionNumber &arg2 = gsi::arg_reader() (args, heap); + ret.write ((QVersionNumber)QVersionNumber::commonPrefix (arg1, arg2)); +} + + +// static int QVersionNumber::compare(const QVersionNumber &v1, const QVersionNumber &v2) + + +static void _init_f_compare_5398 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("v1"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("v2"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_compare_5398 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QVersionNumber &arg1 = gsi::arg_reader() (args, heap); + const QVersionNumber &arg2 = gsi::arg_reader() (args, heap); + ret.write ((int)QVersionNumber::compare (arg1, arg2)); +} + + +// static QVersionNumber QVersionNumber::fromString(const QString &string, int *suffixIndex) + + +static void _init_f_fromString_2870 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("string"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("suffixIndex", true, "nullptr"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_fromString_2870 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + int *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ret.write ((QVersionNumber)QVersionNumber::fromString (arg1, arg2)); +} + + +// static QVersionNumber QVersionNumber::fromString(QLatin1String string, int *suffixIndex) + + +static void _init_f_fromString_2546 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("string"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("suffixIndex", true, "nullptr"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_fromString_2546 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QLatin1String arg1 = gsi::arg_reader() (args, heap); + int *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ret.write ((QVersionNumber)QVersionNumber::fromString (arg1, arg2)); +} + + +// bool ::operator>(const QVersionNumber &lhs, const QVersionNumber &rhs) +static bool op_QVersionNumber_operator_gt__5398(const QVersionNumber *_self, const QVersionNumber &rhs) { + return ::operator>(*_self, rhs); +} + +// bool ::operator>=(const QVersionNumber &lhs, const QVersionNumber &rhs) +static bool op_QVersionNumber_operator_gt__eq__5398(const QVersionNumber *_self, const QVersionNumber &rhs) { + return ::operator>=(*_self, rhs); +} + +// bool ::operator<(const QVersionNumber &lhs, const QVersionNumber &rhs) +static bool op_QVersionNumber_operator_lt__5398(const QVersionNumber *_self, const QVersionNumber &rhs) { + return ::operator<(*_self, rhs); +} + +// bool ::operator<=(const QVersionNumber &lhs, const QVersionNumber &rhs) +static bool op_QVersionNumber_operator_lt__eq__5398(const QVersionNumber *_self, const QVersionNumber &rhs) { + return ::operator<=(*_self, rhs); +} + +// bool ::operator==(const QVersionNumber &lhs, const QVersionNumber &rhs) +static bool op_QVersionNumber_operator_eq__eq__5398(const QVersionNumber *_self, const QVersionNumber &rhs) { + return ::operator==(*_self, rhs); +} + +// bool ::operator!=(const QVersionNumber &lhs, const QVersionNumber &rhs) +static bool op_QVersionNumber_operator_excl__eq__5398(const QVersionNumber *_self, const QVersionNumber &rhs) { + return ::operator!=(*_self, rhs); +} + + +namespace gsi +{ + +static gsi::Methods methods_QVersionNumber () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QVersionNumber::QVersionNumber()\nThis method creates an object of class QVersionNumber.", &_init_ctor_QVersionNumber_0, &_call_ctor_QVersionNumber_0); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QVersionNumber::QVersionNumber(const QVector &seg)\nThis method creates an object of class QVersionNumber.", &_init_ctor_QVersionNumber_2474, &_call_ctor_QVersionNumber_2474); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QVersionNumber::QVersionNumber(int maj)\nThis method creates an object of class QVersionNumber.", &_init_ctor_QVersionNumber_767, &_call_ctor_QVersionNumber_767); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QVersionNumber::QVersionNumber(int maj, int min)\nThis method creates an object of class QVersionNumber.", &_init_ctor_QVersionNumber_1426, &_call_ctor_QVersionNumber_1426); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QVersionNumber::QVersionNumber(int maj, int min, int mic)\nThis method creates an object of class QVersionNumber.", &_init_ctor_QVersionNumber_2085, &_call_ctor_QVersionNumber_2085); + methods += new qt_gsi::GenericMethod ("isNormalized?", "@brief Method bool QVersionNumber::isNormalized()\n", true, &_init_f_isNormalized_c0, &_call_f_isNormalized_c0); + methods += new qt_gsi::GenericMethod ("isNull?", "@brief Method bool QVersionNumber::isNull()\n", true, &_init_f_isNull_c0, &_call_f_isNull_c0); + methods += new qt_gsi::GenericMethod ("isPrefixOf?", "@brief Method bool QVersionNumber::isPrefixOf(const QVersionNumber &other)\n", true, &_init_f_isPrefixOf_c2753, &_call_f_isPrefixOf_c2753); + methods += new qt_gsi::GenericMethod ("majorVersion", "@brief Method int QVersionNumber::majorVersion()\n", true, &_init_f_majorVersion_c0, &_call_f_majorVersion_c0); + methods += new qt_gsi::GenericMethod ("microVersion", "@brief Method int QVersionNumber::microVersion()\n", true, &_init_f_microVersion_c0, &_call_f_microVersion_c0); + methods += new qt_gsi::GenericMethod ("minorVersion", "@brief Method int QVersionNumber::minorVersion()\n", true, &_init_f_minorVersion_c0, &_call_f_minorVersion_c0); + methods += new qt_gsi::GenericMethod ("normalized", "@brief Method QVersionNumber QVersionNumber::normalized()\n", true, &_init_f_normalized_c0, &_call_f_normalized_c0); + methods += new qt_gsi::GenericMethod ("segmentAt", "@brief Method int QVersionNumber::segmentAt(int index)\n", true, &_init_f_segmentAt_c767, &_call_f_segmentAt_c767); + methods += new qt_gsi::GenericMethod ("segmentCount", "@brief Method int QVersionNumber::segmentCount()\n", true, &_init_f_segmentCount_c0, &_call_f_segmentCount_c0); + methods += new qt_gsi::GenericMethod ("segments", "@brief Method QVector QVersionNumber::segments()\n", true, &_init_f_segments_c0, &_call_f_segments_c0); + methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QVersionNumber::toString()\n", true, &_init_f_toString_c0, &_call_f_toString_c0); + methods += new qt_gsi::GenericStaticMethod ("commonPrefix", "@brief Static method QVersionNumber QVersionNumber::commonPrefix(const QVersionNumber &v1, const QVersionNumber &v2)\nThis method is static and can be called without an instance.", &_init_f_commonPrefix_5398, &_call_f_commonPrefix_5398); + methods += new qt_gsi::GenericStaticMethod ("compare", "@brief Static method int QVersionNumber::compare(const QVersionNumber &v1, const QVersionNumber &v2)\nThis method is static and can be called without an instance.", &_init_f_compare_5398, &_call_f_compare_5398); + methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QVersionNumber QVersionNumber::fromString(const QString &string, int *suffixIndex)\nThis method is static and can be called without an instance.", &_init_f_fromString_2870, &_call_f_fromString_2870); + methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QVersionNumber QVersionNumber::fromString(QLatin1String string, int *suffixIndex)\nThis method is static and can be called without an instance.", &_init_f_fromString_2546, &_call_f_fromString_2546); + methods += gsi::method_ext(">", &::op_QVersionNumber_operator_gt__5398, gsi::arg ("rhs"), "@brief Operator bool ::operator>(const QVersionNumber &lhs, const QVersionNumber &rhs)\nThis is the mapping of the global operator to the instance method."); + methods += gsi::method_ext(">=", &::op_QVersionNumber_operator_gt__eq__5398, gsi::arg ("rhs"), "@brief Operator bool ::operator>=(const QVersionNumber &lhs, const QVersionNumber &rhs)\nThis is the mapping of the global operator to the instance method."); + methods += gsi::method_ext("<", &::op_QVersionNumber_operator_lt__5398, gsi::arg ("rhs"), "@brief Operator bool ::operator<(const QVersionNumber &lhs, const QVersionNumber &rhs)\nThis is the mapping of the global operator to the instance method."); + methods += gsi::method_ext("<=", &::op_QVersionNumber_operator_lt__eq__5398, gsi::arg ("rhs"), "@brief Operator bool ::operator<=(const QVersionNumber &lhs, const QVersionNumber &rhs)\nThis is the mapping of the global operator to the instance method."); + methods += gsi::method_ext("==", &::op_QVersionNumber_operator_eq__eq__5398, gsi::arg ("rhs"), "@brief Operator bool ::operator==(const QVersionNumber &lhs, const QVersionNumber &rhs)\nThis is the mapping of the global operator to the instance method."); + methods += gsi::method_ext("!=", &::op_QVersionNumber_operator_excl__eq__5398, gsi::arg ("rhs"), "@brief Operator bool ::operator!=(const QVersionNumber &lhs, const QVersionNumber &rhs)\nThis is the mapping of the global operator to the instance method."); + return methods; +} + +gsi::Class decl_QVersionNumber ("QtCore", "QVersionNumber", + methods_QVersionNumber (), + "@qt\n@brief Binding of QVersionNumber"); + + +GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QVersionNumber () { return decl_QVersionNumber; } + +} + diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQWaitCondition.cc b/src/gsiqt/qt5/QtCore/gsiDeclQWaitCondition.cc index 64c6fd6ee2..339f6d5623 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQWaitCondition.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQWaitCondition.cc @@ -28,6 +28,7 @@ */ #include +#include #include #include #include "gsiQt.h" @@ -52,6 +53,38 @@ static void _call_ctor_QWaitCondition_0 (const qt_gsi::GenericStaticMethod * /*d } +// void QWaitCondition::notify_all() + + +static void _init_f_notify_all_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_notify_all_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + ((QWaitCondition *)cls)->notify_all (); +} + + +// void QWaitCondition::notify_one() + + +static void _init_f_notify_one_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_notify_one_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + ((QWaitCondition *)cls)->notify_one (); +} + + // bool QWaitCondition::wait(QMutex *lockedMutex, unsigned long int time) @@ -74,6 +107,28 @@ static void _call_f_wait_3474 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// bool QWaitCondition::wait(QMutex *lockedMutex, QDeadlineTimer deadline) + + +static void _init_f_wait_2946 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("lockedMutex"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("deadline"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_wait_2946 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QMutex *arg1 = gsi::arg_reader() (args, heap); + QDeadlineTimer arg2 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QWaitCondition *)cls)->wait (arg1, arg2)); +} + + // bool QWaitCondition::wait(QReadWriteLock *lockedReadWriteLock, unsigned long int time) @@ -96,6 +151,28 @@ static void _call_f_wait_4239 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// bool QWaitCondition::wait(QReadWriteLock *lockedReadWriteLock, QDeadlineTimer deadline) + + +static void _init_f_wait_3711 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("lockedReadWriteLock"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("deadline"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_wait_3711 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QReadWriteLock *arg1 = gsi::arg_reader() (args, heap); + QDeadlineTimer arg2 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QWaitCondition *)cls)->wait (arg1, arg2)); +} + + // void QWaitCondition::wakeAll() @@ -135,8 +212,12 @@ namespace gsi static gsi::Methods methods_QWaitCondition () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QWaitCondition::QWaitCondition()\nThis method creates an object of class QWaitCondition.", &_init_ctor_QWaitCondition_0, &_call_ctor_QWaitCondition_0); + methods += new qt_gsi::GenericMethod ("notify_all", "@brief Method void QWaitCondition::notify_all()\n", false, &_init_f_notify_all_0, &_call_f_notify_all_0); + methods += new qt_gsi::GenericMethod ("notify_one", "@brief Method void QWaitCondition::notify_one()\n", false, &_init_f_notify_one_0, &_call_f_notify_one_0); methods += new qt_gsi::GenericMethod ("wait", "@brief Method bool QWaitCondition::wait(QMutex *lockedMutex, unsigned long int time)\n", false, &_init_f_wait_3474, &_call_f_wait_3474); + methods += new qt_gsi::GenericMethod ("wait", "@brief Method bool QWaitCondition::wait(QMutex *lockedMutex, QDeadlineTimer deadline)\n", false, &_init_f_wait_2946, &_call_f_wait_2946); methods += new qt_gsi::GenericMethod ("wait", "@brief Method bool QWaitCondition::wait(QReadWriteLock *lockedReadWriteLock, unsigned long int time)\n", false, &_init_f_wait_4239, &_call_f_wait_4239); + methods += new qt_gsi::GenericMethod ("wait", "@brief Method bool QWaitCondition::wait(QReadWriteLock *lockedReadWriteLock, QDeadlineTimer deadline)\n", false, &_init_f_wait_3711, &_call_f_wait_3711); methods += new qt_gsi::GenericMethod ("wakeAll", "@brief Method void QWaitCondition::wakeAll()\n", false, &_init_f_wakeAll_0, &_call_f_wakeAll_0); methods += new qt_gsi::GenericMethod ("wakeOne", "@brief Method void QWaitCondition::wakeOne()\n", false, &_init_f_wakeOne_0, &_call_f_wakeOne_0); return methods; diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamStringRef.cc b/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamStringRef.cc index c3fa41e7c9..c61459cbfc 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamStringRef.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamStringRef.cc @@ -88,6 +88,25 @@ static void _call_ctor_QXmlStreamStringRef_2025 (const qt_gsi::GenericStaticMeth } +// Constructor QXmlStreamStringRef::QXmlStreamStringRef(const QXmlStreamStringRef &other) + + +static void _init_ctor_QXmlStreamStringRef_3235 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QXmlStreamStringRef_3235 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QXmlStreamStringRef &arg1 = gsi::arg_reader() (args, heap); + ret.write (new QXmlStreamStringRef (arg1)); +} + + // void QXmlStreamStringRef::clear() @@ -104,6 +123,25 @@ static void _call_f_clear_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// QXmlStreamStringRef &QXmlStreamStringRef::operator=(const QXmlStreamStringRef &other) + + +static void _init_f_operator_eq__3235 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_eq__3235 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QXmlStreamStringRef &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QXmlStreamStringRef &)((QXmlStreamStringRef *)cls)->operator= (arg1)); +} + + // int QXmlStreamStringRef::position() @@ -149,6 +187,26 @@ static void _call_f_string_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// void QXmlStreamStringRef::swap(QXmlStreamStringRef &other) + + +static void _init_f_swap_2540 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_swap_2540 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QXmlStreamStringRef &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QXmlStreamStringRef *)cls)->swap (arg1); +} + + namespace gsi { @@ -158,10 +216,13 @@ static gsi::Methods methods_QXmlStreamStringRef () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QXmlStreamStringRef::QXmlStreamStringRef()\nThis method creates an object of class QXmlStreamStringRef.", &_init_ctor_QXmlStreamStringRef_0, &_call_ctor_QXmlStreamStringRef_0); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QXmlStreamStringRef::QXmlStreamStringRef(const QStringRef &aString)\nThis method creates an object of class QXmlStreamStringRef.", &_init_ctor_QXmlStreamStringRef_2310, &_call_ctor_QXmlStreamStringRef_2310); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QXmlStreamStringRef::QXmlStreamStringRef(const QString &aString)\nThis method creates an object of class QXmlStreamStringRef.", &_init_ctor_QXmlStreamStringRef_2025, &_call_ctor_QXmlStreamStringRef_2025); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QXmlStreamStringRef::QXmlStreamStringRef(const QXmlStreamStringRef &other)\nThis method creates an object of class QXmlStreamStringRef.", &_init_ctor_QXmlStreamStringRef_3235, &_call_ctor_QXmlStreamStringRef_3235); methods += new qt_gsi::GenericMethod ("clear", "@brief Method void QXmlStreamStringRef::clear()\n", false, &_init_f_clear_0, &_call_f_clear_0); + methods += new qt_gsi::GenericMethod ("assign", "@brief Method QXmlStreamStringRef &QXmlStreamStringRef::operator=(const QXmlStreamStringRef &other)\n", false, &_init_f_operator_eq__3235, &_call_f_operator_eq__3235); methods += new qt_gsi::GenericMethod ("position", "@brief Method int QXmlStreamStringRef::position()\n", true, &_init_f_position_c0, &_call_f_position_c0); methods += new qt_gsi::GenericMethod ("size", "@brief Method int QXmlStreamStringRef::size()\n", true, &_init_f_size_c0, &_call_f_size_c0); methods += new qt_gsi::GenericMethod ("string", "@brief Method const QString *QXmlStreamStringRef::string()\n", true, &_init_f_string_c0, &_call_f_string_c0); + methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QXmlStreamStringRef::swap(QXmlStreamStringRef &other)\n", false, &_init_f_swap_2540, &_call_f_swap_2540); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQt.cc b/src/gsiqt/qt5/QtCore/gsiDeclQt.cc index 26460c8820..8ee54106a1 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQt.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQt.cc @@ -111,6 +111,7 @@ static gsi::Enum decl_Qt_ApplicationAttribute_Enum ("Q gsi::enum_const ("AA_DontShowIconsInMenus", Qt::AA_DontShowIconsInMenus, "@brief Enum constant Qt::AA_DontShowIconsInMenus") + gsi::enum_const ("AA_NativeWindows", Qt::AA_NativeWindows, "@brief Enum constant Qt::AA_NativeWindows") + gsi::enum_const ("AA_DontCreateNativeWidgetSiblings", Qt::AA_DontCreateNativeWidgetSiblings, "@brief Enum constant Qt::AA_DontCreateNativeWidgetSiblings") + + gsi::enum_const ("AA_PluginApplication", Qt::AA_PluginApplication, "@brief Enum constant Qt::AA_PluginApplication") + gsi::enum_const ("AA_MacPluginApplication", Qt::AA_MacPluginApplication, "@brief Enum constant Qt::AA_MacPluginApplication") + gsi::enum_const ("AA_DontUseNativeMenuBar", Qt::AA_DontUseNativeMenuBar, "@brief Enum constant Qt::AA_DontUseNativeMenuBar") + gsi::enum_const ("AA_MacDontSwapCtrlAndMeta", Qt::AA_MacDontSwapCtrlAndMeta, "@brief Enum constant Qt::AA_MacDontSwapCtrlAndMeta") + @@ -125,6 +126,17 @@ static gsi::Enum decl_Qt_ApplicationAttribute_Enum ("Q gsi::enum_const ("AA_UseSoftwareOpenGL", Qt::AA_UseSoftwareOpenGL, "@brief Enum constant Qt::AA_UseSoftwareOpenGL") + gsi::enum_const ("AA_ShareOpenGLContexts", Qt::AA_ShareOpenGLContexts, "@brief Enum constant Qt::AA_ShareOpenGLContexts") + gsi::enum_const ("AA_SetPalette", Qt::AA_SetPalette, "@brief Enum constant Qt::AA_SetPalette") + + gsi::enum_const ("AA_EnableHighDpiScaling", Qt::AA_EnableHighDpiScaling, "@brief Enum constant Qt::AA_EnableHighDpiScaling") + + gsi::enum_const ("AA_DisableHighDpiScaling", Qt::AA_DisableHighDpiScaling, "@brief Enum constant Qt::AA_DisableHighDpiScaling") + + gsi::enum_const ("AA_UseStyleSheetPropagationInWidgetStyles", Qt::AA_UseStyleSheetPropagationInWidgetStyles, "@brief Enum constant Qt::AA_UseStyleSheetPropagationInWidgetStyles") + + gsi::enum_const ("AA_DontUseNativeDialogs", Qt::AA_DontUseNativeDialogs, "@brief Enum constant Qt::AA_DontUseNativeDialogs") + + gsi::enum_const ("AA_SynthesizeMouseForUnhandledTabletEvents", Qt::AA_SynthesizeMouseForUnhandledTabletEvents, "@brief Enum constant Qt::AA_SynthesizeMouseForUnhandledTabletEvents") + + gsi::enum_const ("AA_CompressHighFrequencyEvents", Qt::AA_CompressHighFrequencyEvents, "@brief Enum constant Qt::AA_CompressHighFrequencyEvents") + + gsi::enum_const ("AA_DontCheckOpenGLContextThreadAffinity", Qt::AA_DontCheckOpenGLContextThreadAffinity, "@brief Enum constant Qt::AA_DontCheckOpenGLContextThreadAffinity") + + gsi::enum_const ("AA_DisableShaderDiskCache", Qt::AA_DisableShaderDiskCache, "@brief Enum constant Qt::AA_DisableShaderDiskCache") + + gsi::enum_const ("AA_DontShowShortcutsInContextMenus", Qt::AA_DontShowShortcutsInContextMenus, "@brief Enum constant Qt::AA_DontShowShortcutsInContextMenus") + + gsi::enum_const ("AA_CompressTabletEvents", Qt::AA_CompressTabletEvents, "@brief Enum constant Qt::AA_CompressTabletEvents") + + gsi::enum_const ("AA_DisableWindowContextHelpButton", Qt::AA_DisableWindowContextHelpButton, "@brief Enum constant Qt::AA_DisableWindowContextHelpButton") + gsi::enum_const ("AA_AttributeCount", Qt::AA_AttributeCount, "@brief Enum constant Qt::AA_AttributeCount"), "@qt\n@brief This class represents the Qt::ApplicationAttribute enum"); @@ -324,6 +336,26 @@ static gsi::ClassExt decl_Qt_CheckState_Enums_as_child (decl_Qt_Ch } +// Implementation of the enum wrapper class for Qt::ChecksumType +namespace qt_gsi +{ + +static gsi::Enum decl_Qt_ChecksumType_Enum ("QtCore", "Qt_ChecksumType", + gsi::enum_const ("ChecksumIso3309", Qt::ChecksumIso3309, "@brief Enum constant Qt::ChecksumIso3309") + + gsi::enum_const ("ChecksumItuV41", Qt::ChecksumItuV41, "@brief Enum constant Qt::ChecksumItuV41"), + "@qt\n@brief This class represents the Qt::ChecksumType enum"); + +static gsi::QFlagsClass decl_Qt_ChecksumType_Enums ("QtCore", "Qt_QFlags_ChecksumType", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_Qt_ChecksumType_Enum_in_parent (decl_Qt_ChecksumType_Enum.defs ()); +static gsi::ClassExt decl_Qt_ChecksumType_Enum_as_child (decl_Qt_ChecksumType_Enum, "ChecksumType"); +static gsi::ClassExt decl_Qt_ChecksumType_Enums_as_child (decl_Qt_ChecksumType_Enums, "QFlags_ChecksumType"); + +} + + // Implementation of the enum wrapper class for Qt::ClipOperation namespace qt_gsi { @@ -510,7 +542,8 @@ static gsi::Enum decl_Qt_DateFormat_Enum ("QtCore", "Qt_DateForm gsi::enum_const ("SystemLocaleLongDate", Qt::SystemLocaleLongDate, "@brief Enum constant Qt::SystemLocaleLongDate") + gsi::enum_const ("DefaultLocaleShortDate", Qt::DefaultLocaleShortDate, "@brief Enum constant Qt::DefaultLocaleShortDate") + gsi::enum_const ("DefaultLocaleLongDate", Qt::DefaultLocaleLongDate, "@brief Enum constant Qt::DefaultLocaleLongDate") + - gsi::enum_const ("RFC2822Date", Qt::RFC2822Date, "@brief Enum constant Qt::RFC2822Date"), + gsi::enum_const ("RFC2822Date", Qt::RFC2822Date, "@brief Enum constant Qt::RFC2822Date") + + gsi::enum_const ("ISODateWithMs", Qt::ISODateWithMs, "@brief Enum constant Qt::ISODateWithMs"), "@qt\n@brief This class represents the Qt::DateFormat enum"); static gsi::QFlagsClass decl_Qt_DateFormat_Enums ("QtCore", "Qt_QFlags_DateFormat", @@ -523,28 +556,3 @@ static gsi::ClassExt decl_Qt_DateFormat_Enums_as_child (decl_Qt_Da } - -// Implementation of the enum wrapper class for Qt::DayOfWeek -namespace qt_gsi -{ - -static gsi::Enum decl_Qt_DayOfWeek_Enum ("QtCore", "Qt_DayOfWeek", - gsi::enum_const ("Monday", Qt::Monday, "@brief Enum constant Qt::Monday") + - gsi::enum_const ("Tuesday", Qt::Tuesday, "@brief Enum constant Qt::Tuesday") + - gsi::enum_const ("Wednesday", Qt::Wednesday, "@brief Enum constant Qt::Wednesday") + - gsi::enum_const ("Thursday", Qt::Thursday, "@brief Enum constant Qt::Thursday") + - gsi::enum_const ("Friday", Qt::Friday, "@brief Enum constant Qt::Friday") + - gsi::enum_const ("Saturday", Qt::Saturday, "@brief Enum constant Qt::Saturday") + - gsi::enum_const ("Sunday", Qt::Sunday, "@brief Enum constant Qt::Sunday"), - "@qt\n@brief This class represents the Qt::DayOfWeek enum"); - -static gsi::QFlagsClass decl_Qt_DayOfWeek_Enums ("QtCore", "Qt_QFlags_DayOfWeek", - "@qt\n@brief This class represents the QFlags flag set"); - -// Inject the declarations into the parent -static gsi::ClassExt inject_Qt_DayOfWeek_Enum_in_parent (decl_Qt_DayOfWeek_Enum.defs ()); -static gsi::ClassExt decl_Qt_DayOfWeek_Enum_as_child (decl_Qt_DayOfWeek_Enum, "DayOfWeek"); -static gsi::ClassExt decl_Qt_DayOfWeek_Enums_as_child (decl_Qt_DayOfWeek_Enums, "QFlags_DayOfWeek"); - -} - diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQt_1.cc b/src/gsiqt/qt5/QtCore/gsiDeclQt_1.cc index 37a9590d5e..6e7e38e42a 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQt_1.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQt_1.cc @@ -38,6 +38,31 @@ class Qt_Namespace { }; +// Implementation of the enum wrapper class for Qt::DayOfWeek +namespace qt_gsi +{ + +static gsi::Enum decl_Qt_DayOfWeek_Enum ("QtCore", "Qt_DayOfWeek", + gsi::enum_const ("Monday", Qt::Monday, "@brief Enum constant Qt::Monday") + + gsi::enum_const ("Tuesday", Qt::Tuesday, "@brief Enum constant Qt::Tuesday") + + gsi::enum_const ("Wednesday", Qt::Wednesday, "@brief Enum constant Qt::Wednesday") + + gsi::enum_const ("Thursday", Qt::Thursday, "@brief Enum constant Qt::Thursday") + + gsi::enum_const ("Friday", Qt::Friday, "@brief Enum constant Qt::Friday") + + gsi::enum_const ("Saturday", Qt::Saturday, "@brief Enum constant Qt::Saturday") + + gsi::enum_const ("Sunday", Qt::Sunday, "@brief Enum constant Qt::Sunday"), + "@qt\n@brief This class represents the Qt::DayOfWeek enum"); + +static gsi::QFlagsClass decl_Qt_DayOfWeek_Enums ("QtCore", "Qt_QFlags_DayOfWeek", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_Qt_DayOfWeek_Enum_in_parent (decl_Qt_DayOfWeek_Enum.defs ()); +static gsi::ClassExt decl_Qt_DayOfWeek_Enum_as_child (decl_Qt_DayOfWeek_Enum, "DayOfWeek"); +static gsi::ClassExt decl_Qt_DayOfWeek_Enums_as_child (decl_Qt_DayOfWeek_Enums, "QFlags_DayOfWeek"); + +} + + // Implementation of the enum wrapper class for Qt::DockWidgetArea namespace qt_gsi { @@ -128,6 +153,32 @@ static gsi::ClassExt decl_Qt_Edge_Enums_as_child (decl_Qt_Edge_Enu } +// Implementation of the enum wrapper class for Qt::EnterKeyType +namespace qt_gsi +{ + +static gsi::Enum decl_Qt_EnterKeyType_Enum ("QtCore", "Qt_EnterKeyType", + gsi::enum_const ("EnterKeyDefault", Qt::EnterKeyDefault, "@brief Enum constant Qt::EnterKeyDefault") + + gsi::enum_const ("EnterKeyReturn", Qt::EnterKeyReturn, "@brief Enum constant Qt::EnterKeyReturn") + + gsi::enum_const ("EnterKeyDone", Qt::EnterKeyDone, "@brief Enum constant Qt::EnterKeyDone") + + gsi::enum_const ("EnterKeyGo", Qt::EnterKeyGo, "@brief Enum constant Qt::EnterKeyGo") + + gsi::enum_const ("EnterKeySend", Qt::EnterKeySend, "@brief Enum constant Qt::EnterKeySend") + + gsi::enum_const ("EnterKeySearch", Qt::EnterKeySearch, "@brief Enum constant Qt::EnterKeySearch") + + gsi::enum_const ("EnterKeyNext", Qt::EnterKeyNext, "@brief Enum constant Qt::EnterKeyNext") + + gsi::enum_const ("EnterKeyPrevious", Qt::EnterKeyPrevious, "@brief Enum constant Qt::EnterKeyPrevious"), + "@qt\n@brief This class represents the Qt::EnterKeyType enum"); + +static gsi::QFlagsClass decl_Qt_EnterKeyType_Enums ("QtCore", "Qt_QFlags_EnterKeyType", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_Qt_EnterKeyType_Enum_in_parent (decl_Qt_EnterKeyType_Enum.defs ()); +static gsi::ClassExt decl_Qt_EnterKeyType_Enum_as_child (decl_Qt_EnterKeyType_Enum, "EnterKeyType"); +static gsi::ClassExt decl_Qt_EnterKeyType_Enums_as_child (decl_Qt_EnterKeyType_Enums, "QFlags_EnterKeyType"); + +} + + // Implementation of the enum wrapper class for Qt::EventPriority namespace qt_gsi { @@ -408,14 +459,12 @@ namespace qt_gsi { static gsi::Enum decl_Qt_Initialization_Enum ("QtCore", "Qt_Initialization", - gsi::enum_const ("Uninitialized", Qt::Uninitialized, "@brief Enum constant Qt::Uninitialized"), + gsi::enum_const ("Uninitialized", Qt::Initialization::Uninitialized, "@brief Enum constant Qt::Initialization::Uninitialized"), "@qt\n@brief This class represents the Qt::Initialization enum"); static gsi::QFlagsClass decl_Qt_Initialization_Enums ("QtCore", "Qt_QFlags_Initialization", "@qt\n@brief This class represents the QFlags flag set"); -// Inject the declarations into the parent -static gsi::ClassExt inject_Qt_Initialization_Enum_in_parent (decl_Qt_Initialization_Enum.defs ()); static gsi::ClassExt decl_Qt_Initialization_Enum_as_child (decl_Qt_Initialization_Enum, "Initialization"); static gsi::ClassExt decl_Qt_Initialization_Enums_as_child (decl_Qt_Initialization_Enums, "QFlags_Initialization"); @@ -439,6 +488,8 @@ static gsi::Enum decl_Qt_InputMethodHint_Enum ("QtCore", "Q gsi::enum_const ("ImhTime", Qt::ImhTime, "@brief Enum constant Qt::ImhTime") + gsi::enum_const ("ImhPreferLatin", Qt::ImhPreferLatin, "@brief Enum constant Qt::ImhPreferLatin") + gsi::enum_const ("ImhMultiLine", Qt::ImhMultiLine, "@brief Enum constant Qt::ImhMultiLine") + + gsi::enum_const ("ImhNoEditMenu", Qt::ImhNoEditMenu, "@brief Enum constant Qt::ImhNoEditMenu") + + gsi::enum_const ("ImhNoTextHandles", Qt::ImhNoTextHandles, "@brief Enum constant Qt::ImhNoTextHandles") + gsi::enum_const ("ImhDigitsOnly", Qt::ImhDigitsOnly, "@brief Enum constant Qt::ImhDigitsOnly") + gsi::enum_const ("ImhFormattedNumbersOnly", Qt::ImhFormattedNumbersOnly, "@brief Enum constant Qt::ImhFormattedNumbersOnly") + gsi::enum_const ("ImhUppercaseOnly", Qt::ImhUppercaseOnly, "@brief Enum constant Qt::ImhUppercaseOnly") + @@ -480,6 +531,9 @@ static gsi::Enum decl_Qt_InputMethodQuery_Enum ("QtCore", gsi::enum_const ("ImAbsolutePosition", Qt::ImAbsolutePosition, "@brief Enum constant Qt::ImAbsolutePosition") + gsi::enum_const ("ImTextBeforeCursor", Qt::ImTextBeforeCursor, "@brief Enum constant Qt::ImTextBeforeCursor") + gsi::enum_const ("ImTextAfterCursor", Qt::ImTextAfterCursor, "@brief Enum constant Qt::ImTextAfterCursor") + + gsi::enum_const ("ImEnterKeyType", Qt::ImEnterKeyType, "@brief Enum constant Qt::ImEnterKeyType") + + gsi::enum_const ("ImAnchorRectangle", Qt::ImAnchorRectangle, "@brief Enum constant Qt::ImAnchorRectangle") + + gsi::enum_const ("ImInputItemClipRectangle", Qt::ImInputItemClipRectangle, "@brief Enum constant Qt::ImInputItemClipRectangle") + gsi::enum_const ("ImPlatformData", Qt::ImPlatformData, "@brief Enum constant Qt::ImPlatformData") + gsi::enum_const ("ImQueryInput", Qt::ImQueryInput, "@brief Enum constant Qt::ImQueryInput") + gsi::enum_const ("ImQueryAll", Qt::ImQueryAll, "@brief Enum constant Qt::ImQueryAll"), @@ -495,72 +549,3 @@ static gsi::ClassExt decl_Qt_InputMethodQuery_Enums_as_child (decl } - -// Implementation of the enum wrapper class for Qt::ItemDataRole -namespace qt_gsi -{ - -static gsi::Enum decl_Qt_ItemDataRole_Enum ("QtCore", "Qt_ItemDataRole", - gsi::enum_const ("DisplayRole", Qt::DisplayRole, "@brief Enum constant Qt::DisplayRole") + - gsi::enum_const ("DecorationRole", Qt::DecorationRole, "@brief Enum constant Qt::DecorationRole") + - gsi::enum_const ("EditRole", Qt::EditRole, "@brief Enum constant Qt::EditRole") + - gsi::enum_const ("ToolTipRole", Qt::ToolTipRole, "@brief Enum constant Qt::ToolTipRole") + - gsi::enum_const ("StatusTipRole", Qt::StatusTipRole, "@brief Enum constant Qt::StatusTipRole") + - gsi::enum_const ("WhatsThisRole", Qt::WhatsThisRole, "@brief Enum constant Qt::WhatsThisRole") + - gsi::enum_const ("FontRole", Qt::FontRole, "@brief Enum constant Qt::FontRole") + - gsi::enum_const ("TextAlignmentRole", Qt::TextAlignmentRole, "@brief Enum constant Qt::TextAlignmentRole") + - gsi::enum_const ("BackgroundColorRole", Qt::BackgroundColorRole, "@brief Enum constant Qt::BackgroundColorRole") + - gsi::enum_const ("BackgroundRole", Qt::BackgroundRole, "@brief Enum constant Qt::BackgroundRole") + - gsi::enum_const ("TextColorRole", Qt::TextColorRole, "@brief Enum constant Qt::TextColorRole") + - gsi::enum_const ("ForegroundRole", Qt::ForegroundRole, "@brief Enum constant Qt::ForegroundRole") + - gsi::enum_const ("CheckStateRole", Qt::CheckStateRole, "@brief Enum constant Qt::CheckStateRole") + - gsi::enum_const ("AccessibleTextRole", Qt::AccessibleTextRole, "@brief Enum constant Qt::AccessibleTextRole") + - gsi::enum_const ("AccessibleDescriptionRole", Qt::AccessibleDescriptionRole, "@brief Enum constant Qt::AccessibleDescriptionRole") + - gsi::enum_const ("SizeHintRole", Qt::SizeHintRole, "@brief Enum constant Qt::SizeHintRole") + - gsi::enum_const ("InitialSortOrderRole", Qt::InitialSortOrderRole, "@brief Enum constant Qt::InitialSortOrderRole") + - gsi::enum_const ("DisplayPropertyRole", Qt::DisplayPropertyRole, "@brief Enum constant Qt::DisplayPropertyRole") + - gsi::enum_const ("DecorationPropertyRole", Qt::DecorationPropertyRole, "@brief Enum constant Qt::DecorationPropertyRole") + - gsi::enum_const ("ToolTipPropertyRole", Qt::ToolTipPropertyRole, "@brief Enum constant Qt::ToolTipPropertyRole") + - gsi::enum_const ("StatusTipPropertyRole", Qt::StatusTipPropertyRole, "@brief Enum constant Qt::StatusTipPropertyRole") + - gsi::enum_const ("WhatsThisPropertyRole", Qt::WhatsThisPropertyRole, "@brief Enum constant Qt::WhatsThisPropertyRole") + - gsi::enum_const ("UserRole", Qt::UserRole, "@brief Enum constant Qt::UserRole"), - "@qt\n@brief This class represents the Qt::ItemDataRole enum"); - -static gsi::QFlagsClass decl_Qt_ItemDataRole_Enums ("QtCore", "Qt_QFlags_ItemDataRole", - "@qt\n@brief This class represents the QFlags flag set"); - -// Inject the declarations into the parent -static gsi::ClassExt inject_Qt_ItemDataRole_Enum_in_parent (decl_Qt_ItemDataRole_Enum.defs ()); -static gsi::ClassExt decl_Qt_ItemDataRole_Enum_as_child (decl_Qt_ItemDataRole_Enum, "ItemDataRole"); -static gsi::ClassExt decl_Qt_ItemDataRole_Enums_as_child (decl_Qt_ItemDataRole_Enums, "QFlags_ItemDataRole"); - -} - - -// Implementation of the enum wrapper class for Qt::ItemFlag -namespace qt_gsi -{ - -static gsi::Enum decl_Qt_ItemFlag_Enum ("QtCore", "Qt_ItemFlag", - gsi::enum_const ("NoItemFlags", Qt::NoItemFlags, "@brief Enum constant Qt::NoItemFlags") + - gsi::enum_const ("ItemIsSelectable", Qt::ItemIsSelectable, "@brief Enum constant Qt::ItemIsSelectable") + - gsi::enum_const ("ItemIsEditable", Qt::ItemIsEditable, "@brief Enum constant Qt::ItemIsEditable") + - gsi::enum_const ("ItemIsDragEnabled", Qt::ItemIsDragEnabled, "@brief Enum constant Qt::ItemIsDragEnabled") + - gsi::enum_const ("ItemIsDropEnabled", Qt::ItemIsDropEnabled, "@brief Enum constant Qt::ItemIsDropEnabled") + - gsi::enum_const ("ItemIsUserCheckable", Qt::ItemIsUserCheckable, "@brief Enum constant Qt::ItemIsUserCheckable") + - gsi::enum_const ("ItemIsEnabled", Qt::ItemIsEnabled, "@brief Enum constant Qt::ItemIsEnabled") + - gsi::enum_const ("ItemIsTristate", Qt::ItemIsTristate, "@brief Enum constant Qt::ItemIsTristate") + - gsi::enum_const ("ItemNeverHasChildren", Qt::ItemNeverHasChildren, "@brief Enum constant Qt::ItemNeverHasChildren") + - gsi::enum_const ("ItemIsUserTristate", Qt::ItemIsUserTristate, "@brief Enum constant Qt::ItemIsUserTristate"), - "@qt\n@brief This class represents the Qt::ItemFlag enum"); - -static gsi::QFlagsClass decl_Qt_ItemFlag_Enums ("QtCore", "Qt_QFlags_ItemFlag", - "@qt\n@brief This class represents the QFlags flag set"); - -// Inject the declarations into the parent -static gsi::ClassExt inject_Qt_ItemFlag_Enum_in_parent (decl_Qt_ItemFlag_Enum.defs ()); -static gsi::ClassExt decl_Qt_ItemFlag_Enum_as_child (decl_Qt_ItemFlag_Enum, "ItemFlag"); -static gsi::ClassExt decl_Qt_ItemFlag_Enums_as_child (decl_Qt_ItemFlag_Enums, "QFlags_ItemFlag"); - -} - diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQt_2.cc b/src/gsiqt/qt5/QtCore/gsiDeclQt_2.cc index e6b135de43..b23c299b35 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQt_2.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQt_2.cc @@ -38,6 +38,76 @@ class Qt_Namespace { }; +// Implementation of the enum wrapper class for Qt::ItemDataRole +namespace qt_gsi +{ + +static gsi::Enum decl_Qt_ItemDataRole_Enum ("QtCore", "Qt_ItemDataRole", + gsi::enum_const ("DisplayRole", Qt::DisplayRole, "@brief Enum constant Qt::DisplayRole") + + gsi::enum_const ("DecorationRole", Qt::DecorationRole, "@brief Enum constant Qt::DecorationRole") + + gsi::enum_const ("EditRole", Qt::EditRole, "@brief Enum constant Qt::EditRole") + + gsi::enum_const ("ToolTipRole", Qt::ToolTipRole, "@brief Enum constant Qt::ToolTipRole") + + gsi::enum_const ("StatusTipRole", Qt::StatusTipRole, "@brief Enum constant Qt::StatusTipRole") + + gsi::enum_const ("WhatsThisRole", Qt::WhatsThisRole, "@brief Enum constant Qt::WhatsThisRole") + + gsi::enum_const ("FontRole", Qt::FontRole, "@brief Enum constant Qt::FontRole") + + gsi::enum_const ("TextAlignmentRole", Qt::TextAlignmentRole, "@brief Enum constant Qt::TextAlignmentRole") + + gsi::enum_const ("BackgroundColorRole", Qt::BackgroundColorRole, "@brief Enum constant Qt::BackgroundColorRole") + + gsi::enum_const ("BackgroundRole", Qt::BackgroundRole, "@brief Enum constant Qt::BackgroundRole") + + gsi::enum_const ("TextColorRole", Qt::TextColorRole, "@brief Enum constant Qt::TextColorRole") + + gsi::enum_const ("ForegroundRole", Qt::ForegroundRole, "@brief Enum constant Qt::ForegroundRole") + + gsi::enum_const ("CheckStateRole", Qt::CheckStateRole, "@brief Enum constant Qt::CheckStateRole") + + gsi::enum_const ("AccessibleTextRole", Qt::AccessibleTextRole, "@brief Enum constant Qt::AccessibleTextRole") + + gsi::enum_const ("AccessibleDescriptionRole", Qt::AccessibleDescriptionRole, "@brief Enum constant Qt::AccessibleDescriptionRole") + + gsi::enum_const ("SizeHintRole", Qt::SizeHintRole, "@brief Enum constant Qt::SizeHintRole") + + gsi::enum_const ("InitialSortOrderRole", Qt::InitialSortOrderRole, "@brief Enum constant Qt::InitialSortOrderRole") + + gsi::enum_const ("DisplayPropertyRole", Qt::DisplayPropertyRole, "@brief Enum constant Qt::DisplayPropertyRole") + + gsi::enum_const ("DecorationPropertyRole", Qt::DecorationPropertyRole, "@brief Enum constant Qt::DecorationPropertyRole") + + gsi::enum_const ("ToolTipPropertyRole", Qt::ToolTipPropertyRole, "@brief Enum constant Qt::ToolTipPropertyRole") + + gsi::enum_const ("StatusTipPropertyRole", Qt::StatusTipPropertyRole, "@brief Enum constant Qt::StatusTipPropertyRole") + + gsi::enum_const ("WhatsThisPropertyRole", Qt::WhatsThisPropertyRole, "@brief Enum constant Qt::WhatsThisPropertyRole") + + gsi::enum_const ("UserRole", Qt::UserRole, "@brief Enum constant Qt::UserRole"), + "@qt\n@brief This class represents the Qt::ItemDataRole enum"); + +static gsi::QFlagsClass decl_Qt_ItemDataRole_Enums ("QtCore", "Qt_QFlags_ItemDataRole", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_Qt_ItemDataRole_Enum_in_parent (decl_Qt_ItemDataRole_Enum.defs ()); +static gsi::ClassExt decl_Qt_ItemDataRole_Enum_as_child (decl_Qt_ItemDataRole_Enum, "ItemDataRole"); +static gsi::ClassExt decl_Qt_ItemDataRole_Enums_as_child (decl_Qt_ItemDataRole_Enums, "QFlags_ItemDataRole"); + +} + + +// Implementation of the enum wrapper class for Qt::ItemFlag +namespace qt_gsi +{ + +static gsi::Enum decl_Qt_ItemFlag_Enum ("QtCore", "Qt_ItemFlag", + gsi::enum_const ("NoItemFlags", Qt::NoItemFlags, "@brief Enum constant Qt::NoItemFlags") + + gsi::enum_const ("ItemIsSelectable", Qt::ItemIsSelectable, "@brief Enum constant Qt::ItemIsSelectable") + + gsi::enum_const ("ItemIsEditable", Qt::ItemIsEditable, "@brief Enum constant Qt::ItemIsEditable") + + gsi::enum_const ("ItemIsDragEnabled", Qt::ItemIsDragEnabled, "@brief Enum constant Qt::ItemIsDragEnabled") + + gsi::enum_const ("ItemIsDropEnabled", Qt::ItemIsDropEnabled, "@brief Enum constant Qt::ItemIsDropEnabled") + + gsi::enum_const ("ItemIsUserCheckable", Qt::ItemIsUserCheckable, "@brief Enum constant Qt::ItemIsUserCheckable") + + gsi::enum_const ("ItemIsEnabled", Qt::ItemIsEnabled, "@brief Enum constant Qt::ItemIsEnabled") + + gsi::enum_const ("ItemIsAutoTristate", Qt::ItemIsAutoTristate, "@brief Enum constant Qt::ItemIsAutoTristate") + + gsi::enum_const ("ItemIsTristate", Qt::ItemIsTristate, "@brief Enum constant Qt::ItemIsTristate") + + gsi::enum_const ("ItemNeverHasChildren", Qt::ItemNeverHasChildren, "@brief Enum constant Qt::ItemNeverHasChildren") + + gsi::enum_const ("ItemIsUserTristate", Qt::ItemIsUserTristate, "@brief Enum constant Qt::ItemIsUserTristate"), + "@qt\n@brief This class represents the Qt::ItemFlag enum"); + +static gsi::QFlagsClass decl_Qt_ItemFlag_Enums ("QtCore", "Qt_QFlags_ItemFlag", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_Qt_ItemFlag_Enum_in_parent (decl_Qt_ItemFlag_Enum.defs ()); +static gsi::ClassExt decl_Qt_ItemFlag_Enum_as_child (decl_Qt_ItemFlag_Enum, "ItemFlag"); +static gsi::ClassExt decl_Qt_ItemFlag_Enums_as_child (decl_Qt_ItemFlag_Enums, "QFlags_ItemFlag"); + +} + + // Implementation of the enum wrapper class for Qt::ItemSelectionMode namespace qt_gsi { @@ -344,6 +414,36 @@ static gsi::Enum decl_Qt_Key_Enum ("QtCore", "Qt_Key", gsi::enum_const ("Key_Dead_Belowdot", Qt::Key_Dead_Belowdot, "@brief Enum constant Qt::Key_Dead_Belowdot") + gsi::enum_const ("Key_Dead_Hook", Qt::Key_Dead_Hook, "@brief Enum constant Qt::Key_Dead_Hook") + gsi::enum_const ("Key_Dead_Horn", Qt::Key_Dead_Horn, "@brief Enum constant Qt::Key_Dead_Horn") + + gsi::enum_const ("Key_Dead_Stroke", Qt::Key_Dead_Stroke, "@brief Enum constant Qt::Key_Dead_Stroke") + + gsi::enum_const ("Key_Dead_Abovecomma", Qt::Key_Dead_Abovecomma, "@brief Enum constant Qt::Key_Dead_Abovecomma") + + gsi::enum_const ("Key_Dead_Abovereversedcomma", Qt::Key_Dead_Abovereversedcomma, "@brief Enum constant Qt::Key_Dead_Abovereversedcomma") + + gsi::enum_const ("Key_Dead_Doublegrave", Qt::Key_Dead_Doublegrave, "@brief Enum constant Qt::Key_Dead_Doublegrave") + + gsi::enum_const ("Key_Dead_Belowring", Qt::Key_Dead_Belowring, "@brief Enum constant Qt::Key_Dead_Belowring") + + gsi::enum_const ("Key_Dead_Belowmacron", Qt::Key_Dead_Belowmacron, "@brief Enum constant Qt::Key_Dead_Belowmacron") + + gsi::enum_const ("Key_Dead_Belowcircumflex", Qt::Key_Dead_Belowcircumflex, "@brief Enum constant Qt::Key_Dead_Belowcircumflex") + + gsi::enum_const ("Key_Dead_Belowtilde", Qt::Key_Dead_Belowtilde, "@brief Enum constant Qt::Key_Dead_Belowtilde") + + gsi::enum_const ("Key_Dead_Belowbreve", Qt::Key_Dead_Belowbreve, "@brief Enum constant Qt::Key_Dead_Belowbreve") + + gsi::enum_const ("Key_Dead_Belowdiaeresis", Qt::Key_Dead_Belowdiaeresis, "@brief Enum constant Qt::Key_Dead_Belowdiaeresis") + + gsi::enum_const ("Key_Dead_Invertedbreve", Qt::Key_Dead_Invertedbreve, "@brief Enum constant Qt::Key_Dead_Invertedbreve") + + gsi::enum_const ("Key_Dead_Belowcomma", Qt::Key_Dead_Belowcomma, "@brief Enum constant Qt::Key_Dead_Belowcomma") + + gsi::enum_const ("Key_Dead_Currency", Qt::Key_Dead_Currency, "@brief Enum constant Qt::Key_Dead_Currency") + + gsi::enum_const ("Key_Dead_a", Qt::Key_Dead_a, "@brief Enum constant Qt::Key_Dead_a") + + gsi::enum_const ("Key_Dead_A", Qt::Key_Dead_A, "@brief Enum constant Qt::Key_Dead_A") + + gsi::enum_const ("Key_Dead_e", Qt::Key_Dead_e, "@brief Enum constant Qt::Key_Dead_e") + + gsi::enum_const ("Key_Dead_E", Qt::Key_Dead_E, "@brief Enum constant Qt::Key_Dead_E") + + gsi::enum_const ("Key_Dead_i", Qt::Key_Dead_i, "@brief Enum constant Qt::Key_Dead_i") + + gsi::enum_const ("Key_Dead_I", Qt::Key_Dead_I, "@brief Enum constant Qt::Key_Dead_I") + + gsi::enum_const ("Key_Dead_o", Qt::Key_Dead_o, "@brief Enum constant Qt::Key_Dead_o") + + gsi::enum_const ("Key_Dead_O", Qt::Key_Dead_O, "@brief Enum constant Qt::Key_Dead_O") + + gsi::enum_const ("Key_Dead_u", Qt::Key_Dead_u, "@brief Enum constant Qt::Key_Dead_u") + + gsi::enum_const ("Key_Dead_U", Qt::Key_Dead_U, "@brief Enum constant Qt::Key_Dead_U") + + gsi::enum_const ("Key_Dead_Small_Schwa", Qt::Key_Dead_Small_Schwa, "@brief Enum constant Qt::Key_Dead_Small_Schwa") + + gsi::enum_const ("Key_Dead_Capital_Schwa", Qt::Key_Dead_Capital_Schwa, "@brief Enum constant Qt::Key_Dead_Capital_Schwa") + + gsi::enum_const ("Key_Dead_Greek", Qt::Key_Dead_Greek, "@brief Enum constant Qt::Key_Dead_Greek") + + gsi::enum_const ("Key_Dead_Lowline", Qt::Key_Dead_Lowline, "@brief Enum constant Qt::Key_Dead_Lowline") + + gsi::enum_const ("Key_Dead_Aboveverticalline", Qt::Key_Dead_Aboveverticalline, "@brief Enum constant Qt::Key_Dead_Aboveverticalline") + + gsi::enum_const ("Key_Dead_Belowverticalline", Qt::Key_Dead_Belowverticalline, "@brief Enum constant Qt::Key_Dead_Belowverticalline") + + gsi::enum_const ("Key_Dead_Longsolidusoverlay", Qt::Key_Dead_Longsolidusoverlay, "@brief Enum constant Qt::Key_Dead_Longsolidusoverlay") + gsi::enum_const ("Key_Back", Qt::Key_Back, "@brief Enum constant Qt::Key_Back") + gsi::enum_const ("Key_Forward", Qt::Key_Forward, "@brief Enum constant Qt::Key_Forward") + gsi::enum_const ("Key_Stop", Qt::Key_Stop, "@brief Enum constant Qt::Key_Stop") + @@ -738,7 +838,8 @@ namespace qt_gsi static gsi::Enum decl_Qt_MouseEventSource_Enum ("QtCore", "Qt_MouseEventSource", gsi::enum_const ("MouseEventNotSynthesized", Qt::MouseEventNotSynthesized, "@brief Enum constant Qt::MouseEventNotSynthesized") + gsi::enum_const ("MouseEventSynthesizedBySystem", Qt::MouseEventSynthesizedBySystem, "@brief Enum constant Qt::MouseEventSynthesizedBySystem") + - gsi::enum_const ("MouseEventSynthesizedByQt", Qt::MouseEventSynthesizedByQt, "@brief Enum constant Qt::MouseEventSynthesizedByQt"), + gsi::enum_const ("MouseEventSynthesizedByQt", Qt::MouseEventSynthesizedByQt, "@brief Enum constant Qt::MouseEventSynthesizedByQt") + + gsi::enum_const ("MouseEventSynthesizedByApplication", Qt::MouseEventSynthesizedByApplication, "@brief Enum constant Qt::MouseEventSynthesizedByApplication"), "@qt\n@brief This class represents the Qt::MouseEventSource enum"); static gsi::QFlagsClass decl_Qt_MouseEventSource_Enums ("QtCore", "Qt_QFlags_MouseEventSource", @@ -913,45 +1014,3 @@ static gsi::ClassExt decl_Qt_ScreenOrientation_Enums_as_child (dec } - -// Implementation of the enum wrapper class for Qt::ScrollBarPolicy -namespace qt_gsi -{ - -static gsi::Enum decl_Qt_ScrollBarPolicy_Enum ("QtCore", "Qt_ScrollBarPolicy", - gsi::enum_const ("ScrollBarAsNeeded", Qt::ScrollBarAsNeeded, "@brief Enum constant Qt::ScrollBarAsNeeded") + - gsi::enum_const ("ScrollBarAlwaysOff", Qt::ScrollBarAlwaysOff, "@brief Enum constant Qt::ScrollBarAlwaysOff") + - gsi::enum_const ("ScrollBarAlwaysOn", Qt::ScrollBarAlwaysOn, "@brief Enum constant Qt::ScrollBarAlwaysOn"), - "@qt\n@brief This class represents the Qt::ScrollBarPolicy enum"); - -static gsi::QFlagsClass decl_Qt_ScrollBarPolicy_Enums ("QtCore", "Qt_QFlags_ScrollBarPolicy", - "@qt\n@brief This class represents the QFlags flag set"); - -// Inject the declarations into the parent -static gsi::ClassExt inject_Qt_ScrollBarPolicy_Enum_in_parent (decl_Qt_ScrollBarPolicy_Enum.defs ()); -static gsi::ClassExt decl_Qt_ScrollBarPolicy_Enum_as_child (decl_Qt_ScrollBarPolicy_Enum, "ScrollBarPolicy"); -static gsi::ClassExt decl_Qt_ScrollBarPolicy_Enums_as_child (decl_Qt_ScrollBarPolicy_Enums, "QFlags_ScrollBarPolicy"); - -} - - -// Implementation of the enum wrapper class for Qt::ScrollPhase -namespace qt_gsi -{ - -static gsi::Enum decl_Qt_ScrollPhase_Enum ("QtCore", "Qt_ScrollPhase", - gsi::enum_const ("ScrollBegin", Qt::ScrollBegin, "@brief Enum constant Qt::ScrollBegin") + - gsi::enum_const ("ScrollUpdate", Qt::ScrollUpdate, "@brief Enum constant Qt::ScrollUpdate") + - gsi::enum_const ("ScrollEnd", Qt::ScrollEnd, "@brief Enum constant Qt::ScrollEnd"), - "@qt\n@brief This class represents the Qt::ScrollPhase enum"); - -static gsi::QFlagsClass decl_Qt_ScrollPhase_Enums ("QtCore", "Qt_QFlags_ScrollPhase", - "@qt\n@brief This class represents the QFlags flag set"); - -// Inject the declarations into the parent -static gsi::ClassExt inject_Qt_ScrollPhase_Enum_in_parent (decl_Qt_ScrollPhase_Enum.defs ()); -static gsi::ClassExt decl_Qt_ScrollPhase_Enum_as_child (decl_Qt_ScrollPhase_Enum, "ScrollPhase"); -static gsi::ClassExt decl_Qt_ScrollPhase_Enums_as_child (decl_Qt_ScrollPhase_Enums, "QFlags_ScrollPhase"); - -} - diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQt_3.cc b/src/gsiqt/qt5/QtCore/gsiDeclQt_3.cc index f2d2475390..ed4d3ebcdf 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQt_3.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQt_3.cc @@ -38,6 +38,50 @@ class Qt_Namespace { }; +// Implementation of the enum wrapper class for Qt::ScrollBarPolicy +namespace qt_gsi +{ + +static gsi::Enum decl_Qt_ScrollBarPolicy_Enum ("QtCore", "Qt_ScrollBarPolicy", + gsi::enum_const ("ScrollBarAsNeeded", Qt::ScrollBarAsNeeded, "@brief Enum constant Qt::ScrollBarAsNeeded") + + gsi::enum_const ("ScrollBarAlwaysOff", Qt::ScrollBarAlwaysOff, "@brief Enum constant Qt::ScrollBarAlwaysOff") + + gsi::enum_const ("ScrollBarAlwaysOn", Qt::ScrollBarAlwaysOn, "@brief Enum constant Qt::ScrollBarAlwaysOn"), + "@qt\n@brief This class represents the Qt::ScrollBarPolicy enum"); + +static gsi::QFlagsClass decl_Qt_ScrollBarPolicy_Enums ("QtCore", "Qt_QFlags_ScrollBarPolicy", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_Qt_ScrollBarPolicy_Enum_in_parent (decl_Qt_ScrollBarPolicy_Enum.defs ()); +static gsi::ClassExt decl_Qt_ScrollBarPolicy_Enum_as_child (decl_Qt_ScrollBarPolicy_Enum, "ScrollBarPolicy"); +static gsi::ClassExt decl_Qt_ScrollBarPolicy_Enums_as_child (decl_Qt_ScrollBarPolicy_Enums, "QFlags_ScrollBarPolicy"); + +} + + +// Implementation of the enum wrapper class for Qt::ScrollPhase +namespace qt_gsi +{ + +static gsi::Enum decl_Qt_ScrollPhase_Enum ("QtCore", "Qt_ScrollPhase", + gsi::enum_const ("NoScrollPhase", Qt::NoScrollPhase, "@brief Enum constant Qt::NoScrollPhase") + + gsi::enum_const ("ScrollBegin", Qt::ScrollBegin, "@brief Enum constant Qt::ScrollBegin") + + gsi::enum_const ("ScrollUpdate", Qt::ScrollUpdate, "@brief Enum constant Qt::ScrollUpdate") + + gsi::enum_const ("ScrollEnd", Qt::ScrollEnd, "@brief Enum constant Qt::ScrollEnd") + + gsi::enum_const ("ScrollMomentum", Qt::ScrollMomentum, "@brief Enum constant Qt::ScrollMomentum"), + "@qt\n@brief This class represents the Qt::ScrollPhase enum"); + +static gsi::QFlagsClass decl_Qt_ScrollPhase_Enums ("QtCore", "Qt_QFlags_ScrollPhase", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_Qt_ScrollPhase_Enum_in_parent (decl_Qt_ScrollPhase_Enum.defs ()); +static gsi::ClassExt decl_Qt_ScrollPhase_Enum_as_child (decl_Qt_ScrollPhase_Enum, "ScrollPhase"); +static gsi::ClassExt decl_Qt_ScrollPhase_Enums_as_child (decl_Qt_ScrollPhase_Enums, "QFlags_ScrollPhase"); + +} + + // Implementation of the enum wrapper class for Qt::ShortcutContext namespace qt_gsi { @@ -443,155 +487,3 @@ static gsi::ClassExt decl_Qt_UIEffect_Enums_as_child (decl_Qt_UIEf } - -// Implementation of the enum wrapper class for Qt::WhiteSpaceMode -namespace qt_gsi -{ - -static gsi::Enum decl_Qt_WhiteSpaceMode_Enum ("QtCore", "Qt_WhiteSpaceMode", - gsi::enum_const ("WhiteSpaceNormal", Qt::WhiteSpaceNormal, "@brief Enum constant Qt::WhiteSpaceNormal") + - gsi::enum_const ("WhiteSpacePre", Qt::WhiteSpacePre, "@brief Enum constant Qt::WhiteSpacePre") + - gsi::enum_const ("WhiteSpaceNoWrap", Qt::WhiteSpaceNoWrap, "@brief Enum constant Qt::WhiteSpaceNoWrap") + - gsi::enum_const ("WhiteSpaceModeUndefined", Qt::WhiteSpaceModeUndefined, "@brief Enum constant Qt::WhiteSpaceModeUndefined"), - "@qt\n@brief This class represents the Qt::WhiteSpaceMode enum"); - -static gsi::QFlagsClass decl_Qt_WhiteSpaceMode_Enums ("QtCore", "Qt_QFlags_WhiteSpaceMode", - "@qt\n@brief This class represents the QFlags flag set"); - -// Inject the declarations into the parent -static gsi::ClassExt inject_Qt_WhiteSpaceMode_Enum_in_parent (decl_Qt_WhiteSpaceMode_Enum.defs ()); -static gsi::ClassExt decl_Qt_WhiteSpaceMode_Enum_as_child (decl_Qt_WhiteSpaceMode_Enum, "WhiteSpaceMode"); -static gsi::ClassExt decl_Qt_WhiteSpaceMode_Enums_as_child (decl_Qt_WhiteSpaceMode_Enums, "QFlags_WhiteSpaceMode"); - -} - - -// Implementation of the enum wrapper class for Qt::WidgetAttribute -namespace qt_gsi -{ - -static gsi::Enum decl_Qt_WidgetAttribute_Enum ("QtCore", "Qt_WidgetAttribute", - gsi::enum_const ("WA_Disabled", Qt::WA_Disabled, "@brief Enum constant Qt::WA_Disabled") + - gsi::enum_const ("WA_UnderMouse", Qt::WA_UnderMouse, "@brief Enum constant Qt::WA_UnderMouse") + - gsi::enum_const ("WA_MouseTracking", Qt::WA_MouseTracking, "@brief Enum constant Qt::WA_MouseTracking") + - gsi::enum_const ("WA_ContentsPropagated", Qt::WA_ContentsPropagated, "@brief Enum constant Qt::WA_ContentsPropagated") + - gsi::enum_const ("WA_OpaquePaintEvent", Qt::WA_OpaquePaintEvent, "@brief Enum constant Qt::WA_OpaquePaintEvent") + - gsi::enum_const ("WA_NoBackground", Qt::WA_NoBackground, "@brief Enum constant Qt::WA_NoBackground") + - gsi::enum_const ("WA_StaticContents", Qt::WA_StaticContents, "@brief Enum constant Qt::WA_StaticContents") + - gsi::enum_const ("WA_LaidOut", Qt::WA_LaidOut, "@brief Enum constant Qt::WA_LaidOut") + - gsi::enum_const ("WA_PaintOnScreen", Qt::WA_PaintOnScreen, "@brief Enum constant Qt::WA_PaintOnScreen") + - gsi::enum_const ("WA_NoSystemBackground", Qt::WA_NoSystemBackground, "@brief Enum constant Qt::WA_NoSystemBackground") + - gsi::enum_const ("WA_UpdatesDisabled", Qt::WA_UpdatesDisabled, "@brief Enum constant Qt::WA_UpdatesDisabled") + - gsi::enum_const ("WA_Mapped", Qt::WA_Mapped, "@brief Enum constant Qt::WA_Mapped") + - gsi::enum_const ("WA_MacNoClickThrough", Qt::WA_MacNoClickThrough, "@brief Enum constant Qt::WA_MacNoClickThrough") + - gsi::enum_const ("WA_InputMethodEnabled", Qt::WA_InputMethodEnabled, "@brief Enum constant Qt::WA_InputMethodEnabled") + - gsi::enum_const ("WA_WState_Visible", Qt::WA_WState_Visible, "@brief Enum constant Qt::WA_WState_Visible") + - gsi::enum_const ("WA_WState_Hidden", Qt::WA_WState_Hidden, "@brief Enum constant Qt::WA_WState_Hidden") + - gsi::enum_const ("WA_ForceDisabled", Qt::WA_ForceDisabled, "@brief Enum constant Qt::WA_ForceDisabled") + - gsi::enum_const ("WA_KeyCompression", Qt::WA_KeyCompression, "@brief Enum constant Qt::WA_KeyCompression") + - gsi::enum_const ("WA_PendingMoveEvent", Qt::WA_PendingMoveEvent, "@brief Enum constant Qt::WA_PendingMoveEvent") + - gsi::enum_const ("WA_PendingResizeEvent", Qt::WA_PendingResizeEvent, "@brief Enum constant Qt::WA_PendingResizeEvent") + - gsi::enum_const ("WA_SetPalette", Qt::WA_SetPalette, "@brief Enum constant Qt::WA_SetPalette") + - gsi::enum_const ("WA_SetFont", Qt::WA_SetFont, "@brief Enum constant Qt::WA_SetFont") + - gsi::enum_const ("WA_SetCursor", Qt::WA_SetCursor, "@brief Enum constant Qt::WA_SetCursor") + - gsi::enum_const ("WA_NoChildEventsFromChildren", Qt::WA_NoChildEventsFromChildren, "@brief Enum constant Qt::WA_NoChildEventsFromChildren") + - gsi::enum_const ("WA_WindowModified", Qt::WA_WindowModified, "@brief Enum constant Qt::WA_WindowModified") + - gsi::enum_const ("WA_Resized", Qt::WA_Resized, "@brief Enum constant Qt::WA_Resized") + - gsi::enum_const ("WA_Moved", Qt::WA_Moved, "@brief Enum constant Qt::WA_Moved") + - gsi::enum_const ("WA_PendingUpdate", Qt::WA_PendingUpdate, "@brief Enum constant Qt::WA_PendingUpdate") + - gsi::enum_const ("WA_InvalidSize", Qt::WA_InvalidSize, "@brief Enum constant Qt::WA_InvalidSize") + - gsi::enum_const ("WA_MacBrushedMetal", Qt::WA_MacBrushedMetal, "@brief Enum constant Qt::WA_MacBrushedMetal") + - gsi::enum_const ("WA_MacMetalStyle", Qt::WA_MacMetalStyle, "@brief Enum constant Qt::WA_MacMetalStyle") + - gsi::enum_const ("WA_CustomWhatsThis", Qt::WA_CustomWhatsThis, "@brief Enum constant Qt::WA_CustomWhatsThis") + - gsi::enum_const ("WA_LayoutOnEntireRect", Qt::WA_LayoutOnEntireRect, "@brief Enum constant Qt::WA_LayoutOnEntireRect") + - gsi::enum_const ("WA_OutsideWSRange", Qt::WA_OutsideWSRange, "@brief Enum constant Qt::WA_OutsideWSRange") + - gsi::enum_const ("WA_GrabbedShortcut", Qt::WA_GrabbedShortcut, "@brief Enum constant Qt::WA_GrabbedShortcut") + - gsi::enum_const ("WA_TransparentForMouseEvents", Qt::WA_TransparentForMouseEvents, "@brief Enum constant Qt::WA_TransparentForMouseEvents") + - gsi::enum_const ("WA_PaintUnclipped", Qt::WA_PaintUnclipped, "@brief Enum constant Qt::WA_PaintUnclipped") + - gsi::enum_const ("WA_SetWindowIcon", Qt::WA_SetWindowIcon, "@brief Enum constant Qt::WA_SetWindowIcon") + - gsi::enum_const ("WA_NoMouseReplay", Qt::WA_NoMouseReplay, "@brief Enum constant Qt::WA_NoMouseReplay") + - gsi::enum_const ("WA_DeleteOnClose", Qt::WA_DeleteOnClose, "@brief Enum constant Qt::WA_DeleteOnClose") + - gsi::enum_const ("WA_RightToLeft", Qt::WA_RightToLeft, "@brief Enum constant Qt::WA_RightToLeft") + - gsi::enum_const ("WA_SetLayoutDirection", Qt::WA_SetLayoutDirection, "@brief Enum constant Qt::WA_SetLayoutDirection") + - gsi::enum_const ("WA_NoChildEventsForParent", Qt::WA_NoChildEventsForParent, "@brief Enum constant Qt::WA_NoChildEventsForParent") + - gsi::enum_const ("WA_ForceUpdatesDisabled", Qt::WA_ForceUpdatesDisabled, "@brief Enum constant Qt::WA_ForceUpdatesDisabled") + - gsi::enum_const ("WA_WState_Created", Qt::WA_WState_Created, "@brief Enum constant Qt::WA_WState_Created") + - gsi::enum_const ("WA_WState_CompressKeys", Qt::WA_WState_CompressKeys, "@brief Enum constant Qt::WA_WState_CompressKeys") + - gsi::enum_const ("WA_WState_InPaintEvent", Qt::WA_WState_InPaintEvent, "@brief Enum constant Qt::WA_WState_InPaintEvent") + - gsi::enum_const ("WA_WState_Reparented", Qt::WA_WState_Reparented, "@brief Enum constant Qt::WA_WState_Reparented") + - gsi::enum_const ("WA_WState_ConfigPending", Qt::WA_WState_ConfigPending, "@brief Enum constant Qt::WA_WState_ConfigPending") + - gsi::enum_const ("WA_WState_Polished", Qt::WA_WState_Polished, "@brief Enum constant Qt::WA_WState_Polished") + - gsi::enum_const ("WA_WState_DND", Qt::WA_WState_DND, "@brief Enum constant Qt::WA_WState_DND") + - gsi::enum_const ("WA_WState_OwnSizePolicy", Qt::WA_WState_OwnSizePolicy, "@brief Enum constant Qt::WA_WState_OwnSizePolicy") + - gsi::enum_const ("WA_WState_ExplicitShowHide", Qt::WA_WState_ExplicitShowHide, "@brief Enum constant Qt::WA_WState_ExplicitShowHide") + - gsi::enum_const ("WA_ShowModal", Qt::WA_ShowModal, "@brief Enum constant Qt::WA_ShowModal") + - gsi::enum_const ("WA_MouseNoMask", Qt::WA_MouseNoMask, "@brief Enum constant Qt::WA_MouseNoMask") + - gsi::enum_const ("WA_GroupLeader", Qt::WA_GroupLeader, "@brief Enum constant Qt::WA_GroupLeader") + - gsi::enum_const ("WA_NoMousePropagation", Qt::WA_NoMousePropagation, "@brief Enum constant Qt::WA_NoMousePropagation") + - gsi::enum_const ("WA_Hover", Qt::WA_Hover, "@brief Enum constant Qt::WA_Hover") + - gsi::enum_const ("WA_InputMethodTransparent", Qt::WA_InputMethodTransparent, "@brief Enum constant Qt::WA_InputMethodTransparent") + - gsi::enum_const ("WA_QuitOnClose", Qt::WA_QuitOnClose, "@brief Enum constant Qt::WA_QuitOnClose") + - gsi::enum_const ("WA_KeyboardFocusChange", Qt::WA_KeyboardFocusChange, "@brief Enum constant Qt::WA_KeyboardFocusChange") + - gsi::enum_const ("WA_AcceptDrops", Qt::WA_AcceptDrops, "@brief Enum constant Qt::WA_AcceptDrops") + - gsi::enum_const ("WA_DropSiteRegistered", Qt::WA_DropSiteRegistered, "@brief Enum constant Qt::WA_DropSiteRegistered") + - gsi::enum_const ("WA_ForceAcceptDrops", Qt::WA_ForceAcceptDrops, "@brief Enum constant Qt::WA_ForceAcceptDrops") + - gsi::enum_const ("WA_WindowPropagation", Qt::WA_WindowPropagation, "@brief Enum constant Qt::WA_WindowPropagation") + - gsi::enum_const ("WA_NoX11EventCompression", Qt::WA_NoX11EventCompression, "@brief Enum constant Qt::WA_NoX11EventCompression") + - gsi::enum_const ("WA_TintedBackground", Qt::WA_TintedBackground, "@brief Enum constant Qt::WA_TintedBackground") + - gsi::enum_const ("WA_X11OpenGLOverlay", Qt::WA_X11OpenGLOverlay, "@brief Enum constant Qt::WA_X11OpenGLOverlay") + - gsi::enum_const ("WA_AlwaysShowToolTips", Qt::WA_AlwaysShowToolTips, "@brief Enum constant Qt::WA_AlwaysShowToolTips") + - gsi::enum_const ("WA_MacOpaqueSizeGrip", Qt::WA_MacOpaqueSizeGrip, "@brief Enum constant Qt::WA_MacOpaqueSizeGrip") + - gsi::enum_const ("WA_SetStyle", Qt::WA_SetStyle, "@brief Enum constant Qt::WA_SetStyle") + - gsi::enum_const ("WA_SetLocale", Qt::WA_SetLocale, "@brief Enum constant Qt::WA_SetLocale") + - gsi::enum_const ("WA_MacShowFocusRect", Qt::WA_MacShowFocusRect, "@brief Enum constant Qt::WA_MacShowFocusRect") + - gsi::enum_const ("WA_MacNormalSize", Qt::WA_MacNormalSize, "@brief Enum constant Qt::WA_MacNormalSize") + - gsi::enum_const ("WA_MacSmallSize", Qt::WA_MacSmallSize, "@brief Enum constant Qt::WA_MacSmallSize") + - gsi::enum_const ("WA_MacMiniSize", Qt::WA_MacMiniSize, "@brief Enum constant Qt::WA_MacMiniSize") + - gsi::enum_const ("WA_LayoutUsesWidgetRect", Qt::WA_LayoutUsesWidgetRect, "@brief Enum constant Qt::WA_LayoutUsesWidgetRect") + - gsi::enum_const ("WA_StyledBackground", Qt::WA_StyledBackground, "@brief Enum constant Qt::WA_StyledBackground") + - gsi::enum_const ("WA_MSWindowsUseDirect3D", Qt::WA_MSWindowsUseDirect3D, "@brief Enum constant Qt::WA_MSWindowsUseDirect3D") + - gsi::enum_const ("WA_CanHostQMdiSubWindowTitleBar", Qt::WA_CanHostQMdiSubWindowTitleBar, "@brief Enum constant Qt::WA_CanHostQMdiSubWindowTitleBar") + - gsi::enum_const ("WA_MacAlwaysShowToolWindow", Qt::WA_MacAlwaysShowToolWindow, "@brief Enum constant Qt::WA_MacAlwaysShowToolWindow") + - gsi::enum_const ("WA_StyleSheet", Qt::WA_StyleSheet, "@brief Enum constant Qt::WA_StyleSheet") + - gsi::enum_const ("WA_ShowWithoutActivating", Qt::WA_ShowWithoutActivating, "@brief Enum constant Qt::WA_ShowWithoutActivating") + - gsi::enum_const ("WA_X11BypassTransientForHint", Qt::WA_X11BypassTransientForHint, "@brief Enum constant Qt::WA_X11BypassTransientForHint") + - gsi::enum_const ("WA_NativeWindow", Qt::WA_NativeWindow, "@brief Enum constant Qt::WA_NativeWindow") + - gsi::enum_const ("WA_DontCreateNativeAncestors", Qt::WA_DontCreateNativeAncestors, "@brief Enum constant Qt::WA_DontCreateNativeAncestors") + - gsi::enum_const ("WA_MacVariableSize", Qt::WA_MacVariableSize, "@brief Enum constant Qt::WA_MacVariableSize") + - gsi::enum_const ("WA_DontShowOnScreen", Qt::WA_DontShowOnScreen, "@brief Enum constant Qt::WA_DontShowOnScreen") + - gsi::enum_const ("WA_X11NetWmWindowTypeDesktop", Qt::WA_X11NetWmWindowTypeDesktop, "@brief Enum constant Qt::WA_X11NetWmWindowTypeDesktop") + - gsi::enum_const ("WA_X11NetWmWindowTypeDock", Qt::WA_X11NetWmWindowTypeDock, "@brief Enum constant Qt::WA_X11NetWmWindowTypeDock") + - gsi::enum_const ("WA_X11NetWmWindowTypeToolBar", Qt::WA_X11NetWmWindowTypeToolBar, "@brief Enum constant Qt::WA_X11NetWmWindowTypeToolBar") + - gsi::enum_const ("WA_X11NetWmWindowTypeMenu", Qt::WA_X11NetWmWindowTypeMenu, "@brief Enum constant Qt::WA_X11NetWmWindowTypeMenu") + - gsi::enum_const ("WA_X11NetWmWindowTypeUtility", Qt::WA_X11NetWmWindowTypeUtility, "@brief Enum constant Qt::WA_X11NetWmWindowTypeUtility") + - gsi::enum_const ("WA_X11NetWmWindowTypeSplash", Qt::WA_X11NetWmWindowTypeSplash, "@brief Enum constant Qt::WA_X11NetWmWindowTypeSplash") + - gsi::enum_const ("WA_X11NetWmWindowTypeDialog", Qt::WA_X11NetWmWindowTypeDialog, "@brief Enum constant Qt::WA_X11NetWmWindowTypeDialog") + - gsi::enum_const ("WA_X11NetWmWindowTypeDropDownMenu", Qt::WA_X11NetWmWindowTypeDropDownMenu, "@brief Enum constant Qt::WA_X11NetWmWindowTypeDropDownMenu") + - gsi::enum_const ("WA_X11NetWmWindowTypePopupMenu", Qt::WA_X11NetWmWindowTypePopupMenu, "@brief Enum constant Qt::WA_X11NetWmWindowTypePopupMenu") + - gsi::enum_const ("WA_X11NetWmWindowTypeToolTip", Qt::WA_X11NetWmWindowTypeToolTip, "@brief Enum constant Qt::WA_X11NetWmWindowTypeToolTip") + - gsi::enum_const ("WA_X11NetWmWindowTypeNotification", Qt::WA_X11NetWmWindowTypeNotification, "@brief Enum constant Qt::WA_X11NetWmWindowTypeNotification") + - gsi::enum_const ("WA_X11NetWmWindowTypeCombo", Qt::WA_X11NetWmWindowTypeCombo, "@brief Enum constant Qt::WA_X11NetWmWindowTypeCombo") + - gsi::enum_const ("WA_X11NetWmWindowTypeDND", Qt::WA_X11NetWmWindowTypeDND, "@brief Enum constant Qt::WA_X11NetWmWindowTypeDND") + - gsi::enum_const ("WA_MacFrameworkScaled", Qt::WA_MacFrameworkScaled, "@brief Enum constant Qt::WA_MacFrameworkScaled") + - gsi::enum_const ("WA_SetWindowModality", Qt::WA_SetWindowModality, "@brief Enum constant Qt::WA_SetWindowModality") + - gsi::enum_const ("WA_WState_WindowOpacitySet", Qt::WA_WState_WindowOpacitySet, "@brief Enum constant Qt::WA_WState_WindowOpacitySet") + - gsi::enum_const ("WA_TranslucentBackground", Qt::WA_TranslucentBackground, "@brief Enum constant Qt::WA_TranslucentBackground") + - gsi::enum_const ("WA_AcceptTouchEvents", Qt::WA_AcceptTouchEvents, "@brief Enum constant Qt::WA_AcceptTouchEvents") + - gsi::enum_const ("WA_WState_AcceptedTouchBeginEvent", Qt::WA_WState_AcceptedTouchBeginEvent, "@brief Enum constant Qt::WA_WState_AcceptedTouchBeginEvent") + - gsi::enum_const ("WA_TouchPadAcceptSingleTouchEvents", Qt::WA_TouchPadAcceptSingleTouchEvents, "@brief Enum constant Qt::WA_TouchPadAcceptSingleTouchEvents") + - gsi::enum_const ("WA_X11DoNotAcceptFocus", Qt::WA_X11DoNotAcceptFocus, "@brief Enum constant Qt::WA_X11DoNotAcceptFocus") + - gsi::enum_const ("WA_MacNoShadow", Qt::WA_MacNoShadow, "@brief Enum constant Qt::WA_MacNoShadow") + - gsi::enum_const ("WA_AlwaysStackOnTop", Qt::WA_AlwaysStackOnTop, "@brief Enum constant Qt::WA_AlwaysStackOnTop") + - gsi::enum_const ("WA_AttributeCount", Qt::WA_AttributeCount, "@brief Enum constant Qt::WA_AttributeCount"), - "@qt\n@brief This class represents the Qt::WidgetAttribute enum"); - -static gsi::QFlagsClass decl_Qt_WidgetAttribute_Enums ("QtCore", "Qt_QFlags_WidgetAttribute", - "@qt\n@brief This class represents the QFlags flag set"); - -// Inject the declarations into the parent -static gsi::ClassExt inject_Qt_WidgetAttribute_Enum_in_parent (decl_Qt_WidgetAttribute_Enum.defs ()); -static gsi::ClassExt decl_Qt_WidgetAttribute_Enum_as_child (decl_Qt_WidgetAttribute_Enum, "WidgetAttribute"); -static gsi::ClassExt decl_Qt_WidgetAttribute_Enums_as_child (decl_Qt_WidgetAttribute_Enums, "QFlags_WidgetAttribute"); - -} - diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQt_4.cc b/src/gsiqt/qt5/QtCore/gsiDeclQt_4.cc index c20af1b27b..ca13d61568 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQt_4.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQt_4.cc @@ -38,6 +38,161 @@ class Qt_Namespace { }; +// Implementation of the enum wrapper class for Qt::WhiteSpaceMode +namespace qt_gsi +{ + +static gsi::Enum decl_Qt_WhiteSpaceMode_Enum ("QtCore", "Qt_WhiteSpaceMode", + gsi::enum_const ("WhiteSpaceNormal", Qt::WhiteSpaceNormal, "@brief Enum constant Qt::WhiteSpaceNormal") + + gsi::enum_const ("WhiteSpacePre", Qt::WhiteSpacePre, "@brief Enum constant Qt::WhiteSpacePre") + + gsi::enum_const ("WhiteSpaceNoWrap", Qt::WhiteSpaceNoWrap, "@brief Enum constant Qt::WhiteSpaceNoWrap") + + gsi::enum_const ("WhiteSpaceModeUndefined", Qt::WhiteSpaceModeUndefined, "@brief Enum constant Qt::WhiteSpaceModeUndefined"), + "@qt\n@brief This class represents the Qt::WhiteSpaceMode enum"); + +static gsi::QFlagsClass decl_Qt_WhiteSpaceMode_Enums ("QtCore", "Qt_QFlags_WhiteSpaceMode", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_Qt_WhiteSpaceMode_Enum_in_parent (decl_Qt_WhiteSpaceMode_Enum.defs ()); +static gsi::ClassExt decl_Qt_WhiteSpaceMode_Enum_as_child (decl_Qt_WhiteSpaceMode_Enum, "WhiteSpaceMode"); +static gsi::ClassExt decl_Qt_WhiteSpaceMode_Enums_as_child (decl_Qt_WhiteSpaceMode_Enums, "QFlags_WhiteSpaceMode"); + +} + + +// Implementation of the enum wrapper class for Qt::WidgetAttribute +namespace qt_gsi +{ + +static gsi::Enum decl_Qt_WidgetAttribute_Enum ("QtCore", "Qt_WidgetAttribute", + gsi::enum_const ("WA_Disabled", Qt::WA_Disabled, "@brief Enum constant Qt::WA_Disabled") + + gsi::enum_const ("WA_UnderMouse", Qt::WA_UnderMouse, "@brief Enum constant Qt::WA_UnderMouse") + + gsi::enum_const ("WA_MouseTracking", Qt::WA_MouseTracking, "@brief Enum constant Qt::WA_MouseTracking") + + gsi::enum_const ("WA_ContentsPropagated", Qt::WA_ContentsPropagated, "@brief Enum constant Qt::WA_ContentsPropagated") + + gsi::enum_const ("WA_OpaquePaintEvent", Qt::WA_OpaquePaintEvent, "@brief Enum constant Qt::WA_OpaquePaintEvent") + + gsi::enum_const ("WA_NoBackground", Qt::WA_NoBackground, "@brief Enum constant Qt::WA_NoBackground") + + gsi::enum_const ("WA_StaticContents", Qt::WA_StaticContents, "@brief Enum constant Qt::WA_StaticContents") + + gsi::enum_const ("WA_LaidOut", Qt::WA_LaidOut, "@brief Enum constant Qt::WA_LaidOut") + + gsi::enum_const ("WA_PaintOnScreen", Qt::WA_PaintOnScreen, "@brief Enum constant Qt::WA_PaintOnScreen") + + gsi::enum_const ("WA_NoSystemBackground", Qt::WA_NoSystemBackground, "@brief Enum constant Qt::WA_NoSystemBackground") + + gsi::enum_const ("WA_UpdatesDisabled", Qt::WA_UpdatesDisabled, "@brief Enum constant Qt::WA_UpdatesDisabled") + + gsi::enum_const ("WA_Mapped", Qt::WA_Mapped, "@brief Enum constant Qt::WA_Mapped") + + gsi::enum_const ("WA_MacNoClickThrough", Qt::WA_MacNoClickThrough, "@brief Enum constant Qt::WA_MacNoClickThrough") + + gsi::enum_const ("WA_InputMethodEnabled", Qt::WA_InputMethodEnabled, "@brief Enum constant Qt::WA_InputMethodEnabled") + + gsi::enum_const ("WA_WState_Visible", Qt::WA_WState_Visible, "@brief Enum constant Qt::WA_WState_Visible") + + gsi::enum_const ("WA_WState_Hidden", Qt::WA_WState_Hidden, "@brief Enum constant Qt::WA_WState_Hidden") + + gsi::enum_const ("WA_ForceDisabled", Qt::WA_ForceDisabled, "@brief Enum constant Qt::WA_ForceDisabled") + + gsi::enum_const ("WA_KeyCompression", Qt::WA_KeyCompression, "@brief Enum constant Qt::WA_KeyCompression") + + gsi::enum_const ("WA_PendingMoveEvent", Qt::WA_PendingMoveEvent, "@brief Enum constant Qt::WA_PendingMoveEvent") + + gsi::enum_const ("WA_PendingResizeEvent", Qt::WA_PendingResizeEvent, "@brief Enum constant Qt::WA_PendingResizeEvent") + + gsi::enum_const ("WA_SetPalette", Qt::WA_SetPalette, "@brief Enum constant Qt::WA_SetPalette") + + gsi::enum_const ("WA_SetFont", Qt::WA_SetFont, "@brief Enum constant Qt::WA_SetFont") + + gsi::enum_const ("WA_SetCursor", Qt::WA_SetCursor, "@brief Enum constant Qt::WA_SetCursor") + + gsi::enum_const ("WA_NoChildEventsFromChildren", Qt::WA_NoChildEventsFromChildren, "@brief Enum constant Qt::WA_NoChildEventsFromChildren") + + gsi::enum_const ("WA_WindowModified", Qt::WA_WindowModified, "@brief Enum constant Qt::WA_WindowModified") + + gsi::enum_const ("WA_Resized", Qt::WA_Resized, "@brief Enum constant Qt::WA_Resized") + + gsi::enum_const ("WA_Moved", Qt::WA_Moved, "@brief Enum constant Qt::WA_Moved") + + gsi::enum_const ("WA_PendingUpdate", Qt::WA_PendingUpdate, "@brief Enum constant Qt::WA_PendingUpdate") + + gsi::enum_const ("WA_InvalidSize", Qt::WA_InvalidSize, "@brief Enum constant Qt::WA_InvalidSize") + + gsi::enum_const ("WA_MacBrushedMetal", Qt::WA_MacBrushedMetal, "@brief Enum constant Qt::WA_MacBrushedMetal") + + gsi::enum_const ("WA_MacMetalStyle", Qt::WA_MacMetalStyle, "@brief Enum constant Qt::WA_MacMetalStyle") + + gsi::enum_const ("WA_CustomWhatsThis", Qt::WA_CustomWhatsThis, "@brief Enum constant Qt::WA_CustomWhatsThis") + + gsi::enum_const ("WA_LayoutOnEntireRect", Qt::WA_LayoutOnEntireRect, "@brief Enum constant Qt::WA_LayoutOnEntireRect") + + gsi::enum_const ("WA_OutsideWSRange", Qt::WA_OutsideWSRange, "@brief Enum constant Qt::WA_OutsideWSRange") + + gsi::enum_const ("WA_GrabbedShortcut", Qt::WA_GrabbedShortcut, "@brief Enum constant Qt::WA_GrabbedShortcut") + + gsi::enum_const ("WA_TransparentForMouseEvents", Qt::WA_TransparentForMouseEvents, "@brief Enum constant Qt::WA_TransparentForMouseEvents") + + gsi::enum_const ("WA_PaintUnclipped", Qt::WA_PaintUnclipped, "@brief Enum constant Qt::WA_PaintUnclipped") + + gsi::enum_const ("WA_SetWindowIcon", Qt::WA_SetWindowIcon, "@brief Enum constant Qt::WA_SetWindowIcon") + + gsi::enum_const ("WA_NoMouseReplay", Qt::WA_NoMouseReplay, "@brief Enum constant Qt::WA_NoMouseReplay") + + gsi::enum_const ("WA_DeleteOnClose", Qt::WA_DeleteOnClose, "@brief Enum constant Qt::WA_DeleteOnClose") + + gsi::enum_const ("WA_RightToLeft", Qt::WA_RightToLeft, "@brief Enum constant Qt::WA_RightToLeft") + + gsi::enum_const ("WA_SetLayoutDirection", Qt::WA_SetLayoutDirection, "@brief Enum constant Qt::WA_SetLayoutDirection") + + gsi::enum_const ("WA_NoChildEventsForParent", Qt::WA_NoChildEventsForParent, "@brief Enum constant Qt::WA_NoChildEventsForParent") + + gsi::enum_const ("WA_ForceUpdatesDisabled", Qt::WA_ForceUpdatesDisabled, "@brief Enum constant Qt::WA_ForceUpdatesDisabled") + + gsi::enum_const ("WA_WState_Created", Qt::WA_WState_Created, "@brief Enum constant Qt::WA_WState_Created") + + gsi::enum_const ("WA_WState_CompressKeys", Qt::WA_WState_CompressKeys, "@brief Enum constant Qt::WA_WState_CompressKeys") + + gsi::enum_const ("WA_WState_InPaintEvent", Qt::WA_WState_InPaintEvent, "@brief Enum constant Qt::WA_WState_InPaintEvent") + + gsi::enum_const ("WA_WState_Reparented", Qt::WA_WState_Reparented, "@brief Enum constant Qt::WA_WState_Reparented") + + gsi::enum_const ("WA_WState_ConfigPending", Qt::WA_WState_ConfigPending, "@brief Enum constant Qt::WA_WState_ConfigPending") + + gsi::enum_const ("WA_WState_Polished", Qt::WA_WState_Polished, "@brief Enum constant Qt::WA_WState_Polished") + + gsi::enum_const ("WA_WState_DND", Qt::WA_WState_DND, "@brief Enum constant Qt::WA_WState_DND") + + gsi::enum_const ("WA_WState_OwnSizePolicy", Qt::WA_WState_OwnSizePolicy, "@brief Enum constant Qt::WA_WState_OwnSizePolicy") + + gsi::enum_const ("WA_WState_ExplicitShowHide", Qt::WA_WState_ExplicitShowHide, "@brief Enum constant Qt::WA_WState_ExplicitShowHide") + + gsi::enum_const ("WA_ShowModal", Qt::WA_ShowModal, "@brief Enum constant Qt::WA_ShowModal") + + gsi::enum_const ("WA_MouseNoMask", Qt::WA_MouseNoMask, "@brief Enum constant Qt::WA_MouseNoMask") + + gsi::enum_const ("WA_GroupLeader", Qt::WA_GroupLeader, "@brief Enum constant Qt::WA_GroupLeader") + + gsi::enum_const ("WA_NoMousePropagation", Qt::WA_NoMousePropagation, "@brief Enum constant Qt::WA_NoMousePropagation") + + gsi::enum_const ("WA_Hover", Qt::WA_Hover, "@brief Enum constant Qt::WA_Hover") + + gsi::enum_const ("WA_InputMethodTransparent", Qt::WA_InputMethodTransparent, "@brief Enum constant Qt::WA_InputMethodTransparent") + + gsi::enum_const ("WA_QuitOnClose", Qt::WA_QuitOnClose, "@brief Enum constant Qt::WA_QuitOnClose") + + gsi::enum_const ("WA_KeyboardFocusChange", Qt::WA_KeyboardFocusChange, "@brief Enum constant Qt::WA_KeyboardFocusChange") + + gsi::enum_const ("WA_AcceptDrops", Qt::WA_AcceptDrops, "@brief Enum constant Qt::WA_AcceptDrops") + + gsi::enum_const ("WA_DropSiteRegistered", Qt::WA_DropSiteRegistered, "@brief Enum constant Qt::WA_DropSiteRegistered") + + gsi::enum_const ("WA_ForceAcceptDrops", Qt::WA_ForceAcceptDrops, "@brief Enum constant Qt::WA_ForceAcceptDrops") + + gsi::enum_const ("WA_WindowPropagation", Qt::WA_WindowPropagation, "@brief Enum constant Qt::WA_WindowPropagation") + + gsi::enum_const ("WA_NoX11EventCompression", Qt::WA_NoX11EventCompression, "@brief Enum constant Qt::WA_NoX11EventCompression") + + gsi::enum_const ("WA_TintedBackground", Qt::WA_TintedBackground, "@brief Enum constant Qt::WA_TintedBackground") + + gsi::enum_const ("WA_X11OpenGLOverlay", Qt::WA_X11OpenGLOverlay, "@brief Enum constant Qt::WA_X11OpenGLOverlay") + + gsi::enum_const ("WA_AlwaysShowToolTips", Qt::WA_AlwaysShowToolTips, "@brief Enum constant Qt::WA_AlwaysShowToolTips") + + gsi::enum_const ("WA_MacOpaqueSizeGrip", Qt::WA_MacOpaqueSizeGrip, "@brief Enum constant Qt::WA_MacOpaqueSizeGrip") + + gsi::enum_const ("WA_SetStyle", Qt::WA_SetStyle, "@brief Enum constant Qt::WA_SetStyle") + + gsi::enum_const ("WA_SetLocale", Qt::WA_SetLocale, "@brief Enum constant Qt::WA_SetLocale") + + gsi::enum_const ("WA_MacShowFocusRect", Qt::WA_MacShowFocusRect, "@brief Enum constant Qt::WA_MacShowFocusRect") + + gsi::enum_const ("WA_MacNormalSize", Qt::WA_MacNormalSize, "@brief Enum constant Qt::WA_MacNormalSize") + + gsi::enum_const ("WA_MacSmallSize", Qt::WA_MacSmallSize, "@brief Enum constant Qt::WA_MacSmallSize") + + gsi::enum_const ("WA_MacMiniSize", Qt::WA_MacMiniSize, "@brief Enum constant Qt::WA_MacMiniSize") + + gsi::enum_const ("WA_LayoutUsesWidgetRect", Qt::WA_LayoutUsesWidgetRect, "@brief Enum constant Qt::WA_LayoutUsesWidgetRect") + + gsi::enum_const ("WA_StyledBackground", Qt::WA_StyledBackground, "@brief Enum constant Qt::WA_StyledBackground") + + gsi::enum_const ("WA_MSWindowsUseDirect3D", Qt::WA_MSWindowsUseDirect3D, "@brief Enum constant Qt::WA_MSWindowsUseDirect3D") + + gsi::enum_const ("WA_CanHostQMdiSubWindowTitleBar", Qt::WA_CanHostQMdiSubWindowTitleBar, "@brief Enum constant Qt::WA_CanHostQMdiSubWindowTitleBar") + + gsi::enum_const ("WA_MacAlwaysShowToolWindow", Qt::WA_MacAlwaysShowToolWindow, "@brief Enum constant Qt::WA_MacAlwaysShowToolWindow") + + gsi::enum_const ("WA_StyleSheet", Qt::WA_StyleSheet, "@brief Enum constant Qt::WA_StyleSheet") + + gsi::enum_const ("WA_ShowWithoutActivating", Qt::WA_ShowWithoutActivating, "@brief Enum constant Qt::WA_ShowWithoutActivating") + + gsi::enum_const ("WA_X11BypassTransientForHint", Qt::WA_X11BypassTransientForHint, "@brief Enum constant Qt::WA_X11BypassTransientForHint") + + gsi::enum_const ("WA_NativeWindow", Qt::WA_NativeWindow, "@brief Enum constant Qt::WA_NativeWindow") + + gsi::enum_const ("WA_DontCreateNativeAncestors", Qt::WA_DontCreateNativeAncestors, "@brief Enum constant Qt::WA_DontCreateNativeAncestors") + + gsi::enum_const ("WA_MacVariableSize", Qt::WA_MacVariableSize, "@brief Enum constant Qt::WA_MacVariableSize") + + gsi::enum_const ("WA_DontShowOnScreen", Qt::WA_DontShowOnScreen, "@brief Enum constant Qt::WA_DontShowOnScreen") + + gsi::enum_const ("WA_X11NetWmWindowTypeDesktop", Qt::WA_X11NetWmWindowTypeDesktop, "@brief Enum constant Qt::WA_X11NetWmWindowTypeDesktop") + + gsi::enum_const ("WA_X11NetWmWindowTypeDock", Qt::WA_X11NetWmWindowTypeDock, "@brief Enum constant Qt::WA_X11NetWmWindowTypeDock") + + gsi::enum_const ("WA_X11NetWmWindowTypeToolBar", Qt::WA_X11NetWmWindowTypeToolBar, "@brief Enum constant Qt::WA_X11NetWmWindowTypeToolBar") + + gsi::enum_const ("WA_X11NetWmWindowTypeMenu", Qt::WA_X11NetWmWindowTypeMenu, "@brief Enum constant Qt::WA_X11NetWmWindowTypeMenu") + + gsi::enum_const ("WA_X11NetWmWindowTypeUtility", Qt::WA_X11NetWmWindowTypeUtility, "@brief Enum constant Qt::WA_X11NetWmWindowTypeUtility") + + gsi::enum_const ("WA_X11NetWmWindowTypeSplash", Qt::WA_X11NetWmWindowTypeSplash, "@brief Enum constant Qt::WA_X11NetWmWindowTypeSplash") + + gsi::enum_const ("WA_X11NetWmWindowTypeDialog", Qt::WA_X11NetWmWindowTypeDialog, "@brief Enum constant Qt::WA_X11NetWmWindowTypeDialog") + + gsi::enum_const ("WA_X11NetWmWindowTypeDropDownMenu", Qt::WA_X11NetWmWindowTypeDropDownMenu, "@brief Enum constant Qt::WA_X11NetWmWindowTypeDropDownMenu") + + gsi::enum_const ("WA_X11NetWmWindowTypePopupMenu", Qt::WA_X11NetWmWindowTypePopupMenu, "@brief Enum constant Qt::WA_X11NetWmWindowTypePopupMenu") + + gsi::enum_const ("WA_X11NetWmWindowTypeToolTip", Qt::WA_X11NetWmWindowTypeToolTip, "@brief Enum constant Qt::WA_X11NetWmWindowTypeToolTip") + + gsi::enum_const ("WA_X11NetWmWindowTypeNotification", Qt::WA_X11NetWmWindowTypeNotification, "@brief Enum constant Qt::WA_X11NetWmWindowTypeNotification") + + gsi::enum_const ("WA_X11NetWmWindowTypeCombo", Qt::WA_X11NetWmWindowTypeCombo, "@brief Enum constant Qt::WA_X11NetWmWindowTypeCombo") + + gsi::enum_const ("WA_X11NetWmWindowTypeDND", Qt::WA_X11NetWmWindowTypeDND, "@brief Enum constant Qt::WA_X11NetWmWindowTypeDND") + + gsi::enum_const ("WA_MacFrameworkScaled", Qt::WA_MacFrameworkScaled, "@brief Enum constant Qt::WA_MacFrameworkScaled") + + gsi::enum_const ("WA_SetWindowModality", Qt::WA_SetWindowModality, "@brief Enum constant Qt::WA_SetWindowModality") + + gsi::enum_const ("WA_WState_WindowOpacitySet", Qt::WA_WState_WindowOpacitySet, "@brief Enum constant Qt::WA_WState_WindowOpacitySet") + + gsi::enum_const ("WA_TranslucentBackground", Qt::WA_TranslucentBackground, "@brief Enum constant Qt::WA_TranslucentBackground") + + gsi::enum_const ("WA_AcceptTouchEvents", Qt::WA_AcceptTouchEvents, "@brief Enum constant Qt::WA_AcceptTouchEvents") + + gsi::enum_const ("WA_WState_AcceptedTouchBeginEvent", Qt::WA_WState_AcceptedTouchBeginEvent, "@brief Enum constant Qt::WA_WState_AcceptedTouchBeginEvent") + + gsi::enum_const ("WA_TouchPadAcceptSingleTouchEvents", Qt::WA_TouchPadAcceptSingleTouchEvents, "@brief Enum constant Qt::WA_TouchPadAcceptSingleTouchEvents") + + gsi::enum_const ("WA_X11DoNotAcceptFocus", Qt::WA_X11DoNotAcceptFocus, "@brief Enum constant Qt::WA_X11DoNotAcceptFocus") + + gsi::enum_const ("WA_MacNoShadow", Qt::WA_MacNoShadow, "@brief Enum constant Qt::WA_MacNoShadow") + + gsi::enum_const ("WA_AlwaysStackOnTop", Qt::WA_AlwaysStackOnTop, "@brief Enum constant Qt::WA_AlwaysStackOnTop") + + gsi::enum_const ("WA_TabletTracking", Qt::WA_TabletTracking, "@brief Enum constant Qt::WA_TabletTracking") + + gsi::enum_const ("WA_ContentsMarginsRespectsSafeArea", Qt::WA_ContentsMarginsRespectsSafeArea, "@brief Enum constant Qt::WA_ContentsMarginsRespectsSafeArea") + + gsi::enum_const ("WA_StyleSheetTarget", Qt::WA_StyleSheetTarget, "@brief Enum constant Qt::WA_StyleSheetTarget") + + gsi::enum_const ("WA_AttributeCount", Qt::WA_AttributeCount, "@brief Enum constant Qt::WA_AttributeCount"), + "@qt\n@brief This class represents the Qt::WidgetAttribute enum"); + +static gsi::QFlagsClass decl_Qt_WidgetAttribute_Enums ("QtCore", "Qt_QFlags_WidgetAttribute", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_Qt_WidgetAttribute_Enum_in_parent (decl_Qt_WidgetAttribute_Enum.defs ()); +static gsi::ClassExt decl_Qt_WidgetAttribute_Enum_as_child (decl_Qt_WidgetAttribute_Enum, "WidgetAttribute"); +static gsi::ClassExt decl_Qt_WidgetAttribute_Enums_as_child (decl_Qt_WidgetAttribute_Enums, "QFlags_WidgetAttribute"); + +} + + // Implementation of the enum wrapper class for Qt::WindowFrameSection namespace qt_gsi { diff --git a/src/gsiqt/qt5/QtCore/gsiQtExternals.h b/src/gsiqt/qt5/QtCore/gsiQtExternals.h index 313ce04a7b..7c0ca5b31a 100644 --- a/src/gsiqt/qt5/QtCore/gsiQtExternals.h +++ b/src/gsiqt/qt5/QtCore/gsiQtExternals.h @@ -141,6 +141,10 @@ class QDateTime; namespace gsi { GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QDateTime (); } +class QDeadlineTimer; + +namespace gsi { GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QDeadlineTimer (); } + class QDebug; namespace gsi { GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QDebug (); } @@ -381,6 +385,10 @@ class QObject; namespace gsi { GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QObject (); } +class QOperatingSystemVersion; + +namespace gsi { GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QOperatingSystemVersion (); } + class QParallelAnimationGroup; namespace gsi { GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QParallelAnimationGroup (); } @@ -417,6 +425,14 @@ class QPropertyAnimation; namespace gsi { GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QPropertyAnimation (); } +class QRandomGenerator; + +namespace gsi { GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QRandomGenerator (); } + +class QRandomGenerator64; + +namespace gsi { GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QRandomGenerator64 (); } + class QReadLocker; namespace gsi { GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QReadLocker (); } @@ -465,6 +481,10 @@ class QSemaphore; namespace gsi { GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QSemaphore (); } +class QSemaphoreReleaser; + +namespace gsi { GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QSemaphoreReleaser (); } + class QSequentialAnimationGroup; namespace gsi { GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QSequentialAnimationGroup (); } @@ -621,6 +641,10 @@ class QVariantAnimation; namespace gsi { GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QVariantAnimation (); } +class QVersionNumber; + +namespace gsi { GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QVersionNumber (); } + class QWaitCondition; namespace gsi { GSI_QTCORE_PUBLIC gsi::Class &qtdecl_QWaitCondition (); } diff --git a/src/gsiqt/qt5/QtDesigner/QtDesigner.pri b/src/gsiqt/qt5/QtDesigner/QtDesigner.pri index 99ad19010a..3d17e6fde7 100644 --- a/src/gsiqt/qt5/QtDesigner/QtDesigner.pri +++ b/src/gsiqt/qt5/QtDesigner/QtDesigner.pri @@ -7,8 +7,6 @@ SOURCES += \ gsiQtDesignerMain.cc \ - $$PWD/gsiDeclQAbstractExtensionFactory.cc \ - $$PWD/gsiDeclQAbstractExtensionManager.cc \ $$PWD/gsiDeclQAbstractFormBuilder.cc \ $$PWD/gsiDeclQFormBuilder.cc diff --git a/src/gsiqt/qt5/QtDesigner/gsiDeclQAbstractFormBuilder.cc b/src/gsiqt/qt5/QtDesigner/gsiDeclQAbstractFormBuilder.cc index 08c8bccc61..593ee3eb90 100644 --- a/src/gsiqt/qt5/QtDesigner/gsiDeclQAbstractFormBuilder.cc +++ b/src/gsiqt/qt5/QtDesigner/gsiDeclQAbstractFormBuilder.cc @@ -75,7 +75,7 @@ static void _init_f_load_2654 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("dev"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parentWidget", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parentWidget", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -85,7 +85,7 @@ static void _call_f_load_2654 (const qt_gsi::GenericMethod * /*decl*/, void *cls __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QIODevice *arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QWidget *)((QAbstractFormBuilder *)cls)->load (arg1, arg2)); } diff --git a/src/gsiqt/qt5/QtDesigner/gsiQtExternals.h b/src/gsiqt/qt5/QtDesigner/gsiQtExternals.h index b550a3bc52..3fb0da04de 100644 --- a/src/gsiqt/qt5/QtDesigner/gsiQtExternals.h +++ b/src/gsiqt/qt5/QtDesigner/gsiQtExternals.h @@ -33,14 +33,6 @@ #include "gsiClass.h" #include "gsiQtDesignerCommon.h" -class QAbstractExtensionFactory; - -namespace gsi { GSI_QTDESIGNER_PUBLIC gsi::Class &qtdecl_QAbstractExtensionFactory (); } - -class QAbstractExtensionManager; - -namespace gsi { GSI_QTDESIGNER_PUBLIC gsi::Class &qtdecl_QAbstractExtensionManager (); } - class QAbstractFormBuilder; namespace gsi { GSI_QTDESIGNER_PUBLIC gsi::Class &qtdecl_QAbstractFormBuilder (); } diff --git a/src/gsiqt/qt5/QtGui/QtGui.pri b/src/gsiqt/qt5/QtGui/QtGui.pri index e8b50455eb..653664c48b 100644 --- a/src/gsiqt/qt5/QtGui/QtGui.pri +++ b/src/gsiqt/qt5/QtGui/QtGui.pri @@ -71,6 +71,7 @@ SOURCES += \ $$PWD/gsiDeclQIconDragEvent.cc \ $$PWD/gsiDeclQIconEngine.cc \ $$PWD/gsiDeclQIconEngine_AvailableSizesArgument.cc \ + $$PWD/gsiDeclQIconEngine_ScaledPixmapArgument.cc \ $$PWD/gsiDeclQIconEnginePlugin.cc \ $$PWD/gsiDeclQImage.cc \ $$PWD/gsiDeclQImageIOHandler.cc \ @@ -116,6 +117,7 @@ SOURCES += \ $$PWD/gsiDeclQPixmap.cc \ $$PWD/gsiDeclQPixmapCache.cc \ $$PWD/gsiDeclQPlatformSurfaceEvent.cc \ + $$PWD/gsiDeclQPointingDeviceUniqueId.cc \ $$PWD/gsiDeclQPolygon.cc \ $$PWD/gsiDeclQPolygonF.cc \ $$PWD/gsiDeclQQuaternion.cc \ @@ -126,6 +128,7 @@ SOURCES += \ $$PWD/gsiDeclQRegion.cc \ $$PWD/gsiDeclQRegularExpressionValidator.cc \ $$PWD/gsiDeclQResizeEvent.cc \ + $$PWD/gsiDeclQRgba64.cc \ $$PWD/gsiDeclQScreen.cc \ $$PWD/gsiDeclQScreenOrientationChangeEvent.cc \ $$PWD/gsiDeclQScrollEvent.cc \ diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAbstractTextDocumentLayout.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAbstractTextDocumentLayout.cc index c372d4a04c..9253732362 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAbstractTextDocumentLayout.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAbstractTextDocumentLayout.cc @@ -157,6 +157,25 @@ static void _call_f_draw_6787 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// QTextFormat QAbstractTextDocumentLayout::formatAt(const QPointF &pos) + + +static void _init_f_formatAt_c1986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("pos"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_formatAt_c1986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPointF &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QTextFormat)((QAbstractTextDocumentLayout *)cls)->formatAt (arg1)); +} + + // QRectF QAbstractTextDocumentLayout::frameBoundingRect(QTextFrame *frame) @@ -217,6 +236,25 @@ static void _call_f_hitTest_c4147 (const qt_gsi::GenericMethod * /*decl*/, void } +// QString QAbstractTextDocumentLayout::imageAt(const QPointF &pos) + + +static void _init_f_imageAt_c1986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("pos"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_imageAt_c1986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPointF &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QString)((QAbstractTextDocumentLayout *)cls)->imageAt (arg1)); +} + + // int QAbstractTextDocumentLayout::pageCount() @@ -297,7 +335,7 @@ static void _init_f_unregisterHandler_1961 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("objectType"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("component", true, "0"); + static gsi::ArgSpecBase argspec_1 ("component", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -307,7 +345,7 @@ static void _call_f_unregisterHandler_1961 (const qt_gsi::GenericMethod * /*decl __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QAbstractTextDocumentLayout *)cls)->unregisterHandler (arg1, arg2); } @@ -374,9 +412,11 @@ static gsi::Methods methods_QAbstractTextDocumentLayout () { methods += new qt_gsi::GenericMethod ("document", "@brief Method QTextDocument *QAbstractTextDocumentLayout::document()\n", true, &_init_f_document_c0, &_call_f_document_c0); methods += new qt_gsi::GenericMethod ("documentSize", "@brief Method QSizeF QAbstractTextDocumentLayout::documentSize()\n", true, &_init_f_documentSize_c0, &_call_f_documentSize_c0); methods += new qt_gsi::GenericMethod ("draw", "@brief Method void QAbstractTextDocumentLayout::draw(QPainter *painter, const QAbstractTextDocumentLayout::PaintContext &context)\n", false, &_init_f_draw_6787, &_call_f_draw_6787); + methods += new qt_gsi::GenericMethod ("formatAt", "@brief Method QTextFormat QAbstractTextDocumentLayout::formatAt(const QPointF &pos)\n", true, &_init_f_formatAt_c1986, &_call_f_formatAt_c1986); methods += new qt_gsi::GenericMethod ("frameBoundingRect", "@brief Method QRectF QAbstractTextDocumentLayout::frameBoundingRect(QTextFrame *frame)\n", true, &_init_f_frameBoundingRect_c1615, &_call_f_frameBoundingRect_c1615); methods += new qt_gsi::GenericMethod ("handlerForObject", "@brief Method QTextObjectInterface *QAbstractTextDocumentLayout::handlerForObject(int objectType)\n", true, &_init_f_handlerForObject_c767, &_call_f_handlerForObject_c767); methods += new qt_gsi::GenericMethod ("hitTest", "@brief Method int QAbstractTextDocumentLayout::hitTest(const QPointF &point, Qt::HitTestAccuracy accuracy)\n", true, &_init_f_hitTest_c4147, &_call_f_hitTest_c4147); + methods += new qt_gsi::GenericMethod ("imageAt", "@brief Method QString QAbstractTextDocumentLayout::imageAt(const QPointF &pos)\n", true, &_init_f_imageAt_c1986, &_call_f_imageAt_c1986); methods += new qt_gsi::GenericMethod ("pageCount", "@brief Method int QAbstractTextDocumentLayout::pageCount()\n", true, &_init_f_pageCount_c0, &_call_f_pageCount_c0); methods += new qt_gsi::GenericMethod (":paintDevice", "@brief Method QPaintDevice *QAbstractTextDocumentLayout::paintDevice()\n", true, &_init_f_paintDevice_c0, &_call_f_paintDevice_c0); methods += new qt_gsi::GenericMethod ("registerHandler", "@brief Method void QAbstractTextDocumentLayout::registerHandler(int objectType, QObject *component)\n", false, &_init_f_registerHandler_1961, &_call_f_registerHandler_1961); @@ -506,33 +546,33 @@ class QAbstractTextDocumentLayout_Adaptor : public QAbstractTextDocumentLayout, } } - // [adaptor impl] bool QAbstractTextDocumentLayout::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAbstractTextDocumentLayout::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAbstractTextDocumentLayout::event(arg1); + return QAbstractTextDocumentLayout::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAbstractTextDocumentLayout_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAbstractTextDocumentLayout_Adaptor::cbs_event_1217_0, _event); } else { - return QAbstractTextDocumentLayout::event(arg1); + return QAbstractTextDocumentLayout::event(_event); } } - // [adaptor impl] bool QAbstractTextDocumentLayout::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractTextDocumentLayout::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractTextDocumentLayout::eventFilter(arg1, arg2); + return QAbstractTextDocumentLayout::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractTextDocumentLayout_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractTextDocumentLayout_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractTextDocumentLayout::eventFilter(arg1, arg2); + return QAbstractTextDocumentLayout::eventFilter(watched, event); } } @@ -609,33 +649,33 @@ class QAbstractTextDocumentLayout_Adaptor : public QAbstractTextDocumentLayout, emit QAbstractTextDocumentLayout::updateBlock(block); } - // [adaptor impl] void QAbstractTextDocumentLayout::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractTextDocumentLayout::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractTextDocumentLayout::childEvent(arg1); + QAbstractTextDocumentLayout::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractTextDocumentLayout_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractTextDocumentLayout_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractTextDocumentLayout::childEvent(arg1); + QAbstractTextDocumentLayout::childEvent(event); } } - // [adaptor impl] void QAbstractTextDocumentLayout::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractTextDocumentLayout::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractTextDocumentLayout::customEvent(arg1); + QAbstractTextDocumentLayout::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractTextDocumentLayout_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractTextDocumentLayout_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractTextDocumentLayout::customEvent(arg1); + QAbstractTextDocumentLayout::customEvent(event); } } @@ -717,18 +757,18 @@ class QAbstractTextDocumentLayout_Adaptor : public QAbstractTextDocumentLayout, } } - // [adaptor impl] void QAbstractTextDocumentLayout::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAbstractTextDocumentLayout::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAbstractTextDocumentLayout::timerEvent(arg1); + QAbstractTextDocumentLayout::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAbstractTextDocumentLayout_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAbstractTextDocumentLayout_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAbstractTextDocumentLayout::timerEvent(arg1); + QAbstractTextDocumentLayout::timerEvent(event); } } @@ -793,11 +833,11 @@ static void _set_callback_cbs_blockBoundingRect_c2306_0 (void *cls, const gsi::C } -// void QAbstractTextDocumentLayout::childEvent(QChildEvent *) +// void QAbstractTextDocumentLayout::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -817,11 +857,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAbstractTextDocumentLayout::customEvent(QEvent *) +// void QAbstractTextDocumentLayout::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -845,7 +885,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -854,7 +894,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QAbstractTextDocumentLayout_Adaptor *)cls)->emitter_QAbstractTextDocumentLayout_destroyed_1302 (arg1); } @@ -1013,11 +1053,11 @@ static void _set_callback_cbs_drawInlineObject_8199_0 (void *cls, const gsi::Cal } -// bool QAbstractTextDocumentLayout::event(QEvent *) +// bool QAbstractTextDocumentLayout::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1036,13 +1076,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractTextDocumentLayout::eventFilter(QObject *, QEvent *) +// bool QAbstractTextDocumentLayout::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1326,11 +1366,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QAbstractTextDocumentLayout::timerEvent(QTimerEvent *) +// void QAbstractTextDocumentLayout::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1396,9 +1436,9 @@ static gsi::Methods methods_QAbstractTextDocumentLayout_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractTextDocumentLayout::QAbstractTextDocumentLayout(QTextDocument *doc)\nThis method creates an object of class QAbstractTextDocumentLayout.", &_init_ctor_QAbstractTextDocumentLayout_Adaptor_1955, &_call_ctor_QAbstractTextDocumentLayout_Adaptor_1955); methods += new qt_gsi::GenericMethod ("blockBoundingRect", "@brief Virtual method QRectF QAbstractTextDocumentLayout::blockBoundingRect(const QTextBlock &block)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_blockBoundingRect_c2306_0, &_call_cbs_blockBoundingRect_c2306_0); methods += new qt_gsi::GenericMethod ("blockBoundingRect", "@hide", true, &_init_cbs_blockBoundingRect_c2306_0, &_call_cbs_blockBoundingRect_c2306_0, &_set_callback_cbs_blockBoundingRect_c2306_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractTextDocumentLayout::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractTextDocumentLayout::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractTextDocumentLayout::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractTextDocumentLayout::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractTextDocumentLayout::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractTextDocumentLayout::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -1412,9 +1452,9 @@ static gsi::Methods methods_QAbstractTextDocumentLayout_Adaptor () { methods += new qt_gsi::GenericMethod ("draw", "@hide", false, &_init_cbs_draw_6787_0, &_call_cbs_draw_6787_0, &_set_callback_cbs_draw_6787_0); methods += new qt_gsi::GenericMethod ("*drawInlineObject", "@brief Virtual method void QAbstractTextDocumentLayout::drawInlineObject(QPainter *painter, const QRectF &rect, QTextInlineObject object, int posInDocument, const QTextFormat &format)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_drawInlineObject_8199_0, &_call_cbs_drawInlineObject_8199_0); methods += new qt_gsi::GenericMethod ("*drawInlineObject", "@hide", false, &_init_cbs_drawInlineObject_8199_0, &_call_cbs_drawInlineObject_8199_0, &_set_callback_cbs_drawInlineObject_8199_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractTextDocumentLayout::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractTextDocumentLayout::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractTextDocumentLayout::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractTextDocumentLayout::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*format", "@brief Method QTextCharFormat QAbstractTextDocumentLayout::format(int pos)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_format_767, &_call_fp_format_767); methods += new qt_gsi::GenericMethod ("*formatIndex", "@brief Method int QAbstractTextDocumentLayout::formatIndex(int pos)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_formatIndex_767, &_call_fp_formatIndex_767); @@ -1434,7 +1474,7 @@ static gsi::Methods methods_QAbstractTextDocumentLayout_Adaptor () { methods += new qt_gsi::GenericMethod ("*resizeInlineObject", "@hide", false, &_init_cbs_resizeInlineObject_5127_0, &_call_cbs_resizeInlineObject_5127_0, &_set_callback_cbs_resizeInlineObject_5127_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAbstractTextDocumentLayout::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAbstractTextDocumentLayout::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractTextDocumentLayout::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractTextDocumentLayout::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_update", "@brief Emitter for signal void QAbstractTextDocumentLayout::update(const QRectF &)\nCall this method to emit this signal.", false, &_init_emitter_update_1862, &_call_emitter_update_1862); methods += new qt_gsi::GenericMethod ("emit_updateBlock", "@brief Emitter for signal void QAbstractTextDocumentLayout::updateBlock(const QTextBlock &block)\nCall this method to emit this signal.", false, &_init_emitter_updateBlock_2306, &_call_emitter_updateBlock_2306); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessible.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessible.cc index 8a06630d95..6e42a187b2 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessible.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessible.cc @@ -529,6 +529,7 @@ static gsi::Enum decl_QAccessible_Role_Enum ("QtGui", "QAcces gsi::enum_const ("Paragraph", QAccessible::Paragraph, "@brief Enum constant QAccessible::Paragraph") + gsi::enum_const ("WebDocument", QAccessible::WebDocument, "@brief Enum constant QAccessible::WebDocument") + gsi::enum_const ("Section", QAccessible::Section, "@brief Enum constant QAccessible::Section") + + gsi::enum_const ("Notification", QAccessible::Notification, "@brief Enum constant QAccessible::Notification") + gsi::enum_const ("ColorChooser", QAccessible::ColorChooser, "@brief Enum constant QAccessible::ColorChooser") + gsi::enum_const ("Footer", QAccessible::Footer, "@brief Enum constant QAccessible::Footer") + gsi::enum_const ("Form", QAccessible::Form, "@brief Enum constant QAccessible::Form") + diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleActionInterface.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleActionInterface.cc index 501c1a9039..81c00ddd31 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleActionInterface.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleActionInterface.cc @@ -314,7 +314,7 @@ static void _init_f_tr_4013 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("sourceText"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("disambiguation", true, "0"); + static gsi::ArgSpecBase argspec_1 ("disambiguation", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("n", true, "-1"); decl->add_arg (argspec_2); @@ -326,7 +326,7 @@ static void _call_f_tr_4013 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi:: __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const char *arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); ret.write ((QString)QAccessibleActionInterface::tr (arg1, arg2, arg3)); } @@ -339,7 +339,7 @@ static void _init_f_trUtf8_4013 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("sourceText"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("disambiguation", true, "0"); + static gsi::ArgSpecBase argspec_1 ("disambiguation", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("n", true, "-1"); decl->add_arg (argspec_2); @@ -351,7 +351,7 @@ static void _call_f_trUtf8_4013 (const qt_gsi::GenericStaticMethod * /*decl*/, g __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const char *arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); ret.write ((QString)QAccessibleActionInterface::trUtf8 (arg1, arg2, arg3)); } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQActionEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQActionEvent.cc index 212d4a7bcb..c441e58f08 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQActionEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQActionEvent.cc @@ -119,7 +119,7 @@ static void _init_ctor_QActionEvent_Adaptor_3169 (qt_gsi::GenericStaticMethod *d decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("action"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("before", true, "0"); + static gsi::ArgSpecBase argspec_2 ("before", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -130,7 +130,7 @@ static void _call_ctor_QActionEvent_Adaptor_3169 (const qt_gsi::GenericStaticMet tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); QAction *arg2 = gsi::arg_reader() (args, heap); - QAction *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QAction *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QActionEvent_Adaptor (arg1, arg2, arg3)); } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQBackingStore.cc b/src/gsiqt/qt5/QtGui/gsiDeclQBackingStore.cc index 5ead9444c8..e45170759b 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQBackingStore.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQBackingStore.cc @@ -97,7 +97,7 @@ static void _init_f_flush_5041 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("region"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("window", true, "0"); + static gsi::ArgSpecBase argspec_1 ("window", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("offset", true, "QPoint()"); decl->add_arg (argspec_2); @@ -109,7 +109,7 @@ static void _call_f_flush_5041 (const qt_gsi::GenericMethod * /*decl*/, void *cl __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QRegion &arg1 = gsi::arg_reader() (args, heap); - QWindow *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWindow *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const QPoint &arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QPoint(), heap); __SUPPRESS_UNUSED_WARNING(ret); ((QBackingStore *)cls)->flush (arg1, arg2, arg3); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQBitmap.cc b/src/gsiqt/qt5/QtGui/gsiDeclQBitmap.cc index dede2d2696..a9a2ad4c15 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQBitmap.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQBitmap.cc @@ -66,6 +66,25 @@ static void _call_f_clear_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// QBitmap &QBitmap::operator=(const QBitmap &other) + + +static void _init_f_operator_eq__1999 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_eq__1999 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QBitmap &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QBitmap &)((QBitmap *)cls)->operator= (arg1)); +} + + // QBitmap &QBitmap::operator=(const QPixmap &) @@ -196,6 +215,7 @@ namespace gsi static gsi::Methods methods_QBitmap () { gsi::Methods methods; methods += new qt_gsi::GenericMethod ("clear", "@brief Method void QBitmap::clear()\n", false, &_init_f_clear_0, &_call_f_clear_0); + methods += new qt_gsi::GenericMethod ("assign", "@brief Method QBitmap &QBitmap::operator=(const QBitmap &other)\n", false, &_init_f_operator_eq__1999, &_call_f_operator_eq__1999); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QBitmap &QBitmap::operator=(const QPixmap &)\n", false, &_init_f_operator_eq__2017, &_call_f_operator_eq__2017); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QBitmap::swap(QBitmap &other)\n", false, &_init_f_swap_1304, &_call_f_swap_1304); methods += new qt_gsi::GenericMethod ("transformed", "@brief Method QBitmap QBitmap::transformed(const QMatrix &)\n", true, &_init_f_transformed_c2023, &_call_f_transformed_c2023); @@ -258,6 +278,12 @@ class QBitmap_Adaptor : public QBitmap, public qt_gsi::QtObjectBase qt_gsi::QtObjectBase::init (this); } + // [adaptor ctor] QBitmap::QBitmap(const QBitmap &other) + QBitmap_Adaptor(const QBitmap &other) : QBitmap(other) + { + qt_gsi::QtObjectBase::init (this); + } + // [expose] QPixmap QBitmap::fromImageInPlace(QImage &image, QFlags flags) static QPixmap fp_QBitmap_fromImageInPlace_4442 (QImage &image, QFlags flags) { return QBitmap::fromImageInPlace(image, flags); @@ -424,7 +450,7 @@ static void _init_ctor_QBitmap_Adaptor_3648 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("fileName"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "0"); + static gsi::ArgSpecBase argspec_1 ("format", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -434,11 +460,29 @@ static void _call_ctor_QBitmap_Adaptor_3648 (const qt_gsi::GenericStaticMethod * __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QBitmap_Adaptor (arg1, arg2)); } +// Constructor QBitmap::QBitmap(const QBitmap &other) (adaptor class) + +static void _init_ctor_QBitmap_Adaptor_1999 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QBitmap_Adaptor_1999 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QBitmap &arg1 = gsi::arg_reader() (args, heap); + ret.write (new QBitmap_Adaptor (arg1)); +} + + // exposed QPixmap QBitmap::fromImageInPlace(QImage &image, QFlags flags) static void _init_fp_fromImageInPlace_4442 (qt_gsi::GenericStaticMethod *decl) @@ -580,6 +624,7 @@ static gsi::Methods methods_QBitmap_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QBitmap::QBitmap(int w, int h)\nThis method creates an object of class QBitmap.", &_init_ctor_QBitmap_Adaptor_1426, &_call_ctor_QBitmap_Adaptor_1426); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QBitmap::QBitmap(const QSize &)\nThis method creates an object of class QBitmap.", &_init_ctor_QBitmap_Adaptor_1805, &_call_ctor_QBitmap_Adaptor_1805); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QBitmap::QBitmap(const QString &fileName, const char *format)\nThis method creates an object of class QBitmap.", &_init_ctor_QBitmap_Adaptor_3648, &_call_ctor_QBitmap_Adaptor_3648); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QBitmap::QBitmap(const QBitmap &other)\nThis method creates an object of class QBitmap.", &_init_ctor_QBitmap_Adaptor_1999, &_call_ctor_QBitmap_Adaptor_1999); methods += new qt_gsi::GenericStaticMethod ("*fromImageInPlace", "@brief Method QPixmap QBitmap::fromImageInPlace(QImage &image, QFlags flags)\nThis method is protected and can only be called from inside a derived class.", &_init_fp_fromImageInPlace_4442, &_call_fp_fromImageInPlace_4442); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QBitmap::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQColor.cc b/src/gsiqt/qt5/QtGui/gsiDeclQColor.cc index aee16a748f..bf1217dbec 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQColor.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQColor.cc @@ -28,6 +28,7 @@ */ #include +#include #include "gsiQt.h" #include "gsiQtGuiCommon.h" #include @@ -116,12 +117,31 @@ static void _call_ctor_QColor_1772 (const qt_gsi::GenericStaticMethod * /*decl*/ } -// Constructor QColor::QColor(const char *name) +// Constructor QColor::QColor(QRgba64 rgba64) + + +static void _init_ctor_QColor_1003 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("rgba64"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QColor_1003 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QRgba64 arg1 = gsi::arg_reader() (args, heap); + ret.write (new QColor (arg1)); +} + + +// Constructor QColor::QColor(const char *aname) static void _init_ctor_QColor_1731 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("name"); + static gsi::ArgSpecBase argspec_0 ("aname"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -135,21 +155,21 @@ static void _call_ctor_QColor_1731 (const qt_gsi::GenericStaticMethod * /*decl*/ } -// Constructor QColor::QColor(const QColor &color) +// Constructor QColor::QColor(QLatin1String name) -static void _init_ctor_QColor_1905 (qt_gsi::GenericStaticMethod *decl) +static void _init_ctor_QColor_1701 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("color"); - decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_0 ("name"); + decl->add_arg (argspec_0); decl->set_return_new (); } -static void _call_ctor_QColor_1905 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +static void _call_ctor_QColor_1701 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - const QColor &arg1 = gsi::arg_reader() (args, heap); + QLatin1String arg1 = gsi::arg_reader() (args, heap); ret.write (new QColor (arg1)); } @@ -173,6 +193,25 @@ static void _call_ctor_QColor_1539 (const qt_gsi::GenericStaticMethod * /*decl*/ } +// Constructor QColor::QColor(const QColor &color) + + +static void _init_ctor_QColor_1905 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("color"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QColor_1905 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QColor &arg1 = gsi::arg_reader() (args, heap); + ret.write (new QColor (arg1)); +} + + // int QColor::alpha() @@ -363,7 +402,7 @@ static void _init_f_getCmyk_4333 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("k"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("a", true, "0"); + static gsi::ArgSpecBase argspec_4 ("a", true, "nullptr"); decl->add_arg (argspec_4); decl->set_return (); } @@ -376,7 +415,7 @@ static void _call_f_getCmyk_4333 (const qt_gsi::GenericMethod * /*decl*/, void * int *arg2 = gsi::arg_reader() (args, heap); int *arg3 = gsi::arg_reader() (args, heap); int *arg4 = gsi::arg_reader() (args, heap); - int *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + int *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QColor *)cls)->getCmyk (arg1, arg2, arg3, arg4, arg5); } @@ -395,7 +434,7 @@ static void _init_f_getCmykF_5853 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("k"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("a", true, "0"); + static gsi::ArgSpecBase argspec_4 ("a", true, "nullptr"); decl->add_arg (argspec_4); decl->set_return (); } @@ -408,7 +447,7 @@ static void _call_f_getCmykF_5853 (const qt_gsi::GenericMethod * /*decl*/, void double *arg2 = gsi::arg_reader() (args, heap); double *arg3 = gsi::arg_reader() (args, heap); double *arg4 = gsi::arg_reader() (args, heap); - double *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + double *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QColor *)cls)->getCmykF (arg1, arg2, arg3, arg4, arg5); } @@ -425,7 +464,7 @@ static void _init_f_getHsl_c3488 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("l"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("a", true, "0"); + static gsi::ArgSpecBase argspec_3 ("a", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -437,7 +476,7 @@ static void _call_f_getHsl_c3488 (const qt_gsi::GenericMethod * /*decl*/, void * int *arg1 = gsi::arg_reader() (args, heap); int *arg2 = gsi::arg_reader() (args, heap); int *arg3 = gsi::arg_reader() (args, heap); - int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QColor *)cls)->getHsl (arg1, arg2, arg3, arg4); } @@ -454,7 +493,7 @@ static void _init_f_getHslF_c4704 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("l"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("a", true, "0"); + static gsi::ArgSpecBase argspec_3 ("a", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -466,7 +505,7 @@ static void _call_f_getHslF_c4704 (const qt_gsi::GenericMethod * /*decl*/, void double *arg1 = gsi::arg_reader() (args, heap); double *arg2 = gsi::arg_reader() (args, heap); double *arg3 = gsi::arg_reader() (args, heap); - double *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + double *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QColor *)cls)->getHslF (arg1, arg2, arg3, arg4); } @@ -483,7 +522,7 @@ static void _init_f_getHsv_c3488 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("v"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("a", true, "0"); + static gsi::ArgSpecBase argspec_3 ("a", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -495,7 +534,7 @@ static void _call_f_getHsv_c3488 (const qt_gsi::GenericMethod * /*decl*/, void * int *arg1 = gsi::arg_reader() (args, heap); int *arg2 = gsi::arg_reader() (args, heap); int *arg3 = gsi::arg_reader() (args, heap); - int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QColor *)cls)->getHsv (arg1, arg2, arg3, arg4); } @@ -512,7 +551,7 @@ static void _init_f_getHsvF_c4704 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("v"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("a", true, "0"); + static gsi::ArgSpecBase argspec_3 ("a", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -524,7 +563,7 @@ static void _call_f_getHsvF_c4704 (const qt_gsi::GenericMethod * /*decl*/, void double *arg1 = gsi::arg_reader() (args, heap); double *arg2 = gsi::arg_reader() (args, heap); double *arg3 = gsi::arg_reader() (args, heap); - double *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + double *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QColor *)cls)->getHsvF (arg1, arg2, arg3, arg4); } @@ -541,7 +580,7 @@ static void _init_f_getRgb_c3488 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("b"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("a", true, "0"); + static gsi::ArgSpecBase argspec_3 ("a", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -553,7 +592,7 @@ static void _call_f_getRgb_c3488 (const qt_gsi::GenericMethod * /*decl*/, void * int *arg1 = gsi::arg_reader() (args, heap); int *arg2 = gsi::arg_reader() (args, heap); int *arg3 = gsi::arg_reader() (args, heap); - int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QColor *)cls)->getRgb (arg1, arg2, arg3, arg4); } @@ -570,7 +609,7 @@ static void _init_f_getRgbF_c4704 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("b"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("a", true, "0"); + static gsi::ArgSpecBase argspec_3 ("a", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -582,7 +621,7 @@ static void _call_f_getRgbF_c4704 (const qt_gsi::GenericMethod * /*decl*/, void double *arg1 = gsi::arg_reader() (args, heap); double *arg2 = gsi::arg_reader() (args, heap); double *arg3 = gsi::arg_reader() (args, heap); - double *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + double *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QColor *)cls)->getRgbF (arg1, arg2, arg3, arg4); } @@ -1051,6 +1090,21 @@ static void _call_f_rgba_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// QRgba64 QColor::rgba64() + + +static void _init_f_rgba64_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_rgba64_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QRgba64)((QColor *)cls)->rgba64 ()); +} + + // int QColor::saturation() @@ -1401,6 +1455,26 @@ static void _call_f_setNamedColor_2025 (const qt_gsi::GenericMethod * /*decl*/, } +// void QColor::setNamedColor(QLatin1String name) + + +static void _init_f_setNamedColor_1701 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("name"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setNamedColor_1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QLatin1String arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QColor *)cls)->setNamedColor (arg1); +} + + // void QColor::setRed(int red) @@ -1539,6 +1613,26 @@ static void _call_f_setRgba_1772 (const qt_gsi::GenericMethod * /*decl*/, void * } +// void QColor::setRgba64(QRgba64 rgba) + + +static void _init_f_setRgba64_1003 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("rgba"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setRgba64_1003 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QRgba64 arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QColor *)cls)->setRgba64 (arg1); +} + + // QColor::Spec QColor::spec() @@ -1957,6 +2051,53 @@ static void _call_f_fromRgba_1772 (const qt_gsi::GenericStaticMethod * /*decl*/, } +// static QColor QColor::fromRgba64(unsigned short int r, unsigned short int g, unsigned short int b, unsigned short int a) + + +static void _init_f_fromRgba64_9580 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("r"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("g"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("b"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("a", true, "USHRT_MAX"); + decl->add_arg (argspec_3); + decl->set_return (); +} + +static void _call_f_fromRgba64_9580 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + unsigned short int arg1 = gsi::arg_reader() (args, heap); + unsigned short int arg2 = gsi::arg_reader() (args, heap); + unsigned short int arg3 = gsi::arg_reader() (args, heap); + unsigned short int arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (USHRT_MAX, heap); + ret.write ((QColor)QColor::fromRgba64 (arg1, arg2, arg3, arg4)); +} + + +// static QColor QColor::fromRgba64(QRgba64 rgba) + + +static void _init_f_fromRgba64_1003 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("rgba"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_fromRgba64_1003 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QRgba64 arg1 = gsi::arg_reader() (args, heap); + ret.write ((QColor)QColor::fromRgba64 (arg1)); +} + + // static bool QColor::isValidColor(const QString &name) @@ -1976,6 +2117,25 @@ static void _call_f_isValidColor_2025 (const qt_gsi::GenericStaticMethod * /*dec } +// static bool QColor::isValidColor(QLatin1String) + + +static void _init_f_isValidColor_1701 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_isValidColor_1701 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QLatin1String arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)QColor::isValidColor (arg1)); +} + + namespace gsi { @@ -1986,9 +2146,11 @@ static gsi::Methods methods_QColor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(Qt::GlobalColor color)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1853, &_call_ctor_QColor_1853); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(int r, int g, int b, int a)\nThis method creates an object of class QColor.", &_init_ctor_QColor_2744, &_call_ctor_QColor_2744); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(unsigned int rgb)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1772, &_call_ctor_QColor_1772); - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(const char *name)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1731, &_call_ctor_QColor_1731); - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(const QColor &color)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1905, &_call_ctor_QColor_1905); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(QRgba64 rgba64)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1003, &_call_ctor_QColor_1003); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(const char *aname)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1731, &_call_ctor_QColor_1731); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(QLatin1String name)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1701, &_call_ctor_QColor_1701); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(QColor::Spec spec)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1539, &_call_ctor_QColor_1539); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(const QColor &color)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1905, &_call_ctor_QColor_1905); methods += new qt_gsi::GenericMethod (":alpha", "@brief Method int QColor::alpha()\n", true, &_init_f_alpha_c0, &_call_f_alpha_c0); methods += new qt_gsi::GenericMethod (":alphaF", "@brief Method double QColor::alphaF()\n", true, &_init_f_alphaF_c0, &_call_f_alphaF_c0); methods += new qt_gsi::GenericMethod ("black", "@brief Method int QColor::black()\n", true, &_init_f_black_c0, &_call_f_black_c0); @@ -2037,6 +2199,7 @@ static gsi::Methods methods_QColor () { methods += new qt_gsi::GenericMethod (":redF", "@brief Method double QColor::redF()\n", true, &_init_f_redF_c0, &_call_f_redF_c0); methods += new qt_gsi::GenericMethod (":rgb", "@brief Method unsigned int QColor::rgb()\n", true, &_init_f_rgb_c0, &_call_f_rgb_c0); methods += new qt_gsi::GenericMethod (":rgba", "@brief Method unsigned int QColor::rgba()\n", true, &_init_f_rgba_c0, &_call_f_rgba_c0); + methods += new qt_gsi::GenericMethod ("rgba64", "@brief Method QRgba64 QColor::rgba64()\n", true, &_init_f_rgba64_c0, &_call_f_rgba64_c0); methods += new qt_gsi::GenericMethod ("saturation", "@brief Method int QColor::saturation()\n", true, &_init_f_saturation_c0, &_call_f_saturation_c0); methods += new qt_gsi::GenericMethod ("saturationF", "@brief Method double QColor::saturationF()\n", true, &_init_f_saturationF_c0, &_call_f_saturationF_c0); methods += new qt_gsi::GenericMethod ("setAlpha|alpha=", "@brief Method void QColor::setAlpha(int alpha)\n", false, &_init_f_setAlpha_767, &_call_f_setAlpha_767); @@ -2052,12 +2215,14 @@ static gsi::Methods methods_QColor () { methods += new qt_gsi::GenericMethod ("setHsv", "@brief Method void QColor::setHsv(int h, int s, int v, int a)\n", false, &_init_f_setHsv_2744, &_call_f_setHsv_2744); methods += new qt_gsi::GenericMethod ("setHsvF", "@brief Method void QColor::setHsvF(double h, double s, double v, double a)\n", false, &_init_f_setHsvF_3960, &_call_f_setHsvF_3960); methods += new qt_gsi::GenericMethod ("setNamedColor", "@brief Method void QColor::setNamedColor(const QString &name)\n", false, &_init_f_setNamedColor_2025, &_call_f_setNamedColor_2025); + methods += new qt_gsi::GenericMethod ("setNamedColor", "@brief Method void QColor::setNamedColor(QLatin1String name)\n", false, &_init_f_setNamedColor_1701, &_call_f_setNamedColor_1701); methods += new qt_gsi::GenericMethod ("setRed|red=", "@brief Method void QColor::setRed(int red)\n", false, &_init_f_setRed_767, &_call_f_setRed_767); methods += new qt_gsi::GenericMethod ("setRedF|redF=", "@brief Method void QColor::setRedF(double red)\n", false, &_init_f_setRedF_1071, &_call_f_setRedF_1071); methods += new qt_gsi::GenericMethod ("setRgb", "@brief Method void QColor::setRgb(int r, int g, int b, int a)\n", false, &_init_f_setRgb_2744, &_call_f_setRgb_2744); methods += new qt_gsi::GenericMethod ("setRgb|rgb=", "@brief Method void QColor::setRgb(unsigned int rgb)\n", false, &_init_f_setRgb_1772, &_call_f_setRgb_1772); methods += new qt_gsi::GenericMethod ("setRgbF", "@brief Method void QColor::setRgbF(double r, double g, double b, double a)\n", false, &_init_f_setRgbF_3960, &_call_f_setRgbF_3960); methods += new qt_gsi::GenericMethod ("setRgba|rgba=", "@brief Method void QColor::setRgba(unsigned int rgba)\n", false, &_init_f_setRgba_1772, &_call_f_setRgba_1772); + methods += new qt_gsi::GenericMethod ("setRgba64", "@brief Method void QColor::setRgba64(QRgba64 rgba)\n", false, &_init_f_setRgba64_1003, &_call_f_setRgba64_1003); methods += new qt_gsi::GenericMethod ("spec", "@brief Method QColor::Spec QColor::spec()\n", true, &_init_f_spec_c0, &_call_f_spec_c0); methods += new qt_gsi::GenericMethod ("toCmyk", "@brief Method QColor QColor::toCmyk()\n", true, &_init_f_toCmyk_c0, &_call_f_toCmyk_c0); methods += new qt_gsi::GenericMethod ("toHsl", "@brief Method QColor QColor::toHsl()\n", true, &_init_f_toHsl_c0, &_call_f_toHsl_c0); @@ -2078,7 +2243,10 @@ static gsi::Methods methods_QColor () { methods += new qt_gsi::GenericStaticMethod ("fromRgb", "@brief Static method QColor QColor::fromRgb(int r, int g, int b, int a)\nThis method is static and can be called without an instance.", &_init_f_fromRgb_2744, &_call_f_fromRgb_2744); methods += new qt_gsi::GenericStaticMethod ("fromRgbF", "@brief Static method QColor QColor::fromRgbF(double r, double g, double b, double a)\nThis method is static and can be called without an instance.", &_init_f_fromRgbF_3960, &_call_f_fromRgbF_3960); methods += new qt_gsi::GenericStaticMethod ("fromRgba", "@brief Static method QColor QColor::fromRgba(unsigned int rgba)\nThis method is static and can be called without an instance.", &_init_f_fromRgba_1772, &_call_f_fromRgba_1772); + methods += new qt_gsi::GenericStaticMethod ("fromRgba64", "@brief Static method QColor QColor::fromRgba64(unsigned short int r, unsigned short int g, unsigned short int b, unsigned short int a)\nThis method is static and can be called without an instance.", &_init_f_fromRgba64_9580, &_call_f_fromRgba64_9580); + methods += new qt_gsi::GenericStaticMethod ("fromRgba64", "@brief Static method QColor QColor::fromRgba64(QRgba64 rgba)\nThis method is static and can be called without an instance.", &_init_f_fromRgba64_1003, &_call_f_fromRgba64_1003); methods += new qt_gsi::GenericStaticMethod ("isValidColor?", "@brief Static method bool QColor::isValidColor(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_isValidColor_2025, &_call_f_isValidColor_2025); + methods += new qt_gsi::GenericStaticMethod ("isValidColor?", "@brief Static method bool QColor::isValidColor(QLatin1String)\nThis method is static and can be called without an instance.", &_init_f_isValidColor_1701, &_call_f_isValidColor_1701); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQCursor.cc b/src/gsiqt/qt5/QtGui/gsiDeclQCursor.cc index 91a737c875..f60e9cf586 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQCursor.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQCursor.cc @@ -257,6 +257,26 @@ static void _call_f_shape_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// void QCursor::swap(QCursor &other) + + +static void _init_f_swap_1337 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_swap_1337 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QCursor &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QCursor *)cls)->swap (arg1); +} + + // static QPoint QCursor::pos() @@ -383,6 +403,16 @@ static void _call_f_setPos_3119 (const qt_gsi::GenericStaticMethod * /*decl*/, g } +// bool ::operator==(const QCursor &lhs, const QCursor &rhs) +static bool op_QCursor_operator_eq__eq__3956(const QCursor *_self, const QCursor &rhs) { + return ::operator==(*_self, rhs); +} + +// bool ::operator!=(const QCursor &lhs, const QCursor &rhs) +static bool op_QCursor_operator_excl__eq__3956(const QCursor *_self, const QCursor &rhs) { + return ::operator!=(*_self, rhs); +} + namespace gsi { @@ -401,12 +431,15 @@ static gsi::Methods methods_QCursor () { methods += new qt_gsi::GenericMethod ("pixmap", "@brief Method QPixmap QCursor::pixmap()\n", true, &_init_f_pixmap_c0, &_call_f_pixmap_c0); methods += new qt_gsi::GenericMethod ("setShape|shape=", "@brief Method void QCursor::setShape(Qt::CursorShape newShape)\n", false, &_init_f_setShape_1884, &_call_f_setShape_1884); methods += new qt_gsi::GenericMethod (":shape", "@brief Method Qt::CursorShape QCursor::shape()\n", true, &_init_f_shape_c0, &_call_f_shape_c0); + methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QCursor::swap(QCursor &other)\n", false, &_init_f_swap_1337, &_call_f_swap_1337); methods += new qt_gsi::GenericStaticMethod (":pos", "@brief Static method QPoint QCursor::pos()\nThis method is static and can be called without an instance.", &_init_f_pos_0, &_call_f_pos_0); methods += new qt_gsi::GenericStaticMethod ("pos", "@brief Static method QPoint QCursor::pos(const QScreen *screen)\nThis method is static and can be called without an instance.", &_init_f_pos_2006, &_call_f_pos_2006); methods += new qt_gsi::GenericStaticMethod ("setPos", "@brief Static method void QCursor::setPos(int x, int y)\nThis method is static and can be called without an instance.", &_init_f_setPos_1426, &_call_f_setPos_1426); methods += new qt_gsi::GenericStaticMethod ("setPos", "@brief Static method void QCursor::setPos(QScreen *screen, int x, int y)\nThis method is static and can be called without an instance.", &_init_f_setPos_2629, &_call_f_setPos_2629); methods += new qt_gsi::GenericStaticMethod ("setPos|pos=", "@brief Static method void QCursor::setPos(const QPoint &p)\nThis method is static and can be called without an instance.", &_init_f_setPos_1916, &_call_f_setPos_1916); methods += new qt_gsi::GenericStaticMethod ("setPos", "@brief Static method void QCursor::setPos(QScreen *screen, const QPoint &p)\nThis method is static and can be called without an instance.", &_init_f_setPos_3119, &_call_f_setPos_3119); + methods += gsi::method_ext("==", &::op_QCursor_operator_eq__eq__3956, gsi::arg ("rhs"), "@brief Operator bool ::operator==(const QCursor &lhs, const QCursor &rhs)\nThis is the mapping of the global operator to the instance method."); + methods += gsi::method_ext("!=", &::op_QCursor_operator_excl__eq__3956, gsi::arg ("rhs"), "@brief Operator bool ::operator!=(const QCursor &lhs, const QCursor &rhs)\nThis is the mapping of the global operator to the instance method."); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQDoubleValidator.cc b/src/gsiqt/qt5/QtGui/gsiDeclQDoubleValidator.cc index a6a4180c86..8832115b6d 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQDoubleValidator.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQDoubleValidator.cc @@ -406,33 +406,33 @@ class QDoubleValidator_Adaptor : public QDoubleValidator, public qt_gsi::QtObjec emit QDoubleValidator::destroyed(arg1); } - // [adaptor impl] bool QDoubleValidator::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QDoubleValidator::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QDoubleValidator::event(arg1); + return QDoubleValidator::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QDoubleValidator_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QDoubleValidator_Adaptor::cbs_event_1217_0, _event); } else { - return QDoubleValidator::event(arg1); + return QDoubleValidator::event(_event); } } - // [adaptor impl] bool QDoubleValidator::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QDoubleValidator::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QDoubleValidator::eventFilter(arg1, arg2); + return QDoubleValidator::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QDoubleValidator_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QDoubleValidator_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QDoubleValidator::eventFilter(arg1, arg2); + return QDoubleValidator::eventFilter(watched, event); } } @@ -500,33 +500,33 @@ class QDoubleValidator_Adaptor : public QDoubleValidator, public qt_gsi::QtObjec } } - // [adaptor impl] void QDoubleValidator::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QDoubleValidator::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QDoubleValidator::childEvent(arg1); + QDoubleValidator::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QDoubleValidator_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QDoubleValidator_Adaptor::cbs_childEvent_1701_0, event); } else { - QDoubleValidator::childEvent(arg1); + QDoubleValidator::childEvent(event); } } - // [adaptor impl] void QDoubleValidator::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDoubleValidator::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QDoubleValidator::customEvent(arg1); + QDoubleValidator::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QDoubleValidator_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QDoubleValidator_Adaptor::cbs_customEvent_1217_0, event); } else { - QDoubleValidator::customEvent(arg1); + QDoubleValidator::customEvent(event); } } @@ -545,18 +545,18 @@ class QDoubleValidator_Adaptor : public QDoubleValidator, public qt_gsi::QtObjec } } - // [adaptor impl] void QDoubleValidator::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QDoubleValidator::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QDoubleValidator::timerEvent(arg1); + QDoubleValidator::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QDoubleValidator_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QDoubleValidator_Adaptor::cbs_timerEvent_1730_0, event); } else { - QDoubleValidator::timerEvent(arg1); + QDoubleValidator::timerEvent(event); } } @@ -577,7 +577,7 @@ QDoubleValidator_Adaptor::~QDoubleValidator_Adaptor() { } static void _init_ctor_QDoubleValidator_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -586,7 +586,7 @@ static void _call_ctor_QDoubleValidator_Adaptor_1302 (const qt_gsi::GenericStati { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QDoubleValidator_Adaptor (arg1)); } @@ -601,7 +601,7 @@ static void _init_ctor_QDoubleValidator_Adaptor_3887 (qt_gsi::GenericStaticMetho decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("decimals"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_3 ("parent", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return_new (); } @@ -613,7 +613,7 @@ static void _call_ctor_QDoubleValidator_Adaptor_3887 (const qt_gsi::GenericStati double arg1 = gsi::arg_reader() (args, heap); double arg2 = gsi::arg_reader() (args, heap); int arg3 = gsi::arg_reader() (args, heap); - QObject *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QDoubleValidator_Adaptor (arg1, arg2, arg3, arg4)); } @@ -650,11 +650,11 @@ static void _call_emitter_changed_0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QDoubleValidator::childEvent(QChildEvent *) +// void QDoubleValidator::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -674,11 +674,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QDoubleValidator::customEvent(QEvent *) +// void QDoubleValidator::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -720,7 +720,7 @@ static void _call_emitter_decimalsChanged_767 (const qt_gsi::GenericMethod * /*d static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -729,7 +729,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QDoubleValidator_Adaptor *)cls)->emitter_QDoubleValidator_destroyed_1302 (arg1); } @@ -758,11 +758,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QDoubleValidator::event(QEvent *) +// bool QDoubleValidator::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -781,13 +781,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QDoubleValidator::eventFilter(QObject *, QEvent *) +// bool QDoubleValidator::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -961,11 +961,11 @@ static void _set_callback_cbs_setRange_2693_1 (void *cls, const gsi::Callback &c } -// void QDoubleValidator::timerEvent(QTimerEvent *) +// void QDoubleValidator::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1040,17 +1040,17 @@ static gsi::Methods methods_QDoubleValidator_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDoubleValidator::QDoubleValidator(double bottom, double top, int decimals, QObject *parent)\nThis method creates an object of class QDoubleValidator.", &_init_ctor_QDoubleValidator_Adaptor_3887, &_call_ctor_QDoubleValidator_Adaptor_3887); methods += new qt_gsi::GenericMethod ("emit_bottomChanged", "@brief Emitter for signal void QDoubleValidator::bottomChanged(double bottom)\nCall this method to emit this signal.", false, &_init_emitter_bottomChanged_1071, &_call_emitter_bottomChanged_1071); methods += new qt_gsi::GenericMethod ("emit_changed", "@brief Emitter for signal void QDoubleValidator::changed()\nCall this method to emit this signal.", false, &_init_emitter_changed_0, &_call_emitter_changed_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDoubleValidator::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDoubleValidator::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDoubleValidator::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDoubleValidator::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_decimalsChanged", "@brief Emitter for signal void QDoubleValidator::decimalsChanged(int decimals)\nCall this method to emit this signal.", false, &_init_emitter_decimalsChanged_767, &_call_emitter_decimalsChanged_767); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDoubleValidator::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDoubleValidator::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QDoubleValidator::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QDoubleValidator::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDoubleValidator::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDoubleValidator::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fixup", "@brief Virtual method void QDoubleValidator::fixup(QString &)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0); methods += new qt_gsi::GenericMethod ("fixup", "@hide", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0, &_set_callback_cbs_fixup_c1330_0); @@ -1062,7 +1062,7 @@ static gsi::Methods methods_QDoubleValidator_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QDoubleValidator::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setRange", "@brief Virtual method void QDoubleValidator::setRange(double bottom, double top, int decimals)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setRange_2693_1, &_call_cbs_setRange_2693_1); methods += new qt_gsi::GenericMethod ("setRange", "@hide", false, &_init_cbs_setRange_2693_1, &_call_cbs_setRange_2693_1, &_set_callback_cbs_setRange_2693_1); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDoubleValidator::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDoubleValidator::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_topChanged", "@brief Emitter for signal void QDoubleValidator::topChanged(double top)\nCall this method to emit this signal.", false, &_init_emitter_topChanged_1071, &_call_emitter_topChanged_1071); methods += new qt_gsi::GenericMethod ("validate", "@brief Virtual method QValidator::State QDoubleValidator::validate(QString &, int &)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_validate_c2171_0, &_call_cbs_validate_c2171_0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQDrag.cc b/src/gsiqt/qt5/QtGui/gsiDeclQDrag.cc index 55deb70b04..998b071b45 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQDrag.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQDrag.cc @@ -324,6 +324,22 @@ static void _call_f_target_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// static void QDrag::cancel() + + +static void _init_f_cancel_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_cancel_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + QDrag::cancel (); +} + + // static QString QDrag::tr(const char *s, const char *c, int n) @@ -399,6 +415,7 @@ static gsi::Methods methods_QDrag () { methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QDrag::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QDrag::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("targetChanged(QObject *)", "targetChanged", gsi::arg("newTarget"), "@brief Signal declaration for QDrag::targetChanged(QObject *newTarget)\nYou can bind a procedure to this signal."); + methods += new qt_gsi::GenericStaticMethod ("cancel", "@brief Static method void QDrag::cancel()\nThis method is static and can be called without an instance.", &_init_f_cancel_0, &_call_f_cancel_0); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QDrag::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QDrag::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -459,33 +476,33 @@ class QDrag_Adaptor : public QDrag, public qt_gsi::QtObjectBase emit QDrag::destroyed(arg1); } - // [adaptor impl] bool QDrag::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QDrag::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QDrag::event(arg1); + return QDrag::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QDrag_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QDrag_Adaptor::cbs_event_1217_0, _event); } else { - return QDrag::event(arg1); + return QDrag::event(_event); } } - // [adaptor impl] bool QDrag::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QDrag::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QDrag::eventFilter(arg1, arg2); + return QDrag::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QDrag_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QDrag_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QDrag::eventFilter(arg1, arg2); + return QDrag::eventFilter(watched, event); } } @@ -502,33 +519,33 @@ class QDrag_Adaptor : public QDrag, public qt_gsi::QtObjectBase emit QDrag::targetChanged(newTarget); } - // [adaptor impl] void QDrag::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QDrag::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QDrag::childEvent(arg1); + QDrag::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QDrag_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QDrag_Adaptor::cbs_childEvent_1701_0, event); } else { - QDrag::childEvent(arg1); + QDrag::childEvent(event); } } - // [adaptor impl] void QDrag::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDrag::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QDrag::customEvent(arg1); + QDrag::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QDrag_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QDrag_Adaptor::cbs_customEvent_1217_0, event); } else { - QDrag::customEvent(arg1); + QDrag::customEvent(event); } } @@ -547,18 +564,18 @@ class QDrag_Adaptor : public QDrag, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDrag::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QDrag::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QDrag::timerEvent(arg1); + QDrag::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QDrag_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QDrag_Adaptor::cbs_timerEvent_1730_0, event); } else { - QDrag::timerEvent(arg1); + QDrag::timerEvent(event); } } @@ -608,11 +625,11 @@ static void _call_emitter_actionChanged_1760 (const qt_gsi::GenericMethod * /*de } -// void QDrag::childEvent(QChildEvent *) +// void QDrag::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -632,11 +649,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QDrag::customEvent(QEvent *) +// void QDrag::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -660,7 +677,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -669,7 +686,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QDrag_Adaptor *)cls)->emitter_QDrag_destroyed_1302 (arg1); } @@ -698,11 +715,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QDrag::event(QEvent *) +// bool QDrag::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -721,13 +738,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QDrag::eventFilter(QObject *, QEvent *) +// bool QDrag::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -847,11 +864,11 @@ static void _call_emitter_targetChanged_1302 (const qt_gsi::GenericMethod * /*de } -// void QDrag::timerEvent(QTimerEvent *) +// void QDrag::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -880,16 +897,16 @@ static gsi::Methods methods_QDrag_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDrag::QDrag(QObject *dragSource)\nThis method creates an object of class QDrag.", &_init_ctor_QDrag_Adaptor_1302, &_call_ctor_QDrag_Adaptor_1302); methods += new qt_gsi::GenericMethod ("emit_actionChanged", "@brief Emitter for signal void QDrag::actionChanged(Qt::DropAction action)\nCall this method to emit this signal.", false, &_init_emitter_actionChanged_1760, &_call_emitter_actionChanged_1760); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDrag::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDrag::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDrag::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDrag::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDrag::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDrag::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QDrag::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QDrag::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDrag::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDrag::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QDrag::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QDrag::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); @@ -897,7 +914,7 @@ static gsi::Methods methods_QDrag_Adaptor () { methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QDrag::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QDrag::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("emit_targetChanged", "@brief Emitter for signal void QDrag::targetChanged(QObject *newTarget)\nCall this method to emit this signal.", false, &_init_emitter_targetChanged_1302, &_call_emitter_targetChanged_1302); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDrag::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDrag::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQFont.cc b/src/gsiqt/qt5/QtGui/gsiDeclQFont.cc index 0f9baedebc..0563eeec76 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQFont.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQFont.cc @@ -1577,6 +1577,7 @@ static gsi::Enum decl_QFont_StyleStrategy_Enum ("QtGui", " gsi::enum_const ("OpenGLCompatible", QFont::OpenGLCompatible, "@brief Enum constant QFont::OpenGLCompatible") + gsi::enum_const ("ForceIntegerMetrics", QFont::ForceIntegerMetrics, "@brief Enum constant QFont::ForceIntegerMetrics") + gsi::enum_const ("NoSubpixelAntialias", QFont::NoSubpixelAntialias, "@brief Enum constant QFont::NoSubpixelAntialias") + + gsi::enum_const ("PreferNoShaping", QFont::PreferNoShaping, "@brief Enum constant QFont::PreferNoShaping") + gsi::enum_const ("NoFontMerging", QFont::NoFontMerging, "@brief Enum constant QFont::NoFontMerging"), "@qt\n@brief This class represents the QFont::StyleStrategy enum"); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQFontMetrics.cc b/src/gsiqt/qt5/QtGui/gsiDeclQFontMetrics.cc index 2b67aa2b6e..de1323def2 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQFontMetrics.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQFontMetrics.cc @@ -180,7 +180,7 @@ static void _init_f_boundingRect_c5872 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("tabstops", true, "0"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("tabarray", true, "0"); + static gsi::ArgSpecBase argspec_4 ("tabarray", true, "nullptr"); decl->add_arg (argspec_4); decl->set_return (); } @@ -193,7 +193,7 @@ static void _call_f_boundingRect_c5872 (const qt_gsi::GenericMethod * /*decl*/, int arg2 = gsi::arg_reader() (args, heap); const QString &arg3 = gsi::arg_reader() (args, heap); int arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - int *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + int *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QRect)((QFontMetrics *)cls)->boundingRect (arg1, arg2, arg3, arg4, arg5)); } @@ -217,7 +217,7 @@ static void _init_f_boundingRect_c6824 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_5); static gsi::ArgSpecBase argspec_6 ("tabstops", true, "0"); decl->add_arg (argspec_6); - static gsi::ArgSpecBase argspec_7 ("tabarray", true, "0"); + static gsi::ArgSpecBase argspec_7 ("tabarray", true, "nullptr"); decl->add_arg (argspec_7); decl->set_return (); } @@ -233,11 +233,26 @@ static void _call_f_boundingRect_c6824 (const qt_gsi::GenericMethod * /*decl*/, int arg5 = gsi::arg_reader() (args, heap); const QString &arg6 = gsi::arg_reader() (args, heap); int arg7 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - int *arg8 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + int *arg8 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QRect)((QFontMetrics *)cls)->boundingRect (arg1, arg2, arg3, arg4, arg5, arg6, arg7, arg8)); } +// int QFontMetrics::capHeight() + + +static void _init_f_capHeight_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_capHeight_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QFontMetrics *)cls)->capHeight ()); +} + + // int QFontMetrics::charWidth(const QString &str, int pos) @@ -318,6 +333,47 @@ static void _call_f_height_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// int QFontMetrics::horizontalAdvance(const QString &, int len) + + +static void _init_f_horizontalAdvance_c2684 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("len", true, "-1"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_horizontalAdvance_c2684 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + int arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); + ret.write ((int)((QFontMetrics *)cls)->horizontalAdvance (arg1, arg2)); +} + + +// int QFontMetrics::horizontalAdvance(QChar) + + +static void _init_f_horizontalAdvance_c899 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_horizontalAdvance_c899 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ret.write ((int)((QFontMetrics *)cls)->horizontalAdvance (qt_gsi::QtToCppAdaptor(arg1).cref())); +} + + // bool QFontMetrics::inFont(QChar) @@ -567,7 +623,7 @@ static void _init_f_size_c4188 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("tabstops", true, "0"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("tabarray", true, "0"); + static gsi::ArgSpecBase argspec_3 ("tabarray", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -579,7 +635,7 @@ static void _call_f_size_c4188 (const qt_gsi::GenericMethod * /*decl*/, void *cl int arg1 = gsi::arg_reader() (args, heap); const QString &arg2 = gsi::arg_reader() (args, heap); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QSize)((QFontMetrics *)cls)->size (arg1, arg2, arg3, arg4)); } @@ -749,10 +805,13 @@ static gsi::Methods methods_QFontMetrics () { methods += new qt_gsi::GenericMethod ("boundingRect", "@brief Method QRect QFontMetrics::boundingRect(const QString &text)\n", true, &_init_f_boundingRect_c2025, &_call_f_boundingRect_c2025); methods += new qt_gsi::GenericMethod ("boundingRect", "@brief Method QRect QFontMetrics::boundingRect(const QRect &r, int flags, const QString &text, int tabstops, int *tabarray)\n", true, &_init_f_boundingRect_c5872, &_call_f_boundingRect_c5872); methods += new qt_gsi::GenericMethod ("boundingRect", "@brief Method QRect QFontMetrics::boundingRect(int x, int y, int w, int h, int flags, const QString &text, int tabstops, int *tabarray)\n", true, &_init_f_boundingRect_c6824, &_call_f_boundingRect_c6824); + methods += new qt_gsi::GenericMethod ("capHeight", "@brief Method int QFontMetrics::capHeight()\n", true, &_init_f_capHeight_c0, &_call_f_capHeight_c0); methods += new qt_gsi::GenericMethod ("charWidth", "@brief Method int QFontMetrics::charWidth(const QString &str, int pos)\n", true, &_init_f_charWidth_c2684, &_call_f_charWidth_c2684); methods += new qt_gsi::GenericMethod ("descent", "@brief Method int QFontMetrics::descent()\n", true, &_init_f_descent_c0, &_call_f_descent_c0); methods += new qt_gsi::GenericMethod ("elidedText", "@brief Method QString QFontMetrics::elidedText(const QString &text, Qt::TextElideMode mode, int width, int flags)\n", true, &_init_f_elidedText_c5277, &_call_f_elidedText_c5277); methods += new qt_gsi::GenericMethod ("height", "@brief Method int QFontMetrics::height()\n", true, &_init_f_height_c0, &_call_f_height_c0); + methods += new qt_gsi::GenericMethod ("horizontalAdvance", "@brief Method int QFontMetrics::horizontalAdvance(const QString &, int len)\n", true, &_init_f_horizontalAdvance_c2684, &_call_f_horizontalAdvance_c2684); + methods += new qt_gsi::GenericMethod ("horizontalAdvance", "@brief Method int QFontMetrics::horizontalAdvance(QChar)\n", true, &_init_f_horizontalAdvance_c899, &_call_f_horizontalAdvance_c899); methods += new qt_gsi::GenericMethod ("inFont", "@brief Method bool QFontMetrics::inFont(QChar)\n", true, &_init_f_inFont_c899, &_call_f_inFont_c899); methods += new qt_gsi::GenericMethod ("inFontUcs4", "@brief Method bool QFontMetrics::inFontUcs4(unsigned int ucs4)\n", true, &_init_f_inFontUcs4_c1772, &_call_f_inFontUcs4_c1772); methods += new qt_gsi::GenericMethod ("leading", "@brief Method int QFontMetrics::leading()\n", true, &_init_f_leading_c0, &_call_f_leading_c0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQFontMetricsF.cc b/src/gsiqt/qt5/QtGui/gsiDeclQFontMetricsF.cc index 2134d360b7..288b4c27f4 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQFontMetricsF.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQFontMetricsF.cc @@ -200,7 +200,7 @@ static void _init_f_boundingRect_c5942 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("tabstops", true, "0"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("tabarray", true, "0"); + static gsi::ArgSpecBase argspec_4 ("tabarray", true, "nullptr"); decl->add_arg (argspec_4); decl->set_return (); } @@ -213,11 +213,26 @@ static void _call_f_boundingRect_c5942 (const qt_gsi::GenericMethod * /*decl*/, int arg2 = gsi::arg_reader() (args, heap); const QString &arg3 = gsi::arg_reader() (args, heap); int arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - int *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + int *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QRectF)((QFontMetricsF *)cls)->boundingRect (arg1, arg2, arg3, arg4, arg5)); } +// double QFontMetricsF::capHeight() + + +static void _init_f_capHeight_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_capHeight_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((double)((QFontMetricsF *)cls)->capHeight ()); +} + + // double QFontMetricsF::descent() @@ -276,6 +291,47 @@ static void _call_f_height_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// double QFontMetricsF::horizontalAdvance(const QString &string, int length) + + +static void _init_f_horizontalAdvance_c2684 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("string"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("length", true, "-1"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_horizontalAdvance_c2684 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + int arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); + ret.write ((double)((QFontMetricsF *)cls)->horizontalAdvance (arg1, arg2)); +} + + +// double QFontMetricsF::horizontalAdvance(QChar) + + +static void _init_f_horizontalAdvance_c899 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_horizontalAdvance_c899 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ret.write ((double)((QFontMetricsF *)cls)->horizontalAdvance (qt_gsi::QtToCppAdaptor(arg1).cref())); +} + + // bool QFontMetricsF::inFont(QChar) @@ -544,7 +600,7 @@ static void _init_f_size_c4188 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("tabstops", true, "0"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("tabarray", true, "0"); + static gsi::ArgSpecBase argspec_3 ("tabarray", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -556,7 +612,7 @@ static void _call_f_size_c4188 (const qt_gsi::GenericMethod * /*decl*/, void *cl int arg1 = gsi::arg_reader() (args, heap); const QString &arg2 = gsi::arg_reader() (args, heap); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QSizeF)((QFontMetricsF *)cls)->size (arg1, arg2, arg3, arg4)); } @@ -698,9 +754,12 @@ static gsi::Methods methods_QFontMetricsF () { methods += new qt_gsi::GenericMethod ("boundingRect", "@brief Method QRectF QFontMetricsF::boundingRect(const QString &string)\n", true, &_init_f_boundingRect_c2025, &_call_f_boundingRect_c2025); methods += new qt_gsi::GenericMethod ("boundingRect", "@brief Method QRectF QFontMetricsF::boundingRect(QChar)\n", true, &_init_f_boundingRect_c899, &_call_f_boundingRect_c899); methods += new qt_gsi::GenericMethod ("boundingRect", "@brief Method QRectF QFontMetricsF::boundingRect(const QRectF &r, int flags, const QString &string, int tabstops, int *tabarray)\n", true, &_init_f_boundingRect_c5942, &_call_f_boundingRect_c5942); + methods += new qt_gsi::GenericMethod ("capHeight", "@brief Method double QFontMetricsF::capHeight()\n", true, &_init_f_capHeight_c0, &_call_f_capHeight_c0); methods += new qt_gsi::GenericMethod ("descent", "@brief Method double QFontMetricsF::descent()\n", true, &_init_f_descent_c0, &_call_f_descent_c0); methods += new qt_gsi::GenericMethod ("elidedText", "@brief Method QString QFontMetricsF::elidedText(const QString &text, Qt::TextElideMode mode, double width, int flags)\n", true, &_init_f_elidedText_c5581, &_call_f_elidedText_c5581); methods += new qt_gsi::GenericMethod ("height", "@brief Method double QFontMetricsF::height()\n", true, &_init_f_height_c0, &_call_f_height_c0); + methods += new qt_gsi::GenericMethod ("horizontalAdvance", "@brief Method double QFontMetricsF::horizontalAdvance(const QString &string, int length)\n", true, &_init_f_horizontalAdvance_c2684, &_call_f_horizontalAdvance_c2684); + methods += new qt_gsi::GenericMethod ("horizontalAdvance", "@brief Method double QFontMetricsF::horizontalAdvance(QChar)\n", true, &_init_f_horizontalAdvance_c899, &_call_f_horizontalAdvance_c899); methods += new qt_gsi::GenericMethod ("inFont", "@brief Method bool QFontMetricsF::inFont(QChar)\n", true, &_init_f_inFont_c899, &_call_f_inFont_c899); methods += new qt_gsi::GenericMethod ("inFontUcs4", "@brief Method bool QFontMetricsF::inFontUcs4(unsigned int ucs4)\n", true, &_init_f_inFontUcs4_c1772, &_call_f_inFontUcs4_c1772); methods += new qt_gsi::GenericMethod ("leading", "@brief Method double QFontMetricsF::leading()\n", true, &_init_f_leading_c0, &_call_f_leading_c0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQGenericPlugin.cc b/src/gsiqt/qt5/QtGui/gsiDeclQGenericPlugin.cc index 22057dda2e..b3b3e3927e 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQGenericPlugin.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQGenericPlugin.cc @@ -132,7 +132,7 @@ namespace gsi static gsi::Methods methods_QGenericPlugin () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Method QObject *QGenericPlugin::create(const QString &name, const QString &spec)\n", false, &_init_f_create_3942, &_call_f_create_3942); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method QObject *QGenericPlugin::create(const QString &name, const QString &spec)\n", false, &_init_f_create_3942, &_call_f_create_3942); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QGenericPlugin::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QGenericPlugin::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QGenericPlugin::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); @@ -212,33 +212,33 @@ class QGenericPlugin_Adaptor : public QGenericPlugin, public qt_gsi::QtObjectBas emit QGenericPlugin::destroyed(arg1); } - // [adaptor impl] bool QGenericPlugin::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QGenericPlugin::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QGenericPlugin::event(arg1); + return QGenericPlugin::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QGenericPlugin_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QGenericPlugin_Adaptor::cbs_event_1217_0, _event); } else { - return QGenericPlugin::event(arg1); + return QGenericPlugin::event(_event); } } - // [adaptor impl] bool QGenericPlugin::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QGenericPlugin::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QGenericPlugin::eventFilter(arg1, arg2); + return QGenericPlugin::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QGenericPlugin_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QGenericPlugin_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QGenericPlugin::eventFilter(arg1, arg2); + return QGenericPlugin::eventFilter(watched, event); } } @@ -249,33 +249,33 @@ class QGenericPlugin_Adaptor : public QGenericPlugin, public qt_gsi::QtObjectBas throw tl::Exception ("Can't emit private signal 'void QGenericPlugin::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QGenericPlugin::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGenericPlugin::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGenericPlugin::childEvent(arg1); + QGenericPlugin::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGenericPlugin_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGenericPlugin_Adaptor::cbs_childEvent_1701_0, event); } else { - QGenericPlugin::childEvent(arg1); + QGenericPlugin::childEvent(event); } } - // [adaptor impl] void QGenericPlugin::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGenericPlugin::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGenericPlugin::customEvent(arg1); + QGenericPlugin::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGenericPlugin_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGenericPlugin_Adaptor::cbs_customEvent_1217_0, event); } else { - QGenericPlugin::customEvent(arg1); + QGenericPlugin::customEvent(event); } } @@ -294,18 +294,18 @@ class QGenericPlugin_Adaptor : public QGenericPlugin, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QGenericPlugin::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGenericPlugin::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGenericPlugin::timerEvent(arg1); + QGenericPlugin::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGenericPlugin_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGenericPlugin_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGenericPlugin::timerEvent(arg1); + QGenericPlugin::timerEvent(event); } } @@ -324,7 +324,7 @@ QGenericPlugin_Adaptor::~QGenericPlugin_Adaptor() { } static void _init_ctor_QGenericPlugin_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -333,16 +333,16 @@ static void _call_ctor_QGenericPlugin_Adaptor_1302 (const qt_gsi::GenericStaticM { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGenericPlugin_Adaptor (arg1)); } -// void QGenericPlugin::childEvent(QChildEvent *) +// void QGenericPlugin::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -388,11 +388,11 @@ static void _set_callback_cbs_create_3942_0 (void *cls, const gsi::Callback &cb) } -// void QGenericPlugin::customEvent(QEvent *) +// void QGenericPlugin::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -416,7 +416,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -425,7 +425,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGenericPlugin_Adaptor *)cls)->emitter_QGenericPlugin_destroyed_1302 (arg1); } @@ -454,11 +454,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QGenericPlugin::event(QEvent *) +// bool QGenericPlugin::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -477,13 +477,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QGenericPlugin::eventFilter(QObject *, QEvent *) +// bool QGenericPlugin::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -585,11 +585,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QGenericPlugin::timerEvent(QTimerEvent *) +// void QGenericPlugin::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -617,25 +617,25 @@ gsi::Class &qtdecl_QGenericPlugin (); static gsi::Methods methods_QGenericPlugin_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QGenericPlugin::QGenericPlugin(QObject *parent)\nThis method creates an object of class QGenericPlugin.", &_init_ctor_QGenericPlugin_Adaptor_1302, &_call_ctor_QGenericPlugin_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGenericPlugin::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGenericPlugin::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Virtual method QObject *QGenericPlugin::create(const QString &name, const QString &spec)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_create_3942_0, &_call_cbs_create_3942_0); - methods += new qt_gsi::GenericMethod ("qt_create", "@hide", false, &_init_cbs_create_3942_0, &_call_cbs_create_3942_0, &_set_callback_cbs_create_3942_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGenericPlugin::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Virtual method QObject *QGenericPlugin::create(const QString &name, const QString &spec)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_create_3942_0, &_call_cbs_create_3942_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@hide", false, &_init_cbs_create_3942_0, &_call_cbs_create_3942_0, &_set_callback_cbs_create_3942_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGenericPlugin::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGenericPlugin::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGenericPlugin::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGenericPlugin::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGenericPlugin::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGenericPlugin::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGenericPlugin::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QGenericPlugin::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QGenericPlugin::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QGenericPlugin::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QGenericPlugin::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QGenericPlugin::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGenericPlugin::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGenericPlugin::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQGenericPluginFactory.cc b/src/gsiqt/qt5/QtGui/gsiDeclQGenericPluginFactory.cc index c8228041e2..76c191df7b 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQGenericPluginFactory.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQGenericPluginFactory.cc @@ -95,7 +95,7 @@ namespace gsi static gsi::Methods methods_QGenericPluginFactory () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QGenericPluginFactory::QGenericPluginFactory()\nThis method creates an object of class QGenericPluginFactory.", &_init_ctor_QGenericPluginFactory_0, &_call_ctor_QGenericPluginFactory_0); - methods += new qt_gsi::GenericStaticMethod ("qt_create", "@brief Static method QObject *QGenericPluginFactory::create(const QString &, const QString &)\nThis method is static and can be called without an instance.", &_init_f_create_3942, &_call_f_create_3942); + methods += new qt_gsi::GenericStaticMethod ("create|qt_create", "@brief Static method QObject *QGenericPluginFactory::create(const QString &, const QString &)\nThis method is static and can be called without an instance.", &_init_f_create_3942, &_call_f_create_3942); methods += new qt_gsi::GenericStaticMethod ("keys", "@brief Static method QStringList QGenericPluginFactory::keys()\nThis method is static and can be called without an instance.", &_init_f_keys_0, &_call_f_keys_0); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQGradient.cc b/src/gsiqt/qt5/QtGui/gsiDeclQGradient.cc index a4f044d1ae..26fd344555 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQGradient.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQGradient.cc @@ -51,6 +51,25 @@ static void _call_ctor_QGradient_0 (const qt_gsi::GenericStaticMethod * /*decl*/ } +// Constructor QGradient::QGradient(QGradient::Preset) + + +static void _init_ctor_QGradient_2074 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QGradient_2074 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ret.write (new QGradient (qt_gsi::QtToCppAdaptor(arg1).cref())); +} + + // QGradient::CoordinateMode QGradient::coordinateMode() @@ -274,6 +293,7 @@ namespace gsi static gsi::Methods methods_QGradient () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QGradient::QGradient()\nThis method creates an object of class QGradient.", &_init_ctor_QGradient_0, &_call_ctor_QGradient_0); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QGradient::QGradient(QGradient::Preset)\nThis method creates an object of class QGradient.", &_init_ctor_QGradient_2074, &_call_ctor_QGradient_2074); methods += new qt_gsi::GenericMethod (":coordinateMode", "@brief Method QGradient::CoordinateMode QGradient::coordinateMode()\n", true, &_init_f_coordinateMode_c0, &_call_f_coordinateMode_c0); methods += new qt_gsi::GenericMethod (":interpolationMode", "@brief Method QGradient::InterpolationMode QGradient::interpolationMode()\n", true, &_init_f_interpolationMode_c0, &_call_f_interpolationMode_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QGradient::operator!=(const QGradient &other)\n", true, &_init_f_operator_excl__eq__c2208, &_call_f_operator_excl__eq__c2208); @@ -306,7 +326,8 @@ namespace qt_gsi static gsi::Enum decl_QGradient_CoordinateMode_Enum ("QtGui", "QGradient_CoordinateMode", gsi::enum_const ("LogicalMode", QGradient::LogicalMode, "@brief Enum constant QGradient::LogicalMode") + gsi::enum_const ("StretchToDeviceMode", QGradient::StretchToDeviceMode, "@brief Enum constant QGradient::StretchToDeviceMode") + - gsi::enum_const ("ObjectBoundingMode", QGradient::ObjectBoundingMode, "@brief Enum constant QGradient::ObjectBoundingMode"), + gsi::enum_const ("ObjectBoundingMode", QGradient::ObjectBoundingMode, "@brief Enum constant QGradient::ObjectBoundingMode") + + gsi::enum_const ("ObjectMode", QGradient::ObjectMode, "@brief Enum constant QGradient::ObjectMode"), "@qt\n@brief This class represents the QGradient::CoordinateMode enum"); static gsi::QFlagsClass decl_QGradient_CoordinateMode_Enums ("QtGui", "QGradient_QFlags_CoordinateMode", @@ -340,6 +361,192 @@ static gsi::ClassExt decl_QGradient_InterpolationMode_Enums_as_child } +// Implementation of the enum wrapper class for QGradient::Preset +namespace qt_gsi +{ + +static gsi::Enum decl_QGradient_Preset_Enum ("QtGui", "QGradient_Preset", + gsi::enum_const ("WarmFlame", QGradient::WarmFlame, "@brief Enum constant QGradient::WarmFlame") + + gsi::enum_const ("NightFade", QGradient::NightFade, "@brief Enum constant QGradient::NightFade") + + gsi::enum_const ("SpringWarmth", QGradient::SpringWarmth, "@brief Enum constant QGradient::SpringWarmth") + + gsi::enum_const ("JuicyPeach", QGradient::JuicyPeach, "@brief Enum constant QGradient::JuicyPeach") + + gsi::enum_const ("YoungPassion", QGradient::YoungPassion, "@brief Enum constant QGradient::YoungPassion") + + gsi::enum_const ("LadyLips", QGradient::LadyLips, "@brief Enum constant QGradient::LadyLips") + + gsi::enum_const ("SunnyMorning", QGradient::SunnyMorning, "@brief Enum constant QGradient::SunnyMorning") + + gsi::enum_const ("RainyAshville", QGradient::RainyAshville, "@brief Enum constant QGradient::RainyAshville") + + gsi::enum_const ("FrozenDreams", QGradient::FrozenDreams, "@brief Enum constant QGradient::FrozenDreams") + + gsi::enum_const ("WinterNeva", QGradient::WinterNeva, "@brief Enum constant QGradient::WinterNeva") + + gsi::enum_const ("DustyGrass", QGradient::DustyGrass, "@brief Enum constant QGradient::DustyGrass") + + gsi::enum_const ("TemptingAzure", QGradient::TemptingAzure, "@brief Enum constant QGradient::TemptingAzure") + + gsi::enum_const ("HeavyRain", QGradient::HeavyRain, "@brief Enum constant QGradient::HeavyRain") + + gsi::enum_const ("AmyCrisp", QGradient::AmyCrisp, "@brief Enum constant QGradient::AmyCrisp") + + gsi::enum_const ("MeanFruit", QGradient::MeanFruit, "@brief Enum constant QGradient::MeanFruit") + + gsi::enum_const ("DeepBlue", QGradient::DeepBlue, "@brief Enum constant QGradient::DeepBlue") + + gsi::enum_const ("RipeMalinka", QGradient::RipeMalinka, "@brief Enum constant QGradient::RipeMalinka") + + gsi::enum_const ("CloudyKnoxville", QGradient::CloudyKnoxville, "@brief Enum constant QGradient::CloudyKnoxville") + + gsi::enum_const ("MalibuBeach", QGradient::MalibuBeach, "@brief Enum constant QGradient::MalibuBeach") + + gsi::enum_const ("NewLife", QGradient::NewLife, "@brief Enum constant QGradient::NewLife") + + gsi::enum_const ("TrueSunset", QGradient::TrueSunset, "@brief Enum constant QGradient::TrueSunset") + + gsi::enum_const ("MorpheusDen", QGradient::MorpheusDen, "@brief Enum constant QGradient::MorpheusDen") + + gsi::enum_const ("RareWind", QGradient::RareWind, "@brief Enum constant QGradient::RareWind") + + gsi::enum_const ("NearMoon", QGradient::NearMoon, "@brief Enum constant QGradient::NearMoon") + + gsi::enum_const ("WildApple", QGradient::WildApple, "@brief Enum constant QGradient::WildApple") + + gsi::enum_const ("SaintPetersburg", QGradient::SaintPetersburg, "@brief Enum constant QGradient::SaintPetersburg") + + gsi::enum_const ("PlumPlate", QGradient::PlumPlate, "@brief Enum constant QGradient::PlumPlate") + + gsi::enum_const ("EverlastingSky", QGradient::EverlastingSky, "@brief Enum constant QGradient::EverlastingSky") + + gsi::enum_const ("HappyFisher", QGradient::HappyFisher, "@brief Enum constant QGradient::HappyFisher") + + gsi::enum_const ("Blessing", QGradient::Blessing, "@brief Enum constant QGradient::Blessing") + + gsi::enum_const ("SharpeyeEagle", QGradient::SharpeyeEagle, "@brief Enum constant QGradient::SharpeyeEagle") + + gsi::enum_const ("LadogaBottom", QGradient::LadogaBottom, "@brief Enum constant QGradient::LadogaBottom") + + gsi::enum_const ("LemonGate", QGradient::LemonGate, "@brief Enum constant QGradient::LemonGate") + + gsi::enum_const ("ItmeoBranding", QGradient::ItmeoBranding, "@brief Enum constant QGradient::ItmeoBranding") + + gsi::enum_const ("ZeusMiracle", QGradient::ZeusMiracle, "@brief Enum constant QGradient::ZeusMiracle") + + gsi::enum_const ("OldHat", QGradient::OldHat, "@brief Enum constant QGradient::OldHat") + + gsi::enum_const ("StarWine", QGradient::StarWine, "@brief Enum constant QGradient::StarWine") + + gsi::enum_const ("HappyAcid", QGradient::HappyAcid, "@brief Enum constant QGradient::HappyAcid") + + gsi::enum_const ("AwesomePine", QGradient::AwesomePine, "@brief Enum constant QGradient::AwesomePine") + + gsi::enum_const ("NewYork", QGradient::NewYork, "@brief Enum constant QGradient::NewYork") + + gsi::enum_const ("ShyRainbow", QGradient::ShyRainbow, "@brief Enum constant QGradient::ShyRainbow") + + gsi::enum_const ("MixedHopes", QGradient::MixedHopes, "@brief Enum constant QGradient::MixedHopes") + + gsi::enum_const ("FlyHigh", QGradient::FlyHigh, "@brief Enum constant QGradient::FlyHigh") + + gsi::enum_const ("StrongBliss", QGradient::StrongBliss, "@brief Enum constant QGradient::StrongBliss") + + gsi::enum_const ("FreshMilk", QGradient::FreshMilk, "@brief Enum constant QGradient::FreshMilk") + + gsi::enum_const ("SnowAgain", QGradient::SnowAgain, "@brief Enum constant QGradient::SnowAgain") + + gsi::enum_const ("FebruaryInk", QGradient::FebruaryInk, "@brief Enum constant QGradient::FebruaryInk") + + gsi::enum_const ("KindSteel", QGradient::KindSteel, "@brief Enum constant QGradient::KindSteel") + + gsi::enum_const ("SoftGrass", QGradient::SoftGrass, "@brief Enum constant QGradient::SoftGrass") + + gsi::enum_const ("GrownEarly", QGradient::GrownEarly, "@brief Enum constant QGradient::GrownEarly") + + gsi::enum_const ("SharpBlues", QGradient::SharpBlues, "@brief Enum constant QGradient::SharpBlues") + + gsi::enum_const ("ShadyWater", QGradient::ShadyWater, "@brief Enum constant QGradient::ShadyWater") + + gsi::enum_const ("DirtyBeauty", QGradient::DirtyBeauty, "@brief Enum constant QGradient::DirtyBeauty") + + gsi::enum_const ("GreatWhale", QGradient::GreatWhale, "@brief Enum constant QGradient::GreatWhale") + + gsi::enum_const ("TeenNotebook", QGradient::TeenNotebook, "@brief Enum constant QGradient::TeenNotebook") + + gsi::enum_const ("PoliteRumors", QGradient::PoliteRumors, "@brief Enum constant QGradient::PoliteRumors") + + gsi::enum_const ("SweetPeriod", QGradient::SweetPeriod, "@brief Enum constant QGradient::SweetPeriod") + + gsi::enum_const ("WideMatrix", QGradient::WideMatrix, "@brief Enum constant QGradient::WideMatrix") + + gsi::enum_const ("SoftCherish", QGradient::SoftCherish, "@brief Enum constant QGradient::SoftCherish") + + gsi::enum_const ("RedSalvation", QGradient::RedSalvation, "@brief Enum constant QGradient::RedSalvation") + + gsi::enum_const ("BurningSpring", QGradient::BurningSpring, "@brief Enum constant QGradient::BurningSpring") + + gsi::enum_const ("NightParty", QGradient::NightParty, "@brief Enum constant QGradient::NightParty") + + gsi::enum_const ("SkyGlider", QGradient::SkyGlider, "@brief Enum constant QGradient::SkyGlider") + + gsi::enum_const ("HeavenPeach", QGradient::HeavenPeach, "@brief Enum constant QGradient::HeavenPeach") + + gsi::enum_const ("PurpleDivision", QGradient::PurpleDivision, "@brief Enum constant QGradient::PurpleDivision") + + gsi::enum_const ("AquaSplash", QGradient::AquaSplash, "@brief Enum constant QGradient::AquaSplash") + + gsi::enum_const ("SpikyNaga", QGradient::SpikyNaga, "@brief Enum constant QGradient::SpikyNaga") + + gsi::enum_const ("LoveKiss", QGradient::LoveKiss, "@brief Enum constant QGradient::LoveKiss") + + gsi::enum_const ("CleanMirror", QGradient::CleanMirror, "@brief Enum constant QGradient::CleanMirror") + + gsi::enum_const ("PremiumDark", QGradient::PremiumDark, "@brief Enum constant QGradient::PremiumDark") + + gsi::enum_const ("ColdEvening", QGradient::ColdEvening, "@brief Enum constant QGradient::ColdEvening") + + gsi::enum_const ("CochitiLake", QGradient::CochitiLake, "@brief Enum constant QGradient::CochitiLake") + + gsi::enum_const ("SummerGames", QGradient::SummerGames, "@brief Enum constant QGradient::SummerGames") + + gsi::enum_const ("PassionateBed", QGradient::PassionateBed, "@brief Enum constant QGradient::PassionateBed") + + gsi::enum_const ("MountainRock", QGradient::MountainRock, "@brief Enum constant QGradient::MountainRock") + + gsi::enum_const ("DesertHump", QGradient::DesertHump, "@brief Enum constant QGradient::DesertHump") + + gsi::enum_const ("JungleDay", QGradient::JungleDay, "@brief Enum constant QGradient::JungleDay") + + gsi::enum_const ("PhoenixStart", QGradient::PhoenixStart, "@brief Enum constant QGradient::PhoenixStart") + + gsi::enum_const ("OctoberSilence", QGradient::OctoberSilence, "@brief Enum constant QGradient::OctoberSilence") + + gsi::enum_const ("FarawayRiver", QGradient::FarawayRiver, "@brief Enum constant QGradient::FarawayRiver") + + gsi::enum_const ("AlchemistLab", QGradient::AlchemistLab, "@brief Enum constant QGradient::AlchemistLab") + + gsi::enum_const ("OverSun", QGradient::OverSun, "@brief Enum constant QGradient::OverSun") + + gsi::enum_const ("PremiumWhite", QGradient::PremiumWhite, "@brief Enum constant QGradient::PremiumWhite") + + gsi::enum_const ("MarsParty", QGradient::MarsParty, "@brief Enum constant QGradient::MarsParty") + + gsi::enum_const ("EternalConstance", QGradient::EternalConstance, "@brief Enum constant QGradient::EternalConstance") + + gsi::enum_const ("JapanBlush", QGradient::JapanBlush, "@brief Enum constant QGradient::JapanBlush") + + gsi::enum_const ("SmilingRain", QGradient::SmilingRain, "@brief Enum constant QGradient::SmilingRain") + + gsi::enum_const ("CloudyApple", QGradient::CloudyApple, "@brief Enum constant QGradient::CloudyApple") + + gsi::enum_const ("BigMango", QGradient::BigMango, "@brief Enum constant QGradient::BigMango") + + gsi::enum_const ("HealthyWater", QGradient::HealthyWater, "@brief Enum constant QGradient::HealthyWater") + + gsi::enum_const ("AmourAmour", QGradient::AmourAmour, "@brief Enum constant QGradient::AmourAmour") + + gsi::enum_const ("RiskyConcrete", QGradient::RiskyConcrete, "@brief Enum constant QGradient::RiskyConcrete") + + gsi::enum_const ("StrongStick", QGradient::StrongStick, "@brief Enum constant QGradient::StrongStick") + + gsi::enum_const ("ViciousStance", QGradient::ViciousStance, "@brief Enum constant QGradient::ViciousStance") + + gsi::enum_const ("PaloAlto", QGradient::PaloAlto, "@brief Enum constant QGradient::PaloAlto") + + gsi::enum_const ("HappyMemories", QGradient::HappyMemories, "@brief Enum constant QGradient::HappyMemories") + + gsi::enum_const ("MidnightBloom", QGradient::MidnightBloom, "@brief Enum constant QGradient::MidnightBloom") + + gsi::enum_const ("Crystalline", QGradient::Crystalline, "@brief Enum constant QGradient::Crystalline") + + gsi::enum_const ("PartyBliss", QGradient::PartyBliss, "@brief Enum constant QGradient::PartyBliss") + + gsi::enum_const ("ConfidentCloud", QGradient::ConfidentCloud, "@brief Enum constant QGradient::ConfidentCloud") + + gsi::enum_const ("LeCocktail", QGradient::LeCocktail, "@brief Enum constant QGradient::LeCocktail") + + gsi::enum_const ("RiverCity", QGradient::RiverCity, "@brief Enum constant QGradient::RiverCity") + + gsi::enum_const ("FrozenBerry", QGradient::FrozenBerry, "@brief Enum constant QGradient::FrozenBerry") + + gsi::enum_const ("ChildCare", QGradient::ChildCare, "@brief Enum constant QGradient::ChildCare") + + gsi::enum_const ("FlyingLemon", QGradient::FlyingLemon, "@brief Enum constant QGradient::FlyingLemon") + + gsi::enum_const ("NewRetrowave", QGradient::NewRetrowave, "@brief Enum constant QGradient::NewRetrowave") + + gsi::enum_const ("HiddenJaguar", QGradient::HiddenJaguar, "@brief Enum constant QGradient::HiddenJaguar") + + gsi::enum_const ("AboveTheSky", QGradient::AboveTheSky, "@brief Enum constant QGradient::AboveTheSky") + + gsi::enum_const ("Nega", QGradient::Nega, "@brief Enum constant QGradient::Nega") + + gsi::enum_const ("DenseWater", QGradient::DenseWater, "@brief Enum constant QGradient::DenseWater") + + gsi::enum_const ("Seashore", QGradient::Seashore, "@brief Enum constant QGradient::Seashore") + + gsi::enum_const ("MarbleWall", QGradient::MarbleWall, "@brief Enum constant QGradient::MarbleWall") + + gsi::enum_const ("CheerfulCaramel", QGradient::CheerfulCaramel, "@brief Enum constant QGradient::CheerfulCaramel") + + gsi::enum_const ("NightSky", QGradient::NightSky, "@brief Enum constant QGradient::NightSky") + + gsi::enum_const ("MagicLake", QGradient::MagicLake, "@brief Enum constant QGradient::MagicLake") + + gsi::enum_const ("YoungGrass", QGradient::YoungGrass, "@brief Enum constant QGradient::YoungGrass") + + gsi::enum_const ("ColorfulPeach", QGradient::ColorfulPeach, "@brief Enum constant QGradient::ColorfulPeach") + + gsi::enum_const ("GentleCare", QGradient::GentleCare, "@brief Enum constant QGradient::GentleCare") + + gsi::enum_const ("PlumBath", QGradient::PlumBath, "@brief Enum constant QGradient::PlumBath") + + gsi::enum_const ("HappyUnicorn", QGradient::HappyUnicorn, "@brief Enum constant QGradient::HappyUnicorn") + + gsi::enum_const ("AfricanField", QGradient::AfricanField, "@brief Enum constant QGradient::AfricanField") + + gsi::enum_const ("SolidStone", QGradient::SolidStone, "@brief Enum constant QGradient::SolidStone") + + gsi::enum_const ("OrangeJuice", QGradient::OrangeJuice, "@brief Enum constant QGradient::OrangeJuice") + + gsi::enum_const ("GlassWater", QGradient::GlassWater, "@brief Enum constant QGradient::GlassWater") + + gsi::enum_const ("NorthMiracle", QGradient::NorthMiracle, "@brief Enum constant QGradient::NorthMiracle") + + gsi::enum_const ("FruitBlend", QGradient::FruitBlend, "@brief Enum constant QGradient::FruitBlend") + + gsi::enum_const ("MillenniumPine", QGradient::MillenniumPine, "@brief Enum constant QGradient::MillenniumPine") + + gsi::enum_const ("HighFlight", QGradient::HighFlight, "@brief Enum constant QGradient::HighFlight") + + gsi::enum_const ("MoleHall", QGradient::MoleHall, "@brief Enum constant QGradient::MoleHall") + + gsi::enum_const ("SpaceShift", QGradient::SpaceShift, "@brief Enum constant QGradient::SpaceShift") + + gsi::enum_const ("ForestInei", QGradient::ForestInei, "@brief Enum constant QGradient::ForestInei") + + gsi::enum_const ("RoyalGarden", QGradient::RoyalGarden, "@brief Enum constant QGradient::RoyalGarden") + + gsi::enum_const ("RichMetal", QGradient::RichMetal, "@brief Enum constant QGradient::RichMetal") + + gsi::enum_const ("JuicyCake", QGradient::JuicyCake, "@brief Enum constant QGradient::JuicyCake") + + gsi::enum_const ("SmartIndigo", QGradient::SmartIndigo, "@brief Enum constant QGradient::SmartIndigo") + + gsi::enum_const ("SandStrike", QGradient::SandStrike, "@brief Enum constant QGradient::SandStrike") + + gsi::enum_const ("NorseBeauty", QGradient::NorseBeauty, "@brief Enum constant QGradient::NorseBeauty") + + gsi::enum_const ("AquaGuidance", QGradient::AquaGuidance, "@brief Enum constant QGradient::AquaGuidance") + + gsi::enum_const ("SunVeggie", QGradient::SunVeggie, "@brief Enum constant QGradient::SunVeggie") + + gsi::enum_const ("SeaLord", QGradient::SeaLord, "@brief Enum constant QGradient::SeaLord") + + gsi::enum_const ("BlackSea", QGradient::BlackSea, "@brief Enum constant QGradient::BlackSea") + + gsi::enum_const ("GrassShampoo", QGradient::GrassShampoo, "@brief Enum constant QGradient::GrassShampoo") + + gsi::enum_const ("LandingAircraft", QGradient::LandingAircraft, "@brief Enum constant QGradient::LandingAircraft") + + gsi::enum_const ("WitchDance", QGradient::WitchDance, "@brief Enum constant QGradient::WitchDance") + + gsi::enum_const ("SleeplessNight", QGradient::SleeplessNight, "@brief Enum constant QGradient::SleeplessNight") + + gsi::enum_const ("AngelCare", QGradient::AngelCare, "@brief Enum constant QGradient::AngelCare") + + gsi::enum_const ("CrystalRiver", QGradient::CrystalRiver, "@brief Enum constant QGradient::CrystalRiver") + + gsi::enum_const ("SoftLipstick", QGradient::SoftLipstick, "@brief Enum constant QGradient::SoftLipstick") + + gsi::enum_const ("SaltMountain", QGradient::SaltMountain, "@brief Enum constant QGradient::SaltMountain") + + gsi::enum_const ("PerfectWhite", QGradient::PerfectWhite, "@brief Enum constant QGradient::PerfectWhite") + + gsi::enum_const ("FreshOasis", QGradient::FreshOasis, "@brief Enum constant QGradient::FreshOasis") + + gsi::enum_const ("StrictNovember", QGradient::StrictNovember, "@brief Enum constant QGradient::StrictNovember") + + gsi::enum_const ("MorningSalad", QGradient::MorningSalad, "@brief Enum constant QGradient::MorningSalad") + + gsi::enum_const ("DeepRelief", QGradient::DeepRelief, "@brief Enum constant QGradient::DeepRelief") + + gsi::enum_const ("SeaStrike", QGradient::SeaStrike, "@brief Enum constant QGradient::SeaStrike") + + gsi::enum_const ("NightCall", QGradient::NightCall, "@brief Enum constant QGradient::NightCall") + + gsi::enum_const ("SupremeSky", QGradient::SupremeSky, "@brief Enum constant QGradient::SupremeSky") + + gsi::enum_const ("LightBlue", QGradient::LightBlue, "@brief Enum constant QGradient::LightBlue") + + gsi::enum_const ("MindCrawl", QGradient::MindCrawl, "@brief Enum constant QGradient::MindCrawl") + + gsi::enum_const ("LilyMeadow", QGradient::LilyMeadow, "@brief Enum constant QGradient::LilyMeadow") + + gsi::enum_const ("SugarLollipop", QGradient::SugarLollipop, "@brief Enum constant QGradient::SugarLollipop") + + gsi::enum_const ("SweetDessert", QGradient::SweetDessert, "@brief Enum constant QGradient::SweetDessert") + + gsi::enum_const ("MagicRay", QGradient::MagicRay, "@brief Enum constant QGradient::MagicRay") + + gsi::enum_const ("TeenParty", QGradient::TeenParty, "@brief Enum constant QGradient::TeenParty") + + gsi::enum_const ("FrozenHeat", QGradient::FrozenHeat, "@brief Enum constant QGradient::FrozenHeat") + + gsi::enum_const ("GagarinView", QGradient::GagarinView, "@brief Enum constant QGradient::GagarinView") + + gsi::enum_const ("FabledSunset", QGradient::FabledSunset, "@brief Enum constant QGradient::FabledSunset") + + gsi::enum_const ("PerfectBlue", QGradient::PerfectBlue, "@brief Enum constant QGradient::PerfectBlue"), + "@qt\n@brief This class represents the QGradient::Preset enum"); + +static gsi::QFlagsClass decl_QGradient_Preset_Enums ("QtGui", "QGradient_QFlags_Preset", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_QGradient_Preset_Enum_in_parent (decl_QGradient_Preset_Enum.defs ()); +static gsi::ClassExt decl_QGradient_Preset_Enum_as_child (decl_QGradient_Preset_Enum, "Preset"); +static gsi::ClassExt decl_QGradient_Preset_Enums_as_child (decl_QGradient_Preset_Enums, "QFlags_Preset"); + +} + + // Implementation of the enum wrapper class for QGradient::Spread namespace qt_gsi { diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQGuiApplication.cc b/src/gsiqt/qt5/QtGui/gsiDeclQGuiApplication.cc index 63ab5a4922..fa2698b908 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQGuiApplication.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQGuiApplication.cc @@ -210,6 +210,21 @@ static void _call_f_clipboard_0 (const qt_gsi::GenericStaticMethod * /*decl*/, g } +// static QString QGuiApplication::desktopFileName() + + +static void _init_f_desktopFileName_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_desktopFileName_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)QGuiApplication::desktopFileName ()); +} + + // static bool QGuiApplication::desktopSettingsAware() @@ -300,6 +315,21 @@ static void _call_f_inputMethod_0 (const qt_gsi::GenericStaticMethod * /*decl*/, } +// static bool QGuiApplication::isFallbackSessionManagementEnabled() + + +static void _init_f_isFallbackSessionManagementEnabled_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isFallbackSessionManagementEnabled_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)QGuiApplication::isFallbackSessionManagementEnabled ()); +} + + // static bool QGuiApplication::isLeftToRight() @@ -496,6 +526,25 @@ static void _call_f_restoreOverrideCursor_0 (const qt_gsi::GenericStaticMethod * } +// static QScreen *QGuiApplication::screenAt(const QPoint &point) + + +static void _init_f_screenAt_1916 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("point"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_screenAt_1916 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPoint &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QScreen *)QGuiApplication::screenAt (arg1)); +} + + // static QList QGuiApplication::screens() @@ -531,6 +580,26 @@ static void _call_f_setApplicationDisplayName_2025 (const qt_gsi::GenericStaticM } +// static void QGuiApplication::setDesktopFileName(const QString &name) + + +static void _init_f_setDesktopFileName_2025 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("name"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setDesktopFileName_2025 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + QGuiApplication::setDesktopFileName (arg1); +} + + // static void QGuiApplication::setDesktopSettingsAware(bool on) @@ -551,6 +620,26 @@ static void _call_f_setDesktopSettingsAware_864 (const qt_gsi::GenericStaticMeth } +// static void QGuiApplication::setFallbackSessionManagementEnabled(bool) + + +static void _init_f_setFallbackSessionManagementEnabled_864 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setFallbackSessionManagementEnabled_864 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + QGuiApplication::setFallbackSessionManagementEnabled (arg1); +} + + // static void QGuiApplication::setFont(const QFont &) @@ -813,6 +902,7 @@ static gsi::Methods methods_QGuiApplication () { methods += new qt_gsi::GenericMethod ("sessionId", "@brief Method QString QGuiApplication::sessionId()\n", true, &_init_f_sessionId_c0, &_call_f_sessionId_c0); methods += new qt_gsi::GenericMethod ("sessionKey", "@brief Method QString QGuiApplication::sessionKey()\n", true, &_init_f_sessionKey_c0, &_call_f_sessionKey_c0); methods += gsi::qt_signal ("aboutToQuit()", "aboutToQuit", "@brief Signal declaration for QGuiApplication::aboutToQuit()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("applicationDisplayNameChanged()", "applicationDisplayNameChanged", "@brief Signal declaration for QGuiApplication::applicationDisplayNameChanged()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("applicationNameChanged()", "applicationNameChanged", "@brief Signal declaration for QGuiApplication::applicationNameChanged()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal::target_type & > ("applicationStateChanged(Qt::ApplicationState)", "applicationStateChanged", gsi::arg("state"), "@brief Signal declaration for QGuiApplication::applicationStateChanged(Qt::ApplicationState state)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("applicationVersionChanged()", "applicationVersionChanged", "@brief Signal declaration for QGuiApplication::applicationVersionChanged()\nYou can bind a procedure to this signal."); @@ -820,6 +910,7 @@ static gsi::Methods methods_QGuiApplication () { methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QGuiApplication::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("focusObjectChanged(QObject *)", "focusObjectChanged", gsi::arg("focusObject"), "@brief Signal declaration for QGuiApplication::focusObjectChanged(QObject *focusObject)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("focusWindowChanged(QWindow *)", "focusWindowChanged", gsi::arg("focusWindow"), "@brief Signal declaration for QGuiApplication::focusWindowChanged(QWindow *focusWindow)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("fontChanged(const QFont &)", "fontChanged", gsi::arg("font"), "@brief Signal declaration for QGuiApplication::fontChanged(const QFont &font)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("fontDatabaseChanged()", "fontDatabaseChanged", "@brief Signal declaration for QGuiApplication::fontDatabaseChanged()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("lastWindowClosed()", "lastWindowClosed", "@brief Signal declaration for QGuiApplication::lastWindowClosed()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal::target_type & > ("layoutDirectionChanged(Qt::LayoutDirection)", "layoutDirectionChanged", gsi::arg("direction"), "@brief Signal declaration for QGuiApplication::layoutDirectionChanged(Qt::LayoutDirection direction)\nYou can bind a procedure to this signal."); @@ -827,6 +918,7 @@ static gsi::Methods methods_QGuiApplication () { methods += gsi::qt_signal ("organizationDomainChanged()", "organizationDomainChanged", "@brief Signal declaration for QGuiApplication::organizationDomainChanged()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("organizationNameChanged()", "organizationNameChanged", "@brief Signal declaration for QGuiApplication::organizationNameChanged()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("paletteChanged(const QPalette &)", "paletteChanged", gsi::arg("pal"), "@brief Signal declaration for QGuiApplication::paletteChanged(const QPalette &pal)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("primaryScreenChanged(QScreen *)", "primaryScreenChanged", gsi::arg("screen"), "@brief Signal declaration for QGuiApplication::primaryScreenChanged(QScreen *screen)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("saveStateRequest(QSessionManager &)", "saveStateRequest", gsi::arg("sessionManager"), "@brief Signal declaration for QGuiApplication::saveStateRequest(QSessionManager &sessionManager)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("screenAdded(QScreen *)", "screenAdded", gsi::arg("screen"), "@brief Signal declaration for QGuiApplication::screenAdded(QScreen *screen)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("screenRemoved(QScreen *)", "screenRemoved", gsi::arg("screen"), "@brief Signal declaration for QGuiApplication::screenRemoved(QScreen *screen)\nYou can bind a procedure to this signal."); @@ -835,12 +927,14 @@ static gsi::Methods methods_QGuiApplication () { methods += new qt_gsi::GenericStaticMethod ("applicationState", "@brief Static method Qt::ApplicationState QGuiApplication::applicationState()\nThis method is static and can be called without an instance.", &_init_f_applicationState_0, &_call_f_applicationState_0); methods += new qt_gsi::GenericStaticMethod ("changeOverrideCursor", "@brief Static method void QGuiApplication::changeOverrideCursor(const QCursor &)\nThis method is static and can be called without an instance.", &_init_f_changeOverrideCursor_2032, &_call_f_changeOverrideCursor_2032); methods += new qt_gsi::GenericStaticMethod ("clipboard", "@brief Static method QClipboard *QGuiApplication::clipboard()\nThis method is static and can be called without an instance.", &_init_f_clipboard_0, &_call_f_clipboard_0); + methods += new qt_gsi::GenericStaticMethod ("desktopFileName", "@brief Static method QString QGuiApplication::desktopFileName()\nThis method is static and can be called without an instance.", &_init_f_desktopFileName_0, &_call_f_desktopFileName_0); methods += new qt_gsi::GenericStaticMethod (":desktopSettingsAware", "@brief Static method bool QGuiApplication::desktopSettingsAware()\nThis method is static and can be called without an instance.", &_init_f_desktopSettingsAware_0, &_call_f_desktopSettingsAware_0); methods += new qt_gsi::GenericStaticMethod ("exec", "@brief Static method int QGuiApplication::exec()\nThis method is static and can be called without an instance.", &_init_f_exec_0, &_call_f_exec_0); methods += new qt_gsi::GenericStaticMethod ("focusObject", "@brief Static method QObject *QGuiApplication::focusObject()\nThis method is static and can be called without an instance.", &_init_f_focusObject_0, &_call_f_focusObject_0); methods += new qt_gsi::GenericStaticMethod ("focusWindow", "@brief Static method QWindow *QGuiApplication::focusWindow()\nThis method is static and can be called without an instance.", &_init_f_focusWindow_0, &_call_f_focusWindow_0); methods += new qt_gsi::GenericStaticMethod (":font", "@brief Static method QFont QGuiApplication::font()\nThis method is static and can be called without an instance.", &_init_f_font_0, &_call_f_font_0); methods += new qt_gsi::GenericStaticMethod ("inputMethod", "@brief Static method QInputMethod *QGuiApplication::inputMethod()\nThis method is static and can be called without an instance.", &_init_f_inputMethod_0, &_call_f_inputMethod_0); + methods += new qt_gsi::GenericStaticMethod ("isFallbackSessionManagementEnabled?", "@brief Static method bool QGuiApplication::isFallbackSessionManagementEnabled()\nThis method is static and can be called without an instance.", &_init_f_isFallbackSessionManagementEnabled_0, &_call_f_isFallbackSessionManagementEnabled_0); methods += new qt_gsi::GenericStaticMethod ("isLeftToRight?", "@brief Static method bool QGuiApplication::isLeftToRight()\nThis method is static and can be called without an instance.", &_init_f_isLeftToRight_0, &_call_f_isLeftToRight_0); methods += new qt_gsi::GenericStaticMethod ("isRightToLeft?", "@brief Static method bool QGuiApplication::isRightToLeft()\nThis method is static and can be called without an instance.", &_init_f_isRightToLeft_0, &_call_f_isRightToLeft_0); methods += new qt_gsi::GenericStaticMethod ("keyboardModifiers", "@brief Static method QFlags QGuiApplication::keyboardModifiers()\nThis method is static and can be called without an instance.", &_init_f_keyboardModifiers_0, &_call_f_keyboardModifiers_0); @@ -854,9 +948,12 @@ static gsi::Methods methods_QGuiApplication () { methods += new qt_gsi::GenericStaticMethod ("queryKeyboardModifiers", "@brief Static method QFlags QGuiApplication::queryKeyboardModifiers()\nThis method is static and can be called without an instance.", &_init_f_queryKeyboardModifiers_0, &_call_f_queryKeyboardModifiers_0); methods += new qt_gsi::GenericStaticMethod (":quitOnLastWindowClosed", "@brief Static method bool QGuiApplication::quitOnLastWindowClosed()\nThis method is static and can be called without an instance.", &_init_f_quitOnLastWindowClosed_0, &_call_f_quitOnLastWindowClosed_0); methods += new qt_gsi::GenericStaticMethod ("restoreOverrideCursor", "@brief Static method void QGuiApplication::restoreOverrideCursor()\nThis method is static and can be called without an instance.", &_init_f_restoreOverrideCursor_0, &_call_f_restoreOverrideCursor_0); + methods += new qt_gsi::GenericStaticMethod ("screenAt", "@brief Static method QScreen *QGuiApplication::screenAt(const QPoint &point)\nThis method is static and can be called without an instance.", &_init_f_screenAt_1916, &_call_f_screenAt_1916); methods += new qt_gsi::GenericStaticMethod ("screens", "@brief Static method QList QGuiApplication::screens()\nThis method is static and can be called without an instance.", &_init_f_screens_0, &_call_f_screens_0); methods += new qt_gsi::GenericStaticMethod ("setApplicationDisplayName|applicationDisplayName=", "@brief Static method void QGuiApplication::setApplicationDisplayName(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_setApplicationDisplayName_2025, &_call_f_setApplicationDisplayName_2025); + methods += new qt_gsi::GenericStaticMethod ("setDesktopFileName", "@brief Static method void QGuiApplication::setDesktopFileName(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_setDesktopFileName_2025, &_call_f_setDesktopFileName_2025); methods += new qt_gsi::GenericStaticMethod ("setDesktopSettingsAware|desktopSettingsAware=", "@brief Static method void QGuiApplication::setDesktopSettingsAware(bool on)\nThis method is static and can be called without an instance.", &_init_f_setDesktopSettingsAware_864, &_call_f_setDesktopSettingsAware_864); + methods += new qt_gsi::GenericStaticMethod ("setFallbackSessionManagementEnabled", "@brief Static method void QGuiApplication::setFallbackSessionManagementEnabled(bool)\nThis method is static and can be called without an instance.", &_init_f_setFallbackSessionManagementEnabled_864, &_call_f_setFallbackSessionManagementEnabled_864); methods += new qt_gsi::GenericStaticMethod ("setFont|font=", "@brief Static method void QGuiApplication::setFont(const QFont &)\nThis method is static and can be called without an instance.", &_init_f_setFont_1801, &_call_f_setFont_1801); methods += new qt_gsi::GenericStaticMethod ("setLayoutDirection|layoutDirection=", "@brief Static method void QGuiApplication::setLayoutDirection(Qt::LayoutDirection direction)\nThis method is static and can be called without an instance.", &_init_f_setLayoutDirection_2316, &_call_f_setLayoutDirection_2316); methods += new qt_gsi::GenericStaticMethod ("setOverrideCursor", "@brief Static method void QGuiApplication::setOverrideCursor(const QCursor &)\nThis method is static and can be called without an instance.", &_init_f_setOverrideCursor_2032, &_call_f_setOverrideCursor_2032); @@ -937,6 +1034,12 @@ class QGuiApplication_Adaptor : public QGuiApplication, public qt_gsi::QtObjectB throw tl::Exception ("Can't emit private signal 'void QGuiApplication::aboutToQuit()'"); } + // [emitter impl] void QGuiApplication::applicationDisplayNameChanged() + void emitter_QGuiApplication_applicationDisplayNameChanged_0() + { + emit QGuiApplication::applicationDisplayNameChanged(); + } + // [emitter impl] void QGuiApplication::applicationNameChanged() void emitter_QGuiApplication_applicationNameChanged_0() { @@ -967,18 +1070,18 @@ class QGuiApplication_Adaptor : public QGuiApplication, public qt_gsi::QtObjectB emit QGuiApplication::destroyed(arg1); } - // [adaptor impl] bool QGuiApplication::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QGuiApplication::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QGuiApplication::eventFilter(arg1, arg2); + return QGuiApplication::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QGuiApplication_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QGuiApplication_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QGuiApplication::eventFilter(arg1, arg2); + return QGuiApplication::eventFilter(watched, event); } } @@ -994,6 +1097,12 @@ class QGuiApplication_Adaptor : public QGuiApplication, public qt_gsi::QtObjectB emit QGuiApplication::focusWindowChanged(focusWindow); } + // [emitter impl] void QGuiApplication::fontChanged(const QFont &font) + void emitter_QGuiApplication_fontChanged_1801(const QFont &font) + { + emit QGuiApplication::fontChanged(font); + } + // [emitter impl] void QGuiApplication::fontDatabaseChanged() void emitter_QGuiApplication_fontDatabaseChanged_0() { @@ -1037,6 +1146,12 @@ class QGuiApplication_Adaptor : public QGuiApplication, public qt_gsi::QtObjectB emit QGuiApplication::paletteChanged(pal); } + // [emitter impl] void QGuiApplication::primaryScreenChanged(QScreen *screen) + void emitter_QGuiApplication_primaryScreenChanged_1311(QScreen *screen) + { + emit QGuiApplication::primaryScreenChanged(screen); + } + // [emitter impl] void QGuiApplication::saveStateRequest(QSessionManager &sessionManager) void emitter_QGuiApplication_saveStateRequest_2138(QSessionManager &sessionManager) { @@ -1055,33 +1170,33 @@ class QGuiApplication_Adaptor : public QGuiApplication, public qt_gsi::QtObjectB emit QGuiApplication::screenRemoved(screen); } - // [adaptor impl] void QGuiApplication::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGuiApplication::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGuiApplication::childEvent(arg1); + QGuiApplication::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGuiApplication_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGuiApplication_Adaptor::cbs_childEvent_1701_0, event); } else { - QGuiApplication::childEvent(arg1); + QGuiApplication::childEvent(event); } } - // [adaptor impl] void QGuiApplication::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGuiApplication::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGuiApplication::customEvent(arg1); + QGuiApplication::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGuiApplication_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGuiApplication_Adaptor::cbs_customEvent_1217_0, event); } else { - QGuiApplication::customEvent(arg1); + QGuiApplication::customEvent(event); } } @@ -1115,18 +1230,18 @@ class QGuiApplication_Adaptor : public QGuiApplication, public qt_gsi::QtObjectB } } - // [adaptor impl] void QGuiApplication::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGuiApplication::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGuiApplication::timerEvent(arg1); + QGuiApplication::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGuiApplication_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGuiApplication_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGuiApplication::timerEvent(arg1); + QGuiApplication::timerEvent(event); } } @@ -1154,6 +1269,20 @@ static void _call_emitter_aboutToQuit_3584 (const qt_gsi::GenericMethod * /*decl } +// emitter void QGuiApplication::applicationDisplayNameChanged() + +static void _init_emitter_applicationDisplayNameChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_applicationDisplayNameChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGuiApplication_Adaptor *)cls)->emitter_QGuiApplication_applicationDisplayNameChanged_0 (); +} + + // emitter void QGuiApplication::applicationNameChanged() static void _init_emitter_applicationNameChanged_0 (qt_gsi::GenericMethod *decl) @@ -1200,11 +1329,11 @@ static void _call_emitter_applicationVersionChanged_0 (const qt_gsi::GenericMeth } -// void QGuiApplication::childEvent(QChildEvent *) +// void QGuiApplication::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1242,11 +1371,11 @@ static void _call_emitter_commitDataRequest_2138 (const qt_gsi::GenericMethod * } -// void QGuiApplication::customEvent(QEvent *) +// void QGuiApplication::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1270,7 +1399,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1279,7 +1408,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGuiApplication_Adaptor *)cls)->emitter_QGuiApplication_destroyed_1302 (arg1); } @@ -1331,13 +1460,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QGuiApplication::eventFilter(QObject *, QEvent *) +// bool QGuiApplication::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1393,6 +1522,24 @@ static void _call_emitter_focusWindowChanged_1335 (const qt_gsi::GenericMethod * } +// emitter void QGuiApplication::fontChanged(const QFont &font) + +static void _init_emitter_fontChanged_1801 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("font"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_fontChanged_1801 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QFont &arg1 = gsi::arg_reader() (args, heap); + ((QGuiApplication_Adaptor *)cls)->emitter_QGuiApplication_fontChanged_1801 (arg1); +} + + // emitter void QGuiApplication::fontDatabaseChanged() static void _init_emitter_fontDatabaseChanged_0 (qt_gsi::GenericMethod *decl) @@ -1521,6 +1668,24 @@ static void _call_emitter_paletteChanged_2113 (const qt_gsi::GenericMethod * /*d } +// emitter void QGuiApplication::primaryScreenChanged(QScreen *screen) + +static void _init_emitter_primaryScreenChanged_1311 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("screen"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_primaryScreenChanged_1311 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QScreen *arg1 = gsi::arg_reader() (args, heap); + ((QGuiApplication_Adaptor *)cls)->emitter_QGuiApplication_primaryScreenChanged_1311 (arg1); +} + + // exposed int QGuiApplication::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1621,11 +1786,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QGuiApplication::timerEvent(QTimerEvent *) +// void QGuiApplication::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1653,23 +1818,25 @@ gsi::Class &qtdecl_QGuiApplication (); static gsi::Methods methods_QGuiApplication_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericMethod ("emit_aboutToQuit", "@brief Emitter for signal void QGuiApplication::aboutToQuit()\nCall this method to emit this signal.", false, &_init_emitter_aboutToQuit_3584, &_call_emitter_aboutToQuit_3584); + methods += new qt_gsi::GenericMethod ("emit_applicationDisplayNameChanged", "@brief Emitter for signal void QGuiApplication::applicationDisplayNameChanged()\nCall this method to emit this signal.", false, &_init_emitter_applicationDisplayNameChanged_0, &_call_emitter_applicationDisplayNameChanged_0); methods += new qt_gsi::GenericMethod ("emit_applicationNameChanged", "@brief Emitter for signal void QGuiApplication::applicationNameChanged()\nCall this method to emit this signal.", false, &_init_emitter_applicationNameChanged_0, &_call_emitter_applicationNameChanged_0); methods += new qt_gsi::GenericMethod ("emit_applicationStateChanged", "@brief Emitter for signal void QGuiApplication::applicationStateChanged(Qt::ApplicationState state)\nCall this method to emit this signal.", false, &_init_emitter_applicationStateChanged_2402, &_call_emitter_applicationStateChanged_2402); methods += new qt_gsi::GenericMethod ("emit_applicationVersionChanged", "@brief Emitter for signal void QGuiApplication::applicationVersionChanged()\nCall this method to emit this signal.", false, &_init_emitter_applicationVersionChanged_0, &_call_emitter_applicationVersionChanged_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGuiApplication::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGuiApplication::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_commitDataRequest", "@brief Emitter for signal void QGuiApplication::commitDataRequest(QSessionManager &sessionManager)\nCall this method to emit this signal.", false, &_init_emitter_commitDataRequest_2138, &_call_emitter_commitDataRequest_2138); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGuiApplication::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGuiApplication::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGuiApplication::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGuiApplication::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QGuiApplication::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGuiApplication::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGuiApplication::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_focusObjectChanged", "@brief Emitter for signal void QGuiApplication::focusObjectChanged(QObject *focusObject)\nCall this method to emit this signal.", false, &_init_emitter_focusObjectChanged_1302, &_call_emitter_focusObjectChanged_1302); methods += new qt_gsi::GenericMethod ("emit_focusWindowChanged", "@brief Emitter for signal void QGuiApplication::focusWindowChanged(QWindow *focusWindow)\nCall this method to emit this signal.", false, &_init_emitter_focusWindowChanged_1335, &_call_emitter_focusWindowChanged_1335); + methods += new qt_gsi::GenericMethod ("emit_fontChanged", "@brief Emitter for signal void QGuiApplication::fontChanged(const QFont &font)\nCall this method to emit this signal.", false, &_init_emitter_fontChanged_1801, &_call_emitter_fontChanged_1801); methods += new qt_gsi::GenericMethod ("emit_fontDatabaseChanged", "@brief Emitter for signal void QGuiApplication::fontDatabaseChanged()\nCall this method to emit this signal.", false, &_init_emitter_fontDatabaseChanged_0, &_call_emitter_fontDatabaseChanged_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QGuiApplication::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_lastWindowClosed", "@brief Emitter for signal void QGuiApplication::lastWindowClosed()\nCall this method to emit this signal.", false, &_init_emitter_lastWindowClosed_0, &_call_emitter_lastWindowClosed_0); @@ -1678,13 +1845,14 @@ static gsi::Methods methods_QGuiApplication_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_organizationDomainChanged", "@brief Emitter for signal void QGuiApplication::organizationDomainChanged()\nCall this method to emit this signal.", false, &_init_emitter_organizationDomainChanged_0, &_call_emitter_organizationDomainChanged_0); methods += new qt_gsi::GenericMethod ("emit_organizationNameChanged", "@brief Emitter for signal void QGuiApplication::organizationNameChanged()\nCall this method to emit this signal.", false, &_init_emitter_organizationNameChanged_0, &_call_emitter_organizationNameChanged_0); methods += new qt_gsi::GenericMethod ("emit_paletteChanged", "@brief Emitter for signal void QGuiApplication::paletteChanged(const QPalette &pal)\nCall this method to emit this signal.", false, &_init_emitter_paletteChanged_2113, &_call_emitter_paletteChanged_2113); + methods += new qt_gsi::GenericMethod ("emit_primaryScreenChanged", "@brief Emitter for signal void QGuiApplication::primaryScreenChanged(QScreen *screen)\nCall this method to emit this signal.", false, &_init_emitter_primaryScreenChanged_1311, &_call_emitter_primaryScreenChanged_1311); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QGuiApplication::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("emit_saveStateRequest", "@brief Emitter for signal void QGuiApplication::saveStateRequest(QSessionManager &sessionManager)\nCall this method to emit this signal.", false, &_init_emitter_saveStateRequest_2138, &_call_emitter_saveStateRequest_2138); methods += new qt_gsi::GenericMethod ("emit_screenAdded", "@brief Emitter for signal void QGuiApplication::screenAdded(QScreen *screen)\nCall this method to emit this signal.", false, &_init_emitter_screenAdded_1311, &_call_emitter_screenAdded_1311); methods += new qt_gsi::GenericMethod ("emit_screenRemoved", "@brief Emitter for signal void QGuiApplication::screenRemoved(QScreen *screen)\nCall this method to emit this signal.", false, &_init_emitter_screenRemoved_1311, &_call_emitter_screenRemoved_1311); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QGuiApplication::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QGuiApplication::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGuiApplication::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGuiApplication::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQIcon.cc b/src/gsiqt/qt5/QtGui/gsiDeclQIcon.cc index 2f04c797db..0e280cd7c2 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQIcon.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQIcon.cc @@ -308,6 +308,21 @@ static void _call_f_isDetached_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// bool QIcon::isMask() + + +static void _init_f_isMask_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isMask_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QIcon *)cls)->isMask ()); +} + + // bool QIcon::isNull() @@ -536,6 +551,26 @@ static void _call_f_pixmap_c5770 (const qt_gsi::GenericMethod * /*decl*/, void * } +// void QIcon::setIsMask(bool isMask) + + +static void _init_f_setIsMask_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("isMask"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setIsMask_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QIcon *)cls)->setIsMask (arg1); +} + + // void QIcon::swap(QIcon &other) @@ -556,6 +591,55 @@ static void _call_f_swap_1092 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// static QStringList QIcon::fallbackSearchPaths() + + +static void _init_f_fallbackSearchPaths_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_fallbackSearchPaths_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QStringList)QIcon::fallbackSearchPaths ()); +} + + +// static QString QIcon::fallbackThemeName() + + +static void _init_f_fallbackThemeName_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_fallbackThemeName_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)QIcon::fallbackThemeName ()); +} + + +// static QIcon QIcon::fromTheme(const QString &name) + + +static void _init_f_fromTheme_2025 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("name"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_fromTheme_2025 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QIcon)QIcon::fromTheme (arg1)); +} + + // static QIcon QIcon::fromTheme(const QString &name, const QIcon &fallback) @@ -563,7 +647,7 @@ static void _init_f_fromTheme_3704 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("name"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("fallback", true, "QIcon()"); + static gsi::ArgSpecBase argspec_1 ("fallback"); decl->add_arg (argspec_1); decl->set_return (); } @@ -573,7 +657,7 @@ static void _call_f_fromTheme_3704 (const qt_gsi::GenericStaticMethod * /*decl*/ __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - const QIcon &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QIcon(), heap); + const QIcon &arg2 = gsi::arg_reader() (args, heap); ret.write ((QIcon)QIcon::fromTheme (arg1, arg2)); } @@ -597,6 +681,46 @@ static void _call_f_hasThemeIcon_2025 (const qt_gsi::GenericStaticMethod * /*dec } +// static void QIcon::setFallbackSearchPaths(const QStringList &paths) + + +static void _init_f_setFallbackSearchPaths_2437 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("paths"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setFallbackSearchPaths_2437 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QStringList &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + QIcon::setFallbackSearchPaths (arg1); +} + + +// static void QIcon::setFallbackThemeName(const QString &name) + + +static void _init_f_setFallbackThemeName_2025 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("name"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setFallbackThemeName_2025 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + QIcon::setFallbackThemeName (arg1); +} + + // static void QIcon::setThemeName(const QString &path) @@ -686,6 +810,7 @@ static gsi::Methods methods_QIcon () { methods += new qt_gsi::GenericMethod ("cacheKey", "@brief Method qint64 QIcon::cacheKey()\n", true, &_init_f_cacheKey_c0, &_call_f_cacheKey_c0); methods += new qt_gsi::GenericMethod ("detach", "@brief Method void QIcon::detach()\n", false, &_init_f_detach_0, &_call_f_detach_0); methods += new qt_gsi::GenericMethod ("isDetached?", "@brief Method bool QIcon::isDetached()\n", true, &_init_f_isDetached_c0, &_call_f_isDetached_c0); + methods += new qt_gsi::GenericMethod ("isMask?", "@brief Method bool QIcon::isMask()\n", true, &_init_f_isMask_c0, &_call_f_isMask_c0); methods += new qt_gsi::GenericMethod ("isNull?", "@brief Method bool QIcon::isNull()\n", true, &_init_f_isNull_c0, &_call_f_isNull_c0); methods += new qt_gsi::GenericMethod ("name", "@brief Method QString QIcon::name()\n", true, &_init_f_name_c0, &_call_f_name_c0); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QIcon &QIcon::operator=(const QIcon &other)\n", false, &_init_f_operator_eq__1787, &_call_f_operator_eq__1787); @@ -695,9 +820,15 @@ static gsi::Methods methods_QIcon () { methods += new qt_gsi::GenericMethod ("pixmap", "@brief Method QPixmap QIcon::pixmap(int w, int h, QIcon::Mode mode, QIcon::State state)\n", true, &_init_f_pixmap_c4164, &_call_f_pixmap_c4164); methods += new qt_gsi::GenericMethod ("pixmap_ext", "@brief Method QPixmap QIcon::pixmap(int extent, QIcon::Mode mode, QIcon::State state)\n", true, &_init_f_pixmap_c3505, &_call_f_pixmap_c3505); methods += new qt_gsi::GenericMethod ("pixmap", "@brief Method QPixmap QIcon::pixmap(QWindow *window, const QSize &size, QIcon::Mode mode, QIcon::State state)\n", true, &_init_f_pixmap_c5770, &_call_f_pixmap_c5770); + methods += new qt_gsi::GenericMethod ("setIsMask", "@brief Method void QIcon::setIsMask(bool isMask)\n", false, &_init_f_setIsMask_864, &_call_f_setIsMask_864); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QIcon::swap(QIcon &other)\n", false, &_init_f_swap_1092, &_call_f_swap_1092); + methods += new qt_gsi::GenericStaticMethod ("fallbackSearchPaths", "@brief Static method QStringList QIcon::fallbackSearchPaths()\nThis method is static and can be called without an instance.", &_init_f_fallbackSearchPaths_0, &_call_f_fallbackSearchPaths_0); + methods += new qt_gsi::GenericStaticMethod ("fallbackThemeName", "@brief Static method QString QIcon::fallbackThemeName()\nThis method is static and can be called without an instance.", &_init_f_fallbackThemeName_0, &_call_f_fallbackThemeName_0); + methods += new qt_gsi::GenericStaticMethod ("fromTheme", "@brief Static method QIcon QIcon::fromTheme(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_fromTheme_2025, &_call_f_fromTheme_2025); methods += new qt_gsi::GenericStaticMethod ("fromTheme", "@brief Static method QIcon QIcon::fromTheme(const QString &name, const QIcon &fallback)\nThis method is static and can be called without an instance.", &_init_f_fromTheme_3704, &_call_f_fromTheme_3704); methods += new qt_gsi::GenericStaticMethod ("hasThemeIcon", "@brief Static method bool QIcon::hasThemeIcon(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_hasThemeIcon_2025, &_call_f_hasThemeIcon_2025); + methods += new qt_gsi::GenericStaticMethod ("setFallbackSearchPaths", "@brief Static method void QIcon::setFallbackSearchPaths(const QStringList &paths)\nThis method is static and can be called without an instance.", &_init_f_setFallbackSearchPaths_2437, &_call_f_setFallbackSearchPaths_2437); + methods += new qt_gsi::GenericStaticMethod ("setFallbackThemeName", "@brief Static method void QIcon::setFallbackThemeName(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_setFallbackThemeName_2025, &_call_f_setFallbackThemeName_2025); methods += new qt_gsi::GenericStaticMethod ("setThemeName|themeName=", "@brief Static method void QIcon::setThemeName(const QString &path)\nThis method is static and can be called without an instance.", &_init_f_setThemeName_2025, &_call_f_setThemeName_2025); methods += new qt_gsi::GenericStaticMethod ("setThemeSearchPaths|themeSearchPaths=", "@brief Static method void QIcon::setThemeSearchPaths(const QStringList &searchpath)\nThis method is static and can be called without an instance.", &_init_f_setThemeSearchPaths_2437, &_call_f_setThemeSearchPaths_2437); methods += new qt_gsi::GenericStaticMethod (":themeName", "@brief Static method QString QIcon::themeName()\nThis method is static and can be called without an instance.", &_init_f_themeName_0, &_call_f_themeName_0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQIconEngine.cc b/src/gsiqt/qt5/QtGui/gsiDeclQIconEngine.cc index 7d6fc11737..a116008194 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQIconEngine.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQIconEngine.cc @@ -172,6 +172,21 @@ static void _call_f_iconName_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } +// bool QIconEngine::isNull() + + +static void _init_f_isNull_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isNull_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QIconEngine *)cls)->isNull ()); +} + + // QString QIconEngine::key() @@ -260,6 +275,34 @@ static void _call_f_read_1697 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// QPixmap QIconEngine::scaledPixmap(const QSize &size, QIcon::Mode mode, QIcon::State state, double scale) + + +static void _init_f_scaledPixmap_5506 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("size"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("mode"); + decl->add_arg::target_type & > (argspec_1); + static gsi::ArgSpecBase argspec_2 ("state"); + decl->add_arg::target_type & > (argspec_2); + static gsi::ArgSpecBase argspec_3 ("scale"); + decl->add_arg (argspec_3); + decl->set_return (); +} + +static void _call_f_scaledPixmap_5506 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QSize &arg1 = gsi::arg_reader() (args, heap); + const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); + const qt_gsi::Converter::target_type & arg3 = gsi::arg_reader::target_type & >() (args, heap); + double arg4 = gsi::arg_reader() (args, heap); + ret.write ((QPixmap)((QIconEngine *)cls)->scaledPixmap (arg1, qt_gsi::QtToCppAdaptor(arg2).cref(), qt_gsi::QtToCppAdaptor(arg3).cref(), arg4)); +} + + // void QIconEngine::virtual_hook(int id, void *data) @@ -313,10 +356,12 @@ static gsi::Methods methods_QIconEngine () { methods += new qt_gsi::GenericMethod ("availableSizes", "@brief Method QList QIconEngine::availableSizes(QIcon::Mode mode, QIcon::State state)\n", true, &_init_f_availableSizes_c2846, &_call_f_availableSizes_c2846); methods += new qt_gsi::GenericMethod ("clone", "@brief Method QIconEngine *QIconEngine::clone()\n", true, &_init_f_clone_c0, &_call_f_clone_c0); methods += new qt_gsi::GenericMethod ("iconName", "@brief Method QString QIconEngine::iconName()\n", true, &_init_f_iconName_c0, &_call_f_iconName_c0); + methods += new qt_gsi::GenericMethod ("isNull?", "@brief Method bool QIconEngine::isNull()\n", true, &_init_f_isNull_c0, &_call_f_isNull_c0); methods += new qt_gsi::GenericMethod ("key", "@brief Method QString QIconEngine::key()\n", true, &_init_f_key_c0, &_call_f_key_c0); methods += new qt_gsi::GenericMethod ("paint", "@brief Method void QIconEngine::paint(QPainter *painter, const QRect &rect, QIcon::Mode mode, QIcon::State state)\n", false, &_init_f_paint_5848, &_call_f_paint_5848); methods += new qt_gsi::GenericMethod ("pixmap", "@brief Method QPixmap QIconEngine::pixmap(const QSize &size, QIcon::Mode mode, QIcon::State state)\n", false, &_init_f_pixmap_4543, &_call_f_pixmap_4543); methods += new qt_gsi::GenericMethod ("read", "@brief Method bool QIconEngine::read(QDataStream &in)\n", false, &_init_f_read_1697, &_call_f_read_1697); + methods += new qt_gsi::GenericMethod ("scaledPixmap", "@brief Method QPixmap QIconEngine::scaledPixmap(const QSize &size, QIcon::Mode mode, QIcon::State state, double scale)\n", false, &_init_f_scaledPixmap_5506, &_call_f_scaledPixmap_5506); methods += new qt_gsi::GenericMethod ("virtual_hook", "@brief Method void QIconEngine::virtual_hook(int id, void *data)\n", false, &_init_f_virtual_hook_1715, &_call_f_virtual_hook_1715); methods += new qt_gsi::GenericMethod ("write", "@brief Method bool QIconEngine::write(QDataStream &out)\n", true, &_init_f_write_c1697, &_call_f_write_c1697); return methods; @@ -343,6 +388,12 @@ class QIconEngine_Adaptor : public QIconEngine, public qt_gsi::QtObjectBase qt_gsi::QtObjectBase::init (this); } + // [adaptor ctor] QIconEngine::QIconEngine(const QIconEngine &other) + QIconEngine_Adaptor(const QIconEngine &other) : QIconEngine(other) + { + qt_gsi::QtObjectBase::init (this); + } + // [adaptor impl] QSize QIconEngine::actualSize(const QSize &size, QIcon::Mode mode, QIcon::State state) QSize cbs_actualSize_4543_0(const QSize &size, const qt_gsi::Converter::target_type & mode, const qt_gsi::Converter::target_type & state) { @@ -557,6 +608,24 @@ static void _call_ctor_QIconEngine_Adaptor_0 (const qt_gsi::GenericStaticMethod } +// Constructor QIconEngine::QIconEngine(const QIconEngine &other) (adaptor class) + +static void _init_ctor_QIconEngine_Adaptor_2385 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QIconEngine_Adaptor_2385 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QIconEngine &arg1 = gsi::arg_reader() (args, heap); + ret.write (new QIconEngine_Adaptor (arg1)); +} + + // QSize QIconEngine::actualSize(const QSize &size, QIcon::Mode mode, QIcon::State state) static void _init_cbs_actualSize_4543_0 (qt_gsi::GenericMethod *decl) @@ -875,6 +944,7 @@ gsi::Class &qtdecl_QIconEngine (); static gsi::Methods methods_QIconEngine_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QIconEngine::QIconEngine()\nThis method creates an object of class QIconEngine.", &_init_ctor_QIconEngine_Adaptor_0, &_call_ctor_QIconEngine_Adaptor_0); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QIconEngine::QIconEngine(const QIconEngine &other)\nThis method creates an object of class QIconEngine.", &_init_ctor_QIconEngine_Adaptor_2385, &_call_ctor_QIconEngine_Adaptor_2385); methods += new qt_gsi::GenericMethod ("actualSize", "@brief Virtual method QSize QIconEngine::actualSize(const QSize &size, QIcon::Mode mode, QIcon::State state)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actualSize_4543_0, &_call_cbs_actualSize_4543_0); methods += new qt_gsi::GenericMethod ("actualSize", "@hide", false, &_init_cbs_actualSize_4543_0, &_call_cbs_actualSize_4543_0, &_set_callback_cbs_actualSize_4543_0); methods += new qt_gsi::GenericMethod ("addFile", "@brief Virtual method void QIconEngine::addFile(const QString &fileName, const QSize &size, QIcon::Mode mode, QIcon::State state)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_addFile_6460_0, &_call_cbs_addFile_6460_0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQIconEnginePlugin.cc b/src/gsiqt/qt5/QtGui/gsiDeclQIconEnginePlugin.cc index 7e56ae390f..50f16017d2 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQIconEnginePlugin.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQIconEnginePlugin.cc @@ -130,7 +130,7 @@ namespace gsi static gsi::Methods methods_QIconEnginePlugin () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Method QIconEngine *QIconEnginePlugin::create(const QString &filename)\n", false, &_init_f_create_2025, &_call_f_create_2025); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method QIconEngine *QIconEnginePlugin::create(const QString &filename)\n", false, &_init_f_create_2025, &_call_f_create_2025); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QIconEnginePlugin::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QIconEnginePlugin::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QIconEnginePlugin::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); @@ -209,33 +209,33 @@ class QIconEnginePlugin_Adaptor : public QIconEnginePlugin, public qt_gsi::QtObj emit QIconEnginePlugin::destroyed(arg1); } - // [adaptor impl] bool QIconEnginePlugin::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QIconEnginePlugin::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QIconEnginePlugin::event(arg1); + return QIconEnginePlugin::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QIconEnginePlugin_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QIconEnginePlugin_Adaptor::cbs_event_1217_0, _event); } else { - return QIconEnginePlugin::event(arg1); + return QIconEnginePlugin::event(_event); } } - // [adaptor impl] bool QIconEnginePlugin::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QIconEnginePlugin::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QIconEnginePlugin::eventFilter(arg1, arg2); + return QIconEnginePlugin::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QIconEnginePlugin_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QIconEnginePlugin_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QIconEnginePlugin::eventFilter(arg1, arg2); + return QIconEnginePlugin::eventFilter(watched, event); } } @@ -246,33 +246,33 @@ class QIconEnginePlugin_Adaptor : public QIconEnginePlugin, public qt_gsi::QtObj throw tl::Exception ("Can't emit private signal 'void QIconEnginePlugin::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QIconEnginePlugin::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QIconEnginePlugin::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QIconEnginePlugin::childEvent(arg1); + QIconEnginePlugin::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QIconEnginePlugin_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QIconEnginePlugin_Adaptor::cbs_childEvent_1701_0, event); } else { - QIconEnginePlugin::childEvent(arg1); + QIconEnginePlugin::childEvent(event); } } - // [adaptor impl] void QIconEnginePlugin::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QIconEnginePlugin::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QIconEnginePlugin::customEvent(arg1); + QIconEnginePlugin::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QIconEnginePlugin_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QIconEnginePlugin_Adaptor::cbs_customEvent_1217_0, event); } else { - QIconEnginePlugin::customEvent(arg1); + QIconEnginePlugin::customEvent(event); } } @@ -291,18 +291,18 @@ class QIconEnginePlugin_Adaptor : public QIconEnginePlugin, public qt_gsi::QtObj } } - // [adaptor impl] void QIconEnginePlugin::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QIconEnginePlugin::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QIconEnginePlugin::timerEvent(arg1); + QIconEnginePlugin::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QIconEnginePlugin_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QIconEnginePlugin_Adaptor::cbs_timerEvent_1730_0, event); } else { - QIconEnginePlugin::timerEvent(arg1); + QIconEnginePlugin::timerEvent(event); } } @@ -321,7 +321,7 @@ QIconEnginePlugin_Adaptor::~QIconEnginePlugin_Adaptor() { } static void _init_ctor_QIconEnginePlugin_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -330,16 +330,16 @@ static void _call_ctor_QIconEnginePlugin_Adaptor_1302 (const qt_gsi::GenericStat { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QIconEnginePlugin_Adaptor (arg1)); } -// void QIconEnginePlugin::childEvent(QChildEvent *) +// void QIconEnginePlugin::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -382,11 +382,11 @@ static void _set_callback_cbs_create_2025_1 (void *cls, const gsi::Callback &cb) } -// void QIconEnginePlugin::customEvent(QEvent *) +// void QIconEnginePlugin::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -410,7 +410,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -419,7 +419,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QIconEnginePlugin_Adaptor *)cls)->emitter_QIconEnginePlugin_destroyed_1302 (arg1); } @@ -448,11 +448,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QIconEnginePlugin::event(QEvent *) +// bool QIconEnginePlugin::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -471,13 +471,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QIconEnginePlugin::eventFilter(QObject *, QEvent *) +// bool QIconEnginePlugin::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -579,11 +579,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QIconEnginePlugin::timerEvent(QTimerEvent *) +// void QIconEnginePlugin::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -611,25 +611,25 @@ gsi::Class &qtdecl_QIconEnginePlugin (); static gsi::Methods methods_QIconEnginePlugin_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QIconEnginePlugin::QIconEnginePlugin(QObject *parent)\nThis method creates an object of class QIconEnginePlugin.", &_init_ctor_QIconEnginePlugin_Adaptor_1302, &_call_ctor_QIconEnginePlugin_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QIconEnginePlugin::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QIconEnginePlugin::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Virtual method QIconEngine *QIconEnginePlugin::create(const QString &filename)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_create_2025_1, &_call_cbs_create_2025_1); - methods += new qt_gsi::GenericMethod ("qt_create", "@hide", false, &_init_cbs_create_2025_1, &_call_cbs_create_2025_1, &_set_callback_cbs_create_2025_1); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QIconEnginePlugin::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Virtual method QIconEngine *QIconEnginePlugin::create(const QString &filename)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_create_2025_1, &_call_cbs_create_2025_1); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@hide", false, &_init_cbs_create_2025_1, &_call_cbs_create_2025_1, &_set_callback_cbs_create_2025_1); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QIconEnginePlugin::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QIconEnginePlugin::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QIconEnginePlugin::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QIconEnginePlugin::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QIconEnginePlugin::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QIconEnginePlugin::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QIconEnginePlugin::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QIconEnginePlugin::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QIconEnginePlugin::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QIconEnginePlugin::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QIconEnginePlugin::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QIconEnginePlugin::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QIconEnginePlugin::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QIconEnginePlugin::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQIconEngine_ScaledPixmapArgument.cc b/src/gsiqt/qt5/QtGui/gsiDeclQIconEngine_ScaledPixmapArgument.cc new file mode 100644 index 0000000000..cc75508ddd --- /dev/null +++ b/src/gsiqt/qt5/QtGui/gsiDeclQIconEngine_ScaledPixmapArgument.cc @@ -0,0 +1,72 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +/** +* @file gsiDeclQIconEngine_ScaledPixmapArgument.cc +* +* DO NOT EDIT THIS FILE. +* This file has been created automatically +*/ + +#include +#include "gsiQt.h" +#include "gsiQtGuiCommon.h" +#include + +// ----------------------------------------------------------------------- +// struct QIconEngine::ScaledPixmapArgument + +// Constructor QIconEngine::ScaledPixmapArgument::ScaledPixmapArgument() + + +static void _init_ctor_QIconEngine_ScaledPixmapArgument_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return_new (); +} + +static void _call_ctor_QIconEngine_ScaledPixmapArgument_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write (new QIconEngine::ScaledPixmapArgument ()); +} + + + +namespace gsi +{ + +static gsi::Methods methods_QIconEngine_ScaledPixmapArgument () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QIconEngine::ScaledPixmapArgument::ScaledPixmapArgument()\nThis method creates an object of class QIconEngine::ScaledPixmapArgument.", &_init_ctor_QIconEngine_ScaledPixmapArgument_0, &_call_ctor_QIconEngine_ScaledPixmapArgument_0); + return methods; +} + +gsi::Class decl_QIconEngine_ScaledPixmapArgument ("QtGui", "QIconEngine_ScaledPixmapArgument", + methods_QIconEngine_ScaledPixmapArgument (), + "@qt\n@brief Binding of QIconEngine::ScaledPixmapArgument"); + +gsi::ClassExt decl_QIconEngine_ScaledPixmapArgument_as_child (decl_QIconEngine_ScaledPixmapArgument, "ScaledPixmapArgument"); + +GSI_QTGUI_PUBLIC gsi::Class &qtdecl_QIconEngine_ScaledPixmapArgument () { return decl_QIconEngine_ScaledPixmapArgument; } + +} + diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQImage.cc b/src/gsiqt/qt5/QtGui/gsiDeclQImage.cc index cc8f568702..2c41ace01c 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQImage.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQImage.cc @@ -663,7 +663,7 @@ static void _init_f_load_3648 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("fileName"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "0"); + static gsi::ArgSpecBase argspec_1 ("format", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -673,7 +673,7 @@ static void _call_f_load_3648 (const qt_gsi::GenericMethod * /*decl*/, void *cls __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QImage *)cls)->load (arg1, arg2)); } @@ -687,7 +687,7 @@ static void _init_f_loadFromData_5018 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("len"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("format", true, "0"); + static gsi::ArgSpecBase argspec_2 ("format", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -698,7 +698,7 @@ static void _call_f_loadFromData_5018 (const qt_gsi::GenericMethod * /*decl*/, v tl::Heap heap; const unsigned char *arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); - const char *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QImage *)cls)->loadFromData (arg1, arg2, arg3)); } @@ -710,7 +710,7 @@ static void _init_f_loadFromData_3932 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("data"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("aformat", true, "0"); + static gsi::ArgSpecBase argspec_1 ("aformat", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -720,7 +720,7 @@ static void _call_f_loadFromData_3932 (const qt_gsi::GenericMethod * /*decl*/, v __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QByteArray &arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QImage *)cls)->loadFromData (arg1, arg2)); } @@ -875,6 +875,47 @@ static void _call_f_pixel_c1916 (const qt_gsi::GenericMethod * /*decl*/, void *c } +// QColor QImage::pixelColor(int x, int y) + + +static void _init_f_pixelColor_c1426 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("x"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("y"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_pixelColor_c1426 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + ret.write ((QColor)((QImage *)cls)->pixelColor (arg1, arg2)); +} + + +// QColor QImage::pixelColor(const QPoint &pt) + + +static void _init_f_pixelColor_c1916 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("pt"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_pixelColor_c1916 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPoint &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QColor)((QImage *)cls)->pixelColor (arg1)); +} + + // QPixelFormat QImage::pixelFormat() @@ -946,6 +987,25 @@ static void _call_f_rect_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// bool QImage::reinterpretAsFormat(QImage::Format f) + + +static void _init_f_reinterpretAsFormat_1733 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("f"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_reinterpretAsFormat_1733 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ret.write ((bool)((QImage *)cls)->reinterpretAsFormat (qt_gsi::QtToCppAdaptor(arg1).cref())); +} + + // QImage QImage::rgbSwapped() @@ -968,7 +1028,7 @@ static void _init_f_save_c4307 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("fileName"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "0"); + static gsi::ArgSpecBase argspec_1 ("format", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("quality", true, "-1"); decl->add_arg (argspec_2); @@ -980,7 +1040,7 @@ static void _call_f_save_c4307 (const qt_gsi::GenericMethod * /*decl*/, void *cl __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); ret.write ((bool)((QImage *)cls)->save (arg1, arg2, arg3)); } @@ -993,7 +1053,7 @@ static void _init_f_save_c3729 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("device"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "0"); + static gsi::ArgSpecBase argspec_1 ("format", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("quality", true, "-1"); decl->add_arg (argspec_2); @@ -1005,7 +1065,7 @@ static void _call_f_save_c3729 (const qt_gsi::GenericMethod * /*decl*/, void *cl __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QIODevice *arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); ret.write ((bool)((QImage *)cls)->save (arg1, arg2, arg3)); } @@ -1339,6 +1399,55 @@ static void _call_f_setPixel_3580 (const qt_gsi::GenericMethod * /*decl*/, void } +// void QImage::setPixelColor(int x, int y, const QColor &c) + + +static void _init_f_setPixelColor_3223 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("x"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("y"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("c"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_f_setPixelColor_3223 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + const QColor &arg3 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QImage *)cls)->setPixelColor (arg1, arg2, arg3); +} + + +// void QImage::setPixelColor(const QPoint &pt, const QColor &c) + + +static void _init_f_setPixelColor_3713 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("pt"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("c"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_setPixelColor_3713 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPoint &arg1 = gsi::arg_reader() (args, heap); + const QColor &arg2 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QImage *)cls)->setPixelColor (arg1, arg2); +} + + // void QImage::setText(const QString &key, const QString &value) @@ -1377,6 +1486,21 @@ static void _call_f_size_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// qsizetype QImage::sizeInBytes() + + +static void _init_f_sizeInBytes_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_sizeInBytes_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((qsizetype)((QImage *)cls)->sizeInBytes ()); +} + + // void QImage::swap(QImage &other) @@ -1521,7 +1645,7 @@ static void _init_f_fromData_5018 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("size"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("format", true, "0"); + static gsi::ArgSpecBase argspec_2 ("format", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -1532,7 +1656,7 @@ static void _call_f_fromData_5018 (const qt_gsi::GenericStaticMethod * /*decl*/, tl::Heap heap; const unsigned char *arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); - const char *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QImage)QImage::fromData (arg1, arg2, arg3)); } @@ -1544,7 +1668,7 @@ static void _init_f_fromData_3932 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("data"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "0"); + static gsi::ArgSpecBase argspec_1 ("format", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1554,7 +1678,7 @@ static void _call_f_fromData_3932 (const qt_gsi::GenericStaticMethod * /*decl*/, __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QByteArray &arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QImage)QImage::fromData (arg1, arg2)); } @@ -1698,10 +1822,13 @@ static gsi::Methods methods_QImage () { methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Method QPaintEngine *QImage::paintEngine()\nThis is a reimplementation of QPaintDevice::paintEngine", true, &_init_f_paintEngine_c0, &_call_f_paintEngine_c0); methods += new qt_gsi::GenericMethod ("pixel", "@brief Method unsigned int QImage::pixel(int x, int y)\n", true, &_init_f_pixel_c1426, &_call_f_pixel_c1426); methods += new qt_gsi::GenericMethod ("pixel", "@brief Method unsigned int QImage::pixel(const QPoint &pt)\n", true, &_init_f_pixel_c1916, &_call_f_pixel_c1916); + methods += new qt_gsi::GenericMethod ("pixelColor", "@brief Method QColor QImage::pixelColor(int x, int y)\n", true, &_init_f_pixelColor_c1426, &_call_f_pixelColor_c1426); + methods += new qt_gsi::GenericMethod ("pixelColor", "@brief Method QColor QImage::pixelColor(const QPoint &pt)\n", true, &_init_f_pixelColor_c1916, &_call_f_pixelColor_c1916); methods += new qt_gsi::GenericMethod ("pixelFormat", "@brief Method QPixelFormat QImage::pixelFormat()\n", true, &_init_f_pixelFormat_c0, &_call_f_pixelFormat_c0); methods += new qt_gsi::GenericMethod ("pixelIndex", "@brief Method int QImage::pixelIndex(int x, int y)\n", true, &_init_f_pixelIndex_c1426, &_call_f_pixelIndex_c1426); methods += new qt_gsi::GenericMethod ("pixelIndex", "@brief Method int QImage::pixelIndex(const QPoint &pt)\n", true, &_init_f_pixelIndex_c1916, &_call_f_pixelIndex_c1916); methods += new qt_gsi::GenericMethod ("rect", "@brief Method QRect QImage::rect()\n", true, &_init_f_rect_c0, &_call_f_rect_c0); + methods += new qt_gsi::GenericMethod ("reinterpretAsFormat", "@brief Method bool QImage::reinterpretAsFormat(QImage::Format f)\n", false, &_init_f_reinterpretAsFormat_1733, &_call_f_reinterpretAsFormat_1733); methods += new qt_gsi::GenericMethod ("rgbSwapped", "@brief Method QImage QImage::rgbSwapped()\n", true, &_init_f_rgbSwapped_cr0, &_call_f_rgbSwapped_cr0); methods += new qt_gsi::GenericMethod ("save", "@brief Method bool QImage::save(const QString &fileName, const char *format, int quality)\n", true, &_init_f_save_c4307, &_call_f_save_c4307); methods += new qt_gsi::GenericMethod ("save", "@brief Method bool QImage::save(QIODevice *device, const char *format, int quality)\n", true, &_init_f_save_c3729, &_call_f_save_c3729); @@ -1720,8 +1847,11 @@ static gsi::Methods methods_QImage () { methods += new qt_gsi::GenericMethod ("setOffset|offset=", "@brief Method void QImage::setOffset(const QPoint &)\n", false, &_init_f_setOffset_1916, &_call_f_setOffset_1916); methods += new qt_gsi::GenericMethod ("setPixel", "@brief Method void QImage::setPixel(int x, int y, unsigned int index_or_rgb)\n", false, &_init_f_setPixel_3090, &_call_f_setPixel_3090); methods += new qt_gsi::GenericMethod ("setPixel", "@brief Method void QImage::setPixel(const QPoint &pt, unsigned int index_or_rgb)\n", false, &_init_f_setPixel_3580, &_call_f_setPixel_3580); + methods += new qt_gsi::GenericMethod ("setPixelColor", "@brief Method void QImage::setPixelColor(int x, int y, const QColor &c)\n", false, &_init_f_setPixelColor_3223, &_call_f_setPixelColor_3223); + methods += new qt_gsi::GenericMethod ("setPixelColor", "@brief Method void QImage::setPixelColor(const QPoint &pt, const QColor &c)\n", false, &_init_f_setPixelColor_3713, &_call_f_setPixelColor_3713); methods += new qt_gsi::GenericMethod ("setText", "@brief Method void QImage::setText(const QString &key, const QString &value)\n", false, &_init_f_setText_3942, &_call_f_setText_3942); methods += new qt_gsi::GenericMethod ("size", "@brief Method QSize QImage::size()\n", true, &_init_f_size_c0, &_call_f_size_c0); + methods += new qt_gsi::GenericMethod ("sizeInBytes", "@brief Method qsizetype QImage::sizeInBytes()\n", true, &_init_f_sizeInBytes_c0, &_call_f_sizeInBytes_c0); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QImage::swap(QImage &other)\n", false, &_init_f_swap_1182, &_call_f_swap_1182); methods += new qt_gsi::GenericMethod ("textKeys", "@brief Method QStringList QImage::textKeys()\n", true, &_init_f_textKeys_c0, &_call_f_textKeys_c0); methods += new qt_gsi::GenericMethod ("transformed", "@brief Method QImage QImage::transformed(const QMatrix &matrix, Qt::TransformationMode mode)\n", true, &_init_f_transformed_c4548, &_call_f_transformed_c4548); @@ -1753,6 +1883,59 @@ class QImage_Adaptor : public QImage, public qt_gsi::QtObjectBase { public: + // NOTE: QImage does not take ownership of the data, so + // we will provide a buffer to do so. This requires an additional + // copy, but as GSI is not guaranteeing the lifetime of the + // data, this is required here. + class DataHolder + { + public: + + DataHolder() : mp_data(0) { } + DataHolder(unsigned char *data) : mp_data(data) { } + + ~DataHolder() + { + if (mp_data) { + delete[](mp_data); + } + mp_data = 0; + } + + static unsigned char *alloc(const std::string &data) + { + unsigned char *ptr = new unsigned char[data.size()]; + memcpy(ptr, data.c_str(), data.size()); + return ptr; + } + + private: + unsigned char *mp_data; + }; + + static QImage_Adaptor *new_qimage_from_data1(const std::string &data, int width, int height, int bytesPerLine, QImage::Format format) + { + return new QImage_Adaptor(DataHolder::alloc(data), width, height, bytesPerLine, format); + } + + static QImage_Adaptor *new_qimage_from_data2(const std::string &data, int width, int height, QImage::Format format) + { + return new QImage_Adaptor(DataHolder::alloc(data), width, height, format); + } + + QImage_Adaptor(unsigned char *data, int width, int height, int bytesPerLine, QImage::Format format) + : QImage(data, width, height, bytesPerLine, format), m_holder(data) + { + } + + QImage_Adaptor(unsigned char *data, int width, int height, QImage::Format format) + : QImage (data, width, height, format), m_holder(data) + { + } + + DataHolder m_holder; + + virtual ~QImage_Adaptor(); // [adaptor ctor] QImage::QImage() @@ -1975,7 +2158,7 @@ static void _init_ctor_QImage_Adaptor_3648 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("fileName"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "0"); + static gsi::ArgSpecBase argspec_1 ("format", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1985,7 +2168,7 @@ static void _call_ctor_QImage_Adaptor_3648 (const qt_gsi::GenericStaticMethod * __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QImage_Adaptor (arg1, arg2)); } @@ -2284,6 +2467,15 @@ static gsi::Methods methods_QImage_Adaptor () { } gsi::Class decl_QImage_Adaptor (qtdecl_QImage (), "QtGui", "QImage", + gsi::constructor("new", &QImage_Adaptor::new_qimage_from_data1, gsi::arg ("data"), gsi::arg ("width"), gsi::arg ("height"), gsi::arg ("bytesPerLine"), gsi::arg ("format"), + "@brief QImage::QImage(const uchar *data, int width, int height, int bytesPerLine)\n" + "The cleanupFunction parameter is available currently." + ) + + gsi::constructor("new", &QImage_Adaptor::new_qimage_from_data2, gsi::arg ("data"), gsi::arg ("width"), gsi::arg ("height"), gsi::arg ("format"), + "@brief QImage::QImage(const uchar *data, int width, int height)\n" + "The cleanupFunction parameter is available currently." + ) ++ methods_QImage_Adaptor (), "@qt\n@brief Binding of QImage"); @@ -2320,6 +2512,9 @@ static gsi::Enum decl_QImage_Format_Enum ("QtGui", "QImage_Forma gsi::enum_const ("Format_A2RGB30_Premultiplied", QImage::Format_A2RGB30_Premultiplied, "@brief Enum constant QImage::Format_A2RGB30_Premultiplied") + gsi::enum_const ("Format_Alpha8", QImage::Format_Alpha8, "@brief Enum constant QImage::Format_Alpha8") + gsi::enum_const ("Format_Grayscale8", QImage::Format_Grayscale8, "@brief Enum constant QImage::Format_Grayscale8") + + gsi::enum_const ("Format_RGBX64", QImage::Format_RGBX64, "@brief Enum constant QImage::Format_RGBX64") + + gsi::enum_const ("Format_RGBA64", QImage::Format_RGBA64, "@brief Enum constant QImage::Format_RGBA64") + + gsi::enum_const ("Format_RGBA64_Premultiplied", QImage::Format_RGBA64_Premultiplied, "@brief Enum constant QImage::Format_RGBA64_Premultiplied") + gsi::enum_const ("NImageFormats", QImage::NImageFormats, "@brief Enum constant QImage::NImageFormats"), "@qt\n@brief This class represents the QImage::Format enum"); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQImageIOPlugin.cc b/src/gsiqt/qt5/QtGui/gsiDeclQImageIOPlugin.cc index e6146da392..1a3b332bc5 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQImageIOPlugin.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQImageIOPlugin.cc @@ -157,7 +157,7 @@ static gsi::Methods methods_QImageIOPlugin () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("capabilities", "@brief Method QFlags QImageIOPlugin::capabilities(QIODevice *device, const QByteArray &format)\n", true, &_init_f_capabilities_c3648, &_call_f_capabilities_c3648); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Method QImageIOHandler *QImageIOPlugin::create(QIODevice *device, const QByteArray &format)\n", true, &_init_f_create_c3648, &_call_f_create_c3648); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method QImageIOHandler *QImageIOPlugin::create(QIODevice *device, const QByteArray &format)\n", true, &_init_f_create_c3648, &_call_f_create_c3648); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QImageIOPlugin::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QImageIOPlugin::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QImageIOPlugin::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); @@ -254,33 +254,33 @@ class QImageIOPlugin_Adaptor : public QImageIOPlugin, public qt_gsi::QtObjectBas emit QImageIOPlugin::destroyed(arg1); } - // [adaptor impl] bool QImageIOPlugin::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QImageIOPlugin::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QImageIOPlugin::event(arg1); + return QImageIOPlugin::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QImageIOPlugin_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QImageIOPlugin_Adaptor::cbs_event_1217_0, _event); } else { - return QImageIOPlugin::event(arg1); + return QImageIOPlugin::event(_event); } } - // [adaptor impl] bool QImageIOPlugin::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QImageIOPlugin::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QImageIOPlugin::eventFilter(arg1, arg2); + return QImageIOPlugin::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QImageIOPlugin_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QImageIOPlugin_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QImageIOPlugin::eventFilter(arg1, arg2); + return QImageIOPlugin::eventFilter(watched, event); } } @@ -291,33 +291,33 @@ class QImageIOPlugin_Adaptor : public QImageIOPlugin, public qt_gsi::QtObjectBas throw tl::Exception ("Can't emit private signal 'void QImageIOPlugin::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QImageIOPlugin::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QImageIOPlugin::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QImageIOPlugin::childEvent(arg1); + QImageIOPlugin::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QImageIOPlugin_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QImageIOPlugin_Adaptor::cbs_childEvent_1701_0, event); } else { - QImageIOPlugin::childEvent(arg1); + QImageIOPlugin::childEvent(event); } } - // [adaptor impl] void QImageIOPlugin::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QImageIOPlugin::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QImageIOPlugin::customEvent(arg1); + QImageIOPlugin::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QImageIOPlugin_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QImageIOPlugin_Adaptor::cbs_customEvent_1217_0, event); } else { - QImageIOPlugin::customEvent(arg1); + QImageIOPlugin::customEvent(event); } } @@ -336,18 +336,18 @@ class QImageIOPlugin_Adaptor : public QImageIOPlugin, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QImageIOPlugin::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QImageIOPlugin::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QImageIOPlugin::timerEvent(arg1); + QImageIOPlugin::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QImageIOPlugin_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QImageIOPlugin_Adaptor::cbs_timerEvent_1730_0, event); } else { - QImageIOPlugin::timerEvent(arg1); + QImageIOPlugin::timerEvent(event); } } @@ -367,7 +367,7 @@ QImageIOPlugin_Adaptor::~QImageIOPlugin_Adaptor() { } static void _init_ctor_QImageIOPlugin_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -376,7 +376,7 @@ static void _call_ctor_QImageIOPlugin_Adaptor_1302 (const qt_gsi::GenericStaticM { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QImageIOPlugin_Adaptor (arg1)); } @@ -407,11 +407,11 @@ static void _set_callback_cbs_capabilities_c3648_0 (void *cls, const gsi::Callba } -// void QImageIOPlugin::childEvent(QChildEvent *) +// void QImageIOPlugin::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -457,11 +457,11 @@ static void _set_callback_cbs_create_c3648_1 (void *cls, const gsi::Callback &cb } -// void QImageIOPlugin::customEvent(QEvent *) +// void QImageIOPlugin::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -485,7 +485,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -494,7 +494,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QImageIOPlugin_Adaptor *)cls)->emitter_QImageIOPlugin_destroyed_1302 (arg1); } @@ -523,11 +523,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QImageIOPlugin::event(QEvent *) +// bool QImageIOPlugin::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -546,13 +546,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QImageIOPlugin::eventFilter(QObject *, QEvent *) +// bool QImageIOPlugin::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -654,11 +654,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QImageIOPlugin::timerEvent(QTimerEvent *) +// void QImageIOPlugin::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -688,25 +688,25 @@ static gsi::Methods methods_QImageIOPlugin_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QImageIOPlugin::QImageIOPlugin(QObject *parent)\nThis method creates an object of class QImageIOPlugin.", &_init_ctor_QImageIOPlugin_Adaptor_1302, &_call_ctor_QImageIOPlugin_Adaptor_1302); methods += new qt_gsi::GenericMethod ("capabilities", "@brief Virtual method QFlags QImageIOPlugin::capabilities(QIODevice *device, const QByteArray &format)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_capabilities_c3648_0, &_call_cbs_capabilities_c3648_0); methods += new qt_gsi::GenericMethod ("capabilities", "@hide", true, &_init_cbs_capabilities_c3648_0, &_call_cbs_capabilities_c3648_0, &_set_callback_cbs_capabilities_c3648_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QImageIOPlugin::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QImageIOPlugin::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Virtual method QImageIOHandler *QImageIOPlugin::create(QIODevice *device, const QByteArray &format)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_create_c3648_1, &_call_cbs_create_c3648_1); - methods += new qt_gsi::GenericMethod ("qt_create", "@hide", true, &_init_cbs_create_c3648_1, &_call_cbs_create_c3648_1, &_set_callback_cbs_create_c3648_1); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QImageIOPlugin::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Virtual method QImageIOHandler *QImageIOPlugin::create(QIODevice *device, const QByteArray &format)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_create_c3648_1, &_call_cbs_create_c3648_1); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@hide", true, &_init_cbs_create_c3648_1, &_call_cbs_create_c3648_1, &_set_callback_cbs_create_c3648_1); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QImageIOPlugin::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QImageIOPlugin::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QImageIOPlugin::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QImageIOPlugin::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QImageIOPlugin::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QImageIOPlugin::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QImageIOPlugin::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QImageIOPlugin::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QImageIOPlugin::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QImageIOPlugin::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QImageIOPlugin::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QImageIOPlugin::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QImageIOPlugin::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QImageIOPlugin::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQImageReader.cc b/src/gsiqt/qt5/QtGui/gsiDeclQImageReader.cc index ca49df2c6e..edbbaa7969 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQImageReader.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQImageReader.cc @@ -294,6 +294,21 @@ static void _call_f_format_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// float QImageReader::gamma() + + +static void _init_f_gamma_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_gamma_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((float)((QImageReader *)cls)->gamma ()); +} + + // int QImageReader::imageCount() @@ -627,6 +642,26 @@ static void _call_f_setFormat_2309 (const qt_gsi::GenericMethod * /*decl*/, void } +// void QImageReader::setGamma(float gamma) + + +static void _init_f_setGamma_970 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("gamma"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setGamma_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + float arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QImageReader *)cls)->setGamma (arg1); +} + + // void QImageReader::setQuality(int quality) @@ -853,6 +888,25 @@ static void _call_f_imageFormat_1447 (const qt_gsi::GenericStaticMethod * /*decl } +// static QList QImageReader::imageFormatsForMimeType(const QByteArray &mimeType) + + +static void _init_f_imageFormatsForMimeType_2309 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("mimeType"); + decl->add_arg (argspec_0); + decl->set_return > (); +} + +static void _call_f_imageFormatsForMimeType_2309 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QByteArray &arg1 = gsi::arg_reader() (args, heap); + ret.write > ((QList)QImageReader::imageFormatsForMimeType (arg1)); +} + + // static QList QImageReader::supportedImageFormats() @@ -890,7 +944,7 @@ static void _init_f_tr_4013 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("sourceText"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("disambiguation", true, "0"); + static gsi::ArgSpecBase argspec_1 ("disambiguation", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("n", true, "-1"); decl->add_arg (argspec_2); @@ -902,7 +956,7 @@ static void _call_f_tr_4013 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi:: __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const char *arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); ret.write ((QString)QImageReader::tr (arg1, arg2, arg3)); } @@ -915,7 +969,7 @@ static void _init_f_trUtf8_4013 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("sourceText"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("disambiguation", true, "0"); + static gsi::ArgSpecBase argspec_1 ("disambiguation", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("n", true, "-1"); decl->add_arg (argspec_2); @@ -927,7 +981,7 @@ static void _call_f_trUtf8_4013 (const qt_gsi::GenericStaticMethod * /*decl*/, g __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const char *arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); ret.write ((QString)QImageReader::trUtf8 (arg1, arg2, arg3)); } @@ -955,6 +1009,7 @@ static gsi::Methods methods_QImageReader () { methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QImageReader::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); methods += new qt_gsi::GenericMethod (":fileName", "@brief Method QString QImageReader::fileName()\n", true, &_init_f_fileName_c0, &_call_f_fileName_c0); methods += new qt_gsi::GenericMethod (":format", "@brief Method QByteArray QImageReader::format()\n", true, &_init_f_format_c0, &_call_f_format_c0); + methods += new qt_gsi::GenericMethod ("gamma", "@brief Method float QImageReader::gamma()\n", true, &_init_f_gamma_c0, &_call_f_gamma_c0); methods += new qt_gsi::GenericMethod ("imageCount", "@brief Method int QImageReader::imageCount()\n", true, &_init_f_imageCount_c0, &_call_f_imageCount_c0); methods += new qt_gsi::GenericMethod ("imageFormat", "@brief Method QImage::Format QImageReader::imageFormat()\n", true, &_init_f_imageFormat_c0, &_call_f_imageFormat_c0); methods += new qt_gsi::GenericMethod ("jumpToImage", "@brief Method bool QImageReader::jumpToImage(int imageNumber)\n", false, &_init_f_jumpToImage_767, &_call_f_jumpToImage_767); @@ -974,6 +1029,7 @@ static gsi::Methods methods_QImageReader () { methods += new qt_gsi::GenericMethod ("setDevice|device=", "@brief Method void QImageReader::setDevice(QIODevice *device)\n", false, &_init_f_setDevice_1447, &_call_f_setDevice_1447); methods += new qt_gsi::GenericMethod ("setFileName|fileName=", "@brief Method void QImageReader::setFileName(const QString &fileName)\n", false, &_init_f_setFileName_2025, &_call_f_setFileName_2025); methods += new qt_gsi::GenericMethod ("setFormat|format=", "@brief Method void QImageReader::setFormat(const QByteArray &format)\n", false, &_init_f_setFormat_2309, &_call_f_setFormat_2309); + methods += new qt_gsi::GenericMethod ("setGamma", "@brief Method void QImageReader::setGamma(float gamma)\n", false, &_init_f_setGamma_970, &_call_f_setGamma_970); methods += new qt_gsi::GenericMethod ("setQuality|quality=", "@brief Method void QImageReader::setQuality(int quality)\n", false, &_init_f_setQuality_767, &_call_f_setQuality_767); methods += new qt_gsi::GenericMethod ("setScaledClipRect|scaledClipRect=", "@brief Method void QImageReader::setScaledClipRect(const QRect &rect)\n", false, &_init_f_setScaledClipRect_1792, &_call_f_setScaledClipRect_1792); methods += new qt_gsi::GenericMethod ("setScaledSize|scaledSize=", "@brief Method void QImageReader::setScaledSize(const QSize &size)\n", false, &_init_f_setScaledSize_1805, &_call_f_setScaledSize_1805); @@ -987,6 +1043,7 @@ static gsi::Methods methods_QImageReader () { methods += new qt_gsi::GenericMethod ("transformation", "@brief Method QFlags QImageReader::transformation()\n", true, &_init_f_transformation_c0, &_call_f_transformation_c0); methods += new qt_gsi::GenericStaticMethod ("imageFormat", "@brief Static method QByteArray QImageReader::imageFormat(const QString &fileName)\nThis method is static and can be called without an instance.", &_init_f_imageFormat_2025, &_call_f_imageFormat_2025); methods += new qt_gsi::GenericStaticMethod ("imageFormat", "@brief Static method QByteArray QImageReader::imageFormat(QIODevice *device)\nThis method is static and can be called without an instance.", &_init_f_imageFormat_1447, &_call_f_imageFormat_1447); + methods += new qt_gsi::GenericStaticMethod ("imageFormatsForMimeType", "@brief Static method QList QImageReader::imageFormatsForMimeType(const QByteArray &mimeType)\nThis method is static and can be called without an instance.", &_init_f_imageFormatsForMimeType_2309, &_call_f_imageFormatsForMimeType_2309); methods += new qt_gsi::GenericStaticMethod ("supportedImageFormats", "@brief Static method QList QImageReader::supportedImageFormats()\nThis method is static and can be called without an instance.", &_init_f_supportedImageFormats_0, &_call_f_supportedImageFormats_0); methods += new qt_gsi::GenericStaticMethod ("supportedMimeTypes", "@brief Static method QList QImageReader::supportedMimeTypes()\nThis method is static and can be called without an instance.", &_init_f_supportedMimeTypes_0, &_call_f_supportedMimeTypes_0); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QImageReader::tr(const char *sourceText, const char *disambiguation, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQImageWriter.cc b/src/gsiqt/qt5/QtGui/gsiDeclQImageWriter.cc index c4bb732123..4c7843ead0 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQImageWriter.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQImageWriter.cc @@ -602,6 +602,25 @@ static void _call_f_write_1877 (const qt_gsi::GenericMethod * /*decl*/, void *cl } +// static QList QImageWriter::imageFormatsForMimeType(const QByteArray &mimeType) + + +static void _init_f_imageFormatsForMimeType_2309 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("mimeType"); + decl->add_arg (argspec_0); + decl->set_return > (); +} + +static void _call_f_imageFormatsForMimeType_2309 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QByteArray &arg1 = gsi::arg_reader() (args, heap); + ret.write > ((QList)QImageWriter::imageFormatsForMimeType (arg1)); +} + + // static QList QImageWriter::supportedImageFormats() @@ -639,7 +658,7 @@ static void _init_f_tr_4013 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("sourceText"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("disambiguation", true, "0"); + static gsi::ArgSpecBase argspec_1 ("disambiguation", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("n", true, "-1"); decl->add_arg (argspec_2); @@ -651,7 +670,7 @@ static void _call_f_tr_4013 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi:: __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const char *arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); ret.write ((QString)QImageWriter::tr (arg1, arg2, arg3)); } @@ -664,7 +683,7 @@ static void _init_f_trUtf8_4013 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("sourceText"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("disambiguation", true, "0"); + static gsi::ArgSpecBase argspec_1 ("disambiguation", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("n", true, "-1"); decl->add_arg (argspec_2); @@ -676,7 +695,7 @@ static void _call_f_trUtf8_4013 (const qt_gsi::GenericStaticMethod * /*decl*/, g __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const char *arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); ret.write ((QString)QImageWriter::trUtf8 (arg1, arg2, arg3)); } @@ -720,6 +739,7 @@ static gsi::Methods methods_QImageWriter () { methods += new qt_gsi::GenericMethod ("supportsOption", "@brief Method bool QImageWriter::supportsOption(QImageIOHandler::ImageOption option)\n", true, &_init_f_supportsOption_c3086, &_call_f_supportsOption_c3086); methods += new qt_gsi::GenericMethod (":transformation", "@brief Method QFlags QImageWriter::transformation()\n", true, &_init_f_transformation_c0, &_call_f_transformation_c0); methods += new qt_gsi::GenericMethod ("write", "@brief Method bool QImageWriter::write(const QImage &image)\n", false, &_init_f_write_1877, &_call_f_write_1877); + methods += new qt_gsi::GenericStaticMethod ("imageFormatsForMimeType", "@brief Static method QList QImageWriter::imageFormatsForMimeType(const QByteArray &mimeType)\nThis method is static and can be called without an instance.", &_init_f_imageFormatsForMimeType_2309, &_call_f_imageFormatsForMimeType_2309); methods += new qt_gsi::GenericStaticMethod ("supportedImageFormats", "@brief Static method QList QImageWriter::supportedImageFormats()\nThis method is static and can be called without an instance.", &_init_f_supportedImageFormats_0, &_call_f_supportedImageFormats_0); methods += new qt_gsi::GenericStaticMethod ("supportedMimeTypes", "@brief Static method QList QImageWriter::supportedMimeTypes()\nThis method is static and can be called without an instance.", &_init_f_supportedMimeTypes_0, &_call_f_supportedMimeTypes_0); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QImageWriter::tr(const char *sourceText, const char *disambiguation, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); @@ -744,7 +764,8 @@ namespace qt_gsi static gsi::Enum decl_QImageWriter_ImageWriterError_Enum ("QtGui", "QImageWriter_ImageWriterError", gsi::enum_const ("UnknownError", QImageWriter::UnknownError, "@brief Enum constant QImageWriter::UnknownError") + gsi::enum_const ("DeviceError", QImageWriter::DeviceError, "@brief Enum constant QImageWriter::DeviceError") + - gsi::enum_const ("UnsupportedFormatError", QImageWriter::UnsupportedFormatError, "@brief Enum constant QImageWriter::UnsupportedFormatError"), + gsi::enum_const ("UnsupportedFormatError", QImageWriter::UnsupportedFormatError, "@brief Enum constant QImageWriter::UnsupportedFormatError") + + gsi::enum_const ("InvalidImageError", QImageWriter::InvalidImageError, "@brief Enum constant QImageWriter::InvalidImageError"), "@qt\n@brief This class represents the QImageWriter::ImageWriterError enum"); static gsi::QFlagsClass decl_QImageWriter_ImageWriterError_Enums ("QtGui", "QImageWriter_QFlags_ImageWriterError", diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQInputMethod.cc b/src/gsiqt/qt5/QtGui/gsiDeclQInputMethod.cc index f3ab8662a1..b0a3033bbe 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQInputMethod.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQInputMethod.cc @@ -55,6 +55,21 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } +// QRectF QInputMethod::anchorRectangle() + + +static void _init_f_anchorRectangle_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_anchorRectangle_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QRectF)((QInputMethod *)cls)->anchorRectangle ()); +} + + // void QInputMethod::commit() @@ -117,6 +132,21 @@ static void _call_f_inputDirection_c0 (const qt_gsi::GenericMethod * /*decl*/, v } +// QRectF QInputMethod::inputItemClipRectangle() + + +static void _init_f_inputItemClipRectangle_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_inputItemClipRectangle_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QRectF)((QInputMethod *)cls)->inputItemClipRectangle ()); +} + + // QRectF QInputMethod::inputItemRectangle() @@ -421,10 +451,12 @@ namespace gsi static gsi::Methods methods_QInputMethod () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); + methods += new qt_gsi::GenericMethod ("anchorRectangle", "@brief Method QRectF QInputMethod::anchorRectangle()\n", true, &_init_f_anchorRectangle_c0, &_call_f_anchorRectangle_c0); methods += new qt_gsi::GenericMethod ("commit", "@brief Method void QInputMethod::commit()\n", false, &_init_f_commit_0, &_call_f_commit_0); methods += new qt_gsi::GenericMethod (":cursorRectangle", "@brief Method QRectF QInputMethod::cursorRectangle()\n", true, &_init_f_cursorRectangle_c0, &_call_f_cursorRectangle_c0); methods += new qt_gsi::GenericMethod ("hide", "@brief Method void QInputMethod::hide()\n", false, &_init_f_hide_0, &_call_f_hide_0); methods += new qt_gsi::GenericMethod (":inputDirection", "@brief Method Qt::LayoutDirection QInputMethod::inputDirection()\n", true, &_init_f_inputDirection_c0, &_call_f_inputDirection_c0); + methods += new qt_gsi::GenericMethod ("inputItemClipRectangle", "@brief Method QRectF QInputMethod::inputItemClipRectangle()\n", true, &_init_f_inputItemClipRectangle_c0, &_call_f_inputItemClipRectangle_c0); methods += new qt_gsi::GenericMethod (":inputItemRectangle", "@brief Method QRectF QInputMethod::inputItemRectangle()\n", true, &_init_f_inputItemRectangle_c0, &_call_f_inputItemRectangle_c0); methods += new qt_gsi::GenericMethod (":inputItemTransform", "@brief Method QTransform QInputMethod::inputItemTransform()\n", true, &_init_f_inputItemTransform_c0, &_call_f_inputItemTransform_c0); methods += new qt_gsi::GenericMethod ("invokeAction", "@brief Method void QInputMethod::invokeAction(QInputMethod::Action a, int cursorPosition)\n", false, &_init_f_invokeAction_3035, &_call_f_invokeAction_3035); @@ -438,10 +470,12 @@ static gsi::Methods methods_QInputMethod () { methods += new qt_gsi::GenericMethod ("setVisible", "@brief Method void QInputMethod::setVisible(bool visible)\n", false, &_init_f_setVisible_864, &_call_f_setVisible_864); methods += new qt_gsi::GenericMethod ("show", "@brief Method void QInputMethod::show()\n", false, &_init_f_show_0, &_call_f_show_0); methods += new qt_gsi::GenericMethod ("update", "@brief Method void QInputMethod::update(QFlags queries)\n", false, &_init_f_update_3116, &_call_f_update_3116); + methods += gsi::qt_signal ("anchorRectangleChanged()", "anchorRectangleChanged", "@brief Signal declaration for QInputMethod::anchorRectangleChanged()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("animatingChanged()", "animatingChanged", "@brief Signal declaration for QInputMethod::animatingChanged()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("cursorRectangleChanged()", "cursorRectangleChanged", "@brief Signal declaration for QInputMethod::cursorRectangleChanged()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QInputMethod::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal::target_type & > ("inputDirectionChanged(Qt::LayoutDirection)", "inputDirectionChanged", gsi::arg("newDirection"), "@brief Signal declaration for QInputMethod::inputDirectionChanged(Qt::LayoutDirection newDirection)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("inputItemClipRectangleChanged()", "inputItemClipRectangleChanged", "@brief Signal declaration for QInputMethod::inputItemClipRectangleChanged()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("keyboardRectangleChanged()", "keyboardRectangleChanged", "@brief Signal declaration for QInputMethod::keyboardRectangleChanged()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("localeChanged()", "localeChanged", "@brief Signal declaration for QInputMethod::localeChanged()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QInputMethod::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQInputMethodEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQInputMethodEvent.cc index 0318bc9c3d..95f0a6b6fe 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQInputMethodEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQInputMethodEvent.cc @@ -36,62 +36,6 @@ // ----------------------------------------------------------------------- // class QInputMethodEvent -// Constructor QInputMethodEvent::QInputMethodEvent() - - -static void _init_ctor_QInputMethodEvent_0 (qt_gsi::GenericStaticMethod *decl) -{ - decl->set_return_new (); -} - -static void _call_ctor_QInputMethodEvent_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write (new QInputMethodEvent ()); -} - - -// Constructor QInputMethodEvent::QInputMethodEvent(const QString &preeditText, const QList &attributes) - - -static void _init_ctor_QInputMethodEvent_6641 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("preeditText"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("attributes"); - decl->add_arg & > (argspec_1); - decl->set_return_new (); -} - -static void _call_ctor_QInputMethodEvent_6641 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - const QList &arg2 = gsi::arg_reader & >() (args, heap); - ret.write (new QInputMethodEvent (arg1, arg2)); -} - - -// Constructor QInputMethodEvent::QInputMethodEvent(const QInputMethodEvent &other) - - -static void _init_ctor_QInputMethodEvent_3045 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("other"); - decl->add_arg (argspec_0); - decl->set_return_new (); -} - -static void _call_ctor_QInputMethodEvent_3045 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QInputMethodEvent &arg1 = gsi::arg_reader() (args, heap); - ret.write (new QInputMethodEvent (arg1)); -} - - // const QList &QInputMethodEvent::attributes() @@ -193,15 +137,11 @@ static void _call_f_setCommitString_3343 (const qt_gsi::GenericMethod * /*decl*/ } - namespace gsi { static gsi::Methods methods_QInputMethodEvent () { gsi::Methods methods; - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QInputMethodEvent::QInputMethodEvent()\nThis method creates an object of class QInputMethodEvent.", &_init_ctor_QInputMethodEvent_0, &_call_ctor_QInputMethodEvent_0); - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QInputMethodEvent::QInputMethodEvent(const QString &preeditText, const QList &attributes)\nThis method creates an object of class QInputMethodEvent.", &_init_ctor_QInputMethodEvent_6641, &_call_ctor_QInputMethodEvent_6641); - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QInputMethodEvent::QInputMethodEvent(const QInputMethodEvent &other)\nThis method creates an object of class QInputMethodEvent.", &_init_ctor_QInputMethodEvent_3045, &_call_ctor_QInputMethodEvent_3045); methods += new qt_gsi::GenericMethod ("attributes", "@brief Method const QList &QInputMethodEvent::attributes()\n", true, &_init_f_attributes_c0, &_call_f_attributes_c0); methods += new qt_gsi::GenericMethod (":commitString", "@brief Method const QString &QInputMethodEvent::commitString()\n", true, &_init_f_commitString_c0, &_call_f_commitString_c0); methods += new qt_gsi::GenericMethod ("preeditString", "@brief Method const QString &QInputMethodEvent::preeditString()\n", true, &_init_f_preeditString_c0, &_call_f_preeditString_c0); @@ -213,16 +153,117 @@ static gsi::Methods methods_QInputMethodEvent () { gsi::Class &qtdecl_QEvent (); -gsi::Class decl_QInputMethodEvent (qtdecl_QEvent (), "QtGui", "QInputMethodEvent", +gsi::Class decl_QInputMethodEvent (qtdecl_QEvent (), "QtGui", "QInputMethodEvent_Native", methods_QInputMethodEvent (), - "@qt\n@brief Binding of QInputMethodEvent"); - + "@hide\n@alias QInputMethodEvent"); GSI_QTGUI_PUBLIC gsi::Class &qtdecl_QInputMethodEvent () { return decl_QInputMethodEvent; } } +class QInputMethodEvent_Adaptor : public QInputMethodEvent, public qt_gsi::QtObjectBase +{ +public: + + virtual ~QInputMethodEvent_Adaptor(); + + // [adaptor ctor] QInputMethodEvent::QInputMethodEvent() + QInputMethodEvent_Adaptor() : QInputMethodEvent() + { + qt_gsi::QtObjectBase::init (this); + } + + // [adaptor ctor] QInputMethodEvent::QInputMethodEvent(const QString &preeditText, const QList &attributes) + QInputMethodEvent_Adaptor(const QString &preeditText, const QList &attributes) : QInputMethodEvent(preeditText, attributes) + { + qt_gsi::QtObjectBase::init (this); + } + + // [adaptor ctor] QInputMethodEvent::QInputMethodEvent(const QInputMethodEvent &other) + QInputMethodEvent_Adaptor(const QInputMethodEvent &other) : QInputMethodEvent(other) + { + qt_gsi::QtObjectBase::init (this); + } + + +}; + +QInputMethodEvent_Adaptor::~QInputMethodEvent_Adaptor() { } + +// Constructor QInputMethodEvent::QInputMethodEvent() (adaptor class) + +static void _init_ctor_QInputMethodEvent_Adaptor_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return_new (); +} + +static void _call_ctor_QInputMethodEvent_Adaptor_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write (new QInputMethodEvent_Adaptor ()); +} + + +// Constructor QInputMethodEvent::QInputMethodEvent(const QString &preeditText, const QList &attributes) (adaptor class) + +static void _init_ctor_QInputMethodEvent_Adaptor_6641 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("preeditText"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("attributes"); + decl->add_arg & > (argspec_1); + decl->set_return_new (); +} + +static void _call_ctor_QInputMethodEvent_Adaptor_6641 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + const QList &arg2 = gsi::arg_reader & >() (args, heap); + ret.write (new QInputMethodEvent_Adaptor (arg1, arg2)); +} + + +// Constructor QInputMethodEvent::QInputMethodEvent(const QInputMethodEvent &other) (adaptor class) + +static void _init_ctor_QInputMethodEvent_Adaptor_3045 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QInputMethodEvent_Adaptor_3045 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QInputMethodEvent &arg1 = gsi::arg_reader() (args, heap); + ret.write (new QInputMethodEvent_Adaptor (arg1)); +} + + +namespace gsi +{ + +gsi::Class &qtdecl_QInputMethodEvent (); + +static gsi::Methods methods_QInputMethodEvent_Adaptor () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QInputMethodEvent::QInputMethodEvent()\nThis method creates an object of class QInputMethodEvent.", &_init_ctor_QInputMethodEvent_Adaptor_0, &_call_ctor_QInputMethodEvent_Adaptor_0); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QInputMethodEvent::QInputMethodEvent(const QString &preeditText, const QList &attributes)\nThis method creates an object of class QInputMethodEvent.", &_init_ctor_QInputMethodEvent_Adaptor_6641, &_call_ctor_QInputMethodEvent_Adaptor_6641); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QInputMethodEvent::QInputMethodEvent(const QInputMethodEvent &other)\nThis method creates an object of class QInputMethodEvent.", &_init_ctor_QInputMethodEvent_Adaptor_3045, &_call_ctor_QInputMethodEvent_Adaptor_3045); + return methods; +} + +gsi::Class decl_QInputMethodEvent_Adaptor (qtdecl_QInputMethodEvent (), "QtGui", "QInputMethodEvent", + methods_QInputMethodEvent_Adaptor (), + "@qt\n@brief Binding of QInputMethodEvent"); + +} + + // Implementation of the enum wrapper class for QInputMethodEvent::AttributeType namespace qt_gsi { diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQInputMethodEvent_Attribute.cc b/src/gsiqt/qt5/QtGui/gsiDeclQInputMethodEvent_Attribute.cc index 8b07e2e277..4b00b52d34 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQInputMethodEvent_Attribute.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQInputMethodEvent_Attribute.cc @@ -35,12 +35,12 @@ // ----------------------------------------------------------------------- // class QInputMethodEvent::Attribute -// Constructor QInputMethodEvent::Attribute::Attribute(QInputMethodEvent::AttributeType t, int s, int l, QVariant val) +// Constructor QInputMethodEvent::Attribute::Attribute(QInputMethodEvent::AttributeType typ, int s, int l, QVariant val) static void _init_ctor_QInputMethodEvent_Attribute_6102 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("t"); + static gsi::ArgSpecBase argspec_0 ("typ"); decl->add_arg::target_type & > (argspec_0); static gsi::ArgSpecBase argspec_1 ("s"); decl->add_arg (argspec_1); @@ -63,13 +63,39 @@ static void _call_ctor_QInputMethodEvent_Attribute_6102 (const qt_gsi::GenericSt } +// Constructor QInputMethodEvent::Attribute::Attribute(QInputMethodEvent::AttributeType typ, int s, int l) + + +static void _init_ctor_QInputMethodEvent_Attribute_4968 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("typ"); + decl->add_arg::target_type & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("s"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("l"); + decl->add_arg (argspec_2); + decl->set_return_new (); +} + +static void _call_ctor_QInputMethodEvent_Attribute_4968 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ret.write (new QInputMethodEvent::Attribute (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3)); +} + + namespace gsi { static gsi::Methods methods_QInputMethodEvent_Attribute () { gsi::Methods methods; - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QInputMethodEvent::Attribute::Attribute(QInputMethodEvent::AttributeType t, int s, int l, QVariant val)\nThis method creates an object of class QInputMethodEvent::Attribute.", &_init_ctor_QInputMethodEvent_Attribute_6102, &_call_ctor_QInputMethodEvent_Attribute_6102); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QInputMethodEvent::Attribute::Attribute(QInputMethodEvent::AttributeType typ, int s, int l, QVariant val)\nThis method creates an object of class QInputMethodEvent::Attribute.", &_init_ctor_QInputMethodEvent_Attribute_6102, &_call_ctor_QInputMethodEvent_Attribute_6102); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QInputMethodEvent::Attribute::Attribute(QInputMethodEvent::AttributeType typ, int s, int l)\nThis method creates an object of class QInputMethodEvent::Attribute.", &_init_ctor_QInputMethodEvent_Attribute_4968, &_call_ctor_QInputMethodEvent_Attribute_4968); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQIntValidator.cc b/src/gsiqt/qt5/QtGui/gsiDeclQIntValidator.cc index b46b112466..a765be58b4 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQIntValidator.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQIntValidator.cc @@ -342,33 +342,33 @@ class QIntValidator_Adaptor : public QIntValidator, public qt_gsi::QtObjectBase emit QIntValidator::destroyed(arg1); } - // [adaptor impl] bool QIntValidator::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QIntValidator::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QIntValidator::event(arg1); + return QIntValidator::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QIntValidator_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QIntValidator_Adaptor::cbs_event_1217_0, _event); } else { - return QIntValidator::event(arg1); + return QIntValidator::event(_event); } } - // [adaptor impl] bool QIntValidator::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QIntValidator::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QIntValidator::eventFilter(arg1, arg2); + return QIntValidator::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QIntValidator_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QIntValidator_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QIntValidator::eventFilter(arg1, arg2); + return QIntValidator::eventFilter(watched, event); } } @@ -430,33 +430,33 @@ class QIntValidator_Adaptor : public QIntValidator, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QIntValidator::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QIntValidator::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QIntValidator::childEvent(arg1); + QIntValidator::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QIntValidator_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QIntValidator_Adaptor::cbs_childEvent_1701_0, event); } else { - QIntValidator::childEvent(arg1); + QIntValidator::childEvent(event); } } - // [adaptor impl] void QIntValidator::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QIntValidator::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QIntValidator::customEvent(arg1); + QIntValidator::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QIntValidator_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QIntValidator_Adaptor::cbs_customEvent_1217_0, event); } else { - QIntValidator::customEvent(arg1); + QIntValidator::customEvent(event); } } @@ -475,18 +475,18 @@ class QIntValidator_Adaptor : public QIntValidator, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QIntValidator::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QIntValidator::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QIntValidator::timerEvent(arg1); + QIntValidator::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QIntValidator_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QIntValidator_Adaptor::cbs_timerEvent_1730_0, event); } else { - QIntValidator::timerEvent(arg1); + QIntValidator::timerEvent(event); } } @@ -507,7 +507,7 @@ QIntValidator_Adaptor::~QIntValidator_Adaptor() { } static void _init_ctor_QIntValidator_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -516,7 +516,7 @@ static void _call_ctor_QIntValidator_Adaptor_1302 (const qt_gsi::GenericStaticMe { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QIntValidator_Adaptor (arg1)); } @@ -529,7 +529,7 @@ static void _init_ctor_QIntValidator_Adaptor_2620 (qt_gsi::GenericStaticMethod * decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("top"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_2 ("parent", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -540,7 +540,7 @@ static void _call_ctor_QIntValidator_Adaptor_2620 (const qt_gsi::GenericStaticMe tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); - QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QIntValidator_Adaptor (arg1, arg2, arg3)); } @@ -577,11 +577,11 @@ static void _call_emitter_changed_0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QIntValidator::childEvent(QChildEvent *) +// void QIntValidator::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -601,11 +601,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QIntValidator::customEvent(QEvent *) +// void QIntValidator::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -629,7 +629,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -638,7 +638,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QIntValidator_Adaptor *)cls)->emitter_QIntValidator_destroyed_1302 (arg1); } @@ -667,11 +667,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QIntValidator::event(QEvent *) +// bool QIntValidator::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -690,13 +690,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QIntValidator::eventFilter(QObject *, QEvent *) +// bool QIntValidator::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -849,11 +849,11 @@ static void _set_callback_cbs_setRange_1426_0 (void *cls, const gsi::Callback &c } -// void QIntValidator::timerEvent(QTimerEvent *) +// void QIntValidator::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -928,16 +928,16 @@ static gsi::Methods methods_QIntValidator_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QIntValidator::QIntValidator(int bottom, int top, QObject *parent)\nThis method creates an object of class QIntValidator.", &_init_ctor_QIntValidator_Adaptor_2620, &_call_ctor_QIntValidator_Adaptor_2620); methods += new qt_gsi::GenericMethod ("emit_bottomChanged", "@brief Emitter for signal void QIntValidator::bottomChanged(int bottom)\nCall this method to emit this signal.", false, &_init_emitter_bottomChanged_767, &_call_emitter_bottomChanged_767); methods += new qt_gsi::GenericMethod ("emit_changed", "@brief Emitter for signal void QIntValidator::changed()\nCall this method to emit this signal.", false, &_init_emitter_changed_0, &_call_emitter_changed_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QIntValidator::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QIntValidator::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QIntValidator::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QIntValidator::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QIntValidator::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QIntValidator::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QIntValidator::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QIntValidator::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QIntValidator::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QIntValidator::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fixup", "@brief Virtual method void QIntValidator::fixup(QString &input)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0); methods += new qt_gsi::GenericMethod ("fixup", "@hide", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0, &_set_callback_cbs_fixup_c1330_0); @@ -948,7 +948,7 @@ static gsi::Methods methods_QIntValidator_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QIntValidator::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setRange", "@brief Virtual method void QIntValidator::setRange(int bottom, int top)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setRange_1426_0, &_call_cbs_setRange_1426_0); methods += new qt_gsi::GenericMethod ("setRange", "@hide", false, &_init_cbs_setRange_1426_0, &_call_cbs_setRange_1426_0, &_set_callback_cbs_setRange_1426_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QIntValidator::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QIntValidator::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_topChanged", "@brief Emitter for signal void QIntValidator::topChanged(int top)\nCall this method to emit this signal.", false, &_init_emitter_topChanged_767, &_call_emitter_topChanged_767); methods += new qt_gsi::GenericMethod ("validate", "@brief Virtual method QValidator::State QIntValidator::validate(QString &, int &)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_validate_c2171_0, &_call_cbs_validate_c2171_0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQKeySequence.cc b/src/gsiqt/qt5/QtGui/gsiDeclQKeySequence.cc index 100d31a22a..eb3dbe2473 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQKeySequence.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQKeySequence.cc @@ -655,7 +655,8 @@ static gsi::Enum decl_QKeySequence_StandardKey_Enum ( gsi::enum_const ("FullScreen", QKeySequence::FullScreen, "@brief Enum constant QKeySequence::FullScreen") + gsi::enum_const ("Deselect", QKeySequence::Deselect, "@brief Enum constant QKeySequence::Deselect") + gsi::enum_const ("DeleteCompleteLine", QKeySequence::DeleteCompleteLine, "@brief Enum constant QKeySequence::DeleteCompleteLine") + - gsi::enum_const ("Backspace", QKeySequence::Backspace, "@brief Enum constant QKeySequence::Backspace"), + gsi::enum_const ("Backspace", QKeySequence::Backspace, "@brief Enum constant QKeySequence::Backspace") + + gsi::enum_const ("Cancel", QKeySequence::Cancel, "@brief Enum constant QKeySequence::Cancel"), "@qt\n@brief This class represents the QKeySequence::StandardKey enum"); static gsi::QFlagsClass decl_QKeySequence_StandardKey_Enums ("QtGui", "QKeySequence_QFlags_StandardKey", diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQMatrix.cc b/src/gsiqt/qt5/QtGui/gsiDeclQMatrix.cc index 7d748d6727..f034a533b6 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQMatrix.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQMatrix.cc @@ -94,12 +94,12 @@ static void _call_ctor_QMatrix_5886 (const qt_gsi::GenericStaticMethod * /*decl* } -// Constructor QMatrix::QMatrix(const QMatrix &matrix) +// Constructor QMatrix::QMatrix(const QMatrix &other) static void _init_ctor_QMatrix_2023 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("matrix"); + static gsi::ArgSpecBase argspec_0 ("other"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -163,7 +163,7 @@ static void _call_f_dy_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gs static void _init_f_inverted_c1050 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("invertible", true, "0"); + static gsi::ArgSpecBase argspec_0 ("invertible", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -172,7 +172,7 @@ static void _call_f_inverted_c1050 (const qt_gsi::GenericMethod * /*decl*/, void { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - bool *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QMatrix)((QMatrix *)cls)->inverted (arg1)); } @@ -773,7 +773,7 @@ static gsi::Methods methods_QMatrix () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMatrix::QMatrix()\nThis method creates an object of class QMatrix.", &_init_ctor_QMatrix_0, &_call_ctor_QMatrix_0); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMatrix::QMatrix(double m11, double m12, double m21, double m22, double dx, double dy)\nThis method creates an object of class QMatrix.", &_init_ctor_QMatrix_5886, &_call_ctor_QMatrix_5886); - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMatrix::QMatrix(const QMatrix &matrix)\nThis method creates an object of class QMatrix.", &_init_ctor_QMatrix_2023, &_call_ctor_QMatrix_2023); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMatrix::QMatrix(const QMatrix &other)\nThis method creates an object of class QMatrix.", &_init_ctor_QMatrix_2023, &_call_ctor_QMatrix_2023); methods += new qt_gsi::GenericMethod ("determinant", "@brief Method double QMatrix::determinant()\n", true, &_init_f_determinant_c0, &_call_f_determinant_c0); methods += new qt_gsi::GenericMethod ("dx", "@brief Method double QMatrix::dx()\n", true, &_init_f_dx_c0, &_call_f_dx_c0); methods += new qt_gsi::GenericMethod ("dy", "@brief Method double QMatrix::dy()\n", true, &_init_f_dy_c0, &_call_f_dy_c0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQMatrix4x4.cc b/src/gsiqt/qt5/QtGui/gsiDeclQMatrix4x4.cc index 08d195be7e..108ce6cc47 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQMatrix4x4.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQMatrix4x4.cc @@ -380,7 +380,7 @@ static void _call_f_frustum_5280 (const qt_gsi::GenericMethod * /*decl*/, void * static void _init_f_inverted_c1050 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("invertible", true, "0"); + static gsi::ArgSpecBase argspec_0 ("invertible", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -389,7 +389,7 @@ static void _call_f_inverted_c1050 (const qt_gsi::GenericMethod * /*decl*/, void { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - bool *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QMatrix4x4)((QMatrix4x4 *)cls)->inverted (arg1)); } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQMouseEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQMouseEvent.cc index fdbd1a9bbd..10baa0b55b 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQMouseEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQMouseEvent.cc @@ -173,6 +173,26 @@ static void _call_f_screenPos_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } +// void QMouseEvent::setLocalPos(const QPointF &localPosition) + + +static void _init_f_setLocalPos_1986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("localPosition"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setLocalPos_1986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPointF &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QMouseEvent *)cls)->setLocalPos (arg1); +} + + // Qt::MouseEventSource QMouseEvent::source() @@ -247,6 +267,7 @@ static gsi::Methods methods_QMouseEvent () { methods += new qt_gsi::GenericMethod ("localPos", "@brief Method const QPointF &QMouseEvent::localPos()\n", true, &_init_f_localPos_c0, &_call_f_localPos_c0); methods += new qt_gsi::GenericMethod ("pos", "@brief Method QPoint QMouseEvent::pos()\n", true, &_init_f_pos_c0, &_call_f_pos_c0); methods += new qt_gsi::GenericMethod ("screenPos", "@brief Method const QPointF &QMouseEvent::screenPos()\n", true, &_init_f_screenPos_c0, &_call_f_screenPos_c0); + methods += new qt_gsi::GenericMethod ("setLocalPos", "@brief Method void QMouseEvent::setLocalPos(const QPointF &localPosition)\n", false, &_init_f_setLocalPos_1986, &_call_f_setLocalPos_1986); methods += new qt_gsi::GenericMethod ("source", "@brief Method Qt::MouseEventSource QMouseEvent::source()\n", true, &_init_f_source_c0, &_call_f_source_c0); methods += new qt_gsi::GenericMethod ("windowPos", "@brief Method const QPointF &QMouseEvent::windowPos()\n", true, &_init_f_windowPos_c0, &_call_f_windowPos_c0); methods += new qt_gsi::GenericMethod ("x", "@brief Method int QMouseEvent::x()\n", true, &_init_f_x_c0, &_call_f_x_c0); @@ -289,6 +310,12 @@ class QMouseEvent_Adaptor : public QMouseEvent, public qt_gsi::QtObjectBase qt_gsi::QtObjectBase::init (this); } + // [adaptor ctor] QMouseEvent::QMouseEvent(QEvent::Type type, const QPointF &localPos, const QPointF &windowPos, const QPointF &screenPos, Qt::MouseButton button, QFlags buttons, QFlags modifiers, Qt::MouseEventSource source) + QMouseEvent_Adaptor(QEvent::Type type, const QPointF &localPos, const QPointF &windowPos, const QPointF &screenPos, Qt::MouseButton button, QFlags buttons, QFlags modifiers, Qt::MouseEventSource source) : QMouseEvent(type, localPos, windowPos, screenPos, button, buttons, modifiers, source) + { + qt_gsi::QtObjectBase::init (this); + } + }; @@ -393,6 +420,45 @@ static void _call_ctor_QMouseEvent_Adaptor_14460 (const qt_gsi::GenericStaticMet } +// Constructor QMouseEvent::QMouseEvent(QEvent::Type type, const QPointF &localPos, const QPointF &windowPos, const QPointF &screenPos, Qt::MouseButton button, QFlags buttons, QFlags modifiers, Qt::MouseEventSource source) (adaptor class) + +static void _init_ctor_QMouseEvent_Adaptor_16761 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("type"); + decl->add_arg::target_type & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("localPos"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("windowPos"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("screenPos"); + decl->add_arg (argspec_3); + static gsi::ArgSpecBase argspec_4 ("button"); + decl->add_arg::target_type & > (argspec_4); + static gsi::ArgSpecBase argspec_5 ("buttons"); + decl->add_arg > (argspec_5); + static gsi::ArgSpecBase argspec_6 ("modifiers"); + decl->add_arg > (argspec_6); + static gsi::ArgSpecBase argspec_7 ("source"); + decl->add_arg::target_type & > (argspec_7); + decl->set_return_new (); +} + +static void _call_ctor_QMouseEvent_Adaptor_16761 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + const QPointF &arg2 = gsi::arg_reader() (args, heap); + const QPointF &arg3 = gsi::arg_reader() (args, heap); + const QPointF &arg4 = gsi::arg_reader() (args, heap); + const qt_gsi::Converter::target_type & arg5 = gsi::arg_reader::target_type & >() (args, heap); + QFlags arg6 = gsi::arg_reader >() (args, heap); + QFlags arg7 = gsi::arg_reader >() (args, heap); + const qt_gsi::Converter::target_type & arg8 = gsi::arg_reader::target_type & >() (args, heap); + ret.write (new QMouseEvent_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4, qt_gsi::QtToCppAdaptor(arg5).cref(), arg6, arg7, qt_gsi::QtToCppAdaptor(arg8).cref())); +} + + namespace gsi { @@ -403,6 +469,7 @@ static gsi::Methods methods_QMouseEvent_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMouseEvent::QMouseEvent(QEvent::Type type, const QPointF &localPos, Qt::MouseButton button, QFlags buttons, QFlags modifiers)\nThis method creates an object of class QMouseEvent.", &_init_ctor_QMouseEvent_Adaptor_10704, &_call_ctor_QMouseEvent_Adaptor_10704); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMouseEvent::QMouseEvent(QEvent::Type type, const QPointF &localPos, const QPointF &screenPos, Qt::MouseButton button, QFlags buttons, QFlags modifiers)\nThis method creates an object of class QMouseEvent.", &_init_ctor_QMouseEvent_Adaptor_12582, &_call_ctor_QMouseEvent_Adaptor_12582); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMouseEvent::QMouseEvent(QEvent::Type type, const QPointF &localPos, const QPointF &windowPos, const QPointF &screenPos, Qt::MouseButton button, QFlags buttons, QFlags modifiers)\nThis method creates an object of class QMouseEvent.", &_init_ctor_QMouseEvent_Adaptor_14460, &_call_ctor_QMouseEvent_Adaptor_14460); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMouseEvent::QMouseEvent(QEvent::Type type, const QPointF &localPos, const QPointF &windowPos, const QPointF &screenPos, Qt::MouseButton button, QFlags buttons, QFlags modifiers, Qt::MouseEventSource source)\nThis method creates an object of class QMouseEvent.", &_init_ctor_QMouseEvent_Adaptor_16761, &_call_ctor_QMouseEvent_Adaptor_16761); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQMovie.cc b/src/gsiqt/qt5/QtGui/gsiDeclQMovie.cc index d217f1b16b..0434153c85 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQMovie.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQMovie.cc @@ -259,6 +259,36 @@ static void _call_f_jumpToNextFrame_0 (const qt_gsi::GenericMethod * /*decl*/, v } +// QImageReader::ImageReaderError QMovie::lastError() + + +static void _init_f_lastError_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_lastError_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QMovie *)cls)->lastError ())); +} + + +// QString QMovie::lastErrorString() + + +static void _init_f_lastErrorString_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_lastErrorString_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)((QMovie *)cls)->lastErrorString ()); +} + + // int QMovie::loopCount() @@ -610,6 +640,8 @@ static gsi::Methods methods_QMovie () { methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QMovie::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod ("jumpToFrame", "@brief Method bool QMovie::jumpToFrame(int frameNumber)\n", false, &_init_f_jumpToFrame_767, &_call_f_jumpToFrame_767); methods += new qt_gsi::GenericMethod ("jumpToNextFrame", "@brief Method bool QMovie::jumpToNextFrame()\n", false, &_init_f_jumpToNextFrame_0, &_call_f_jumpToNextFrame_0); + methods += new qt_gsi::GenericMethod ("lastError", "@brief Method QImageReader::ImageReaderError QMovie::lastError()\n", true, &_init_f_lastError_c0, &_call_f_lastError_c0); + methods += new qt_gsi::GenericMethod ("lastErrorString", "@brief Method QString QMovie::lastErrorString()\n", true, &_init_f_lastErrorString_c0, &_call_f_lastErrorString_c0); methods += new qt_gsi::GenericMethod ("loopCount", "@brief Method int QMovie::loopCount()\n", true, &_init_f_loopCount_c0, &_call_f_loopCount_c0); methods += new qt_gsi::GenericMethod ("nextFrameDelay", "@brief Method int QMovie::nextFrameDelay()\n", true, &_init_f_nextFrameDelay_c0, &_call_f_nextFrameDelay_c0); methods += new qt_gsi::GenericMethod (":scaledSize", "@brief Method QSize QMovie::scaledSize()\n", false, &_init_f_scaledSize_0, &_call_f_scaledSize_0); @@ -737,33 +769,33 @@ class QMovie_Adaptor : public QMovie, public qt_gsi::QtObjectBase emit QMovie::error(_error); } - // [adaptor impl] bool QMovie::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QMovie::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QMovie::event(arg1); + return QMovie::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QMovie_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QMovie_Adaptor::cbs_event_1217_0, _event); } else { - return QMovie::event(arg1); + return QMovie::event(_event); } } - // [adaptor impl] bool QMovie::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMovie::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMovie::eventFilter(arg1, arg2); + return QMovie::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMovie_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMovie_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMovie::eventFilter(arg1, arg2); + return QMovie::eventFilter(watched, event); } } @@ -810,33 +842,33 @@ class QMovie_Adaptor : public QMovie, public qt_gsi::QtObjectBase emit QMovie::updated(rect); } - // [adaptor impl] void QMovie::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMovie::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMovie::childEvent(arg1); + QMovie::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMovie_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMovie_Adaptor::cbs_childEvent_1701_0, event); } else { - QMovie::childEvent(arg1); + QMovie::childEvent(event); } } - // [adaptor impl] void QMovie::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMovie::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMovie::customEvent(arg1); + QMovie::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMovie_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMovie_Adaptor::cbs_customEvent_1217_0, event); } else { - QMovie::customEvent(arg1); + QMovie::customEvent(event); } } @@ -855,18 +887,18 @@ class QMovie_Adaptor : public QMovie, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMovie::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMovie::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMovie::timerEvent(arg1); + QMovie::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMovie_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMovie_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMovie::timerEvent(arg1); + QMovie::timerEvent(event); } } @@ -884,7 +916,7 @@ QMovie_Adaptor::~QMovie_Adaptor() { } static void _init_ctor_QMovie_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -893,7 +925,7 @@ static void _call_ctor_QMovie_Adaptor_1302 (const qt_gsi::GenericStaticMethod * { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QMovie_Adaptor (arg1)); } @@ -906,7 +938,7 @@ static void _init_ctor_QMovie_Adaptor_4842 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("format", true, "QByteArray()"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_2 ("parent", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -917,7 +949,7 @@ static void _call_ctor_QMovie_Adaptor_4842 (const qt_gsi::GenericStaticMethod * tl::Heap heap; QIODevice *arg1 = gsi::arg_reader() (args, heap); const QByteArray &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QByteArray(), heap); - QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QMovie_Adaptor (arg1, arg2, arg3)); } @@ -930,7 +962,7 @@ static void _init_ctor_QMovie_Adaptor_5420 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("format", true, "QByteArray()"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_2 ("parent", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -941,16 +973,16 @@ static void _call_ctor_QMovie_Adaptor_5420 (const qt_gsi::GenericStaticMethod * tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); const QByteArray &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QByteArray(), heap); - QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QMovie_Adaptor (arg1, arg2, arg3)); } -// void QMovie::childEvent(QChildEvent *) +// void QMovie::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -970,11 +1002,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QMovie::customEvent(QEvent *) +// void QMovie::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -998,7 +1030,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1007,7 +1039,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QMovie_Adaptor *)cls)->emitter_QMovie_destroyed_1302 (arg1); } @@ -1054,11 +1086,11 @@ static void _call_emitter_error_3311 (const qt_gsi::GenericMethod * /*decl*/, vo } -// bool QMovie::event(QEvent *) +// bool QMovie::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1077,13 +1109,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMovie::eventFilter(QObject *, QEvent *) +// bool QMovie::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1267,11 +1299,11 @@ static void _call_emitter_stateChanged_2170 (const qt_gsi::GenericMethod * /*dec } -// void QMovie::timerEvent(QTimerEvent *) +// void QMovie::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1319,17 +1351,17 @@ static gsi::Methods methods_QMovie_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMovie::QMovie(QObject *parent)\nThis method creates an object of class QMovie.", &_init_ctor_QMovie_Adaptor_1302, &_call_ctor_QMovie_Adaptor_1302); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMovie::QMovie(QIODevice *device, const QByteArray &format, QObject *parent)\nThis method creates an object of class QMovie.", &_init_ctor_QMovie_Adaptor_4842, &_call_ctor_QMovie_Adaptor_4842); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMovie::QMovie(const QString &fileName, const QByteArray &format, QObject *parent)\nThis method creates an object of class QMovie.", &_init_ctor_QMovie_Adaptor_5420, &_call_ctor_QMovie_Adaptor_5420); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMovie::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMovie::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMovie::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMovie::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMovie::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMovie::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("emit_error", "@brief Emitter for signal void QMovie::error(QImageReader::ImageReaderError error)\nCall this method to emit this signal.", false, &_init_emitter_error_3311, &_call_emitter_error_3311); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMovie::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMovie::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMovie::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMovie::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QMovie::finished()\nCall this method to emit this signal.", false, &_init_emitter_finished_0, &_call_emitter_finished_0); methods += new qt_gsi::GenericMethod ("emit_frameChanged", "@brief Emitter for signal void QMovie::frameChanged(int frameNumber)\nCall this method to emit this signal.", false, &_init_emitter_frameChanged_767, &_call_emitter_frameChanged_767); @@ -1341,7 +1373,7 @@ static gsi::Methods methods_QMovie_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMovie::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("emit_started", "@brief Emitter for signal void QMovie::started()\nCall this method to emit this signal.", false, &_init_emitter_started_0, &_call_emitter_started_0); methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QMovie::stateChanged(QMovie::MovieState state)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_2170, &_call_emitter_stateChanged_2170); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMovie::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMovie::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_updated", "@brief Emitter for signal void QMovie::updated(const QRect &rect)\nCall this method to emit this signal.", false, &_init_emitter_updated_1792, &_call_emitter_updated_1792); return methods; diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQNativeGestureEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQNativeGestureEvent.cc index b162b32825..df7bb4a7a3 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQNativeGestureEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQNativeGestureEvent.cc @@ -31,6 +31,7 @@ #include #include #include +#include #include "gsiQt.h" #include "gsiQtGuiCommon.h" #include @@ -38,40 +39,18 @@ // ----------------------------------------------------------------------- // class QNativeGestureEvent -// Constructor QNativeGestureEvent::QNativeGestureEvent(Qt::NativeGestureType type, const QPointF &localPos, const QPointF &windowPos, const QPointF &screenPos, double value, unsigned long int sequenceId, quint64 intArgument) +// const QTouchDevice *QNativeGestureEvent::device() -static void _init_ctor_QNativeGestureEvent_12349 (qt_gsi::GenericStaticMethod *decl) +static void _init_f_device_c0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("type"); - decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("localPos"); - decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("windowPos"); - decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("screenPos"); - decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("value"); - decl->add_arg (argspec_4); - static gsi::ArgSpecBase argspec_5 ("sequenceId"); - decl->add_arg (argspec_5); - static gsi::ArgSpecBase argspec_6 ("intArgument"); - decl->add_arg (argspec_6); - decl->set_return_new (); + decl->set_return (); } -static void _call_ctor_QNativeGestureEvent_12349 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +static void _call_f_device_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) { __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - const QPointF &arg2 = gsi::arg_reader() (args, heap); - const QPointF &arg3 = gsi::arg_reader() (args, heap); - const QPointF &arg4 = gsi::arg_reader() (args, heap); - double arg5 = gsi::arg_reader() (args, heap); - unsigned long int arg6 = gsi::arg_reader() (args, heap); - quint64 arg7 = gsi::arg_reader() (args, heap); - ret.write (new QNativeGestureEvent (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4, arg5, arg6, arg7)); + ret.write ((const QTouchDevice *)((QNativeGestureEvent *)cls)->device ()); } @@ -180,13 +159,12 @@ static void _call_f_windowPos_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } - namespace gsi { static gsi::Methods methods_QNativeGestureEvent () { gsi::Methods methods; - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNativeGestureEvent::QNativeGestureEvent(Qt::NativeGestureType type, const QPointF &localPos, const QPointF &windowPos, const QPointF &screenPos, double value, unsigned long int sequenceId, quint64 intArgument)\nThis method creates an object of class QNativeGestureEvent.", &_init_ctor_QNativeGestureEvent_12349, &_call_ctor_QNativeGestureEvent_12349); + methods += new qt_gsi::GenericMethod ("device", "@brief Method const QTouchDevice *QNativeGestureEvent::device()\n", true, &_init_f_device_c0, &_call_f_device_c0); methods += new qt_gsi::GenericMethod ("gestureType", "@brief Method Qt::NativeGestureType QNativeGestureEvent::gestureType()\n", true, &_init_f_gestureType_c0, &_call_f_gestureType_c0); methods += new qt_gsi::GenericMethod ("globalPos", "@brief Method const QPoint QNativeGestureEvent::globalPos()\n", true, &_init_f_globalPos_c0, &_call_f_globalPos_c0); methods += new qt_gsi::GenericMethod ("localPos", "@brief Method const QPointF &QNativeGestureEvent::localPos()\n", true, &_init_f_localPos_c0, &_call_f_localPos_c0); @@ -199,12 +177,128 @@ static gsi::Methods methods_QNativeGestureEvent () { gsi::Class &qtdecl_QInputEvent (); -gsi::Class decl_QNativeGestureEvent (qtdecl_QInputEvent (), "QtGui", "QNativeGestureEvent", +gsi::Class decl_QNativeGestureEvent (qtdecl_QInputEvent (), "QtGui", "QNativeGestureEvent_Native", methods_QNativeGestureEvent (), - "@qt\n@brief Binding of QNativeGestureEvent"); - + "@hide\n@alias QNativeGestureEvent"); GSI_QTGUI_PUBLIC gsi::Class &qtdecl_QNativeGestureEvent () { return decl_QNativeGestureEvent; } } + +class QNativeGestureEvent_Adaptor : public QNativeGestureEvent, public qt_gsi::QtObjectBase +{ +public: + + virtual ~QNativeGestureEvent_Adaptor(); + + // [adaptor ctor] QNativeGestureEvent::QNativeGestureEvent(Qt::NativeGestureType type, const QPointF &localPos, const QPointF &windowPos, const QPointF &screenPos, double value, unsigned long int sequenceId, quint64 intArgument) + QNativeGestureEvent_Adaptor(Qt::NativeGestureType type, const QPointF &localPos, const QPointF &windowPos, const QPointF &screenPos, double value, unsigned long int sequenceId, quint64 intArgument) : QNativeGestureEvent(type, localPos, windowPos, screenPos, value, sequenceId, intArgument) + { + qt_gsi::QtObjectBase::init (this); + } + + // [adaptor ctor] QNativeGestureEvent::QNativeGestureEvent(Qt::NativeGestureType type, const QTouchDevice *dev, const QPointF &localPos, const QPointF &windowPos, const QPointF &screenPos, double value, unsigned long int sequenceId, quint64 intArgument) + QNativeGestureEvent_Adaptor(Qt::NativeGestureType type, const QTouchDevice *dev, const QPointF &localPos, const QPointF &windowPos, const QPointF &screenPos, double value, unsigned long int sequenceId, quint64 intArgument) : QNativeGestureEvent(type, dev, localPos, windowPos, screenPos, value, sequenceId, intArgument) + { + qt_gsi::QtObjectBase::init (this); + } + + +}; + +QNativeGestureEvent_Adaptor::~QNativeGestureEvent_Adaptor() { } + +// Constructor QNativeGestureEvent::QNativeGestureEvent(Qt::NativeGestureType type, const QPointF &localPos, const QPointF &windowPos, const QPointF &screenPos, double value, unsigned long int sequenceId, quint64 intArgument) (adaptor class) + +static void _init_ctor_QNativeGestureEvent_Adaptor_12349 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("type"); + decl->add_arg::target_type & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("localPos"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("windowPos"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("screenPos"); + decl->add_arg (argspec_3); + static gsi::ArgSpecBase argspec_4 ("value"); + decl->add_arg (argspec_4); + static gsi::ArgSpecBase argspec_5 ("sequenceId"); + decl->add_arg (argspec_5); + static gsi::ArgSpecBase argspec_6 ("intArgument"); + decl->add_arg (argspec_6); + decl->set_return_new (); +} + +static void _call_ctor_QNativeGestureEvent_Adaptor_12349 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + const QPointF &arg2 = gsi::arg_reader() (args, heap); + const QPointF &arg3 = gsi::arg_reader() (args, heap); + const QPointF &arg4 = gsi::arg_reader() (args, heap); + double arg5 = gsi::arg_reader() (args, heap); + unsigned long int arg6 = gsi::arg_reader() (args, heap); + quint64 arg7 = gsi::arg_reader() (args, heap); + ret.write (new QNativeGestureEvent_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4, arg5, arg6, arg7)); +} + + +// Constructor QNativeGestureEvent::QNativeGestureEvent(Qt::NativeGestureType type, const QTouchDevice *dev, const QPointF &localPos, const QPointF &windowPos, const QPointF &screenPos, double value, unsigned long int sequenceId, quint64 intArgument) (adaptor class) + +static void _init_ctor_QNativeGestureEvent_Adaptor_14746 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("type"); + decl->add_arg::target_type & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("dev"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("localPos"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("windowPos"); + decl->add_arg (argspec_3); + static gsi::ArgSpecBase argspec_4 ("screenPos"); + decl->add_arg (argspec_4); + static gsi::ArgSpecBase argspec_5 ("value"); + decl->add_arg (argspec_5); + static gsi::ArgSpecBase argspec_6 ("sequenceId"); + decl->add_arg (argspec_6); + static gsi::ArgSpecBase argspec_7 ("intArgument"); + decl->add_arg (argspec_7); + decl->set_return_new (); +} + +static void _call_ctor_QNativeGestureEvent_Adaptor_14746 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + const QTouchDevice *arg2 = gsi::arg_reader() (args, heap); + const QPointF &arg3 = gsi::arg_reader() (args, heap); + const QPointF &arg4 = gsi::arg_reader() (args, heap); + const QPointF &arg5 = gsi::arg_reader() (args, heap); + double arg6 = gsi::arg_reader() (args, heap); + unsigned long int arg7 = gsi::arg_reader() (args, heap); + quint64 arg8 = gsi::arg_reader() (args, heap); + ret.write (new QNativeGestureEvent_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4, arg5, arg6, arg7, arg8)); +} + + +namespace gsi +{ + +gsi::Class &qtdecl_QNativeGestureEvent (); + +static gsi::Methods methods_QNativeGestureEvent_Adaptor () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNativeGestureEvent::QNativeGestureEvent(Qt::NativeGestureType type, const QPointF &localPos, const QPointF &windowPos, const QPointF &screenPos, double value, unsigned long int sequenceId, quint64 intArgument)\nThis method creates an object of class QNativeGestureEvent.", &_init_ctor_QNativeGestureEvent_Adaptor_12349, &_call_ctor_QNativeGestureEvent_Adaptor_12349); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNativeGestureEvent::QNativeGestureEvent(Qt::NativeGestureType type, const QTouchDevice *dev, const QPointF &localPos, const QPointF &windowPos, const QPointF &screenPos, double value, unsigned long int sequenceId, quint64 intArgument)\nThis method creates an object of class QNativeGestureEvent.", &_init_ctor_QNativeGestureEvent_Adaptor_14746, &_call_ctor_QNativeGestureEvent_Adaptor_14746); + return methods; +} + +gsi::Class decl_QNativeGestureEvent_Adaptor (qtdecl_QNativeGestureEvent (), "QtGui", "QNativeGestureEvent", + methods_QNativeGestureEvent_Adaptor (), + "@qt\n@brief Binding of QNativeGestureEvent"); + +} + diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQOffscreenSurface.cc b/src/gsiqt/qt5/QtGui/gsiDeclQOffscreenSurface.cc index c40afee5c9..4b77d895d2 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQOffscreenSurface.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQOffscreenSurface.cc @@ -111,6 +111,21 @@ static void _call_f_isValid_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cl } +// void *QOffscreenSurface::nativeHandle() + + +static void _init_f_nativeHandle_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_nativeHandle_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((void *)((QOffscreenSurface *)cls)->nativeHandle ()); +} + + // QSurfaceFormat QOffscreenSurface::requestedFormat() @@ -161,6 +176,26 @@ static void _call_f_setFormat_2724 (const qt_gsi::GenericMethod * /*decl*/, void } +// void QOffscreenSurface::setNativeHandle(void *handle) + + +static void _init_f_setNativeHandle_1056 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("handle"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setNativeHandle_1056 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + void *arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QOffscreenSurface *)cls)->setNativeHandle (arg1); +} + + // void QOffscreenSurface::setScreen(QScreen *screen) @@ -312,13 +347,15 @@ namespace gsi static gsi::Methods methods_QOffscreenSurface () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Method void QOffscreenSurface::create()\n", false, &_init_f_create_0, &_call_f_create_0); - methods += new qt_gsi::GenericMethod ("qt_destroy", "@brief Method void QOffscreenSurface::destroy()\n", false, &_init_f_destroy_0, &_call_f_destroy_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method void QOffscreenSurface::create()\n", false, &_init_f_create_0, &_call_f_create_0); + methods += new qt_gsi::GenericMethod ("destroy|qt_destroy", "@brief Method void QOffscreenSurface::destroy()\n", false, &_init_f_destroy_0, &_call_f_destroy_0); methods += new qt_gsi::GenericMethod (":format", "@brief Method QSurfaceFormat QOffscreenSurface::format()\nThis is a reimplementation of QSurface::format", true, &_init_f_format_c0, &_call_f_format_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QOffscreenSurface::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); + methods += new qt_gsi::GenericMethod ("nativeHandle", "@brief Method void *QOffscreenSurface::nativeHandle()\n", true, &_init_f_nativeHandle_c0, &_call_f_nativeHandle_c0); methods += new qt_gsi::GenericMethod ("requestedFormat", "@brief Method QSurfaceFormat QOffscreenSurface::requestedFormat()\n", true, &_init_f_requestedFormat_c0, &_call_f_requestedFormat_c0); methods += new qt_gsi::GenericMethod (":screen", "@brief Method QScreen *QOffscreenSurface::screen()\n", true, &_init_f_screen_c0, &_call_f_screen_c0); methods += new qt_gsi::GenericMethod ("setFormat|format=", "@brief Method void QOffscreenSurface::setFormat(const QSurfaceFormat &format)\n", false, &_init_f_setFormat_2724, &_call_f_setFormat_2724); + methods += new qt_gsi::GenericMethod ("setNativeHandle", "@brief Method void QOffscreenSurface::setNativeHandle(void *handle)\n", false, &_init_f_setNativeHandle_1056, &_call_f_setNativeHandle_1056); methods += new qt_gsi::GenericMethod ("setScreen|screen=", "@brief Method void QOffscreenSurface::setScreen(QScreen *screen)\n", false, &_init_f_setScreen_1311, &_call_f_setScreen_1311); methods += new qt_gsi::GenericMethod ("size", "@brief Method QSize QOffscreenSurface::size()\nThis is a reimplementation of QSurface::size", true, &_init_f_size_c0, &_call_f_size_c0); methods += new qt_gsi::GenericMethod ("surfaceType", "@brief Method QSurface::SurfaceType QOffscreenSurface::surfaceType()\nThis is a reimplementation of QSurface::surfaceType", true, &_init_f_surfaceType_c0, &_call_f_surfaceType_c0); @@ -357,6 +394,12 @@ class QOffscreenSurface_Adaptor : public QOffscreenSurface, public qt_gsi::QtObj virtual ~QOffscreenSurface_Adaptor(); + // [adaptor ctor] QOffscreenSurface::QOffscreenSurface(QScreen *screen, QObject *parent) + QOffscreenSurface_Adaptor(QScreen *screen, QObject *parent) : QOffscreenSurface(screen, parent) + { + qt_gsi::QtObjectBase::init (this); + } + // [adaptor ctor] QOffscreenSurface::QOffscreenSurface(QScreen *screen) QOffscreenSurface_Adaptor() : QOffscreenSurface() { @@ -395,33 +438,33 @@ class QOffscreenSurface_Adaptor : public QOffscreenSurface, public qt_gsi::QtObj emit QOffscreenSurface::destroyed(arg1); } - // [adaptor impl] bool QOffscreenSurface::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QOffscreenSurface::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QOffscreenSurface::event(arg1); + return QOffscreenSurface::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QOffscreenSurface_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QOffscreenSurface_Adaptor::cbs_event_1217_0, _event); } else { - return QOffscreenSurface::event(arg1); + return QOffscreenSurface::event(_event); } } - // [adaptor impl] bool QOffscreenSurface::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QOffscreenSurface::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QOffscreenSurface::eventFilter(arg1, arg2); + return QOffscreenSurface::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QOffscreenSurface_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QOffscreenSurface_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QOffscreenSurface::eventFilter(arg1, arg2); + return QOffscreenSurface::eventFilter(watched, event); } } @@ -483,33 +526,33 @@ class QOffscreenSurface_Adaptor : public QOffscreenSurface, public qt_gsi::QtObj } } - // [adaptor impl] void QOffscreenSurface::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QOffscreenSurface::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QOffscreenSurface::childEvent(arg1); + QOffscreenSurface::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QOffscreenSurface_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QOffscreenSurface_Adaptor::cbs_childEvent_1701_0, event); } else { - QOffscreenSurface::childEvent(arg1); + QOffscreenSurface::childEvent(event); } } - // [adaptor impl] void QOffscreenSurface::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QOffscreenSurface::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QOffscreenSurface::customEvent(arg1); + QOffscreenSurface::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QOffscreenSurface_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QOffscreenSurface_Adaptor::cbs_customEvent_1217_0, event); } else { - QOffscreenSurface::customEvent(arg1); + QOffscreenSurface::customEvent(event); } } @@ -528,18 +571,18 @@ class QOffscreenSurface_Adaptor : public QOffscreenSurface, public qt_gsi::QtObj } } - // [adaptor impl] void QOffscreenSurface::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QOffscreenSurface::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QOffscreenSurface::timerEvent(arg1); + QOffscreenSurface::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QOffscreenSurface_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QOffscreenSurface_Adaptor::cbs_timerEvent_1730_0, event); } else { - QOffscreenSurface::timerEvent(arg1); + QOffscreenSurface::timerEvent(event); } } @@ -556,11 +599,32 @@ class QOffscreenSurface_Adaptor : public QOffscreenSurface, public qt_gsi::QtObj QOffscreenSurface_Adaptor::~QOffscreenSurface_Adaptor() { } +// Constructor QOffscreenSurface::QOffscreenSurface(QScreen *screen, QObject *parent) (adaptor class) + +static void _init_ctor_QOffscreenSurface_Adaptor_2505 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("screen"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("parent"); + decl->add_arg (argspec_1); + decl->set_return_new (); +} + +static void _call_ctor_QOffscreenSurface_Adaptor_2505 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QScreen *arg1 = gsi::arg_reader() (args, heap); + QObject *arg2 = gsi::arg_reader() (args, heap); + ret.write (new QOffscreenSurface_Adaptor (arg1, arg2)); +} + + // Constructor QOffscreenSurface::QOffscreenSurface(QScreen *screen) (adaptor class) static void _init_ctor_QOffscreenSurface_Adaptor_1311 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("screen", true, "0"); + static gsi::ArgSpecBase argspec_0 ("screen", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -569,16 +633,16 @@ static void _call_ctor_QOffscreenSurface_Adaptor_1311 (const qt_gsi::GenericStat { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QScreen *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QScreen *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QOffscreenSurface_Adaptor (arg1)); } -// void QOffscreenSurface::childEvent(QChildEvent *) +// void QOffscreenSurface::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -598,11 +662,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QOffscreenSurface::customEvent(QEvent *) +// void QOffscreenSurface::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -626,7 +690,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -635,7 +699,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QOffscreenSurface_Adaptor *)cls)->emitter_QOffscreenSurface_destroyed_1302 (arg1); } @@ -664,11 +728,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QOffscreenSurface::event(QEvent *) +// bool QOffscreenSurface::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -687,13 +751,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QOffscreenSurface::eventFilter(QObject *, QEvent *) +// bool QOffscreenSurface::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -870,11 +934,11 @@ static void _set_callback_cbs_surfaceType_c0_0 (void *cls, const gsi::Callback & } -// void QOffscreenSurface::timerEvent(QTimerEvent *) +// void QOffscreenSurface::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -901,17 +965,18 @@ gsi::Class &qtdecl_QOffscreenSurface (); static gsi::Methods methods_QOffscreenSurface_Adaptor () { gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QOffscreenSurface::QOffscreenSurface(QScreen *screen, QObject *parent)\nThis method creates an object of class QOffscreenSurface.", &_init_ctor_QOffscreenSurface_Adaptor_2505, &_call_ctor_QOffscreenSurface_Adaptor_2505); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QOffscreenSurface::QOffscreenSurface(QScreen *screen)\nThis method creates an object of class QOffscreenSurface.", &_init_ctor_QOffscreenSurface_Adaptor_1311, &_call_ctor_QOffscreenSurface_Adaptor_1311); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QOffscreenSurface::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QOffscreenSurface::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QOffscreenSurface::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QOffscreenSurface::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QOffscreenSurface::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QOffscreenSurface::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QOffscreenSurface::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QOffscreenSurface::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QOffscreenSurface::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QOffscreenSurface::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("format", "@brief Virtual method QSurfaceFormat QOffscreenSurface::format()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_format_c0_0, &_call_cbs_format_c0_0); methods += new qt_gsi::GenericMethod ("format", "@hide", true, &_init_cbs_format_c0_0, &_call_cbs_format_c0_0, &_set_callback_cbs_format_c0_0); @@ -925,7 +990,7 @@ static gsi::Methods methods_QOffscreenSurface_Adaptor () { methods += new qt_gsi::GenericMethod ("size", "@hide", true, &_init_cbs_size_c0_0, &_call_cbs_size_c0_0, &_set_callback_cbs_size_c0_0); methods += new qt_gsi::GenericMethod ("surfaceType", "@brief Virtual method QSurface::SurfaceType QOffscreenSurface::surfaceType()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_surfaceType_c0_0, &_call_cbs_surfaceType_c0_0); methods += new qt_gsi::GenericMethod ("surfaceType", "@hide", true, &_init_cbs_surfaceType_c0_0, &_call_cbs_surfaceType_c0_0, &_set_callback_cbs_surfaceType_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QOffscreenSurface::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QOffscreenSurface::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPagedPaintDevice.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPagedPaintDevice.cc index 461fd22856..2be140bd3b 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPagedPaintDevice.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPagedPaintDevice.cc @@ -901,3 +901,24 @@ static gsi::ClassExt decl_QPagedPaintDevice_PageSize_Enums_as } + +// Implementation of the enum wrapper class for QPagedPaintDevice::PdfVersion +namespace qt_gsi +{ + +static gsi::Enum decl_QPagedPaintDevice_PdfVersion_Enum ("QtGui", "QPagedPaintDevice_PdfVersion", + gsi::enum_const ("PdfVersion_1_4", QPagedPaintDevice::PdfVersion_1_4, "@brief Enum constant QPagedPaintDevice::PdfVersion_1_4") + + gsi::enum_const ("PdfVersion_A1b", QPagedPaintDevice::PdfVersion_A1b, "@brief Enum constant QPagedPaintDevice::PdfVersion_A1b") + + gsi::enum_const ("PdfVersion_1_6", QPagedPaintDevice::PdfVersion_1_6, "@brief Enum constant QPagedPaintDevice::PdfVersion_1_6"), + "@qt\n@brief This class represents the QPagedPaintDevice::PdfVersion enum"); + +static gsi::QFlagsClass decl_QPagedPaintDevice_PdfVersion_Enums ("QtGui", "QPagedPaintDevice_QFlags_PdfVersion", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_QPagedPaintDevice_PdfVersion_Enum_in_parent (decl_QPagedPaintDevice_PdfVersion_Enum.defs ()); +static gsi::ClassExt decl_QPagedPaintDevice_PdfVersion_Enum_as_child (decl_QPagedPaintDevice_PdfVersion_Enum, "PdfVersion"); +static gsi::ClassExt decl_QPagedPaintDevice_PdfVersion_Enums_as_child (decl_QPagedPaintDevice_PdfVersion_Enums, "QFlags_PdfVersion"); + +} + diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPaintDevice.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPaintDevice.cc index 82c2052540..169c571736 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPaintDevice.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPaintDevice.cc @@ -83,6 +83,21 @@ static void _call_f_devicePixelRatio_c0 (const qt_gsi::GenericMethod * /*decl*/, } +// double QPaintDevice::devicePixelRatioF() + + +static void _init_f_devicePixelRatioF_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_devicePixelRatioF_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((double)((QPaintDevice *)cls)->devicePixelRatioF ()); +} + + // int QPaintDevice::height() @@ -233,6 +248,21 @@ static void _call_f_widthMM_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cl } +// static double QPaintDevice::devicePixelRatioFScale() + + +static void _init_f_devicePixelRatioFScale_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_devicePixelRatioFScale_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((double)QPaintDevice::devicePixelRatioFScale ()); +} + + namespace gsi { @@ -241,6 +271,7 @@ static gsi::Methods methods_QPaintDevice () { methods += new qt_gsi::GenericMethod ("colorCount", "@brief Method int QPaintDevice::colorCount()\n", true, &_init_f_colorCount_c0, &_call_f_colorCount_c0); methods += new qt_gsi::GenericMethod ("depth", "@brief Method int QPaintDevice::depth()\n", true, &_init_f_depth_c0, &_call_f_depth_c0); methods += new qt_gsi::GenericMethod ("devicePixelRatio", "@brief Method int QPaintDevice::devicePixelRatio()\n", true, &_init_f_devicePixelRatio_c0, &_call_f_devicePixelRatio_c0); + methods += new qt_gsi::GenericMethod ("devicePixelRatioF", "@brief Method double QPaintDevice::devicePixelRatioF()\n", true, &_init_f_devicePixelRatioF_c0, &_call_f_devicePixelRatioF_c0); methods += new qt_gsi::GenericMethod ("height", "@brief Method int QPaintDevice::height()\n", true, &_init_f_height_c0, &_call_f_height_c0); methods += new qt_gsi::GenericMethod ("heightMM", "@brief Method int QPaintDevice::heightMM()\n", true, &_init_f_heightMM_c0, &_call_f_heightMM_c0); methods += new qt_gsi::GenericMethod ("logicalDpiX", "@brief Method int QPaintDevice::logicalDpiX()\n", true, &_init_f_logicalDpiX_c0, &_call_f_logicalDpiX_c0); @@ -251,6 +282,7 @@ static gsi::Methods methods_QPaintDevice () { methods += new qt_gsi::GenericMethod ("physicalDpiY", "@brief Method int QPaintDevice::physicalDpiY()\n", true, &_init_f_physicalDpiY_c0, &_call_f_physicalDpiY_c0); methods += new qt_gsi::GenericMethod ("width", "@brief Method int QPaintDevice::width()\n", true, &_init_f_width_c0, &_call_f_width_c0); methods += new qt_gsi::GenericMethod ("widthMM", "@brief Method int QPaintDevice::widthMM()\n", true, &_init_f_widthMM_c0, &_call_f_widthMM_c0); + methods += new qt_gsi::GenericStaticMethod ("devicePixelRatioFScale", "@brief Static method double QPaintDevice::devicePixelRatioFScale()\nThis method is static and can be called without an instance.", &_init_f_devicePixelRatioFScale_0, &_call_f_devicePixelRatioFScale_0); return methods; } @@ -524,7 +556,8 @@ static gsi::Enum decl_QPaintDevice_PaintDeviceM gsi::enum_const ("PdmDpiY", QPaintDevice::PdmDpiY, "@brief Enum constant QPaintDevice::PdmDpiY") + gsi::enum_const ("PdmPhysicalDpiX", QPaintDevice::PdmPhysicalDpiX, "@brief Enum constant QPaintDevice::PdmPhysicalDpiX") + gsi::enum_const ("PdmPhysicalDpiY", QPaintDevice::PdmPhysicalDpiY, "@brief Enum constant QPaintDevice::PdmPhysicalDpiY") + - gsi::enum_const ("PdmDevicePixelRatio", QPaintDevice::PdmDevicePixelRatio, "@brief Enum constant QPaintDevice::PdmDevicePixelRatio"), + gsi::enum_const ("PdmDevicePixelRatio", QPaintDevice::PdmDevicePixelRatio, "@brief Enum constant QPaintDevice::PdmDevicePixelRatio") + + gsi::enum_const ("PdmDevicePixelRatioScaled", QPaintDevice::PdmDevicePixelRatioScaled, "@brief Enum constant QPaintDevice::PdmDevicePixelRatioScaled"), "@qt\n@brief This class represents the QPaintDevice::PaintDeviceMetric enum"); static gsi::QFlagsClass decl_QPaintDevice_PaintDeviceMetric_Enums ("QtGui", "QPaintDevice_QFlags_PaintDeviceMetric", diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPaintDeviceWindow.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPaintDeviceWindow.cc index 4bb1d3bfe0..3453f3ee04 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPaintDeviceWindow.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPaintDeviceWindow.cc @@ -392,18 +392,18 @@ class QPaintDeviceWindow_Adaptor : public QPaintDeviceWindow, public qt_gsi::QtO emit QPaintDeviceWindow::destroyed(arg1); } - // [adaptor impl] bool QPaintDeviceWindow::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QPaintDeviceWindow::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QPaintDeviceWindow::eventFilter(arg1, arg2); + return QPaintDeviceWindow::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QPaintDeviceWindow_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QPaintDeviceWindow_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QPaintDeviceWindow::eventFilter(arg1, arg2); + return QPaintDeviceWindow::eventFilter(watched, event); } } @@ -570,33 +570,33 @@ class QPaintDeviceWindow_Adaptor : public QPaintDeviceWindow, public qt_gsi::QtO emit QPaintDeviceWindow::yChanged(arg); } - // [adaptor impl] void QPaintDeviceWindow::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QPaintDeviceWindow::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QPaintDeviceWindow::childEvent(arg1); + QPaintDeviceWindow::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QPaintDeviceWindow_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QPaintDeviceWindow_Adaptor::cbs_childEvent_1701_0, event); } else { - QPaintDeviceWindow::childEvent(arg1); + QPaintDeviceWindow::childEvent(event); } } - // [adaptor impl] void QPaintDeviceWindow::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPaintDeviceWindow::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QPaintDeviceWindow::customEvent(arg1); + QPaintDeviceWindow::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QPaintDeviceWindow_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QPaintDeviceWindow_Adaptor::cbs_customEvent_1217_0, event); } else { - QPaintDeviceWindow::customEvent(arg1); + QPaintDeviceWindow::customEvent(event); } } @@ -930,18 +930,18 @@ class QPaintDeviceWindow_Adaptor : public QPaintDeviceWindow, public qt_gsi::QtO } } - // [adaptor impl] void QPaintDeviceWindow::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QPaintDeviceWindow::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QPaintDeviceWindow::timerEvent(arg1); + QPaintDeviceWindow::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QPaintDeviceWindow_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QPaintDeviceWindow_Adaptor::cbs_timerEvent_1730_0, event); } else { - QPaintDeviceWindow::timerEvent(arg1); + QPaintDeviceWindow::timerEvent(event); } } @@ -1045,11 +1045,11 @@ static void _call_emitter_activeChanged_0 (const qt_gsi::GenericMethod * /*decl* } -// void QPaintDeviceWindow::childEvent(QChildEvent *) +// void QPaintDeviceWindow::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1087,11 +1087,11 @@ static void _call_emitter_contentOrientationChanged_2521 (const qt_gsi::GenericM } -// void QPaintDeviceWindow::customEvent(QEvent *) +// void QPaintDeviceWindow::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1115,7 +1115,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1124,7 +1124,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QPaintDeviceWindow_Adaptor *)cls)->emitter_QPaintDeviceWindow_destroyed_1302 (arg1); } @@ -1176,13 +1176,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QPaintDeviceWindow::eventFilter(QObject *, QEvent *) +// bool QPaintDeviceWindow::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2000,11 +2000,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QPaintDeviceWindow::timerEvent(QTimerEvent *) +// void QPaintDeviceWindow::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2208,17 +2208,17 @@ static gsi::Methods methods_QPaintDeviceWindow_Adaptor () { methods += new qt_gsi::GenericMethod ("accessibleRoot", "@brief Virtual method QAccessibleInterface *QPaintDeviceWindow::accessibleRoot()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_accessibleRoot_c0_0, &_call_cbs_accessibleRoot_c0_0); methods += new qt_gsi::GenericMethod ("accessibleRoot", "@hide", true, &_init_cbs_accessibleRoot_c0_0, &_call_cbs_accessibleRoot_c0_0, &_set_callback_cbs_accessibleRoot_c0_0); methods += new qt_gsi::GenericMethod ("emit_activeChanged", "@brief Emitter for signal void QPaintDeviceWindow::activeChanged()\nCall this method to emit this signal.", false, &_init_emitter_activeChanged_0, &_call_emitter_activeChanged_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPaintDeviceWindow::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPaintDeviceWindow::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_contentOrientationChanged", "@brief Emitter for signal void QPaintDeviceWindow::contentOrientationChanged(Qt::ScreenOrientation orientation)\nCall this method to emit this signal.", false, &_init_emitter_contentOrientationChanged_2521, &_call_emitter_contentOrientationChanged_2521); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPaintDeviceWindow::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPaintDeviceWindow::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QPaintDeviceWindow::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPaintDeviceWindow::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QPaintDeviceWindow::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPaintDeviceWindow::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPaintDeviceWindow::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*exposeEvent", "@brief Virtual method void QPaintDeviceWindow::exposeEvent(QExposeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_exposeEvent_1845_0, &_call_cbs_exposeEvent_1845_0); methods += new qt_gsi::GenericMethod ("*exposeEvent", "@hide", false, &_init_cbs_exposeEvent_1845_0, &_call_cbs_exposeEvent_1845_0, &_set_callback_cbs_exposeEvent_1845_0); @@ -2282,7 +2282,7 @@ static gsi::Methods methods_QPaintDeviceWindow_Adaptor () { methods += new qt_gsi::GenericMethod ("surfaceType", "@hide", true, &_init_cbs_surfaceType_c0_0, &_call_cbs_surfaceType_c0_0, &_set_callback_cbs_surfaceType_c0_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QPaintDeviceWindow::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPaintDeviceWindow::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPaintDeviceWindow::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*touchEvent", "@brief Virtual method void QPaintDeviceWindow::touchEvent(QTouchEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_touchEvent_1732_0, &_call_cbs_touchEvent_1732_0); methods += new qt_gsi::GenericMethod ("*touchEvent", "@hide", false, &_init_cbs_touchEvent_1732_0, &_call_cbs_touchEvent_1732_0, &_set_callback_cbs_touchEvent_1732_0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPaintEngine.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPaintEngine.cc index 31a05aa5fd..81fc0024f4 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPaintEngine.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPaintEngine.cc @@ -826,7 +826,7 @@ QPaintEngine_Adaptor::~QPaintEngine_Adaptor() { } static void _init_ctor_QPaintEngine_Adaptor_4257 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("features", true, "0"); + static gsi::ArgSpecBase argspec_0 ("features", true, "QPaintEngine::PaintEngineFeatures()"); decl->add_arg > (argspec_0); decl->set_return_new (); } @@ -835,7 +835,7 @@ static void _call_ctor_QPaintEngine_Adaptor_4257 (const qt_gsi::GenericStaticMet { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QFlags arg1 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg1 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QPaintEngine::PaintEngineFeatures(), heap); ret.write (new QPaintEngine_Adaptor (arg1)); } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPainter.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPainter.cc index 13fbf9937f..2dbf64afab 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPainter.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPainter.cc @@ -1740,7 +1740,7 @@ static void _init_f_drawPixmapFragments_10038 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("pixmap"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("hints", true, "0"); + static gsi::ArgSpecBase argspec_3 ("hints", true, "QPainter::PixmapFragmentHints()"); decl->add_arg > (argspec_3); decl->set_return (); } @@ -1752,7 +1752,7 @@ static void _call_f_drawPixmapFragments_10038 (const qt_gsi::GenericMethod * /*d const QPainter::PixmapFragment *arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); const QPixmap &arg3 = gsi::arg_reader() (args, heap); - QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QPainter::PixmapFragmentHints(), heap); __SUPPRESS_UNUSED_WARNING(ret); ((QPainter *)cls)->drawPixmapFragments (arg1, arg2, arg3, arg4); } @@ -2423,7 +2423,7 @@ static void _init_f_drawText_5501 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("text"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("br", true, "0"); + static gsi::ArgSpecBase argspec_3 ("br", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -2435,7 +2435,7 @@ static void _call_f_drawText_5501 (const qt_gsi::GenericMethod * /*decl*/, void const QRectF &arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); const QString &arg3 = gsi::arg_reader() (args, heap); - QRectF *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QRectF *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QPainter *)cls)->drawText (arg1, arg2, arg3, arg4); } @@ -2452,7 +2452,7 @@ static void _init_f_drawText_5361 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("text"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("br", true, "0"); + static gsi::ArgSpecBase argspec_3 ("br", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -2464,7 +2464,7 @@ static void _call_f_drawText_5361 (const qt_gsi::GenericMethod * /*decl*/, void const QRect &arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); const QString &arg3 = gsi::arg_reader() (args, heap); - QRect *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QRect *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QPainter *)cls)->drawText (arg1, arg2, arg3, arg4); } @@ -2487,7 +2487,7 @@ static void _init_f_drawText_6313 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_4); static gsi::ArgSpecBase argspec_5 ("text"); decl->add_arg (argspec_5); - static gsi::ArgSpecBase argspec_6 ("br", true, "0"); + static gsi::ArgSpecBase argspec_6 ("br", true, "nullptr"); decl->add_arg (argspec_6); decl->set_return (); } @@ -2502,7 +2502,7 @@ static void _call_f_drawText_6313 (const qt_gsi::GenericMethod * /*decl*/, void int arg4 = gsi::arg_reader() (args, heap); int arg5 = gsi::arg_reader() (args, heap); const QString &arg6 = gsi::arg_reader() (args, heap); - QRect *arg7 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QRect *arg7 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QPainter *)cls)->drawText (arg1, arg2, arg3, arg4, arg5, arg6, arg7); } @@ -3131,6 +3131,84 @@ static void _call_f_fillRect_3548 (const qt_gsi::GenericMethod * /*decl*/, void } +// void QPainter::fillRect(int x, int y, int w, int h, QGradient::Preset preset) + + +static void _init_f_fillRect_4710 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("x"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("y"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("w"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("h"); + decl->add_arg (argspec_3); + static gsi::ArgSpecBase argspec_4 ("preset"); + decl->add_arg::target_type & > (argspec_4); + decl->set_return (); +} + +static void _call_f_fillRect_4710 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + int arg4 = gsi::arg_reader() (args, heap); + const qt_gsi::Converter::target_type & arg5 = gsi::arg_reader::target_type & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QPainter *)cls)->fillRect (arg1, arg2, arg3, arg4, qt_gsi::QtToCppAdaptor(arg5).cref()); +} + + +// void QPainter::fillRect(const QRect &r, QGradient::Preset preset) + + +static void _init_f_fillRect_3758 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("r"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("preset"); + decl->add_arg::target_type & > (argspec_1); + decl->set_return (); +} + +static void _call_f_fillRect_3758 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QRect &arg1 = gsi::arg_reader() (args, heap); + const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QPainter *)cls)->fillRect (arg1, qt_gsi::QtToCppAdaptor(arg2).cref()); +} + + +// void QPainter::fillRect(const QRectF &r, QGradient::Preset preset) + + +static void _init_f_fillRect_3828 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("r"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("preset"); + decl->add_arg::target_type & > (argspec_1); + decl->set_return (); +} + +static void _call_f_fillRect_3828 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QRectF &arg1 = gsi::arg_reader() (args, heap); + const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QPainter *)cls)->fillRect (arg1, qt_gsi::QtToCppAdaptor(arg2).cref()); +} + + // const QFont &QPainter::font() @@ -4401,7 +4479,7 @@ static void _init_f_redirected_3615 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("device"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("offset", true, "0"); + static gsi::ArgSpecBase argspec_1 ("offset", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -4411,7 +4489,7 @@ static void _call_f_redirected_3615 (const qt_gsi::GenericStaticMethod * /*decl* __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QPaintDevice *arg1 = gsi::arg_reader() (args, heap); - QPoint *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QPoint *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QPaintDevice *)QPainter::redirected (arg1, arg2)); } @@ -4595,6 +4673,9 @@ static gsi::Methods methods_QPainter () { methods += new qt_gsi::GenericMethod ("fillRect", "@brief Method void QPainter::fillRect(int x, int y, int w, int h, Qt::BrushStyle style)\n", false, &_init_f_fillRect_4430, &_call_f_fillRect_4430); methods += new qt_gsi::GenericMethod ("fillRect", "@brief Method void QPainter::fillRect(const QRect &r, Qt::BrushStyle style)\n", false, &_init_f_fillRect_3478, &_call_f_fillRect_3478); methods += new qt_gsi::GenericMethod ("fillRect", "@brief Method void QPainter::fillRect(const QRectF &r, Qt::BrushStyle style)\n", false, &_init_f_fillRect_3548, &_call_f_fillRect_3548); + methods += new qt_gsi::GenericMethod ("fillRect", "@brief Method void QPainter::fillRect(int x, int y, int w, int h, QGradient::Preset preset)\n", false, &_init_f_fillRect_4710, &_call_f_fillRect_4710); + methods += new qt_gsi::GenericMethod ("fillRect", "@brief Method void QPainter::fillRect(const QRect &r, QGradient::Preset preset)\n", false, &_init_f_fillRect_3758, &_call_f_fillRect_3758); + methods += new qt_gsi::GenericMethod ("fillRect", "@brief Method void QPainter::fillRect(const QRectF &r, QGradient::Preset preset)\n", false, &_init_f_fillRect_3828, &_call_f_fillRect_3828); methods += new qt_gsi::GenericMethod (":font", "@brief Method const QFont &QPainter::font()\n", true, &_init_f_font_c0, &_call_f_font_c0); methods += new qt_gsi::GenericMethod ("fontInfo", "@brief Method QFontInfo QPainter::fontInfo()\n", true, &_init_f_fontInfo_c0, &_call_f_fontInfo_c0); methods += new qt_gsi::GenericMethod ("fontMetrics", "@brief Method QFontMetrics QPainter::fontMetrics()\n", true, &_init_f_fontMetrics_c0, &_call_f_fontMetrics_c0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPainter_PixmapFragment.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPainter_PixmapFragment.cc index b72827f30d..e6882c597a 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPainter_PixmapFragment.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPainter_PixmapFragment.cc @@ -93,7 +93,7 @@ namespace gsi static gsi::Methods methods_QPainter_PixmapFragment () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPainter::PixmapFragment::PixmapFragment()\nThis method creates an object of class QPainter::PixmapFragment.", &_init_ctor_QPainter_PixmapFragment_0, &_call_ctor_QPainter_PixmapFragment_0); - methods += new qt_gsi::GenericStaticMethod ("qt_create", "@brief Static method QPainter::PixmapFragment QPainter::PixmapFragment::create(const QPointF &pos, const QRectF &sourceRect, double scaleX, double scaleY, double rotation, double opacity)\nThis method is static and can be called without an instance.", &_init_f_create_7592, &_call_f_create_7592); + methods += new qt_gsi::GenericStaticMethod ("create|qt_create", "@brief Static method QPainter::PixmapFragment QPainter::PixmapFragment::create(const QPointF &pos, const QRectF &sourceRect, double scaleX, double scaleY, double rotation, double opacity)\nThis method is static and can be called without an instance.", &_init_f_create_7592, &_call_f_create_7592); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPalette.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPalette.cc index cd50f53201..c8e457e4cb 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPalette.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPalette.cc @@ -668,6 +668,21 @@ static void _call_f_operator_eq__eq__c2113 (const qt_gsi::GenericMethod * /*decl } +// const QBrush &QPalette::placeholderText() + + +static void _init_f_placeholderText_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_placeholderText_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((const QBrush &)((QPalette *)cls)->placeholderText ()); +} + + // QPalette QPalette::resolve(const QPalette &) @@ -1002,6 +1017,7 @@ static gsi::Methods methods_QPalette () { methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QPalette::operator!=(const QPalette &p)\n", true, &_init_f_operator_excl__eq__c2113, &_call_f_operator_excl__eq__c2113); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QPalette &QPalette::operator=(const QPalette &palette)\n", false, &_init_f_operator_eq__2113, &_call_f_operator_eq__2113); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QPalette::operator==(const QPalette &p)\n", true, &_init_f_operator_eq__eq__c2113, &_call_f_operator_eq__eq__c2113); + methods += new qt_gsi::GenericMethod ("placeholderText", "@brief Method const QBrush &QPalette::placeholderText()\n", true, &_init_f_placeholderText_c0, &_call_f_placeholderText_c0); methods += new qt_gsi::GenericMethod ("resolve", "@brief Method QPalette QPalette::resolve(const QPalette &)\n", true, &_init_f_resolve_c2113, &_call_f_resolve_c2113); methods += new qt_gsi::GenericMethod ("setBrush", "@brief Method void QPalette::setBrush(QPalette::ColorRole cr, const QBrush &brush)\n", false, &_init_f_setBrush_4067, &_call_f_setBrush_4067); methods += new qt_gsi::GenericMethod ("setBrush", "@brief Method void QPalette::setBrush(QPalette::ColorGroup cg, QPalette::ColorRole cr, const QBrush &brush)\n", false, &_init_f_setBrush_6347, &_call_f_setBrush_6347); @@ -1079,6 +1095,7 @@ static gsi::Enum decl_QPalette_ColorRole_Enum ("QtGui", "QP gsi::enum_const ("NoRole", QPalette::NoRole, "@brief Enum constant QPalette::NoRole") + gsi::enum_const ("ToolTipBase", QPalette::ToolTipBase, "@brief Enum constant QPalette::ToolTipBase") + gsi::enum_const ("ToolTipText", QPalette::ToolTipText, "@brief Enum constant QPalette::ToolTipText") + + gsi::enum_const ("PlaceholderText", QPalette::PlaceholderText, "@brief Enum constant QPalette::PlaceholderText") + gsi::enum_const ("NColorRoles", QPalette::NColorRoles, "@brief Enum constant QPalette::NColorRoles") + gsi::enum_const ("Foreground", QPalette::Foreground, "@brief Enum constant QPalette::Foreground") + gsi::enum_const ("Background", QPalette::Background, "@brief Enum constant QPalette::Background"), diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPdfWriter.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPdfWriter.cc index ac702aeae5..8f9bdd18c8 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPdfWriter.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPdfWriter.cc @@ -92,6 +92,21 @@ static void _call_f_newPage_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// QPagedPaintDevice::PdfVersion QPdfWriter::pdfVersion() + + +static void _init_f_pdfVersion_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_pdfVersion_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QPdfWriter *)cls)->pdfVersion ())); +} + + // int QPdfWriter::resolution() @@ -187,6 +202,26 @@ static void _call_f_setPageSizeMM_1875 (const qt_gsi::GenericMethod * /*decl*/, } +// void QPdfWriter::setPdfVersion(QPagedPaintDevice::PdfVersion version) + + +static void _init_f_setPdfVersion_3238 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("version"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_setPdfVersion_3238 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QPdfWriter *)cls)->setPdfVersion (qt_gsi::QtToCppAdaptor(arg1).cref()); +} + + // void QPdfWriter::setResolution(int resolution) @@ -345,11 +380,13 @@ static gsi::Methods methods_QPdfWriter () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":creator", "@brief Method QString QPdfWriter::creator()\n", true, &_init_f_creator_c0, &_call_f_creator_c0); methods += new qt_gsi::GenericMethod ("newPage", "@brief Method bool QPdfWriter::newPage()\nThis is a reimplementation of QPagedPaintDevice::newPage", false, &_init_f_newPage_0, &_call_f_newPage_0); + methods += new qt_gsi::GenericMethod ("pdfVersion", "@brief Method QPagedPaintDevice::PdfVersion QPdfWriter::pdfVersion()\n", true, &_init_f_pdfVersion_c0, &_call_f_pdfVersion_c0); methods += new qt_gsi::GenericMethod (":resolution", "@brief Method int QPdfWriter::resolution()\n", true, &_init_f_resolution_c0, &_call_f_resolution_c0); methods += new qt_gsi::GenericMethod ("setCreator|creator=", "@brief Method void QPdfWriter::setCreator(const QString &creator)\n", false, &_init_f_setCreator_2025, &_call_f_setCreator_2025); methods += new qt_gsi::GenericMethod ("setMargins", "@brief Method void QPdfWriter::setMargins(const QPagedPaintDevice::Margins &m)\nThis is a reimplementation of QPagedPaintDevice::setMargins", false, &_init_f_setMargins_3812, &_call_f_setMargins_3812); methods += new qt_gsi::GenericMethod ("setPageSize|pageSize=", "@brief Method void QPdfWriter::setPageSize(QPagedPaintDevice::PageSize size)\nThis is a reimplementation of QPagedPaintDevice::setPageSize", false, &_init_f_setPageSize_3006, &_call_f_setPageSize_3006); methods += new qt_gsi::GenericMethod ("setPageSizeMM", "@brief Method void QPdfWriter::setPageSizeMM(const QSizeF &size)\nThis is a reimplementation of QPagedPaintDevice::setPageSizeMM", false, &_init_f_setPageSizeMM_1875, &_call_f_setPageSizeMM_1875); + methods += new qt_gsi::GenericMethod ("setPdfVersion", "@brief Method void QPdfWriter::setPdfVersion(QPagedPaintDevice::PdfVersion version)\n", false, &_init_f_setPdfVersion_3238, &_call_f_setPdfVersion_3238); methods += new qt_gsi::GenericMethod ("setResolution|resolution=", "@brief Method void QPdfWriter::setResolution(int resolution)\n", false, &_init_f_setResolution_767, &_call_f_setResolution_767); methods += new qt_gsi::GenericMethod ("setTitle|title=", "@brief Method void QPdfWriter::setTitle(const QString &title)\n", false, &_init_f_setTitle_2025, &_call_f_setTitle_2025); methods += new qt_gsi::GenericMethod (":title", "@brief Method QString QPdfWriter::title()\n", true, &_init_f_title_c0, &_call_f_title_c0); @@ -435,33 +472,33 @@ class QPdfWriter_Adaptor : public QPdfWriter, public qt_gsi::QtObjectBase emit QPdfWriter::destroyed(arg1); } - // [adaptor impl] bool QPdfWriter::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QPdfWriter::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QPdfWriter::event(arg1); + return QPdfWriter::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QPdfWriter_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QPdfWriter_Adaptor::cbs_event_1217_0, _event); } else { - return QPdfWriter::event(arg1); + return QPdfWriter::event(_event); } } - // [adaptor impl] bool QPdfWriter::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QPdfWriter::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QPdfWriter::eventFilter(arg1, arg2); + return QPdfWriter::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QPdfWriter_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QPdfWriter_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QPdfWriter::eventFilter(arg1, arg2); + return QPdfWriter::eventFilter(watched, event); } } @@ -532,33 +569,33 @@ class QPdfWriter_Adaptor : public QPdfWriter, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPdfWriter::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QPdfWriter::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QPdfWriter::childEvent(arg1); + QPdfWriter::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QPdfWriter_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QPdfWriter_Adaptor::cbs_childEvent_1701_0, event); } else { - QPdfWriter::childEvent(arg1); + QPdfWriter::childEvent(event); } } - // [adaptor impl] void QPdfWriter::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPdfWriter::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QPdfWriter::customEvent(arg1); + QPdfWriter::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QPdfWriter_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QPdfWriter_Adaptor::cbs_customEvent_1217_0, event); } else { - QPdfWriter::customEvent(arg1); + QPdfWriter::customEvent(event); } } @@ -652,18 +689,18 @@ class QPdfWriter_Adaptor : public QPdfWriter, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPdfWriter::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QPdfWriter::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QPdfWriter::timerEvent(arg1); + QPdfWriter::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QPdfWriter_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QPdfWriter_Adaptor::cbs_timerEvent_1730_0, event); } else { - QPdfWriter::timerEvent(arg1); + QPdfWriter::timerEvent(event); } } @@ -722,11 +759,11 @@ static void _call_ctor_QPdfWriter_Adaptor_1447 (const qt_gsi::GenericStaticMetho } -// void QPdfWriter::childEvent(QChildEvent *) +// void QPdfWriter::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -746,11 +783,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QPdfWriter::customEvent(QEvent *) +// void QPdfWriter::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -774,7 +811,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -783,7 +820,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QPdfWriter_Adaptor *)cls)->emitter_QPdfWriter_destroyed_1302 (arg1); } @@ -840,11 +877,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QPdfWriter::event(QEvent *) +// bool QPdfWriter::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -863,13 +900,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QPdfWriter::eventFilter(QObject *, QEvent *) +// bool QPdfWriter::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1170,11 +1207,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QPdfWriter::timerEvent(QTimerEvent *) +// void QPdfWriter::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1203,18 +1240,18 @@ static gsi::Methods methods_QPdfWriter_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPdfWriter::QPdfWriter(const QString &filename)\nThis method creates an object of class QPdfWriter.", &_init_ctor_QPdfWriter_Adaptor_2025, &_call_ctor_QPdfWriter_Adaptor_2025); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPdfWriter::QPdfWriter(QIODevice *device)\nThis method creates an object of class QPdfWriter.", &_init_ctor_QPdfWriter_Adaptor_1447, &_call_ctor_QPdfWriter_Adaptor_1447); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPdfWriter::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPdfWriter::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPdfWriter::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPdfWriter::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QPdfWriter::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*devicePageLayout", "@brief Method QPageLayout QPdfWriter::devicePageLayout()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_devicePageLayout_c0, &_call_fp_devicePageLayout_c0); methods += new qt_gsi::GenericMethod ("*devicePageLayout", "@brief Method QPageLayout &QPdfWriter::devicePageLayout()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_devicePageLayout_0, &_call_fp_devicePageLayout_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPdfWriter::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QPdfWriter::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QPdfWriter::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPdfWriter::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPdfWriter::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QPdfWriter::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -1239,7 +1276,7 @@ static gsi::Methods methods_QPdfWriter_Adaptor () { methods += new qt_gsi::GenericMethod ("setPageSizeMM", "@hide", false, &_init_cbs_setPageSizeMM_1875_0, &_call_cbs_setPageSizeMM_1875_0, &_set_callback_cbs_setPageSizeMM_1875_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QPdfWriter::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPdfWriter::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPdfWriter::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPicture.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPicture.cc index b586c14f5c..8da6b38a1b 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPicture.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPicture.cc @@ -124,7 +124,7 @@ static void _init_f_load_3070 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("dev"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "0"); + static gsi::ArgSpecBase argspec_1 ("format", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -134,7 +134,7 @@ static void _call_f_load_3070 (const qt_gsi::GenericMethod * /*decl*/, void *cls __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QIODevice *arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QPicture *)cls)->load (arg1, arg2)); } @@ -146,7 +146,7 @@ static void _init_f_load_3648 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("fileName"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "0"); + static gsi::ArgSpecBase argspec_1 ("format", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -156,7 +156,7 @@ static void _call_f_load_3648 (const qt_gsi::GenericMethod * /*decl*/, void *cls __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QPicture *)cls)->load (arg1, arg2)); } @@ -221,7 +221,7 @@ static void _init_f_save_3070 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("dev"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "0"); + static gsi::ArgSpecBase argspec_1 ("format", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -231,7 +231,7 @@ static void _call_f_save_3070 (const qt_gsi::GenericMethod * /*decl*/, void *cls __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QIODevice *arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QPicture *)cls)->save (arg1, arg2)); } @@ -243,7 +243,7 @@ static void _init_f_save_3648 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("fileName"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "0"); + static gsi::ArgSpecBase argspec_1 ("format", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -253,7 +253,7 @@ static void _call_f_save_3648 (const qt_gsi::GenericMethod * /*decl*/, void *cls __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QPicture *)cls)->save (arg1, arg2)); } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPictureFormatPlugin.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPictureFormatPlugin.cc index 02c0ecdab1..1159c437c3 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPictureFormatPlugin.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPictureFormatPlugin.cc @@ -245,33 +245,33 @@ class QPictureFormatPlugin_Adaptor : public QPictureFormatPlugin, public qt_gsi: emit QPictureFormatPlugin::destroyed(arg1); } - // [adaptor impl] bool QPictureFormatPlugin::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QPictureFormatPlugin::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QPictureFormatPlugin::event(arg1); + return QPictureFormatPlugin::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QPictureFormatPlugin_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QPictureFormatPlugin_Adaptor::cbs_event_1217_0, _event); } else { - return QPictureFormatPlugin::event(arg1); + return QPictureFormatPlugin::event(_event); } } - // [adaptor impl] bool QPictureFormatPlugin::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QPictureFormatPlugin::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QPictureFormatPlugin::eventFilter(arg1, arg2); + return QPictureFormatPlugin::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QPictureFormatPlugin_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QPictureFormatPlugin_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QPictureFormatPlugin::eventFilter(arg1, arg2); + return QPictureFormatPlugin::eventFilter(watched, event); } } @@ -328,33 +328,33 @@ class QPictureFormatPlugin_Adaptor : public QPictureFormatPlugin, public qt_gsi: } } - // [adaptor impl] void QPictureFormatPlugin::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QPictureFormatPlugin::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QPictureFormatPlugin::childEvent(arg1); + QPictureFormatPlugin::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QPictureFormatPlugin_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QPictureFormatPlugin_Adaptor::cbs_childEvent_1701_0, event); } else { - QPictureFormatPlugin::childEvent(arg1); + QPictureFormatPlugin::childEvent(event); } } - // [adaptor impl] void QPictureFormatPlugin::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPictureFormatPlugin::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QPictureFormatPlugin::customEvent(arg1); + QPictureFormatPlugin::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QPictureFormatPlugin_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QPictureFormatPlugin_Adaptor::cbs_customEvent_1217_0, event); } else { - QPictureFormatPlugin::customEvent(arg1); + QPictureFormatPlugin::customEvent(event); } } @@ -373,18 +373,18 @@ class QPictureFormatPlugin_Adaptor : public QPictureFormatPlugin, public qt_gsi: } } - // [adaptor impl] void QPictureFormatPlugin::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QPictureFormatPlugin::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QPictureFormatPlugin::timerEvent(arg1); + QPictureFormatPlugin::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QPictureFormatPlugin_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QPictureFormatPlugin_Adaptor::cbs_timerEvent_1730_0, event); } else { - QPictureFormatPlugin::timerEvent(arg1); + QPictureFormatPlugin::timerEvent(event); } } @@ -405,7 +405,7 @@ QPictureFormatPlugin_Adaptor::~QPictureFormatPlugin_Adaptor() { } static void _init_ctor_QPictureFormatPlugin_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -414,16 +414,16 @@ static void _call_ctor_QPictureFormatPlugin_Adaptor_1302 (const qt_gsi::GenericS { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QPictureFormatPlugin_Adaptor (arg1)); } -// void QPictureFormatPlugin::childEvent(QChildEvent *) +// void QPictureFormatPlugin::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -443,11 +443,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QPictureFormatPlugin::customEvent(QEvent *) +// void QPictureFormatPlugin::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -471,7 +471,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -480,7 +480,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QPictureFormatPlugin_Adaptor *)cls)->emitter_QPictureFormatPlugin_destroyed_1302 (arg1); } @@ -509,11 +509,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QPictureFormatPlugin::event(QEvent *) +// bool QPictureFormatPlugin::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -532,13 +532,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QPictureFormatPlugin::eventFilter(QObject *, QEvent *) +// bool QPictureFormatPlugin::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -721,11 +721,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QPictureFormatPlugin::timerEvent(QTimerEvent *) +// void QPictureFormatPlugin::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -753,16 +753,16 @@ gsi::Class &qtdecl_QPictureFormatPlugin (); static gsi::Methods methods_QPictureFormatPlugin_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPictureFormatPlugin::QPictureFormatPlugin(QObject *parent)\nThis method creates an object of class QPictureFormatPlugin.", &_init_ctor_QPictureFormatPlugin_Adaptor_1302, &_call_ctor_QPictureFormatPlugin_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPictureFormatPlugin::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPictureFormatPlugin::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPictureFormatPlugin::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPictureFormatPlugin::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QPictureFormatPlugin::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPictureFormatPlugin::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QPictureFormatPlugin::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QPictureFormatPlugin::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPictureFormatPlugin::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPictureFormatPlugin::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("installIOHandler", "@brief Virtual method bool QPictureFormatPlugin::installIOHandler(const QString &format)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_installIOHandler_2025_0, &_call_cbs_installIOHandler_2025_0); methods += new qt_gsi::GenericMethod ("installIOHandler", "@hide", false, &_init_cbs_installIOHandler_2025_0, &_call_cbs_installIOHandler_2025_0, &_set_callback_cbs_installIOHandler_2025_0); @@ -775,7 +775,7 @@ static gsi::Methods methods_QPictureFormatPlugin_Adaptor () { methods += new qt_gsi::GenericMethod ("savePicture", "@hide", false, &_init_cbs_savePicture_5960_0, &_call_cbs_savePicture_5960_0, &_set_callback_cbs_savePicture_5960_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QPictureFormatPlugin::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QPictureFormatPlugin::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPictureFormatPlugin::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPictureFormatPlugin::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPixmap.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPixmap.cc index 1cbdcbb0fb..7aa2144945 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPixmap.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPixmap.cc @@ -387,7 +387,7 @@ static void _init_f_load_6908 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("fileName"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "0"); + static gsi::ArgSpecBase argspec_1 ("format", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("flags", true, "Qt::AutoColor"); decl->add_arg > (argspec_2); @@ -399,7 +399,7 @@ static void _call_f_load_6908 (const qt_gsi::GenericMethod * /*decl*/, void *cls __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::AutoColor, heap); ret.write ((bool)((QPixmap *)cls)->load (arg1, arg2, arg3)); } @@ -414,7 +414,7 @@ static void _init_f_loadFromData_9283 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("len"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("format", true, "0"); + static gsi::ArgSpecBase argspec_2 ("format", true, "nullptr"); decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("flags", true, "Qt::AutoColor"); decl->add_arg > (argspec_3); @@ -427,7 +427,7 @@ static void _call_f_loadFromData_9283 (const qt_gsi::GenericMethod * /*decl*/, v tl::Heap heap; const unsigned char *arg1 = gsi::arg_reader() (args, heap); unsigned int arg2 = gsi::arg_reader() (args, heap); - const char *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::AutoColor, heap); ret.write ((bool)((QPixmap *)cls)->loadFromData (arg1, arg2, arg3, arg4)); } @@ -440,7 +440,7 @@ static void _init_f_loadFromData_7192 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("data"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "0"); + static gsi::ArgSpecBase argspec_1 ("format", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("flags", true, "Qt::AutoColor"); decl->add_arg > (argspec_2); @@ -452,7 +452,7 @@ static void _call_f_loadFromData_7192 (const qt_gsi::GenericMethod * /*decl*/, v __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QByteArray &arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::AutoColor, heap); ret.write ((bool)((QPixmap *)cls)->loadFromData (arg1, arg2, arg3)); } @@ -544,7 +544,7 @@ static void _init_f_save_c4307 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("fileName"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "0"); + static gsi::ArgSpecBase argspec_1 ("format", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("quality", true, "-1"); decl->add_arg (argspec_2); @@ -556,7 +556,7 @@ static void _call_f_save_c4307 (const qt_gsi::GenericMethod * /*decl*/, void *cl __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); ret.write ((bool)((QPixmap *)cls)->save (arg1, arg2, arg3)); } @@ -569,7 +569,7 @@ static void _init_f_save_c3729 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("device"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "0"); + static gsi::ArgSpecBase argspec_1 ("format", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("quality", true, "-1"); decl->add_arg (argspec_2); @@ -581,7 +581,7 @@ static void _call_f_save_c3729 (const qt_gsi::GenericMethod * /*decl*/, void *cl __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QIODevice *arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); ret.write ((bool)((QPixmap *)cls)->save (arg1, arg2, arg3)); } @@ -701,7 +701,7 @@ static void _init_f_scroll_5269 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_4); static gsi::ArgSpecBase argspec_5 ("height"); decl->add_arg (argspec_5); - static gsi::ArgSpecBase argspec_6 ("exposed", true, "0"); + static gsi::ArgSpecBase argspec_6 ("exposed", true, "nullptr"); decl->add_arg (argspec_6); decl->set_return (); } @@ -716,7 +716,7 @@ static void _call_f_scroll_5269 (const qt_gsi::GenericMethod * /*decl*/, void *c int arg4 = gsi::arg_reader() (args, heap); int arg5 = gsi::arg_reader() (args, heap); int arg6 = gsi::arg_reader() (args, heap); - QRegion *arg7 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QRegion *arg7 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QPixmap *)cls)->scroll (arg1, arg2, arg3, arg4, arg5, arg6, arg7); } @@ -733,7 +733,7 @@ static void _init_f_scroll_4317 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("rect"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("exposed", true, "0"); + static gsi::ArgSpecBase argspec_3 ("exposed", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -745,7 +745,7 @@ static void _call_f_scroll_4317 (const qt_gsi::GenericMethod * /*decl*/, void *c int arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); const QRect &arg3 = gsi::arg_reader() (args, heap); - QRegion *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QRegion *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QPixmap *)cls)->scroll (arg1, arg2, arg3, arg4); } @@ -1358,7 +1358,7 @@ static void _init_ctor_QPixmap_Adaptor_6908 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("fileName"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "0"); + static gsi::ArgSpecBase argspec_1 ("format", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("flags", true, "Qt::AutoColor"); decl->add_arg > (argspec_2); @@ -1370,7 +1370,7 @@ static void _call_ctor_QPixmap_Adaptor_6908 (const qt_gsi::GenericStaticMethod * __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::AutoColor, heap); ret.write (new QPixmap_Adaptor (arg1, arg2, arg3)); } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPointingDeviceUniqueId.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPointingDeviceUniqueId.cc new file mode 100644 index 0000000000..05a166d09c --- /dev/null +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPointingDeviceUniqueId.cc @@ -0,0 +1,135 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +/** +* @file gsiDeclQPointingDeviceUniqueId.cc +* +* DO NOT EDIT THIS FILE. +* This file has been created automatically +*/ + +#include +#include "gsiQt.h" +#include "gsiQtGuiCommon.h" +#include + +// ----------------------------------------------------------------------- +// class QPointingDeviceUniqueId + +// Constructor QPointingDeviceUniqueId::QPointingDeviceUniqueId() + + +static void _init_ctor_QPointingDeviceUniqueId_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return_new (); +} + +static void _call_ctor_QPointingDeviceUniqueId_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write (new QPointingDeviceUniqueId ()); +} + + +// bool QPointingDeviceUniqueId::isValid() + + +static void _init_f_isValid_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isValid_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QPointingDeviceUniqueId *)cls)->isValid ()); +} + + +// qint64 QPointingDeviceUniqueId::numericId() + + +static void _init_f_numericId_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_numericId_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((qint64)((QPointingDeviceUniqueId *)cls)->numericId ()); +} + + +// static QPointingDeviceUniqueId QPointingDeviceUniqueId::fromNumericId(qint64 id) + + +static void _init_f_fromNumericId_986 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("id"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_fromNumericId_986 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + ret.write ((QPointingDeviceUniqueId)QPointingDeviceUniqueId::fromNumericId (arg1)); +} + + +// bool ::operator==(QPointingDeviceUniqueId lhs, QPointingDeviceUniqueId rhs) +static bool op_QPointingDeviceUniqueId_operator_eq__eq__5398(QPointingDeviceUniqueId *_self, QPointingDeviceUniqueId rhs) { + return ::operator==(*_self, rhs); +} + +// bool ::operator!=(QPointingDeviceUniqueId lhs, QPointingDeviceUniqueId rhs) +static bool op_QPointingDeviceUniqueId_operator_excl__eq__5398(QPointingDeviceUniqueId *_self, QPointingDeviceUniqueId rhs) { + return ::operator!=(*_self, rhs); +} + + +namespace gsi +{ + +static gsi::Methods methods_QPointingDeviceUniqueId () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPointingDeviceUniqueId::QPointingDeviceUniqueId()\nThis method creates an object of class QPointingDeviceUniqueId.", &_init_ctor_QPointingDeviceUniqueId_0, &_call_ctor_QPointingDeviceUniqueId_0); + methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QPointingDeviceUniqueId::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); + methods += new qt_gsi::GenericMethod ("numericId", "@brief Method qint64 QPointingDeviceUniqueId::numericId()\n", true, &_init_f_numericId_c0, &_call_f_numericId_c0); + methods += new qt_gsi::GenericStaticMethod ("fromNumericId", "@brief Static method QPointingDeviceUniqueId QPointingDeviceUniqueId::fromNumericId(qint64 id)\nThis method is static and can be called without an instance.", &_init_f_fromNumericId_986, &_call_f_fromNumericId_986); + methods += gsi::method_ext("==", &::op_QPointingDeviceUniqueId_operator_eq__eq__5398, gsi::arg ("rhs"), "@brief Operator bool ::operator==(QPointingDeviceUniqueId lhs, QPointingDeviceUniqueId rhs)\nThis is the mapping of the global operator to the instance method."); + methods += gsi::method_ext("!=", &::op_QPointingDeviceUniqueId_operator_excl__eq__5398, gsi::arg ("rhs"), "@brief Operator bool ::operator!=(QPointingDeviceUniqueId lhs, QPointingDeviceUniqueId rhs)\nThis is the mapping of the global operator to the instance method."); + return methods; +} + +gsi::Class decl_QPointingDeviceUniqueId ("QtGui", "QPointingDeviceUniqueId", + methods_QPointingDeviceUniqueId (), + "@qt\n@brief Binding of QPointingDeviceUniqueId"); + + +GSI_QTGUI_PUBLIC gsi::Class &qtdecl_QPointingDeviceUniqueId () { return decl_QPointingDeviceUniqueId; } + +} + diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPolygon.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPolygon.cc index e0289cd0f6..cb089c4216 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPolygon.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPolygon.cc @@ -178,25 +178,6 @@ static void _call_ctor_QPolygon_767 (const qt_gsi::GenericStaticMethod * /*decl* } -// Constructor QPolygon::QPolygon(const QPolygon &a) - - -static void _init_ctor_QPolygon_2138 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("a"); - decl->add_arg (argspec_0); - decl->set_return_new (); -} - -static void _call_ctor_QPolygon_2138 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QPolygon &arg1 = gsi::arg_reader() (args, heap); - ret.write (new QPolygon (arg1)); -} - - // Constructor QPolygon::QPolygon(const QVector &v) @@ -238,6 +219,25 @@ static void _call_ctor_QPolygon_2548 (const qt_gsi::GenericStaticMethod * /*decl } +// Constructor QPolygon::QPolygon(const QPolygon &other) + + +static void _init_ctor_QPolygon_2138 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QPolygon_2138 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPolygon &arg1 = gsi::arg_reader() (args, heap); + ret.write (new QPolygon (arg1)); +} + + // QRect QPolygon::boundingRect() @@ -294,6 +294,44 @@ static void _call_f_intersected_c2138 (const qt_gsi::GenericMethod * /*decl*/, v } +// bool QPolygon::intersects(const QPolygon &r) + + +static void _init_f_intersects_c2138 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("r"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_intersects_c2138 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPolygon &arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QPolygon *)cls)->intersects (arg1)); +} + + +// QPolygon &QPolygon::operator=(const QPolygon &other) + + +static void _init_f_operator_eq__2138 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_eq__2138 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPolygon &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QPolygon &)((QPolygon *)cls)->operator= (arg1)); +} + + // void QPolygon::point(int i, int *x, int *y) @@ -632,12 +670,14 @@ static gsi::Methods methods_QPolygon () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPolygon::QPolygon()\nThis method creates an object of class QPolygon.", &_init_ctor_QPolygon_0, &_call_ctor_QPolygon_0); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPolygon::QPolygon(int size)\nThis method creates an object of class QPolygon.", &_init_ctor_QPolygon_767, &_call_ctor_QPolygon_767); - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPolygon::QPolygon(const QPolygon &a)\nThis method creates an object of class QPolygon.", &_init_ctor_QPolygon_2138, &_call_ctor_QPolygon_2138); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPolygon::QPolygon(const QVector &v)\nThis method creates an object of class QPolygon.", &_init_ctor_QPolygon_2746, &_call_ctor_QPolygon_2746); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPolygon::QPolygon(const QRect &r, bool closed)\nThis method creates an object of class QPolygon.", &_init_ctor_QPolygon_2548, &_call_ctor_QPolygon_2548); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPolygon::QPolygon(const QPolygon &other)\nThis method creates an object of class QPolygon.", &_init_ctor_QPolygon_2138, &_call_ctor_QPolygon_2138); methods += new qt_gsi::GenericMethod ("boundingRect", "@brief Method QRect QPolygon::boundingRect()\n", true, &_init_f_boundingRect_c0, &_call_f_boundingRect_c0); methods += new qt_gsi::GenericMethod ("containsPoint", "@brief Method bool QPolygon::containsPoint(const QPoint &pt, Qt::FillRule fillRule)\n", true, &_init_f_containsPoint_c3356, &_call_f_containsPoint_c3356); methods += new qt_gsi::GenericMethod ("intersected", "@brief Method QPolygon QPolygon::intersected(const QPolygon &r)\n", true, &_init_f_intersected_c2138, &_call_f_intersected_c2138); + methods += new qt_gsi::GenericMethod ("intersects", "@brief Method bool QPolygon::intersects(const QPolygon &r)\n", true, &_init_f_intersects_c2138, &_call_f_intersects_c2138); + methods += new qt_gsi::GenericMethod ("assign", "@brief Method QPolygon &QPolygon::operator=(const QPolygon &other)\n", false, &_init_f_operator_eq__2138, &_call_f_operator_eq__2138); methods += new qt_gsi::GenericMethod ("point", "@brief Method void QPolygon::point(int i, int *x, int *y)\n", true, &_init_f_point_c2457, &_call_f_point_c2457); methods += new qt_gsi::GenericMethod ("point", "@brief Method QPoint QPolygon::point(int i)\n", true, &_init_f_point_c767, &_call_f_point_c767); methods += new qt_gsi::GenericMethod ("putPoints", "@brief Method void QPolygon::putPoints(int index, int nPoints, int firstx, int firsty, ...)\n", false, &_init_f_putPoints_2744, &_call_f_putPoints_2744); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPolygonF.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPolygonF.cc index 28d4f60d20..88849836de 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPolygonF.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPolygonF.cc @@ -179,25 +179,6 @@ static void _call_ctor_QPolygonF_767 (const qt_gsi::GenericStaticMethod * /*decl } -// Constructor QPolygonF::QPolygonF(const QPolygonF &a) - - -static void _init_ctor_QPolygonF_2208 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("a"); - decl->add_arg (argspec_0); - decl->set_return_new (); -} - -static void _call_ctor_QPolygonF_2208 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QPolygonF &arg1 = gsi::arg_reader() (args, heap); - ret.write (new QPolygonF (arg1)); -} - - // Constructor QPolygonF::QPolygonF(const QVector &v) @@ -255,6 +236,25 @@ static void _call_ctor_QPolygonF_2138 (const qt_gsi::GenericStaticMethod * /*dec } +// Constructor QPolygonF::QPolygonF(const QPolygonF &a) + + +static void _init_ctor_QPolygonF_2208 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("a"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QPolygonF_2208 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPolygonF &arg1 = gsi::arg_reader() (args, heap); + ret.write (new QPolygonF (arg1)); +} + + // QRectF QPolygonF::boundingRect() @@ -311,6 +311,25 @@ static void _call_f_intersected_c2208 (const qt_gsi::GenericMethod * /*decl*/, v } +// bool QPolygonF::intersects(const QPolygonF &r) + + +static void _init_f_intersects_c2208 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("r"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_intersects_c2208 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPolygonF &arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QPolygonF *)cls)->intersects (arg1)); +} + + // bool QPolygonF::isClosed() @@ -326,6 +345,25 @@ static void _call_f_isClosed_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } +// QPolygonF &QPolygonF::operator=(const QPolygonF &other) + + +static void _init_f_operator_eq__2208 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_eq__2208 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPolygonF &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QPolygonF &)((QPolygonF *)cls)->operator= (arg1)); +} + + // QPolygonF QPolygonF::subtracted(const QPolygonF &r) @@ -501,14 +539,16 @@ static gsi::Methods methods_QPolygonF () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPolygonF::QPolygonF()\nThis method creates an object of class QPolygonF.", &_init_ctor_QPolygonF_0, &_call_ctor_QPolygonF_0); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPolygonF::QPolygonF(int size)\nThis method creates an object of class QPolygonF.", &_init_ctor_QPolygonF_767, &_call_ctor_QPolygonF_767); - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPolygonF::QPolygonF(const QPolygonF &a)\nThis method creates an object of class QPolygonF.", &_init_ctor_QPolygonF_2208, &_call_ctor_QPolygonF_2208); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPolygonF::QPolygonF(const QVector &v)\nThis method creates an object of class QPolygonF.", &_init_ctor_QPolygonF_2816, &_call_ctor_QPolygonF_2816); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPolygonF::QPolygonF(const QRectF &r)\nThis method creates an object of class QPolygonF.", &_init_ctor_QPolygonF_1862, &_call_ctor_QPolygonF_1862); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPolygonF::QPolygonF(const QPolygon &a)\nThis method creates an object of class QPolygonF.", &_init_ctor_QPolygonF_2138, &_call_ctor_QPolygonF_2138); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPolygonF::QPolygonF(const QPolygonF &a)\nThis method creates an object of class QPolygonF.", &_init_ctor_QPolygonF_2208, &_call_ctor_QPolygonF_2208); methods += new qt_gsi::GenericMethod ("boundingRect", "@brief Method QRectF QPolygonF::boundingRect()\n", true, &_init_f_boundingRect_c0, &_call_f_boundingRect_c0); methods += new qt_gsi::GenericMethod ("containsPoint", "@brief Method bool QPolygonF::containsPoint(const QPointF &pt, Qt::FillRule fillRule)\n", true, &_init_f_containsPoint_c3426, &_call_f_containsPoint_c3426); methods += new qt_gsi::GenericMethod ("intersected", "@brief Method QPolygonF QPolygonF::intersected(const QPolygonF &r)\n", true, &_init_f_intersected_c2208, &_call_f_intersected_c2208); + methods += new qt_gsi::GenericMethod ("intersects", "@brief Method bool QPolygonF::intersects(const QPolygonF &r)\n", true, &_init_f_intersects_c2208, &_call_f_intersects_c2208); methods += new qt_gsi::GenericMethod ("isClosed?", "@brief Method bool QPolygonF::isClosed()\n", true, &_init_f_isClosed_c0, &_call_f_isClosed_c0); + methods += new qt_gsi::GenericMethod ("assign", "@brief Method QPolygonF &QPolygonF::operator=(const QPolygonF &other)\n", false, &_init_f_operator_eq__2208, &_call_f_operator_eq__2208); methods += new qt_gsi::GenericMethod ("subtracted", "@brief Method QPolygonF QPolygonF::subtracted(const QPolygonF &r)\n", true, &_init_f_subtracted_c2208, &_call_f_subtracted_c2208); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QPolygonF::swap(QPolygonF &other)\n", false, &_init_f_swap_1513, &_call_f_swap_1513); methods += new qt_gsi::GenericMethod ("toPolygon", "@brief Method QPolygon QPolygonF::toPolygon()\n", true, &_init_f_toPolygon_c0, &_call_f_toPolygon_c0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQQuaternion.cc b/src/gsiqt/qt5/QtGui/gsiDeclQQuaternion.cc index 852dc1b3c2..6d952053cd 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQQuaternion.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQQuaternion.cc @@ -941,16 +941,16 @@ static void _call_f_slerp_5666 (const qt_gsi::GenericStaticMethod * /*decl*/, gs } -// const QQuaternion ::operator*(const QQuaternion &q1, const QQuaternion &q2) -static const QQuaternion op_QQuaternion_operator_star__4804(const QQuaternion *_self, const QQuaternion &q2) { - return ::operator*(*_self, q2); -} - // bool ::operator==(const QQuaternion &q1, const QQuaternion &q2) static bool op_QQuaternion_operator_eq__eq__4804(const QQuaternion *_self, const QQuaternion &q2) { return ::operator==(*_self, q2); } +// const QQuaternion ::operator*(const QQuaternion &q1, const QQuaternion &q2) +static const QQuaternion op_QQuaternion_operator_star__4804(const QQuaternion *_self, const QQuaternion &q2) { + return ::operator*(*_self, q2); +} + // bool ::operator!=(const QQuaternion &q1, const QQuaternion &q2) static bool op_QQuaternion_operator_excl__eq__4804(const QQuaternion *_self, const QQuaternion &q2) { return ::operator!=(*_self, q2); @@ -1038,8 +1038,8 @@ static gsi::Methods methods_QQuaternion () { methods += new qt_gsi::GenericStaticMethod ("nlerp", "@brief Static method QQuaternion QQuaternion::nlerp(const QQuaternion &q1, const QQuaternion &q2, float t)\nThis method is static and can be called without an instance.", &_init_f_nlerp_5666, &_call_f_nlerp_5666); methods += new qt_gsi::GenericStaticMethod ("rotationTo", "@brief Static method QQuaternion QQuaternion::rotationTo(const QVector3D &from, const QVector3D &to)\nThis method is static and can be called without an instance.", &_init_f_rotationTo_4172, &_call_f_rotationTo_4172); methods += new qt_gsi::GenericStaticMethod ("slerp", "@brief Static method QQuaternion QQuaternion::slerp(const QQuaternion &q1, const QQuaternion &q2, float t)\nThis method is static and can be called without an instance.", &_init_f_slerp_5666, &_call_f_slerp_5666); - methods += gsi::method_ext("*", &::op_QQuaternion_operator_star__4804, gsi::arg ("q2"), "@brief Operator const QQuaternion ::operator*(const QQuaternion &q1, const QQuaternion &q2)\nThis is the mapping of the global operator to the instance method."); methods += gsi::method_ext("==", &::op_QQuaternion_operator_eq__eq__4804, gsi::arg ("q2"), "@brief Operator bool ::operator==(const QQuaternion &q1, const QQuaternion &q2)\nThis is the mapping of the global operator to the instance method."); + methods += gsi::method_ext("*", &::op_QQuaternion_operator_star__4804, gsi::arg ("q2"), "@brief Operator const QQuaternion ::operator*(const QQuaternion &q1, const QQuaternion &q2)\nThis is the mapping of the global operator to the instance method."); methods += gsi::method_ext("!=", &::op_QQuaternion_operator_excl__eq__4804, gsi::arg ("q2"), "@brief Operator bool ::operator!=(const QQuaternion &q1, const QQuaternion &q2)\nThis is the mapping of the global operator to the instance method."); methods += gsi::method_ext("+", &::op_QQuaternion_operator_plus__4804, gsi::arg ("q2"), "@brief Operator const QQuaternion ::operator+(const QQuaternion &q1, const QQuaternion &q2)\nThis is the mapping of the global operator to the instance method."); methods += gsi::method_ext("-", &::op_QQuaternion_operator_minus__4804, gsi::arg ("q2"), "@brief Operator const QQuaternion ::operator-(const QQuaternion &q1, const QQuaternion &q2)\nThis is the mapping of the global operator to the instance method."); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQRasterWindow.cc b/src/gsiqt/qt5/QtGui/gsiDeclQRasterWindow.cc index 7315fff6f4..10537a1fd3 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQRasterWindow.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQRasterWindow.cc @@ -242,18 +242,18 @@ class QRasterWindow_Adaptor : public QRasterWindow, public qt_gsi::QtObjectBase emit QRasterWindow::destroyed(arg1); } - // [adaptor impl] bool QRasterWindow::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QRasterWindow::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QRasterWindow::eventFilter(arg1, arg2); + return QRasterWindow::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QRasterWindow_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QRasterWindow_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QRasterWindow::eventFilter(arg1, arg2); + return QRasterWindow::eventFilter(watched, event); } } @@ -420,33 +420,33 @@ class QRasterWindow_Adaptor : public QRasterWindow, public qt_gsi::QtObjectBase emit QRasterWindow::yChanged(arg); } - // [adaptor impl] void QRasterWindow::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QRasterWindow::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QRasterWindow::childEvent(arg1); + QRasterWindow::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QRasterWindow_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QRasterWindow_Adaptor::cbs_childEvent_1701_0, event); } else { - QRasterWindow::childEvent(arg1); + QRasterWindow::childEvent(event); } } - // [adaptor impl] void QRasterWindow::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QRasterWindow::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QRasterWindow::customEvent(arg1); + QRasterWindow::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QRasterWindow_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QRasterWindow_Adaptor::cbs_customEvent_1217_0, event); } else { - QRasterWindow::customEvent(arg1); + QRasterWindow::customEvent(event); } } @@ -780,18 +780,18 @@ class QRasterWindow_Adaptor : public QRasterWindow, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRasterWindow::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QRasterWindow::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QRasterWindow::timerEvent(arg1); + QRasterWindow::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QRasterWindow_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QRasterWindow_Adaptor::cbs_timerEvent_1730_0, event); } else { - QRasterWindow::timerEvent(arg1); + QRasterWindow::timerEvent(event); } } @@ -866,7 +866,7 @@ QRasterWindow_Adaptor::~QRasterWindow_Adaptor() { } static void _init_ctor_QRasterWindow_Adaptor_1335 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -875,7 +875,7 @@ static void _call_ctor_QRasterWindow_Adaptor_1335 (const qt_gsi::GenericStaticMe { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWindow *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWindow *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QRasterWindow_Adaptor (arg1)); } @@ -913,11 +913,11 @@ static void _call_emitter_activeChanged_0 (const qt_gsi::GenericMethod * /*decl* } -// void QRasterWindow::childEvent(QChildEvent *) +// void QRasterWindow::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -955,11 +955,11 @@ static void _call_emitter_contentOrientationChanged_2521 (const qt_gsi::GenericM } -// void QRasterWindow::customEvent(QEvent *) +// void QRasterWindow::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -983,7 +983,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -992,7 +992,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QRasterWindow_Adaptor *)cls)->emitter_QRasterWindow_destroyed_1302 (arg1); } @@ -1044,13 +1044,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QRasterWindow::eventFilter(QObject *, QEvent *) +// bool QRasterWindow::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1868,11 +1868,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QRasterWindow::timerEvent(QTimerEvent *) +// void QRasterWindow::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2077,17 +2077,17 @@ static gsi::Methods methods_QRasterWindow_Adaptor () { methods += new qt_gsi::GenericMethod ("accessibleRoot", "@brief Virtual method QAccessibleInterface *QRasterWindow::accessibleRoot()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_accessibleRoot_c0_0, &_call_cbs_accessibleRoot_c0_0); methods += new qt_gsi::GenericMethod ("accessibleRoot", "@hide", true, &_init_cbs_accessibleRoot_c0_0, &_call_cbs_accessibleRoot_c0_0, &_set_callback_cbs_accessibleRoot_c0_0); methods += new qt_gsi::GenericMethod ("emit_activeChanged", "@brief Emitter for signal void QRasterWindow::activeChanged()\nCall this method to emit this signal.", false, &_init_emitter_activeChanged_0, &_call_emitter_activeChanged_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRasterWindow::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRasterWindow::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_contentOrientationChanged", "@brief Emitter for signal void QRasterWindow::contentOrientationChanged(Qt::ScreenOrientation orientation)\nCall this method to emit this signal.", false, &_init_emitter_contentOrientationChanged_2521, &_call_emitter_contentOrientationChanged_2521); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRasterWindow::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRasterWindow::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QRasterWindow::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QRasterWindow::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QRasterWindow::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QRasterWindow::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QRasterWindow::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*exposeEvent", "@brief Virtual method void QRasterWindow::exposeEvent(QExposeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_exposeEvent_1845_0, &_call_cbs_exposeEvent_1845_0); methods += new qt_gsi::GenericMethod ("*exposeEvent", "@hide", false, &_init_cbs_exposeEvent_1845_0, &_call_cbs_exposeEvent_1845_0, &_set_callback_cbs_exposeEvent_1845_0); @@ -2151,7 +2151,7 @@ static gsi::Methods methods_QRasterWindow_Adaptor () { methods += new qt_gsi::GenericMethod ("surfaceType", "@hide", true, &_init_cbs_surfaceType_c0_0, &_call_cbs_surfaceType_c0_0, &_set_callback_cbs_surfaceType_c0_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QRasterWindow::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRasterWindow::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRasterWindow::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*touchEvent", "@brief Virtual method void QRasterWindow::touchEvent(QTouchEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_touchEvent_1732_0, &_call_cbs_touchEvent_1732_0); methods += new qt_gsi::GenericMethod ("*touchEvent", "@hide", false, &_init_cbs_touchEvent_1732_0, &_call_cbs_touchEvent_1732_0, &_set_callback_cbs_touchEvent_1732_0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQRawFont.cc b/src/gsiqt/qt5/QtGui/gsiDeclQRawFont.cc index 987282a9ff..6386c2c8e1 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQRawFont.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQRawFont.cc @@ -293,6 +293,21 @@ static void _call_f_boundingRect_c1098 (const qt_gsi::GenericMethod * /*decl*/, } +// double QRawFont::capHeight() + + +static void _init_f_capHeight_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_capHeight_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((double)((QRawFont *)cls)->capHeight ()); +} + + // double QRawFont::descent() @@ -830,6 +845,7 @@ static gsi::Methods methods_QRawFont () { methods += new qt_gsi::GenericMethod ("ascent", "@brief Method double QRawFont::ascent()\n", true, &_init_f_ascent_c0, &_call_f_ascent_c0); methods += new qt_gsi::GenericMethod ("averageCharWidth", "@brief Method double QRawFont::averageCharWidth()\n", true, &_init_f_averageCharWidth_c0, &_call_f_averageCharWidth_c0); methods += new qt_gsi::GenericMethod ("boundingRect", "@brief Method QRectF QRawFont::boundingRect(quint32 glyphIndex)\n", true, &_init_f_boundingRect_c1098, &_call_f_boundingRect_c1098); + methods += new qt_gsi::GenericMethod ("capHeight", "@brief Method double QRawFont::capHeight()\n", true, &_init_f_capHeight_c0, &_call_f_capHeight_c0); methods += new qt_gsi::GenericMethod ("descent", "@brief Method double QRawFont::descent()\n", true, &_init_f_descent_c0, &_call_f_descent_c0); methods += new qt_gsi::GenericMethod ("familyName", "@brief Method QString QRawFont::familyName()\n", true, &_init_f_familyName_c0, &_call_f_familyName_c0); methods += new qt_gsi::GenericMethod ("fontTable", "@brief Method QByteArray QRawFont::fontTable(const char *tagName)\n", true, &_init_f_fontTable_c1731, &_call_f_fontTable_c1731); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQRegExpValidator.cc b/src/gsiqt/qt5/QtGui/gsiDeclQRegExpValidator.cc index 9a432010e5..8e511faa37 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQRegExpValidator.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQRegExpValidator.cc @@ -254,33 +254,33 @@ class QRegExpValidator_Adaptor : public QRegExpValidator, public qt_gsi::QtObjec emit QRegExpValidator::destroyed(arg1); } - // [adaptor impl] bool QRegExpValidator::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QRegExpValidator::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QRegExpValidator::event(arg1); + return QRegExpValidator::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QRegExpValidator_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QRegExpValidator_Adaptor::cbs_event_1217_0, _event); } else { - return QRegExpValidator::event(arg1); + return QRegExpValidator::event(_event); } } - // [adaptor impl] bool QRegExpValidator::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QRegExpValidator::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QRegExpValidator::eventFilter(arg1, arg2); + return QRegExpValidator::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QRegExpValidator_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QRegExpValidator_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QRegExpValidator::eventFilter(arg1, arg2); + return QRegExpValidator::eventFilter(watched, event); } } @@ -327,33 +327,33 @@ class QRegExpValidator_Adaptor : public QRegExpValidator, public qt_gsi::QtObjec } } - // [adaptor impl] void QRegExpValidator::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QRegExpValidator::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QRegExpValidator::childEvent(arg1); + QRegExpValidator::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QRegExpValidator_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QRegExpValidator_Adaptor::cbs_childEvent_1701_0, event); } else { - QRegExpValidator::childEvent(arg1); + QRegExpValidator::childEvent(event); } } - // [adaptor impl] void QRegExpValidator::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QRegExpValidator::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QRegExpValidator::customEvent(arg1); + QRegExpValidator::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QRegExpValidator_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QRegExpValidator_Adaptor::cbs_customEvent_1217_0, event); } else { - QRegExpValidator::customEvent(arg1); + QRegExpValidator::customEvent(event); } } @@ -372,18 +372,18 @@ class QRegExpValidator_Adaptor : public QRegExpValidator, public qt_gsi::QtObjec } } - // [adaptor impl] void QRegExpValidator::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QRegExpValidator::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QRegExpValidator::timerEvent(arg1); + QRegExpValidator::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QRegExpValidator_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QRegExpValidator_Adaptor::cbs_timerEvent_1730_0, event); } else { - QRegExpValidator::timerEvent(arg1); + QRegExpValidator::timerEvent(event); } } @@ -403,7 +403,7 @@ QRegExpValidator_Adaptor::~QRegExpValidator_Adaptor() { } static void _init_ctor_QRegExpValidator_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -412,7 +412,7 @@ static void _call_ctor_QRegExpValidator_Adaptor_1302 (const qt_gsi::GenericStati { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QRegExpValidator_Adaptor (arg1)); } @@ -423,7 +423,7 @@ static void _init_ctor_QRegExpValidator_Adaptor_3175 (qt_gsi::GenericStaticMetho { static gsi::ArgSpecBase argspec_0 ("rx"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -433,7 +433,7 @@ static void _call_ctor_QRegExpValidator_Adaptor_3175 (const qt_gsi::GenericStati __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QRegExp &arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QRegExpValidator_Adaptor (arg1, arg2)); } @@ -452,11 +452,11 @@ static void _call_emitter_changed_0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QRegExpValidator::childEvent(QChildEvent *) +// void QRegExpValidator::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -476,11 +476,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QRegExpValidator::customEvent(QEvent *) +// void QRegExpValidator::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -504,7 +504,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -513,7 +513,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QRegExpValidator_Adaptor *)cls)->emitter_QRegExpValidator_destroyed_1302 (arg1); } @@ -542,11 +542,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QRegExpValidator::event(QEvent *) +// bool QRegExpValidator::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -565,13 +565,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QRegExpValidator::eventFilter(QObject *, QEvent *) +// bool QRegExpValidator::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -715,11 +715,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QRegExpValidator::timerEvent(QTimerEvent *) +// void QRegExpValidator::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -775,16 +775,16 @@ static gsi::Methods methods_QRegExpValidator_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRegExpValidator::QRegExpValidator(QObject *parent)\nThis method creates an object of class QRegExpValidator.", &_init_ctor_QRegExpValidator_Adaptor_1302, &_call_ctor_QRegExpValidator_Adaptor_1302); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRegExpValidator::QRegExpValidator(const QRegExp &rx, QObject *parent)\nThis method creates an object of class QRegExpValidator.", &_init_ctor_QRegExpValidator_Adaptor_3175, &_call_ctor_QRegExpValidator_Adaptor_3175); methods += new qt_gsi::GenericMethod ("emit_changed", "@brief Emitter for signal void QRegExpValidator::changed()\nCall this method to emit this signal.", false, &_init_emitter_changed_0, &_call_emitter_changed_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRegExpValidator::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRegExpValidator::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRegExpValidator::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRegExpValidator::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QRegExpValidator::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QRegExpValidator::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QRegExpValidator::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QRegExpValidator::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QRegExpValidator::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QRegExpValidator::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fixup", "@brief Virtual method void QRegExpValidator::fixup(QString &)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0); methods += new qt_gsi::GenericMethod ("fixup", "@hide", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0, &_set_callback_cbs_fixup_c1330_0); @@ -794,7 +794,7 @@ static gsi::Methods methods_QRegExpValidator_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_regExpChanged", "@brief Emitter for signal void QRegExpValidator::regExpChanged(const QRegExp ®Exp)\nCall this method to emit this signal.", false, &_init_emitter_regExpChanged_1981, &_call_emitter_regExpChanged_1981); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QRegExpValidator::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QRegExpValidator::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRegExpValidator::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRegExpValidator::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("validate", "@brief Virtual method QValidator::State QRegExpValidator::validate(QString &input, int &pos)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_validate_c2171_0, &_call_cbs_validate_c2171_0); methods += new qt_gsi::GenericMethod ("validate", "@hide", true, &_init_cbs_validate_c2171_0, &_call_cbs_validate_c2171_0, &_set_callback_cbs_validate_c2171_0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQRegion.cc b/src/gsiqt/qt5/QtGui/gsiDeclQRegion.cc index fb69ed7c5c..a53294f760 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQRegion.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQRegion.cc @@ -173,6 +173,21 @@ static void _call_ctor_QRegion_1999 (const qt_gsi::GenericStaticMethod * /*decl* } +// const QRect *QRegion::begin() + + +static void _init_f_begin_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_begin_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((const QRect *)((QRegion *)cls)->begin ()); +} + + // QRect QRegion::boundingRect() @@ -188,6 +203,36 @@ static void _call_f_boundingRect_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } +// const QRect *QRegion::cbegin() + + +static void _init_f_cbegin_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_cbegin_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((const QRect *)((QRegion *)cls)->cbegin ()); +} + + +// const QRect *QRegion::cend() + + +static void _init_f_cend_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_cend_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((const QRect *)((QRegion *)cls)->cend ()); +} + + // bool QRegion::contains(const QPoint &p) @@ -226,6 +271,21 @@ static void _call_f_contains_c1792 (const qt_gsi::GenericMethod * /*decl*/, void } +// const QRect *QRegion::end() + + +static void _init_f_end_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_end_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((const QRect *)((QRegion *)cls)->end ()); +} + + // QRegion QRegion::intersected(const QRegion &r) @@ -887,9 +947,13 @@ static gsi::Methods methods_QRegion () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRegion::QRegion(const QPolygon &pa, Qt::FillRule fillRule)\nThis method creates an object of class QRegion.", &_init_ctor_QRegion_3578, &_call_ctor_QRegion_3578); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRegion::QRegion(const QRegion ®ion)\nThis method creates an object of class QRegion.", &_init_ctor_QRegion_2006, &_call_ctor_QRegion_2006); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRegion::QRegion(const QBitmap &bitmap)\nThis method creates an object of class QRegion.", &_init_ctor_QRegion_1999, &_call_ctor_QRegion_1999); + methods += new qt_gsi::GenericMethod ("begin", "@brief Method const QRect *QRegion::begin()\n", true, &_init_f_begin_c0, &_call_f_begin_c0); methods += new qt_gsi::GenericMethod ("boundingRect", "@brief Method QRect QRegion::boundingRect()\n", true, &_init_f_boundingRect_c0, &_call_f_boundingRect_c0); + methods += new qt_gsi::GenericMethod ("cbegin", "@brief Method const QRect *QRegion::cbegin()\n", true, &_init_f_cbegin_c0, &_call_f_cbegin_c0); + methods += new qt_gsi::GenericMethod ("cend", "@brief Method const QRect *QRegion::cend()\n", true, &_init_f_cend_c0, &_call_f_cend_c0); methods += new qt_gsi::GenericMethod ("contains", "@brief Method bool QRegion::contains(const QPoint &p)\n", true, &_init_f_contains_c1916, &_call_f_contains_c1916); methods += new qt_gsi::GenericMethod ("contains", "@brief Method bool QRegion::contains(const QRect &r)\n", true, &_init_f_contains_c1792, &_call_f_contains_c1792); + methods += new qt_gsi::GenericMethod ("end", "@brief Method const QRect *QRegion::end()\n", true, &_init_f_end_c0, &_call_f_end_c0); methods += new qt_gsi::GenericMethod ("intersected", "@brief Method QRegion QRegion::intersected(const QRegion &r)\n", true, &_init_f_intersected_c2006, &_call_f_intersected_c2006); methods += new qt_gsi::GenericMethod ("intersected", "@brief Method QRegion QRegion::intersected(const QRect &r)\n", true, &_init_f_intersected_c1792, &_call_f_intersected_c1792); methods += new qt_gsi::GenericMethod ("intersects", "@brief Method bool QRegion::intersects(const QRegion &r)\n", true, &_init_f_intersects_c2006, &_call_f_intersects_c2006); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQRegularExpressionValidator.cc b/src/gsiqt/qt5/QtGui/gsiDeclQRegularExpressionValidator.cc index 709c182b42..46c4d6375a 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQRegularExpressionValidator.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQRegularExpressionValidator.cc @@ -254,33 +254,33 @@ class QRegularExpressionValidator_Adaptor : public QRegularExpressionValidator, emit QRegularExpressionValidator::destroyed(arg1); } - // [adaptor impl] bool QRegularExpressionValidator::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QRegularExpressionValidator::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QRegularExpressionValidator::event(arg1); + return QRegularExpressionValidator::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QRegularExpressionValidator_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QRegularExpressionValidator_Adaptor::cbs_event_1217_0, _event); } else { - return QRegularExpressionValidator::event(arg1); + return QRegularExpressionValidator::event(_event); } } - // [adaptor impl] bool QRegularExpressionValidator::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QRegularExpressionValidator::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QRegularExpressionValidator::eventFilter(arg1, arg2); + return QRegularExpressionValidator::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QRegularExpressionValidator_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QRegularExpressionValidator_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QRegularExpressionValidator::eventFilter(arg1, arg2); + return QRegularExpressionValidator::eventFilter(watched, event); } } @@ -327,33 +327,33 @@ class QRegularExpressionValidator_Adaptor : public QRegularExpressionValidator, } } - // [adaptor impl] void QRegularExpressionValidator::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QRegularExpressionValidator::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QRegularExpressionValidator::childEvent(arg1); + QRegularExpressionValidator::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QRegularExpressionValidator_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QRegularExpressionValidator_Adaptor::cbs_childEvent_1701_0, event); } else { - QRegularExpressionValidator::childEvent(arg1); + QRegularExpressionValidator::childEvent(event); } } - // [adaptor impl] void QRegularExpressionValidator::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QRegularExpressionValidator::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QRegularExpressionValidator::customEvent(arg1); + QRegularExpressionValidator::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QRegularExpressionValidator_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QRegularExpressionValidator_Adaptor::cbs_customEvent_1217_0, event); } else { - QRegularExpressionValidator::customEvent(arg1); + QRegularExpressionValidator::customEvent(event); } } @@ -372,18 +372,18 @@ class QRegularExpressionValidator_Adaptor : public QRegularExpressionValidator, } } - // [adaptor impl] void QRegularExpressionValidator::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QRegularExpressionValidator::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QRegularExpressionValidator::timerEvent(arg1); + QRegularExpressionValidator::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QRegularExpressionValidator_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QRegularExpressionValidator_Adaptor::cbs_timerEvent_1730_0, event); } else { - QRegularExpressionValidator::timerEvent(arg1); + QRegularExpressionValidator::timerEvent(event); } } @@ -403,7 +403,7 @@ QRegularExpressionValidator_Adaptor::~QRegularExpressionValidator_Adaptor() { } static void _init_ctor_QRegularExpressionValidator_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -412,7 +412,7 @@ static void _call_ctor_QRegularExpressionValidator_Adaptor_1302 (const qt_gsi::G { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QRegularExpressionValidator_Adaptor (arg1)); } @@ -423,7 +423,7 @@ static void _init_ctor_QRegularExpressionValidator_Adaptor_4382 (qt_gsi::Generic { static gsi::ArgSpecBase argspec_0 ("re"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -433,7 +433,7 @@ static void _call_ctor_QRegularExpressionValidator_Adaptor_4382 (const qt_gsi::G __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QRegularExpression &arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QRegularExpressionValidator_Adaptor (arg1, arg2)); } @@ -452,11 +452,11 @@ static void _call_emitter_changed_0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QRegularExpressionValidator::childEvent(QChildEvent *) +// void QRegularExpressionValidator::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -476,11 +476,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QRegularExpressionValidator::customEvent(QEvent *) +// void QRegularExpressionValidator::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -504,7 +504,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -513,7 +513,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QRegularExpressionValidator_Adaptor *)cls)->emitter_QRegularExpressionValidator_destroyed_1302 (arg1); } @@ -542,11 +542,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QRegularExpressionValidator::event(QEvent *) +// bool QRegularExpressionValidator::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -565,13 +565,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QRegularExpressionValidator::eventFilter(QObject *, QEvent *) +// bool QRegularExpressionValidator::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -715,11 +715,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QRegularExpressionValidator::timerEvent(QTimerEvent *) +// void QRegularExpressionValidator::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -775,16 +775,16 @@ static gsi::Methods methods_QRegularExpressionValidator_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRegularExpressionValidator::QRegularExpressionValidator(QObject *parent)\nThis method creates an object of class QRegularExpressionValidator.", &_init_ctor_QRegularExpressionValidator_Adaptor_1302, &_call_ctor_QRegularExpressionValidator_Adaptor_1302); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRegularExpressionValidator::QRegularExpressionValidator(const QRegularExpression &re, QObject *parent)\nThis method creates an object of class QRegularExpressionValidator.", &_init_ctor_QRegularExpressionValidator_Adaptor_4382, &_call_ctor_QRegularExpressionValidator_Adaptor_4382); methods += new qt_gsi::GenericMethod ("emit_changed", "@brief Emitter for signal void QRegularExpressionValidator::changed()\nCall this method to emit this signal.", false, &_init_emitter_changed_0, &_call_emitter_changed_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRegularExpressionValidator::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRegularExpressionValidator::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRegularExpressionValidator::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRegularExpressionValidator::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QRegularExpressionValidator::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QRegularExpressionValidator::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QRegularExpressionValidator::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QRegularExpressionValidator::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QRegularExpressionValidator::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QRegularExpressionValidator::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fixup", "@brief Virtual method void QRegularExpressionValidator::fixup(QString &)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0); methods += new qt_gsi::GenericMethod ("fixup", "@hide", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0, &_set_callback_cbs_fixup_c1330_0); @@ -794,7 +794,7 @@ static gsi::Methods methods_QRegularExpressionValidator_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_regularExpressionChanged", "@brief Emitter for signal void QRegularExpressionValidator::regularExpressionChanged(const QRegularExpression &re)\nCall this method to emit this signal.", false, &_init_emitter_regularExpressionChanged_3188, &_call_emitter_regularExpressionChanged_3188); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QRegularExpressionValidator::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QRegularExpressionValidator::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRegularExpressionValidator::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRegularExpressionValidator::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("validate", "@brief Virtual method QValidator::State QRegularExpressionValidator::validate(QString &input, int &pos)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_validate_c2171_0, &_call_cbs_validate_c2171_0); methods += new qt_gsi::GenericMethod ("validate", "@hide", true, &_init_cbs_validate_c2171_0, &_call_cbs_validate_c2171_0, &_set_callback_cbs_validate_c2171_0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQRgba64.cc b/src/gsiqt/qt5/QtGui/gsiDeclQRgba64.cc new file mode 100644 index 0000000000..225d890a71 --- /dev/null +++ b/src/gsiqt/qt5/QtGui/gsiDeclQRgba64.cc @@ -0,0 +1,497 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +/** +* @file gsiDeclQRgba64.cc +* +* DO NOT EDIT THIS FILE. +* This file has been created automatically +*/ + +#include +#include "gsiQt.h" +#include "gsiQtGuiCommon.h" +#include + +// ----------------------------------------------------------------------- +// class QRgba64 + +// Constructor QRgba64::QRgba64() + + +static void _init_ctor_QRgba64_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return_new (); +} + +static void _call_ctor_QRgba64_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write (new QRgba64 ()); +} + + +// quint16 QRgba64::alpha() + + +static void _init_f_alpha_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_alpha_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((quint16)((QRgba64 *)cls)->alpha ()); +} + + +// quint8 QRgba64::alpha8() + + +static void _init_f_alpha8_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_alpha8_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((quint8)((QRgba64 *)cls)->alpha8 ()); +} + + +// quint16 QRgba64::blue() + + +static void _init_f_blue_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_blue_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((quint16)((QRgba64 *)cls)->blue ()); +} + + +// quint8 QRgba64::blue8() + + +static void _init_f_blue8_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_blue8_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((quint8)((QRgba64 *)cls)->blue8 ()); +} + + +// quint16 QRgba64::green() + + +static void _init_f_green_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_green_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((quint16)((QRgba64 *)cls)->green ()); +} + + +// quint8 QRgba64::green8() + + +static void _init_f_green8_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_green8_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((quint8)((QRgba64 *)cls)->green8 ()); +} + + +// bool QRgba64::isOpaque() + + +static void _init_f_isOpaque_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isOpaque_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QRgba64 *)cls)->isOpaque ()); +} + + +// bool QRgba64::isTransparent() + + +static void _init_f_isTransparent_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isTransparent_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QRgba64 *)cls)->isTransparent ()); +} + + +// QRgba64 QRgba64::operator=(quint64 _rgba) + + +static void _init_f_operator_eq__1103 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("_rgba"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_eq__1103 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + quint64 arg1 = gsi::arg_reader() (args, heap); + ret.write ((QRgba64)((QRgba64 *)cls)->operator= (arg1)); +} + + +// QRgba64 QRgba64::premultiplied() + + +static void _init_f_premultiplied_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_premultiplied_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QRgba64)((QRgba64 *)cls)->premultiplied ()); +} + + +// quint16 QRgba64::red() + + +static void _init_f_red_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_red_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((quint16)((QRgba64 *)cls)->red ()); +} + + +// quint8 QRgba64::red8() + + +static void _init_f_red8_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_red8_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((quint8)((QRgba64 *)cls)->red8 ()); +} + + +// void QRgba64::setAlpha(quint16 _alpha) + + +static void _init_f_setAlpha_1100 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("_alpha"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setAlpha_1100 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + quint16 arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QRgba64 *)cls)->setAlpha (arg1); +} + + +// void QRgba64::setBlue(quint16 _blue) + + +static void _init_f_setBlue_1100 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("_blue"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setBlue_1100 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + quint16 arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QRgba64 *)cls)->setBlue (arg1); +} + + +// void QRgba64::setGreen(quint16 _green) + + +static void _init_f_setGreen_1100 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("_green"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setGreen_1100 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + quint16 arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QRgba64 *)cls)->setGreen (arg1); +} + + +// void QRgba64::setRed(quint16 _red) + + +static void _init_f_setRed_1100 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("_red"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setRed_1100 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + quint16 arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QRgba64 *)cls)->setRed (arg1); +} + + +// unsigned int QRgba64::toArgb32() + + +static void _init_f_toArgb32_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_toArgb32_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((unsigned int)((QRgba64 *)cls)->toArgb32 ()); +} + + +// unsigned short int QRgba64::toRgb16() + + +static void _init_f_toRgb16_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_toRgb16_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((unsigned short int)((QRgba64 *)cls)->toRgb16 ()); +} + + +// QRgba64 QRgba64::unpremultiplied() + + +static void _init_f_unpremultiplied_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_unpremultiplied_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QRgba64)((QRgba64 *)cls)->unpremultiplied ()); +} + + +// static QRgba64 QRgba64::fromArgb32(unsigned int rgb) + + +static void _init_f_fromArgb32_1772 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("rgb"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_fromArgb32_1772 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + unsigned int arg1 = gsi::arg_reader() (args, heap); + ret.write ((QRgba64)QRgba64::fromArgb32 (arg1)); +} + + +// static QRgba64 QRgba64::fromRgba(quint8 red, quint8 green, quint8 blue, quint8 alpha) + + +static void _init_f_fromRgba_3888 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("red"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("green"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("blue"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("alpha"); + decl->add_arg (argspec_3); + decl->set_return (); +} + +static void _call_f_fromRgba_3888 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + quint8 arg1 = gsi::arg_reader() (args, heap); + quint8 arg2 = gsi::arg_reader() (args, heap); + quint8 arg3 = gsi::arg_reader() (args, heap); + quint8 arg4 = gsi::arg_reader() (args, heap); + ret.write ((QRgba64)QRgba64::fromRgba (arg1, arg2, arg3, arg4)); +} + + +// static QRgba64 QRgba64::fromRgba64(quint64 c) + + +static void _init_f_fromRgba64_1103 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("c"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_fromRgba64_1103 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + quint64 arg1 = gsi::arg_reader() (args, heap); + ret.write ((QRgba64)QRgba64::fromRgba64 (arg1)); +} + + +// static QRgba64 QRgba64::fromRgba64(quint16 red, quint16 green, quint16 blue, quint16 alpha) + + +static void _init_f_fromRgba64_4076 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("red"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("green"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("blue"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("alpha"); + decl->add_arg (argspec_3); + decl->set_return (); +} + +static void _call_f_fromRgba64_4076 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + quint16 arg1 = gsi::arg_reader() (args, heap); + quint16 arg2 = gsi::arg_reader() (args, heap); + quint16 arg3 = gsi::arg_reader() (args, heap); + quint16 arg4 = gsi::arg_reader() (args, heap); + ret.write ((QRgba64)QRgba64::fromRgba64 (arg1, arg2, arg3, arg4)); +} + + + +namespace gsi +{ + +static gsi::Methods methods_QRgba64 () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRgba64::QRgba64()\nThis method creates an object of class QRgba64.", &_init_ctor_QRgba64_0, &_call_ctor_QRgba64_0); + methods += new qt_gsi::GenericMethod ("alpha", "@brief Method quint16 QRgba64::alpha()\n", true, &_init_f_alpha_c0, &_call_f_alpha_c0); + methods += new qt_gsi::GenericMethod ("alpha8", "@brief Method quint8 QRgba64::alpha8()\n", true, &_init_f_alpha8_c0, &_call_f_alpha8_c0); + methods += new qt_gsi::GenericMethod ("blue", "@brief Method quint16 QRgba64::blue()\n", true, &_init_f_blue_c0, &_call_f_blue_c0); + methods += new qt_gsi::GenericMethod ("blue8", "@brief Method quint8 QRgba64::blue8()\n", true, &_init_f_blue8_c0, &_call_f_blue8_c0); + methods += new qt_gsi::GenericMethod ("green", "@brief Method quint16 QRgba64::green()\n", true, &_init_f_green_c0, &_call_f_green_c0); + methods += new qt_gsi::GenericMethod ("green8", "@brief Method quint8 QRgba64::green8()\n", true, &_init_f_green8_c0, &_call_f_green8_c0); + methods += new qt_gsi::GenericMethod ("isOpaque?", "@brief Method bool QRgba64::isOpaque()\n", true, &_init_f_isOpaque_c0, &_call_f_isOpaque_c0); + methods += new qt_gsi::GenericMethod ("isTransparent?", "@brief Method bool QRgba64::isTransparent()\n", true, &_init_f_isTransparent_c0, &_call_f_isTransparent_c0); + methods += new qt_gsi::GenericMethod ("assign", "@brief Method QRgba64 QRgba64::operator=(quint64 _rgba)\n", false, &_init_f_operator_eq__1103, &_call_f_operator_eq__1103); + methods += new qt_gsi::GenericMethod ("premultiplied", "@brief Method QRgba64 QRgba64::premultiplied()\n", true, &_init_f_premultiplied_c0, &_call_f_premultiplied_c0); + methods += new qt_gsi::GenericMethod ("red", "@brief Method quint16 QRgba64::red()\n", true, &_init_f_red_c0, &_call_f_red_c0); + methods += new qt_gsi::GenericMethod ("red8", "@brief Method quint8 QRgba64::red8()\n", true, &_init_f_red8_c0, &_call_f_red8_c0); + methods += new qt_gsi::GenericMethod ("setAlpha", "@brief Method void QRgba64::setAlpha(quint16 _alpha)\n", false, &_init_f_setAlpha_1100, &_call_f_setAlpha_1100); + methods += new qt_gsi::GenericMethod ("setBlue", "@brief Method void QRgba64::setBlue(quint16 _blue)\n", false, &_init_f_setBlue_1100, &_call_f_setBlue_1100); + methods += new qt_gsi::GenericMethod ("setGreen", "@brief Method void QRgba64::setGreen(quint16 _green)\n", false, &_init_f_setGreen_1100, &_call_f_setGreen_1100); + methods += new qt_gsi::GenericMethod ("setRed", "@brief Method void QRgba64::setRed(quint16 _red)\n", false, &_init_f_setRed_1100, &_call_f_setRed_1100); + methods += new qt_gsi::GenericMethod ("toArgb32", "@brief Method unsigned int QRgba64::toArgb32()\n", true, &_init_f_toArgb32_c0, &_call_f_toArgb32_c0); + methods += new qt_gsi::GenericMethod ("toRgb16", "@brief Method unsigned short int QRgba64::toRgb16()\n", true, &_init_f_toRgb16_c0, &_call_f_toRgb16_c0); + methods += new qt_gsi::GenericMethod ("unpremultiplied", "@brief Method QRgba64 QRgba64::unpremultiplied()\n", true, &_init_f_unpremultiplied_c0, &_call_f_unpremultiplied_c0); + methods += new qt_gsi::GenericStaticMethod ("fromArgb32", "@brief Static method QRgba64 QRgba64::fromArgb32(unsigned int rgb)\nThis method is static and can be called without an instance.", &_init_f_fromArgb32_1772, &_call_f_fromArgb32_1772); + methods += new qt_gsi::GenericStaticMethod ("fromRgba", "@brief Static method QRgba64 QRgba64::fromRgba(quint8 red, quint8 green, quint8 blue, quint8 alpha)\nThis method is static and can be called without an instance.", &_init_f_fromRgba_3888, &_call_f_fromRgba_3888); + methods += new qt_gsi::GenericStaticMethod ("fromRgba64", "@brief Static method QRgba64 QRgba64::fromRgba64(quint64 c)\nThis method is static and can be called without an instance.", &_init_f_fromRgba64_1103, &_call_f_fromRgba64_1103); + methods += new qt_gsi::GenericStaticMethod ("fromRgba64", "@brief Static method QRgba64 QRgba64::fromRgba64(quint16 red, quint16 green, quint16 blue, quint16 alpha)\nThis method is static and can be called without an instance.", &_init_f_fromRgba64_4076, &_call_f_fromRgba64_4076); + return methods; +} + +gsi::Class decl_QRgba64 ("QtGui", "QRgba64", + methods_QRgba64 (), + "@qt\n@brief Binding of QRgba64"); + + +GSI_QTGUI_PUBLIC gsi::Class &qtdecl_QRgba64 () { return decl_QRgba64; } + +} + diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQScreen.cc b/src/gsiqt/qt5/QtGui/gsiDeclQScreen.cc index 3aa0b186c8..e37b302076 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQScreen.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQScreen.cc @@ -300,6 +300,21 @@ static void _call_f_logicalDotsPerInchY_c0 (const qt_gsi::GenericMethod * /*decl } +// QString QScreen::manufacturer() + + +static void _init_f_manufacturer_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_manufacturer_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)((QScreen *)cls)->manufacturer ()); +} + + // QRect QScreen::mapBetween(Qt::ScreenOrientation a, Qt::ScreenOrientation b, const QRect &rect) @@ -325,6 +340,21 @@ static void _call_f_mapBetween_c6618 (const qt_gsi::GenericMethod * /*decl*/, vo } +// QString QScreen::model() + + +static void _init_f_model_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_model_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)((QScreen *)cls)->model ()); +} + + // QString QScreen::name() @@ -475,6 +505,21 @@ static void _call_f_refreshRate_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// QString QScreen::serialNumber() + + +static void _init_f_serialNumber_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_serialNumber_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)((QScreen *)cls)->serialNumber ()); +} + + // void QScreen::setOrientationUpdateMask(QFlags mask) @@ -650,7 +695,9 @@ static gsi::Methods methods_QScreen () { methods += new qt_gsi::GenericMethod (":logicalDotsPerInch", "@brief Method double QScreen::logicalDotsPerInch()\n", true, &_init_f_logicalDotsPerInch_c0, &_call_f_logicalDotsPerInch_c0); methods += new qt_gsi::GenericMethod (":logicalDotsPerInchX", "@brief Method double QScreen::logicalDotsPerInchX()\n", true, &_init_f_logicalDotsPerInchX_c0, &_call_f_logicalDotsPerInchX_c0); methods += new qt_gsi::GenericMethod (":logicalDotsPerInchY", "@brief Method double QScreen::logicalDotsPerInchY()\n", true, &_init_f_logicalDotsPerInchY_c0, &_call_f_logicalDotsPerInchY_c0); + methods += new qt_gsi::GenericMethod ("manufacturer", "@brief Method QString QScreen::manufacturer()\n", true, &_init_f_manufacturer_c0, &_call_f_manufacturer_c0); methods += new qt_gsi::GenericMethod ("mapBetween", "@brief Method QRect QScreen::mapBetween(Qt::ScreenOrientation a, Qt::ScreenOrientation b, const QRect &rect)\n", true, &_init_f_mapBetween_c6618, &_call_f_mapBetween_c6618); + methods += new qt_gsi::GenericMethod ("model", "@brief Method QString QScreen::model()\n", true, &_init_f_model_c0, &_call_f_model_c0); methods += new qt_gsi::GenericMethod (":name", "@brief Method QString QScreen::name()\n", true, &_init_f_name_c0, &_call_f_name_c0); methods += new qt_gsi::GenericMethod (":nativeOrientation", "@brief Method Qt::ScreenOrientation QScreen::nativeOrientation()\n", true, &_init_f_nativeOrientation_c0, &_call_f_nativeOrientation_c0); methods += new qt_gsi::GenericMethod (":orientation", "@brief Method Qt::ScreenOrientation QScreen::orientation()\n", true, &_init_f_orientation_c0, &_call_f_orientation_c0); @@ -661,6 +708,7 @@ static gsi::Methods methods_QScreen () { methods += new qt_gsi::GenericMethod (":physicalSize", "@brief Method QSizeF QScreen::physicalSize()\n", true, &_init_f_physicalSize_c0, &_call_f_physicalSize_c0); methods += new qt_gsi::GenericMethod (":primaryOrientation", "@brief Method Qt::ScreenOrientation QScreen::primaryOrientation()\n", true, &_init_f_primaryOrientation_c0, &_call_f_primaryOrientation_c0); methods += new qt_gsi::GenericMethod (":refreshRate", "@brief Method double QScreen::refreshRate()\n", true, &_init_f_refreshRate_c0, &_call_f_refreshRate_c0); + methods += new qt_gsi::GenericMethod ("serialNumber", "@brief Method QString QScreen::serialNumber()\n", true, &_init_f_serialNumber_c0, &_call_f_serialNumber_c0); methods += new qt_gsi::GenericMethod ("setOrientationUpdateMask|orientationUpdateMask=", "@brief Method void QScreen::setOrientationUpdateMask(QFlags mask)\n", false, &_init_f_setOrientationUpdateMask_3217, &_call_f_setOrientationUpdateMask_3217); methods += new qt_gsi::GenericMethod (":size", "@brief Method QSize QScreen::size()\n", true, &_init_f_size_c0, &_call_f_size_c0); methods += new qt_gsi::GenericMethod ("transformBetween", "@brief Method QTransform QScreen::transformBetween(Qt::ScreenOrientation a, Qt::ScreenOrientation b, const QRect &target)\n", true, &_init_f_transformBetween_c6618, &_call_f_transformBetween_c6618); @@ -732,33 +780,33 @@ class QScreen_Adaptor : public QScreen, public qt_gsi::QtObjectBase emit QScreen::destroyed(arg1); } - // [adaptor impl] bool QScreen::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QScreen::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QScreen::event(arg1); + return QScreen::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QScreen_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QScreen_Adaptor::cbs_event_1217_0, _event); } else { - return QScreen::event(arg1); + return QScreen::event(_event); } } - // [adaptor impl] bool QScreen::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QScreen::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QScreen::eventFilter(arg1, arg2); + return QScreen::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QScreen_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QScreen_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QScreen::eventFilter(arg1, arg2); + return QScreen::eventFilter(watched, event); } } @@ -817,33 +865,33 @@ class QScreen_Adaptor : public QScreen, public qt_gsi::QtObjectBase emit QScreen::virtualGeometryChanged(rect); } - // [adaptor impl] void QScreen::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QScreen::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QScreen::childEvent(arg1); + QScreen::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QScreen_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QScreen_Adaptor::cbs_childEvent_1701_0, event); } else { - QScreen::childEvent(arg1); + QScreen::childEvent(event); } } - // [adaptor impl] void QScreen::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QScreen::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QScreen::customEvent(arg1); + QScreen::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QScreen_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QScreen_Adaptor::cbs_customEvent_1217_0, event); } else { - QScreen::customEvent(arg1); + QScreen::customEvent(event); } } @@ -862,18 +910,18 @@ class QScreen_Adaptor : public QScreen, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QScreen::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QScreen::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QScreen::timerEvent(arg1); + QScreen::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QScreen_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QScreen_Adaptor::cbs_timerEvent_1730_0, event); } else { - QScreen::timerEvent(arg1); + QScreen::timerEvent(event); } } @@ -905,11 +953,11 @@ static void _call_emitter_availableGeometryChanged_1792 (const qt_gsi::GenericMe } -// void QScreen::childEvent(QChildEvent *) +// void QScreen::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -929,11 +977,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QScreen::customEvent(QEvent *) +// void QScreen::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -957,7 +1005,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -966,7 +1014,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QScreen_Adaptor *)cls)->emitter_QScreen_destroyed_1302 (arg1); } @@ -995,11 +1043,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QScreen::event(QEvent *) +// bool QScreen::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1018,13 +1066,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QScreen::eventFilter(QObject *, QEvent *) +// bool QScreen::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1252,11 +1300,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QScreen::timerEvent(QTimerEvent *) +// void QScreen::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1302,16 +1350,16 @@ gsi::Class &qtdecl_QScreen (); static gsi::Methods methods_QScreen_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericMethod ("emit_availableGeometryChanged", "@brief Emitter for signal void QScreen::availableGeometryChanged(const QRect &geometry)\nCall this method to emit this signal.", false, &_init_emitter_availableGeometryChanged_1792, &_call_emitter_availableGeometryChanged_1792); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QScreen::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QScreen::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QScreen::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QScreen::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QScreen::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QScreen::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QScreen::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QScreen::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QScreen::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QScreen::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_geometryChanged", "@brief Emitter for signal void QScreen::geometryChanged(const QRect &geometry)\nCall this method to emit this signal.", false, &_init_emitter_geometryChanged_1792, &_call_emitter_geometryChanged_1792); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QScreen::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); @@ -1325,7 +1373,7 @@ static gsi::Methods methods_QScreen_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_refreshRateChanged", "@brief Emitter for signal void QScreen::refreshRateChanged(double refreshRate)\nCall this method to emit this signal.", false, &_init_emitter_refreshRateChanged_1071, &_call_emitter_refreshRateChanged_1071); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QScreen::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QScreen::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QScreen::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QScreen::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_virtualGeometryChanged", "@brief Emitter for signal void QScreen::virtualGeometryChanged(const QRect &rect)\nCall this method to emit this signal.", false, &_init_emitter_virtualGeometryChanged_1792, &_call_emitter_virtualGeometryChanged_1792); return methods; diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQStandardItem.cc b/src/gsiqt/qt5/QtGui/gsiDeclQStandardItem.cc index a9265b7424..dc6b4b8f6a 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQStandardItem.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQStandardItem.cc @@ -204,6 +204,22 @@ static void _call_f_child_c1426 (const qt_gsi::GenericMethod * /*decl*/, void *c } +// void QStandardItem::clearData() + + +static void _init_f_clearData_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_clearData_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + ((QStandardItem *)cls)->clearData (); +} + + // QStandardItem *QStandardItem::clone() @@ -496,6 +512,21 @@ static void _call_f_insertRows_1426 (const qt_gsi::GenericMethod * /*decl*/, voi } +// bool QStandardItem::isAutoTristate() + + +static void _init_f_isAutoTristate_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isAutoTristate_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QStandardItem *)cls)->isAutoTristate ()); +} + + // bool QStandardItem::isCheckable() @@ -601,6 +632,21 @@ static void _call_f_isTristate_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// bool QStandardItem::isUserTristate() + + +static void _init_f_isUserTristate_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isUserTristate_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QStandardItem *)cls)->isUserTristate ()); +} + + // QStandardItemModel *QStandardItem::model() @@ -826,6 +872,26 @@ static void _call_f_setAccessibleText_2025 (const qt_gsi::GenericMethod * /*decl } +// void QStandardItem::setAutoTristate(bool tristate) + + +static void _init_f_setAutoTristate_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("tristate"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setAutoTristate_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QStandardItem *)cls)->setAutoTristate (arg1); +} + + // void QStandardItem::setBackground(const QBrush &brush) @@ -1298,6 +1364,26 @@ static void _call_f_setTristate_864 (const qt_gsi::GenericMethod * /*decl*/, voi } +// void QStandardItem::setUserTristate(bool tristate) + + +static void _init_f_setUserTristate_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("tristate"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setUserTristate_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QStandardItem *)cls)->setUserTristate (arg1); +} + + // void QStandardItem::setWhatsThis(const QString &whatsThis) @@ -1540,6 +1626,7 @@ static gsi::Methods methods_QStandardItem () { methods += new qt_gsi::GenericMethod (":background", "@brief Method QBrush QStandardItem::background()\n", true, &_init_f_background_c0, &_call_f_background_c0); methods += new qt_gsi::GenericMethod (":checkState", "@brief Method Qt::CheckState QStandardItem::checkState()\n", true, &_init_f_checkState_c0, &_call_f_checkState_c0); methods += new qt_gsi::GenericMethod ("child", "@brief Method QStandardItem *QStandardItem::child(int row, int column)\n", true, &_init_f_child_c1426, &_call_f_child_c1426); + methods += new qt_gsi::GenericMethod ("clearData", "@brief Method void QStandardItem::clearData()\n", false, &_init_f_clearData_0, &_call_f_clearData_0); methods += new qt_gsi::GenericMethod ("clone", "@brief Method QStandardItem *QStandardItem::clone()\n", true, &_init_f_clone_c0, &_call_f_clone_c0); methods += new qt_gsi::GenericMethod ("column", "@brief Method int QStandardItem::column()\n", true, &_init_f_column_c0, &_call_f_column_c0); methods += new qt_gsi::GenericMethod (":columnCount", "@brief Method int QStandardItem::columnCount()\n", true, &_init_f_columnCount_c0, &_call_f_columnCount_c0); @@ -1556,6 +1643,7 @@ static gsi::Methods methods_QStandardItem () { methods += new qt_gsi::GenericMethod ("insertRow", "@brief Method void QStandardItem::insertRow(int row, QStandardItem *item)\n", false, &_init_f_insertRow_2578, &_call_f_insertRow_2578); methods += new qt_gsi::GenericMethod ("insertRows", "@brief Method void QStandardItem::insertRows(int row, const QList &items)\n", false, &_init_f_insertRows_3926, &_call_f_insertRows_3926); methods += new qt_gsi::GenericMethod ("insertRows", "@brief Method void QStandardItem::insertRows(int row, int count)\n", false, &_init_f_insertRows_1426, &_call_f_insertRows_1426); + methods += new qt_gsi::GenericMethod ("isAutoTristate?", "@brief Method bool QStandardItem::isAutoTristate()\n", true, &_init_f_isAutoTristate_c0, &_call_f_isAutoTristate_c0); methods += new qt_gsi::GenericMethod ("isCheckable?|:checkable", "@brief Method bool QStandardItem::isCheckable()\n", true, &_init_f_isCheckable_c0, &_call_f_isCheckable_c0); methods += new qt_gsi::GenericMethod ("isDragEnabled?|:dragEnabled", "@brief Method bool QStandardItem::isDragEnabled()\n", true, &_init_f_isDragEnabled_c0, &_call_f_isDragEnabled_c0); methods += new qt_gsi::GenericMethod ("isDropEnabled?|:dropEnabled", "@brief Method bool QStandardItem::isDropEnabled()\n", true, &_init_f_isDropEnabled_c0, &_call_f_isDropEnabled_c0); @@ -1563,6 +1651,7 @@ static gsi::Methods methods_QStandardItem () { methods += new qt_gsi::GenericMethod ("isEnabled?|:enabled", "@brief Method bool QStandardItem::isEnabled()\n", true, &_init_f_isEnabled_c0, &_call_f_isEnabled_c0); methods += new qt_gsi::GenericMethod ("isSelectable?|:selectable", "@brief Method bool QStandardItem::isSelectable()\n", true, &_init_f_isSelectable_c0, &_call_f_isSelectable_c0); methods += new qt_gsi::GenericMethod ("isTristate?|:tristate", "@brief Method bool QStandardItem::isTristate()\n", true, &_init_f_isTristate_c0, &_call_f_isTristate_c0); + methods += new qt_gsi::GenericMethod ("isUserTristate?", "@brief Method bool QStandardItem::isUserTristate()\n", true, &_init_f_isUserTristate_c0, &_call_f_isUserTristate_c0); methods += new qt_gsi::GenericMethod ("model", "@brief Method QStandardItemModel *QStandardItem::model()\n", true, &_init_f_model_c0, &_call_f_model_c0); methods += new qt_gsi::GenericMethod ("<", "@brief Method bool QStandardItem::operator<(const QStandardItem &other)\n", true, &_init_f_operator_lt__c2610, &_call_f_operator_lt__c2610); methods += new qt_gsi::GenericMethod ("parent", "@brief Method QStandardItem *QStandardItem::parent()\n", true, &_init_f_parent_c0, &_call_f_parent_c0); @@ -1575,6 +1664,7 @@ static gsi::Methods methods_QStandardItem () { methods += new qt_gsi::GenericMethod (":rowCount", "@brief Method int QStandardItem::rowCount()\n", true, &_init_f_rowCount_c0, &_call_f_rowCount_c0); methods += new qt_gsi::GenericMethod ("setAccessibleDescription|accessibleDescription=", "@brief Method void QStandardItem::setAccessibleDescription(const QString &accessibleDescription)\n", false, &_init_f_setAccessibleDescription_2025, &_call_f_setAccessibleDescription_2025); methods += new qt_gsi::GenericMethod ("setAccessibleText|accessibleText=", "@brief Method void QStandardItem::setAccessibleText(const QString &accessibleText)\n", false, &_init_f_setAccessibleText_2025, &_call_f_setAccessibleText_2025); + methods += new qt_gsi::GenericMethod ("setAutoTristate", "@brief Method void QStandardItem::setAutoTristate(bool tristate)\n", false, &_init_f_setAutoTristate_864, &_call_f_setAutoTristate_864); methods += new qt_gsi::GenericMethod ("setBackground|background=", "@brief Method void QStandardItem::setBackground(const QBrush &brush)\n", false, &_init_f_setBackground_1910, &_call_f_setBackground_1910); methods += new qt_gsi::GenericMethod ("setCheckState|checkState=", "@brief Method void QStandardItem::setCheckState(Qt::CheckState checkState)\n", false, &_init_f_setCheckState_1740, &_call_f_setCheckState_1740); methods += new qt_gsi::GenericMethod ("setCheckable|checkable=", "@brief Method void QStandardItem::setCheckable(bool checkable)\n", false, &_init_f_setCheckable_864, &_call_f_setCheckable_864); @@ -1598,6 +1688,7 @@ static gsi::Methods methods_QStandardItem () { methods += new qt_gsi::GenericMethod ("setTextAlignment|textAlignment=", "@brief Method void QStandardItem::setTextAlignment(QFlags textAlignment)\n", false, &_init_f_setTextAlignment_2750, &_call_f_setTextAlignment_2750); methods += new qt_gsi::GenericMethod ("setToolTip|toolTip=", "@brief Method void QStandardItem::setToolTip(const QString &toolTip)\n", false, &_init_f_setToolTip_2025, &_call_f_setToolTip_2025); methods += new qt_gsi::GenericMethod ("setTristate|tristate=", "@brief Method void QStandardItem::setTristate(bool tristate)\n", false, &_init_f_setTristate_864, &_call_f_setTristate_864); + methods += new qt_gsi::GenericMethod ("setUserTristate", "@brief Method void QStandardItem::setUserTristate(bool tristate)\n", false, &_init_f_setUserTristate_864, &_call_f_setUserTristate_864); methods += new qt_gsi::GenericMethod ("setWhatsThis|whatsThis=", "@brief Method void QStandardItem::setWhatsThis(const QString &whatsThis)\n", false, &_init_f_setWhatsThis_2025, &_call_f_setWhatsThis_2025); methods += new qt_gsi::GenericMethod (":sizeHint", "@brief Method QSize QStandardItem::sizeHint()\n", true, &_init_f_sizeHint_c0, &_call_f_sizeHint_c0); methods += new qt_gsi::GenericMethod ("sortChildren", "@brief Method void QStandardItem::sortChildren(int column, Qt::SortOrder order)\n", false, &_init_f_sortChildren_2340, &_call_f_sortChildren_2340); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQStandardItemModel.cc b/src/gsiqt/qt5/QtGui/gsiDeclQStandardItemModel.cc index 40983247aa..47e60c3fa5 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQStandardItemModel.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQStandardItemModel.cc @@ -136,6 +136,25 @@ static void _call_f_clear_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// bool QStandardItemModel::clearItemData(const QModelIndex &index) + + +static void _init_f_clearItemData_2395 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("index"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_clearItemData_2395 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QStandardItemModel *)cls)->clearItemData (arg1)); +} + + // int QStandardItemModel::columnCount(const QModelIndex &parent) @@ -1314,6 +1333,7 @@ static gsi::Methods methods_QStandardItemModel () { methods += new qt_gsi::GenericMethod ("appendRow", "@brief Method void QStandardItemModel::appendRow(const QList &items)\n", false, &_init_f_appendRow_3267, &_call_f_appendRow_3267); methods += new qt_gsi::GenericMethod ("appendRow", "@brief Method void QStandardItemModel::appendRow(QStandardItem *item)\n", false, &_init_f_appendRow_1919, &_call_f_appendRow_1919); methods += new qt_gsi::GenericMethod ("clear", "@brief Method void QStandardItemModel::clear()\n", false, &_init_f_clear_0, &_call_f_clear_0); + methods += new qt_gsi::GenericMethod ("clearItemData", "@brief Method bool QStandardItemModel::clearItemData(const QModelIndex &index)\n", false, &_init_f_clearItemData_2395, &_call_f_clearItemData_2395); methods += new qt_gsi::GenericMethod ("columnCount", "@brief Method int QStandardItemModel::columnCount(const QModelIndex &parent)\nThis is a reimplementation of QAbstractItemModel::columnCount", true, &_init_f_columnCount_c2395, &_call_f_columnCount_c2395); methods += new qt_gsi::GenericMethod ("data", "@brief Method QVariant QStandardItemModel::data(const QModelIndex &index, int role)\nThis is a reimplementation of QAbstractItemModel::data", true, &_init_f_data_c3054, &_call_f_data_c3054); methods += new qt_gsi::GenericMethod ("dropMimeData", "@brief Method bool QStandardItemModel::dropMimeData(const QMimeData *data, Qt::DropAction action, int row, int column, const QModelIndex &parent)\nThis is a reimplementation of QAbstractItemModel::dropMimeData", false, &_init_f_dropMimeData_7425, &_call_f_dropMimeData_7425); @@ -1724,33 +1744,33 @@ class QStandardItemModel_Adaptor : public QStandardItemModel, public qt_gsi::QtO } } - // [adaptor impl] bool QStandardItemModel::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QStandardItemModel::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QStandardItemModel::event(arg1); + return QStandardItemModel::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QStandardItemModel_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QStandardItemModel_Adaptor::cbs_event_1217_0, _event); } else { - return QStandardItemModel::event(arg1); + return QStandardItemModel::event(_event); } } - // [adaptor impl] bool QStandardItemModel::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QStandardItemModel::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QStandardItemModel::eventFilter(arg1, arg2); + return QStandardItemModel::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QStandardItemModel_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QStandardItemModel_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QStandardItemModel::eventFilter(arg1, arg2); + return QStandardItemModel::eventFilter(watched, event); } } @@ -2275,33 +2295,33 @@ class QStandardItemModel_Adaptor : public QStandardItemModel, public qt_gsi::QtO } } - // [adaptor impl] void QStandardItemModel::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QStandardItemModel::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QStandardItemModel::childEvent(arg1); + QStandardItemModel::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QStandardItemModel_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QStandardItemModel_Adaptor::cbs_childEvent_1701_0, event); } else { - QStandardItemModel::childEvent(arg1); + QStandardItemModel::childEvent(event); } } - // [adaptor impl] void QStandardItemModel::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QStandardItemModel::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QStandardItemModel::customEvent(arg1); + QStandardItemModel::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QStandardItemModel_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QStandardItemModel_Adaptor::cbs_customEvent_1217_0, event); } else { - QStandardItemModel::customEvent(arg1); + QStandardItemModel::customEvent(event); } } @@ -2320,18 +2340,18 @@ class QStandardItemModel_Adaptor : public QStandardItemModel, public qt_gsi::QtO } } - // [adaptor impl] void QStandardItemModel::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QStandardItemModel::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QStandardItemModel::timerEvent(arg1); + QStandardItemModel::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QStandardItemModel_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QStandardItemModel_Adaptor::cbs_timerEvent_1730_0, event); } else { - QStandardItemModel::timerEvent(arg1); + QStandardItemModel::timerEvent(event); } } @@ -2383,7 +2403,7 @@ QStandardItemModel_Adaptor::~QStandardItemModel_Adaptor() { } static void _init_ctor_QStandardItemModel_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -2392,7 +2412,7 @@ static void _call_ctor_QStandardItemModel_Adaptor_1302 (const qt_gsi::GenericSta { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QStandardItemModel_Adaptor (arg1)); } @@ -2405,7 +2425,7 @@ static void _init_ctor_QStandardItemModel_Adaptor_2620 (qt_gsi::GenericStaticMet decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("columns"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_2 ("parent", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -2416,7 +2436,7 @@ static void _call_ctor_QStandardItemModel_Adaptor_2620 (const qt_gsi::GenericSta tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); - QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QStandardItemModel_Adaptor (arg1, arg2, arg3)); } @@ -2721,11 +2741,11 @@ static void _call_fp_changePersistentIndexList_5912 (const qt_gsi::GenericMethod } -// void QStandardItemModel::childEvent(QChildEvent *) +// void QStandardItemModel::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2932,7 +2952,7 @@ static void _init_fp_createIndex_c2374 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("column"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("data", true, "0"); + static gsi::ArgSpecBase argspec_2 ("data", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -2943,7 +2963,7 @@ static void _call_fp_createIndex_c2374 (const qt_gsi::GenericMethod * /*decl*/, tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); - void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QModelIndex)((QStandardItemModel_Adaptor *)cls)->fp_QStandardItemModel_createIndex_c2374 (arg1, arg2, arg3)); } @@ -2972,11 +2992,11 @@ static void _call_fp_createIndex_c2657 (const qt_gsi::GenericMethod * /*decl*/, } -// void QStandardItemModel::customEvent(QEvent *) +// void QStandardItemModel::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3077,7 +3097,7 @@ static void _call_fp_decodeData_5302 (const qt_gsi::GenericMethod * /*decl*/, vo static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3086,7 +3106,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QStandardItemModel_Adaptor *)cls)->emitter_QStandardItemModel_destroyed_1302 (arg1); } @@ -3277,11 +3297,11 @@ static void _call_fp_endResetModel_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// bool QStandardItemModel::event(QEvent *) +// bool QStandardItemModel::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3300,13 +3320,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QStandardItemModel::eventFilter(QObject *, QEvent *) +// bool QStandardItemModel::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -4427,11 +4447,11 @@ static void _set_callback_cbs_supportedDropActions_c0_0 (void *cls, const gsi::C } -// void QStandardItemModel::timerEvent(QTimerEvent *) +// void QStandardItemModel::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4475,7 +4495,7 @@ static gsi::Methods methods_QStandardItemModel_Adaptor () { methods += new qt_gsi::GenericMethod ("canFetchMore", "@hide", true, &_init_cbs_canFetchMore_c2395_0, &_call_cbs_canFetchMore_c2395_0, &_set_callback_cbs_canFetchMore_c2395_0); methods += new qt_gsi::GenericMethod ("*changePersistentIndex", "@brief Method void QStandardItemModel::changePersistentIndex(const QModelIndex &from, const QModelIndex &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndex_4682, &_call_fp_changePersistentIndex_4682); methods += new qt_gsi::GenericMethod ("*changePersistentIndexList", "@brief Method void QStandardItemModel::changePersistentIndexList(const QList &from, const QList &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndexList_5912, &_call_fp_changePersistentIndexList_5912); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QStandardItemModel::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QStandardItemModel::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("columnCount", "@brief Virtual method int QStandardItemModel::columnCount(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_columnCount_c2395_1, &_call_cbs_columnCount_c2395_1); methods += new qt_gsi::GenericMethod ("columnCount", "@hide", true, &_init_cbs_columnCount_c2395_1, &_call_cbs_columnCount_c2395_1, &_set_callback_cbs_columnCount_c2395_1); @@ -4487,7 +4507,7 @@ static gsi::Methods methods_QStandardItemModel_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_columnsRemoved", "@brief Emitter for signal void QStandardItemModel::columnsRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsRemoved_7372, &_call_emitter_columnsRemoved_7372); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QStandardItemModel::createIndex(int row, int column, void *data)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2374, &_call_fp_createIndex_c2374); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QStandardItemModel::createIndex(int row, int column, quintptr id)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2657, &_call_fp_createIndex_c2657); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStandardItemModel::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStandardItemModel::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("data", "@brief Virtual method QVariant QStandardItemModel::data(const QModelIndex &index, int role)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1); methods += new qt_gsi::GenericMethod ("data", "@hide", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1, &_set_callback_cbs_data_c3054_1); @@ -4506,9 +4526,9 @@ static gsi::Methods methods_QStandardItemModel_Adaptor () { methods += new qt_gsi::GenericMethod ("*endRemoveColumns", "@brief Method void QStandardItemModel::endRemoveColumns()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveColumns_0, &_call_fp_endRemoveColumns_0); methods += new qt_gsi::GenericMethod ("*endRemoveRows", "@brief Method void QStandardItemModel::endRemoveRows()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveRows_0, &_call_fp_endRemoveRows_0); methods += new qt_gsi::GenericMethod ("*endResetModel", "@brief Method void QStandardItemModel::endResetModel()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endResetModel_0, &_call_fp_endResetModel_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QStandardItemModel::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QStandardItemModel::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QStandardItemModel::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QStandardItemModel::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@brief Virtual method void QStandardItemModel::fetchMore(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_fetchMore_2395_0, &_call_cbs_fetchMore_2395_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@hide", false, &_init_cbs_fetchMore_2395_0, &_call_cbs_fetchMore_2395_0, &_set_callback_cbs_fetchMore_2395_0); @@ -4585,7 +4605,7 @@ static gsi::Methods methods_QStandardItemModel_Adaptor () { methods += new qt_gsi::GenericMethod ("supportedDragActions", "@hide", true, &_init_cbs_supportedDragActions_c0_0, &_call_cbs_supportedDragActions_c0_0, &_set_callback_cbs_supportedDragActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@brief Virtual method QFlags QStandardItemModel::supportedDropActions()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@hide", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0, &_set_callback_cbs_supportedDropActions_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QStandardItemModel::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QStandardItemModel::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQStyleHints.cc b/src/gsiqt/qt5/QtGui/gsiDeclQStyleHints.cc index a4c68fc193..a0359843b3 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQStyleHints.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQStyleHints.cc @@ -144,6 +144,21 @@ static void _call_f_mousePressAndHoldInterval_c0 (const qt_gsi::GenericMethod * } +// int QStyleHints::mouseQuickSelectionThreshold() + + +static void _init_f_mouseQuickSelectionThreshold_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_mouseQuickSelectionThreshold_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QStyleHints *)cls)->mouseQuickSelectionThreshold ()); +} + + // QChar QStyleHints::passwordMaskCharacter() @@ -249,6 +264,46 @@ static void _call_f_setMouseDoubleClickInterval_767 (const qt_gsi::GenericMethod } +// void QStyleHints::setMousePressAndHoldInterval(int mousePressAndHoldInterval) + + +static void _init_f_setMousePressAndHoldInterval_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("mousePressAndHoldInterval"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setMousePressAndHoldInterval_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QStyleHints *)cls)->setMousePressAndHoldInterval (arg1); +} + + +// void QStyleHints::setMouseQuickSelectionThreshold(int threshold) + + +static void _init_f_setMouseQuickSelectionThreshold_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("threshold"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setMouseQuickSelectionThreshold_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QStyleHints *)cls)->setMouseQuickSelectionThreshold (arg1); +} + + // void QStyleHints::setStartDragDistance(int startDragDistance) @@ -289,6 +344,66 @@ static void _call_f_setStartDragTime_767 (const qt_gsi::GenericMethod * /*decl*/ } +// void QStyleHints::setTabFocusBehavior(Qt::TabFocusBehavior tabFocusBehavior) + + +static void _init_f_setTabFocusBehavior_2356 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("tabFocusBehavior"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_setTabFocusBehavior_2356 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QStyleHints *)cls)->setTabFocusBehavior (qt_gsi::QtToCppAdaptor(arg1).cref()); +} + + +// void QStyleHints::setUseHoverEffects(bool useHoverEffects) + + +static void _init_f_setUseHoverEffects_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("useHoverEffects"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setUseHoverEffects_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QStyleHints *)cls)->setUseHoverEffects (arg1); +} + + +// void QStyleHints::setWheelScrollLines(int scrollLines) + + +static void _init_f_setWheelScrollLines_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("scrollLines"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setWheelScrollLines_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QStyleHints *)cls)->setWheelScrollLines (arg1); +} + + // bool QStyleHints::showIsFullScreen() @@ -304,6 +419,36 @@ static void _call_f_showIsFullScreen_c0 (const qt_gsi::GenericMethod * /*decl*/, } +// bool QStyleHints::showIsMaximized() + + +static void _init_f_showIsMaximized_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_showIsMaximized_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QStyleHints *)cls)->showIsMaximized ()); +} + + +// bool QStyleHints::showShortcutsInContextMenus() + + +static void _init_f_showShortcutsInContextMenus_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_showShortcutsInContextMenus_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QStyleHints *)cls)->showShortcutsInContextMenus ()); +} + + // bool QStyleHints::singleClickActivation() @@ -379,6 +524,21 @@ static void _call_f_tabFocusBehavior_c0 (const qt_gsi::GenericMethod * /*decl*/, } +// bool QStyleHints::useHoverEffects() + + +static void _init_f_useHoverEffects_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_useHoverEffects_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QStyleHints *)cls)->useHoverEffects ()); +} + + // bool QStyleHints::useRtlExtensions() @@ -394,6 +554,21 @@ static void _call_f_useRtlExtensions_c0 (const qt_gsi::GenericMethod * /*decl*/, } +// int QStyleHints::wheelScrollLines() + + +static void _init_f_wheelScrollLines_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_wheelScrollLines_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QStyleHints *)cls)->wheelScrollLines ()); +} + + // static QString QStyleHints::tr(const char *s, const char *c, int n) @@ -456,28 +631,43 @@ static gsi::Methods methods_QStyleHints () { methods += new qt_gsi::GenericMethod (":keyboardInputInterval", "@brief Method int QStyleHints::keyboardInputInterval()\n", true, &_init_f_keyboardInputInterval_c0, &_call_f_keyboardInputInterval_c0); methods += new qt_gsi::GenericMethod (":mouseDoubleClickInterval", "@brief Method int QStyleHints::mouseDoubleClickInterval()\n", true, &_init_f_mouseDoubleClickInterval_c0, &_call_f_mouseDoubleClickInterval_c0); methods += new qt_gsi::GenericMethod (":mousePressAndHoldInterval", "@brief Method int QStyleHints::mousePressAndHoldInterval()\n", true, &_init_f_mousePressAndHoldInterval_c0, &_call_f_mousePressAndHoldInterval_c0); + methods += new qt_gsi::GenericMethod ("mouseQuickSelectionThreshold", "@brief Method int QStyleHints::mouseQuickSelectionThreshold()\n", true, &_init_f_mouseQuickSelectionThreshold_c0, &_call_f_mouseQuickSelectionThreshold_c0); methods += new qt_gsi::GenericMethod (":passwordMaskCharacter", "@brief Method QChar QStyleHints::passwordMaskCharacter()\n", true, &_init_f_passwordMaskCharacter_c0, &_call_f_passwordMaskCharacter_c0); methods += new qt_gsi::GenericMethod (":passwordMaskDelay", "@brief Method int QStyleHints::passwordMaskDelay()\n", true, &_init_f_passwordMaskDelay_c0, &_call_f_passwordMaskDelay_c0); methods += new qt_gsi::GenericMethod ("setCursorFlashTime", "@brief Method void QStyleHints::setCursorFlashTime(int cursorFlashTime)\n", false, &_init_f_setCursorFlashTime_767, &_call_f_setCursorFlashTime_767); methods += new qt_gsi::GenericMethod (":setFocusOnTouchRelease", "@brief Method bool QStyleHints::setFocusOnTouchRelease()\n", true, &_init_f_setFocusOnTouchRelease_c0, &_call_f_setFocusOnTouchRelease_c0); methods += new qt_gsi::GenericMethod ("setKeyboardInputInterval", "@brief Method void QStyleHints::setKeyboardInputInterval(int keyboardInputInterval)\n", false, &_init_f_setKeyboardInputInterval_767, &_call_f_setKeyboardInputInterval_767); methods += new qt_gsi::GenericMethod ("setMouseDoubleClickInterval", "@brief Method void QStyleHints::setMouseDoubleClickInterval(int mouseDoubleClickInterval)\n", false, &_init_f_setMouseDoubleClickInterval_767, &_call_f_setMouseDoubleClickInterval_767); + methods += new qt_gsi::GenericMethod ("setMousePressAndHoldInterval", "@brief Method void QStyleHints::setMousePressAndHoldInterval(int mousePressAndHoldInterval)\n", false, &_init_f_setMousePressAndHoldInterval_767, &_call_f_setMousePressAndHoldInterval_767); + methods += new qt_gsi::GenericMethod ("setMouseQuickSelectionThreshold", "@brief Method void QStyleHints::setMouseQuickSelectionThreshold(int threshold)\n", false, &_init_f_setMouseQuickSelectionThreshold_767, &_call_f_setMouseQuickSelectionThreshold_767); methods += new qt_gsi::GenericMethod ("setStartDragDistance", "@brief Method void QStyleHints::setStartDragDistance(int startDragDistance)\n", false, &_init_f_setStartDragDistance_767, &_call_f_setStartDragDistance_767); methods += new qt_gsi::GenericMethod ("setStartDragTime", "@brief Method void QStyleHints::setStartDragTime(int startDragTime)\n", false, &_init_f_setStartDragTime_767, &_call_f_setStartDragTime_767); + methods += new qt_gsi::GenericMethod ("setTabFocusBehavior", "@brief Method void QStyleHints::setTabFocusBehavior(Qt::TabFocusBehavior tabFocusBehavior)\n", false, &_init_f_setTabFocusBehavior_2356, &_call_f_setTabFocusBehavior_2356); + methods += new qt_gsi::GenericMethod ("setUseHoverEffects", "@brief Method void QStyleHints::setUseHoverEffects(bool useHoverEffects)\n", false, &_init_f_setUseHoverEffects_864, &_call_f_setUseHoverEffects_864); + methods += new qt_gsi::GenericMethod ("setWheelScrollLines", "@brief Method void QStyleHints::setWheelScrollLines(int scrollLines)\n", false, &_init_f_setWheelScrollLines_767, &_call_f_setWheelScrollLines_767); methods += new qt_gsi::GenericMethod (":showIsFullScreen", "@brief Method bool QStyleHints::showIsFullScreen()\n", true, &_init_f_showIsFullScreen_c0, &_call_f_showIsFullScreen_c0); + methods += new qt_gsi::GenericMethod ("showIsMaximized", "@brief Method bool QStyleHints::showIsMaximized()\n", true, &_init_f_showIsMaximized_c0, &_call_f_showIsMaximized_c0); + methods += new qt_gsi::GenericMethod ("showShortcutsInContextMenus", "@brief Method bool QStyleHints::showShortcutsInContextMenus()\n", true, &_init_f_showShortcutsInContextMenus_c0, &_call_f_showShortcutsInContextMenus_c0); methods += new qt_gsi::GenericMethod (":singleClickActivation", "@brief Method bool QStyleHints::singleClickActivation()\n", true, &_init_f_singleClickActivation_c0, &_call_f_singleClickActivation_c0); methods += new qt_gsi::GenericMethod (":startDragDistance", "@brief Method int QStyleHints::startDragDistance()\n", true, &_init_f_startDragDistance_c0, &_call_f_startDragDistance_c0); methods += new qt_gsi::GenericMethod (":startDragTime", "@brief Method int QStyleHints::startDragTime()\n", true, &_init_f_startDragTime_c0, &_call_f_startDragTime_c0); methods += new qt_gsi::GenericMethod (":startDragVelocity", "@brief Method int QStyleHints::startDragVelocity()\n", true, &_init_f_startDragVelocity_c0, &_call_f_startDragVelocity_c0); methods += new qt_gsi::GenericMethod (":tabFocusBehavior", "@brief Method Qt::TabFocusBehavior QStyleHints::tabFocusBehavior()\n", true, &_init_f_tabFocusBehavior_c0, &_call_f_tabFocusBehavior_c0); + methods += new qt_gsi::GenericMethod ("useHoverEffects", "@brief Method bool QStyleHints::useHoverEffects()\n", true, &_init_f_useHoverEffects_c0, &_call_f_useHoverEffects_c0); methods += new qt_gsi::GenericMethod (":useRtlExtensions", "@brief Method bool QStyleHints::useRtlExtensions()\n", true, &_init_f_useRtlExtensions_c0, &_call_f_useRtlExtensions_c0); + methods += new qt_gsi::GenericMethod ("wheelScrollLines", "@brief Method int QStyleHints::wheelScrollLines()\n", true, &_init_f_wheelScrollLines_c0, &_call_f_wheelScrollLines_c0); methods += gsi::qt_signal ("cursorFlashTimeChanged(int)", "cursorFlashTimeChanged", gsi::arg("cursorFlashTime"), "@brief Signal declaration for QStyleHints::cursorFlashTimeChanged(int cursorFlashTime)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QStyleHints::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("keyboardInputIntervalChanged(int)", "keyboardInputIntervalChanged", gsi::arg("keyboardInputInterval"), "@brief Signal declaration for QStyleHints::keyboardInputIntervalChanged(int keyboardInputInterval)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("mouseDoubleClickIntervalChanged(int)", "mouseDoubleClickIntervalChanged", gsi::arg("mouseDoubleClickInterval"), "@brief Signal declaration for QStyleHints::mouseDoubleClickIntervalChanged(int mouseDoubleClickInterval)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mousePressAndHoldIntervalChanged(int)", "mousePressAndHoldIntervalChanged", gsi::arg("mousePressAndHoldInterval"), "@brief Signal declaration for QStyleHints::mousePressAndHoldIntervalChanged(int mousePressAndHoldInterval)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mouseQuickSelectionThresholdChanged(int)", "mouseQuickSelectionThresholdChanged", gsi::arg("threshold"), "@brief Signal declaration for QStyleHints::mouseQuickSelectionThresholdChanged(int threshold)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QStyleHints::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("startDragDistanceChanged(int)", "startDragDistanceChanged", gsi::arg("startDragDistance"), "@brief Signal declaration for QStyleHints::startDragDistanceChanged(int startDragDistance)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("startDragTimeChanged(int)", "startDragTimeChanged", gsi::arg("startDragTime"), "@brief Signal declaration for QStyleHints::startDragTimeChanged(int startDragTime)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("tabFocusBehaviorChanged(Qt::TabFocusBehavior)", "tabFocusBehaviorChanged", gsi::arg("tabFocusBehavior"), "@brief Signal declaration for QStyleHints::tabFocusBehaviorChanged(Qt::TabFocusBehavior tabFocusBehavior)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("useHoverEffectsChanged(bool)", "useHoverEffectsChanged", gsi::arg("useHoverEffects"), "@brief Signal declaration for QStyleHints::useHoverEffectsChanged(bool useHoverEffects)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("wheelScrollLinesChanged(int)", "wheelScrollLinesChanged", gsi::arg("scrollLines"), "@brief Signal declaration for QStyleHints::wheelScrollLinesChanged(int scrollLines)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QStyleHints::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QStyleHints::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -532,33 +722,33 @@ class QStyleHints_Adaptor : public QStyleHints, public qt_gsi::QtObjectBase emit QStyleHints::destroyed(arg1); } - // [adaptor impl] bool QStyleHints::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QStyleHints::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QStyleHints::event(arg1); + return QStyleHints::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QStyleHints_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QStyleHints_Adaptor::cbs_event_1217_0, _event); } else { - return QStyleHints::event(arg1); + return QStyleHints::event(_event); } } - // [adaptor impl] bool QStyleHints::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QStyleHints::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QStyleHints::eventFilter(arg1, arg2); + return QStyleHints::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QStyleHints_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QStyleHints_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QStyleHints::eventFilter(arg1, arg2); + return QStyleHints::eventFilter(watched, event); } } @@ -574,6 +764,18 @@ class QStyleHints_Adaptor : public QStyleHints, public qt_gsi::QtObjectBase emit QStyleHints::mouseDoubleClickIntervalChanged(mouseDoubleClickInterval); } + // [emitter impl] void QStyleHints::mousePressAndHoldIntervalChanged(int mousePressAndHoldInterval) + void emitter_QStyleHints_mousePressAndHoldIntervalChanged_767(int mousePressAndHoldInterval) + { + emit QStyleHints::mousePressAndHoldIntervalChanged(mousePressAndHoldInterval); + } + + // [emitter impl] void QStyleHints::mouseQuickSelectionThresholdChanged(int threshold) + void emitter_QStyleHints_mouseQuickSelectionThresholdChanged_767(int threshold) + { + emit QStyleHints::mouseQuickSelectionThresholdChanged(threshold); + } + // [emitter impl] void QStyleHints::objectNameChanged(const QString &objectName) void emitter_QStyleHints_objectNameChanged_4567(const QString &objectName) { @@ -593,33 +795,51 @@ class QStyleHints_Adaptor : public QStyleHints, public qt_gsi::QtObjectBase emit QStyleHints::startDragTimeChanged(startDragTime); } - // [adaptor impl] void QStyleHints::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [emitter impl] void QStyleHints::tabFocusBehaviorChanged(Qt::TabFocusBehavior tabFocusBehavior) + void emitter_QStyleHints_tabFocusBehaviorChanged_2356(Qt::TabFocusBehavior tabFocusBehavior) { - QStyleHints::childEvent(arg1); + emit QStyleHints::tabFocusBehaviorChanged(tabFocusBehavior); } - virtual void childEvent(QChildEvent *arg1) + // [emitter impl] void QStyleHints::useHoverEffectsChanged(bool useHoverEffects) + void emitter_QStyleHints_useHoverEffectsChanged_864(bool useHoverEffects) + { + emit QStyleHints::useHoverEffectsChanged(useHoverEffects); + } + + // [emitter impl] void QStyleHints::wheelScrollLinesChanged(int scrollLines) + void emitter_QStyleHints_wheelScrollLinesChanged_767(int scrollLines) + { + emit QStyleHints::wheelScrollLinesChanged(scrollLines); + } + + // [adaptor impl] void QStyleHints::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) + { + QStyleHints::childEvent(event); + } + + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QStyleHints_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QStyleHints_Adaptor::cbs_childEvent_1701_0, event); } else { - QStyleHints::childEvent(arg1); + QStyleHints::childEvent(event); } } - // [adaptor impl] void QStyleHints::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QStyleHints::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QStyleHints::customEvent(arg1); + QStyleHints::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QStyleHints_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QStyleHints_Adaptor::cbs_customEvent_1217_0, event); } else { - QStyleHints::customEvent(arg1); + QStyleHints::customEvent(event); } } @@ -638,18 +858,18 @@ class QStyleHints_Adaptor : public QStyleHints, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QStyleHints::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QStyleHints::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QStyleHints::timerEvent(arg1); + QStyleHints::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QStyleHints_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QStyleHints_Adaptor::cbs_timerEvent_1730_0, event); } else { - QStyleHints::timerEvent(arg1); + QStyleHints::timerEvent(event); } } @@ -663,11 +883,11 @@ class QStyleHints_Adaptor : public QStyleHints, public qt_gsi::QtObjectBase QStyleHints_Adaptor::~QStyleHints_Adaptor() { } -// void QStyleHints::childEvent(QChildEvent *) +// void QStyleHints::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -705,11 +925,11 @@ static void _call_emitter_cursorFlashTimeChanged_767 (const qt_gsi::GenericMetho } -// void QStyleHints::customEvent(QEvent *) +// void QStyleHints::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -733,7 +953,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -742,7 +962,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QStyleHints_Adaptor *)cls)->emitter_QStyleHints_destroyed_1302 (arg1); } @@ -771,11 +991,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QStyleHints::event(QEvent *) +// bool QStyleHints::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -794,13 +1014,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QStyleHints::eventFilter(QObject *, QEvent *) +// bool QStyleHints::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -874,6 +1094,42 @@ static void _call_emitter_mouseDoubleClickIntervalChanged_767 (const qt_gsi::Gen } +// emitter void QStyleHints::mousePressAndHoldIntervalChanged(int mousePressAndHoldInterval) + +static void _init_emitter_mousePressAndHoldIntervalChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("mousePressAndHoldInterval"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_mousePressAndHoldIntervalChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QStyleHints_Adaptor *)cls)->emitter_QStyleHints_mousePressAndHoldIntervalChanged_767 (arg1); +} + + +// emitter void QStyleHints::mouseQuickSelectionThresholdChanged(int threshold) + +static void _init_emitter_mouseQuickSelectionThresholdChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("threshold"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_mouseQuickSelectionThresholdChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QStyleHints_Adaptor *)cls)->emitter_QStyleHints_mouseQuickSelectionThresholdChanged_767 (arg1); +} + + // emitter void QStyleHints::objectNameChanged(const QString &objectName) static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) @@ -974,11 +1230,29 @@ static void _call_emitter_startDragTimeChanged_767 (const qt_gsi::GenericMethod } -// void QStyleHints::timerEvent(QTimerEvent *) +// emitter void QStyleHints::tabFocusBehaviorChanged(Qt::TabFocusBehavior tabFocusBehavior) + +static void _init_emitter_tabFocusBehaviorChanged_2356 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("tabFocusBehavior"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_tabFocusBehaviorChanged_2356 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QStyleHints_Adaptor *)cls)->emitter_QStyleHints_tabFocusBehaviorChanged_2356 (arg1); +} + + +// void QStyleHints::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -998,6 +1272,42 @@ static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback } +// emitter void QStyleHints::useHoverEffectsChanged(bool useHoverEffects) + +static void _init_emitter_useHoverEffectsChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("useHoverEffects"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_useHoverEffectsChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QStyleHints_Adaptor *)cls)->emitter_QStyleHints_useHoverEffectsChanged_864 (arg1); +} + + +// emitter void QStyleHints::wheelScrollLinesChanged(int scrollLines) + +static void _init_emitter_wheelScrollLinesChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("scrollLines"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_wheelScrollLinesChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QStyleHints_Adaptor *)cls)->emitter_QStyleHints_wheelScrollLinesChanged_767 (arg1); +} + + namespace gsi { @@ -1005,29 +1315,34 @@ gsi::Class &qtdecl_QStyleHints (); static gsi::Methods methods_QStyleHints_Adaptor () { gsi::Methods methods; - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QStyleHints::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QStyleHints::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_cursorFlashTimeChanged", "@brief Emitter for signal void QStyleHints::cursorFlashTimeChanged(int cursorFlashTime)\nCall this method to emit this signal.", false, &_init_emitter_cursorFlashTimeChanged_767, &_call_emitter_cursorFlashTimeChanged_767); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStyleHints::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStyleHints::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QStyleHints::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QStyleHints::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QStyleHints::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QStyleHints::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QStyleHints::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QStyleHints::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QStyleHints::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_keyboardInputIntervalChanged", "@brief Emitter for signal void QStyleHints::keyboardInputIntervalChanged(int keyboardInputInterval)\nCall this method to emit this signal.", false, &_init_emitter_keyboardInputIntervalChanged_767, &_call_emitter_keyboardInputIntervalChanged_767); methods += new qt_gsi::GenericMethod ("emit_mouseDoubleClickIntervalChanged", "@brief Emitter for signal void QStyleHints::mouseDoubleClickIntervalChanged(int mouseDoubleClickInterval)\nCall this method to emit this signal.", false, &_init_emitter_mouseDoubleClickIntervalChanged_767, &_call_emitter_mouseDoubleClickIntervalChanged_767); + methods += new qt_gsi::GenericMethod ("emit_mousePressAndHoldIntervalChanged", "@brief Emitter for signal void QStyleHints::mousePressAndHoldIntervalChanged(int mousePressAndHoldInterval)\nCall this method to emit this signal.", false, &_init_emitter_mousePressAndHoldIntervalChanged_767, &_call_emitter_mousePressAndHoldIntervalChanged_767); + methods += new qt_gsi::GenericMethod ("emit_mouseQuickSelectionThresholdChanged", "@brief Emitter for signal void QStyleHints::mouseQuickSelectionThresholdChanged(int threshold)\nCall this method to emit this signal.", false, &_init_emitter_mouseQuickSelectionThresholdChanged_767, &_call_emitter_mouseQuickSelectionThresholdChanged_767); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QStyleHints::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QStyleHints::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QStyleHints::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QStyleHints::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("emit_startDragDistanceChanged", "@brief Emitter for signal void QStyleHints::startDragDistanceChanged(int startDragDistance)\nCall this method to emit this signal.", false, &_init_emitter_startDragDistanceChanged_767, &_call_emitter_startDragDistanceChanged_767); methods += new qt_gsi::GenericMethod ("emit_startDragTimeChanged", "@brief Emitter for signal void QStyleHints::startDragTimeChanged(int startDragTime)\nCall this method to emit this signal.", false, &_init_emitter_startDragTimeChanged_767, &_call_emitter_startDragTimeChanged_767); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QStyleHints::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("emit_tabFocusBehaviorChanged", "@brief Emitter for signal void QStyleHints::tabFocusBehaviorChanged(Qt::TabFocusBehavior tabFocusBehavior)\nCall this method to emit this signal.", false, &_init_emitter_tabFocusBehaviorChanged_2356, &_call_emitter_tabFocusBehaviorChanged_2356); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QStyleHints::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("emit_useHoverEffectsChanged", "@brief Emitter for signal void QStyleHints::useHoverEffectsChanged(bool useHoverEffects)\nCall this method to emit this signal.", false, &_init_emitter_useHoverEffectsChanged_864, &_call_emitter_useHoverEffectsChanged_864); + methods += new qt_gsi::GenericMethod ("emit_wheelScrollLinesChanged", "@brief Emitter for signal void QStyleHints::wheelScrollLinesChanged(int scrollLines)\nCall this method to emit this signal.", false, &_init_emitter_wheelScrollLinesChanged_767, &_call_emitter_wheelScrollLinesChanged_767); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQSurface.cc b/src/gsiqt/qt5/QtGui/gsiDeclQSurface.cc index 046c15a416..5b2feeb852 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQSurface.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQSurface.cc @@ -163,7 +163,10 @@ namespace qt_gsi static gsi::Enum decl_QSurface_SurfaceType_Enum ("QtGui", "QSurface_SurfaceType", gsi::enum_const ("RasterSurface", QSurface::RasterSurface, "@brief Enum constant QSurface::RasterSurface") + gsi::enum_const ("OpenGLSurface", QSurface::OpenGLSurface, "@brief Enum constant QSurface::OpenGLSurface") + - gsi::enum_const ("RasterGLSurface", QSurface::RasterGLSurface, "@brief Enum constant QSurface::RasterGLSurface"), + gsi::enum_const ("RasterGLSurface", QSurface::RasterGLSurface, "@brief Enum constant QSurface::RasterGLSurface") + + gsi::enum_const ("OpenVGSurface", QSurface::OpenVGSurface, "@brief Enum constant QSurface::OpenVGSurface") + + gsi::enum_const ("VulkanSurface", QSurface::VulkanSurface, "@brief Enum constant QSurface::VulkanSurface") + + gsi::enum_const ("MetalSurface", QSurface::MetalSurface, "@brief Enum constant QSurface::MetalSurface"), "@qt\n@brief This class represents the QSurface::SurfaceType enum"); static gsi::QFlagsClass decl_QSurface_SurfaceType_Enums ("QtGui", "QSurface_QFlags_SurfaceType", diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQSurfaceFormat.cc b/src/gsiqt/qt5/QtGui/gsiDeclQSurfaceFormat.cc index 797a7569fb..5e807c7103 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQSurfaceFormat.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQSurfaceFormat.cc @@ -118,6 +118,21 @@ static void _call_f_blueBufferSize_c0 (const qt_gsi::GenericMethod * /*decl*/, v } +// QSurfaceFormat::ColorSpace QSurfaceFormat::colorSpace() + + +static void _init_f_colorSpace_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_colorSpace_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QSurfaceFormat *)cls)->colorSpace ())); +} + + // int QSurfaceFormat::depthBufferSize() @@ -327,6 +342,26 @@ static void _call_f_setBlueBufferSize_767 (const qt_gsi::GenericMethod * /*decl* } +// void QSurfaceFormat::setColorSpace(QSurfaceFormat::ColorSpace colorSpace) + + +static void _init_f_setColorSpace_2966 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("colorSpace"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_setColorSpace_2966 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QSurfaceFormat *)cls)->setColorSpace (qt_gsi::QtToCppAdaptor(arg1).cref()); +} + + // void QSurfaceFormat::setDepthBufferSize(int size) @@ -822,6 +857,7 @@ static gsi::Methods methods_QSurfaceFormat () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSurfaceFormat::QSurfaceFormat(const QSurfaceFormat &other)\nThis method creates an object of class QSurfaceFormat.", &_init_ctor_QSurfaceFormat_2724, &_call_ctor_QSurfaceFormat_2724); methods += new qt_gsi::GenericMethod (":alphaBufferSize", "@brief Method int QSurfaceFormat::alphaBufferSize()\n", true, &_init_f_alphaBufferSize_c0, &_call_f_alphaBufferSize_c0); methods += new qt_gsi::GenericMethod (":blueBufferSize", "@brief Method int QSurfaceFormat::blueBufferSize()\n", true, &_init_f_blueBufferSize_c0, &_call_f_blueBufferSize_c0); + methods += new qt_gsi::GenericMethod ("colorSpace", "@brief Method QSurfaceFormat::ColorSpace QSurfaceFormat::colorSpace()\n", true, &_init_f_colorSpace_c0, &_call_f_colorSpace_c0); methods += new qt_gsi::GenericMethod (":depthBufferSize", "@brief Method int QSurfaceFormat::depthBufferSize()\n", true, &_init_f_depthBufferSize_c0, &_call_f_depthBufferSize_c0); methods += new qt_gsi::GenericMethod (":greenBufferSize", "@brief Method int QSurfaceFormat::greenBufferSize()\n", true, &_init_f_greenBufferSize_c0, &_call_f_greenBufferSize_c0); methods += new qt_gsi::GenericMethod ("hasAlpha", "@brief Method bool QSurfaceFormat::hasAlpha()\n", true, &_init_f_hasAlpha_c0, &_call_f_hasAlpha_c0); @@ -835,6 +871,7 @@ static gsi::Methods methods_QSurfaceFormat () { methods += new qt_gsi::GenericMethod (":samples", "@brief Method int QSurfaceFormat::samples()\n", true, &_init_f_samples_c0, &_call_f_samples_c0); methods += new qt_gsi::GenericMethod ("setAlphaBufferSize|alphaBufferSize=", "@brief Method void QSurfaceFormat::setAlphaBufferSize(int size)\n", false, &_init_f_setAlphaBufferSize_767, &_call_f_setAlphaBufferSize_767); methods += new qt_gsi::GenericMethod ("setBlueBufferSize|blueBufferSize=", "@brief Method void QSurfaceFormat::setBlueBufferSize(int size)\n", false, &_init_f_setBlueBufferSize_767, &_call_f_setBlueBufferSize_767); + methods += new qt_gsi::GenericMethod ("setColorSpace", "@brief Method void QSurfaceFormat::setColorSpace(QSurfaceFormat::ColorSpace colorSpace)\n", false, &_init_f_setColorSpace_2966, &_call_f_setColorSpace_2966); methods += new qt_gsi::GenericMethod ("setDepthBufferSize|depthBufferSize=", "@brief Method void QSurfaceFormat::setDepthBufferSize(int size)\n", false, &_init_f_setDepthBufferSize_767, &_call_f_setDepthBufferSize_767); methods += new qt_gsi::GenericMethod ("setGreenBufferSize|greenBufferSize=", "@brief Method void QSurfaceFormat::setGreenBufferSize(int size)\n", false, &_init_f_setGreenBufferSize_767, &_call_f_setGreenBufferSize_767); methods += new qt_gsi::GenericMethod ("setMajorVersion|majorVersion=", "@brief Method void QSurfaceFormat::setMajorVersion(int majorVersion)\n", false, &_init_f_setMajorVersion_767, &_call_f_setMajorVersion_767); @@ -875,6 +912,26 @@ GSI_QTGUI_PUBLIC gsi::Class &qtdecl_QSurfaceFormat () { return d } +// Implementation of the enum wrapper class for QSurfaceFormat::ColorSpace +namespace qt_gsi +{ + +static gsi::Enum decl_QSurfaceFormat_ColorSpace_Enum ("QtGui", "QSurfaceFormat_ColorSpace", + gsi::enum_const ("DefaultColorSpace", QSurfaceFormat::DefaultColorSpace, "@brief Enum constant QSurfaceFormat::DefaultColorSpace") + + gsi::enum_const ("sRGBColorSpace", QSurfaceFormat::sRGBColorSpace, "@brief Enum constant QSurfaceFormat::sRGBColorSpace"), + "@qt\n@brief This class represents the QSurfaceFormat::ColorSpace enum"); + +static gsi::QFlagsClass decl_QSurfaceFormat_ColorSpace_Enums ("QtGui", "QSurfaceFormat_QFlags_ColorSpace", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_QSurfaceFormat_ColorSpace_Enum_in_parent (decl_QSurfaceFormat_ColorSpace_Enum.defs ()); +static gsi::ClassExt decl_QSurfaceFormat_ColorSpace_Enum_as_child (decl_QSurfaceFormat_ColorSpace_Enum, "ColorSpace"); +static gsi::ClassExt decl_QSurfaceFormat_ColorSpace_Enums_as_child (decl_QSurfaceFormat_ColorSpace_Enums, "QFlags_ColorSpace"); + +} + + // Implementation of the enum wrapper class for QSurfaceFormat::FormatOption namespace qt_gsi { diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQSyntaxHighlighter.cc b/src/gsiqt/qt5/QtGui/gsiDeclQSyntaxHighlighter.cc index 234a14254d..dc4e858f74 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQSyntaxHighlighter.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQSyntaxHighlighter.cc @@ -303,33 +303,33 @@ class QSyntaxHighlighter_Adaptor : public QSyntaxHighlighter, public qt_gsi::QtO emit QSyntaxHighlighter::destroyed(arg1); } - // [adaptor impl] bool QSyntaxHighlighter::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QSyntaxHighlighter::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QSyntaxHighlighter::event(arg1); + return QSyntaxHighlighter::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QSyntaxHighlighter_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QSyntaxHighlighter_Adaptor::cbs_event_1217_0, _event); } else { - return QSyntaxHighlighter::event(arg1); + return QSyntaxHighlighter::event(_event); } } - // [adaptor impl] bool QSyntaxHighlighter::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSyntaxHighlighter::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSyntaxHighlighter::eventFilter(arg1, arg2); + return QSyntaxHighlighter::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSyntaxHighlighter_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSyntaxHighlighter_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSyntaxHighlighter::eventFilter(arg1, arg2); + return QSyntaxHighlighter::eventFilter(watched, event); } } @@ -340,33 +340,33 @@ class QSyntaxHighlighter_Adaptor : public QSyntaxHighlighter, public qt_gsi::QtO throw tl::Exception ("Can't emit private signal 'void QSyntaxHighlighter::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QSyntaxHighlighter::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSyntaxHighlighter::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSyntaxHighlighter::childEvent(arg1); + QSyntaxHighlighter::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSyntaxHighlighter_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSyntaxHighlighter_Adaptor::cbs_childEvent_1701_0, event); } else { - QSyntaxHighlighter::childEvent(arg1); + QSyntaxHighlighter::childEvent(event); } } - // [adaptor impl] void QSyntaxHighlighter::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSyntaxHighlighter::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSyntaxHighlighter::customEvent(arg1); + QSyntaxHighlighter::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSyntaxHighlighter_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSyntaxHighlighter_Adaptor::cbs_customEvent_1217_0, event); } else { - QSyntaxHighlighter::customEvent(arg1); + QSyntaxHighlighter::customEvent(event); } } @@ -401,18 +401,18 @@ class QSyntaxHighlighter_Adaptor : public QSyntaxHighlighter, public qt_gsi::QtO } } - // [adaptor impl] void QSyntaxHighlighter::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSyntaxHighlighter::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSyntaxHighlighter::timerEvent(arg1); + QSyntaxHighlighter::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSyntaxHighlighter_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSyntaxHighlighter_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSyntaxHighlighter::timerEvent(arg1); + QSyntaxHighlighter::timerEvent(event); } } @@ -463,11 +463,11 @@ static void _call_ctor_QSyntaxHighlighter_Adaptor_1955 (const qt_gsi::GenericSta } -// void QSyntaxHighlighter::childEvent(QChildEvent *) +// void QSyntaxHighlighter::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -529,11 +529,11 @@ static void _call_fp_currentBlockUserData_c0 (const qt_gsi::GenericMethod * /*de } -// void QSyntaxHighlighter::customEvent(QEvent *) +// void QSyntaxHighlighter::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -557,7 +557,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -566,7 +566,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSyntaxHighlighter_Adaptor *)cls)->emitter_QSyntaxHighlighter_destroyed_1302 (arg1); } @@ -595,11 +595,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QSyntaxHighlighter::event(QEvent *) +// bool QSyntaxHighlighter::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -618,13 +618,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSyntaxHighlighter::eventFilter(QObject *, QEvent *) +// bool QSyntaxHighlighter::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -895,11 +895,11 @@ static void _call_fp_setFormat_3119 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QSyntaxHighlighter::timerEvent(QTimerEvent *) +// void QSyntaxHighlighter::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -928,19 +928,19 @@ static gsi::Methods methods_QSyntaxHighlighter_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSyntaxHighlighter::QSyntaxHighlighter(QObject *parent)\nThis method creates an object of class QSyntaxHighlighter.", &_init_ctor_QSyntaxHighlighter_Adaptor_1302, &_call_ctor_QSyntaxHighlighter_Adaptor_1302); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSyntaxHighlighter::QSyntaxHighlighter(QTextDocument *parent)\nThis method creates an object of class QSyntaxHighlighter.", &_init_ctor_QSyntaxHighlighter_Adaptor_1955, &_call_ctor_QSyntaxHighlighter_Adaptor_1955); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSyntaxHighlighter::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSyntaxHighlighter::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*currentBlock", "@brief Method QTextBlock QSyntaxHighlighter::currentBlock()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_currentBlock_c0, &_call_fp_currentBlock_c0); methods += new qt_gsi::GenericMethod ("*currentBlockState", "@brief Method int QSyntaxHighlighter::currentBlockState()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_currentBlockState_c0, &_call_fp_currentBlockState_c0); methods += new qt_gsi::GenericMethod ("*currentBlockUserData", "@brief Method QTextBlockUserData *QSyntaxHighlighter::currentBlockUserData()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_currentBlockUserData_c0, &_call_fp_currentBlockUserData_c0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSyntaxHighlighter::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSyntaxHighlighter::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSyntaxHighlighter::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSyntaxHighlighter::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSyntaxHighlighter::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSyntaxHighlighter::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSyntaxHighlighter::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSyntaxHighlighter::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*format", "@brief Method QTextCharFormat QSyntaxHighlighter::format(int pos)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_format_c767, &_call_fp_format_c767); methods += new qt_gsi::GenericMethod ("*highlightBlock", "@brief Virtual method void QSyntaxHighlighter::highlightBlock(const QString &text)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_highlightBlock_2025_0, &_call_cbs_highlightBlock_2025_0); @@ -956,7 +956,7 @@ static gsi::Methods methods_QSyntaxHighlighter_Adaptor () { methods += new qt_gsi::GenericMethod ("*setFormat", "@brief Method void QSyntaxHighlighter::setFormat(int start, int count, const QTextCharFormat &format)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_setFormat_4132, &_call_fp_setFormat_4132); methods += new qt_gsi::GenericMethod ("*setFormat", "@brief Method void QSyntaxHighlighter::setFormat(int start, int count, const QColor &color)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_setFormat_3223, &_call_fp_setFormat_3223); methods += new qt_gsi::GenericMethod ("*setFormat", "@brief Method void QSyntaxHighlighter::setFormat(int start, int count, const QFont &font)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_setFormat_3119, &_call_fp_setFormat_3119); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSyntaxHighlighter::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSyntaxHighlighter::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockFormat.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockFormat.cc index dc800b0320..9afd82e5a0 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockFormat.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockFormat.cc @@ -91,6 +91,21 @@ static void _call_f_bottomMargin_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } +// int QTextBlockFormat::headingLevel() + + +static void _init_f_headingLevel_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_headingLevel_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QTextBlockFormat *)cls)->headingLevel ()); +} + + // int QTextBlockFormat::indent() @@ -273,6 +288,26 @@ static void _call_f_setBottomMargin_1071 (const qt_gsi::GenericMethod * /*decl*/ } +// void QTextBlockFormat::setHeadingLevel(int alevel) + + +static void _init_f_setHeadingLevel_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("alevel"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setHeadingLevel_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QTextBlockFormat *)cls)->setHeadingLevel (arg1); +} + + // void QTextBlockFormat::setIndent(int indent) @@ -510,6 +545,7 @@ static gsi::Methods methods_QTextBlockFormat () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTextBlockFormat::QTextBlockFormat()\nThis method creates an object of class QTextBlockFormat.", &_init_ctor_QTextBlockFormat_0, &_call_ctor_QTextBlockFormat_0); methods += new qt_gsi::GenericMethod (":alignment", "@brief Method QFlags QTextBlockFormat::alignment()\n", true, &_init_f_alignment_c0, &_call_f_alignment_c0); methods += new qt_gsi::GenericMethod (":bottomMargin", "@brief Method double QTextBlockFormat::bottomMargin()\n", true, &_init_f_bottomMargin_c0, &_call_f_bottomMargin_c0); + methods += new qt_gsi::GenericMethod ("headingLevel", "@brief Method int QTextBlockFormat::headingLevel()\n", true, &_init_f_headingLevel_c0, &_call_f_headingLevel_c0); methods += new qt_gsi::GenericMethod (":indent", "@brief Method int QTextBlockFormat::indent()\n", true, &_init_f_indent_c0, &_call_f_indent_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QTextBlockFormat::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod (":leftMargin", "@brief Method double QTextBlockFormat::leftMargin()\n", true, &_init_f_leftMargin_c0, &_call_f_leftMargin_c0); @@ -521,6 +557,7 @@ static gsi::Methods methods_QTextBlockFormat () { methods += new qt_gsi::GenericMethod (":rightMargin", "@brief Method double QTextBlockFormat::rightMargin()\n", true, &_init_f_rightMargin_c0, &_call_f_rightMargin_c0); methods += new qt_gsi::GenericMethod ("setAlignment|alignment=", "@brief Method void QTextBlockFormat::setAlignment(QFlags alignment)\n", false, &_init_f_setAlignment_2750, &_call_f_setAlignment_2750); methods += new qt_gsi::GenericMethod ("setBottomMargin|bottomMargin=", "@brief Method void QTextBlockFormat::setBottomMargin(double margin)\n", false, &_init_f_setBottomMargin_1071, &_call_f_setBottomMargin_1071); + methods += new qt_gsi::GenericMethod ("setHeadingLevel", "@brief Method void QTextBlockFormat::setHeadingLevel(int alevel)\n", false, &_init_f_setHeadingLevel_767, &_call_f_setHeadingLevel_767); methods += new qt_gsi::GenericMethod ("setIndent|indent=", "@brief Method void QTextBlockFormat::setIndent(int indent)\n", false, &_init_f_setIndent_767, &_call_f_setIndent_767); methods += new qt_gsi::GenericMethod ("setLeftMargin|leftMargin=", "@brief Method void QTextBlockFormat::setLeftMargin(double margin)\n", false, &_init_f_setLeftMargin_1071, &_call_f_setLeftMargin_1071); methods += new qt_gsi::GenericMethod ("setLineHeight", "@brief Method void QTextBlockFormat::setLineHeight(double height, int heightType)\n", false, &_init_f_setLineHeight_1730, &_call_f_setLineHeight_1730); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockGroup.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockGroup.cc index 04cfe09773..12565dc11e 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockGroup.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockGroup.cc @@ -173,33 +173,33 @@ class QTextBlockGroup_Adaptor : public QTextBlockGroup, public qt_gsi::QtObjectB emit QTextBlockGroup::destroyed(arg1); } - // [adaptor impl] bool QTextBlockGroup::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QTextBlockGroup::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QTextBlockGroup::event(arg1); + return QTextBlockGroup::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QTextBlockGroup_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QTextBlockGroup_Adaptor::cbs_event_1217_0, _event); } else { - return QTextBlockGroup::event(arg1); + return QTextBlockGroup::event(_event); } } - // [adaptor impl] bool QTextBlockGroup::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QTextBlockGroup::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QTextBlockGroup::eventFilter(arg1, arg2); + return QTextBlockGroup::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QTextBlockGroup_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QTextBlockGroup_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QTextBlockGroup::eventFilter(arg1, arg2); + return QTextBlockGroup::eventFilter(watched, event); } } @@ -255,33 +255,33 @@ class QTextBlockGroup_Adaptor : public QTextBlockGroup, public qt_gsi::QtObjectB } } - // [adaptor impl] void QTextBlockGroup::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTextBlockGroup::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTextBlockGroup::childEvent(arg1); + QTextBlockGroup::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTextBlockGroup_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTextBlockGroup_Adaptor::cbs_childEvent_1701_0, event); } else { - QTextBlockGroup::childEvent(arg1); + QTextBlockGroup::childEvent(event); } } - // [adaptor impl] void QTextBlockGroup::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTextBlockGroup::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTextBlockGroup::customEvent(arg1); + QTextBlockGroup::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTextBlockGroup_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTextBlockGroup_Adaptor::cbs_customEvent_1217_0, event); } else { - QTextBlockGroup::customEvent(arg1); + QTextBlockGroup::customEvent(event); } } @@ -300,18 +300,18 @@ class QTextBlockGroup_Adaptor : public QTextBlockGroup, public qt_gsi::QtObjectB } } - // [adaptor impl] void QTextBlockGroup::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QTextBlockGroup::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QTextBlockGroup::timerEvent(arg1); + QTextBlockGroup::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QTextBlockGroup_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QTextBlockGroup_Adaptor::cbs_timerEvent_1730_0, event); } else { - QTextBlockGroup::timerEvent(arg1); + QTextBlockGroup::timerEvent(event); } } @@ -414,11 +414,11 @@ static void _set_callback_cbs_blockRemoved_2306_0 (void *cls, const gsi::Callbac } -// void QTextBlockGroup::childEvent(QChildEvent *) +// void QTextBlockGroup::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -438,11 +438,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QTextBlockGroup::customEvent(QEvent *) +// void QTextBlockGroup::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -466,7 +466,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -475,7 +475,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTextBlockGroup_Adaptor *)cls)->emitter_QTextBlockGroup_destroyed_1302 (arg1); } @@ -504,11 +504,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QTextBlockGroup::event(QEvent *) +// bool QTextBlockGroup::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -527,13 +527,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QTextBlockGroup::eventFilter(QObject *, QEvent *) +// bool QTextBlockGroup::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -654,11 +654,11 @@ static void _call_fp_setFormat_2432 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QTextBlockGroup::timerEvent(QTimerEvent *) +// void QTextBlockGroup::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -692,16 +692,16 @@ static gsi::Methods methods_QTextBlockGroup_Adaptor () { methods += new qt_gsi::GenericMethod ("*blockList", "@brief Method QList QTextBlockGroup::blockList()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_blockList_c0, &_call_fp_blockList_c0); methods += new qt_gsi::GenericMethod ("*blockRemoved", "@brief Virtual method void QTextBlockGroup::blockRemoved(const QTextBlock &block)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_blockRemoved_2306_0, &_call_cbs_blockRemoved_2306_0); methods += new qt_gsi::GenericMethod ("*blockRemoved", "@hide", false, &_init_cbs_blockRemoved_2306_0, &_call_cbs_blockRemoved_2306_0, &_set_callback_cbs_blockRemoved_2306_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTextBlockGroup::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTextBlockGroup::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTextBlockGroup::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTextBlockGroup::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTextBlockGroup::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTextBlockGroup::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTextBlockGroup::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTextBlockGroup::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTextBlockGroup::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTextBlockGroup::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QTextBlockGroup::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QTextBlockGroup::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); @@ -709,7 +709,7 @@ static gsi::Methods methods_QTextBlockGroup_Adaptor () { methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QTextBlockGroup::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QTextBlockGroup::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*setFormat", "@brief Method void QTextBlockGroup::setFormat(const QTextFormat &format)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_setFormat_2432, &_call_fp_setFormat_2432); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTextBlockGroup::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTextBlockGroup::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextDocument.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextDocument.cc index 2d923c64d7..64d4d71c0f 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextDocument.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextDocument.cc @@ -276,7 +276,7 @@ static void _call_f_clearUndoRedoStacks_2502 (const qt_gsi::GenericMethod * /*de static void _init_f_clone_c1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -285,7 +285,7 @@ static void _call_f_clone_c1302 (const qt_gsi::GenericMethod * /*decl*/, void *c { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QTextDocument *)((QTextDocument *)cls)->clone (arg1)); } @@ -427,7 +427,7 @@ static void _init_f_find_c5920 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("from", true, "0"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("options", true, "0"); + static gsi::ArgSpecBase argspec_2 ("options", true, "QTextDocument::FindFlags()"); decl->add_arg > (argspec_2); decl->set_return (); } @@ -438,7 +438,7 @@ static void _call_f_find_c5920 (const qt_gsi::GenericMethod * /*decl*/, void *cl tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); int arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QTextDocument::FindFlags(), heap); ret.write ((QTextCursor)((QTextDocument *)cls)->find (arg1, arg2, arg3)); } @@ -452,7 +452,7 @@ static void _init_f_find_c7606 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("cursor"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("options", true, "0"); + static gsi::ArgSpecBase argspec_2 ("options", true, "QTextDocument::FindFlags()"); decl->add_arg > (argspec_2); decl->set_return (); } @@ -463,7 +463,7 @@ static void _call_f_find_c7606 (const qt_gsi::GenericMethod * /*decl*/, void *cl tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); const QTextCursor &arg2 = gsi::arg_reader() (args, heap); - QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QTextDocument::FindFlags(), heap); ret.write ((QTextCursor)((QTextDocument *)cls)->find (arg1, arg2, arg3)); } @@ -477,7 +477,7 @@ static void _init_f_find_c5876 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("from", true, "0"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("options", true, "0"); + static gsi::ArgSpecBase argspec_2 ("options", true, "QTextDocument::FindFlags()"); decl->add_arg > (argspec_2); decl->set_return (); } @@ -488,7 +488,7 @@ static void _call_f_find_c5876 (const qt_gsi::GenericMethod * /*decl*/, void *cl tl::Heap heap; const QRegExp &arg1 = gsi::arg_reader() (args, heap); int arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QTextDocument::FindFlags(), heap); ret.write ((QTextCursor)((QTextDocument *)cls)->find (arg1, arg2, arg3)); } @@ -502,7 +502,7 @@ static void _init_f_find_c7562 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("cursor"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("options", true, "0"); + static gsi::ArgSpecBase argspec_2 ("options", true, "QTextDocument::FindFlags()"); decl->add_arg > (argspec_2); decl->set_return (); } @@ -513,7 +513,7 @@ static void _call_f_find_c7562 (const qt_gsi::GenericMethod * /*decl*/, void *cl tl::Heap heap; const QRegExp &arg1 = gsi::arg_reader() (args, heap); const QTextCursor &arg2 = gsi::arg_reader() (args, heap); - QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QTextDocument::FindFlags(), heap); ret.write ((QTextCursor)((QTextDocument *)cls)->find (arg1, arg2, arg3)); } @@ -527,7 +527,7 @@ static void _init_f_find_c7083 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("from", true, "0"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("options", true, "0"); + static gsi::ArgSpecBase argspec_2 ("options", true, "QTextDocument::FindFlags()"); decl->add_arg > (argspec_2); decl->set_return (); } @@ -538,7 +538,7 @@ static void _call_f_find_c7083 (const qt_gsi::GenericMethod * /*decl*/, void *cl tl::Heap heap; const QRegularExpression &arg1 = gsi::arg_reader() (args, heap); int arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QTextDocument::FindFlags(), heap); ret.write ((QTextCursor)((QTextDocument *)cls)->find (arg1, arg2, arg3)); } @@ -552,7 +552,7 @@ static void _init_f_find_c8769 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("cursor"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("options", true, "0"); + static gsi::ArgSpecBase argspec_2 ("options", true, "QTextDocument::FindFlags()"); decl->add_arg > (argspec_2); decl->set_return (); } @@ -563,7 +563,7 @@ static void _call_f_find_c8769 (const qt_gsi::GenericMethod * /*decl*/, void *cl tl::Heap heap; const QRegularExpression &arg1 = gsi::arg_reader() (args, heap); const QTextCursor &arg2 = gsi::arg_reader() (args, heap); - QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QTextDocument::FindFlags(), heap); ret.write ((QTextCursor)((QTextDocument *)cls)->find (arg1, arg2, arg3)); } @@ -1434,6 +1434,21 @@ static void _call_f_toPlainText_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// QString QTextDocument::toRawText() + + +static void _init_f_toRawText_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_toRawText_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)((QTextDocument *)cls)->toRawText ()); +} + + // void QTextDocument::undo(QTextCursor *cursor) @@ -1616,6 +1631,7 @@ static gsi::Methods methods_QTextDocument () { methods += new qt_gsi::GenericMethod (":textWidth", "@brief Method double QTextDocument::textWidth()\n", true, &_init_f_textWidth_c0, &_call_f_textWidth_c0); methods += new qt_gsi::GenericMethod ("toHtml", "@brief Method QString QTextDocument::toHtml(const QByteArray &encoding)\n", true, &_init_f_toHtml_c2309, &_call_f_toHtml_c2309); methods += new qt_gsi::GenericMethod ("toPlainText", "@brief Method QString QTextDocument::toPlainText()\n", true, &_init_f_toPlainText_c0, &_call_f_toPlainText_c0); + methods += new qt_gsi::GenericMethod ("toRawText", "@brief Method QString QTextDocument::toRawText()\n", true, &_init_f_toRawText_c0, &_call_f_toRawText_c0); methods += new qt_gsi::GenericMethod ("undo", "@brief Method void QTextDocument::undo(QTextCursor *cursor)\n", false, &_init_f_undo_1762, &_call_f_undo_1762); methods += new qt_gsi::GenericMethod ("undo", "@brief Method void QTextDocument::undo()\n", false, &_init_f_undo_0, &_call_f_undo_0); methods += new qt_gsi::GenericMethod (":useDesignMetrics", "@brief Method bool QTextDocument::useDesignMetrics()\n", true, &_init_f_useDesignMetrics_c0, &_call_f_useDesignMetrics_c0); @@ -1754,33 +1770,33 @@ class QTextDocument_Adaptor : public QTextDocument, public qt_gsi::QtObjectBase emit QTextDocument::documentLayoutChanged(); } - // [adaptor impl] bool QTextDocument::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QTextDocument::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QTextDocument::event(arg1); + return QTextDocument::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QTextDocument_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QTextDocument_Adaptor::cbs_event_1217_0, _event); } else { - return QTextDocument::event(arg1); + return QTextDocument::event(_event); } } - // [adaptor impl] bool QTextDocument::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QTextDocument::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QTextDocument::eventFilter(arg1, arg2); + return QTextDocument::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QTextDocument_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QTextDocument_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QTextDocument::eventFilter(arg1, arg2); + return QTextDocument::eventFilter(watched, event); } } @@ -1815,18 +1831,18 @@ class QTextDocument_Adaptor : public QTextDocument, public qt_gsi::QtObjectBase emit QTextDocument::undoCommandAdded(); } - // [adaptor impl] void QTextDocument::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTextDocument::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTextDocument::childEvent(arg1); + QTextDocument::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTextDocument_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTextDocument_Adaptor::cbs_childEvent_1701_0, event); } else { - QTextDocument::childEvent(arg1); + QTextDocument::childEvent(event); } } @@ -1845,18 +1861,18 @@ class QTextDocument_Adaptor : public QTextDocument, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextDocument::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTextDocument::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTextDocument::customEvent(arg1); + QTextDocument::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTextDocument_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTextDocument_Adaptor::cbs_customEvent_1217_0, event); } else { - QTextDocument::customEvent(arg1); + QTextDocument::customEvent(event); } } @@ -1890,18 +1906,18 @@ class QTextDocument_Adaptor : public QTextDocument, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextDocument::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QTextDocument::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QTextDocument::timerEvent(arg1); + QTextDocument::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QTextDocument_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QTextDocument_Adaptor::cbs_timerEvent_1730_0, event); } else { - QTextDocument::timerEvent(arg1); + QTextDocument::timerEvent(event); } } @@ -1922,7 +1938,7 @@ QTextDocument_Adaptor::~QTextDocument_Adaptor() { } static void _init_ctor_QTextDocument_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1931,7 +1947,7 @@ static void _call_ctor_QTextDocument_Adaptor_1302 (const qt_gsi::GenericStaticMe { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTextDocument_Adaptor (arg1)); } @@ -1942,7 +1958,7 @@ static void _init_ctor_QTextDocument_Adaptor_3219 (qt_gsi::GenericStaticMethod * { static gsi::ArgSpecBase argspec_0 ("text"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1952,7 +1968,7 @@ static void _call_ctor_QTextDocument_Adaptor_3219 (const qt_gsi::GenericStaticMe __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTextDocument_Adaptor (arg1, arg2)); } @@ -1993,11 +2009,11 @@ static void _call_emitter_blockCountChanged_767 (const qt_gsi::GenericMethod * / } -// void QTextDocument::childEvent(QChildEvent *) +// void QTextDocument::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2116,11 +2132,11 @@ static void _call_emitter_cursorPositionChanged_2453 (const qt_gsi::GenericMetho } -// void QTextDocument::customEvent(QEvent *) +// void QTextDocument::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2144,7 +2160,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2153,7 +2169,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTextDocument_Adaptor *)cls)->emitter_QTextDocument_destroyed_1302 (arg1); } @@ -2196,11 +2212,11 @@ static void _call_emitter_documentLayoutChanged_0 (const qt_gsi::GenericMethod * } -// bool QTextDocument::event(QEvent *) +// bool QTextDocument::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2219,13 +2235,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QTextDocument::eventFilter(QObject *, QEvent *) +// bool QTextDocument::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2389,11 +2405,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QTextDocument::timerEvent(QTimerEvent *) +// void QTextDocument::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2456,7 +2472,7 @@ static gsi::Methods methods_QTextDocument_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTextDocument::QTextDocument(const QString &text, QObject *parent)\nThis method creates an object of class QTextDocument.", &_init_ctor_QTextDocument_Adaptor_3219, &_call_ctor_QTextDocument_Adaptor_3219); methods += new qt_gsi::GenericMethod ("emit_baseUrlChanged", "@brief Emitter for signal void QTextDocument::baseUrlChanged(const QUrl &url)\nCall this method to emit this signal.", false, &_init_emitter_baseUrlChanged_1701, &_call_emitter_baseUrlChanged_1701); methods += new qt_gsi::GenericMethod ("emit_blockCountChanged", "@brief Emitter for signal void QTextDocument::blockCountChanged(int newBlockCount)\nCall this method to emit this signal.", false, &_init_emitter_blockCountChanged_767, &_call_emitter_blockCountChanged_767); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTextDocument::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTextDocument::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("clear", "@brief Virtual method void QTextDocument::clear()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0); methods += new qt_gsi::GenericMethod ("clear", "@hide", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0, &_set_callback_cbs_clear_0_0); @@ -2465,15 +2481,15 @@ static gsi::Methods methods_QTextDocument_Adaptor () { methods += new qt_gsi::GenericMethod ("*createObject", "@brief Virtual method QTextObject *QTextDocument::createObject(const QTextFormat &f)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_createObject_2432_0, &_call_cbs_createObject_2432_0); methods += new qt_gsi::GenericMethod ("*createObject", "@hide", false, &_init_cbs_createObject_2432_0, &_call_cbs_createObject_2432_0, &_set_callback_cbs_createObject_2432_0); methods += new qt_gsi::GenericMethod ("emit_cursorPositionChanged", "@brief Emitter for signal void QTextDocument::cursorPositionChanged(const QTextCursor &cursor)\nCall this method to emit this signal.", false, &_init_emitter_cursorPositionChanged_2453, &_call_emitter_cursorPositionChanged_2453); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTextDocument::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTextDocument::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTextDocument::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTextDocument::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("emit_documentLayoutChanged", "@brief Emitter for signal void QTextDocument::documentLayoutChanged()\nCall this method to emit this signal.", false, &_init_emitter_documentLayoutChanged_0, &_call_emitter_documentLayoutChanged_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTextDocument::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTextDocument::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTextDocument::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTextDocument::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QTextDocument::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*loadResource", "@brief Virtual method QVariant QTextDocument::loadResource(int type, const QUrl &name)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_loadResource_2360_0, &_call_cbs_loadResource_2360_0); @@ -2484,7 +2500,7 @@ static gsi::Methods methods_QTextDocument_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_redoAvailable", "@brief Emitter for signal void QTextDocument::redoAvailable(bool)\nCall this method to emit this signal.", false, &_init_emitter_redoAvailable_864, &_call_emitter_redoAvailable_864); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QTextDocument::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QTextDocument::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTextDocument::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTextDocument::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_undoAvailable", "@brief Emitter for signal void QTextDocument::undoAvailable(bool)\nCall this method to emit this signal.", false, &_init_emitter_undoAvailable_864, &_call_emitter_undoAvailable_864); methods += new qt_gsi::GenericMethod ("emit_undoCommandAdded", "@brief Emitter for signal void QTextDocument::undoCommandAdded()\nCall this method to emit this signal.", false, &_init_emitter_undoCommandAdded_0, &_call_emitter_undoCommandAdded_0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextFrame.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextFrame.cc index 5261b3af88..fc9f4a992b 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextFrame.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextFrame.cc @@ -308,33 +308,33 @@ class QTextFrame_Adaptor : public QTextFrame, public qt_gsi::QtObjectBase emit QTextFrame::destroyed(arg1); } - // [adaptor impl] bool QTextFrame::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QTextFrame::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QTextFrame::event(arg1); + return QTextFrame::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QTextFrame_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QTextFrame_Adaptor::cbs_event_1217_0, _event); } else { - return QTextFrame::event(arg1); + return QTextFrame::event(_event); } } - // [adaptor impl] bool QTextFrame::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QTextFrame::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QTextFrame::eventFilter(arg1, arg2); + return QTextFrame::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QTextFrame_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QTextFrame_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QTextFrame::eventFilter(arg1, arg2); + return QTextFrame::eventFilter(watched, event); } } @@ -345,33 +345,33 @@ class QTextFrame_Adaptor : public QTextFrame, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QTextFrame::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QTextFrame::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTextFrame::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTextFrame::childEvent(arg1); + QTextFrame::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTextFrame_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTextFrame_Adaptor::cbs_childEvent_1701_0, event); } else { - QTextFrame::childEvent(arg1); + QTextFrame::childEvent(event); } } - // [adaptor impl] void QTextFrame::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTextFrame::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTextFrame::customEvent(arg1); + QTextFrame::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTextFrame_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTextFrame_Adaptor::cbs_customEvent_1217_0, event); } else { - QTextFrame::customEvent(arg1); + QTextFrame::customEvent(event); } } @@ -390,18 +390,18 @@ class QTextFrame_Adaptor : public QTextFrame, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextFrame::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QTextFrame::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QTextFrame::timerEvent(arg1); + QTextFrame::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QTextFrame_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QTextFrame_Adaptor::cbs_timerEvent_1730_0, event); } else { - QTextFrame::timerEvent(arg1); + QTextFrame::timerEvent(event); } } @@ -433,11 +433,11 @@ static void _call_ctor_QTextFrame_Adaptor_1955 (const qt_gsi::GenericStaticMetho } -// void QTextFrame::childEvent(QChildEvent *) +// void QTextFrame::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -457,11 +457,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QTextFrame::customEvent(QEvent *) +// void QTextFrame::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -485,7 +485,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -494,7 +494,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTextFrame_Adaptor *)cls)->emitter_QTextFrame_destroyed_1302 (arg1); } @@ -523,11 +523,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QTextFrame::event(QEvent *) +// bool QTextFrame::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -546,13 +546,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QTextFrame::eventFilter(QObject *, QEvent *) +// bool QTextFrame::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -673,11 +673,11 @@ static void _call_fp_setFormat_2432 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QTextFrame::timerEvent(QTimerEvent *) +// void QTextFrame::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -705,16 +705,16 @@ gsi::Class &qtdecl_QTextFrame (); static gsi::Methods methods_QTextFrame_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTextFrame::QTextFrame(QTextDocument *doc)\nThis method creates an object of class QTextFrame.", &_init_ctor_QTextFrame_Adaptor_1955, &_call_ctor_QTextFrame_Adaptor_1955); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTextFrame::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTextFrame::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTextFrame::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTextFrame::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTextFrame::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTextFrame::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTextFrame::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTextFrame::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTextFrame::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTextFrame::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QTextFrame::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QTextFrame::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); @@ -722,7 +722,7 @@ static gsi::Methods methods_QTextFrame_Adaptor () { methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QTextFrame::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QTextFrame::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*setFormat", "@brief Method void QTextFrame::setFormat(const QTextFormat &format)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_setFormat_2432, &_call_fp_setFormat_2432); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTextFrame::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTextFrame::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextImageFormat.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextImageFormat.cc index 2f140632d9..0c6b8f31b5 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextImageFormat.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextImageFormat.cc @@ -107,6 +107,21 @@ static void _call_f_name_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// int QTextImageFormat::quality() + + +static void _init_f_quality_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_quality_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QTextImageFormat *)cls)->quality ()); +} + + // void QTextImageFormat::setHeight(double height) @@ -147,6 +162,26 @@ static void _call_f_setName_2025 (const qt_gsi::GenericMethod * /*decl*/, void * } +// void QTextImageFormat::setQuality(int quality) + + +static void _init_f_setQuality_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("quality", true, "100"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setQuality_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (100, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QTextImageFormat *)cls)->setQuality (arg1); +} + + // void QTextImageFormat::setWidth(double width) @@ -192,8 +227,10 @@ static gsi::Methods methods_QTextImageFormat () { methods += new qt_gsi::GenericMethod (":height", "@brief Method double QTextImageFormat::height()\n", true, &_init_f_height_c0, &_call_f_height_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QTextImageFormat::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod (":name", "@brief Method QString QTextImageFormat::name()\n", true, &_init_f_name_c0, &_call_f_name_c0); + methods += new qt_gsi::GenericMethod ("quality", "@brief Method int QTextImageFormat::quality()\n", true, &_init_f_quality_c0, &_call_f_quality_c0); methods += new qt_gsi::GenericMethod ("setHeight|height=", "@brief Method void QTextImageFormat::setHeight(double height)\n", false, &_init_f_setHeight_1071, &_call_f_setHeight_1071); methods += new qt_gsi::GenericMethod ("setName|name=", "@brief Method void QTextImageFormat::setName(const QString &name)\n", false, &_init_f_setName_2025, &_call_f_setName_2025); + methods += new qt_gsi::GenericMethod ("setQuality", "@brief Method void QTextImageFormat::setQuality(int quality)\n", false, &_init_f_setQuality_767, &_call_f_setQuality_767); methods += new qt_gsi::GenericMethod ("setWidth|width=", "@brief Method void QTextImageFormat::setWidth(double width)\n", false, &_init_f_setWidth_1071, &_call_f_setWidth_1071); methods += new qt_gsi::GenericMethod (":width", "@brief Method double QTextImageFormat::width()\n", true, &_init_f_width_c0, &_call_f_width_c0); return methods; diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextLayout.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextLayout.cc index 60156744ee..c26947339e 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextLayout.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextLayout.cc @@ -88,7 +88,7 @@ static void _init_ctor_QTextLayout_5413 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("font"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("paintdevice", true, "0"); + static gsi::ArgSpecBase argspec_2 ("paintdevice", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -99,7 +99,7 @@ static void _call_ctor_QTextLayout_5413 (const qt_gsi::GenericStaticMethod * /*d tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); const QFont &arg2 = gsi::arg_reader() (args, heap); - QPaintDevice *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QPaintDevice *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTextLayout (arg1, arg2, arg3)); } @@ -200,6 +200,22 @@ static void _call_f_clearAdditionalFormats_0 (const qt_gsi::GenericMethod * /*de } +// void QTextLayout::clearFormats() + + +static void _init_f_clearFormats_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_clearFormats_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + ((QTextLayout *)cls)->clearFormats (); +} + + // void QTextLayout::clearLayout() @@ -361,6 +377,21 @@ static void _call_f_font_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// QVector QTextLayout::formats() + + +static void _init_f_formats_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return > (); +} + +static void _call_f_formats_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write > ((QVector)((QTextLayout *)cls)->formats ()); +} + + // QList QTextLayout::glyphRuns(int from, int length) @@ -712,6 +743,26 @@ static void _call_f_setFont_1801 (const qt_gsi::GenericMethod * /*decl*/, void * } +// void QTextLayout::setFormats(const QVector &overrides) + + +static void _init_f_setFormats_4509 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("overrides"); + decl->add_arg & > (argspec_0); + decl->set_return (); +} + +static void _call_f_setFormats_4509 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QVector &arg1 = gsi::arg_reader & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QTextLayout *)cls)->setFormats (arg1); +} + + // void QTextLayout::setPosition(const QPointF &p) @@ -860,6 +911,7 @@ static gsi::Methods methods_QTextLayout () { methods += new qt_gsi::GenericMethod ("boundingRect", "@brief Method QRectF QTextLayout::boundingRect()\n", true, &_init_f_boundingRect_c0, &_call_f_boundingRect_c0); methods += new qt_gsi::GenericMethod (":cacheEnabled", "@brief Method bool QTextLayout::cacheEnabled()\n", true, &_init_f_cacheEnabled_c0, &_call_f_cacheEnabled_c0); methods += new qt_gsi::GenericMethod ("clearAdditionalFormats", "@brief Method void QTextLayout::clearAdditionalFormats()\n", false, &_init_f_clearAdditionalFormats_0, &_call_f_clearAdditionalFormats_0); + methods += new qt_gsi::GenericMethod ("clearFormats", "@brief Method void QTextLayout::clearFormats()\n", false, &_init_f_clearFormats_0, &_call_f_clearFormats_0); methods += new qt_gsi::GenericMethod ("clearLayout", "@brief Method void QTextLayout::clearLayout()\n", false, &_init_f_clearLayout_0, &_call_f_clearLayout_0); methods += new qt_gsi::GenericMethod ("createLine", "@brief Method QTextLine QTextLayout::createLine()\n", false, &_init_f_createLine_0, &_call_f_createLine_0); methods += new qt_gsi::GenericMethod (":cursorMoveStyle", "@brief Method Qt::CursorMoveStyle QTextLayout::cursorMoveStyle()\n", true, &_init_f_cursorMoveStyle_c0, &_call_f_cursorMoveStyle_c0); @@ -868,6 +920,7 @@ static gsi::Methods methods_QTextLayout () { methods += new qt_gsi::GenericMethod ("drawCursor", "@brief Method void QTextLayout::drawCursor(QPainter *p, const QPointF &pos, int cursorPosition, int width)\n", true, &_init_f_drawCursor_c4622, &_call_f_drawCursor_c4622); methods += new qt_gsi::GenericMethod ("endLayout", "@brief Method void QTextLayout::endLayout()\n", false, &_init_f_endLayout_0, &_call_f_endLayout_0); methods += new qt_gsi::GenericMethod (":font", "@brief Method QFont QTextLayout::font()\n", true, &_init_f_font_c0, &_call_f_font_c0); + methods += new qt_gsi::GenericMethod ("formats", "@brief Method QVector QTextLayout::formats()\n", true, &_init_f_formats_c0, &_call_f_formats_c0); methods += new qt_gsi::GenericMethod ("glyphRuns", "@brief Method QList QTextLayout::glyphRuns(int from, int length)\n", true, &_init_f_glyphRuns_c1426, &_call_f_glyphRuns_c1426); methods += new qt_gsi::GenericMethod ("isValidCursorPosition?", "@brief Method bool QTextLayout::isValidCursorPosition(int pos)\n", true, &_init_f_isValidCursorPosition_c767, &_call_f_isValidCursorPosition_c767); methods += new qt_gsi::GenericMethod ("leftCursorPosition", "@brief Method int QTextLayout::leftCursorPosition(int oldPos)\n", true, &_init_f_leftCursorPosition_c767, &_call_f_leftCursorPosition_c767); @@ -887,6 +940,7 @@ static gsi::Methods methods_QTextLayout () { methods += new qt_gsi::GenericMethod ("setCursorMoveStyle|cursorMoveStyle=", "@brief Method void QTextLayout::setCursorMoveStyle(Qt::CursorMoveStyle style)\n", false, &_init_f_setCursorMoveStyle_2323, &_call_f_setCursorMoveStyle_2323); methods += new qt_gsi::GenericMethod ("setFlags", "@brief Method void QTextLayout::setFlags(int flags)\n", false, &_init_f_setFlags_767, &_call_f_setFlags_767); methods += new qt_gsi::GenericMethod ("setFont|font=", "@brief Method void QTextLayout::setFont(const QFont &f)\n", false, &_init_f_setFont_1801, &_call_f_setFont_1801); + methods += new qt_gsi::GenericMethod ("setFormats", "@brief Method void QTextLayout::setFormats(const QVector &overrides)\n", false, &_init_f_setFormats_4509, &_call_f_setFormats_4509); methods += new qt_gsi::GenericMethod ("setPosition|position=", "@brief Method void QTextLayout::setPosition(const QPointF &p)\n", false, &_init_f_setPosition_1986, &_call_f_setPosition_1986); methods += new qt_gsi::GenericMethod ("setPreeditArea", "@brief Method void QTextLayout::setPreeditArea(int position, const QString &text)\n", false, &_init_f_setPreeditArea_2684, &_call_f_setPreeditArea_2684); methods += new qt_gsi::GenericMethod ("setRawFont", "@brief Method void QTextLayout::setRawFont(const QRawFont &rawFont)\n", false, &_init_f_setRawFont_2099, &_call_f_setRawFont_2099); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextLine.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextLine.cc index 8c904f12c2..f2d58b2a93 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextLine.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextLine.cc @@ -115,7 +115,7 @@ static void _init_f_draw_c6879 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("point"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("selection", true, "0"); + static gsi::ArgSpecBase argspec_2 ("selection", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -126,7 +126,7 @@ static void _call_f_draw_c6879 (const qt_gsi::GenericMethod * /*decl*/, void *cl tl::Heap heap; QPainter *arg1 = gsi::arg_reader() (args, heap); const QPointF &arg2 = gsi::arg_reader() (args, heap); - const QTextLayout::FormatRange *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QTextLayout::FormatRange *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QTextLine *)cls)->draw (arg1, arg2, arg3); } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextList.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextList.cc index b0fc652ba4..eb95f4564b 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextList.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextList.cc @@ -366,33 +366,33 @@ class QTextList_Adaptor : public QTextList, public qt_gsi::QtObjectBase emit QTextList::destroyed(arg1); } - // [adaptor impl] bool QTextList::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QTextList::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QTextList::event(arg1); + return QTextList::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QTextList_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QTextList_Adaptor::cbs_event_1217_0, _event); } else { - return QTextList::event(arg1); + return QTextList::event(_event); } } - // [adaptor impl] bool QTextList::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QTextList::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QTextList::eventFilter(arg1, arg2); + return QTextList::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QTextList_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QTextList_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QTextList::eventFilter(arg1, arg2); + return QTextList::eventFilter(watched, event); } } @@ -448,33 +448,33 @@ class QTextList_Adaptor : public QTextList, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextList::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTextList::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTextList::childEvent(arg1); + QTextList::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTextList_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTextList_Adaptor::cbs_childEvent_1701_0, event); } else { - QTextList::childEvent(arg1); + QTextList::childEvent(event); } } - // [adaptor impl] void QTextList::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTextList::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTextList::customEvent(arg1); + QTextList::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTextList_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTextList_Adaptor::cbs_customEvent_1217_0, event); } else { - QTextList::customEvent(arg1); + QTextList::customEvent(event); } } @@ -493,18 +493,18 @@ class QTextList_Adaptor : public QTextList, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextList::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QTextList::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QTextList::timerEvent(arg1); + QTextList::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QTextList_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QTextList_Adaptor::cbs_timerEvent_1730_0, event); } else { - QTextList::timerEvent(arg1); + QTextList::timerEvent(event); } } @@ -625,11 +625,11 @@ static void _set_callback_cbs_blockRemoved_2306_0 (void *cls, const gsi::Callbac } -// void QTextList::childEvent(QChildEvent *) +// void QTextList::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -649,11 +649,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QTextList::customEvent(QEvent *) +// void QTextList::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -677,7 +677,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -686,7 +686,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTextList_Adaptor *)cls)->emitter_QTextList_destroyed_1302 (arg1); } @@ -715,11 +715,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QTextList::event(QEvent *) +// bool QTextList::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -738,13 +738,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QTextList::eventFilter(QObject *, QEvent *) +// bool QTextList::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -846,11 +846,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QTextList::timerEvent(QTimerEvent *) +// void QTextList::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -885,23 +885,23 @@ static gsi::Methods methods_QTextList_Adaptor () { methods += new qt_gsi::GenericMethod ("*blockList", "@brief Method QList QTextList::blockList()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_blockList_c0, &_call_fp_blockList_c0); methods += new qt_gsi::GenericMethod ("*blockRemoved", "@brief Virtual method void QTextList::blockRemoved(const QTextBlock &block)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_blockRemoved_2306_0, &_call_cbs_blockRemoved_2306_0); methods += new qt_gsi::GenericMethod ("*blockRemoved", "@hide", false, &_init_cbs_blockRemoved_2306_0, &_call_cbs_blockRemoved_2306_0, &_set_callback_cbs_blockRemoved_2306_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTextList::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTextList::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTextList::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTextList::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTextList::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTextList::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTextList::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTextList::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTextList::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTextList::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QTextList::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QTextList::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QTextList::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QTextList::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QTextList::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTextList::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTextList::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextObject.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextObject.cc index e4d99cd856..31fdc09962 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextObject.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextObject.cc @@ -231,33 +231,33 @@ class QTextObject_Adaptor : public QTextObject, public qt_gsi::QtObjectBase emit QTextObject::destroyed(arg1); } - // [adaptor impl] bool QTextObject::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QTextObject::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QTextObject::event(arg1); + return QTextObject::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QTextObject_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QTextObject_Adaptor::cbs_event_1217_0, _event); } else { - return QTextObject::event(arg1); + return QTextObject::event(_event); } } - // [adaptor impl] bool QTextObject::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QTextObject::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QTextObject::eventFilter(arg1, arg2); + return QTextObject::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QTextObject_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QTextObject_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QTextObject::eventFilter(arg1, arg2); + return QTextObject::eventFilter(watched, event); } } @@ -268,33 +268,33 @@ class QTextObject_Adaptor : public QTextObject, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QTextObject::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QTextObject::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTextObject::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTextObject::childEvent(arg1); + QTextObject::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTextObject_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTextObject_Adaptor::cbs_childEvent_1701_0, event); } else { - QTextObject::childEvent(arg1); + QTextObject::childEvent(event); } } - // [adaptor impl] void QTextObject::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTextObject::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTextObject::customEvent(arg1); + QTextObject::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTextObject_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTextObject_Adaptor::cbs_customEvent_1217_0, event); } else { - QTextObject::customEvent(arg1); + QTextObject::customEvent(event); } } @@ -313,18 +313,18 @@ class QTextObject_Adaptor : public QTextObject, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextObject::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QTextObject::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QTextObject::timerEvent(arg1); + QTextObject::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QTextObject_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QTextObject_Adaptor::cbs_timerEvent_1730_0, event); } else { - QTextObject::timerEvent(arg1); + QTextObject::timerEvent(event); } } @@ -338,11 +338,11 @@ class QTextObject_Adaptor : public QTextObject, public qt_gsi::QtObjectBase QTextObject_Adaptor::~QTextObject_Adaptor() { } -// void QTextObject::childEvent(QChildEvent *) +// void QTextObject::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -362,11 +362,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QTextObject::customEvent(QEvent *) +// void QTextObject::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -390,7 +390,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -399,7 +399,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTextObject_Adaptor *)cls)->emitter_QTextObject_destroyed_1302 (arg1); } @@ -428,11 +428,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QTextObject::event(QEvent *) +// bool QTextObject::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -451,13 +451,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QTextObject::eventFilter(QObject *, QEvent *) +// bool QTextObject::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -578,11 +578,11 @@ static void _call_fp_setFormat_2432 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QTextObject::timerEvent(QTimerEvent *) +// void QTextObject::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -609,16 +609,16 @@ gsi::Class &qtdecl_QTextObject (); static gsi::Methods methods_QTextObject_Adaptor () { gsi::Methods methods; - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTextObject::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTextObject::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTextObject::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTextObject::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTextObject::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTextObject::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTextObject::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTextObject::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTextObject::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTextObject::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QTextObject::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QTextObject::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); @@ -626,7 +626,7 @@ static gsi::Methods methods_QTextObject_Adaptor () { methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QTextObject::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QTextObject::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*setFormat", "@brief Method void QTextObject::setFormat(const QTextFormat &format)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_setFormat_2432, &_call_fp_setFormat_2432); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTextObject::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTextObject::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextOption.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextOption.cc index f3eca95eeb..4c7f4e1b63 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextOption.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextOption.cc @@ -217,6 +217,26 @@ static void _call_f_setTabStop_1071 (const qt_gsi::GenericMethod * /*decl*/, voi } +// void QTextOption::setTabStopDistance(double tabStopDistance) + + +static void _init_f_setTabStopDistance_1071 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("tabStopDistance"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setTabStopDistance_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QTextOption *)cls)->setTabStopDistance (arg1); +} + + // void QTextOption::setTabs(const QList &tabStops) @@ -327,6 +347,21 @@ static void _call_f_tabStop_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cl } +// double QTextOption::tabStopDistance() + + +static void _init_f_tabStopDistance_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_tabStopDistance_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((double)((QTextOption *)cls)->tabStopDistance ()); +} + + // QList QTextOption::tabs() @@ -403,12 +438,14 @@ static gsi::Methods methods_QTextOption () { methods += new qt_gsi::GenericMethod ("setFlags|flags=", "@brief Method void QTextOption::setFlags(QFlags flags)\n", false, &_init_f_setFlags_2761, &_call_f_setFlags_2761); methods += new qt_gsi::GenericMethod ("setTabArray|tabArray=", "@brief Method void QTextOption::setTabArray(const QList &tabStops)\n", false, &_init_f_setTabArray_2461, &_call_f_setTabArray_2461); methods += new qt_gsi::GenericMethod ("setTabStop|tabStop=", "@brief Method void QTextOption::setTabStop(double tabStop)\n", false, &_init_f_setTabStop_1071, &_call_f_setTabStop_1071); + methods += new qt_gsi::GenericMethod ("setTabStopDistance", "@brief Method void QTextOption::setTabStopDistance(double tabStopDistance)\n", false, &_init_f_setTabStopDistance_1071, &_call_f_setTabStopDistance_1071); methods += new qt_gsi::GenericMethod ("setTabs|tabs=", "@brief Method void QTextOption::setTabs(const QList &tabStops)\n", false, &_init_f_setTabs_3458, &_call_f_setTabs_3458); methods += new qt_gsi::GenericMethod ("setTextDirection|textDirection=", "@brief Method void QTextOption::setTextDirection(Qt::LayoutDirection aDirection)\n", false, &_init_f_setTextDirection_2316, &_call_f_setTextDirection_2316); methods += new qt_gsi::GenericMethod ("setUseDesignMetrics|useDesignMetrics=", "@brief Method void QTextOption::setUseDesignMetrics(bool b)\n", false, &_init_f_setUseDesignMetrics_864, &_call_f_setUseDesignMetrics_864); methods += new qt_gsi::GenericMethod ("setWrapMode|wrapMode=", "@brief Method void QTextOption::setWrapMode(QTextOption::WrapMode wrap)\n", false, &_init_f_setWrapMode_2486, &_call_f_setWrapMode_2486); methods += new qt_gsi::GenericMethod (":tabArray", "@brief Method QList QTextOption::tabArray()\n", true, &_init_f_tabArray_c0, &_call_f_tabArray_c0); methods += new qt_gsi::GenericMethod (":tabStop", "@brief Method double QTextOption::tabStop()\n", true, &_init_f_tabStop_c0, &_call_f_tabStop_c0); + methods += new qt_gsi::GenericMethod ("tabStopDistance", "@brief Method double QTextOption::tabStopDistance()\n", true, &_init_f_tabStopDistance_c0, &_call_f_tabStopDistance_c0); methods += new qt_gsi::GenericMethod (":tabs", "@brief Method QList QTextOption::tabs()\n", true, &_init_f_tabs_c0, &_call_f_tabs_c0); methods += new qt_gsi::GenericMethod (":textDirection", "@brief Method Qt::LayoutDirection QTextOption::textDirection()\n", true, &_init_f_textDirection_c0, &_call_f_textDirection_c0); methods += new qt_gsi::GenericMethod (":useDesignMetrics", "@brief Method bool QTextOption::useDesignMetrics()\n", true, &_init_f_useDesignMetrics_c0, &_call_f_useDesignMetrics_c0); @@ -435,6 +472,7 @@ static gsi::Enum decl_QTextOption_Flag_Enum ("QtGui", "QTextO gsi::enum_const ("ShowLineAndParagraphSeparators", QTextOption::ShowLineAndParagraphSeparators, "@brief Enum constant QTextOption::ShowLineAndParagraphSeparators") + gsi::enum_const ("AddSpaceForLineAndParagraphSeparators", QTextOption::AddSpaceForLineAndParagraphSeparators, "@brief Enum constant QTextOption::AddSpaceForLineAndParagraphSeparators") + gsi::enum_const ("SuppressColors", QTextOption::SuppressColors, "@brief Enum constant QTextOption::SuppressColors") + + gsi::enum_const ("ShowDocumentTerminator", QTextOption::ShowDocumentTerminator, "@brief Enum constant QTextOption::ShowDocumentTerminator") + gsi::enum_const ("IncludeTrailingSpaces", QTextOption::IncludeTrailingSpaces, "@brief Enum constant QTextOption::IncludeTrailingSpaces"), "@qt\n@brief This class represents the QTextOption::Flag enum"); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextTable.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextTable.cc index d44fe91d72..fc1155713f 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextTable.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextTable.cc @@ -587,33 +587,33 @@ class QTextTable_Adaptor : public QTextTable, public qt_gsi::QtObjectBase emit QTextTable::destroyed(arg1); } - // [adaptor impl] bool QTextTable::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QTextTable::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QTextTable::event(arg1); + return QTextTable::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QTextTable_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QTextTable_Adaptor::cbs_event_1217_0, _event); } else { - return QTextTable::event(arg1); + return QTextTable::event(_event); } } - // [adaptor impl] bool QTextTable::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QTextTable::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QTextTable::eventFilter(arg1, arg2); + return QTextTable::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QTextTable_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QTextTable_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QTextTable::eventFilter(arg1, arg2); + return QTextTable::eventFilter(watched, event); } } @@ -624,33 +624,33 @@ class QTextTable_Adaptor : public QTextTable, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QTextTable::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QTextTable::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTextTable::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTextTable::childEvent(arg1); + QTextTable::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTextTable_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTextTable_Adaptor::cbs_childEvent_1701_0, event); } else { - QTextTable::childEvent(arg1); + QTextTable::childEvent(event); } } - // [adaptor impl] void QTextTable::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTextTable::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTextTable::customEvent(arg1); + QTextTable::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTextTable_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTextTable_Adaptor::cbs_customEvent_1217_0, event); } else { - QTextTable::customEvent(arg1); + QTextTable::customEvent(event); } } @@ -669,18 +669,18 @@ class QTextTable_Adaptor : public QTextTable, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextTable::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QTextTable::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QTextTable::timerEvent(arg1); + QTextTable::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QTextTable_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QTextTable_Adaptor::cbs_timerEvent_1730_0, event); } else { - QTextTable::timerEvent(arg1); + QTextTable::timerEvent(event); } } @@ -712,11 +712,11 @@ static void _call_ctor_QTextTable_Adaptor_1955 (const qt_gsi::GenericStaticMetho } -// void QTextTable::childEvent(QChildEvent *) +// void QTextTable::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -736,11 +736,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QTextTable::customEvent(QEvent *) +// void QTextTable::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -764,7 +764,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -773,7 +773,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTextTable_Adaptor *)cls)->emitter_QTextTable_destroyed_1302 (arg1); } @@ -802,11 +802,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QTextTable::event(QEvent *) +// bool QTextTable::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -825,13 +825,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QTextTable::eventFilter(QObject *, QEvent *) +// bool QTextTable::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -933,11 +933,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QTextTable::timerEvent(QTimerEvent *) +// void QTextTable::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -965,23 +965,23 @@ gsi::Class &qtdecl_QTextTable (); static gsi::Methods methods_QTextTable_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTextTable::QTextTable(QTextDocument *doc)\nThis method creates an object of class QTextTable.", &_init_ctor_QTextTable_Adaptor_1955, &_call_ctor_QTextTable_Adaptor_1955); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTextTable::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTextTable::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTextTable::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTextTable::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTextTable::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTextTable::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTextTable::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTextTable::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTextTable::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTextTable::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QTextTable::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QTextTable::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QTextTable::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QTextTable::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QTextTable::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTextTable::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTextTable::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTouchEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTouchEvent.cc index 702f09bc0a..b7220f47e3 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTouchEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTouchEvent.cc @@ -290,11 +290,11 @@ static void _init_ctor_QTouchEvent_Adaptor_13206 (qt_gsi::GenericStaticMethod *d { static gsi::ArgSpecBase argspec_0 ("eventType"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("device", true, "0"); + static gsi::ArgSpecBase argspec_1 ("device", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("modifiers", true, "Qt::NoModifier"); decl->add_arg > (argspec_2); - static gsi::ArgSpecBase argspec_3 ("touchPointStates", true, "0"); + static gsi::ArgSpecBase argspec_3 ("touchPointStates", true, "Qt::TouchPointStates()"); decl->add_arg > (argspec_3); static gsi::ArgSpecBase argspec_4 ("touchPoints", true, "QList()"); decl->add_arg & > (argspec_4); @@ -306,9 +306,9 @@ static void _call_ctor_QTouchEvent_Adaptor_13206 (const qt_gsi::GenericStaticMet __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - QTouchDevice *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QTouchDevice *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::NoModifier, heap); - QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::TouchPointStates(), heap); const QList &arg5 = args ? gsi::arg_reader & >() (args, heap) : gsi::arg_maker & >() (QList(), heap); ret.write (new QTouchEvent_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4, arg5)); } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTouchEvent_TouchPoint.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTouchEvent_TouchPoint.cc index 1493787c5b..65872a65e2 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTouchEvent_TouchPoint.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTouchEvent_TouchPoint.cc @@ -29,7 +29,9 @@ #include #include +#include #include +#include #include #include "gsiQt.h" #include "gsiQtGuiCommon.h" @@ -76,6 +78,21 @@ static void _call_ctor_QTouchEvent_TouchPoint_3576 (const qt_gsi::GenericStaticM } +// QSizeF QTouchEvent::TouchPoint::ellipseDiameters() + + +static void _init_f_ellipseDiameters_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_ellipseDiameters_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QSizeF)((QTouchEvent::TouchPoint *)cls)->ellipseDiameters ()); +} + + // QFlags QTouchEvent::TouchPoint::flags() @@ -260,6 +277,21 @@ static void _call_f_rect_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// double QTouchEvent::TouchPoint::rotation() + + +static void _init_f_rotation_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_rotation_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((double)((QTouchEvent::TouchPoint *)cls)->rotation ()); +} + + // QPointF QTouchEvent::TouchPoint::scenePos() @@ -320,6 +352,26 @@ static void _call_f_screenRect_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// void QTouchEvent::TouchPoint::setEllipseDiameters(const QSizeF &dia) + + +static void _init_f_setEllipseDiameters_1875 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("dia"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setEllipseDiameters_1875 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QSizeF &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QTouchEvent::TouchPoint *)cls)->setEllipseDiameters (arg1); +} + + // void QTouchEvent::TouchPoint::setFlags(QFlags flags) @@ -540,6 +592,26 @@ static void _call_f_setRect_1862 (const qt_gsi::GenericMethod * /*decl*/, void * } +// void QTouchEvent::TouchPoint::setRotation(double angle) + + +static void _init_f_setRotation_1071 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("angle"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setRotation_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QTouchEvent::TouchPoint *)cls)->setRotation (arg1); +} + + // void QTouchEvent::TouchPoint::setScenePos(const QPointF &scenePos) @@ -720,6 +792,26 @@ static void _call_f_setState_2995 (const qt_gsi::GenericMethod * /*decl*/, void } +// void QTouchEvent::TouchPoint::setUniqueId(qint64 uid) + + +static void _init_f_setUniqueId_986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("uid"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setUniqueId_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QTouchEvent::TouchPoint *)cls)->setUniqueId (arg1); +} + + // void QTouchEvent::TouchPoint::setVelocity(const QVector2D &v) @@ -835,6 +927,21 @@ static void _call_f_swap_2881 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// QPointingDeviceUniqueId QTouchEvent::TouchPoint::uniqueId() + + +static void _init_f_uniqueId_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_uniqueId_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QPointingDeviceUniqueId)((QTouchEvent::TouchPoint *)cls)->uniqueId ()); +} + + // QVector2D QTouchEvent::TouchPoint::velocity() @@ -858,6 +965,7 @@ static gsi::Methods methods_QTouchEvent_TouchPoint () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTouchEvent::TouchPoint::TouchPoint(int id)\nThis method creates an object of class QTouchEvent::TouchPoint.", &_init_ctor_QTouchEvent_TouchPoint_767, &_call_ctor_QTouchEvent_TouchPoint_767); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTouchEvent::TouchPoint::TouchPoint(const QTouchEvent::TouchPoint &other)\nThis method creates an object of class QTouchEvent::TouchPoint.", &_init_ctor_QTouchEvent_TouchPoint_3576, &_call_ctor_QTouchEvent_TouchPoint_3576); + methods += new qt_gsi::GenericMethod ("ellipseDiameters", "@brief Method QSizeF QTouchEvent::TouchPoint::ellipseDiameters()\n", true, &_init_f_ellipseDiameters_c0, &_call_f_ellipseDiameters_c0); methods += new qt_gsi::GenericMethod ("flags", "@brief Method QFlags QTouchEvent::TouchPoint::flags()\n", true, &_init_f_flags_c0, &_call_f_flags_c0); methods += new qt_gsi::GenericMethod ("id", "@brief Method int QTouchEvent::TouchPoint::id()\n", true, &_init_f_id_c0, &_call_f_id_c0); methods += new qt_gsi::GenericMethod ("lastNormalizedPos", "@brief Method QPointF QTouchEvent::TouchPoint::lastNormalizedPos()\n", true, &_init_f_lastNormalizedPos_c0, &_call_f_lastNormalizedPos_c0); @@ -870,10 +978,12 @@ static gsi::Methods methods_QTouchEvent_TouchPoint () { methods += new qt_gsi::GenericMethod ("pressure", "@brief Method double QTouchEvent::TouchPoint::pressure()\n", true, &_init_f_pressure_c0, &_call_f_pressure_c0); methods += new qt_gsi::GenericMethod ("rawScreenPositions", "@brief Method QVector QTouchEvent::TouchPoint::rawScreenPositions()\n", true, &_init_f_rawScreenPositions_c0, &_call_f_rawScreenPositions_c0); methods += new qt_gsi::GenericMethod ("rect", "@brief Method QRectF QTouchEvent::TouchPoint::rect()\n", true, &_init_f_rect_c0, &_call_f_rect_c0); + methods += new qt_gsi::GenericMethod ("rotation", "@brief Method double QTouchEvent::TouchPoint::rotation()\n", true, &_init_f_rotation_c0, &_call_f_rotation_c0); methods += new qt_gsi::GenericMethod ("scenePos", "@brief Method QPointF QTouchEvent::TouchPoint::scenePos()\n", true, &_init_f_scenePos_c0, &_call_f_scenePos_c0); methods += new qt_gsi::GenericMethod ("sceneRect", "@brief Method QRectF QTouchEvent::TouchPoint::sceneRect()\n", true, &_init_f_sceneRect_c0, &_call_f_sceneRect_c0); methods += new qt_gsi::GenericMethod ("screenPos", "@brief Method QPointF QTouchEvent::TouchPoint::screenPos()\n", true, &_init_f_screenPos_c0, &_call_f_screenPos_c0); methods += new qt_gsi::GenericMethod ("screenRect", "@brief Method QRectF QTouchEvent::TouchPoint::screenRect()\n", true, &_init_f_screenRect_c0, &_call_f_screenRect_c0); + methods += new qt_gsi::GenericMethod ("setEllipseDiameters", "@brief Method void QTouchEvent::TouchPoint::setEllipseDiameters(const QSizeF &dia)\n", false, &_init_f_setEllipseDiameters_1875, &_call_f_setEllipseDiameters_1875); methods += new qt_gsi::GenericMethod ("setFlags", "@brief Method void QTouchEvent::TouchPoint::setFlags(QFlags flags)\n", false, &_init_f_setFlags_4285, &_call_f_setFlags_4285); methods += new qt_gsi::GenericMethod ("setId", "@brief Method void QTouchEvent::TouchPoint::setId(int id)\n", false, &_init_f_setId_767, &_call_f_setId_767); methods += new qt_gsi::GenericMethod ("setLastNormalizedPos", "@brief Method void QTouchEvent::TouchPoint::setLastNormalizedPos(const QPointF &lastNormalizedPos)\n", false, &_init_f_setLastNormalizedPos_1986, &_call_f_setLastNormalizedPos_1986); @@ -885,6 +995,7 @@ static gsi::Methods methods_QTouchEvent_TouchPoint () { methods += new qt_gsi::GenericMethod ("setPressure", "@brief Method void QTouchEvent::TouchPoint::setPressure(double pressure)\n", false, &_init_f_setPressure_1071, &_call_f_setPressure_1071); methods += new qt_gsi::GenericMethod ("setRawScreenPositions", "@brief Method void QTouchEvent::TouchPoint::setRawScreenPositions(const QVector &positions)\n", false, &_init_f_setRawScreenPositions_2816, &_call_f_setRawScreenPositions_2816); methods += new qt_gsi::GenericMethod ("setRect", "@brief Method void QTouchEvent::TouchPoint::setRect(const QRectF &rect)\n", false, &_init_f_setRect_1862, &_call_f_setRect_1862); + methods += new qt_gsi::GenericMethod ("setRotation", "@brief Method void QTouchEvent::TouchPoint::setRotation(double angle)\n", false, &_init_f_setRotation_1071, &_call_f_setRotation_1071); methods += new qt_gsi::GenericMethod ("setScenePos", "@brief Method void QTouchEvent::TouchPoint::setScenePos(const QPointF &scenePos)\n", false, &_init_f_setScenePos_1986, &_call_f_setScenePos_1986); methods += new qt_gsi::GenericMethod ("setSceneRect", "@brief Method void QTouchEvent::TouchPoint::setSceneRect(const QRectF &sceneRect)\n", false, &_init_f_setSceneRect_1862, &_call_f_setSceneRect_1862); methods += new qt_gsi::GenericMethod ("setScreenPos", "@brief Method void QTouchEvent::TouchPoint::setScreenPos(const QPointF &screenPos)\n", false, &_init_f_setScreenPos_1986, &_call_f_setScreenPos_1986); @@ -894,6 +1005,7 @@ static gsi::Methods methods_QTouchEvent_TouchPoint () { methods += new qt_gsi::GenericMethod ("setStartScenePos", "@brief Method void QTouchEvent::TouchPoint::setStartScenePos(const QPointF &startScenePos)\n", false, &_init_f_setStartScenePos_1986, &_call_f_setStartScenePos_1986); methods += new qt_gsi::GenericMethod ("setStartScreenPos", "@brief Method void QTouchEvent::TouchPoint::setStartScreenPos(const QPointF &startScreenPos)\n", false, &_init_f_setStartScreenPos_1986, &_call_f_setStartScreenPos_1986); methods += new qt_gsi::GenericMethod ("setState", "@brief Method void QTouchEvent::TouchPoint::setState(QFlags state)\n", false, &_init_f_setState_2995, &_call_f_setState_2995); + methods += new qt_gsi::GenericMethod ("setUniqueId", "@brief Method void QTouchEvent::TouchPoint::setUniqueId(qint64 uid)\n", false, &_init_f_setUniqueId_986, &_call_f_setUniqueId_986); methods += new qt_gsi::GenericMethod ("setVelocity", "@brief Method void QTouchEvent::TouchPoint::setVelocity(const QVector2D &v)\n", false, &_init_f_setVelocity_2139, &_call_f_setVelocity_2139); methods += new qt_gsi::GenericMethod ("startNormalizedPos", "@brief Method QPointF QTouchEvent::TouchPoint::startNormalizedPos()\n", true, &_init_f_startNormalizedPos_c0, &_call_f_startNormalizedPos_c0); methods += new qt_gsi::GenericMethod ("startPos", "@brief Method QPointF QTouchEvent::TouchPoint::startPos()\n", true, &_init_f_startPos_c0, &_call_f_startPos_c0); @@ -901,6 +1013,7 @@ static gsi::Methods methods_QTouchEvent_TouchPoint () { methods += new qt_gsi::GenericMethod ("startScreenPos", "@brief Method QPointF QTouchEvent::TouchPoint::startScreenPos()\n", true, &_init_f_startScreenPos_c0, &_call_f_startScreenPos_c0); methods += new qt_gsi::GenericMethod ("state", "@brief Method Qt::TouchPointState QTouchEvent::TouchPoint::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QTouchEvent::TouchPoint::swap(QTouchEvent::TouchPoint &other)\n", false, &_init_f_swap_2881, &_call_f_swap_2881); + methods += new qt_gsi::GenericMethod ("uniqueId", "@brief Method QPointingDeviceUniqueId QTouchEvent::TouchPoint::uniqueId()\n", true, &_init_f_uniqueId_c0, &_call_f_uniqueId_c0); methods += new qt_gsi::GenericMethod ("velocity", "@brief Method QVector2D QTouchEvent::TouchPoint::velocity()\n", true, &_init_f_velocity_c0, &_call_f_velocity_c0); return methods; } @@ -921,7 +1034,8 @@ namespace qt_gsi { static gsi::Enum decl_QTouchEvent_TouchPoint_InfoFlag_Enum ("QtGui", "QTouchEvent_TouchPoint_InfoFlag", - gsi::enum_const ("Pen", QTouchEvent::TouchPoint::Pen, "@brief Enum constant QTouchEvent::TouchPoint::Pen"), + gsi::enum_const ("Pen", QTouchEvent::TouchPoint::Pen, "@brief Enum constant QTouchEvent::TouchPoint::Pen") + + gsi::enum_const ("Token", QTouchEvent::TouchPoint::Token, "@brief Enum constant QTouchEvent::TouchPoint::Token"), "@qt\n@brief This class represents the QTouchEvent::TouchPoint::InfoFlag enum"); static gsi::QFlagsClass decl_QTouchEvent_TouchPoint_InfoFlag_Enums ("QtGui", "QTouchEvent_TouchPoint_QFlags_InfoFlag", diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTransform.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTransform.cc index 472e2cef8f..84b089e899 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTransform.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTransform.cc @@ -157,6 +157,25 @@ static void _call_ctor_QTransform_2023 (const qt_gsi::GenericStaticMethod * /*de } +// Constructor QTransform::QTransform(const QTransform &other) + + +static void _init_ctor_QTransform_2350 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QTransform_2350 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QTransform &arg1 = gsi::arg_reader() (args, heap); + ret.write (new QTransform (arg1)); +} + + // QTransform QTransform::adjoint() @@ -237,7 +256,7 @@ static void _call_f_dy_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gs static void _init_f_inverted_c1050 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("invertible", true, "0"); + static gsi::ArgSpecBase argspec_0 ("invertible", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -246,7 +265,7 @@ static void _call_f_inverted_c1050 (const qt_gsi::GenericMethod * /*decl*/, void { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - bool *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QTransform)((QTransform *)cls)->inverted (arg1)); } @@ -1272,6 +1291,7 @@ static gsi::Methods methods_QTransform () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTransform::QTransform(double h11, double h12, double h13, double h21, double h22, double h23, double h31, double h32, double h33)\nThis method creates an object of class QTransform.", &_init_ctor_QTransform_8775, &_call_ctor_QTransform_8775); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTransform::QTransform(double h11, double h12, double h21, double h22, double dx, double dy)\nThis method creates an object of class QTransform.", &_init_ctor_QTransform_5886, &_call_ctor_QTransform_5886); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTransform::QTransform(const QMatrix &mtx)\nThis method creates an object of class QTransform.", &_init_ctor_QTransform_2023, &_call_ctor_QTransform_2023); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTransform::QTransform(const QTransform &other)\nThis method creates an object of class QTransform.", &_init_ctor_QTransform_2350, &_call_ctor_QTransform_2350); methods += new qt_gsi::GenericMethod ("adjoint", "@brief Method QTransform QTransform::adjoint()\n", true, &_init_f_adjoint_c0, &_call_f_adjoint_c0); methods += new qt_gsi::GenericMethod ("det", "@brief Method double QTransform::det()\n", true, &_init_f_det_c0, &_call_f_det_c0); methods += new qt_gsi::GenericMethod ("determinant", "@brief Method double QTransform::determinant()\n", true, &_init_f_determinant_c0, &_call_f_determinant_c0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQValidator.cc b/src/gsiqt/qt5/QtGui/gsiDeclQValidator.cc index dc712d05f7..d6727e2c17 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQValidator.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQValidator.cc @@ -261,33 +261,33 @@ class QValidator_Adaptor : public QValidator, public qt_gsi::QtObjectBase emit QValidator::destroyed(arg1); } - // [adaptor impl] bool QValidator::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QValidator::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QValidator::event(arg1); + return QValidator::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QValidator_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QValidator_Adaptor::cbs_event_1217_0, _event); } else { - return QValidator::event(arg1); + return QValidator::event(_event); } } - // [adaptor impl] bool QValidator::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QValidator::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QValidator::eventFilter(arg1, arg2); + return QValidator::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QValidator_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QValidator_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QValidator::eventFilter(arg1, arg2); + return QValidator::eventFilter(watched, event); } } @@ -330,33 +330,33 @@ class QValidator_Adaptor : public QValidator, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QValidator::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QValidator::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QValidator::childEvent(arg1); + QValidator::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QValidator_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QValidator_Adaptor::cbs_childEvent_1701_0, event); } else { - QValidator::childEvent(arg1); + QValidator::childEvent(event); } } - // [adaptor impl] void QValidator::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QValidator::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QValidator::customEvent(arg1); + QValidator::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QValidator_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QValidator_Adaptor::cbs_customEvent_1217_0, event); } else { - QValidator::customEvent(arg1); + QValidator::customEvent(event); } } @@ -375,18 +375,18 @@ class QValidator_Adaptor : public QValidator, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QValidator::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QValidator::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QValidator::timerEvent(arg1); + QValidator::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QValidator_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QValidator_Adaptor::cbs_timerEvent_1730_0, event); } else { - QValidator::timerEvent(arg1); + QValidator::timerEvent(event); } } @@ -406,7 +406,7 @@ QValidator_Adaptor::~QValidator_Adaptor() { } static void _init_ctor_QValidator_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -415,7 +415,7 @@ static void _call_ctor_QValidator_Adaptor_1302 (const qt_gsi::GenericStaticMetho { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QValidator_Adaptor (arg1)); } @@ -434,11 +434,11 @@ static void _call_emitter_changed_0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QValidator::childEvent(QChildEvent *) +// void QValidator::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -458,11 +458,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QValidator::customEvent(QEvent *) +// void QValidator::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -486,7 +486,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -495,7 +495,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QValidator_Adaptor *)cls)->emitter_QValidator_destroyed_1302 (arg1); } @@ -524,11 +524,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QValidator::event(QEvent *) +// bool QValidator::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -547,13 +547,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QValidator::eventFilter(QObject *, QEvent *) +// bool QValidator::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -679,11 +679,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QValidator::timerEvent(QTimerEvent *) +// void QValidator::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -738,16 +738,16 @@ static gsi::Methods methods_QValidator_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QValidator::QValidator(QObject *parent)\nThis method creates an object of class QValidator.", &_init_ctor_QValidator_Adaptor_1302, &_call_ctor_QValidator_Adaptor_1302); methods += new qt_gsi::GenericMethod ("emit_changed", "@brief Emitter for signal void QValidator::changed()\nCall this method to emit this signal.", false, &_init_emitter_changed_0, &_call_emitter_changed_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QValidator::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QValidator::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QValidator::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QValidator::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QValidator::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QValidator::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QValidator::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QValidator::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QValidator::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QValidator::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fixup", "@brief Virtual method void QValidator::fixup(QString &)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0); methods += new qt_gsi::GenericMethod ("fixup", "@hide", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0, &_set_callback_cbs_fixup_c1330_0); @@ -756,7 +756,7 @@ static gsi::Methods methods_QValidator_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QValidator::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QValidator::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QValidator::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QValidator::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QValidator::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("validate", "@brief Virtual method QValidator::State QValidator::validate(QString &, int &)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_validate_c2171_0, &_call_cbs_validate_c2171_0); methods += new qt_gsi::GenericMethod ("validate", "@hide", true, &_init_cbs_validate_c2171_0, &_call_cbs_validate_c2171_0, &_set_callback_cbs_validate_c2171_0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQWheelEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQWheelEvent.cc index 1512c04bf6..ebd4d154a9 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQWheelEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQWheelEvent.cc @@ -143,6 +143,21 @@ static void _call_f_globalY_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cl } +// bool QWheelEvent::inverted() + + +static void _init_f_inverted_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_inverted_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QWheelEvent *)cls)->inverted ()); +} + + // Qt::Orientation QWheelEvent::orientation() @@ -275,6 +290,7 @@ static gsi::Methods methods_QWheelEvent () { methods += new qt_gsi::GenericMethod ("globalPosF", "@brief Method const QPointF &QWheelEvent::globalPosF()\n", true, &_init_f_globalPosF_c0, &_call_f_globalPosF_c0); methods += new qt_gsi::GenericMethod ("globalX", "@brief Method int QWheelEvent::globalX()\n", true, &_init_f_globalX_c0, &_call_f_globalX_c0); methods += new qt_gsi::GenericMethod ("globalY", "@brief Method int QWheelEvent::globalY()\n", true, &_init_f_globalY_c0, &_call_f_globalY_c0); + methods += new qt_gsi::GenericMethod ("inverted", "@brief Method bool QWheelEvent::inverted()\n", true, &_init_f_inverted_c0, &_call_f_inverted_c0); methods += new qt_gsi::GenericMethod ("orientation", "@brief Method Qt::Orientation QWheelEvent::orientation()\n", true, &_init_f_orientation_c0, &_call_f_orientation_c0); methods += new qt_gsi::GenericMethod ("phase", "@brief Method Qt::ScrollPhase QWheelEvent::phase()\n", true, &_init_f_phase_c0, &_call_f_phase_c0); methods += new qt_gsi::GenericMethod ("pixelDelta", "@brief Method QPoint QWheelEvent::pixelDelta()\n", true, &_init_f_pixelDelta_c0, &_call_f_pixelDelta_c0); @@ -345,6 +361,24 @@ class QWheelEvent_Adaptor : public QWheelEvent, public qt_gsi::QtObjectBase qt_gsi::QtObjectBase::init (this); } + // [adaptor ctor] QWheelEvent::QWheelEvent(const QPointF &pos, const QPointF &globalPos, QPoint pixelDelta, QPoint angleDelta, int qt4Delta, Qt::Orientation qt4Orientation, QFlags buttons, QFlags modifiers, Qt::ScrollPhase phase, Qt::MouseEventSource source, bool inverted) + QWheelEvent_Adaptor(const QPointF &pos, const QPointF &globalPos, QPoint pixelDelta, QPoint angleDelta, int qt4Delta, Qt::Orientation qt4Orientation, QFlags buttons, QFlags modifiers, Qt::ScrollPhase phase, Qt::MouseEventSource source, bool inverted) : QWheelEvent(pos, globalPos, pixelDelta, angleDelta, qt4Delta, qt4Orientation, buttons, modifiers, phase, source, inverted) + { + qt_gsi::QtObjectBase::init (this); + } + + // [adaptor ctor] QWheelEvent::QWheelEvent(QPointF pos, QPointF globalPos, QPoint pixelDelta, QPoint angleDelta, QFlags buttons, QFlags modifiers, Qt::ScrollPhase phase, bool inverted, Qt::MouseEventSource source) + QWheelEvent_Adaptor(QPointF pos, QPointF globalPos, QPoint pixelDelta, QPoint angleDelta, QFlags buttons, QFlags modifiers, Qt::ScrollPhase phase, bool inverted) : QWheelEvent(pos, globalPos, pixelDelta, angleDelta, buttons, modifiers, phase, inverted) + { + qt_gsi::QtObjectBase::init (this); + } + + // [adaptor ctor] QWheelEvent::QWheelEvent(QPointF pos, QPointF globalPos, QPoint pixelDelta, QPoint angleDelta, QFlags buttons, QFlags modifiers, Qt::ScrollPhase phase, bool inverted, Qt::MouseEventSource source) + QWheelEvent_Adaptor(QPointF pos, QPointF globalPos, QPoint pixelDelta, QPoint angleDelta, QFlags buttons, QFlags modifiers, Qt::ScrollPhase phase, bool inverted, Qt::MouseEventSource source) : QWheelEvent(pos, globalPos, pixelDelta, angleDelta, buttons, modifiers, phase, inverted, source) + { + qt_gsi::QtObjectBase::init (this); + } + }; @@ -539,6 +573,96 @@ static void _call_ctor_QWheelEvent_Adaptor_17715 (const qt_gsi::GenericStaticMet } +// Constructor QWheelEvent::QWheelEvent(const QPointF &pos, const QPointF &globalPos, QPoint pixelDelta, QPoint angleDelta, int qt4Delta, Qt::Orientation qt4Orientation, QFlags buttons, QFlags modifiers, Qt::ScrollPhase phase, Qt::MouseEventSource source, bool inverted) (adaptor class) + +static void _init_ctor_QWheelEvent_Adaptor_18471 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("pos"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("globalPos"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("pixelDelta"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("angleDelta"); + decl->add_arg (argspec_3); + static gsi::ArgSpecBase argspec_4 ("qt4Delta"); + decl->add_arg (argspec_4); + static gsi::ArgSpecBase argspec_5 ("qt4Orientation"); + decl->add_arg::target_type & > (argspec_5); + static gsi::ArgSpecBase argspec_6 ("buttons"); + decl->add_arg > (argspec_6); + static gsi::ArgSpecBase argspec_7 ("modifiers"); + decl->add_arg > (argspec_7); + static gsi::ArgSpecBase argspec_8 ("phase"); + decl->add_arg::target_type & > (argspec_8); + static gsi::ArgSpecBase argspec_9 ("source"); + decl->add_arg::target_type & > (argspec_9); + static gsi::ArgSpecBase argspec_10 ("inverted"); + decl->add_arg (argspec_10); + decl->set_return_new (); +} + +static void _call_ctor_QWheelEvent_Adaptor_18471 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPointF &arg1 = gsi::arg_reader() (args, heap); + const QPointF &arg2 = gsi::arg_reader() (args, heap); + QPoint arg3 = gsi::arg_reader() (args, heap); + QPoint arg4 = gsi::arg_reader() (args, heap); + int arg5 = gsi::arg_reader() (args, heap); + const qt_gsi::Converter::target_type & arg6 = gsi::arg_reader::target_type & >() (args, heap); + QFlags arg7 = gsi::arg_reader >() (args, heap); + QFlags arg8 = gsi::arg_reader >() (args, heap); + const qt_gsi::Converter::target_type & arg9 = gsi::arg_reader::target_type & >() (args, heap); + const qt_gsi::Converter::target_type & arg10 = gsi::arg_reader::target_type & >() (args, heap); + bool arg11 = gsi::arg_reader() (args, heap); + ret.write (new QWheelEvent_Adaptor (arg1, arg2, arg3, arg4, arg5, qt_gsi::QtToCppAdaptor(arg6).cref(), arg7, arg8, qt_gsi::QtToCppAdaptor(arg9).cref(), qt_gsi::QtToCppAdaptor(arg10).cref(), arg11)); +} + + +// Constructor QWheelEvent::QWheelEvent(QPointF pos, QPointF globalPos, QPoint pixelDelta, QPoint angleDelta, QFlags buttons, QFlags modifiers, Qt::ScrollPhase phase, bool inverted, Qt::MouseEventSource source) (adaptor class) + +static void _init_ctor_QWheelEvent_Adaptor_14253 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("pos"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("globalPos"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("pixelDelta"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("angleDelta"); + decl->add_arg (argspec_3); + static gsi::ArgSpecBase argspec_4 ("buttons"); + decl->add_arg > (argspec_4); + static gsi::ArgSpecBase argspec_5 ("modifiers"); + decl->add_arg > (argspec_5); + static gsi::ArgSpecBase argspec_6 ("phase"); + decl->add_arg::target_type & > (argspec_6); + static gsi::ArgSpecBase argspec_7 ("inverted"); + decl->add_arg (argspec_7); + static gsi::ArgSpecBase argspec_8 ("source", true, "Qt::MouseEventNotSynthesized"); + decl->add_arg::target_type & > (argspec_8); + decl->set_return_new (); +} + +static void _call_ctor_QWheelEvent_Adaptor_14253 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QPointF arg1 = gsi::arg_reader() (args, heap); + QPointF arg2 = gsi::arg_reader() (args, heap); + QPoint arg3 = gsi::arg_reader() (args, heap); + QPoint arg4 = gsi::arg_reader() (args, heap); + QFlags arg5 = gsi::arg_reader >() (args, heap); + QFlags arg6 = gsi::arg_reader >() (args, heap); + const qt_gsi::Converter::target_type & arg7 = gsi::arg_reader::target_type & >() (args, heap); + bool arg8 = gsi::arg_reader() (args, heap); + const qt_gsi::Converter::target_type & arg9 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::MouseEventNotSynthesized), heap); + ret.write (new QWheelEvent_Adaptor (arg1, arg2, arg3, arg4, arg5, arg6, qt_gsi::QtToCppAdaptor(arg7).cref(), arg8, qt_gsi::QtToCppAdaptor(arg9).cref())); +} + + namespace gsi { @@ -551,6 +675,8 @@ static gsi::Methods methods_QWheelEvent_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QWheelEvent::QWheelEvent(const QPointF &pos, const QPointF &globalPos, QPoint pixelDelta, QPoint angleDelta, int qt4Delta, Qt::Orientation qt4Orientation, QFlags buttons, QFlags modifiers)\nThis method creates an object of class QWheelEvent.", &_init_ctor_QWheelEvent_Adaptor_13653, &_call_ctor_QWheelEvent_Adaptor_13653); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QWheelEvent::QWheelEvent(const QPointF &pos, const QPointF &globalPos, QPoint pixelDelta, QPoint angleDelta, int qt4Delta, Qt::Orientation qt4Orientation, QFlags buttons, QFlags modifiers, Qt::ScrollPhase phase)\nThis method creates an object of class QWheelEvent.", &_init_ctor_QWheelEvent_Adaptor_15414, &_call_ctor_QWheelEvent_Adaptor_15414); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QWheelEvent::QWheelEvent(const QPointF &pos, const QPointF &globalPos, QPoint pixelDelta, QPoint angleDelta, int qt4Delta, Qt::Orientation qt4Orientation, QFlags buttons, QFlags modifiers, Qt::ScrollPhase phase, Qt::MouseEventSource source)\nThis method creates an object of class QWheelEvent.", &_init_ctor_QWheelEvent_Adaptor_17715, &_call_ctor_QWheelEvent_Adaptor_17715); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QWheelEvent::QWheelEvent(const QPointF &pos, const QPointF &globalPos, QPoint pixelDelta, QPoint angleDelta, int qt4Delta, Qt::Orientation qt4Orientation, QFlags buttons, QFlags modifiers, Qt::ScrollPhase phase, Qt::MouseEventSource source, bool inverted)\nThis method creates an object of class QWheelEvent.", &_init_ctor_QWheelEvent_Adaptor_18471, &_call_ctor_QWheelEvent_Adaptor_18471); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QWheelEvent::QWheelEvent(QPointF pos, QPointF globalPos, QPoint pixelDelta, QPoint angleDelta, QFlags buttons, QFlags modifiers, Qt::ScrollPhase phase, bool inverted, Qt::MouseEventSource source)\nThis method creates an object of class QWheelEvent.", &_init_ctor_QWheelEvent_Adaptor_14253, &_call_ctor_QWheelEvent_Adaptor_14253); return methods; } diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQWindow.cc b/src/gsiqt/qt5/QtGui/gsiDeclQWindow.cc index e0a03a736f..25c3a79adf 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQWindow.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQWindow.cc @@ -644,6 +644,25 @@ static void _call_f_opacity_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cl } +// QWindow *QWindow::parent(QWindow::AncestorMode mode) + + +static void _init_f_parent_c2485 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("mode"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_parent_c2485 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ret.write ((QWindow *)((QWindow *)cls)->parent (qt_gsi::QtToCppAdaptor(arg1).cref())); +} + + // QWindow *QWindow::parent() @@ -875,6 +894,29 @@ static void _call_f_setFilePath_2025 (const qt_gsi::GenericMethod * /*decl*/, vo } +// void QWindow::setFlag(Qt::WindowType, bool on) + + +static void _init_f_setFlag_2555 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg::target_type & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("on", true, "true"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_setFlag_2555 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + bool arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (true, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QWindow *)cls)->setFlag (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2); +} + + // void QWindow::setFlags(QFlags flags) @@ -1485,6 +1527,26 @@ static void _call_f_setWindowState_1894 (const qt_gsi::GenericMethod * /*decl*/, } +// void QWindow::setWindowStates(QFlags states) + + +static void _init_f_setWindowStates_2590 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("states"); + decl->add_arg > (argspec_0); + decl->set_return (); +} + +static void _call_f_setWindowStates_2590 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QFlags arg1 = gsi::arg_reader >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QWindow *)cls)->setWindowStates (arg1); +} + + // void QWindow::setX(int arg) @@ -1771,6 +1833,21 @@ static void _call_f_windowState_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// QFlags QWindow::windowStates() + + +static void _init_f_windowStates_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return > (); +} + +static void _call_f_windowStates_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write > ((QFlags)((QWindow *)cls)->windowStates ()); +} + + // int QWindow::x() @@ -1926,9 +2003,9 @@ static gsi::Methods methods_QWindow () { methods += new qt_gsi::GenericMethod (":baseSize", "@brief Method QSize QWindow::baseSize()\n", true, &_init_f_baseSize_c0, &_call_f_baseSize_c0); methods += new qt_gsi::GenericMethod ("close", "@brief Method bool QWindow::close()\n", false, &_init_f_close_0, &_call_f_close_0); methods += new qt_gsi::GenericMethod (":contentOrientation", "@brief Method Qt::ScreenOrientation QWindow::contentOrientation()\n", true, &_init_f_contentOrientation_c0, &_call_f_contentOrientation_c0); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Method void QWindow::create()\n", false, &_init_f_create_0, &_call_f_create_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method void QWindow::create()\n", false, &_init_f_create_0, &_call_f_create_0); methods += new qt_gsi::GenericMethod (":cursor", "@brief Method QCursor QWindow::cursor()\n", true, &_init_f_cursor_c0, &_call_f_cursor_c0); - methods += new qt_gsi::GenericMethod ("qt_destroy", "@brief Method void QWindow::destroy()\n", false, &_init_f_destroy_0, &_call_f_destroy_0); + methods += new qt_gsi::GenericMethod ("destroy|qt_destroy", "@brief Method void QWindow::destroy()\n", false, &_init_f_destroy_0, &_call_f_destroy_0); methods += new qt_gsi::GenericMethod ("devicePixelRatio", "@brief Method double QWindow::devicePixelRatio()\n", true, &_init_f_devicePixelRatio_c0, &_call_f_devicePixelRatio_c0); methods += new qt_gsi::GenericMethod (":filePath", "@brief Method QString QWindow::filePath()\n", true, &_init_f_filePath_c0, &_call_f_filePath_c0); methods += new qt_gsi::GenericMethod (":flags", "@brief Method QFlags QWindow::flags()\n", true, &_init_f_flags_c0, &_call_f_flags_c0); @@ -1959,9 +2036,10 @@ static gsi::Methods methods_QWindow () { methods += new qt_gsi::GenericMethod (":minimumWidth", "@brief Method int QWindow::minimumWidth()\n", true, &_init_f_minimumWidth_c0, &_call_f_minimumWidth_c0); methods += new qt_gsi::GenericMethod (":modality", "@brief Method Qt::WindowModality QWindow::modality()\n", true, &_init_f_modality_c0, &_call_f_modality_c0); methods += new qt_gsi::GenericMethod (":opacity", "@brief Method double QWindow::opacity()\n", true, &_init_f_opacity_c0, &_call_f_opacity_c0); + methods += new qt_gsi::GenericMethod ("parent", "@brief Method QWindow *QWindow::parent(QWindow::AncestorMode mode)\n", true, &_init_f_parent_c2485, &_call_f_parent_c2485); methods += new qt_gsi::GenericMethod (":parent", "@brief Method QWindow *QWindow::parent()\n", true, &_init_f_parent_c0, &_call_f_parent_c0); methods += new qt_gsi::GenericMethod (":position", "@brief Method QPoint QWindow::position()\n", true, &_init_f_position_c0, &_call_f_position_c0); - methods += new qt_gsi::GenericMethod ("qt_raise", "@brief Method void QWindow::raise()\n", false, &_init_f_raise_0, &_call_f_raise_0); + methods += new qt_gsi::GenericMethod ("raise|qt_raise", "@brief Method void QWindow::raise()\n", false, &_init_f_raise_0, &_call_f_raise_0); methods += new qt_gsi::GenericMethod ("reportContentOrientationChange", "@brief Method void QWindow::reportContentOrientationChange(Qt::ScreenOrientation orientation)\n", false, &_init_f_reportContentOrientationChange_2521, &_call_f_reportContentOrientationChange_2521); methods += new qt_gsi::GenericMethod ("requestActivate", "@brief Method void QWindow::requestActivate()\n", false, &_init_f_requestActivate_0, &_call_f_requestActivate_0); methods += new qt_gsi::GenericMethod ("requestUpdate", "@brief Method void QWindow::requestUpdate()\n", false, &_init_f_requestUpdate_0, &_call_f_requestUpdate_0); @@ -1972,6 +2050,7 @@ static gsi::Methods methods_QWindow () { methods += new qt_gsi::GenericMethod ("setBaseSize|baseSize=", "@brief Method void QWindow::setBaseSize(const QSize &size)\n", false, &_init_f_setBaseSize_1805, &_call_f_setBaseSize_1805); methods += new qt_gsi::GenericMethod ("setCursor|cursor=", "@brief Method void QWindow::setCursor(const QCursor &)\n", false, &_init_f_setCursor_2032, &_call_f_setCursor_2032); methods += new qt_gsi::GenericMethod ("setFilePath|filePath=", "@brief Method void QWindow::setFilePath(const QString &filePath)\n", false, &_init_f_setFilePath_2025, &_call_f_setFilePath_2025); + methods += new qt_gsi::GenericMethod ("setFlag", "@brief Method void QWindow::setFlag(Qt::WindowType, bool on)\n", false, &_init_f_setFlag_2555, &_call_f_setFlag_2555); methods += new qt_gsi::GenericMethod ("setFlags|flags=", "@brief Method void QWindow::setFlags(QFlags flags)\n", false, &_init_f_setFlags_2495, &_call_f_setFlags_2495); methods += new qt_gsi::GenericMethod ("setFormat|format=", "@brief Method void QWindow::setFormat(const QSurfaceFormat &format)\n", false, &_init_f_setFormat_2724, &_call_f_setFormat_2724); methods += new qt_gsi::GenericMethod ("setFramePosition|framePosition=", "@brief Method void QWindow::setFramePosition(const QPoint &point)\n", false, &_init_f_setFramePosition_1916, &_call_f_setFramePosition_1916); @@ -2002,6 +2081,7 @@ static gsi::Methods methods_QWindow () { methods += new qt_gsi::GenericMethod ("setVisible|visible=", "@brief Method void QWindow::setVisible(bool visible)\n", false, &_init_f_setVisible_864, &_call_f_setVisible_864); methods += new qt_gsi::GenericMethod ("setWidth|width=", "@brief Method void QWindow::setWidth(int arg)\n", false, &_init_f_setWidth_767, &_call_f_setWidth_767); methods += new qt_gsi::GenericMethod ("setWindowState|windowState=", "@brief Method void QWindow::setWindowState(Qt::WindowState state)\n", false, &_init_f_setWindowState_1894, &_call_f_setWindowState_1894); + methods += new qt_gsi::GenericMethod ("setWindowStates", "@brief Method void QWindow::setWindowStates(QFlags states)\n", false, &_init_f_setWindowStates_2590, &_call_f_setWindowStates_2590); methods += new qt_gsi::GenericMethod ("setX|x=", "@brief Method void QWindow::setX(int arg)\n", false, &_init_f_setX_767, &_call_f_setX_767); methods += new qt_gsi::GenericMethod ("setY|y=", "@brief Method void QWindow::setY(int arg)\n", false, &_init_f_setY_767, &_call_f_setY_767); methods += new qt_gsi::GenericMethod ("show", "@brief Method void QWindow::show()\n", false, &_init_f_show_0, &_call_f_show_0); @@ -2020,6 +2100,7 @@ static gsi::Methods methods_QWindow () { methods += new qt_gsi::GenericMethod (":width", "@brief Method int QWindow::width()\n", true, &_init_f_width_c0, &_call_f_width_c0); methods += new qt_gsi::GenericMethod ("winId", "@brief Method WId QWindow::winId()\n", true, &_init_f_winId_c0, &_call_f_winId_c0); methods += new qt_gsi::GenericMethod (":windowState", "@brief Method Qt::WindowState QWindow::windowState()\n", true, &_init_f_windowState_c0, &_call_f_windowState_c0); + methods += new qt_gsi::GenericMethod ("windowStates", "@brief Method QFlags QWindow::windowStates()\n", true, &_init_f_windowStates_c0, &_call_f_windowStates_c0); methods += new qt_gsi::GenericMethod (":x", "@brief Method int QWindow::x()\n", true, &_init_f_x_c0, &_call_f_x_c0); methods += new qt_gsi::GenericMethod (":y", "@brief Method int QWindow::y()\n", true, &_init_f_y_c0, &_call_f_y_c0); methods += gsi::qt_signal ("activeChanged()", "activeChanged", "@brief Signal declaration for QWindow::activeChanged()\nYou can bind a procedure to this signal."); @@ -2146,18 +2227,18 @@ class QWindow_Adaptor : public QWindow, public qt_gsi::QtObjectBase emit QWindow::destroyed(arg1); } - // [adaptor impl] bool QWindow::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QWindow::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QWindow::eventFilter(arg1, arg2); + return QWindow::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QWindow_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QWindow_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QWindow::eventFilter(arg1, arg2); + return QWindow::eventFilter(watched, event); } } @@ -2324,33 +2405,33 @@ class QWindow_Adaptor : public QWindow, public qt_gsi::QtObjectBase emit QWindow::yChanged(arg); } - // [adaptor impl] void QWindow::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QWindow::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QWindow::childEvent(arg1); + QWindow::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QWindow_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QWindow_Adaptor::cbs_childEvent_1701_0, event); } else { - QWindow::childEvent(arg1); + QWindow::childEvent(event); } } - // [adaptor impl] void QWindow::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QWindow::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QWindow::customEvent(arg1); + QWindow::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QWindow_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QWindow_Adaptor::cbs_customEvent_1217_0, event); } else { - QWindow::customEvent(arg1); + QWindow::customEvent(event); } } @@ -2609,18 +2690,18 @@ class QWindow_Adaptor : public QWindow, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWindow::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QWindow::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QWindow::timerEvent(arg1); + QWindow::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QWindow_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QWindow_Adaptor::cbs_timerEvent_1730_0, event); } else { - QWindow::timerEvent(arg1); + QWindow::timerEvent(event); } } @@ -2690,7 +2771,7 @@ QWindow_Adaptor::~QWindow_Adaptor() { } static void _init_ctor_QWindow_Adaptor_1311 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("screen", true, "0"); + static gsi::ArgSpecBase argspec_0 ("screen", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -2699,7 +2780,7 @@ static void _call_ctor_QWindow_Adaptor_1311 (const qt_gsi::GenericStaticMethod * { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QScreen *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QScreen *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QWindow_Adaptor (arg1)); } @@ -2755,11 +2836,11 @@ static void _call_emitter_activeChanged_0 (const qt_gsi::GenericMethod * /*decl* } -// void QWindow::childEvent(QChildEvent *) +// void QWindow::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2797,11 +2878,11 @@ static void _call_emitter_contentOrientationChanged_2521 (const qt_gsi::GenericM } -// void QWindow::customEvent(QEvent *) +// void QWindow::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2825,7 +2906,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2834,7 +2915,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QWindow_Adaptor *)cls)->emitter_QWindow_destroyed_1302 (arg1); } @@ -2886,13 +2967,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QWindow::eventFilter(QObject *, QEvent *) +// bool QWindow::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -3597,11 +3678,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QWindow::timerEvent(QTimerEvent *) +// void QWindow::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3807,17 +3888,17 @@ static gsi::Methods methods_QWindow_Adaptor () { methods += new qt_gsi::GenericMethod ("accessibleRoot", "@brief Virtual method QAccessibleInterface *QWindow::accessibleRoot()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_accessibleRoot_c0_0, &_call_cbs_accessibleRoot_c0_0); methods += new qt_gsi::GenericMethod ("accessibleRoot", "@hide", true, &_init_cbs_accessibleRoot_c0_0, &_call_cbs_accessibleRoot_c0_0, &_set_callback_cbs_accessibleRoot_c0_0); methods += new qt_gsi::GenericMethod ("emit_activeChanged", "@brief Emitter for signal void QWindow::activeChanged()\nCall this method to emit this signal.", false, &_init_emitter_activeChanged_0, &_call_emitter_activeChanged_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QWindow::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QWindow::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_contentOrientationChanged", "@brief Emitter for signal void QWindow::contentOrientationChanged(Qt::ScreenOrientation orientation)\nCall this method to emit this signal.", false, &_init_emitter_contentOrientationChanged_2521, &_call_emitter_contentOrientationChanged_2521); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QWindow::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QWindow::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QWindow::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QWindow::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QWindow::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QWindow::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QWindow::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*exposeEvent", "@brief Virtual method void QWindow::exposeEvent(QExposeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_exposeEvent_1845_0, &_call_cbs_exposeEvent_1845_0); methods += new qt_gsi::GenericMethod ("*exposeEvent", "@hide", false, &_init_cbs_exposeEvent_1845_0, &_call_cbs_exposeEvent_1845_0, &_set_callback_cbs_exposeEvent_1845_0); @@ -3871,7 +3952,7 @@ static gsi::Methods methods_QWindow_Adaptor () { methods += new qt_gsi::GenericMethod ("surfaceType", "@hide", true, &_init_cbs_surfaceType_c0_0, &_call_cbs_surfaceType_c0_0, &_set_callback_cbs_surfaceType_c0_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QWindow::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QWindow::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QWindow::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*touchEvent", "@brief Virtual method void QWindow::touchEvent(QTouchEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_touchEvent_1732_0, &_call_cbs_touchEvent_1732_0); methods += new qt_gsi::GenericMethod ("*touchEvent", "@hide", false, &_init_cbs_touchEvent_1732_0, &_call_cbs_touchEvent_1732_0, &_set_callback_cbs_touchEvent_1732_0); diff --git a/src/gsiqt/qt5/QtGui/gsiQtExternals.h b/src/gsiqt/qt5/QtGui/gsiQtExternals.h index 8cdc778da2..30b923013d 100644 --- a/src/gsiqt/qt5/QtGui/gsiQtExternals.h +++ b/src/gsiqt/qt5/QtGui/gsiQtExternals.h @@ -433,6 +433,10 @@ class QPlatformSurfaceEvent; namespace gsi { GSI_QTGUI_PUBLIC gsi::Class &qtdecl_QPlatformSurfaceEvent (); } +class QPointingDeviceUniqueId; + +namespace gsi { GSI_QTGUI_PUBLIC gsi::Class &qtdecl_QPointingDeviceUniqueId (); } + class QPolygon; namespace gsi { GSI_QTGUI_PUBLIC gsi::Class &qtdecl_QPolygon (); } @@ -473,6 +477,10 @@ class QResizeEvent; namespace gsi { GSI_QTGUI_PUBLIC gsi::Class &qtdecl_QResizeEvent (); } +class QRgba64; + +namespace gsi { GSI_QTGUI_PUBLIC gsi::Class &qtdecl_QRgba64 (); } + class QScreen; namespace gsi { GSI_QTGUI_PUBLIC gsi::Class &qtdecl_QScreen (); } diff --git a/src/gsiqt/qt5/QtMultimedia/QtMultimedia.pri b/src/gsiqt/qt5/QtMultimedia/QtMultimedia.pri index 057ddd2aad..31814af0a3 100644 --- a/src/gsiqt/qt5/QtMultimedia/QtMultimedia.pri +++ b/src/gsiqt/qt5/QtMultimedia/QtMultimedia.pri @@ -27,6 +27,7 @@ SOURCES += \ $$PWD/gsiDeclQAudioOutputSelectorControl.cc \ $$PWD/gsiDeclQAudioProbe.cc \ $$PWD/gsiDeclQAudioRecorder.cc \ + $$PWD/gsiDeclQAudioRoleControl.cc \ $$PWD/gsiDeclQAudioSystemFactoryInterface.cc \ $$PWD/gsiDeclQAudioSystemPlugin.cc \ $$PWD/gsiDeclQCamera.cc \ @@ -52,6 +53,7 @@ SOURCES += \ $$PWD/gsiDeclQCameraViewfinderSettingsControl.cc \ $$PWD/gsiDeclQCameraViewfinderSettingsControl2.cc \ $$PWD/gsiDeclQCameraZoomControl.cc \ + $$PWD/gsiDeclQCustomAudioRoleControl.cc \ $$PWD/gsiDeclQGraphicsVideoItem.cc \ $$PWD/gsiDeclQImageEncoderControl.cc \ $$PWD/gsiDeclQImageEncoderSettings.cc \ diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioDeviceInfo.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioDeviceInfo.cc index 59ecd45caf..d38b6b2f13 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioDeviceInfo.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioDeviceInfo.cc @@ -322,33 +322,33 @@ class QAbstractAudioDeviceInfo_Adaptor : public QAbstractAudioDeviceInfo, public } } - // [adaptor impl] bool QAbstractAudioDeviceInfo::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAbstractAudioDeviceInfo::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAbstractAudioDeviceInfo::event(arg1); + return QAbstractAudioDeviceInfo::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAbstractAudioDeviceInfo_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAbstractAudioDeviceInfo_Adaptor::cbs_event_1217_0, _event); } else { - return QAbstractAudioDeviceInfo::event(arg1); + return QAbstractAudioDeviceInfo::event(_event); } } - // [adaptor impl] bool QAbstractAudioDeviceInfo::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractAudioDeviceInfo::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractAudioDeviceInfo::eventFilter(arg1, arg2); + return QAbstractAudioDeviceInfo::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractAudioDeviceInfo_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractAudioDeviceInfo_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractAudioDeviceInfo::eventFilter(arg1, arg2); + return QAbstractAudioDeviceInfo::eventFilter(watched, event); } } @@ -473,33 +473,33 @@ class QAbstractAudioDeviceInfo_Adaptor : public QAbstractAudioDeviceInfo, public } } - // [adaptor impl] void QAbstractAudioDeviceInfo::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractAudioDeviceInfo::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractAudioDeviceInfo::childEvent(arg1); + QAbstractAudioDeviceInfo::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractAudioDeviceInfo_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractAudioDeviceInfo_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractAudioDeviceInfo::childEvent(arg1); + QAbstractAudioDeviceInfo::childEvent(event); } } - // [adaptor impl] void QAbstractAudioDeviceInfo::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractAudioDeviceInfo::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractAudioDeviceInfo::customEvent(arg1); + QAbstractAudioDeviceInfo::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractAudioDeviceInfo_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractAudioDeviceInfo_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractAudioDeviceInfo::customEvent(arg1); + QAbstractAudioDeviceInfo::customEvent(event); } } @@ -518,18 +518,18 @@ class QAbstractAudioDeviceInfo_Adaptor : public QAbstractAudioDeviceInfo, public } } - // [adaptor impl] void QAbstractAudioDeviceInfo::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAbstractAudioDeviceInfo::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAbstractAudioDeviceInfo::timerEvent(arg1); + QAbstractAudioDeviceInfo::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAbstractAudioDeviceInfo_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAbstractAudioDeviceInfo_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAbstractAudioDeviceInfo::timerEvent(arg1); + QAbstractAudioDeviceInfo::timerEvent(event); } } @@ -566,11 +566,11 @@ static void _call_ctor_QAbstractAudioDeviceInfo_Adaptor_0 (const qt_gsi::Generic } -// void QAbstractAudioDeviceInfo::childEvent(QChildEvent *) +// void QAbstractAudioDeviceInfo::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -590,11 +590,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAbstractAudioDeviceInfo::customEvent(QEvent *) +// void QAbstractAudioDeviceInfo::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -657,11 +657,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QAbstractAudioDeviceInfo::event(QEvent *) +// bool QAbstractAudioDeviceInfo::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -680,13 +680,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractAudioDeviceInfo::eventFilter(QObject *, QEvent *) +// bool QAbstractAudioDeviceInfo::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -926,11 +926,11 @@ static void _set_callback_cbs_supportedSampleTypes_0_0 (void *cls, const gsi::Ca } -// void QAbstractAudioDeviceInfo::timerEvent(QTimerEvent *) +// void QAbstractAudioDeviceInfo::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -958,17 +958,17 @@ gsi::Class &qtdecl_QAbstractAudioDeviceInfo (); static gsi::Methods methods_QAbstractAudioDeviceInfo_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractAudioDeviceInfo::QAbstractAudioDeviceInfo()\nThis method creates an object of class QAbstractAudioDeviceInfo.", &_init_ctor_QAbstractAudioDeviceInfo_Adaptor_0, &_call_ctor_QAbstractAudioDeviceInfo_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractAudioDeviceInfo::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractAudioDeviceInfo::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractAudioDeviceInfo::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractAudioDeviceInfo::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("deviceName", "@brief Virtual method QString QAbstractAudioDeviceInfo::deviceName()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_deviceName_c0_0, &_call_cbs_deviceName_c0_0); methods += new qt_gsi::GenericMethod ("deviceName", "@hide", true, &_init_cbs_deviceName_c0_0, &_call_cbs_deviceName_c0_0, &_set_callback_cbs_deviceName_c0_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractAudioDeviceInfo::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractAudioDeviceInfo::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractAudioDeviceInfo::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractAudioDeviceInfo::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractAudioDeviceInfo::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isFormatSupported", "@brief Virtual method bool QAbstractAudioDeviceInfo::isFormatSupported(const QAudioFormat &format)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isFormatSupported_c2509_0, &_call_cbs_isFormatSupported_c2509_0); methods += new qt_gsi::GenericMethod ("isFormatSupported", "@hide", true, &_init_cbs_isFormatSupported_c2509_0, &_call_cbs_isFormatSupported_c2509_0, &_set_callback_cbs_isFormatSupported_c2509_0); @@ -990,7 +990,7 @@ static gsi::Methods methods_QAbstractAudioDeviceInfo_Adaptor () { methods += new qt_gsi::GenericMethod ("supportedSampleSizes", "@hide", false, &_init_cbs_supportedSampleSizes_0_0, &_call_cbs_supportedSampleSizes_0_0, &_set_callback_cbs_supportedSampleSizes_0_0); methods += new qt_gsi::GenericMethod ("supportedSampleTypes", "@brief Virtual method QList QAbstractAudioDeviceInfo::supportedSampleTypes()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_supportedSampleTypes_0_0, &_call_cbs_supportedSampleTypes_0_0); methods += new qt_gsi::GenericMethod ("supportedSampleTypes", "@hide", false, &_init_cbs_supportedSampleTypes_0_0, &_call_cbs_supportedSampleTypes_0_0, &_set_callback_cbs_supportedSampleTypes_0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractAudioDeviceInfo::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractAudioDeviceInfo::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioInput.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioInput.cc index fdc8012e96..3487504d76 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioInput.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioInput.cc @@ -116,12 +116,12 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QAbstractAudioInput::errorChanged(QAudio::Error) +// void QAbstractAudioInput::errorChanged(QAudio::Error error) static void _init_f_errorChanged_1653 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("error"); decl->add_arg::target_type & > (argspec_0); decl->set_return (); } @@ -374,12 +374,12 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QAbstractAudioInput::stateChanged(QAudio::State) +// void QAbstractAudioInput::stateChanged(QAudio::State state) static void _init_f_stateChanged_1644 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("state"); decl->add_arg::target_type & > (argspec_0); decl->set_return (); } @@ -501,7 +501,7 @@ static gsi::Methods methods_QAbstractAudioInput () { methods += new qt_gsi::GenericMethod ("bytesReady", "@brief Method int QAbstractAudioInput::bytesReady()\n", true, &_init_f_bytesReady_c0, &_call_f_bytesReady_c0); methods += new qt_gsi::GenericMethod ("elapsedUSecs", "@brief Method qint64 QAbstractAudioInput::elapsedUSecs()\n", true, &_init_f_elapsedUSecs_c0, &_call_f_elapsedUSecs_c0); methods += new qt_gsi::GenericMethod ("error", "@brief Method QAudio::Error QAbstractAudioInput::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("errorChanged", "@brief Method void QAbstractAudioInput::errorChanged(QAudio::Error)\n", false, &_init_f_errorChanged_1653, &_call_f_errorChanged_1653); + methods += new qt_gsi::GenericMethod ("errorChanged", "@brief Method void QAbstractAudioInput::errorChanged(QAudio::Error error)\n", false, &_init_f_errorChanged_1653, &_call_f_errorChanged_1653); methods += new qt_gsi::GenericMethod (":format", "@brief Method QAudioFormat QAbstractAudioInput::format()\n", true, &_init_f_format_c0, &_call_f_format_c0); methods += new qt_gsi::GenericMethod ("notify", "@brief Method void QAbstractAudioInput::notify()\n", false, &_init_f_notify_0, &_call_f_notify_0); methods += new qt_gsi::GenericMethod (":notifyInterval", "@brief Method int QAbstractAudioInput::notifyInterval()\n", true, &_init_f_notifyInterval_c0, &_call_f_notifyInterval_c0); @@ -516,7 +516,7 @@ static gsi::Methods methods_QAbstractAudioInput () { methods += new qt_gsi::GenericMethod ("start", "@brief Method void QAbstractAudioInput::start(QIODevice *device)\n", false, &_init_f_start_1447, &_call_f_start_1447); methods += new qt_gsi::GenericMethod ("start", "@brief Method QIODevice *QAbstractAudioInput::start()\n", false, &_init_f_start_0, &_call_f_start_0); methods += new qt_gsi::GenericMethod ("state", "@brief Method QAudio::State QAbstractAudioInput::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QAbstractAudioInput::stateChanged(QAudio::State)\n", false, &_init_f_stateChanged_1644, &_call_f_stateChanged_1644); + methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QAbstractAudioInput::stateChanged(QAudio::State state)\n", false, &_init_f_stateChanged_1644, &_call_f_stateChanged_1644); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QAbstractAudioInput::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); methods += new qt_gsi::GenericMethod ("suspend", "@brief Method void QAbstractAudioInput::suspend()\n", false, &_init_f_suspend_0, &_call_f_suspend_0); methods += new qt_gsi::GenericMethod (":volume", "@brief Method double QAbstractAudioInput::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); @@ -628,33 +628,33 @@ class QAbstractAudioInput_Adaptor : public QAbstractAudioInput, public qt_gsi::Q } } - // [adaptor impl] bool QAbstractAudioInput::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAbstractAudioInput::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAbstractAudioInput::event(arg1); + return QAbstractAudioInput::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAbstractAudioInput_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAbstractAudioInput_Adaptor::cbs_event_1217_0, _event); } else { - return QAbstractAudioInput::event(arg1); + return QAbstractAudioInput::event(_event); } } - // [adaptor impl] bool QAbstractAudioInput::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractAudioInput::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractAudioInput::eventFilter(arg1, arg2); + return QAbstractAudioInput::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractAudioInput_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractAudioInput_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractAudioInput::eventFilter(arg1, arg2); + return QAbstractAudioInput::eventFilter(watched, event); } } @@ -903,33 +903,33 @@ class QAbstractAudioInput_Adaptor : public QAbstractAudioInput, public qt_gsi::Q } } - // [adaptor impl] void QAbstractAudioInput::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractAudioInput::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractAudioInput::childEvent(arg1); + QAbstractAudioInput::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractAudioInput_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractAudioInput_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractAudioInput::childEvent(arg1); + QAbstractAudioInput::childEvent(event); } } - // [adaptor impl] void QAbstractAudioInput::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractAudioInput::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractAudioInput::customEvent(arg1); + QAbstractAudioInput::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractAudioInput_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractAudioInput_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractAudioInput::customEvent(arg1); + QAbstractAudioInput::customEvent(event); } } @@ -948,18 +948,18 @@ class QAbstractAudioInput_Adaptor : public QAbstractAudioInput, public qt_gsi::Q } } - // [adaptor impl] void QAbstractAudioInput::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAbstractAudioInput::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAbstractAudioInput::timerEvent(arg1); + QAbstractAudioInput::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAbstractAudioInput_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAbstractAudioInput_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAbstractAudioInput::timerEvent(arg1); + QAbstractAudioInput::timerEvent(event); } } @@ -1045,11 +1045,11 @@ static void _set_callback_cbs_bytesReady_c0_0 (void *cls, const gsi::Callback &c } -// void QAbstractAudioInput::childEvent(QChildEvent *) +// void QAbstractAudioInput::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1069,11 +1069,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAbstractAudioInput::customEvent(QEvent *) +// void QAbstractAudioInput::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1155,11 +1155,11 @@ static void _set_callback_cbs_error_c0_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractAudioInput::event(QEvent *) +// bool QAbstractAudioInput::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1178,13 +1178,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractAudioInput::eventFilter(QObject *, QEvent *) +// bool QAbstractAudioInput::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1582,11 +1582,11 @@ static void _set_callback_cbs_suspend_0_0 (void *cls, const gsi::Callback &cb) } -// void QAbstractAudioInput::timerEvent(QTimerEvent *) +// void QAbstractAudioInput::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1637,9 +1637,9 @@ static gsi::Methods methods_QAbstractAudioInput_Adaptor () { methods += new qt_gsi::GenericMethod ("bufferSize", "@hide", true, &_init_cbs_bufferSize_c0_0, &_call_cbs_bufferSize_c0_0, &_set_callback_cbs_bufferSize_c0_0); methods += new qt_gsi::GenericMethod ("bytesReady", "@brief Virtual method int QAbstractAudioInput::bytesReady()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_bytesReady_c0_0, &_call_cbs_bytesReady_c0_0); methods += new qt_gsi::GenericMethod ("bytesReady", "@hide", true, &_init_cbs_bytesReady_c0_0, &_call_cbs_bytesReady_c0_0, &_set_callback_cbs_bytesReady_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractAudioInput::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractAudioInput::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractAudioInput::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractAudioInput::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractAudioInput::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); @@ -1647,9 +1647,9 @@ static gsi::Methods methods_QAbstractAudioInput_Adaptor () { methods += new qt_gsi::GenericMethod ("elapsedUSecs", "@hide", true, &_init_cbs_elapsedUSecs_c0_0, &_call_cbs_elapsedUSecs_c0_0, &_set_callback_cbs_elapsedUSecs_c0_0); methods += new qt_gsi::GenericMethod ("error", "@brief Virtual method QAudio::Error QAbstractAudioInput::error()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_error_c0_0, &_call_cbs_error_c0_0); methods += new qt_gsi::GenericMethod ("error", "@hide", true, &_init_cbs_error_c0_0, &_call_cbs_error_c0_0, &_set_callback_cbs_error_c0_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractAudioInput::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractAudioInput::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractAudioInput::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractAudioInput::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("format", "@brief Virtual method QAudioFormat QAbstractAudioInput::format()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_format_c0_0, &_call_cbs_format_c0_0); methods += new qt_gsi::GenericMethod ("format", "@hide", true, &_init_cbs_format_c0_0, &_call_cbs_format_c0_0, &_set_callback_cbs_format_c0_0); @@ -1685,7 +1685,7 @@ static gsi::Methods methods_QAbstractAudioInput_Adaptor () { methods += new qt_gsi::GenericMethod ("stop", "@hide", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0, &_set_callback_cbs_stop_0_0); methods += new qt_gsi::GenericMethod ("suspend", "@brief Virtual method void QAbstractAudioInput::suspend()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_suspend_0_0, &_call_cbs_suspend_0_0); methods += new qt_gsi::GenericMethod ("suspend", "@hide", false, &_init_cbs_suspend_0_0, &_call_cbs_suspend_0_0, &_set_callback_cbs_suspend_0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractAudioInput::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractAudioInput::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("volume", "@brief Virtual method double QAbstractAudioInput::volume()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_volume_c0_0, &_call_cbs_volume_c0_0); methods += new qt_gsi::GenericMethod ("volume", "@hide", true, &_init_cbs_volume_c0_0, &_call_cbs_volume_c0_0, &_set_callback_cbs_volume_c0_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioOutput.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioOutput.cc index c8841b1cd6..ee6f2ecb39 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioOutput.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioOutput.cc @@ -131,12 +131,12 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QAbstractAudioOutput::errorChanged(QAudio::Error) +// void QAbstractAudioOutput::errorChanged(QAudio::Error error) static void _init_f_errorChanged_1653 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("error"); decl->add_arg::target_type & > (argspec_0); decl->set_return (); } @@ -409,12 +409,12 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QAbstractAudioOutput::stateChanged(QAudio::State) +// void QAbstractAudioOutput::stateChanged(QAudio::State state) static void _init_f_stateChanged_1644 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("state"); decl->add_arg::target_type & > (argspec_0); decl->set_return (); } @@ -537,7 +537,7 @@ static gsi::Methods methods_QAbstractAudioOutput () { methods += new qt_gsi::GenericMethod (":category", "@brief Method QString QAbstractAudioOutput::category()\n", true, &_init_f_category_c0, &_call_f_category_c0); methods += new qt_gsi::GenericMethod ("elapsedUSecs", "@brief Method qint64 QAbstractAudioOutput::elapsedUSecs()\n", true, &_init_f_elapsedUSecs_c0, &_call_f_elapsedUSecs_c0); methods += new qt_gsi::GenericMethod ("error", "@brief Method QAudio::Error QAbstractAudioOutput::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("errorChanged", "@brief Method void QAbstractAudioOutput::errorChanged(QAudio::Error)\n", false, &_init_f_errorChanged_1653, &_call_f_errorChanged_1653); + methods += new qt_gsi::GenericMethod ("errorChanged", "@brief Method void QAbstractAudioOutput::errorChanged(QAudio::Error error)\n", false, &_init_f_errorChanged_1653, &_call_f_errorChanged_1653); methods += new qt_gsi::GenericMethod (":format", "@brief Method QAudioFormat QAbstractAudioOutput::format()\n", true, &_init_f_format_c0, &_call_f_format_c0); methods += new qt_gsi::GenericMethod ("notify", "@brief Method void QAbstractAudioOutput::notify()\n", false, &_init_f_notify_0, &_call_f_notify_0); methods += new qt_gsi::GenericMethod (":notifyInterval", "@brief Method int QAbstractAudioOutput::notifyInterval()\n", true, &_init_f_notifyInterval_c0, &_call_f_notifyInterval_c0); @@ -553,7 +553,7 @@ static gsi::Methods methods_QAbstractAudioOutput () { methods += new qt_gsi::GenericMethod ("start", "@brief Method void QAbstractAudioOutput::start(QIODevice *device)\n", false, &_init_f_start_1447, &_call_f_start_1447); methods += new qt_gsi::GenericMethod ("start", "@brief Method QIODevice *QAbstractAudioOutput::start()\n", false, &_init_f_start_0, &_call_f_start_0); methods += new qt_gsi::GenericMethod ("state", "@brief Method QAudio::State QAbstractAudioOutput::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QAbstractAudioOutput::stateChanged(QAudio::State)\n", false, &_init_f_stateChanged_1644, &_call_f_stateChanged_1644); + methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QAbstractAudioOutput::stateChanged(QAudio::State state)\n", false, &_init_f_stateChanged_1644, &_call_f_stateChanged_1644); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QAbstractAudioOutput::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); methods += new qt_gsi::GenericMethod ("suspend", "@brief Method void QAbstractAudioOutput::suspend()\n", false, &_init_f_suspend_0, &_call_f_suspend_0); methods += new qt_gsi::GenericMethod (":volume", "@brief Method double QAbstractAudioOutput::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); @@ -680,33 +680,33 @@ class QAbstractAudioOutput_Adaptor : public QAbstractAudioOutput, public qt_gsi: } } - // [adaptor impl] bool QAbstractAudioOutput::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAbstractAudioOutput::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAbstractAudioOutput::event(arg1); + return QAbstractAudioOutput::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAbstractAudioOutput_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAbstractAudioOutput_Adaptor::cbs_event_1217_0, _event); } else { - return QAbstractAudioOutput::event(arg1); + return QAbstractAudioOutput::event(_event); } } - // [adaptor impl] bool QAbstractAudioOutput::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractAudioOutput::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractAudioOutput::eventFilter(arg1, arg2); + return QAbstractAudioOutput::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractAudioOutput_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractAudioOutput_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractAudioOutput::eventFilter(arg1, arg2); + return QAbstractAudioOutput::eventFilter(watched, event); } } @@ -969,33 +969,33 @@ class QAbstractAudioOutput_Adaptor : public QAbstractAudioOutput, public qt_gsi: } } - // [adaptor impl] void QAbstractAudioOutput::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractAudioOutput::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractAudioOutput::childEvent(arg1); + QAbstractAudioOutput::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractAudioOutput_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractAudioOutput_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractAudioOutput::childEvent(arg1); + QAbstractAudioOutput::childEvent(event); } } - // [adaptor impl] void QAbstractAudioOutput::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractAudioOutput::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractAudioOutput::customEvent(arg1); + QAbstractAudioOutput::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractAudioOutput_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractAudioOutput_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractAudioOutput::customEvent(arg1); + QAbstractAudioOutput::customEvent(event); } } @@ -1014,18 +1014,18 @@ class QAbstractAudioOutput_Adaptor : public QAbstractAudioOutput, public qt_gsi: } } - // [adaptor impl] void QAbstractAudioOutput::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAbstractAudioOutput::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAbstractAudioOutput::timerEvent(arg1); + QAbstractAudioOutput::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAbstractAudioOutput_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAbstractAudioOutput_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAbstractAudioOutput::timerEvent(arg1); + QAbstractAudioOutput::timerEvent(event); } } @@ -1132,11 +1132,11 @@ static void _set_callback_cbs_category_c0_0 (void *cls, const gsi::Callback &cb) } -// void QAbstractAudioOutput::childEvent(QChildEvent *) +// void QAbstractAudioOutput::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1156,11 +1156,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAbstractAudioOutput::customEvent(QEvent *) +// void QAbstractAudioOutput::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1242,11 +1242,11 @@ static void _set_callback_cbs_error_c0_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractAudioOutput::event(QEvent *) +// bool QAbstractAudioOutput::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1265,13 +1265,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractAudioOutput::eventFilter(QObject *, QEvent *) +// bool QAbstractAudioOutput::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1693,11 +1693,11 @@ static void _set_callback_cbs_suspend_0_0 (void *cls, const gsi::Callback &cb) } -// void QAbstractAudioOutput::timerEvent(QTimerEvent *) +// void QAbstractAudioOutput::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1750,9 +1750,9 @@ static gsi::Methods methods_QAbstractAudioOutput_Adaptor () { methods += new qt_gsi::GenericMethod ("bytesFree", "@hide", true, &_init_cbs_bytesFree_c0_0, &_call_cbs_bytesFree_c0_0, &_set_callback_cbs_bytesFree_c0_0); methods += new qt_gsi::GenericMethod ("category", "@brief Virtual method QString QAbstractAudioOutput::category()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_category_c0_0, &_call_cbs_category_c0_0); methods += new qt_gsi::GenericMethod ("category", "@hide", true, &_init_cbs_category_c0_0, &_call_cbs_category_c0_0, &_set_callback_cbs_category_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractAudioOutput::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractAudioOutput::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractAudioOutput::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractAudioOutput::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractAudioOutput::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); @@ -1760,9 +1760,9 @@ static gsi::Methods methods_QAbstractAudioOutput_Adaptor () { methods += new qt_gsi::GenericMethod ("elapsedUSecs", "@hide", true, &_init_cbs_elapsedUSecs_c0_0, &_call_cbs_elapsedUSecs_c0_0, &_set_callback_cbs_elapsedUSecs_c0_0); methods += new qt_gsi::GenericMethod ("error", "@brief Virtual method QAudio::Error QAbstractAudioOutput::error()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_error_c0_0, &_call_cbs_error_c0_0); methods += new qt_gsi::GenericMethod ("error", "@hide", true, &_init_cbs_error_c0_0, &_call_cbs_error_c0_0, &_set_callback_cbs_error_c0_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractAudioOutput::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractAudioOutput::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractAudioOutput::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractAudioOutput::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("format", "@brief Virtual method QAudioFormat QAbstractAudioOutput::format()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_format_c0_0, &_call_cbs_format_c0_0); methods += new qt_gsi::GenericMethod ("format", "@hide", true, &_init_cbs_format_c0_0, &_call_cbs_format_c0_0, &_set_callback_cbs_format_c0_0); @@ -1800,7 +1800,7 @@ static gsi::Methods methods_QAbstractAudioOutput_Adaptor () { methods += new qt_gsi::GenericMethod ("stop", "@hide", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0, &_set_callback_cbs_stop_0_0); methods += new qt_gsi::GenericMethod ("suspend", "@brief Virtual method void QAbstractAudioOutput::suspend()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_suspend_0_0, &_call_cbs_suspend_0_0); methods += new qt_gsi::GenericMethod ("suspend", "@hide", false, &_init_cbs_suspend_0_0, &_call_cbs_suspend_0_0, &_set_callback_cbs_suspend_0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractAudioOutput::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractAudioOutput::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("volume", "@brief Virtual method double QAbstractAudioOutput::volume()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_volume_c0_0, &_call_cbs_volume_c0_0); methods += new qt_gsi::GenericMethod ("volume", "@hide", true, &_init_cbs_volume_c0_0, &_call_cbs_volume_c0_0, &_set_callback_cbs_volume_c0_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoFilter.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoFilter.cc index d34c9f8622..0211088875 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoFilter.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoFilter.cc @@ -250,63 +250,63 @@ class QAbstractVideoFilter_Adaptor : public QAbstractVideoFilter, public qt_gsi: } } - // [adaptor impl] bool QAbstractVideoFilter::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAbstractVideoFilter::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAbstractVideoFilter::event(arg1); + return QAbstractVideoFilter::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAbstractVideoFilter_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAbstractVideoFilter_Adaptor::cbs_event_1217_0, _event); } else { - return QAbstractVideoFilter::event(arg1); + return QAbstractVideoFilter::event(_event); } } - // [adaptor impl] bool QAbstractVideoFilter::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractVideoFilter::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractVideoFilter::eventFilter(arg1, arg2); + return QAbstractVideoFilter::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractVideoFilter_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractVideoFilter_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractVideoFilter::eventFilter(arg1, arg2); + return QAbstractVideoFilter::eventFilter(watched, event); } } - // [adaptor impl] void QAbstractVideoFilter::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractVideoFilter::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractVideoFilter::childEvent(arg1); + QAbstractVideoFilter::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractVideoFilter_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractVideoFilter_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractVideoFilter::childEvent(arg1); + QAbstractVideoFilter::childEvent(event); } } - // [adaptor impl] void QAbstractVideoFilter::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractVideoFilter::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractVideoFilter::customEvent(arg1); + QAbstractVideoFilter::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractVideoFilter_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractVideoFilter_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractVideoFilter::customEvent(arg1); + QAbstractVideoFilter::customEvent(event); } } @@ -325,18 +325,18 @@ class QAbstractVideoFilter_Adaptor : public QAbstractVideoFilter, public qt_gsi: } } - // [adaptor impl] void QAbstractVideoFilter::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAbstractVideoFilter::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAbstractVideoFilter::timerEvent(arg1); + QAbstractVideoFilter::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAbstractVideoFilter_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAbstractVideoFilter_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAbstractVideoFilter::timerEvent(arg1); + QAbstractVideoFilter::timerEvent(event); } } @@ -355,7 +355,7 @@ QAbstractVideoFilter_Adaptor::~QAbstractVideoFilter_Adaptor() { } static void _init_ctor_QAbstractVideoFilter_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -364,16 +364,16 @@ static void _call_ctor_QAbstractVideoFilter_Adaptor_1302 (const qt_gsi::GenericS { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAbstractVideoFilter_Adaptor (arg1)); } -// void QAbstractVideoFilter::childEvent(QChildEvent *) +// void QAbstractVideoFilter::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -412,11 +412,11 @@ static void _set_callback_cbs_createFilterRunnable_0_0 (void *cls, const gsi::Ca } -// void QAbstractVideoFilter::customEvent(QEvent *) +// void QAbstractVideoFilter::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -460,11 +460,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QAbstractVideoFilter::event(QEvent *) +// bool QAbstractVideoFilter::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -483,13 +483,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractVideoFilter::eventFilter(QObject *, QEvent *) +// bool QAbstractVideoFilter::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -573,11 +573,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QAbstractVideoFilter::timerEvent(QTimerEvent *) +// void QAbstractVideoFilter::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -605,23 +605,23 @@ gsi::Class &qtdecl_QAbstractVideoFilter (); static gsi::Methods methods_QAbstractVideoFilter_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractVideoFilter::QAbstractVideoFilter(QObject *parent)\nThis method creates an object of class QAbstractVideoFilter.", &_init_ctor_QAbstractVideoFilter_Adaptor_1302, &_call_ctor_QAbstractVideoFilter_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractVideoFilter::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractVideoFilter::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("createFilterRunnable", "@brief Virtual method QVideoFilterRunnable *QAbstractVideoFilter::createFilterRunnable()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_createFilterRunnable_0_0, &_call_cbs_createFilterRunnable_0_0); methods += new qt_gsi::GenericMethod ("createFilterRunnable", "@hide", false, &_init_cbs_createFilterRunnable_0_0, &_call_cbs_createFilterRunnable_0_0, &_set_callback_cbs_createFilterRunnable_0_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractVideoFilter::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractVideoFilter::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractVideoFilter::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractVideoFilter::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractVideoFilter::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractVideoFilter::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractVideoFilter::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAbstractVideoFilter::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAbstractVideoFilter::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAbstractVideoFilter::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAbstractVideoFilter::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractVideoFilter::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractVideoFilter::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoSurface.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoSurface.cc index fc8d87b2b5..e2f8ea7c0c 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoSurface.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoSurface.cc @@ -141,12 +141,12 @@ static void _call_f_nativeResolution_c0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QAbstractVideoSurface::nativeResolutionChanged(const QSize &) +// void QAbstractVideoSurface::nativeResolutionChanged(const QSize &resolution) static void _init_f_nativeResolutionChanged_1805 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("resolution"); decl->add_arg (argspec_0); decl->set_return (); } @@ -250,12 +250,12 @@ static void _call_f_supportedFormatsChanged_0 (const qt_gsi::GenericMethod * /*d } -// QList QAbstractVideoSurface::supportedPixelFormats(QAbstractVideoBuffer::HandleType handleType) +// QList QAbstractVideoSurface::supportedPixelFormats(QAbstractVideoBuffer::HandleType type) static void _init_f_supportedPixelFormats_c3564 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("handleType", true, "QAbstractVideoBuffer::NoHandle"); + static gsi::ArgSpecBase argspec_0 ("type", true, "QAbstractVideoBuffer::NoHandle"); decl->add_arg::target_type & > (argspec_0); decl->set_return > (); } @@ -365,13 +365,13 @@ static gsi::Methods methods_QAbstractVideoSurface () { methods += new qt_gsi::GenericMethod ("isActive?", "@brief Method bool QAbstractVideoSurface::isActive()\n", true, &_init_f_isActive_c0, &_call_f_isActive_c0); methods += new qt_gsi::GenericMethod ("isFormatSupported?", "@brief Method bool QAbstractVideoSurface::isFormatSupported(const QVideoSurfaceFormat &format)\n", true, &_init_f_isFormatSupported_c3227, &_call_f_isFormatSupported_c3227); methods += new qt_gsi::GenericMethod (":nativeResolution", "@brief Method QSize QAbstractVideoSurface::nativeResolution()\n", true, &_init_f_nativeResolution_c0, &_call_f_nativeResolution_c0); - methods += new qt_gsi::GenericMethod ("nativeResolutionChanged", "@brief Method void QAbstractVideoSurface::nativeResolutionChanged(const QSize &)\n", false, &_init_f_nativeResolutionChanged_1805, &_call_f_nativeResolutionChanged_1805); + methods += new qt_gsi::GenericMethod ("nativeResolutionChanged", "@brief Method void QAbstractVideoSurface::nativeResolutionChanged(const QSize &resolution)\n", false, &_init_f_nativeResolutionChanged_1805, &_call_f_nativeResolutionChanged_1805); methods += new qt_gsi::GenericMethod ("nearestFormat", "@brief Method QVideoSurfaceFormat QAbstractVideoSurface::nearestFormat(const QVideoSurfaceFormat &format)\n", true, &_init_f_nearestFormat_c3227, &_call_f_nearestFormat_c3227); methods += new qt_gsi::GenericMethod ("present", "@brief Method bool QAbstractVideoSurface::present(const QVideoFrame &frame)\n", false, &_init_f_present_2388, &_call_f_present_2388); methods += new qt_gsi::GenericMethod ("start", "@brief Method bool QAbstractVideoSurface::start(const QVideoSurfaceFormat &format)\n", false, &_init_f_start_3227, &_call_f_start_3227); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QAbstractVideoSurface::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); methods += new qt_gsi::GenericMethod ("supportedFormatsChanged", "@brief Method void QAbstractVideoSurface::supportedFormatsChanged()\n", false, &_init_f_supportedFormatsChanged_0, &_call_f_supportedFormatsChanged_0); - methods += new qt_gsi::GenericMethod ("supportedPixelFormats", "@brief Method QList QAbstractVideoSurface::supportedPixelFormats(QAbstractVideoBuffer::HandleType handleType)\n", true, &_init_f_supportedPixelFormats_c3564, &_call_f_supportedPixelFormats_c3564); + methods += new qt_gsi::GenericMethod ("supportedPixelFormats", "@brief Method QList QAbstractVideoSurface::supportedPixelFormats(QAbstractVideoBuffer::HandleType type)\n", true, &_init_f_supportedPixelFormats_c3564, &_call_f_supportedPixelFormats_c3564); methods += new qt_gsi::GenericMethod ("surfaceFormat", "@brief Method QVideoSurfaceFormat QAbstractVideoSurface::surfaceFormat()\n", true, &_init_f_surfaceFormat_c0, &_call_f_surfaceFormat_c0); methods += new qt_gsi::GenericMethod ("surfaceFormatChanged", "@brief Method void QAbstractVideoSurface::surfaceFormatChanged(const QVideoSurfaceFormat &format)\n", false, &_init_f_surfaceFormatChanged_3227, &_call_f_surfaceFormatChanged_3227); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAbstractVideoSurface::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); @@ -438,33 +438,33 @@ class QAbstractVideoSurface_Adaptor : public QAbstractVideoSurface, public qt_gs QAbstractVideoSurface::setNativeResolution(resolution); } - // [adaptor impl] bool QAbstractVideoSurface::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAbstractVideoSurface::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAbstractVideoSurface::event(arg1); + return QAbstractVideoSurface::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAbstractVideoSurface_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAbstractVideoSurface_Adaptor::cbs_event_1217_0, _event); } else { - return QAbstractVideoSurface::event(arg1); + return QAbstractVideoSurface::event(_event); } } - // [adaptor impl] bool QAbstractVideoSurface::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractVideoSurface::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractVideoSurface::eventFilter(arg1, arg2); + return QAbstractVideoSurface::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractVideoSurface_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractVideoSurface_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractVideoSurface::eventFilter(arg1, arg2); + return QAbstractVideoSurface::eventFilter(watched, event); } } @@ -544,49 +544,49 @@ class QAbstractVideoSurface_Adaptor : public QAbstractVideoSurface, public qt_gs } } - // [adaptor impl] QList QAbstractVideoSurface::supportedPixelFormats(QAbstractVideoBuffer::HandleType handleType) - QList cbs_supportedPixelFormats_c3564_1(const qt_gsi::Converter::target_type & handleType) const + // [adaptor impl] QList QAbstractVideoSurface::supportedPixelFormats(QAbstractVideoBuffer::HandleType type) + QList cbs_supportedPixelFormats_c3564_1(const qt_gsi::Converter::target_type & type) const { - __SUPPRESS_UNUSED_WARNING (handleType); + __SUPPRESS_UNUSED_WARNING (type); throw qt_gsi::AbstractMethodCalledException("supportedPixelFormats"); } - virtual QList supportedPixelFormats(QAbstractVideoBuffer::HandleType handleType) const + virtual QList supportedPixelFormats(QAbstractVideoBuffer::HandleType type) const { if (cb_supportedPixelFormats_c3564_1.can_issue()) { - return cb_supportedPixelFormats_c3564_1.issue, const qt_gsi::Converter::target_type &>(&QAbstractVideoSurface_Adaptor::cbs_supportedPixelFormats_c3564_1, qt_gsi::CppToQtAdaptor(handleType)); + return cb_supportedPixelFormats_c3564_1.issue, const qt_gsi::Converter::target_type &>(&QAbstractVideoSurface_Adaptor::cbs_supportedPixelFormats_c3564_1, qt_gsi::CppToQtAdaptor(type)); } else { throw qt_gsi::AbstractMethodCalledException("supportedPixelFormats"); } } - // [adaptor impl] void QAbstractVideoSurface::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractVideoSurface::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractVideoSurface::childEvent(arg1); + QAbstractVideoSurface::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractVideoSurface_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractVideoSurface_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractVideoSurface::childEvent(arg1); + QAbstractVideoSurface::childEvent(event); } } - // [adaptor impl] void QAbstractVideoSurface::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractVideoSurface::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractVideoSurface::customEvent(arg1); + QAbstractVideoSurface::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractVideoSurface_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractVideoSurface_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractVideoSurface::customEvent(arg1); + QAbstractVideoSurface::customEvent(event); } } @@ -605,18 +605,18 @@ class QAbstractVideoSurface_Adaptor : public QAbstractVideoSurface, public qt_gs } } - // [adaptor impl] void QAbstractVideoSurface::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAbstractVideoSurface::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAbstractVideoSurface::timerEvent(arg1); + QAbstractVideoSurface::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAbstractVideoSurface_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAbstractVideoSurface_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAbstractVideoSurface::timerEvent(arg1); + QAbstractVideoSurface::timerEvent(event); } } @@ -640,7 +640,7 @@ QAbstractVideoSurface_Adaptor::~QAbstractVideoSurface_Adaptor() { } static void _init_ctor_QAbstractVideoSurface_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -649,16 +649,16 @@ static void _call_ctor_QAbstractVideoSurface_Adaptor_1302 (const qt_gsi::Generic { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAbstractVideoSurface_Adaptor (arg1)); } -// void QAbstractVideoSurface::childEvent(QChildEvent *) +// void QAbstractVideoSurface::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -678,11 +678,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAbstractVideoSurface::customEvent(QEvent *) +// void QAbstractVideoSurface::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -726,11 +726,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QAbstractVideoSurface::event(QEvent *) +// bool QAbstractVideoSurface::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -749,13 +749,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractVideoSurface::eventFilter(QObject *, QEvent *) +// bool QAbstractVideoSurface::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -989,11 +989,11 @@ static void _set_callback_cbs_stop_0_0 (void *cls, const gsi::Callback &cb) } -// QList QAbstractVideoSurface::supportedPixelFormats(QAbstractVideoBuffer::HandleType handleType) +// QList QAbstractVideoSurface::supportedPixelFormats(QAbstractVideoBuffer::HandleType type) static void _init_cbs_supportedPixelFormats_c3564_1 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("handleType"); + static gsi::ArgSpecBase argspec_0 ("type"); decl->add_arg::target_type & > (argspec_0); decl->set_return > (); } @@ -1012,11 +1012,11 @@ static void _set_callback_cbs_supportedPixelFormats_c3564_1 (void *cls, const gs } -// void QAbstractVideoSurface::timerEvent(QTimerEvent *) +// void QAbstractVideoSurface::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1044,15 +1044,15 @@ gsi::Class &qtdecl_QAbstractVideoSurface (); static gsi::Methods methods_QAbstractVideoSurface_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractVideoSurface::QAbstractVideoSurface(QObject *parent)\nThis method creates an object of class QAbstractVideoSurface.", &_init_ctor_QAbstractVideoSurface_Adaptor_1302, &_call_ctor_QAbstractVideoSurface_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractVideoSurface::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractVideoSurface::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractVideoSurface::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractVideoSurface::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractVideoSurface::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractVideoSurface::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractVideoSurface::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractVideoSurface::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractVideoSurface::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isFormatSupported", "@brief Virtual method bool QAbstractVideoSurface::isFormatSupported(const QVideoSurfaceFormat &format)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isFormatSupported_c3227_0, &_call_cbs_isFormatSupported_c3227_0); methods += new qt_gsi::GenericMethod ("isFormatSupported", "@hide", true, &_init_cbs_isFormatSupported_c3227_0, &_call_cbs_isFormatSupported_c3227_0, &_set_callback_cbs_isFormatSupported_c3227_0); @@ -1070,9 +1070,9 @@ static gsi::Methods methods_QAbstractVideoSurface_Adaptor () { methods += new qt_gsi::GenericMethod ("start", "@hide", false, &_init_cbs_start_3227_0, &_call_cbs_start_3227_0, &_set_callback_cbs_start_3227_0); methods += new qt_gsi::GenericMethod ("stop", "@brief Virtual method void QAbstractVideoSurface::stop()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0); methods += new qt_gsi::GenericMethod ("stop", "@hide", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0, &_set_callback_cbs_stop_0_0); - methods += new qt_gsi::GenericMethod ("supportedPixelFormats", "@brief Virtual method QList QAbstractVideoSurface::supportedPixelFormats(QAbstractVideoBuffer::HandleType handleType)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedPixelFormats_c3564_1, &_call_cbs_supportedPixelFormats_c3564_1); + methods += new qt_gsi::GenericMethod ("supportedPixelFormats", "@brief Virtual method QList QAbstractVideoSurface::supportedPixelFormats(QAbstractVideoBuffer::HandleType type)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedPixelFormats_c3564_1, &_call_cbs_supportedPixelFormats_c3564_1); methods += new qt_gsi::GenericMethod ("supportedPixelFormats", "@hide", true, &_init_cbs_supportedPixelFormats_c3564_1, &_call_cbs_supportedPixelFormats_c3564_1, &_set_callback_cbs_supportedPixelFormats_c3564_1); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractVideoSurface::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractVideoSurface::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudio.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudio.cc index 28b39c5c1a..221602afbe 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudio.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudio.cc @@ -88,6 +88,35 @@ static gsi::ClassExt decl_QAudio_Mode_Enums_as_child (decl_QAu } +// Implementation of the enum wrapper class for QAudio::Role +namespace qt_gsi +{ + +static gsi::Enum decl_QAudio_Role_Enum ("QtMultimedia", "QAudio_Role", + gsi::enum_const ("UnknownRole", QAudio::UnknownRole, "@brief Enum constant QAudio::UnknownRole") + + gsi::enum_const ("MusicRole", QAudio::MusicRole, "@brief Enum constant QAudio::MusicRole") + + gsi::enum_const ("VideoRole", QAudio::VideoRole, "@brief Enum constant QAudio::VideoRole") + + gsi::enum_const ("VoiceCommunicationRole", QAudio::VoiceCommunicationRole, "@brief Enum constant QAudio::VoiceCommunicationRole") + + gsi::enum_const ("AlarmRole", QAudio::AlarmRole, "@brief Enum constant QAudio::AlarmRole") + + gsi::enum_const ("NotificationRole", QAudio::NotificationRole, "@brief Enum constant QAudio::NotificationRole") + + gsi::enum_const ("RingtoneRole", QAudio::RingtoneRole, "@brief Enum constant QAudio::RingtoneRole") + + gsi::enum_const ("AccessibilityRole", QAudio::AccessibilityRole, "@brief Enum constant QAudio::AccessibilityRole") + + gsi::enum_const ("SonificationRole", QAudio::SonificationRole, "@brief Enum constant QAudio::SonificationRole") + + gsi::enum_const ("GameRole", QAudio::GameRole, "@brief Enum constant QAudio::GameRole") + + gsi::enum_const ("CustomRole", QAudio::CustomRole, "@brief Enum constant QAudio::CustomRole"), + "@qt\n@brief This class represents the QAudio::Role enum"); + +static gsi::QFlagsClass decl_QAudio_Role_Enums ("QtMultimedia", "QAudio_QFlags_Role", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_QAudio_Role_Enum_in_parent (decl_QAudio_Role_Enum.defs ()); +static gsi::ClassExt decl_QAudio_Role_Enum_as_child (decl_QAudio_Role_Enum, "Role"); +static gsi::ClassExt decl_QAudio_Role_Enums_as_child (decl_QAudio_Role_Enums, "QFlags_Role"); + +} + + // Implementation of the enum wrapper class for QAudio::State namespace qt_gsi { @@ -96,7 +125,8 @@ static gsi::Enum decl_QAudio_State_Enum ("QtMultimedia", "QAudio_ gsi::enum_const ("ActiveState", QAudio::ActiveState, "@brief Enum constant QAudio::ActiveState") + gsi::enum_const ("SuspendedState", QAudio::SuspendedState, "@brief Enum constant QAudio::SuspendedState") + gsi::enum_const ("StoppedState", QAudio::StoppedState, "@brief Enum constant QAudio::StoppedState") + - gsi::enum_const ("IdleState", QAudio::IdleState, "@brief Enum constant QAudio::IdleState"), + gsi::enum_const ("IdleState", QAudio::IdleState, "@brief Enum constant QAudio::IdleState") + + gsi::enum_const ("InterruptedState", QAudio::InterruptedState, "@brief Enum constant QAudio::InterruptedState"), "@qt\n@brief This class represents the QAudio::State enum"); static gsi::QFlagsClass decl_QAudio_State_Enums ("QtMultimedia", "QAudio_QFlags_State", @@ -109,3 +139,25 @@ static gsi::ClassExt decl_QAudio_State_Enums_as_child (decl_QA } + +// Implementation of the enum wrapper class for QAudio::VolumeScale +namespace qt_gsi +{ + +static gsi::Enum decl_QAudio_VolumeScale_Enum ("QtMultimedia", "QAudio_VolumeScale", + gsi::enum_const ("LinearVolumeScale", QAudio::LinearVolumeScale, "@brief Enum constant QAudio::LinearVolumeScale") + + gsi::enum_const ("CubicVolumeScale", QAudio::CubicVolumeScale, "@brief Enum constant QAudio::CubicVolumeScale") + + gsi::enum_const ("LogarithmicVolumeScale", QAudio::LogarithmicVolumeScale, "@brief Enum constant QAudio::LogarithmicVolumeScale") + + gsi::enum_const ("DecibelVolumeScale", QAudio::DecibelVolumeScale, "@brief Enum constant QAudio::DecibelVolumeScale"), + "@qt\n@brief This class represents the QAudio::VolumeScale enum"); + +static gsi::QFlagsClass decl_QAudio_VolumeScale_Enums ("QtMultimedia", "QAudio_QFlags_VolumeScale", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_QAudio_VolumeScale_Enum_in_parent (decl_QAudio_VolumeScale_Enum.defs ()); +static gsi::ClassExt decl_QAudio_VolumeScale_Enum_as_child (decl_QAudio_VolumeScale_Enum, "VolumeScale"); +static gsi::ClassExt decl_QAudio_VolumeScale_Enums_as_child (decl_QAudio_VolumeScale_Enums, "QFlags_VolumeScale"); + +} + diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoder.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoder.cc index 956f19ef35..29c8b558cb 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoder.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoder.cc @@ -646,8 +646,8 @@ class QAudioDecoder_Adaptor : public QAudioDecoder, public qt_gsi::QtObjectBase qt_gsi::QtObjectBase::init (this); } - // [expose] void QAudioDecoder::addPropertyWatch(QByteArray const &name) - void fp_QAudioDecoder_addPropertyWatch_2309 (QByteArray const &name) { + // [expose] void QAudioDecoder::addPropertyWatch(const QByteArray &name) + void fp_QAudioDecoder_addPropertyWatch_2309 (const QByteArray &name) { QAudioDecoder::addPropertyWatch(name); } @@ -661,8 +661,8 @@ class QAudioDecoder_Adaptor : public QAudioDecoder, public qt_gsi::QtObjectBase return QAudioDecoder::receivers(signal); } - // [expose] void QAudioDecoder::removePropertyWatch(QByteArray const &name) - void fp_QAudioDecoder_removePropertyWatch_2309 (QByteArray const &name) { + // [expose] void QAudioDecoder::removePropertyWatch(const QByteArray &name) + void fp_QAudioDecoder_removePropertyWatch_2309 (const QByteArray &name) { QAudioDecoder::removePropertyWatch(name); } @@ -706,33 +706,33 @@ class QAudioDecoder_Adaptor : public QAudioDecoder, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QAudioDecoder::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAudioDecoder::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAudioDecoder::event(arg1); + return QAudioDecoder::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAudioDecoder_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAudioDecoder_Adaptor::cbs_event_1217_0, _event); } else { - return QAudioDecoder::event(arg1); + return QAudioDecoder::event(_event); } } - // [adaptor impl] bool QAudioDecoder::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAudioDecoder::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAudioDecoder::eventFilter(arg1, arg2); + return QAudioDecoder::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAudioDecoder_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAudioDecoder_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAudioDecoder::eventFilter(arg1, arg2); + return QAudioDecoder::eventFilter(watched, event); } } @@ -781,33 +781,33 @@ class QAudioDecoder_Adaptor : public QAudioDecoder, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QAudioDecoder::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAudioDecoder::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAudioDecoder::childEvent(arg1); + QAudioDecoder::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAudioDecoder_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAudioDecoder_Adaptor::cbs_childEvent_1701_0, event); } else { - QAudioDecoder::childEvent(arg1); + QAudioDecoder::childEvent(event); } } - // [adaptor impl] void QAudioDecoder::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAudioDecoder::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAudioDecoder::customEvent(arg1); + QAudioDecoder::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAudioDecoder_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAudioDecoder_Adaptor::cbs_customEvent_1217_0, event); } else { - QAudioDecoder::customEvent(arg1); + QAudioDecoder::customEvent(event); } } @@ -826,18 +826,18 @@ class QAudioDecoder_Adaptor : public QAudioDecoder, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QAudioDecoder::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAudioDecoder::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAudioDecoder::timerEvent(arg1); + QAudioDecoder::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAudioDecoder_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAudioDecoder_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAudioDecoder::timerEvent(arg1); + QAudioDecoder::timerEvent(event); } } @@ -860,7 +860,7 @@ QAudioDecoder_Adaptor::~QAudioDecoder_Adaptor() { } static void _init_ctor_QAudioDecoder_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -869,17 +869,17 @@ static void _call_ctor_QAudioDecoder_Adaptor_1302 (const qt_gsi::GenericStaticMe { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAudioDecoder_Adaptor (arg1)); } -// exposed void QAudioDecoder::addPropertyWatch(QByteArray const &name) +// exposed void QAudioDecoder::addPropertyWatch(const QByteArray &name) static void _init_fp_addPropertyWatch_2309 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); + decl->add_arg (argspec_0); decl->set_return (); } @@ -887,7 +887,7 @@ static void _call_fp_addPropertyWatch_2309 (const qt_gsi::GenericMethod * /*decl { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QByteArray const &arg1 = gsi::arg_reader() (args, heap); + const QByteArray &arg1 = gsi::arg_reader() (args, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QAudioDecoder_Adaptor *)cls)->fp_QAudioDecoder_addPropertyWatch_2309 (arg1); } @@ -935,11 +935,11 @@ static void _set_callback_cbs_bind_1302_0 (void *cls, const gsi::Callback &cb) } -// void QAudioDecoder::childEvent(QChildEvent *) +// void QAudioDecoder::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -959,11 +959,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAudioDecoder::customEvent(QEvent *) +// void QAudioDecoder::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1007,11 +1007,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QAudioDecoder::event(QEvent *) +// bool QAudioDecoder::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1030,13 +1030,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAudioDecoder::eventFilter(QObject *, QEvent *) +// bool QAudioDecoder::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1111,12 +1111,12 @@ static void _call_fp_receivers_c1731 (const qt_gsi::GenericMethod * /*decl*/, vo } -// exposed void QAudioDecoder::removePropertyWatch(QByteArray const &name) +// exposed void QAudioDecoder::removePropertyWatch(const QByteArray &name) static void _init_fp_removePropertyWatch_2309 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); + decl->add_arg (argspec_0); decl->set_return (); } @@ -1124,7 +1124,7 @@ static void _call_fp_removePropertyWatch_2309 (const qt_gsi::GenericMethod * /*d { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QByteArray const &arg1 = gsi::arg_reader() (args, heap); + const QByteArray &arg1 = gsi::arg_reader() (args, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QAudioDecoder_Adaptor *)cls)->fp_QAudioDecoder_removePropertyWatch_2309 (arg1); } @@ -1177,11 +1177,11 @@ static void _set_callback_cbs_service_c0_0 (void *cls, const gsi::Callback &cb) } -// void QAudioDecoder::timerEvent(QTimerEvent *) +// void QAudioDecoder::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1233,31 +1233,31 @@ gsi::Class &qtdecl_QAudioDecoder (); static gsi::Methods methods_QAudioDecoder_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAudioDecoder::QAudioDecoder(QObject *parent)\nThis method creates an object of class QAudioDecoder.", &_init_ctor_QAudioDecoder_Adaptor_1302, &_call_ctor_QAudioDecoder_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*addPropertyWatch", "@brief Method void QAudioDecoder::addPropertyWatch(QByteArray const &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_addPropertyWatch_2309, &_call_fp_addPropertyWatch_2309); + methods += new qt_gsi::GenericMethod ("*addPropertyWatch", "@brief Method void QAudioDecoder::addPropertyWatch(const QByteArray &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_addPropertyWatch_2309, &_call_fp_addPropertyWatch_2309); methods += new qt_gsi::GenericMethod ("availability", "@brief Virtual method QMultimedia::AvailabilityStatus QAudioDecoder::availability()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0); methods += new qt_gsi::GenericMethod ("availability", "@hide", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0, &_set_callback_cbs_availability_c0_0); methods += new qt_gsi::GenericMethod ("bind", "@brief Virtual method bool QAudioDecoder::bind(QObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_bind_1302_0, &_call_cbs_bind_1302_0); methods += new qt_gsi::GenericMethod ("bind", "@hide", false, &_init_cbs_bind_1302_0, &_call_cbs_bind_1302_0, &_set_callback_cbs_bind_1302_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioDecoder::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioDecoder::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioDecoder::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioDecoder::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioDecoder::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioDecoder::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioDecoder::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioDecoder::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioDecoder::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isAvailable", "@brief Virtual method bool QAudioDecoder::isAvailable()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isAvailable_c0_0, &_call_cbs_isAvailable_c0_0); methods += new qt_gsi::GenericMethod ("isAvailable", "@hide", true, &_init_cbs_isAvailable_c0_0, &_call_cbs_isAvailable_c0_0, &_set_callback_cbs_isAvailable_c0_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioDecoder::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioDecoder::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); - methods += new qt_gsi::GenericMethod ("*removePropertyWatch", "@brief Method void QAudioDecoder::removePropertyWatch(QByteArray const &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_removePropertyWatch_2309, &_call_fp_removePropertyWatch_2309); + methods += new qt_gsi::GenericMethod ("*removePropertyWatch", "@brief Method void QAudioDecoder::removePropertyWatch(const QByteArray &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_removePropertyWatch_2309, &_call_fp_removePropertyWatch_2309); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioDecoder::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioDecoder::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("service", "@brief Virtual method QMediaService *QAudioDecoder::service()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_service_c0_0, &_call_cbs_service_c0_0); methods += new qt_gsi::GenericMethod ("service", "@hide", true, &_init_cbs_service_c0_0, &_call_cbs_service_c0_0, &_set_callback_cbs_service_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioDecoder::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioDecoder::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("unbind", "@brief Virtual method void QAudioDecoder::unbind(QObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_unbind_1302_0, &_call_cbs_unbind_1302_0); methods += new qt_gsi::GenericMethod ("unbind", "@hide", false, &_init_cbs_unbind_1302_0, &_call_cbs_unbind_1302_0, &_set_callback_cbs_unbind_1302_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoderControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoderControl.cc index 7a1ecb7147..48a6354f0b 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoderControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoderControl.cc @@ -611,33 +611,33 @@ class QAudioDecoderControl_Adaptor : public QAudioDecoderControl, public qt_gsi: } } - // [adaptor impl] bool QAudioDecoderControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAudioDecoderControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAudioDecoderControl::event(arg1); + return QAudioDecoderControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAudioDecoderControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAudioDecoderControl_Adaptor::cbs_event_1217_0, _event); } else { - return QAudioDecoderControl::event(arg1); + return QAudioDecoderControl::event(_event); } } - // [adaptor impl] bool QAudioDecoderControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAudioDecoderControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAudioDecoderControl::eventFilter(arg1, arg2); + return QAudioDecoderControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAudioDecoderControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAudioDecoderControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAudioDecoderControl::eventFilter(arg1, arg2); + return QAudioDecoderControl::eventFilter(watched, event); } } @@ -794,33 +794,33 @@ class QAudioDecoderControl_Adaptor : public QAudioDecoderControl, public qt_gsi: } } - // [adaptor impl] void QAudioDecoderControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAudioDecoderControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAudioDecoderControl::childEvent(arg1); + QAudioDecoderControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAudioDecoderControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAudioDecoderControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QAudioDecoderControl::childEvent(arg1); + QAudioDecoderControl::childEvent(event); } } - // [adaptor impl] void QAudioDecoderControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAudioDecoderControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAudioDecoderControl::customEvent(arg1); + QAudioDecoderControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAudioDecoderControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAudioDecoderControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QAudioDecoderControl::customEvent(arg1); + QAudioDecoderControl::customEvent(event); } } @@ -839,18 +839,18 @@ class QAudioDecoderControl_Adaptor : public QAudioDecoderControl, public qt_gsi: } } - // [adaptor impl] void QAudioDecoderControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAudioDecoderControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAudioDecoderControl::timerEvent(arg1); + QAudioDecoderControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAudioDecoderControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAudioDecoderControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAudioDecoderControl::timerEvent(arg1); + QAudioDecoderControl::timerEvent(event); } } @@ -929,11 +929,11 @@ static void _set_callback_cbs_bufferAvailable_c0_0 (void *cls, const gsi::Callba } -// void QAudioDecoderControl::childEvent(QChildEvent *) +// void QAudioDecoderControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -953,11 +953,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAudioDecoderControl::customEvent(QEvent *) +// void QAudioDecoderControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1020,11 +1020,11 @@ static void _set_callback_cbs_duration_c0_0 (void *cls, const gsi::Callback &cb) } -// bool QAudioDecoderControl::event(QEvent *) +// bool QAudioDecoderControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1043,13 +1043,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAudioDecoderControl::eventFilter(QObject *, QEvent *) +// bool QAudioDecoderControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1340,11 +1340,11 @@ static void _set_callback_cbs_stop_0_0 (void *cls, const gsi::Callback &cb) } -// void QAudioDecoderControl::timerEvent(QTimerEvent *) +// void QAudioDecoderControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1376,17 +1376,17 @@ static gsi::Methods methods_QAudioDecoderControl_Adaptor () { methods += new qt_gsi::GenericMethod ("audioFormat", "@hide", true, &_init_cbs_audioFormat_c0_0, &_call_cbs_audioFormat_c0_0, &_set_callback_cbs_audioFormat_c0_0); methods += new qt_gsi::GenericMethod ("bufferAvailable", "@brief Virtual method bool QAudioDecoderControl::bufferAvailable()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_bufferAvailable_c0_0, &_call_cbs_bufferAvailable_c0_0); methods += new qt_gsi::GenericMethod ("bufferAvailable", "@hide", true, &_init_cbs_bufferAvailable_c0_0, &_call_cbs_bufferAvailable_c0_0, &_set_callback_cbs_bufferAvailable_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioDecoderControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioDecoderControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioDecoderControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioDecoderControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioDecoderControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("duration", "@brief Virtual method qint64 QAudioDecoderControl::duration()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_duration_c0_0, &_call_cbs_duration_c0_0); methods += new qt_gsi::GenericMethod ("duration", "@hide", true, &_init_cbs_duration_c0_0, &_call_cbs_duration_c0_0, &_set_callback_cbs_duration_c0_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioDecoderControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioDecoderControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioDecoderControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioDecoderControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioDecoderControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("position", "@brief Virtual method qint64 QAudioDecoderControl::position()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_position_c0_0, &_call_cbs_position_c0_0); @@ -1412,7 +1412,7 @@ static gsi::Methods methods_QAudioDecoderControl_Adaptor () { methods += new qt_gsi::GenericMethod ("state", "@hide", true, &_init_cbs_state_c0_0, &_call_cbs_state_c0_0, &_set_callback_cbs_state_c0_0); methods += new qt_gsi::GenericMethod ("stop", "@brief Virtual method void QAudioDecoderControl::stop()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0); methods += new qt_gsi::GenericMethod ("stop", "@hide", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0, &_set_callback_cbs_stop_0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioDecoderControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioDecoderControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioEncoderSettingsControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioEncoderSettingsControl.cc index bd9176ca39..f2278acb7b 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioEncoderSettingsControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioEncoderSettingsControl.cc @@ -89,12 +89,12 @@ static void _call_f_codecDescription_c2025 (const qt_gsi::GenericMethod * /*decl } -// void QAudioEncoderSettingsControl::setAudioSettings(const QAudioEncoderSettings &) +// void QAudioEncoderSettingsControl::setAudioSettings(const QAudioEncoderSettings &settings) static void _init_f_setAudioSettings_3445 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("settings"); decl->add_arg (argspec_0); decl->set_return (); } @@ -131,7 +131,7 @@ static void _init_f_supportedSampleRates_c4387 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("settings"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("continuous", true, "0"); + static gsi::ArgSpecBase argspec_1 ("continuous", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return > (); } @@ -141,7 +141,7 @@ static void _call_f_supportedSampleRates_c4387 (const qt_gsi::GenericMethod * /* __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QAudioEncoderSettings &arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write > ((QList)((QAudioEncoderSettingsControl *)cls)->supportedSampleRates (arg1, arg2)); } @@ -204,7 +204,7 @@ static gsi::Methods methods_QAudioEncoderSettingsControl () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":audioSettings", "@brief Method QAudioEncoderSettings QAudioEncoderSettingsControl::audioSettings()\n", true, &_init_f_audioSettings_c0, &_call_f_audioSettings_c0); methods += new qt_gsi::GenericMethod ("codecDescription", "@brief Method QString QAudioEncoderSettingsControl::codecDescription(const QString &codecName)\n", true, &_init_f_codecDescription_c2025, &_call_f_codecDescription_c2025); - methods += new qt_gsi::GenericMethod ("setAudioSettings|audioSettings=", "@brief Method void QAudioEncoderSettingsControl::setAudioSettings(const QAudioEncoderSettings &)\n", false, &_init_f_setAudioSettings_3445, &_call_f_setAudioSettings_3445); + methods += new qt_gsi::GenericMethod ("setAudioSettings|audioSettings=", "@brief Method void QAudioEncoderSettingsControl::setAudioSettings(const QAudioEncoderSettings &settings)\n", false, &_init_f_setAudioSettings_3445, &_call_f_setAudioSettings_3445); methods += new qt_gsi::GenericMethod ("supportedAudioCodecs", "@brief Method QStringList QAudioEncoderSettingsControl::supportedAudioCodecs()\n", true, &_init_f_supportedAudioCodecs_c0, &_call_f_supportedAudioCodecs_c0); methods += new qt_gsi::GenericMethod ("supportedSampleRates", "@brief Method QList QAudioEncoderSettingsControl::supportedSampleRates(const QAudioEncoderSettings &settings, bool *continuous)\n", true, &_init_f_supportedSampleRates_c4387, &_call_f_supportedSampleRates_c4387); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAudioEncoderSettingsControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); @@ -286,47 +286,47 @@ class QAudioEncoderSettingsControl_Adaptor : public QAudioEncoderSettingsControl } } - // [adaptor impl] bool QAudioEncoderSettingsControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAudioEncoderSettingsControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAudioEncoderSettingsControl::event(arg1); + return QAudioEncoderSettingsControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAudioEncoderSettingsControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAudioEncoderSettingsControl_Adaptor::cbs_event_1217_0, _event); } else { - return QAudioEncoderSettingsControl::event(arg1); + return QAudioEncoderSettingsControl::event(_event); } } - // [adaptor impl] bool QAudioEncoderSettingsControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAudioEncoderSettingsControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAudioEncoderSettingsControl::eventFilter(arg1, arg2); + return QAudioEncoderSettingsControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAudioEncoderSettingsControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAudioEncoderSettingsControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAudioEncoderSettingsControl::eventFilter(arg1, arg2); + return QAudioEncoderSettingsControl::eventFilter(watched, event); } } - // [adaptor impl] void QAudioEncoderSettingsControl::setAudioSettings(const QAudioEncoderSettings &) - void cbs_setAudioSettings_3445_0(const QAudioEncoderSettings &arg1) + // [adaptor impl] void QAudioEncoderSettingsControl::setAudioSettings(const QAudioEncoderSettings &settings) + void cbs_setAudioSettings_3445_0(const QAudioEncoderSettings &settings) { - __SUPPRESS_UNUSED_WARNING (arg1); + __SUPPRESS_UNUSED_WARNING (settings); throw qt_gsi::AbstractMethodCalledException("setAudioSettings"); } - virtual void setAudioSettings(const QAudioEncoderSettings &arg1) + virtual void setAudioSettings(const QAudioEncoderSettings &settings) { if (cb_setAudioSettings_3445_0.can_issue()) { - cb_setAudioSettings_3445_0.issue(&QAudioEncoderSettingsControl_Adaptor::cbs_setAudioSettings_3445_0, arg1); + cb_setAudioSettings_3445_0.issue(&QAudioEncoderSettingsControl_Adaptor::cbs_setAudioSettings_3445_0, settings); } else { throw qt_gsi::AbstractMethodCalledException("setAudioSettings"); } @@ -364,33 +364,33 @@ class QAudioEncoderSettingsControl_Adaptor : public QAudioEncoderSettingsControl } } - // [adaptor impl] void QAudioEncoderSettingsControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAudioEncoderSettingsControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAudioEncoderSettingsControl::childEvent(arg1); + QAudioEncoderSettingsControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAudioEncoderSettingsControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAudioEncoderSettingsControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QAudioEncoderSettingsControl::childEvent(arg1); + QAudioEncoderSettingsControl::childEvent(event); } } - // [adaptor impl] void QAudioEncoderSettingsControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAudioEncoderSettingsControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAudioEncoderSettingsControl::customEvent(arg1); + QAudioEncoderSettingsControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAudioEncoderSettingsControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAudioEncoderSettingsControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QAudioEncoderSettingsControl::customEvent(arg1); + QAudioEncoderSettingsControl::customEvent(event); } } @@ -409,18 +409,18 @@ class QAudioEncoderSettingsControl_Adaptor : public QAudioEncoderSettingsControl } } - // [adaptor impl] void QAudioEncoderSettingsControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAudioEncoderSettingsControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAudioEncoderSettingsControl::timerEvent(arg1); + QAudioEncoderSettingsControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAudioEncoderSettingsControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAudioEncoderSettingsControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAudioEncoderSettingsControl::timerEvent(arg1); + QAudioEncoderSettingsControl::timerEvent(event); } } @@ -472,11 +472,11 @@ static void _set_callback_cbs_audioSettings_c0_0 (void *cls, const gsi::Callback } -// void QAudioEncoderSettingsControl::childEvent(QChildEvent *) +// void QAudioEncoderSettingsControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -519,11 +519,11 @@ static void _set_callback_cbs_codecDescription_c2025_0 (void *cls, const gsi::Ca } -// void QAudioEncoderSettingsControl::customEvent(QEvent *) +// void QAudioEncoderSettingsControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -567,11 +567,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QAudioEncoderSettingsControl::event(QEvent *) +// bool QAudioEncoderSettingsControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -590,13 +590,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAudioEncoderSettingsControl::eventFilter(QObject *, QEvent *) +// bool QAudioEncoderSettingsControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -680,11 +680,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QAudioEncoderSettingsControl::setAudioSettings(const QAudioEncoderSettings &) +// void QAudioEncoderSettingsControl::setAudioSettings(const QAudioEncoderSettings &settings) static void _init_cbs_setAudioSettings_3445_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("settings"); decl->add_arg (argspec_0); decl->set_return (); } @@ -749,11 +749,11 @@ static void _set_callback_cbs_supportedSampleRates_c4387_1 (void *cls, const gsi } -// void QAudioEncoderSettingsControl::timerEvent(QTimerEvent *) +// void QAudioEncoderSettingsControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -783,29 +783,29 @@ static gsi::Methods methods_QAudioEncoderSettingsControl_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAudioEncoderSettingsControl::QAudioEncoderSettingsControl()\nThis method creates an object of class QAudioEncoderSettingsControl.", &_init_ctor_QAudioEncoderSettingsControl_Adaptor_0, &_call_ctor_QAudioEncoderSettingsControl_Adaptor_0); methods += new qt_gsi::GenericMethod ("audioSettings", "@brief Virtual method QAudioEncoderSettings QAudioEncoderSettingsControl::audioSettings()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_audioSettings_c0_0, &_call_cbs_audioSettings_c0_0); methods += new qt_gsi::GenericMethod ("audioSettings", "@hide", true, &_init_cbs_audioSettings_c0_0, &_call_cbs_audioSettings_c0_0, &_set_callback_cbs_audioSettings_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioEncoderSettingsControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioEncoderSettingsControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("codecDescription", "@brief Virtual method QString QAudioEncoderSettingsControl::codecDescription(const QString &codecName)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_codecDescription_c2025_0, &_call_cbs_codecDescription_c2025_0); methods += new qt_gsi::GenericMethod ("codecDescription", "@hide", true, &_init_cbs_codecDescription_c2025_0, &_call_cbs_codecDescription_c2025_0, &_set_callback_cbs_codecDescription_c2025_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioEncoderSettingsControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioEncoderSettingsControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioEncoderSettingsControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioEncoderSettingsControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioEncoderSettingsControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioEncoderSettingsControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioEncoderSettingsControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioEncoderSettingsControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioEncoderSettingsControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioEncoderSettingsControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioEncoderSettingsControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("setAudioSettings", "@brief Virtual method void QAudioEncoderSettingsControl::setAudioSettings(const QAudioEncoderSettings &)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setAudioSettings_3445_0, &_call_cbs_setAudioSettings_3445_0); + methods += new qt_gsi::GenericMethod ("setAudioSettings", "@brief Virtual method void QAudioEncoderSettingsControl::setAudioSettings(const QAudioEncoderSettings &settings)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setAudioSettings_3445_0, &_call_cbs_setAudioSettings_3445_0); methods += new qt_gsi::GenericMethod ("setAudioSettings", "@hide", false, &_init_cbs_setAudioSettings_3445_0, &_call_cbs_setAudioSettings_3445_0, &_set_callback_cbs_setAudioSettings_3445_0); methods += new qt_gsi::GenericMethod ("supportedAudioCodecs", "@brief Virtual method QStringList QAudioEncoderSettingsControl::supportedAudioCodecs()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedAudioCodecs_c0_0, &_call_cbs_supportedAudioCodecs_c0_0); methods += new qt_gsi::GenericMethod ("supportedAudioCodecs", "@hide", true, &_init_cbs_supportedAudioCodecs_c0_0, &_call_cbs_supportedAudioCodecs_c0_0, &_set_callback_cbs_supportedAudioCodecs_c0_0); methods += new qt_gsi::GenericMethod ("supportedSampleRates", "@brief Virtual method QList QAudioEncoderSettingsControl::supportedSampleRates(const QAudioEncoderSettings &settings, bool *continuous)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedSampleRates_c4387_1, &_call_cbs_supportedSampleRates_c4387_1); methods += new qt_gsi::GenericMethod ("supportedSampleRates", "@hide", true, &_init_cbs_supportedSampleRates_c4387_1, &_call_cbs_supportedSampleRates_c4387_1, &_set_callback_cbs_supportedSampleRates_c4387_1); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioEncoderSettingsControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioEncoderSettingsControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInput.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInput.cc index 8d4a037f2f..a14c953d4d 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInput.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInput.cc @@ -335,12 +335,12 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QAudioInput::stateChanged(QAudio::State) +// void QAudioInput::stateChanged(QAudio::State state) static void _init_f_stateChanged_1644 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("state"); decl->add_arg::target_type & > (argspec_0); decl->set_return (); } @@ -475,7 +475,7 @@ static gsi::Methods methods_QAudioInput () { methods += new qt_gsi::GenericMethod ("start", "@brief Method void QAudioInput::start(QIODevice *device)\n", false, &_init_f_start_1447, &_call_f_start_1447); methods += new qt_gsi::GenericMethod ("start", "@brief Method QIODevice *QAudioInput::start()\n", false, &_init_f_start_0, &_call_f_start_0); methods += new qt_gsi::GenericMethod ("state", "@brief Method QAudio::State QAudioInput::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QAudioInput::stateChanged(QAudio::State)\n", false, &_init_f_stateChanged_1644, &_call_f_stateChanged_1644); + methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QAudioInput::stateChanged(QAudio::State state)\n", false, &_init_f_stateChanged_1644, &_call_f_stateChanged_1644); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QAudioInput::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); methods += new qt_gsi::GenericMethod ("suspend", "@brief Method void QAudioInput::suspend()\n", false, &_init_f_suspend_0, &_call_f_suspend_0); methods += new qt_gsi::GenericMethod (":volume", "@brief Method double QAudioInput::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); @@ -557,63 +557,63 @@ class QAudioInput_Adaptor : public QAudioInput, public qt_gsi::QtObjectBase return QAudioInput::senderSignalIndex(); } - // [adaptor impl] bool QAudioInput::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAudioInput::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAudioInput::event(arg1); + return QAudioInput::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAudioInput_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAudioInput_Adaptor::cbs_event_1217_0, _event); } else { - return QAudioInput::event(arg1); + return QAudioInput::event(_event); } } - // [adaptor impl] bool QAudioInput::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAudioInput::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAudioInput::eventFilter(arg1, arg2); + return QAudioInput::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAudioInput_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAudioInput_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAudioInput::eventFilter(arg1, arg2); + return QAudioInput::eventFilter(watched, event); } } - // [adaptor impl] void QAudioInput::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAudioInput::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAudioInput::childEvent(arg1); + QAudioInput::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAudioInput_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAudioInput_Adaptor::cbs_childEvent_1701_0, event); } else { - QAudioInput::childEvent(arg1); + QAudioInput::childEvent(event); } } - // [adaptor impl] void QAudioInput::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAudioInput::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAudioInput::customEvent(arg1); + QAudioInput::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAudioInput_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAudioInput_Adaptor::cbs_customEvent_1217_0, event); } else { - QAudioInput::customEvent(arg1); + QAudioInput::customEvent(event); } } @@ -632,18 +632,18 @@ class QAudioInput_Adaptor : public QAudioInput, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QAudioInput::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAudioInput::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAudioInput::timerEvent(arg1); + QAudioInput::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAudioInput_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAudioInput_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAudioInput::timerEvent(arg1); + QAudioInput::timerEvent(event); } } @@ -663,7 +663,7 @@ static void _init_ctor_QAudioInput_Adaptor_3703 (qt_gsi::GenericStaticMethod *de { static gsi::ArgSpecBase argspec_0 ("format", true, "QAudioFormat()"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -673,7 +673,7 @@ static void _call_ctor_QAudioInput_Adaptor_3703 (const qt_gsi::GenericStaticMeth __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QAudioFormat &arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QAudioFormat(), heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAudioInput_Adaptor (arg1, arg2)); } @@ -686,7 +686,7 @@ static void _init_ctor_QAudioInput_Adaptor_6475 (qt_gsi::GenericStaticMethod *de decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("format", true, "QAudioFormat()"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_2 ("parent", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -697,16 +697,16 @@ static void _call_ctor_QAudioInput_Adaptor_6475 (const qt_gsi::GenericStaticMeth tl::Heap heap; const QAudioDeviceInfo &arg1 = gsi::arg_reader() (args, heap); const QAudioFormat &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QAudioFormat(), heap); - QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAudioInput_Adaptor (arg1, arg2, arg3)); } -// void QAudioInput::childEvent(QChildEvent *) +// void QAudioInput::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -726,11 +726,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAudioInput::customEvent(QEvent *) +// void QAudioInput::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -774,11 +774,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QAudioInput::event(QEvent *) +// bool QAudioInput::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -797,13 +797,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAudioInput::eventFilter(QObject *, QEvent *) +// bool QAudioInput::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -887,11 +887,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QAudioInput::timerEvent(QTimerEvent *) +// void QAudioInput::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -920,21 +920,21 @@ static gsi::Methods methods_QAudioInput_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAudioInput::QAudioInput(const QAudioFormat &format, QObject *parent)\nThis method creates an object of class QAudioInput.", &_init_ctor_QAudioInput_Adaptor_3703, &_call_ctor_QAudioInput_Adaptor_3703); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAudioInput::QAudioInput(const QAudioDeviceInfo &audioDeviceInfo, const QAudioFormat &format, QObject *parent)\nThis method creates an object of class QAudioInput.", &_init_ctor_QAudioInput_Adaptor_6475, &_call_ctor_QAudioInput_Adaptor_6475); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioInput::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioInput::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioInput::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioInput::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioInput::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioInput::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioInput::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioInput::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioInput::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioInput::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioInput::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioInput::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioInput::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioInput::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioInput::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInputSelectorControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInputSelectorControl.cc index 9438f20b2f..1dfeb54bb0 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInputSelectorControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInputSelectorControl.cc @@ -330,33 +330,33 @@ class QAudioInputSelectorControl_Adaptor : public QAudioInputSelectorControl, pu } } - // [adaptor impl] bool QAudioInputSelectorControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAudioInputSelectorControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAudioInputSelectorControl::event(arg1); + return QAudioInputSelectorControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAudioInputSelectorControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAudioInputSelectorControl_Adaptor::cbs_event_1217_0, _event); } else { - return QAudioInputSelectorControl::event(arg1); + return QAudioInputSelectorControl::event(_event); } } - // [adaptor impl] bool QAudioInputSelectorControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAudioInputSelectorControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAudioInputSelectorControl::eventFilter(arg1, arg2); + return QAudioInputSelectorControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAudioInputSelectorControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAudioInputSelectorControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAudioInputSelectorControl::eventFilter(arg1, arg2); + return QAudioInputSelectorControl::eventFilter(watched, event); } } @@ -392,33 +392,33 @@ class QAudioInputSelectorControl_Adaptor : public QAudioInputSelectorControl, pu } } - // [adaptor impl] void QAudioInputSelectorControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAudioInputSelectorControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAudioInputSelectorControl::childEvent(arg1); + QAudioInputSelectorControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAudioInputSelectorControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAudioInputSelectorControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QAudioInputSelectorControl::childEvent(arg1); + QAudioInputSelectorControl::childEvent(event); } } - // [adaptor impl] void QAudioInputSelectorControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAudioInputSelectorControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAudioInputSelectorControl::customEvent(arg1); + QAudioInputSelectorControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAudioInputSelectorControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAudioInputSelectorControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QAudioInputSelectorControl::customEvent(arg1); + QAudioInputSelectorControl::customEvent(event); } } @@ -437,18 +437,18 @@ class QAudioInputSelectorControl_Adaptor : public QAudioInputSelectorControl, pu } } - // [adaptor impl] void QAudioInputSelectorControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAudioInputSelectorControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAudioInputSelectorControl::timerEvent(arg1); + QAudioInputSelectorControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAudioInputSelectorControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAudioInputSelectorControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAudioInputSelectorControl::timerEvent(arg1); + QAudioInputSelectorControl::timerEvent(event); } } @@ -519,11 +519,11 @@ static void _set_callback_cbs_availableInputs_c0_0 (void *cls, const gsi::Callba } -// void QAudioInputSelectorControl::childEvent(QChildEvent *) +// void QAudioInputSelectorControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -543,11 +543,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAudioInputSelectorControl::customEvent(QEvent *) +// void QAudioInputSelectorControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -610,11 +610,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QAudioInputSelectorControl::event(QEvent *) +// bool QAudioInputSelectorControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -633,13 +633,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAudioInputSelectorControl::eventFilter(QObject *, QEvent *) +// bool QAudioInputSelectorControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -770,11 +770,11 @@ static void _set_callback_cbs_setActiveInput_2025_0 (void *cls, const gsi::Callb } -// void QAudioInputSelectorControl::timerEvent(QTimerEvent *) +// void QAudioInputSelectorControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -806,17 +806,17 @@ static gsi::Methods methods_QAudioInputSelectorControl_Adaptor () { methods += new qt_gsi::GenericMethod ("activeInput", "@hide", true, &_init_cbs_activeInput_c0_0, &_call_cbs_activeInput_c0_0, &_set_callback_cbs_activeInput_c0_0); methods += new qt_gsi::GenericMethod ("availableInputs", "@brief Virtual method QList QAudioInputSelectorControl::availableInputs()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_availableInputs_c0_0, &_call_cbs_availableInputs_c0_0); methods += new qt_gsi::GenericMethod ("availableInputs", "@hide", true, &_init_cbs_availableInputs_c0_0, &_call_cbs_availableInputs_c0_0, &_set_callback_cbs_availableInputs_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioInputSelectorControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioInputSelectorControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioInputSelectorControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioInputSelectorControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("defaultInput", "@brief Virtual method QString QAudioInputSelectorControl::defaultInput()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_defaultInput_c0_0, &_call_cbs_defaultInput_c0_0); methods += new qt_gsi::GenericMethod ("defaultInput", "@hide", true, &_init_cbs_defaultInput_c0_0, &_call_cbs_defaultInput_c0_0, &_set_callback_cbs_defaultInput_c0_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioInputSelectorControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioInputSelectorControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioInputSelectorControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioInputSelectorControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioInputSelectorControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("inputDescription", "@brief Virtual method QString QAudioInputSelectorControl::inputDescription(const QString &name)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputDescription_c2025_0, &_call_cbs_inputDescription_c2025_0); methods += new qt_gsi::GenericMethod ("inputDescription", "@hide", true, &_init_cbs_inputDescription_c2025_0, &_call_cbs_inputDescription_c2025_0, &_set_callback_cbs_inputDescription_c2025_0); @@ -826,7 +826,7 @@ static gsi::Methods methods_QAudioInputSelectorControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioInputSelectorControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setActiveInput", "@brief Virtual method void QAudioInputSelectorControl::setActiveInput(const QString &name)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setActiveInput_2025_0, &_call_cbs_setActiveInput_2025_0); methods += new qt_gsi::GenericMethod ("setActiveInput", "@hide", false, &_init_cbs_setActiveInput_2025_0, &_call_cbs_setActiveInput_2025_0, &_set_callback_cbs_setActiveInput_2025_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioInputSelectorControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioInputSelectorControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutput.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutput.cc index 3ab67a8108..9871e5f5e4 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutput.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutput.cc @@ -370,12 +370,12 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QAudioOutput::stateChanged(QAudio::State) +// void QAudioOutput::stateChanged(QAudio::State state) static void _init_f_stateChanged_1644 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("state"); decl->add_arg::target_type & > (argspec_0); decl->set_return (); } @@ -512,7 +512,7 @@ static gsi::Methods methods_QAudioOutput () { methods += new qt_gsi::GenericMethod ("start", "@brief Method void QAudioOutput::start(QIODevice *device)\n", false, &_init_f_start_1447, &_call_f_start_1447); methods += new qt_gsi::GenericMethod ("start", "@brief Method QIODevice *QAudioOutput::start()\n", false, &_init_f_start_0, &_call_f_start_0); methods += new qt_gsi::GenericMethod ("state", "@brief Method QAudio::State QAudioOutput::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QAudioOutput::stateChanged(QAudio::State)\n", false, &_init_f_stateChanged_1644, &_call_f_stateChanged_1644); + methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QAudioOutput::stateChanged(QAudio::State state)\n", false, &_init_f_stateChanged_1644, &_call_f_stateChanged_1644); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QAudioOutput::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); methods += new qt_gsi::GenericMethod ("suspend", "@brief Method void QAudioOutput::suspend()\n", false, &_init_f_suspend_0, &_call_f_suspend_0); methods += new qt_gsi::GenericMethod (":volume", "@brief Method double QAudioOutput::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); @@ -594,63 +594,63 @@ class QAudioOutput_Adaptor : public QAudioOutput, public qt_gsi::QtObjectBase return QAudioOutput::senderSignalIndex(); } - // [adaptor impl] bool QAudioOutput::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAudioOutput::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAudioOutput::event(arg1); + return QAudioOutput::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAudioOutput_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAudioOutput_Adaptor::cbs_event_1217_0, _event); } else { - return QAudioOutput::event(arg1); + return QAudioOutput::event(_event); } } - // [adaptor impl] bool QAudioOutput::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAudioOutput::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAudioOutput::eventFilter(arg1, arg2); + return QAudioOutput::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAudioOutput_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAudioOutput_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAudioOutput::eventFilter(arg1, arg2); + return QAudioOutput::eventFilter(watched, event); } } - // [adaptor impl] void QAudioOutput::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAudioOutput::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAudioOutput::childEvent(arg1); + QAudioOutput::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAudioOutput_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAudioOutput_Adaptor::cbs_childEvent_1701_0, event); } else { - QAudioOutput::childEvent(arg1); + QAudioOutput::childEvent(event); } } - // [adaptor impl] void QAudioOutput::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAudioOutput::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAudioOutput::customEvent(arg1); + QAudioOutput::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAudioOutput_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAudioOutput_Adaptor::cbs_customEvent_1217_0, event); } else { - QAudioOutput::customEvent(arg1); + QAudioOutput::customEvent(event); } } @@ -669,18 +669,18 @@ class QAudioOutput_Adaptor : public QAudioOutput, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QAudioOutput::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAudioOutput::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAudioOutput::timerEvent(arg1); + QAudioOutput::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAudioOutput_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAudioOutput_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAudioOutput::timerEvent(arg1); + QAudioOutput::timerEvent(event); } } @@ -700,7 +700,7 @@ static void _init_ctor_QAudioOutput_Adaptor_3703 (qt_gsi::GenericStaticMethod *d { static gsi::ArgSpecBase argspec_0 ("format", true, "QAudioFormat()"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -710,7 +710,7 @@ static void _call_ctor_QAudioOutput_Adaptor_3703 (const qt_gsi::GenericStaticMet __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QAudioFormat &arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QAudioFormat(), heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAudioOutput_Adaptor (arg1, arg2)); } @@ -723,7 +723,7 @@ static void _init_ctor_QAudioOutput_Adaptor_6475 (qt_gsi::GenericStaticMethod *d decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("format", true, "QAudioFormat()"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_2 ("parent", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -734,16 +734,16 @@ static void _call_ctor_QAudioOutput_Adaptor_6475 (const qt_gsi::GenericStaticMet tl::Heap heap; const QAudioDeviceInfo &arg1 = gsi::arg_reader() (args, heap); const QAudioFormat &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QAudioFormat(), heap); - QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAudioOutput_Adaptor (arg1, arg2, arg3)); } -// void QAudioOutput::childEvent(QChildEvent *) +// void QAudioOutput::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -763,11 +763,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAudioOutput::customEvent(QEvent *) +// void QAudioOutput::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -811,11 +811,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QAudioOutput::event(QEvent *) +// bool QAudioOutput::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -834,13 +834,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAudioOutput::eventFilter(QObject *, QEvent *) +// bool QAudioOutput::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -924,11 +924,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QAudioOutput::timerEvent(QTimerEvent *) +// void QAudioOutput::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -957,21 +957,21 @@ static gsi::Methods methods_QAudioOutput_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAudioOutput::QAudioOutput(const QAudioFormat &format, QObject *parent)\nThis method creates an object of class QAudioOutput.", &_init_ctor_QAudioOutput_Adaptor_3703, &_call_ctor_QAudioOutput_Adaptor_3703); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAudioOutput::QAudioOutput(const QAudioDeviceInfo &audioDeviceInfo, const QAudioFormat &format, QObject *parent)\nThis method creates an object of class QAudioOutput.", &_init_ctor_QAudioOutput_Adaptor_6475, &_call_ctor_QAudioOutput_Adaptor_6475); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioOutput::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioOutput::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioOutput::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioOutput::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioOutput::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioOutput::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioOutput::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioOutput::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioOutput::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioOutput::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioOutput::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioOutput::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioOutput::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioOutput::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioOutput::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutputSelectorControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutputSelectorControl.cc index 3f74b1fdd5..61e859078d 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutputSelectorControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutputSelectorControl.cc @@ -330,33 +330,33 @@ class QAudioOutputSelectorControl_Adaptor : public QAudioOutputSelectorControl, } } - // [adaptor impl] bool QAudioOutputSelectorControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAudioOutputSelectorControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAudioOutputSelectorControl::event(arg1); + return QAudioOutputSelectorControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAudioOutputSelectorControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAudioOutputSelectorControl_Adaptor::cbs_event_1217_0, _event); } else { - return QAudioOutputSelectorControl::event(arg1); + return QAudioOutputSelectorControl::event(_event); } } - // [adaptor impl] bool QAudioOutputSelectorControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAudioOutputSelectorControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAudioOutputSelectorControl::eventFilter(arg1, arg2); + return QAudioOutputSelectorControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAudioOutputSelectorControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAudioOutputSelectorControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAudioOutputSelectorControl::eventFilter(arg1, arg2); + return QAudioOutputSelectorControl::eventFilter(watched, event); } } @@ -392,33 +392,33 @@ class QAudioOutputSelectorControl_Adaptor : public QAudioOutputSelectorControl, } } - // [adaptor impl] void QAudioOutputSelectorControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAudioOutputSelectorControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAudioOutputSelectorControl::childEvent(arg1); + QAudioOutputSelectorControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAudioOutputSelectorControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAudioOutputSelectorControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QAudioOutputSelectorControl::childEvent(arg1); + QAudioOutputSelectorControl::childEvent(event); } } - // [adaptor impl] void QAudioOutputSelectorControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAudioOutputSelectorControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAudioOutputSelectorControl::customEvent(arg1); + QAudioOutputSelectorControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAudioOutputSelectorControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAudioOutputSelectorControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QAudioOutputSelectorControl::customEvent(arg1); + QAudioOutputSelectorControl::customEvent(event); } } @@ -437,18 +437,18 @@ class QAudioOutputSelectorControl_Adaptor : public QAudioOutputSelectorControl, } } - // [adaptor impl] void QAudioOutputSelectorControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAudioOutputSelectorControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAudioOutputSelectorControl::timerEvent(arg1); + QAudioOutputSelectorControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAudioOutputSelectorControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAudioOutputSelectorControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAudioOutputSelectorControl::timerEvent(arg1); + QAudioOutputSelectorControl::timerEvent(event); } } @@ -519,11 +519,11 @@ static void _set_callback_cbs_availableOutputs_c0_0 (void *cls, const gsi::Callb } -// void QAudioOutputSelectorControl::childEvent(QChildEvent *) +// void QAudioOutputSelectorControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -543,11 +543,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAudioOutputSelectorControl::customEvent(QEvent *) +// void QAudioOutputSelectorControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -610,11 +610,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QAudioOutputSelectorControl::event(QEvent *) +// bool QAudioOutputSelectorControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -633,13 +633,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAudioOutputSelectorControl::eventFilter(QObject *, QEvent *) +// bool QAudioOutputSelectorControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -770,11 +770,11 @@ static void _set_callback_cbs_setActiveOutput_2025_0 (void *cls, const gsi::Call } -// void QAudioOutputSelectorControl::timerEvent(QTimerEvent *) +// void QAudioOutputSelectorControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -806,17 +806,17 @@ static gsi::Methods methods_QAudioOutputSelectorControl_Adaptor () { methods += new qt_gsi::GenericMethod ("activeOutput", "@hide", true, &_init_cbs_activeOutput_c0_0, &_call_cbs_activeOutput_c0_0, &_set_callback_cbs_activeOutput_c0_0); methods += new qt_gsi::GenericMethod ("availableOutputs", "@brief Virtual method QList QAudioOutputSelectorControl::availableOutputs()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_availableOutputs_c0_0, &_call_cbs_availableOutputs_c0_0); methods += new qt_gsi::GenericMethod ("availableOutputs", "@hide", true, &_init_cbs_availableOutputs_c0_0, &_call_cbs_availableOutputs_c0_0, &_set_callback_cbs_availableOutputs_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioOutputSelectorControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioOutputSelectorControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioOutputSelectorControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioOutputSelectorControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("defaultOutput", "@brief Virtual method QString QAudioOutputSelectorControl::defaultOutput()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_defaultOutput_c0_0, &_call_cbs_defaultOutput_c0_0); methods += new qt_gsi::GenericMethod ("defaultOutput", "@hide", true, &_init_cbs_defaultOutput_c0_0, &_call_cbs_defaultOutput_c0_0, &_set_callback_cbs_defaultOutput_c0_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioOutputSelectorControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioOutputSelectorControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioOutputSelectorControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioOutputSelectorControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioOutputSelectorControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioOutputSelectorControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("outputDescription", "@brief Virtual method QString QAudioOutputSelectorControl::outputDescription(const QString &name)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_outputDescription_c2025_0, &_call_cbs_outputDescription_c2025_0); @@ -826,7 +826,7 @@ static gsi::Methods methods_QAudioOutputSelectorControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioOutputSelectorControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setActiveOutput", "@brief Virtual method void QAudioOutputSelectorControl::setActiveOutput(const QString &name)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setActiveOutput_2025_0, &_call_cbs_setActiveOutput_2025_0); methods += new qt_gsi::GenericMethod ("setActiveOutput", "@hide", false, &_init_cbs_setActiveOutput_2025_0, &_call_cbs_setActiveOutput_2025_0, &_set_callback_cbs_setActiveOutput_2025_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioOutputSelectorControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioOutputSelectorControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioProbe.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioProbe.cc index 6cb5a0ccaa..49776e4e4e 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioProbe.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioProbe.cc @@ -57,12 +57,12 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// void QAudioProbe::audioBufferProbed(const QAudioBuffer &audioBuffer) +// void QAudioProbe::audioBufferProbed(const QAudioBuffer &buffer) static void _init_f_audioBufferProbed_2494 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("audioBuffer"); + static gsi::ArgSpecBase argspec_0 ("buffer"); decl->add_arg (argspec_0); decl->set_return (); } @@ -202,7 +202,7 @@ namespace gsi static gsi::Methods methods_QAudioProbe () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("audioBufferProbed", "@brief Method void QAudioProbe::audioBufferProbed(const QAudioBuffer &audioBuffer)\n", false, &_init_f_audioBufferProbed_2494, &_call_f_audioBufferProbed_2494); + methods += new qt_gsi::GenericMethod ("audioBufferProbed", "@brief Method void QAudioProbe::audioBufferProbed(const QAudioBuffer &buffer)\n", false, &_init_f_audioBufferProbed_2494, &_call_f_audioBufferProbed_2494); methods += new qt_gsi::GenericMethod ("flush", "@brief Method void QAudioProbe::flush()\n", false, &_init_f_flush_0, &_call_f_flush_0); methods += new qt_gsi::GenericMethod ("isActive?", "@brief Method bool QAudioProbe::isActive()\n", true, &_init_f_isActive_c0, &_call_f_isActive_c0); methods += new qt_gsi::GenericMethod ("setSource", "@brief Method bool QAudioProbe::setSource(QMediaObject *source)\n", false, &_init_f_setSource_1782, &_call_f_setSource_1782); @@ -261,63 +261,63 @@ class QAudioProbe_Adaptor : public QAudioProbe, public qt_gsi::QtObjectBase return QAudioProbe::senderSignalIndex(); } - // [adaptor impl] bool QAudioProbe::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAudioProbe::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAudioProbe::event(arg1); + return QAudioProbe::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAudioProbe_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAudioProbe_Adaptor::cbs_event_1217_0, _event); } else { - return QAudioProbe::event(arg1); + return QAudioProbe::event(_event); } } - // [adaptor impl] bool QAudioProbe::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAudioProbe::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAudioProbe::eventFilter(arg1, arg2); + return QAudioProbe::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAudioProbe_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAudioProbe_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAudioProbe::eventFilter(arg1, arg2); + return QAudioProbe::eventFilter(watched, event); } } - // [adaptor impl] void QAudioProbe::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAudioProbe::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAudioProbe::childEvent(arg1); + QAudioProbe::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAudioProbe_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAudioProbe_Adaptor::cbs_childEvent_1701_0, event); } else { - QAudioProbe::childEvent(arg1); + QAudioProbe::childEvent(event); } } - // [adaptor impl] void QAudioProbe::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAudioProbe::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAudioProbe::customEvent(arg1); + QAudioProbe::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAudioProbe_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAudioProbe_Adaptor::cbs_customEvent_1217_0, event); } else { - QAudioProbe::customEvent(arg1); + QAudioProbe::customEvent(event); } } @@ -336,18 +336,18 @@ class QAudioProbe_Adaptor : public QAudioProbe, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QAudioProbe::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAudioProbe::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAudioProbe::timerEvent(arg1); + QAudioProbe::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAudioProbe_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAudioProbe_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAudioProbe::timerEvent(arg1); + QAudioProbe::timerEvent(event); } } @@ -365,7 +365,7 @@ QAudioProbe_Adaptor::~QAudioProbe_Adaptor() { } static void _init_ctor_QAudioProbe_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -374,16 +374,16 @@ static void _call_ctor_QAudioProbe_Adaptor_1302 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAudioProbe_Adaptor (arg1)); } -// void QAudioProbe::childEvent(QChildEvent *) +// void QAudioProbe::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -403,11 +403,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAudioProbe::customEvent(QEvent *) +// void QAudioProbe::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -451,11 +451,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QAudioProbe::event(QEvent *) +// bool QAudioProbe::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -474,13 +474,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAudioProbe::eventFilter(QObject *, QEvent *) +// bool QAudioProbe::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -564,11 +564,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QAudioProbe::timerEvent(QTimerEvent *) +// void QAudioProbe::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -596,21 +596,21 @@ gsi::Class &qtdecl_QAudioProbe (); static gsi::Methods methods_QAudioProbe_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAudioProbe::QAudioProbe(QObject *parent)\nThis method creates an object of class QAudioProbe.", &_init_ctor_QAudioProbe_Adaptor_1302, &_call_ctor_QAudioProbe_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioProbe::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioProbe::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioProbe::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioProbe::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioProbe::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioProbe::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioProbe::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioProbe::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioProbe::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioProbe::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioProbe::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioProbe::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioProbe::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioProbe::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioProbe::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRecorder.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRecorder.cc index 7c9ac6ab7c..a5cb4523e7 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRecorder.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRecorder.cc @@ -296,33 +296,33 @@ class QAudioRecorder_Adaptor : public QAudioRecorder, public qt_gsi::QtObjectBas return QAudioRecorder::senderSignalIndex(); } - // [adaptor impl] bool QAudioRecorder::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAudioRecorder::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAudioRecorder::event(arg1); + return QAudioRecorder::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAudioRecorder_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAudioRecorder_Adaptor::cbs_event_1217_0, _event); } else { - return QAudioRecorder::event(arg1); + return QAudioRecorder::event(_event); } } - // [adaptor impl] bool QAudioRecorder::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAudioRecorder::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAudioRecorder::eventFilter(arg1, arg2); + return QAudioRecorder::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAudioRecorder_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAudioRecorder_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAudioRecorder::eventFilter(arg1, arg2); + return QAudioRecorder::eventFilter(watched, event); } } @@ -341,33 +341,33 @@ class QAudioRecorder_Adaptor : public QAudioRecorder, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QAudioRecorder::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAudioRecorder::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAudioRecorder::childEvent(arg1); + QAudioRecorder::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAudioRecorder_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAudioRecorder_Adaptor::cbs_childEvent_1701_0, event); } else { - QAudioRecorder::childEvent(arg1); + QAudioRecorder::childEvent(event); } } - // [adaptor impl] void QAudioRecorder::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAudioRecorder::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAudioRecorder::customEvent(arg1); + QAudioRecorder::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAudioRecorder_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAudioRecorder_Adaptor::cbs_customEvent_1217_0, event); } else { - QAudioRecorder::customEvent(arg1); + QAudioRecorder::customEvent(event); } } @@ -401,18 +401,18 @@ class QAudioRecorder_Adaptor : public QAudioRecorder, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QAudioRecorder::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAudioRecorder::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAudioRecorder::timerEvent(arg1); + QAudioRecorder::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAudioRecorder_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAudioRecorder_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAudioRecorder::timerEvent(arg1); + QAudioRecorder::timerEvent(event); } } @@ -432,7 +432,7 @@ QAudioRecorder_Adaptor::~QAudioRecorder_Adaptor() { } static void _init_ctor_QAudioRecorder_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -441,16 +441,16 @@ static void _call_ctor_QAudioRecorder_Adaptor_1302 (const qt_gsi::GenericStaticM { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAudioRecorder_Adaptor (arg1)); } -// void QAudioRecorder::childEvent(QChildEvent *) +// void QAudioRecorder::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -470,11 +470,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAudioRecorder::customEvent(QEvent *) +// void QAudioRecorder::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -518,11 +518,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QAudioRecorder::event(QEvent *) +// bool QAudioRecorder::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -541,13 +541,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAudioRecorder::eventFilter(QObject *, QEvent *) +// bool QAudioRecorder::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -673,11 +673,11 @@ static void _set_callback_cbs_setMediaObject_1782_0 (void *cls, const gsi::Callb } -// void QAudioRecorder::timerEvent(QTimerEvent *) +// void QAudioRecorder::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -705,15 +705,15 @@ gsi::Class &qtdecl_QAudioRecorder (); static gsi::Methods methods_QAudioRecorder_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAudioRecorder::QAudioRecorder(QObject *parent)\nThis method creates an object of class QAudioRecorder.", &_init_ctor_QAudioRecorder_Adaptor_1302, &_call_ctor_QAudioRecorder_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioRecorder::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioRecorder::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioRecorder::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioRecorder::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioRecorder::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioRecorder::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioRecorder::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioRecorder::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioRecorder::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioRecorder::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("mediaObject", "@brief Virtual method QMediaObject *QAudioRecorder::mediaObject()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_mediaObject_c0_0, &_call_cbs_mediaObject_c0_0); @@ -723,7 +723,7 @@ static gsi::Methods methods_QAudioRecorder_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioRecorder::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*setMediaObject", "@brief Virtual method bool QAudioRecorder::setMediaObject(QMediaObject *object)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setMediaObject_1782_0, &_call_cbs_setMediaObject_1782_0); methods += new qt_gsi::GenericMethod ("*setMediaObject", "@hide", false, &_init_cbs_setMediaObject_1782_0, &_call_cbs_setMediaObject_1782_0, &_set_callback_cbs_setMediaObject_1782_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioRecorder::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioRecorder::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRoleControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRoleControl.cc new file mode 100644 index 0000000000..9c27454f7e --- /dev/null +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRoleControl.cc @@ -0,0 +1,707 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +/** +* @file gsiDeclQAudioRoleControl.cc +* +* DO NOT EDIT THIS FILE. +* This file has been created automatically +*/ + +#include +#include +#include +#include +#include +#include +#include +#include "gsiQt.h" +#include "gsiQtMultimediaCommon.h" +#include + +// ----------------------------------------------------------------------- +// class QAudioRoleControl + +// get static meta object + +static void _init_smo (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, gsi::SerialArgs &ret) +{ + ret.write (QAudioRoleControl::staticMetaObject); +} + + +// QAudio::Role QAudioRoleControl::audioRole() + + +static void _init_f_audioRole_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_audioRole_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QAudioRoleControl *)cls)->audioRole ())); +} + + +// void QAudioRoleControl::audioRoleChanged(QAudio::Role role) + + +static void _init_f_audioRoleChanged_1533 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("role"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_audioRoleChanged_1533 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QAudioRoleControl *)cls)->audioRoleChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); +} + + +// void QAudioRoleControl::setAudioRole(QAudio::Role role) + + +static void _init_f_setAudioRole_1533 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("role"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_setAudioRole_1533 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QAudioRoleControl *)cls)->setAudioRole (qt_gsi::QtToCppAdaptor(arg1).cref()); +} + + +// QList QAudioRoleControl::supportedAudioRoles() + + +static void _init_f_supportedAudioRoles_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return > (); +} + +static void _call_f_supportedAudioRoles_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write > ((QList)((QAudioRoleControl *)cls)->supportedAudioRoles ()); +} + + +// static QString QAudioRoleControl::tr(const char *s, const char *c, int n) + + +static void _init_f_tr_4013 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("s"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("c", true, "nullptr"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("n", true, "-1"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_f_tr_4013 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const char *arg1 = gsi::arg_reader() (args, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); + ret.write ((QString)QAudioRoleControl::tr (arg1, arg2, arg3)); +} + + +// static QString QAudioRoleControl::trUtf8(const char *s, const char *c, int n) + + +static void _init_f_trUtf8_4013 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("s"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("c", true, "nullptr"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("n", true, "-1"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_f_trUtf8_4013 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const char *arg1 = gsi::arg_reader() (args, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); + ret.write ((QString)QAudioRoleControl::trUtf8 (arg1, arg2, arg3)); +} + + +namespace gsi +{ + +static gsi::Methods methods_QAudioRoleControl () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); + methods += new qt_gsi::GenericMethod ("audioRole", "@brief Method QAudio::Role QAudioRoleControl::audioRole()\n", true, &_init_f_audioRole_c0, &_call_f_audioRole_c0); + methods += new qt_gsi::GenericMethod ("audioRoleChanged", "@brief Method void QAudioRoleControl::audioRoleChanged(QAudio::Role role)\n", false, &_init_f_audioRoleChanged_1533, &_call_f_audioRoleChanged_1533); + methods += new qt_gsi::GenericMethod ("setAudioRole", "@brief Method void QAudioRoleControl::setAudioRole(QAudio::Role role)\n", false, &_init_f_setAudioRole_1533, &_call_f_setAudioRole_1533); + methods += new qt_gsi::GenericMethod ("supportedAudioRoles", "@brief Method QList QAudioRoleControl::supportedAudioRoles()\n", true, &_init_f_supportedAudioRoles_c0, &_call_f_supportedAudioRoles_c0); + methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAudioRoleControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); + methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QAudioRoleControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); + return methods; +} + +gsi::Class &qtdecl_QMediaControl (); + +qt_gsi::QtNativeClass decl_QAudioRoleControl (qtdecl_QMediaControl (), "QtMultimedia", "QAudioRoleControl_Native", + methods_QAudioRoleControl (), + "@hide\n@alias QAudioRoleControl"); + +GSI_QTMULTIMEDIA_PUBLIC gsi::Class &qtdecl_QAudioRoleControl () { return decl_QAudioRoleControl; } + +} + + +class QAudioRoleControl_Adaptor : public QAudioRoleControl, public qt_gsi::QtObjectBase +{ +public: + + virtual ~QAudioRoleControl_Adaptor(); + + // [adaptor ctor] QAudioRoleControl::QAudioRoleControl() + QAudioRoleControl_Adaptor() : QAudioRoleControl() + { + qt_gsi::QtObjectBase::init (this); + } + + // [expose] bool QAudioRoleControl::isSignalConnected(const QMetaMethod &signal) + bool fp_QAudioRoleControl_isSignalConnected_c2394 (const QMetaMethod &signal) const { + return QAudioRoleControl::isSignalConnected(signal); + } + + // [expose] int QAudioRoleControl::receivers(const char *signal) + int fp_QAudioRoleControl_receivers_c1731 (const char *signal) const { + return QAudioRoleControl::receivers(signal); + } + + // [expose] QObject *QAudioRoleControl::sender() + QObject * fp_QAudioRoleControl_sender_c0 () const { + return QAudioRoleControl::sender(); + } + + // [expose] int QAudioRoleControl::senderSignalIndex() + int fp_QAudioRoleControl_senderSignalIndex_c0 () const { + return QAudioRoleControl::senderSignalIndex(); + } + + // [adaptor impl] QAudio::Role QAudioRoleControl::audioRole() + qt_gsi::Converter::target_type cbs_audioRole_c0_0() const + { + throw qt_gsi::AbstractMethodCalledException("audioRole"); + } + + virtual QAudio::Role audioRole() const + { + if (cb_audioRole_c0_0.can_issue()) { + return qt_gsi::QtToCppAdaptor(cb_audioRole_c0_0.issue::target_type>(&QAudioRoleControl_Adaptor::cbs_audioRole_c0_0)).cref(); + } else { + throw qt_gsi::AbstractMethodCalledException("audioRole"); + } + } + + // [adaptor impl] bool QAudioRoleControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) + { + return QAudioRoleControl::event(_event); + } + + virtual bool event(QEvent *_event) + { + if (cb_event_1217_0.can_issue()) { + return cb_event_1217_0.issue(&QAudioRoleControl_Adaptor::cbs_event_1217_0, _event); + } else { + return QAudioRoleControl::event(_event); + } + } + + // [adaptor impl] bool QAudioRoleControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) + { + return QAudioRoleControl::eventFilter(watched, event); + } + + virtual bool eventFilter(QObject *watched, QEvent *event) + { + if (cb_eventFilter_2411_0.can_issue()) { + return cb_eventFilter_2411_0.issue(&QAudioRoleControl_Adaptor::cbs_eventFilter_2411_0, watched, event); + } else { + return QAudioRoleControl::eventFilter(watched, event); + } + } + + // [adaptor impl] void QAudioRoleControl::setAudioRole(QAudio::Role role) + void cbs_setAudioRole_1533_0(const qt_gsi::Converter::target_type & role) + { + __SUPPRESS_UNUSED_WARNING (role); + throw qt_gsi::AbstractMethodCalledException("setAudioRole"); + } + + virtual void setAudioRole(QAudio::Role role) + { + if (cb_setAudioRole_1533_0.can_issue()) { + cb_setAudioRole_1533_0.issue::target_type &>(&QAudioRoleControl_Adaptor::cbs_setAudioRole_1533_0, qt_gsi::CppToQtAdaptor(role)); + } else { + throw qt_gsi::AbstractMethodCalledException("setAudioRole"); + } + } + + // [adaptor impl] QList QAudioRoleControl::supportedAudioRoles() + QList cbs_supportedAudioRoles_c0_0() const + { + throw qt_gsi::AbstractMethodCalledException("supportedAudioRoles"); + } + + virtual QList supportedAudioRoles() const + { + if (cb_supportedAudioRoles_c0_0.can_issue()) { + return cb_supportedAudioRoles_c0_0.issue >(&QAudioRoleControl_Adaptor::cbs_supportedAudioRoles_c0_0); + } else { + throw qt_gsi::AbstractMethodCalledException("supportedAudioRoles"); + } + } + + // [adaptor impl] void QAudioRoleControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) + { + QAudioRoleControl::childEvent(event); + } + + virtual void childEvent(QChildEvent *event) + { + if (cb_childEvent_1701_0.can_issue()) { + cb_childEvent_1701_0.issue(&QAudioRoleControl_Adaptor::cbs_childEvent_1701_0, event); + } else { + QAudioRoleControl::childEvent(event); + } + } + + // [adaptor impl] void QAudioRoleControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) + { + QAudioRoleControl::customEvent(event); + } + + virtual void customEvent(QEvent *event) + { + if (cb_customEvent_1217_0.can_issue()) { + cb_customEvent_1217_0.issue(&QAudioRoleControl_Adaptor::cbs_customEvent_1217_0, event); + } else { + QAudioRoleControl::customEvent(event); + } + } + + // [adaptor impl] void QAudioRoleControl::disconnectNotify(const QMetaMethod &signal) + void cbs_disconnectNotify_2394_0(const QMetaMethod &signal) + { + QAudioRoleControl::disconnectNotify(signal); + } + + virtual void disconnectNotify(const QMetaMethod &signal) + { + if (cb_disconnectNotify_2394_0.can_issue()) { + cb_disconnectNotify_2394_0.issue(&QAudioRoleControl_Adaptor::cbs_disconnectNotify_2394_0, signal); + } else { + QAudioRoleControl::disconnectNotify(signal); + } + } + + // [adaptor impl] void QAudioRoleControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) + { + QAudioRoleControl::timerEvent(event); + } + + virtual void timerEvent(QTimerEvent *event) + { + if (cb_timerEvent_1730_0.can_issue()) { + cb_timerEvent_1730_0.issue(&QAudioRoleControl_Adaptor::cbs_timerEvent_1730_0, event); + } else { + QAudioRoleControl::timerEvent(event); + } + } + + gsi::Callback cb_audioRole_c0_0; + gsi::Callback cb_event_1217_0; + gsi::Callback cb_eventFilter_2411_0; + gsi::Callback cb_setAudioRole_1533_0; + gsi::Callback cb_supportedAudioRoles_c0_0; + gsi::Callback cb_childEvent_1701_0; + gsi::Callback cb_customEvent_1217_0; + gsi::Callback cb_disconnectNotify_2394_0; + gsi::Callback cb_timerEvent_1730_0; +}; + +QAudioRoleControl_Adaptor::~QAudioRoleControl_Adaptor() { } + +// Constructor QAudioRoleControl::QAudioRoleControl() (adaptor class) + +static void _init_ctor_QAudioRoleControl_Adaptor_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return_new (); +} + +static void _call_ctor_QAudioRoleControl_Adaptor_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write (new QAudioRoleControl_Adaptor ()); +} + + +// QAudio::Role QAudioRoleControl::audioRole() + +static void _init_cbs_audioRole_c0_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_cbs_audioRole_c0_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)((QAudioRoleControl_Adaptor *)cls)->cbs_audioRole_c0_0 ()); +} + +static void _set_callback_cbs_audioRole_c0_0 (void *cls, const gsi::Callback &cb) +{ + ((QAudioRoleControl_Adaptor *)cls)->cb_audioRole_c0_0 = cb; +} + + +// void QAudioRoleControl::childEvent(QChildEvent *event) + +static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("event"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_childEvent_1701_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QChildEvent *arg1 = args.read (heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QAudioRoleControl_Adaptor *)cls)->cbs_childEvent_1701_0 (arg1); +} + +static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback &cb) +{ + ((QAudioRoleControl_Adaptor *)cls)->cb_childEvent_1701_0 = cb; +} + + +// void QAudioRoleControl::customEvent(QEvent *event) + +static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("event"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_customEvent_1217_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QEvent *arg1 = args.read (heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QAudioRoleControl_Adaptor *)cls)->cbs_customEvent_1217_0 (arg1); +} + +static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback &cb) +{ + ((QAudioRoleControl_Adaptor *)cls)->cb_customEvent_1217_0 = cb; +} + + +// void QAudioRoleControl::disconnectNotify(const QMetaMethod &signal) + +static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("signal"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_disconnectNotify_2394_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QMetaMethod &arg1 = args.read (heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QAudioRoleControl_Adaptor *)cls)->cbs_disconnectNotify_2394_0 (arg1); +} + +static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Callback &cb) +{ + ((QAudioRoleControl_Adaptor *)cls)->cb_disconnectNotify_2394_0 = cb; +} + + +// bool QAudioRoleControl::event(QEvent *event) + +static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("event"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_event_1217_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QEvent *arg1 = args.read (heap); + ret.write ((bool)((QAudioRoleControl_Adaptor *)cls)->cbs_event_1217_0 (arg1)); +} + +static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) +{ + ((QAudioRoleControl_Adaptor *)cls)->cb_event_1217_0 = cb; +} + + +// bool QAudioRoleControl::eventFilter(QObject *watched, QEvent *event) + +static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("watched"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("event"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_cbs_eventFilter_2411_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args.read (heap); + QEvent *arg2 = args.read (heap); + ret.write ((bool)((QAudioRoleControl_Adaptor *)cls)->cbs_eventFilter_2411_0 (arg1, arg2)); +} + +static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback &cb) +{ + ((QAudioRoleControl_Adaptor *)cls)->cb_eventFilter_2411_0 = cb; +} + + +// exposed bool QAudioRoleControl::isSignalConnected(const QMetaMethod &signal) + +static void _init_fp_isSignalConnected_c2394 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("signal"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QMetaMethod &arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QAudioRoleControl_Adaptor *)cls)->fp_QAudioRoleControl_isSignalConnected_c2394 (arg1)); +} + + +// exposed int QAudioRoleControl::receivers(const char *signal) + +static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("signal"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_fp_receivers_c1731 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const char *arg1 = gsi::arg_reader() (args, heap); + ret.write ((int)((QAudioRoleControl_Adaptor *)cls)->fp_QAudioRoleControl_receivers_c1731 (arg1)); +} + + +// exposed QObject *QAudioRoleControl::sender() + +static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_fp_sender_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QObject *)((QAudioRoleControl_Adaptor *)cls)->fp_QAudioRoleControl_sender_c0 ()); +} + + +// exposed int QAudioRoleControl::senderSignalIndex() + +static void _init_fp_senderSignalIndex_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QAudioRoleControl_Adaptor *)cls)->fp_QAudioRoleControl_senderSignalIndex_c0 ()); +} + + +// void QAudioRoleControl::setAudioRole(QAudio::Role role) + +static void _init_cbs_setAudioRole_1533_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("role"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_cbs_setAudioRole_1533_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = args.read::target_type & > (heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QAudioRoleControl_Adaptor *)cls)->cbs_setAudioRole_1533_0 (arg1); +} + +static void _set_callback_cbs_setAudioRole_1533_0 (void *cls, const gsi::Callback &cb) +{ + ((QAudioRoleControl_Adaptor *)cls)->cb_setAudioRole_1533_0 = cb; +} + + +// QList QAudioRoleControl::supportedAudioRoles() + +static void _init_cbs_supportedAudioRoles_c0_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return > (); +} + +static void _call_cbs_supportedAudioRoles_c0_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write > ((QList)((QAudioRoleControl_Adaptor *)cls)->cbs_supportedAudioRoles_c0_0 ()); +} + +static void _set_callback_cbs_supportedAudioRoles_c0_0 (void *cls, const gsi::Callback &cb) +{ + ((QAudioRoleControl_Adaptor *)cls)->cb_supportedAudioRoles_c0_0 = cb; +} + + +// void QAudioRoleControl::timerEvent(QTimerEvent *event) + +static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("event"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_timerEvent_1730_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QTimerEvent *arg1 = args.read (heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QAudioRoleControl_Adaptor *)cls)->cbs_timerEvent_1730_0 (arg1); +} + +static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback &cb) +{ + ((QAudioRoleControl_Adaptor *)cls)->cb_timerEvent_1730_0 = cb; +} + + +namespace gsi +{ + +gsi::Class &qtdecl_QAudioRoleControl (); + +static gsi::Methods methods_QAudioRoleControl_Adaptor () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAudioRoleControl::QAudioRoleControl()\nThis method creates an object of class QAudioRoleControl.", &_init_ctor_QAudioRoleControl_Adaptor_0, &_call_ctor_QAudioRoleControl_Adaptor_0); + methods += new qt_gsi::GenericMethod ("audioRole", "@brief Virtual method QAudio::Role QAudioRoleControl::audioRole()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_audioRole_c0_0, &_call_cbs_audioRole_c0_0); + methods += new qt_gsi::GenericMethod ("audioRole", "@hide", true, &_init_cbs_audioRole_c0_0, &_call_cbs_audioRole_c0_0, &_set_callback_cbs_audioRole_c0_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioRoleControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioRoleControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioRoleControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioRoleControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioRoleControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioRoleControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioRoleControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); + methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioRoleControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); + methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioRoleControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); + methods += new qt_gsi::GenericMethod ("setAudioRole", "@brief Virtual method void QAudioRoleControl::setAudioRole(QAudio::Role role)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setAudioRole_1533_0, &_call_cbs_setAudioRole_1533_0); + methods += new qt_gsi::GenericMethod ("setAudioRole", "@hide", false, &_init_cbs_setAudioRole_1533_0, &_call_cbs_setAudioRole_1533_0, &_set_callback_cbs_setAudioRole_1533_0); + methods += new qt_gsi::GenericMethod ("supportedAudioRoles", "@brief Virtual method QList QAudioRoleControl::supportedAudioRoles()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedAudioRoles_c0_0, &_call_cbs_supportedAudioRoles_c0_0); + methods += new qt_gsi::GenericMethod ("supportedAudioRoles", "@hide", true, &_init_cbs_supportedAudioRoles_c0_0, &_call_cbs_supportedAudioRoles_c0_0, &_set_callback_cbs_supportedAudioRoles_c0_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioRoleControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + return methods; +} + +gsi::Class decl_QAudioRoleControl_Adaptor (qtdecl_QAudioRoleControl (), "QtMultimedia", "QAudioRoleControl", + methods_QAudioRoleControl_Adaptor (), + "@qt\n@brief Binding of QAudioRoleControl"); + +} + diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioSystemPlugin.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioSystemPlugin.cc index cc63dd152e..6a2236199a 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioSystemPlugin.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioSystemPlugin.cc @@ -370,63 +370,63 @@ class QAudioSystemPlugin_Adaptor : public QAudioSystemPlugin, public qt_gsi::QtO } } - // [adaptor impl] bool QAudioSystemPlugin::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAudioSystemPlugin::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAudioSystemPlugin::event(arg1); + return QAudioSystemPlugin::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAudioSystemPlugin_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAudioSystemPlugin_Adaptor::cbs_event_1217_0, _event); } else { - return QAudioSystemPlugin::event(arg1); + return QAudioSystemPlugin::event(_event); } } - // [adaptor impl] bool QAudioSystemPlugin::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAudioSystemPlugin::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAudioSystemPlugin::eventFilter(arg1, arg2); + return QAudioSystemPlugin::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAudioSystemPlugin_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAudioSystemPlugin_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAudioSystemPlugin::eventFilter(arg1, arg2); + return QAudioSystemPlugin::eventFilter(watched, event); } } - // [adaptor impl] void QAudioSystemPlugin::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAudioSystemPlugin::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAudioSystemPlugin::childEvent(arg1); + QAudioSystemPlugin::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAudioSystemPlugin_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAudioSystemPlugin_Adaptor::cbs_childEvent_1701_0, event); } else { - QAudioSystemPlugin::childEvent(arg1); + QAudioSystemPlugin::childEvent(event); } } - // [adaptor impl] void QAudioSystemPlugin::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAudioSystemPlugin::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAudioSystemPlugin::customEvent(arg1); + QAudioSystemPlugin::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAudioSystemPlugin_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAudioSystemPlugin_Adaptor::cbs_customEvent_1217_0, event); } else { - QAudioSystemPlugin::customEvent(arg1); + QAudioSystemPlugin::customEvent(event); } } @@ -445,18 +445,18 @@ class QAudioSystemPlugin_Adaptor : public QAudioSystemPlugin, public qt_gsi::QtO } } - // [adaptor impl] void QAudioSystemPlugin::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAudioSystemPlugin::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAudioSystemPlugin::timerEvent(arg1); + QAudioSystemPlugin::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAudioSystemPlugin_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAudioSystemPlugin_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAudioSystemPlugin::timerEvent(arg1); + QAudioSystemPlugin::timerEvent(event); } } @@ -478,7 +478,7 @@ QAudioSystemPlugin_Adaptor::~QAudioSystemPlugin_Adaptor() { } static void _init_ctor_QAudioSystemPlugin_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -487,7 +487,7 @@ static void _call_ctor_QAudioSystemPlugin_Adaptor_1302 (const qt_gsi::GenericSta { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAudioSystemPlugin_Adaptor (arg1)); } @@ -515,11 +515,11 @@ static void _set_callback_cbs_availableDevices_c1520_0 (void *cls, const gsi::Ca } -// void QAudioSystemPlugin::childEvent(QChildEvent *) +// void QAudioSystemPlugin::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -611,11 +611,11 @@ static void _set_callback_cbs_createOutput_2309_0 (void *cls, const gsi::Callbac } -// void QAudioSystemPlugin::customEvent(QEvent *) +// void QAudioSystemPlugin::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -659,11 +659,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QAudioSystemPlugin::event(QEvent *) +// bool QAudioSystemPlugin::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -682,13 +682,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAudioSystemPlugin::eventFilter(QObject *, QEvent *) +// bool QAudioSystemPlugin::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -772,11 +772,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QAudioSystemPlugin::timerEvent(QTimerEvent *) +// void QAudioSystemPlugin::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -806,7 +806,7 @@ static gsi::Methods methods_QAudioSystemPlugin_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAudioSystemPlugin::QAudioSystemPlugin(QObject *parent)\nThis method creates an object of class QAudioSystemPlugin.", &_init_ctor_QAudioSystemPlugin_Adaptor_1302, &_call_ctor_QAudioSystemPlugin_Adaptor_1302); methods += new qt_gsi::GenericMethod ("availableDevices", "@brief Virtual method QList QAudioSystemPlugin::availableDevices(QAudio::Mode)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_availableDevices_c1520_0, &_call_cbs_availableDevices_c1520_0); methods += new qt_gsi::GenericMethod ("availableDevices", "@hide", true, &_init_cbs_availableDevices_c1520_0, &_call_cbs_availableDevices_c1520_0, &_set_callback_cbs_availableDevices_c1520_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioSystemPlugin::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioSystemPlugin::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("createDeviceInfo", "@brief Virtual method QAbstractAudioDeviceInfo *QAudioSystemPlugin::createDeviceInfo(const QByteArray &device, QAudio::Mode mode)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_createDeviceInfo_3721_0, &_call_cbs_createDeviceInfo_3721_0); methods += new qt_gsi::GenericMethod ("createDeviceInfo", "@hide", false, &_init_cbs_createDeviceInfo_3721_0, &_call_cbs_createDeviceInfo_3721_0, &_set_callback_cbs_createDeviceInfo_3721_0); @@ -814,19 +814,19 @@ static gsi::Methods methods_QAudioSystemPlugin_Adaptor () { methods += new qt_gsi::GenericMethod ("createInput", "@hide", false, &_init_cbs_createInput_2309_0, &_call_cbs_createInput_2309_0, &_set_callback_cbs_createInput_2309_0); methods += new qt_gsi::GenericMethod ("createOutput", "@brief Virtual method QAbstractAudioOutput *QAudioSystemPlugin::createOutput(const QByteArray &device)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_createOutput_2309_0, &_call_cbs_createOutput_2309_0); methods += new qt_gsi::GenericMethod ("createOutput", "@hide", false, &_init_cbs_createOutput_2309_0, &_call_cbs_createOutput_2309_0, &_set_callback_cbs_createOutput_2309_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioSystemPlugin::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioSystemPlugin::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioSystemPlugin::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioSystemPlugin::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioSystemPlugin::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioSystemPlugin::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioSystemPlugin::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioSystemPlugin::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioSystemPlugin::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioSystemPlugin::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioSystemPlugin::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioSystemPlugin::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioSystemPlugin::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCamera.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCamera.cc index 353030dbab..e685f03393 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCamera.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCamera.cc @@ -282,14 +282,14 @@ static void _call_f_lockStatus_c2029 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QCamera::lockStatusChanged(QCamera::LockStatus, QCamera::LockChangeReason) +// void QCamera::lockStatusChanged(QCamera::LockStatus status, QCamera::LockChangeReason reason) static void _init_f_lockStatusChanged_4956 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("status"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("reason"); decl->add_arg::target_type & > (argspec_1); decl->set_return (); } @@ -305,16 +305,16 @@ static void _call_f_lockStatusChanged_4956 (const qt_gsi::GenericMethod * /*decl } -// void QCamera::lockStatusChanged(QCamera::LockType, QCamera::LockStatus, QCamera::LockChangeReason) +// void QCamera::lockStatusChanged(QCamera::LockType lock, QCamera::LockStatus status, QCamera::LockChangeReason reason) static void _init_f_lockStatusChanged_6877 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("lock"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("status"); decl->add_arg::target_type & > (argspec_1); - static gsi::ArgSpecBase argspec_2 ("arg3"); + static gsi::ArgSpecBase argspec_2 ("reason"); decl->add_arg::target_type & > (argspec_2); decl->set_return (); } @@ -529,12 +529,12 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QCamera::stateChanged(QCamera::State) +// void QCamera::stateChanged(QCamera::State state) static void _init_f_stateChanged_1731 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("state"); decl->add_arg::target_type & > (argspec_0); decl->set_return (); } @@ -564,12 +564,12 @@ static void _call_f_status_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QCamera::statusChanged(QCamera::Status) +// void QCamera::statusChanged(QCamera::Status status) static void _init_f_statusChanged_1862 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("status"); decl->add_arg::target_type & > (argspec_0); decl->set_return (); } @@ -862,8 +862,8 @@ static gsi::Methods methods_QCamera () { methods += new qt_gsi::GenericMethod ("lockFailed", "@brief Method void QCamera::lockFailed()\n", false, &_init_f_lockFailed_0, &_call_f_lockFailed_0); methods += new qt_gsi::GenericMethod (":lockStatus", "@brief Method QCamera::LockStatus QCamera::lockStatus()\n", true, &_init_f_lockStatus_c0, &_call_f_lockStatus_c0); methods += new qt_gsi::GenericMethod ("lockStatus", "@brief Method QCamera::LockStatus QCamera::lockStatus(QCamera::LockType lock)\n", true, &_init_f_lockStatus_c2029, &_call_f_lockStatus_c2029); - methods += new qt_gsi::GenericMethod ("lockStatusChanged", "@brief Method void QCamera::lockStatusChanged(QCamera::LockStatus, QCamera::LockChangeReason)\n", false, &_init_f_lockStatusChanged_4956, &_call_f_lockStatusChanged_4956); - methods += new qt_gsi::GenericMethod ("lockStatusChanged_withType", "@brief Method void QCamera::lockStatusChanged(QCamera::LockType, QCamera::LockStatus, QCamera::LockChangeReason)\n", false, &_init_f_lockStatusChanged_6877, &_call_f_lockStatusChanged_6877); + methods += new qt_gsi::GenericMethod ("lockStatusChanged", "@brief Method void QCamera::lockStatusChanged(QCamera::LockStatus status, QCamera::LockChangeReason reason)\n", false, &_init_f_lockStatusChanged_4956, &_call_f_lockStatusChanged_4956); + methods += new qt_gsi::GenericMethod ("lockStatusChanged_withType", "@brief Method void QCamera::lockStatusChanged(QCamera::LockType lock, QCamera::LockStatus status, QCamera::LockChangeReason reason)\n", false, &_init_f_lockStatusChanged_6877, &_call_f_lockStatusChanged_6877); methods += new qt_gsi::GenericMethod ("locked", "@brief Method void QCamera::locked()\n", false, &_init_f_locked_0, &_call_f_locked_0); methods += new qt_gsi::GenericMethod ("requestedLocks", "@brief Method QFlags QCamera::requestedLocks()\n", true, &_init_f_requestedLocks_c0, &_call_f_requestedLocks_c0); methods += new qt_gsi::GenericMethod ("searchAndLock", "@brief Method void QCamera::searchAndLock()\n", false, &_init_f_searchAndLock_0, &_call_f_searchAndLock_0); @@ -875,9 +875,9 @@ static gsi::Methods methods_QCamera () { methods += new qt_gsi::GenericMethod ("setViewfinderSettings|viewfinderSettings=", "@brief Method void QCamera::setViewfinderSettings(const QCameraViewfinderSettings &settings)\n", false, &_init_f_setViewfinderSettings_3871, &_call_f_setViewfinderSettings_3871); methods += new qt_gsi::GenericMethod ("start", "@brief Method void QCamera::start()\n", false, &_init_f_start_0, &_call_f_start_0); methods += new qt_gsi::GenericMethod (":state", "@brief Method QCamera::State QCamera::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QCamera::stateChanged(QCamera::State)\n", false, &_init_f_stateChanged_1731, &_call_f_stateChanged_1731); + methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QCamera::stateChanged(QCamera::State state)\n", false, &_init_f_stateChanged_1731, &_call_f_stateChanged_1731); methods += new qt_gsi::GenericMethod (":status", "@brief Method QCamera::Status QCamera::status()\n", true, &_init_f_status_c0, &_call_f_status_c0); - methods += new qt_gsi::GenericMethod ("statusChanged", "@brief Method void QCamera::statusChanged(QCamera::Status)\n", false, &_init_f_statusChanged_1862, &_call_f_statusChanged_1862); + methods += new qt_gsi::GenericMethod ("statusChanged", "@brief Method void QCamera::statusChanged(QCamera::Status status)\n", false, &_init_f_statusChanged_1862, &_call_f_statusChanged_1862); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QCamera::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); methods += new qt_gsi::GenericMethod ("supportedLocks", "@brief Method QFlags QCamera::supportedLocks()\n", true, &_init_f_supportedLocks_c0, &_call_f_supportedLocks_c0); methods += new qt_gsi::GenericMethod ("supportedViewfinderFrameRateRanges", "@brief Method QList QCamera::supportedViewfinderFrameRateRanges(const QCameraViewfinderSettings &settings)\n", true, &_init_f_supportedViewfinderFrameRateRanges_c3871, &_call_f_supportedViewfinderFrameRateRanges_c3871); @@ -960,8 +960,8 @@ class QCamera_Adaptor : public QCamera, public qt_gsi::QtObjectBase qt_gsi::QtObjectBase::init (this); } - // [expose] void QCamera::addPropertyWatch(QByteArray const &name) - void fp_QCamera_addPropertyWatch_2309 (QByteArray const &name) { + // [expose] void QCamera::addPropertyWatch(const QByteArray &name) + void fp_QCamera_addPropertyWatch_2309 (const QByteArray &name) { QCamera::addPropertyWatch(name); } @@ -975,8 +975,8 @@ class QCamera_Adaptor : public QCamera, public qt_gsi::QtObjectBase return QCamera::receivers(signal); } - // [expose] void QCamera::removePropertyWatch(QByteArray const &name) - void fp_QCamera_removePropertyWatch_2309 (QByteArray const &name) { + // [expose] void QCamera::removePropertyWatch(const QByteArray &name) + void fp_QCamera_removePropertyWatch_2309 (const QByteArray &name) { QCamera::removePropertyWatch(name); } @@ -1020,33 +1020,33 @@ class QCamera_Adaptor : public QCamera, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QCamera::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QCamera::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QCamera::event(arg1); + return QCamera::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QCamera_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QCamera_Adaptor::cbs_event_1217_0, _event); } else { - return QCamera::event(arg1); + return QCamera::event(_event); } } - // [adaptor impl] bool QCamera::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QCamera::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QCamera::eventFilter(arg1, arg2); + return QCamera::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QCamera_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QCamera_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QCamera::eventFilter(arg1, arg2); + return QCamera::eventFilter(watched, event); } } @@ -1095,33 +1095,33 @@ class QCamera_Adaptor : public QCamera, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QCamera::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCamera::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCamera::childEvent(arg1); + QCamera::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCamera_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCamera_Adaptor::cbs_childEvent_1701_0, event); } else { - QCamera::childEvent(arg1); + QCamera::childEvent(event); } } - // [adaptor impl] void QCamera::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCamera::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCamera::customEvent(arg1); + QCamera::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCamera_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCamera_Adaptor::cbs_customEvent_1217_0, event); } else { - QCamera::customEvent(arg1); + QCamera::customEvent(event); } } @@ -1140,18 +1140,18 @@ class QCamera_Adaptor : public QCamera, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QCamera::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QCamera::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QCamera::timerEvent(arg1); + QCamera::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QCamera_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QCamera_Adaptor::cbs_timerEvent_1730_0, event); } else { - QCamera::timerEvent(arg1); + QCamera::timerEvent(event); } } @@ -1174,7 +1174,7 @@ QCamera_Adaptor::~QCamera_Adaptor() { } static void _init_ctor_QCamera_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1183,7 +1183,7 @@ static void _call_ctor_QCamera_Adaptor_1302 (const qt_gsi::GenericStaticMethod * { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QCamera_Adaptor (arg1)); } @@ -1194,7 +1194,7 @@ static void _init_ctor_QCamera_Adaptor_3503 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("deviceName"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1204,7 +1204,7 @@ static void _call_ctor_QCamera_Adaptor_3503 (const qt_gsi::GenericStaticMethod * __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QByteArray &arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QCamera_Adaptor (arg1, arg2)); } @@ -1215,7 +1215,7 @@ static void _init_ctor_QCamera_Adaptor_3569 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("cameraInfo"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1225,7 +1225,7 @@ static void _call_ctor_QCamera_Adaptor_3569 (const qt_gsi::GenericStaticMethod * __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QCameraInfo &arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QCamera_Adaptor (arg1, arg2)); } @@ -1236,7 +1236,7 @@ static void _init_ctor_QCamera_Adaptor_3265 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("position"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1246,17 +1246,17 @@ static void _call_ctor_QCamera_Adaptor_3265 (const qt_gsi::GenericStaticMethod * __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QCamera_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2)); } -// exposed void QCamera::addPropertyWatch(QByteArray const &name) +// exposed void QCamera::addPropertyWatch(const QByteArray &name) static void _init_fp_addPropertyWatch_2309 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); + decl->add_arg (argspec_0); decl->set_return (); } @@ -1264,7 +1264,7 @@ static void _call_fp_addPropertyWatch_2309 (const qt_gsi::GenericMethod * /*decl { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QByteArray const &arg1 = gsi::arg_reader() (args, heap); + const QByteArray &arg1 = gsi::arg_reader() (args, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QCamera_Adaptor *)cls)->fp_QCamera_addPropertyWatch_2309 (arg1); } @@ -1312,11 +1312,11 @@ static void _set_callback_cbs_bind_1302_0 (void *cls, const gsi::Callback &cb) } -// void QCamera::childEvent(QChildEvent *) +// void QCamera::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1336,11 +1336,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QCamera::customEvent(QEvent *) +// void QCamera::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1384,11 +1384,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QCamera::event(QEvent *) +// bool QCamera::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1407,13 +1407,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QCamera::eventFilter(QObject *, QEvent *) +// bool QCamera::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1488,12 +1488,12 @@ static void _call_fp_receivers_c1731 (const qt_gsi::GenericMethod * /*decl*/, vo } -// exposed void QCamera::removePropertyWatch(QByteArray const &name) +// exposed void QCamera::removePropertyWatch(const QByteArray &name) static void _init_fp_removePropertyWatch_2309 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); + decl->add_arg (argspec_0); decl->set_return (); } @@ -1501,7 +1501,7 @@ static void _call_fp_removePropertyWatch_2309 (const qt_gsi::GenericMethod * /*d { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QByteArray const &arg1 = gsi::arg_reader() (args, heap); + const QByteArray &arg1 = gsi::arg_reader() (args, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QCamera_Adaptor *)cls)->fp_QCamera_removePropertyWatch_2309 (arg1); } @@ -1554,11 +1554,11 @@ static void _set_callback_cbs_service_c0_0 (void *cls, const gsi::Callback &cb) } -// void QCamera::timerEvent(QTimerEvent *) +// void QCamera::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1613,31 +1613,31 @@ static gsi::Methods methods_QCamera_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCamera::QCamera(const QByteArray &deviceName, QObject *parent)\nThis method creates an object of class QCamera.", &_init_ctor_QCamera_Adaptor_3503, &_call_ctor_QCamera_Adaptor_3503); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCamera::QCamera(const QCameraInfo &cameraInfo, QObject *parent)\nThis method creates an object of class QCamera.", &_init_ctor_QCamera_Adaptor_3569, &_call_ctor_QCamera_Adaptor_3569); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCamera::QCamera(QCamera::Position position, QObject *parent)\nThis method creates an object of class QCamera.", &_init_ctor_QCamera_Adaptor_3265, &_call_ctor_QCamera_Adaptor_3265); - methods += new qt_gsi::GenericMethod ("*addPropertyWatch", "@brief Method void QCamera::addPropertyWatch(QByteArray const &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_addPropertyWatch_2309, &_call_fp_addPropertyWatch_2309); + methods += new qt_gsi::GenericMethod ("*addPropertyWatch", "@brief Method void QCamera::addPropertyWatch(const QByteArray &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_addPropertyWatch_2309, &_call_fp_addPropertyWatch_2309); methods += new qt_gsi::GenericMethod ("availability", "@brief Virtual method QMultimedia::AvailabilityStatus QCamera::availability()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0); methods += new qt_gsi::GenericMethod ("availability", "@hide", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0, &_set_callback_cbs_availability_c0_0); methods += new qt_gsi::GenericMethod ("bind", "@brief Virtual method bool QCamera::bind(QObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_bind_1302_0, &_call_cbs_bind_1302_0); methods += new qt_gsi::GenericMethod ("bind", "@hide", false, &_init_cbs_bind_1302_0, &_call_cbs_bind_1302_0, &_set_callback_cbs_bind_1302_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCamera::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCamera::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCamera::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCamera::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCamera::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCamera::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCamera::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCamera::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCamera::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isAvailable", "@brief Virtual method bool QCamera::isAvailable()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isAvailable_c0_0, &_call_cbs_isAvailable_c0_0); methods += new qt_gsi::GenericMethod ("isAvailable", "@hide", true, &_init_cbs_isAvailable_c0_0, &_call_cbs_isAvailable_c0_0, &_set_callback_cbs_isAvailable_c0_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCamera::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCamera::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); - methods += new qt_gsi::GenericMethod ("*removePropertyWatch", "@brief Method void QCamera::removePropertyWatch(QByteArray const &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_removePropertyWatch_2309, &_call_fp_removePropertyWatch_2309); + methods += new qt_gsi::GenericMethod ("*removePropertyWatch", "@brief Method void QCamera::removePropertyWatch(const QByteArray &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_removePropertyWatch_2309, &_call_fp_removePropertyWatch_2309); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCamera::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCamera::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("service", "@brief Virtual method QMediaService *QCamera::service()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_service_c0_0, &_call_cbs_service_c0_0); methods += new qt_gsi::GenericMethod ("service", "@hide", true, &_init_cbs_service_c0_0, &_call_cbs_service_c0_0, &_set_callback_cbs_service_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCamera::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCamera::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("unbind", "@brief Virtual method void QCamera::unbind(QObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_unbind_1302_0, &_call_cbs_unbind_1302_0); methods += new qt_gsi::GenericMethod ("unbind", "@hide", false, &_init_cbs_unbind_1302_0, &_call_cbs_unbind_1302_0, &_set_callback_cbs_unbind_1302_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureBufferFormatControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureBufferFormatControl.cc index 4a7d9f7c2a..7c798067ac 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureBufferFormatControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureBufferFormatControl.cc @@ -69,12 +69,12 @@ static void _call_f_bufferFormat_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QCameraCaptureBufferFormatControl::bufferFormatChanged(QVideoFrame::PixelFormat) +// void QCameraCaptureBufferFormatControl::bufferFormatChanged(QVideoFrame::PixelFormat format) static void _init_f_bufferFormatChanged_2758 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("format"); decl->add_arg::target_type & > (argspec_0); decl->set_return (); } @@ -181,7 +181,7 @@ static gsi::Methods methods_QCameraCaptureBufferFormatControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":bufferFormat", "@brief Method QVideoFrame::PixelFormat QCameraCaptureBufferFormatControl::bufferFormat()\n", true, &_init_f_bufferFormat_c0, &_call_f_bufferFormat_c0); - methods += new qt_gsi::GenericMethod ("bufferFormatChanged", "@brief Method void QCameraCaptureBufferFormatControl::bufferFormatChanged(QVideoFrame::PixelFormat)\n", false, &_init_f_bufferFormatChanged_2758, &_call_f_bufferFormatChanged_2758); + methods += new qt_gsi::GenericMethod ("bufferFormatChanged", "@brief Method void QCameraCaptureBufferFormatControl::bufferFormatChanged(QVideoFrame::PixelFormat format)\n", false, &_init_f_bufferFormatChanged_2758, &_call_f_bufferFormatChanged_2758); methods += new qt_gsi::GenericMethod ("setBufferFormat|bufferFormat=", "@brief Method void QCameraCaptureBufferFormatControl::setBufferFormat(QVideoFrame::PixelFormat format)\n", false, &_init_f_setBufferFormat_2758, &_call_f_setBufferFormat_2758); methods += new qt_gsi::GenericMethod ("supportedBufferFormats", "@brief Method QList QCameraCaptureBufferFormatControl::supportedBufferFormats()\n", true, &_init_f_supportedBufferFormats_c0, &_call_f_supportedBufferFormats_c0); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraCaptureBufferFormatControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); @@ -247,33 +247,33 @@ class QCameraCaptureBufferFormatControl_Adaptor : public QCameraCaptureBufferFor } } - // [adaptor impl] bool QCameraCaptureBufferFormatControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QCameraCaptureBufferFormatControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QCameraCaptureBufferFormatControl::event(arg1); + return QCameraCaptureBufferFormatControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QCameraCaptureBufferFormatControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QCameraCaptureBufferFormatControl_Adaptor::cbs_event_1217_0, _event); } else { - return QCameraCaptureBufferFormatControl::event(arg1); + return QCameraCaptureBufferFormatControl::event(_event); } } - // [adaptor impl] bool QCameraCaptureBufferFormatControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QCameraCaptureBufferFormatControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QCameraCaptureBufferFormatControl::eventFilter(arg1, arg2); + return QCameraCaptureBufferFormatControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QCameraCaptureBufferFormatControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QCameraCaptureBufferFormatControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QCameraCaptureBufferFormatControl::eventFilter(arg1, arg2); + return QCameraCaptureBufferFormatControl::eventFilter(watched, event); } } @@ -308,33 +308,33 @@ class QCameraCaptureBufferFormatControl_Adaptor : public QCameraCaptureBufferFor } } - // [adaptor impl] void QCameraCaptureBufferFormatControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCameraCaptureBufferFormatControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCameraCaptureBufferFormatControl::childEvent(arg1); + QCameraCaptureBufferFormatControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCameraCaptureBufferFormatControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCameraCaptureBufferFormatControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QCameraCaptureBufferFormatControl::childEvent(arg1); + QCameraCaptureBufferFormatControl::childEvent(event); } } - // [adaptor impl] void QCameraCaptureBufferFormatControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCameraCaptureBufferFormatControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCameraCaptureBufferFormatControl::customEvent(arg1); + QCameraCaptureBufferFormatControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCameraCaptureBufferFormatControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCameraCaptureBufferFormatControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QCameraCaptureBufferFormatControl::customEvent(arg1); + QCameraCaptureBufferFormatControl::customEvent(event); } } @@ -353,18 +353,18 @@ class QCameraCaptureBufferFormatControl_Adaptor : public QCameraCaptureBufferFor } } - // [adaptor impl] void QCameraCaptureBufferFormatControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QCameraCaptureBufferFormatControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QCameraCaptureBufferFormatControl::timerEvent(arg1); + QCameraCaptureBufferFormatControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QCameraCaptureBufferFormatControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QCameraCaptureBufferFormatControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QCameraCaptureBufferFormatControl::timerEvent(arg1); + QCameraCaptureBufferFormatControl::timerEvent(event); } } @@ -414,11 +414,11 @@ static void _set_callback_cbs_bufferFormat_c0_0 (void *cls, const gsi::Callback } -// void QCameraCaptureBufferFormatControl::childEvent(QChildEvent *) +// void QCameraCaptureBufferFormatControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -438,11 +438,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QCameraCaptureBufferFormatControl::customEvent(QEvent *) +// void QCameraCaptureBufferFormatControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -486,11 +486,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QCameraCaptureBufferFormatControl::event(QEvent *) +// bool QCameraCaptureBufferFormatControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -509,13 +509,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QCameraCaptureBufferFormatControl::eventFilter(QObject *, QEvent *) +// bool QCameraCaptureBufferFormatControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -642,11 +642,11 @@ static void _set_callback_cbs_supportedBufferFormats_c0_0 (void *cls, const gsi: } -// void QCameraCaptureBufferFormatControl::timerEvent(QTimerEvent *) +// void QCameraCaptureBufferFormatControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -676,15 +676,15 @@ static gsi::Methods methods_QCameraCaptureBufferFormatControl_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCameraCaptureBufferFormatControl::QCameraCaptureBufferFormatControl()\nThis method creates an object of class QCameraCaptureBufferFormatControl.", &_init_ctor_QCameraCaptureBufferFormatControl_Adaptor_0, &_call_ctor_QCameraCaptureBufferFormatControl_Adaptor_0); methods += new qt_gsi::GenericMethod ("bufferFormat", "@brief Virtual method QVideoFrame::PixelFormat QCameraCaptureBufferFormatControl::bufferFormat()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_bufferFormat_c0_0, &_call_cbs_bufferFormat_c0_0); methods += new qt_gsi::GenericMethod ("bufferFormat", "@hide", true, &_init_cbs_bufferFormat_c0_0, &_call_cbs_bufferFormat_c0_0, &_set_callback_cbs_bufferFormat_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraCaptureBufferFormatControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraCaptureBufferFormatControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraCaptureBufferFormatControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraCaptureBufferFormatControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraCaptureBufferFormatControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraCaptureBufferFormatControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraCaptureBufferFormatControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraCaptureBufferFormatControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraCaptureBufferFormatControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraCaptureBufferFormatControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCameraCaptureBufferFormatControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); @@ -694,7 +694,7 @@ static gsi::Methods methods_QCameraCaptureBufferFormatControl_Adaptor () { methods += new qt_gsi::GenericMethod ("setBufferFormat", "@hide", false, &_init_cbs_setBufferFormat_2758_0, &_call_cbs_setBufferFormat_2758_0, &_set_callback_cbs_setBufferFormat_2758_0); methods += new qt_gsi::GenericMethod ("supportedBufferFormats", "@brief Virtual method QList QCameraCaptureBufferFormatControl::supportedBufferFormats()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedBufferFormats_c0_0, &_call_cbs_supportedBufferFormats_c0_0); methods += new qt_gsi::GenericMethod ("supportedBufferFormats", "@hide", true, &_init_cbs_supportedBufferFormats_c0_0, &_call_cbs_supportedBufferFormats_c0_0, &_set_callback_cbs_supportedBufferFormats_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraCaptureBufferFormatControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraCaptureBufferFormatControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureDestinationControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureDestinationControl.cc index 42b6046db5..f176cc4532 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureDestinationControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureDestinationControl.cc @@ -69,12 +69,12 @@ static void _call_f_captureDestination_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QCameraCaptureDestinationControl::captureDestinationChanged(QFlags) +// void QCameraCaptureDestinationControl::captureDestinationChanged(QFlags destination) static void _init_f_captureDestinationChanged_4999 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("destination"); decl->add_arg > (argspec_0); decl->set_return (); } @@ -185,7 +185,7 @@ static gsi::Methods methods_QCameraCaptureDestinationControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":captureDestination", "@brief Method QFlags QCameraCaptureDestinationControl::captureDestination()\n", true, &_init_f_captureDestination_c0, &_call_f_captureDestination_c0); - methods += new qt_gsi::GenericMethod ("captureDestinationChanged", "@brief Method void QCameraCaptureDestinationControl::captureDestinationChanged(QFlags)\n", false, &_init_f_captureDestinationChanged_4999, &_call_f_captureDestinationChanged_4999); + methods += new qt_gsi::GenericMethod ("captureDestinationChanged", "@brief Method void QCameraCaptureDestinationControl::captureDestinationChanged(QFlags destination)\n", false, &_init_f_captureDestinationChanged_4999, &_call_f_captureDestinationChanged_4999); methods += new qt_gsi::GenericMethod ("isCaptureDestinationSupported?", "@brief Method bool QCameraCaptureDestinationControl::isCaptureDestinationSupported(QFlags destination)\n", true, &_init_f_isCaptureDestinationSupported_c4999, &_call_f_isCaptureDestinationSupported_c4999); methods += new qt_gsi::GenericMethod ("setCaptureDestination|captureDestination=", "@brief Method void QCameraCaptureDestinationControl::setCaptureDestination(QFlags destination)\n", false, &_init_f_setCaptureDestination_4999, &_call_f_setCaptureDestination_4999); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraCaptureDestinationControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); @@ -251,33 +251,33 @@ class QCameraCaptureDestinationControl_Adaptor : public QCameraCaptureDestinatio } } - // [adaptor impl] bool QCameraCaptureDestinationControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QCameraCaptureDestinationControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QCameraCaptureDestinationControl::event(arg1); + return QCameraCaptureDestinationControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QCameraCaptureDestinationControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QCameraCaptureDestinationControl_Adaptor::cbs_event_1217_0, _event); } else { - return QCameraCaptureDestinationControl::event(arg1); + return QCameraCaptureDestinationControl::event(_event); } } - // [adaptor impl] bool QCameraCaptureDestinationControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QCameraCaptureDestinationControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QCameraCaptureDestinationControl::eventFilter(arg1, arg2); + return QCameraCaptureDestinationControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QCameraCaptureDestinationControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QCameraCaptureDestinationControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QCameraCaptureDestinationControl::eventFilter(arg1, arg2); + return QCameraCaptureDestinationControl::eventFilter(watched, event); } } @@ -313,33 +313,33 @@ class QCameraCaptureDestinationControl_Adaptor : public QCameraCaptureDestinatio } } - // [adaptor impl] void QCameraCaptureDestinationControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCameraCaptureDestinationControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCameraCaptureDestinationControl::childEvent(arg1); + QCameraCaptureDestinationControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCameraCaptureDestinationControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCameraCaptureDestinationControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QCameraCaptureDestinationControl::childEvent(arg1); + QCameraCaptureDestinationControl::childEvent(event); } } - // [adaptor impl] void QCameraCaptureDestinationControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCameraCaptureDestinationControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCameraCaptureDestinationControl::customEvent(arg1); + QCameraCaptureDestinationControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCameraCaptureDestinationControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCameraCaptureDestinationControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QCameraCaptureDestinationControl::customEvent(arg1); + QCameraCaptureDestinationControl::customEvent(event); } } @@ -358,18 +358,18 @@ class QCameraCaptureDestinationControl_Adaptor : public QCameraCaptureDestinatio } } - // [adaptor impl] void QCameraCaptureDestinationControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QCameraCaptureDestinationControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QCameraCaptureDestinationControl::timerEvent(arg1); + QCameraCaptureDestinationControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QCameraCaptureDestinationControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QCameraCaptureDestinationControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QCameraCaptureDestinationControl::timerEvent(arg1); + QCameraCaptureDestinationControl::timerEvent(event); } } @@ -419,11 +419,11 @@ static void _set_callback_cbs_captureDestination_c0_0 (void *cls, const gsi::Cal } -// void QCameraCaptureDestinationControl::childEvent(QChildEvent *) +// void QCameraCaptureDestinationControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -443,11 +443,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QCameraCaptureDestinationControl::customEvent(QEvent *) +// void QCameraCaptureDestinationControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -491,11 +491,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QCameraCaptureDestinationControl::event(QEvent *) +// bool QCameraCaptureDestinationControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -514,13 +514,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QCameraCaptureDestinationControl::eventFilter(QObject *, QEvent *) +// bool QCameraCaptureDestinationControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -651,11 +651,11 @@ static void _set_callback_cbs_setCaptureDestination_4999_0 (void *cls, const gsi } -// void QCameraCaptureDestinationControl::timerEvent(QTimerEvent *) +// void QCameraCaptureDestinationControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -685,15 +685,15 @@ static gsi::Methods methods_QCameraCaptureDestinationControl_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCameraCaptureDestinationControl::QCameraCaptureDestinationControl()\nThis method creates an object of class QCameraCaptureDestinationControl.", &_init_ctor_QCameraCaptureDestinationControl_Adaptor_0, &_call_ctor_QCameraCaptureDestinationControl_Adaptor_0); methods += new qt_gsi::GenericMethod ("captureDestination", "@brief Virtual method QFlags QCameraCaptureDestinationControl::captureDestination()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_captureDestination_c0_0, &_call_cbs_captureDestination_c0_0); methods += new qt_gsi::GenericMethod ("captureDestination", "@hide", true, &_init_cbs_captureDestination_c0_0, &_call_cbs_captureDestination_c0_0, &_set_callback_cbs_captureDestination_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraCaptureDestinationControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraCaptureDestinationControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraCaptureDestinationControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraCaptureDestinationControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraCaptureDestinationControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraCaptureDestinationControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraCaptureDestinationControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraCaptureDestinationControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraCaptureDestinationControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isCaptureDestinationSupported", "@brief Virtual method bool QCameraCaptureDestinationControl::isCaptureDestinationSupported(QFlags destination)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isCaptureDestinationSupported_c4999_0, &_call_cbs_isCaptureDestinationSupported_c4999_0); methods += new qt_gsi::GenericMethod ("isCaptureDestinationSupported", "@hide", true, &_init_cbs_isCaptureDestinationSupported_c4999_0, &_call_cbs_isCaptureDestinationSupported_c4999_0, &_set_callback_cbs_isCaptureDestinationSupported_c4999_0); @@ -703,7 +703,7 @@ static gsi::Methods methods_QCameraCaptureDestinationControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraCaptureDestinationControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setCaptureDestination", "@brief Virtual method void QCameraCaptureDestinationControl::setCaptureDestination(QFlags destination)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setCaptureDestination_4999_0, &_call_cbs_setCaptureDestination_4999_0); methods += new qt_gsi::GenericMethod ("setCaptureDestination", "@hide", false, &_init_cbs_setCaptureDestination_4999_0, &_call_cbs_setCaptureDestination_4999_0, &_set_callback_cbs_setCaptureDestination_4999_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraCaptureDestinationControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraCaptureDestinationControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraControl.cc index adddaa0624..9ee0e7618c 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraControl.cc @@ -91,12 +91,12 @@ static void _call_f_captureMode_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QCameraControl::captureModeChanged(QFlags) +// void QCameraControl::captureModeChanged(QFlags mode) static void _init_f_captureModeChanged_3027 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("mode"); decl->add_arg > (argspec_0); decl->set_return (); } @@ -321,7 +321,7 @@ static gsi::Methods methods_QCameraControl () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("canChangeProperty", "@brief Method bool QCameraControl::canChangeProperty(QCameraControl::PropertyChangeType changeType, QCamera::Status status)\n", true, &_init_f_canChangeProperty_c5578, &_call_f_canChangeProperty_c5578); methods += new qt_gsi::GenericMethod (":captureMode", "@brief Method QFlags QCameraControl::captureMode()\n", true, &_init_f_captureMode_c0, &_call_f_captureMode_c0); - methods += new qt_gsi::GenericMethod ("captureModeChanged", "@brief Method void QCameraControl::captureModeChanged(QFlags)\n", false, &_init_f_captureModeChanged_3027, &_call_f_captureModeChanged_3027); + methods += new qt_gsi::GenericMethod ("captureModeChanged", "@brief Method void QCameraControl::captureModeChanged(QFlags mode)\n", false, &_init_f_captureModeChanged_3027, &_call_f_captureModeChanged_3027); methods += new qt_gsi::GenericMethod ("error", "@brief Method void QCameraControl::error(int error, const QString &errorString)\n", false, &_init_f_error_2684, &_call_f_error_2684); methods += new qt_gsi::GenericMethod ("isCaptureModeSupported?", "@brief Method bool QCameraControl::isCaptureModeSupported(QFlags mode)\n", true, &_init_f_isCaptureModeSupported_c3027, &_call_f_isCaptureModeSupported_c3027); methods += new qt_gsi::GenericMethod ("setCaptureMode|captureMode=", "@brief Method void QCameraControl::setCaptureMode(QFlags)\n", false, &_init_f_setCaptureMode_3027, &_call_f_setCaptureMode_3027); @@ -410,33 +410,33 @@ class QCameraControl_Adaptor : public QCameraControl, public qt_gsi::QtObjectBas } } - // [adaptor impl] bool QCameraControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QCameraControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QCameraControl::event(arg1); + return QCameraControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QCameraControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QCameraControl_Adaptor::cbs_event_1217_0, _event); } else { - return QCameraControl::event(arg1); + return QCameraControl::event(_event); } } - // [adaptor impl] bool QCameraControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QCameraControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QCameraControl::eventFilter(arg1, arg2); + return QCameraControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QCameraControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QCameraControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QCameraControl::eventFilter(arg1, arg2); + return QCameraControl::eventFilter(watched, event); } } @@ -518,33 +518,33 @@ class QCameraControl_Adaptor : public QCameraControl, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QCameraControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCameraControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCameraControl::childEvent(arg1); + QCameraControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCameraControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCameraControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QCameraControl::childEvent(arg1); + QCameraControl::childEvent(event); } } - // [adaptor impl] void QCameraControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCameraControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCameraControl::customEvent(arg1); + QCameraControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCameraControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCameraControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QCameraControl::customEvent(arg1); + QCameraControl::customEvent(event); } } @@ -563,18 +563,18 @@ class QCameraControl_Adaptor : public QCameraControl, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QCameraControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QCameraControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QCameraControl::timerEvent(arg1); + QCameraControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QCameraControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QCameraControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QCameraControl::timerEvent(arg1); + QCameraControl::timerEvent(event); } } @@ -654,11 +654,11 @@ static void _set_callback_cbs_captureMode_c0_0 (void *cls, const gsi::Callback & } -// void QCameraControl::childEvent(QChildEvent *) +// void QCameraControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -678,11 +678,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QCameraControl::customEvent(QEvent *) +// void QCameraControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -726,11 +726,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QCameraControl::event(QEvent *) +// bool QCameraControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -749,13 +749,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QCameraControl::eventFilter(QObject *, QEvent *) +// bool QCameraControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -948,11 +948,11 @@ static void _set_callback_cbs_status_c0_0 (void *cls, const gsi::Callback &cb) } -// void QCameraControl::timerEvent(QTimerEvent *) +// void QCameraControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -984,15 +984,15 @@ static gsi::Methods methods_QCameraControl_Adaptor () { methods += new qt_gsi::GenericMethod ("canChangeProperty", "@hide", true, &_init_cbs_canChangeProperty_c5578_0, &_call_cbs_canChangeProperty_c5578_0, &_set_callback_cbs_canChangeProperty_c5578_0); methods += new qt_gsi::GenericMethod ("captureMode", "@brief Virtual method QFlags QCameraControl::captureMode()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_captureMode_c0_0, &_call_cbs_captureMode_c0_0); methods += new qt_gsi::GenericMethod ("captureMode", "@hide", true, &_init_cbs_captureMode_c0_0, &_call_cbs_captureMode_c0_0, &_set_callback_cbs_captureMode_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isCaptureModeSupported", "@brief Virtual method bool QCameraControl::isCaptureModeSupported(QFlags mode)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isCaptureModeSupported_c3027_0, &_call_cbs_isCaptureModeSupported_c3027_0); methods += new qt_gsi::GenericMethod ("isCaptureModeSupported", "@hide", true, &_init_cbs_isCaptureModeSupported_c3027_0, &_call_cbs_isCaptureModeSupported_c3027_0, &_set_callback_cbs_isCaptureModeSupported_c3027_0); @@ -1008,7 +1008,7 @@ static gsi::Methods methods_QCameraControl_Adaptor () { methods += new qt_gsi::GenericMethod ("state", "@hide", true, &_init_cbs_state_c0_0, &_call_cbs_state_c0_0, &_set_callback_cbs_state_c0_0); methods += new qt_gsi::GenericMethod ("status", "@brief Virtual method QCamera::Status QCameraControl::status()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_status_c0_0, &_call_cbs_status_c0_0); methods += new qt_gsi::GenericMethod ("status", "@hide", true, &_init_cbs_status_c0_0, &_call_cbs_status_c0_0, &_set_callback_cbs_status_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposure.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposure.cc index 2339a4897e..6ea108d02f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposure.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposure.cc @@ -594,12 +594,12 @@ static void _call_f_shutterSpeed_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QCameraExposure::shutterSpeedChanged(double) +// void QCameraExposure::shutterSpeedChanged(double speed) static void _init_f_shutterSpeedChanged_1071 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("speed"); decl->add_arg (argspec_0); decl->set_return (); } @@ -650,7 +650,7 @@ static void _call_f_spotMeteringPoint_c0 (const qt_gsi::GenericMethod * /*decl*/ static void _init_f_supportedApertures_c1050 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("continuous", true, "0"); + static gsi::ArgSpecBase argspec_0 ("continuous", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return > (); } @@ -659,7 +659,7 @@ static void _call_f_supportedApertures_c1050 (const qt_gsi::GenericMethod * /*de { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - bool *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write > ((QList)((QCameraExposure *)cls)->supportedApertures (arg1)); } @@ -669,7 +669,7 @@ static void _call_f_supportedApertures_c1050 (const qt_gsi::GenericMethod * /*de static void _init_f_supportedIsoSensitivities_c1050 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("continuous", true, "0"); + static gsi::ArgSpecBase argspec_0 ("continuous", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return > (); } @@ -678,7 +678,7 @@ static void _call_f_supportedIsoSensitivities_c1050 (const qt_gsi::GenericMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - bool *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write > ((QList)((QCameraExposure *)cls)->supportedIsoSensitivities (arg1)); } @@ -688,7 +688,7 @@ static void _call_f_supportedIsoSensitivities_c1050 (const qt_gsi::GenericMethod static void _init_f_supportedShutterSpeeds_c1050 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("continuous", true, "0"); + static gsi::ArgSpecBase argspec_0 ("continuous", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return > (); } @@ -697,7 +697,7 @@ static void _call_f_supportedShutterSpeeds_c1050 (const qt_gsi::GenericMethod * { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - bool *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write > ((QList)((QCameraExposure *)cls)->supportedShutterSpeeds (arg1)); } @@ -790,7 +790,7 @@ static gsi::Methods methods_QCameraExposure () { methods += new qt_gsi::GenericMethod ("setMeteringMode|meteringMode=", "@brief Method void QCameraExposure::setMeteringMode(QCameraExposure::MeteringMode mode)\n", false, &_init_f_setMeteringMode_3293, &_call_f_setMeteringMode_3293); methods += new qt_gsi::GenericMethod ("setSpotMeteringPoint|spotMeteringPoint=", "@brief Method void QCameraExposure::setSpotMeteringPoint(const QPointF &point)\n", false, &_init_f_setSpotMeteringPoint_1986, &_call_f_setSpotMeteringPoint_1986); methods += new qt_gsi::GenericMethod (":shutterSpeed", "@brief Method double QCameraExposure::shutterSpeed()\n", true, &_init_f_shutterSpeed_c0, &_call_f_shutterSpeed_c0); - methods += new qt_gsi::GenericMethod ("shutterSpeedChanged", "@brief Method void QCameraExposure::shutterSpeedChanged(double)\n", false, &_init_f_shutterSpeedChanged_1071, &_call_f_shutterSpeedChanged_1071); + methods += new qt_gsi::GenericMethod ("shutterSpeedChanged", "@brief Method void QCameraExposure::shutterSpeedChanged(double speed)\n", false, &_init_f_shutterSpeedChanged_1071, &_call_f_shutterSpeedChanged_1071); methods += new qt_gsi::GenericMethod ("shutterSpeedRangeChanged", "@brief Method void QCameraExposure::shutterSpeedRangeChanged()\n", false, &_init_f_shutterSpeedRangeChanged_0, &_call_f_shutterSpeedRangeChanged_0); methods += new qt_gsi::GenericMethod (":spotMeteringPoint", "@brief Method QPointF QCameraExposure::spotMeteringPoint()\n", true, &_init_f_spotMeteringPoint_c0, &_call_f_spotMeteringPoint_c0); methods += new qt_gsi::GenericMethod ("supportedApertures", "@brief Method QList QCameraExposure::supportedApertures(bool *continuous)\n", true, &_init_f_supportedApertures_c1050, &_call_f_supportedApertures_c1050); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposureControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposureControl.cc index 07ca73f0be..eab23c2570 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposureControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposureControl.cc @@ -343,33 +343,33 @@ class QCameraExposureControl_Adaptor : public QCameraExposureControl, public qt_ } } - // [adaptor impl] bool QCameraExposureControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QCameraExposureControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QCameraExposureControl::event(arg1); + return QCameraExposureControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QCameraExposureControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QCameraExposureControl_Adaptor::cbs_event_1217_0, _event); } else { - return QCameraExposureControl::event(arg1); + return QCameraExposureControl::event(_event); } } - // [adaptor impl] bool QCameraExposureControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QCameraExposureControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QCameraExposureControl::eventFilter(arg1, arg2); + return QCameraExposureControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QCameraExposureControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QCameraExposureControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QCameraExposureControl::eventFilter(arg1, arg2); + return QCameraExposureControl::eventFilter(watched, event); } } @@ -439,33 +439,33 @@ class QCameraExposureControl_Adaptor : public QCameraExposureControl, public qt_ } } - // [adaptor impl] void QCameraExposureControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCameraExposureControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCameraExposureControl::childEvent(arg1); + QCameraExposureControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCameraExposureControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCameraExposureControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QCameraExposureControl::childEvent(arg1); + QCameraExposureControl::childEvent(event); } } - // [adaptor impl] void QCameraExposureControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCameraExposureControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCameraExposureControl::customEvent(arg1); + QCameraExposureControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCameraExposureControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCameraExposureControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QCameraExposureControl::customEvent(arg1); + QCameraExposureControl::customEvent(event); } } @@ -484,18 +484,18 @@ class QCameraExposureControl_Adaptor : public QCameraExposureControl, public qt_ } } - // [adaptor impl] void QCameraExposureControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QCameraExposureControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QCameraExposureControl::timerEvent(arg1); + QCameraExposureControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QCameraExposureControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QCameraExposureControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QCameraExposureControl::timerEvent(arg1); + QCameraExposureControl::timerEvent(event); } } @@ -551,11 +551,11 @@ static void _set_callback_cbs_actualValue_c4602_0 (void *cls, const gsi::Callbac } -// void QCameraExposureControl::childEvent(QChildEvent *) +// void QCameraExposureControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -575,11 +575,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QCameraExposureControl::customEvent(QEvent *) +// void QCameraExposureControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -623,11 +623,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QCameraExposureControl::event(QEvent *) +// bool QCameraExposureControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -646,13 +646,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QCameraExposureControl::eventFilter(QObject *, QEvent *) +// bool QCameraExposureControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -834,11 +834,11 @@ static void _set_callback_cbs_supportedParameterRange_c5544_0 (void *cls, const } -// void QCameraExposureControl::timerEvent(QTimerEvent *) +// void QCameraExposureControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -868,15 +868,15 @@ static gsi::Methods methods_QCameraExposureControl_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCameraExposureControl::QCameraExposureControl()\nThis method creates an object of class QCameraExposureControl.", &_init_ctor_QCameraExposureControl_Adaptor_0, &_call_ctor_QCameraExposureControl_Adaptor_0); methods += new qt_gsi::GenericMethod ("actualValue", "@brief Virtual method QVariant QCameraExposureControl::actualValue(QCameraExposureControl::ExposureParameter parameter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_actualValue_c4602_0, &_call_cbs_actualValue_c4602_0); methods += new qt_gsi::GenericMethod ("actualValue", "@hide", true, &_init_cbs_actualValue_c4602_0, &_call_cbs_actualValue_c4602_0, &_set_callback_cbs_actualValue_c4602_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraExposureControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraExposureControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraExposureControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraExposureControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraExposureControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraExposureControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraExposureControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraExposureControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraExposureControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isParameterSupported", "@brief Virtual method bool QCameraExposureControl::isParameterSupported(QCameraExposureControl::ExposureParameter parameter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isParameterSupported_c4602_0, &_call_cbs_isParameterSupported_c4602_0); methods += new qt_gsi::GenericMethod ("isParameterSupported", "@hide", true, &_init_cbs_isParameterSupported_c4602_0, &_call_cbs_isParameterSupported_c4602_0, &_set_callback_cbs_isParameterSupported_c4602_0); @@ -890,7 +890,7 @@ static gsi::Methods methods_QCameraExposureControl_Adaptor () { methods += new qt_gsi::GenericMethod ("setValue", "@hide", false, &_init_cbs_setValue_6613_0, &_call_cbs_setValue_6613_0, &_set_callback_cbs_setValue_6613_0); methods += new qt_gsi::GenericMethod ("supportedParameterRange", "@brief Virtual method QList QCameraExposureControl::supportedParameterRange(QCameraExposureControl::ExposureParameter parameter, bool *continuous)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedParameterRange_c5544_0, &_call_cbs_supportedParameterRange_c5544_0); methods += new qt_gsi::GenericMethod ("supportedParameterRange", "@hide", true, &_init_cbs_supportedParameterRange_c5544_0, &_call_cbs_supportedParameterRange_c5544_0, &_set_callback_cbs_supportedParameterRange_c5544_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraExposureControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraExposureControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFeedbackControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFeedbackControl.cc index 7dc246678c..4062378551 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFeedbackControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFeedbackControl.cc @@ -265,33 +265,33 @@ class QCameraFeedbackControl_Adaptor : public QCameraFeedbackControl, public qt_ return QCameraFeedbackControl::senderSignalIndex(); } - // [adaptor impl] bool QCameraFeedbackControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QCameraFeedbackControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QCameraFeedbackControl::event(arg1); + return QCameraFeedbackControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QCameraFeedbackControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QCameraFeedbackControl_Adaptor::cbs_event_1217_0, _event); } else { - return QCameraFeedbackControl::event(arg1); + return QCameraFeedbackControl::event(_event); } } - // [adaptor impl] bool QCameraFeedbackControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QCameraFeedbackControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QCameraFeedbackControl::eventFilter(arg1, arg2); + return QCameraFeedbackControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QCameraFeedbackControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QCameraFeedbackControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QCameraFeedbackControl::eventFilter(arg1, arg2); + return QCameraFeedbackControl::eventFilter(watched, event); } } @@ -377,33 +377,33 @@ class QCameraFeedbackControl_Adaptor : public QCameraFeedbackControl, public qt_ } } - // [adaptor impl] void QCameraFeedbackControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCameraFeedbackControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCameraFeedbackControl::childEvent(arg1); + QCameraFeedbackControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCameraFeedbackControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCameraFeedbackControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QCameraFeedbackControl::childEvent(arg1); + QCameraFeedbackControl::childEvent(event); } } - // [adaptor impl] void QCameraFeedbackControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCameraFeedbackControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCameraFeedbackControl::customEvent(arg1); + QCameraFeedbackControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCameraFeedbackControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCameraFeedbackControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QCameraFeedbackControl::customEvent(arg1); + QCameraFeedbackControl::customEvent(event); } } @@ -422,18 +422,18 @@ class QCameraFeedbackControl_Adaptor : public QCameraFeedbackControl, public qt_ } } - // [adaptor impl] void QCameraFeedbackControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QCameraFeedbackControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QCameraFeedbackControl::timerEvent(arg1); + QCameraFeedbackControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QCameraFeedbackControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QCameraFeedbackControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QCameraFeedbackControl::timerEvent(arg1); + QCameraFeedbackControl::timerEvent(event); } } @@ -466,11 +466,11 @@ static void _call_ctor_QCameraFeedbackControl_Adaptor_0 (const qt_gsi::GenericSt } -// void QCameraFeedbackControl::childEvent(QChildEvent *) +// void QCameraFeedbackControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -490,11 +490,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QCameraFeedbackControl::customEvent(QEvent *) +// void QCameraFeedbackControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -538,11 +538,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QCameraFeedbackControl::event(QEvent *) +// bool QCameraFeedbackControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -561,13 +561,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QCameraFeedbackControl::eventFilter(QObject *, QEvent *) +// bool QCameraFeedbackControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -773,11 +773,11 @@ static void _set_callback_cbs_setEventFeedbackSound_5577_0 (void *cls, const gsi } -// void QCameraFeedbackControl::timerEvent(QTimerEvent *) +// void QCameraFeedbackControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -805,15 +805,15 @@ gsi::Class &qtdecl_QCameraFeedbackControl (); static gsi::Methods methods_QCameraFeedbackControl_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCameraFeedbackControl::QCameraFeedbackControl()\nThis method creates an object of class QCameraFeedbackControl.", &_init_ctor_QCameraFeedbackControl_Adaptor_0, &_call_ctor_QCameraFeedbackControl_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraFeedbackControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraFeedbackControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraFeedbackControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraFeedbackControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraFeedbackControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraFeedbackControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraFeedbackControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraFeedbackControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraFeedbackControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isEventFeedbackEnabled", "@brief Virtual method bool QCameraFeedbackControl::isEventFeedbackEnabled(QCameraFeedbackControl::EventType)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isEventFeedbackEnabled_c3660_0, &_call_cbs_isEventFeedbackEnabled_c3660_0); methods += new qt_gsi::GenericMethod ("isEventFeedbackEnabled", "@hide", true, &_init_cbs_isEventFeedbackEnabled_c3660_0, &_call_cbs_isEventFeedbackEnabled_c3660_0, &_set_callback_cbs_isEventFeedbackEnabled_c3660_0); @@ -829,7 +829,7 @@ static gsi::Methods methods_QCameraFeedbackControl_Adaptor () { methods += new qt_gsi::GenericMethod ("setEventFeedbackEnabled", "@hide", false, &_init_cbs_setEventFeedbackEnabled_4416_0, &_call_cbs_setEventFeedbackEnabled_4416_0, &_set_callback_cbs_setEventFeedbackEnabled_4416_0); methods += new qt_gsi::GenericMethod ("setEventFeedbackSound", "@brief Virtual method bool QCameraFeedbackControl::setEventFeedbackSound(QCameraFeedbackControl::EventType, const QString &filePath)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setEventFeedbackSound_5577_0, &_call_cbs_setEventFeedbackSound_5577_0); methods += new qt_gsi::GenericMethod ("setEventFeedbackSound", "@hide", false, &_init_cbs_setEventFeedbackSound_5577_0, &_call_cbs_setEventFeedbackSound_5577_0, &_set_callback_cbs_setEventFeedbackSound_5577_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraFeedbackControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraFeedbackControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFlashControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFlashControl.cc index ceb6130774..4b77243704 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFlashControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFlashControl.cc @@ -252,33 +252,33 @@ class QCameraFlashControl_Adaptor : public QCameraFlashControl, public qt_gsi::Q return QCameraFlashControl::senderSignalIndex(); } - // [adaptor impl] bool QCameraFlashControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QCameraFlashControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QCameraFlashControl::event(arg1); + return QCameraFlashControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QCameraFlashControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QCameraFlashControl_Adaptor::cbs_event_1217_0, _event); } else { - return QCameraFlashControl::event(arg1); + return QCameraFlashControl::event(_event); } } - // [adaptor impl] bool QCameraFlashControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QCameraFlashControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QCameraFlashControl::eventFilter(arg1, arg2); + return QCameraFlashControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QCameraFlashControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QCameraFlashControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QCameraFlashControl::eventFilter(arg1, arg2); + return QCameraFlashControl::eventFilter(watched, event); } } @@ -344,33 +344,33 @@ class QCameraFlashControl_Adaptor : public QCameraFlashControl, public qt_gsi::Q } } - // [adaptor impl] void QCameraFlashControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCameraFlashControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCameraFlashControl::childEvent(arg1); + QCameraFlashControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCameraFlashControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCameraFlashControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QCameraFlashControl::childEvent(arg1); + QCameraFlashControl::childEvent(event); } } - // [adaptor impl] void QCameraFlashControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCameraFlashControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCameraFlashControl::customEvent(arg1); + QCameraFlashControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCameraFlashControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCameraFlashControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QCameraFlashControl::customEvent(arg1); + QCameraFlashControl::customEvent(event); } } @@ -389,18 +389,18 @@ class QCameraFlashControl_Adaptor : public QCameraFlashControl, public qt_gsi::Q } } - // [adaptor impl] void QCameraFlashControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QCameraFlashControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QCameraFlashControl::timerEvent(arg1); + QCameraFlashControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QCameraFlashControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QCameraFlashControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QCameraFlashControl::timerEvent(arg1); + QCameraFlashControl::timerEvent(event); } } @@ -432,11 +432,11 @@ static void _call_ctor_QCameraFlashControl_Adaptor_0 (const qt_gsi::GenericStati } -// void QCameraFlashControl::childEvent(QChildEvent *) +// void QCameraFlashControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -456,11 +456,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QCameraFlashControl::customEvent(QEvent *) +// void QCameraFlashControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -504,11 +504,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QCameraFlashControl::event(QEvent *) +// bool QCameraFlashControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -527,13 +527,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QCameraFlashControl::eventFilter(QObject *, QEvent *) +// bool QCameraFlashControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -702,11 +702,11 @@ static void _set_callback_cbs_setFlashMode_3656_0 (void *cls, const gsi::Callbac } -// void QCameraFlashControl::timerEvent(QTimerEvent *) +// void QCameraFlashControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -734,15 +734,15 @@ gsi::Class &qtdecl_QCameraFlashControl (); static gsi::Methods methods_QCameraFlashControl_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCameraFlashControl::QCameraFlashControl()\nThis method creates an object of class QCameraFlashControl.", &_init_ctor_QCameraFlashControl_Adaptor_0, &_call_ctor_QCameraFlashControl_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraFlashControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraFlashControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraFlashControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraFlashControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraFlashControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraFlashControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraFlashControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraFlashControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraFlashControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("flashMode", "@brief Virtual method QFlags QCameraFlashControl::flashMode()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_flashMode_c0_0, &_call_cbs_flashMode_c0_0); methods += new qt_gsi::GenericMethod ("flashMode", "@hide", true, &_init_cbs_flashMode_c0_0, &_call_cbs_flashMode_c0_0, &_set_callback_cbs_flashMode_c0_0); @@ -756,7 +756,7 @@ static gsi::Methods methods_QCameraFlashControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraFlashControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setFlashMode", "@brief Virtual method void QCameraFlashControl::setFlashMode(QFlags mode)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setFlashMode_3656_0, &_call_cbs_setFlashMode_3656_0); methods += new qt_gsi::GenericMethod ("setFlashMode", "@hide", false, &_init_cbs_setFlashMode_3656_0, &_call_cbs_setFlashMode_3656_0, &_set_callback_cbs_setFlashMode_3656_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraFlashControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraFlashControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocusControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocusControl.cc index 886b605bb2..0caf22a0cd 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocusControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocusControl.cc @@ -422,33 +422,33 @@ class QCameraFocusControl_Adaptor : public QCameraFocusControl, public qt_gsi::Q } } - // [adaptor impl] bool QCameraFocusControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QCameraFocusControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QCameraFocusControl::event(arg1); + return QCameraFocusControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QCameraFocusControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QCameraFocusControl_Adaptor::cbs_event_1217_0, _event); } else { - return QCameraFocusControl::event(arg1); + return QCameraFocusControl::event(_event); } } - // [adaptor impl] bool QCameraFocusControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QCameraFocusControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QCameraFocusControl::eventFilter(arg1, arg2); + return QCameraFocusControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QCameraFocusControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QCameraFocusControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QCameraFocusControl::eventFilter(arg1, arg2); + return QCameraFocusControl::eventFilter(watched, event); } } @@ -577,33 +577,33 @@ class QCameraFocusControl_Adaptor : public QCameraFocusControl, public qt_gsi::Q } } - // [adaptor impl] void QCameraFocusControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCameraFocusControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCameraFocusControl::childEvent(arg1); + QCameraFocusControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCameraFocusControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCameraFocusControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QCameraFocusControl::childEvent(arg1); + QCameraFocusControl::childEvent(event); } } - // [adaptor impl] void QCameraFocusControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCameraFocusControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCameraFocusControl::customEvent(arg1); + QCameraFocusControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCameraFocusControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCameraFocusControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QCameraFocusControl::customEvent(arg1); + QCameraFocusControl::customEvent(event); } } @@ -622,18 +622,18 @@ class QCameraFocusControl_Adaptor : public QCameraFocusControl, public qt_gsi::Q } } - // [adaptor impl] void QCameraFocusControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QCameraFocusControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QCameraFocusControl::timerEvent(arg1); + QCameraFocusControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QCameraFocusControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QCameraFocusControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QCameraFocusControl::timerEvent(arg1); + QCameraFocusControl::timerEvent(event); } } @@ -670,11 +670,11 @@ static void _call_ctor_QCameraFocusControl_Adaptor_0 (const qt_gsi::GenericStati } -// void QCameraFocusControl::childEvent(QChildEvent *) +// void QCameraFocusControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -694,11 +694,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QCameraFocusControl::customEvent(QEvent *) +// void QCameraFocusControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -761,11 +761,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QCameraFocusControl::event(QEvent *) +// bool QCameraFocusControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -784,13 +784,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QCameraFocusControl::eventFilter(QObject *, QEvent *) +// bool QCameraFocusControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1049,11 +1049,11 @@ static void _set_callback_cbs_setFocusPointMode_3153_0 (void *cls, const gsi::Ca } -// void QCameraFocusControl::timerEvent(QTimerEvent *) +// void QCameraFocusControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1081,17 +1081,17 @@ gsi::Class &qtdecl_QCameraFocusControl (); static gsi::Methods methods_QCameraFocusControl_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCameraFocusControl::QCameraFocusControl()\nThis method creates an object of class QCameraFocusControl.", &_init_ctor_QCameraFocusControl_Adaptor_0, &_call_ctor_QCameraFocusControl_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraFocusControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraFocusControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraFocusControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraFocusControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("customFocusPoint", "@brief Virtual method QPointF QCameraFocusControl::customFocusPoint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_customFocusPoint_c0_0, &_call_cbs_customFocusPoint_c0_0); methods += new qt_gsi::GenericMethod ("customFocusPoint", "@hide", true, &_init_cbs_customFocusPoint_c0_0, &_call_cbs_customFocusPoint_c0_0, &_set_callback_cbs_customFocusPoint_c0_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraFocusControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraFocusControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraFocusControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraFocusControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraFocusControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("focusMode", "@brief Virtual method QFlags QCameraFocusControl::focusMode()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_focusMode_c0_0, &_call_cbs_focusMode_c0_0); methods += new qt_gsi::GenericMethod ("focusMode", "@hide", true, &_init_cbs_focusMode_c0_0, &_call_cbs_focusMode_c0_0, &_set_callback_cbs_focusMode_c0_0); @@ -1113,7 +1113,7 @@ static gsi::Methods methods_QCameraFocusControl_Adaptor () { methods += new qt_gsi::GenericMethod ("setFocusMode", "@hide", false, &_init_cbs_setFocusMode_3327_0, &_call_cbs_setFocusMode_3327_0, &_set_callback_cbs_setFocusMode_3327_0); methods += new qt_gsi::GenericMethod ("setFocusPointMode", "@brief Virtual method void QCameraFocusControl::setFocusPointMode(QCameraFocus::FocusPointMode mode)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setFocusPointMode_3153_0, &_call_cbs_setFocusPointMode_3153_0); methods += new qt_gsi::GenericMethod ("setFocusPointMode", "@hide", false, &_init_cbs_setFocusPointMode_3153_0, &_call_cbs_setFocusPointMode_3153_0, &_set_callback_cbs_setFocusPointMode_3153_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraFocusControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraFocusControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCapture.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCapture.cc index a72290b4a1..04972495a7 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCapture.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCapture.cc @@ -89,12 +89,12 @@ static void _call_f_bufferFormat_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QCameraImageCapture::bufferFormatChanged(QVideoFrame::PixelFormat) +// void QCameraImageCapture::bufferFormatChanged(QVideoFrame::PixelFormat format) static void _init_f_bufferFormatChanged_2758 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("format"); decl->add_arg::target_type & > (argspec_0); decl->set_return (); } @@ -159,12 +159,12 @@ static void _call_f_captureDestination_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QCameraImageCapture::captureDestinationChanged(QFlags) +// void QCameraImageCapture::captureDestinationChanged(QFlags destination) static void _init_f_captureDestinationChanged_4999 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("destination"); decl->add_arg > (argspec_0); decl->set_return (); } @@ -250,14 +250,14 @@ static void _call_f_errorString_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QCameraImageCapture::imageAvailable(int id, const QVideoFrame &image) +// void QCameraImageCapture::imageAvailable(int id, const QVideoFrame &frame) static void _init_f_imageAvailable_3047 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("id"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("image"); + static gsi::ArgSpecBase argspec_1 ("frame"); decl->add_arg (argspec_1); decl->set_return (); } @@ -448,12 +448,12 @@ static void _call_f_mediaObject_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QCameraImageCapture::readyForCaptureChanged(bool) +// void QCameraImageCapture::readyForCaptureChanged(bool ready) static void _init_f_readyForCaptureChanged_864 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("ready"); decl->add_arg (argspec_0); decl->set_return (); } @@ -565,7 +565,7 @@ static void _init_f_supportedResolutions_c4372 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("settings", true, "QImageEncoderSettings()"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("continuous", true, "0"); + static gsi::ArgSpecBase argspec_1 ("continuous", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return > (); } @@ -575,7 +575,7 @@ static void _call_f_supportedResolutions_c4372 (const qt_gsi::GenericMethod * /* __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QImageEncoderSettings &arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QImageEncoderSettings(), heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write > ((QList)((QCameraImageCapture *)cls)->supportedResolutions (arg1, arg2)); } @@ -683,16 +683,16 @@ static gsi::Methods methods_QCameraImageCapture () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("availability", "@brief Method QMultimedia::AvailabilityStatus QCameraImageCapture::availability()\n", true, &_init_f_availability_c0, &_call_f_availability_c0); methods += new qt_gsi::GenericMethod (":bufferFormat", "@brief Method QVideoFrame::PixelFormat QCameraImageCapture::bufferFormat()\n", true, &_init_f_bufferFormat_c0, &_call_f_bufferFormat_c0); - methods += new qt_gsi::GenericMethod ("bufferFormatChanged", "@brief Method void QCameraImageCapture::bufferFormatChanged(QVideoFrame::PixelFormat)\n", false, &_init_f_bufferFormatChanged_2758, &_call_f_bufferFormatChanged_2758); + methods += new qt_gsi::GenericMethod ("bufferFormatChanged", "@brief Method void QCameraImageCapture::bufferFormatChanged(QVideoFrame::PixelFormat format)\n", false, &_init_f_bufferFormatChanged_2758, &_call_f_bufferFormatChanged_2758); methods += new qt_gsi::GenericMethod ("cancelCapture", "@brief Method void QCameraImageCapture::cancelCapture()\n", false, &_init_f_cancelCapture_0, &_call_f_cancelCapture_0); methods += new qt_gsi::GenericMethod ("capture", "@brief Method int QCameraImageCapture::capture(const QString &location)\n", false, &_init_f_capture_2025, &_call_f_capture_2025); methods += new qt_gsi::GenericMethod (":captureDestination", "@brief Method QFlags QCameraImageCapture::captureDestination()\n", true, &_init_f_captureDestination_c0, &_call_f_captureDestination_c0); - methods += new qt_gsi::GenericMethod ("captureDestinationChanged", "@brief Method void QCameraImageCapture::captureDestinationChanged(QFlags)\n", false, &_init_f_captureDestinationChanged_4999, &_call_f_captureDestinationChanged_4999); + methods += new qt_gsi::GenericMethod ("captureDestinationChanged", "@brief Method void QCameraImageCapture::captureDestinationChanged(QFlags destination)\n", false, &_init_f_captureDestinationChanged_4999, &_call_f_captureDestinationChanged_4999); methods += new qt_gsi::GenericMethod (":encodingSettings", "@brief Method QImageEncoderSettings QCameraImageCapture::encodingSettings()\n", true, &_init_f_encodingSettings_c0, &_call_f_encodingSettings_c0); methods += new qt_gsi::GenericMethod ("error", "@brief Method QCameraImageCapture::Error QCameraImageCapture::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); methods += new qt_gsi::GenericMethod ("error_sig", "@brief Method void QCameraImageCapture::error(int id, QCameraImageCapture::Error error, const QString &errorString)\n", false, &_init_f_error_5523, &_call_f_error_5523); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QCameraImageCapture::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); - methods += new qt_gsi::GenericMethod ("imageAvailable", "@brief Method void QCameraImageCapture::imageAvailable(int id, const QVideoFrame &image)\n", false, &_init_f_imageAvailable_3047, &_call_f_imageAvailable_3047); + methods += new qt_gsi::GenericMethod ("imageAvailable", "@brief Method void QCameraImageCapture::imageAvailable(int id, const QVideoFrame &frame)\n", false, &_init_f_imageAvailable_3047, &_call_f_imageAvailable_3047); methods += new qt_gsi::GenericMethod ("imageCaptured", "@brief Method void QCameraImageCapture::imageCaptured(int id, const QImage &preview)\n", false, &_init_f_imageCaptured_2536, &_call_f_imageCaptured_2536); methods += new qt_gsi::GenericMethod ("imageCodecDescription", "@brief Method QString QCameraImageCapture::imageCodecDescription(const QString &codecName)\n", true, &_init_f_imageCodecDescription_c2025, &_call_f_imageCodecDescription_c2025); methods += new qt_gsi::GenericMethod ("imageExposed", "@brief Method void QCameraImageCapture::imageExposed(int id)\n", false, &_init_f_imageExposed_767, &_call_f_imageExposed_767); @@ -702,7 +702,7 @@ static gsi::Methods methods_QCameraImageCapture () { methods += new qt_gsi::GenericMethod ("isCaptureDestinationSupported?", "@brief Method bool QCameraImageCapture::isCaptureDestinationSupported(QFlags destination)\n", true, &_init_f_isCaptureDestinationSupported_c4999, &_call_f_isCaptureDestinationSupported_c4999); methods += new qt_gsi::GenericMethod ("isReadyForCapture?|:readyForCapture", "@brief Method bool QCameraImageCapture::isReadyForCapture()\n", true, &_init_f_isReadyForCapture_c0, &_call_f_isReadyForCapture_c0); methods += new qt_gsi::GenericMethod ("mediaObject", "@brief Method QMediaObject *QCameraImageCapture::mediaObject()\nThis is a reimplementation of QMediaBindableInterface::mediaObject", true, &_init_f_mediaObject_c0, &_call_f_mediaObject_c0); - methods += new qt_gsi::GenericMethod ("readyForCaptureChanged", "@brief Method void QCameraImageCapture::readyForCaptureChanged(bool)\n", false, &_init_f_readyForCaptureChanged_864, &_call_f_readyForCaptureChanged_864); + methods += new qt_gsi::GenericMethod ("readyForCaptureChanged", "@brief Method void QCameraImageCapture::readyForCaptureChanged(bool ready)\n", false, &_init_f_readyForCaptureChanged_864, &_call_f_readyForCaptureChanged_864); methods += new qt_gsi::GenericMethod ("setBufferFormat|bufferFormat=", "@brief Method void QCameraImageCapture::setBufferFormat(const QVideoFrame::PixelFormat format)\n", false, &_init_f_setBufferFormat_3453, &_call_f_setBufferFormat_3453); methods += new qt_gsi::GenericMethod ("setCaptureDestination|captureDestination=", "@brief Method void QCameraImageCapture::setCaptureDestination(QFlags destination)\n", false, &_init_f_setCaptureDestination_4999, &_call_f_setCaptureDestination_4999); methods += new qt_gsi::GenericMethod ("setEncodingSettings|encodingSettings=", "@brief Method void QCameraImageCapture::setEncodingSettings(const QImageEncoderSettings &settings)\n", false, &_init_f_setEncodingSettings_3430, &_call_f_setEncodingSettings_3430); @@ -773,33 +773,33 @@ class QCameraImageCapture_Adaptor : public QCameraImageCapture, public qt_gsi::Q return QCameraImageCapture::senderSignalIndex(); } - // [adaptor impl] bool QCameraImageCapture::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QCameraImageCapture::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QCameraImageCapture::event(arg1); + return QCameraImageCapture::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QCameraImageCapture_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QCameraImageCapture_Adaptor::cbs_event_1217_0, _event); } else { - return QCameraImageCapture::event(arg1); + return QCameraImageCapture::event(_event); } } - // [adaptor impl] bool QCameraImageCapture::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QCameraImageCapture::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QCameraImageCapture::eventFilter(arg1, arg2); + return QCameraImageCapture::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QCameraImageCapture_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QCameraImageCapture_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QCameraImageCapture::eventFilter(arg1, arg2); + return QCameraImageCapture::eventFilter(watched, event); } } @@ -818,33 +818,33 @@ class QCameraImageCapture_Adaptor : public QCameraImageCapture, public qt_gsi::Q } } - // [adaptor impl] void QCameraImageCapture::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCameraImageCapture::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCameraImageCapture::childEvent(arg1); + QCameraImageCapture::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCameraImageCapture_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCameraImageCapture_Adaptor::cbs_childEvent_1701_0, event); } else { - QCameraImageCapture::childEvent(arg1); + QCameraImageCapture::childEvent(event); } } - // [adaptor impl] void QCameraImageCapture::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCameraImageCapture::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCameraImageCapture::customEvent(arg1); + QCameraImageCapture::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCameraImageCapture_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCameraImageCapture_Adaptor::cbs_customEvent_1217_0, event); } else { - QCameraImageCapture::customEvent(arg1); + QCameraImageCapture::customEvent(event); } } @@ -878,18 +878,18 @@ class QCameraImageCapture_Adaptor : public QCameraImageCapture, public qt_gsi::Q } } - // [adaptor impl] void QCameraImageCapture::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QCameraImageCapture::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QCameraImageCapture::timerEvent(arg1); + QCameraImageCapture::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QCameraImageCapture_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QCameraImageCapture_Adaptor::cbs_timerEvent_1730_0, event); } else { - QCameraImageCapture::timerEvent(arg1); + QCameraImageCapture::timerEvent(event); } } @@ -911,7 +911,7 @@ static void _init_ctor_QCameraImageCapture_Adaptor_2976 (qt_gsi::GenericStaticMe { static gsi::ArgSpecBase argspec_0 ("mediaObject"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -921,16 +921,16 @@ static void _call_ctor_QCameraImageCapture_Adaptor_2976 (const qt_gsi::GenericSt __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QMediaObject *arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QCameraImageCapture_Adaptor (arg1, arg2)); } -// void QCameraImageCapture::childEvent(QChildEvent *) +// void QCameraImageCapture::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -950,11 +950,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QCameraImageCapture::customEvent(QEvent *) +// void QCameraImageCapture::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -998,11 +998,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QCameraImageCapture::event(QEvent *) +// bool QCameraImageCapture::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1021,13 +1021,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QCameraImageCapture::eventFilter(QObject *, QEvent *) +// bool QCameraImageCapture::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1153,11 +1153,11 @@ static void _set_callback_cbs_setMediaObject_1782_0 (void *cls, const gsi::Callb } -// void QCameraImageCapture::timerEvent(QTimerEvent *) +// void QCameraImageCapture::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1185,15 +1185,15 @@ gsi::Class &qtdecl_QCameraImageCapture (); static gsi::Methods methods_QCameraImageCapture_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCameraImageCapture::QCameraImageCapture(QMediaObject *mediaObject, QObject *parent)\nThis method creates an object of class QCameraImageCapture.", &_init_ctor_QCameraImageCapture_Adaptor_2976, &_call_ctor_QCameraImageCapture_Adaptor_2976); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraImageCapture::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraImageCapture::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraImageCapture::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraImageCapture::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraImageCapture::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraImageCapture::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraImageCapture::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraImageCapture::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraImageCapture::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraImageCapture::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("mediaObject", "@brief Virtual method QMediaObject *QCameraImageCapture::mediaObject()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_mediaObject_c0_0, &_call_cbs_mediaObject_c0_0); @@ -1203,7 +1203,7 @@ static gsi::Methods methods_QCameraImageCapture_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraImageCapture::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*setMediaObject", "@brief Virtual method bool QCameraImageCapture::setMediaObject(QMediaObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setMediaObject_1782_0, &_call_cbs_setMediaObject_1782_0); methods += new qt_gsi::GenericMethod ("*setMediaObject", "@hide", false, &_init_cbs_setMediaObject_1782_0, &_call_cbs_setMediaObject_1782_0, &_set_callback_cbs_setMediaObject_1782_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraImageCapture::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraImageCapture::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCaptureControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCaptureControl.cc index d9ede777aa..07eda5a5f5 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCaptureControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCaptureControl.cc @@ -132,12 +132,12 @@ static void _call_f_error_3343 (const qt_gsi::GenericMethod * /*decl*/, void *cl } -// void QCameraImageCaptureControl::imageAvailable(int id, const QVideoFrame &buffer) +// void QCameraImageCaptureControl::imageAvailable(int requestId, const QVideoFrame &buffer) static void _init_f_imageAvailable_3047 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("id"); + static gsi::ArgSpecBase argspec_0 ("requestId"); decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("buffer"); decl->add_arg (argspec_1); @@ -155,12 +155,12 @@ static void _call_f_imageAvailable_3047 (const qt_gsi::GenericMethod * /*decl*/, } -// void QCameraImageCaptureControl::imageCaptured(int id, const QImage &preview) +// void QCameraImageCaptureControl::imageCaptured(int requestId, const QImage &preview) static void _init_f_imageCaptured_2536 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("id"); + static gsi::ArgSpecBase argspec_0 ("requestId"); decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("preview"); decl->add_arg (argspec_1); @@ -178,12 +178,12 @@ static void _call_f_imageCaptured_2536 (const qt_gsi::GenericMethod * /*decl*/, } -// void QCameraImageCaptureControl::imageExposed(int id) +// void QCameraImageCaptureControl::imageExposed(int requestId) static void _init_f_imageExposed_767 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("id"); + static gsi::ArgSpecBase argspec_0 ("requestId"); decl->add_arg (argspec_0); decl->set_return (); } @@ -224,12 +224,12 @@ static void _call_f_imageMetadataAvailable_4695 (const qt_gsi::GenericMethod * / } -// void QCameraImageCaptureControl::imageSaved(int id, const QString &fileName) +// void QCameraImageCaptureControl::imageSaved(int requestId, const QString &fileName) static void _init_f_imageSaved_2684 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("id"); + static gsi::ArgSpecBase argspec_0 ("requestId"); decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("fileName"); decl->add_arg (argspec_1); @@ -262,12 +262,12 @@ static void _call_f_isReadyForCapture_c0 (const qt_gsi::GenericMethod * /*decl*/ } -// void QCameraImageCaptureControl::readyForCaptureChanged(bool) +// void QCameraImageCaptureControl::readyForCaptureChanged(bool ready) static void _init_f_readyForCaptureChanged_864 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("ready"); decl->add_arg (argspec_0); decl->set_return (); } @@ -362,13 +362,13 @@ static gsi::Methods methods_QCameraImageCaptureControl () { methods += new qt_gsi::GenericMethod ("capture", "@brief Method int QCameraImageCaptureControl::capture(const QString &fileName)\n", false, &_init_f_capture_2025, &_call_f_capture_2025); methods += new qt_gsi::GenericMethod (":driveMode", "@brief Method QCameraImageCapture::DriveMode QCameraImageCaptureControl::driveMode()\n", true, &_init_f_driveMode_c0, &_call_f_driveMode_c0); methods += new qt_gsi::GenericMethod ("error", "@brief Method void QCameraImageCaptureControl::error(int id, int error, const QString &errorString)\n", false, &_init_f_error_3343, &_call_f_error_3343); - methods += new qt_gsi::GenericMethod ("imageAvailable", "@brief Method void QCameraImageCaptureControl::imageAvailable(int id, const QVideoFrame &buffer)\n", false, &_init_f_imageAvailable_3047, &_call_f_imageAvailable_3047); - methods += new qt_gsi::GenericMethod ("imageCaptured", "@brief Method void QCameraImageCaptureControl::imageCaptured(int id, const QImage &preview)\n", false, &_init_f_imageCaptured_2536, &_call_f_imageCaptured_2536); - methods += new qt_gsi::GenericMethod ("imageExposed", "@brief Method void QCameraImageCaptureControl::imageExposed(int id)\n", false, &_init_f_imageExposed_767, &_call_f_imageExposed_767); + methods += new qt_gsi::GenericMethod ("imageAvailable", "@brief Method void QCameraImageCaptureControl::imageAvailable(int requestId, const QVideoFrame &buffer)\n", false, &_init_f_imageAvailable_3047, &_call_f_imageAvailable_3047); + methods += new qt_gsi::GenericMethod ("imageCaptured", "@brief Method void QCameraImageCaptureControl::imageCaptured(int requestId, const QImage &preview)\n", false, &_init_f_imageCaptured_2536, &_call_f_imageCaptured_2536); + methods += new qt_gsi::GenericMethod ("imageExposed", "@brief Method void QCameraImageCaptureControl::imageExposed(int requestId)\n", false, &_init_f_imageExposed_767, &_call_f_imageExposed_767); methods += new qt_gsi::GenericMethod ("imageMetadataAvailable", "@brief Method void QCameraImageCaptureControl::imageMetadataAvailable(int id, const QString &key, const QVariant &value)\n", false, &_init_f_imageMetadataAvailable_4695, &_call_f_imageMetadataAvailable_4695); - methods += new qt_gsi::GenericMethod ("imageSaved", "@brief Method void QCameraImageCaptureControl::imageSaved(int id, const QString &fileName)\n", false, &_init_f_imageSaved_2684, &_call_f_imageSaved_2684); + methods += new qt_gsi::GenericMethod ("imageSaved", "@brief Method void QCameraImageCaptureControl::imageSaved(int requestId, const QString &fileName)\n", false, &_init_f_imageSaved_2684, &_call_f_imageSaved_2684); methods += new qt_gsi::GenericMethod ("isReadyForCapture?", "@brief Method bool QCameraImageCaptureControl::isReadyForCapture()\n", true, &_init_f_isReadyForCapture_c0, &_call_f_isReadyForCapture_c0); - methods += new qt_gsi::GenericMethod ("readyForCaptureChanged", "@brief Method void QCameraImageCaptureControl::readyForCaptureChanged(bool)\n", false, &_init_f_readyForCaptureChanged_864, &_call_f_readyForCaptureChanged_864); + methods += new qt_gsi::GenericMethod ("readyForCaptureChanged", "@brief Method void QCameraImageCaptureControl::readyForCaptureChanged(bool ready)\n", false, &_init_f_readyForCaptureChanged_864, &_call_f_readyForCaptureChanged_864); methods += new qt_gsi::GenericMethod ("setDriveMode|driveMode=", "@brief Method void QCameraImageCaptureControl::setDriveMode(QCameraImageCapture::DriveMode mode)\n", false, &_init_f_setDriveMode_3320, &_call_f_setDriveMode_3320); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraImageCaptureControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCameraImageCaptureControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); @@ -464,33 +464,33 @@ class QCameraImageCaptureControl_Adaptor : public QCameraImageCaptureControl, pu } } - // [adaptor impl] bool QCameraImageCaptureControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QCameraImageCaptureControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QCameraImageCaptureControl::event(arg1); + return QCameraImageCaptureControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QCameraImageCaptureControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QCameraImageCaptureControl_Adaptor::cbs_event_1217_0, _event); } else { - return QCameraImageCaptureControl::event(arg1); + return QCameraImageCaptureControl::event(_event); } } - // [adaptor impl] bool QCameraImageCaptureControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QCameraImageCaptureControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QCameraImageCaptureControl::eventFilter(arg1, arg2); + return QCameraImageCaptureControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QCameraImageCaptureControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QCameraImageCaptureControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QCameraImageCaptureControl::eventFilter(arg1, arg2); + return QCameraImageCaptureControl::eventFilter(watched, event); } } @@ -525,33 +525,33 @@ class QCameraImageCaptureControl_Adaptor : public QCameraImageCaptureControl, pu } } - // [adaptor impl] void QCameraImageCaptureControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCameraImageCaptureControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCameraImageCaptureControl::childEvent(arg1); + QCameraImageCaptureControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCameraImageCaptureControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCameraImageCaptureControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QCameraImageCaptureControl::childEvent(arg1); + QCameraImageCaptureControl::childEvent(event); } } - // [adaptor impl] void QCameraImageCaptureControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCameraImageCaptureControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCameraImageCaptureControl::customEvent(arg1); + QCameraImageCaptureControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCameraImageCaptureControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCameraImageCaptureControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QCameraImageCaptureControl::customEvent(arg1); + QCameraImageCaptureControl::customEvent(event); } } @@ -570,18 +570,18 @@ class QCameraImageCaptureControl_Adaptor : public QCameraImageCaptureControl, pu } } - // [adaptor impl] void QCameraImageCaptureControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QCameraImageCaptureControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QCameraImageCaptureControl::timerEvent(arg1); + QCameraImageCaptureControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QCameraImageCaptureControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QCameraImageCaptureControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QCameraImageCaptureControl::timerEvent(arg1); + QCameraImageCaptureControl::timerEvent(event); } } @@ -657,11 +657,11 @@ static void _set_callback_cbs_capture_2025_0 (void *cls, const gsi::Callback &cb } -// void QCameraImageCaptureControl::childEvent(QChildEvent *) +// void QCameraImageCaptureControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -681,11 +681,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QCameraImageCaptureControl::customEvent(QEvent *) +// void QCameraImageCaptureControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -748,11 +748,11 @@ static void _set_callback_cbs_driveMode_c0_0 (void *cls, const gsi::Callback &cb } -// bool QCameraImageCaptureControl::event(QEvent *) +// bool QCameraImageCaptureControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -771,13 +771,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QCameraImageCaptureControl::eventFilter(QObject *, QEvent *) +// bool QCameraImageCaptureControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -904,11 +904,11 @@ static void _set_callback_cbs_setDriveMode_3320_0 (void *cls, const gsi::Callbac } -// void QCameraImageCaptureControl::timerEvent(QTimerEvent *) +// void QCameraImageCaptureControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -940,17 +940,17 @@ static gsi::Methods methods_QCameraImageCaptureControl_Adaptor () { methods += new qt_gsi::GenericMethod ("cancelCapture", "@hide", false, &_init_cbs_cancelCapture_0_0, &_call_cbs_cancelCapture_0_0, &_set_callback_cbs_cancelCapture_0_0); methods += new qt_gsi::GenericMethod ("capture", "@brief Virtual method int QCameraImageCaptureControl::capture(const QString &fileName)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_capture_2025_0, &_call_cbs_capture_2025_0); methods += new qt_gsi::GenericMethod ("capture", "@hide", false, &_init_cbs_capture_2025_0, &_call_cbs_capture_2025_0, &_set_callback_cbs_capture_2025_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraImageCaptureControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraImageCaptureControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraImageCaptureControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraImageCaptureControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraImageCaptureControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("driveMode", "@brief Virtual method QCameraImageCapture::DriveMode QCameraImageCaptureControl::driveMode()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_driveMode_c0_0, &_call_cbs_driveMode_c0_0); methods += new qt_gsi::GenericMethod ("driveMode", "@hide", true, &_init_cbs_driveMode_c0_0, &_call_cbs_driveMode_c0_0, &_set_callback_cbs_driveMode_c0_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraImageCaptureControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraImageCaptureControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraImageCaptureControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraImageCaptureControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isReadyForCapture", "@brief Virtual method bool QCameraImageCaptureControl::isReadyForCapture()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isReadyForCapture_c0_0, &_call_cbs_isReadyForCapture_c0_0); methods += new qt_gsi::GenericMethod ("isReadyForCapture", "@hide", true, &_init_cbs_isReadyForCapture_c0_0, &_call_cbs_isReadyForCapture_c0_0, &_set_callback_cbs_isReadyForCapture_c0_0); @@ -960,7 +960,7 @@ static gsi::Methods methods_QCameraImageCaptureControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraImageCaptureControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setDriveMode", "@brief Virtual method void QCameraImageCaptureControl::setDriveMode(QCameraImageCapture::DriveMode mode)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setDriveMode_3320_0, &_call_cbs_setDriveMode_3320_0); methods += new qt_gsi::GenericMethod ("setDriveMode", "@hide", false, &_init_cbs_setDriveMode_3320_0, &_call_cbs_setDriveMode_3320_0, &_set_callback_cbs_setDriveMode_3320_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraImageCaptureControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraImageCaptureControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessing.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessing.cc index 1edee6fb11..47d5790ce6 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessing.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessing.cc @@ -52,6 +52,21 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } +// double QCameraImageProcessing::brightness() + + +static void _init_f_brightness_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_brightness_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((double)((QCameraImageProcessing *)cls)->brightness ()); +} + + // QCameraImageProcessing::ColorFilter QCameraImageProcessing::colorFilter() @@ -180,6 +195,26 @@ static void _call_f_saturation_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// void QCameraImageProcessing::setBrightness(double value) + + +static void _init_f_setBrightness_1071 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("value"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setBrightness_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QCameraImageProcessing *)cls)->setBrightness (arg1); +} + + // void QCameraImageProcessing::setColorFilter(QCameraImageProcessing::ColorFilter filter) @@ -407,6 +442,7 @@ namespace gsi static gsi::Methods methods_QCameraImageProcessing () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); + methods += new qt_gsi::GenericMethod ("brightness", "@brief Method double QCameraImageProcessing::brightness()\n", true, &_init_f_brightness_c0, &_call_f_brightness_c0); methods += new qt_gsi::GenericMethod (":colorFilter", "@brief Method QCameraImageProcessing::ColorFilter QCameraImageProcessing::colorFilter()\n", true, &_init_f_colorFilter_c0, &_call_f_colorFilter_c0); methods += new qt_gsi::GenericMethod (":contrast", "@brief Method double QCameraImageProcessing::contrast()\n", true, &_init_f_contrast_c0, &_call_f_contrast_c0); methods += new qt_gsi::GenericMethod (":denoisingLevel", "@brief Method double QCameraImageProcessing::denoisingLevel()\n", true, &_init_f_denoisingLevel_c0, &_call_f_denoisingLevel_c0); @@ -415,6 +451,7 @@ static gsi::Methods methods_QCameraImageProcessing () { methods += new qt_gsi::GenericMethod ("isWhiteBalanceModeSupported?", "@brief Method bool QCameraImageProcessing::isWhiteBalanceModeSupported(QCameraImageProcessing::WhiteBalanceMode mode)\n", true, &_init_f_isWhiteBalanceModeSupported_c4334, &_call_f_isWhiteBalanceModeSupported_c4334); methods += new qt_gsi::GenericMethod (":manualWhiteBalance", "@brief Method double QCameraImageProcessing::manualWhiteBalance()\n", true, &_init_f_manualWhiteBalance_c0, &_call_f_manualWhiteBalance_c0); methods += new qt_gsi::GenericMethod (":saturation", "@brief Method double QCameraImageProcessing::saturation()\n", true, &_init_f_saturation_c0, &_call_f_saturation_c0); + methods += new qt_gsi::GenericMethod ("setBrightness", "@brief Method void QCameraImageProcessing::setBrightness(double value)\n", false, &_init_f_setBrightness_1071, &_call_f_setBrightness_1071); methods += new qt_gsi::GenericMethod ("setColorFilter|colorFilter=", "@brief Method void QCameraImageProcessing::setColorFilter(QCameraImageProcessing::ColorFilter filter)\n", false, &_init_f_setColorFilter_3879, &_call_f_setColorFilter_3879); methods += new qt_gsi::GenericMethod ("setContrast|contrast=", "@brief Method void QCameraImageProcessing::setContrast(double value)\n", false, &_init_f_setContrast_1071, &_call_f_setContrast_1071); methods += new qt_gsi::GenericMethod ("setDenoisingLevel|denoisingLevel=", "@brief Method void QCameraImageProcessing::setDenoisingLevel(double value)\n", false, &_init_f_setDenoisingLevel_1071, &_call_f_setDenoisingLevel_1071); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessingControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessingControl.cc index 87075a7ec7..86e0a99636 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessingControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessingControl.cc @@ -245,33 +245,33 @@ class QCameraImageProcessingControl_Adaptor : public QCameraImageProcessingContr return QCameraImageProcessingControl::senderSignalIndex(); } - // [adaptor impl] bool QCameraImageProcessingControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QCameraImageProcessingControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QCameraImageProcessingControl::event(arg1); + return QCameraImageProcessingControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QCameraImageProcessingControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QCameraImageProcessingControl_Adaptor::cbs_event_1217_0, _event); } else { - return QCameraImageProcessingControl::event(arg1); + return QCameraImageProcessingControl::event(_event); } } - // [adaptor impl] bool QCameraImageProcessingControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QCameraImageProcessingControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QCameraImageProcessingControl::eventFilter(arg1, arg2); + return QCameraImageProcessingControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QCameraImageProcessingControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QCameraImageProcessingControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QCameraImageProcessingControl::eventFilter(arg1, arg2); + return QCameraImageProcessingControl::eventFilter(watched, event); } } @@ -341,33 +341,33 @@ class QCameraImageProcessingControl_Adaptor : public QCameraImageProcessingContr } } - // [adaptor impl] void QCameraImageProcessingControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCameraImageProcessingControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCameraImageProcessingControl::childEvent(arg1); + QCameraImageProcessingControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCameraImageProcessingControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCameraImageProcessingControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QCameraImageProcessingControl::childEvent(arg1); + QCameraImageProcessingControl::childEvent(event); } } - // [adaptor impl] void QCameraImageProcessingControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCameraImageProcessingControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCameraImageProcessingControl::customEvent(arg1); + QCameraImageProcessingControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCameraImageProcessingControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCameraImageProcessingControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QCameraImageProcessingControl::customEvent(arg1); + QCameraImageProcessingControl::customEvent(event); } } @@ -386,18 +386,18 @@ class QCameraImageProcessingControl_Adaptor : public QCameraImageProcessingContr } } - // [adaptor impl] void QCameraImageProcessingControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QCameraImageProcessingControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QCameraImageProcessingControl::timerEvent(arg1); + QCameraImageProcessingControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QCameraImageProcessingControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QCameraImageProcessingControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QCameraImageProcessingControl::timerEvent(arg1); + QCameraImageProcessingControl::timerEvent(event); } } @@ -429,11 +429,11 @@ static void _call_ctor_QCameraImageProcessingControl_Adaptor_0 (const qt_gsi::Ge } -// void QCameraImageProcessingControl::childEvent(QChildEvent *) +// void QCameraImageProcessingControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -453,11 +453,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QCameraImageProcessingControl::customEvent(QEvent *) +// void QCameraImageProcessingControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -501,11 +501,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QCameraImageProcessingControl::event(QEvent *) +// bool QCameraImageProcessingControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -524,13 +524,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QCameraImageProcessingControl::eventFilter(QObject *, QEvent *) +// bool QCameraImageProcessingControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -713,11 +713,11 @@ static void _set_callback_cbs_setParameter_7484_0 (void *cls, const gsi::Callbac } -// void QCameraImageProcessingControl::timerEvent(QTimerEvent *) +// void QCameraImageProcessingControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -745,15 +745,15 @@ gsi::Class &qtdecl_QCameraImageProcessingControl static gsi::Methods methods_QCameraImageProcessingControl_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCameraImageProcessingControl::QCameraImageProcessingControl()\nThis method creates an object of class QCameraImageProcessingControl.", &_init_ctor_QCameraImageProcessingControl_Adaptor_0, &_call_ctor_QCameraImageProcessingControl_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraImageProcessingControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraImageProcessingControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraImageProcessingControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraImageProcessingControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraImageProcessingControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraImageProcessingControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraImageProcessingControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraImageProcessingControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraImageProcessingControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isParameterSupported", "@brief Virtual method bool QCameraImageProcessingControl::isParameterSupported(QCameraImageProcessingControl::ProcessingParameter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isParameterSupported_c5473_0, &_call_cbs_isParameterSupported_c5473_0); methods += new qt_gsi::GenericMethod ("isParameterSupported", "@hide", true, &_init_cbs_isParameterSupported_c5473_0, &_call_cbs_isParameterSupported_c5473_0, &_set_callback_cbs_isParameterSupported_c5473_0); @@ -767,7 +767,7 @@ static gsi::Methods methods_QCameraImageProcessingControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraImageProcessingControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setParameter", "@brief Virtual method void QCameraImageProcessingControl::setParameter(QCameraImageProcessingControl::ProcessingParameter parameter, const QVariant &value)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setParameter_7484_0, &_call_cbs_setParameter_7484_0); methods += new qt_gsi::GenericMethod ("setParameter", "@hide", false, &_init_cbs_setParameter_7484_0, &_call_cbs_setParameter_7484_0, &_set_callback_cbs_setParameter_7484_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraImageProcessingControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraImageProcessingControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraInfoControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraInfoControl.cc index 6b4873c8d6..e5bf0bbbaf 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraInfoControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraInfoControl.cc @@ -230,63 +230,63 @@ class QCameraInfoControl_Adaptor : public QCameraInfoControl, public qt_gsi::QtO } } - // [adaptor impl] bool QCameraInfoControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QCameraInfoControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QCameraInfoControl::event(arg1); + return QCameraInfoControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QCameraInfoControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QCameraInfoControl_Adaptor::cbs_event_1217_0, _event); } else { - return QCameraInfoControl::event(arg1); + return QCameraInfoControl::event(_event); } } - // [adaptor impl] bool QCameraInfoControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QCameraInfoControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QCameraInfoControl::eventFilter(arg1, arg2); + return QCameraInfoControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QCameraInfoControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QCameraInfoControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QCameraInfoControl::eventFilter(arg1, arg2); + return QCameraInfoControl::eventFilter(watched, event); } } - // [adaptor impl] void QCameraInfoControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCameraInfoControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCameraInfoControl::childEvent(arg1); + QCameraInfoControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCameraInfoControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCameraInfoControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QCameraInfoControl::childEvent(arg1); + QCameraInfoControl::childEvent(event); } } - // [adaptor impl] void QCameraInfoControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCameraInfoControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCameraInfoControl::customEvent(arg1); + QCameraInfoControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCameraInfoControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCameraInfoControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QCameraInfoControl::customEvent(arg1); + QCameraInfoControl::customEvent(event); } } @@ -305,18 +305,18 @@ class QCameraInfoControl_Adaptor : public QCameraInfoControl, public qt_gsi::QtO } } - // [adaptor impl] void QCameraInfoControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QCameraInfoControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QCameraInfoControl::timerEvent(arg1); + QCameraInfoControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QCameraInfoControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QCameraInfoControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QCameraInfoControl::timerEvent(arg1); + QCameraInfoControl::timerEvent(event); } } @@ -392,11 +392,11 @@ static void _set_callback_cbs_cameraPosition_c2025_0 (void *cls, const gsi::Call } -// void QCameraInfoControl::childEvent(QChildEvent *) +// void QCameraInfoControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -416,11 +416,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QCameraInfoControl::customEvent(QEvent *) +// void QCameraInfoControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -464,11 +464,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QCameraInfoControl::event(QEvent *) +// bool QCameraInfoControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -487,13 +487,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QCameraInfoControl::eventFilter(QObject *, QEvent *) +// bool QCameraInfoControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -577,11 +577,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QCameraInfoControl::timerEvent(QTimerEvent *) +// void QCameraInfoControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -613,21 +613,21 @@ static gsi::Methods methods_QCameraInfoControl_Adaptor () { methods += new qt_gsi::GenericMethod ("cameraOrientation", "@hide", true, &_init_cbs_cameraOrientation_c2025_0, &_call_cbs_cameraOrientation_c2025_0, &_set_callback_cbs_cameraOrientation_c2025_0); methods += new qt_gsi::GenericMethod ("cameraPosition", "@brief Virtual method QCamera::Position QCameraInfoControl::cameraPosition(const QString &deviceName)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_cameraPosition_c2025_0, &_call_cbs_cameraPosition_c2025_0); methods += new qt_gsi::GenericMethod ("cameraPosition", "@hide", true, &_init_cbs_cameraPosition_c2025_0, &_call_cbs_cameraPosition_c2025_0, &_set_callback_cbs_cameraPosition_c2025_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraInfoControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraInfoControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraInfoControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraInfoControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraInfoControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraInfoControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraInfoControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraInfoControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraInfoControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraInfoControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCameraInfoControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCameraInfoControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraInfoControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraInfoControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraInfoControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraLocksControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraLocksControl.cc index eef8bbe9cb..1a4c6fb31f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraLocksControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraLocksControl.cc @@ -263,33 +263,33 @@ class QCameraLocksControl_Adaptor : public QCameraLocksControl, public qt_gsi::Q return QCameraLocksControl::senderSignalIndex(); } - // [adaptor impl] bool QCameraLocksControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QCameraLocksControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QCameraLocksControl::event(arg1); + return QCameraLocksControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QCameraLocksControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QCameraLocksControl_Adaptor::cbs_event_1217_0, _event); } else { - return QCameraLocksControl::event(arg1); + return QCameraLocksControl::event(_event); } } - // [adaptor impl] bool QCameraLocksControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QCameraLocksControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QCameraLocksControl::eventFilter(arg1, arg2); + return QCameraLocksControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QCameraLocksControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QCameraLocksControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QCameraLocksControl::eventFilter(arg1, arg2); + return QCameraLocksControl::eventFilter(watched, event); } } @@ -356,33 +356,33 @@ class QCameraLocksControl_Adaptor : public QCameraLocksControl, public qt_gsi::Q } } - // [adaptor impl] void QCameraLocksControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCameraLocksControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCameraLocksControl::childEvent(arg1); + QCameraLocksControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCameraLocksControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCameraLocksControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QCameraLocksControl::childEvent(arg1); + QCameraLocksControl::childEvent(event); } } - // [adaptor impl] void QCameraLocksControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCameraLocksControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCameraLocksControl::customEvent(arg1); + QCameraLocksControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCameraLocksControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCameraLocksControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QCameraLocksControl::customEvent(arg1); + QCameraLocksControl::customEvent(event); } } @@ -401,18 +401,18 @@ class QCameraLocksControl_Adaptor : public QCameraLocksControl, public qt_gsi::Q } } - // [adaptor impl] void QCameraLocksControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QCameraLocksControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QCameraLocksControl::timerEvent(arg1); + QCameraLocksControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QCameraLocksControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QCameraLocksControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QCameraLocksControl::timerEvent(arg1); + QCameraLocksControl::timerEvent(event); } } @@ -444,11 +444,11 @@ static void _call_ctor_QCameraLocksControl_Adaptor_0 (const qt_gsi::GenericStati } -// void QCameraLocksControl::childEvent(QChildEvent *) +// void QCameraLocksControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -468,11 +468,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QCameraLocksControl::customEvent(QEvent *) +// void QCameraLocksControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -516,11 +516,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QCameraLocksControl::event(QEvent *) +// bool QCameraLocksControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -539,13 +539,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QCameraLocksControl::eventFilter(QObject *, QEvent *) +// bool QCameraLocksControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -695,11 +695,11 @@ static void _set_callback_cbs_supportedLocks_c0_0 (void *cls, const gsi::Callbac } -// void QCameraLocksControl::timerEvent(QTimerEvent *) +// void QCameraLocksControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -751,15 +751,15 @@ gsi::Class &qtdecl_QCameraLocksControl (); static gsi::Methods methods_QCameraLocksControl_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCameraLocksControl::QCameraLocksControl()\nThis method creates an object of class QCameraLocksControl.", &_init_ctor_QCameraLocksControl_Adaptor_0, &_call_ctor_QCameraLocksControl_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraLocksControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraLocksControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraLocksControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraLocksControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraLocksControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraLocksControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraLocksControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraLocksControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraLocksControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraLocksControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("lockStatus", "@brief Virtual method QCamera::LockStatus QCameraLocksControl::lockStatus(QCamera::LockType lock)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_lockStatus_c2029_0, &_call_cbs_lockStatus_c2029_0); @@ -771,7 +771,7 @@ static gsi::Methods methods_QCameraLocksControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraLocksControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("supportedLocks", "@brief Virtual method QFlags QCameraLocksControl::supportedLocks()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedLocks_c0_0, &_call_cbs_supportedLocks_c0_0); methods += new qt_gsi::GenericMethod ("supportedLocks", "@hide", true, &_init_cbs_supportedLocks_c0_0, &_call_cbs_supportedLocks_c0_0, &_set_callback_cbs_supportedLocks_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraLocksControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraLocksControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("unlock", "@brief Virtual method void QCameraLocksControl::unlock(QFlags locks)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_unlock_2725_0, &_call_cbs_unlock_2725_0); methods += new qt_gsi::GenericMethod ("unlock", "@hide", false, &_init_cbs_unlock_2725_0, &_call_cbs_unlock_2725_0, &_set_callback_cbs_unlock_2725_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl.cc index f8fc6d7e27..6594d5d53e 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl.cc @@ -222,33 +222,33 @@ class QCameraViewfinderSettingsControl_Adaptor : public QCameraViewfinderSetting return QCameraViewfinderSettingsControl::senderSignalIndex(); } - // [adaptor impl] bool QCameraViewfinderSettingsControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QCameraViewfinderSettingsControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QCameraViewfinderSettingsControl::event(arg1); + return QCameraViewfinderSettingsControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QCameraViewfinderSettingsControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QCameraViewfinderSettingsControl_Adaptor::cbs_event_1217_0, _event); } else { - return QCameraViewfinderSettingsControl::event(arg1); + return QCameraViewfinderSettingsControl::event(_event); } } - // [adaptor impl] bool QCameraViewfinderSettingsControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QCameraViewfinderSettingsControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QCameraViewfinderSettingsControl::eventFilter(arg1, arg2); + return QCameraViewfinderSettingsControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QCameraViewfinderSettingsControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QCameraViewfinderSettingsControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QCameraViewfinderSettingsControl::eventFilter(arg1, arg2); + return QCameraViewfinderSettingsControl::eventFilter(watched, event); } } @@ -301,33 +301,33 @@ class QCameraViewfinderSettingsControl_Adaptor : public QCameraViewfinderSetting } } - // [adaptor impl] void QCameraViewfinderSettingsControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCameraViewfinderSettingsControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCameraViewfinderSettingsControl::childEvent(arg1); + QCameraViewfinderSettingsControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCameraViewfinderSettingsControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCameraViewfinderSettingsControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QCameraViewfinderSettingsControl::childEvent(arg1); + QCameraViewfinderSettingsControl::childEvent(event); } } - // [adaptor impl] void QCameraViewfinderSettingsControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCameraViewfinderSettingsControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCameraViewfinderSettingsControl::customEvent(arg1); + QCameraViewfinderSettingsControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCameraViewfinderSettingsControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCameraViewfinderSettingsControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QCameraViewfinderSettingsControl::customEvent(arg1); + QCameraViewfinderSettingsControl::customEvent(event); } } @@ -346,18 +346,18 @@ class QCameraViewfinderSettingsControl_Adaptor : public QCameraViewfinderSetting } } - // [adaptor impl] void QCameraViewfinderSettingsControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QCameraViewfinderSettingsControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QCameraViewfinderSettingsControl::timerEvent(arg1); + QCameraViewfinderSettingsControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QCameraViewfinderSettingsControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QCameraViewfinderSettingsControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QCameraViewfinderSettingsControl::timerEvent(arg1); + QCameraViewfinderSettingsControl::timerEvent(event); } } @@ -388,11 +388,11 @@ static void _call_ctor_QCameraViewfinderSettingsControl_Adaptor_0 (const qt_gsi: } -// void QCameraViewfinderSettingsControl::childEvent(QChildEvent *) +// void QCameraViewfinderSettingsControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -412,11 +412,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QCameraViewfinderSettingsControl::customEvent(QEvent *) +// void QCameraViewfinderSettingsControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -460,11 +460,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QCameraViewfinderSettingsControl::event(QEvent *) +// bool QCameraViewfinderSettingsControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -483,13 +483,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QCameraViewfinderSettingsControl::eventFilter(QObject *, QEvent *) +// bool QCameraViewfinderSettingsControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -623,11 +623,11 @@ static void _set_callback_cbs_setViewfinderParameter_7830_0 (void *cls, const gs } -// void QCameraViewfinderSettingsControl::timerEvent(QTimerEvent *) +// void QCameraViewfinderSettingsControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -678,15 +678,15 @@ gsi::Class &qtdecl_QCameraViewfinderSettingsCo static gsi::Methods methods_QCameraViewfinderSettingsControl_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCameraViewfinderSettingsControl::QCameraViewfinderSettingsControl()\nThis method creates an object of class QCameraViewfinderSettingsControl.", &_init_ctor_QCameraViewfinderSettingsControl_Adaptor_0, &_call_ctor_QCameraViewfinderSettingsControl_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraViewfinderSettingsControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraViewfinderSettingsControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraViewfinderSettingsControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraViewfinderSettingsControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraViewfinderSettingsControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraViewfinderSettingsControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraViewfinderSettingsControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraViewfinderSettingsControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraViewfinderSettingsControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraViewfinderSettingsControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("isViewfinderParameterSupported", "@brief Virtual method bool QCameraViewfinderSettingsControl::isViewfinderParameterSupported(QCameraViewfinderSettingsControl::ViewfinderParameter parameter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isViewfinderParameterSupported_c5819_0, &_call_cbs_isViewfinderParameterSupported_c5819_0); @@ -696,7 +696,7 @@ static gsi::Methods methods_QCameraViewfinderSettingsControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraViewfinderSettingsControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setViewfinderParameter", "@brief Virtual method void QCameraViewfinderSettingsControl::setViewfinderParameter(QCameraViewfinderSettingsControl::ViewfinderParameter parameter, const QVariant &value)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setViewfinderParameter_7830_0, &_call_cbs_setViewfinderParameter_7830_0); methods += new qt_gsi::GenericMethod ("setViewfinderParameter", "@hide", false, &_init_cbs_setViewfinderParameter_7830_0, &_call_cbs_setViewfinderParameter_7830_0, &_set_callback_cbs_setViewfinderParameter_7830_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraViewfinderSettingsControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraViewfinderSettingsControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("viewfinderParameter", "@brief Virtual method QVariant QCameraViewfinderSettingsControl::viewfinderParameter(QCameraViewfinderSettingsControl::ViewfinderParameter parameter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_viewfinderParameter_c5819_0, &_call_cbs_viewfinderParameter_c5819_0); methods += new qt_gsi::GenericMethod ("viewfinderParameter", "@hide", true, &_init_cbs_viewfinderParameter_c5819_0, &_call_cbs_viewfinderParameter_c5819_0, &_set_callback_cbs_viewfinderParameter_c5819_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl2.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl2.cc index bc322d5a6c..f1a431fbe4 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl2.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl2.cc @@ -212,33 +212,33 @@ class QCameraViewfinderSettingsControl2_Adaptor : public QCameraViewfinderSettin return QCameraViewfinderSettingsControl2::senderSignalIndex(); } - // [adaptor impl] bool QCameraViewfinderSettingsControl2::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QCameraViewfinderSettingsControl2::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QCameraViewfinderSettingsControl2::event(arg1); + return QCameraViewfinderSettingsControl2::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QCameraViewfinderSettingsControl2_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QCameraViewfinderSettingsControl2_Adaptor::cbs_event_1217_0, _event); } else { - return QCameraViewfinderSettingsControl2::event(arg1); + return QCameraViewfinderSettingsControl2::event(_event); } } - // [adaptor impl] bool QCameraViewfinderSettingsControl2::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QCameraViewfinderSettingsControl2::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QCameraViewfinderSettingsControl2::eventFilter(arg1, arg2); + return QCameraViewfinderSettingsControl2::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QCameraViewfinderSettingsControl2_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QCameraViewfinderSettingsControl2_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QCameraViewfinderSettingsControl2::eventFilter(arg1, arg2); + return QCameraViewfinderSettingsControl2::eventFilter(watched, event); } } @@ -288,33 +288,33 @@ class QCameraViewfinderSettingsControl2_Adaptor : public QCameraViewfinderSettin } } - // [adaptor impl] void QCameraViewfinderSettingsControl2::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCameraViewfinderSettingsControl2::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCameraViewfinderSettingsControl2::childEvent(arg1); + QCameraViewfinderSettingsControl2::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCameraViewfinderSettingsControl2_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCameraViewfinderSettingsControl2_Adaptor::cbs_childEvent_1701_0, event); } else { - QCameraViewfinderSettingsControl2::childEvent(arg1); + QCameraViewfinderSettingsControl2::childEvent(event); } } - // [adaptor impl] void QCameraViewfinderSettingsControl2::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCameraViewfinderSettingsControl2::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCameraViewfinderSettingsControl2::customEvent(arg1); + QCameraViewfinderSettingsControl2::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCameraViewfinderSettingsControl2_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCameraViewfinderSettingsControl2_Adaptor::cbs_customEvent_1217_0, event); } else { - QCameraViewfinderSettingsControl2::customEvent(arg1); + QCameraViewfinderSettingsControl2::customEvent(event); } } @@ -333,18 +333,18 @@ class QCameraViewfinderSettingsControl2_Adaptor : public QCameraViewfinderSettin } } - // [adaptor impl] void QCameraViewfinderSettingsControl2::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QCameraViewfinderSettingsControl2::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QCameraViewfinderSettingsControl2::timerEvent(arg1); + QCameraViewfinderSettingsControl2::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QCameraViewfinderSettingsControl2_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QCameraViewfinderSettingsControl2_Adaptor::cbs_timerEvent_1730_0, event); } else { - QCameraViewfinderSettingsControl2::timerEvent(arg1); + QCameraViewfinderSettingsControl2::timerEvent(event); } } @@ -375,11 +375,11 @@ static void _call_ctor_QCameraViewfinderSettingsControl2_Adaptor_0 (const qt_gsi } -// void QCameraViewfinderSettingsControl2::childEvent(QChildEvent *) +// void QCameraViewfinderSettingsControl2::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -399,11 +399,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QCameraViewfinderSettingsControl2::customEvent(QEvent *) +// void QCameraViewfinderSettingsControl2::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -447,11 +447,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QCameraViewfinderSettingsControl2::event(QEvent *) +// bool QCameraViewfinderSettingsControl2::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -470,13 +470,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QCameraViewfinderSettingsControl2::eventFilter(QObject *, QEvent *) +// bool QCameraViewfinderSettingsControl2::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -603,11 +603,11 @@ static void _set_callback_cbs_supportedViewfinderSettings_c0_0 (void *cls, const } -// void QCameraViewfinderSettingsControl2::timerEvent(QTimerEvent *) +// void QCameraViewfinderSettingsControl2::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -654,15 +654,15 @@ gsi::Class &qtdecl_QCameraViewfinderSettingsC static gsi::Methods methods_QCameraViewfinderSettingsControl2_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCameraViewfinderSettingsControl2::QCameraViewfinderSettingsControl2()\nThis method creates an object of class QCameraViewfinderSettingsControl2.", &_init_ctor_QCameraViewfinderSettingsControl2_Adaptor_0, &_call_ctor_QCameraViewfinderSettingsControl2_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraViewfinderSettingsControl2::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraViewfinderSettingsControl2::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraViewfinderSettingsControl2::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraViewfinderSettingsControl2::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraViewfinderSettingsControl2::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraViewfinderSettingsControl2::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraViewfinderSettingsControl2::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraViewfinderSettingsControl2::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraViewfinderSettingsControl2::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraViewfinderSettingsControl2::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCameraViewfinderSettingsControl2::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); @@ -672,7 +672,7 @@ static gsi::Methods methods_QCameraViewfinderSettingsControl2_Adaptor () { methods += new qt_gsi::GenericMethod ("setViewfinderSettings", "@hide", false, &_init_cbs_setViewfinderSettings_3871_0, &_call_cbs_setViewfinderSettings_3871_0, &_set_callback_cbs_setViewfinderSettings_3871_0); methods += new qt_gsi::GenericMethod ("supportedViewfinderSettings", "@brief Virtual method QList QCameraViewfinderSettingsControl2::supportedViewfinderSettings()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedViewfinderSettings_c0_0, &_call_cbs_supportedViewfinderSettings_c0_0); methods += new qt_gsi::GenericMethod ("supportedViewfinderSettings", "@hide", true, &_init_cbs_supportedViewfinderSettings_c0_0, &_call_cbs_supportedViewfinderSettings_c0_0, &_set_callback_cbs_supportedViewfinderSettings_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraViewfinderSettingsControl2::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraViewfinderSettingsControl2::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("viewfinderSettings", "@brief Virtual method QCameraViewfinderSettings QCameraViewfinderSettingsControl2::viewfinderSettings()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_viewfinderSettings_c0_0, &_call_cbs_viewfinderSettings_c0_0); methods += new qt_gsi::GenericMethod ("viewfinderSettings", "@hide", true, &_init_cbs_viewfinderSettings_c0_0, &_call_cbs_viewfinderSettings_c0_0, &_set_callback_cbs_viewfinderSettings_c0_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraZoomControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraZoomControl.cc index 8dc9429864..5d9c86fa1d 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraZoomControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraZoomControl.cc @@ -434,33 +434,33 @@ class QCameraZoomControl_Adaptor : public QCameraZoomControl, public qt_gsi::QtO } } - // [adaptor impl] bool QCameraZoomControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QCameraZoomControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QCameraZoomControl::event(arg1); + return QCameraZoomControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QCameraZoomControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QCameraZoomControl_Adaptor::cbs_event_1217_0, _event); } else { - return QCameraZoomControl::event(arg1); + return QCameraZoomControl::event(_event); } } - // [adaptor impl] bool QCameraZoomControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QCameraZoomControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QCameraZoomControl::eventFilter(arg1, arg2); + return QCameraZoomControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QCameraZoomControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QCameraZoomControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QCameraZoomControl::eventFilter(arg1, arg2); + return QCameraZoomControl::eventFilter(watched, event); } } @@ -541,33 +541,33 @@ class QCameraZoomControl_Adaptor : public QCameraZoomControl, public qt_gsi::QtO } } - // [adaptor impl] void QCameraZoomControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCameraZoomControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCameraZoomControl::childEvent(arg1); + QCameraZoomControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCameraZoomControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCameraZoomControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QCameraZoomControl::childEvent(arg1); + QCameraZoomControl::childEvent(event); } } - // [adaptor impl] void QCameraZoomControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCameraZoomControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCameraZoomControl::customEvent(arg1); + QCameraZoomControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCameraZoomControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCameraZoomControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QCameraZoomControl::customEvent(arg1); + QCameraZoomControl::customEvent(event); } } @@ -586,18 +586,18 @@ class QCameraZoomControl_Adaptor : public QCameraZoomControl, public qt_gsi::QtO } } - // [adaptor impl] void QCameraZoomControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QCameraZoomControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QCameraZoomControl::timerEvent(arg1); + QCameraZoomControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QCameraZoomControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QCameraZoomControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QCameraZoomControl::timerEvent(arg1); + QCameraZoomControl::timerEvent(event); } } @@ -632,11 +632,11 @@ static void _call_ctor_QCameraZoomControl_Adaptor_0 (const qt_gsi::GenericStatic } -// void QCameraZoomControl::childEvent(QChildEvent *) +// void QCameraZoomControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -694,11 +694,11 @@ static void _set_callback_cbs_currentOpticalZoom_c0_0 (void *cls, const gsi::Cal } -// void QCameraZoomControl::customEvent(QEvent *) +// void QCameraZoomControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -742,11 +742,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QCameraZoomControl::event(QEvent *) +// bool QCameraZoomControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -765,13 +765,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QCameraZoomControl::eventFilter(QObject *, QEvent *) +// bool QCameraZoomControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -931,11 +931,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QCameraZoomControl::timerEvent(QTimerEvent *) +// void QCameraZoomControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -990,19 +990,19 @@ gsi::Class &qtdecl_QCameraZoomControl (); static gsi::Methods methods_QCameraZoomControl_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCameraZoomControl::QCameraZoomControl()\nThis method creates an object of class QCameraZoomControl.", &_init_ctor_QCameraZoomControl_Adaptor_0, &_call_ctor_QCameraZoomControl_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraZoomControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraZoomControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("currentDigitalZoom", "@brief Virtual method double QCameraZoomControl::currentDigitalZoom()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_currentDigitalZoom_c0_0, &_call_cbs_currentDigitalZoom_c0_0); methods += new qt_gsi::GenericMethod ("currentDigitalZoom", "@hide", true, &_init_cbs_currentDigitalZoom_c0_0, &_call_cbs_currentDigitalZoom_c0_0, &_set_callback_cbs_currentDigitalZoom_c0_0); methods += new qt_gsi::GenericMethod ("currentOpticalZoom", "@brief Virtual method double QCameraZoomControl::currentOpticalZoom()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_currentOpticalZoom_c0_0, &_call_cbs_currentOpticalZoom_c0_0); methods += new qt_gsi::GenericMethod ("currentOpticalZoom", "@hide", true, &_init_cbs_currentOpticalZoom_c0_0, &_call_cbs_currentOpticalZoom_c0_0, &_set_callback_cbs_currentOpticalZoom_c0_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraZoomControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraZoomControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraZoomControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraZoomControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraZoomControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraZoomControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraZoomControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraZoomControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("maximumDigitalZoom", "@brief Virtual method double QCameraZoomControl::maximumDigitalZoom()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_maximumDigitalZoom_c0_0, &_call_cbs_maximumDigitalZoom_c0_0); @@ -1016,7 +1016,7 @@ static gsi::Methods methods_QCameraZoomControl_Adaptor () { methods += new qt_gsi::GenericMethod ("requestedOpticalZoom", "@hide", true, &_init_cbs_requestedOpticalZoom_c0_0, &_call_cbs_requestedOpticalZoom_c0_0, &_set_callback_cbs_requestedOpticalZoom_c0_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCameraZoomControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraZoomControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraZoomControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraZoomControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("zoomTo", "@brief Virtual method void QCameraZoomControl::zoomTo(double optical, double digital)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_zoomTo_2034_0, &_call_cbs_zoomTo_2034_0); methods += new qt_gsi::GenericMethod ("zoomTo", "@hide", false, &_init_cbs_zoomTo_2034_0, &_call_cbs_zoomTo_2034_0, &_set_callback_cbs_zoomTo_2034_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCustomAudioRoleControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCustomAudioRoleControl.cc new file mode 100644 index 0000000000..95454c0726 --- /dev/null +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCustomAudioRoleControl.cc @@ -0,0 +1,707 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +/** +* @file gsiDeclQCustomAudioRoleControl.cc +* +* DO NOT EDIT THIS FILE. +* This file has been created automatically +*/ + +#include +#include +#include +#include +#include +#include +#include +#include "gsiQt.h" +#include "gsiQtMultimediaCommon.h" +#include + +// ----------------------------------------------------------------------- +// class QCustomAudioRoleControl + +// get static meta object + +static void _init_smo (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, gsi::SerialArgs &ret) +{ + ret.write (QCustomAudioRoleControl::staticMetaObject); +} + + +// QString QCustomAudioRoleControl::customAudioRole() + + +static void _init_f_customAudioRole_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_customAudioRole_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)((QCustomAudioRoleControl *)cls)->customAudioRole ()); +} + + +// void QCustomAudioRoleControl::customAudioRoleChanged(const QString &role) + + +static void _init_f_customAudioRoleChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("role"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_customAudioRoleChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QCustomAudioRoleControl *)cls)->customAudioRoleChanged (arg1); +} + + +// void QCustomAudioRoleControl::setCustomAudioRole(const QString &role) + + +static void _init_f_setCustomAudioRole_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("role"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setCustomAudioRole_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QCustomAudioRoleControl *)cls)->setCustomAudioRole (arg1); +} + + +// QStringList QCustomAudioRoleControl::supportedCustomAudioRoles() + + +static void _init_f_supportedCustomAudioRoles_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_supportedCustomAudioRoles_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QStringList)((QCustomAudioRoleControl *)cls)->supportedCustomAudioRoles ()); +} + + +// static QString QCustomAudioRoleControl::tr(const char *s, const char *c, int n) + + +static void _init_f_tr_4013 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("s"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("c", true, "nullptr"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("n", true, "-1"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_f_tr_4013 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const char *arg1 = gsi::arg_reader() (args, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); + ret.write ((QString)QCustomAudioRoleControl::tr (arg1, arg2, arg3)); +} + + +// static QString QCustomAudioRoleControl::trUtf8(const char *s, const char *c, int n) + + +static void _init_f_trUtf8_4013 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("s"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("c", true, "nullptr"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("n", true, "-1"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_f_trUtf8_4013 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const char *arg1 = gsi::arg_reader() (args, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); + ret.write ((QString)QCustomAudioRoleControl::trUtf8 (arg1, arg2, arg3)); +} + + +namespace gsi +{ + +static gsi::Methods methods_QCustomAudioRoleControl () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); + methods += new qt_gsi::GenericMethod ("customAudioRole", "@brief Method QString QCustomAudioRoleControl::customAudioRole()\n", true, &_init_f_customAudioRole_c0, &_call_f_customAudioRole_c0); + methods += new qt_gsi::GenericMethod ("customAudioRoleChanged", "@brief Method void QCustomAudioRoleControl::customAudioRoleChanged(const QString &role)\n", false, &_init_f_customAudioRoleChanged_2025, &_call_f_customAudioRoleChanged_2025); + methods += new qt_gsi::GenericMethod ("setCustomAudioRole", "@brief Method void QCustomAudioRoleControl::setCustomAudioRole(const QString &role)\n", false, &_init_f_setCustomAudioRole_2025, &_call_f_setCustomAudioRole_2025); + methods += new qt_gsi::GenericMethod ("supportedCustomAudioRoles", "@brief Method QStringList QCustomAudioRoleControl::supportedCustomAudioRoles()\n", true, &_init_f_supportedCustomAudioRoles_c0, &_call_f_supportedCustomAudioRoles_c0); + methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCustomAudioRoleControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); + methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCustomAudioRoleControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); + return methods; +} + +gsi::Class &qtdecl_QMediaControl (); + +qt_gsi::QtNativeClass decl_QCustomAudioRoleControl (qtdecl_QMediaControl (), "QtMultimedia", "QCustomAudioRoleControl_Native", + methods_QCustomAudioRoleControl (), + "@hide\n@alias QCustomAudioRoleControl"); + +GSI_QTMULTIMEDIA_PUBLIC gsi::Class &qtdecl_QCustomAudioRoleControl () { return decl_QCustomAudioRoleControl; } + +} + + +class QCustomAudioRoleControl_Adaptor : public QCustomAudioRoleControl, public qt_gsi::QtObjectBase +{ +public: + + virtual ~QCustomAudioRoleControl_Adaptor(); + + // [adaptor ctor] QCustomAudioRoleControl::QCustomAudioRoleControl() + QCustomAudioRoleControl_Adaptor() : QCustomAudioRoleControl() + { + qt_gsi::QtObjectBase::init (this); + } + + // [expose] bool QCustomAudioRoleControl::isSignalConnected(const QMetaMethod &signal) + bool fp_QCustomAudioRoleControl_isSignalConnected_c2394 (const QMetaMethod &signal) const { + return QCustomAudioRoleControl::isSignalConnected(signal); + } + + // [expose] int QCustomAudioRoleControl::receivers(const char *signal) + int fp_QCustomAudioRoleControl_receivers_c1731 (const char *signal) const { + return QCustomAudioRoleControl::receivers(signal); + } + + // [expose] QObject *QCustomAudioRoleControl::sender() + QObject * fp_QCustomAudioRoleControl_sender_c0 () const { + return QCustomAudioRoleControl::sender(); + } + + // [expose] int QCustomAudioRoleControl::senderSignalIndex() + int fp_QCustomAudioRoleControl_senderSignalIndex_c0 () const { + return QCustomAudioRoleControl::senderSignalIndex(); + } + + // [adaptor impl] QString QCustomAudioRoleControl::customAudioRole() + QString cbs_customAudioRole_c0_0() const + { + throw qt_gsi::AbstractMethodCalledException("customAudioRole"); + } + + virtual QString customAudioRole() const + { + if (cb_customAudioRole_c0_0.can_issue()) { + return cb_customAudioRole_c0_0.issue(&QCustomAudioRoleControl_Adaptor::cbs_customAudioRole_c0_0); + } else { + throw qt_gsi::AbstractMethodCalledException("customAudioRole"); + } + } + + // [adaptor impl] bool QCustomAudioRoleControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) + { + return QCustomAudioRoleControl::event(_event); + } + + virtual bool event(QEvent *_event) + { + if (cb_event_1217_0.can_issue()) { + return cb_event_1217_0.issue(&QCustomAudioRoleControl_Adaptor::cbs_event_1217_0, _event); + } else { + return QCustomAudioRoleControl::event(_event); + } + } + + // [adaptor impl] bool QCustomAudioRoleControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) + { + return QCustomAudioRoleControl::eventFilter(watched, event); + } + + virtual bool eventFilter(QObject *watched, QEvent *event) + { + if (cb_eventFilter_2411_0.can_issue()) { + return cb_eventFilter_2411_0.issue(&QCustomAudioRoleControl_Adaptor::cbs_eventFilter_2411_0, watched, event); + } else { + return QCustomAudioRoleControl::eventFilter(watched, event); + } + } + + // [adaptor impl] void QCustomAudioRoleControl::setCustomAudioRole(const QString &role) + void cbs_setCustomAudioRole_2025_0(const QString &role) + { + __SUPPRESS_UNUSED_WARNING (role); + throw qt_gsi::AbstractMethodCalledException("setCustomAudioRole"); + } + + virtual void setCustomAudioRole(const QString &role) + { + if (cb_setCustomAudioRole_2025_0.can_issue()) { + cb_setCustomAudioRole_2025_0.issue(&QCustomAudioRoleControl_Adaptor::cbs_setCustomAudioRole_2025_0, role); + } else { + throw qt_gsi::AbstractMethodCalledException("setCustomAudioRole"); + } + } + + // [adaptor impl] QStringList QCustomAudioRoleControl::supportedCustomAudioRoles() + QStringList cbs_supportedCustomAudioRoles_c0_0() const + { + throw qt_gsi::AbstractMethodCalledException("supportedCustomAudioRoles"); + } + + virtual QStringList supportedCustomAudioRoles() const + { + if (cb_supportedCustomAudioRoles_c0_0.can_issue()) { + return cb_supportedCustomAudioRoles_c0_0.issue(&QCustomAudioRoleControl_Adaptor::cbs_supportedCustomAudioRoles_c0_0); + } else { + throw qt_gsi::AbstractMethodCalledException("supportedCustomAudioRoles"); + } + } + + // [adaptor impl] void QCustomAudioRoleControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) + { + QCustomAudioRoleControl::childEvent(event); + } + + virtual void childEvent(QChildEvent *event) + { + if (cb_childEvent_1701_0.can_issue()) { + cb_childEvent_1701_0.issue(&QCustomAudioRoleControl_Adaptor::cbs_childEvent_1701_0, event); + } else { + QCustomAudioRoleControl::childEvent(event); + } + } + + // [adaptor impl] void QCustomAudioRoleControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) + { + QCustomAudioRoleControl::customEvent(event); + } + + virtual void customEvent(QEvent *event) + { + if (cb_customEvent_1217_0.can_issue()) { + cb_customEvent_1217_0.issue(&QCustomAudioRoleControl_Adaptor::cbs_customEvent_1217_0, event); + } else { + QCustomAudioRoleControl::customEvent(event); + } + } + + // [adaptor impl] void QCustomAudioRoleControl::disconnectNotify(const QMetaMethod &signal) + void cbs_disconnectNotify_2394_0(const QMetaMethod &signal) + { + QCustomAudioRoleControl::disconnectNotify(signal); + } + + virtual void disconnectNotify(const QMetaMethod &signal) + { + if (cb_disconnectNotify_2394_0.can_issue()) { + cb_disconnectNotify_2394_0.issue(&QCustomAudioRoleControl_Adaptor::cbs_disconnectNotify_2394_0, signal); + } else { + QCustomAudioRoleControl::disconnectNotify(signal); + } + } + + // [adaptor impl] void QCustomAudioRoleControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) + { + QCustomAudioRoleControl::timerEvent(event); + } + + virtual void timerEvent(QTimerEvent *event) + { + if (cb_timerEvent_1730_0.can_issue()) { + cb_timerEvent_1730_0.issue(&QCustomAudioRoleControl_Adaptor::cbs_timerEvent_1730_0, event); + } else { + QCustomAudioRoleControl::timerEvent(event); + } + } + + gsi::Callback cb_customAudioRole_c0_0; + gsi::Callback cb_event_1217_0; + gsi::Callback cb_eventFilter_2411_0; + gsi::Callback cb_setCustomAudioRole_2025_0; + gsi::Callback cb_supportedCustomAudioRoles_c0_0; + gsi::Callback cb_childEvent_1701_0; + gsi::Callback cb_customEvent_1217_0; + gsi::Callback cb_disconnectNotify_2394_0; + gsi::Callback cb_timerEvent_1730_0; +}; + +QCustomAudioRoleControl_Adaptor::~QCustomAudioRoleControl_Adaptor() { } + +// Constructor QCustomAudioRoleControl::QCustomAudioRoleControl() (adaptor class) + +static void _init_ctor_QCustomAudioRoleControl_Adaptor_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return_new (); +} + +static void _call_ctor_QCustomAudioRoleControl_Adaptor_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write (new QCustomAudioRoleControl_Adaptor ()); +} + + +// void QCustomAudioRoleControl::childEvent(QChildEvent *event) + +static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("event"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_childEvent_1701_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QChildEvent *arg1 = args.read (heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QCustomAudioRoleControl_Adaptor *)cls)->cbs_childEvent_1701_0 (arg1); +} + +static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback &cb) +{ + ((QCustomAudioRoleControl_Adaptor *)cls)->cb_childEvent_1701_0 = cb; +} + + +// QString QCustomAudioRoleControl::customAudioRole() + +static void _init_cbs_customAudioRole_c0_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_cbs_customAudioRole_c0_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)((QCustomAudioRoleControl_Adaptor *)cls)->cbs_customAudioRole_c0_0 ()); +} + +static void _set_callback_cbs_customAudioRole_c0_0 (void *cls, const gsi::Callback &cb) +{ + ((QCustomAudioRoleControl_Adaptor *)cls)->cb_customAudioRole_c0_0 = cb; +} + + +// void QCustomAudioRoleControl::customEvent(QEvent *event) + +static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("event"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_customEvent_1217_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QEvent *arg1 = args.read (heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QCustomAudioRoleControl_Adaptor *)cls)->cbs_customEvent_1217_0 (arg1); +} + +static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback &cb) +{ + ((QCustomAudioRoleControl_Adaptor *)cls)->cb_customEvent_1217_0 = cb; +} + + +// void QCustomAudioRoleControl::disconnectNotify(const QMetaMethod &signal) + +static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("signal"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_disconnectNotify_2394_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QMetaMethod &arg1 = args.read (heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QCustomAudioRoleControl_Adaptor *)cls)->cbs_disconnectNotify_2394_0 (arg1); +} + +static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Callback &cb) +{ + ((QCustomAudioRoleControl_Adaptor *)cls)->cb_disconnectNotify_2394_0 = cb; +} + + +// bool QCustomAudioRoleControl::event(QEvent *event) + +static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("event"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_event_1217_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QEvent *arg1 = args.read (heap); + ret.write ((bool)((QCustomAudioRoleControl_Adaptor *)cls)->cbs_event_1217_0 (arg1)); +} + +static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) +{ + ((QCustomAudioRoleControl_Adaptor *)cls)->cb_event_1217_0 = cb; +} + + +// bool QCustomAudioRoleControl::eventFilter(QObject *watched, QEvent *event) + +static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("watched"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("event"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_cbs_eventFilter_2411_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args.read (heap); + QEvent *arg2 = args.read (heap); + ret.write ((bool)((QCustomAudioRoleControl_Adaptor *)cls)->cbs_eventFilter_2411_0 (arg1, arg2)); +} + +static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback &cb) +{ + ((QCustomAudioRoleControl_Adaptor *)cls)->cb_eventFilter_2411_0 = cb; +} + + +// exposed bool QCustomAudioRoleControl::isSignalConnected(const QMetaMethod &signal) + +static void _init_fp_isSignalConnected_c2394 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("signal"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QMetaMethod &arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QCustomAudioRoleControl_Adaptor *)cls)->fp_QCustomAudioRoleControl_isSignalConnected_c2394 (arg1)); +} + + +// exposed int QCustomAudioRoleControl::receivers(const char *signal) + +static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("signal"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_fp_receivers_c1731 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const char *arg1 = gsi::arg_reader() (args, heap); + ret.write ((int)((QCustomAudioRoleControl_Adaptor *)cls)->fp_QCustomAudioRoleControl_receivers_c1731 (arg1)); +} + + +// exposed QObject *QCustomAudioRoleControl::sender() + +static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_fp_sender_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QObject *)((QCustomAudioRoleControl_Adaptor *)cls)->fp_QCustomAudioRoleControl_sender_c0 ()); +} + + +// exposed int QCustomAudioRoleControl::senderSignalIndex() + +static void _init_fp_senderSignalIndex_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QCustomAudioRoleControl_Adaptor *)cls)->fp_QCustomAudioRoleControl_senderSignalIndex_c0 ()); +} + + +// void QCustomAudioRoleControl::setCustomAudioRole(const QString &role) + +static void _init_cbs_setCustomAudioRole_2025_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("role"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_setCustomAudioRole_2025_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = args.read (heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QCustomAudioRoleControl_Adaptor *)cls)->cbs_setCustomAudioRole_2025_0 (arg1); +} + +static void _set_callback_cbs_setCustomAudioRole_2025_0 (void *cls, const gsi::Callback &cb) +{ + ((QCustomAudioRoleControl_Adaptor *)cls)->cb_setCustomAudioRole_2025_0 = cb; +} + + +// QStringList QCustomAudioRoleControl::supportedCustomAudioRoles() + +static void _init_cbs_supportedCustomAudioRoles_c0_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_cbs_supportedCustomAudioRoles_c0_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QStringList)((QCustomAudioRoleControl_Adaptor *)cls)->cbs_supportedCustomAudioRoles_c0_0 ()); +} + +static void _set_callback_cbs_supportedCustomAudioRoles_c0_0 (void *cls, const gsi::Callback &cb) +{ + ((QCustomAudioRoleControl_Adaptor *)cls)->cb_supportedCustomAudioRoles_c0_0 = cb; +} + + +// void QCustomAudioRoleControl::timerEvent(QTimerEvent *event) + +static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("event"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_timerEvent_1730_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QTimerEvent *arg1 = args.read (heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QCustomAudioRoleControl_Adaptor *)cls)->cbs_timerEvent_1730_0 (arg1); +} + +static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback &cb) +{ + ((QCustomAudioRoleControl_Adaptor *)cls)->cb_timerEvent_1730_0 = cb; +} + + +namespace gsi +{ + +gsi::Class &qtdecl_QCustomAudioRoleControl (); + +static gsi::Methods methods_QCustomAudioRoleControl_Adaptor () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCustomAudioRoleControl::QCustomAudioRoleControl()\nThis method creates an object of class QCustomAudioRoleControl.", &_init_ctor_QCustomAudioRoleControl_Adaptor_0, &_call_ctor_QCustomAudioRoleControl_Adaptor_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCustomAudioRoleControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("customAudioRole", "@brief Virtual method QString QCustomAudioRoleControl::customAudioRole()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_customAudioRole_c0_0, &_call_cbs_customAudioRole_c0_0); + methods += new qt_gsi::GenericMethod ("customAudioRole", "@hide", true, &_init_cbs_customAudioRole_c0_0, &_call_cbs_customAudioRole_c0_0, &_set_callback_cbs_customAudioRole_c0_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCustomAudioRoleControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCustomAudioRoleControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCustomAudioRoleControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCustomAudioRoleControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCustomAudioRoleControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCustomAudioRoleControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); + methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCustomAudioRoleControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); + methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCustomAudioRoleControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); + methods += new qt_gsi::GenericMethod ("setCustomAudioRole", "@brief Virtual method void QCustomAudioRoleControl::setCustomAudioRole(const QString &role)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setCustomAudioRole_2025_0, &_call_cbs_setCustomAudioRole_2025_0); + methods += new qt_gsi::GenericMethod ("setCustomAudioRole", "@hide", false, &_init_cbs_setCustomAudioRole_2025_0, &_call_cbs_setCustomAudioRole_2025_0, &_set_callback_cbs_setCustomAudioRole_2025_0); + methods += new qt_gsi::GenericMethod ("supportedCustomAudioRoles", "@brief Virtual method QStringList QCustomAudioRoleControl::supportedCustomAudioRoles()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedCustomAudioRoles_c0_0, &_call_cbs_supportedCustomAudioRoles_c0_0); + methods += new qt_gsi::GenericMethod ("supportedCustomAudioRoles", "@hide", true, &_init_cbs_supportedCustomAudioRoles_c0_0, &_call_cbs_supportedCustomAudioRoles_c0_0, &_set_callback_cbs_supportedCustomAudioRoles_c0_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCustomAudioRoleControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + return methods; +} + +gsi::Class decl_QCustomAudioRoleControl_Adaptor (qtdecl_QCustomAudioRoleControl (), "QtMultimedia", "QCustomAudioRoleControl", + methods_QCustomAudioRoleControl_Adaptor (), + "@qt\n@brief Binding of QCustomAudioRoleControl"); + +} + diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQGraphicsVideoItem.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQGraphicsVideoItem.cc index d25dd1e5dd..338f79cec3 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQGraphicsVideoItem.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQGraphicsVideoItem.cc @@ -186,7 +186,7 @@ static void _init_f_paint_6301 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("option"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_2 ("widget", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -197,7 +197,7 @@ static void _call_f_paint_6301 (const qt_gsi::GenericMethod * /*decl*/, void *cl tl::Heap heap; QPainter *arg1 = gsi::arg_reader() (args, heap); const QStyleOptionGraphicsItem *arg2 = gsi::arg_reader() (args, heap); - QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QGraphicsVideoItem *)cls)->paint (arg1, arg2, arg3); } @@ -549,18 +549,18 @@ class QGraphicsVideoItem_Adaptor : public QGraphicsVideoItem, public qt_gsi::QtO } } - // [adaptor impl] bool QGraphicsVideoItem::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QGraphicsVideoItem::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QGraphicsVideoItem::eventFilter(arg1, arg2); + return QGraphicsVideoItem::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QGraphicsVideoItem_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QGraphicsVideoItem_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QGraphicsVideoItem::eventFilter(arg1, arg2); + return QGraphicsVideoItem::eventFilter(watched, event); } } @@ -654,18 +654,18 @@ class QGraphicsVideoItem_Adaptor : public QGraphicsVideoItem, public qt_gsi::QtO } } - // [adaptor impl] void QGraphicsVideoItem::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGraphicsVideoItem::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGraphicsVideoItem::childEvent(arg1); + QGraphicsVideoItem::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGraphicsVideoItem_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGraphicsVideoItem_Adaptor::cbs_childEvent_1701_0, event); } else { - QGraphicsVideoItem::childEvent(arg1); + QGraphicsVideoItem::childEvent(event); } } @@ -684,18 +684,18 @@ class QGraphicsVideoItem_Adaptor : public QGraphicsVideoItem, public qt_gsi::QtO } } - // [adaptor impl] void QGraphicsVideoItem::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGraphicsVideoItem::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGraphicsVideoItem::customEvent(arg1); + QGraphicsVideoItem::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGraphicsVideoItem_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGraphicsVideoItem_Adaptor::cbs_customEvent_1217_0, event); } else { - QGraphicsVideoItem::customEvent(arg1); + QGraphicsVideoItem::customEvent(event); } } @@ -1170,7 +1170,7 @@ QGraphicsVideoItem_Adaptor::~QGraphicsVideoItem_Adaptor() { } static void _init_ctor_QGraphicsVideoItem_Adaptor_1919 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1179,7 +1179,7 @@ static void _call_ctor_QGraphicsVideoItem_Adaptor_1919 (const qt_gsi::GenericSta { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsVideoItem_Adaptor (arg1)); } @@ -1242,11 +1242,11 @@ static void _set_callback_cbs_boundingRect_c0_0 (void *cls, const gsi::Callback } -// void QGraphicsVideoItem::childEvent(QChildEvent *) +// void QGraphicsVideoItem::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1365,11 +1365,11 @@ static void _set_callback_cbs_contextMenuEvent_3674_0 (void *cls, const gsi::Cal } -// void QGraphicsVideoItem::customEvent(QEvent *) +// void QGraphicsVideoItem::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1532,13 +1532,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QGraphicsVideoItem::eventFilter(QObject *, QEvent *) +// bool QGraphicsVideoItem::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2339,7 +2339,7 @@ static gsi::Methods methods_QGraphicsVideoItem_Adaptor () { methods += new qt_gsi::GenericMethod ("advance", "@hide", false, &_init_cbs_advance_767_0, &_call_cbs_advance_767_0, &_set_callback_cbs_advance_767_0); methods += new qt_gsi::GenericMethod ("boundingRect", "@brief Virtual method QRectF QGraphicsVideoItem::boundingRect()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_boundingRect_c0_0, &_call_cbs_boundingRect_c0_0); methods += new qt_gsi::GenericMethod ("boundingRect", "@hide", true, &_init_cbs_boundingRect_c0_0, &_call_cbs_boundingRect_c0_0, &_set_callback_cbs_boundingRect_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsVideoItem::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsVideoItem::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("collidesWithItem", "@brief Virtual method bool QGraphicsVideoItem::collidesWithItem(const QGraphicsItem *other, Qt::ItemSelectionMode mode)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_collidesWithItem_c4977_1, &_call_cbs_collidesWithItem_c4977_1); methods += new qt_gsi::GenericMethod ("collidesWithItem", "@hide", true, &_init_cbs_collidesWithItem_c4977_1, &_call_cbs_collidesWithItem_c4977_1, &_set_callback_cbs_collidesWithItem_c4977_1); @@ -2349,7 +2349,7 @@ static gsi::Methods methods_QGraphicsVideoItem_Adaptor () { methods += new qt_gsi::GenericMethod ("contains", "@hide", true, &_init_cbs_contains_c1986_0, &_call_cbs_contains_c1986_0, &_set_callback_cbs_contains_c1986_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QGraphicsVideoItem::contextMenuEvent(QGraphicsSceneContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_3674_0, &_call_cbs_contextMenuEvent_3674_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_3674_0, &_call_cbs_contextMenuEvent_3674_0, &_set_callback_cbs_contextMenuEvent_3674_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsVideoItem::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsVideoItem::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsVideoItem::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); @@ -2363,7 +2363,7 @@ static gsi::Methods methods_QGraphicsVideoItem_Adaptor () { methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_3315_0, &_call_cbs_dropEvent_3315_0, &_set_callback_cbs_dropEvent_3315_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QGraphicsVideoItem::event(QEvent *ev)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsVideoItem::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsVideoItem::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*extension", "@brief Virtual method QVariant QGraphicsVideoItem::extension(const QVariant &variant)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_extension_c2119_0, &_call_cbs_extension_c2119_0); methods += new qt_gsi::GenericMethod ("*extension", "@hide", true, &_init_cbs_extension_c2119_0, &_call_cbs_extension_c2119_0, &_set_callback_cbs_extension_c2119_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQImageEncoderControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQImageEncoderControl.cc index d64e9b5d50..45ed4c9103 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQImageEncoderControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQImageEncoderControl.cc @@ -56,12 +56,12 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// QString QImageEncoderControl::imageCodecDescription(const QString &codecName) +// QString QImageEncoderControl::imageCodecDescription(const QString &codec) static void _init_f_imageCodecDescription_c2025 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("codecName"); + static gsi::ArgSpecBase argspec_0 ("codec"); decl->add_arg (argspec_0); decl->set_return (); } @@ -132,7 +132,7 @@ static void _init_f_supportedResolutions_c4372 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("settings"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("continuous", true, "0"); + static gsi::ArgSpecBase argspec_1 ("continuous", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return > (); } @@ -142,7 +142,7 @@ static void _call_f_supportedResolutions_c4372 (const qt_gsi::GenericMethod * /* __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QImageEncoderSettings &arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write > ((QList)((QImageEncoderControl *)cls)->supportedResolutions (arg1, arg2)); } @@ -203,7 +203,7 @@ namespace gsi static gsi::Methods methods_QImageEncoderControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("imageCodecDescription", "@brief Method QString QImageEncoderControl::imageCodecDescription(const QString &codecName)\n", true, &_init_f_imageCodecDescription_c2025, &_call_f_imageCodecDescription_c2025); + methods += new qt_gsi::GenericMethod ("imageCodecDescription", "@brief Method QString QImageEncoderControl::imageCodecDescription(const QString &codec)\n", true, &_init_f_imageCodecDescription_c2025, &_call_f_imageCodecDescription_c2025); methods += new qt_gsi::GenericMethod (":imageSettings", "@brief Method QImageEncoderSettings QImageEncoderControl::imageSettings()\n", true, &_init_f_imageSettings_c0, &_call_f_imageSettings_c0); methods += new qt_gsi::GenericMethod ("setImageSettings|imageSettings=", "@brief Method void QImageEncoderControl::setImageSettings(const QImageEncoderSettings &settings)\n", false, &_init_f_setImageSettings_3430, &_call_f_setImageSettings_3430); methods += new qt_gsi::GenericMethod ("supportedImageCodecs", "@brief Method QStringList QImageEncoderControl::supportedImageCodecs()\n", true, &_init_f_supportedImageCodecs_c0, &_call_f_supportedImageCodecs_c0); @@ -256,47 +256,47 @@ class QImageEncoderControl_Adaptor : public QImageEncoderControl, public qt_gsi: return QImageEncoderControl::senderSignalIndex(); } - // [adaptor impl] bool QImageEncoderControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QImageEncoderControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QImageEncoderControl::event(arg1); + return QImageEncoderControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QImageEncoderControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QImageEncoderControl_Adaptor::cbs_event_1217_0, _event); } else { - return QImageEncoderControl::event(arg1); + return QImageEncoderControl::event(_event); } } - // [adaptor impl] bool QImageEncoderControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QImageEncoderControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QImageEncoderControl::eventFilter(arg1, arg2); + return QImageEncoderControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QImageEncoderControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QImageEncoderControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QImageEncoderControl::eventFilter(arg1, arg2); + return QImageEncoderControl::eventFilter(watched, event); } } - // [adaptor impl] QString QImageEncoderControl::imageCodecDescription(const QString &codecName) - QString cbs_imageCodecDescription_c2025_0(const QString &codecName) const + // [adaptor impl] QString QImageEncoderControl::imageCodecDescription(const QString &codec) + QString cbs_imageCodecDescription_c2025_0(const QString &codec) const { - __SUPPRESS_UNUSED_WARNING (codecName); + __SUPPRESS_UNUSED_WARNING (codec); throw qt_gsi::AbstractMethodCalledException("imageCodecDescription"); } - virtual QString imageCodecDescription(const QString &codecName) const + virtual QString imageCodecDescription(const QString &codec) const { if (cb_imageCodecDescription_c2025_0.can_issue()) { - return cb_imageCodecDescription_c2025_0.issue(&QImageEncoderControl_Adaptor::cbs_imageCodecDescription_c2025_0, codecName); + return cb_imageCodecDescription_c2025_0.issue(&QImageEncoderControl_Adaptor::cbs_imageCodecDescription_c2025_0, codec); } else { throw qt_gsi::AbstractMethodCalledException("imageCodecDescription"); } @@ -365,33 +365,33 @@ class QImageEncoderControl_Adaptor : public QImageEncoderControl, public qt_gsi: } } - // [adaptor impl] void QImageEncoderControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QImageEncoderControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QImageEncoderControl::childEvent(arg1); + QImageEncoderControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QImageEncoderControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QImageEncoderControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QImageEncoderControl::childEvent(arg1); + QImageEncoderControl::childEvent(event); } } - // [adaptor impl] void QImageEncoderControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QImageEncoderControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QImageEncoderControl::customEvent(arg1); + QImageEncoderControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QImageEncoderControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QImageEncoderControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QImageEncoderControl::customEvent(arg1); + QImageEncoderControl::customEvent(event); } } @@ -410,18 +410,18 @@ class QImageEncoderControl_Adaptor : public QImageEncoderControl, public qt_gsi: } } - // [adaptor impl] void QImageEncoderControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QImageEncoderControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QImageEncoderControl::timerEvent(arg1); + QImageEncoderControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QImageEncoderControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QImageEncoderControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QImageEncoderControl::timerEvent(arg1); + QImageEncoderControl::timerEvent(event); } } @@ -454,11 +454,11 @@ static void _call_ctor_QImageEncoderControl_Adaptor_0 (const qt_gsi::GenericStat } -// void QImageEncoderControl::childEvent(QChildEvent *) +// void QImageEncoderControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -478,11 +478,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QImageEncoderControl::customEvent(QEvent *) +// void QImageEncoderControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -526,11 +526,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QImageEncoderControl::event(QEvent *) +// bool QImageEncoderControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -549,13 +549,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QImageEncoderControl::eventFilter(QObject *, QEvent *) +// bool QImageEncoderControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -575,11 +575,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// QString QImageEncoderControl::imageCodecDescription(const QString &codecName) +// QString QImageEncoderControl::imageCodecDescription(const QString &codec) static void _init_cbs_imageCodecDescription_c2025_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("codecName"); + static gsi::ArgSpecBase argspec_0 ("codec"); decl->add_arg (argspec_0); decl->set_return (); } @@ -750,11 +750,11 @@ static void _set_callback_cbs_supportedResolutions_c4372_1 (void *cls, const gsi } -// void QImageEncoderControl::timerEvent(QTimerEvent *) +// void QImageEncoderControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -782,17 +782,17 @@ gsi::Class &qtdecl_QImageEncoderControl (); static gsi::Methods methods_QImageEncoderControl_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QImageEncoderControl::QImageEncoderControl()\nThis method creates an object of class QImageEncoderControl.", &_init_ctor_QImageEncoderControl_Adaptor_0, &_call_ctor_QImageEncoderControl_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QImageEncoderControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QImageEncoderControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QImageEncoderControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QImageEncoderControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QImageEncoderControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QImageEncoderControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QImageEncoderControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QImageEncoderControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QImageEncoderControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("imageCodecDescription", "@brief Virtual method QString QImageEncoderControl::imageCodecDescription(const QString &codecName)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_imageCodecDescription_c2025_0, &_call_cbs_imageCodecDescription_c2025_0); + methods += new qt_gsi::GenericMethod ("imageCodecDescription", "@brief Virtual method QString QImageEncoderControl::imageCodecDescription(const QString &codec)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_imageCodecDescription_c2025_0, &_call_cbs_imageCodecDescription_c2025_0); methods += new qt_gsi::GenericMethod ("imageCodecDescription", "@hide", true, &_init_cbs_imageCodecDescription_c2025_0, &_call_cbs_imageCodecDescription_c2025_0, &_set_callback_cbs_imageCodecDescription_c2025_0); methods += new qt_gsi::GenericMethod ("imageSettings", "@brief Virtual method QImageEncoderSettings QImageEncoderControl::imageSettings()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_imageSettings_c0_0, &_call_cbs_imageSettings_c0_0); methods += new qt_gsi::GenericMethod ("imageSettings", "@hide", true, &_init_cbs_imageSettings_c0_0, &_call_cbs_imageSettings_c0_0, &_set_callback_cbs_imageSettings_c0_0); @@ -806,7 +806,7 @@ static gsi::Methods methods_QImageEncoderControl_Adaptor () { methods += new qt_gsi::GenericMethod ("supportedImageCodecs", "@hide", true, &_init_cbs_supportedImageCodecs_c0_0, &_call_cbs_supportedImageCodecs_c0_0, &_set_callback_cbs_supportedImageCodecs_c0_0); methods += new qt_gsi::GenericMethod ("supportedResolutions", "@brief Virtual method QList QImageEncoderControl::supportedResolutions(const QImageEncoderSettings &settings, bool *continuous)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedResolutions_c4372_1, &_call_cbs_supportedResolutions_c4372_1); methods += new qt_gsi::GenericMethod ("supportedResolutions", "@hide", true, &_init_cbs_supportedResolutions_c4372_1, &_call_cbs_supportedResolutions_c4372_1, &_set_callback_cbs_supportedResolutions_c4372_1); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QImageEncoderControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QImageEncoderControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAudioProbeControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAudioProbeControl.cc index 58e338db84..23e086bf2b 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAudioProbeControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAudioProbeControl.cc @@ -191,63 +191,63 @@ class QMediaAudioProbeControl_Adaptor : public QMediaAudioProbeControl, public q return QMediaAudioProbeControl::senderSignalIndex(); } - // [adaptor impl] bool QMediaAudioProbeControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QMediaAudioProbeControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QMediaAudioProbeControl::event(arg1); + return QMediaAudioProbeControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QMediaAudioProbeControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QMediaAudioProbeControl_Adaptor::cbs_event_1217_0, _event); } else { - return QMediaAudioProbeControl::event(arg1); + return QMediaAudioProbeControl::event(_event); } } - // [adaptor impl] bool QMediaAudioProbeControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMediaAudioProbeControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMediaAudioProbeControl::eventFilter(arg1, arg2); + return QMediaAudioProbeControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMediaAudioProbeControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMediaAudioProbeControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMediaAudioProbeControl::eventFilter(arg1, arg2); + return QMediaAudioProbeControl::eventFilter(watched, event); } } - // [adaptor impl] void QMediaAudioProbeControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMediaAudioProbeControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMediaAudioProbeControl::childEvent(arg1); + QMediaAudioProbeControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMediaAudioProbeControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMediaAudioProbeControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QMediaAudioProbeControl::childEvent(arg1); + QMediaAudioProbeControl::childEvent(event); } } - // [adaptor impl] void QMediaAudioProbeControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMediaAudioProbeControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMediaAudioProbeControl::customEvent(arg1); + QMediaAudioProbeControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMediaAudioProbeControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMediaAudioProbeControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QMediaAudioProbeControl::customEvent(arg1); + QMediaAudioProbeControl::customEvent(event); } } @@ -266,18 +266,18 @@ class QMediaAudioProbeControl_Adaptor : public QMediaAudioProbeControl, public q } } - // [adaptor impl] void QMediaAudioProbeControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMediaAudioProbeControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMediaAudioProbeControl::timerEvent(arg1); + QMediaAudioProbeControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMediaAudioProbeControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMediaAudioProbeControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMediaAudioProbeControl::timerEvent(arg1); + QMediaAudioProbeControl::timerEvent(event); } } @@ -291,11 +291,11 @@ class QMediaAudioProbeControl_Adaptor : public QMediaAudioProbeControl, public q QMediaAudioProbeControl_Adaptor::~QMediaAudioProbeControl_Adaptor() { } -// void QMediaAudioProbeControl::childEvent(QChildEvent *) +// void QMediaAudioProbeControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -315,11 +315,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QMediaAudioProbeControl::customEvent(QEvent *) +// void QMediaAudioProbeControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -363,11 +363,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QMediaAudioProbeControl::event(QEvent *) +// bool QMediaAudioProbeControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -386,13 +386,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMediaAudioProbeControl::eventFilter(QObject *, QEvent *) +// bool QMediaAudioProbeControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -476,11 +476,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QMediaAudioProbeControl::timerEvent(QTimerEvent *) +// void QMediaAudioProbeControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -507,21 +507,21 @@ gsi::Class &qtdecl_QMediaAudioProbeControl (); static gsi::Methods methods_QMediaAudioProbeControl_Adaptor () { gsi::Methods methods; - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaAudioProbeControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaAudioProbeControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaAudioProbeControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaAudioProbeControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaAudioProbeControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaAudioProbeControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaAudioProbeControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaAudioProbeControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaAudioProbeControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaAudioProbeControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaAudioProbeControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaAudioProbeControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaAudioProbeControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaAudioProbeControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaAudioProbeControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAvailabilityControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAvailabilityControl.cc index 9dcce70e0f..a7e4c5feae 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAvailabilityControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAvailabilityControl.cc @@ -210,63 +210,63 @@ class QMediaAvailabilityControl_Adaptor : public QMediaAvailabilityControl, publ } } - // [adaptor impl] bool QMediaAvailabilityControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QMediaAvailabilityControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QMediaAvailabilityControl::event(arg1); + return QMediaAvailabilityControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QMediaAvailabilityControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QMediaAvailabilityControl_Adaptor::cbs_event_1217_0, _event); } else { - return QMediaAvailabilityControl::event(arg1); + return QMediaAvailabilityControl::event(_event); } } - // [adaptor impl] bool QMediaAvailabilityControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMediaAvailabilityControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMediaAvailabilityControl::eventFilter(arg1, arg2); + return QMediaAvailabilityControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMediaAvailabilityControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMediaAvailabilityControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMediaAvailabilityControl::eventFilter(arg1, arg2); + return QMediaAvailabilityControl::eventFilter(watched, event); } } - // [adaptor impl] void QMediaAvailabilityControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMediaAvailabilityControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMediaAvailabilityControl::childEvent(arg1); + QMediaAvailabilityControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMediaAvailabilityControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMediaAvailabilityControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QMediaAvailabilityControl::childEvent(arg1); + QMediaAvailabilityControl::childEvent(event); } } - // [adaptor impl] void QMediaAvailabilityControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMediaAvailabilityControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMediaAvailabilityControl::customEvent(arg1); + QMediaAvailabilityControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMediaAvailabilityControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMediaAvailabilityControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QMediaAvailabilityControl::customEvent(arg1); + QMediaAvailabilityControl::customEvent(event); } } @@ -285,18 +285,18 @@ class QMediaAvailabilityControl_Adaptor : public QMediaAvailabilityControl, publ } } - // [adaptor impl] void QMediaAvailabilityControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMediaAvailabilityControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMediaAvailabilityControl::timerEvent(arg1); + QMediaAvailabilityControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMediaAvailabilityControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMediaAvailabilityControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMediaAvailabilityControl::timerEvent(arg1); + QMediaAvailabilityControl::timerEvent(event); } } @@ -344,11 +344,11 @@ static void _set_callback_cbs_availability_c0_0 (void *cls, const gsi::Callback } -// void QMediaAvailabilityControl::childEvent(QChildEvent *) +// void QMediaAvailabilityControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -368,11 +368,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QMediaAvailabilityControl::customEvent(QEvent *) +// void QMediaAvailabilityControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -416,11 +416,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QMediaAvailabilityControl::event(QEvent *) +// bool QMediaAvailabilityControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -439,13 +439,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMediaAvailabilityControl::eventFilter(QObject *, QEvent *) +// bool QMediaAvailabilityControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -529,11 +529,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QMediaAvailabilityControl::timerEvent(QTimerEvent *) +// void QMediaAvailabilityControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -563,21 +563,21 @@ static gsi::Methods methods_QMediaAvailabilityControl_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaAvailabilityControl::QMediaAvailabilityControl()\nThis method creates an object of class QMediaAvailabilityControl.", &_init_ctor_QMediaAvailabilityControl_Adaptor_0, &_call_ctor_QMediaAvailabilityControl_Adaptor_0); methods += new qt_gsi::GenericMethod ("availability", "@brief Virtual method QMultimedia::AvailabilityStatus QMediaAvailabilityControl::availability()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0); methods += new qt_gsi::GenericMethod ("availability", "@hide", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0, &_set_callback_cbs_availability_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaAvailabilityControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaAvailabilityControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaAvailabilityControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaAvailabilityControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaAvailabilityControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaAvailabilityControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaAvailabilityControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaAvailabilityControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaAvailabilityControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaAvailabilityControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaAvailabilityControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaAvailabilityControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaAvailabilityControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaAvailabilityControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaAvailabilityControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaContainerControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaContainerControl.cc index 8a1d5262fe..e5a06a28cd 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaContainerControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaContainerControl.cc @@ -262,33 +262,33 @@ class QMediaContainerControl_Adaptor : public QMediaContainerControl, public qt_ } } - // [adaptor impl] bool QMediaContainerControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QMediaContainerControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QMediaContainerControl::event(arg1); + return QMediaContainerControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QMediaContainerControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QMediaContainerControl_Adaptor::cbs_event_1217_0, _event); } else { - return QMediaContainerControl::event(arg1); + return QMediaContainerControl::event(_event); } } - // [adaptor impl] bool QMediaContainerControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMediaContainerControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMediaContainerControl::eventFilter(arg1, arg2); + return QMediaContainerControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMediaContainerControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMediaContainerControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMediaContainerControl::eventFilter(arg1, arg2); + return QMediaContainerControl::eventFilter(watched, event); } } @@ -323,33 +323,33 @@ class QMediaContainerControl_Adaptor : public QMediaContainerControl, public qt_ } } - // [adaptor impl] void QMediaContainerControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMediaContainerControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMediaContainerControl::childEvent(arg1); + QMediaContainerControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMediaContainerControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMediaContainerControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QMediaContainerControl::childEvent(arg1); + QMediaContainerControl::childEvent(event); } } - // [adaptor impl] void QMediaContainerControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMediaContainerControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMediaContainerControl::customEvent(arg1); + QMediaContainerControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMediaContainerControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMediaContainerControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QMediaContainerControl::customEvent(arg1); + QMediaContainerControl::customEvent(event); } } @@ -368,18 +368,18 @@ class QMediaContainerControl_Adaptor : public QMediaContainerControl, public qt_ } } - // [adaptor impl] void QMediaContainerControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMediaContainerControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMediaContainerControl::timerEvent(arg1); + QMediaContainerControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMediaContainerControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMediaContainerControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMediaContainerControl::timerEvent(arg1); + QMediaContainerControl::timerEvent(event); } } @@ -411,11 +411,11 @@ static void _call_ctor_QMediaContainerControl_Adaptor_0 (const qt_gsi::GenericSt } -// void QMediaContainerControl::childEvent(QChildEvent *) +// void QMediaContainerControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -477,11 +477,11 @@ static void _set_callback_cbs_containerFormat_c0_0 (void *cls, const gsi::Callba } -// void QMediaContainerControl::customEvent(QEvent *) +// void QMediaContainerControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -525,11 +525,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QMediaContainerControl::event(QEvent *) +// bool QMediaContainerControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -548,13 +548,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMediaContainerControl::eventFilter(QObject *, QEvent *) +// bool QMediaContainerControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -681,11 +681,11 @@ static void _set_callback_cbs_supportedContainers_c0_0 (void *cls, const gsi::Ca } -// void QMediaContainerControl::timerEvent(QTimerEvent *) +// void QMediaContainerControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -713,19 +713,19 @@ gsi::Class &qtdecl_QMediaContainerControl (); static gsi::Methods methods_QMediaContainerControl_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaContainerControl::QMediaContainerControl()\nThis method creates an object of class QMediaContainerControl.", &_init_ctor_QMediaContainerControl_Adaptor_0, &_call_ctor_QMediaContainerControl_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaContainerControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaContainerControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("containerDescription", "@brief Virtual method QString QMediaContainerControl::containerDescription(const QString &formatMimeType)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_containerDescription_c2025_0, &_call_cbs_containerDescription_c2025_0); methods += new qt_gsi::GenericMethod ("containerDescription", "@hide", true, &_init_cbs_containerDescription_c2025_0, &_call_cbs_containerDescription_c2025_0, &_set_callback_cbs_containerDescription_c2025_0); methods += new qt_gsi::GenericMethod ("containerFormat", "@brief Virtual method QString QMediaContainerControl::containerFormat()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_containerFormat_c0_0, &_call_cbs_containerFormat_c0_0); methods += new qt_gsi::GenericMethod ("containerFormat", "@hide", true, &_init_cbs_containerFormat_c0_0, &_call_cbs_containerFormat_c0_0, &_set_callback_cbs_containerFormat_c0_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaContainerControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaContainerControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaContainerControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaContainerControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaContainerControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaContainerControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaContainerControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaContainerControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaContainerControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); @@ -735,7 +735,7 @@ static gsi::Methods methods_QMediaContainerControl_Adaptor () { methods += new qt_gsi::GenericMethod ("setContainerFormat", "@hide", false, &_init_cbs_setContainerFormat_2025_0, &_call_cbs_setContainerFormat_2025_0, &_set_callback_cbs_setContainerFormat_2025_0); methods += new qt_gsi::GenericMethod ("supportedContainers", "@brief Virtual method QStringList QMediaContainerControl::supportedContainers()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedContainers_c0_0, &_call_cbs_supportedContainers_c0_0); methods += new qt_gsi::GenericMethod ("supportedContainers", "@hide", true, &_init_cbs_supportedContainers_c0_0, &_call_cbs_supportedContainers_c0_0, &_set_callback_cbs_supportedContainers_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaContainerControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaContainerControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaControl.cc index 25c103ef18..83f69d8e10 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaControl.cc @@ -152,63 +152,63 @@ class QMediaControl_Adaptor : public QMediaControl, public qt_gsi::QtObjectBase return QMediaControl::senderSignalIndex(); } - // [adaptor impl] bool QMediaControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QMediaControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QMediaControl::event(arg1); + return QMediaControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QMediaControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QMediaControl_Adaptor::cbs_event_1217_0, _event); } else { - return QMediaControl::event(arg1); + return QMediaControl::event(_event); } } - // [adaptor impl] bool QMediaControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMediaControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMediaControl::eventFilter(arg1, arg2); + return QMediaControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMediaControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMediaControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMediaControl::eventFilter(arg1, arg2); + return QMediaControl::eventFilter(watched, event); } } - // [adaptor impl] void QMediaControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMediaControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMediaControl::childEvent(arg1); + QMediaControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMediaControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMediaControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QMediaControl::childEvent(arg1); + QMediaControl::childEvent(event); } } - // [adaptor impl] void QMediaControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMediaControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMediaControl::customEvent(arg1); + QMediaControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMediaControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMediaControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QMediaControl::customEvent(arg1); + QMediaControl::customEvent(event); } } @@ -227,18 +227,18 @@ class QMediaControl_Adaptor : public QMediaControl, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMediaControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMediaControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMediaControl::timerEvent(arg1); + QMediaControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMediaControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMediaControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMediaControl::timerEvent(arg1); + QMediaControl::timerEvent(event); } } @@ -252,11 +252,11 @@ class QMediaControl_Adaptor : public QMediaControl, public qt_gsi::QtObjectBase QMediaControl_Adaptor::~QMediaControl_Adaptor() { } -// void QMediaControl::childEvent(QChildEvent *) +// void QMediaControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -276,11 +276,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QMediaControl::customEvent(QEvent *) +// void QMediaControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -324,11 +324,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QMediaControl::event(QEvent *) +// bool QMediaControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -347,13 +347,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMediaControl::eventFilter(QObject *, QEvent *) +// bool QMediaControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -437,11 +437,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QMediaControl::timerEvent(QTimerEvent *) +// void QMediaControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -468,21 +468,21 @@ gsi::Class &qtdecl_QMediaControl (); static gsi::Methods methods_QMediaControl_Adaptor () { gsi::Methods methods; - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaGaplessPlaybackControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaGaplessPlaybackControl.cc index 2ce5370f56..87f48112aa 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaGaplessPlaybackControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaGaplessPlaybackControl.cc @@ -323,33 +323,33 @@ class QMediaGaplessPlaybackControl_Adaptor : public QMediaGaplessPlaybackControl } } - // [adaptor impl] bool QMediaGaplessPlaybackControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QMediaGaplessPlaybackControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QMediaGaplessPlaybackControl::event(arg1); + return QMediaGaplessPlaybackControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QMediaGaplessPlaybackControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QMediaGaplessPlaybackControl_Adaptor::cbs_event_1217_0, _event); } else { - return QMediaGaplessPlaybackControl::event(arg1); + return QMediaGaplessPlaybackControl::event(_event); } } - // [adaptor impl] bool QMediaGaplessPlaybackControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMediaGaplessPlaybackControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMediaGaplessPlaybackControl::eventFilter(arg1, arg2); + return QMediaGaplessPlaybackControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMediaGaplessPlaybackControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMediaGaplessPlaybackControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMediaGaplessPlaybackControl::eventFilter(arg1, arg2); + return QMediaGaplessPlaybackControl::eventFilter(watched, event); } } @@ -415,33 +415,33 @@ class QMediaGaplessPlaybackControl_Adaptor : public QMediaGaplessPlaybackControl } } - // [adaptor impl] void QMediaGaplessPlaybackControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMediaGaplessPlaybackControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMediaGaplessPlaybackControl::childEvent(arg1); + QMediaGaplessPlaybackControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMediaGaplessPlaybackControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMediaGaplessPlaybackControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QMediaGaplessPlaybackControl::childEvent(arg1); + QMediaGaplessPlaybackControl::childEvent(event); } } - // [adaptor impl] void QMediaGaplessPlaybackControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMediaGaplessPlaybackControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMediaGaplessPlaybackControl::customEvent(arg1); + QMediaGaplessPlaybackControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMediaGaplessPlaybackControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMediaGaplessPlaybackControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QMediaGaplessPlaybackControl::customEvent(arg1); + QMediaGaplessPlaybackControl::customEvent(event); } } @@ -460,18 +460,18 @@ class QMediaGaplessPlaybackControl_Adaptor : public QMediaGaplessPlaybackControl } } - // [adaptor impl] void QMediaGaplessPlaybackControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMediaGaplessPlaybackControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMediaGaplessPlaybackControl::timerEvent(arg1); + QMediaGaplessPlaybackControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMediaGaplessPlaybackControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMediaGaplessPlaybackControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMediaGaplessPlaybackControl::timerEvent(arg1); + QMediaGaplessPlaybackControl::timerEvent(event); } } @@ -504,11 +504,11 @@ static void _call_ctor_QMediaGaplessPlaybackControl_Adaptor_0 (const qt_gsi::Gen } -// void QMediaGaplessPlaybackControl::childEvent(QChildEvent *) +// void QMediaGaplessPlaybackControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -547,11 +547,11 @@ static void _set_callback_cbs_crossfadeTime_c0_0 (void *cls, const gsi::Callback } -// void QMediaGaplessPlaybackControl::customEvent(QEvent *) +// void QMediaGaplessPlaybackControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -595,11 +595,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QMediaGaplessPlaybackControl::event(QEvent *) +// bool QMediaGaplessPlaybackControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -618,13 +618,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMediaGaplessPlaybackControl::eventFilter(QObject *, QEvent *) +// bool QMediaGaplessPlaybackControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -794,11 +794,11 @@ static void _set_callback_cbs_setNextMedia_2605_0 (void *cls, const gsi::Callbac } -// void QMediaGaplessPlaybackControl::timerEvent(QTimerEvent *) +// void QMediaGaplessPlaybackControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -826,17 +826,17 @@ gsi::Class &qtdecl_QMediaGaplessPlaybackControl () static gsi::Methods methods_QMediaGaplessPlaybackControl_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaGaplessPlaybackControl::QMediaGaplessPlaybackControl()\nThis method creates an object of class QMediaGaplessPlaybackControl.", &_init_ctor_QMediaGaplessPlaybackControl_Adaptor_0, &_call_ctor_QMediaGaplessPlaybackControl_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaGaplessPlaybackControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaGaplessPlaybackControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("crossfadeTime", "@brief Virtual method double QMediaGaplessPlaybackControl::crossfadeTime()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_crossfadeTime_c0_0, &_call_cbs_crossfadeTime_c0_0); methods += new qt_gsi::GenericMethod ("crossfadeTime", "@hide", true, &_init_cbs_crossfadeTime_c0_0, &_call_cbs_crossfadeTime_c0_0, &_set_callback_cbs_crossfadeTime_c0_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaGaplessPlaybackControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaGaplessPlaybackControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaGaplessPlaybackControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaGaplessPlaybackControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaGaplessPlaybackControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaGaplessPlaybackControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaGaplessPlaybackControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isCrossfadeSupported", "@brief Virtual method bool QMediaGaplessPlaybackControl::isCrossfadeSupported()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isCrossfadeSupported_c0_0, &_call_cbs_isCrossfadeSupported_c0_0); methods += new qt_gsi::GenericMethod ("isCrossfadeSupported", "@hide", true, &_init_cbs_isCrossfadeSupported_c0_0, &_call_cbs_isCrossfadeSupported_c0_0, &_set_callback_cbs_isCrossfadeSupported_c0_0); @@ -850,7 +850,7 @@ static gsi::Methods methods_QMediaGaplessPlaybackControl_Adaptor () { methods += new qt_gsi::GenericMethod ("setCrossfadeTime", "@hide", false, &_init_cbs_setCrossfadeTime_1071_0, &_call_cbs_setCrossfadeTime_1071_0, &_set_callback_cbs_setCrossfadeTime_1071_0); methods += new qt_gsi::GenericMethod ("setNextMedia", "@brief Virtual method void QMediaGaplessPlaybackControl::setNextMedia(const QMediaContent &media)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setNextMedia_2605_0, &_call_cbs_setNextMedia_2605_0); methods += new qt_gsi::GenericMethod ("setNextMedia", "@hide", false, &_init_cbs_setNextMedia_2605_0, &_call_cbs_setNextMedia_2605_0, &_set_callback_cbs_setNextMedia_2605_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaGaplessPlaybackControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaGaplessPlaybackControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaNetworkAccessControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaNetworkAccessControl.cc index b558539be0..2b2ede6e02 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaNetworkAccessControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaNetworkAccessControl.cc @@ -232,33 +232,33 @@ class QMediaNetworkAccessControl_Adaptor : public QMediaNetworkAccessControl, pu } } - // [adaptor impl] bool QMediaNetworkAccessControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QMediaNetworkAccessControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QMediaNetworkAccessControl::event(arg1); + return QMediaNetworkAccessControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QMediaNetworkAccessControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QMediaNetworkAccessControl_Adaptor::cbs_event_1217_0, _event); } else { - return QMediaNetworkAccessControl::event(arg1); + return QMediaNetworkAccessControl::event(_event); } } - // [adaptor impl] bool QMediaNetworkAccessControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMediaNetworkAccessControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMediaNetworkAccessControl::eventFilter(arg1, arg2); + return QMediaNetworkAccessControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMediaNetworkAccessControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMediaNetworkAccessControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMediaNetworkAccessControl::eventFilter(arg1, arg2); + return QMediaNetworkAccessControl::eventFilter(watched, event); } } @@ -278,33 +278,33 @@ class QMediaNetworkAccessControl_Adaptor : public QMediaNetworkAccessControl, pu } } - // [adaptor impl] void QMediaNetworkAccessControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMediaNetworkAccessControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMediaNetworkAccessControl::childEvent(arg1); + QMediaNetworkAccessControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMediaNetworkAccessControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMediaNetworkAccessControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QMediaNetworkAccessControl::childEvent(arg1); + QMediaNetworkAccessControl::childEvent(event); } } - // [adaptor impl] void QMediaNetworkAccessControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMediaNetworkAccessControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMediaNetworkAccessControl::customEvent(arg1); + QMediaNetworkAccessControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMediaNetworkAccessControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMediaNetworkAccessControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QMediaNetworkAccessControl::customEvent(arg1); + QMediaNetworkAccessControl::customEvent(event); } } @@ -323,18 +323,18 @@ class QMediaNetworkAccessControl_Adaptor : public QMediaNetworkAccessControl, pu } } - // [adaptor impl] void QMediaNetworkAccessControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMediaNetworkAccessControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMediaNetworkAccessControl::timerEvent(arg1); + QMediaNetworkAccessControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMediaNetworkAccessControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMediaNetworkAccessControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMediaNetworkAccessControl::timerEvent(arg1); + QMediaNetworkAccessControl::timerEvent(event); } } @@ -364,11 +364,11 @@ static void _call_ctor_QMediaNetworkAccessControl_Adaptor_0 (const qt_gsi::Gener } -// void QMediaNetworkAccessControl::childEvent(QChildEvent *) +// void QMediaNetworkAccessControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -407,11 +407,11 @@ static void _set_callback_cbs_currentConfiguration_c0_0 (void *cls, const gsi::C } -// void QMediaNetworkAccessControl::customEvent(QEvent *) +// void QMediaNetworkAccessControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -455,11 +455,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QMediaNetworkAccessControl::event(QEvent *) +// bool QMediaNetworkAccessControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -478,13 +478,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMediaNetworkAccessControl::eventFilter(QObject *, QEvent *) +// bool QMediaNetworkAccessControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -592,11 +592,11 @@ static void _set_callback_cbs_setConfigurations_4123_0 (void *cls, const gsi::Ca } -// void QMediaNetworkAccessControl::timerEvent(QTimerEvent *) +// void QMediaNetworkAccessControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -624,17 +624,17 @@ gsi::Class &qtdecl_QMediaNetworkAccessControl (); static gsi::Methods methods_QMediaNetworkAccessControl_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaNetworkAccessControl::QMediaNetworkAccessControl()\nThis method creates an object of class QMediaNetworkAccessControl.", &_init_ctor_QMediaNetworkAccessControl_Adaptor_0, &_call_ctor_QMediaNetworkAccessControl_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaNetworkAccessControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaNetworkAccessControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("currentConfiguration", "@brief Virtual method QNetworkConfiguration QMediaNetworkAccessControl::currentConfiguration()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_currentConfiguration_c0_0, &_call_cbs_currentConfiguration_c0_0); methods += new qt_gsi::GenericMethod ("currentConfiguration", "@hide", true, &_init_cbs_currentConfiguration_c0_0, &_call_cbs_currentConfiguration_c0_0, &_set_callback_cbs_currentConfiguration_c0_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaNetworkAccessControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaNetworkAccessControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaNetworkAccessControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaNetworkAccessControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaNetworkAccessControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaNetworkAccessControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaNetworkAccessControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaNetworkAccessControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaNetworkAccessControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); @@ -642,7 +642,7 @@ static gsi::Methods methods_QMediaNetworkAccessControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaNetworkAccessControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setConfigurations", "@brief Virtual method void QMediaNetworkAccessControl::setConfigurations(const QList &configuration)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setConfigurations_4123_0, &_call_cbs_setConfigurations_4123_0); methods += new qt_gsi::GenericMethod ("setConfigurations", "@hide", false, &_init_cbs_setConfigurations_4123_0, &_call_cbs_setConfigurations_4123_0, &_set_callback_cbs_setConfigurations_4123_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaNetworkAccessControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaNetworkAccessControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaObject.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaObject.cc index 2060efd0a4..765daead95 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaObject.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaObject.cc @@ -436,8 +436,8 @@ class QMediaObject_Adaptor : public QMediaObject, public qt_gsi::QtObjectBase virtual ~QMediaObject_Adaptor(); - // [expose] void QMediaObject::addPropertyWatch(QByteArray const &name) - void fp_QMediaObject_addPropertyWatch_2309 (QByteArray const &name) { + // [expose] void QMediaObject::addPropertyWatch(const QByteArray &name) + void fp_QMediaObject_addPropertyWatch_2309 (const QByteArray &name) { QMediaObject::addPropertyWatch(name); } @@ -451,8 +451,8 @@ class QMediaObject_Adaptor : public QMediaObject, public qt_gsi::QtObjectBase return QMediaObject::receivers(signal); } - // [expose] void QMediaObject::removePropertyWatch(QByteArray const &name) - void fp_QMediaObject_removePropertyWatch_2309 (QByteArray const &name) { + // [expose] void QMediaObject::removePropertyWatch(const QByteArray &name) + void fp_QMediaObject_removePropertyWatch_2309 (const QByteArray &name) { QMediaObject::removePropertyWatch(name); } @@ -496,33 +496,33 @@ class QMediaObject_Adaptor : public QMediaObject, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QMediaObject::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QMediaObject::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QMediaObject::event(arg1); + return QMediaObject::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QMediaObject_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QMediaObject_Adaptor::cbs_event_1217_0, _event); } else { - return QMediaObject::event(arg1); + return QMediaObject::event(_event); } } - // [adaptor impl] bool QMediaObject::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMediaObject::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMediaObject::eventFilter(arg1, arg2); + return QMediaObject::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMediaObject_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMediaObject_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMediaObject::eventFilter(arg1, arg2); + return QMediaObject::eventFilter(watched, event); } } @@ -571,33 +571,33 @@ class QMediaObject_Adaptor : public QMediaObject, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMediaObject::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMediaObject::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMediaObject::childEvent(arg1); + QMediaObject::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMediaObject_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMediaObject_Adaptor::cbs_childEvent_1701_0, event); } else { - QMediaObject::childEvent(arg1); + QMediaObject::childEvent(event); } } - // [adaptor impl] void QMediaObject::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMediaObject::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMediaObject::customEvent(arg1); + QMediaObject::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMediaObject_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMediaObject_Adaptor::cbs_customEvent_1217_0, event); } else { - QMediaObject::customEvent(arg1); + QMediaObject::customEvent(event); } } @@ -616,18 +616,18 @@ class QMediaObject_Adaptor : public QMediaObject, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMediaObject::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMediaObject::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMediaObject::timerEvent(arg1); + QMediaObject::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMediaObject_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMediaObject_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMediaObject::timerEvent(arg1); + QMediaObject::timerEvent(event); } } @@ -646,12 +646,12 @@ class QMediaObject_Adaptor : public QMediaObject, public qt_gsi::QtObjectBase QMediaObject_Adaptor::~QMediaObject_Adaptor() { } -// exposed void QMediaObject::addPropertyWatch(QByteArray const &name) +// exposed void QMediaObject::addPropertyWatch(const QByteArray &name) static void _init_fp_addPropertyWatch_2309 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); + decl->add_arg (argspec_0); decl->set_return (); } @@ -659,7 +659,7 @@ static void _call_fp_addPropertyWatch_2309 (const qt_gsi::GenericMethod * /*decl { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QByteArray const &arg1 = gsi::arg_reader() (args, heap); + const QByteArray &arg1 = gsi::arg_reader() (args, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QMediaObject_Adaptor *)cls)->fp_QMediaObject_addPropertyWatch_2309 (arg1); } @@ -707,11 +707,11 @@ static void _set_callback_cbs_bind_1302_0 (void *cls, const gsi::Callback &cb) } -// void QMediaObject::childEvent(QChildEvent *) +// void QMediaObject::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -731,11 +731,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QMediaObject::customEvent(QEvent *) +// void QMediaObject::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -779,11 +779,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QMediaObject::event(QEvent *) +// bool QMediaObject::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -802,13 +802,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMediaObject::eventFilter(QObject *, QEvent *) +// bool QMediaObject::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -883,12 +883,12 @@ static void _call_fp_receivers_c1731 (const qt_gsi::GenericMethod * /*decl*/, vo } -// exposed void QMediaObject::removePropertyWatch(QByteArray const &name) +// exposed void QMediaObject::removePropertyWatch(const QByteArray &name) static void _init_fp_removePropertyWatch_2309 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); + decl->add_arg (argspec_0); decl->set_return (); } @@ -896,7 +896,7 @@ static void _call_fp_removePropertyWatch_2309 (const qt_gsi::GenericMethod * /*d { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QByteArray const &arg1 = gsi::arg_reader() (args, heap); + const QByteArray &arg1 = gsi::arg_reader() (args, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QMediaObject_Adaptor *)cls)->fp_QMediaObject_removePropertyWatch_2309 (arg1); } @@ -949,11 +949,11 @@ static void _set_callback_cbs_service_c0_0 (void *cls, const gsi::Callback &cb) } -// void QMediaObject::timerEvent(QTimerEvent *) +// void QMediaObject::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1004,31 +1004,31 @@ gsi::Class &qtdecl_QMediaObject (); static gsi::Methods methods_QMediaObject_Adaptor () { gsi::Methods methods; - methods += new qt_gsi::GenericMethod ("*addPropertyWatch", "@brief Method void QMediaObject::addPropertyWatch(QByteArray const &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_addPropertyWatch_2309, &_call_fp_addPropertyWatch_2309); + methods += new qt_gsi::GenericMethod ("*addPropertyWatch", "@brief Method void QMediaObject::addPropertyWatch(const QByteArray &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_addPropertyWatch_2309, &_call_fp_addPropertyWatch_2309); methods += new qt_gsi::GenericMethod ("availability", "@brief Virtual method QMultimedia::AvailabilityStatus QMediaObject::availability()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0); methods += new qt_gsi::GenericMethod ("availability", "@hide", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0, &_set_callback_cbs_availability_c0_0); methods += new qt_gsi::GenericMethod ("bind", "@brief Virtual method bool QMediaObject::bind(QObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_bind_1302_0, &_call_cbs_bind_1302_0); methods += new qt_gsi::GenericMethod ("bind", "@hide", false, &_init_cbs_bind_1302_0, &_call_cbs_bind_1302_0, &_set_callback_cbs_bind_1302_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaObject::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaObject::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaObject::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaObject::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaObject::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaObject::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaObject::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaObject::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaObject::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isAvailable", "@brief Virtual method bool QMediaObject::isAvailable()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isAvailable_c0_0, &_call_cbs_isAvailable_c0_0); methods += new qt_gsi::GenericMethod ("isAvailable", "@hide", true, &_init_cbs_isAvailable_c0_0, &_call_cbs_isAvailable_c0_0, &_set_callback_cbs_isAvailable_c0_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaObject::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaObject::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); - methods += new qt_gsi::GenericMethod ("*removePropertyWatch", "@brief Method void QMediaObject::removePropertyWatch(QByteArray const &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_removePropertyWatch_2309, &_call_fp_removePropertyWatch_2309); + methods += new qt_gsi::GenericMethod ("*removePropertyWatch", "@brief Method void QMediaObject::removePropertyWatch(const QByteArray &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_removePropertyWatch_2309, &_call_fp_removePropertyWatch_2309); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaObject::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaObject::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("service", "@brief Virtual method QMediaService *QMediaObject::service()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_service_c0_0, &_call_cbs_service_c0_0); methods += new qt_gsi::GenericMethod ("service", "@hide", true, &_init_cbs_service_c0_0, &_call_cbs_service_c0_0, &_set_callback_cbs_service_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaObject::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaObject::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("unbind", "@brief Virtual method void QMediaObject::unbind(QObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_unbind_1302_0, &_call_cbs_unbind_1302_0); methods += new qt_gsi::GenericMethod ("unbind", "@hide", false, &_init_cbs_unbind_1302_0, &_call_cbs_unbind_1302_0, &_set_callback_cbs_unbind_1302_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayer.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayer.cc index f4952dc748..ae539eeb5d 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayer.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayer.cc @@ -73,6 +73,41 @@ static void _call_f_audioAvailableChanged_864 (const qt_gsi::GenericMethod * /*d } +// QAudio::Role QMediaPlayer::audioRole() + + +static void _init_f_audioRole_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_audioRole_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QMediaPlayer *)cls)->audioRole ())); +} + + +// void QMediaPlayer::audioRoleChanged(QAudio::Role role) + + +static void _init_f_audioRoleChanged_1533 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("role"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_audioRoleChanged_1533 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QMediaPlayer *)cls)->audioRoleChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); +} + + // QMultimedia::AvailabilityStatus QMediaPlayer::availability() @@ -192,6 +227,41 @@ static void _call_f_currentNetworkConfiguration_c0 (const qt_gsi::GenericMethod } +// QString QMediaPlayer::customAudioRole() + + +static void _init_f_customAudioRole_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_customAudioRole_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)((QMediaPlayer *)cls)->customAudioRole ()); +} + + +// void QMediaPlayer::customAudioRoleChanged(const QString &role) + + +static void _init_f_customAudioRoleChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("role"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_customAudioRoleChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QMediaPlayer *)cls)->customAudioRoleChanged (arg1); +} + + // qint64 QMediaPlayer::duration() @@ -599,6 +669,46 @@ static void _call_f_seekableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, } +// void QMediaPlayer::setAudioRole(QAudio::Role audioRole) + + +static void _init_f_setAudioRole_1533 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("audioRole"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_setAudioRole_1533 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QMediaPlayer *)cls)->setAudioRole (qt_gsi::QtToCppAdaptor(arg1).cref()); +} + + +// void QMediaPlayer::setCustomAudioRole(const QString &audioRole) + + +static void _init_f_setCustomAudioRole_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("audioRole"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setCustomAudioRole_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QMediaPlayer *)cls)->setCustomAudioRole (arg1); +} + + // void QMediaPlayer::setMedia(const QMediaContent &media, QIODevice *stream) @@ -606,7 +716,7 @@ static void _init_f_setMedia_3944 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("media"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("stream", true, "0"); + static gsi::ArgSpecBase argspec_1 ("stream", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -616,7 +726,7 @@ static void _call_f_setMedia_3944 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QMediaContent &arg1 = gsi::arg_reader() (args, heap); - QIODevice *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QIODevice *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QMediaPlayer *)cls)->setMedia (arg1, arg2); } @@ -853,6 +963,36 @@ static void _call_f_stop_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, g } +// QList QMediaPlayer::supportedAudioRoles() + + +static void _init_f_supportedAudioRoles_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return > (); +} + +static void _call_f_supportedAudioRoles_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write > ((QList)((QMediaPlayer *)cls)->supportedAudioRoles ()); +} + + +// QStringList QMediaPlayer::supportedCustomAudioRoles() + + +static void _init_f_supportedCustomAudioRoles_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_supportedCustomAudioRoles_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QStringList)((QMediaPlayer *)cls)->supportedCustomAudioRoles ()); +} + + // void QMediaPlayer::unbind(QObject *) @@ -937,7 +1077,7 @@ static void _init_f_hasSupport_7054 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("codecs", true, "QStringList()"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_2 ("flags", true, "QMediaPlayer::Flags()"); decl->add_arg > (argspec_2); decl->set_return::target_type > (); } @@ -948,7 +1088,7 @@ static void _call_f_hasSupport_7054 (const qt_gsi::GenericStaticMethod * /*decl* tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); const QStringList &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QStringList(), heap); - QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QMediaPlayer::Flags(), heap); ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(QMediaPlayer::hasSupport (arg1, arg2, arg3))); } @@ -958,7 +1098,7 @@ static void _call_f_hasSupport_7054 (const qt_gsi::GenericStaticMethod * /*decl* static void _init_f_supportedMimeTypes_2808 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_0 ("flags", true, "QMediaPlayer::Flags()"); decl->add_arg > (argspec_0); decl->set_return (); } @@ -967,7 +1107,7 @@ static void _call_f_supportedMimeTypes_2808 (const qt_gsi::GenericStaticMethod * { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QFlags arg1 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg1 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QMediaPlayer::Flags(), heap); ret.write ((QStringList)QMediaPlayer::supportedMimeTypes (arg1)); } @@ -1029,6 +1169,8 @@ static gsi::Methods methods_QMediaPlayer () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("audioAvailableChanged", "@brief Method void QMediaPlayer::audioAvailableChanged(bool available)\n", false, &_init_f_audioAvailableChanged_864, &_call_f_audioAvailableChanged_864); + methods += new qt_gsi::GenericMethod ("audioRole", "@brief Method QAudio::Role QMediaPlayer::audioRole()\n", true, &_init_f_audioRole_c0, &_call_f_audioRole_c0); + methods += new qt_gsi::GenericMethod ("audioRoleChanged", "@brief Method void QMediaPlayer::audioRoleChanged(QAudio::Role role)\n", false, &_init_f_audioRoleChanged_1533, &_call_f_audioRoleChanged_1533); methods += new qt_gsi::GenericMethod ("availability", "@brief Method QMultimedia::AvailabilityStatus QMediaPlayer::availability()\nThis is a reimplementation of QMediaObject::availability", true, &_init_f_availability_c0, &_call_f_availability_c0); methods += new qt_gsi::GenericMethod ("bind", "@brief Method bool QMediaPlayer::bind(QObject *)\nThis is a reimplementation of QMediaObject::bind", false, &_init_f_bind_1302, &_call_f_bind_1302); methods += new qt_gsi::GenericMethod (":bufferStatus", "@brief Method int QMediaPlayer::bufferStatus()\n", true, &_init_f_bufferStatus_c0, &_call_f_bufferStatus_c0); @@ -1036,6 +1178,8 @@ static gsi::Methods methods_QMediaPlayer () { methods += new qt_gsi::GenericMethod (":currentMedia", "@brief Method QMediaContent QMediaPlayer::currentMedia()\n", true, &_init_f_currentMedia_c0, &_call_f_currentMedia_c0); methods += new qt_gsi::GenericMethod ("currentMediaChanged", "@brief Method void QMediaPlayer::currentMediaChanged(const QMediaContent &media)\n", false, &_init_f_currentMediaChanged_2605, &_call_f_currentMediaChanged_2605); methods += new qt_gsi::GenericMethod ("currentNetworkConfiguration", "@brief Method QNetworkConfiguration QMediaPlayer::currentNetworkConfiguration()\n", true, &_init_f_currentNetworkConfiguration_c0, &_call_f_currentNetworkConfiguration_c0); + methods += new qt_gsi::GenericMethod ("customAudioRole", "@brief Method QString QMediaPlayer::customAudioRole()\n", true, &_init_f_customAudioRole_c0, &_call_f_customAudioRole_c0); + methods += new qt_gsi::GenericMethod ("customAudioRoleChanged", "@brief Method void QMediaPlayer::customAudioRoleChanged(const QString &role)\n", false, &_init_f_customAudioRoleChanged_2025, &_call_f_customAudioRoleChanged_2025); methods += new qt_gsi::GenericMethod (":duration", "@brief Method qint64 QMediaPlayer::duration()\n", true, &_init_f_duration_c0, &_call_f_duration_c0); methods += new qt_gsi::GenericMethod ("durationChanged", "@brief Method void QMediaPlayer::durationChanged(qint64 duration)\n", false, &_init_f_durationChanged_986, &_call_f_durationChanged_986); methods += new qt_gsi::GenericMethod (":error", "@brief Method QMediaPlayer::Error QMediaPlayer::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); @@ -1060,6 +1204,8 @@ static gsi::Methods methods_QMediaPlayer () { methods += new qt_gsi::GenericMethod (":position", "@brief Method qint64 QMediaPlayer::position()\n", true, &_init_f_position_c0, &_call_f_position_c0); methods += new qt_gsi::GenericMethod ("positionChanged", "@brief Method void QMediaPlayer::positionChanged(qint64 position)\n", false, &_init_f_positionChanged_986, &_call_f_positionChanged_986); methods += new qt_gsi::GenericMethod ("seekableChanged", "@brief Method void QMediaPlayer::seekableChanged(bool seekable)\n", false, &_init_f_seekableChanged_864, &_call_f_seekableChanged_864); + methods += new qt_gsi::GenericMethod ("setAudioRole", "@brief Method void QMediaPlayer::setAudioRole(QAudio::Role audioRole)\n", false, &_init_f_setAudioRole_1533, &_call_f_setAudioRole_1533); + methods += new qt_gsi::GenericMethod ("setCustomAudioRole", "@brief Method void QMediaPlayer::setCustomAudioRole(const QString &audioRole)\n", false, &_init_f_setCustomAudioRole_2025, &_call_f_setCustomAudioRole_2025); methods += new qt_gsi::GenericMethod ("setMedia", "@brief Method void QMediaPlayer::setMedia(const QMediaContent &media, QIODevice *stream)\n", false, &_init_f_setMedia_3944, &_call_f_setMedia_3944); methods += new qt_gsi::GenericMethod ("setMuted|muted=", "@brief Method void QMediaPlayer::setMuted(bool muted)\n", false, &_init_f_setMuted_864, &_call_f_setMuted_864); methods += new qt_gsi::GenericMethod ("setNetworkConfigurations", "@brief Method void QMediaPlayer::setNetworkConfigurations(const QList &configurations)\n", false, &_init_f_setNetworkConfigurations_4123, &_call_f_setNetworkConfigurations_4123); @@ -1073,6 +1219,8 @@ static gsi::Methods methods_QMediaPlayer () { methods += new qt_gsi::GenericMethod (":state", "@brief Method QMediaPlayer::State QMediaPlayer::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QMediaPlayer::stateChanged(QMediaPlayer::State newState)\n", false, &_init_f_stateChanged_2247, &_call_f_stateChanged_2247); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QMediaPlayer::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); + methods += new qt_gsi::GenericMethod ("supportedAudioRoles", "@brief Method QList QMediaPlayer::supportedAudioRoles()\n", true, &_init_f_supportedAudioRoles_c0, &_call_f_supportedAudioRoles_c0); + methods += new qt_gsi::GenericMethod ("supportedCustomAudioRoles", "@brief Method QStringList QMediaPlayer::supportedCustomAudioRoles()\n", true, &_init_f_supportedCustomAudioRoles_c0, &_call_f_supportedCustomAudioRoles_c0); methods += new qt_gsi::GenericMethod ("unbind", "@brief Method void QMediaPlayer::unbind(QObject *)\nThis is a reimplementation of QMediaObject::unbind", false, &_init_f_unbind_1302, &_call_f_unbind_1302); methods += new qt_gsi::GenericMethod ("videoAvailableChanged", "@brief Method void QMediaPlayer::videoAvailableChanged(bool videoAvailable)\n", false, &_init_f_videoAvailableChanged_864, &_call_f_videoAvailableChanged_864); methods += new qt_gsi::GenericMethod (":volume", "@brief Method int QMediaPlayer::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); @@ -1119,8 +1267,8 @@ class QMediaPlayer_Adaptor : public QMediaPlayer, public qt_gsi::QtObjectBase qt_gsi::QtObjectBase::init (this); } - // [expose] void QMediaPlayer::addPropertyWatch(QByteArray const &name) - void fp_QMediaPlayer_addPropertyWatch_2309 (QByteArray const &name) { + // [expose] void QMediaPlayer::addPropertyWatch(const QByteArray &name) + void fp_QMediaPlayer_addPropertyWatch_2309 (const QByteArray &name) { QMediaPlayer::addPropertyWatch(name); } @@ -1134,8 +1282,8 @@ class QMediaPlayer_Adaptor : public QMediaPlayer, public qt_gsi::QtObjectBase return QMediaPlayer::receivers(signal); } - // [expose] void QMediaPlayer::removePropertyWatch(QByteArray const &name) - void fp_QMediaPlayer_removePropertyWatch_2309 (QByteArray const &name) { + // [expose] void QMediaPlayer::removePropertyWatch(const QByteArray &name) + void fp_QMediaPlayer_removePropertyWatch_2309 (const QByteArray &name) { QMediaPlayer::removePropertyWatch(name); } @@ -1179,33 +1327,33 @@ class QMediaPlayer_Adaptor : public QMediaPlayer, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QMediaPlayer::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QMediaPlayer::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QMediaPlayer::event(arg1); + return QMediaPlayer::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QMediaPlayer_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QMediaPlayer_Adaptor::cbs_event_1217_0, _event); } else { - return QMediaPlayer::event(arg1); + return QMediaPlayer::event(_event); } } - // [adaptor impl] bool QMediaPlayer::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMediaPlayer::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMediaPlayer::eventFilter(arg1, arg2); + return QMediaPlayer::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMediaPlayer_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMediaPlayer_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMediaPlayer::eventFilter(arg1, arg2); + return QMediaPlayer::eventFilter(watched, event); } } @@ -1254,33 +1402,33 @@ class QMediaPlayer_Adaptor : public QMediaPlayer, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMediaPlayer::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMediaPlayer::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMediaPlayer::childEvent(arg1); + QMediaPlayer::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMediaPlayer_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMediaPlayer_Adaptor::cbs_childEvent_1701_0, event); } else { - QMediaPlayer::childEvent(arg1); + QMediaPlayer::childEvent(event); } } - // [adaptor impl] void QMediaPlayer::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMediaPlayer::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMediaPlayer::customEvent(arg1); + QMediaPlayer::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMediaPlayer_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMediaPlayer_Adaptor::cbs_customEvent_1217_0, event); } else { - QMediaPlayer::customEvent(arg1); + QMediaPlayer::customEvent(event); } } @@ -1299,18 +1447,18 @@ class QMediaPlayer_Adaptor : public QMediaPlayer, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMediaPlayer::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMediaPlayer::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMediaPlayer::timerEvent(arg1); + QMediaPlayer::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMediaPlayer_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMediaPlayer_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMediaPlayer::timerEvent(arg1); + QMediaPlayer::timerEvent(event); } } @@ -1333,9 +1481,9 @@ QMediaPlayer_Adaptor::~QMediaPlayer_Adaptor() { } static void _init_ctor_QMediaPlayer_Adaptor_4002 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_1 ("flags", true, "QMediaPlayer::Flags()"); decl->add_arg > (argspec_1); decl->set_return_new (); } @@ -1344,18 +1492,18 @@ static void _call_ctor_QMediaPlayer_Adaptor_4002 (const qt_gsi::GenericStaticMet { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QMediaPlayer::Flags(), heap); ret.write (new QMediaPlayer_Adaptor (arg1, arg2)); } -// exposed void QMediaPlayer::addPropertyWatch(QByteArray const &name) +// exposed void QMediaPlayer::addPropertyWatch(const QByteArray &name) static void _init_fp_addPropertyWatch_2309 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); + decl->add_arg (argspec_0); decl->set_return (); } @@ -1363,7 +1511,7 @@ static void _call_fp_addPropertyWatch_2309 (const qt_gsi::GenericMethod * /*decl { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QByteArray const &arg1 = gsi::arg_reader() (args, heap); + const QByteArray &arg1 = gsi::arg_reader() (args, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QMediaPlayer_Adaptor *)cls)->fp_QMediaPlayer_addPropertyWatch_2309 (arg1); } @@ -1411,11 +1559,11 @@ static void _set_callback_cbs_bind_1302_0 (void *cls, const gsi::Callback &cb) } -// void QMediaPlayer::childEvent(QChildEvent *) +// void QMediaPlayer::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1435,11 +1583,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QMediaPlayer::customEvent(QEvent *) +// void QMediaPlayer::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1483,11 +1631,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QMediaPlayer::event(QEvent *) +// bool QMediaPlayer::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1506,13 +1654,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMediaPlayer::eventFilter(QObject *, QEvent *) +// bool QMediaPlayer::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1587,12 +1735,12 @@ static void _call_fp_receivers_c1731 (const qt_gsi::GenericMethod * /*decl*/, vo } -// exposed void QMediaPlayer::removePropertyWatch(QByteArray const &name) +// exposed void QMediaPlayer::removePropertyWatch(const QByteArray &name) static void _init_fp_removePropertyWatch_2309 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); + decl->add_arg (argspec_0); decl->set_return (); } @@ -1600,7 +1748,7 @@ static void _call_fp_removePropertyWatch_2309 (const qt_gsi::GenericMethod * /*d { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QByteArray const &arg1 = gsi::arg_reader() (args, heap); + const QByteArray &arg1 = gsi::arg_reader() (args, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QMediaPlayer_Adaptor *)cls)->fp_QMediaPlayer_removePropertyWatch_2309 (arg1); } @@ -1653,11 +1801,11 @@ static void _set_callback_cbs_service_c0_0 (void *cls, const gsi::Callback &cb) } -// void QMediaPlayer::timerEvent(QTimerEvent *) +// void QMediaPlayer::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1709,31 +1857,31 @@ gsi::Class &qtdecl_QMediaPlayer (); static gsi::Methods methods_QMediaPlayer_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaPlayer::QMediaPlayer(QObject *parent, QFlags flags)\nThis method creates an object of class QMediaPlayer.", &_init_ctor_QMediaPlayer_Adaptor_4002, &_call_ctor_QMediaPlayer_Adaptor_4002); - methods += new qt_gsi::GenericMethod ("*addPropertyWatch", "@brief Method void QMediaPlayer::addPropertyWatch(QByteArray const &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_addPropertyWatch_2309, &_call_fp_addPropertyWatch_2309); + methods += new qt_gsi::GenericMethod ("*addPropertyWatch", "@brief Method void QMediaPlayer::addPropertyWatch(const QByteArray &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_addPropertyWatch_2309, &_call_fp_addPropertyWatch_2309); methods += new qt_gsi::GenericMethod ("availability", "@brief Virtual method QMultimedia::AvailabilityStatus QMediaPlayer::availability()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0); methods += new qt_gsi::GenericMethod ("availability", "@hide", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0, &_set_callback_cbs_availability_c0_0); methods += new qt_gsi::GenericMethod ("bind", "@brief Virtual method bool QMediaPlayer::bind(QObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_bind_1302_0, &_call_cbs_bind_1302_0); methods += new qt_gsi::GenericMethod ("bind", "@hide", false, &_init_cbs_bind_1302_0, &_call_cbs_bind_1302_0, &_set_callback_cbs_bind_1302_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaPlayer::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaPlayer::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaPlayer::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaPlayer::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaPlayer::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaPlayer::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaPlayer::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaPlayer::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaPlayer::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isAvailable", "@brief Virtual method bool QMediaPlayer::isAvailable()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isAvailable_c0_0, &_call_cbs_isAvailable_c0_0); methods += new qt_gsi::GenericMethod ("isAvailable", "@hide", true, &_init_cbs_isAvailable_c0_0, &_call_cbs_isAvailable_c0_0, &_set_callback_cbs_isAvailable_c0_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaPlayer::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaPlayer::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); - methods += new qt_gsi::GenericMethod ("*removePropertyWatch", "@brief Method void QMediaPlayer::removePropertyWatch(QByteArray const &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_removePropertyWatch_2309, &_call_fp_removePropertyWatch_2309); + methods += new qt_gsi::GenericMethod ("*removePropertyWatch", "@brief Method void QMediaPlayer::removePropertyWatch(const QByteArray &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_removePropertyWatch_2309, &_call_fp_removePropertyWatch_2309); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaPlayer::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaPlayer::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("service", "@brief Virtual method QMediaService *QMediaPlayer::service()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_service_c0_0, &_call_cbs_service_c0_0); methods += new qt_gsi::GenericMethod ("service", "@hide", true, &_init_cbs_service_c0_0, &_call_cbs_service_c0_0, &_set_callback_cbs_service_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaPlayer::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaPlayer::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("unbind", "@brief Virtual method void QMediaPlayer::unbind(QObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_unbind_1302_0, &_call_cbs_unbind_1302_0); methods += new qt_gsi::GenericMethod ("unbind", "@hide", false, &_init_cbs_unbind_1302_0, &_call_cbs_unbind_1302_0, &_set_callback_cbs_unbind_1302_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayerControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayerControl.cc index 5074015c48..ff0cb74a9f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayerControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayerControl.cc @@ -92,12 +92,12 @@ static void _call_f_availablePlaybackRanges_c0 (const qt_gsi::GenericMethod * /* } -// void QMediaPlayerControl::availablePlaybackRangesChanged(const QMediaTimeRange &) +// void QMediaPlayerControl::availablePlaybackRangesChanged(const QMediaTimeRange &ranges) static void _init_f_availablePlaybackRangesChanged_2766 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("ranges"); decl->add_arg (argspec_0); decl->set_return (); } @@ -350,12 +350,12 @@ static void _call_f_mediaStream_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMediaPlayerControl::mutedChanged(bool muted) +// void QMediaPlayerControl::mutedChanged(bool mute) static void _init_f_mutedChanged_864 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("muted"); + static gsi::ArgSpecBase argspec_0 ("mute"); decl->add_arg (argspec_0); decl->set_return (); } @@ -472,12 +472,12 @@ static void _call_f_positionChanged_986 (const qt_gsi::GenericMethod * /*decl*/, } -// void QMediaPlayerControl::seekableChanged(bool) +// void QMediaPlayerControl::seekableChanged(bool seekable) static void _init_f_seekableChanged_864 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("seekable"); decl->add_arg (argspec_0); decl->set_return (); } @@ -515,12 +515,12 @@ static void _call_f_setMedia_3944 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMediaPlayerControl::setMuted(bool muted) +// void QMediaPlayerControl::setMuted(bool mute) static void _init_f_setMuted_864 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("muted"); + static gsi::ArgSpecBase argspec_0 ("mute"); decl->add_arg (argspec_0); decl->set_return (); } @@ -759,7 +759,7 @@ static gsi::Methods methods_QMediaPlayerControl () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("audioAvailableChanged", "@brief Method void QMediaPlayerControl::audioAvailableChanged(bool audioAvailable)\n", false, &_init_f_audioAvailableChanged_864, &_call_f_audioAvailableChanged_864); methods += new qt_gsi::GenericMethod ("availablePlaybackRanges", "@brief Method QMediaTimeRange QMediaPlayerControl::availablePlaybackRanges()\n", true, &_init_f_availablePlaybackRanges_c0, &_call_f_availablePlaybackRanges_c0); - methods += new qt_gsi::GenericMethod ("availablePlaybackRangesChanged", "@brief Method void QMediaPlayerControl::availablePlaybackRangesChanged(const QMediaTimeRange &)\n", false, &_init_f_availablePlaybackRangesChanged_2766, &_call_f_availablePlaybackRangesChanged_2766); + methods += new qt_gsi::GenericMethod ("availablePlaybackRangesChanged", "@brief Method void QMediaPlayerControl::availablePlaybackRangesChanged(const QMediaTimeRange &ranges)\n", false, &_init_f_availablePlaybackRangesChanged_2766, &_call_f_availablePlaybackRangesChanged_2766); methods += new qt_gsi::GenericMethod ("bufferStatus", "@brief Method int QMediaPlayerControl::bufferStatus()\n", true, &_init_f_bufferStatus_c0, &_call_f_bufferStatus_c0); methods += new qt_gsi::GenericMethod ("bufferStatusChanged", "@brief Method void QMediaPlayerControl::bufferStatusChanged(int percentFilled)\n", false, &_init_f_bufferStatusChanged_767, &_call_f_bufferStatusChanged_767); methods += new qt_gsi::GenericMethod ("duration", "@brief Method qint64 QMediaPlayerControl::duration()\n", true, &_init_f_duration_c0, &_call_f_duration_c0); @@ -774,16 +774,16 @@ static gsi::Methods methods_QMediaPlayerControl () { methods += new qt_gsi::GenericMethod ("mediaStatus", "@brief Method QMediaPlayer::MediaStatus QMediaPlayerControl::mediaStatus()\n", true, &_init_f_mediaStatus_c0, &_call_f_mediaStatus_c0); methods += new qt_gsi::GenericMethod ("mediaStatusChanged", "@brief Method void QMediaPlayerControl::mediaStatusChanged(QMediaPlayer::MediaStatus status)\n", false, &_init_f_mediaStatusChanged_2858, &_call_f_mediaStatusChanged_2858); methods += new qt_gsi::GenericMethod ("mediaStream", "@brief Method const QIODevice *QMediaPlayerControl::mediaStream()\n", true, &_init_f_mediaStream_c0, &_call_f_mediaStream_c0); - methods += new qt_gsi::GenericMethod ("mutedChanged", "@brief Method void QMediaPlayerControl::mutedChanged(bool muted)\n", false, &_init_f_mutedChanged_864, &_call_f_mutedChanged_864); + methods += new qt_gsi::GenericMethod ("mutedChanged", "@brief Method void QMediaPlayerControl::mutedChanged(bool mute)\n", false, &_init_f_mutedChanged_864, &_call_f_mutedChanged_864); methods += new qt_gsi::GenericMethod ("pause", "@brief Method void QMediaPlayerControl::pause()\n", false, &_init_f_pause_0, &_call_f_pause_0); methods += new qt_gsi::GenericMethod ("play", "@brief Method void QMediaPlayerControl::play()\n", false, &_init_f_play_0, &_call_f_play_0); methods += new qt_gsi::GenericMethod (":playbackRate", "@brief Method double QMediaPlayerControl::playbackRate()\n", true, &_init_f_playbackRate_c0, &_call_f_playbackRate_c0); methods += new qt_gsi::GenericMethod ("playbackRateChanged", "@brief Method void QMediaPlayerControl::playbackRateChanged(double rate)\n", false, &_init_f_playbackRateChanged_1071, &_call_f_playbackRateChanged_1071); methods += new qt_gsi::GenericMethod (":position", "@brief Method qint64 QMediaPlayerControl::position()\n", true, &_init_f_position_c0, &_call_f_position_c0); methods += new qt_gsi::GenericMethod ("positionChanged", "@brief Method void QMediaPlayerControl::positionChanged(qint64 position)\n", false, &_init_f_positionChanged_986, &_call_f_positionChanged_986); - methods += new qt_gsi::GenericMethod ("seekableChanged", "@brief Method void QMediaPlayerControl::seekableChanged(bool)\n", false, &_init_f_seekableChanged_864, &_call_f_seekableChanged_864); + methods += new qt_gsi::GenericMethod ("seekableChanged", "@brief Method void QMediaPlayerControl::seekableChanged(bool seekable)\n", false, &_init_f_seekableChanged_864, &_call_f_seekableChanged_864); methods += new qt_gsi::GenericMethod ("setMedia", "@brief Method void QMediaPlayerControl::setMedia(const QMediaContent &media, QIODevice *stream)\n", false, &_init_f_setMedia_3944, &_call_f_setMedia_3944); - methods += new qt_gsi::GenericMethod ("setMuted|muted=", "@brief Method void QMediaPlayerControl::setMuted(bool muted)\n", false, &_init_f_setMuted_864, &_call_f_setMuted_864); + methods += new qt_gsi::GenericMethod ("setMuted|muted=", "@brief Method void QMediaPlayerControl::setMuted(bool mute)\n", false, &_init_f_setMuted_864, &_call_f_setMuted_864); methods += new qt_gsi::GenericMethod ("setPlaybackRate|playbackRate=", "@brief Method void QMediaPlayerControl::setPlaybackRate(double rate)\n", false, &_init_f_setPlaybackRate_1071, &_call_f_setPlaybackRate_1071); methods += new qt_gsi::GenericMethod ("setPosition|position=", "@brief Method void QMediaPlayerControl::setPosition(qint64 position)\n", false, &_init_f_setPosition_986, &_call_f_setPosition_986); methods += new qt_gsi::GenericMethod ("setVolume|volume=", "@brief Method void QMediaPlayerControl::setVolume(int volume)\n", false, &_init_f_setVolume_767, &_call_f_setVolume_767); @@ -886,33 +886,33 @@ class QMediaPlayerControl_Adaptor : public QMediaPlayerControl, public qt_gsi::Q } } - // [adaptor impl] bool QMediaPlayerControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QMediaPlayerControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QMediaPlayerControl::event(arg1); + return QMediaPlayerControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QMediaPlayerControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QMediaPlayerControl_Adaptor::cbs_event_1217_0, _event); } else { - return QMediaPlayerControl::event(arg1); + return QMediaPlayerControl::event(_event); } } - // [adaptor impl] bool QMediaPlayerControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMediaPlayerControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMediaPlayerControl::eventFilter(arg1, arg2); + return QMediaPlayerControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMediaPlayerControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMediaPlayerControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMediaPlayerControl::eventFilter(arg1, arg2); + return QMediaPlayerControl::eventFilter(watched, event); } } @@ -1098,17 +1098,17 @@ class QMediaPlayerControl_Adaptor : public QMediaPlayerControl, public qt_gsi::Q } } - // [adaptor impl] void QMediaPlayerControl::setMuted(bool muted) - void cbs_setMuted_864_0(bool muted) + // [adaptor impl] void QMediaPlayerControl::setMuted(bool mute) + void cbs_setMuted_864_0(bool mute) { - __SUPPRESS_UNUSED_WARNING (muted); + __SUPPRESS_UNUSED_WARNING (mute); throw qt_gsi::AbstractMethodCalledException("setMuted"); } - virtual void setMuted(bool muted) + virtual void setMuted(bool mute) { if (cb_setMuted_864_0.can_issue()) { - cb_setMuted_864_0.issue(&QMediaPlayerControl_Adaptor::cbs_setMuted_864_0, muted); + cb_setMuted_864_0.issue(&QMediaPlayerControl_Adaptor::cbs_setMuted_864_0, mute); } else { throw qt_gsi::AbstractMethodCalledException("setMuted"); } @@ -1207,33 +1207,33 @@ class QMediaPlayerControl_Adaptor : public QMediaPlayerControl, public qt_gsi::Q } } - // [adaptor impl] void QMediaPlayerControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMediaPlayerControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMediaPlayerControl::childEvent(arg1); + QMediaPlayerControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMediaPlayerControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMediaPlayerControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QMediaPlayerControl::childEvent(arg1); + QMediaPlayerControl::childEvent(event); } } - // [adaptor impl] void QMediaPlayerControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMediaPlayerControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMediaPlayerControl::customEvent(arg1); + QMediaPlayerControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMediaPlayerControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMediaPlayerControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QMediaPlayerControl::customEvent(arg1); + QMediaPlayerControl::customEvent(event); } } @@ -1252,18 +1252,18 @@ class QMediaPlayerControl_Adaptor : public QMediaPlayerControl, public qt_gsi::Q } } - // [adaptor impl] void QMediaPlayerControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMediaPlayerControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMediaPlayerControl::timerEvent(arg1); + QMediaPlayerControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMediaPlayerControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMediaPlayerControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMediaPlayerControl::timerEvent(arg1); + QMediaPlayerControl::timerEvent(event); } } @@ -1351,11 +1351,11 @@ static void _set_callback_cbs_bufferStatus_c0_0 (void *cls, const gsi::Callback } -// void QMediaPlayerControl::childEvent(QChildEvent *) +// void QMediaPlayerControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1375,11 +1375,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QMediaPlayerControl::customEvent(QEvent *) +// void QMediaPlayerControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1442,11 +1442,11 @@ static void _set_callback_cbs_duration_c0_0 (void *cls, const gsi::Callback &cb) } -// bool QMediaPlayerControl::event(QEvent *) +// bool QMediaPlayerControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1465,13 +1465,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMediaPlayerControl::eventFilter(QObject *, QEvent *) +// bool QMediaPlayerControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1793,11 +1793,11 @@ static void _set_callback_cbs_setMedia_3944_0 (void *cls, const gsi::Callback &c } -// void QMediaPlayerControl::setMuted(bool muted) +// void QMediaPlayerControl::setMuted(bool mute) static void _init_cbs_setMuted_864_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("muted"); + static gsi::ArgSpecBase argspec_0 ("mute"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1928,11 +1928,11 @@ static void _set_callback_cbs_stop_0_0 (void *cls, const gsi::Callback &cb) } -// void QMediaPlayerControl::timerEvent(QTimerEvent *) +// void QMediaPlayerControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1983,17 +1983,17 @@ static gsi::Methods methods_QMediaPlayerControl_Adaptor () { methods += new qt_gsi::GenericMethod ("availablePlaybackRanges", "@hide", true, &_init_cbs_availablePlaybackRanges_c0_0, &_call_cbs_availablePlaybackRanges_c0_0, &_set_callback_cbs_availablePlaybackRanges_c0_0); methods += new qt_gsi::GenericMethod ("bufferStatus", "@brief Virtual method int QMediaPlayerControl::bufferStatus()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_bufferStatus_c0_0, &_call_cbs_bufferStatus_c0_0); methods += new qt_gsi::GenericMethod ("bufferStatus", "@hide", true, &_init_cbs_bufferStatus_c0_0, &_call_cbs_bufferStatus_c0_0, &_set_callback_cbs_bufferStatus_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaPlayerControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaPlayerControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaPlayerControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaPlayerControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaPlayerControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("duration", "@brief Virtual method qint64 QMediaPlayerControl::duration()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_duration_c0_0, &_call_cbs_duration_c0_0); methods += new qt_gsi::GenericMethod ("duration", "@hide", true, &_init_cbs_duration_c0_0, &_call_cbs_duration_c0_0, &_set_callback_cbs_duration_c0_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaPlayerControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaPlayerControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaPlayerControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaPlayerControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isAudioAvailable", "@brief Virtual method bool QMediaPlayerControl::isAudioAvailable()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isAudioAvailable_c0_0, &_call_cbs_isAudioAvailable_c0_0); methods += new qt_gsi::GenericMethod ("isAudioAvailable", "@hide", true, &_init_cbs_isAudioAvailable_c0_0, &_call_cbs_isAudioAvailable_c0_0, &_set_callback_cbs_isAudioAvailable_c0_0); @@ -2023,7 +2023,7 @@ static gsi::Methods methods_QMediaPlayerControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaPlayerControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setMedia", "@brief Virtual method void QMediaPlayerControl::setMedia(const QMediaContent &media, QIODevice *stream)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setMedia_3944_0, &_call_cbs_setMedia_3944_0); methods += new qt_gsi::GenericMethod ("setMedia", "@hide", false, &_init_cbs_setMedia_3944_0, &_call_cbs_setMedia_3944_0, &_set_callback_cbs_setMedia_3944_0); - methods += new qt_gsi::GenericMethod ("setMuted", "@brief Virtual method void QMediaPlayerControl::setMuted(bool muted)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setMuted_864_0, &_call_cbs_setMuted_864_0); + methods += new qt_gsi::GenericMethod ("setMuted", "@brief Virtual method void QMediaPlayerControl::setMuted(bool mute)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setMuted_864_0, &_call_cbs_setMuted_864_0); methods += new qt_gsi::GenericMethod ("setMuted", "@hide", false, &_init_cbs_setMuted_864_0, &_call_cbs_setMuted_864_0, &_set_callback_cbs_setMuted_864_0); methods += new qt_gsi::GenericMethod ("setPlaybackRate", "@brief Virtual method void QMediaPlayerControl::setPlaybackRate(double rate)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setPlaybackRate_1071_0, &_call_cbs_setPlaybackRate_1071_0); methods += new qt_gsi::GenericMethod ("setPlaybackRate", "@hide", false, &_init_cbs_setPlaybackRate_1071_0, &_call_cbs_setPlaybackRate_1071_0, &_set_callback_cbs_setPlaybackRate_1071_0); @@ -2035,7 +2035,7 @@ static gsi::Methods methods_QMediaPlayerControl_Adaptor () { methods += new qt_gsi::GenericMethod ("state", "@hide", true, &_init_cbs_state_c0_0, &_call_cbs_state_c0_0, &_set_callback_cbs_state_c0_0); methods += new qt_gsi::GenericMethod ("stop", "@brief Virtual method void QMediaPlayerControl::stop()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0); methods += new qt_gsi::GenericMethod ("stop", "@hide", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0, &_set_callback_cbs_stop_0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaPlayerControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaPlayerControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("volume", "@brief Virtual method int QMediaPlayerControl::volume()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_volume_c0_0, &_call_cbs_volume_c0_0); methods += new qt_gsi::GenericMethod ("volume", "@hide", true, &_init_cbs_volume_c0_0, &_call_cbs_volume_c0_0, &_set_callback_cbs_volume_c0_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlaylist.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlaylist.cc index f51c0a0025..17efee2077 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlaylist.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlaylist.cc @@ -293,7 +293,7 @@ static void _init_f_load_4508 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("request"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "0"); + static gsi::ArgSpecBase argspec_1 ("format", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -303,7 +303,7 @@ static void _call_f_load_4508 (const qt_gsi::GenericMethod * /*decl*/, void *cls __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QNetworkRequest &arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QMediaPlaylist *)cls)->load (arg1, arg2); } @@ -316,7 +316,7 @@ static void _init_f_load_3324 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("location"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "0"); + static gsi::ArgSpecBase argspec_1 ("format", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -326,7 +326,7 @@ static void _call_f_load_3324 (const qt_gsi::GenericMethod * /*decl*/, void *cls __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QUrl &arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QMediaPlaylist *)cls)->load (arg1, arg2); } @@ -339,7 +339,7 @@ static void _init_f_load_3070 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("device"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "0"); + static gsi::ArgSpecBase argspec_1 ("format", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -349,7 +349,7 @@ static void _call_f_load_3070 (const qt_gsi::GenericMethod * /*decl*/, void *cls __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QIODevice *arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QMediaPlaylist *)cls)->load (arg1, arg2); } @@ -551,6 +551,28 @@ static void _call_f_mediaRemoved_1426 (const qt_gsi::GenericMethod * /*decl*/, v } +// bool QMediaPlaylist::moveMedia(int from, int to) + + +static void _init_f_moveMedia_1426 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("from"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("to"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_moveMedia_1426 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QMediaPlaylist *)cls)->moveMedia (arg1, arg2)); +} + + // void QMediaPlaylist::next() @@ -704,7 +726,7 @@ static void _init_f_save_3324 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("location"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "0"); + static gsi::ArgSpecBase argspec_1 ("format", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -714,7 +736,7 @@ static void _call_f_save_3324 (const qt_gsi::GenericMethod * /*decl*/, void *cls __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QUrl &arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QMediaPlaylist *)cls)->save (arg1, arg2)); } @@ -924,6 +946,7 @@ static gsi::Methods methods_QMediaPlaylist () { methods += new qt_gsi::GenericMethod ("mediaInserted", "@brief Method void QMediaPlaylist::mediaInserted(int start, int end)\n", false, &_init_f_mediaInserted_1426, &_call_f_mediaInserted_1426); methods += new qt_gsi::GenericMethod ("mediaObject", "@brief Method QMediaObject *QMediaPlaylist::mediaObject()\nThis is a reimplementation of QMediaBindableInterface::mediaObject", true, &_init_f_mediaObject_c0, &_call_f_mediaObject_c0); methods += new qt_gsi::GenericMethod ("mediaRemoved", "@brief Method void QMediaPlaylist::mediaRemoved(int start, int end)\n", false, &_init_f_mediaRemoved_1426, &_call_f_mediaRemoved_1426); + methods += new qt_gsi::GenericMethod ("moveMedia", "@brief Method bool QMediaPlaylist::moveMedia(int from, int to)\n", false, &_init_f_moveMedia_1426, &_call_f_moveMedia_1426); methods += new qt_gsi::GenericMethod ("next", "@brief Method void QMediaPlaylist::next()\n", false, &_init_f_next_0, &_call_f_next_0); methods += new qt_gsi::GenericMethod ("nextIndex", "@brief Method int QMediaPlaylist::nextIndex(int steps)\n", true, &_init_f_nextIndex_c767, &_call_f_nextIndex_c767); methods += new qt_gsi::GenericMethod (":playbackMode", "@brief Method QMediaPlaylist::PlaybackMode QMediaPlaylist::playbackMode()\n", true, &_init_f_playbackMode_c0, &_call_f_playbackMode_c0); @@ -1001,33 +1024,33 @@ class QMediaPlaylist_Adaptor : public QMediaPlaylist, public qt_gsi::QtObjectBas return QMediaPlaylist::senderSignalIndex(); } - // [adaptor impl] bool QMediaPlaylist::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QMediaPlaylist::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QMediaPlaylist::event(arg1); + return QMediaPlaylist::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QMediaPlaylist_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QMediaPlaylist_Adaptor::cbs_event_1217_0, _event); } else { - return QMediaPlaylist::event(arg1); + return QMediaPlaylist::event(_event); } } - // [adaptor impl] bool QMediaPlaylist::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMediaPlaylist::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMediaPlaylist::eventFilter(arg1, arg2); + return QMediaPlaylist::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMediaPlaylist_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMediaPlaylist_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMediaPlaylist::eventFilter(arg1, arg2); + return QMediaPlaylist::eventFilter(watched, event); } } @@ -1046,33 +1069,33 @@ class QMediaPlaylist_Adaptor : public QMediaPlaylist, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QMediaPlaylist::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMediaPlaylist::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMediaPlaylist::childEvent(arg1); + QMediaPlaylist::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMediaPlaylist_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMediaPlaylist_Adaptor::cbs_childEvent_1701_0, event); } else { - QMediaPlaylist::childEvent(arg1); + QMediaPlaylist::childEvent(event); } } - // [adaptor impl] void QMediaPlaylist::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMediaPlaylist::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMediaPlaylist::customEvent(arg1); + QMediaPlaylist::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMediaPlaylist_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMediaPlaylist_Adaptor::cbs_customEvent_1217_0, event); } else { - QMediaPlaylist::customEvent(arg1); + QMediaPlaylist::customEvent(event); } } @@ -1106,18 +1129,18 @@ class QMediaPlaylist_Adaptor : public QMediaPlaylist, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QMediaPlaylist::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMediaPlaylist::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMediaPlaylist::timerEvent(arg1); + QMediaPlaylist::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMediaPlaylist_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMediaPlaylist_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMediaPlaylist::timerEvent(arg1); + QMediaPlaylist::timerEvent(event); } } @@ -1137,7 +1160,7 @@ QMediaPlaylist_Adaptor::~QMediaPlaylist_Adaptor() { } static void _init_ctor_QMediaPlaylist_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1146,16 +1169,16 @@ static void _call_ctor_QMediaPlaylist_Adaptor_1302 (const qt_gsi::GenericStaticM { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QMediaPlaylist_Adaptor (arg1)); } -// void QMediaPlaylist::childEvent(QChildEvent *) +// void QMediaPlaylist::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1175,11 +1198,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QMediaPlaylist::customEvent(QEvent *) +// void QMediaPlaylist::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1223,11 +1246,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QMediaPlaylist::event(QEvent *) +// bool QMediaPlaylist::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1246,13 +1269,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMediaPlaylist::eventFilter(QObject *, QEvent *) +// bool QMediaPlaylist::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1378,11 +1401,11 @@ static void _set_callback_cbs_setMediaObject_1782_0 (void *cls, const gsi::Callb } -// void QMediaPlaylist::timerEvent(QTimerEvent *) +// void QMediaPlaylist::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1410,15 +1433,15 @@ gsi::Class &qtdecl_QMediaPlaylist (); static gsi::Methods methods_QMediaPlaylist_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaPlaylist::QMediaPlaylist(QObject *parent)\nThis method creates an object of class QMediaPlaylist.", &_init_ctor_QMediaPlaylist_Adaptor_1302, &_call_ctor_QMediaPlaylist_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaPlaylist::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaPlaylist::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaPlaylist::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaPlaylist::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaPlaylist::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaPlaylist::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaPlaylist::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaPlaylist::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaPlaylist::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaPlaylist::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("mediaObject", "@brief Virtual method QMediaObject *QMediaPlaylist::mediaObject()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_mediaObject_c0_0, &_call_cbs_mediaObject_c0_0); @@ -1428,7 +1451,7 @@ static gsi::Methods methods_QMediaPlaylist_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaPlaylist::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*setMediaObject", "@brief Virtual method bool QMediaPlaylist::setMediaObject(QMediaObject *object)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setMediaObject_1782_0, &_call_cbs_setMediaObject_1782_0); methods += new qt_gsi::GenericMethod ("*setMediaObject", "@hide", false, &_init_cbs_setMediaObject_1782_0, &_call_cbs_setMediaObject_1782_0, &_set_callback_cbs_setMediaObject_1782_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaPlaylist::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaPlaylist::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorder.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorder.cc index f487271421..21beac146b 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorder.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorder.cc @@ -833,7 +833,7 @@ static void _init_f_supportedAudioSampleRates_c4387 (qt_gsi::GenericMethod *decl { static gsi::ArgSpecBase argspec_0 ("settings", true, "QAudioEncoderSettings()"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("continuous", true, "0"); + static gsi::ArgSpecBase argspec_1 ("continuous", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return > (); } @@ -843,7 +843,7 @@ static void _call_f_supportedAudioSampleRates_c4387 (const qt_gsi::GenericMethod __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QAudioEncoderSettings &arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QAudioEncoderSettings(), heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write > ((QList)((QMediaRecorder *)cls)->supportedAudioSampleRates (arg1, arg2)); } @@ -870,7 +870,7 @@ static void _init_f_supportedFrameRates_c4392 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("settings", true, "QVideoEncoderSettings()"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("continuous", true, "0"); + static gsi::ArgSpecBase argspec_1 ("continuous", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return > (); } @@ -880,7 +880,7 @@ static void _call_f_supportedFrameRates_c4392 (const qt_gsi::GenericMethod * /*d __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QVideoEncoderSettings &arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QVideoEncoderSettings(), heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write > ((QList)((QMediaRecorder *)cls)->supportedFrameRates (arg1, arg2)); } @@ -892,7 +892,7 @@ static void _init_f_supportedResolutions_c4392 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("settings", true, "QVideoEncoderSettings()"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("continuous", true, "0"); + static gsi::ArgSpecBase argspec_1 ("continuous", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return > (); } @@ -902,7 +902,7 @@ static void _call_f_supportedResolutions_c4392 (const qt_gsi::GenericMethod * /* __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QVideoEncoderSettings &arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QVideoEncoderSettings(), heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write > ((QList)((QMediaRecorder *)cls)->supportedResolutions (arg1, arg2)); } @@ -1208,33 +1208,33 @@ class QMediaRecorder_Adaptor : public QMediaRecorder, public qt_gsi::QtObjectBas return QMediaRecorder::senderSignalIndex(); } - // [adaptor impl] bool QMediaRecorder::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QMediaRecorder::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QMediaRecorder::event(arg1); + return QMediaRecorder::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QMediaRecorder_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QMediaRecorder_Adaptor::cbs_event_1217_0, _event); } else { - return QMediaRecorder::event(arg1); + return QMediaRecorder::event(_event); } } - // [adaptor impl] bool QMediaRecorder::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMediaRecorder::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMediaRecorder::eventFilter(arg1, arg2); + return QMediaRecorder::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMediaRecorder_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMediaRecorder_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMediaRecorder::eventFilter(arg1, arg2); + return QMediaRecorder::eventFilter(watched, event); } } @@ -1253,33 +1253,33 @@ class QMediaRecorder_Adaptor : public QMediaRecorder, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QMediaRecorder::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMediaRecorder::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMediaRecorder::childEvent(arg1); + QMediaRecorder::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMediaRecorder_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMediaRecorder_Adaptor::cbs_childEvent_1701_0, event); } else { - QMediaRecorder::childEvent(arg1); + QMediaRecorder::childEvent(event); } } - // [adaptor impl] void QMediaRecorder::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMediaRecorder::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMediaRecorder::customEvent(arg1); + QMediaRecorder::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMediaRecorder_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMediaRecorder_Adaptor::cbs_customEvent_1217_0, event); } else { - QMediaRecorder::customEvent(arg1); + QMediaRecorder::customEvent(event); } } @@ -1313,18 +1313,18 @@ class QMediaRecorder_Adaptor : public QMediaRecorder, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QMediaRecorder::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMediaRecorder::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMediaRecorder::timerEvent(arg1); + QMediaRecorder::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMediaRecorder_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMediaRecorder_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMediaRecorder::timerEvent(arg1); + QMediaRecorder::timerEvent(event); } } @@ -1346,7 +1346,7 @@ static void _init_ctor_QMediaRecorder_Adaptor_2976 (qt_gsi::GenericStaticMethod { static gsi::ArgSpecBase argspec_0 ("mediaObject"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1356,16 +1356,16 @@ static void _call_ctor_QMediaRecorder_Adaptor_2976 (const qt_gsi::GenericStaticM __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QMediaObject *arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QMediaRecorder_Adaptor (arg1, arg2)); } -// void QMediaRecorder::childEvent(QChildEvent *) +// void QMediaRecorder::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1385,11 +1385,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QMediaRecorder::customEvent(QEvent *) +// void QMediaRecorder::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1433,11 +1433,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QMediaRecorder::event(QEvent *) +// bool QMediaRecorder::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1456,13 +1456,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMediaRecorder::eventFilter(QObject *, QEvent *) +// bool QMediaRecorder::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1588,11 +1588,11 @@ static void _set_callback_cbs_setMediaObject_1782_0 (void *cls, const gsi::Callb } -// void QMediaRecorder::timerEvent(QTimerEvent *) +// void QMediaRecorder::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1620,15 +1620,15 @@ gsi::Class &qtdecl_QMediaRecorder (); static gsi::Methods methods_QMediaRecorder_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaRecorder::QMediaRecorder(QMediaObject *mediaObject, QObject *parent)\nThis method creates an object of class QMediaRecorder.", &_init_ctor_QMediaRecorder_Adaptor_2976, &_call_ctor_QMediaRecorder_Adaptor_2976); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaRecorder::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaRecorder::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaRecorder::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaRecorder::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaRecorder::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaRecorder::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaRecorder::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaRecorder::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaRecorder::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaRecorder::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("mediaObject", "@brief Virtual method QMediaObject *QMediaRecorder::mediaObject()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_mediaObject_c0_0, &_call_cbs_mediaObject_c0_0); @@ -1638,7 +1638,7 @@ static gsi::Methods methods_QMediaRecorder_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaRecorder::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*setMediaObject", "@brief Virtual method bool QMediaRecorder::setMediaObject(QMediaObject *object)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setMediaObject_1782_0, &_call_cbs_setMediaObject_1782_0); methods += new qt_gsi::GenericMethod ("*setMediaObject", "@hide", false, &_init_cbs_setMediaObject_1782_0, &_call_cbs_setMediaObject_1782_0, &_set_callback_cbs_setMediaObject_1782_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaRecorder::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaRecorder::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorderControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorderControl.cc index 7b66a46e8d..a986845deb 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorderControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorderControl.cc @@ -535,33 +535,33 @@ class QMediaRecorderControl_Adaptor : public QMediaRecorderControl, public qt_gs } } - // [adaptor impl] bool QMediaRecorderControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QMediaRecorderControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QMediaRecorderControl::event(arg1); + return QMediaRecorderControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QMediaRecorderControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QMediaRecorderControl_Adaptor::cbs_event_1217_0, _event); } else { - return QMediaRecorderControl::event(arg1); + return QMediaRecorderControl::event(_event); } } - // [adaptor impl] bool QMediaRecorderControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMediaRecorderControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMediaRecorderControl::eventFilter(arg1, arg2); + return QMediaRecorderControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMediaRecorderControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMediaRecorderControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMediaRecorderControl::eventFilter(arg1, arg2); + return QMediaRecorderControl::eventFilter(watched, event); } } @@ -704,33 +704,33 @@ class QMediaRecorderControl_Adaptor : public QMediaRecorderControl, public qt_gs } } - // [adaptor impl] void QMediaRecorderControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMediaRecorderControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMediaRecorderControl::childEvent(arg1); + QMediaRecorderControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMediaRecorderControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMediaRecorderControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QMediaRecorderControl::childEvent(arg1); + QMediaRecorderControl::childEvent(event); } } - // [adaptor impl] void QMediaRecorderControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMediaRecorderControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMediaRecorderControl::customEvent(arg1); + QMediaRecorderControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMediaRecorderControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMediaRecorderControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QMediaRecorderControl::customEvent(arg1); + QMediaRecorderControl::customEvent(event); } } @@ -749,18 +749,18 @@ class QMediaRecorderControl_Adaptor : public QMediaRecorderControl, public qt_gs } } - // [adaptor impl] void QMediaRecorderControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMediaRecorderControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMediaRecorderControl::timerEvent(arg1); + QMediaRecorderControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMediaRecorderControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMediaRecorderControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMediaRecorderControl::timerEvent(arg1); + QMediaRecorderControl::timerEvent(event); } } @@ -819,11 +819,11 @@ static void _set_callback_cbs_applySettings_0_0 (void *cls, const gsi::Callback } -// void QMediaRecorderControl::childEvent(QChildEvent *) +// void QMediaRecorderControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -843,11 +843,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QMediaRecorderControl::customEvent(QEvent *) +// void QMediaRecorderControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -910,11 +910,11 @@ static void _set_callback_cbs_duration_c0_0 (void *cls, const gsi::Callback &cb) } -// bool QMediaRecorderControl::event(QEvent *) +// bool QMediaRecorderControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -933,13 +933,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMediaRecorderControl::eventFilter(QObject *, QEvent *) +// bool QMediaRecorderControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1194,11 +1194,11 @@ static void _set_callback_cbs_status_c0_0 (void *cls, const gsi::Callback &cb) } -// void QMediaRecorderControl::timerEvent(QTimerEvent *) +// void QMediaRecorderControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1247,17 +1247,17 @@ static gsi::Methods methods_QMediaRecorderControl_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaRecorderControl::QMediaRecorderControl()\nThis method creates an object of class QMediaRecorderControl.", &_init_ctor_QMediaRecorderControl_Adaptor_0, &_call_ctor_QMediaRecorderControl_Adaptor_0); methods += new qt_gsi::GenericMethod ("applySettings", "@brief Virtual method void QMediaRecorderControl::applySettings()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_applySettings_0_0, &_call_cbs_applySettings_0_0); methods += new qt_gsi::GenericMethod ("applySettings", "@hide", false, &_init_cbs_applySettings_0_0, &_call_cbs_applySettings_0_0, &_set_callback_cbs_applySettings_0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaRecorderControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaRecorderControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaRecorderControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaRecorderControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaRecorderControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("duration", "@brief Virtual method qint64 QMediaRecorderControl::duration()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_duration_c0_0, &_call_cbs_duration_c0_0); methods += new qt_gsi::GenericMethod ("duration", "@hide", true, &_init_cbs_duration_c0_0, &_call_cbs_duration_c0_0, &_set_callback_cbs_duration_c0_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaRecorderControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaRecorderControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaRecorderControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaRecorderControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isMuted", "@brief Virtual method bool QMediaRecorderControl::isMuted()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isMuted_c0_0, &_call_cbs_isMuted_c0_0); methods += new qt_gsi::GenericMethod ("isMuted", "@hide", true, &_init_cbs_isMuted_c0_0, &_call_cbs_isMuted_c0_0, &_set_callback_cbs_isMuted_c0_0); @@ -1279,7 +1279,7 @@ static gsi::Methods methods_QMediaRecorderControl_Adaptor () { methods += new qt_gsi::GenericMethod ("state", "@hide", true, &_init_cbs_state_c0_0, &_call_cbs_state_c0_0, &_set_callback_cbs_state_c0_0); methods += new qt_gsi::GenericMethod ("status", "@brief Virtual method QMediaRecorder::Status QMediaRecorderControl::status()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_status_c0_0, &_call_cbs_status_c0_0); methods += new qt_gsi::GenericMethod ("status", "@hide", true, &_init_cbs_status_c0_0, &_call_cbs_status_c0_0, &_set_callback_cbs_status_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaRecorderControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaRecorderControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("volume", "@brief Virtual method double QMediaRecorderControl::volume()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_volume_c0_0, &_call_cbs_volume_c0_0); methods += new qt_gsi::GenericMethod ("volume", "@hide", true, &_init_cbs_volume_c0_0, &_call_cbs_volume_c0_0, &_set_callback_cbs_volume_c0_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaService.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaService.cc index 572729872c..4f6722fb9a 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaService.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaService.cc @@ -194,33 +194,33 @@ class QMediaService_Adaptor : public QMediaService, public qt_gsi::QtObjectBase return QMediaService::senderSignalIndex(); } - // [adaptor impl] bool QMediaService::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QMediaService::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QMediaService::event(arg1); + return QMediaService::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QMediaService_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QMediaService_Adaptor::cbs_event_1217_0, _event); } else { - return QMediaService::event(arg1); + return QMediaService::event(_event); } } - // [adaptor impl] bool QMediaService::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMediaService::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMediaService::eventFilter(arg1, arg2); + return QMediaService::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMediaService_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMediaService_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMediaService::eventFilter(arg1, arg2); + return QMediaService::eventFilter(watched, event); } } @@ -256,33 +256,33 @@ class QMediaService_Adaptor : public QMediaService, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMediaService::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMediaService::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMediaService::childEvent(arg1); + QMediaService::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMediaService_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMediaService_Adaptor::cbs_childEvent_1701_0, event); } else { - QMediaService::childEvent(arg1); + QMediaService::childEvent(event); } } - // [adaptor impl] void QMediaService::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMediaService::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMediaService::customEvent(arg1); + QMediaService::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMediaService_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMediaService_Adaptor::cbs_customEvent_1217_0, event); } else { - QMediaService::customEvent(arg1); + QMediaService::customEvent(event); } } @@ -301,18 +301,18 @@ class QMediaService_Adaptor : public QMediaService, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMediaService::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMediaService::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMediaService::timerEvent(arg1); + QMediaService::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMediaService_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMediaService_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMediaService::timerEvent(arg1); + QMediaService::timerEvent(event); } } @@ -328,11 +328,11 @@ class QMediaService_Adaptor : public QMediaService, public qt_gsi::QtObjectBase QMediaService_Adaptor::~QMediaService_Adaptor() { } -// void QMediaService::childEvent(QChildEvent *) +// void QMediaService::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -352,11 +352,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QMediaService::customEvent(QEvent *) +// void QMediaService::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -400,11 +400,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QMediaService::event(QEvent *) +// bool QMediaService::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -423,13 +423,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMediaService::eventFilter(QObject *, QEvent *) +// bool QMediaService::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -560,11 +560,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QMediaService::timerEvent(QTimerEvent *) +// void QMediaService::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -591,15 +591,15 @@ gsi::Class &qtdecl_QMediaService (); static gsi::Methods methods_QMediaService_Adaptor () { gsi::Methods methods; - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaService::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaService::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaService::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaService::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaService::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaService::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaService::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaService::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaService::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaService::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaService::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); @@ -609,7 +609,7 @@ static gsi::Methods methods_QMediaService_Adaptor () { methods += new qt_gsi::GenericMethod ("requestControl", "@hide", false, &_init_cbs_requestControl_1731_0, &_call_cbs_requestControl_1731_0, &_set_callback_cbs_requestControl_1731_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaService::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaService::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaService::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaService::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderFactoryInterface.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderFactoryInterface.cc index d89183cb3a..f6cde896d8 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderFactoryInterface.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderFactoryInterface.cc @@ -36,13 +36,13 @@ // ----------------------------------------------------------------------- // struct QMediaServiceProviderFactoryInterface -// QMediaService *QMediaServiceProviderFactoryInterface::create(QString const &key) +// QMediaService *QMediaServiceProviderFactoryInterface::create(const QString &key) static void _init_f_create_2025 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("key"); - decl->add_arg (argspec_0); + decl->add_arg (argspec_0); decl->set_return (); } @@ -50,7 +50,7 @@ static void _call_f_create_2025 (const qt_gsi::GenericMethod * /*decl*/, void *c { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QString const &arg1 = gsi::arg_reader() (args, heap); + const QString &arg1 = gsi::arg_reader() (args, heap); ret.write ((QMediaService *)((QMediaServiceProviderFactoryInterface *)cls)->create (arg1)); } @@ -80,7 +80,7 @@ namespace gsi static gsi::Methods methods_QMediaServiceProviderFactoryInterface () { gsi::Methods methods; - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Method QMediaService *QMediaServiceProviderFactoryInterface::create(QString const &key)\n", false, &_init_f_create_2025, &_call_f_create_2025); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method QMediaService *QMediaServiceProviderFactoryInterface::create(const QString &key)\n", false, &_init_f_create_2025, &_call_f_create_2025); methods += new qt_gsi::GenericMethod ("release", "@brief Method void QMediaServiceProviderFactoryInterface::release(QMediaService *service)\n", false, &_init_f_release_1904, &_call_f_release_1904); return methods; } @@ -106,17 +106,17 @@ class QMediaServiceProviderFactoryInterface_Adaptor : public QMediaServiceProvid qt_gsi::QtObjectBase::init (this); } - // [adaptor impl] QMediaService *QMediaServiceProviderFactoryInterface::create(QString const &key) - QMediaService * cbs_create_2025_0(QString const &key) + // [adaptor impl] QMediaService *QMediaServiceProviderFactoryInterface::create(const QString &key) + QMediaService * cbs_create_2025_0(const QString &key) { __SUPPRESS_UNUSED_WARNING (key); throw qt_gsi::AbstractMethodCalledException("create"); } - virtual QMediaService * create(QString const &key) + virtual QMediaService * create(const QString &key) { if (cb_create_2025_0.can_issue()) { - return cb_create_2025_0.issue(&QMediaServiceProviderFactoryInterface_Adaptor::cbs_create_2025_0, key); + return cb_create_2025_0.issue(&QMediaServiceProviderFactoryInterface_Adaptor::cbs_create_2025_0, key); } else { throw qt_gsi::AbstractMethodCalledException("create"); } @@ -158,12 +158,12 @@ static void _call_ctor_QMediaServiceProviderFactoryInterface_Adaptor_0 (const qt } -// QMediaService *QMediaServiceProviderFactoryInterface::create(QString const &key) +// QMediaService *QMediaServiceProviderFactoryInterface::create(const QString &key) static void _init_cbs_create_2025_0 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("key"); - decl->add_arg (argspec_0); + decl->add_arg (argspec_0); decl->set_return (); } @@ -171,7 +171,7 @@ static void _call_cbs_create_2025_0 (const qt_gsi::GenericMethod * /*decl*/, voi { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QString const &arg1 = args.read (heap); + const QString &arg1 = args.read (heap); ret.write ((QMediaService *)((QMediaServiceProviderFactoryInterface_Adaptor *)cls)->cbs_create_2025_0 (arg1)); } @@ -213,8 +213,8 @@ gsi::Class &qtdecl_QMediaServiceProviderF static gsi::Methods methods_QMediaServiceProviderFactoryInterface_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaServiceProviderFactoryInterface::QMediaServiceProviderFactoryInterface()\nThis method creates an object of class QMediaServiceProviderFactoryInterface.", &_init_ctor_QMediaServiceProviderFactoryInterface_Adaptor_0, &_call_ctor_QMediaServiceProviderFactoryInterface_Adaptor_0); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Virtual method QMediaService *QMediaServiceProviderFactoryInterface::create(QString const &key)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_create_2025_0, &_call_cbs_create_2025_0); - methods += new qt_gsi::GenericMethod ("qt_create", "@hide", false, &_init_cbs_create_2025_0, &_call_cbs_create_2025_0, &_set_callback_cbs_create_2025_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Virtual method QMediaService *QMediaServiceProviderFactoryInterface::create(const QString &key)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_create_2025_0, &_call_cbs_create_2025_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@hide", false, &_init_cbs_create_2025_0, &_call_cbs_create_2025_0, &_set_callback_cbs_create_2025_0); methods += new qt_gsi::GenericMethod ("release", "@brief Virtual method void QMediaServiceProviderFactoryInterface::release(QMediaService *service)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_release_1904_0, &_call_cbs_release_1904_0); methods += new qt_gsi::GenericMethod ("release", "@hide", false, &_init_cbs_release_1904_0, &_call_cbs_release_1904_0, &_set_callback_cbs_release_1904_0); return methods; diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderPlugin.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderPlugin.cc index bc66399773..09b27a9089 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderPlugin.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderPlugin.cc @@ -58,14 +58,14 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g // QMediaService *QMediaServiceProviderPlugin::create(const QString &key) -static void _init_f_create_2025u1 (qt_gsi::GenericMethod *decl) +static void _init_f_create_2025 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("key"); decl->add_arg (argspec_0); decl->set_return (); } -static void _call_f_create_2025u1 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +static void _call_f_create_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; @@ -195,7 +195,7 @@ namespace gsi static gsi::Methods methods_QMediaServiceProviderPlugin () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Method QMediaService *QMediaServiceProviderPlugin::create(const QString &key)\n", false, &_init_f_create_2025u1, &_call_f_create_2025u1); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method QMediaService *QMediaServiceProviderPlugin::create(const QString &key)\nThis is a reimplementation of QMediaServiceProviderFactoryInterface::create", false, &_init_f_create_2025, &_call_f_create_2025); methods += new qt_gsi::GenericMethod ("release", "@brief Method void QMediaServiceProviderPlugin::release(QMediaService *service)\nThis is a reimplementation of QMediaServiceProviderFactoryInterface::release", false, &_init_f_release_1904, &_call_f_release_1904); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaServiceProviderPlugin::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QMediaServiceProviderPlugin::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); @@ -256,7 +256,7 @@ class QMediaServiceProviderPlugin_Adaptor : public QMediaServiceProviderPlugin, } // [adaptor impl] QMediaService *QMediaServiceProviderPlugin::create(const QString &key) - QMediaService * cbs_create_2025u1_0(const QString &key) + QMediaService * cbs_create_2025_0(const QString &key) { __SUPPRESS_UNUSED_WARNING (key); throw qt_gsi::AbstractMethodCalledException("create"); @@ -264,40 +264,40 @@ class QMediaServiceProviderPlugin_Adaptor : public QMediaServiceProviderPlugin, virtual QMediaService * create(const QString &key) { - if (cb_create_2025u1_0.can_issue()) { - return cb_create_2025u1_0.issue(&QMediaServiceProviderPlugin_Adaptor::cbs_create_2025u1_0, key); + if (cb_create_2025_0.can_issue()) { + return cb_create_2025_0.issue(&QMediaServiceProviderPlugin_Adaptor::cbs_create_2025_0, key); } else { throw qt_gsi::AbstractMethodCalledException("create"); } } - // [adaptor impl] bool QMediaServiceProviderPlugin::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QMediaServiceProviderPlugin::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QMediaServiceProviderPlugin::event(arg1); + return QMediaServiceProviderPlugin::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QMediaServiceProviderPlugin_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QMediaServiceProviderPlugin_Adaptor::cbs_event_1217_0, _event); } else { - return QMediaServiceProviderPlugin::event(arg1); + return QMediaServiceProviderPlugin::event(_event); } } - // [adaptor impl] bool QMediaServiceProviderPlugin::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMediaServiceProviderPlugin::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMediaServiceProviderPlugin::eventFilter(arg1, arg2); + return QMediaServiceProviderPlugin::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMediaServiceProviderPlugin_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMediaServiceProviderPlugin_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMediaServiceProviderPlugin::eventFilter(arg1, arg2); + return QMediaServiceProviderPlugin::eventFilter(watched, event); } } @@ -317,33 +317,33 @@ class QMediaServiceProviderPlugin_Adaptor : public QMediaServiceProviderPlugin, } } - // [adaptor impl] void QMediaServiceProviderPlugin::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMediaServiceProviderPlugin::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMediaServiceProviderPlugin::childEvent(arg1); + QMediaServiceProviderPlugin::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMediaServiceProviderPlugin_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMediaServiceProviderPlugin_Adaptor::cbs_childEvent_1701_0, event); } else { - QMediaServiceProviderPlugin::childEvent(arg1); + QMediaServiceProviderPlugin::childEvent(event); } } - // [adaptor impl] void QMediaServiceProviderPlugin::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMediaServiceProviderPlugin::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMediaServiceProviderPlugin::customEvent(arg1); + QMediaServiceProviderPlugin::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMediaServiceProviderPlugin_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMediaServiceProviderPlugin_Adaptor::cbs_customEvent_1217_0, event); } else { - QMediaServiceProviderPlugin::customEvent(arg1); + QMediaServiceProviderPlugin::customEvent(event); } } @@ -362,22 +362,22 @@ class QMediaServiceProviderPlugin_Adaptor : public QMediaServiceProviderPlugin, } } - // [adaptor impl] void QMediaServiceProviderPlugin::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMediaServiceProviderPlugin::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMediaServiceProviderPlugin::timerEvent(arg1); + QMediaServiceProviderPlugin::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMediaServiceProviderPlugin_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMediaServiceProviderPlugin_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMediaServiceProviderPlugin::timerEvent(arg1); + QMediaServiceProviderPlugin::timerEvent(event); } } - gsi::Callback cb_create_2025u1_0; + gsi::Callback cb_create_2025_0; gsi::Callback cb_event_1217_0; gsi::Callback cb_eventFilter_2411_0; gsi::Callback cb_release_1904_0; @@ -403,11 +403,11 @@ static void _call_ctor_QMediaServiceProviderPlugin_Adaptor_0 (const qt_gsi::Gene } -// void QMediaServiceProviderPlugin::childEvent(QChildEvent *) +// void QMediaServiceProviderPlugin::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -429,32 +429,32 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback // QMediaService *QMediaServiceProviderPlugin::create(const QString &key) -static void _init_cbs_create_2025u1_0 (qt_gsi::GenericMethod *decl) +static void _init_cbs_create_2025_0 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("key"); decl->add_arg (argspec_0); decl->set_return (); } -static void _call_cbs_create_2025u1_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +static void _call_cbs_create_2025_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = args.read (heap); - ret.write ((QMediaService *)((QMediaServiceProviderPlugin_Adaptor *)cls)->cbs_create_2025u1_0 (arg1)); + ret.write ((QMediaService *)((QMediaServiceProviderPlugin_Adaptor *)cls)->cbs_create_2025_0 (arg1)); } -static void _set_callback_cbs_create_2025u1_0 (void *cls, const gsi::Callback &cb) +static void _set_callback_cbs_create_2025_0 (void *cls, const gsi::Callback &cb) { - ((QMediaServiceProviderPlugin_Adaptor *)cls)->cb_create_2025u1_0 = cb; + ((QMediaServiceProviderPlugin_Adaptor *)cls)->cb_create_2025_0 = cb; } -// void QMediaServiceProviderPlugin::customEvent(QEvent *) +// void QMediaServiceProviderPlugin::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -498,11 +498,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QMediaServiceProviderPlugin::event(QEvent *) +// bool QMediaServiceProviderPlugin::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -521,13 +521,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMediaServiceProviderPlugin::eventFilter(QObject *, QEvent *) +// bool QMediaServiceProviderPlugin::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -635,11 +635,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QMediaServiceProviderPlugin::timerEvent(QTimerEvent *) +// void QMediaServiceProviderPlugin::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -667,17 +667,17 @@ gsi::Class &qtdecl_QMediaServiceProviderPlugin (); static gsi::Methods methods_QMediaServiceProviderPlugin_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaServiceProviderPlugin::QMediaServiceProviderPlugin()\nThis method creates an object of class QMediaServiceProviderPlugin.", &_init_ctor_QMediaServiceProviderPlugin_Adaptor_0, &_call_ctor_QMediaServiceProviderPlugin_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaServiceProviderPlugin::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaServiceProviderPlugin::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Virtual method QMediaService *QMediaServiceProviderPlugin::create(const QString &key)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_create_2025u1_0, &_call_cbs_create_2025u1_0); - methods += new qt_gsi::GenericMethod ("qt_create", "@hide", false, &_init_cbs_create_2025u1_0, &_call_cbs_create_2025u1_0, &_set_callback_cbs_create_2025u1_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaServiceProviderPlugin::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Virtual method QMediaService *QMediaServiceProviderPlugin::create(const QString &key)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_create_2025_0, &_call_cbs_create_2025_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@hide", false, &_init_cbs_create_2025_0, &_call_cbs_create_2025_0, &_set_callback_cbs_create_2025_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaServiceProviderPlugin::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaServiceProviderPlugin::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaServiceProviderPlugin::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaServiceProviderPlugin::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaServiceProviderPlugin::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaServiceProviderPlugin::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaServiceProviderPlugin::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaServiceProviderPlugin::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); @@ -685,7 +685,7 @@ static gsi::Methods methods_QMediaServiceProviderPlugin_Adaptor () { methods += new qt_gsi::GenericMethod ("release", "@hide", false, &_init_cbs_release_1904_0, &_call_cbs_release_1904_0, &_set_callback_cbs_release_1904_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaServiceProviderPlugin::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaServiceProviderPlugin::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaServiceProviderPlugin::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaServiceProviderPlugin::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaStreamsControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaStreamsControl.cc index af276cb715..0b59463fac 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaStreamsControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaStreamsControl.cc @@ -295,33 +295,33 @@ class QMediaStreamsControl_Adaptor : public QMediaStreamsControl, public qt_gsi: return QMediaStreamsControl::senderSignalIndex(); } - // [adaptor impl] bool QMediaStreamsControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QMediaStreamsControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QMediaStreamsControl::event(arg1); + return QMediaStreamsControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QMediaStreamsControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QMediaStreamsControl_Adaptor::cbs_event_1217_0, _event); } else { - return QMediaStreamsControl::event(arg1); + return QMediaStreamsControl::event(_event); } } - // [adaptor impl] bool QMediaStreamsControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMediaStreamsControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMediaStreamsControl::eventFilter(arg1, arg2); + return QMediaStreamsControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMediaStreamsControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMediaStreamsControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMediaStreamsControl::eventFilter(arg1, arg2); + return QMediaStreamsControl::eventFilter(watched, event); } } @@ -406,33 +406,33 @@ class QMediaStreamsControl_Adaptor : public QMediaStreamsControl, public qt_gsi: } } - // [adaptor impl] void QMediaStreamsControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMediaStreamsControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMediaStreamsControl::childEvent(arg1); + QMediaStreamsControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMediaStreamsControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMediaStreamsControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QMediaStreamsControl::childEvent(arg1); + QMediaStreamsControl::childEvent(event); } } - // [adaptor impl] void QMediaStreamsControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMediaStreamsControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMediaStreamsControl::customEvent(arg1); + QMediaStreamsControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMediaStreamsControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMediaStreamsControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QMediaStreamsControl::customEvent(arg1); + QMediaStreamsControl::customEvent(event); } } @@ -451,18 +451,18 @@ class QMediaStreamsControl_Adaptor : public QMediaStreamsControl, public qt_gsi: } } - // [adaptor impl] void QMediaStreamsControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMediaStreamsControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMediaStreamsControl::timerEvent(arg1); + QMediaStreamsControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMediaStreamsControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMediaStreamsControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMediaStreamsControl::timerEvent(arg1); + QMediaStreamsControl::timerEvent(event); } } @@ -495,11 +495,11 @@ static void _call_ctor_QMediaStreamsControl_Adaptor_0 (const qt_gsi::GenericStat } -// void QMediaStreamsControl::childEvent(QChildEvent *) +// void QMediaStreamsControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -519,11 +519,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QMediaStreamsControl::customEvent(QEvent *) +// void QMediaStreamsControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -567,11 +567,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QMediaStreamsControl::event(QEvent *) +// bool QMediaStreamsControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -590,13 +590,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMediaStreamsControl::eventFilter(QObject *, QEvent *) +// bool QMediaStreamsControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -798,11 +798,11 @@ static void _set_callback_cbs_streamType_767_0 (void *cls, const gsi::Callback & } -// void QMediaStreamsControl::timerEvent(QTimerEvent *) +// void QMediaStreamsControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -830,15 +830,15 @@ gsi::Class &qtdecl_QMediaStreamsControl (); static gsi::Methods methods_QMediaStreamsControl_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaStreamsControl::QMediaStreamsControl()\nThis method creates an object of class QMediaStreamsControl.", &_init_ctor_QMediaStreamsControl_Adaptor_0, &_call_ctor_QMediaStreamsControl_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaStreamsControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaStreamsControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaStreamsControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaStreamsControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaStreamsControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaStreamsControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaStreamsControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaStreamsControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaStreamsControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isActive", "@brief Virtual method bool QMediaStreamsControl::isActive(int streamNumber)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_isActive_767_0, &_call_cbs_isActive_767_0); methods += new qt_gsi::GenericMethod ("isActive", "@hide", false, &_init_cbs_isActive_767_0, &_call_cbs_isActive_767_0, &_set_callback_cbs_isActive_767_0); @@ -854,7 +854,7 @@ static gsi::Methods methods_QMediaStreamsControl_Adaptor () { methods += new qt_gsi::GenericMethod ("streamCount", "@hide", false, &_init_cbs_streamCount_0_0, &_call_cbs_streamCount_0_0, &_set_callback_cbs_streamCount_0_0); methods += new qt_gsi::GenericMethod ("streamType", "@brief Virtual method QMediaStreamsControl::StreamType QMediaStreamsControl::streamType(int streamNumber)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_streamType_767_0, &_call_cbs_streamType_767_0); methods += new qt_gsi::GenericMethod ("streamType", "@hide", false, &_init_cbs_streamType_767_0, &_call_cbs_streamType_767_0, &_set_callback_cbs_streamType_767_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaStreamsControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaStreamsControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaTimeInterval.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaTimeInterval.cc index 1727982aed..2a0de0ad99 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaTimeInterval.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaTimeInterval.cc @@ -155,6 +155,25 @@ static void _call_f_normalized_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// QMediaTimeInterval &QMediaTimeInterval::operator=(const QMediaTimeInterval &) + + +static void _init_f_operator_eq__3110 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_eq__3110 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QMediaTimeInterval &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QMediaTimeInterval &)((QMediaTimeInterval *)cls)->operator= (arg1)); +} + + // qint64 QMediaTimeInterval::start() @@ -212,6 +231,7 @@ static gsi::Methods methods_QMediaTimeInterval () { methods += new qt_gsi::GenericMethod ("end", "@brief Method qint64 QMediaTimeInterval::end()\n", true, &_init_f_end_c0, &_call_f_end_c0); methods += new qt_gsi::GenericMethod ("isNormal?", "@brief Method bool QMediaTimeInterval::isNormal()\n", true, &_init_f_isNormal_c0, &_call_f_isNormal_c0); methods += new qt_gsi::GenericMethod ("normalized", "@brief Method QMediaTimeInterval QMediaTimeInterval::normalized()\n", true, &_init_f_normalized_c0, &_call_f_normalized_c0); + methods += new qt_gsi::GenericMethod ("assign", "@brief Method QMediaTimeInterval &QMediaTimeInterval::operator=(const QMediaTimeInterval &)\n", false, &_init_f_operator_eq__3110, &_call_f_operator_eq__3110); methods += new qt_gsi::GenericMethod ("start", "@brief Method qint64 QMediaTimeInterval::start()\n", true, &_init_f_start_c0, &_call_f_start_c0); methods += new qt_gsi::GenericMethod ("translated", "@brief Method QMediaTimeInterval QMediaTimeInterval::translated(qint64 offset)\n", true, &_init_f_translated_c986, &_call_f_translated_c986); methods += gsi::method_ext("==", &::op_QMediaTimeInterval_operator_eq__eq__6112, gsi::arg ("arg2"), "@brief Operator bool ::operator==(const QMediaTimeInterval &, const QMediaTimeInterval &)\nThis is the mapping of the global operator to the instance method."); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaVideoProbeControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaVideoProbeControl.cc index 3dafa57097..ececd710b8 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaVideoProbeControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaVideoProbeControl.cc @@ -191,63 +191,63 @@ class QMediaVideoProbeControl_Adaptor : public QMediaVideoProbeControl, public q return QMediaVideoProbeControl::senderSignalIndex(); } - // [adaptor impl] bool QMediaVideoProbeControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QMediaVideoProbeControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QMediaVideoProbeControl::event(arg1); + return QMediaVideoProbeControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QMediaVideoProbeControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QMediaVideoProbeControl_Adaptor::cbs_event_1217_0, _event); } else { - return QMediaVideoProbeControl::event(arg1); + return QMediaVideoProbeControl::event(_event); } } - // [adaptor impl] bool QMediaVideoProbeControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMediaVideoProbeControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMediaVideoProbeControl::eventFilter(arg1, arg2); + return QMediaVideoProbeControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMediaVideoProbeControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMediaVideoProbeControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMediaVideoProbeControl::eventFilter(arg1, arg2); + return QMediaVideoProbeControl::eventFilter(watched, event); } } - // [adaptor impl] void QMediaVideoProbeControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMediaVideoProbeControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMediaVideoProbeControl::childEvent(arg1); + QMediaVideoProbeControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMediaVideoProbeControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMediaVideoProbeControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QMediaVideoProbeControl::childEvent(arg1); + QMediaVideoProbeControl::childEvent(event); } } - // [adaptor impl] void QMediaVideoProbeControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMediaVideoProbeControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMediaVideoProbeControl::customEvent(arg1); + QMediaVideoProbeControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMediaVideoProbeControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMediaVideoProbeControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QMediaVideoProbeControl::customEvent(arg1); + QMediaVideoProbeControl::customEvent(event); } } @@ -266,18 +266,18 @@ class QMediaVideoProbeControl_Adaptor : public QMediaVideoProbeControl, public q } } - // [adaptor impl] void QMediaVideoProbeControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMediaVideoProbeControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMediaVideoProbeControl::timerEvent(arg1); + QMediaVideoProbeControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMediaVideoProbeControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMediaVideoProbeControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMediaVideoProbeControl::timerEvent(arg1); + QMediaVideoProbeControl::timerEvent(event); } } @@ -291,11 +291,11 @@ class QMediaVideoProbeControl_Adaptor : public QMediaVideoProbeControl, public q QMediaVideoProbeControl_Adaptor::~QMediaVideoProbeControl_Adaptor() { } -// void QMediaVideoProbeControl::childEvent(QChildEvent *) +// void QMediaVideoProbeControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -315,11 +315,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QMediaVideoProbeControl::customEvent(QEvent *) +// void QMediaVideoProbeControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -363,11 +363,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QMediaVideoProbeControl::event(QEvent *) +// bool QMediaVideoProbeControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -386,13 +386,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMediaVideoProbeControl::eventFilter(QObject *, QEvent *) +// bool QMediaVideoProbeControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -476,11 +476,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QMediaVideoProbeControl::timerEvent(QTimerEvent *) +// void QMediaVideoProbeControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -507,21 +507,21 @@ gsi::Class &qtdecl_QMediaVideoProbeControl (); static gsi::Methods methods_QMediaVideoProbeControl_Adaptor () { gsi::Methods methods; - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaVideoProbeControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaVideoProbeControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaVideoProbeControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaVideoProbeControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaVideoProbeControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaVideoProbeControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaVideoProbeControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaVideoProbeControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaVideoProbeControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaVideoProbeControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaVideoProbeControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaVideoProbeControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaVideoProbeControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaVideoProbeControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaVideoProbeControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataReaderControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataReaderControl.cc index b8d7836811..91480a8c53 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataReaderControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataReaderControl.cc @@ -287,33 +287,33 @@ class QMetaDataReaderControl_Adaptor : public QMetaDataReaderControl, public qt_ } } - // [adaptor impl] bool QMetaDataReaderControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QMetaDataReaderControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QMetaDataReaderControl::event(arg1); + return QMetaDataReaderControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QMetaDataReaderControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QMetaDataReaderControl_Adaptor::cbs_event_1217_0, _event); } else { - return QMetaDataReaderControl::event(arg1); + return QMetaDataReaderControl::event(_event); } } - // [adaptor impl] bool QMetaDataReaderControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMetaDataReaderControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMetaDataReaderControl::eventFilter(arg1, arg2); + return QMetaDataReaderControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMetaDataReaderControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMetaDataReaderControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMetaDataReaderControl::eventFilter(arg1, arg2); + return QMetaDataReaderControl::eventFilter(watched, event); } } @@ -348,33 +348,33 @@ class QMetaDataReaderControl_Adaptor : public QMetaDataReaderControl, public qt_ } } - // [adaptor impl] void QMetaDataReaderControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMetaDataReaderControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMetaDataReaderControl::childEvent(arg1); + QMetaDataReaderControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMetaDataReaderControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMetaDataReaderControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QMetaDataReaderControl::childEvent(arg1); + QMetaDataReaderControl::childEvent(event); } } - // [adaptor impl] void QMetaDataReaderControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMetaDataReaderControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMetaDataReaderControl::customEvent(arg1); + QMetaDataReaderControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMetaDataReaderControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMetaDataReaderControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QMetaDataReaderControl::customEvent(arg1); + QMetaDataReaderControl::customEvent(event); } } @@ -393,18 +393,18 @@ class QMetaDataReaderControl_Adaptor : public QMetaDataReaderControl, public qt_ } } - // [adaptor impl] void QMetaDataReaderControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMetaDataReaderControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMetaDataReaderControl::timerEvent(arg1); + QMetaDataReaderControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMetaDataReaderControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMetaDataReaderControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMetaDataReaderControl::timerEvent(arg1); + QMetaDataReaderControl::timerEvent(event); } } @@ -454,11 +454,11 @@ static void _set_callback_cbs_availableMetaData_c0_0 (void *cls, const gsi::Call } -// void QMetaDataReaderControl::childEvent(QChildEvent *) +// void QMetaDataReaderControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -478,11 +478,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QMetaDataReaderControl::customEvent(QEvent *) +// void QMetaDataReaderControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -526,11 +526,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QMetaDataReaderControl::event(QEvent *) +// bool QMetaDataReaderControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -549,13 +549,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMetaDataReaderControl::eventFilter(QObject *, QEvent *) +// bool QMetaDataReaderControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -681,11 +681,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QMetaDataReaderControl::timerEvent(QTimerEvent *) +// void QMetaDataReaderControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -715,15 +715,15 @@ static gsi::Methods methods_QMetaDataReaderControl_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMetaDataReaderControl::QMetaDataReaderControl()\nThis method creates an object of class QMetaDataReaderControl.", &_init_ctor_QMetaDataReaderControl_Adaptor_0, &_call_ctor_QMetaDataReaderControl_Adaptor_0); methods += new qt_gsi::GenericMethod ("availableMetaData", "@brief Virtual method QStringList QMetaDataReaderControl::availableMetaData()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_availableMetaData_c0_0, &_call_cbs_availableMetaData_c0_0); methods += new qt_gsi::GenericMethod ("availableMetaData", "@hide", true, &_init_cbs_availableMetaData_c0_0, &_call_cbs_availableMetaData_c0_0, &_set_callback_cbs_availableMetaData_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMetaDataReaderControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMetaDataReaderControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMetaDataReaderControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMetaDataReaderControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMetaDataReaderControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMetaDataReaderControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMetaDataReaderControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMetaDataReaderControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMetaDataReaderControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isMetaDataAvailable", "@brief Virtual method bool QMetaDataReaderControl::isMetaDataAvailable()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isMetaDataAvailable_c0_0, &_call_cbs_isMetaDataAvailable_c0_0); methods += new qt_gsi::GenericMethod ("isMetaDataAvailable", "@hide", true, &_init_cbs_isMetaDataAvailable_c0_0, &_call_cbs_isMetaDataAvailable_c0_0, &_set_callback_cbs_isMetaDataAvailable_c0_0); @@ -733,7 +733,7 @@ static gsi::Methods methods_QMetaDataReaderControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMetaDataReaderControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMetaDataReaderControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMetaDataReaderControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMetaDataReaderControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMetaDataReaderControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataWriterControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataWriterControl.cc index 4224541d70..1dedd67013 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataWriterControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataWriterControl.cc @@ -348,33 +348,33 @@ class QMetaDataWriterControl_Adaptor : public QMetaDataWriterControl, public qt_ } } - // [adaptor impl] bool QMetaDataWriterControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QMetaDataWriterControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QMetaDataWriterControl::event(arg1); + return QMetaDataWriterControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QMetaDataWriterControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QMetaDataWriterControl_Adaptor::cbs_event_1217_0, _event); } else { - return QMetaDataWriterControl::event(arg1); + return QMetaDataWriterControl::event(_event); } } - // [adaptor impl] bool QMetaDataWriterControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMetaDataWriterControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMetaDataWriterControl::eventFilter(arg1, arg2); + return QMetaDataWriterControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMetaDataWriterControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMetaDataWriterControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMetaDataWriterControl::eventFilter(arg1, arg2); + return QMetaDataWriterControl::eventFilter(watched, event); } } @@ -441,33 +441,33 @@ class QMetaDataWriterControl_Adaptor : public QMetaDataWriterControl, public qt_ } } - // [adaptor impl] void QMetaDataWriterControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMetaDataWriterControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMetaDataWriterControl::childEvent(arg1); + QMetaDataWriterControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMetaDataWriterControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMetaDataWriterControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QMetaDataWriterControl::childEvent(arg1); + QMetaDataWriterControl::childEvent(event); } } - // [adaptor impl] void QMetaDataWriterControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMetaDataWriterControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMetaDataWriterControl::customEvent(arg1); + QMetaDataWriterControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMetaDataWriterControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMetaDataWriterControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QMetaDataWriterControl::customEvent(arg1); + QMetaDataWriterControl::customEvent(event); } } @@ -486,18 +486,18 @@ class QMetaDataWriterControl_Adaptor : public QMetaDataWriterControl, public qt_ } } - // [adaptor impl] void QMetaDataWriterControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMetaDataWriterControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMetaDataWriterControl::timerEvent(arg1); + QMetaDataWriterControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMetaDataWriterControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMetaDataWriterControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMetaDataWriterControl::timerEvent(arg1); + QMetaDataWriterControl::timerEvent(event); } } @@ -549,11 +549,11 @@ static void _set_callback_cbs_availableMetaData_c0_0 (void *cls, const gsi::Call } -// void QMetaDataWriterControl::childEvent(QChildEvent *) +// void QMetaDataWriterControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -573,11 +573,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QMetaDataWriterControl::customEvent(QEvent *) +// void QMetaDataWriterControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -621,11 +621,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QMetaDataWriterControl::event(QEvent *) +// bool QMetaDataWriterControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -644,13 +644,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMetaDataWriterControl::eventFilter(QObject *, QEvent *) +// bool QMetaDataWriterControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -822,11 +822,11 @@ static void _set_callback_cbs_setMetaData_4036_0 (void *cls, const gsi::Callback } -// void QMetaDataWriterControl::timerEvent(QTimerEvent *) +// void QMetaDataWriterControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -856,15 +856,15 @@ static gsi::Methods methods_QMetaDataWriterControl_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMetaDataWriterControl::QMetaDataWriterControl()\nThis method creates an object of class QMetaDataWriterControl.", &_init_ctor_QMetaDataWriterControl_Adaptor_0, &_call_ctor_QMetaDataWriterControl_Adaptor_0); methods += new qt_gsi::GenericMethod ("availableMetaData", "@brief Virtual method QStringList QMetaDataWriterControl::availableMetaData()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_availableMetaData_c0_0, &_call_cbs_availableMetaData_c0_0); methods += new qt_gsi::GenericMethod ("availableMetaData", "@hide", true, &_init_cbs_availableMetaData_c0_0, &_call_cbs_availableMetaData_c0_0, &_set_callback_cbs_availableMetaData_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMetaDataWriterControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMetaDataWriterControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMetaDataWriterControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMetaDataWriterControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMetaDataWriterControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMetaDataWriterControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMetaDataWriterControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMetaDataWriterControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMetaDataWriterControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isMetaDataAvailable", "@brief Virtual method bool QMetaDataWriterControl::isMetaDataAvailable()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isMetaDataAvailable_c0_0, &_call_cbs_isMetaDataAvailable_c0_0); methods += new qt_gsi::GenericMethod ("isMetaDataAvailable", "@hide", true, &_init_cbs_isMetaDataAvailable_c0_0, &_call_cbs_isMetaDataAvailable_c0_0, &_set_callback_cbs_isMetaDataAvailable_c0_0); @@ -878,7 +878,7 @@ static gsi::Methods methods_QMetaDataWriterControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMetaDataWriterControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setMetaData", "@brief Virtual method void QMetaDataWriterControl::setMetaData(const QString &key, const QVariant &value)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setMetaData_4036_0, &_call_cbs_setMetaData_4036_0); methods += new qt_gsi::GenericMethod ("setMetaData", "@hide", false, &_init_cbs_setMetaData_4036_0, &_call_cbs_setMetaData_4036_0, &_set_callback_cbs_setMetaData_4036_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMetaDataWriterControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMetaDataWriterControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioData.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioData.cc index caedd9e0b3..3e89b46e79 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioData.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioData.cc @@ -548,33 +548,33 @@ class QRadioData_Adaptor : public QRadioData, public qt_gsi::QtObjectBase return QRadioData::senderSignalIndex(); } - // [adaptor impl] bool QRadioData::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QRadioData::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QRadioData::event(arg1); + return QRadioData::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QRadioData_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QRadioData_Adaptor::cbs_event_1217_0, _event); } else { - return QRadioData::event(arg1); + return QRadioData::event(_event); } } - // [adaptor impl] bool QRadioData::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QRadioData::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QRadioData::eventFilter(arg1, arg2); + return QRadioData::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QRadioData_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QRadioData_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QRadioData::eventFilter(arg1, arg2); + return QRadioData::eventFilter(watched, event); } } @@ -593,33 +593,33 @@ class QRadioData_Adaptor : public QRadioData, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRadioData::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QRadioData::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QRadioData::childEvent(arg1); + QRadioData::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QRadioData_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QRadioData_Adaptor::cbs_childEvent_1701_0, event); } else { - QRadioData::childEvent(arg1); + QRadioData::childEvent(event); } } - // [adaptor impl] void QRadioData::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QRadioData::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QRadioData::customEvent(arg1); + QRadioData::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QRadioData_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QRadioData_Adaptor::cbs_customEvent_1217_0, event); } else { - QRadioData::customEvent(arg1); + QRadioData::customEvent(event); } } @@ -653,18 +653,18 @@ class QRadioData_Adaptor : public QRadioData, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRadioData::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QRadioData::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QRadioData::timerEvent(arg1); + QRadioData::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QRadioData_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QRadioData_Adaptor::cbs_timerEvent_1730_0, event); } else { - QRadioData::timerEvent(arg1); + QRadioData::timerEvent(event); } } @@ -686,7 +686,7 @@ static void _init_ctor_QRadioData_Adaptor_2976 (qt_gsi::GenericStaticMethod *dec { static gsi::ArgSpecBase argspec_0 ("mediaObject"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -696,16 +696,16 @@ static void _call_ctor_QRadioData_Adaptor_2976 (const qt_gsi::GenericStaticMetho __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QMediaObject *arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QRadioData_Adaptor (arg1, arg2)); } -// void QRadioData::childEvent(QChildEvent *) +// void QRadioData::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -725,11 +725,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QRadioData::customEvent(QEvent *) +// void QRadioData::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -773,11 +773,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QRadioData::event(QEvent *) +// bool QRadioData::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -796,13 +796,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QRadioData::eventFilter(QObject *, QEvent *) +// bool QRadioData::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -928,11 +928,11 @@ static void _set_callback_cbs_setMediaObject_1782_0 (void *cls, const gsi::Callb } -// void QRadioData::timerEvent(QTimerEvent *) +// void QRadioData::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -960,15 +960,15 @@ gsi::Class &qtdecl_QRadioData (); static gsi::Methods methods_QRadioData_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRadioData::QRadioData(QMediaObject *mediaObject, QObject *parent)\nThis method creates an object of class QRadioData.", &_init_ctor_QRadioData_Adaptor_2976, &_call_ctor_QRadioData_Adaptor_2976); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRadioData::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRadioData::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRadioData::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRadioData::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QRadioData::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QRadioData::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QRadioData::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QRadioData::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QRadioData::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QRadioData::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("mediaObject", "@brief Virtual method QMediaObject *QRadioData::mediaObject()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_mediaObject_c0_0, &_call_cbs_mediaObject_c0_0); @@ -978,7 +978,7 @@ static gsi::Methods methods_QRadioData_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QRadioData::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*setMediaObject", "@brief Virtual method bool QRadioData::setMediaObject(QMediaObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setMediaObject_1782_0, &_call_cbs_setMediaObject_1782_0); methods += new qt_gsi::GenericMethod ("*setMediaObject", "@hide", false, &_init_cbs_setMediaObject_1782_0, &_call_cbs_setMediaObject_1782_0, &_set_callback_cbs_setMediaObject_1782_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRadioData::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRadioData::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioDataControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioDataControl.cc index af35907e91..2c5adfb59b 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioDataControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioDataControl.cc @@ -478,33 +478,33 @@ class QRadioDataControl_Adaptor : public QRadioDataControl, public qt_gsi::QtObj } } - // [adaptor impl] bool QRadioDataControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QRadioDataControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QRadioDataControl::event(arg1); + return QRadioDataControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QRadioDataControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QRadioDataControl_Adaptor::cbs_event_1217_0, _event); } else { - return QRadioDataControl::event(arg1); + return QRadioDataControl::event(_event); } } - // [adaptor impl] bool QRadioDataControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QRadioDataControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QRadioDataControl::eventFilter(arg1, arg2); + return QRadioDataControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QRadioDataControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QRadioDataControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QRadioDataControl::eventFilter(arg1, arg2); + return QRadioDataControl::eventFilter(watched, event); } } @@ -614,33 +614,33 @@ class QRadioDataControl_Adaptor : public QRadioDataControl, public qt_gsi::QtObj } } - // [adaptor impl] void QRadioDataControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QRadioDataControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QRadioDataControl::childEvent(arg1); + QRadioDataControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QRadioDataControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QRadioDataControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QRadioDataControl::childEvent(arg1); + QRadioDataControl::childEvent(event); } } - // [adaptor impl] void QRadioDataControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QRadioDataControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QRadioDataControl::customEvent(arg1); + QRadioDataControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QRadioDataControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QRadioDataControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QRadioDataControl::customEvent(arg1); + QRadioDataControl::customEvent(event); } } @@ -659,18 +659,18 @@ class QRadioDataControl_Adaptor : public QRadioDataControl, public qt_gsi::QtObj } } - // [adaptor impl] void QRadioDataControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QRadioDataControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QRadioDataControl::timerEvent(arg1); + QRadioDataControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QRadioDataControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QRadioDataControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QRadioDataControl::timerEvent(arg1); + QRadioDataControl::timerEvent(event); } } @@ -693,11 +693,11 @@ class QRadioDataControl_Adaptor : public QRadioDataControl, public qt_gsi::QtObj QRadioDataControl_Adaptor::~QRadioDataControl_Adaptor() { } -// void QRadioDataControl::childEvent(QChildEvent *) +// void QRadioDataControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -717,11 +717,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QRadioDataControl::customEvent(QEvent *) +// void QRadioDataControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -803,11 +803,11 @@ static void _set_callback_cbs_errorString_c0_0 (void *cls, const gsi::Callback & } -// bool QRadioDataControl::event(QEvent *) +// bool QRadioDataControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -826,13 +826,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QRadioDataControl::eventFilter(QObject *, QEvent *) +// bool QRadioDataControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1054,11 +1054,11 @@ static void _set_callback_cbs_stationName_c0_0 (void *cls, const gsi::Callback & } -// void QRadioDataControl::timerEvent(QTimerEvent *) +// void QRadioDataControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1085,9 +1085,9 @@ gsi::Class &qtdecl_QRadioDataControl (); static gsi::Methods methods_QRadioDataControl_Adaptor () { gsi::Methods methods; - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRadioDataControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRadioDataControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRadioDataControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRadioDataControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QRadioDataControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); @@ -1095,9 +1095,9 @@ static gsi::Methods methods_QRadioDataControl_Adaptor () { methods += new qt_gsi::GenericMethod ("error", "@hide", true, &_init_cbs_error_c0_0, &_call_cbs_error_c0_0, &_set_callback_cbs_error_c0_0); methods += new qt_gsi::GenericMethod ("errorString", "@brief Virtual method QString QRadioDataControl::errorString()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_errorString_c0_0, &_call_cbs_errorString_c0_0); methods += new qt_gsi::GenericMethod ("errorString", "@hide", true, &_init_cbs_errorString_c0_0, &_call_cbs_errorString_c0_0, &_set_callback_cbs_errorString_c0_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QRadioDataControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QRadioDataControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QRadioDataControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QRadioDataControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isAlternativeFrequenciesEnabled", "@brief Virtual method bool QRadioDataControl::isAlternativeFrequenciesEnabled()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isAlternativeFrequenciesEnabled_c0_0, &_call_cbs_isAlternativeFrequenciesEnabled_c0_0); methods += new qt_gsi::GenericMethod ("isAlternativeFrequenciesEnabled", "@hide", true, &_init_cbs_isAlternativeFrequenciesEnabled_c0_0, &_call_cbs_isAlternativeFrequenciesEnabled_c0_0, &_set_callback_cbs_isAlternativeFrequenciesEnabled_c0_0); @@ -1117,7 +1117,7 @@ static gsi::Methods methods_QRadioDataControl_Adaptor () { methods += new qt_gsi::GenericMethod ("stationId", "@hide", true, &_init_cbs_stationId_c0_0, &_call_cbs_stationId_c0_0, &_set_callback_cbs_stationId_c0_0); methods += new qt_gsi::GenericMethod ("stationName", "@brief Virtual method QString QRadioDataControl::stationName()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_stationName_c0_0, &_call_cbs_stationName_c0_0); methods += new qt_gsi::GenericMethod ("stationName", "@hide", true, &_init_cbs_stationName_c0_0, &_call_cbs_stationName_c0_0, &_set_callback_cbs_stationName_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRadioDataControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRadioDataControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTuner.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTuner.cc index 2c47239aed..76468c19df 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTuner.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTuner.cc @@ -875,8 +875,8 @@ class QRadioTuner_Adaptor : public QRadioTuner, public qt_gsi::QtObjectBase qt_gsi::QtObjectBase::init (this); } - // [expose] void QRadioTuner::addPropertyWatch(QByteArray const &name) - void fp_QRadioTuner_addPropertyWatch_2309 (QByteArray const &name) { + // [expose] void QRadioTuner::addPropertyWatch(const QByteArray &name) + void fp_QRadioTuner_addPropertyWatch_2309 (const QByteArray &name) { QRadioTuner::addPropertyWatch(name); } @@ -890,8 +890,8 @@ class QRadioTuner_Adaptor : public QRadioTuner, public qt_gsi::QtObjectBase return QRadioTuner::receivers(signal); } - // [expose] void QRadioTuner::removePropertyWatch(QByteArray const &name) - void fp_QRadioTuner_removePropertyWatch_2309 (QByteArray const &name) { + // [expose] void QRadioTuner::removePropertyWatch(const QByteArray &name) + void fp_QRadioTuner_removePropertyWatch_2309 (const QByteArray &name) { QRadioTuner::removePropertyWatch(name); } @@ -935,33 +935,33 @@ class QRadioTuner_Adaptor : public QRadioTuner, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QRadioTuner::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QRadioTuner::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QRadioTuner::event(arg1); + return QRadioTuner::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QRadioTuner_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QRadioTuner_Adaptor::cbs_event_1217_0, _event); } else { - return QRadioTuner::event(arg1); + return QRadioTuner::event(_event); } } - // [adaptor impl] bool QRadioTuner::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QRadioTuner::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QRadioTuner::eventFilter(arg1, arg2); + return QRadioTuner::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QRadioTuner_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QRadioTuner_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QRadioTuner::eventFilter(arg1, arg2); + return QRadioTuner::eventFilter(watched, event); } } @@ -1010,33 +1010,33 @@ class QRadioTuner_Adaptor : public QRadioTuner, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRadioTuner::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QRadioTuner::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QRadioTuner::childEvent(arg1); + QRadioTuner::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QRadioTuner_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QRadioTuner_Adaptor::cbs_childEvent_1701_0, event); } else { - QRadioTuner::childEvent(arg1); + QRadioTuner::childEvent(event); } } - // [adaptor impl] void QRadioTuner::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QRadioTuner::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QRadioTuner::customEvent(arg1); + QRadioTuner::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QRadioTuner_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QRadioTuner_Adaptor::cbs_customEvent_1217_0, event); } else { - QRadioTuner::customEvent(arg1); + QRadioTuner::customEvent(event); } } @@ -1055,18 +1055,18 @@ class QRadioTuner_Adaptor : public QRadioTuner, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRadioTuner::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QRadioTuner::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QRadioTuner::timerEvent(arg1); + QRadioTuner::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QRadioTuner_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QRadioTuner_Adaptor::cbs_timerEvent_1730_0, event); } else { - QRadioTuner::timerEvent(arg1); + QRadioTuner::timerEvent(event); } } @@ -1089,7 +1089,7 @@ QRadioTuner_Adaptor::~QRadioTuner_Adaptor() { } static void _init_ctor_QRadioTuner_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1098,17 +1098,17 @@ static void _call_ctor_QRadioTuner_Adaptor_1302 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QRadioTuner_Adaptor (arg1)); } -// exposed void QRadioTuner::addPropertyWatch(QByteArray const &name) +// exposed void QRadioTuner::addPropertyWatch(const QByteArray &name) static void _init_fp_addPropertyWatch_2309 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); + decl->add_arg (argspec_0); decl->set_return (); } @@ -1116,7 +1116,7 @@ static void _call_fp_addPropertyWatch_2309 (const qt_gsi::GenericMethod * /*decl { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QByteArray const &arg1 = gsi::arg_reader() (args, heap); + const QByteArray &arg1 = gsi::arg_reader() (args, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QRadioTuner_Adaptor *)cls)->fp_QRadioTuner_addPropertyWatch_2309 (arg1); } @@ -1164,11 +1164,11 @@ static void _set_callback_cbs_bind_1302_0 (void *cls, const gsi::Callback &cb) } -// void QRadioTuner::childEvent(QChildEvent *) +// void QRadioTuner::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1188,11 +1188,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QRadioTuner::customEvent(QEvent *) +// void QRadioTuner::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1236,11 +1236,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QRadioTuner::event(QEvent *) +// bool QRadioTuner::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1259,13 +1259,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QRadioTuner::eventFilter(QObject *, QEvent *) +// bool QRadioTuner::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1340,12 +1340,12 @@ static void _call_fp_receivers_c1731 (const qt_gsi::GenericMethod * /*decl*/, vo } -// exposed void QRadioTuner::removePropertyWatch(QByteArray const &name) +// exposed void QRadioTuner::removePropertyWatch(const QByteArray &name) static void _init_fp_removePropertyWatch_2309 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); + decl->add_arg (argspec_0); decl->set_return (); } @@ -1353,7 +1353,7 @@ static void _call_fp_removePropertyWatch_2309 (const qt_gsi::GenericMethod * /*d { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QByteArray const &arg1 = gsi::arg_reader() (args, heap); + const QByteArray &arg1 = gsi::arg_reader() (args, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QRadioTuner_Adaptor *)cls)->fp_QRadioTuner_removePropertyWatch_2309 (arg1); } @@ -1406,11 +1406,11 @@ static void _set_callback_cbs_service_c0_0 (void *cls, const gsi::Callback &cb) } -// void QRadioTuner::timerEvent(QTimerEvent *) +// void QRadioTuner::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1462,31 +1462,31 @@ gsi::Class &qtdecl_QRadioTuner (); static gsi::Methods methods_QRadioTuner_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRadioTuner::QRadioTuner(QObject *parent)\nThis method creates an object of class QRadioTuner.", &_init_ctor_QRadioTuner_Adaptor_1302, &_call_ctor_QRadioTuner_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*addPropertyWatch", "@brief Method void QRadioTuner::addPropertyWatch(QByteArray const &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_addPropertyWatch_2309, &_call_fp_addPropertyWatch_2309); + methods += new qt_gsi::GenericMethod ("*addPropertyWatch", "@brief Method void QRadioTuner::addPropertyWatch(const QByteArray &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_addPropertyWatch_2309, &_call_fp_addPropertyWatch_2309); methods += new qt_gsi::GenericMethod ("availability", "@brief Virtual method QMultimedia::AvailabilityStatus QRadioTuner::availability()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0); methods += new qt_gsi::GenericMethod ("availability", "@hide", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0, &_set_callback_cbs_availability_c0_0); methods += new qt_gsi::GenericMethod ("bind", "@brief Virtual method bool QRadioTuner::bind(QObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_bind_1302_0, &_call_cbs_bind_1302_0); methods += new qt_gsi::GenericMethod ("bind", "@hide", false, &_init_cbs_bind_1302_0, &_call_cbs_bind_1302_0, &_set_callback_cbs_bind_1302_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRadioTuner::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRadioTuner::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRadioTuner::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRadioTuner::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QRadioTuner::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QRadioTuner::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QRadioTuner::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QRadioTuner::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QRadioTuner::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("isAvailable", "@brief Virtual method bool QRadioTuner::isAvailable()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isAvailable_c0_0, &_call_cbs_isAvailable_c0_0); methods += new qt_gsi::GenericMethod ("isAvailable", "@hide", true, &_init_cbs_isAvailable_c0_0, &_call_cbs_isAvailable_c0_0, &_set_callback_cbs_isAvailable_c0_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QRadioTuner::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QRadioTuner::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); - methods += new qt_gsi::GenericMethod ("*removePropertyWatch", "@brief Method void QRadioTuner::removePropertyWatch(QByteArray const &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_removePropertyWatch_2309, &_call_fp_removePropertyWatch_2309); + methods += new qt_gsi::GenericMethod ("*removePropertyWatch", "@brief Method void QRadioTuner::removePropertyWatch(const QByteArray &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_removePropertyWatch_2309, &_call_fp_removePropertyWatch_2309); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QRadioTuner::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QRadioTuner::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("service", "@brief Virtual method QMediaService *QRadioTuner::service()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_service_c0_0, &_call_cbs_service_c0_0); methods += new qt_gsi::GenericMethod ("service", "@hide", true, &_init_cbs_service_c0_0, &_call_cbs_service_c0_0, &_set_callback_cbs_service_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRadioTuner::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRadioTuner::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("unbind", "@brief Virtual method void QRadioTuner::unbind(QObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_unbind_1302_0, &_call_cbs_unbind_1302_0); methods += new qt_gsi::GenericMethod ("unbind", "@hide", false, &_init_cbs_unbind_1302_0, &_call_cbs_unbind_1302_0, &_set_callback_cbs_unbind_1302_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTunerControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTunerControl.cc index a1dfb88c74..caca20b57f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTunerControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTunerControl.cc @@ -909,33 +909,33 @@ class QRadioTunerControl_Adaptor : public QRadioTunerControl, public qt_gsi::QtO } } - // [adaptor impl] bool QRadioTunerControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QRadioTunerControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QRadioTunerControl::event(arg1); + return QRadioTunerControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QRadioTunerControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QRadioTunerControl_Adaptor::cbs_event_1217_0, _event); } else { - return QRadioTunerControl::event(arg1); + return QRadioTunerControl::event(_event); } } - // [adaptor impl] bool QRadioTunerControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QRadioTunerControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QRadioTunerControl::eventFilter(arg1, arg2); + return QRadioTunerControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QRadioTunerControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QRadioTunerControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QRadioTunerControl::eventFilter(arg1, arg2); + return QRadioTunerControl::eventFilter(watched, event); } } @@ -1278,33 +1278,33 @@ class QRadioTunerControl_Adaptor : public QRadioTunerControl, public qt_gsi::QtO } } - // [adaptor impl] void QRadioTunerControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QRadioTunerControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QRadioTunerControl::childEvent(arg1); + QRadioTunerControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QRadioTunerControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QRadioTunerControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QRadioTunerControl::childEvent(arg1); + QRadioTunerControl::childEvent(event); } } - // [adaptor impl] void QRadioTunerControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QRadioTunerControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QRadioTunerControl::customEvent(arg1); + QRadioTunerControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QRadioTunerControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QRadioTunerControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QRadioTunerControl::customEvent(arg1); + QRadioTunerControl::customEvent(event); } } @@ -1323,18 +1323,18 @@ class QRadioTunerControl_Adaptor : public QRadioTunerControl, public qt_gsi::QtO } } - // [adaptor impl] void QRadioTunerControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QRadioTunerControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QRadioTunerControl::timerEvent(arg1); + QRadioTunerControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QRadioTunerControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QRadioTunerControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QRadioTunerControl::timerEvent(arg1); + QRadioTunerControl::timerEvent(event); } } @@ -1413,11 +1413,11 @@ static void _set_callback_cbs_cancelSearch_0_0 (void *cls, const gsi::Callback & } -// void QRadioTunerControl::childEvent(QChildEvent *) +// void QRadioTunerControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1437,11 +1437,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QRadioTunerControl::customEvent(QEvent *) +// void QRadioTunerControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1523,11 +1523,11 @@ static void _set_callback_cbs_errorString_c0_0 (void *cls, const gsi::Callback & } -// bool QRadioTunerControl::event(QEvent *) +// bool QRadioTunerControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1546,13 +1546,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QRadioTunerControl::eventFilter(QObject *, QEvent *) +// bool QRadioTunerControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2081,11 +2081,11 @@ static void _set_callback_cbs_stop_0_0 (void *cls, const gsi::Callback &cb) } -// void QRadioTunerControl::timerEvent(QTimerEvent *) +// void QRadioTunerControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2135,9 +2135,9 @@ static gsi::Methods methods_QRadioTunerControl_Adaptor () { methods += new qt_gsi::GenericMethod ("band", "@hide", true, &_init_cbs_band_c0_0, &_call_cbs_band_c0_0, &_set_callback_cbs_band_c0_0); methods += new qt_gsi::GenericMethod ("cancelSearch", "@brief Virtual method void QRadioTunerControl::cancelSearch()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_cancelSearch_0_0, &_call_cbs_cancelSearch_0_0); methods += new qt_gsi::GenericMethod ("cancelSearch", "@hide", false, &_init_cbs_cancelSearch_0_0, &_call_cbs_cancelSearch_0_0, &_set_callback_cbs_cancelSearch_0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRadioTunerControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRadioTunerControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRadioTunerControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRadioTunerControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QRadioTunerControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); @@ -2145,9 +2145,9 @@ static gsi::Methods methods_QRadioTunerControl_Adaptor () { methods += new qt_gsi::GenericMethod ("error", "@hide", true, &_init_cbs_error_c0_0, &_call_cbs_error_c0_0, &_set_callback_cbs_error_c0_0); methods += new qt_gsi::GenericMethod ("errorString", "@brief Virtual method QString QRadioTunerControl::errorString()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_errorString_c0_0, &_call_cbs_errorString_c0_0); methods += new qt_gsi::GenericMethod ("errorString", "@hide", true, &_init_cbs_errorString_c0_0, &_call_cbs_errorString_c0_0, &_set_callback_cbs_errorString_c0_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QRadioTunerControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QRadioTunerControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QRadioTunerControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QRadioTunerControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("frequency", "@brief Virtual method int QRadioTunerControl::frequency()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_frequency_c0_0, &_call_cbs_frequency_c0_0); methods += new qt_gsi::GenericMethod ("frequency", "@hide", true, &_init_cbs_frequency_c0_0, &_call_cbs_frequency_c0_0, &_set_callback_cbs_frequency_c0_0); @@ -2195,7 +2195,7 @@ static gsi::Methods methods_QRadioTunerControl_Adaptor () { methods += new qt_gsi::GenericMethod ("stereoMode", "@hide", true, &_init_cbs_stereoMode_c0_0, &_call_cbs_stereoMode_c0_0, &_set_callback_cbs_stereoMode_c0_0); methods += new qt_gsi::GenericMethod ("stop", "@brief Virtual method void QRadioTunerControl::stop()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0); methods += new qt_gsi::GenericMethod ("stop", "@hide", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0, &_set_callback_cbs_stop_0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRadioTunerControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRadioTunerControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("volume", "@brief Virtual method int QRadioTunerControl::volume()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_volume_c0_0, &_call_cbs_volume_c0_0); methods += new qt_gsi::GenericMethod ("volume", "@hide", true, &_init_cbs_volume_c0_0, &_call_cbs_volume_c0_0, &_set_callback_cbs_volume_c0_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQSound.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQSound.cc index 304f9f8eef..42a1048c51 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQSound.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQSound.cc @@ -304,63 +304,63 @@ class QSound_Adaptor : public QSound, public qt_gsi::QtObjectBase return QSound::senderSignalIndex(); } - // [adaptor impl] bool QSound::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QSound::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QSound::event(arg1); + return QSound::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QSound_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QSound_Adaptor::cbs_event_1217_0, _event); } else { - return QSound::event(arg1); + return QSound::event(_event); } } - // [adaptor impl] bool QSound::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSound::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSound::eventFilter(arg1, arg2); + return QSound::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSound_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSound_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSound::eventFilter(arg1, arg2); + return QSound::eventFilter(watched, event); } } - // [adaptor impl] void QSound::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSound::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSound::childEvent(arg1); + QSound::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSound_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSound_Adaptor::cbs_childEvent_1701_0, event); } else { - QSound::childEvent(arg1); + QSound::childEvent(event); } } - // [adaptor impl] void QSound::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSound::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSound::customEvent(arg1); + QSound::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSound_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSound_Adaptor::cbs_customEvent_1217_0, event); } else { - QSound::customEvent(arg1); + QSound::customEvent(event); } } @@ -379,18 +379,18 @@ class QSound_Adaptor : public QSound, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSound::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSound::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSound::timerEvent(arg1); + QSound::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSound_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSound_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSound::timerEvent(arg1); + QSound::timerEvent(event); } } @@ -410,7 +410,7 @@ static void _init_ctor_QSound_Adaptor_3219 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("filename"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -420,16 +420,16 @@ static void _call_ctor_QSound_Adaptor_3219 (const qt_gsi::GenericStaticMethod * __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSound_Adaptor (arg1, arg2)); } -// void QSound::childEvent(QChildEvent *) +// void QSound::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -449,11 +449,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QSound::customEvent(QEvent *) +// void QSound::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -497,11 +497,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QSound::event(QEvent *) +// bool QSound::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -520,13 +520,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSound::eventFilter(QObject *, QEvent *) +// bool QSound::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -610,11 +610,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QSound::timerEvent(QTimerEvent *) +// void QSound::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -642,21 +642,21 @@ gsi::Class &qtdecl_QSound (); static gsi::Methods methods_QSound_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSound::QSound(const QString &filename, QObject *parent)\nThis method creates an object of class QSound.", &_init_ctor_QSound_Adaptor_3219, &_call_ctor_QSound_Adaptor_3219); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSound::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSound::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSound::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSound::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSound::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSound::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSound::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSound::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSound::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSound::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QSound::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QSound::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QSound::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSound::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSound::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQSoundEffect.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQSoundEffect.cc index 1452ce2c0e..10173587c3 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQSoundEffect.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQSoundEffect.cc @@ -617,63 +617,63 @@ class QSoundEffect_Adaptor : public QSoundEffect, public qt_gsi::QtObjectBase return QSoundEffect::senderSignalIndex(); } - // [adaptor impl] bool QSoundEffect::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QSoundEffect::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QSoundEffect::event(arg1); + return QSoundEffect::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QSoundEffect_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QSoundEffect_Adaptor::cbs_event_1217_0, _event); } else { - return QSoundEffect::event(arg1); + return QSoundEffect::event(_event); } } - // [adaptor impl] bool QSoundEffect::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSoundEffect::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSoundEffect::eventFilter(arg1, arg2); + return QSoundEffect::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSoundEffect_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSoundEffect_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSoundEffect::eventFilter(arg1, arg2); + return QSoundEffect::eventFilter(watched, event); } } - // [adaptor impl] void QSoundEffect::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSoundEffect::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSoundEffect::childEvent(arg1); + QSoundEffect::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSoundEffect_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSoundEffect_Adaptor::cbs_childEvent_1701_0, event); } else { - QSoundEffect::childEvent(arg1); + QSoundEffect::childEvent(event); } } - // [adaptor impl] void QSoundEffect::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSoundEffect::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSoundEffect::customEvent(arg1); + QSoundEffect::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSoundEffect_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSoundEffect_Adaptor::cbs_customEvent_1217_0, event); } else { - QSoundEffect::customEvent(arg1); + QSoundEffect::customEvent(event); } } @@ -692,18 +692,18 @@ class QSoundEffect_Adaptor : public QSoundEffect, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSoundEffect::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSoundEffect::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSoundEffect::timerEvent(arg1); + QSoundEffect::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSoundEffect_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSoundEffect_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSoundEffect::timerEvent(arg1); + QSoundEffect::timerEvent(event); } } @@ -721,7 +721,7 @@ QSoundEffect_Adaptor::~QSoundEffect_Adaptor() { } static void _init_ctor_QSoundEffect_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -730,16 +730,16 @@ static void _call_ctor_QSoundEffect_Adaptor_1302 (const qt_gsi::GenericStaticMet { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSoundEffect_Adaptor (arg1)); } -// void QSoundEffect::childEvent(QChildEvent *) +// void QSoundEffect::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -759,11 +759,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QSoundEffect::customEvent(QEvent *) +// void QSoundEffect::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -807,11 +807,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QSoundEffect::event(QEvent *) +// bool QSoundEffect::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -830,13 +830,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSoundEffect::eventFilter(QObject *, QEvent *) +// bool QSoundEffect::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -920,11 +920,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QSoundEffect::timerEvent(QTimerEvent *) +// void QSoundEffect::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -952,21 +952,21 @@ gsi::Class &qtdecl_QSoundEffect (); static gsi::Methods methods_QSoundEffect_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSoundEffect::QSoundEffect(QObject *parent)\nThis method creates an object of class QSoundEffect.", &_init_ctor_QSoundEffect_Adaptor_1302, &_call_ctor_QSoundEffect_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSoundEffect::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSoundEffect::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSoundEffect::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSoundEffect::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSoundEffect::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSoundEffect::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSoundEffect::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSoundEffect::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSoundEffect::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSoundEffect::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QSoundEffect::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QSoundEffect::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QSoundEffect::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSoundEffect::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSoundEffect::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoDeviceSelectorControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoDeviceSelectorControl.cc index 33a0085078..13badf1bca 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoDeviceSelectorControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoDeviceSelectorControl.cc @@ -173,12 +173,12 @@ static void _call_f_selectedDeviceChanged_767 (const qt_gsi::GenericMethod * /*d } -// void QVideoDeviceSelectorControl::selectedDeviceChanged(const QString &deviceName) +// void QVideoDeviceSelectorControl::selectedDeviceChanged(const QString &name) static void _init_f_selectedDeviceChanged_2025 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("deviceName"); + static gsi::ArgSpecBase argspec_0 ("name"); decl->add_arg (argspec_0); decl->set_return (); } @@ -276,7 +276,7 @@ static gsi::Methods methods_QVideoDeviceSelectorControl () { methods += new qt_gsi::GenericMethod ("devicesChanged", "@brief Method void QVideoDeviceSelectorControl::devicesChanged()\n", false, &_init_f_devicesChanged_0, &_call_f_devicesChanged_0); methods += new qt_gsi::GenericMethod (":selectedDevice", "@brief Method int QVideoDeviceSelectorControl::selectedDevice()\n", true, &_init_f_selectedDevice_c0, &_call_f_selectedDevice_c0); methods += new qt_gsi::GenericMethod ("selectedDeviceChanged_int", "@brief Method void QVideoDeviceSelectorControl::selectedDeviceChanged(int index)\n", false, &_init_f_selectedDeviceChanged_767, &_call_f_selectedDeviceChanged_767); - methods += new qt_gsi::GenericMethod ("selectedDeviceChanged_string", "@brief Method void QVideoDeviceSelectorControl::selectedDeviceChanged(const QString &deviceName)\n", false, &_init_f_selectedDeviceChanged_2025, &_call_f_selectedDeviceChanged_2025); + methods += new qt_gsi::GenericMethod ("selectedDeviceChanged_string", "@brief Method void QVideoDeviceSelectorControl::selectedDeviceChanged(const QString &name)\n", false, &_init_f_selectedDeviceChanged_2025, &_call_f_selectedDeviceChanged_2025); methods += new qt_gsi::GenericMethod ("setSelectedDevice|selectedDevice=", "@brief Method void QVideoDeviceSelectorControl::setSelectedDevice(int index)\n", false, &_init_f_setSelectedDevice_767, &_call_f_setSelectedDevice_767); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QVideoDeviceSelectorControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QVideoDeviceSelectorControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); @@ -388,33 +388,33 @@ class QVideoDeviceSelectorControl_Adaptor : public QVideoDeviceSelectorControl, } } - // [adaptor impl] bool QVideoDeviceSelectorControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QVideoDeviceSelectorControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QVideoDeviceSelectorControl::event(arg1); + return QVideoDeviceSelectorControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QVideoDeviceSelectorControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QVideoDeviceSelectorControl_Adaptor::cbs_event_1217_0, _event); } else { - return QVideoDeviceSelectorControl::event(arg1); + return QVideoDeviceSelectorControl::event(_event); } } - // [adaptor impl] bool QVideoDeviceSelectorControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QVideoDeviceSelectorControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QVideoDeviceSelectorControl::eventFilter(arg1, arg2); + return QVideoDeviceSelectorControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QVideoDeviceSelectorControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QVideoDeviceSelectorControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QVideoDeviceSelectorControl::eventFilter(arg1, arg2); + return QVideoDeviceSelectorControl::eventFilter(watched, event); } } @@ -449,33 +449,33 @@ class QVideoDeviceSelectorControl_Adaptor : public QVideoDeviceSelectorControl, } } - // [adaptor impl] void QVideoDeviceSelectorControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QVideoDeviceSelectorControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QVideoDeviceSelectorControl::childEvent(arg1); + QVideoDeviceSelectorControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QVideoDeviceSelectorControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QVideoDeviceSelectorControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QVideoDeviceSelectorControl::childEvent(arg1); + QVideoDeviceSelectorControl::childEvent(event); } } - // [adaptor impl] void QVideoDeviceSelectorControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QVideoDeviceSelectorControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QVideoDeviceSelectorControl::customEvent(arg1); + QVideoDeviceSelectorControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QVideoDeviceSelectorControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QVideoDeviceSelectorControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QVideoDeviceSelectorControl::customEvent(arg1); + QVideoDeviceSelectorControl::customEvent(event); } } @@ -494,18 +494,18 @@ class QVideoDeviceSelectorControl_Adaptor : public QVideoDeviceSelectorControl, } } - // [adaptor impl] void QVideoDeviceSelectorControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QVideoDeviceSelectorControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QVideoDeviceSelectorControl::timerEvent(arg1); + QVideoDeviceSelectorControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QVideoDeviceSelectorControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QVideoDeviceSelectorControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QVideoDeviceSelectorControl::timerEvent(arg1); + QVideoDeviceSelectorControl::timerEvent(event); } } @@ -539,11 +539,11 @@ static void _call_ctor_QVideoDeviceSelectorControl_Adaptor_0 (const qt_gsi::Gene } -// void QVideoDeviceSelectorControl::childEvent(QChildEvent *) +// void QVideoDeviceSelectorControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -563,11 +563,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QVideoDeviceSelectorControl::customEvent(QEvent *) +// void QVideoDeviceSelectorControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -695,11 +695,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QVideoDeviceSelectorControl::event(QEvent *) +// bool QVideoDeviceSelectorControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -718,13 +718,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QVideoDeviceSelectorControl::eventFilter(QObject *, QEvent *) +// bool QVideoDeviceSelectorControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -851,11 +851,11 @@ static void _set_callback_cbs_setSelectedDevice_767_0 (void *cls, const gsi::Cal } -// void QVideoDeviceSelectorControl::timerEvent(QTimerEvent *) +// void QVideoDeviceSelectorControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -883,9 +883,9 @@ gsi::Class &qtdecl_QVideoDeviceSelectorControl (); static gsi::Methods methods_QVideoDeviceSelectorControl_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QVideoDeviceSelectorControl::QVideoDeviceSelectorControl()\nThis method creates an object of class QVideoDeviceSelectorControl.", &_init_ctor_QVideoDeviceSelectorControl_Adaptor_0, &_call_ctor_QVideoDeviceSelectorControl_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QVideoDeviceSelectorControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QVideoDeviceSelectorControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVideoDeviceSelectorControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVideoDeviceSelectorControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("defaultDevice", "@brief Virtual method int QVideoDeviceSelectorControl::defaultDevice()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_defaultDevice_c0_0, &_call_cbs_defaultDevice_c0_0); methods += new qt_gsi::GenericMethod ("defaultDevice", "@hide", true, &_init_cbs_defaultDevice_c0_0, &_call_cbs_defaultDevice_c0_0, &_set_callback_cbs_defaultDevice_c0_0); @@ -897,9 +897,9 @@ static gsi::Methods methods_QVideoDeviceSelectorControl_Adaptor () { methods += new qt_gsi::GenericMethod ("deviceName", "@hide", true, &_init_cbs_deviceName_c767_0, &_call_cbs_deviceName_c767_0, &_set_callback_cbs_deviceName_c767_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QVideoDeviceSelectorControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QVideoDeviceSelectorControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QVideoDeviceSelectorControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVideoDeviceSelectorControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVideoDeviceSelectorControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QVideoDeviceSelectorControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QVideoDeviceSelectorControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); @@ -909,7 +909,7 @@ static gsi::Methods methods_QVideoDeviceSelectorControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QVideoDeviceSelectorControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setSelectedDevice", "@brief Virtual method void QVideoDeviceSelectorControl::setSelectedDevice(int index)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setSelectedDevice_767_0, &_call_cbs_setSelectedDevice_767_0); methods += new qt_gsi::GenericMethod ("setSelectedDevice", "@hide", false, &_init_cbs_setSelectedDevice_767_0, &_call_cbs_setSelectedDevice_767_0, &_set_callback_cbs_setSelectedDevice_767_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QVideoDeviceSelectorControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QVideoDeviceSelectorControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoEncoderSettingsControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoEncoderSettingsControl.cc index 2364610e4e..ed304cc30f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoEncoderSettingsControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoEncoderSettingsControl.cc @@ -83,7 +83,7 @@ static void _init_f_supportedFrameRates_c4392 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("settings"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("continuous", true, "0"); + static gsi::ArgSpecBase argspec_1 ("continuous", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return > (); } @@ -93,7 +93,7 @@ static void _call_f_supportedFrameRates_c4392 (const qt_gsi::GenericMethod * /*d __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QVideoEncoderSettings &arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write > ((QList)((QVideoEncoderSettingsControl *)cls)->supportedFrameRates (arg1, arg2)); } @@ -105,7 +105,7 @@ static void _init_f_supportedResolutions_c4392 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("settings"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("continuous", true, "0"); + static gsi::ArgSpecBase argspec_1 ("continuous", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return > (); } @@ -115,7 +115,7 @@ static void _call_f_supportedResolutions_c4392 (const qt_gsi::GenericMethod * /* __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QVideoEncoderSettings &arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write > ((QList)((QVideoEncoderSettingsControl *)cls)->supportedResolutions (arg1, arg2)); } @@ -135,12 +135,12 @@ static void _call_f_supportedVideoCodecs_c0 (const qt_gsi::GenericMethod * /*dec } -// QString QVideoEncoderSettingsControl::videoCodecDescription(const QString &codecName) +// QString QVideoEncoderSettingsControl::videoCodecDescription(const QString &codec) static void _init_f_videoCodecDescription_c2025 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("codecName"); + static gsi::ArgSpecBase argspec_0 ("codec"); decl->add_arg (argspec_0); decl->set_return (); } @@ -229,7 +229,7 @@ static gsi::Methods methods_QVideoEncoderSettingsControl () { methods += new qt_gsi::GenericMethod ("supportedFrameRates", "@brief Method QList QVideoEncoderSettingsControl::supportedFrameRates(const QVideoEncoderSettings &settings, bool *continuous)\n", true, &_init_f_supportedFrameRates_c4392, &_call_f_supportedFrameRates_c4392); methods += new qt_gsi::GenericMethod ("supportedResolutions", "@brief Method QList QVideoEncoderSettingsControl::supportedResolutions(const QVideoEncoderSettings &settings, bool *continuous)\n", true, &_init_f_supportedResolutions_c4392, &_call_f_supportedResolutions_c4392); methods += new qt_gsi::GenericMethod ("supportedVideoCodecs", "@brief Method QStringList QVideoEncoderSettingsControl::supportedVideoCodecs()\n", true, &_init_f_supportedVideoCodecs_c0, &_call_f_supportedVideoCodecs_c0); - methods += new qt_gsi::GenericMethod ("videoCodecDescription", "@brief Method QString QVideoEncoderSettingsControl::videoCodecDescription(const QString &codecName)\n", true, &_init_f_videoCodecDescription_c2025, &_call_f_videoCodecDescription_c2025); + methods += new qt_gsi::GenericMethod ("videoCodecDescription", "@brief Method QString QVideoEncoderSettingsControl::videoCodecDescription(const QString &codec)\n", true, &_init_f_videoCodecDescription_c2025, &_call_f_videoCodecDescription_c2025); methods += new qt_gsi::GenericMethod (":videoSettings", "@brief Method QVideoEncoderSettings QVideoEncoderSettingsControl::videoSettings()\n", true, &_init_f_videoSettings_c0, &_call_f_videoSettings_c0); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QVideoEncoderSettingsControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QVideoEncoderSettingsControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); @@ -279,33 +279,33 @@ class QVideoEncoderSettingsControl_Adaptor : public QVideoEncoderSettingsControl return QVideoEncoderSettingsControl::senderSignalIndex(); } - // [adaptor impl] bool QVideoEncoderSettingsControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QVideoEncoderSettingsControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QVideoEncoderSettingsControl::event(arg1); + return QVideoEncoderSettingsControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QVideoEncoderSettingsControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QVideoEncoderSettingsControl_Adaptor::cbs_event_1217_0, _event); } else { - return QVideoEncoderSettingsControl::event(arg1); + return QVideoEncoderSettingsControl::event(_event); } } - // [adaptor impl] bool QVideoEncoderSettingsControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QVideoEncoderSettingsControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QVideoEncoderSettingsControl::eventFilter(arg1, arg2); + return QVideoEncoderSettingsControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QVideoEncoderSettingsControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QVideoEncoderSettingsControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QVideoEncoderSettingsControl::eventFilter(arg1, arg2); + return QVideoEncoderSettingsControl::eventFilter(watched, event); } } @@ -374,17 +374,17 @@ class QVideoEncoderSettingsControl_Adaptor : public QVideoEncoderSettingsControl } } - // [adaptor impl] QString QVideoEncoderSettingsControl::videoCodecDescription(const QString &codecName) - QString cbs_videoCodecDescription_c2025_0(const QString &codecName) const + // [adaptor impl] QString QVideoEncoderSettingsControl::videoCodecDescription(const QString &codec) + QString cbs_videoCodecDescription_c2025_0(const QString &codec) const { - __SUPPRESS_UNUSED_WARNING (codecName); + __SUPPRESS_UNUSED_WARNING (codec); throw qt_gsi::AbstractMethodCalledException("videoCodecDescription"); } - virtual QString videoCodecDescription(const QString &codecName) const + virtual QString videoCodecDescription(const QString &codec) const { if (cb_videoCodecDescription_c2025_0.can_issue()) { - return cb_videoCodecDescription_c2025_0.issue(&QVideoEncoderSettingsControl_Adaptor::cbs_videoCodecDescription_c2025_0, codecName); + return cb_videoCodecDescription_c2025_0.issue(&QVideoEncoderSettingsControl_Adaptor::cbs_videoCodecDescription_c2025_0, codec); } else { throw qt_gsi::AbstractMethodCalledException("videoCodecDescription"); } @@ -405,33 +405,33 @@ class QVideoEncoderSettingsControl_Adaptor : public QVideoEncoderSettingsControl } } - // [adaptor impl] void QVideoEncoderSettingsControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QVideoEncoderSettingsControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QVideoEncoderSettingsControl::childEvent(arg1); + QVideoEncoderSettingsControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QVideoEncoderSettingsControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QVideoEncoderSettingsControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QVideoEncoderSettingsControl::childEvent(arg1); + QVideoEncoderSettingsControl::childEvent(event); } } - // [adaptor impl] void QVideoEncoderSettingsControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QVideoEncoderSettingsControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QVideoEncoderSettingsControl::customEvent(arg1); + QVideoEncoderSettingsControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QVideoEncoderSettingsControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QVideoEncoderSettingsControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QVideoEncoderSettingsControl::customEvent(arg1); + QVideoEncoderSettingsControl::customEvent(event); } } @@ -450,18 +450,18 @@ class QVideoEncoderSettingsControl_Adaptor : public QVideoEncoderSettingsControl } } - // [adaptor impl] void QVideoEncoderSettingsControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QVideoEncoderSettingsControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QVideoEncoderSettingsControl::timerEvent(arg1); + QVideoEncoderSettingsControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QVideoEncoderSettingsControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QVideoEncoderSettingsControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QVideoEncoderSettingsControl::timerEvent(arg1); + QVideoEncoderSettingsControl::timerEvent(event); } } @@ -495,11 +495,11 @@ static void _call_ctor_QVideoEncoderSettingsControl_Adaptor_0 (const qt_gsi::Gen } -// void QVideoEncoderSettingsControl::childEvent(QChildEvent *) +// void QVideoEncoderSettingsControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -519,11 +519,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QVideoEncoderSettingsControl::customEvent(QEvent *) +// void QVideoEncoderSettingsControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -567,11 +567,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QVideoEncoderSettingsControl::event(QEvent *) +// bool QVideoEncoderSettingsControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -590,13 +590,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QVideoEncoderSettingsControl::eventFilter(QObject *, QEvent *) +// bool QVideoEncoderSettingsControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -775,11 +775,11 @@ static void _set_callback_cbs_supportedVideoCodecs_c0_0 (void *cls, const gsi::C } -// void QVideoEncoderSettingsControl::timerEvent(QTimerEvent *) +// void QVideoEncoderSettingsControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -799,11 +799,11 @@ static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback } -// QString QVideoEncoderSettingsControl::videoCodecDescription(const QString &codecName) +// QString QVideoEncoderSettingsControl::videoCodecDescription(const QString &codec) static void _init_cbs_videoCodecDescription_c2025_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("codecName"); + static gsi::ArgSpecBase argspec_0 ("codec"); decl->add_arg (argspec_0); decl->set_return (); } @@ -849,15 +849,15 @@ gsi::Class &qtdecl_QVideoEncoderSettingsControl () static gsi::Methods methods_QVideoEncoderSettingsControl_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QVideoEncoderSettingsControl::QVideoEncoderSettingsControl()\nThis method creates an object of class QVideoEncoderSettingsControl.", &_init_ctor_QVideoEncoderSettingsControl_Adaptor_0, &_call_ctor_QVideoEncoderSettingsControl_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QVideoEncoderSettingsControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QVideoEncoderSettingsControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVideoEncoderSettingsControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVideoEncoderSettingsControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QVideoEncoderSettingsControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QVideoEncoderSettingsControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QVideoEncoderSettingsControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVideoEncoderSettingsControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVideoEncoderSettingsControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QVideoEncoderSettingsControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QVideoEncoderSettingsControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); @@ -871,9 +871,9 @@ static gsi::Methods methods_QVideoEncoderSettingsControl_Adaptor () { methods += new qt_gsi::GenericMethod ("supportedResolutions", "@hide", true, &_init_cbs_supportedResolutions_c4392_1, &_call_cbs_supportedResolutions_c4392_1, &_set_callback_cbs_supportedResolutions_c4392_1); methods += new qt_gsi::GenericMethod ("supportedVideoCodecs", "@brief Virtual method QStringList QVideoEncoderSettingsControl::supportedVideoCodecs()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedVideoCodecs_c0_0, &_call_cbs_supportedVideoCodecs_c0_0); methods += new qt_gsi::GenericMethod ("supportedVideoCodecs", "@hide", true, &_init_cbs_supportedVideoCodecs_c0_0, &_call_cbs_supportedVideoCodecs_c0_0, &_set_callback_cbs_supportedVideoCodecs_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QVideoEncoderSettingsControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QVideoEncoderSettingsControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); - methods += new qt_gsi::GenericMethod ("videoCodecDescription", "@brief Virtual method QString QVideoEncoderSettingsControl::videoCodecDescription(const QString &codecName)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_videoCodecDescription_c2025_0, &_call_cbs_videoCodecDescription_c2025_0); + methods += new qt_gsi::GenericMethod ("videoCodecDescription", "@brief Virtual method QString QVideoEncoderSettingsControl::videoCodecDescription(const QString &codec)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_videoCodecDescription_c2025_0, &_call_cbs_videoCodecDescription_c2025_0); methods += new qt_gsi::GenericMethod ("videoCodecDescription", "@hide", true, &_init_cbs_videoCodecDescription_c2025_0, &_call_cbs_videoCodecDescription_c2025_0, &_set_callback_cbs_videoCodecDescription_c2025_0); methods += new qt_gsi::GenericMethod ("videoSettings", "@brief Virtual method QVideoEncoderSettings QVideoEncoderSettingsControl::videoSettings()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_videoSettings_c0_0, &_call_cbs_videoSettings_c0_0); methods += new qt_gsi::GenericMethod ("videoSettings", "@hide", true, &_init_cbs_videoSettings_c0_0, &_call_cbs_videoSettings_c0_0, &_set_callback_cbs_videoSettings_c0_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoFrame.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoFrame.cc index 5671e13699..7d2c85028c 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoFrame.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoFrame.cc @@ -816,6 +816,7 @@ static gsi::Enum decl_QVideoFrame_PixelFormat_Enum ("Q gsi::enum_const ("Format_Jpeg", QVideoFrame::Format_Jpeg, "@brief Enum constant QVideoFrame::Format_Jpeg") + gsi::enum_const ("Format_CameraRaw", QVideoFrame::Format_CameraRaw, "@brief Enum constant QVideoFrame::Format_CameraRaw") + gsi::enum_const ("Format_AdobeDng", QVideoFrame::Format_AdobeDng, "@brief Enum constant QVideoFrame::Format_AdobeDng") + + gsi::enum_const ("NPixelFormats", QVideoFrame::NPixelFormats, "@brief Enum constant QVideoFrame::NPixelFormats") + gsi::enum_const ("Format_User", QVideoFrame::Format_User, "@brief Enum constant QVideoFrame::Format_User"), "@qt\n@brief This class represents the QVideoFrame::PixelFormat enum"); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoProbe.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoProbe.cc index f35e54e027..68061dd3ab 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoProbe.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoProbe.cc @@ -126,12 +126,12 @@ static void _call_f_setSource_2005 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QVideoProbe::videoFrameProbed(const QVideoFrame &videoFrame) +// void QVideoProbe::videoFrameProbed(const QVideoFrame &frame) static void _init_f_videoFrameProbed_2388 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("videoFrame"); + static gsi::ArgSpecBase argspec_0 ("frame"); decl->add_arg (argspec_0); decl->set_return (); } @@ -206,7 +206,7 @@ static gsi::Methods methods_QVideoProbe () { methods += new qt_gsi::GenericMethod ("isActive?", "@brief Method bool QVideoProbe::isActive()\n", true, &_init_f_isActive_c0, &_call_f_isActive_c0); methods += new qt_gsi::GenericMethod ("setSource", "@brief Method bool QVideoProbe::setSource(QMediaObject *source)\n", false, &_init_f_setSource_1782, &_call_f_setSource_1782); methods += new qt_gsi::GenericMethod ("setSource", "@brief Method bool QVideoProbe::setSource(QMediaRecorder *source)\n", false, &_init_f_setSource_2005, &_call_f_setSource_2005); - methods += new qt_gsi::GenericMethod ("videoFrameProbed", "@brief Method void QVideoProbe::videoFrameProbed(const QVideoFrame &videoFrame)\n", false, &_init_f_videoFrameProbed_2388, &_call_f_videoFrameProbed_2388); + methods += new qt_gsi::GenericMethod ("videoFrameProbed", "@brief Method void QVideoProbe::videoFrameProbed(const QVideoFrame &frame)\n", false, &_init_f_videoFrameProbed_2388, &_call_f_videoFrameProbed_2388); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QVideoProbe::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QVideoProbe::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -261,63 +261,63 @@ class QVideoProbe_Adaptor : public QVideoProbe, public qt_gsi::QtObjectBase return QVideoProbe::senderSignalIndex(); } - // [adaptor impl] bool QVideoProbe::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QVideoProbe::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QVideoProbe::event(arg1); + return QVideoProbe::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QVideoProbe_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QVideoProbe_Adaptor::cbs_event_1217_0, _event); } else { - return QVideoProbe::event(arg1); + return QVideoProbe::event(_event); } } - // [adaptor impl] bool QVideoProbe::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QVideoProbe::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QVideoProbe::eventFilter(arg1, arg2); + return QVideoProbe::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QVideoProbe_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QVideoProbe_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QVideoProbe::eventFilter(arg1, arg2); + return QVideoProbe::eventFilter(watched, event); } } - // [adaptor impl] void QVideoProbe::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QVideoProbe::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QVideoProbe::childEvent(arg1); + QVideoProbe::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QVideoProbe_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QVideoProbe_Adaptor::cbs_childEvent_1701_0, event); } else { - QVideoProbe::childEvent(arg1); + QVideoProbe::childEvent(event); } } - // [adaptor impl] void QVideoProbe::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QVideoProbe::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QVideoProbe::customEvent(arg1); + QVideoProbe::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QVideoProbe_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QVideoProbe_Adaptor::cbs_customEvent_1217_0, event); } else { - QVideoProbe::customEvent(arg1); + QVideoProbe::customEvent(event); } } @@ -336,18 +336,18 @@ class QVideoProbe_Adaptor : public QVideoProbe, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QVideoProbe::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QVideoProbe::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QVideoProbe::timerEvent(arg1); + QVideoProbe::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QVideoProbe_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QVideoProbe_Adaptor::cbs_timerEvent_1730_0, event); } else { - QVideoProbe::timerEvent(arg1); + QVideoProbe::timerEvent(event); } } @@ -365,7 +365,7 @@ QVideoProbe_Adaptor::~QVideoProbe_Adaptor() { } static void _init_ctor_QVideoProbe_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -374,16 +374,16 @@ static void _call_ctor_QVideoProbe_Adaptor_1302 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QVideoProbe_Adaptor (arg1)); } -// void QVideoProbe::childEvent(QChildEvent *) +// void QVideoProbe::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -403,11 +403,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QVideoProbe::customEvent(QEvent *) +// void QVideoProbe::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -451,11 +451,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QVideoProbe::event(QEvent *) +// bool QVideoProbe::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -474,13 +474,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QVideoProbe::eventFilter(QObject *, QEvent *) +// bool QVideoProbe::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -564,11 +564,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QVideoProbe::timerEvent(QTimerEvent *) +// void QVideoProbe::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -596,21 +596,21 @@ gsi::Class &qtdecl_QVideoProbe (); static gsi::Methods methods_QVideoProbe_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QVideoProbe::QVideoProbe(QObject *parent)\nThis method creates an object of class QVideoProbe.", &_init_ctor_QVideoProbe_Adaptor_1302, &_call_ctor_QVideoProbe_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QVideoProbe::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QVideoProbe::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVideoProbe::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVideoProbe::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QVideoProbe::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QVideoProbe::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QVideoProbe::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVideoProbe::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVideoProbe::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QVideoProbe::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QVideoProbe::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QVideoProbe::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QVideoProbe::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QVideoProbe::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QVideoProbe::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoRendererControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoRendererControl.cc index af68e24594..612a576538 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoRendererControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoRendererControl.cc @@ -196,33 +196,33 @@ class QVideoRendererControl_Adaptor : public QVideoRendererControl, public qt_gs return QVideoRendererControl::senderSignalIndex(); } - // [adaptor impl] bool QVideoRendererControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QVideoRendererControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QVideoRendererControl::event(arg1); + return QVideoRendererControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QVideoRendererControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QVideoRendererControl_Adaptor::cbs_event_1217_0, _event); } else { - return QVideoRendererControl::event(arg1); + return QVideoRendererControl::event(_event); } } - // [adaptor impl] bool QVideoRendererControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QVideoRendererControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QVideoRendererControl::eventFilter(arg1, arg2); + return QVideoRendererControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QVideoRendererControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QVideoRendererControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QVideoRendererControl::eventFilter(arg1, arg2); + return QVideoRendererControl::eventFilter(watched, event); } } @@ -257,33 +257,33 @@ class QVideoRendererControl_Adaptor : public QVideoRendererControl, public qt_gs } } - // [adaptor impl] void QVideoRendererControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QVideoRendererControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QVideoRendererControl::childEvent(arg1); + QVideoRendererControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QVideoRendererControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QVideoRendererControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QVideoRendererControl::childEvent(arg1); + QVideoRendererControl::childEvent(event); } } - // [adaptor impl] void QVideoRendererControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QVideoRendererControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QVideoRendererControl::customEvent(arg1); + QVideoRendererControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QVideoRendererControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QVideoRendererControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QVideoRendererControl::customEvent(arg1); + QVideoRendererControl::customEvent(event); } } @@ -302,18 +302,18 @@ class QVideoRendererControl_Adaptor : public QVideoRendererControl, public qt_gs } } - // [adaptor impl] void QVideoRendererControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QVideoRendererControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QVideoRendererControl::timerEvent(arg1); + QVideoRendererControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QVideoRendererControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QVideoRendererControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QVideoRendererControl::timerEvent(arg1); + QVideoRendererControl::timerEvent(event); } } @@ -343,11 +343,11 @@ static void _call_ctor_QVideoRendererControl_Adaptor_0 (const qt_gsi::GenericSta } -// void QVideoRendererControl::childEvent(QChildEvent *) +// void QVideoRendererControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -367,11 +367,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QVideoRendererControl::customEvent(QEvent *) +// void QVideoRendererControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -415,11 +415,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QVideoRendererControl::event(QEvent *) +// bool QVideoRendererControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -438,13 +438,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QVideoRendererControl::eventFilter(QObject *, QEvent *) +// bool QVideoRendererControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -571,11 +571,11 @@ static void _set_callback_cbs_surface_c0_0 (void *cls, const gsi::Callback &cb) } -// void QVideoRendererControl::timerEvent(QTimerEvent *) +// void QVideoRendererControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -603,15 +603,15 @@ gsi::Class &qtdecl_QVideoRendererControl (); static gsi::Methods methods_QVideoRendererControl_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QVideoRendererControl::QVideoRendererControl()\nThis method creates an object of class QVideoRendererControl.", &_init_ctor_QVideoRendererControl_Adaptor_0, &_call_ctor_QVideoRendererControl_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QVideoRendererControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QVideoRendererControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVideoRendererControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVideoRendererControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QVideoRendererControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QVideoRendererControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QVideoRendererControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVideoRendererControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVideoRendererControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QVideoRendererControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QVideoRendererControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); @@ -621,7 +621,7 @@ static gsi::Methods methods_QVideoRendererControl_Adaptor () { methods += new qt_gsi::GenericMethod ("setSurface", "@hide", false, &_init_cbs_setSurface_2739_0, &_call_cbs_setSurface_2739_0, &_set_callback_cbs_setSurface_2739_0); methods += new qt_gsi::GenericMethod ("surface", "@brief Virtual method QAbstractVideoSurface *QVideoRendererControl::surface()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_surface_c0_0, &_call_cbs_surface_c0_0); methods += new qt_gsi::GenericMethod ("surface", "@hide", true, &_init_cbs_surface_c0_0, &_call_cbs_surface_c0_0, &_set_callback_cbs_surface_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QVideoRendererControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QVideoRendererControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoSurfaceFormat.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoSurfaceFormat.cc index 3c131341f5..b13e573cc3 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoSurfaceFormat.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoSurfaceFormat.cc @@ -171,6 +171,21 @@ static void _call_f_handleType_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// bool QVideoSurfaceFormat::isMirrored() + + +static void _init_f_isMirrored_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isMirrored_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QVideoSurfaceFormat *)cls)->isMirrored ()); +} + + // bool QVideoSurfaceFormat::isValid() @@ -385,6 +400,26 @@ static void _call_f_setFrameSize_1426 (const qt_gsi::GenericMethod * /*decl*/, v } +// void QVideoSurfaceFormat::setMirrored(bool mirrored) + + +static void _init_f_setMirrored_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("mirrored"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setMirrored_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QVideoSurfaceFormat *)cls)->setMirrored (arg1); +} + + // void QVideoSurfaceFormat::setPixelAspectRatio(const QSize &ratio) @@ -570,6 +605,7 @@ static gsi::Methods methods_QVideoSurfaceFormat () { methods += new qt_gsi::GenericMethod (":frameSize", "@brief Method QSize QVideoSurfaceFormat::frameSize()\n", true, &_init_f_frameSize_c0, &_call_f_frameSize_c0); methods += new qt_gsi::GenericMethod ("frameWidth", "@brief Method int QVideoSurfaceFormat::frameWidth()\n", true, &_init_f_frameWidth_c0, &_call_f_frameWidth_c0); methods += new qt_gsi::GenericMethod ("handleType", "@brief Method QAbstractVideoBuffer::HandleType QVideoSurfaceFormat::handleType()\n", true, &_init_f_handleType_c0, &_call_f_handleType_c0); + methods += new qt_gsi::GenericMethod ("isMirrored?", "@brief Method bool QVideoSurfaceFormat::isMirrored()\n", true, &_init_f_isMirrored_c0, &_call_f_isMirrored_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QVideoSurfaceFormat::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QVideoSurfaceFormat::operator !=(const QVideoSurfaceFormat &format)\n", true, &_init_f_operator_excl__eq__c3227, &_call_f_operator_excl__eq__c3227); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QVideoSurfaceFormat &QVideoSurfaceFormat::operator =(const QVideoSurfaceFormat &format)\n", false, &_init_f_operator_eq__3227, &_call_f_operator_eq__3227); @@ -582,6 +618,7 @@ static gsi::Methods methods_QVideoSurfaceFormat () { methods += new qt_gsi::GenericMethod ("setFrameRate|frameRate=", "@brief Method void QVideoSurfaceFormat::setFrameRate(double rate)\n", false, &_init_f_setFrameRate_1071, &_call_f_setFrameRate_1071); methods += new qt_gsi::GenericMethod ("setFrameSize|frameSize=", "@brief Method void QVideoSurfaceFormat::setFrameSize(const QSize &size)\n", false, &_init_f_setFrameSize_1805, &_call_f_setFrameSize_1805); methods += new qt_gsi::GenericMethod ("setFrameSize", "@brief Method void QVideoSurfaceFormat::setFrameSize(int width, int height)\n", false, &_init_f_setFrameSize_1426, &_call_f_setFrameSize_1426); + methods += new qt_gsi::GenericMethod ("setMirrored", "@brief Method void QVideoSurfaceFormat::setMirrored(bool mirrored)\n", false, &_init_f_setMirrored_864, &_call_f_setMirrored_864); methods += new qt_gsi::GenericMethod ("setPixelAspectRatio|pixelAspectRatio=", "@brief Method void QVideoSurfaceFormat::setPixelAspectRatio(const QSize &ratio)\n", false, &_init_f_setPixelAspectRatio_1805, &_call_f_setPixelAspectRatio_1805); methods += new qt_gsi::GenericMethod ("setPixelAspectRatio", "@brief Method void QVideoSurfaceFormat::setPixelAspectRatio(int width, int height)\n", false, &_init_f_setPixelAspectRatio_1426, &_call_f_setPixelAspectRatio_1426); methods += new qt_gsi::GenericMethod ("setProperty", "@brief Method void QVideoSurfaceFormat::setProperty(const char *name, const QVariant &value)\n", false, &_init_f_setProperty_3742, &_call_f_setProperty_3742); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWidget.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWidget.cc index 9047f4fd86..4a9d44011d 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWidget.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWidget.cc @@ -633,18 +633,18 @@ class QVideoWidget_Adaptor : public QVideoWidget, public qt_gsi::QtObjectBase QVideoWidget::updateMicroFocus(); } - // [adaptor impl] bool QVideoWidget::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QVideoWidget::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QVideoWidget::eventFilter(arg1, arg2); + return QVideoWidget::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QVideoWidget_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QVideoWidget_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QVideoWidget::eventFilter(arg1, arg2); + return QVideoWidget::eventFilter(watched, event); } } @@ -768,18 +768,18 @@ class QVideoWidget_Adaptor : public QVideoWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QVideoWidget::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QVideoWidget::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QVideoWidget::actionEvent(arg1); + QVideoWidget::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QVideoWidget_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QVideoWidget_Adaptor::cbs_actionEvent_1823_0, event); } else { - QVideoWidget::actionEvent(arg1); + QVideoWidget::actionEvent(event); } } @@ -798,63 +798,63 @@ class QVideoWidget_Adaptor : public QVideoWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QVideoWidget::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QVideoWidget::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QVideoWidget::childEvent(arg1); + QVideoWidget::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QVideoWidget_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QVideoWidget_Adaptor::cbs_childEvent_1701_0, event); } else { - QVideoWidget::childEvent(arg1); + QVideoWidget::childEvent(event); } } - // [adaptor impl] void QVideoWidget::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QVideoWidget::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QVideoWidget::closeEvent(arg1); + QVideoWidget::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QVideoWidget_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QVideoWidget_Adaptor::cbs_closeEvent_1719_0, event); } else { - QVideoWidget::closeEvent(arg1); + QVideoWidget::closeEvent(event); } } - // [adaptor impl] void QVideoWidget::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QVideoWidget::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QVideoWidget::contextMenuEvent(arg1); + QVideoWidget::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QVideoWidget_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QVideoWidget_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QVideoWidget::contextMenuEvent(arg1); + QVideoWidget::contextMenuEvent(event); } } - // [adaptor impl] void QVideoWidget::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QVideoWidget::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QVideoWidget::customEvent(arg1); + QVideoWidget::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QVideoWidget_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QVideoWidget_Adaptor::cbs_customEvent_1217_0, event); } else { - QVideoWidget::customEvent(arg1); + QVideoWidget::customEvent(event); } } @@ -873,78 +873,78 @@ class QVideoWidget_Adaptor : public QVideoWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QVideoWidget::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QVideoWidget::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QVideoWidget::dragEnterEvent(arg1); + QVideoWidget::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QVideoWidget_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QVideoWidget_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QVideoWidget::dragEnterEvent(arg1); + QVideoWidget::dragEnterEvent(event); } } - // [adaptor impl] void QVideoWidget::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QVideoWidget::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QVideoWidget::dragLeaveEvent(arg1); + QVideoWidget::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QVideoWidget_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QVideoWidget_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QVideoWidget::dragLeaveEvent(arg1); + QVideoWidget::dragLeaveEvent(event); } } - // [adaptor impl] void QVideoWidget::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QVideoWidget::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QVideoWidget::dragMoveEvent(arg1); + QVideoWidget::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QVideoWidget_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QVideoWidget_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QVideoWidget::dragMoveEvent(arg1); + QVideoWidget::dragMoveEvent(event); } } - // [adaptor impl] void QVideoWidget::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QVideoWidget::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QVideoWidget::dropEvent(arg1); + QVideoWidget::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QVideoWidget_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QVideoWidget_Adaptor::cbs_dropEvent_1622_0, event); } else { - QVideoWidget::dropEvent(arg1); + QVideoWidget::dropEvent(event); } } - // [adaptor impl] void QVideoWidget::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QVideoWidget::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QVideoWidget::enterEvent(arg1); + QVideoWidget::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QVideoWidget_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QVideoWidget_Adaptor::cbs_enterEvent_1217_0, event); } else { - QVideoWidget::enterEvent(arg1); + QVideoWidget::enterEvent(event); } } @@ -963,18 +963,18 @@ class QVideoWidget_Adaptor : public QVideoWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QVideoWidget::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QVideoWidget::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QVideoWidget::focusInEvent(arg1); + QVideoWidget::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QVideoWidget_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QVideoWidget_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QVideoWidget::focusInEvent(arg1); + QVideoWidget::focusInEvent(event); } } @@ -993,18 +993,18 @@ class QVideoWidget_Adaptor : public QVideoWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QVideoWidget::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QVideoWidget::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QVideoWidget::focusOutEvent(arg1); + QVideoWidget::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QVideoWidget_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QVideoWidget_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QVideoWidget::focusOutEvent(arg1); + QVideoWidget::focusOutEvent(event); } } @@ -1053,48 +1053,48 @@ class QVideoWidget_Adaptor : public QVideoWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QVideoWidget::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QVideoWidget::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QVideoWidget::keyPressEvent(arg1); + QVideoWidget::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QVideoWidget_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QVideoWidget_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QVideoWidget::keyPressEvent(arg1); + QVideoWidget::keyPressEvent(event); } } - // [adaptor impl] void QVideoWidget::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QVideoWidget::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QVideoWidget::keyReleaseEvent(arg1); + QVideoWidget::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QVideoWidget_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QVideoWidget_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QVideoWidget::keyReleaseEvent(arg1); + QVideoWidget::keyReleaseEvent(event); } } - // [adaptor impl] void QVideoWidget::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QVideoWidget::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QVideoWidget::leaveEvent(arg1); + QVideoWidget::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QVideoWidget_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QVideoWidget_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QVideoWidget::leaveEvent(arg1); + QVideoWidget::leaveEvent(event); } } @@ -1113,63 +1113,63 @@ class QVideoWidget_Adaptor : public QVideoWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QVideoWidget::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QVideoWidget::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QVideoWidget::mouseDoubleClickEvent(arg1); + QVideoWidget::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QVideoWidget_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QVideoWidget_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QVideoWidget::mouseDoubleClickEvent(arg1); + QVideoWidget::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QVideoWidget::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QVideoWidget::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QVideoWidget::mouseMoveEvent(arg1); + QVideoWidget::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QVideoWidget_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QVideoWidget_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QVideoWidget::mouseMoveEvent(arg1); + QVideoWidget::mouseMoveEvent(event); } } - // [adaptor impl] void QVideoWidget::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QVideoWidget::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QVideoWidget::mousePressEvent(arg1); + QVideoWidget::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QVideoWidget_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QVideoWidget_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QVideoWidget::mousePressEvent(arg1); + QVideoWidget::mousePressEvent(event); } } - // [adaptor impl] void QVideoWidget::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QVideoWidget::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QVideoWidget::mouseReleaseEvent(arg1); + QVideoWidget::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QVideoWidget_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QVideoWidget_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QVideoWidget::mouseReleaseEvent(arg1); + QVideoWidget::mouseReleaseEvent(event); } } @@ -1293,48 +1293,48 @@ class QVideoWidget_Adaptor : public QVideoWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QVideoWidget::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QVideoWidget::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QVideoWidget::tabletEvent(arg1); + QVideoWidget::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QVideoWidget_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QVideoWidget_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QVideoWidget::tabletEvent(arg1); + QVideoWidget::tabletEvent(event); } } - // [adaptor impl] void QVideoWidget::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QVideoWidget::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QVideoWidget::timerEvent(arg1); + QVideoWidget::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QVideoWidget_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QVideoWidget_Adaptor::cbs_timerEvent_1730_0, event); } else { - QVideoWidget::timerEvent(arg1); + QVideoWidget::timerEvent(event); } } - // [adaptor impl] void QVideoWidget::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QVideoWidget::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QVideoWidget::wheelEvent(arg1); + QVideoWidget::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QVideoWidget_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QVideoWidget_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QVideoWidget::wheelEvent(arg1); + QVideoWidget::wheelEvent(event); } } @@ -1393,7 +1393,7 @@ QVideoWidget_Adaptor::~QVideoWidget_Adaptor() { } static void _init_ctor_QVideoWidget_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1402,16 +1402,16 @@ static void _call_ctor_QVideoWidget_Adaptor_1315 (const qt_gsi::GenericStaticMet { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QVideoWidget_Adaptor (arg1)); } -// void QVideoWidget::actionEvent(QActionEvent *) +// void QVideoWidget::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1455,11 +1455,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QVideoWidget::childEvent(QChildEvent *) +// void QVideoWidget::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1479,11 +1479,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QVideoWidget::closeEvent(QCloseEvent *) +// void QVideoWidget::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1503,11 +1503,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QVideoWidget::contextMenuEvent(QContextMenuEvent *) +// void QVideoWidget::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1552,11 +1552,11 @@ static void _call_fp_create_2208 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QVideoWidget::customEvent(QEvent *) +// void QVideoWidget::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1622,11 +1622,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QVideoWidget::dragEnterEvent(QDragEnterEvent *) +// void QVideoWidget::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1646,11 +1646,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QVideoWidget::dragLeaveEvent(QDragLeaveEvent *) +// void QVideoWidget::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1670,11 +1670,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QVideoWidget::dragMoveEvent(QDragMoveEvent *) +// void QVideoWidget::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1694,11 +1694,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QVideoWidget::dropEvent(QDropEvent *) +// void QVideoWidget::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1718,11 +1718,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QVideoWidget::enterEvent(QEvent *) +// void QVideoWidget::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1765,13 +1765,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QVideoWidget::eventFilter(QObject *, QEvent *) +// bool QVideoWidget::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1791,11 +1791,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QVideoWidget::focusInEvent(QFocusEvent *) +// void QVideoWidget::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1852,11 +1852,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QVideoWidget::focusOutEvent(QFocusEvent *) +// void QVideoWidget::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2045,11 +2045,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QVideoWidget::keyPressEvent(QKeyEvent *) +// void QVideoWidget::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2069,11 +2069,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QVideoWidget::keyReleaseEvent(QKeyEvent *) +// void QVideoWidget::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2093,11 +2093,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QVideoWidget::leaveEvent(QEvent *) +// void QVideoWidget::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2178,11 +2178,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QVideoWidget::mouseDoubleClickEvent(QMouseEvent *) +// void QVideoWidget::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2202,11 +2202,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QVideoWidget::mouseMoveEvent(QMouseEvent *) +// void QVideoWidget::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2226,11 +2226,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QVideoWidget::mousePressEvent(QMouseEvent *) +// void QVideoWidget::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2250,11 +2250,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QVideoWidget::mouseReleaseEvent(QMouseEvent *) +// void QVideoWidget::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2572,11 +2572,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QVideoWidget::tabletEvent(QTabletEvent *) +// void QVideoWidget::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2596,11 +2596,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QVideoWidget::timerEvent(QTimerEvent *) +// void QVideoWidget::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2635,11 +2635,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QVideoWidget::wheelEvent(QWheelEvent *) +// void QVideoWidget::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2667,42 +2667,42 @@ gsi::Class &qtdecl_QVideoWidget (); static gsi::Methods methods_QVideoWidget_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QVideoWidget::QVideoWidget(QWidget *parent)\nThis method creates an object of class QVideoWidget.", &_init_ctor_QVideoWidget_Adaptor_1315, &_call_ctor_QVideoWidget_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QVideoWidget::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QVideoWidget::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QVideoWidget::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QVideoWidget::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QVideoWidget::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QVideoWidget::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QVideoWidget::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QVideoWidget::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QVideoWidget::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QVideoWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVideoWidget::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QVideoWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVideoWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QVideoWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QVideoWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QVideoWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QVideoWidget::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QVideoWidget::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QVideoWidget::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QVideoWidget::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QVideoWidget::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QVideoWidget::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QVideoWidget::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QVideoWidget::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QVideoWidget::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QVideoWidget::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QVideoWidget::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVideoWidget::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVideoWidget::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QVideoWidget::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QVideoWidget::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QVideoWidget::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QVideoWidget::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QVideoWidget::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QVideoWidget::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QVideoWidget::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QVideoWidget::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); @@ -2718,11 +2718,11 @@ static gsi::Methods methods_QVideoWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QVideoWidget::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QVideoWidget::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QVideoWidget::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QVideoWidget::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QVideoWidget::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QVideoWidget::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QVideoWidget::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QVideoWidget::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("mediaObject", "@brief Virtual method QMediaObject *QVideoWidget::mediaObject()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_mediaObject_c0_0, &_call_cbs_mediaObject_c0_0); methods += new qt_gsi::GenericMethod ("mediaObject", "@hide", true, &_init_cbs_mediaObject_c0_0, &_call_cbs_mediaObject_c0_0, &_set_callback_cbs_mediaObject_c0_0); @@ -2730,13 +2730,13 @@ static gsi::Methods methods_QVideoWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QVideoWidget::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QVideoWidget::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QVideoWidget::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QVideoWidget::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QVideoWidget::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QVideoWidget::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QVideoWidget::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QVideoWidget::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QVideoWidget::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QVideoWidget::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); @@ -2763,12 +2763,12 @@ static gsi::Methods methods_QVideoWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QVideoWidget::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QVideoWidget::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QVideoWidget::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QVideoWidget::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QVideoWidget::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QVideoWidget::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QVideoWidget::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QVideoWidget::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWindowControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWindowControl.cc index 74c689e4ab..a468ce0eb4 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWindowControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWindowControl.cc @@ -671,33 +671,33 @@ class QVideoWindowControl_Adaptor : public QVideoWindowControl, public qt_gsi::Q } } - // [adaptor impl] bool QVideoWindowControl::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QVideoWindowControl::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QVideoWindowControl::event(arg1); + return QVideoWindowControl::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QVideoWindowControl_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QVideoWindowControl_Adaptor::cbs_event_1217_0, _event); } else { - return QVideoWindowControl::event(arg1); + return QVideoWindowControl::event(_event); } } - // [adaptor impl] bool QVideoWindowControl::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QVideoWindowControl::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QVideoWindowControl::eventFilter(arg1, arg2); + return QVideoWindowControl::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QVideoWindowControl_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QVideoWindowControl_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QVideoWindowControl::eventFilter(arg1, arg2); + return QVideoWindowControl::eventFilter(watched, event); } } @@ -919,33 +919,33 @@ class QVideoWindowControl_Adaptor : public QVideoWindowControl, public qt_gsi::Q } } - // [adaptor impl] void QVideoWindowControl::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QVideoWindowControl::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QVideoWindowControl::childEvent(arg1); + QVideoWindowControl::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QVideoWindowControl_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QVideoWindowControl_Adaptor::cbs_childEvent_1701_0, event); } else { - QVideoWindowControl::childEvent(arg1); + QVideoWindowControl::childEvent(event); } } - // [adaptor impl] void QVideoWindowControl::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QVideoWindowControl::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QVideoWindowControl::customEvent(arg1); + QVideoWindowControl::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QVideoWindowControl_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QVideoWindowControl_Adaptor::cbs_customEvent_1217_0, event); } else { - QVideoWindowControl::customEvent(arg1); + QVideoWindowControl::customEvent(event); } } @@ -964,18 +964,18 @@ class QVideoWindowControl_Adaptor : public QVideoWindowControl, public qt_gsi::Q } } - // [adaptor impl] void QVideoWindowControl::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QVideoWindowControl::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QVideoWindowControl::timerEvent(arg1); + QVideoWindowControl::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QVideoWindowControl_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QVideoWindowControl_Adaptor::cbs_timerEvent_1730_0, event); } else { - QVideoWindowControl::timerEvent(arg1); + QVideoWindowControl::timerEvent(event); } } @@ -1059,11 +1059,11 @@ static void _set_callback_cbs_brightness_c0_0 (void *cls, const gsi::Callback &c } -// void QVideoWindowControl::childEvent(QChildEvent *) +// void QVideoWindowControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1102,11 +1102,11 @@ static void _set_callback_cbs_contrast_c0_0 (void *cls, const gsi::Callback &cb) } -// void QVideoWindowControl::customEvent(QEvent *) +// void QVideoWindowControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1169,11 +1169,11 @@ static void _set_callback_cbs_displayRect_c0_0 (void *cls, const gsi::Callback & } -// bool QVideoWindowControl::event(QEvent *) +// bool QVideoWindowControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1192,13 +1192,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QVideoWindowControl::eventFilter(QObject *, QEvent *) +// bool QVideoWindowControl::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1570,11 +1570,11 @@ static void _set_callback_cbs_setWinId_696_0 (void *cls, const gsi::Callback &cb } -// void QVideoWindowControl::timerEvent(QTimerEvent *) +// void QVideoWindowControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1625,19 +1625,19 @@ static gsi::Methods methods_QVideoWindowControl_Adaptor () { methods += new qt_gsi::GenericMethod ("aspectRatioMode", "@hide", true, &_init_cbs_aspectRatioMode_c0_0, &_call_cbs_aspectRatioMode_c0_0, &_set_callback_cbs_aspectRatioMode_c0_0); methods += new qt_gsi::GenericMethod ("brightness", "@brief Virtual method int QVideoWindowControl::brightness()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_brightness_c0_0, &_call_cbs_brightness_c0_0); methods += new qt_gsi::GenericMethod ("brightness", "@hide", true, &_init_cbs_brightness_c0_0, &_call_cbs_brightness_c0_0, &_set_callback_cbs_brightness_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QVideoWindowControl::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QVideoWindowControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("contrast", "@brief Virtual method int QVideoWindowControl::contrast()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_contrast_c0_0, &_call_cbs_contrast_c0_0); methods += new qt_gsi::GenericMethod ("contrast", "@hide", true, &_init_cbs_contrast_c0_0, &_call_cbs_contrast_c0_0, &_set_callback_cbs_contrast_c0_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVideoWindowControl::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVideoWindowControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QVideoWindowControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("displayRect", "@brief Virtual method QRect QVideoWindowControl::displayRect()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_displayRect_c0_0, &_call_cbs_displayRect_c0_0); methods += new qt_gsi::GenericMethod ("displayRect", "@hide", true, &_init_cbs_displayRect_c0_0, &_call_cbs_displayRect_c0_0, &_set_callback_cbs_displayRect_c0_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QVideoWindowControl::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QVideoWindowControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVideoWindowControl::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVideoWindowControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("hue", "@brief Virtual method int QVideoWindowControl::hue()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hue_c0_0, &_call_cbs_hue_c0_0); methods += new qt_gsi::GenericMethod ("hue", "@hide", true, &_init_cbs_hue_c0_0, &_call_cbs_hue_c0_0, &_set_callback_cbs_hue_c0_0); @@ -1669,7 +1669,7 @@ static gsi::Methods methods_QVideoWindowControl_Adaptor () { methods += new qt_gsi::GenericMethod ("setSaturation", "@hide", false, &_init_cbs_setSaturation_767_0, &_call_cbs_setSaturation_767_0, &_set_callback_cbs_setSaturation_767_0); methods += new qt_gsi::GenericMethod ("setWinId", "@brief Virtual method void QVideoWindowControl::setWinId(WId id)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setWinId_696_0, &_call_cbs_setWinId_696_0); methods += new qt_gsi::GenericMethod ("setWinId", "@hide", false, &_init_cbs_setWinId_696_0, &_call_cbs_setWinId_696_0, &_set_callback_cbs_setWinId_696_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QVideoWindowControl::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QVideoWindowControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("winId", "@brief Virtual method WId QVideoWindowControl::winId()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_winId_c0_0, &_call_cbs_winId_c0_0); methods += new qt_gsi::GenericMethod ("winId", "@hide", true, &_init_cbs_winId_c0_0, &_call_cbs_winId_c0_0, &_set_callback_cbs_winId_c0_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiQtExternals.h b/src/gsiqt/qt5/QtMultimedia/gsiQtExternals.h index 8ecf5def80..5f53266472 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiQtExternals.h +++ b/src/gsiqt/qt5/QtMultimedia/gsiQtExternals.h @@ -109,6 +109,10 @@ class QAudioRecorder; namespace gsi { GSI_QTMULTIMEDIA_PUBLIC gsi::Class &qtdecl_QAudioRecorder (); } +class QAudioRoleControl; + +namespace gsi { GSI_QTMULTIMEDIA_PUBLIC gsi::Class &qtdecl_QAudioRoleControl (); } + struct QAudioSystemFactoryInterface; namespace gsi { GSI_QTMULTIMEDIA_PUBLIC gsi::Class &qtdecl_QAudioSystemFactoryInterface (); } @@ -205,6 +209,10 @@ class QCameraZoomControl; namespace gsi { GSI_QTMULTIMEDIA_PUBLIC gsi::Class &qtdecl_QCameraZoomControl (); } +class QCustomAudioRoleControl; + +namespace gsi { GSI_QTMULTIMEDIA_PUBLIC gsi::Class &qtdecl_QCustomAudioRoleControl (); } + class QGraphicsVideoItem; namespace gsi { GSI_QTMULTIMEDIA_PUBLIC gsi::Class &qtdecl_QGraphicsVideoItem (); } diff --git a/src/gsiqt/qt5/QtNetwork/QtNetwork.pri b/src/gsiqt/qt5/QtNetwork/QtNetwork.pri index d3eb4be047..e36ebef91f 100644 --- a/src/gsiqt/qt5/QtNetwork/QtNetwork.pri +++ b/src/gsiqt/qt5/QtNetwork/QtNetwork.pri @@ -16,8 +16,13 @@ SOURCES += \ $$PWD/gsiDeclQDnsMailExchangeRecord.cc \ $$PWD/gsiDeclQDnsServiceRecord.cc \ $$PWD/gsiDeclQDnsTextRecord.cc \ + $$PWD/gsiDeclQDtls.cc \ + $$PWD/gsiDeclQDtlsClientVerifier.cc \ + $$PWD/gsiDeclQDtlsClientVerifier_GeneratorParameters.cc \ + $$PWD/gsiDeclQDtlsError.cc \ $$PWD/gsiDeclQHostAddress.cc \ $$PWD/gsiDeclQHostInfo.cc \ + $$PWD/gsiDeclQHstsPolicy.cc \ $$PWD/gsiDeclQHttpMultiPart.cc \ $$PWD/gsiDeclQHttpPart.cc \ $$PWD/gsiDeclQIPv6Address.cc \ @@ -30,6 +35,7 @@ SOURCES += \ $$PWD/gsiDeclQNetworkConfigurationManager.cc \ $$PWD/gsiDeclQNetworkCookie.cc \ $$PWD/gsiDeclQNetworkCookieJar.cc \ + $$PWD/gsiDeclQNetworkDatagram.cc \ $$PWD/gsiDeclQNetworkDiskCache.cc \ $$PWD/gsiDeclQNetworkInterface.cc \ $$PWD/gsiDeclQNetworkProxy.cc \ @@ -38,11 +44,13 @@ SOURCES += \ $$PWD/gsiDeclQNetworkReply.cc \ $$PWD/gsiDeclQNetworkRequest.cc \ $$PWD/gsiDeclQNetworkSession.cc \ + $$PWD/gsiDeclQPasswordDigestor.cc \ $$PWD/gsiDeclQSsl.cc \ $$PWD/gsiDeclQSslCertificate.cc \ $$PWD/gsiDeclQSslCertificateExtension.cc \ $$PWD/gsiDeclQSslCipher.cc \ $$PWD/gsiDeclQSslConfiguration.cc \ + $$PWD/gsiDeclQSslDiffieHellmanParameters.cc \ $$PWD/gsiDeclQSslEllipticCurve.cc \ $$PWD/gsiDeclQSslError.cc \ $$PWD/gsiDeclQSslKey.cc \ diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQAbstractNetworkCache.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQAbstractNetworkCache.cc index e2e46e23be..1554de1b0e 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQAbstractNetworkCache.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQAbstractNetworkCache.cc @@ -370,33 +370,33 @@ class QAbstractNetworkCache_Adaptor : public QAbstractNetworkCache, public qt_gs emit QAbstractNetworkCache::destroyed(arg1); } - // [adaptor impl] bool QAbstractNetworkCache::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAbstractNetworkCache::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAbstractNetworkCache::event(arg1); + return QAbstractNetworkCache::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAbstractNetworkCache_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAbstractNetworkCache_Adaptor::cbs_event_1217_0, _event); } else { - return QAbstractNetworkCache::event(arg1); + return QAbstractNetworkCache::event(_event); } } - // [adaptor impl] bool QAbstractNetworkCache::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractNetworkCache::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractNetworkCache::eventFilter(arg1, arg2); + return QAbstractNetworkCache::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractNetworkCache_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractNetworkCache_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractNetworkCache::eventFilter(arg1, arg2); + return QAbstractNetworkCache::eventFilter(watched, event); } } @@ -487,33 +487,33 @@ class QAbstractNetworkCache_Adaptor : public QAbstractNetworkCache, public qt_gs } } - // [adaptor impl] void QAbstractNetworkCache::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractNetworkCache::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractNetworkCache::childEvent(arg1); + QAbstractNetworkCache::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractNetworkCache_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractNetworkCache_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractNetworkCache::childEvent(arg1); + QAbstractNetworkCache::childEvent(event); } } - // [adaptor impl] void QAbstractNetworkCache::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractNetworkCache::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractNetworkCache::customEvent(arg1); + QAbstractNetworkCache::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractNetworkCache_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractNetworkCache_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractNetworkCache::customEvent(arg1); + QAbstractNetworkCache::customEvent(event); } } @@ -532,18 +532,18 @@ class QAbstractNetworkCache_Adaptor : public QAbstractNetworkCache, public qt_gs } } - // [adaptor impl] void QAbstractNetworkCache::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAbstractNetworkCache::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAbstractNetworkCache::timerEvent(arg1); + QAbstractNetworkCache::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAbstractNetworkCache_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAbstractNetworkCache_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAbstractNetworkCache::timerEvent(arg1); + QAbstractNetworkCache::timerEvent(event); } } @@ -598,11 +598,11 @@ static void _set_callback_cbs_cacheSize_c0_0 (void *cls, const gsi::Callback &cb } -// void QAbstractNetworkCache::childEvent(QChildEvent *) +// void QAbstractNetworkCache::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -642,11 +642,11 @@ static void _set_callback_cbs_clear_0_0 (void *cls, const gsi::Callback &cb) } -// void QAbstractNetworkCache::customEvent(QEvent *) +// void QAbstractNetworkCache::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -693,7 +693,7 @@ static void _set_callback_cbs_data_1701_0 (void *cls, const gsi::Callback &cb) static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -702,7 +702,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QAbstractNetworkCache_Adaptor *)cls)->emitter_QAbstractNetworkCache_destroyed_1302 (arg1); } @@ -731,11 +731,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QAbstractNetworkCache::event(QEvent *) +// bool QAbstractNetworkCache::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -754,13 +754,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractNetworkCache::eventFilter(QObject *, QEvent *) +// bool QAbstractNetworkCache::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -955,11 +955,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QAbstractNetworkCache::timerEvent(QTimerEvent *) +// void QAbstractNetworkCache::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1013,20 +1013,20 @@ static gsi::Methods methods_QAbstractNetworkCache_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractNetworkCache::QAbstractNetworkCache()\nThis method creates an object of class QAbstractNetworkCache.", &_init_ctor_QAbstractNetworkCache_Adaptor_0, &_call_ctor_QAbstractNetworkCache_Adaptor_0); methods += new qt_gsi::GenericMethod ("cacheSize", "@brief Virtual method qint64 QAbstractNetworkCache::cacheSize()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_cacheSize_c0_0, &_call_cbs_cacheSize_c0_0); methods += new qt_gsi::GenericMethod ("cacheSize", "@hide", true, &_init_cbs_cacheSize_c0_0, &_call_cbs_cacheSize_c0_0, &_set_callback_cbs_cacheSize_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractNetworkCache::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractNetworkCache::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("clear", "@brief Virtual method void QAbstractNetworkCache::clear()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0); methods += new qt_gsi::GenericMethod ("clear", "@hide", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0, &_set_callback_cbs_clear_0_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractNetworkCache::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractNetworkCache::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("data", "@brief Virtual method QIODevice *QAbstractNetworkCache::data(const QUrl &url)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_data_1701_0, &_call_cbs_data_1701_0); methods += new qt_gsi::GenericMethod ("data", "@hide", false, &_init_cbs_data_1701_0, &_call_cbs_data_1701_0, &_set_callback_cbs_data_1701_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractNetworkCache::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractNetworkCache::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractNetworkCache::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractNetworkCache::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractNetworkCache::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractNetworkCache::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("insert", "@brief Virtual method void QAbstractNetworkCache::insert(QIODevice *device)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_insert_1447_0, &_call_cbs_insert_1447_0); methods += new qt_gsi::GenericMethod ("insert", "@hide", false, &_init_cbs_insert_1447_0, &_call_cbs_insert_1447_0, &_set_callback_cbs_insert_1447_0); @@ -1041,7 +1041,7 @@ static gsi::Methods methods_QAbstractNetworkCache_Adaptor () { methods += new qt_gsi::GenericMethod ("remove", "@hide", false, &_init_cbs_remove_1701_0, &_call_cbs_remove_1701_0, &_set_callback_cbs_remove_1701_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAbstractNetworkCache::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAbstractNetworkCache::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractNetworkCache::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractNetworkCache::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("updateMetaData", "@brief Virtual method void QAbstractNetworkCache::updateMetaData(const QNetworkCacheMetaData &metaData)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_updateMetaData_3377_0, &_call_cbs_updateMetaData_3377_0); methods += new qt_gsi::GenericMethod ("updateMetaData", "@hide", false, &_init_cbs_updateMetaData_3377_0, &_call_cbs_updateMetaData_3377_0, &_set_callback_cbs_updateMetaData_3377_0); diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQAbstractSocket.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQAbstractSocket.cc index 20b7a09430..9882b009c9 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQAbstractSocket.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQAbstractSocket.cc @@ -828,6 +828,8 @@ static gsi::Methods methods_QAbstractSocket () { methods += new qt_gsi::GenericMethod ("waitForReadyRead", "@brief Method bool QAbstractSocket::waitForReadyRead(int msecs)\nThis is a reimplementation of QIODevice::waitForReadyRead", false, &_init_f_waitForReadyRead_767, &_call_f_waitForReadyRead_767); methods += gsi::qt_signal ("aboutToClose()", "aboutToClose", "@brief Signal declaration for QAbstractSocket::aboutToClose()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("bytesWritten(qint64)", "bytesWritten", gsi::arg("bytes"), "@brief Signal declaration for QAbstractSocket::bytesWritten(qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelBytesWritten(int, qint64)", "channelBytesWritten", gsi::arg("channel"), gsi::arg("bytes"), "@brief Signal declaration for QAbstractSocket::channelBytesWritten(int channel, qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelReadyRead(int)", "channelReadyRead", gsi::arg("channel"), "@brief Signal declaration for QAbstractSocket::channelReadyRead(int channel)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("connected()", "connected", "@brief Signal declaration for QAbstractSocket::connected()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAbstractSocket::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("disconnected()", "disconnected", "@brief Signal declaration for QAbstractSocket::disconnected()\nYou can bind a procedure to this signal."); @@ -972,7 +974,8 @@ static gsi::Enum decl_QAbstractSocket_SocketOptio gsi::enum_const ("MulticastLoopbackOption", QAbstractSocket::MulticastLoopbackOption, "@brief Enum constant QAbstractSocket::MulticastLoopbackOption") + gsi::enum_const ("TypeOfServiceOption", QAbstractSocket::TypeOfServiceOption, "@brief Enum constant QAbstractSocket::TypeOfServiceOption") + gsi::enum_const ("SendBufferSizeSocketOption", QAbstractSocket::SendBufferSizeSocketOption, "@brief Enum constant QAbstractSocket::SendBufferSizeSocketOption") + - gsi::enum_const ("ReceiveBufferSizeSocketOption", QAbstractSocket::ReceiveBufferSizeSocketOption, "@brief Enum constant QAbstractSocket::ReceiveBufferSizeSocketOption"), + gsi::enum_const ("ReceiveBufferSizeSocketOption", QAbstractSocket::ReceiveBufferSizeSocketOption, "@brief Enum constant QAbstractSocket::ReceiveBufferSizeSocketOption") + + gsi::enum_const ("PathMtuSocketOption", QAbstractSocket::PathMtuSocketOption, "@brief Enum constant QAbstractSocket::PathMtuSocketOption"), "@qt\n@brief This class represents the QAbstractSocket::SocketOption enum"); static gsi::QFlagsClass decl_QAbstractSocket_SocketOption_Enums ("QtNetwork", "QAbstractSocket_QFlags_SocketOption", @@ -1018,6 +1021,7 @@ namespace qt_gsi static gsi::Enum decl_QAbstractSocket_SocketType_Enum ("QtNetwork", "QAbstractSocket_SocketType", gsi::enum_const ("TcpSocket", QAbstractSocket::TcpSocket, "@brief Enum constant QAbstractSocket::TcpSocket") + gsi::enum_const ("UdpSocket", QAbstractSocket::UdpSocket, "@brief Enum constant QAbstractSocket::UdpSocket") + + gsi::enum_const ("SctpSocket", QAbstractSocket::SctpSocket, "@brief Enum constant QAbstractSocket::SctpSocket") + gsi::enum_const ("UnknownSocketType", QAbstractSocket::UnknownSocketType, "@brief Enum constant QAbstractSocket::UnknownSocketType"), "@qt\n@brief This class represents the QAbstractSocket::SocketType enum"); diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsLookup.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsLookup.cc index eb22f8fc35..aaecb15b31 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsLookup.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsLookup.cc @@ -511,33 +511,33 @@ class QDnsLookup_Adaptor : public QDnsLookup, public qt_gsi::QtObjectBase emit QDnsLookup::destroyed(arg1); } - // [adaptor impl] bool QDnsLookup::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QDnsLookup::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QDnsLookup::event(arg1); + return QDnsLookup::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QDnsLookup_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QDnsLookup_Adaptor::cbs_event_1217_0, _event); } else { - return QDnsLookup::event(arg1); + return QDnsLookup::event(_event); } } - // [adaptor impl] bool QDnsLookup::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QDnsLookup::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QDnsLookup::eventFilter(arg1, arg2); + return QDnsLookup::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QDnsLookup_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QDnsLookup_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QDnsLookup::eventFilter(arg1, arg2); + return QDnsLookup::eventFilter(watched, event); } } @@ -572,33 +572,33 @@ class QDnsLookup_Adaptor : public QDnsLookup, public qt_gsi::QtObjectBase emit QDnsLookup::typeChanged(type); } - // [adaptor impl] void QDnsLookup::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QDnsLookup::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QDnsLookup::childEvent(arg1); + QDnsLookup::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QDnsLookup_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QDnsLookup_Adaptor::cbs_childEvent_1701_0, event); } else { - QDnsLookup::childEvent(arg1); + QDnsLookup::childEvent(event); } } - // [adaptor impl] void QDnsLookup::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDnsLookup::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QDnsLookup::customEvent(arg1); + QDnsLookup::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QDnsLookup_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QDnsLookup_Adaptor::cbs_customEvent_1217_0, event); } else { - QDnsLookup::customEvent(arg1); + QDnsLookup::customEvent(event); } } @@ -617,18 +617,18 @@ class QDnsLookup_Adaptor : public QDnsLookup, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDnsLookup::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QDnsLookup::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QDnsLookup::timerEvent(arg1); + QDnsLookup::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QDnsLookup_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QDnsLookup_Adaptor::cbs_timerEvent_1730_0, event); } else { - QDnsLookup::timerEvent(arg1); + QDnsLookup::timerEvent(event); } } @@ -646,7 +646,7 @@ QDnsLookup_Adaptor::~QDnsLookup_Adaptor() { } static void _init_ctor_QDnsLookup_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -655,7 +655,7 @@ static void _call_ctor_QDnsLookup_Adaptor_1302 (const qt_gsi::GenericStaticMetho { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QDnsLookup_Adaptor (arg1)); } @@ -668,7 +668,7 @@ static void _init_ctor_QDnsLookup_Adaptor_5089 (qt_gsi::GenericStaticMethod *dec decl->add_arg::target_type & > (argspec_0); static gsi::ArgSpecBase argspec_1 ("name"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_2 ("parent", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -679,7 +679,7 @@ static void _call_ctor_QDnsLookup_Adaptor_5089 (const qt_gsi::GenericStaticMetho tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); const QString &arg2 = gsi::arg_reader() (args, heap); - QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QDnsLookup_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3)); } @@ -694,7 +694,7 @@ static void _init_ctor_QDnsLookup_Adaptor_7499 (qt_gsi::GenericStaticMethod *dec decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("nameserver"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_3 ("parent", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return_new (); } @@ -706,16 +706,16 @@ static void _call_ctor_QDnsLookup_Adaptor_7499 (const qt_gsi::GenericStaticMetho const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); const QString &arg2 = gsi::arg_reader() (args, heap); const QHostAddress &arg3 = gsi::arg_reader() (args, heap); - QObject *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QDnsLookup_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4)); } -// void QDnsLookup::childEvent(QChildEvent *) +// void QDnsLookup::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -735,11 +735,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QDnsLookup::customEvent(QEvent *) +// void QDnsLookup::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -763,7 +763,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -772,7 +772,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QDnsLookup_Adaptor *)cls)->emitter_QDnsLookup_destroyed_1302 (arg1); } @@ -801,11 +801,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QDnsLookup::event(QEvent *) +// bool QDnsLookup::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -824,13 +824,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QDnsLookup::eventFilter(QObject *, QEvent *) +// bool QDnsLookup::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -982,11 +982,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QDnsLookup::timerEvent(QTimerEvent *) +// void QDnsLookup::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1034,16 +1034,16 @@ static gsi::Methods methods_QDnsLookup_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDnsLookup::QDnsLookup(QObject *parent)\nThis method creates an object of class QDnsLookup.", &_init_ctor_QDnsLookup_Adaptor_1302, &_call_ctor_QDnsLookup_Adaptor_1302); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDnsLookup::QDnsLookup(QDnsLookup::Type type, const QString &name, QObject *parent)\nThis method creates an object of class QDnsLookup.", &_init_ctor_QDnsLookup_Adaptor_5089, &_call_ctor_QDnsLookup_Adaptor_5089); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDnsLookup::QDnsLookup(QDnsLookup::Type type, const QString &name, const QHostAddress &nameserver, QObject *parent)\nThis method creates an object of class QDnsLookup.", &_init_ctor_QDnsLookup_Adaptor_7499, &_call_ctor_QDnsLookup_Adaptor_7499); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDnsLookup::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDnsLookup::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDnsLookup::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDnsLookup::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDnsLookup::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDnsLookup::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QDnsLookup::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QDnsLookup::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDnsLookup::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDnsLookup::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QDnsLookup::finished()\nCall this method to emit this signal.", false, &_init_emitter_finished_0, &_call_emitter_finished_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QDnsLookup::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); @@ -1053,7 +1053,7 @@ static gsi::Methods methods_QDnsLookup_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QDnsLookup::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QDnsLookup::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QDnsLookup::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDnsLookup::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDnsLookup::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_typeChanged", "@brief Emitter for signal void QDnsLookup::typeChanged(QDnsLookup::Type type)\nCall this method to emit this signal.", false, &_init_emitter_typeChanged_1978, &_call_emitter_typeChanged_1978); return methods; diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQDtls.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQDtls.cc new file mode 100644 index 0000000000..0a06a2b793 --- /dev/null +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQDtls.cc @@ -0,0 +1,1096 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +/** +* @file gsiDeclQDtls.cc +* +* DO NOT EDIT THIS FILE. +* This file has been created automatically +*/ + +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include "gsiQt.h" +#include "gsiQtNetworkCommon.h" +#include + +// ----------------------------------------------------------------------- +// class QDtls + +// get static meta object + +static void _init_smo (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, gsi::SerialArgs &ret) +{ + ret.write (QDtls::staticMetaObject); +} + + +// bool QDtls::abortHandshake(QUdpSocket *socket) + + +static void _init_f_abortHandshake_1617 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("socket"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_abortHandshake_1617 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QUdpSocket *arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QDtls *)cls)->abortHandshake (arg1)); +} + + +// QDtls::GeneratorParameters QDtls::cookieGeneratorParameters() + + +static void _init_f_cookieGeneratorParameters_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_cookieGeneratorParameters_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QDtls::GeneratorParameters)((QDtls *)cls)->cookieGeneratorParameters ()); +} + + +// QByteArray QDtls::decryptDatagram(QUdpSocket *socket, const QByteArray &dgram) + + +static void _init_f_decryptDatagram_3818 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("socket"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("dgram"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_decryptDatagram_3818 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QUdpSocket *arg1 = gsi::arg_reader() (args, heap); + const QByteArray &arg2 = gsi::arg_reader() (args, heap); + ret.write ((QByteArray)((QDtls *)cls)->decryptDatagram (arg1, arg2)); +} + + +// bool QDtls::doHandshake(QUdpSocket *socket, const QByteArray &dgram) + + +static void _init_f_doHandshake_3818 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("socket"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("dgram", true, "{}"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_doHandshake_3818 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QUdpSocket *arg1 = gsi::arg_reader() (args, heap); + const QByteArray &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() ({}, heap); + ret.write ((bool)((QDtls *)cls)->doHandshake (arg1, arg2)); +} + + +// QSslConfiguration QDtls::dtlsConfiguration() + + +static void _init_f_dtlsConfiguration_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_dtlsConfiguration_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QSslConfiguration)((QDtls *)cls)->dtlsConfiguration ()); +} + + +// QDtlsError QDtls::dtlsError() + + +static void _init_f_dtlsError_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_dtlsError_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QDtls *)cls)->dtlsError ())); +} + + +// QString QDtls::dtlsErrorString() + + +static void _init_f_dtlsErrorString_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_dtlsErrorString_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)((QDtls *)cls)->dtlsErrorString ()); +} + + +// bool QDtls::handleTimeout(QUdpSocket *socket) + + +static void _init_f_handleTimeout_1617 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("socket"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_handleTimeout_1617 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QUdpSocket *arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QDtls *)cls)->handleTimeout (arg1)); +} + + +// QDtls::HandshakeState QDtls::handshakeState() + + +static void _init_f_handshakeState_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_handshakeState_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QDtls *)cls)->handshakeState ())); +} + + +// void QDtls::handshakeTimeout() + + +static void _init_f_handshakeTimeout_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_handshakeTimeout_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDtls *)cls)->handshakeTimeout (); +} + + +// void QDtls::ignoreVerificationErrors(const QVector &errorsToIgnore) + + +static void _init_f_ignoreVerificationErrors_3052 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("errorsToIgnore"); + decl->add_arg & > (argspec_0); + decl->set_return (); +} + +static void _call_f_ignoreVerificationErrors_3052 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QVector &arg1 = gsi::arg_reader & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDtls *)cls)->ignoreVerificationErrors (arg1); +} + + +// bool QDtls::isConnectionEncrypted() + + +static void _init_f_isConnectionEncrypted_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isConnectionEncrypted_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QDtls *)cls)->isConnectionEncrypted ()); +} + + +// quint16 QDtls::mtuHint() + + +static void _init_f_mtuHint_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_mtuHint_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((quint16)((QDtls *)cls)->mtuHint ()); +} + + +// QHostAddress QDtls::peerAddress() + + +static void _init_f_peerAddress_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_peerAddress_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QHostAddress)((QDtls *)cls)->peerAddress ()); +} + + +// quint16 QDtls::peerPort() + + +static void _init_f_peerPort_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_peerPort_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((quint16)((QDtls *)cls)->peerPort ()); +} + + +// QVector QDtls::peerVerificationErrors() + + +static void _init_f_peerVerificationErrors_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return > (); +} + +static void _call_f_peerVerificationErrors_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write > ((QVector)((QDtls *)cls)->peerVerificationErrors ()); +} + + +// QString QDtls::peerVerificationName() + + +static void _init_f_peerVerificationName_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_peerVerificationName_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)((QDtls *)cls)->peerVerificationName ()); +} + + +// void QDtls::pskRequired(QSslPreSharedKeyAuthenticator *authenticator) + + +static void _init_f_pskRequired_3571 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("authenticator"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_pskRequired_3571 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QSslPreSharedKeyAuthenticator *arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDtls *)cls)->pskRequired (arg1); +} + + +// bool QDtls::resumeHandshake(QUdpSocket *socket) + + +static void _init_f_resumeHandshake_1617 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("socket"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_resumeHandshake_1617 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QUdpSocket *arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QDtls *)cls)->resumeHandshake (arg1)); +} + + +// QSslCipher QDtls::sessionCipher() + + +static void _init_f_sessionCipher_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_sessionCipher_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QSslCipher)((QDtls *)cls)->sessionCipher ()); +} + + +// QSsl::SslProtocol QDtls::sessionProtocol() + + +static void _init_f_sessionProtocol_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_sessionProtocol_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QDtls *)cls)->sessionProtocol ())); +} + + +// bool QDtls::setCookieGeneratorParameters(const QDtls::GeneratorParameters ¶ms) + + +static void _init_f_setCookieGeneratorParameters_3896 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("params"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setCookieGeneratorParameters_3896 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QDtls::GeneratorParameters &arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QDtls *)cls)->setCookieGeneratorParameters (arg1)); +} + + +// bool QDtls::setDtlsConfiguration(const QSslConfiguration &configuration) + + +static void _init_f_setDtlsConfiguration_3068 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("configuration"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setDtlsConfiguration_3068 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QSslConfiguration &arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QDtls *)cls)->setDtlsConfiguration (arg1)); +} + + +// void QDtls::setMtuHint(quint16 mtuHint) + + +static void _init_f_setMtuHint_1100 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("mtuHint"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setMtuHint_1100 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + quint16 arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDtls *)cls)->setMtuHint (arg1); +} + + +// bool QDtls::setPeer(const QHostAddress &address, quint16 port, const QString &verificationName) + + +static void _init_f_setPeer_5427 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("address"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("port"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("verificationName", true, "{}"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_f_setPeer_5427 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QHostAddress &arg1 = gsi::arg_reader() (args, heap); + quint16 arg2 = gsi::arg_reader() (args, heap); + const QString &arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() ({}, heap); + ret.write ((bool)((QDtls *)cls)->setPeer (arg1, arg2, arg3)); +} + + +// bool QDtls::setPeerVerificationName(const QString &name) + + +static void _init_f_setPeerVerificationName_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("name"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setPeerVerificationName_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QDtls *)cls)->setPeerVerificationName (arg1)); +} + + +// bool QDtls::shutdown(QUdpSocket *socket) + + +static void _init_f_shutdown_1617 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("socket"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_shutdown_1617 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QUdpSocket *arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QDtls *)cls)->shutdown (arg1)); +} + + +// QSslSocket::SslMode QDtls::sslMode() + + +static void _init_f_sslMode_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_sslMode_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QDtls *)cls)->sslMode ())); +} + + +// qint64 QDtls::writeDatagramEncrypted(QUdpSocket *socket, const QByteArray &dgram) + + +static void _init_f_writeDatagramEncrypted_3818 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("socket"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("dgram"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_writeDatagramEncrypted_3818 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QUdpSocket *arg1 = gsi::arg_reader() (args, heap); + const QByteArray &arg2 = gsi::arg_reader() (args, heap); + ret.write ((qint64)((QDtls *)cls)->writeDatagramEncrypted (arg1, arg2)); +} + + +// static QString QDtls::tr(const char *s, const char *c, int n) + + +static void _init_f_tr_4013 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("s"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("c", true, "nullptr"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("n", true, "-1"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_f_tr_4013 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const char *arg1 = gsi::arg_reader() (args, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); + ret.write ((QString)QDtls::tr (arg1, arg2, arg3)); +} + + +// static QString QDtls::trUtf8(const char *s, const char *c, int n) + + +static void _init_f_trUtf8_4013 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("s"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("c", true, "nullptr"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("n", true, "-1"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_f_trUtf8_4013 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const char *arg1 = gsi::arg_reader() (args, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); + ret.write ((QString)QDtls::trUtf8 (arg1, arg2, arg3)); +} + + +namespace gsi +{ + +static gsi::Methods methods_QDtls () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); + methods += new qt_gsi::GenericMethod ("abortHandshake", "@brief Method bool QDtls::abortHandshake(QUdpSocket *socket)\n", false, &_init_f_abortHandshake_1617, &_call_f_abortHandshake_1617); + methods += new qt_gsi::GenericMethod ("cookieGeneratorParameters", "@brief Method QDtls::GeneratorParameters QDtls::cookieGeneratorParameters()\n", true, &_init_f_cookieGeneratorParameters_c0, &_call_f_cookieGeneratorParameters_c0); + methods += new qt_gsi::GenericMethod ("decryptDatagram", "@brief Method QByteArray QDtls::decryptDatagram(QUdpSocket *socket, const QByteArray &dgram)\n", false, &_init_f_decryptDatagram_3818, &_call_f_decryptDatagram_3818); + methods += new qt_gsi::GenericMethod ("doHandshake", "@brief Method bool QDtls::doHandshake(QUdpSocket *socket, const QByteArray &dgram)\n", false, &_init_f_doHandshake_3818, &_call_f_doHandshake_3818); + methods += new qt_gsi::GenericMethod ("dtlsConfiguration", "@brief Method QSslConfiguration QDtls::dtlsConfiguration()\n", true, &_init_f_dtlsConfiguration_c0, &_call_f_dtlsConfiguration_c0); + methods += new qt_gsi::GenericMethod ("dtlsError", "@brief Method QDtlsError QDtls::dtlsError()\n", true, &_init_f_dtlsError_c0, &_call_f_dtlsError_c0); + methods += new qt_gsi::GenericMethod ("dtlsErrorString", "@brief Method QString QDtls::dtlsErrorString()\n", true, &_init_f_dtlsErrorString_c0, &_call_f_dtlsErrorString_c0); + methods += new qt_gsi::GenericMethod ("handleTimeout", "@brief Method bool QDtls::handleTimeout(QUdpSocket *socket)\n", false, &_init_f_handleTimeout_1617, &_call_f_handleTimeout_1617); + methods += new qt_gsi::GenericMethod ("handshakeState", "@brief Method QDtls::HandshakeState QDtls::handshakeState()\n", true, &_init_f_handshakeState_c0, &_call_f_handshakeState_c0); + methods += new qt_gsi::GenericMethod ("handshakeTimeout", "@brief Method void QDtls::handshakeTimeout()\n", false, &_init_f_handshakeTimeout_0, &_call_f_handshakeTimeout_0); + methods += new qt_gsi::GenericMethod ("ignoreVerificationErrors", "@brief Method void QDtls::ignoreVerificationErrors(const QVector &errorsToIgnore)\n", false, &_init_f_ignoreVerificationErrors_3052, &_call_f_ignoreVerificationErrors_3052); + methods += new qt_gsi::GenericMethod ("isConnectionEncrypted?", "@brief Method bool QDtls::isConnectionEncrypted()\n", true, &_init_f_isConnectionEncrypted_c0, &_call_f_isConnectionEncrypted_c0); + methods += new qt_gsi::GenericMethod ("mtuHint", "@brief Method quint16 QDtls::mtuHint()\n", true, &_init_f_mtuHint_c0, &_call_f_mtuHint_c0); + methods += new qt_gsi::GenericMethod ("peerAddress", "@brief Method QHostAddress QDtls::peerAddress()\n", true, &_init_f_peerAddress_c0, &_call_f_peerAddress_c0); + methods += new qt_gsi::GenericMethod ("peerPort", "@brief Method quint16 QDtls::peerPort()\n", true, &_init_f_peerPort_c0, &_call_f_peerPort_c0); + methods += new qt_gsi::GenericMethod ("peerVerificationErrors", "@brief Method QVector QDtls::peerVerificationErrors()\n", true, &_init_f_peerVerificationErrors_c0, &_call_f_peerVerificationErrors_c0); + methods += new qt_gsi::GenericMethod ("peerVerificationName", "@brief Method QString QDtls::peerVerificationName()\n", true, &_init_f_peerVerificationName_c0, &_call_f_peerVerificationName_c0); + methods += new qt_gsi::GenericMethod ("pskRequired", "@brief Method void QDtls::pskRequired(QSslPreSharedKeyAuthenticator *authenticator)\n", false, &_init_f_pskRequired_3571, &_call_f_pskRequired_3571); + methods += new qt_gsi::GenericMethod ("resumeHandshake", "@brief Method bool QDtls::resumeHandshake(QUdpSocket *socket)\n", false, &_init_f_resumeHandshake_1617, &_call_f_resumeHandshake_1617); + methods += new qt_gsi::GenericMethod ("sessionCipher", "@brief Method QSslCipher QDtls::sessionCipher()\n", true, &_init_f_sessionCipher_c0, &_call_f_sessionCipher_c0); + methods += new qt_gsi::GenericMethod ("sessionProtocol", "@brief Method QSsl::SslProtocol QDtls::sessionProtocol()\n", true, &_init_f_sessionProtocol_c0, &_call_f_sessionProtocol_c0); + methods += new qt_gsi::GenericMethod ("setCookieGeneratorParameters", "@brief Method bool QDtls::setCookieGeneratorParameters(const QDtls::GeneratorParameters ¶ms)\n", false, &_init_f_setCookieGeneratorParameters_3896, &_call_f_setCookieGeneratorParameters_3896); + methods += new qt_gsi::GenericMethod ("setDtlsConfiguration", "@brief Method bool QDtls::setDtlsConfiguration(const QSslConfiguration &configuration)\n", false, &_init_f_setDtlsConfiguration_3068, &_call_f_setDtlsConfiguration_3068); + methods += new qt_gsi::GenericMethod ("setMtuHint", "@brief Method void QDtls::setMtuHint(quint16 mtuHint)\n", false, &_init_f_setMtuHint_1100, &_call_f_setMtuHint_1100); + methods += new qt_gsi::GenericMethod ("setPeer", "@brief Method bool QDtls::setPeer(const QHostAddress &address, quint16 port, const QString &verificationName)\n", false, &_init_f_setPeer_5427, &_call_f_setPeer_5427); + methods += new qt_gsi::GenericMethod ("setPeerVerificationName", "@brief Method bool QDtls::setPeerVerificationName(const QString &name)\n", false, &_init_f_setPeerVerificationName_2025, &_call_f_setPeerVerificationName_2025); + methods += new qt_gsi::GenericMethod ("shutdown", "@brief Method bool QDtls::shutdown(QUdpSocket *socket)\n", false, &_init_f_shutdown_1617, &_call_f_shutdown_1617); + methods += new qt_gsi::GenericMethod ("sslMode", "@brief Method QSslSocket::SslMode QDtls::sslMode()\n", true, &_init_f_sslMode_c0, &_call_f_sslMode_c0); + methods += new qt_gsi::GenericMethod ("writeDatagramEncrypted", "@brief Method qint64 QDtls::writeDatagramEncrypted(QUdpSocket *socket, const QByteArray &dgram)\n", false, &_init_f_writeDatagramEncrypted_3818, &_call_f_writeDatagramEncrypted_3818); + methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QDtls::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); + methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QDtls::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); + return methods; +} + +gsi::Class &qtdecl_QObject (); + +qt_gsi::QtNativeClass decl_QDtls (qtdecl_QObject (), "QtNetwork", "QDtls_Native", + methods_QDtls (), + "@hide\n@alias QDtls"); + +GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QDtls () { return decl_QDtls; } + +} + + +class QDtls_Adaptor : public QDtls, public qt_gsi::QtObjectBase +{ +public: + + virtual ~QDtls_Adaptor(); + + // [adaptor ctor] QDtls::QDtls(QSslSocket::SslMode mode, QObject *parent) + QDtls_Adaptor(QSslSocket::SslMode mode) : QDtls(mode) + { + qt_gsi::QtObjectBase::init (this); + } + + // [adaptor ctor] QDtls::QDtls(QSslSocket::SslMode mode, QObject *parent) + QDtls_Adaptor(QSslSocket::SslMode mode, QObject *parent) : QDtls(mode, parent) + { + qt_gsi::QtObjectBase::init (this); + } + + // [expose] bool QDtls::isSignalConnected(const QMetaMethod &signal) + bool fp_QDtls_isSignalConnected_c2394 (const QMetaMethod &signal) const { + return QDtls::isSignalConnected(signal); + } + + // [expose] int QDtls::receivers(const char *signal) + int fp_QDtls_receivers_c1731 (const char *signal) const { + return QDtls::receivers(signal); + } + + // [expose] QObject *QDtls::sender() + QObject * fp_QDtls_sender_c0 () const { + return QDtls::sender(); + } + + // [expose] int QDtls::senderSignalIndex() + int fp_QDtls_senderSignalIndex_c0 () const { + return QDtls::senderSignalIndex(); + } + + // [adaptor impl] bool QDtls::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) + { + return QDtls::event(_event); + } + + virtual bool event(QEvent *_event) + { + if (cb_event_1217_0.can_issue()) { + return cb_event_1217_0.issue(&QDtls_Adaptor::cbs_event_1217_0, _event); + } else { + return QDtls::event(_event); + } + } + + // [adaptor impl] bool QDtls::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) + { + return QDtls::eventFilter(watched, event); + } + + virtual bool eventFilter(QObject *watched, QEvent *event) + { + if (cb_eventFilter_2411_0.can_issue()) { + return cb_eventFilter_2411_0.issue(&QDtls_Adaptor::cbs_eventFilter_2411_0, watched, event); + } else { + return QDtls::eventFilter(watched, event); + } + } + + // [adaptor impl] void QDtls::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) + { + QDtls::childEvent(event); + } + + virtual void childEvent(QChildEvent *event) + { + if (cb_childEvent_1701_0.can_issue()) { + cb_childEvent_1701_0.issue(&QDtls_Adaptor::cbs_childEvent_1701_0, event); + } else { + QDtls::childEvent(event); + } + } + + // [adaptor impl] void QDtls::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) + { + QDtls::customEvent(event); + } + + virtual void customEvent(QEvent *event) + { + if (cb_customEvent_1217_0.can_issue()) { + cb_customEvent_1217_0.issue(&QDtls_Adaptor::cbs_customEvent_1217_0, event); + } else { + QDtls::customEvent(event); + } + } + + // [adaptor impl] void QDtls::disconnectNotify(const QMetaMethod &signal) + void cbs_disconnectNotify_2394_0(const QMetaMethod &signal) + { + QDtls::disconnectNotify(signal); + } + + virtual void disconnectNotify(const QMetaMethod &signal) + { + if (cb_disconnectNotify_2394_0.can_issue()) { + cb_disconnectNotify_2394_0.issue(&QDtls_Adaptor::cbs_disconnectNotify_2394_0, signal); + } else { + QDtls::disconnectNotify(signal); + } + } + + // [adaptor impl] void QDtls::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) + { + QDtls::timerEvent(event); + } + + virtual void timerEvent(QTimerEvent *event) + { + if (cb_timerEvent_1730_0.can_issue()) { + cb_timerEvent_1730_0.issue(&QDtls_Adaptor::cbs_timerEvent_1730_0, event); + } else { + QDtls::timerEvent(event); + } + } + + gsi::Callback cb_event_1217_0; + gsi::Callback cb_eventFilter_2411_0; + gsi::Callback cb_childEvent_1701_0; + gsi::Callback cb_customEvent_1217_0; + gsi::Callback cb_disconnectNotify_2394_0; + gsi::Callback cb_timerEvent_1730_0; +}; + +QDtls_Adaptor::~QDtls_Adaptor() { } + +// Constructor QDtls::QDtls(QSslSocket::SslMode mode, QObject *parent) (adaptor class) + +static void _init_ctor_QDtls_Adaptor_3445 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("mode"); + decl->add_arg::target_type & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); + decl->add_arg (argspec_1); + decl->set_return_new (); +} + +static void _call_ctor_QDtls_Adaptor_3445 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ret.write (new QDtls_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2)); +} + + +// void QDtls::childEvent(QChildEvent *event) + +static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("event"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_childEvent_1701_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QChildEvent *arg1 = args.read (heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDtls_Adaptor *)cls)->cbs_childEvent_1701_0 (arg1); +} + +static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback &cb) +{ + ((QDtls_Adaptor *)cls)->cb_childEvent_1701_0 = cb; +} + + +// void QDtls::customEvent(QEvent *event) + +static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("event"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_customEvent_1217_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QEvent *arg1 = args.read (heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDtls_Adaptor *)cls)->cbs_customEvent_1217_0 (arg1); +} + +static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback &cb) +{ + ((QDtls_Adaptor *)cls)->cb_customEvent_1217_0 = cb; +} + + +// void QDtls::disconnectNotify(const QMetaMethod &signal) + +static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("signal"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_disconnectNotify_2394_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QMetaMethod &arg1 = args.read (heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDtls_Adaptor *)cls)->cbs_disconnectNotify_2394_0 (arg1); +} + +static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Callback &cb) +{ + ((QDtls_Adaptor *)cls)->cb_disconnectNotify_2394_0 = cb; +} + + +// bool QDtls::event(QEvent *event) + +static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("event"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_event_1217_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QEvent *arg1 = args.read (heap); + ret.write ((bool)((QDtls_Adaptor *)cls)->cbs_event_1217_0 (arg1)); +} + +static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) +{ + ((QDtls_Adaptor *)cls)->cb_event_1217_0 = cb; +} + + +// bool QDtls::eventFilter(QObject *watched, QEvent *event) + +static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("watched"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("event"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_cbs_eventFilter_2411_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args.read (heap); + QEvent *arg2 = args.read (heap); + ret.write ((bool)((QDtls_Adaptor *)cls)->cbs_eventFilter_2411_0 (arg1, arg2)); +} + +static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback &cb) +{ + ((QDtls_Adaptor *)cls)->cb_eventFilter_2411_0 = cb; +} + + +// exposed bool QDtls::isSignalConnected(const QMetaMethod &signal) + +static void _init_fp_isSignalConnected_c2394 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("signal"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QMetaMethod &arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QDtls_Adaptor *)cls)->fp_QDtls_isSignalConnected_c2394 (arg1)); +} + + +// exposed int QDtls::receivers(const char *signal) + +static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("signal"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_fp_receivers_c1731 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const char *arg1 = gsi::arg_reader() (args, heap); + ret.write ((int)((QDtls_Adaptor *)cls)->fp_QDtls_receivers_c1731 (arg1)); +} + + +// exposed QObject *QDtls::sender() + +static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_fp_sender_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QObject *)((QDtls_Adaptor *)cls)->fp_QDtls_sender_c0 ()); +} + + +// exposed int QDtls::senderSignalIndex() + +static void _init_fp_senderSignalIndex_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QDtls_Adaptor *)cls)->fp_QDtls_senderSignalIndex_c0 ()); +} + + +// void QDtls::timerEvent(QTimerEvent *event) + +static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("event"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_timerEvent_1730_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QTimerEvent *arg1 = args.read (heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDtls_Adaptor *)cls)->cbs_timerEvent_1730_0 (arg1); +} + +static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback &cb) +{ + ((QDtls_Adaptor *)cls)->cb_timerEvent_1730_0 = cb; +} + + +namespace gsi +{ + +gsi::Class &qtdecl_QDtls (); + +static gsi::Methods methods_QDtls_Adaptor () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDtls::QDtls(QSslSocket::SslMode mode, QObject *parent)\nThis method creates an object of class QDtls.", &_init_ctor_QDtls_Adaptor_3445, &_call_ctor_QDtls_Adaptor_3445); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDtls::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDtls::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDtls::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QDtls::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDtls::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QDtls::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QDtls::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); + methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QDtls::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); + methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QDtls::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDtls::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + return methods; +} + +gsi::Class decl_QDtls_Adaptor (qtdecl_QDtls (), "QtNetwork", "QDtls", + methods_QDtls_Adaptor (), + "@qt\n@brief Binding of QDtls"); + +} + + +// Implementation of the enum wrapper class for QDtls::HandshakeState +namespace qt_gsi +{ + +static gsi::Enum decl_QDtls_HandshakeState_Enum ("QtNetwork", "QDtls_HandshakeState", + gsi::enum_const ("HandshakeNotStarted", QDtls::HandshakeNotStarted, "@brief Enum constant QDtls::HandshakeNotStarted") + + gsi::enum_const ("HandshakeInProgress", QDtls::HandshakeInProgress, "@brief Enum constant QDtls::HandshakeInProgress") + + gsi::enum_const ("PeerVerificationFailed", QDtls::PeerVerificationFailed, "@brief Enum constant QDtls::PeerVerificationFailed") + + gsi::enum_const ("HandshakeComplete", QDtls::HandshakeComplete, "@brief Enum constant QDtls::HandshakeComplete"), + "@qt\n@brief This class represents the QDtls::HandshakeState enum"); + +static gsi::QFlagsClass decl_QDtls_HandshakeState_Enums ("QtNetwork", "QDtls_QFlags_HandshakeState", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_QDtls_HandshakeState_Enum_in_parent (decl_QDtls_HandshakeState_Enum.defs ()); +static gsi::ClassExt decl_QDtls_HandshakeState_Enum_as_child (decl_QDtls_HandshakeState_Enum, "HandshakeState"); +static gsi::ClassExt decl_QDtls_HandshakeState_Enums_as_child (decl_QDtls_HandshakeState_Enums, "QFlags_HandshakeState"); + +} + diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier.cc new file mode 100644 index 0000000000..64f9400395 --- /dev/null +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier.cc @@ -0,0 +1,641 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +/** +* @file gsiDeclQDtlsClientVerifier.cc +* +* DO NOT EDIT THIS FILE. +* This file has been created automatically +*/ + +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include "gsiQt.h" +#include "gsiQtNetworkCommon.h" +#include + +// ----------------------------------------------------------------------- +// class QDtlsClientVerifier + +// get static meta object + +static void _init_smo (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, gsi::SerialArgs &ret) +{ + ret.write (QDtlsClientVerifier::staticMetaObject); +} + + +// QDtlsClientVerifier::GeneratorParameters QDtlsClientVerifier::cookieGeneratorParameters() + + +static void _init_f_cookieGeneratorParameters_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_cookieGeneratorParameters_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QDtlsClientVerifier::GeneratorParameters)((QDtlsClientVerifier *)cls)->cookieGeneratorParameters ()); +} + + +// QDtlsError QDtlsClientVerifier::dtlsError() + + +static void _init_f_dtlsError_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_dtlsError_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QDtlsClientVerifier *)cls)->dtlsError ())); +} + + +// QString QDtlsClientVerifier::dtlsErrorString() + + +static void _init_f_dtlsErrorString_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_dtlsErrorString_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)((QDtlsClientVerifier *)cls)->dtlsErrorString ()); +} + + +// bool QDtlsClientVerifier::setCookieGeneratorParameters(const QDtlsClientVerifier::GeneratorParameters ¶ms) + + +static void _init_f_setCookieGeneratorParameters_5331 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("params"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setCookieGeneratorParameters_5331 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QDtlsClientVerifier::GeneratorParameters &arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QDtlsClientVerifier *)cls)->setCookieGeneratorParameters (arg1)); +} + + +// QByteArray QDtlsClientVerifier::verifiedHello() + + +static void _init_f_verifiedHello_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_verifiedHello_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QByteArray)((QDtlsClientVerifier *)cls)->verifiedHello ()); +} + + +// bool QDtlsClientVerifier::verifyClient(QUdpSocket *socket, const QByteArray &dgram, const QHostAddress &address, quint16 port) + + +static void _init_f_verifyClient_7220 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("socket"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("dgram"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("address"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("port"); + decl->add_arg (argspec_3); + decl->set_return (); +} + +static void _call_f_verifyClient_7220 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QUdpSocket *arg1 = gsi::arg_reader() (args, heap); + const QByteArray &arg2 = gsi::arg_reader() (args, heap); + const QHostAddress &arg3 = gsi::arg_reader() (args, heap); + quint16 arg4 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QDtlsClientVerifier *)cls)->verifyClient (arg1, arg2, arg3, arg4)); +} + + +// static QString QDtlsClientVerifier::tr(const char *s, const char *c, int n) + + +static void _init_f_tr_4013 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("s"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("c", true, "nullptr"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("n", true, "-1"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_f_tr_4013 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const char *arg1 = gsi::arg_reader() (args, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); + ret.write ((QString)QDtlsClientVerifier::tr (arg1, arg2, arg3)); +} + + +// static QString QDtlsClientVerifier::trUtf8(const char *s, const char *c, int n) + + +static void _init_f_trUtf8_4013 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("s"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("c", true, "nullptr"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("n", true, "-1"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_f_trUtf8_4013 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const char *arg1 = gsi::arg_reader() (args, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); + ret.write ((QString)QDtlsClientVerifier::trUtf8 (arg1, arg2, arg3)); +} + + +namespace gsi +{ + +static gsi::Methods methods_QDtlsClientVerifier () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); + methods += new qt_gsi::GenericMethod ("cookieGeneratorParameters", "@brief Method QDtlsClientVerifier::GeneratorParameters QDtlsClientVerifier::cookieGeneratorParameters()\n", true, &_init_f_cookieGeneratorParameters_c0, &_call_f_cookieGeneratorParameters_c0); + methods += new qt_gsi::GenericMethod ("dtlsError", "@brief Method QDtlsError QDtlsClientVerifier::dtlsError()\n", true, &_init_f_dtlsError_c0, &_call_f_dtlsError_c0); + methods += new qt_gsi::GenericMethod ("dtlsErrorString", "@brief Method QString QDtlsClientVerifier::dtlsErrorString()\n", true, &_init_f_dtlsErrorString_c0, &_call_f_dtlsErrorString_c0); + methods += new qt_gsi::GenericMethod ("setCookieGeneratorParameters", "@brief Method bool QDtlsClientVerifier::setCookieGeneratorParameters(const QDtlsClientVerifier::GeneratorParameters ¶ms)\n", false, &_init_f_setCookieGeneratorParameters_5331, &_call_f_setCookieGeneratorParameters_5331); + methods += new qt_gsi::GenericMethod ("verifiedHello", "@brief Method QByteArray QDtlsClientVerifier::verifiedHello()\n", true, &_init_f_verifiedHello_c0, &_call_f_verifiedHello_c0); + methods += new qt_gsi::GenericMethod ("verifyClient", "@brief Method bool QDtlsClientVerifier::verifyClient(QUdpSocket *socket, const QByteArray &dgram, const QHostAddress &address, quint16 port)\n", false, &_init_f_verifyClient_7220, &_call_f_verifyClient_7220); + methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QDtlsClientVerifier::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); + methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QDtlsClientVerifier::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); + return methods; +} + +gsi::Class &qtdecl_QObject (); + +qt_gsi::QtNativeClass decl_QDtlsClientVerifier (qtdecl_QObject (), "QtNetwork", "QDtlsClientVerifier_Native", + methods_QDtlsClientVerifier (), + "@hide\n@alias QDtlsClientVerifier"); + +GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QDtlsClientVerifier () { return decl_QDtlsClientVerifier; } + +} + + +class QDtlsClientVerifier_Adaptor : public QDtlsClientVerifier, public qt_gsi::QtObjectBase +{ +public: + + virtual ~QDtlsClientVerifier_Adaptor(); + + // [adaptor ctor] QDtlsClientVerifier::QDtlsClientVerifier(QObject *parent) + QDtlsClientVerifier_Adaptor() : QDtlsClientVerifier() + { + qt_gsi::QtObjectBase::init (this); + } + + // [adaptor ctor] QDtlsClientVerifier::QDtlsClientVerifier(QObject *parent) + QDtlsClientVerifier_Adaptor(QObject *parent) : QDtlsClientVerifier(parent) + { + qt_gsi::QtObjectBase::init (this); + } + + // [expose] bool QDtlsClientVerifier::isSignalConnected(const QMetaMethod &signal) + bool fp_QDtlsClientVerifier_isSignalConnected_c2394 (const QMetaMethod &signal) const { + return QDtlsClientVerifier::isSignalConnected(signal); + } + + // [expose] int QDtlsClientVerifier::receivers(const char *signal) + int fp_QDtlsClientVerifier_receivers_c1731 (const char *signal) const { + return QDtlsClientVerifier::receivers(signal); + } + + // [expose] QObject *QDtlsClientVerifier::sender() + QObject * fp_QDtlsClientVerifier_sender_c0 () const { + return QDtlsClientVerifier::sender(); + } + + // [expose] int QDtlsClientVerifier::senderSignalIndex() + int fp_QDtlsClientVerifier_senderSignalIndex_c0 () const { + return QDtlsClientVerifier::senderSignalIndex(); + } + + // [adaptor impl] bool QDtlsClientVerifier::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) + { + return QDtlsClientVerifier::event(_event); + } + + virtual bool event(QEvent *_event) + { + if (cb_event_1217_0.can_issue()) { + return cb_event_1217_0.issue(&QDtlsClientVerifier_Adaptor::cbs_event_1217_0, _event); + } else { + return QDtlsClientVerifier::event(_event); + } + } + + // [adaptor impl] bool QDtlsClientVerifier::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) + { + return QDtlsClientVerifier::eventFilter(watched, event); + } + + virtual bool eventFilter(QObject *watched, QEvent *event) + { + if (cb_eventFilter_2411_0.can_issue()) { + return cb_eventFilter_2411_0.issue(&QDtlsClientVerifier_Adaptor::cbs_eventFilter_2411_0, watched, event); + } else { + return QDtlsClientVerifier::eventFilter(watched, event); + } + } + + // [adaptor impl] void QDtlsClientVerifier::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) + { + QDtlsClientVerifier::childEvent(event); + } + + virtual void childEvent(QChildEvent *event) + { + if (cb_childEvent_1701_0.can_issue()) { + cb_childEvent_1701_0.issue(&QDtlsClientVerifier_Adaptor::cbs_childEvent_1701_0, event); + } else { + QDtlsClientVerifier::childEvent(event); + } + } + + // [adaptor impl] void QDtlsClientVerifier::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) + { + QDtlsClientVerifier::customEvent(event); + } + + virtual void customEvent(QEvent *event) + { + if (cb_customEvent_1217_0.can_issue()) { + cb_customEvent_1217_0.issue(&QDtlsClientVerifier_Adaptor::cbs_customEvent_1217_0, event); + } else { + QDtlsClientVerifier::customEvent(event); + } + } + + // [adaptor impl] void QDtlsClientVerifier::disconnectNotify(const QMetaMethod &signal) + void cbs_disconnectNotify_2394_0(const QMetaMethod &signal) + { + QDtlsClientVerifier::disconnectNotify(signal); + } + + virtual void disconnectNotify(const QMetaMethod &signal) + { + if (cb_disconnectNotify_2394_0.can_issue()) { + cb_disconnectNotify_2394_0.issue(&QDtlsClientVerifier_Adaptor::cbs_disconnectNotify_2394_0, signal); + } else { + QDtlsClientVerifier::disconnectNotify(signal); + } + } + + // [adaptor impl] void QDtlsClientVerifier::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) + { + QDtlsClientVerifier::timerEvent(event); + } + + virtual void timerEvent(QTimerEvent *event) + { + if (cb_timerEvent_1730_0.can_issue()) { + cb_timerEvent_1730_0.issue(&QDtlsClientVerifier_Adaptor::cbs_timerEvent_1730_0, event); + } else { + QDtlsClientVerifier::timerEvent(event); + } + } + + gsi::Callback cb_event_1217_0; + gsi::Callback cb_eventFilter_2411_0; + gsi::Callback cb_childEvent_1701_0; + gsi::Callback cb_customEvent_1217_0; + gsi::Callback cb_disconnectNotify_2394_0; + gsi::Callback cb_timerEvent_1730_0; +}; + +QDtlsClientVerifier_Adaptor::~QDtlsClientVerifier_Adaptor() { } + +// Constructor QDtlsClientVerifier::QDtlsClientVerifier(QObject *parent) (adaptor class) + +static void _init_ctor_QDtlsClientVerifier_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QDtlsClientVerifier_Adaptor_1302 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ret.write (new QDtlsClientVerifier_Adaptor (arg1)); +} + + +// void QDtlsClientVerifier::childEvent(QChildEvent *event) + +static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("event"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_childEvent_1701_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QChildEvent *arg1 = args.read (heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDtlsClientVerifier_Adaptor *)cls)->cbs_childEvent_1701_0 (arg1); +} + +static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback &cb) +{ + ((QDtlsClientVerifier_Adaptor *)cls)->cb_childEvent_1701_0 = cb; +} + + +// void QDtlsClientVerifier::customEvent(QEvent *event) + +static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("event"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_customEvent_1217_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QEvent *arg1 = args.read (heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDtlsClientVerifier_Adaptor *)cls)->cbs_customEvent_1217_0 (arg1); +} + +static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback &cb) +{ + ((QDtlsClientVerifier_Adaptor *)cls)->cb_customEvent_1217_0 = cb; +} + + +// void QDtlsClientVerifier::disconnectNotify(const QMetaMethod &signal) + +static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("signal"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_disconnectNotify_2394_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QMetaMethod &arg1 = args.read (heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDtlsClientVerifier_Adaptor *)cls)->cbs_disconnectNotify_2394_0 (arg1); +} + +static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Callback &cb) +{ + ((QDtlsClientVerifier_Adaptor *)cls)->cb_disconnectNotify_2394_0 = cb; +} + + +// bool QDtlsClientVerifier::event(QEvent *event) + +static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("event"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_event_1217_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QEvent *arg1 = args.read (heap); + ret.write ((bool)((QDtlsClientVerifier_Adaptor *)cls)->cbs_event_1217_0 (arg1)); +} + +static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) +{ + ((QDtlsClientVerifier_Adaptor *)cls)->cb_event_1217_0 = cb; +} + + +// bool QDtlsClientVerifier::eventFilter(QObject *watched, QEvent *event) + +static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("watched"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("event"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_cbs_eventFilter_2411_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args.read (heap); + QEvent *arg2 = args.read (heap); + ret.write ((bool)((QDtlsClientVerifier_Adaptor *)cls)->cbs_eventFilter_2411_0 (arg1, arg2)); +} + +static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback &cb) +{ + ((QDtlsClientVerifier_Adaptor *)cls)->cb_eventFilter_2411_0 = cb; +} + + +// exposed bool QDtlsClientVerifier::isSignalConnected(const QMetaMethod &signal) + +static void _init_fp_isSignalConnected_c2394 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("signal"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QMetaMethod &arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QDtlsClientVerifier_Adaptor *)cls)->fp_QDtlsClientVerifier_isSignalConnected_c2394 (arg1)); +} + + +// exposed int QDtlsClientVerifier::receivers(const char *signal) + +static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("signal"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_fp_receivers_c1731 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const char *arg1 = gsi::arg_reader() (args, heap); + ret.write ((int)((QDtlsClientVerifier_Adaptor *)cls)->fp_QDtlsClientVerifier_receivers_c1731 (arg1)); +} + + +// exposed QObject *QDtlsClientVerifier::sender() + +static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_fp_sender_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QObject *)((QDtlsClientVerifier_Adaptor *)cls)->fp_QDtlsClientVerifier_sender_c0 ()); +} + + +// exposed int QDtlsClientVerifier::senderSignalIndex() + +static void _init_fp_senderSignalIndex_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QDtlsClientVerifier_Adaptor *)cls)->fp_QDtlsClientVerifier_senderSignalIndex_c0 ()); +} + + +// void QDtlsClientVerifier::timerEvent(QTimerEvent *event) + +static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("event"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_timerEvent_1730_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QTimerEvent *arg1 = args.read (heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDtlsClientVerifier_Adaptor *)cls)->cbs_timerEvent_1730_0 (arg1); +} + +static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback &cb) +{ + ((QDtlsClientVerifier_Adaptor *)cls)->cb_timerEvent_1730_0 = cb; +} + + +namespace gsi +{ + +gsi::Class &qtdecl_QDtlsClientVerifier (); + +static gsi::Methods methods_QDtlsClientVerifier_Adaptor () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDtlsClientVerifier::QDtlsClientVerifier(QObject *parent)\nThis method creates an object of class QDtlsClientVerifier.", &_init_ctor_QDtlsClientVerifier_Adaptor_1302, &_call_ctor_QDtlsClientVerifier_Adaptor_1302); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDtlsClientVerifier::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDtlsClientVerifier::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDtlsClientVerifier::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QDtlsClientVerifier::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDtlsClientVerifier::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QDtlsClientVerifier::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QDtlsClientVerifier::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); + methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QDtlsClientVerifier::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); + methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QDtlsClientVerifier::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDtlsClientVerifier::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + return methods; +} + +gsi::Class decl_QDtlsClientVerifier_Adaptor (qtdecl_QDtlsClientVerifier (), "QtNetwork", "QDtlsClientVerifier", + methods_QDtlsClientVerifier_Adaptor (), + "@qt\n@brief Binding of QDtlsClientVerifier"); + +} + diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier_GeneratorParameters.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier_GeneratorParameters.cc new file mode 100644 index 0000000000..b78e9a7768 --- /dev/null +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier_GeneratorParameters.cc @@ -0,0 +1,95 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +/** +* @file gsiDeclQDtlsClientVerifier_GeneratorParameters.cc +* +* DO NOT EDIT THIS FILE. +* This file has been created automatically +*/ + +#include +#include "gsiQt.h" +#include "gsiQtNetworkCommon.h" +#include + +// ----------------------------------------------------------------------- +// struct QDtlsClientVerifier::GeneratorParameters + +// Constructor QDtlsClientVerifier::GeneratorParameters::GeneratorParameters() + + +static void _init_ctor_QDtlsClientVerifier_GeneratorParameters_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return_new (); +} + +static void _call_ctor_QDtlsClientVerifier_GeneratorParameters_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write (new QDtlsClientVerifier::GeneratorParameters ()); +} + + +// Constructor QDtlsClientVerifier::GeneratorParameters::GeneratorParameters(QCryptographicHash::Algorithm a, const QByteArray &s) + + +static void _init_ctor_QDtlsClientVerifier_GeneratorParameters_5532 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("a"); + decl->add_arg::target_type & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("s"); + decl->add_arg (argspec_1); + decl->set_return_new (); +} + +static void _call_ctor_QDtlsClientVerifier_GeneratorParameters_5532 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + const QByteArray &arg2 = gsi::arg_reader() (args, heap); + ret.write (new QDtlsClientVerifier::GeneratorParameters (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2)); +} + + + +namespace gsi +{ + +static gsi::Methods methods_QDtlsClientVerifier_GeneratorParameters () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDtlsClientVerifier::GeneratorParameters::GeneratorParameters()\nThis method creates an object of class QDtlsClientVerifier::GeneratorParameters.", &_init_ctor_QDtlsClientVerifier_GeneratorParameters_0, &_call_ctor_QDtlsClientVerifier_GeneratorParameters_0); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDtlsClientVerifier::GeneratorParameters::GeneratorParameters(QCryptographicHash::Algorithm a, const QByteArray &s)\nThis method creates an object of class QDtlsClientVerifier::GeneratorParameters.", &_init_ctor_QDtlsClientVerifier_GeneratorParameters_5532, &_call_ctor_QDtlsClientVerifier_GeneratorParameters_5532); + return methods; +} + +gsi::Class decl_QDtlsClientVerifier_GeneratorParameters ("QtNetwork", "QDtlsClientVerifier_GeneratorParameters", + methods_QDtlsClientVerifier_GeneratorParameters (), + "@qt\n@brief Binding of QDtlsClientVerifier::GeneratorParameters"); + +gsi::ClassExt decl_QDtlsClientVerifier_GeneratorParameters_as_child (decl_QDtlsClientVerifier_GeneratorParameters, "GeneratorParameters"); + +GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QDtlsClientVerifier_GeneratorParameters () { return decl_QDtlsClientVerifier_GeneratorParameters; } + +} + diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsError.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsError.cc new file mode 100644 index 0000000000..bef6edf4e8 --- /dev/null +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsError.cc @@ -0,0 +1,59 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +/** +* @file gsiDeclQDtlsError.cc +* +* DO NOT EDIT THIS FILE. +* This file has been created automatically +*/ + +#include +#include "gsiQt.h" +#include "gsiQtNetworkCommon.h" +#include + +// ----------------------------------------------------------------------- +// enum QDtlsError + + +// Implementation of the enum wrapper class for ::QDtlsError +namespace qt_gsi +{ + +static gsi::Enum decl_QDtlsError_Enum ("QtNetwork", "QDtlsError", + gsi::enum_const ("NoError", QDtlsError::NoError, "@brief Enum constant QDtlsError::NoError") + + gsi::enum_const ("InvalidInputParameters", QDtlsError::InvalidInputParameters, "@brief Enum constant QDtlsError::InvalidInputParameters") + + gsi::enum_const ("InvalidOperation", QDtlsError::InvalidOperation, "@brief Enum constant QDtlsError::InvalidOperation") + + gsi::enum_const ("UnderlyingSocketError", QDtlsError::UnderlyingSocketError, "@brief Enum constant QDtlsError::UnderlyingSocketError") + + gsi::enum_const ("RemoteClosedConnectionError", QDtlsError::RemoteClosedConnectionError, "@brief Enum constant QDtlsError::RemoteClosedConnectionError") + + gsi::enum_const ("PeerVerificationError", QDtlsError::PeerVerificationError, "@brief Enum constant QDtlsError::PeerVerificationError") + + gsi::enum_const ("TlsInitializationError", QDtlsError::TlsInitializationError, "@brief Enum constant QDtlsError::TlsInitializationError") + + gsi::enum_const ("TlsFatalError", QDtlsError::TlsFatalError, "@brief Enum constant QDtlsError::TlsFatalError") + + gsi::enum_const ("TlsNonFatalError", QDtlsError::TlsNonFatalError, "@brief Enum constant QDtlsError::TlsNonFatalError"), + "@qt\n@brief This class represents the QDtlsError enum"); + +static gsi::QFlagsClass decl_QDtlsError_Enums ("QtNetwork", "QFlags_QDtlsError", + "@qt\n@brief This class represents the QFlags flag set"); + +} + diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQHostAddress.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQHostAddress.cc index e8adaa2264..3045ccc0fb 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQHostAddress.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQHostAddress.cc @@ -142,6 +142,58 @@ static void _call_f_clear_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// bool QHostAddress::isBroadcast() + + +static void _init_f_isBroadcast_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isBroadcast_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QHostAddress *)cls)->isBroadcast ()); +} + + +// bool QHostAddress::isEqual(const QHostAddress &address, QFlags mode) + + +static void _init_f_isEqual_c6692 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("address"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("mode", true, "QHostAddress::TolerantConversion"); + decl->add_arg > (argspec_1); + decl->set_return (); +} + +static void _call_f_isEqual_c6692 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QHostAddress &arg1 = gsi::arg_reader() (args, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QHostAddress::TolerantConversion, heap); + ret.write ((bool)((QHostAddress *)cls)->isEqual (arg1, arg2)); +} + + +// bool QHostAddress::isGlobal() + + +static void _init_f_isGlobal_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isGlobal_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QHostAddress *)cls)->isGlobal ()); +} + + // bool QHostAddress::isInSubnet(const QHostAddress &subnet, int netmask) @@ -183,6 +235,21 @@ static void _call_f_isInSubnet_c3636 (const qt_gsi::GenericMethod * /*decl*/, vo } +// bool QHostAddress::isLinkLocal() + + +static void _init_f_isLinkLocal_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isLinkLocal_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QHostAddress *)cls)->isLinkLocal ()); +} + + // bool QHostAddress::isLoopback() @@ -198,6 +265,21 @@ static void _call_f_isLoopback_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// bool QHostAddress::isMulticast() + + +static void _init_f_isMulticast_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isMulticast_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QHostAddress *)cls)->isMulticast ()); +} + + // bool QHostAddress::isNull() @@ -213,6 +295,36 @@ static void _call_f_isNull_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// bool QHostAddress::isSiteLocal() + + +static void _init_f_isSiteLocal_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isSiteLocal_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QHostAddress *)cls)->isSiteLocal ()); +} + + +// bool QHostAddress::isUniqueLocalUnicast() + + +static void _init_f_isUniqueLocalUnicast_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isUniqueLocalUnicast_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QHostAddress *)cls)->isUniqueLocalUnicast ()); +} + + // bool QHostAddress::operator !=(const QHostAddress &address) @@ -327,6 +439,25 @@ static void _call_f_operator_eq__2025 (const qt_gsi::GenericMethod * /*decl*/, v } +// QHostAddress &QHostAddress::operator=(QHostAddress::SpecialAddress address) + + +static void _init_f_operator_eq__3172 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("address"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_eq__3172 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ret.write ((QHostAddress &)((QHostAddress *)cls)->operator= (qt_gsi::QtToCppAdaptor(arg1).cref())); +} + + // QAbstractSocket::NetworkLayerProtocol QHostAddress::protocol() @@ -396,6 +527,26 @@ static void _call_f_setAddress_2025 (const qt_gsi::GenericMethod * /*decl*/, voi } +// void QHostAddress::setAddress(QHostAddress::SpecialAddress address) + + +static void _init_f_setAddress_3172 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("address"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_setAddress_3172 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QHostAddress *)cls)->setAddress (qt_gsi::QtToCppAdaptor(arg1).cref()); +} + + // void QHostAddress::setScopeId(const QString &id) @@ -416,6 +567,26 @@ static void _call_f_setScopeId_2025 (const qt_gsi::GenericMethod * /*decl*/, voi } +// void QHostAddress::swap(QHostAddress &other) + + +static void _init_f_swap_1823 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_swap_1823 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QHostAddress &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QHostAddress *)cls)->swap (arg1); +} + + // quint32 QHostAddress::toIPv4Address() @@ -496,21 +667,31 @@ static gsi::Methods methods_QHostAddress () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QHostAddress::QHostAddress(const QHostAddress ©)\nThis method creates an object of class QHostAddress.", &_init_ctor_QHostAddress_2518, &_call_ctor_QHostAddress_2518); methods += new qt_gsi::GenericStaticMethod ("new_special", "@brief Constructor QHostAddress::QHostAddress(QHostAddress::SpecialAddress address)\nThis method creates an object of class QHostAddress.", &_init_ctor_QHostAddress_3172, &_call_ctor_QHostAddress_3172); methods += new qt_gsi::GenericMethod ("clear", "@brief Method void QHostAddress::clear()\n", false, &_init_f_clear_0, &_call_f_clear_0); + methods += new qt_gsi::GenericMethod ("isBroadcast?", "@brief Method bool QHostAddress::isBroadcast()\n", true, &_init_f_isBroadcast_c0, &_call_f_isBroadcast_c0); + methods += new qt_gsi::GenericMethod ("isEqual?", "@brief Method bool QHostAddress::isEqual(const QHostAddress &address, QFlags mode)\n", true, &_init_f_isEqual_c6692, &_call_f_isEqual_c6692); + methods += new qt_gsi::GenericMethod ("isGlobal?", "@brief Method bool QHostAddress::isGlobal()\n", true, &_init_f_isGlobal_c0, &_call_f_isGlobal_c0); methods += new qt_gsi::GenericMethod ("isInSubnet?", "@brief Method bool QHostAddress::isInSubnet(const QHostAddress &subnet, int netmask)\n", true, &_init_f_isInSubnet_c3177, &_call_f_isInSubnet_c3177); methods += new qt_gsi::GenericMethod ("isInSubnet?", "@brief Method bool QHostAddress::isInSubnet(const QPair &subnet)\n", true, &_init_f_isInSubnet_c3636, &_call_f_isInSubnet_c3636); + methods += new qt_gsi::GenericMethod ("isLinkLocal?", "@brief Method bool QHostAddress::isLinkLocal()\n", true, &_init_f_isLinkLocal_c0, &_call_f_isLinkLocal_c0); methods += new qt_gsi::GenericMethod ("isLoopback?", "@brief Method bool QHostAddress::isLoopback()\n", true, &_init_f_isLoopback_c0, &_call_f_isLoopback_c0); + methods += new qt_gsi::GenericMethod ("isMulticast?", "@brief Method bool QHostAddress::isMulticast()\n", true, &_init_f_isMulticast_c0, &_call_f_isMulticast_c0); methods += new qt_gsi::GenericMethod ("isNull?", "@brief Method bool QHostAddress::isNull()\n", true, &_init_f_isNull_c0, &_call_f_isNull_c0); + methods += new qt_gsi::GenericMethod ("isSiteLocal?", "@brief Method bool QHostAddress::isSiteLocal()\n", true, &_init_f_isSiteLocal_c0, &_call_f_isSiteLocal_c0); + methods += new qt_gsi::GenericMethod ("isUniqueLocalUnicast?", "@brief Method bool QHostAddress::isUniqueLocalUnicast()\n", true, &_init_f_isUniqueLocalUnicast_c0, &_call_f_isUniqueLocalUnicast_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QHostAddress::operator !=(const QHostAddress &address)\n", true, &_init_f_operator_excl__eq__c2518, &_call_f_operator_excl__eq__c2518); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QHostAddress::operator !=(QHostAddress::SpecialAddress address)\n", true, &_init_f_operator_excl__eq__c3172, &_call_f_operator_excl__eq__c3172); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QHostAddress::operator ==(const QHostAddress &address)\n", true, &_init_f_operator_eq__eq__c2518, &_call_f_operator_eq__eq__c2518); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QHostAddress::operator ==(QHostAddress::SpecialAddress address)\n", true, &_init_f_operator_eq__eq__c3172, &_call_f_operator_eq__eq__c3172); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QHostAddress &QHostAddress::operator=(const QHostAddress &other)\n", false, &_init_f_operator_eq__2518, &_call_f_operator_eq__2518); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QHostAddress &QHostAddress::operator=(const QString &address)\n", false, &_init_f_operator_eq__2025, &_call_f_operator_eq__2025); + methods += new qt_gsi::GenericMethod ("assign", "@brief Method QHostAddress &QHostAddress::operator=(QHostAddress::SpecialAddress address)\n", false, &_init_f_operator_eq__3172, &_call_f_operator_eq__3172); methods += new qt_gsi::GenericMethod ("protocol", "@brief Method QAbstractSocket::NetworkLayerProtocol QHostAddress::protocol()\n", true, &_init_f_protocol_c0, &_call_f_protocol_c0); methods += new qt_gsi::GenericMethod (":scopeId", "@brief Method QString QHostAddress::scopeId()\n", true, &_init_f_scopeId_c0, &_call_f_scopeId_c0); methods += new qt_gsi::GenericMethod ("setAddress", "@brief Method void QHostAddress::setAddress(quint32 ip4Addr)\n", false, &_init_f_setAddress_1098, &_call_f_setAddress_1098); methods += new qt_gsi::GenericMethod ("setAddress", "@brief Method bool QHostAddress::setAddress(const QString &address)\n", false, &_init_f_setAddress_2025, &_call_f_setAddress_2025); + methods += new qt_gsi::GenericMethod ("setAddress", "@brief Method void QHostAddress::setAddress(QHostAddress::SpecialAddress address)\n", false, &_init_f_setAddress_3172, &_call_f_setAddress_3172); methods += new qt_gsi::GenericMethod ("setScopeId|scopeId=", "@brief Method void QHostAddress::setScopeId(const QString &id)\n", false, &_init_f_setScopeId_2025, &_call_f_setScopeId_2025); + methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QHostAddress::swap(QHostAddress &other)\n", false, &_init_f_swap_1823, &_call_f_swap_1823); methods += new qt_gsi::GenericMethod ("toIPv4Address", "@brief Method quint32 QHostAddress::toIPv4Address()\n", true, &_init_f_toIPv4Address_c0, &_call_f_toIPv4Address_c0); methods += new qt_gsi::GenericMethod ("toIPv4Address", "@brief Method quint32 QHostAddress::toIPv4Address(bool *ok)\n", true, &_init_f_toIPv4Address_c1050, &_call_f_toIPv4Address_c1050); methods += new qt_gsi::GenericMethod ("toString|to_s", "@brief Method QString QHostAddress::toString()\n", true, &_init_f_toString_c0, &_call_f_toString_c0); @@ -528,6 +709,30 @@ GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QHostAddress () { return d } +// Implementation of the enum wrapper class for QHostAddress::ConversionModeFlag +namespace qt_gsi +{ + +static gsi::Enum decl_QHostAddress_ConversionModeFlag_Enum ("QtNetwork", "QHostAddress_ConversionModeFlag", + gsi::enum_const ("ConvertV4MappedToIPv4", QHostAddress::ConvertV4MappedToIPv4, "@brief Enum constant QHostAddress::ConvertV4MappedToIPv4") + + gsi::enum_const ("ConvertV4CompatToIPv4", QHostAddress::ConvertV4CompatToIPv4, "@brief Enum constant QHostAddress::ConvertV4CompatToIPv4") + + gsi::enum_const ("ConvertUnspecifiedAddress", QHostAddress::ConvertUnspecifiedAddress, "@brief Enum constant QHostAddress::ConvertUnspecifiedAddress") + + gsi::enum_const ("ConvertLocalHost", QHostAddress::ConvertLocalHost, "@brief Enum constant QHostAddress::ConvertLocalHost") + + gsi::enum_const ("TolerantConversion", QHostAddress::TolerantConversion, "@brief Enum constant QHostAddress::TolerantConversion") + + gsi::enum_const ("StrictConversion", QHostAddress::StrictConversion, "@brief Enum constant QHostAddress::StrictConversion"), + "@qt\n@brief This class represents the QHostAddress::ConversionModeFlag enum"); + +static gsi::QFlagsClass decl_QHostAddress_ConversionModeFlag_Enums ("QtNetwork", "QHostAddress_QFlags_ConversionModeFlag", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_QHostAddress_ConversionModeFlag_Enum_in_parent (decl_QHostAddress_ConversionModeFlag_Enum.defs ()); +static gsi::ClassExt decl_QHostAddress_ConversionModeFlag_Enum_as_child (decl_QHostAddress_ConversionModeFlag_Enum, "ConversionModeFlag"); +static gsi::ClassExt decl_QHostAddress_ConversionModeFlag_Enums_as_child (decl_QHostAddress_ConversionModeFlag_Enums, "QFlags_ConversionModeFlag"); + +} + + // Implementation of the enum wrapper class for QHostAddress::SpecialAddress namespace qt_gsi { diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQHostInfo.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQHostInfo.cc index 27731283e4..74ce8770bc 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQHostInfo.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQHostInfo.cc @@ -269,6 +269,26 @@ static void _call_f_setLookupId_767 (const qt_gsi::GenericMethod * /*decl*/, voi } +// void QHostInfo::swap(QHostInfo &other) + + +static void _init_f_swap_1509 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_swap_1509 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QHostInfo &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QHostInfo *)cls)->swap (arg1); +} + + // static void QHostInfo::abortHostLookup(int lookupId) @@ -382,6 +402,7 @@ static gsi::Methods methods_QHostInfo () { methods += new qt_gsi::GenericMethod ("setErrorString|errorString=", "@brief Method void QHostInfo::setErrorString(const QString &errorString)\n", false, &_init_f_setErrorString_2025, &_call_f_setErrorString_2025); methods += new qt_gsi::GenericMethod ("setHostName|hostName=", "@brief Method void QHostInfo::setHostName(const QString &name)\n", false, &_init_f_setHostName_2025, &_call_f_setHostName_2025); methods += new qt_gsi::GenericMethod ("setLookupId|lookupId=", "@brief Method void QHostInfo::setLookupId(int id)\n", false, &_init_f_setLookupId_767, &_call_f_setLookupId_767); + methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QHostInfo::swap(QHostInfo &other)\n", false, &_init_f_swap_1509, &_call_f_swap_1509); methods += new qt_gsi::GenericStaticMethod ("abortHostLookup", "@brief Static method void QHostInfo::abortHostLookup(int lookupId)\nThis method is static and can be called without an instance.", &_init_f_abortHostLookup_767, &_call_f_abortHostLookup_767); methods += new qt_gsi::GenericStaticMethod ("fromName", "@brief Static method QHostInfo QHostInfo::fromName(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_fromName_2025, &_call_f_fromName_2025); methods += new qt_gsi::GenericStaticMethod ("localDomainName", "@brief Static method QString QHostInfo::localDomainName()\nThis method is static and can be called without an instance.", &_init_f_localDomainName_0, &_call_f_localDomainName_0); diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQHstsPolicy.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQHstsPolicy.cc new file mode 100644 index 0000000000..acdd9a23ed --- /dev/null +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQHstsPolicy.cc @@ -0,0 +1,327 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +/** +* @file gsiDeclQHstsPolicy.cc +* +* DO NOT EDIT THIS FILE. +* This file has been created automatically +*/ + +#include +#include +#include "gsiQt.h" +#include "gsiQtNetworkCommon.h" +#include + +// ----------------------------------------------------------------------- +// class QHstsPolicy + +// Constructor QHstsPolicy::QHstsPolicy() + + +static void _init_ctor_QHstsPolicy_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return_new (); +} + +static void _call_ctor_QHstsPolicy_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write (new QHstsPolicy ()); +} + + +// Constructor QHstsPolicy::QHstsPolicy(const QDateTime &expiry, QFlags flags, const QString &host, QUrl::ParsingMode mode) + + +static void _init_ctor_QHstsPolicy_9302 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("expiry"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("flags"); + decl->add_arg > (argspec_1); + static gsi::ArgSpecBase argspec_2 ("host"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("mode", true, "QUrl::DecodedMode"); + decl->add_arg::target_type & > (argspec_3); + decl->set_return_new (); +} + +static void _call_ctor_QHstsPolicy_9302 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QDateTime &arg1 = gsi::arg_reader() (args, heap); + QFlags arg2 = gsi::arg_reader >() (args, heap); + const QString &arg3 = gsi::arg_reader() (args, heap); + const qt_gsi::Converter::target_type & arg4 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QUrl::DecodedMode), heap); + ret.write (new QHstsPolicy (arg1, arg2, arg3, qt_gsi::QtToCppAdaptor(arg4).cref())); +} + + +// Constructor QHstsPolicy::QHstsPolicy(const QHstsPolicy &rhs) + + +static void _init_ctor_QHstsPolicy_2436 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("rhs"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QHstsPolicy_2436 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QHstsPolicy &arg1 = gsi::arg_reader() (args, heap); + ret.write (new QHstsPolicy (arg1)); +} + + +// QDateTime QHstsPolicy::expiry() + + +static void _init_f_expiry_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_expiry_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QDateTime)((QHstsPolicy *)cls)->expiry ()); +} + + +// QString QHstsPolicy::host(QFlags options) + + +static void _init_f_host_c4267 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("options", true, "QUrl::FullyDecoded"); + decl->add_arg > (argspec_0); + decl->set_return (); +} + +static void _call_f_host_c4267 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QFlags arg1 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QUrl::FullyDecoded, heap); + ret.write ((QString)((QHstsPolicy *)cls)->host (arg1)); +} + + +// bool QHstsPolicy::includesSubDomains() + + +static void _init_f_includesSubDomains_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_includesSubDomains_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QHstsPolicy *)cls)->includesSubDomains ()); +} + + +// bool QHstsPolicy::isExpired() + + +static void _init_f_isExpired_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isExpired_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QHstsPolicy *)cls)->isExpired ()); +} + + +// QHstsPolicy &QHstsPolicy::operator=(const QHstsPolicy &rhs) + + +static void _init_f_operator_eq__2436 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("rhs"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_eq__2436 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QHstsPolicy &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QHstsPolicy &)((QHstsPolicy *)cls)->operator= (arg1)); +} + + +// void QHstsPolicy::setExpiry(const QDateTime &expiry) + + +static void _init_f_setExpiry_2175 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("expiry"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setExpiry_2175 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QDateTime &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QHstsPolicy *)cls)->setExpiry (arg1); +} + + +// void QHstsPolicy::setHost(const QString &host, QUrl::ParsingMode mode) + + +static void _init_f_setHost_3970 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("host"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("mode", true, "QUrl::DecodedMode"); + decl->add_arg::target_type & > (argspec_1); + decl->set_return (); +} + +static void _call_f_setHost_3970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QUrl::DecodedMode), heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QHstsPolicy *)cls)->setHost (arg1, qt_gsi::QtToCppAdaptor(arg2).cref()); +} + + +// void QHstsPolicy::setIncludesSubDomains(bool include) + + +static void _init_f_setIncludesSubDomains_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("include"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setIncludesSubDomains_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QHstsPolicy *)cls)->setIncludesSubDomains (arg1); +} + + +// void QHstsPolicy::swap(QHstsPolicy &other) + + +static void _init_f_swap_1741 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_swap_1741 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QHstsPolicy &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QHstsPolicy *)cls)->swap (arg1); +} + + +// bool ::operator==(const QHstsPolicy &lhs, const QHstsPolicy &rhs) +static bool op_QHstsPolicy_operator_eq__eq__4764(const QHstsPolicy *_self, const QHstsPolicy &rhs) { + return ::operator==(*_self, rhs); +} + +// bool ::operator!=(const QHstsPolicy &lhs, const QHstsPolicy &rhs) +static bool op_QHstsPolicy_operator_excl__eq__4764(const QHstsPolicy *_self, const QHstsPolicy &rhs) { + return ::operator!=(*_self, rhs); +} + + +namespace gsi +{ + +static gsi::Methods methods_QHstsPolicy () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QHstsPolicy::QHstsPolicy()\nThis method creates an object of class QHstsPolicy.", &_init_ctor_QHstsPolicy_0, &_call_ctor_QHstsPolicy_0); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QHstsPolicy::QHstsPolicy(const QDateTime &expiry, QFlags flags, const QString &host, QUrl::ParsingMode mode)\nThis method creates an object of class QHstsPolicy.", &_init_ctor_QHstsPolicy_9302, &_call_ctor_QHstsPolicy_9302); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QHstsPolicy::QHstsPolicy(const QHstsPolicy &rhs)\nThis method creates an object of class QHstsPolicy.", &_init_ctor_QHstsPolicy_2436, &_call_ctor_QHstsPolicy_2436); + methods += new qt_gsi::GenericMethod ("expiry", "@brief Method QDateTime QHstsPolicy::expiry()\n", true, &_init_f_expiry_c0, &_call_f_expiry_c0); + methods += new qt_gsi::GenericMethod ("host", "@brief Method QString QHstsPolicy::host(QFlags options)\n", true, &_init_f_host_c4267, &_call_f_host_c4267); + methods += new qt_gsi::GenericMethod ("includesSubDomains", "@brief Method bool QHstsPolicy::includesSubDomains()\n", true, &_init_f_includesSubDomains_c0, &_call_f_includesSubDomains_c0); + methods += new qt_gsi::GenericMethod ("isExpired?", "@brief Method bool QHstsPolicy::isExpired()\n", true, &_init_f_isExpired_c0, &_call_f_isExpired_c0); + methods += new qt_gsi::GenericMethod ("assign", "@brief Method QHstsPolicy &QHstsPolicy::operator=(const QHstsPolicy &rhs)\n", false, &_init_f_operator_eq__2436, &_call_f_operator_eq__2436); + methods += new qt_gsi::GenericMethod ("setExpiry", "@brief Method void QHstsPolicy::setExpiry(const QDateTime &expiry)\n", false, &_init_f_setExpiry_2175, &_call_f_setExpiry_2175); + methods += new qt_gsi::GenericMethod ("setHost", "@brief Method void QHstsPolicy::setHost(const QString &host, QUrl::ParsingMode mode)\n", false, &_init_f_setHost_3970, &_call_f_setHost_3970); + methods += new qt_gsi::GenericMethod ("setIncludesSubDomains", "@brief Method void QHstsPolicy::setIncludesSubDomains(bool include)\n", false, &_init_f_setIncludesSubDomains_864, &_call_f_setIncludesSubDomains_864); + methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QHstsPolicy::swap(QHstsPolicy &other)\n", false, &_init_f_swap_1741, &_call_f_swap_1741); + methods += gsi::method_ext("==", &::op_QHstsPolicy_operator_eq__eq__4764, gsi::arg ("rhs"), "@brief Operator bool ::operator==(const QHstsPolicy &lhs, const QHstsPolicy &rhs)\nThis is the mapping of the global operator to the instance method."); + methods += gsi::method_ext("!=", &::op_QHstsPolicy_operator_excl__eq__4764, gsi::arg ("rhs"), "@brief Operator bool ::operator!=(const QHstsPolicy &lhs, const QHstsPolicy &rhs)\nThis is the mapping of the global operator to the instance method."); + return methods; +} + +gsi::Class decl_QHstsPolicy ("QtNetwork", "QHstsPolicy", + methods_QHstsPolicy (), + "@qt\n@brief Binding of QHstsPolicy"); + + +GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QHstsPolicy () { return decl_QHstsPolicy; } + +} + + +// Implementation of the enum wrapper class for QHstsPolicy::PolicyFlag +namespace qt_gsi +{ + +static gsi::Enum decl_QHstsPolicy_PolicyFlag_Enum ("QtNetwork", "QHstsPolicy_PolicyFlag", + gsi::enum_const ("IncludeSubDomains", QHstsPolicy::IncludeSubDomains, "@brief Enum constant QHstsPolicy::IncludeSubDomains"), + "@qt\n@brief This class represents the QHstsPolicy::PolicyFlag enum"); + +static gsi::QFlagsClass decl_QHstsPolicy_PolicyFlag_Enums ("QtNetwork", "QHstsPolicy_QFlags_PolicyFlag", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_QHstsPolicy_PolicyFlag_Enum_in_parent (decl_QHstsPolicy_PolicyFlag_Enum.defs ()); +static gsi::ClassExt decl_QHstsPolicy_PolicyFlag_Enum_as_child (decl_QHstsPolicy_PolicyFlag_Enum, "PolicyFlag"); +static gsi::ClassExt decl_QHstsPolicy_PolicyFlag_Enums_as_child (decl_QHstsPolicy_PolicyFlag_Enums, "QFlags_PolicyFlag"); + +} + diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQHttpMultiPart.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQHttpMultiPart.cc index 997629294b..122774ec83 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQHttpMultiPart.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQHttpMultiPart.cc @@ -264,33 +264,33 @@ class QHttpMultiPart_Adaptor : public QHttpMultiPart, public qt_gsi::QtObjectBas emit QHttpMultiPart::destroyed(arg1); } - // [adaptor impl] bool QHttpMultiPart::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QHttpMultiPart::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QHttpMultiPart::event(arg1); + return QHttpMultiPart::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QHttpMultiPart_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QHttpMultiPart_Adaptor::cbs_event_1217_0, _event); } else { - return QHttpMultiPart::event(arg1); + return QHttpMultiPart::event(_event); } } - // [adaptor impl] bool QHttpMultiPart::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QHttpMultiPart::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QHttpMultiPart::eventFilter(arg1, arg2); + return QHttpMultiPart::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QHttpMultiPart_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QHttpMultiPart_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QHttpMultiPart::eventFilter(arg1, arg2); + return QHttpMultiPart::eventFilter(watched, event); } } @@ -301,33 +301,33 @@ class QHttpMultiPart_Adaptor : public QHttpMultiPart, public qt_gsi::QtObjectBas throw tl::Exception ("Can't emit private signal 'void QHttpMultiPart::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QHttpMultiPart::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QHttpMultiPart::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QHttpMultiPart::childEvent(arg1); + QHttpMultiPart::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QHttpMultiPart_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QHttpMultiPart_Adaptor::cbs_childEvent_1701_0, event); } else { - QHttpMultiPart::childEvent(arg1); + QHttpMultiPart::childEvent(event); } } - // [adaptor impl] void QHttpMultiPart::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QHttpMultiPart::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QHttpMultiPart::customEvent(arg1); + QHttpMultiPart::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QHttpMultiPart_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QHttpMultiPart_Adaptor::cbs_customEvent_1217_0, event); } else { - QHttpMultiPart::customEvent(arg1); + QHttpMultiPart::customEvent(event); } } @@ -346,18 +346,18 @@ class QHttpMultiPart_Adaptor : public QHttpMultiPart, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QHttpMultiPart::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QHttpMultiPart::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QHttpMultiPart::timerEvent(arg1); + QHttpMultiPart::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QHttpMultiPart_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QHttpMultiPart_Adaptor::cbs_timerEvent_1730_0, event); } else { - QHttpMultiPart::timerEvent(arg1); + QHttpMultiPart::timerEvent(event); } } @@ -375,7 +375,7 @@ QHttpMultiPart_Adaptor::~QHttpMultiPart_Adaptor() { } static void _init_ctor_QHttpMultiPart_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -384,7 +384,7 @@ static void _call_ctor_QHttpMultiPart_Adaptor_1302 (const qt_gsi::GenericStaticM { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QHttpMultiPart_Adaptor (arg1)); } @@ -395,7 +395,7 @@ static void _init_ctor_QHttpMultiPart_Adaptor_4322 (qt_gsi::GenericStaticMethod { static gsi::ArgSpecBase argspec_0 ("contentType"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -405,16 +405,16 @@ static void _call_ctor_QHttpMultiPart_Adaptor_4322 (const qt_gsi::GenericStaticM __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QHttpMultiPart_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2)); } -// void QHttpMultiPart::childEvent(QChildEvent *) +// void QHttpMultiPart::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -434,11 +434,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QHttpMultiPart::customEvent(QEvent *) +// void QHttpMultiPart::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -462,7 +462,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -471,7 +471,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QHttpMultiPart_Adaptor *)cls)->emitter_QHttpMultiPart_destroyed_1302 (arg1); } @@ -500,11 +500,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QHttpMultiPart::event(QEvent *) +// bool QHttpMultiPart::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -523,13 +523,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QHttpMultiPart::eventFilter(QObject *, QEvent *) +// bool QHttpMultiPart::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -631,11 +631,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QHttpMultiPart::timerEvent(QTimerEvent *) +// void QHttpMultiPart::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -664,23 +664,23 @@ static gsi::Methods methods_QHttpMultiPart_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QHttpMultiPart::QHttpMultiPart(QObject *parent)\nThis method creates an object of class QHttpMultiPart.", &_init_ctor_QHttpMultiPart_Adaptor_1302, &_call_ctor_QHttpMultiPart_Adaptor_1302); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QHttpMultiPart::QHttpMultiPart(QHttpMultiPart::ContentType contentType, QObject *parent)\nThis method creates an object of class QHttpMultiPart.", &_init_ctor_QHttpMultiPart_Adaptor_4322, &_call_ctor_QHttpMultiPart_Adaptor_4322); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QHttpMultiPart::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QHttpMultiPart::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QHttpMultiPart::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QHttpMultiPart::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QHttpMultiPart::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QHttpMultiPart::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QHttpMultiPart::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QHttpMultiPart::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QHttpMultiPart::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QHttpMultiPart::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QHttpMultiPart::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QHttpMultiPart::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QHttpMultiPart::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QHttpMultiPart::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QHttpMultiPart::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QHttpMultiPart::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QHttpMultiPart::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQLocalServer.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQLocalServer.cc index aae1f0b037..9bc3fd6b78 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQLocalServer.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQLocalServer.cc @@ -269,6 +269,21 @@ static void _call_f_setSocketOptions_3701 (const qt_gsi::GenericMethod * /*decl* } +// QIntegerForSizeof::Signed QLocalServer::socketDescriptor() + + +static void _init_f_socketDescriptor_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::Signed > (); +} + +static void _call_f_socketDescriptor_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::Signed > ((QIntegerForSizeof::Signed)((QLocalServer *)cls)->socketDescriptor ()); +} + + // QFlags QLocalServer::socketOptions() @@ -291,7 +306,7 @@ static void _init_f_waitForNewConnection_1709 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("msec", true, "0"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("timedOut", true, "0"); + static gsi::ArgSpecBase argspec_1 ("timedOut", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -301,7 +316,7 @@ static void _call_f_waitForNewConnection_1709 (const qt_gsi::GenericMethod * /*d __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; int arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QLocalServer *)cls)->waitForNewConnection (arg1, arg2)); } @@ -394,6 +409,7 @@ static gsi::Methods methods_QLocalServer () { methods += new qt_gsi::GenericMethod ("serverName", "@brief Method QString QLocalServer::serverName()\n", true, &_init_f_serverName_c0, &_call_f_serverName_c0); methods += new qt_gsi::GenericMethod ("setMaxPendingConnections|maxPendingConnections=", "@brief Method void QLocalServer::setMaxPendingConnections(int numConnections)\n", false, &_init_f_setMaxPendingConnections_767, &_call_f_setMaxPendingConnections_767); methods += new qt_gsi::GenericMethod ("setSocketOptions|socketOptions=", "@brief Method void QLocalServer::setSocketOptions(QFlags options)\n", false, &_init_f_setSocketOptions_3701, &_call_f_setSocketOptions_3701); + methods += new qt_gsi::GenericMethod ("socketDescriptor", "@brief Method QIntegerForSizeof::Signed QLocalServer::socketDescriptor()\n", true, &_init_f_socketDescriptor_c0, &_call_f_socketDescriptor_c0); methods += new qt_gsi::GenericMethod (":socketOptions", "@brief Method QFlags QLocalServer::socketOptions()\n", true, &_init_f_socketOptions_c0, &_call_f_socketOptions_c0); methods += new qt_gsi::GenericMethod ("waitForNewConnection", "@brief Method bool QLocalServer::waitForNewConnection(int msec, bool *timedOut)\n", false, &_init_f_waitForNewConnection_1709, &_call_f_waitForNewConnection_1709); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QLocalServer::destroyed(QObject *)\nYou can bind a procedure to this signal."); @@ -460,33 +476,33 @@ class QLocalServer_Adaptor : public QLocalServer, public qt_gsi::QtObjectBase emit QLocalServer::destroyed(arg1); } - // [adaptor impl] bool QLocalServer::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QLocalServer::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QLocalServer::event(arg1); + return QLocalServer::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QLocalServer_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QLocalServer_Adaptor::cbs_event_1217_0, _event); } else { - return QLocalServer::event(arg1); + return QLocalServer::event(_event); } } - // [adaptor impl] bool QLocalServer::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QLocalServer::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QLocalServer::eventFilter(arg1, arg2); + return QLocalServer::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QLocalServer_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QLocalServer_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QLocalServer::eventFilter(arg1, arg2); + return QLocalServer::eventFilter(watched, event); } } @@ -533,33 +549,33 @@ class QLocalServer_Adaptor : public QLocalServer, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QLocalServer::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QLocalServer::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QLocalServer::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QLocalServer::childEvent(arg1); + QLocalServer::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QLocalServer_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QLocalServer_Adaptor::cbs_childEvent_1701_0, event); } else { - QLocalServer::childEvent(arg1); + QLocalServer::childEvent(event); } } - // [adaptor impl] void QLocalServer::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QLocalServer::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QLocalServer::customEvent(arg1); + QLocalServer::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QLocalServer_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QLocalServer_Adaptor::cbs_customEvent_1217_0, event); } else { - QLocalServer::customEvent(arg1); + QLocalServer::customEvent(event); } } @@ -593,18 +609,18 @@ class QLocalServer_Adaptor : public QLocalServer, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLocalServer::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QLocalServer::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QLocalServer::timerEvent(arg1); + QLocalServer::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QLocalServer_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QLocalServer_Adaptor::cbs_timerEvent_1730_0, event); } else { - QLocalServer::timerEvent(arg1); + QLocalServer::timerEvent(event); } } @@ -625,7 +641,7 @@ QLocalServer_Adaptor::~QLocalServer_Adaptor() { } static void _init_ctor_QLocalServer_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -634,16 +650,16 @@ static void _call_ctor_QLocalServer_Adaptor_1302 (const qt_gsi::GenericStaticMet { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QLocalServer_Adaptor (arg1)); } -// void QLocalServer::childEvent(QChildEvent *) +// void QLocalServer::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -663,11 +679,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QLocalServer::customEvent(QEvent *) +// void QLocalServer::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -691,7 +707,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -700,7 +716,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QLocalServer_Adaptor *)cls)->emitter_QLocalServer_destroyed_1302 (arg1); } @@ -729,11 +745,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QLocalServer::event(QEvent *) +// bool QLocalServer::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -752,13 +768,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QLocalServer::eventFilter(QObject *, QEvent *) +// bool QLocalServer::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -936,11 +952,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QLocalServer::timerEvent(QTimerEvent *) +// void QLocalServer::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -968,16 +984,16 @@ gsi::Class &qtdecl_QLocalServer (); static gsi::Methods methods_QLocalServer_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QLocalServer::QLocalServer(QObject *parent)\nThis method creates an object of class QLocalServer.", &_init_ctor_QLocalServer_Adaptor_1302, &_call_ctor_QLocalServer_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QLocalServer::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QLocalServer::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QLocalServer::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QLocalServer::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QLocalServer::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QLocalServer::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QLocalServer::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QLocalServer::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QLocalServer::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QLocalServer::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("hasPendingConnections", "@brief Virtual method bool QLocalServer::hasPendingConnections()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasPendingConnections_c0_0, &_call_cbs_hasPendingConnections_c0_0); methods += new qt_gsi::GenericMethod ("hasPendingConnections", "@hide", true, &_init_cbs_hasPendingConnections_c0_0, &_call_cbs_hasPendingConnections_c0_0, &_set_callback_cbs_hasPendingConnections_c0_0); @@ -991,7 +1007,7 @@ static gsi::Methods methods_QLocalServer_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QLocalServer::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QLocalServer::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QLocalServer::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QLocalServer::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QLocalServer::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQLocalSocket.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQLocalSocket.cc index 8974d691a0..0984038bb4 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQLocalSocket.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQLocalSocket.cc @@ -57,7 +57,7 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g static void _init_ctor_QLocalSocket_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -66,7 +66,7 @@ static void _call_ctor_QLocalSocket_1302 (const qt_gsi::GenericStaticMethod * /* { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QLocalSocket (arg1)); } @@ -587,6 +587,8 @@ static gsi::Methods methods_QLocalSocket () { methods += new qt_gsi::GenericMethod ("waitForReadyRead", "@brief Method bool QLocalSocket::waitForReadyRead(int msecs)\nThis is a reimplementation of QIODevice::waitForReadyRead", false, &_init_f_waitForReadyRead_767, &_call_f_waitForReadyRead_767); methods += gsi::qt_signal ("aboutToClose()", "aboutToClose", "@brief Signal declaration for QLocalSocket::aboutToClose()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("bytesWritten(qint64)", "bytesWritten", gsi::arg("bytes"), "@brief Signal declaration for QLocalSocket::bytesWritten(qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelBytesWritten(int, qint64)", "channelBytesWritten", gsi::arg("channel"), gsi::arg("bytes"), "@brief Signal declaration for QLocalSocket::channelBytesWritten(int channel, qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelReadyRead(int)", "channelReadyRead", gsi::arg("channel"), "@brief Signal declaration for QLocalSocket::channelReadyRead(int channel)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("connected()", "connected", "@brief Signal declaration for QLocalSocket::connected()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QLocalSocket::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("disconnected()", "disconnected", "@brief Signal declaration for QLocalSocket::disconnected()\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAccessManager.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAccessManager.cc index e9555a59e2..07c3218460 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAccessManager.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAccessManager.cc @@ -32,6 +32,7 @@ #include #include #include +#include #include #include #include @@ -82,6 +83,26 @@ static void _call_f_activeConfiguration_c0 (const qt_gsi::GenericMethod * /*decl } +// void QNetworkAccessManager::addStrictTransportSecurityHosts(const QVector &knownHosts) + + +static void _init_f_addStrictTransportSecurityHosts_3266 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("knownHosts"); + decl->add_arg & > (argspec_0); + decl->set_return (); +} + +static void _call_f_addStrictTransportSecurityHosts_3266 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QVector &arg1 = gsi::arg_reader & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QNetworkAccessManager *)cls)->addStrictTransportSecurityHosts (arg1); +} + + // QAbstractNetworkCache *QNetworkAccessManager::cache() @@ -113,6 +134,22 @@ static void _call_f_clearAccessCache_0 (const qt_gsi::GenericMethod * /*decl*/, } +// void QNetworkAccessManager::clearConnectionCache() + + +static void _init_f_clearConnectionCache_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_clearConnectionCache_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + ((QNetworkAccessManager *)cls)->clearConnectionCache (); +} + + // QNetworkConfiguration QNetworkAccessManager::configuration() @@ -211,6 +248,29 @@ static void _call_f_deleteResource_2885 (const qt_gsi::GenericMethod * /*decl*/, } +// void QNetworkAccessManager::enableStrictTransportSecurityStore(bool enabled, const QString &storeDir) + + +static void _init_f_enableStrictTransportSecurityStore_2781 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("enabled"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("storeDir", true, "QString()"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_enableStrictTransportSecurityStore_2781 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + const QString &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QNetworkAccessManager *)cls)->enableStrictTransportSecurityStore (arg1, arg2); +} + + // QNetworkReply *QNetworkAccessManager::get(const QNetworkRequest &request) @@ -249,6 +309,36 @@ static void _call_f_head_2885 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// bool QNetworkAccessManager::isStrictTransportSecurityEnabled() + + +static void _init_f_isStrictTransportSecurityEnabled_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isStrictTransportSecurityEnabled_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QNetworkAccessManager *)cls)->isStrictTransportSecurityEnabled ()); +} + + +// bool QNetworkAccessManager::isStrictTransportSecurityStoreEnabled() + + +static void _init_f_isStrictTransportSecurityStoreEnabled_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isStrictTransportSecurityStoreEnabled_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QNetworkAccessManager *)cls)->isStrictTransportSecurityStoreEnabled ()); +} + + // QNetworkAccessManager::NetworkAccessibility QNetworkAccessManager::networkAccessible() @@ -426,6 +516,21 @@ static void _call_f_put_4826 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// QNetworkRequest::RedirectPolicy QNetworkAccessManager::redirectPolicy() + + +static void _init_f_redirectPolicy_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_redirectPolicy_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QNetworkAccessManager *)cls)->redirectPolicy ())); +} + + // QNetworkReply *QNetworkAccessManager::sendCustomRequest(const QNetworkRequest &request, const QByteArray &verb, QIODevice *data) @@ -435,7 +540,7 @@ static void _init_f_sendCustomRequest_6425 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("verb"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("data", true, "0"); + static gsi::ArgSpecBase argspec_2 ("data", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -446,7 +551,57 @@ static void _call_f_sendCustomRequest_6425 (const qt_gsi::GenericMethod * /*decl tl::Heap heap; const QNetworkRequest &arg1 = gsi::arg_reader() (args, heap); const QByteArray &arg2 = gsi::arg_reader() (args, heap); - QIODevice *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QIODevice *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ret.write ((QNetworkReply *)((QNetworkAccessManager *)cls)->sendCustomRequest (arg1, arg2, arg3)); +} + + +// QNetworkReply *QNetworkAccessManager::sendCustomRequest(const QNetworkRequest &request, const QByteArray &verb, const QByteArray &data) + + +static void _init_f_sendCustomRequest_7287 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("request"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("verb"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("data"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_f_sendCustomRequest_7287 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QNetworkRequest &arg1 = gsi::arg_reader() (args, heap); + const QByteArray &arg2 = gsi::arg_reader() (args, heap); + const QByteArray &arg3 = gsi::arg_reader() (args, heap); + ret.write ((QNetworkReply *)((QNetworkAccessManager *)cls)->sendCustomRequest (arg1, arg2, arg3)); +} + + +// QNetworkReply *QNetworkAccessManager::sendCustomRequest(const QNetworkRequest &request, const QByteArray &verb, QHttpMultiPart *multiPart) + + +static void _init_f_sendCustomRequest_7027 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("request"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("verb"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("multiPart"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_f_sendCustomRequest_7027 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QNetworkRequest &arg1 = gsi::arg_reader() (args, heap); + const QByteArray &arg2 = gsi::arg_reader() (args, heap); + QHttpMultiPart *arg3 = gsi::arg_reader() (args, heap); ret.write ((QNetworkReply *)((QNetworkAccessManager *)cls)->sendCustomRequest (arg1, arg2, arg3)); } @@ -571,6 +726,61 @@ static void _call_f_setProxyFactory_2723 (const qt_gsi::GenericMethod * /*decl*/ } +// void QNetworkAccessManager::setRedirectPolicy(QNetworkRequest::RedirectPolicy policy) + + +static void _init_f_setRedirectPolicy_3566 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("policy"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_setRedirectPolicy_3566 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QNetworkAccessManager *)cls)->setRedirectPolicy (qt_gsi::QtToCppAdaptor(arg1).cref()); +} + + +// void QNetworkAccessManager::setStrictTransportSecurityEnabled(bool enabled) + + +static void _init_f_setStrictTransportSecurityEnabled_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("enabled"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setStrictTransportSecurityEnabled_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QNetworkAccessManager *)cls)->setStrictTransportSecurityEnabled (arg1); +} + + +// QVector QNetworkAccessManager::strictTransportSecurityHosts() + + +static void _init_f_strictTransportSecurityHosts_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return > (); +} + +static void _call_f_strictTransportSecurityHosts_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write > ((QVector)((QNetworkAccessManager *)cls)->strictTransportSecurityHosts ()); +} + + // QStringList QNetworkAccessManager::supportedSchemes() @@ -643,15 +853,20 @@ static gsi::Methods methods_QNetworkAccessManager () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("activeConfiguration", "@brief Method QNetworkConfiguration QNetworkAccessManager::activeConfiguration()\n", true, &_init_f_activeConfiguration_c0, &_call_f_activeConfiguration_c0); + methods += new qt_gsi::GenericMethod ("addStrictTransportSecurityHosts", "@brief Method void QNetworkAccessManager::addStrictTransportSecurityHosts(const QVector &knownHosts)\n", false, &_init_f_addStrictTransportSecurityHosts_3266, &_call_f_addStrictTransportSecurityHosts_3266); methods += new qt_gsi::GenericMethod (":cache", "@brief Method QAbstractNetworkCache *QNetworkAccessManager::cache()\n", true, &_init_f_cache_c0, &_call_f_cache_c0); methods += new qt_gsi::GenericMethod ("clearAccessCache", "@brief Method void QNetworkAccessManager::clearAccessCache()\n", false, &_init_f_clearAccessCache_0, &_call_f_clearAccessCache_0); + methods += new qt_gsi::GenericMethod ("clearConnectionCache", "@brief Method void QNetworkAccessManager::clearConnectionCache()\n", false, &_init_f_clearConnectionCache_0, &_call_f_clearConnectionCache_0); methods += new qt_gsi::GenericMethod (":configuration", "@brief Method QNetworkConfiguration QNetworkAccessManager::configuration()\n", true, &_init_f_configuration_c0, &_call_f_configuration_c0); methods += new qt_gsi::GenericMethod ("connectToHost", "@brief Method void QNetworkAccessManager::connectToHost(const QString &hostName, quint16 port)\n", false, &_init_f_connectToHost_3017, &_call_f_connectToHost_3017); methods += new qt_gsi::GenericMethod ("connectToHostEncrypted", "@brief Method void QNetworkAccessManager::connectToHostEncrypted(const QString &hostName, quint16 port, const QSslConfiguration &sslConfiguration)\n", false, &_init_f_connectToHostEncrypted_5977, &_call_f_connectToHostEncrypted_5977); methods += new qt_gsi::GenericMethod (":cookieJar", "@brief Method QNetworkCookieJar *QNetworkAccessManager::cookieJar()\n", true, &_init_f_cookieJar_c0, &_call_f_cookieJar_c0); methods += new qt_gsi::GenericMethod ("deleteResource", "@brief Method QNetworkReply *QNetworkAccessManager::deleteResource(const QNetworkRequest &request)\n", false, &_init_f_deleteResource_2885, &_call_f_deleteResource_2885); + methods += new qt_gsi::GenericMethod ("enableStrictTransportSecurityStore", "@brief Method void QNetworkAccessManager::enableStrictTransportSecurityStore(bool enabled, const QString &storeDir)\n", false, &_init_f_enableStrictTransportSecurityStore_2781, &_call_f_enableStrictTransportSecurityStore_2781); methods += new qt_gsi::GenericMethod ("get", "@brief Method QNetworkReply *QNetworkAccessManager::get(const QNetworkRequest &request)\n", false, &_init_f_get_2885, &_call_f_get_2885); methods += new qt_gsi::GenericMethod ("head", "@brief Method QNetworkReply *QNetworkAccessManager::head(const QNetworkRequest &request)\n", false, &_init_f_head_2885, &_call_f_head_2885); + methods += new qt_gsi::GenericMethod ("isStrictTransportSecurityEnabled?", "@brief Method bool QNetworkAccessManager::isStrictTransportSecurityEnabled()\n", true, &_init_f_isStrictTransportSecurityEnabled_c0, &_call_f_isStrictTransportSecurityEnabled_c0); + methods += new qt_gsi::GenericMethod ("isStrictTransportSecurityStoreEnabled?", "@brief Method bool QNetworkAccessManager::isStrictTransportSecurityStoreEnabled()\n", true, &_init_f_isStrictTransportSecurityStoreEnabled_c0, &_call_f_isStrictTransportSecurityStoreEnabled_c0); methods += new qt_gsi::GenericMethod (":networkAccessible", "@brief Method QNetworkAccessManager::NetworkAccessibility QNetworkAccessManager::networkAccessible()\n", true, &_init_f_networkAccessible_c0, &_call_f_networkAccessible_c0); methods += new qt_gsi::GenericMethod ("post", "@brief Method QNetworkReply *QNetworkAccessManager::post(const QNetworkRequest &request, QIODevice *data)\n", false, &_init_f_post_4224, &_call_f_post_4224); methods += new qt_gsi::GenericMethod ("post", "@brief Method QNetworkReply *QNetworkAccessManager::post(const QNetworkRequest &request, const QByteArray &data)\n", false, &_init_f_post_5086, &_call_f_post_5086); @@ -661,13 +876,19 @@ static gsi::Methods methods_QNetworkAccessManager () { methods += new qt_gsi::GenericMethod ("put", "@brief Method QNetworkReply *QNetworkAccessManager::put(const QNetworkRequest &request, QIODevice *data)\n", false, &_init_f_put_4224, &_call_f_put_4224); methods += new qt_gsi::GenericMethod ("put", "@brief Method QNetworkReply *QNetworkAccessManager::put(const QNetworkRequest &request, const QByteArray &data)\n", false, &_init_f_put_5086, &_call_f_put_5086); methods += new qt_gsi::GenericMethod ("put", "@brief Method QNetworkReply *QNetworkAccessManager::put(const QNetworkRequest &request, QHttpMultiPart *multiPart)\n", false, &_init_f_put_4826, &_call_f_put_4826); + methods += new qt_gsi::GenericMethod ("redirectPolicy", "@brief Method QNetworkRequest::RedirectPolicy QNetworkAccessManager::redirectPolicy()\n", true, &_init_f_redirectPolicy_c0, &_call_f_redirectPolicy_c0); methods += new qt_gsi::GenericMethod ("sendCustomRequest", "@brief Method QNetworkReply *QNetworkAccessManager::sendCustomRequest(const QNetworkRequest &request, const QByteArray &verb, QIODevice *data)\n", false, &_init_f_sendCustomRequest_6425, &_call_f_sendCustomRequest_6425); + methods += new qt_gsi::GenericMethod ("sendCustomRequest", "@brief Method QNetworkReply *QNetworkAccessManager::sendCustomRequest(const QNetworkRequest &request, const QByteArray &verb, const QByteArray &data)\n", false, &_init_f_sendCustomRequest_7287, &_call_f_sendCustomRequest_7287); + methods += new qt_gsi::GenericMethod ("sendCustomRequest", "@brief Method QNetworkReply *QNetworkAccessManager::sendCustomRequest(const QNetworkRequest &request, const QByteArray &verb, QHttpMultiPart *multiPart)\n", false, &_init_f_sendCustomRequest_7027, &_call_f_sendCustomRequest_7027); methods += new qt_gsi::GenericMethod ("setCache|cache=", "@brief Method void QNetworkAccessManager::setCache(QAbstractNetworkCache *cache)\n", false, &_init_f_setCache_2737, &_call_f_setCache_2737); methods += new qt_gsi::GenericMethod ("setConfiguration|configuration=", "@brief Method void QNetworkAccessManager::setConfiguration(const QNetworkConfiguration &config)\n", false, &_init_f_setConfiguration_3508, &_call_f_setConfiguration_3508); methods += new qt_gsi::GenericMethod ("setCookieJar|cookieJar=", "@brief Method void QNetworkAccessManager::setCookieJar(QNetworkCookieJar *cookieJar)\n", false, &_init_f_setCookieJar_2336, &_call_f_setCookieJar_2336); methods += new qt_gsi::GenericMethod ("setNetworkAccessible|networkAccessible=", "@brief Method void QNetworkAccessManager::setNetworkAccessible(QNetworkAccessManager::NetworkAccessibility accessible)\n", false, &_init_f_setNetworkAccessible_4770, &_call_f_setNetworkAccessible_4770); methods += new qt_gsi::GenericMethod ("setProxy|proxy=", "@brief Method void QNetworkAccessManager::setProxy(const QNetworkProxy &proxy)\n", false, &_init_f_setProxy_2686, &_call_f_setProxy_2686); methods += new qt_gsi::GenericMethod ("setProxyFactory|proxyFactory=", "@brief Method void QNetworkAccessManager::setProxyFactory(QNetworkProxyFactory *factory)\n", false, &_init_f_setProxyFactory_2723, &_call_f_setProxyFactory_2723); + methods += new qt_gsi::GenericMethod ("setRedirectPolicy", "@brief Method void QNetworkAccessManager::setRedirectPolicy(QNetworkRequest::RedirectPolicy policy)\n", false, &_init_f_setRedirectPolicy_3566, &_call_f_setRedirectPolicy_3566); + methods += new qt_gsi::GenericMethod ("setStrictTransportSecurityEnabled", "@brief Method void QNetworkAccessManager::setStrictTransportSecurityEnabled(bool enabled)\n", false, &_init_f_setStrictTransportSecurityEnabled_864, &_call_f_setStrictTransportSecurityEnabled_864); + methods += new qt_gsi::GenericMethod ("strictTransportSecurityHosts", "@brief Method QVector QNetworkAccessManager::strictTransportSecurityHosts()\n", true, &_init_f_strictTransportSecurityHosts_c0, &_call_f_strictTransportSecurityHosts_c0); methods += new qt_gsi::GenericMethod ("supportedSchemes", "@brief Method QStringList QNetworkAccessManager::supportedSchemes()\n", true, &_init_f_supportedSchemes_c0, &_call_f_supportedSchemes_c0); methods += gsi::qt_signal ("authenticationRequired(QNetworkReply *, QAuthenticator *)", "authenticationRequired", gsi::arg("reply"), gsi::arg("authenticator"), "@brief Signal declaration for QNetworkAccessManager::authenticationRequired(QNetworkReply *reply, QAuthenticator *authenticator)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QNetworkAccessManager::destroyed(QObject *)\nYou can bind a procedure to this signal."); @@ -756,33 +977,33 @@ class QNetworkAccessManager_Adaptor : public QNetworkAccessManager, public qt_gs emit QNetworkAccessManager::encrypted(reply); } - // [adaptor impl] bool QNetworkAccessManager::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QNetworkAccessManager::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QNetworkAccessManager::event(arg1); + return QNetworkAccessManager::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QNetworkAccessManager_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QNetworkAccessManager_Adaptor::cbs_event_1217_0, _event); } else { - return QNetworkAccessManager::event(arg1); + return QNetworkAccessManager::event(_event); } } - // [adaptor impl] bool QNetworkAccessManager::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QNetworkAccessManager::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QNetworkAccessManager::eventFilter(arg1, arg2); + return QNetworkAccessManager::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QNetworkAccessManager_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QNetworkAccessManager_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QNetworkAccessManager::eventFilter(arg1, arg2); + return QNetworkAccessManager::eventFilter(watched, event); } } @@ -829,18 +1050,18 @@ class QNetworkAccessManager_Adaptor : public QNetworkAccessManager, public qt_gs emit QNetworkAccessManager::sslErrors(reply, errors); } - // [adaptor impl] void QNetworkAccessManager::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QNetworkAccessManager::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QNetworkAccessManager::childEvent(arg1); + QNetworkAccessManager::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QNetworkAccessManager_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QNetworkAccessManager_Adaptor::cbs_childEvent_1701_0, event); } else { - QNetworkAccessManager::childEvent(arg1); + QNetworkAccessManager::childEvent(event); } } @@ -859,18 +1080,18 @@ class QNetworkAccessManager_Adaptor : public QNetworkAccessManager, public qt_gs } } - // [adaptor impl] void QNetworkAccessManager::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QNetworkAccessManager::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QNetworkAccessManager::customEvent(arg1); + QNetworkAccessManager::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QNetworkAccessManager_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QNetworkAccessManager_Adaptor::cbs_customEvent_1217_0, event); } else { - QNetworkAccessManager::customEvent(arg1); + QNetworkAccessManager::customEvent(event); } } @@ -889,18 +1110,18 @@ class QNetworkAccessManager_Adaptor : public QNetworkAccessManager, public qt_gs } } - // [adaptor impl] void QNetworkAccessManager::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QNetworkAccessManager::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QNetworkAccessManager::timerEvent(arg1); + QNetworkAccessManager::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QNetworkAccessManager_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QNetworkAccessManager_Adaptor::cbs_timerEvent_1730_0, event); } else { - QNetworkAccessManager::timerEvent(arg1); + QNetworkAccessManager::timerEvent(event); } } @@ -919,7 +1140,7 @@ QNetworkAccessManager_Adaptor::~QNetworkAccessManager_Adaptor() { } static void _init_ctor_QNetworkAccessManager_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -928,7 +1149,7 @@ static void _call_ctor_QNetworkAccessManager_Adaptor_1302 (const qt_gsi::Generic { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QNetworkAccessManager_Adaptor (arg1)); } @@ -954,11 +1175,11 @@ static void _call_emitter_authenticationRequired_3939 (const qt_gsi::GenericMeth } -// void QNetworkAccessManager::childEvent(QChildEvent *) +// void QNetworkAccessManager::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1007,11 +1228,11 @@ static void _set_callback_cbs_createRequest_7733_1 (void *cls, const gsi::Callba } -// void QNetworkAccessManager::customEvent(QEvent *) +// void QNetworkAccessManager::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1035,7 +1256,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1044,7 +1265,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QNetworkAccessManager_Adaptor *)cls)->emitter_QNetworkAccessManager_destroyed_1302 (arg1); } @@ -1091,11 +1312,11 @@ static void _call_emitter_encrypted_1973 (const qt_gsi::GenericMethod * /*decl*/ } -// bool QNetworkAccessManager::event(QEvent *) +// bool QNetworkAccessManager::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1114,13 +1335,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QNetworkAccessManager::eventFilter(QObject *, QEvent *) +// bool QNetworkAccessManager::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1349,11 +1570,11 @@ static void _call_fp_supportedSchemesImplementation_c0 (const qt_gsi::GenericMet } -// void QNetworkAccessManager::timerEvent(QTimerEvent *) +// void QNetworkAccessManager::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1382,19 +1603,19 @@ static gsi::Methods methods_QNetworkAccessManager_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkAccessManager::QNetworkAccessManager(QObject *parent)\nThis method creates an object of class QNetworkAccessManager.", &_init_ctor_QNetworkAccessManager_Adaptor_1302, &_call_ctor_QNetworkAccessManager_Adaptor_1302); methods += new qt_gsi::GenericMethod ("emit_authenticationRequired", "@brief Emitter for signal void QNetworkAccessManager::authenticationRequired(QNetworkReply *reply, QAuthenticator *authenticator)\nCall this method to emit this signal.", false, &_init_emitter_authenticationRequired_3939, &_call_emitter_authenticationRequired_3939); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QNetworkAccessManager::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QNetworkAccessManager::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*createRequest", "@brief Virtual method QNetworkReply *QNetworkAccessManager::createRequest(QNetworkAccessManager::Operation op, const QNetworkRequest &request, QIODevice *outgoingData)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_createRequest_7733_1, &_call_cbs_createRequest_7733_1); methods += new qt_gsi::GenericMethod ("*createRequest", "@hide", false, &_init_cbs_createRequest_7733_1, &_call_cbs_createRequest_7733_1, &_set_callback_cbs_createRequest_7733_1); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QNetworkAccessManager::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QNetworkAccessManager::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QNetworkAccessManager::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QNetworkAccessManager::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("emit_encrypted", "@brief Emitter for signal void QNetworkAccessManager::encrypted(QNetworkReply *reply)\nCall this method to emit this signal.", false, &_init_emitter_encrypted_1973, &_call_emitter_encrypted_1973); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QNetworkAccessManager::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QNetworkAccessManager::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QNetworkAccessManager::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QNetworkAccessManager::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QNetworkAccessManager::finished(QNetworkReply *reply)\nCall this method to emit this signal.", false, &_init_emitter_finished_1973, &_call_emitter_finished_1973); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QNetworkAccessManager::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); @@ -1408,7 +1629,7 @@ static gsi::Methods methods_QNetworkAccessManager_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QNetworkAccessManager::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("emit_sslErrors", "@brief Emitter for signal void QNetworkAccessManager::sslErrors(QNetworkReply *reply, const QList &errors)\nCall this method to emit this signal.", false, &_init_emitter_sslErrors_4702, &_call_emitter_sslErrors_4702); methods += new qt_gsi::GenericMethod ("*supportedSchemesImplementation", "@brief Method QStringList QNetworkAccessManager::supportedSchemesImplementation()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_supportedSchemesImplementation_c0, &_call_fp_supportedSchemesImplementation_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QNetworkAccessManager::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QNetworkAccessManager::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAddressEntry.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAddressEntry.cc index f22673d759..ae185a117b 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAddressEntry.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAddressEntry.cc @@ -28,6 +28,7 @@ */ #include +#include #include #include "gsiQt.h" #include "gsiQtNetworkCommon.h" @@ -85,6 +86,37 @@ static void _call_f_broadcast_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } +// void QNetworkAddressEntry::clearAddressLifetime() + + +static void _init_f_clearAddressLifetime_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_clearAddressLifetime_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + ((QNetworkAddressEntry *)cls)->clearAddressLifetime (); +} + + +// QNetworkAddressEntry::DnsEligibilityStatus QNetworkAddressEntry::dnsEligibility() + + +static void _init_f_dnsEligibility_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_dnsEligibility_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QNetworkAddressEntry *)cls)->dnsEligibility ())); +} + + // QHostAddress QNetworkAddressEntry::ip() @@ -100,6 +132,51 @@ static void _call_f_ip_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gs } +// bool QNetworkAddressEntry::isLifetimeKnown() + + +static void _init_f_isLifetimeKnown_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isLifetimeKnown_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QNetworkAddressEntry *)cls)->isLifetimeKnown ()); +} + + +// bool QNetworkAddressEntry::isPermanent() + + +static void _init_f_isPermanent_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isPermanent_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QNetworkAddressEntry *)cls)->isPermanent ()); +} + + +// bool QNetworkAddressEntry::isTemporary() + + +static void _init_f_isTemporary_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isTemporary_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QNetworkAddressEntry *)cls)->isTemporary ()); +} + + // QHostAddress QNetworkAddressEntry::netmask() @@ -172,6 +249,21 @@ static void _call_f_operator_eq__eq__c3380 (const qt_gsi::GenericMethod * /*decl } +// QDeadlineTimer QNetworkAddressEntry::preferredLifetime() + + +static void _init_f_preferredLifetime_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_preferredLifetime_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QDeadlineTimer)((QNetworkAddressEntry *)cls)->preferredLifetime ()); +} + + // int QNetworkAddressEntry::prefixLength() @@ -187,6 +279,29 @@ static void _call_f_prefixLength_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } +// void QNetworkAddressEntry::setAddressLifetime(QDeadlineTimer preferred, QDeadlineTimer validity) + + +static void _init_f_setAddressLifetime_3532 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("preferred"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("validity"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_setAddressLifetime_3532 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QDeadlineTimer arg1 = gsi::arg_reader() (args, heap); + QDeadlineTimer arg2 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QNetworkAddressEntry *)cls)->setAddressLifetime (arg1, arg2); +} + + // void QNetworkAddressEntry::setBroadcast(const QHostAddress &newBroadcast) @@ -207,6 +322,26 @@ static void _call_f_setBroadcast_2518 (const qt_gsi::GenericMethod * /*decl*/, v } +// void QNetworkAddressEntry::setDnsEligibility(QNetworkAddressEntry::DnsEligibilityStatus status) + + +static void _init_f_setDnsEligibility_4699 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("status"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_setDnsEligibility_4699 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QNetworkAddressEntry *)cls)->setDnsEligibility (qt_gsi::QtToCppAdaptor(arg1).cref()); +} + + // void QNetworkAddressEntry::setIp(const QHostAddress &newIp) @@ -287,6 +422,21 @@ static void _call_f_swap_2685 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// QDeadlineTimer QNetworkAddressEntry::validityLifetime() + + +static void _init_f_validityLifetime_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_validityLifetime_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QDeadlineTimer)((QNetworkAddressEntry *)cls)->validityLifetime ()); +} + + namespace gsi { @@ -296,17 +446,26 @@ static gsi::Methods methods_QNetworkAddressEntry () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkAddressEntry::QNetworkAddressEntry()\nThis method creates an object of class QNetworkAddressEntry.", &_init_ctor_QNetworkAddressEntry_0, &_call_ctor_QNetworkAddressEntry_0); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkAddressEntry::QNetworkAddressEntry(const QNetworkAddressEntry &other)\nThis method creates an object of class QNetworkAddressEntry.", &_init_ctor_QNetworkAddressEntry_3380, &_call_ctor_QNetworkAddressEntry_3380); methods += new qt_gsi::GenericMethod (":broadcast", "@brief Method QHostAddress QNetworkAddressEntry::broadcast()\n", true, &_init_f_broadcast_c0, &_call_f_broadcast_c0); + methods += new qt_gsi::GenericMethod ("clearAddressLifetime", "@brief Method void QNetworkAddressEntry::clearAddressLifetime()\n", false, &_init_f_clearAddressLifetime_0, &_call_f_clearAddressLifetime_0); + methods += new qt_gsi::GenericMethod ("dnsEligibility", "@brief Method QNetworkAddressEntry::DnsEligibilityStatus QNetworkAddressEntry::dnsEligibility()\n", true, &_init_f_dnsEligibility_c0, &_call_f_dnsEligibility_c0); methods += new qt_gsi::GenericMethod (":ip", "@brief Method QHostAddress QNetworkAddressEntry::ip()\n", true, &_init_f_ip_c0, &_call_f_ip_c0); + methods += new qt_gsi::GenericMethod ("isLifetimeKnown?", "@brief Method bool QNetworkAddressEntry::isLifetimeKnown()\n", true, &_init_f_isLifetimeKnown_c0, &_call_f_isLifetimeKnown_c0); + methods += new qt_gsi::GenericMethod ("isPermanent?", "@brief Method bool QNetworkAddressEntry::isPermanent()\n", true, &_init_f_isPermanent_c0, &_call_f_isPermanent_c0); + methods += new qt_gsi::GenericMethod ("isTemporary?", "@brief Method bool QNetworkAddressEntry::isTemporary()\n", true, &_init_f_isTemporary_c0, &_call_f_isTemporary_c0); methods += new qt_gsi::GenericMethod (":netmask", "@brief Method QHostAddress QNetworkAddressEntry::netmask()\n", true, &_init_f_netmask_c0, &_call_f_netmask_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QNetworkAddressEntry::operator!=(const QNetworkAddressEntry &other)\n", true, &_init_f_operator_excl__eq__c3380, &_call_f_operator_excl__eq__c3380); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QNetworkAddressEntry &QNetworkAddressEntry::operator=(const QNetworkAddressEntry &other)\n", false, &_init_f_operator_eq__3380, &_call_f_operator_eq__3380); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QNetworkAddressEntry::operator==(const QNetworkAddressEntry &other)\n", true, &_init_f_operator_eq__eq__c3380, &_call_f_operator_eq__eq__c3380); + methods += new qt_gsi::GenericMethod ("preferredLifetime", "@brief Method QDeadlineTimer QNetworkAddressEntry::preferredLifetime()\n", true, &_init_f_preferredLifetime_c0, &_call_f_preferredLifetime_c0); methods += new qt_gsi::GenericMethod (":prefixLength", "@brief Method int QNetworkAddressEntry::prefixLength()\n", true, &_init_f_prefixLength_c0, &_call_f_prefixLength_c0); + methods += new qt_gsi::GenericMethod ("setAddressLifetime", "@brief Method void QNetworkAddressEntry::setAddressLifetime(QDeadlineTimer preferred, QDeadlineTimer validity)\n", false, &_init_f_setAddressLifetime_3532, &_call_f_setAddressLifetime_3532); methods += new qt_gsi::GenericMethod ("setBroadcast|broadcast=", "@brief Method void QNetworkAddressEntry::setBroadcast(const QHostAddress &newBroadcast)\n", false, &_init_f_setBroadcast_2518, &_call_f_setBroadcast_2518); + methods += new qt_gsi::GenericMethod ("setDnsEligibility", "@brief Method void QNetworkAddressEntry::setDnsEligibility(QNetworkAddressEntry::DnsEligibilityStatus status)\n", false, &_init_f_setDnsEligibility_4699, &_call_f_setDnsEligibility_4699); methods += new qt_gsi::GenericMethod ("setIp|ip=", "@brief Method void QNetworkAddressEntry::setIp(const QHostAddress &newIp)\n", false, &_init_f_setIp_2518, &_call_f_setIp_2518); methods += new qt_gsi::GenericMethod ("setNetmask|netmask=", "@brief Method void QNetworkAddressEntry::setNetmask(const QHostAddress &newNetmask)\n", false, &_init_f_setNetmask_2518, &_call_f_setNetmask_2518); methods += new qt_gsi::GenericMethod ("setPrefixLength|prefixLength=", "@brief Method void QNetworkAddressEntry::setPrefixLength(int length)\n", false, &_init_f_setPrefixLength_767, &_call_f_setPrefixLength_767); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QNetworkAddressEntry::swap(QNetworkAddressEntry &other)\n", false, &_init_f_swap_2685, &_call_f_swap_2685); + methods += new qt_gsi::GenericMethod ("validityLifetime", "@brief Method QDeadlineTimer QNetworkAddressEntry::validityLifetime()\n", true, &_init_f_validityLifetime_c0, &_call_f_validityLifetime_c0); return methods; } @@ -319,3 +478,24 @@ GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QNetworkAddressEnt } + +// Implementation of the enum wrapper class for QNetworkAddressEntry::DnsEligibilityStatus +namespace qt_gsi +{ + +static gsi::Enum decl_QNetworkAddressEntry_DnsEligibilityStatus_Enum ("QtNetwork", "QNetworkAddressEntry_DnsEligibilityStatus", + gsi::enum_const ("DnsEligibilityUnknown", QNetworkAddressEntry::DnsEligibilityUnknown, "@brief Enum constant QNetworkAddressEntry::DnsEligibilityUnknown") + + gsi::enum_const ("DnsIneligible", QNetworkAddressEntry::DnsIneligible, "@brief Enum constant QNetworkAddressEntry::DnsIneligible") + + gsi::enum_const ("DnsEligible", QNetworkAddressEntry::DnsEligible, "@brief Enum constant QNetworkAddressEntry::DnsEligible"), + "@qt\n@brief This class represents the QNetworkAddressEntry::DnsEligibilityStatus enum"); + +static gsi::QFlagsClass decl_QNetworkAddressEntry_DnsEligibilityStatus_Enums ("QtNetwork", "QNetworkAddressEntry_QFlags_DnsEligibilityStatus", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_QNetworkAddressEntry_DnsEligibilityStatus_Enum_in_parent (decl_QNetworkAddressEntry_DnsEligibilityStatus_Enum.defs ()); +static gsi::ClassExt decl_QNetworkAddressEntry_DnsEligibilityStatus_Enum_as_child (decl_QNetworkAddressEntry_DnsEligibilityStatus_Enum, "DnsEligibilityStatus"); +static gsi::ClassExt decl_QNetworkAddressEntry_DnsEligibilityStatus_Enums_as_child (decl_QNetworkAddressEntry_DnsEligibilityStatus_Enums, "QFlags_DnsEligibilityStatus"); + +} + diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkConfiguration.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkConfiguration.cc index 02811232c5..5b3e127324 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkConfiguration.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkConfiguration.cc @@ -129,6 +129,21 @@ static void _call_f_children_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } +// int QNetworkConfiguration::connectTimeout() + + +static void _init_f_connectTimeout_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_connectTimeout_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QNetworkConfiguration *)cls)->connectTimeout ()); +} + + // QString QNetworkConfiguration::identifier() @@ -261,6 +276,25 @@ static void _call_f_purpose_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cl } +// bool QNetworkConfiguration::setConnectTimeout(int timeout) + + +static void _init_f_setConnectTimeout_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("timeout"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setConnectTimeout_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QNetworkConfiguration *)cls)->setConnectTimeout (arg1)); +} + + // QFlags QNetworkConfiguration::state() @@ -323,6 +357,7 @@ static gsi::Methods methods_QNetworkConfiguration () { methods += new qt_gsi::GenericMethod ("bearerTypeFamily", "@brief Method QNetworkConfiguration::BearerType QNetworkConfiguration::bearerTypeFamily()\n", true, &_init_f_bearerTypeFamily_c0, &_call_f_bearerTypeFamily_c0); methods += new qt_gsi::GenericMethod ("bearerTypeName", "@brief Method QString QNetworkConfiguration::bearerTypeName()\n", true, &_init_f_bearerTypeName_c0, &_call_f_bearerTypeName_c0); methods += new qt_gsi::GenericMethod ("children", "@brief Method QList QNetworkConfiguration::children()\n", true, &_init_f_children_c0, &_call_f_children_c0); + methods += new qt_gsi::GenericMethod ("connectTimeout", "@brief Method int QNetworkConfiguration::connectTimeout()\n", true, &_init_f_connectTimeout_c0, &_call_f_connectTimeout_c0); methods += new qt_gsi::GenericMethod ("identifier", "@brief Method QString QNetworkConfiguration::identifier()\n", true, &_init_f_identifier_c0, &_call_f_identifier_c0); methods += new qt_gsi::GenericMethod ("isRoamingAvailable?", "@brief Method bool QNetworkConfiguration::isRoamingAvailable()\n", true, &_init_f_isRoamingAvailable_c0, &_call_f_isRoamingAvailable_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QNetworkConfiguration::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); @@ -331,6 +366,7 @@ static gsi::Methods methods_QNetworkConfiguration () { methods += new qt_gsi::GenericMethod ("assign", "@brief Method QNetworkConfiguration &QNetworkConfiguration::operator=(const QNetworkConfiguration &other)\n", false, &_init_f_operator_eq__3508, &_call_f_operator_eq__3508); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QNetworkConfiguration::operator==(const QNetworkConfiguration &other)\n", true, &_init_f_operator_eq__eq__c3508, &_call_f_operator_eq__eq__c3508); methods += new qt_gsi::GenericMethod ("purpose", "@brief Method QNetworkConfiguration::Purpose QNetworkConfiguration::purpose()\n", true, &_init_f_purpose_c0, &_call_f_purpose_c0); + methods += new qt_gsi::GenericMethod ("setConnectTimeout", "@brief Method bool QNetworkConfiguration::setConnectTimeout(int timeout)\n", false, &_init_f_setConnectTimeout_767, &_call_f_setConnectTimeout_767); methods += new qt_gsi::GenericMethod ("state", "@brief Method QFlags QNetworkConfiguration::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QNetworkConfiguration::swap(QNetworkConfiguration &other)\n", false, &_init_f_swap_2813, &_call_f_swap_2813); methods += new qt_gsi::GenericMethod ("type", "@brief Method QNetworkConfiguration::Type QNetworkConfiguration::type()\n", true, &_init_f_type_c0, &_call_f_type_c0); diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkConfigurationManager.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkConfigurationManager.cc index 752f54e365..188dc6d174 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkConfigurationManager.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkConfigurationManager.cc @@ -60,7 +60,7 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g static void _init_f_allConfigurations_c4334 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_0 ("flags", true, "QNetworkConfiguration::StateFlags()"); decl->add_arg > (argspec_0); decl->set_return > (); } @@ -69,7 +69,7 @@ static void _call_f_allConfigurations_c4334 (const qt_gsi::GenericMethod * /*dec { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QFlags arg1 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg1 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QNetworkConfiguration::StateFlags(), heap); ret.write > ((QList)((QNetworkConfigurationManager *)cls)->allConfigurations (arg1)); } @@ -301,33 +301,33 @@ class QNetworkConfigurationManager_Adaptor : public QNetworkConfigurationManager emit QNetworkConfigurationManager::destroyed(arg1); } - // [adaptor impl] bool QNetworkConfigurationManager::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QNetworkConfigurationManager::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QNetworkConfigurationManager::event(arg1); + return QNetworkConfigurationManager::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QNetworkConfigurationManager_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QNetworkConfigurationManager_Adaptor::cbs_event_1217_0, _event); } else { - return QNetworkConfigurationManager::event(arg1); + return QNetworkConfigurationManager::event(_event); } } - // [adaptor impl] bool QNetworkConfigurationManager::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QNetworkConfigurationManager::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QNetworkConfigurationManager::eventFilter(arg1, arg2); + return QNetworkConfigurationManager::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QNetworkConfigurationManager_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QNetworkConfigurationManager_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QNetworkConfigurationManager::eventFilter(arg1, arg2); + return QNetworkConfigurationManager::eventFilter(watched, event); } } @@ -350,33 +350,33 @@ class QNetworkConfigurationManager_Adaptor : public QNetworkConfigurationManager emit QNetworkConfigurationManager::updateCompleted(); } - // [adaptor impl] void QNetworkConfigurationManager::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QNetworkConfigurationManager::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QNetworkConfigurationManager::childEvent(arg1); + QNetworkConfigurationManager::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QNetworkConfigurationManager_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QNetworkConfigurationManager_Adaptor::cbs_childEvent_1701_0, event); } else { - QNetworkConfigurationManager::childEvent(arg1); + QNetworkConfigurationManager::childEvent(event); } } - // [adaptor impl] void QNetworkConfigurationManager::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QNetworkConfigurationManager::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QNetworkConfigurationManager::customEvent(arg1); + QNetworkConfigurationManager::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QNetworkConfigurationManager_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QNetworkConfigurationManager_Adaptor::cbs_customEvent_1217_0, event); } else { - QNetworkConfigurationManager::customEvent(arg1); + QNetworkConfigurationManager::customEvent(event); } } @@ -395,18 +395,18 @@ class QNetworkConfigurationManager_Adaptor : public QNetworkConfigurationManager } } - // [adaptor impl] void QNetworkConfigurationManager::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QNetworkConfigurationManager::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QNetworkConfigurationManager::timerEvent(arg1); + QNetworkConfigurationManager::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QNetworkConfigurationManager_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QNetworkConfigurationManager_Adaptor::cbs_timerEvent_1730_0, event); } else { - QNetworkConfigurationManager::timerEvent(arg1); + QNetworkConfigurationManager::timerEvent(event); } } @@ -424,7 +424,7 @@ QNetworkConfigurationManager_Adaptor::~QNetworkConfigurationManager_Adaptor() { static void _init_ctor_QNetworkConfigurationManager_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -433,16 +433,16 @@ static void _call_ctor_QNetworkConfigurationManager_Adaptor_1302 (const qt_gsi:: { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QNetworkConfigurationManager_Adaptor (arg1)); } -// void QNetworkConfigurationManager::childEvent(QChildEvent *) +// void QNetworkConfigurationManager::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -516,11 +516,11 @@ static void _call_emitter_configurationRemoved_3508 (const qt_gsi::GenericMethod } -// void QNetworkConfigurationManager::customEvent(QEvent *) +// void QNetworkConfigurationManager::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -544,7 +544,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -553,7 +553,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QNetworkConfigurationManager_Adaptor *)cls)->emitter_QNetworkConfigurationManager_destroyed_1302 (arg1); } @@ -582,11 +582,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QNetworkConfigurationManager::event(QEvent *) +// bool QNetworkConfigurationManager::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -605,13 +605,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QNetworkConfigurationManager::eventFilter(QObject *, QEvent *) +// bool QNetworkConfigurationManager::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -731,11 +731,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QNetworkConfigurationManager::timerEvent(QTimerEvent *) +// void QNetworkConfigurationManager::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -777,19 +777,19 @@ gsi::Class &qtdecl_QNetworkConfigurationManager () static gsi::Methods methods_QNetworkConfigurationManager_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkConfigurationManager::QNetworkConfigurationManager(QObject *parent)\nThis method creates an object of class QNetworkConfigurationManager.", &_init_ctor_QNetworkConfigurationManager_Adaptor_1302, &_call_ctor_QNetworkConfigurationManager_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QNetworkConfigurationManager::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QNetworkConfigurationManager::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_configurationAdded", "@brief Emitter for signal void QNetworkConfigurationManager::configurationAdded(const QNetworkConfiguration &config)\nCall this method to emit this signal.", false, &_init_emitter_configurationAdded_3508, &_call_emitter_configurationAdded_3508); methods += new qt_gsi::GenericMethod ("emit_configurationChanged", "@brief Emitter for signal void QNetworkConfigurationManager::configurationChanged(const QNetworkConfiguration &config)\nCall this method to emit this signal.", false, &_init_emitter_configurationChanged_3508, &_call_emitter_configurationChanged_3508); methods += new qt_gsi::GenericMethod ("emit_configurationRemoved", "@brief Emitter for signal void QNetworkConfigurationManager::configurationRemoved(const QNetworkConfiguration &config)\nCall this method to emit this signal.", false, &_init_emitter_configurationRemoved_3508, &_call_emitter_configurationRemoved_3508); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QNetworkConfigurationManager::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QNetworkConfigurationManager::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QNetworkConfigurationManager::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QNetworkConfigurationManager::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QNetworkConfigurationManager::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QNetworkConfigurationManager::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QNetworkConfigurationManager::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QNetworkConfigurationManager::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QNetworkConfigurationManager::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QNetworkConfigurationManager::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); @@ -797,7 +797,7 @@ static gsi::Methods methods_QNetworkConfigurationManager_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QNetworkConfigurationManager::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QNetworkConfigurationManager::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QNetworkConfigurationManager::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QNetworkConfigurationManager::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QNetworkConfigurationManager::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_updateCompleted", "@brief Emitter for signal void QNetworkConfigurationManager::updateCompleted()\nCall this method to emit this signal.", false, &_init_emitter_updateCompleted_0, &_call_emitter_updateCompleted_0); return methods; diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkCookieJar.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkCookieJar.cc index 647df1a97e..4726157718 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkCookieJar.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkCookieJar.cc @@ -317,33 +317,33 @@ class QNetworkCookieJar_Adaptor : public QNetworkCookieJar, public qt_gsi::QtObj emit QNetworkCookieJar::destroyed(arg1); } - // [adaptor impl] bool QNetworkCookieJar::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QNetworkCookieJar::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QNetworkCookieJar::event(arg1); + return QNetworkCookieJar::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QNetworkCookieJar_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QNetworkCookieJar_Adaptor::cbs_event_1217_0, _event); } else { - return QNetworkCookieJar::event(arg1); + return QNetworkCookieJar::event(_event); } } - // [adaptor impl] bool QNetworkCookieJar::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QNetworkCookieJar::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QNetworkCookieJar::eventFilter(arg1, arg2); + return QNetworkCookieJar::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QNetworkCookieJar_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QNetworkCookieJar_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QNetworkCookieJar::eventFilter(arg1, arg2); + return QNetworkCookieJar::eventFilter(watched, event); } } @@ -399,33 +399,33 @@ class QNetworkCookieJar_Adaptor : public QNetworkCookieJar, public qt_gsi::QtObj } } - // [adaptor impl] void QNetworkCookieJar::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QNetworkCookieJar::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QNetworkCookieJar::childEvent(arg1); + QNetworkCookieJar::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QNetworkCookieJar_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QNetworkCookieJar_Adaptor::cbs_childEvent_1701_0, event); } else { - QNetworkCookieJar::childEvent(arg1); + QNetworkCookieJar::childEvent(event); } } - // [adaptor impl] void QNetworkCookieJar::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QNetworkCookieJar::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QNetworkCookieJar::customEvent(arg1); + QNetworkCookieJar::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QNetworkCookieJar_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QNetworkCookieJar_Adaptor::cbs_customEvent_1217_0, event); } else { - QNetworkCookieJar::customEvent(arg1); + QNetworkCookieJar::customEvent(event); } } @@ -444,18 +444,18 @@ class QNetworkCookieJar_Adaptor : public QNetworkCookieJar, public qt_gsi::QtObj } } - // [adaptor impl] void QNetworkCookieJar::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QNetworkCookieJar::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QNetworkCookieJar::timerEvent(arg1); + QNetworkCookieJar::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QNetworkCookieJar_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QNetworkCookieJar_Adaptor::cbs_timerEvent_1730_0, event); } else { - QNetworkCookieJar::timerEvent(arg1); + QNetworkCookieJar::timerEvent(event); } } @@ -494,7 +494,7 @@ QNetworkCookieJar_Adaptor::~QNetworkCookieJar_Adaptor() { } static void _init_ctor_QNetworkCookieJar_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -503,7 +503,7 @@ static void _call_ctor_QNetworkCookieJar_Adaptor_1302 (const qt_gsi::GenericStat { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QNetworkCookieJar_Adaptor (arg1)); } @@ -522,11 +522,11 @@ static void _call_fp_allCookies_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QNetworkCookieJar::childEvent(QChildEvent *) +// void QNetworkCookieJar::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -569,11 +569,11 @@ static void _set_callback_cbs_cookiesForUrl_c1701_0 (void *cls, const gsi::Callb } -// void QNetworkCookieJar::customEvent(QEvent *) +// void QNetworkCookieJar::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -620,7 +620,7 @@ static void _set_callback_cbs_deleteCookie_2742_0 (void *cls, const gsi::Callbac static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -629,7 +629,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QNetworkCookieJar_Adaptor *)cls)->emitter_QNetworkCookieJar_destroyed_1302 (arg1); } @@ -658,11 +658,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QNetworkCookieJar::event(QEvent *) +// bool QNetworkCookieJar::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -681,13 +681,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QNetworkCookieJar::eventFilter(QObject *, QEvent *) +// bool QNetworkCookieJar::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -857,11 +857,11 @@ static void _set_callback_cbs_setCookiesFromUrl_4950_0 (void *cls, const gsi::Ca } -// void QNetworkCookieJar::timerEvent(QTimerEvent *) +// void QNetworkCookieJar::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -939,20 +939,20 @@ static gsi::Methods methods_QNetworkCookieJar_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkCookieJar::QNetworkCookieJar(QObject *parent)\nThis method creates an object of class QNetworkCookieJar.", &_init_ctor_QNetworkCookieJar_Adaptor_1302, &_call_ctor_QNetworkCookieJar_Adaptor_1302); methods += new qt_gsi::GenericMethod ("*allCookies", "@brief Method QList QNetworkCookieJar::allCookies()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_allCookies_c0, &_call_fp_allCookies_c0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QNetworkCookieJar::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QNetworkCookieJar::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("cookiesForUrl", "@brief Virtual method QList QNetworkCookieJar::cookiesForUrl(const QUrl &url)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_cookiesForUrl_c1701_0, &_call_cbs_cookiesForUrl_c1701_0); methods += new qt_gsi::GenericMethod ("cookiesForUrl", "@hide", true, &_init_cbs_cookiesForUrl_c1701_0, &_call_cbs_cookiesForUrl_c1701_0, &_set_callback_cbs_cookiesForUrl_c1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QNetworkCookieJar::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QNetworkCookieJar::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("deleteCookie", "@brief Virtual method bool QNetworkCookieJar::deleteCookie(const QNetworkCookie &cookie)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_deleteCookie_2742_0, &_call_cbs_deleteCookie_2742_0); methods += new qt_gsi::GenericMethod ("deleteCookie", "@hide", false, &_init_cbs_deleteCookie_2742_0, &_call_cbs_deleteCookie_2742_0, &_set_callback_cbs_deleteCookie_2742_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QNetworkCookieJar::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QNetworkCookieJar::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QNetworkCookieJar::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QNetworkCookieJar::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QNetworkCookieJar::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QNetworkCookieJar::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("insertCookie", "@brief Virtual method bool QNetworkCookieJar::insertCookie(const QNetworkCookie &cookie)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_insertCookie_2742_0, &_call_cbs_insertCookie_2742_0); methods += new qt_gsi::GenericMethod ("insertCookie", "@hide", false, &_init_cbs_insertCookie_2742_0, &_call_cbs_insertCookie_2742_0, &_set_callback_cbs_insertCookie_2742_0); @@ -964,7 +964,7 @@ static gsi::Methods methods_QNetworkCookieJar_Adaptor () { methods += new qt_gsi::GenericMethod ("*setAllCookies", "@brief Method void QNetworkCookieJar::setAllCookies(const QList &cookieList)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_setAllCookies_3357, &_call_fp_setAllCookies_3357); methods += new qt_gsi::GenericMethod ("setCookiesFromUrl", "@brief Virtual method bool QNetworkCookieJar::setCookiesFromUrl(const QList &cookieList, const QUrl &url)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setCookiesFromUrl_4950_0, &_call_cbs_setCookiesFromUrl_4950_0); methods += new qt_gsi::GenericMethod ("setCookiesFromUrl", "@hide", false, &_init_cbs_setCookiesFromUrl_4950_0, &_call_cbs_setCookiesFromUrl_4950_0, &_set_callback_cbs_setCookiesFromUrl_4950_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QNetworkCookieJar::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QNetworkCookieJar::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("updateCookie", "@brief Virtual method bool QNetworkCookieJar::updateCookie(const QNetworkCookie &cookie)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_updateCookie_2742_0, &_call_cbs_updateCookie_2742_0); methods += new qt_gsi::GenericMethod ("updateCookie", "@hide", false, &_init_cbs_updateCookie_2742_0, &_call_cbs_updateCookie_2742_0, &_set_callback_cbs_updateCookie_2742_0); diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDatagram.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDatagram.cc new file mode 100644 index 0000000000..818e37bfdc --- /dev/null +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDatagram.cc @@ -0,0 +1,451 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +/** +* @file gsiDeclQNetworkDatagram.cc +* +* DO NOT EDIT THIS FILE. +* This file has been created automatically +*/ + +#include +#include +#include "gsiQt.h" +#include "gsiQtNetworkCommon.h" +#include + +// ----------------------------------------------------------------------- +// class QNetworkDatagram + +// Constructor QNetworkDatagram::QNetworkDatagram() + + +static void _init_ctor_QNetworkDatagram_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return_new (); +} + +static void _call_ctor_QNetworkDatagram_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write (new QNetworkDatagram ()); +} + + +// Constructor QNetworkDatagram::QNetworkDatagram(const QByteArray &data, const QHostAddress &destinationAddress, quint16 port) + + +static void _init_ctor_QNetworkDatagram_5711 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("data"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("destinationAddress", true, "QHostAddress()"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("port", true, "0"); + decl->add_arg (argspec_2); + decl->set_return_new (); +} + +static void _call_ctor_QNetworkDatagram_5711 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QByteArray &arg1 = gsi::arg_reader() (args, heap); + const QHostAddress &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QHostAddress(), heap); + quint16 arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + ret.write (new QNetworkDatagram (arg1, arg2, arg3)); +} + + +// Constructor QNetworkDatagram::QNetworkDatagram(const QNetworkDatagram &other) + + +static void _init_ctor_QNetworkDatagram_2941 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QNetworkDatagram_2941 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QNetworkDatagram &arg1 = gsi::arg_reader() (args, heap); + ret.write (new QNetworkDatagram (arg1)); +} + + +// void QNetworkDatagram::clear() + + +static void _init_f_clear_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_clear_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + ((QNetworkDatagram *)cls)->clear (); +} + + +// QByteArray QNetworkDatagram::data() + + +static void _init_f_data_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_data_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QByteArray)((QNetworkDatagram *)cls)->data ()); +} + + +// QHostAddress QNetworkDatagram::destinationAddress() + + +static void _init_f_destinationAddress_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_destinationAddress_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QHostAddress)((QNetworkDatagram *)cls)->destinationAddress ()); +} + + +// int QNetworkDatagram::destinationPort() + + +static void _init_f_destinationPort_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_destinationPort_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QNetworkDatagram *)cls)->destinationPort ()); +} + + +// int QNetworkDatagram::hopLimit() + + +static void _init_f_hopLimit_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_hopLimit_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QNetworkDatagram *)cls)->hopLimit ()); +} + + +// unsigned int QNetworkDatagram::interfaceIndex() + + +static void _init_f_interfaceIndex_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_interfaceIndex_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((unsigned int)((QNetworkDatagram *)cls)->interfaceIndex ()); +} + + +// bool QNetworkDatagram::isNull() + + +static void _init_f_isNull_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isNull_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QNetworkDatagram *)cls)->isNull ()); +} + + +// bool QNetworkDatagram::isValid() + + +static void _init_f_isValid_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isValid_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QNetworkDatagram *)cls)->isValid ()); +} + + +// QNetworkDatagram QNetworkDatagram::makeReply(const QByteArray &payload) + + +static void _init_f_makeReply_cr2309 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("payload"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_makeReply_cr2309 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QByteArray &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QNetworkDatagram)((QNetworkDatagram *)cls)->makeReply (arg1)); +} + + +// QNetworkDatagram &QNetworkDatagram::operator=(const QNetworkDatagram &other) + + +static void _init_f_operator_eq__2941 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_eq__2941 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QNetworkDatagram &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QNetworkDatagram &)((QNetworkDatagram *)cls)->operator= (arg1)); +} + + +// QHostAddress QNetworkDatagram::senderAddress() + + +static void _init_f_senderAddress_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_senderAddress_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QHostAddress)((QNetworkDatagram *)cls)->senderAddress ()); +} + + +// int QNetworkDatagram::senderPort() + + +static void _init_f_senderPort_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_senderPort_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QNetworkDatagram *)cls)->senderPort ()); +} + + +// void QNetworkDatagram::setData(const QByteArray &data) + + +static void _init_f_setData_2309 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("data"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setData_2309 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QByteArray &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QNetworkDatagram *)cls)->setData (arg1); +} + + +// void QNetworkDatagram::setDestination(const QHostAddress &address, quint16 port) + + +static void _init_f_setDestination_3510 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("address"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("port"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_setDestination_3510 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QHostAddress &arg1 = gsi::arg_reader() (args, heap); + quint16 arg2 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QNetworkDatagram *)cls)->setDestination (arg1, arg2); +} + + +// void QNetworkDatagram::setHopLimit(int count) + + +static void _init_f_setHopLimit_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("count"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setHopLimit_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QNetworkDatagram *)cls)->setHopLimit (arg1); +} + + +// void QNetworkDatagram::setInterfaceIndex(unsigned int index) + + +static void _init_f_setInterfaceIndex_1772 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("index"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setInterfaceIndex_1772 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + unsigned int arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QNetworkDatagram *)cls)->setInterfaceIndex (arg1); +} + + +// void QNetworkDatagram::setSender(const QHostAddress &address, quint16 port) + + +static void _init_f_setSender_3510 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("address"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("port", true, "0"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_setSender_3510 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QHostAddress &arg1 = gsi::arg_reader() (args, heap); + quint16 arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QNetworkDatagram *)cls)->setSender (arg1, arg2); +} + + +// void QNetworkDatagram::swap(QNetworkDatagram &other) + + +static void _init_f_swap_2246 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_swap_2246 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QNetworkDatagram &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QNetworkDatagram *)cls)->swap (arg1); +} + + + +namespace gsi +{ + +static gsi::Methods methods_QNetworkDatagram () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkDatagram::QNetworkDatagram()\nThis method creates an object of class QNetworkDatagram.", &_init_ctor_QNetworkDatagram_0, &_call_ctor_QNetworkDatagram_0); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkDatagram::QNetworkDatagram(const QByteArray &data, const QHostAddress &destinationAddress, quint16 port)\nThis method creates an object of class QNetworkDatagram.", &_init_ctor_QNetworkDatagram_5711, &_call_ctor_QNetworkDatagram_5711); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkDatagram::QNetworkDatagram(const QNetworkDatagram &other)\nThis method creates an object of class QNetworkDatagram.", &_init_ctor_QNetworkDatagram_2941, &_call_ctor_QNetworkDatagram_2941); + methods += new qt_gsi::GenericMethod ("clear", "@brief Method void QNetworkDatagram::clear()\n", false, &_init_f_clear_0, &_call_f_clear_0); + methods += new qt_gsi::GenericMethod ("data", "@brief Method QByteArray QNetworkDatagram::data()\n", true, &_init_f_data_c0, &_call_f_data_c0); + methods += new qt_gsi::GenericMethod ("destinationAddress", "@brief Method QHostAddress QNetworkDatagram::destinationAddress()\n", true, &_init_f_destinationAddress_c0, &_call_f_destinationAddress_c0); + methods += new qt_gsi::GenericMethod ("destinationPort", "@brief Method int QNetworkDatagram::destinationPort()\n", true, &_init_f_destinationPort_c0, &_call_f_destinationPort_c0); + methods += new qt_gsi::GenericMethod ("hopLimit", "@brief Method int QNetworkDatagram::hopLimit()\n", true, &_init_f_hopLimit_c0, &_call_f_hopLimit_c0); + methods += new qt_gsi::GenericMethod ("interfaceIndex", "@brief Method unsigned int QNetworkDatagram::interfaceIndex()\n", true, &_init_f_interfaceIndex_c0, &_call_f_interfaceIndex_c0); + methods += new qt_gsi::GenericMethod ("isNull?", "@brief Method bool QNetworkDatagram::isNull()\n", true, &_init_f_isNull_c0, &_call_f_isNull_c0); + methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QNetworkDatagram::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); + methods += new qt_gsi::GenericMethod ("makeReply", "@brief Method QNetworkDatagram QNetworkDatagram::makeReply(const QByteArray &payload)\n", true, &_init_f_makeReply_cr2309, &_call_f_makeReply_cr2309); + methods += new qt_gsi::GenericMethod ("assign", "@brief Method QNetworkDatagram &QNetworkDatagram::operator=(const QNetworkDatagram &other)\n", false, &_init_f_operator_eq__2941, &_call_f_operator_eq__2941); + methods += new qt_gsi::GenericMethod ("senderAddress", "@brief Method QHostAddress QNetworkDatagram::senderAddress()\n", true, &_init_f_senderAddress_c0, &_call_f_senderAddress_c0); + methods += new qt_gsi::GenericMethod ("senderPort", "@brief Method int QNetworkDatagram::senderPort()\n", true, &_init_f_senderPort_c0, &_call_f_senderPort_c0); + methods += new qt_gsi::GenericMethod ("setData", "@brief Method void QNetworkDatagram::setData(const QByteArray &data)\n", false, &_init_f_setData_2309, &_call_f_setData_2309); + methods += new qt_gsi::GenericMethod ("setDestination", "@brief Method void QNetworkDatagram::setDestination(const QHostAddress &address, quint16 port)\n", false, &_init_f_setDestination_3510, &_call_f_setDestination_3510); + methods += new qt_gsi::GenericMethod ("setHopLimit", "@brief Method void QNetworkDatagram::setHopLimit(int count)\n", false, &_init_f_setHopLimit_767, &_call_f_setHopLimit_767); + methods += new qt_gsi::GenericMethod ("setInterfaceIndex", "@brief Method void QNetworkDatagram::setInterfaceIndex(unsigned int index)\n", false, &_init_f_setInterfaceIndex_1772, &_call_f_setInterfaceIndex_1772); + methods += new qt_gsi::GenericMethod ("setSender", "@brief Method void QNetworkDatagram::setSender(const QHostAddress &address, quint16 port)\n", false, &_init_f_setSender_3510, &_call_f_setSender_3510); + methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QNetworkDatagram::swap(QNetworkDatagram &other)\n", false, &_init_f_swap_2246, &_call_f_swap_2246); + return methods; +} + +gsi::Class decl_QNetworkDatagram ("QtNetwork", "QNetworkDatagram", + methods_QNetworkDatagram (), + "@qt\n@brief Binding of QNetworkDatagram"); + + +GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QNetworkDatagram () { return decl_QNetworkDatagram; } + +} + diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDiskCache.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDiskCache.cc index e2e8898eda..9715498bae 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDiskCache.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDiskCache.cc @@ -469,33 +469,33 @@ class QNetworkDiskCache_Adaptor : public QNetworkDiskCache, public qt_gsi::QtObj emit QNetworkDiskCache::destroyed(arg1); } - // [adaptor impl] bool QNetworkDiskCache::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QNetworkDiskCache::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QNetworkDiskCache::event(arg1); + return QNetworkDiskCache::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QNetworkDiskCache_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QNetworkDiskCache_Adaptor::cbs_event_1217_0, _event); } else { - return QNetworkDiskCache::event(arg1); + return QNetworkDiskCache::event(_event); } } - // [adaptor impl] bool QNetworkDiskCache::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QNetworkDiskCache::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QNetworkDiskCache::eventFilter(arg1, arg2); + return QNetworkDiskCache::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QNetworkDiskCache_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QNetworkDiskCache_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QNetworkDiskCache::eventFilter(arg1, arg2); + return QNetworkDiskCache::eventFilter(watched, event); } } @@ -581,33 +581,33 @@ class QNetworkDiskCache_Adaptor : public QNetworkDiskCache, public qt_gsi::QtObj } } - // [adaptor impl] void QNetworkDiskCache::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QNetworkDiskCache::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QNetworkDiskCache::childEvent(arg1); + QNetworkDiskCache::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QNetworkDiskCache_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QNetworkDiskCache_Adaptor::cbs_childEvent_1701_0, event); } else { - QNetworkDiskCache::childEvent(arg1); + QNetworkDiskCache::childEvent(event); } } - // [adaptor impl] void QNetworkDiskCache::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QNetworkDiskCache::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QNetworkDiskCache::customEvent(arg1); + QNetworkDiskCache::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QNetworkDiskCache_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QNetworkDiskCache_Adaptor::cbs_customEvent_1217_0, event); } else { - QNetworkDiskCache::customEvent(arg1); + QNetworkDiskCache::customEvent(event); } } @@ -641,18 +641,18 @@ class QNetworkDiskCache_Adaptor : public QNetworkDiskCache, public qt_gsi::QtObj } } - // [adaptor impl] void QNetworkDiskCache::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QNetworkDiskCache::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QNetworkDiskCache::timerEvent(arg1); + QNetworkDiskCache::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QNetworkDiskCache_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QNetworkDiskCache_Adaptor::cbs_timerEvent_1730_0, event); } else { - QNetworkDiskCache::timerEvent(arg1); + QNetworkDiskCache::timerEvent(event); } } @@ -679,7 +679,7 @@ QNetworkDiskCache_Adaptor::~QNetworkDiskCache_Adaptor() { } static void _init_ctor_QNetworkDiskCache_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -688,7 +688,7 @@ static void _call_ctor_QNetworkDiskCache_Adaptor_1302 (const qt_gsi::GenericStat { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QNetworkDiskCache_Adaptor (arg1)); } @@ -712,11 +712,11 @@ static void _set_callback_cbs_cacheSize_c0_0 (void *cls, const gsi::Callback &cb } -// void QNetworkDiskCache::childEvent(QChildEvent *) +// void QNetworkDiskCache::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -756,11 +756,11 @@ static void _set_callback_cbs_clear_0_0 (void *cls, const gsi::Callback &cb) } -// void QNetworkDiskCache::customEvent(QEvent *) +// void QNetworkDiskCache::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -807,7 +807,7 @@ static void _set_callback_cbs_data_1701_0 (void *cls, const gsi::Callback &cb) static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -816,7 +816,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QNetworkDiskCache_Adaptor *)cls)->emitter_QNetworkDiskCache_destroyed_1302 (arg1); } @@ -845,11 +845,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QNetworkDiskCache::event(QEvent *) +// bool QNetworkDiskCache::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -868,13 +868,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QNetworkDiskCache::eventFilter(QObject *, QEvent *) +// bool QNetworkDiskCache::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1088,11 +1088,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QNetworkDiskCache::timerEvent(QTimerEvent *) +// void QNetworkDiskCache::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1146,20 +1146,20 @@ static gsi::Methods methods_QNetworkDiskCache_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkDiskCache::QNetworkDiskCache(QObject *parent)\nThis method creates an object of class QNetworkDiskCache.", &_init_ctor_QNetworkDiskCache_Adaptor_1302, &_call_ctor_QNetworkDiskCache_Adaptor_1302); methods += new qt_gsi::GenericMethod ("cacheSize", "@brief Virtual method qint64 QNetworkDiskCache::cacheSize()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_cacheSize_c0_0, &_call_cbs_cacheSize_c0_0); methods += new qt_gsi::GenericMethod ("cacheSize", "@hide", true, &_init_cbs_cacheSize_c0_0, &_call_cbs_cacheSize_c0_0, &_set_callback_cbs_cacheSize_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QNetworkDiskCache::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QNetworkDiskCache::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("clear", "@brief Virtual method void QNetworkDiskCache::clear()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0); methods += new qt_gsi::GenericMethod ("clear", "@hide", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0, &_set_callback_cbs_clear_0_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QNetworkDiskCache::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QNetworkDiskCache::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("data", "@brief Virtual method QIODevice *QNetworkDiskCache::data(const QUrl &url)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_data_1701_0, &_call_cbs_data_1701_0); methods += new qt_gsi::GenericMethod ("data", "@hide", false, &_init_cbs_data_1701_0, &_call_cbs_data_1701_0, &_set_callback_cbs_data_1701_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QNetworkDiskCache::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QNetworkDiskCache::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QNetworkDiskCache::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QNetworkDiskCache::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QNetworkDiskCache::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QNetworkDiskCache::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*expire", "@brief Virtual method qint64 QNetworkDiskCache::expire()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_expire_0_0, &_call_cbs_expire_0_0); methods += new qt_gsi::GenericMethod ("*expire", "@hide", false, &_init_cbs_expire_0_0, &_call_cbs_expire_0_0, &_set_callback_cbs_expire_0_0); @@ -1176,7 +1176,7 @@ static gsi::Methods methods_QNetworkDiskCache_Adaptor () { methods += new qt_gsi::GenericMethod ("remove", "@hide", false, &_init_cbs_remove_1701_0, &_call_cbs_remove_1701_0, &_set_callback_cbs_remove_1701_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QNetworkDiskCache::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QNetworkDiskCache::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QNetworkDiskCache::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QNetworkDiskCache::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("updateMetaData", "@brief Virtual method void QNetworkDiskCache::updateMetaData(const QNetworkCacheMetaData &metaData)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_updateMetaData_3377_0, &_call_cbs_updateMetaData_3377_0); methods += new qt_gsi::GenericMethod ("updateMetaData", "@hide", false, &_init_cbs_updateMetaData_3377_0, &_call_cbs_updateMetaData_3377_0, &_set_callback_cbs_updateMetaData_3377_0); diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkInterface.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkInterface.cc index d0d3e3c931..454c382dfe 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkInterface.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkInterface.cc @@ -161,6 +161,21 @@ static void _call_f_isValid_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cl } +// int QNetworkInterface::maximumTransmissionUnit() + + +static void _init_f_maximumTransmissionUnit_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_maximumTransmissionUnit_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QNetworkInterface *)cls)->maximumTransmissionUnit ()); +} + + // QString QNetworkInterface::name() @@ -215,6 +230,21 @@ static void _call_f_swap_2358 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// QNetworkInterface::InterfaceType QNetworkInterface::type() + + +static void _init_f_type_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_type_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QNetworkInterface *)cls)->type ())); +} + + // static QList QNetworkInterface::allAddresses() @@ -283,6 +313,44 @@ static void _call_f_interfaceFromName_2025 (const qt_gsi::GenericStaticMethod * } +// static int QNetworkInterface::interfaceIndexFromName(const QString &name) + + +static void _init_f_interfaceIndexFromName_2025 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("name"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_interfaceIndexFromName_2025 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ret.write ((int)QNetworkInterface::interfaceIndexFromName (arg1)); +} + + +// static QString QNetworkInterface::interfaceNameFromIndex(int index) + + +static void _init_f_interfaceNameFromIndex_767 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("index"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_interfaceNameFromIndex_767 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ret.write ((QString)QNetworkInterface::interfaceNameFromIndex (arg1)); +} + + namespace gsi { @@ -297,13 +365,17 @@ static gsi::Methods methods_QNetworkInterface () { methods += new qt_gsi::GenericMethod ("humanReadableName", "@brief Method QString QNetworkInterface::humanReadableName()\n", true, &_init_f_humanReadableName_c0, &_call_f_humanReadableName_c0); methods += new qt_gsi::GenericMethod ("index", "@brief Method int QNetworkInterface::index()\n", true, &_init_f_index_c0, &_call_f_index_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QNetworkInterface::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); + methods += new qt_gsi::GenericMethod ("maximumTransmissionUnit", "@brief Method int QNetworkInterface::maximumTransmissionUnit()\n", true, &_init_f_maximumTransmissionUnit_c0, &_call_f_maximumTransmissionUnit_c0); methods += new qt_gsi::GenericMethod ("name", "@brief Method QString QNetworkInterface::name()\n", true, &_init_f_name_c0, &_call_f_name_c0); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QNetworkInterface &QNetworkInterface::operator=(const QNetworkInterface &other)\n", false, &_init_f_operator_eq__3053, &_call_f_operator_eq__3053); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QNetworkInterface::swap(QNetworkInterface &other)\n", false, &_init_f_swap_2358, &_call_f_swap_2358); + methods += new qt_gsi::GenericMethod ("type", "@brief Method QNetworkInterface::InterfaceType QNetworkInterface::type()\n", true, &_init_f_type_c0, &_call_f_type_c0); methods += new qt_gsi::GenericStaticMethod ("allAddresses", "@brief Static method QList QNetworkInterface::allAddresses()\nThis method is static and can be called without an instance.", &_init_f_allAddresses_0, &_call_f_allAddresses_0); methods += new qt_gsi::GenericStaticMethod ("allInterfaces", "@brief Static method QList QNetworkInterface::allInterfaces()\nThis method is static and can be called without an instance.", &_init_f_allInterfaces_0, &_call_f_allInterfaces_0); methods += new qt_gsi::GenericStaticMethod ("interfaceFromIndex", "@brief Static method QNetworkInterface QNetworkInterface::interfaceFromIndex(int index)\nThis method is static and can be called without an instance.", &_init_f_interfaceFromIndex_767, &_call_f_interfaceFromIndex_767); methods += new qt_gsi::GenericStaticMethod ("interfaceFromName", "@brief Static method QNetworkInterface QNetworkInterface::interfaceFromName(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_interfaceFromName_2025, &_call_f_interfaceFromName_2025); + methods += new qt_gsi::GenericStaticMethod ("interfaceIndexFromName", "@brief Static method int QNetworkInterface::interfaceIndexFromName(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_interfaceIndexFromName_2025, &_call_f_interfaceIndexFromName_2025); + methods += new qt_gsi::GenericStaticMethod ("interfaceNameFromIndex", "@brief Static method QString QNetworkInterface::interfaceNameFromIndex(int index)\nThis method is static and can be called without an instance.", &_init_f_interfaceNameFromIndex_767, &_call_f_interfaceNameFromIndex_767); return methods; } @@ -340,3 +412,36 @@ static gsi::ClassExt decl_QNetworkInterface_InterfaceFlag_Enu } + +// Implementation of the enum wrapper class for QNetworkInterface::InterfaceType +namespace qt_gsi +{ + +static gsi::Enum decl_QNetworkInterface_InterfaceType_Enum ("QtNetwork", "QNetworkInterface_InterfaceType", + gsi::enum_const ("Loopback", QNetworkInterface::Loopback, "@brief Enum constant QNetworkInterface::Loopback") + + gsi::enum_const ("Virtual", QNetworkInterface::Virtual, "@brief Enum constant QNetworkInterface::Virtual") + + gsi::enum_const ("Ethernet", QNetworkInterface::Ethernet, "@brief Enum constant QNetworkInterface::Ethernet") + + gsi::enum_const ("Slip", QNetworkInterface::Slip, "@brief Enum constant QNetworkInterface::Slip") + + gsi::enum_const ("CanBus", QNetworkInterface::CanBus, "@brief Enum constant QNetworkInterface::CanBus") + + gsi::enum_const ("Ppp", QNetworkInterface::Ppp, "@brief Enum constant QNetworkInterface::Ppp") + + gsi::enum_const ("Fddi", QNetworkInterface::Fddi, "@brief Enum constant QNetworkInterface::Fddi") + + gsi::enum_const ("Wifi", QNetworkInterface::Wifi, "@brief Enum constant QNetworkInterface::Wifi") + + gsi::enum_const ("Ieee80211", QNetworkInterface::Ieee80211, "@brief Enum constant QNetworkInterface::Ieee80211") + + gsi::enum_const ("Phonet", QNetworkInterface::Phonet, "@brief Enum constant QNetworkInterface::Phonet") + + gsi::enum_const ("Ieee802154", QNetworkInterface::Ieee802154, "@brief Enum constant QNetworkInterface::Ieee802154") + + gsi::enum_const ("SixLoWPAN", QNetworkInterface::SixLoWPAN, "@brief Enum constant QNetworkInterface::SixLoWPAN") + + gsi::enum_const ("Ieee80216", QNetworkInterface::Ieee80216, "@brief Enum constant QNetworkInterface::Ieee80216") + + gsi::enum_const ("Ieee1394", QNetworkInterface::Ieee1394, "@brief Enum constant QNetworkInterface::Ieee1394") + + gsi::enum_const ("Unknown", QNetworkInterface::Unknown, "@brief Enum constant QNetworkInterface::Unknown"), + "@qt\n@brief This class represents the QNetworkInterface::InterfaceType enum"); + +static gsi::QFlagsClass decl_QNetworkInterface_InterfaceType_Enums ("QtNetwork", "QNetworkInterface_QFlags_InterfaceType", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_QNetworkInterface_InterfaceType_Enum_in_parent (decl_QNetworkInterface_InterfaceType_Enum.defs ()); +static gsi::ClassExt decl_QNetworkInterface_InterfaceType_Enum_as_child (decl_QNetworkInterface_InterfaceType_Enum, "InterfaceType"); +static gsi::ClassExt decl_QNetworkInterface_InterfaceType_Enums_as_child (decl_QNetworkInterface_InterfaceType_Enums, "QFlags_InterfaceType"); + +} + diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxy.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxy.cc index 74f69d1333..bf34fc2ff8 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxy.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxy.cc @@ -627,7 +627,9 @@ static gsi::Enum decl_QNetworkProxy_Capability_Enum ( gsi::enum_const ("ListeningCapability", QNetworkProxy::ListeningCapability, "@brief Enum constant QNetworkProxy::ListeningCapability") + gsi::enum_const ("UdpTunnelingCapability", QNetworkProxy::UdpTunnelingCapability, "@brief Enum constant QNetworkProxy::UdpTunnelingCapability") + gsi::enum_const ("CachingCapability", QNetworkProxy::CachingCapability, "@brief Enum constant QNetworkProxy::CachingCapability") + - gsi::enum_const ("HostNameLookupCapability", QNetworkProxy::HostNameLookupCapability, "@brief Enum constant QNetworkProxy::HostNameLookupCapability"), + gsi::enum_const ("HostNameLookupCapability", QNetworkProxy::HostNameLookupCapability, "@brief Enum constant QNetworkProxy::HostNameLookupCapability") + + gsi::enum_const ("SctpTunnelingCapability", QNetworkProxy::SctpTunnelingCapability, "@brief Enum constant QNetworkProxy::SctpTunnelingCapability") + + gsi::enum_const ("SctpListeningCapability", QNetworkProxy::SctpListeningCapability, "@brief Enum constant QNetworkProxy::SctpListeningCapability"), "@qt\n@brief This class represents the QNetworkProxy::Capability enum"); static gsi::QFlagsClass decl_QNetworkProxy_Capability_Enums ("QtNetwork", "QNetworkProxy_QFlags_Capability", diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxyFactory.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxyFactory.cc index bc93b91909..545a72ce8b 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxyFactory.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxyFactory.cc @@ -134,6 +134,21 @@ static void _call_f_systemProxyForQuery_3220 (const qt_gsi::GenericStaticMethod } +// static bool QNetworkProxyFactory::usesSystemConfiguration() + + +static void _init_f_usesSystemConfiguration_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_usesSystemConfiguration_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)QNetworkProxyFactory::usesSystemConfiguration ()); +} + + namespace gsi { @@ -144,6 +159,7 @@ static gsi::Methods methods_QNetworkProxyFactory () { methods += new qt_gsi::GenericStaticMethod ("setApplicationProxyFactory", "@brief Static method void QNetworkProxyFactory::setApplicationProxyFactory(QNetworkProxyFactory *factory)\nThis method is static and can be called without an instance.", &_init_f_setApplicationProxyFactory_2723, &_call_f_setApplicationProxyFactory_2723); methods += new qt_gsi::GenericStaticMethod ("setUseSystemConfiguration", "@brief Static method void QNetworkProxyFactory::setUseSystemConfiguration(bool enable)\nThis method is static and can be called without an instance.", &_init_f_setUseSystemConfiguration_864, &_call_f_setUseSystemConfiguration_864); methods += new qt_gsi::GenericStaticMethod ("systemProxyForQuery", "@brief Static method QList QNetworkProxyFactory::systemProxyForQuery(const QNetworkProxyQuery &query)\nThis method is static and can be called without an instance.", &_init_f_systemProxyForQuery_3220, &_call_f_systemProxyForQuery_3220); + methods += new qt_gsi::GenericStaticMethod ("usesSystemConfiguration", "@brief Static method bool QNetworkProxyFactory::usesSystemConfiguration()\nThis method is static and can be called without an instance.", &_init_f_usesSystemConfiguration_0, &_call_f_usesSystemConfiguration_0); return methods; } diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxyQuery.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxyQuery.cc index 9a8c21db06..3d004e3985 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxyQuery.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxyQuery.cc @@ -127,25 +127,6 @@ static void _call_ctor_QNetworkProxyQuery_6320 (const qt_gsi::GenericStaticMetho } -// Constructor QNetworkProxyQuery::QNetworkProxyQuery(const QNetworkProxyQuery &other) - - -static void _init_ctor_QNetworkProxyQuery_3220 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("other"); - decl->add_arg (argspec_0); - decl->set_return_new (); -} - -static void _call_ctor_QNetworkProxyQuery_3220 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QNetworkProxyQuery &arg1 = gsi::arg_reader() (args, heap); - ret.write (new QNetworkProxyQuery (arg1)); -} - - // Constructor QNetworkProxyQuery::QNetworkProxyQuery(const QNetworkConfiguration &networkConfiguration, const QUrl &requestUrl, QNetworkProxyQuery::QueryType queryType) @@ -230,6 +211,25 @@ static void _call_ctor_QNetworkProxyQuery_9720 (const qt_gsi::GenericStaticMetho } +// Constructor QNetworkProxyQuery::QNetworkProxyQuery(const QNetworkProxyQuery &other) + + +static void _init_ctor_QNetworkProxyQuery_3220 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QNetworkProxyQuery_3220 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QNetworkProxyQuery &arg1 = gsi::arg_reader() (args, heap); + ret.write (new QNetworkProxyQuery (arg1)); +} + + // int QNetworkProxyQuery::localPort() @@ -562,10 +562,10 @@ static gsi::Methods methods_QNetworkProxyQuery () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkProxyQuery::QNetworkProxyQuery(const QUrl &requestUrl, QNetworkProxyQuery::QueryType queryType)\nThis method creates an object of class QNetworkProxyQuery.", &_init_ctor_QNetworkProxyQuery_5004, &_call_ctor_QNetworkProxyQuery_5004); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkProxyQuery::QNetworkProxyQuery(const QString &hostname, int port, const QString &protocolTag, QNetworkProxyQuery::QueryType queryType)\nThis method creates an object of class QNetworkProxyQuery.", &_init_ctor_QNetworkProxyQuery_7904, &_call_ctor_QNetworkProxyQuery_7904); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkProxyQuery::QNetworkProxyQuery(quint16 bindPort, const QString &protocolTag, QNetworkProxyQuery::QueryType queryType)\nThis method creates an object of class QNetworkProxyQuery.", &_init_ctor_QNetworkProxyQuery_6320, &_call_ctor_QNetworkProxyQuery_6320); - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkProxyQuery::QNetworkProxyQuery(const QNetworkProxyQuery &other)\nThis method creates an object of class QNetworkProxyQuery.", &_init_ctor_QNetworkProxyQuery_3220, &_call_ctor_QNetworkProxyQuery_3220); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkProxyQuery::QNetworkProxyQuery(const QNetworkConfiguration &networkConfiguration, const QUrl &requestUrl, QNetworkProxyQuery::QueryType queryType)\nThis method creates an object of class QNetworkProxyQuery.", &_init_ctor_QNetworkProxyQuery_8404, &_call_ctor_QNetworkProxyQuery_8404); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkProxyQuery::QNetworkProxyQuery(const QNetworkConfiguration &networkConfiguration, const QString &hostname, int port, const QString &protocolTag, QNetworkProxyQuery::QueryType queryType)\nThis method creates an object of class QNetworkProxyQuery.", &_init_ctor_QNetworkProxyQuery_11304, &_call_ctor_QNetworkProxyQuery_11304); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkProxyQuery::QNetworkProxyQuery(const QNetworkConfiguration &networkConfiguration, quint16 bindPort, const QString &protocolTag, QNetworkProxyQuery::QueryType queryType)\nThis method creates an object of class QNetworkProxyQuery.", &_init_ctor_QNetworkProxyQuery_9720, &_call_ctor_QNetworkProxyQuery_9720); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkProxyQuery::QNetworkProxyQuery(const QNetworkProxyQuery &other)\nThis method creates an object of class QNetworkProxyQuery.", &_init_ctor_QNetworkProxyQuery_3220, &_call_ctor_QNetworkProxyQuery_3220); methods += new qt_gsi::GenericMethod (":localPort", "@brief Method int QNetworkProxyQuery::localPort()\n", true, &_init_f_localPort_c0, &_call_f_localPort_c0); methods += new qt_gsi::GenericMethod (":networkConfiguration", "@brief Method QNetworkConfiguration QNetworkProxyQuery::networkConfiguration()\n", true, &_init_f_networkConfiguration_c0, &_call_f_networkConfiguration_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QNetworkProxyQuery::operator!=(const QNetworkProxyQuery &other)\n", true, &_init_f_operator_excl__eq__c3220, &_call_f_operator_excl__eq__c3220); @@ -604,8 +604,10 @@ namespace qt_gsi static gsi::Enum decl_QNetworkProxyQuery_QueryType_Enum ("QtNetwork", "QNetworkProxyQuery_QueryType", gsi::enum_const ("TcpSocket", QNetworkProxyQuery::TcpSocket, "@brief Enum constant QNetworkProxyQuery::TcpSocket") + gsi::enum_const ("UdpSocket", QNetworkProxyQuery::UdpSocket, "@brief Enum constant QNetworkProxyQuery::UdpSocket") + + gsi::enum_const ("SctpSocket", QNetworkProxyQuery::SctpSocket, "@brief Enum constant QNetworkProxyQuery::SctpSocket") + gsi::enum_const ("TcpServer", QNetworkProxyQuery::TcpServer, "@brief Enum constant QNetworkProxyQuery::TcpServer") + - gsi::enum_const ("UrlRequest", QNetworkProxyQuery::UrlRequest, "@brief Enum constant QNetworkProxyQuery::UrlRequest"), + gsi::enum_const ("UrlRequest", QNetworkProxyQuery::UrlRequest, "@brief Enum constant QNetworkProxyQuery::UrlRequest") + + gsi::enum_const ("SctpServer", QNetworkProxyQuery::SctpServer, "@brief Enum constant QNetworkProxyQuery::SctpServer"), "@qt\n@brief This class represents the QNetworkProxyQuery::QueryType enum"); static gsi::QFlagsClass decl_QNetworkProxyQuery_QueryType_Enums ("QtNetwork", "QNetworkProxyQuery_QFlags_QueryType", diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkReply.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkReply.cc index 0f80eac368..9dc3f45724 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkReply.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkReply.cc @@ -503,6 +503,8 @@ static gsi::Methods methods_QNetworkReply () { methods += new qt_gsi::GenericMethod ("url", "@brief Method QUrl QNetworkReply::url()\n", true, &_init_f_url_c0, &_call_f_url_c0); methods += gsi::qt_signal ("aboutToClose()", "aboutToClose", "@brief Signal declaration for QNetworkReply::aboutToClose()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("bytesWritten(qint64)", "bytesWritten", gsi::arg("bytes"), "@brief Signal declaration for QNetworkReply::bytesWritten(qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelBytesWritten(int, qint64)", "channelBytesWritten", gsi::arg("channel"), gsi::arg("bytes"), "@brief Signal declaration for QNetworkReply::channelBytesWritten(int channel, qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelReadyRead(int)", "channelReadyRead", gsi::arg("channel"), "@brief Signal declaration for QNetworkReply::channelReadyRead(int channel)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QNetworkReply::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("downloadProgress(qint64, qint64)", "downloadProgress", gsi::arg("bytesReceived"), gsi::arg("bytesTotal"), "@brief Signal declaration for QNetworkReply::downloadProgress(qint64 bytesReceived, qint64 bytesTotal)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("encrypted()", "encrypted", "@brief Signal declaration for QNetworkReply::encrypted()\nYou can bind a procedure to this signal."); @@ -513,6 +515,8 @@ static gsi::Methods methods_QNetworkReply () { methods += gsi::qt_signal ("preSharedKeyAuthenticationRequired(QSslPreSharedKeyAuthenticator *)", "preSharedKeyAuthenticationRequired", gsi::arg("authenticator"), "@brief Signal declaration for QNetworkReply::preSharedKeyAuthenticationRequired(QSslPreSharedKeyAuthenticator *authenticator)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("readChannelFinished()", "readChannelFinished", "@brief Signal declaration for QNetworkReply::readChannelFinished()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("readyRead()", "readyRead", "@brief Signal declaration for QNetworkReply::readyRead()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("redirectAllowed()", "redirectAllowed", "@brief Signal declaration for QNetworkReply::redirectAllowed()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("redirected(const QUrl &)", "redirected", gsi::arg("url"), "@brief Signal declaration for QNetworkReply::redirected(const QUrl &url)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal & > ("sslErrors(const QList &)", "sslErrors", gsi::arg("errors"), "@brief Signal declaration for QNetworkReply::sslErrors(const QList &errors)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("uploadProgress(qint64, qint64)", "uploadProgress", gsi::arg("bytesSent"), gsi::arg("bytesTotal"), "@brief Signal declaration for QNetworkReply::uploadProgress(qint64 bytesSent, qint64 bytesTotal)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QNetworkReply::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); @@ -547,6 +551,8 @@ static gsi::Enum decl_QNetworkReply_NetworkError_En gsi::enum_const ("TemporaryNetworkFailureError", QNetworkReply::TemporaryNetworkFailureError, "@brief Enum constant QNetworkReply::TemporaryNetworkFailureError") + gsi::enum_const ("NetworkSessionFailedError", QNetworkReply::NetworkSessionFailedError, "@brief Enum constant QNetworkReply::NetworkSessionFailedError") + gsi::enum_const ("BackgroundRequestNotAllowedError", QNetworkReply::BackgroundRequestNotAllowedError, "@brief Enum constant QNetworkReply::BackgroundRequestNotAllowedError") + + gsi::enum_const ("TooManyRedirectsError", QNetworkReply::TooManyRedirectsError, "@brief Enum constant QNetworkReply::TooManyRedirectsError") + + gsi::enum_const ("InsecureRedirectError", QNetworkReply::InsecureRedirectError, "@brief Enum constant QNetworkReply::InsecureRedirectError") + gsi::enum_const ("UnknownNetworkError", QNetworkReply::UnknownNetworkError, "@brief Enum constant QNetworkReply::UnknownNetworkError") + gsi::enum_const ("ProxyConnectionRefusedError", QNetworkReply::ProxyConnectionRefusedError, "@brief Enum constant QNetworkReply::ProxyConnectionRefusedError") + gsi::enum_const ("ProxyConnectionClosedError", QNetworkReply::ProxyConnectionClosedError, "@brief Enum constant QNetworkReply::ProxyConnectionClosedError") + diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkRequest.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkRequest.cc index 2a62d7eab7..d9d97dd5b9 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkRequest.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkRequest.cc @@ -136,6 +136,21 @@ static void _call_f_header_c3349 (const qt_gsi::GenericMethod * /*decl*/, void * } +// int QNetworkRequest::maximumRedirectsAllowed() + + +static void _init_f_maximumRedirectsAllowed_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_maximumRedirectsAllowed_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QNetworkRequest *)cls)->maximumRedirectsAllowed ()); +} + + // bool QNetworkRequest::operator!=(const QNetworkRequest &other) @@ -303,6 +318,26 @@ static void _call_f_setHeader_5360 (const qt_gsi::GenericMethod * /*decl*/, void } +// void QNetworkRequest::setMaximumRedirectsAllowed(int maximumRedirectsAllowed) + + +static void _init_f_setMaximumRedirectsAllowed_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("maximumRedirectsAllowed"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setMaximumRedirectsAllowed_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QNetworkRequest *)cls)->setMaximumRedirectsAllowed (arg1); +} + + // void QNetworkRequest::setOriginatingObject(QObject *object) @@ -467,6 +502,7 @@ static gsi::Methods methods_QNetworkRequest () { methods += new qt_gsi::GenericMethod ("attribute", "@brief Method QVariant QNetworkRequest::attribute(QNetworkRequest::Attribute code, const QVariant &defaultValue)\n", true, &_init_f_attribute_c5083, &_call_f_attribute_c5083); methods += new qt_gsi::GenericMethod ("hasRawHeader", "@brief Method bool QNetworkRequest::hasRawHeader(const QByteArray &headerName)\n", true, &_init_f_hasRawHeader_c2309, &_call_f_hasRawHeader_c2309); methods += new qt_gsi::GenericMethod ("header", "@brief Method QVariant QNetworkRequest::header(QNetworkRequest::KnownHeaders header)\n", true, &_init_f_header_c3349, &_call_f_header_c3349); + methods += new qt_gsi::GenericMethod ("maximumRedirectsAllowed", "@brief Method int QNetworkRequest::maximumRedirectsAllowed()\n", true, &_init_f_maximumRedirectsAllowed_c0, &_call_f_maximumRedirectsAllowed_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QNetworkRequest::operator!=(const QNetworkRequest &other)\n", true, &_init_f_operator_excl__eq__c2885, &_call_f_operator_excl__eq__c2885); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QNetworkRequest &QNetworkRequest::operator=(const QNetworkRequest &other)\n", false, &_init_f_operator_eq__2885, &_call_f_operator_eq__2885); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QNetworkRequest::operator==(const QNetworkRequest &other)\n", true, &_init_f_operator_eq__eq__c2885, &_call_f_operator_eq__eq__c2885); @@ -476,6 +512,7 @@ static gsi::Methods methods_QNetworkRequest () { methods += new qt_gsi::GenericMethod ("rawHeaderList", "@brief Method QList QNetworkRequest::rawHeaderList()\n", true, &_init_f_rawHeaderList_c0, &_call_f_rawHeaderList_c0); methods += new qt_gsi::GenericMethod ("setAttribute", "@brief Method void QNetworkRequest::setAttribute(QNetworkRequest::Attribute code, const QVariant &value)\n", false, &_init_f_setAttribute_5083, &_call_f_setAttribute_5083); methods += new qt_gsi::GenericMethod ("setHeader", "@brief Method void QNetworkRequest::setHeader(QNetworkRequest::KnownHeaders header, const QVariant &value)\n", false, &_init_f_setHeader_5360, &_call_f_setHeader_5360); + methods += new qt_gsi::GenericMethod ("setMaximumRedirectsAllowed", "@brief Method void QNetworkRequest::setMaximumRedirectsAllowed(int maximumRedirectsAllowed)\n", false, &_init_f_setMaximumRedirectsAllowed_767, &_call_f_setMaximumRedirectsAllowed_767); methods += new qt_gsi::GenericMethod ("setOriginatingObject|originatingObject=", "@brief Method void QNetworkRequest::setOriginatingObject(QObject *object)\n", false, &_init_f_setOriginatingObject_1302, &_call_f_setOriginatingObject_1302); methods += new qt_gsi::GenericMethod ("setPriority|priority=", "@brief Method void QNetworkRequest::setPriority(QNetworkRequest::Priority priority)\n", false, &_init_f_setPriority_2990, &_call_f_setPriority_2990); methods += new qt_gsi::GenericMethod ("setRawHeader", "@brief Method void QNetworkRequest::setRawHeader(const QByteArray &headerName, const QByteArray &value)\n", false, &_init_f_setRawHeader_4510, &_call_f_setRawHeader_4510); @@ -523,6 +560,13 @@ static gsi::Enum decl_QNetworkRequest_Attribute_Enum gsi::enum_const ("SpdyAllowedAttribute", QNetworkRequest::SpdyAllowedAttribute, "@brief Enum constant QNetworkRequest::SpdyAllowedAttribute") + gsi::enum_const ("SpdyWasUsedAttribute", QNetworkRequest::SpdyWasUsedAttribute, "@brief Enum constant QNetworkRequest::SpdyWasUsedAttribute") + gsi::enum_const ("EmitAllUploadProgressSignalsAttribute", QNetworkRequest::EmitAllUploadProgressSignalsAttribute, "@brief Enum constant QNetworkRequest::EmitAllUploadProgressSignalsAttribute") + + gsi::enum_const ("FollowRedirectsAttribute", QNetworkRequest::FollowRedirectsAttribute, "@brief Enum constant QNetworkRequest::FollowRedirectsAttribute") + + gsi::enum_const ("HTTP2AllowedAttribute", QNetworkRequest::HTTP2AllowedAttribute, "@brief Enum constant QNetworkRequest::HTTP2AllowedAttribute") + + gsi::enum_const ("HTTP2WasUsedAttribute", QNetworkRequest::HTTP2WasUsedAttribute, "@brief Enum constant QNetworkRequest::HTTP2WasUsedAttribute") + + gsi::enum_const ("OriginalContentLengthAttribute", QNetworkRequest::OriginalContentLengthAttribute, "@brief Enum constant QNetworkRequest::OriginalContentLengthAttribute") + + gsi::enum_const ("RedirectPolicyAttribute", QNetworkRequest::RedirectPolicyAttribute, "@brief Enum constant QNetworkRequest::RedirectPolicyAttribute") + + gsi::enum_const ("Http2DirectAttribute", QNetworkRequest::Http2DirectAttribute, "@brief Enum constant QNetworkRequest::Http2DirectAttribute") + + gsi::enum_const ("ResourceTypeAttribute", QNetworkRequest::ResourceTypeAttribute, "@brief Enum constant QNetworkRequest::ResourceTypeAttribute") + gsi::enum_const ("User", QNetworkRequest::User, "@brief Enum constant QNetworkRequest::User") + gsi::enum_const ("UserMax", QNetworkRequest::UserMax, "@brief Enum constant QNetworkRequest::UserMax"), "@qt\n@brief This class represents the QNetworkRequest::Attribute enum"); @@ -551,7 +595,11 @@ static gsi::Enum decl_QNetworkRequest_KnownHeader gsi::enum_const ("SetCookieHeader", QNetworkRequest::SetCookieHeader, "@brief Enum constant QNetworkRequest::SetCookieHeader") + gsi::enum_const ("ContentDispositionHeader", QNetworkRequest::ContentDispositionHeader, "@brief Enum constant QNetworkRequest::ContentDispositionHeader") + gsi::enum_const ("UserAgentHeader", QNetworkRequest::UserAgentHeader, "@brief Enum constant QNetworkRequest::UserAgentHeader") + - gsi::enum_const ("ServerHeader", QNetworkRequest::ServerHeader, "@brief Enum constant QNetworkRequest::ServerHeader"), + gsi::enum_const ("ServerHeader", QNetworkRequest::ServerHeader, "@brief Enum constant QNetworkRequest::ServerHeader") + + gsi::enum_const ("IfModifiedSinceHeader", QNetworkRequest::IfModifiedSinceHeader, "@brief Enum constant QNetworkRequest::IfModifiedSinceHeader") + + gsi::enum_const ("ETagHeader", QNetworkRequest::ETagHeader, "@brief Enum constant QNetworkRequest::ETagHeader") + + gsi::enum_const ("IfMatchHeader", QNetworkRequest::IfMatchHeader, "@brief Enum constant QNetworkRequest::IfMatchHeader") + + gsi::enum_const ("IfNoneMatchHeader", QNetworkRequest::IfNoneMatchHeader, "@brief Enum constant QNetworkRequest::IfNoneMatchHeader"), "@qt\n@brief This class represents the QNetworkRequest::KnownHeaders enum"); static gsi::QFlagsClass decl_QNetworkRequest_KnownHeaders_Enums ("QtNetwork", "QNetworkRequest_QFlags_KnownHeaders", @@ -585,3 +633,25 @@ static gsi::ClassExt decl_QNetworkRequest_Priority_Enums_as_chi } + +// Implementation of the enum wrapper class for QNetworkRequest::RedirectPolicy +namespace qt_gsi +{ + +static gsi::Enum decl_QNetworkRequest_RedirectPolicy_Enum ("QtNetwork", "QNetworkRequest_RedirectPolicy", + gsi::enum_const ("ManualRedirectPolicy", QNetworkRequest::ManualRedirectPolicy, "@brief Enum constant QNetworkRequest::ManualRedirectPolicy") + + gsi::enum_const ("NoLessSafeRedirectPolicy", QNetworkRequest::NoLessSafeRedirectPolicy, "@brief Enum constant QNetworkRequest::NoLessSafeRedirectPolicy") + + gsi::enum_const ("SameOriginRedirectPolicy", QNetworkRequest::SameOriginRedirectPolicy, "@brief Enum constant QNetworkRequest::SameOriginRedirectPolicy") + + gsi::enum_const ("UserVerifiedRedirectPolicy", QNetworkRequest::UserVerifiedRedirectPolicy, "@brief Enum constant QNetworkRequest::UserVerifiedRedirectPolicy"), + "@qt\n@brief This class represents the QNetworkRequest::RedirectPolicy enum"); + +static gsi::QFlagsClass decl_QNetworkRequest_RedirectPolicy_Enums ("QtNetwork", "QNetworkRequest_QFlags_RedirectPolicy", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_QNetworkRequest_RedirectPolicy_Enum_in_parent (decl_QNetworkRequest_RedirectPolicy_Enum.defs ()); +static gsi::ClassExt decl_QNetworkRequest_RedirectPolicy_Enum_as_child (decl_QNetworkRequest_RedirectPolicy_Enum, "RedirectPolicy"); +static gsi::ClassExt decl_QNetworkRequest_RedirectPolicy_Enums_as_child (decl_QNetworkRequest_RedirectPolicy_Enums, "QFlags_RedirectPolicy"); + +} + diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkSession.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkSession.cc index f89ece2471..40f9e99f81 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkSession.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkSession.cc @@ -536,33 +536,33 @@ class QNetworkSession_Adaptor : public QNetworkSession, public qt_gsi::QtObjectB emit QNetworkSession::error(arg1); } - // [adaptor impl] bool QNetworkSession::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QNetworkSession::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QNetworkSession::event(arg1); + return QNetworkSession::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QNetworkSession_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QNetworkSession_Adaptor::cbs_event_1217_0, _event); } else { - return QNetworkSession::event(arg1); + return QNetworkSession::event(_event); } } - // [adaptor impl] bool QNetworkSession::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QNetworkSession::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QNetworkSession::eventFilter(arg1, arg2); + return QNetworkSession::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QNetworkSession_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QNetworkSession_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QNetworkSession::eventFilter(arg1, arg2); + return QNetworkSession::eventFilter(watched, event); } } @@ -603,33 +603,33 @@ class QNetworkSession_Adaptor : public QNetworkSession, public qt_gsi::QtObjectB emit QNetworkSession::usagePoliciesChanged(usagePolicies); } - // [adaptor impl] void QNetworkSession::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QNetworkSession::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QNetworkSession::childEvent(arg1); + QNetworkSession::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QNetworkSession_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QNetworkSession_Adaptor::cbs_childEvent_1701_0, event); } else { - QNetworkSession::childEvent(arg1); + QNetworkSession::childEvent(event); } } - // [adaptor impl] void QNetworkSession::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QNetworkSession::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QNetworkSession::customEvent(arg1); + QNetworkSession::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QNetworkSession_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QNetworkSession_Adaptor::cbs_customEvent_1217_0, event); } else { - QNetworkSession::customEvent(arg1); + QNetworkSession::customEvent(event); } } @@ -648,18 +648,18 @@ class QNetworkSession_Adaptor : public QNetworkSession, public qt_gsi::QtObjectB } } - // [adaptor impl] void QNetworkSession::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QNetworkSession::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QNetworkSession::timerEvent(arg1); + QNetworkSession::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QNetworkSession_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QNetworkSession_Adaptor::cbs_timerEvent_1730_0, event); } else { - QNetworkSession::timerEvent(arg1); + QNetworkSession::timerEvent(event); } } @@ -679,7 +679,7 @@ static void _init_ctor_QNetworkSession_Adaptor_4702 (qt_gsi::GenericStaticMethod { static gsi::ArgSpecBase argspec_0 ("connConfig"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -689,16 +689,16 @@ static void _call_ctor_QNetworkSession_Adaptor_4702 (const qt_gsi::GenericStatic __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QNetworkConfiguration &arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QNetworkSession_Adaptor (arg1, arg2)); } -// void QNetworkSession::childEvent(QChildEvent *) +// void QNetworkSession::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -732,11 +732,11 @@ static void _call_emitter_closed_0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QNetworkSession::customEvent(QEvent *) +// void QNetworkSession::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -760,7 +760,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -769,7 +769,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QNetworkSession_Adaptor *)cls)->emitter_QNetworkSession_destroyed_1302 (arg1); } @@ -816,11 +816,11 @@ static void _call_emitter_error_3381 (const qt_gsi::GenericMethod * /*decl*/, vo } -// bool QNetworkSession::event(QEvent *) +// bool QNetworkSession::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -839,13 +839,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QNetworkSession::eventFilter(QObject *, QEvent *) +// bool QNetworkSession::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1014,11 +1014,11 @@ static void _call_emitter_stateChanged_2632 (const qt_gsi::GenericMethod * /*dec } -// void QNetworkSession::timerEvent(QTimerEvent *) +// void QNetworkSession::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1064,18 +1064,18 @@ gsi::Class &qtdecl_QNetworkSession (); static gsi::Methods methods_QNetworkSession_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkSession::QNetworkSession(const QNetworkConfiguration &connConfig, QObject *parent)\nThis method creates an object of class QNetworkSession.", &_init_ctor_QNetworkSession_Adaptor_4702, &_call_ctor_QNetworkSession_Adaptor_4702); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QNetworkSession::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QNetworkSession::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_closed", "@brief Emitter for signal void QNetworkSession::closed()\nCall this method to emit this signal.", false, &_init_emitter_closed_0, &_call_emitter_closed_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QNetworkSession::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QNetworkSession::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QNetworkSession::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QNetworkSession::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("emit_error_sig", "@brief Emitter for signal void QNetworkSession::error(QNetworkSession::SessionError)\nCall this method to emit this signal.", false, &_init_emitter_error_3381, &_call_emitter_error_3381); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QNetworkSession::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QNetworkSession::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QNetworkSession::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QNetworkSession::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QNetworkSession::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_newConfigurationActivated", "@brief Emitter for signal void QNetworkSession::newConfigurationActivated()\nCall this method to emit this signal.", false, &_init_emitter_newConfigurationActivated_0, &_call_emitter_newConfigurationActivated_0); @@ -1086,7 +1086,7 @@ static gsi::Methods methods_QNetworkSession_Adaptor () { methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QNetworkSession::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QNetworkSession::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QNetworkSession::stateChanged(QNetworkSession::State)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_2632, &_call_emitter_stateChanged_2632); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QNetworkSession::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QNetworkSession::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_usagePoliciesChanged", "@brief Emitter for signal void QNetworkSession::usagePoliciesChanged(QFlags usagePolicies)\nCall this method to emit this signal.", false, &_init_emitter_usagePoliciesChanged_3940, &_call_emitter_usagePoliciesChanged_3940); return methods; diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQPasswordDigestor.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQPasswordDigestor.cc new file mode 100644 index 0000000000..00aae0bbb2 --- /dev/null +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQPasswordDigestor.cc @@ -0,0 +1,46 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +/** +* @file gsiDeclQPasswordDigestor.cc +* +* DO NOT EDIT THIS FILE. +* This file has been created automatically +*/ + +#include +#include "gsiQt.h" +#include "gsiQtNetworkCommon.h" +#include + +// ----------------------------------------------------------------------- +// namespace QPasswordDigestor + +class QPasswordDigestor_Namespace { }; + +namespace gsi +{ +gsi::Class decl_QPasswordDigestor_Namespace ("QtNetwork", "QPasswordDigestor", + gsi::Methods(), + "@qt\n@brief This class represents the QPasswordDigestor namespace"); +} + diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQSsl.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQSsl.cc index 7ffdb40b19..1e2692e67b 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQSsl.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQSsl.cc @@ -138,7 +138,8 @@ static gsi::Enum decl_QSsl_SslOption_Enum ("QtNetwork", "QSsl_S gsi::enum_const ("SslOptionDisableServerNameIndication", QSsl::SslOptionDisableServerNameIndication, "@brief Enum constant QSsl::SslOptionDisableServerNameIndication") + gsi::enum_const ("SslOptionDisableLegacyRenegotiation", QSsl::SslOptionDisableLegacyRenegotiation, "@brief Enum constant QSsl::SslOptionDisableLegacyRenegotiation") + gsi::enum_const ("SslOptionDisableSessionSharing", QSsl::SslOptionDisableSessionSharing, "@brief Enum constant QSsl::SslOptionDisableSessionSharing") + - gsi::enum_const ("SslOptionDisableSessionPersistence", QSsl::SslOptionDisableSessionPersistence, "@brief Enum constant QSsl::SslOptionDisableSessionPersistence"), + gsi::enum_const ("SslOptionDisableSessionPersistence", QSsl::SslOptionDisableSessionPersistence, "@brief Enum constant QSsl::SslOptionDisableSessionPersistence") + + gsi::enum_const ("SslOptionDisableServerCipherPreference", QSsl::SslOptionDisableServerCipherPreference, "@brief Enum constant QSsl::SslOptionDisableServerCipherPreference"), "@qt\n@brief This class represents the QSsl::SslOption enum"); static gsi::QFlagsClass decl_QSsl_SslOption_Enums ("QtNetwork", "QSsl_QFlags_SslOption", @@ -168,6 +169,12 @@ static gsi::Enum decl_QSsl_SslProtocol_Enum ("QtNetwork", "QS gsi::enum_const ("TlsV1_0OrLater", QSsl::TlsV1_0OrLater, "@brief Enum constant QSsl::TlsV1_0OrLater") + gsi::enum_const ("TlsV1_1OrLater", QSsl::TlsV1_1OrLater, "@brief Enum constant QSsl::TlsV1_1OrLater") + gsi::enum_const ("TlsV1_2OrLater", QSsl::TlsV1_2OrLater, "@brief Enum constant QSsl::TlsV1_2OrLater") + + gsi::enum_const ("DtlsV1_0", QSsl::DtlsV1_0, "@brief Enum constant QSsl::DtlsV1_0") + + gsi::enum_const ("DtlsV1_0OrLater", QSsl::DtlsV1_0OrLater, "@brief Enum constant QSsl::DtlsV1_0OrLater") + + gsi::enum_const ("DtlsV1_2", QSsl::DtlsV1_2, "@brief Enum constant QSsl::DtlsV1_2") + + gsi::enum_const ("DtlsV1_2OrLater", QSsl::DtlsV1_2OrLater, "@brief Enum constant QSsl::DtlsV1_2OrLater") + + gsi::enum_const ("TlsV1_3", QSsl::TlsV1_3, "@brief Enum constant QSsl::TlsV1_3") + + gsi::enum_const ("TlsV1_3OrLater", QSsl::TlsV1_3OrLater, "@brief Enum constant QSsl::TlsV1_3OrLater") + gsi::enum_const ("UnknownProtocol", QSsl::UnknownProtocol, "@brief Enum constant QSsl::UnknownProtocol"), "@qt\n@brief This class represents the QSsl::SslProtocol enum"); diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslCertificate.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslCertificate.cc index 1aa637850d..16297fa9f5 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslCertificate.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslCertificate.cc @@ -243,6 +243,21 @@ static void _call_f_isSelfSigned_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } +// QString QSslCertificate::issuerDisplayName() + + +static void _init_f_issuerDisplayName_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_issuerDisplayName_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)((QSslCertificate *)cls)->issuerDisplayName ()); +} + + // QStringList QSslCertificate::issuerInfo(QSslCertificate::SubjectInfo info) @@ -383,6 +398,21 @@ static void _call_f_serialNumber_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } +// QString QSslCertificate::subjectDisplayName() + + +static void _init_f_subjectDisplayName_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_subjectDisplayName_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)((QSslCertificate *)cls)->subjectDisplayName ()); +} + + // QStringList QSslCertificate::subjectInfo(QSslCertificate::SubjectInfo info) @@ -596,7 +626,7 @@ static void _init_f_importPkcs12_9509 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("cert"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("caCertificates", true, "0"); + static gsi::ArgSpecBase argspec_3 ("caCertificates", true, "nullptr"); decl->add_arg * > (argspec_3); static gsi::ArgSpecBase argspec_4 ("passPhrase", true, "QByteArray()"); decl->add_arg (argspec_4); @@ -610,7 +640,7 @@ static void _call_f_importPkcs12_9509 (const qt_gsi::GenericStaticMethod * /*dec QIODevice *arg1 = gsi::arg_reader() (args, heap); QSslKey *arg2 = gsi::arg_reader() (args, heap); QSslCertificate *arg3 = gsi::arg_reader() (args, heap); - QList *arg4 = args ? gsi::arg_reader * >() (args, heap) : gsi::arg_maker * >() (0, heap); + QList *arg4 = args ? gsi::arg_reader * >() (args, heap) : gsi::arg_maker * >() (nullptr, heap); const QByteArray &arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QByteArray(), heap); ret.write ((bool)QSslCertificate::importPkcs12 (arg1, arg2, arg3, arg4, arg5)); } @@ -656,6 +686,7 @@ static gsi::Methods methods_QSslCertificate () { methods += new qt_gsi::GenericMethod ("isBlacklisted?", "@brief Method bool QSslCertificate::isBlacklisted()\n", true, &_init_f_isBlacklisted_c0, &_call_f_isBlacklisted_c0); methods += new qt_gsi::GenericMethod ("isNull?", "@brief Method bool QSslCertificate::isNull()\n", true, &_init_f_isNull_c0, &_call_f_isNull_c0); methods += new qt_gsi::GenericMethod ("isSelfSigned?", "@brief Method bool QSslCertificate::isSelfSigned()\n", true, &_init_f_isSelfSigned_c0, &_call_f_isSelfSigned_c0); + methods += new qt_gsi::GenericMethod ("issuerDisplayName", "@brief Method QString QSslCertificate::issuerDisplayName()\n", true, &_init_f_issuerDisplayName_c0, &_call_f_issuerDisplayName_c0); methods += new qt_gsi::GenericMethod ("issuerInfo", "@brief Method QStringList QSslCertificate::issuerInfo(QSslCertificate::SubjectInfo info)\n", true, &_init_f_issuerInfo_c3178, &_call_f_issuerInfo_c3178); methods += new qt_gsi::GenericMethod ("issuerInfo", "@brief Method QStringList QSslCertificate::issuerInfo(const QByteArray &attribute)\n", true, &_init_f_issuerInfo_c2309, &_call_f_issuerInfo_c2309); methods += new qt_gsi::GenericMethod ("issuerInfoAttributes", "@brief Method QList QSslCertificate::issuerInfoAttributes()\n", true, &_init_f_issuerInfoAttributes_c0, &_call_f_issuerInfoAttributes_c0); @@ -664,6 +695,7 @@ static gsi::Methods methods_QSslCertificate () { methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QSslCertificate::operator==(const QSslCertificate &other)\n", true, &_init_f_operator_eq__eq__c2823, &_call_f_operator_eq__eq__c2823); methods += new qt_gsi::GenericMethod ("publicKey", "@brief Method QSslKey QSslCertificate::publicKey()\n", true, &_init_f_publicKey_c0, &_call_f_publicKey_c0); methods += new qt_gsi::GenericMethod ("serialNumber", "@brief Method QByteArray QSslCertificate::serialNumber()\n", true, &_init_f_serialNumber_c0, &_call_f_serialNumber_c0); + methods += new qt_gsi::GenericMethod ("subjectDisplayName", "@brief Method QString QSslCertificate::subjectDisplayName()\n", true, &_init_f_subjectDisplayName_c0, &_call_f_subjectDisplayName_c0); methods += new qt_gsi::GenericMethod ("subjectInfo", "@brief Method QStringList QSslCertificate::subjectInfo(QSslCertificate::SubjectInfo info)\n", true, &_init_f_subjectInfo_c3178, &_call_f_subjectInfo_c3178); methods += new qt_gsi::GenericMethod ("subjectInfo", "@brief Method QStringList QSslCertificate::subjectInfo(const QByteArray &attribute)\n", true, &_init_f_subjectInfo_c2309, &_call_f_subjectInfo_c2309); methods += new qt_gsi::GenericMethod ("subjectInfoAttributes", "@brief Method QList QSslCertificate::subjectInfoAttributes()\n", true, &_init_f_subjectInfoAttributes_c0, &_call_f_subjectInfoAttributes_c0); diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslConfiguration.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslConfiguration.cc index 238b6658ad..e5700a2b63 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslConfiguration.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslConfiguration.cc @@ -30,6 +30,7 @@ #include #include #include +#include #include #include #include "gsiQt.h" @@ -88,6 +89,21 @@ static void _call_f_allowedNextProtocols_c0 (const qt_gsi::GenericMethod * /*dec } +// QMap QSslConfiguration::backendConfiguration() + + +static void _init_f_backendConfiguration_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return > (); +} + +static void _call_f_backendConfiguration_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write > ((QMap)((QSslConfiguration *)cls)->backendConfiguration ()); +} + + // QList QSslConfiguration::caCertificates() @@ -118,6 +134,36 @@ static void _call_f_ciphers_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cl } +// QSslDiffieHellmanParameters QSslConfiguration::diffieHellmanParameters() + + +static void _init_f_diffieHellmanParameters_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_diffieHellmanParameters_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QSslDiffieHellmanParameters)((QSslConfiguration *)cls)->diffieHellmanParameters ()); +} + + +// bool QSslConfiguration::dtlsCookieVerificationEnabled() + + +static void _init_f_dtlsCookieVerificationEnabled_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_dtlsCookieVerificationEnabled_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QSslConfiguration *)cls)->dtlsCookieVerificationEnabled ()); +} + + // QVector QSslConfiguration::ellipticCurves() @@ -133,6 +179,21 @@ static void _call_f_ellipticCurves_c0 (const qt_gsi::GenericMethod * /*decl*/, v } +// QSslKey QSslConfiguration::ephemeralServerKey() + + +static void _init_f_ephemeralServerKey_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_ephemeralServerKey_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QSslKey)((QSslConfiguration *)cls)->ephemeralServerKey ()); +} + + // bool QSslConfiguration::isNull() @@ -325,6 +386,21 @@ static void _call_f_peerVerifyMode_c0 (const qt_gsi::GenericMethod * /*decl*/, v } +// QByteArray QSslConfiguration::preSharedKeyIdentityHint() + + +static void _init_f_preSharedKeyIdentityHint_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_preSharedKeyIdentityHint_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QByteArray)((QSslConfiguration *)cls)->preSharedKeyIdentityHint ()); +} + + // QSslKey QSslConfiguration::privateKey() @@ -435,6 +511,49 @@ static void _call_f_setAllowedNextProtocols_2047 (const qt_gsi::GenericMethod * } +// void QSslConfiguration::setBackendConfiguration(const QMap &backendConfiguration) + + +static void _init_f_setBackendConfiguration_3792 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("backendConfiguration", true, "QMap()"); + decl->add_arg & > (argspec_0); + decl->set_return (); +} + +static void _call_f_setBackendConfiguration_3792 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QMap &arg1 = args ? gsi::arg_reader & >() (args, heap) : gsi::arg_maker & >() (QMap(), heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QSslConfiguration *)cls)->setBackendConfiguration (arg1); +} + + +// void QSslConfiguration::setBackendConfigurationOption(const QByteArray &name, const QVariant &value) + + +static void _init_f_setBackendConfigurationOption_4320 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("name"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("value"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_setBackendConfigurationOption_4320 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QByteArray &arg1 = gsi::arg_reader() (args, heap); + const QVariant &arg2 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QSslConfiguration *)cls)->setBackendConfigurationOption (arg1, arg2); +} + + // void QSslConfiguration::setCaCertificates(const QList &certificates) @@ -475,6 +594,46 @@ static void _call_f_setCiphers_2918 (const qt_gsi::GenericMethod * /*decl*/, voi } +// void QSslConfiguration::setDiffieHellmanParameters(const QSslDiffieHellmanParameters &dhparams) + + +static void _init_f_setDiffieHellmanParameters_4032 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("dhparams"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setDiffieHellmanParameters_4032 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QSslDiffieHellmanParameters &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QSslConfiguration *)cls)->setDiffieHellmanParameters (arg1); +} + + +// void QSslConfiguration::setDtlsCookieVerificationEnabled(bool enable) + + +static void _init_f_setDtlsCookieVerificationEnabled_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("enable"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setDtlsCookieVerificationEnabled_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QSslConfiguration *)cls)->setDtlsCookieVerificationEnabled (arg1); +} + + // void QSslConfiguration::setEllipticCurves(const QVector &curves) @@ -575,6 +734,26 @@ static void _call_f_setPeerVerifyMode_2970 (const qt_gsi::GenericMethod * /*decl } +// void QSslConfiguration::setPreSharedKeyIdentityHint(const QByteArray &hint) + + +static void _init_f_setPreSharedKeyIdentityHint_2309 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("hint"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setPreSharedKeyIdentityHint_2309 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QByteArray &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QSslConfiguration *)cls)->setPreSharedKeyIdentityHint (arg1); +} + + // void QSslConfiguration::setPrivateKey(const QSslKey &key) @@ -712,6 +891,21 @@ static void _call_f_defaultConfiguration_0 (const qt_gsi::GenericStaticMethod * } +// static QSslConfiguration QSslConfiguration::defaultDtlsConfiguration() + + +static void _init_f_defaultDtlsConfiguration_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_defaultDtlsConfiguration_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QSslConfiguration)QSslConfiguration::defaultDtlsConfiguration ()); +} + + // static void QSslConfiguration::setDefaultConfiguration(const QSslConfiguration &configuration) @@ -732,6 +926,26 @@ static void _call_f_setDefaultConfiguration_3068 (const qt_gsi::GenericStaticMet } +// static void QSslConfiguration::setDefaultDtlsConfiguration(const QSslConfiguration &configuration) + + +static void _init_f_setDefaultDtlsConfiguration_3068 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("configuration"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setDefaultDtlsConfiguration_3068 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QSslConfiguration &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + QSslConfiguration::setDefaultDtlsConfiguration (arg1); +} + + // static QList QSslConfiguration::supportedCiphers() @@ -786,9 +1000,13 @@ static gsi::Methods methods_QSslConfiguration () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSslConfiguration::QSslConfiguration()\nThis method creates an object of class QSslConfiguration.", &_init_ctor_QSslConfiguration_0, &_call_ctor_QSslConfiguration_0); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSslConfiguration::QSslConfiguration(const QSslConfiguration &other)\nThis method creates an object of class QSslConfiguration.", &_init_ctor_QSslConfiguration_3068, &_call_ctor_QSslConfiguration_3068); methods += new qt_gsi::GenericMethod (":allowedNextProtocols", "@brief Method QList QSslConfiguration::allowedNextProtocols()\n", true, &_init_f_allowedNextProtocols_c0, &_call_f_allowedNextProtocols_c0); + methods += new qt_gsi::GenericMethod ("backendConfiguration", "@brief Method QMap QSslConfiguration::backendConfiguration()\n", true, &_init_f_backendConfiguration_c0, &_call_f_backendConfiguration_c0); methods += new qt_gsi::GenericMethod (":caCertificates", "@brief Method QList QSslConfiguration::caCertificates()\n", true, &_init_f_caCertificates_c0, &_call_f_caCertificates_c0); methods += new qt_gsi::GenericMethod (":ciphers", "@brief Method QList QSslConfiguration::ciphers()\n", true, &_init_f_ciphers_c0, &_call_f_ciphers_c0); + methods += new qt_gsi::GenericMethod ("diffieHellmanParameters", "@brief Method QSslDiffieHellmanParameters QSslConfiguration::diffieHellmanParameters()\n", true, &_init_f_diffieHellmanParameters_c0, &_call_f_diffieHellmanParameters_c0); + methods += new qt_gsi::GenericMethod ("dtlsCookieVerificationEnabled", "@brief Method bool QSslConfiguration::dtlsCookieVerificationEnabled()\n", true, &_init_f_dtlsCookieVerificationEnabled_c0, &_call_f_dtlsCookieVerificationEnabled_c0); methods += new qt_gsi::GenericMethod (":ellipticCurves", "@brief Method QVector QSslConfiguration::ellipticCurves()\n", true, &_init_f_ellipticCurves_c0, &_call_f_ellipticCurves_c0); + methods += new qt_gsi::GenericMethod ("ephemeralServerKey", "@brief Method QSslKey QSslConfiguration::ephemeralServerKey()\n", true, &_init_f_ephemeralServerKey_c0, &_call_f_ephemeralServerKey_c0); methods += new qt_gsi::GenericMethod ("isNull?", "@brief Method bool QSslConfiguration::isNull()\n", true, &_init_f_isNull_c0, &_call_f_isNull_c0); methods += new qt_gsi::GenericMethod (":localCertificate", "@brief Method QSslCertificate QSslConfiguration::localCertificate()\n", true, &_init_f_localCertificate_c0, &_call_f_localCertificate_c0); methods += new qt_gsi::GenericMethod (":localCertificateChain", "@brief Method QList QSslConfiguration::localCertificateChain()\n", true, &_init_f_localCertificateChain_c0, &_call_f_localCertificateChain_c0); @@ -801,6 +1019,7 @@ static gsi::Methods methods_QSslConfiguration () { methods += new qt_gsi::GenericMethod ("peerCertificateChain", "@brief Method QList QSslConfiguration::peerCertificateChain()\n", true, &_init_f_peerCertificateChain_c0, &_call_f_peerCertificateChain_c0); methods += new qt_gsi::GenericMethod (":peerVerifyDepth", "@brief Method int QSslConfiguration::peerVerifyDepth()\n", true, &_init_f_peerVerifyDepth_c0, &_call_f_peerVerifyDepth_c0); methods += new qt_gsi::GenericMethod (":peerVerifyMode", "@brief Method QSslSocket::PeerVerifyMode QSslConfiguration::peerVerifyMode()\n", true, &_init_f_peerVerifyMode_c0, &_call_f_peerVerifyMode_c0); + methods += new qt_gsi::GenericMethod ("preSharedKeyIdentityHint", "@brief Method QByteArray QSslConfiguration::preSharedKeyIdentityHint()\n", true, &_init_f_preSharedKeyIdentityHint_c0, &_call_f_preSharedKeyIdentityHint_c0); methods += new qt_gsi::GenericMethod (":privateKey", "@brief Method QSslKey QSslConfiguration::privateKey()\n", true, &_init_f_privateKey_c0, &_call_f_privateKey_c0); methods += new qt_gsi::GenericMethod (":protocol", "@brief Method QSsl::SslProtocol QSslConfiguration::protocol()\n", true, &_init_f_protocol_c0, &_call_f_protocol_c0); methods += new qt_gsi::GenericMethod ("sessionCipher", "@brief Method QSslCipher QSslConfiguration::sessionCipher()\n", true, &_init_f_sessionCipher_c0, &_call_f_sessionCipher_c0); @@ -808,13 +1027,18 @@ static gsi::Methods methods_QSslConfiguration () { methods += new qt_gsi::GenericMethod (":sessionTicket", "@brief Method QByteArray QSslConfiguration::sessionTicket()\n", true, &_init_f_sessionTicket_c0, &_call_f_sessionTicket_c0); methods += new qt_gsi::GenericMethod ("sessionTicketLifeTimeHint", "@brief Method int QSslConfiguration::sessionTicketLifeTimeHint()\n", true, &_init_f_sessionTicketLifeTimeHint_c0, &_call_f_sessionTicketLifeTimeHint_c0); methods += new qt_gsi::GenericMethod ("setAllowedNextProtocols|allowedNextProtocols=", "@brief Method void QSslConfiguration::setAllowedNextProtocols(QList protocols)\n", false, &_init_f_setAllowedNextProtocols_2047, &_call_f_setAllowedNextProtocols_2047); + methods += new qt_gsi::GenericMethod ("setBackendConfiguration", "@brief Method void QSslConfiguration::setBackendConfiguration(const QMap &backendConfiguration)\n", false, &_init_f_setBackendConfiguration_3792, &_call_f_setBackendConfiguration_3792); + methods += new qt_gsi::GenericMethod ("setBackendConfigurationOption", "@brief Method void QSslConfiguration::setBackendConfigurationOption(const QByteArray &name, const QVariant &value)\n", false, &_init_f_setBackendConfigurationOption_4320, &_call_f_setBackendConfigurationOption_4320); methods += new qt_gsi::GenericMethod ("setCaCertificates|caCertificates=", "@brief Method void QSslConfiguration::setCaCertificates(const QList &certificates)\n", false, &_init_f_setCaCertificates_3438, &_call_f_setCaCertificates_3438); methods += new qt_gsi::GenericMethod ("setCiphers|ciphers=", "@brief Method void QSslConfiguration::setCiphers(const QList &ciphers)\n", false, &_init_f_setCiphers_2918, &_call_f_setCiphers_2918); + methods += new qt_gsi::GenericMethod ("setDiffieHellmanParameters", "@brief Method void QSslConfiguration::setDiffieHellmanParameters(const QSslDiffieHellmanParameters &dhparams)\n", false, &_init_f_setDiffieHellmanParameters_4032, &_call_f_setDiffieHellmanParameters_4032); + methods += new qt_gsi::GenericMethod ("setDtlsCookieVerificationEnabled", "@brief Method void QSslConfiguration::setDtlsCookieVerificationEnabled(bool enable)\n", false, &_init_f_setDtlsCookieVerificationEnabled_864, &_call_f_setDtlsCookieVerificationEnabled_864); methods += new qt_gsi::GenericMethod ("setEllipticCurves|ellipticCurves=", "@brief Method void QSslConfiguration::setEllipticCurves(const QVector &curves)\n", false, &_init_f_setEllipticCurves_3869, &_call_f_setEllipticCurves_3869); methods += new qt_gsi::GenericMethod ("setLocalCertificate|localCertificate=", "@brief Method void QSslConfiguration::setLocalCertificate(const QSslCertificate &certificate)\n", false, &_init_f_setLocalCertificate_2823, &_call_f_setLocalCertificate_2823); methods += new qt_gsi::GenericMethod ("setLocalCertificateChain|localCertificateChain=", "@brief Method void QSslConfiguration::setLocalCertificateChain(const QList &localChain)\n", false, &_init_f_setLocalCertificateChain_3438, &_call_f_setLocalCertificateChain_3438); methods += new qt_gsi::GenericMethod ("setPeerVerifyDepth|peerVerifyDepth=", "@brief Method void QSslConfiguration::setPeerVerifyDepth(int depth)\n", false, &_init_f_setPeerVerifyDepth_767, &_call_f_setPeerVerifyDepth_767); methods += new qt_gsi::GenericMethod ("setPeerVerifyMode|peerVerifyMode=", "@brief Method void QSslConfiguration::setPeerVerifyMode(QSslSocket::PeerVerifyMode mode)\n", false, &_init_f_setPeerVerifyMode_2970, &_call_f_setPeerVerifyMode_2970); + methods += new qt_gsi::GenericMethod ("setPreSharedKeyIdentityHint", "@brief Method void QSslConfiguration::setPreSharedKeyIdentityHint(const QByteArray &hint)\n", false, &_init_f_setPreSharedKeyIdentityHint_2309, &_call_f_setPreSharedKeyIdentityHint_2309); methods += new qt_gsi::GenericMethod ("setPrivateKey|privateKey=", "@brief Method void QSslConfiguration::setPrivateKey(const QSslKey &key)\n", false, &_init_f_setPrivateKey_1997, &_call_f_setPrivateKey_1997); methods += new qt_gsi::GenericMethod ("setProtocol|protocol=", "@brief Method void QSslConfiguration::setProtocol(QSsl::SslProtocol protocol)\n", false, &_init_f_setProtocol_2095, &_call_f_setProtocol_2095); methods += new qt_gsi::GenericMethod ("setSessionTicket|sessionTicket=", "@brief Method void QSslConfiguration::setSessionTicket(const QByteArray &sessionTicket)\n", false, &_init_f_setSessionTicket_2309, &_call_f_setSessionTicket_2309); @@ -822,7 +1046,9 @@ static gsi::Methods methods_QSslConfiguration () { methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QSslConfiguration::swap(QSslConfiguration &other)\n", false, &_init_f_swap_2373, &_call_f_swap_2373); methods += new qt_gsi::GenericMethod ("testSslOption", "@brief Method bool QSslConfiguration::testSslOption(QSsl::SslOption option)\n", true, &_init_f_testSslOption_c1878, &_call_f_testSslOption_c1878); methods += new qt_gsi::GenericStaticMethod (":defaultConfiguration", "@brief Static method QSslConfiguration QSslConfiguration::defaultConfiguration()\nThis method is static and can be called without an instance.", &_init_f_defaultConfiguration_0, &_call_f_defaultConfiguration_0); + methods += new qt_gsi::GenericStaticMethod ("defaultDtlsConfiguration", "@brief Static method QSslConfiguration QSslConfiguration::defaultDtlsConfiguration()\nThis method is static and can be called without an instance.", &_init_f_defaultDtlsConfiguration_0, &_call_f_defaultDtlsConfiguration_0); methods += new qt_gsi::GenericStaticMethod ("setDefaultConfiguration|defaultConfiguration=", "@brief Static method void QSslConfiguration::setDefaultConfiguration(const QSslConfiguration &configuration)\nThis method is static and can be called without an instance.", &_init_f_setDefaultConfiguration_3068, &_call_f_setDefaultConfiguration_3068); + methods += new qt_gsi::GenericStaticMethod ("setDefaultDtlsConfiguration", "@brief Static method void QSslConfiguration::setDefaultDtlsConfiguration(const QSslConfiguration &configuration)\nThis method is static and can be called without an instance.", &_init_f_setDefaultDtlsConfiguration_3068, &_call_f_setDefaultDtlsConfiguration_3068); methods += new qt_gsi::GenericStaticMethod ("supportedCiphers", "@brief Static method QList QSslConfiguration::supportedCiphers()\nThis method is static and can be called without an instance.", &_init_f_supportedCiphers_0, &_call_f_supportedCiphers_0); methods += new qt_gsi::GenericStaticMethod ("supportedEllipticCurves", "@brief Static method QVector QSslConfiguration::supportedEllipticCurves()\nThis method is static and can be called without an instance.", &_init_f_supportedEllipticCurves_0, &_call_f_supportedEllipticCurves_0); methods += new qt_gsi::GenericStaticMethod ("systemCaCertificates", "@brief Static method QList QSslConfiguration::systemCaCertificates()\nThis method is static and can be called without an instance.", &_init_f_systemCaCertificates_0, &_call_f_systemCaCertificates_0); diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslDiffieHellmanParameters.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslDiffieHellmanParameters.cc new file mode 100644 index 0000000000..d52035a164 --- /dev/null +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslDiffieHellmanParameters.cc @@ -0,0 +1,292 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +/** +* @file gsiDeclQSslDiffieHellmanParameters.cc +* +* DO NOT EDIT THIS FILE. +* This file has been created automatically +*/ + +#include +#include +#include "gsiQt.h" +#include "gsiQtNetworkCommon.h" +#include + +// ----------------------------------------------------------------------- +// class QSslDiffieHellmanParameters + +// Constructor QSslDiffieHellmanParameters::QSslDiffieHellmanParameters() + + +static void _init_ctor_QSslDiffieHellmanParameters_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return_new (); +} + +static void _call_ctor_QSslDiffieHellmanParameters_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write (new QSslDiffieHellmanParameters ()); +} + + +// Constructor QSslDiffieHellmanParameters::QSslDiffieHellmanParameters(const QSslDiffieHellmanParameters &other) + + +static void _init_ctor_QSslDiffieHellmanParameters_4032 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QSslDiffieHellmanParameters_4032 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QSslDiffieHellmanParameters &arg1 = gsi::arg_reader() (args, heap); + ret.write (new QSslDiffieHellmanParameters (arg1)); +} + + +// QSslDiffieHellmanParameters::Error QSslDiffieHellmanParameters::error() + + +static void _init_f_error_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QSslDiffieHellmanParameters *)cls)->error ())); +} + + +// QString QSslDiffieHellmanParameters::errorString() + + +static void _init_f_errorString_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_errorString_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)((QSslDiffieHellmanParameters *)cls)->errorString ()); +} + + +// bool QSslDiffieHellmanParameters::isEmpty() + + +static void _init_f_isEmpty_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isEmpty_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QSslDiffieHellmanParameters *)cls)->isEmpty ()); +} + + +// bool QSslDiffieHellmanParameters::isValid() + + +static void _init_f_isValid_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isValid_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QSslDiffieHellmanParameters *)cls)->isValid ()); +} + + +// QSslDiffieHellmanParameters &QSslDiffieHellmanParameters::operator=(const QSslDiffieHellmanParameters &other) + + +static void _init_f_operator_eq__4032 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_eq__4032 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QSslDiffieHellmanParameters &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QSslDiffieHellmanParameters &)((QSslDiffieHellmanParameters *)cls)->operator= (arg1)); +} + + +// void QSslDiffieHellmanParameters::swap(QSslDiffieHellmanParameters &other) + + +static void _init_f_swap_3337 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_swap_3337 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QSslDiffieHellmanParameters &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QSslDiffieHellmanParameters *)cls)->swap (arg1); +} + + +// static QSslDiffieHellmanParameters QSslDiffieHellmanParameters::defaultParameters() + + +static void _init_f_defaultParameters_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_defaultParameters_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QSslDiffieHellmanParameters)QSslDiffieHellmanParameters::defaultParameters ()); +} + + +// static QSslDiffieHellmanParameters QSslDiffieHellmanParameters::fromEncoded(const QByteArray &encoded, QSsl::EncodingFormat format) + + +static void _init_f_fromEncoded_4564 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("encoded"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("format", true, "QSsl::Pem"); + decl->add_arg::target_type & > (argspec_1); + decl->set_return (); +} + +static void _call_f_fromEncoded_4564 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QByteArray &arg1 = gsi::arg_reader() (args, heap); + const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QSsl::Pem), heap); + ret.write ((QSslDiffieHellmanParameters)QSslDiffieHellmanParameters::fromEncoded (arg1, qt_gsi::QtToCppAdaptor(arg2).cref())); +} + + +// static QSslDiffieHellmanParameters QSslDiffieHellmanParameters::fromEncoded(QIODevice *device, QSsl::EncodingFormat format) + + +static void _init_f_fromEncoded_3702 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("device"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("format", true, "QSsl::Pem"); + decl->add_arg::target_type & > (argspec_1); + decl->set_return (); +} + +static void _call_f_fromEncoded_3702 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QIODevice *arg1 = gsi::arg_reader() (args, heap); + const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QSsl::Pem), heap); + ret.write ((QSslDiffieHellmanParameters)QSslDiffieHellmanParameters::fromEncoded (arg1, qt_gsi::QtToCppAdaptor(arg2).cref())); +} + + +// bool ::operator==(const QSslDiffieHellmanParameters &lhs, const QSslDiffieHellmanParameters &rhs) +static bool op_QSslDiffieHellmanParameters_operator_eq__eq__7956(const QSslDiffieHellmanParameters *_self, const QSslDiffieHellmanParameters &rhs) { + return ::operator==(*_self, rhs); +} + +// bool ::operator!=(const QSslDiffieHellmanParameters &lhs, const QSslDiffieHellmanParameters &rhs) +static bool op_QSslDiffieHellmanParameters_operator_excl__eq__7956(const QSslDiffieHellmanParameters *_self, const QSslDiffieHellmanParameters &rhs) { + return ::operator!=(*_self, rhs); +} + + +namespace gsi +{ + +static gsi::Methods methods_QSslDiffieHellmanParameters () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSslDiffieHellmanParameters::QSslDiffieHellmanParameters()\nThis method creates an object of class QSslDiffieHellmanParameters.", &_init_ctor_QSslDiffieHellmanParameters_0, &_call_ctor_QSslDiffieHellmanParameters_0); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSslDiffieHellmanParameters::QSslDiffieHellmanParameters(const QSslDiffieHellmanParameters &other)\nThis method creates an object of class QSslDiffieHellmanParameters.", &_init_ctor_QSslDiffieHellmanParameters_4032, &_call_ctor_QSslDiffieHellmanParameters_4032); + methods += new qt_gsi::GenericMethod ("error", "@brief Method QSslDiffieHellmanParameters::Error QSslDiffieHellmanParameters::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); + methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QSslDiffieHellmanParameters::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); + methods += new qt_gsi::GenericMethod ("isEmpty?", "@brief Method bool QSslDiffieHellmanParameters::isEmpty()\n", true, &_init_f_isEmpty_c0, &_call_f_isEmpty_c0); + methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QSslDiffieHellmanParameters::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); + methods += new qt_gsi::GenericMethod ("assign", "@brief Method QSslDiffieHellmanParameters &QSslDiffieHellmanParameters::operator=(const QSslDiffieHellmanParameters &other)\n", false, &_init_f_operator_eq__4032, &_call_f_operator_eq__4032); + methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QSslDiffieHellmanParameters::swap(QSslDiffieHellmanParameters &other)\n", false, &_init_f_swap_3337, &_call_f_swap_3337); + methods += new qt_gsi::GenericStaticMethod ("defaultParameters", "@brief Static method QSslDiffieHellmanParameters QSslDiffieHellmanParameters::defaultParameters()\nThis method is static and can be called without an instance.", &_init_f_defaultParameters_0, &_call_f_defaultParameters_0); + methods += new qt_gsi::GenericStaticMethod ("fromEncoded", "@brief Static method QSslDiffieHellmanParameters QSslDiffieHellmanParameters::fromEncoded(const QByteArray &encoded, QSsl::EncodingFormat format)\nThis method is static and can be called without an instance.", &_init_f_fromEncoded_4564, &_call_f_fromEncoded_4564); + methods += new qt_gsi::GenericStaticMethod ("fromEncoded", "@brief Static method QSslDiffieHellmanParameters QSslDiffieHellmanParameters::fromEncoded(QIODevice *device, QSsl::EncodingFormat format)\nThis method is static and can be called without an instance.", &_init_f_fromEncoded_3702, &_call_f_fromEncoded_3702); + methods += gsi::method_ext("==", &::op_QSslDiffieHellmanParameters_operator_eq__eq__7956, gsi::arg ("rhs"), "@brief Operator bool ::operator==(const QSslDiffieHellmanParameters &lhs, const QSslDiffieHellmanParameters &rhs)\nThis is the mapping of the global operator to the instance method."); + methods += gsi::method_ext("!=", &::op_QSslDiffieHellmanParameters_operator_excl__eq__7956, gsi::arg ("rhs"), "@brief Operator bool ::operator!=(const QSslDiffieHellmanParameters &lhs, const QSslDiffieHellmanParameters &rhs)\nThis is the mapping of the global operator to the instance method."); + return methods; +} + +gsi::Class decl_QSslDiffieHellmanParameters ("QtNetwork", "QSslDiffieHellmanParameters", + methods_QSslDiffieHellmanParameters (), + "@qt\n@brief Binding of QSslDiffieHellmanParameters"); + + +GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QSslDiffieHellmanParameters () { return decl_QSslDiffieHellmanParameters; } + +} + + +// Implementation of the enum wrapper class for QSslDiffieHellmanParameters::Error +namespace qt_gsi +{ + +static gsi::Enum decl_QSslDiffieHellmanParameters_Error_Enum ("QtNetwork", "QSslDiffieHellmanParameters_Error", + gsi::enum_const ("NoError", QSslDiffieHellmanParameters::NoError, "@brief Enum constant QSslDiffieHellmanParameters::NoError") + + gsi::enum_const ("InvalidInputDataError", QSslDiffieHellmanParameters::InvalidInputDataError, "@brief Enum constant QSslDiffieHellmanParameters::InvalidInputDataError") + + gsi::enum_const ("UnsafeParametersError", QSslDiffieHellmanParameters::UnsafeParametersError, "@brief Enum constant QSslDiffieHellmanParameters::UnsafeParametersError"), + "@qt\n@brief This class represents the QSslDiffieHellmanParameters::Error enum"); + +static gsi::QFlagsClass decl_QSslDiffieHellmanParameters_Error_Enums ("QtNetwork", "QSslDiffieHellmanParameters_QFlags_Error", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_QSslDiffieHellmanParameters_Error_Enum_in_parent (decl_QSslDiffieHellmanParameters_Error_Enum.defs ()); +static gsi::ClassExt decl_QSslDiffieHellmanParameters_Error_Enum_as_child (decl_QSslDiffieHellmanParameters_Error_Enum, "Error"); +static gsi::ClassExt decl_QSslDiffieHellmanParameters_Error_Enums_as_child (decl_QSslDiffieHellmanParameters_Error_Enums, "QFlags_Error"); + +} + diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslPreSharedKeyAuthenticator.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslPreSharedKeyAuthenticator.cc index 70a9911e45..66cd3dbaee 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslPreSharedKeyAuthenticator.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslPreSharedKeyAuthenticator.cc @@ -203,12 +203,12 @@ static void _call_f_setPreSharedKey_2309 (const qt_gsi::GenericMethod * /*decl*/ } -// void QSslPreSharedKeyAuthenticator::swap(QSslPreSharedKeyAuthenticator &authenticator) +// void QSslPreSharedKeyAuthenticator::swap(QSslPreSharedKeyAuthenticator &other) static void _init_f_swap_3567 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("authenticator"); + static gsi::ArgSpecBase argspec_0 ("other"); decl->add_arg (argspec_0); decl->set_return (); } @@ -244,7 +244,7 @@ static gsi::Methods methods_QSslPreSharedKeyAuthenticator () { methods += new qt_gsi::GenericMethod (":preSharedKey", "@brief Method QByteArray QSslPreSharedKeyAuthenticator::preSharedKey()\n", true, &_init_f_preSharedKey_c0, &_call_f_preSharedKey_c0); methods += new qt_gsi::GenericMethod ("setIdentity|identity=", "@brief Method void QSslPreSharedKeyAuthenticator::setIdentity(const QByteArray &identity)\n", false, &_init_f_setIdentity_2309, &_call_f_setIdentity_2309); methods += new qt_gsi::GenericMethod ("setPreSharedKey|preSharedKey=", "@brief Method void QSslPreSharedKeyAuthenticator::setPreSharedKey(const QByteArray &preSharedKey)\n", false, &_init_f_setPreSharedKey_2309, &_call_f_setPreSharedKey_2309); - methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QSslPreSharedKeyAuthenticator::swap(QSslPreSharedKeyAuthenticator &authenticator)\n", false, &_init_f_swap_3567, &_call_f_swap_3567); + methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QSslPreSharedKeyAuthenticator::swap(QSslPreSharedKeyAuthenticator &other)\n", false, &_init_f_swap_3567, &_call_f_swap_3567); methods += gsi::method_ext("!=", &::op_QSslPreSharedKeyAuthenticator_operator_excl__eq__8416, gsi::arg ("rhs"), "@brief Operator bool ::operator!=(const QSslPreSharedKeyAuthenticator &lhs, const QSslPreSharedKeyAuthenticator &rhs)\nThis is the mapping of the global operator to the instance method."); return methods; } diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslSocket.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslSocket.cc index 4e11f2f796..8167376688 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslSocket.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslSocket.cc @@ -66,7 +66,7 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g static void _init_ctor_QSslSocket_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -75,7 +75,7 @@ static void _call_ctor_QSslSocket_1302 (const qt_gsi::GenericStaticMethod * /*de { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSslSocket (arg1)); } @@ -1568,6 +1568,8 @@ static gsi::Methods methods_QSslSocket () { methods += new qt_gsi::GenericMethod ("waitForReadyRead", "@brief Method bool QSslSocket::waitForReadyRead(int msecs)\nThis is a reimplementation of QAbstractSocket::waitForReadyRead", false, &_init_f_waitForReadyRead_767, &_call_f_waitForReadyRead_767); methods += gsi::qt_signal ("aboutToClose()", "aboutToClose", "@brief Signal declaration for QSslSocket::aboutToClose()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("bytesWritten(qint64)", "bytesWritten", gsi::arg("bytes"), "@brief Signal declaration for QSslSocket::bytesWritten(qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelBytesWritten(int, qint64)", "channelBytesWritten", gsi::arg("channel"), gsi::arg("bytes"), "@brief Signal declaration for QSslSocket::channelBytesWritten(int channel, qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelReadyRead(int)", "channelReadyRead", gsi::arg("channel"), "@brief Signal declaration for QSslSocket::channelReadyRead(int channel)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("connected()", "connected", "@brief Signal declaration for QSslSocket::connected()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QSslSocket::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("disconnected()", "disconnected", "@brief Signal declaration for QSslSocket::disconnected()\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQTcpServer.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQTcpServer.cc index 2ffeba755a..5eebc6dafa 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQTcpServer.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQTcpServer.cc @@ -343,7 +343,7 @@ static void _init_f_waitForNewConnection_1709 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("msec", true, "0"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("timedOut", true, "0"); + static gsi::ArgSpecBase argspec_1 ("timedOut", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -353,7 +353,7 @@ static void _call_f_waitForNewConnection_1709 (const qt_gsi::GenericMethod * /*d __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; int arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QTcpServer *)cls)->waitForNewConnection (arg1, arg2)); } @@ -507,33 +507,33 @@ class QTcpServer_Adaptor : public QTcpServer, public qt_gsi::QtObjectBase emit QTcpServer::destroyed(arg1); } - // [adaptor impl] bool QTcpServer::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QTcpServer::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QTcpServer::event(arg1); + return QTcpServer::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QTcpServer_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QTcpServer_Adaptor::cbs_event_1217_0, _event); } else { - return QTcpServer::event(arg1); + return QTcpServer::event(_event); } } - // [adaptor impl] bool QTcpServer::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QTcpServer::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QTcpServer::eventFilter(arg1, arg2); + return QTcpServer::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QTcpServer_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QTcpServer_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QTcpServer::eventFilter(arg1, arg2); + return QTcpServer::eventFilter(watched, event); } } @@ -580,33 +580,33 @@ class QTcpServer_Adaptor : public QTcpServer, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QTcpServer::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QTcpServer::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTcpServer::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTcpServer::childEvent(arg1); + QTcpServer::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTcpServer_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTcpServer_Adaptor::cbs_childEvent_1701_0, event); } else { - QTcpServer::childEvent(arg1); + QTcpServer::childEvent(event); } } - // [adaptor impl] void QTcpServer::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTcpServer::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTcpServer::customEvent(arg1); + QTcpServer::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTcpServer_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTcpServer_Adaptor::cbs_customEvent_1217_0, event); } else { - QTcpServer::customEvent(arg1); + QTcpServer::customEvent(event); } } @@ -640,18 +640,18 @@ class QTcpServer_Adaptor : public QTcpServer, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTcpServer::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QTcpServer::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QTcpServer::timerEvent(arg1); + QTcpServer::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QTcpServer_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QTcpServer_Adaptor::cbs_timerEvent_1730_0, event); } else { - QTcpServer::timerEvent(arg1); + QTcpServer::timerEvent(event); } } @@ -672,7 +672,7 @@ QTcpServer_Adaptor::~QTcpServer_Adaptor() { } static void _init_ctor_QTcpServer_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -681,7 +681,7 @@ static void _call_ctor_QTcpServer_Adaptor_1302 (const qt_gsi::GenericStaticMetho { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTcpServer_Adaptor (arg1)); } @@ -723,11 +723,11 @@ static void _call_fp_addPendingConnection_1615 (const qt_gsi::GenericMethod * /* } -// void QTcpServer::childEvent(QChildEvent *) +// void QTcpServer::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -747,11 +747,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QTcpServer::customEvent(QEvent *) +// void QTcpServer::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -775,7 +775,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -784,7 +784,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTcpServer_Adaptor *)cls)->emitter_QTcpServer_destroyed_1302 (arg1); } @@ -813,11 +813,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QTcpServer::event(QEvent *) +// bool QTcpServer::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -836,13 +836,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QTcpServer::eventFilter(QObject *, QEvent *) +// bool QTcpServer::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1020,11 +1020,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QTcpServer::timerEvent(QTimerEvent *) +// void QTcpServer::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1054,16 +1054,16 @@ static gsi::Methods methods_QTcpServer_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTcpServer::QTcpServer(QObject *parent)\nThis method creates an object of class QTcpServer.", &_init_ctor_QTcpServer_Adaptor_1302, &_call_ctor_QTcpServer_Adaptor_1302); methods += new qt_gsi::GenericMethod ("emit_acceptError", "@brief Emitter for signal void QTcpServer::acceptError(QAbstractSocket::SocketError socketError)\nCall this method to emit this signal.", false, &_init_emitter_acceptError_3209, &_call_emitter_acceptError_3209); methods += new qt_gsi::GenericMethod ("*addPendingConnection", "@brief Method void QTcpServer::addPendingConnection(QTcpSocket *socket)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_addPendingConnection_1615, &_call_fp_addPendingConnection_1615); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTcpServer::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTcpServer::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTcpServer::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTcpServer::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTcpServer::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTcpServer::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTcpServer::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTcpServer::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTcpServer::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTcpServer::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("hasPendingConnections", "@brief Virtual method bool QTcpServer::hasPendingConnections()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasPendingConnections_c0_0, &_call_cbs_hasPendingConnections_c0_0); methods += new qt_gsi::GenericMethod ("hasPendingConnections", "@hide", true, &_init_cbs_hasPendingConnections_c0_0, &_call_cbs_hasPendingConnections_c0_0, &_set_callback_cbs_hasPendingConnections_c0_0); @@ -1077,7 +1077,7 @@ static gsi::Methods methods_QTcpServer_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QTcpServer::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QTcpServer::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QTcpServer::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTcpServer::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTcpServer::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQTcpSocket.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQTcpSocket.cc index 844f311b6f..5f96efbbe8 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQTcpSocket.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQTcpSocket.cc @@ -60,7 +60,7 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g static void _init_ctor_QTcpSocket_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -69,7 +69,7 @@ static void _call_ctor_QTcpSocket_1302 (const qt_gsi::GenericStaticMethod * /*de { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTcpSocket (arg1)); } @@ -134,6 +134,8 @@ static gsi::Methods methods_QTcpSocket () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += gsi::qt_signal ("aboutToClose()", "aboutToClose", "@brief Signal declaration for QTcpSocket::aboutToClose()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("bytesWritten(qint64)", "bytesWritten", gsi::arg("bytes"), "@brief Signal declaration for QTcpSocket::bytesWritten(qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelBytesWritten(int, qint64)", "channelBytesWritten", gsi::arg("channel"), gsi::arg("bytes"), "@brief Signal declaration for QTcpSocket::channelBytesWritten(int channel, qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelReadyRead(int)", "channelReadyRead", gsi::arg("channel"), "@brief Signal declaration for QTcpSocket::channelReadyRead(int channel)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("connected()", "connected", "@brief Signal declaration for QTcpSocket::connected()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QTcpSocket::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("disconnected()", "disconnected", "@brief Signal declaration for QTcpSocket::disconnected()\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQUdpSocket.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQUdpSocket.cc index 9b2cb74cbe..a15c1ada7d 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQUdpSocket.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQUdpSocket.cc @@ -32,6 +32,7 @@ #include #include #include +#include #include #include #include @@ -61,7 +62,7 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g static void _init_ctor_QUdpSocket_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -70,7 +71,7 @@ static void _call_ctor_QUdpSocket_1302 (const qt_gsi::GenericStaticMethod * /*de { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QUdpSocket (arg1)); } @@ -202,6 +203,25 @@ static void _call_f_pendingDatagramSize_c0 (const qt_gsi::GenericMethod * /*decl } +// QNetworkDatagram QUdpSocket::receiveDatagram(qint64 maxSize) + + +static void _init_f_receiveDatagram_986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("maxSize", true, "-1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_receiveDatagram_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); + ret.write ((QNetworkDatagram)((QUdpSocket *)cls)->receiveDatagram (arg1)); +} + + // void QUdpSocket::setMulticastInterface(const QNetworkInterface &iface) @@ -222,6 +242,25 @@ static void _call_f_setMulticastInterface_3053 (const qt_gsi::GenericMethod * /* } +// qint64 QUdpSocket::writeDatagram(const QNetworkDatagram &datagram) + + +static void _init_f_writeDatagram_2941 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("datagram"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_writeDatagram_2941 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QNetworkDatagram &arg1 = gsi::arg_reader() (args, heap); + ret.write ((qint64)((QUdpSocket *)cls)->writeDatagram (arg1)); +} + + // qint64 QUdpSocket::writeDatagram(const char *data, qint64 len, const QHostAddress &host, quint16 port) @@ -340,11 +379,15 @@ static gsi::Methods methods_QUdpSocket () { methods += new qt_gsi::GenericMethod ("leaveMulticastGroup", "@brief Method bool QUdpSocket::leaveMulticastGroup(const QHostAddress &groupAddress, const QNetworkInterface &iface)\n", false, &_init_f_leaveMulticastGroup_5463, &_call_f_leaveMulticastGroup_5463); methods += new qt_gsi::GenericMethod (":multicastInterface", "@brief Method QNetworkInterface QUdpSocket::multicastInterface()\n", true, &_init_f_multicastInterface_c0, &_call_f_multicastInterface_c0); methods += new qt_gsi::GenericMethod ("pendingDatagramSize", "@brief Method qint64 QUdpSocket::pendingDatagramSize()\n", true, &_init_f_pendingDatagramSize_c0, &_call_f_pendingDatagramSize_c0); + methods += new qt_gsi::GenericMethod ("receiveDatagram", "@brief Method QNetworkDatagram QUdpSocket::receiveDatagram(qint64 maxSize)\n", false, &_init_f_receiveDatagram_986, &_call_f_receiveDatagram_986); methods += new qt_gsi::GenericMethod ("setMulticastInterface|multicastInterface=", "@brief Method void QUdpSocket::setMulticastInterface(const QNetworkInterface &iface)\n", false, &_init_f_setMulticastInterface_3053, &_call_f_setMulticastInterface_3053); + methods += new qt_gsi::GenericMethod ("writeDatagram", "@brief Method qint64 QUdpSocket::writeDatagram(const QNetworkDatagram &datagram)\n", false, &_init_f_writeDatagram_2941, &_call_f_writeDatagram_2941); methods += new qt_gsi::GenericMethod ("writeDatagram", "@brief Method qint64 QUdpSocket::writeDatagram(const char *data, qint64 len, const QHostAddress &host, quint16 port)\n", false, &_init_f_writeDatagram_6011, &_call_f_writeDatagram_6011); methods += new qt_gsi::GenericMethod ("writeDatagram", "@brief Method qint64 QUdpSocket::writeDatagram(const QByteArray &datagram, const QHostAddress &host, quint16 port)\n", false, &_init_f_writeDatagram_5711, &_call_f_writeDatagram_5711); methods += gsi::qt_signal ("aboutToClose()", "aboutToClose", "@brief Signal declaration for QUdpSocket::aboutToClose()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("bytesWritten(qint64)", "bytesWritten", gsi::arg("bytes"), "@brief Signal declaration for QUdpSocket::bytesWritten(qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelBytesWritten(int, qint64)", "channelBytesWritten", gsi::arg("channel"), gsi::arg("bytes"), "@brief Signal declaration for QUdpSocket::channelBytesWritten(int channel, qint64 bytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("channelReadyRead(int)", "channelReadyRead", gsi::arg("channel"), "@brief Signal declaration for QUdpSocket::channelReadyRead(int channel)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("connected()", "connected", "@brief Signal declaration for QUdpSocket::connected()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QUdpSocket::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("disconnected()", "disconnected", "@brief Signal declaration for QUdpSocket::disconnected()\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt5/QtNetwork/gsiQtExternals.h b/src/gsiqt/qt5/QtNetwork/gsiQtExternals.h index 3d77cf4968..dddd07724b 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiQtExternals.h +++ b/src/gsiqt/qt5/QtNetwork/gsiQtExternals.h @@ -69,6 +69,14 @@ class QDnsTextRecord; namespace gsi { GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QDnsTextRecord (); } +class QDtls; + +namespace gsi { GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QDtls (); } + +class QDtlsClientVerifier; + +namespace gsi { GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QDtlsClientVerifier (); } + class QHostAddress; namespace gsi { GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QHostAddress (); } @@ -77,6 +85,10 @@ class QHostInfo; namespace gsi { GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QHostInfo (); } +class QHstsPolicy; + +namespace gsi { GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QHstsPolicy (); } + class QHttpMultiPart; namespace gsi { GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QHttpMultiPart (); } @@ -125,6 +137,10 @@ class QNetworkCookieJar; namespace gsi { GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QNetworkCookieJar (); } +class QNetworkDatagram; + +namespace gsi { GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QNetworkDatagram (); } + class QNetworkDiskCache; namespace gsi { GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QNetworkDiskCache (); } @@ -173,6 +189,10 @@ class QSslConfiguration; namespace gsi { GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QSslConfiguration (); } +class QSslDiffieHellmanParameters; + +namespace gsi { GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QSslDiffieHellmanParameters (); } + class QSslEllipticCurve; namespace gsi { GSI_QTNETWORK_PUBLIC gsi::Class &qtdecl_QSslEllipticCurve (); } diff --git a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc index 9d876408d5..741a99b9eb 100644 --- a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc +++ b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc @@ -700,18 +700,18 @@ class QAbstractPrintDialog_Adaptor : public QAbstractPrintDialog, public qt_gsi: } } - // [adaptor impl] void QAbstractPrintDialog::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QAbstractPrintDialog::actionEvent(arg1); + QAbstractPrintDialog::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QAbstractPrintDialog_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QAbstractPrintDialog_Adaptor::cbs_actionEvent_1823_0, event); } else { - QAbstractPrintDialog::actionEvent(arg1); + QAbstractPrintDialog::actionEvent(event); } } @@ -730,18 +730,18 @@ class QAbstractPrintDialog_Adaptor : public QAbstractPrintDialog, public qt_gsi: } } - // [adaptor impl] void QAbstractPrintDialog::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractPrintDialog::childEvent(arg1); + QAbstractPrintDialog::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractPrintDialog_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractPrintDialog_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractPrintDialog::childEvent(arg1); + QAbstractPrintDialog::childEvent(event); } } @@ -775,18 +775,18 @@ class QAbstractPrintDialog_Adaptor : public QAbstractPrintDialog, public qt_gsi: } } - // [adaptor impl] void QAbstractPrintDialog::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractPrintDialog::customEvent(arg1); + QAbstractPrintDialog::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractPrintDialog_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractPrintDialog_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractPrintDialog::customEvent(arg1); + QAbstractPrintDialog::customEvent(event); } } @@ -805,93 +805,93 @@ class QAbstractPrintDialog_Adaptor : public QAbstractPrintDialog, public qt_gsi: } } - // [adaptor impl] void QAbstractPrintDialog::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QAbstractPrintDialog::dragEnterEvent(arg1); + QAbstractPrintDialog::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QAbstractPrintDialog_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QAbstractPrintDialog_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QAbstractPrintDialog::dragEnterEvent(arg1); + QAbstractPrintDialog::dragEnterEvent(event); } } - // [adaptor impl] void QAbstractPrintDialog::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QAbstractPrintDialog::dragLeaveEvent(arg1); + QAbstractPrintDialog::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QAbstractPrintDialog_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QAbstractPrintDialog_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QAbstractPrintDialog::dragLeaveEvent(arg1); + QAbstractPrintDialog::dragLeaveEvent(event); } } - // [adaptor impl] void QAbstractPrintDialog::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QAbstractPrintDialog::dragMoveEvent(arg1); + QAbstractPrintDialog::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QAbstractPrintDialog_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QAbstractPrintDialog_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QAbstractPrintDialog::dragMoveEvent(arg1); + QAbstractPrintDialog::dragMoveEvent(event); } } - // [adaptor impl] void QAbstractPrintDialog::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QAbstractPrintDialog::dropEvent(arg1); + QAbstractPrintDialog::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QAbstractPrintDialog_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QAbstractPrintDialog_Adaptor::cbs_dropEvent_1622_0, event); } else { - QAbstractPrintDialog::dropEvent(arg1); + QAbstractPrintDialog::dropEvent(event); } } - // [adaptor impl] void QAbstractPrintDialog::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QAbstractPrintDialog::enterEvent(arg1); + QAbstractPrintDialog::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QAbstractPrintDialog_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QAbstractPrintDialog_Adaptor::cbs_enterEvent_1217_0, event); } else { - QAbstractPrintDialog::enterEvent(arg1); + QAbstractPrintDialog::enterEvent(event); } } - // [adaptor impl] bool QAbstractPrintDialog::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAbstractPrintDialog::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAbstractPrintDialog::event(arg1); + return QAbstractPrintDialog::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAbstractPrintDialog_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAbstractPrintDialog_Adaptor::cbs_event_1217_0, _event); } else { - return QAbstractPrintDialog::event(arg1); + return QAbstractPrintDialog::event(_event); } } @@ -910,18 +910,18 @@ class QAbstractPrintDialog_Adaptor : public QAbstractPrintDialog, public qt_gsi: } } - // [adaptor impl] void QAbstractPrintDialog::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QAbstractPrintDialog::focusInEvent(arg1); + QAbstractPrintDialog::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QAbstractPrintDialog_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QAbstractPrintDialog_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QAbstractPrintDialog::focusInEvent(arg1); + QAbstractPrintDialog::focusInEvent(event); } } @@ -940,33 +940,33 @@ class QAbstractPrintDialog_Adaptor : public QAbstractPrintDialog, public qt_gsi: } } - // [adaptor impl] void QAbstractPrintDialog::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QAbstractPrintDialog::focusOutEvent(arg1); + QAbstractPrintDialog::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QAbstractPrintDialog_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QAbstractPrintDialog_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QAbstractPrintDialog::focusOutEvent(arg1); + QAbstractPrintDialog::focusOutEvent(event); } } - // [adaptor impl] void QAbstractPrintDialog::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QAbstractPrintDialog::hideEvent(arg1); + QAbstractPrintDialog::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QAbstractPrintDialog_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QAbstractPrintDialog_Adaptor::cbs_hideEvent_1595_0, event); } else { - QAbstractPrintDialog::hideEvent(arg1); + QAbstractPrintDialog::hideEvent(event); } } @@ -1015,33 +1015,33 @@ class QAbstractPrintDialog_Adaptor : public QAbstractPrintDialog, public qt_gsi: } } - // [adaptor impl] void QAbstractPrintDialog::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QAbstractPrintDialog::keyReleaseEvent(arg1); + QAbstractPrintDialog::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QAbstractPrintDialog_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QAbstractPrintDialog_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QAbstractPrintDialog::keyReleaseEvent(arg1); + QAbstractPrintDialog::keyReleaseEvent(event); } } - // [adaptor impl] void QAbstractPrintDialog::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QAbstractPrintDialog::leaveEvent(arg1); + QAbstractPrintDialog::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QAbstractPrintDialog_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QAbstractPrintDialog_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QAbstractPrintDialog::leaveEvent(arg1); + QAbstractPrintDialog::leaveEvent(event); } } @@ -1060,78 +1060,78 @@ class QAbstractPrintDialog_Adaptor : public QAbstractPrintDialog, public qt_gsi: } } - // [adaptor impl] void QAbstractPrintDialog::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QAbstractPrintDialog::mouseDoubleClickEvent(arg1); + QAbstractPrintDialog::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QAbstractPrintDialog_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QAbstractPrintDialog_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QAbstractPrintDialog::mouseDoubleClickEvent(arg1); + QAbstractPrintDialog::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QAbstractPrintDialog::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QAbstractPrintDialog::mouseMoveEvent(arg1); + QAbstractPrintDialog::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QAbstractPrintDialog_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QAbstractPrintDialog_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QAbstractPrintDialog::mouseMoveEvent(arg1); + QAbstractPrintDialog::mouseMoveEvent(event); } } - // [adaptor impl] void QAbstractPrintDialog::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QAbstractPrintDialog::mousePressEvent(arg1); + QAbstractPrintDialog::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QAbstractPrintDialog_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QAbstractPrintDialog_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QAbstractPrintDialog::mousePressEvent(arg1); + QAbstractPrintDialog::mousePressEvent(event); } } - // [adaptor impl] void QAbstractPrintDialog::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QAbstractPrintDialog::mouseReleaseEvent(arg1); + QAbstractPrintDialog::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QAbstractPrintDialog_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QAbstractPrintDialog_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QAbstractPrintDialog::mouseReleaseEvent(arg1); + QAbstractPrintDialog::mouseReleaseEvent(event); } } - // [adaptor impl] void QAbstractPrintDialog::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QAbstractPrintDialog::moveEvent(arg1); + QAbstractPrintDialog::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QAbstractPrintDialog_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QAbstractPrintDialog_Adaptor::cbs_moveEvent_1624_0, event); } else { - QAbstractPrintDialog::moveEvent(arg1); + QAbstractPrintDialog::moveEvent(event); } } @@ -1150,18 +1150,18 @@ class QAbstractPrintDialog_Adaptor : public QAbstractPrintDialog, public qt_gsi: } } - // [adaptor impl] void QAbstractPrintDialog::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QAbstractPrintDialog::paintEvent(arg1); + QAbstractPrintDialog::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QAbstractPrintDialog_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QAbstractPrintDialog_Adaptor::cbs_paintEvent_1725_0, event); } else { - QAbstractPrintDialog::paintEvent(arg1); + QAbstractPrintDialog::paintEvent(event); } } @@ -1225,48 +1225,48 @@ class QAbstractPrintDialog_Adaptor : public QAbstractPrintDialog, public qt_gsi: } } - // [adaptor impl] void QAbstractPrintDialog::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QAbstractPrintDialog::tabletEvent(arg1); + QAbstractPrintDialog::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QAbstractPrintDialog_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QAbstractPrintDialog_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QAbstractPrintDialog::tabletEvent(arg1); + QAbstractPrintDialog::tabletEvent(event); } } - // [adaptor impl] void QAbstractPrintDialog::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAbstractPrintDialog::timerEvent(arg1); + QAbstractPrintDialog::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAbstractPrintDialog_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAbstractPrintDialog_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAbstractPrintDialog::timerEvent(arg1); + QAbstractPrintDialog::timerEvent(event); } } - // [adaptor impl] void QAbstractPrintDialog::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QAbstractPrintDialog::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QAbstractPrintDialog::wheelEvent(arg1); + QAbstractPrintDialog::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QAbstractPrintDialog_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QAbstractPrintDialog_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QAbstractPrintDialog::wheelEvent(arg1); + QAbstractPrintDialog::wheelEvent(event); } } @@ -1330,7 +1330,7 @@ static void _init_ctor_QAbstractPrintDialog_Adaptor_2650 (qt_gsi::GenericStaticM { static gsi::ArgSpecBase argspec_0 ("printer"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1340,7 +1340,7 @@ static void _call_ctor_QAbstractPrintDialog_Adaptor_2650 (const qt_gsi::GenericS __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QPrinter *arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAbstractPrintDialog_Adaptor (arg1, arg2)); } @@ -1365,11 +1365,11 @@ static void _set_callback_cbs_accept_0_0 (void *cls, const gsi::Callback &cb) } -// void QAbstractPrintDialog::actionEvent(QActionEvent *) +// void QAbstractPrintDialog::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1432,11 +1432,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QAbstractPrintDialog::childEvent(QChildEvent *) +// void QAbstractPrintDialog::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1529,11 +1529,11 @@ static void _call_fp_create_2208 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QAbstractPrintDialog::customEvent(QEvent *) +// void QAbstractPrintDialog::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1623,11 +1623,11 @@ static void _set_callback_cbs_done_767_0 (void *cls, const gsi::Callback &cb) } -// void QAbstractPrintDialog::dragEnterEvent(QDragEnterEvent *) +// void QAbstractPrintDialog::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1647,11 +1647,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QAbstractPrintDialog::dragLeaveEvent(QDragLeaveEvent *) +// void QAbstractPrintDialog::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1671,11 +1671,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QAbstractPrintDialog::dragMoveEvent(QDragMoveEvent *) +// void QAbstractPrintDialog::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1695,11 +1695,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QAbstractPrintDialog::dropEvent(QDropEvent *) +// void QAbstractPrintDialog::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1719,11 +1719,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QAbstractPrintDialog::enterEvent(QEvent *) +// void QAbstractPrintDialog::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1743,11 +1743,11 @@ static void _set_callback_cbs_enterEvent_1217_0 (void *cls, const gsi::Callback } -// bool QAbstractPrintDialog::event(QEvent *) +// bool QAbstractPrintDialog::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1811,11 +1811,11 @@ static void _set_callback_cbs_exec_0_0 (void *cls, const gsi::Callback &cb) } -// void QAbstractPrintDialog::focusInEvent(QFocusEvent *) +// void QAbstractPrintDialog::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1872,11 +1872,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QAbstractPrintDialog::focusOutEvent(QFocusEvent *) +// void QAbstractPrintDialog::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1952,11 +1952,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QAbstractPrintDialog::hideEvent(QHideEvent *) +// void QAbstractPrintDialog::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2089,11 +2089,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QAbstractPrintDialog::keyReleaseEvent(QKeyEvent *) +// void QAbstractPrintDialog::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2113,11 +2113,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QAbstractPrintDialog::leaveEvent(QEvent *) +// void QAbstractPrintDialog::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2179,11 +2179,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QAbstractPrintDialog::mouseDoubleClickEvent(QMouseEvent *) +// void QAbstractPrintDialog::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2203,11 +2203,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QAbstractPrintDialog::mouseMoveEvent(QMouseEvent *) +// void QAbstractPrintDialog::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2227,11 +2227,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QAbstractPrintDialog::mousePressEvent(QMouseEvent *) +// void QAbstractPrintDialog::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2251,11 +2251,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QAbstractPrintDialog::mouseReleaseEvent(QMouseEvent *) +// void QAbstractPrintDialog::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2275,11 +2275,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QAbstractPrintDialog::moveEvent(QMoveEvent *) +// void QAbstractPrintDialog::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2367,11 +2367,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QAbstractPrintDialog::paintEvent(QPaintEvent *) +// void QAbstractPrintDialog::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2590,11 +2590,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QAbstractPrintDialog::tabletEvent(QTabletEvent *) +// void QAbstractPrintDialog::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2614,11 +2614,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QAbstractPrintDialog::timerEvent(QTimerEvent *) +// void QAbstractPrintDialog::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2653,11 +2653,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QAbstractPrintDialog::wheelEvent(QWheelEvent *) +// void QAbstractPrintDialog::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2687,54 +2687,54 @@ static gsi::Methods methods_QAbstractPrintDialog_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractPrintDialog::QAbstractPrintDialog(QPrinter *printer, QWidget *parent)\nThis method creates an object of class QAbstractPrintDialog.", &_init_ctor_QAbstractPrintDialog_Adaptor_2650, &_call_ctor_QAbstractPrintDialog_Adaptor_2650); methods += new qt_gsi::GenericMethod ("accept", "@brief Virtual method void QAbstractPrintDialog::accept()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("accept", "@hide", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0, &_set_callback_cbs_accept_0_0); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QAbstractPrintDialog::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QAbstractPrintDialog::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*adjustPosition", "@brief Method void QAbstractPrintDialog::adjustPosition(QWidget *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_adjustPosition_1315, &_call_fp_adjustPosition_1315); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QAbstractPrintDialog::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractPrintDialog::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractPrintDialog::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QAbstractPrintDialog::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QAbstractPrintDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QAbstractPrintDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractPrintDialog::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QAbstractPrintDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractPrintDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QAbstractPrintDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QAbstractPrintDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractPrintDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("done", "@brief Virtual method void QAbstractPrintDialog::done(int)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0); methods += new qt_gsi::GenericMethod ("done", "@hide", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0, &_set_callback_cbs_done_767_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QAbstractPrintDialog::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QAbstractPrintDialog::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QAbstractPrintDialog::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QAbstractPrintDialog::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QAbstractPrintDialog::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QAbstractPrintDialog::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QAbstractPrintDialog::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QAbstractPrintDialog::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QAbstractPrintDialog::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QAbstractPrintDialog::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QAbstractPrintDialog::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QAbstractPrintDialog::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QAbstractPrintDialog::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("exec", "@brief Virtual method int QAbstractPrintDialog::exec()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("exec", "@hide", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0, &_set_callback_cbs_exec_0_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QAbstractPrintDialog::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QAbstractPrintDialog::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QAbstractPrintDialog::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QAbstractPrintDialog::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QAbstractPrintDialog::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QAbstractPrintDialog::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QAbstractPrintDialog::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QAbstractPrintDialog::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QAbstractPrintDialog::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QAbstractPrintDialog::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QAbstractPrintDialog::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QAbstractPrintDialog::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2745,23 +2745,23 @@ static gsi::Methods methods_QAbstractPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAbstractPrintDialog::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QAbstractPrintDialog::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QAbstractPrintDialog::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QAbstractPrintDialog::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QAbstractPrintDialog::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QAbstractPrintDialog::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QAbstractPrintDialog::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QAbstractPrintDialog::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QAbstractPrintDialog::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QAbstractPrintDialog::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QAbstractPrintDialog::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QAbstractPrintDialog::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QAbstractPrintDialog::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QAbstractPrintDialog::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QAbstractPrintDialog::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QAbstractPrintDialog::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QAbstractPrintDialog::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QAbstractPrintDialog::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QAbstractPrintDialog::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2769,7 +2769,7 @@ static gsi::Methods methods_QAbstractPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("open", "@hide", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0, &_set_callback_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QAbstractPrintDialog::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QAbstractPrintDialog::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QAbstractPrintDialog::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAbstractPrintDialog::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QAbstractPrintDialog::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); @@ -2788,12 +2788,12 @@ static gsi::Methods methods_QAbstractPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QAbstractPrintDialog::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QAbstractPrintDialog::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QAbstractPrintDialog::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractPrintDialog::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractPrintDialog::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QAbstractPrintDialog::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QAbstractPrintDialog::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QAbstractPrintDialog::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); return methods; } diff --git a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPageSetupDialog.cc b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPageSetupDialog.cc index 030e7e1e19..4dac06b94c 100644 --- a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPageSetupDialog.cc +++ b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPageSetupDialog.cc @@ -271,7 +271,7 @@ static void _init_ctor_QPageSetupDialog_Adaptor_2650 (qt_gsi::GenericStaticMetho { static gsi::ArgSpecBase argspec_0 ("printer"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -281,7 +281,7 @@ static void _call_ctor_QPageSetupDialog_Adaptor_2650 (const qt_gsi::GenericStati __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QPrinter *arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QPageSetupDialog_Adaptor (arg1, arg2)); } @@ -290,7 +290,7 @@ static void _call_ctor_QPageSetupDialog_Adaptor_2650 (const qt_gsi::GenericStati static void _init_ctor_QPageSetupDialog_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -299,7 +299,7 @@ static void _call_ctor_QPageSetupDialog_Adaptor_1315 (const qt_gsi::GenericStati { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QPageSetupDialog_Adaptor (arg1)); } diff --git a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintDialog.cc b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintDialog.cc index 2ff2f09a3d..6fcbf06d55 100644 --- a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintDialog.cc +++ b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintDialog.cc @@ -667,18 +667,18 @@ class QPrintDialog_Adaptor : public QPrintDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPrintDialog::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QPrintDialog::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QPrintDialog::actionEvent(arg1); + QPrintDialog::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QPrintDialog_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QPrintDialog_Adaptor::cbs_actionEvent_1823_0, event); } else { - QPrintDialog::actionEvent(arg1); + QPrintDialog::actionEvent(event); } } @@ -697,18 +697,18 @@ class QPrintDialog_Adaptor : public QPrintDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPrintDialog::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QPrintDialog::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QPrintDialog::childEvent(arg1); + QPrintDialog::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QPrintDialog_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QPrintDialog_Adaptor::cbs_childEvent_1701_0, event); } else { - QPrintDialog::childEvent(arg1); + QPrintDialog::childEvent(event); } } @@ -742,18 +742,18 @@ class QPrintDialog_Adaptor : public QPrintDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPrintDialog::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPrintDialog::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QPrintDialog::customEvent(arg1); + QPrintDialog::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QPrintDialog_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QPrintDialog_Adaptor::cbs_customEvent_1217_0, event); } else { - QPrintDialog::customEvent(arg1); + QPrintDialog::customEvent(event); } } @@ -772,93 +772,93 @@ class QPrintDialog_Adaptor : public QPrintDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPrintDialog::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QPrintDialog::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QPrintDialog::dragEnterEvent(arg1); + QPrintDialog::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QPrintDialog_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QPrintDialog_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QPrintDialog::dragEnterEvent(arg1); + QPrintDialog::dragEnterEvent(event); } } - // [adaptor impl] void QPrintDialog::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QPrintDialog::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QPrintDialog::dragLeaveEvent(arg1); + QPrintDialog::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QPrintDialog_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QPrintDialog_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QPrintDialog::dragLeaveEvent(arg1); + QPrintDialog::dragLeaveEvent(event); } } - // [adaptor impl] void QPrintDialog::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QPrintDialog::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QPrintDialog::dragMoveEvent(arg1); + QPrintDialog::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QPrintDialog_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QPrintDialog_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QPrintDialog::dragMoveEvent(arg1); + QPrintDialog::dragMoveEvent(event); } } - // [adaptor impl] void QPrintDialog::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QPrintDialog::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QPrintDialog::dropEvent(arg1); + QPrintDialog::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QPrintDialog_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QPrintDialog_Adaptor::cbs_dropEvent_1622_0, event); } else { - QPrintDialog::dropEvent(arg1); + QPrintDialog::dropEvent(event); } } - // [adaptor impl] void QPrintDialog::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPrintDialog::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QPrintDialog::enterEvent(arg1); + QPrintDialog::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QPrintDialog_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QPrintDialog_Adaptor::cbs_enterEvent_1217_0, event); } else { - QPrintDialog::enterEvent(arg1); + QPrintDialog::enterEvent(event); } } - // [adaptor impl] bool QPrintDialog::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QPrintDialog::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QPrintDialog::event(arg1); + return QPrintDialog::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QPrintDialog_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QPrintDialog_Adaptor::cbs_event_1217_0, _event); } else { - return QPrintDialog::event(arg1); + return QPrintDialog::event(_event); } } @@ -877,18 +877,18 @@ class QPrintDialog_Adaptor : public QPrintDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPrintDialog::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QPrintDialog::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QPrintDialog::focusInEvent(arg1); + QPrintDialog::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QPrintDialog_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QPrintDialog_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QPrintDialog::focusInEvent(arg1); + QPrintDialog::focusInEvent(event); } } @@ -907,33 +907,33 @@ class QPrintDialog_Adaptor : public QPrintDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPrintDialog::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QPrintDialog::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QPrintDialog::focusOutEvent(arg1); + QPrintDialog::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QPrintDialog_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QPrintDialog_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QPrintDialog::focusOutEvent(arg1); + QPrintDialog::focusOutEvent(event); } } - // [adaptor impl] void QPrintDialog::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QPrintDialog::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QPrintDialog::hideEvent(arg1); + QPrintDialog::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QPrintDialog_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QPrintDialog_Adaptor::cbs_hideEvent_1595_0, event); } else { - QPrintDialog::hideEvent(arg1); + QPrintDialog::hideEvent(event); } } @@ -982,33 +982,33 @@ class QPrintDialog_Adaptor : public QPrintDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPrintDialog::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QPrintDialog::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QPrintDialog::keyReleaseEvent(arg1); + QPrintDialog::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QPrintDialog_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QPrintDialog_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QPrintDialog::keyReleaseEvent(arg1); + QPrintDialog::keyReleaseEvent(event); } } - // [adaptor impl] void QPrintDialog::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPrintDialog::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QPrintDialog::leaveEvent(arg1); + QPrintDialog::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QPrintDialog_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QPrintDialog_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QPrintDialog::leaveEvent(arg1); + QPrintDialog::leaveEvent(event); } } @@ -1027,78 +1027,78 @@ class QPrintDialog_Adaptor : public QPrintDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPrintDialog::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QPrintDialog::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QPrintDialog::mouseDoubleClickEvent(arg1); + QPrintDialog::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QPrintDialog_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QPrintDialog_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QPrintDialog::mouseDoubleClickEvent(arg1); + QPrintDialog::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QPrintDialog::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QPrintDialog::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QPrintDialog::mouseMoveEvent(arg1); + QPrintDialog::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QPrintDialog_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QPrintDialog_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QPrintDialog::mouseMoveEvent(arg1); + QPrintDialog::mouseMoveEvent(event); } } - // [adaptor impl] void QPrintDialog::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QPrintDialog::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QPrintDialog::mousePressEvent(arg1); + QPrintDialog::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QPrintDialog_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QPrintDialog_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QPrintDialog::mousePressEvent(arg1); + QPrintDialog::mousePressEvent(event); } } - // [adaptor impl] void QPrintDialog::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QPrintDialog::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QPrintDialog::mouseReleaseEvent(arg1); + QPrintDialog::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QPrintDialog_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QPrintDialog_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QPrintDialog::mouseReleaseEvent(arg1); + QPrintDialog::mouseReleaseEvent(event); } } - // [adaptor impl] void QPrintDialog::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QPrintDialog::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QPrintDialog::moveEvent(arg1); + QPrintDialog::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QPrintDialog_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QPrintDialog_Adaptor::cbs_moveEvent_1624_0, event); } else { - QPrintDialog::moveEvent(arg1); + QPrintDialog::moveEvent(event); } } @@ -1117,18 +1117,18 @@ class QPrintDialog_Adaptor : public QPrintDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPrintDialog::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QPrintDialog::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QPrintDialog::paintEvent(arg1); + QPrintDialog::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QPrintDialog_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QPrintDialog_Adaptor::cbs_paintEvent_1725_0, event); } else { - QPrintDialog::paintEvent(arg1); + QPrintDialog::paintEvent(event); } } @@ -1192,48 +1192,48 @@ class QPrintDialog_Adaptor : public QPrintDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPrintDialog::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QPrintDialog::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QPrintDialog::tabletEvent(arg1); + QPrintDialog::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QPrintDialog_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QPrintDialog_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QPrintDialog::tabletEvent(arg1); + QPrintDialog::tabletEvent(event); } } - // [adaptor impl] void QPrintDialog::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QPrintDialog::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QPrintDialog::timerEvent(arg1); + QPrintDialog::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QPrintDialog_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QPrintDialog_Adaptor::cbs_timerEvent_1730_0, event); } else { - QPrintDialog::timerEvent(arg1); + QPrintDialog::timerEvent(event); } } - // [adaptor impl] void QPrintDialog::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QPrintDialog::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QPrintDialog::wheelEvent(arg1); + QPrintDialog::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QPrintDialog_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QPrintDialog_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QPrintDialog::wheelEvent(arg1); + QPrintDialog::wheelEvent(event); } } @@ -1297,7 +1297,7 @@ static void _init_ctor_QPrintDialog_Adaptor_2650 (qt_gsi::GenericStaticMethod *d { static gsi::ArgSpecBase argspec_0 ("printer"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1307,7 +1307,7 @@ static void _call_ctor_QPrintDialog_Adaptor_2650 (const qt_gsi::GenericStaticMet __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QPrinter *arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QPrintDialog_Adaptor (arg1, arg2)); } @@ -1316,7 +1316,7 @@ static void _call_ctor_QPrintDialog_Adaptor_2650 (const qt_gsi::GenericStaticMet static void _init_ctor_QPrintDialog_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1325,7 +1325,7 @@ static void _call_ctor_QPrintDialog_Adaptor_1315 (const qt_gsi::GenericStaticMet { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QPrintDialog_Adaptor (arg1)); } @@ -1350,11 +1350,11 @@ static void _set_callback_cbs_accept_0_0 (void *cls, const gsi::Callback &cb) } -// void QPrintDialog::actionEvent(QActionEvent *) +// void QPrintDialog::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1417,11 +1417,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QPrintDialog::childEvent(QChildEvent *) +// void QPrintDialog::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1514,11 +1514,11 @@ static void _call_fp_create_2208 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QPrintDialog::customEvent(QEvent *) +// void QPrintDialog::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1608,11 +1608,11 @@ static void _set_callback_cbs_done_767_0 (void *cls, const gsi::Callback &cb) } -// void QPrintDialog::dragEnterEvent(QDragEnterEvent *) +// void QPrintDialog::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1632,11 +1632,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QPrintDialog::dragLeaveEvent(QDragLeaveEvent *) +// void QPrintDialog::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1656,11 +1656,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QPrintDialog::dragMoveEvent(QDragMoveEvent *) +// void QPrintDialog::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1680,11 +1680,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QPrintDialog::dropEvent(QDropEvent *) +// void QPrintDialog::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1704,11 +1704,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QPrintDialog::enterEvent(QEvent *) +// void QPrintDialog::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1728,11 +1728,11 @@ static void _set_callback_cbs_enterEvent_1217_0 (void *cls, const gsi::Callback } -// bool QPrintDialog::event(QEvent *) +// bool QPrintDialog::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1796,11 +1796,11 @@ static void _set_callback_cbs_exec_0_0 (void *cls, const gsi::Callback &cb) } -// void QPrintDialog::focusInEvent(QFocusEvent *) +// void QPrintDialog::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1857,11 +1857,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QPrintDialog::focusOutEvent(QFocusEvent *) +// void QPrintDialog::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1937,11 +1937,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QPrintDialog::hideEvent(QHideEvent *) +// void QPrintDialog::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2074,11 +2074,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QPrintDialog::keyReleaseEvent(QKeyEvent *) +// void QPrintDialog::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2098,11 +2098,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QPrintDialog::leaveEvent(QEvent *) +// void QPrintDialog::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2164,11 +2164,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QPrintDialog::mouseDoubleClickEvent(QMouseEvent *) +// void QPrintDialog::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2188,11 +2188,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QPrintDialog::mouseMoveEvent(QMouseEvent *) +// void QPrintDialog::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2212,11 +2212,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QPrintDialog::mousePressEvent(QMouseEvent *) +// void QPrintDialog::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2236,11 +2236,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QPrintDialog::mouseReleaseEvent(QMouseEvent *) +// void QPrintDialog::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2260,11 +2260,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QPrintDialog::moveEvent(QMoveEvent *) +// void QPrintDialog::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2352,11 +2352,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QPrintDialog::paintEvent(QPaintEvent *) +// void QPrintDialog::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2575,11 +2575,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QPrintDialog::tabletEvent(QTabletEvent *) +// void QPrintDialog::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2599,11 +2599,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QPrintDialog::timerEvent(QTimerEvent *) +// void QPrintDialog::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2638,11 +2638,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QPrintDialog::wheelEvent(QWheelEvent *) +// void QPrintDialog::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2673,54 +2673,54 @@ static gsi::Methods methods_QPrintDialog_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPrintDialog::QPrintDialog(QWidget *parent)\nThis method creates an object of class QPrintDialog.", &_init_ctor_QPrintDialog_Adaptor_1315, &_call_ctor_QPrintDialog_Adaptor_1315); methods += new qt_gsi::GenericMethod ("accept", "@brief Virtual method void QPrintDialog::accept()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("accept", "@hide", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0, &_set_callback_cbs_accept_0_0); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QPrintDialog::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QPrintDialog::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*adjustPosition", "@brief Method void QPrintDialog::adjustPosition(QWidget *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_adjustPosition_1315, &_call_fp_adjustPosition_1315); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QPrintDialog::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPrintDialog::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPrintDialog::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QPrintDialog::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QPrintDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QPrintDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPrintDialog::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QPrintDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPrintDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QPrintDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QPrintDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPrintDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("done", "@brief Virtual method void QPrintDialog::done(int result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0); methods += new qt_gsi::GenericMethod ("done", "@hide", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0, &_set_callback_cbs_done_767_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QPrintDialog::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QPrintDialog::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QPrintDialog::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QPrintDialog::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QPrintDialog::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QPrintDialog::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QPrintDialog::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QPrintDialog::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QPrintDialog::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QPrintDialog::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QPrintDialog::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QPrintDialog::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QPrintDialog::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("exec", "@brief Virtual method int QPrintDialog::exec()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("exec", "@hide", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0, &_set_callback_cbs_exec_0_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QPrintDialog::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QPrintDialog::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QPrintDialog::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QPrintDialog::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QPrintDialog::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QPrintDialog::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QPrintDialog::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QPrintDialog::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QPrintDialog::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QPrintDialog::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QPrintDialog::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QPrintDialog::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2731,23 +2731,23 @@ static gsi::Methods methods_QPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QPrintDialog::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QPrintDialog::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QPrintDialog::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QPrintDialog::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QPrintDialog::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QPrintDialog::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QPrintDialog::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QPrintDialog::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QPrintDialog::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QPrintDialog::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QPrintDialog::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QPrintDialog::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QPrintDialog::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QPrintDialog::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QPrintDialog::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QPrintDialog::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QPrintDialog::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QPrintDialog::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QPrintDialog::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2755,7 +2755,7 @@ static gsi::Methods methods_QPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("open", "@hide", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0, &_set_callback_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QPrintDialog::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QPrintDialog::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QPrintDialog::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QPrintDialog::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QPrintDialog::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); @@ -2774,12 +2774,12 @@ static gsi::Methods methods_QPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QPrintDialog::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QPrintDialog::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QPrintDialog::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPrintDialog::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPrintDialog::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QPrintDialog::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QPrintDialog::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QPrintDialog::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); return methods; } diff --git a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc index e850ac5eae..4de3238ea9 100644 --- a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc +++ b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc @@ -564,18 +564,18 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } - // [adaptor impl] void QPrintPreviewDialog::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QPrintPreviewDialog::actionEvent(arg1); + QPrintPreviewDialog::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QPrintPreviewDialog_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QPrintPreviewDialog_Adaptor::cbs_actionEvent_1823_0, event); } else { - QPrintPreviewDialog::actionEvent(arg1); + QPrintPreviewDialog::actionEvent(event); } } @@ -594,18 +594,18 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } - // [adaptor impl] void QPrintPreviewDialog::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QPrintPreviewDialog::childEvent(arg1); + QPrintPreviewDialog::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QPrintPreviewDialog_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QPrintPreviewDialog_Adaptor::cbs_childEvent_1701_0, event); } else { - QPrintPreviewDialog::childEvent(arg1); + QPrintPreviewDialog::childEvent(event); } } @@ -639,18 +639,18 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } - // [adaptor impl] void QPrintPreviewDialog::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QPrintPreviewDialog::customEvent(arg1); + QPrintPreviewDialog::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QPrintPreviewDialog_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QPrintPreviewDialog_Adaptor::cbs_customEvent_1217_0, event); } else { - QPrintPreviewDialog::customEvent(arg1); + QPrintPreviewDialog::customEvent(event); } } @@ -669,93 +669,93 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } - // [adaptor impl] void QPrintPreviewDialog::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QPrintPreviewDialog::dragEnterEvent(arg1); + QPrintPreviewDialog::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QPrintPreviewDialog_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QPrintPreviewDialog_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QPrintPreviewDialog::dragEnterEvent(arg1); + QPrintPreviewDialog::dragEnterEvent(event); } } - // [adaptor impl] void QPrintPreviewDialog::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QPrintPreviewDialog::dragLeaveEvent(arg1); + QPrintPreviewDialog::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QPrintPreviewDialog_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QPrintPreviewDialog_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QPrintPreviewDialog::dragLeaveEvent(arg1); + QPrintPreviewDialog::dragLeaveEvent(event); } } - // [adaptor impl] void QPrintPreviewDialog::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QPrintPreviewDialog::dragMoveEvent(arg1); + QPrintPreviewDialog::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QPrintPreviewDialog_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QPrintPreviewDialog_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QPrintPreviewDialog::dragMoveEvent(arg1); + QPrintPreviewDialog::dragMoveEvent(event); } } - // [adaptor impl] void QPrintPreviewDialog::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QPrintPreviewDialog::dropEvent(arg1); + QPrintPreviewDialog::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QPrintPreviewDialog_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QPrintPreviewDialog_Adaptor::cbs_dropEvent_1622_0, event); } else { - QPrintPreviewDialog::dropEvent(arg1); + QPrintPreviewDialog::dropEvent(event); } } - // [adaptor impl] void QPrintPreviewDialog::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QPrintPreviewDialog::enterEvent(arg1); + QPrintPreviewDialog::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QPrintPreviewDialog_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QPrintPreviewDialog_Adaptor::cbs_enterEvent_1217_0, event); } else { - QPrintPreviewDialog::enterEvent(arg1); + QPrintPreviewDialog::enterEvent(event); } } - // [adaptor impl] bool QPrintPreviewDialog::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QPrintPreviewDialog::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QPrintPreviewDialog::event(arg1); + return QPrintPreviewDialog::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QPrintPreviewDialog_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QPrintPreviewDialog_Adaptor::cbs_event_1217_0, _event); } else { - return QPrintPreviewDialog::event(arg1); + return QPrintPreviewDialog::event(_event); } } @@ -774,18 +774,18 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } - // [adaptor impl] void QPrintPreviewDialog::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QPrintPreviewDialog::focusInEvent(arg1); + QPrintPreviewDialog::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QPrintPreviewDialog_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QPrintPreviewDialog_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QPrintPreviewDialog::focusInEvent(arg1); + QPrintPreviewDialog::focusInEvent(event); } } @@ -804,33 +804,33 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } - // [adaptor impl] void QPrintPreviewDialog::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QPrintPreviewDialog::focusOutEvent(arg1); + QPrintPreviewDialog::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QPrintPreviewDialog_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QPrintPreviewDialog_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QPrintPreviewDialog::focusOutEvent(arg1); + QPrintPreviewDialog::focusOutEvent(event); } } - // [adaptor impl] void QPrintPreviewDialog::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QPrintPreviewDialog::hideEvent(arg1); + QPrintPreviewDialog::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QPrintPreviewDialog_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QPrintPreviewDialog_Adaptor::cbs_hideEvent_1595_0, event); } else { - QPrintPreviewDialog::hideEvent(arg1); + QPrintPreviewDialog::hideEvent(event); } } @@ -879,33 +879,33 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } - // [adaptor impl] void QPrintPreviewDialog::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QPrintPreviewDialog::keyReleaseEvent(arg1); + QPrintPreviewDialog::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QPrintPreviewDialog_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QPrintPreviewDialog_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QPrintPreviewDialog::keyReleaseEvent(arg1); + QPrintPreviewDialog::keyReleaseEvent(event); } } - // [adaptor impl] void QPrintPreviewDialog::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QPrintPreviewDialog::leaveEvent(arg1); + QPrintPreviewDialog::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QPrintPreviewDialog_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QPrintPreviewDialog_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QPrintPreviewDialog::leaveEvent(arg1); + QPrintPreviewDialog::leaveEvent(event); } } @@ -924,78 +924,78 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } - // [adaptor impl] void QPrintPreviewDialog::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QPrintPreviewDialog::mouseDoubleClickEvent(arg1); + QPrintPreviewDialog::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QPrintPreviewDialog_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QPrintPreviewDialog_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QPrintPreviewDialog::mouseDoubleClickEvent(arg1); + QPrintPreviewDialog::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QPrintPreviewDialog::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QPrintPreviewDialog::mouseMoveEvent(arg1); + QPrintPreviewDialog::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QPrintPreviewDialog_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QPrintPreviewDialog_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QPrintPreviewDialog::mouseMoveEvent(arg1); + QPrintPreviewDialog::mouseMoveEvent(event); } } - // [adaptor impl] void QPrintPreviewDialog::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QPrintPreviewDialog::mousePressEvent(arg1); + QPrintPreviewDialog::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QPrintPreviewDialog_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QPrintPreviewDialog_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QPrintPreviewDialog::mousePressEvent(arg1); + QPrintPreviewDialog::mousePressEvent(event); } } - // [adaptor impl] void QPrintPreviewDialog::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QPrintPreviewDialog::mouseReleaseEvent(arg1); + QPrintPreviewDialog::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QPrintPreviewDialog_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QPrintPreviewDialog_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QPrintPreviewDialog::mouseReleaseEvent(arg1); + QPrintPreviewDialog::mouseReleaseEvent(event); } } - // [adaptor impl] void QPrintPreviewDialog::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QPrintPreviewDialog::moveEvent(arg1); + QPrintPreviewDialog::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QPrintPreviewDialog_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QPrintPreviewDialog_Adaptor::cbs_moveEvent_1624_0, event); } else { - QPrintPreviewDialog::moveEvent(arg1); + QPrintPreviewDialog::moveEvent(event); } } @@ -1014,18 +1014,18 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } - // [adaptor impl] void QPrintPreviewDialog::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QPrintPreviewDialog::paintEvent(arg1); + QPrintPreviewDialog::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QPrintPreviewDialog_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QPrintPreviewDialog_Adaptor::cbs_paintEvent_1725_0, event); } else { - QPrintPreviewDialog::paintEvent(arg1); + QPrintPreviewDialog::paintEvent(event); } } @@ -1089,48 +1089,48 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } - // [adaptor impl] void QPrintPreviewDialog::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QPrintPreviewDialog::tabletEvent(arg1); + QPrintPreviewDialog::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QPrintPreviewDialog_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QPrintPreviewDialog_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QPrintPreviewDialog::tabletEvent(arg1); + QPrintPreviewDialog::tabletEvent(event); } } - // [adaptor impl] void QPrintPreviewDialog::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QPrintPreviewDialog::timerEvent(arg1); + QPrintPreviewDialog::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QPrintPreviewDialog_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QPrintPreviewDialog_Adaptor::cbs_timerEvent_1730_0, event); } else { - QPrintPreviewDialog::timerEvent(arg1); + QPrintPreviewDialog::timerEvent(event); } } - // [adaptor impl] void QPrintPreviewDialog::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QPrintPreviewDialog::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QPrintPreviewDialog::wheelEvent(arg1); + QPrintPreviewDialog::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QPrintPreviewDialog_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QPrintPreviewDialog_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QPrintPreviewDialog::wheelEvent(arg1); + QPrintPreviewDialog::wheelEvent(event); } } @@ -1192,9 +1192,9 @@ QPrintPreviewDialog_Adaptor::~QPrintPreviewDialog_Adaptor() { } static void _init_ctor_QPrintPreviewDialog_Adaptor_3702 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_1 ("flags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_1); decl->set_return_new (); } @@ -1203,8 +1203,8 @@ static void _call_ctor_QPrintPreviewDialog_Adaptor_3702 (const qt_gsi::GenericSt { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QPrintPreviewDialog_Adaptor (arg1, arg2)); } @@ -1215,9 +1215,9 @@ static void _init_ctor_QPrintPreviewDialog_Adaptor_5037 (qt_gsi::GenericStaticMe { static gsi::ArgSpecBase argspec_0 ("printer"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_2 ("flags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_2); decl->set_return_new (); } @@ -1227,8 +1227,8 @@ static void _call_ctor_QPrintPreviewDialog_Adaptor_5037 (const qt_gsi::GenericSt __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QPrinter *arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QPrintPreviewDialog_Adaptor (arg1, arg2, arg3)); } @@ -1253,11 +1253,11 @@ static void _set_callback_cbs_accept_0_0 (void *cls, const gsi::Callback &cb) } -// void QPrintPreviewDialog::actionEvent(QActionEvent *) +// void QPrintPreviewDialog::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1320,11 +1320,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QPrintPreviewDialog::childEvent(QChildEvent *) +// void QPrintPreviewDialog::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1417,11 +1417,11 @@ static void _call_fp_create_2208 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QPrintPreviewDialog::customEvent(QEvent *) +// void QPrintPreviewDialog::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1511,11 +1511,11 @@ static void _set_callback_cbs_done_767_0 (void *cls, const gsi::Callback &cb) } -// void QPrintPreviewDialog::dragEnterEvent(QDragEnterEvent *) +// void QPrintPreviewDialog::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1535,11 +1535,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QPrintPreviewDialog::dragLeaveEvent(QDragLeaveEvent *) +// void QPrintPreviewDialog::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1559,11 +1559,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QPrintPreviewDialog::dragMoveEvent(QDragMoveEvent *) +// void QPrintPreviewDialog::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1583,11 +1583,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QPrintPreviewDialog::dropEvent(QDropEvent *) +// void QPrintPreviewDialog::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1607,11 +1607,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QPrintPreviewDialog::enterEvent(QEvent *) +// void QPrintPreviewDialog::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1631,11 +1631,11 @@ static void _set_callback_cbs_enterEvent_1217_0 (void *cls, const gsi::Callback } -// bool QPrintPreviewDialog::event(QEvent *) +// bool QPrintPreviewDialog::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1699,11 +1699,11 @@ static void _set_callback_cbs_exec_0_0 (void *cls, const gsi::Callback &cb) } -// void QPrintPreviewDialog::focusInEvent(QFocusEvent *) +// void QPrintPreviewDialog::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1760,11 +1760,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QPrintPreviewDialog::focusOutEvent(QFocusEvent *) +// void QPrintPreviewDialog::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1840,11 +1840,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QPrintPreviewDialog::hideEvent(QHideEvent *) +// void QPrintPreviewDialog::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1977,11 +1977,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QPrintPreviewDialog::keyReleaseEvent(QKeyEvent *) +// void QPrintPreviewDialog::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2001,11 +2001,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QPrintPreviewDialog::leaveEvent(QEvent *) +// void QPrintPreviewDialog::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2067,11 +2067,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QPrintPreviewDialog::mouseDoubleClickEvent(QMouseEvent *) +// void QPrintPreviewDialog::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2091,11 +2091,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QPrintPreviewDialog::mouseMoveEvent(QMouseEvent *) +// void QPrintPreviewDialog::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2115,11 +2115,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QPrintPreviewDialog::mousePressEvent(QMouseEvent *) +// void QPrintPreviewDialog::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2139,11 +2139,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QPrintPreviewDialog::mouseReleaseEvent(QMouseEvent *) +// void QPrintPreviewDialog::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2163,11 +2163,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QPrintPreviewDialog::moveEvent(QMoveEvent *) +// void QPrintPreviewDialog::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2255,11 +2255,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QPrintPreviewDialog::paintEvent(QPaintEvent *) +// void QPrintPreviewDialog::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2478,11 +2478,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QPrintPreviewDialog::tabletEvent(QTabletEvent *) +// void QPrintPreviewDialog::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2502,11 +2502,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QPrintPreviewDialog::timerEvent(QTimerEvent *) +// void QPrintPreviewDialog::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2541,11 +2541,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QPrintPreviewDialog::wheelEvent(QWheelEvent *) +// void QPrintPreviewDialog::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2576,54 +2576,54 @@ static gsi::Methods methods_QPrintPreviewDialog_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPrintPreviewDialog::QPrintPreviewDialog(QPrinter *printer, QWidget *parent, QFlags flags)\nThis method creates an object of class QPrintPreviewDialog.", &_init_ctor_QPrintPreviewDialog_Adaptor_5037, &_call_ctor_QPrintPreviewDialog_Adaptor_5037); methods += new qt_gsi::GenericMethod ("accept", "@brief Virtual method void QPrintPreviewDialog::accept()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("accept", "@hide", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0, &_set_callback_cbs_accept_0_0); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QPrintPreviewDialog::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QPrintPreviewDialog::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*adjustPosition", "@brief Method void QPrintPreviewDialog::adjustPosition(QWidget *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_adjustPosition_1315, &_call_fp_adjustPosition_1315); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QPrintPreviewDialog::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPrintPreviewDialog::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPrintPreviewDialog::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QPrintPreviewDialog::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QPrintPreviewDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QPrintPreviewDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPrintPreviewDialog::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QPrintPreviewDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPrintPreviewDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QPrintPreviewDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QPrintPreviewDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPrintPreviewDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("done", "@brief Virtual method void QPrintPreviewDialog::done(int result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0); methods += new qt_gsi::GenericMethod ("done", "@hide", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0, &_set_callback_cbs_done_767_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QPrintPreviewDialog::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QPrintPreviewDialog::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QPrintPreviewDialog::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QPrintPreviewDialog::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QPrintPreviewDialog::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QPrintPreviewDialog::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QPrintPreviewDialog::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QPrintPreviewDialog::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QPrintPreviewDialog::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QPrintPreviewDialog::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QPrintPreviewDialog::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QPrintPreviewDialog::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QPrintPreviewDialog::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("exec", "@brief Virtual method int QPrintPreviewDialog::exec()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("exec", "@hide", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0, &_set_callback_cbs_exec_0_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QPrintPreviewDialog::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QPrintPreviewDialog::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QPrintPreviewDialog::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QPrintPreviewDialog::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QPrintPreviewDialog::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QPrintPreviewDialog::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QPrintPreviewDialog::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QPrintPreviewDialog::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QPrintPreviewDialog::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QPrintPreviewDialog::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QPrintPreviewDialog::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QPrintPreviewDialog::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2634,23 +2634,23 @@ static gsi::Methods methods_QPrintPreviewDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QPrintPreviewDialog::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QPrintPreviewDialog::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QPrintPreviewDialog::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QPrintPreviewDialog::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QPrintPreviewDialog::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QPrintPreviewDialog::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QPrintPreviewDialog::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QPrintPreviewDialog::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QPrintPreviewDialog::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QPrintPreviewDialog::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QPrintPreviewDialog::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QPrintPreviewDialog::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QPrintPreviewDialog::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QPrintPreviewDialog::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QPrintPreviewDialog::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QPrintPreviewDialog::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QPrintPreviewDialog::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QPrintPreviewDialog::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QPrintPreviewDialog::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2658,7 +2658,7 @@ static gsi::Methods methods_QPrintPreviewDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("open", "@hide", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0, &_set_callback_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QPrintPreviewDialog::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QPrintPreviewDialog::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QPrintPreviewDialog::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QPrintPreviewDialog::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QPrintPreviewDialog::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); @@ -2677,12 +2677,12 @@ static gsi::Methods methods_QPrintPreviewDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QPrintPreviewDialog::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QPrintPreviewDialog::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QPrintPreviewDialog::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPrintPreviewDialog::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPrintPreviewDialog::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QPrintPreviewDialog::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QPrintPreviewDialog::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QPrintPreviewDialog::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); return methods; } diff --git a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc index 106cff437f..d8105555e1 100644 --- a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc +++ b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc @@ -714,18 +714,18 @@ class QPrintPreviewWidget_Adaptor : public QPrintPreviewWidget, public qt_gsi::Q QPrintPreviewWidget::updateMicroFocus(); } - // [adaptor impl] bool QPrintPreviewWidget::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QPrintPreviewWidget::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QPrintPreviewWidget::eventFilter(arg1, arg2); + return QPrintPreviewWidget::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QPrintPreviewWidget_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QPrintPreviewWidget_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QPrintPreviewWidget::eventFilter(arg1, arg2); + return QPrintPreviewWidget::eventFilter(watched, event); } } @@ -834,18 +834,18 @@ class QPrintPreviewWidget_Adaptor : public QPrintPreviewWidget, public qt_gsi::Q } } - // [adaptor impl] void QPrintPreviewWidget::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QPrintPreviewWidget::actionEvent(arg1); + QPrintPreviewWidget::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QPrintPreviewWidget_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QPrintPreviewWidget_Adaptor::cbs_actionEvent_1823_0, event); } else { - QPrintPreviewWidget::actionEvent(arg1); + QPrintPreviewWidget::actionEvent(event); } } @@ -864,63 +864,63 @@ class QPrintPreviewWidget_Adaptor : public QPrintPreviewWidget, public qt_gsi::Q } } - // [adaptor impl] void QPrintPreviewWidget::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QPrintPreviewWidget::childEvent(arg1); + QPrintPreviewWidget::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QPrintPreviewWidget_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QPrintPreviewWidget_Adaptor::cbs_childEvent_1701_0, event); } else { - QPrintPreviewWidget::childEvent(arg1); + QPrintPreviewWidget::childEvent(event); } } - // [adaptor impl] void QPrintPreviewWidget::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QPrintPreviewWidget::closeEvent(arg1); + QPrintPreviewWidget::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QPrintPreviewWidget_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QPrintPreviewWidget_Adaptor::cbs_closeEvent_1719_0, event); } else { - QPrintPreviewWidget::closeEvent(arg1); + QPrintPreviewWidget::closeEvent(event); } } - // [adaptor impl] void QPrintPreviewWidget::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QPrintPreviewWidget::contextMenuEvent(arg1); + QPrintPreviewWidget::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QPrintPreviewWidget_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QPrintPreviewWidget_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QPrintPreviewWidget::contextMenuEvent(arg1); + QPrintPreviewWidget::contextMenuEvent(event); } } - // [adaptor impl] void QPrintPreviewWidget::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QPrintPreviewWidget::customEvent(arg1); + QPrintPreviewWidget::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QPrintPreviewWidget_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QPrintPreviewWidget_Adaptor::cbs_customEvent_1217_0, event); } else { - QPrintPreviewWidget::customEvent(arg1); + QPrintPreviewWidget::customEvent(event); } } @@ -939,108 +939,108 @@ class QPrintPreviewWidget_Adaptor : public QPrintPreviewWidget, public qt_gsi::Q } } - // [adaptor impl] void QPrintPreviewWidget::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QPrintPreviewWidget::dragEnterEvent(arg1); + QPrintPreviewWidget::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QPrintPreviewWidget_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QPrintPreviewWidget_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QPrintPreviewWidget::dragEnterEvent(arg1); + QPrintPreviewWidget::dragEnterEvent(event); } } - // [adaptor impl] void QPrintPreviewWidget::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QPrintPreviewWidget::dragLeaveEvent(arg1); + QPrintPreviewWidget::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QPrintPreviewWidget_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QPrintPreviewWidget_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QPrintPreviewWidget::dragLeaveEvent(arg1); + QPrintPreviewWidget::dragLeaveEvent(event); } } - // [adaptor impl] void QPrintPreviewWidget::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QPrintPreviewWidget::dragMoveEvent(arg1); + QPrintPreviewWidget::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QPrintPreviewWidget_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QPrintPreviewWidget_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QPrintPreviewWidget::dragMoveEvent(arg1); + QPrintPreviewWidget::dragMoveEvent(event); } } - // [adaptor impl] void QPrintPreviewWidget::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QPrintPreviewWidget::dropEvent(arg1); + QPrintPreviewWidget::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QPrintPreviewWidget_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QPrintPreviewWidget_Adaptor::cbs_dropEvent_1622_0, event); } else { - QPrintPreviewWidget::dropEvent(arg1); + QPrintPreviewWidget::dropEvent(event); } } - // [adaptor impl] void QPrintPreviewWidget::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QPrintPreviewWidget::enterEvent(arg1); + QPrintPreviewWidget::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QPrintPreviewWidget_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QPrintPreviewWidget_Adaptor::cbs_enterEvent_1217_0, event); } else { - QPrintPreviewWidget::enterEvent(arg1); + QPrintPreviewWidget::enterEvent(event); } } - // [adaptor impl] bool QPrintPreviewWidget::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QPrintPreviewWidget::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QPrintPreviewWidget::event(arg1); + return QPrintPreviewWidget::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QPrintPreviewWidget_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QPrintPreviewWidget_Adaptor::cbs_event_1217_0, _event); } else { - return QPrintPreviewWidget::event(arg1); + return QPrintPreviewWidget::event(_event); } } - // [adaptor impl] void QPrintPreviewWidget::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QPrintPreviewWidget::focusInEvent(arg1); + QPrintPreviewWidget::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QPrintPreviewWidget_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QPrintPreviewWidget_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QPrintPreviewWidget::focusInEvent(arg1); + QPrintPreviewWidget::focusInEvent(event); } } @@ -1059,33 +1059,33 @@ class QPrintPreviewWidget_Adaptor : public QPrintPreviewWidget, public qt_gsi::Q } } - // [adaptor impl] void QPrintPreviewWidget::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QPrintPreviewWidget::focusOutEvent(arg1); + QPrintPreviewWidget::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QPrintPreviewWidget_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QPrintPreviewWidget_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QPrintPreviewWidget::focusOutEvent(arg1); + QPrintPreviewWidget::focusOutEvent(event); } } - // [adaptor impl] void QPrintPreviewWidget::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QPrintPreviewWidget::hideEvent(arg1); + QPrintPreviewWidget::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QPrintPreviewWidget_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QPrintPreviewWidget_Adaptor::cbs_hideEvent_1595_0, event); } else { - QPrintPreviewWidget::hideEvent(arg1); + QPrintPreviewWidget::hideEvent(event); } } @@ -1119,48 +1119,48 @@ class QPrintPreviewWidget_Adaptor : public QPrintPreviewWidget, public qt_gsi::Q } } - // [adaptor impl] void QPrintPreviewWidget::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QPrintPreviewWidget::keyPressEvent(arg1); + QPrintPreviewWidget::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QPrintPreviewWidget_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QPrintPreviewWidget_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QPrintPreviewWidget::keyPressEvent(arg1); + QPrintPreviewWidget::keyPressEvent(event); } } - // [adaptor impl] void QPrintPreviewWidget::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QPrintPreviewWidget::keyReleaseEvent(arg1); + QPrintPreviewWidget::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QPrintPreviewWidget_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QPrintPreviewWidget_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QPrintPreviewWidget::keyReleaseEvent(arg1); + QPrintPreviewWidget::keyReleaseEvent(event); } } - // [adaptor impl] void QPrintPreviewWidget::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QPrintPreviewWidget::leaveEvent(arg1); + QPrintPreviewWidget::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QPrintPreviewWidget_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QPrintPreviewWidget_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QPrintPreviewWidget::leaveEvent(arg1); + QPrintPreviewWidget::leaveEvent(event); } } @@ -1179,78 +1179,78 @@ class QPrintPreviewWidget_Adaptor : public QPrintPreviewWidget, public qt_gsi::Q } } - // [adaptor impl] void QPrintPreviewWidget::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QPrintPreviewWidget::mouseDoubleClickEvent(arg1); + QPrintPreviewWidget::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QPrintPreviewWidget_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QPrintPreviewWidget_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QPrintPreviewWidget::mouseDoubleClickEvent(arg1); + QPrintPreviewWidget::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QPrintPreviewWidget::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QPrintPreviewWidget::mouseMoveEvent(arg1); + QPrintPreviewWidget::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QPrintPreviewWidget_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QPrintPreviewWidget_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QPrintPreviewWidget::mouseMoveEvent(arg1); + QPrintPreviewWidget::mouseMoveEvent(event); } } - // [adaptor impl] void QPrintPreviewWidget::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QPrintPreviewWidget::mousePressEvent(arg1); + QPrintPreviewWidget::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QPrintPreviewWidget_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QPrintPreviewWidget_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QPrintPreviewWidget::mousePressEvent(arg1); + QPrintPreviewWidget::mousePressEvent(event); } } - // [adaptor impl] void QPrintPreviewWidget::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QPrintPreviewWidget::mouseReleaseEvent(arg1); + QPrintPreviewWidget::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QPrintPreviewWidget_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QPrintPreviewWidget_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QPrintPreviewWidget::mouseReleaseEvent(arg1); + QPrintPreviewWidget::mouseReleaseEvent(event); } } - // [adaptor impl] void QPrintPreviewWidget::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QPrintPreviewWidget::moveEvent(arg1); + QPrintPreviewWidget::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QPrintPreviewWidget_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QPrintPreviewWidget_Adaptor::cbs_moveEvent_1624_0, event); } else { - QPrintPreviewWidget::moveEvent(arg1); + QPrintPreviewWidget::moveEvent(event); } } @@ -1269,18 +1269,18 @@ class QPrintPreviewWidget_Adaptor : public QPrintPreviewWidget, public qt_gsi::Q } } - // [adaptor impl] void QPrintPreviewWidget::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QPrintPreviewWidget::paintEvent(arg1); + QPrintPreviewWidget::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QPrintPreviewWidget_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QPrintPreviewWidget_Adaptor::cbs_paintEvent_1725_0, event); } else { - QPrintPreviewWidget::paintEvent(arg1); + QPrintPreviewWidget::paintEvent(event); } } @@ -1299,18 +1299,18 @@ class QPrintPreviewWidget_Adaptor : public QPrintPreviewWidget, public qt_gsi::Q } } - // [adaptor impl] void QPrintPreviewWidget::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QPrintPreviewWidget::resizeEvent(arg1); + QPrintPreviewWidget::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QPrintPreviewWidget_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QPrintPreviewWidget_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QPrintPreviewWidget::resizeEvent(arg1); + QPrintPreviewWidget::resizeEvent(event); } } @@ -1329,63 +1329,63 @@ class QPrintPreviewWidget_Adaptor : public QPrintPreviewWidget, public qt_gsi::Q } } - // [adaptor impl] void QPrintPreviewWidget::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QPrintPreviewWidget::showEvent(arg1); + QPrintPreviewWidget::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QPrintPreviewWidget_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QPrintPreviewWidget_Adaptor::cbs_showEvent_1634_0, event); } else { - QPrintPreviewWidget::showEvent(arg1); + QPrintPreviewWidget::showEvent(event); } } - // [adaptor impl] void QPrintPreviewWidget::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QPrintPreviewWidget::tabletEvent(arg1); + QPrintPreviewWidget::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QPrintPreviewWidget_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QPrintPreviewWidget_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QPrintPreviewWidget::tabletEvent(arg1); + QPrintPreviewWidget::tabletEvent(event); } } - // [adaptor impl] void QPrintPreviewWidget::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QPrintPreviewWidget::timerEvent(arg1); + QPrintPreviewWidget::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QPrintPreviewWidget_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QPrintPreviewWidget_Adaptor::cbs_timerEvent_1730_0, event); } else { - QPrintPreviewWidget::timerEvent(arg1); + QPrintPreviewWidget::timerEvent(event); } } - // [adaptor impl] void QPrintPreviewWidget::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QPrintPreviewWidget::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QPrintPreviewWidget::wheelEvent(arg1); + QPrintPreviewWidget::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QPrintPreviewWidget_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QPrintPreviewWidget_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QPrintPreviewWidget::wheelEvent(arg1); + QPrintPreviewWidget::wheelEvent(event); } } @@ -1444,9 +1444,9 @@ static void _init_ctor_QPrintPreviewWidget_Adaptor_5037 (qt_gsi::GenericStaticMe { static gsi::ArgSpecBase argspec_0 ("printer"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_2 ("flags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_2); decl->set_return_new (); } @@ -1456,8 +1456,8 @@ static void _call_ctor_QPrintPreviewWidget_Adaptor_5037 (const qt_gsi::GenericSt __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QPrinter *arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QPrintPreviewWidget_Adaptor (arg1, arg2, arg3)); } @@ -1466,9 +1466,9 @@ static void _call_ctor_QPrintPreviewWidget_Adaptor_5037 (const qt_gsi::GenericSt static void _init_ctor_QPrintPreviewWidget_Adaptor_3702 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_1 ("flags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_1); decl->set_return_new (); } @@ -1477,17 +1477,17 @@ static void _call_ctor_QPrintPreviewWidget_Adaptor_3702 (const qt_gsi::GenericSt { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QPrintPreviewWidget_Adaptor (arg1, arg2)); } -// void QPrintPreviewWidget::actionEvent(QActionEvent *) +// void QPrintPreviewWidget::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1531,11 +1531,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QPrintPreviewWidget::childEvent(QChildEvent *) +// void QPrintPreviewWidget::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1555,11 +1555,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QPrintPreviewWidget::closeEvent(QCloseEvent *) +// void QPrintPreviewWidget::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1579,11 +1579,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QPrintPreviewWidget::contextMenuEvent(QContextMenuEvent *) +// void QPrintPreviewWidget::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1628,11 +1628,11 @@ static void _call_fp_create_2208 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QPrintPreviewWidget::customEvent(QEvent *) +// void QPrintPreviewWidget::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1698,11 +1698,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QPrintPreviewWidget::dragEnterEvent(QDragEnterEvent *) +// void QPrintPreviewWidget::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1722,11 +1722,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QPrintPreviewWidget::dragLeaveEvent(QDragLeaveEvent *) +// void QPrintPreviewWidget::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1746,11 +1746,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QPrintPreviewWidget::dragMoveEvent(QDragMoveEvent *) +// void QPrintPreviewWidget::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1770,11 +1770,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QPrintPreviewWidget::dropEvent(QDropEvent *) +// void QPrintPreviewWidget::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1794,11 +1794,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QPrintPreviewWidget::enterEvent(QEvent *) +// void QPrintPreviewWidget::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1818,11 +1818,11 @@ static void _set_callback_cbs_enterEvent_1217_0 (void *cls, const gsi::Callback } -// bool QPrintPreviewWidget::event(QEvent *) +// bool QPrintPreviewWidget::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1841,13 +1841,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QPrintPreviewWidget::eventFilter(QObject *, QEvent *) +// bool QPrintPreviewWidget::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1867,11 +1867,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QPrintPreviewWidget::focusInEvent(QFocusEvent *) +// void QPrintPreviewWidget::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1928,11 +1928,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QPrintPreviewWidget::focusOutEvent(QFocusEvent *) +// void QPrintPreviewWidget::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2008,11 +2008,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QPrintPreviewWidget::hideEvent(QHideEvent *) +// void QPrintPreviewWidget::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2121,11 +2121,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QPrintPreviewWidget::keyPressEvent(QKeyEvent *) +// void QPrintPreviewWidget::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2145,11 +2145,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QPrintPreviewWidget::keyReleaseEvent(QKeyEvent *) +// void QPrintPreviewWidget::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2169,11 +2169,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QPrintPreviewWidget::leaveEvent(QEvent *) +// void QPrintPreviewWidget::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2235,11 +2235,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QPrintPreviewWidget::mouseDoubleClickEvent(QMouseEvent *) +// void QPrintPreviewWidget::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2259,11 +2259,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QPrintPreviewWidget::mouseMoveEvent(QMouseEvent *) +// void QPrintPreviewWidget::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2283,11 +2283,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QPrintPreviewWidget::mousePressEvent(QMouseEvent *) +// void QPrintPreviewWidget::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2307,11 +2307,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QPrintPreviewWidget::mouseReleaseEvent(QMouseEvent *) +// void QPrintPreviewWidget::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2331,11 +2331,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QPrintPreviewWidget::moveEvent(QMoveEvent *) +// void QPrintPreviewWidget::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2403,11 +2403,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QPrintPreviewWidget::paintEvent(QPaintEvent *) +// void QPrintPreviewWidget::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2468,11 +2468,11 @@ static void _set_callback_cbs_redirected_c1225_0 (void *cls, const gsi::Callback } -// void QPrintPreviewWidget::resizeEvent(QResizeEvent *) +// void QPrintPreviewWidget::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2563,11 +2563,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QPrintPreviewWidget::showEvent(QShowEvent *) +// void QPrintPreviewWidget::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2606,11 +2606,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QPrintPreviewWidget::tabletEvent(QTabletEvent *) +// void QPrintPreviewWidget::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2630,11 +2630,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QPrintPreviewWidget::timerEvent(QTimerEvent *) +// void QPrintPreviewWidget::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2669,11 +2669,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QPrintPreviewWidget::wheelEvent(QWheelEvent *) +// void QPrintPreviewWidget::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2702,49 +2702,49 @@ static gsi::Methods methods_QPrintPreviewWidget_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPrintPreviewWidget::QPrintPreviewWidget(QPrinter *printer, QWidget *parent, QFlags flags)\nThis method creates an object of class QPrintPreviewWidget.", &_init_ctor_QPrintPreviewWidget_Adaptor_5037, &_call_ctor_QPrintPreviewWidget_Adaptor_5037); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPrintPreviewWidget::QPrintPreviewWidget(QWidget *parent, QFlags flags)\nThis method creates an object of class QPrintPreviewWidget.", &_init_ctor_QPrintPreviewWidget_Adaptor_3702, &_call_ctor_QPrintPreviewWidget_Adaptor_3702); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QPrintPreviewWidget::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QPrintPreviewWidget::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QPrintPreviewWidget::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPrintPreviewWidget::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPrintPreviewWidget::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QPrintPreviewWidget::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QPrintPreviewWidget::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QPrintPreviewWidget::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QPrintPreviewWidget::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QPrintPreviewWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPrintPreviewWidget::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QPrintPreviewWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPrintPreviewWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QPrintPreviewWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QPrintPreviewWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPrintPreviewWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QPrintPreviewWidget::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QPrintPreviewWidget::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QPrintPreviewWidget::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QPrintPreviewWidget::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QPrintPreviewWidget::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QPrintPreviewWidget::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QPrintPreviewWidget::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QPrintPreviewWidget::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QPrintPreviewWidget::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QPrintPreviewWidget::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QPrintPreviewWidget::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QPrintPreviewWidget::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPrintPreviewWidget::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPrintPreviewWidget::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QPrintPreviewWidget::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QPrintPreviewWidget::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QPrintPreviewWidget::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QPrintPreviewWidget::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QPrintPreviewWidget::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QPrintPreviewWidget::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QPrintPreviewWidget::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QPrintPreviewWidget::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QPrintPreviewWidget::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QPrintPreviewWidget::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QPrintPreviewWidget::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QPrintPreviewWidget::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2753,36 +2753,36 @@ static gsi::Methods methods_QPrintPreviewWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QPrintPreviewWidget::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QPrintPreviewWidget::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QPrintPreviewWidget::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QPrintPreviewWidget::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QPrintPreviewWidget::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QPrintPreviewWidget::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QPrintPreviewWidget::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QPrintPreviewWidget::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QPrintPreviewWidget::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QPrintPreviewWidget::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QPrintPreviewWidget::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QPrintPreviewWidget::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QPrintPreviewWidget::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QPrintPreviewWidget::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QPrintPreviewWidget::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QPrintPreviewWidget::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QPrintPreviewWidget::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QPrintPreviewWidget::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QPrintPreviewWidget::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QPrintPreviewWidget::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QPrintPreviewWidget::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QPrintPreviewWidget::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QPrintPreviewWidget::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QPrintPreviewWidget::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QPrintPreviewWidget::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QPrintPreviewWidget::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QPrintPreviewWidget::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QPrintPreviewWidget::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QPrintPreviewWidget::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QPrintPreviewWidget::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -2790,16 +2790,16 @@ static gsi::Methods methods_QPrintPreviewWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QPrintPreviewWidget::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QPrintPreviewWidget::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QPrintPreviewWidget::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QPrintPreviewWidget::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QPrintPreviewWidget::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QPrintPreviewWidget::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPrintPreviewWidget::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPrintPreviewWidget::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QPrintPreviewWidget::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QPrintPreviewWidget::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QPrintPreviewWidget::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); return methods; } diff --git a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrinter.cc b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrinter.cc index 7f7d56cb74..e29c2efbd8 100644 --- a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrinter.cc +++ b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrinter.cc @@ -525,6 +525,21 @@ static void _call_f_paperSource_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// QPagedPaintDevice::PdfVersion QPrinter::pdfVersion() + + +static void _init_f_pdfVersion_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_pdfVersion_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QPrinter *)cls)->pdfVersion ())); +} + + // QPrintEngine *QPrinter::printEngine() @@ -1115,6 +1130,26 @@ static void _call_f_setPaperSource_2502 (const qt_gsi::GenericMethod * /*decl*/, } +// void QPrinter::setPdfVersion(QPagedPaintDevice::PdfVersion version) + + +static void _init_f_setPdfVersion_3238 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("version"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_setPdfVersion_3238 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QPrinter *)cls)->setPdfVersion (qt_gsi::QtToCppAdaptor(arg1).cref()); +} + + // void QPrinter::setPrintProgram(const QString &) @@ -1310,6 +1345,7 @@ static gsi::Methods methods_QPrinter () { methods += new qt_gsi::GenericMethod (":paperSize", "@brief Method QPagedPaintDevice::PageSize QPrinter::paperSize()\n", true, &_init_f_paperSize_c0, &_call_f_paperSize_c0); methods += new qt_gsi::GenericMethod ("paperSize", "@brief Method QSizeF QPrinter::paperSize(QPrinter::Unit unit)\n", true, &_init_f_paperSize_c1789, &_call_f_paperSize_c1789); methods += new qt_gsi::GenericMethod (":paperSource", "@brief Method QPrinter::PaperSource QPrinter::paperSource()\n", true, &_init_f_paperSource_c0, &_call_f_paperSource_c0); + methods += new qt_gsi::GenericMethod ("pdfVersion", "@brief Method QPagedPaintDevice::PdfVersion QPrinter::pdfVersion()\n", true, &_init_f_pdfVersion_c0, &_call_f_pdfVersion_c0); methods += new qt_gsi::GenericMethod ("printEngine", "@brief Method QPrintEngine *QPrinter::printEngine()\n", true, &_init_f_printEngine_c0, &_call_f_printEngine_c0); methods += new qt_gsi::GenericMethod (":printProgram", "@brief Method QString QPrinter::printProgram()\n", true, &_init_f_printProgram_c0, &_call_f_printProgram_c0); methods += new qt_gsi::GenericMethod (":printRange", "@brief Method QPrinter::PrintRange QPrinter::printRange()\n", true, &_init_f_printRange_c0, &_call_f_printRange_c0); @@ -1340,6 +1376,7 @@ static gsi::Methods methods_QPrinter () { methods += new qt_gsi::GenericMethod ("setPaperSize|paperSize=", "@brief Method void QPrinter::setPaperSize(QPagedPaintDevice::PageSize)\n", false, &_init_f_setPaperSize_3006, &_call_f_setPaperSize_3006); methods += new qt_gsi::GenericMethod ("setPaperSize", "@brief Method void QPrinter::setPaperSize(const QSizeF &paperSize, QPrinter::Unit unit)\n", false, &_init_f_setPaperSize_3556, &_call_f_setPaperSize_3556); methods += new qt_gsi::GenericMethod ("setPaperSource|paperSource=", "@brief Method void QPrinter::setPaperSource(QPrinter::PaperSource)\n", false, &_init_f_setPaperSource_2502, &_call_f_setPaperSource_2502); + methods += new qt_gsi::GenericMethod ("setPdfVersion", "@brief Method void QPrinter::setPdfVersion(QPagedPaintDevice::PdfVersion version)\n", false, &_init_f_setPdfVersion_3238, &_call_f_setPdfVersion_3238); methods += new qt_gsi::GenericMethod ("setPrintProgram|printProgram=", "@brief Method void QPrinter::setPrintProgram(const QString &)\n", false, &_init_f_setPrintProgram_2025, &_call_f_setPrintProgram_2025); methods += new qt_gsi::GenericMethod ("setPrintRange|printRange=", "@brief Method void QPrinter::setPrintRange(QPrinter::PrintRange range)\n", false, &_init_f_setPrintRange_2391, &_call_f_setPrintRange_2391); methods += new qt_gsi::GenericMethod ("setPrinterName|printerName=", "@brief Method void QPrinter::setPrinterName(const QString &)\n", false, &_init_f_setPrinterName_2025, &_call_f_setPrinterName_2025); diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlDriver.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlDriver.cc index 841b65c0d3..bc82f188a6 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlDriver.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlDriver.cc @@ -775,33 +775,33 @@ class QSqlDriver_Adaptor : public QSqlDriver, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QSqlDriver::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QSqlDriver::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QSqlDriver::event(arg1); + return QSqlDriver::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QSqlDriver_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QSqlDriver_Adaptor::cbs_event_1217_0, _event); } else { - return QSqlDriver::event(arg1); + return QSqlDriver::event(_event); } } - // [adaptor impl] bool QSqlDriver::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSqlDriver::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSqlDriver::eventFilter(arg1, arg2); + return QSqlDriver::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSqlDriver_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSqlDriver_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSqlDriver::eventFilter(arg1, arg2); + return QSqlDriver::eventFilter(watched, event); } } @@ -1056,33 +1056,33 @@ class QSqlDriver_Adaptor : public QSqlDriver, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSqlDriver::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSqlDriver::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSqlDriver::childEvent(arg1); + QSqlDriver::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSqlDriver_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSqlDriver_Adaptor::cbs_childEvent_1701_0, event); } else { - QSqlDriver::childEvent(arg1); + QSqlDriver::childEvent(event); } } - // [adaptor impl] void QSqlDriver::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSqlDriver::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSqlDriver::customEvent(arg1); + QSqlDriver::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSqlDriver_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSqlDriver_Adaptor::cbs_customEvent_1217_0, event); } else { - QSqlDriver::customEvent(arg1); + QSqlDriver::customEvent(event); } } @@ -1146,18 +1146,18 @@ class QSqlDriver_Adaptor : public QSqlDriver, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSqlDriver::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSqlDriver::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSqlDriver::timerEvent(arg1); + QSqlDriver::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSqlDriver_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSqlDriver_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSqlDriver::timerEvent(arg1); + QSqlDriver::timerEvent(event); } } @@ -1199,7 +1199,7 @@ QSqlDriver_Adaptor::~QSqlDriver_Adaptor() { } static void _init_ctor_QSqlDriver_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1208,7 +1208,7 @@ static void _call_ctor_QSqlDriver_Adaptor_1302 (const qt_gsi::GenericStaticMetho { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSqlDriver_Adaptor (arg1)); } @@ -1251,11 +1251,11 @@ static void _set_callback_cbs_cancelQuery_0_0 (void *cls, const gsi::Callback &c } -// void QSqlDriver::childEvent(QChildEvent *) +// void QSqlDriver::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1333,11 +1333,11 @@ static void _set_callback_cbs_createResult_c0_0 (void *cls, const gsi::Callback } -// void QSqlDriver::customEvent(QEvent *) +// void QSqlDriver::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1361,7 +1361,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1370,7 +1370,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSqlDriver_Adaptor *)cls)->emitter_QSqlDriver_destroyed_1302 (arg1); } @@ -1425,11 +1425,11 @@ static void _set_callback_cbs_escapeIdentifier_c4919_0 (void *cls, const gsi::Ca } -// bool QSqlDriver::event(QEvent *) +// bool QSqlDriver::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1448,13 +1448,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSqlDriver::eventFilter(QObject *, QEvent *) +// bool QSqlDriver::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2009,11 +2009,11 @@ static void _set_callback_cbs_tables_c1843_0 (void *cls, const gsi::Callback &cb } -// void QSqlDriver::timerEvent(QTimerEvent *) +// void QSqlDriver::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2068,7 +2068,7 @@ static gsi::Methods methods_QSqlDriver_Adaptor () { methods += new qt_gsi::GenericMethod ("beginTransaction", "@hide", false, &_init_cbs_beginTransaction_0_0, &_call_cbs_beginTransaction_0_0, &_set_callback_cbs_beginTransaction_0_0); methods += new qt_gsi::GenericMethod ("cancelQuery", "@brief Virtual method bool QSqlDriver::cancelQuery()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_cancelQuery_0_0, &_call_cbs_cancelQuery_0_0); methods += new qt_gsi::GenericMethod ("cancelQuery", "@hide", false, &_init_cbs_cancelQuery_0_0, &_call_cbs_cancelQuery_0_0, &_set_callback_cbs_cancelQuery_0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSqlDriver::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSqlDriver::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("close", "@brief Virtual method void QSqlDriver::close()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_close_0_0, &_call_cbs_close_0_0); methods += new qt_gsi::GenericMethod ("close", "@hide", false, &_init_cbs_close_0_0, &_call_cbs_close_0_0, &_set_callback_cbs_close_0_0); @@ -2076,16 +2076,16 @@ static gsi::Methods methods_QSqlDriver_Adaptor () { methods += new qt_gsi::GenericMethod ("commitTransaction", "@hide", false, &_init_cbs_commitTransaction_0_0, &_call_cbs_commitTransaction_0_0, &_set_callback_cbs_commitTransaction_0_0); methods += new qt_gsi::GenericMethod ("createResult", "@brief Virtual method QSqlResult *QSqlDriver::createResult()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_createResult_c0_0, &_call_cbs_createResult_c0_0); methods += new qt_gsi::GenericMethod ("createResult", "@hide", true, &_init_cbs_createResult_c0_0, &_call_cbs_createResult_c0_0, &_set_callback_cbs_createResult_c0_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSqlDriver::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSqlDriver::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSqlDriver::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSqlDriver::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("escapeIdentifier", "@brief Virtual method QString QSqlDriver::escapeIdentifier(const QString &identifier, QSqlDriver::IdentifierType type)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_escapeIdentifier_c4919_0, &_call_cbs_escapeIdentifier_c4919_0); methods += new qt_gsi::GenericMethod ("escapeIdentifier", "@hide", true, &_init_cbs_escapeIdentifier_c4919_0, &_call_cbs_escapeIdentifier_c4919_0, &_set_callback_cbs_escapeIdentifier_c4919_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSqlDriver::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSqlDriver::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSqlDriver::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSqlDriver::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("formatValue", "@brief Virtual method QString QSqlDriver::formatValue(const QSqlField &field, bool trimStrings)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_formatValue_c2938_1, &_call_cbs_formatValue_c2938_1); methods += new qt_gsi::GenericMethod ("formatValue", "@hide", true, &_init_cbs_formatValue_c2938_1, &_call_cbs_formatValue_c2938_1, &_set_callback_cbs_formatValue_c2938_1); @@ -2128,7 +2128,7 @@ static gsi::Methods methods_QSqlDriver_Adaptor () { methods += new qt_gsi::GenericMethod ("subscribedToNotifications", "@hide", true, &_init_cbs_subscribedToNotifications_c0_0, &_call_cbs_subscribedToNotifications_c0_0, &_set_callback_cbs_subscribedToNotifications_c0_0); methods += new qt_gsi::GenericMethod ("tables", "@brief Virtual method QStringList QSqlDriver::tables(QSql::TableType tableType)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_tables_c1843_0, &_call_cbs_tables_c1843_0); methods += new qt_gsi::GenericMethod ("tables", "@hide", true, &_init_cbs_tables_c1843_0, &_call_cbs_tables_c1843_0, &_set_callback_cbs_tables_c1843_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSqlDriver::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSqlDriver::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("unsubscribeFromNotification", "@brief Virtual method bool QSqlDriver::unsubscribeFromNotification(const QString &name)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_unsubscribeFromNotification_2025_0, &_call_cbs_unsubscribeFromNotification_2025_0); methods += new qt_gsi::GenericMethod ("unsubscribeFromNotification", "@hide", false, &_init_cbs_unsubscribeFromNotification_2025_0, &_call_cbs_unsubscribeFromNotification_2025_0, &_set_callback_cbs_unsubscribeFromNotification_2025_0); diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlError.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlError.cc index 65a118349e..fcb304dea3 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlError.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlError.cc @@ -322,6 +322,26 @@ static void _call_f_setType_2399 (const qt_gsi::GenericMethod * /*decl*/, void * } +// void QSqlError::swap(QSqlError &other) + + +static void _init_f_swap_1525 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_swap_1525 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QSqlError &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QSqlError *)cls)->swap (arg1); +} + + // QString QSqlError::text() @@ -373,6 +393,7 @@ static gsi::Methods methods_QSqlError () { methods += new qt_gsi::GenericMethod ("setDriverText|driverText=", "@brief Method void QSqlError::setDriverText(const QString &driverText)\n", false, &_init_f_setDriverText_2025, &_call_f_setDriverText_2025); methods += new qt_gsi::GenericMethod ("setNumber|number=", "@brief Method void QSqlError::setNumber(int number)\n", false, &_init_f_setNumber_767, &_call_f_setNumber_767); methods += new qt_gsi::GenericMethod ("setType|type=", "@brief Method void QSqlError::setType(QSqlError::ErrorType type)\n", false, &_init_f_setType_2399, &_call_f_setType_2399); + methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QSqlError::swap(QSqlError &other)\n", false, &_init_f_swap_1525, &_call_f_swap_1525); methods += new qt_gsi::GenericMethod ("text", "@brief Method QString QSqlError::text()\n", true, &_init_f_text_c0, &_call_f_text_c0); methods += new qt_gsi::GenericMethod (":type", "@brief Method QSqlError::ErrorType QSqlError::type()\n", true, &_init_f_type_c0, &_call_f_type_c0); return methods; diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlField.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlField.cc index 634c3badec..b939e5b9bb 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlField.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlField.cc @@ -57,6 +57,31 @@ static void _call_ctor_QSqlField_3693 (const qt_gsi::GenericStaticMethod * /*dec } +// Constructor QSqlField::QSqlField(const QString &fieldName, QVariant::Type type, const QString &tableName) + + +static void _init_ctor_QSqlField_5610 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("fieldName"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("type"); + decl->add_arg::target_type & > (argspec_1); + static gsi::ArgSpecBase argspec_2 ("tableName"); + decl->add_arg (argspec_2); + decl->set_return_new (); +} + +static void _call_ctor_QSqlField_5610 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); + const QString &arg3 = gsi::arg_reader() (args, heap); + ret.write (new QSqlField (arg1, qt_gsi::QtToCppAdaptor(arg2).cref(), arg3)); +} + + // Constructor QSqlField::QSqlField(const QSqlField &other) @@ -499,6 +524,26 @@ static void _call_f_setSqlType_767 (const qt_gsi::GenericMethod * /*decl*/, void } +// void QSqlField::setTableName(const QString &tableName) + + +static void _init_f_setTableName_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("tableName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setTableName_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QSqlField *)cls)->setTableName (arg1); +} + + // void QSqlField::setType(QVariant::Type type) @@ -539,6 +584,21 @@ static void _call_f_setValue_2119 (const qt_gsi::GenericMethod * /*decl*/, void } +// QString QSqlField::tableName() + + +static void _init_f_tableName_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_tableName_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)((QSqlField *)cls)->tableName ()); +} + + // QVariant::Type QSqlField::type() @@ -591,6 +651,7 @@ namespace gsi static gsi::Methods methods_QSqlField () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSqlField::QSqlField(const QString &fieldName, QVariant::Type type)\nThis method creates an object of class QSqlField.", &_init_ctor_QSqlField_3693, &_call_ctor_QSqlField_3693); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSqlField::QSqlField(const QString &fieldName, QVariant::Type type, const QString &tableName)\nThis method creates an object of class QSqlField.", &_init_ctor_QSqlField_5610, &_call_ctor_QSqlField_5610); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSqlField::QSqlField(const QSqlField &other)\nThis method creates an object of class QSqlField.", &_init_ctor_QSqlField_2182, &_call_ctor_QSqlField_2182); methods += new qt_gsi::GenericMethod ("clear", "@brief Method void QSqlField::clear()\n", false, &_init_f_clear_0, &_call_f_clear_0); methods += new qt_gsi::GenericMethod (":defaultValue", "@brief Method QVariant QSqlField::defaultValue()\n", true, &_init_f_defaultValue_c0, &_call_f_defaultValue_c0); @@ -616,8 +677,10 @@ static gsi::Methods methods_QSqlField () { methods += new qt_gsi::GenericMethod ("setRequired", "@brief Method void QSqlField::setRequired(bool required)\n", false, &_init_f_setRequired_864, &_call_f_setRequired_864); methods += new qt_gsi::GenericMethod ("setRequiredStatus|requiredStatus=", "@brief Method void QSqlField::setRequiredStatus(QSqlField::RequiredStatus status)\n", false, &_init_f_setRequiredStatus_2898, &_call_f_setRequiredStatus_2898); methods += new qt_gsi::GenericMethod ("setSqlType", "@brief Method void QSqlField::setSqlType(int type)\n", false, &_init_f_setSqlType_767, &_call_f_setSqlType_767); + methods += new qt_gsi::GenericMethod ("setTableName", "@brief Method void QSqlField::setTableName(const QString &tableName)\n", false, &_init_f_setTableName_2025, &_call_f_setTableName_2025); methods += new qt_gsi::GenericMethod ("setType|type=", "@brief Method void QSqlField::setType(QVariant::Type type)\n", false, &_init_f_setType_1776, &_call_f_setType_1776); methods += new qt_gsi::GenericMethod ("setValue|value=", "@brief Method void QSqlField::setValue(const QVariant &value)\n", false, &_init_f_setValue_2119, &_call_f_setValue_2119); + methods += new qt_gsi::GenericMethod ("tableName", "@brief Method QString QSqlField::tableName()\n", true, &_init_f_tableName_c0, &_call_f_tableName_c0); methods += new qt_gsi::GenericMethod (":type", "@brief Method QVariant::Type QSqlField::type()\n", true, &_init_f_type_c0, &_call_f_type_c0); methods += new qt_gsi::GenericMethod ("typeID", "@brief Method int QSqlField::typeID()\n", true, &_init_f_typeID_c0, &_call_f_typeID_c0); methods += new qt_gsi::GenericMethod (":value", "@brief Method QVariant QSqlField::value()\n", true, &_init_f_value_c0, &_call_f_value_c0); diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlQueryModel.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlQueryModel.cc index a24a50be5b..907dc7e99b 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlQueryModel.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlQueryModel.cc @@ -298,6 +298,21 @@ static void _call_f_removeColumns_3713 (const qt_gsi::GenericMethod * /*decl*/, } +// QHash QSqlQueryModel::roleNames() + + +static void _init_f_roleNames_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return > (); +} + +static void _call_f_roleNames_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write > ((QHash)((QSqlQueryModel *)cls)->roleNames ()); +} + + // int QSqlQueryModel::rowCount(const QModelIndex &parent) @@ -456,6 +471,7 @@ static gsi::Methods methods_QSqlQueryModel () { methods += new qt_gsi::GenericMethod ("record", "@brief Method QSqlRecord QSqlQueryModel::record(int row)\n", true, &_init_f_record_c767, &_call_f_record_c767); methods += new qt_gsi::GenericMethod ("record", "@brief Method QSqlRecord QSqlQueryModel::record()\n", true, &_init_f_record_c0, &_call_f_record_c0); methods += new qt_gsi::GenericMethod ("removeColumns", "@brief Method bool QSqlQueryModel::removeColumns(int column, int count, const QModelIndex &parent)\nThis is a reimplementation of QAbstractItemModel::removeColumns", false, &_init_f_removeColumns_3713, &_call_f_removeColumns_3713); + methods += new qt_gsi::GenericMethod ("roleNames", "@brief Method QHash QSqlQueryModel::roleNames()\nThis is a reimplementation of QAbstractItemModel::roleNames", true, &_init_f_roleNames_c0, &_call_f_roleNames_c0); methods += new qt_gsi::GenericMethod ("rowCount", "@brief Method int QSqlQueryModel::rowCount(const QModelIndex &parent)\nThis is a reimplementation of QAbstractItemModel::rowCount", true, &_init_f_rowCount_c2395, &_call_f_rowCount_c2395); methods += new qt_gsi::GenericMethod ("setHeaderData", "@brief Method bool QSqlQueryModel::setHeaderData(int section, Qt::Orientation orientation, const QVariant &value, int role)\nThis is a reimplementation of QAbstractItemModel::setHeaderData", false, &_init_f_setHeaderData_5242, &_call_f_setHeaderData_5242); methods += new qt_gsi::GenericMethod ("setQuery|query=", "@brief Method void QSqlQueryModel::setQuery(const QSqlQuery &query)\n", false, &_init_f_setQuery_2232, &_call_f_setQuery_2232); @@ -824,33 +840,33 @@ class QSqlQueryModel_Adaptor : public QSqlQueryModel, public qt_gsi::QtObjectBas } } - // [adaptor impl] bool QSqlQueryModel::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QSqlQueryModel::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QSqlQueryModel::event(arg1); + return QSqlQueryModel::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QSqlQueryModel_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QSqlQueryModel_Adaptor::cbs_event_1217_0, _event); } else { - return QSqlQueryModel::event(arg1); + return QSqlQueryModel::event(_event); } } - // [adaptor impl] bool QSqlQueryModel::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSqlQueryModel::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSqlQueryModel::eventFilter(arg1, arg2); + return QSqlQueryModel::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSqlQueryModel_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSqlQueryModel_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSqlQueryModel::eventFilter(arg1, arg2); + return QSqlQueryModel::eventFilter(watched, event); } } @@ -1339,33 +1355,33 @@ class QSqlQueryModel_Adaptor : public QSqlQueryModel, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QSqlQueryModel::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSqlQueryModel::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSqlQueryModel::childEvent(arg1); + QSqlQueryModel::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSqlQueryModel_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSqlQueryModel_Adaptor::cbs_childEvent_1701_0, event); } else { - QSqlQueryModel::childEvent(arg1); + QSqlQueryModel::childEvent(event); } } - // [adaptor impl] void QSqlQueryModel::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSqlQueryModel::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSqlQueryModel::customEvent(arg1); + QSqlQueryModel::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSqlQueryModel_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSqlQueryModel_Adaptor::cbs_customEvent_1217_0, event); } else { - QSqlQueryModel::customEvent(arg1); + QSqlQueryModel::customEvent(event); } } @@ -1414,18 +1430,18 @@ class QSqlQueryModel_Adaptor : public QSqlQueryModel, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QSqlQueryModel::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSqlQueryModel::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSqlQueryModel::timerEvent(arg1); + QSqlQueryModel::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSqlQueryModel_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSqlQueryModel_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSqlQueryModel::timerEvent(arg1); + QSqlQueryModel::timerEvent(event); } } @@ -1478,7 +1494,7 @@ QSqlQueryModel_Adaptor::~QSqlQueryModel_Adaptor() { } static void _init_ctor_QSqlQueryModel_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1487,7 +1503,7 @@ static void _call_ctor_QSqlQueryModel_Adaptor_1302 (const qt_gsi::GenericStaticM { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSqlQueryModel_Adaptor (arg1)); } @@ -1792,11 +1808,11 @@ static void _call_fp_changePersistentIndexList_5912 (const qt_gsi::GenericMethod } -// void QSqlQueryModel::childEvent(QChildEvent *) +// void QSqlQueryModel::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2023,7 +2039,7 @@ static void _init_fp_createIndex_c2374 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("column"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("data", true, "0"); + static gsi::ArgSpecBase argspec_2 ("data", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -2034,7 +2050,7 @@ static void _call_fp_createIndex_c2374 (const qt_gsi::GenericMethod * /*decl*/, tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); - void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QModelIndex)((QSqlQueryModel_Adaptor *)cls)->fp_QSqlQueryModel_createIndex_c2374 (arg1, arg2, arg3)); } @@ -2063,11 +2079,11 @@ static void _call_fp_createIndex_c2657 (const qt_gsi::GenericMethod * /*decl*/, } -// void QSqlQueryModel::customEvent(QEvent *) +// void QSqlQueryModel::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2168,7 +2184,7 @@ static void _call_fp_decodeData_5302 (const qt_gsi::GenericMethod * /*decl*/, vo static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2177,7 +2193,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSqlQueryModel_Adaptor *)cls)->emitter_QSqlQueryModel_destroyed_1302 (arg1); } @@ -2368,11 +2384,11 @@ static void _call_fp_endResetModel_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// bool QSqlQueryModel::event(QEvent *) +// bool QSqlQueryModel::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2391,13 +2407,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSqlQueryModel::eventFilter(QObject *, QEvent *) +// bool QSqlQueryModel::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -3516,11 +3532,11 @@ static void _set_callback_cbs_supportedDropActions_c0_0 (void *cls, const gsi::C } -// void QSqlQueryModel::timerEvent(QTimerEvent *) +// void QSqlQueryModel::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3563,7 +3579,7 @@ static gsi::Methods methods_QSqlQueryModel_Adaptor () { methods += new qt_gsi::GenericMethod ("canFetchMore", "@hide", true, &_init_cbs_canFetchMore_c2395_1, &_call_cbs_canFetchMore_c2395_1, &_set_callback_cbs_canFetchMore_c2395_1); methods += new qt_gsi::GenericMethod ("*changePersistentIndex", "@brief Method void QSqlQueryModel::changePersistentIndex(const QModelIndex &from, const QModelIndex &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndex_4682, &_call_fp_changePersistentIndex_4682); methods += new qt_gsi::GenericMethod ("*changePersistentIndexList", "@brief Method void QSqlQueryModel::changePersistentIndexList(const QList &from, const QList &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndexList_5912, &_call_fp_changePersistentIndexList_5912); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSqlQueryModel::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSqlQueryModel::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("clear", "@brief Virtual method void QSqlQueryModel::clear()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0); methods += new qt_gsi::GenericMethod ("clear", "@hide", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0, &_set_callback_cbs_clear_0_0); @@ -3577,7 +3593,7 @@ static gsi::Methods methods_QSqlQueryModel_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_columnsRemoved", "@brief Emitter for signal void QSqlQueryModel::columnsRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsRemoved_7372, &_call_emitter_columnsRemoved_7372); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QSqlQueryModel::createIndex(int row, int column, void *data)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2374, &_call_fp_createIndex_c2374); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QSqlQueryModel::createIndex(int row, int column, quintptr id)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2657, &_call_fp_createIndex_c2657); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSqlQueryModel::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSqlQueryModel::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("data", "@brief Virtual method QVariant QSqlQueryModel::data(const QModelIndex &item, int role)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1); methods += new qt_gsi::GenericMethod ("data", "@hide", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1, &_set_callback_cbs_data_c3054_1); @@ -3596,9 +3612,9 @@ static gsi::Methods methods_QSqlQueryModel_Adaptor () { methods += new qt_gsi::GenericMethod ("*endRemoveColumns", "@brief Method void QSqlQueryModel::endRemoveColumns()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveColumns_0, &_call_fp_endRemoveColumns_0); methods += new qt_gsi::GenericMethod ("*endRemoveRows", "@brief Method void QSqlQueryModel::endRemoveRows()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveRows_0, &_call_fp_endRemoveRows_0); methods += new qt_gsi::GenericMethod ("*endResetModel", "@brief Method void QSqlQueryModel::endResetModel()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endResetModel_0, &_call_fp_endResetModel_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSqlQueryModel::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSqlQueryModel::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSqlQueryModel::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSqlQueryModel::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@brief Virtual method void QSqlQueryModel::fetchMore(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_fetchMore_2395_1, &_call_cbs_fetchMore_2395_1); methods += new qt_gsi::GenericMethod ("fetchMore", "@hide", false, &_init_cbs_fetchMore_2395_1, &_call_cbs_fetchMore_2395_1, &_set_callback_cbs_fetchMore_2395_1); @@ -3675,7 +3691,7 @@ static gsi::Methods methods_QSqlQueryModel_Adaptor () { methods += new qt_gsi::GenericMethod ("supportedDragActions", "@hide", true, &_init_cbs_supportedDragActions_c0_0, &_call_cbs_supportedDragActions_c0_0, &_set_callback_cbs_supportedDragActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@brief Virtual method QFlags QSqlQueryModel::supportedDropActions()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@hide", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0, &_set_callback_cbs_supportedDropActions_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSqlQueryModel::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSqlQueryModel::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlRelation.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlRelation.cc index b55d2812d6..266240cc29 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlRelation.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlRelation.cc @@ -120,6 +120,26 @@ static void _call_f_isValid_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cl } +// void QSqlRelation::swap(QSqlRelation &other) + + +static void _init_f_swap_1833 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_swap_1833 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QSqlRelation &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QSqlRelation *)cls)->swap (arg1); +} + + // QString QSqlRelation::tableName() @@ -146,6 +166,7 @@ static gsi::Methods methods_QSqlRelation () { methods += new qt_gsi::GenericMethod ("displayColumn", "@brief Method QString QSqlRelation::displayColumn()\n", true, &_init_f_displayColumn_c0, &_call_f_displayColumn_c0); methods += new qt_gsi::GenericMethod ("indexColumn", "@brief Method QString QSqlRelation::indexColumn()\n", true, &_init_f_indexColumn_c0, &_call_f_indexColumn_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QSqlRelation::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); + methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QSqlRelation::swap(QSqlRelation &other)\n", false, &_init_f_swap_1833, &_call_f_swap_1833); methods += new qt_gsi::GenericMethod ("tableName", "@brief Method QString QSqlRelation::tableName()\n", true, &_init_f_tableName_c0, &_call_f_tableName_c0); return methods; } diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlRelationalTableModel.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlRelationalTableModel.cc index 780b5e568c..3407b05aa2 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlRelationalTableModel.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlRelationalTableModel.cc @@ -764,33 +764,33 @@ class QSqlRelationalTableModel_Adaptor : public QSqlRelationalTableModel, public } } - // [adaptor impl] bool QSqlRelationalTableModel::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QSqlRelationalTableModel::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QSqlRelationalTableModel::event(arg1); + return QSqlRelationalTableModel::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QSqlRelationalTableModel_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QSqlRelationalTableModel_Adaptor::cbs_event_1217_0, _event); } else { - return QSqlRelationalTableModel::event(arg1); + return QSqlRelationalTableModel::event(_event); } } - // [adaptor impl] bool QSqlRelationalTableModel::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSqlRelationalTableModel::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSqlRelationalTableModel::eventFilter(arg1, arg2); + return QSqlRelationalTableModel::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSqlRelationalTableModel_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSqlRelationalTableModel_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSqlRelationalTableModel::eventFilter(arg1, arg2); + return QSqlRelationalTableModel::eventFilter(watched, event); } } @@ -1420,33 +1420,33 @@ class QSqlRelationalTableModel_Adaptor : public QSqlRelationalTableModel, public } } - // [adaptor impl] void QSqlRelationalTableModel::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSqlRelationalTableModel::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSqlRelationalTableModel::childEvent(arg1); + QSqlRelationalTableModel::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSqlRelationalTableModel_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSqlRelationalTableModel_Adaptor::cbs_childEvent_1701_0, event); } else { - QSqlRelationalTableModel::childEvent(arg1); + QSqlRelationalTableModel::childEvent(event); } } - // [adaptor impl] void QSqlRelationalTableModel::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSqlRelationalTableModel::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSqlRelationalTableModel::customEvent(arg1); + QSqlRelationalTableModel::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSqlRelationalTableModel_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSqlRelationalTableModel_Adaptor::cbs_customEvent_1217_0, event); } else { - QSqlRelationalTableModel::customEvent(arg1); + QSqlRelationalTableModel::customEvent(event); } } @@ -1555,18 +1555,18 @@ class QSqlRelationalTableModel_Adaptor : public QSqlRelationalTableModel, public } } - // [adaptor impl] void QSqlRelationalTableModel::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSqlRelationalTableModel::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSqlRelationalTableModel::timerEvent(arg1); + QSqlRelationalTableModel::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSqlRelationalTableModel_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSqlRelationalTableModel_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSqlRelationalTableModel::timerEvent(arg1); + QSqlRelationalTableModel::timerEvent(event); } } @@ -1648,7 +1648,7 @@ QSqlRelationalTableModel_Adaptor::~QSqlRelationalTableModel_Adaptor() { } static void _init_ctor_QSqlRelationalTableModel_Adaptor_2804 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("db", true, "QSqlDatabase()"); decl->add_arg (argspec_1); @@ -1659,7 +1659,7 @@ static void _call_ctor_QSqlRelationalTableModel_Adaptor_2804 (const qt_gsi::Gene { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); QSqlDatabase arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QSqlDatabase(), heap); ret.write (new QSqlRelationalTableModel_Adaptor (arg1, arg2)); } @@ -2022,11 +2022,11 @@ static void _call_fp_changePersistentIndexList_5912 (const qt_gsi::GenericMethod } -// void QSqlRelationalTableModel::childEvent(QChildEvent *) +// void QSqlRelationalTableModel::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2253,7 +2253,7 @@ static void _init_fp_createIndex_c2374 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("column"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("data", true, "0"); + static gsi::ArgSpecBase argspec_2 ("data", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -2264,7 +2264,7 @@ static void _call_fp_createIndex_c2374 (const qt_gsi::GenericMethod * /*decl*/, tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); - void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QModelIndex)((QSqlRelationalTableModel_Adaptor *)cls)->fp_QSqlRelationalTableModel_createIndex_c2374 (arg1, arg2, arg3)); } @@ -2293,11 +2293,11 @@ static void _call_fp_createIndex_c2657 (const qt_gsi::GenericMethod * /*decl*/, } -// void QSqlRelationalTableModel::customEvent(QEvent *) +// void QSqlRelationalTableModel::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2421,7 +2421,7 @@ static void _set_callback_cbs_deleteRowFromTable_767_0 (void *cls, const gsi::Ca static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2430,7 +2430,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSqlRelationalTableModel_Adaptor *)cls)->emitter_QSqlRelationalTableModel_destroyed_1302 (arg1); } @@ -2621,11 +2621,11 @@ static void _call_fp_endResetModel_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// bool QSqlRelationalTableModel::event(QEvent *) +// bool QSqlRelationalTableModel::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2644,13 +2644,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSqlRelationalTableModel::eventFilter(QObject *, QEvent *) +// bool QSqlRelationalTableModel::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -4122,11 +4122,11 @@ static void _set_callback_cbs_supportedDropActions_c0_0 (void *cls, const gsi::C } -// void QSqlRelationalTableModel::timerEvent(QTimerEvent *) +// void QSqlRelationalTableModel::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4198,7 +4198,7 @@ static gsi::Methods methods_QSqlRelationalTableModel_Adaptor () { methods += new qt_gsi::GenericMethod ("canFetchMore", "@hide", true, &_init_cbs_canFetchMore_c2395_1, &_call_cbs_canFetchMore_c2395_1, &_set_callback_cbs_canFetchMore_c2395_1); methods += new qt_gsi::GenericMethod ("*changePersistentIndex", "@brief Method void QSqlRelationalTableModel::changePersistentIndex(const QModelIndex &from, const QModelIndex &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndex_4682, &_call_fp_changePersistentIndex_4682); methods += new qt_gsi::GenericMethod ("*changePersistentIndexList", "@brief Method void QSqlRelationalTableModel::changePersistentIndexList(const QList &from, const QList &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndexList_5912, &_call_fp_changePersistentIndexList_5912); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSqlRelationalTableModel::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSqlRelationalTableModel::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("clear", "@brief Virtual method void QSqlRelationalTableModel::clear()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0); methods += new qt_gsi::GenericMethod ("clear", "@hide", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0, &_set_callback_cbs_clear_0_0); @@ -4212,7 +4212,7 @@ static gsi::Methods methods_QSqlRelationalTableModel_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_columnsRemoved", "@brief Emitter for signal void QSqlRelationalTableModel::columnsRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsRemoved_7372, &_call_emitter_columnsRemoved_7372); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QSqlRelationalTableModel::createIndex(int row, int column, void *data)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2374, &_call_fp_createIndex_c2374); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QSqlRelationalTableModel::createIndex(int row, int column, quintptr id)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2657, &_call_fp_createIndex_c2657); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSqlRelationalTableModel::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSqlRelationalTableModel::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("data", "@brief Virtual method QVariant QSqlRelationalTableModel::data(const QModelIndex &item, int role)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1); methods += new qt_gsi::GenericMethod ("data", "@hide", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1, &_set_callback_cbs_data_c3054_1); @@ -4233,9 +4233,9 @@ static gsi::Methods methods_QSqlRelationalTableModel_Adaptor () { methods += new qt_gsi::GenericMethod ("*endRemoveColumns", "@brief Method void QSqlRelationalTableModel::endRemoveColumns()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveColumns_0, &_call_fp_endRemoveColumns_0); methods += new qt_gsi::GenericMethod ("*endRemoveRows", "@brief Method void QSqlRelationalTableModel::endRemoveRows()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveRows_0, &_call_fp_endRemoveRows_0); methods += new qt_gsi::GenericMethod ("*endResetModel", "@brief Method void QSqlRelationalTableModel::endResetModel()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endResetModel_0, &_call_fp_endResetModel_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSqlRelationalTableModel::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSqlRelationalTableModel::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSqlRelationalTableModel::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSqlRelationalTableModel::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@brief Virtual method void QSqlRelationalTableModel::fetchMore(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_fetchMore_2395_1, &_call_cbs_fetchMore_2395_1); methods += new qt_gsi::GenericMethod ("fetchMore", "@hide", false, &_init_cbs_fetchMore_2395_1, &_call_cbs_fetchMore_2395_1, &_set_callback_cbs_fetchMore_2395_1); @@ -4340,7 +4340,7 @@ static gsi::Methods methods_QSqlRelationalTableModel_Adaptor () { methods += new qt_gsi::GenericMethod ("supportedDragActions", "@hide", true, &_init_cbs_supportedDragActions_c0_0, &_call_cbs_supportedDragActions_c0_0, &_set_callback_cbs_supportedDragActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@brief Virtual method QFlags QSqlRelationalTableModel::supportedDropActions()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@hide", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0, &_set_callback_cbs_supportedDropActions_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSqlRelationalTableModel::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSqlRelationalTableModel::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateRowInTable", "@brief Virtual method bool QSqlRelationalTableModel::updateRowInTable(int row, const QSqlRecord &values)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_updateRowInTable_2964_0, &_call_cbs_updateRowInTable_2964_0); methods += new qt_gsi::GenericMethod ("*updateRowInTable", "@hide", false, &_init_cbs_updateRowInTable_2964_0, &_call_cbs_updateRowInTable_2964_0, &_set_callback_cbs_updateRowInTable_2964_0); diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlTableModel.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlTableModel.cc index c938a858c0..599c5a8839 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlTableModel.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlTableModel.cc @@ -1189,33 +1189,33 @@ class QSqlTableModel_Adaptor : public QSqlTableModel, public qt_gsi::QtObjectBas } } - // [adaptor impl] bool QSqlTableModel::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QSqlTableModel::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QSqlTableModel::event(arg1); + return QSqlTableModel::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QSqlTableModel_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QSqlTableModel_Adaptor::cbs_event_1217_0, _event); } else { - return QSqlTableModel::event(arg1); + return QSqlTableModel::event(_event); } } - // [adaptor impl] bool QSqlTableModel::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSqlTableModel::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSqlTableModel::eventFilter(arg1, arg2); + return QSqlTableModel::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSqlTableModel_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSqlTableModel_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSqlTableModel::eventFilter(arg1, arg2); + return QSqlTableModel::eventFilter(watched, event); } } @@ -1815,33 +1815,33 @@ class QSqlTableModel_Adaptor : public QSqlTableModel, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QSqlTableModel::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSqlTableModel::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSqlTableModel::childEvent(arg1); + QSqlTableModel::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSqlTableModel_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSqlTableModel_Adaptor::cbs_childEvent_1701_0, event); } else { - QSqlTableModel::childEvent(arg1); + QSqlTableModel::childEvent(event); } } - // [adaptor impl] void QSqlTableModel::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSqlTableModel::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSqlTableModel::customEvent(arg1); + QSqlTableModel::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSqlTableModel_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSqlTableModel_Adaptor::cbs_customEvent_1217_0, event); } else { - QSqlTableModel::customEvent(arg1); + QSqlTableModel::customEvent(event); } } @@ -1950,18 +1950,18 @@ class QSqlTableModel_Adaptor : public QSqlTableModel, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QSqlTableModel::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSqlTableModel::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSqlTableModel::timerEvent(arg1); + QSqlTableModel::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSqlTableModel_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSqlTableModel_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSqlTableModel::timerEvent(arg1); + QSqlTableModel::timerEvent(event); } } @@ -2041,7 +2041,7 @@ QSqlTableModel_Adaptor::~QSqlTableModel_Adaptor() { } static void _init_ctor_QSqlTableModel_Adaptor_2804 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("db", true, "QSqlDatabase()"); decl->add_arg (argspec_1); @@ -2052,7 +2052,7 @@ static void _call_ctor_QSqlTableModel_Adaptor_2804 (const qt_gsi::GenericStaticM { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); QSqlDatabase arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QSqlDatabase(), heap); ret.write (new QSqlTableModel_Adaptor (arg1, arg2)); } @@ -2415,11 +2415,11 @@ static void _call_fp_changePersistentIndexList_5912 (const qt_gsi::GenericMethod } -// void QSqlTableModel::childEvent(QChildEvent *) +// void QSqlTableModel::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2646,7 +2646,7 @@ static void _init_fp_createIndex_c2374 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("column"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("data", true, "0"); + static gsi::ArgSpecBase argspec_2 ("data", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -2657,7 +2657,7 @@ static void _call_fp_createIndex_c2374 (const qt_gsi::GenericMethod * /*decl*/, tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); - void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QModelIndex)((QSqlTableModel_Adaptor *)cls)->fp_QSqlTableModel_createIndex_c2374 (arg1, arg2, arg3)); } @@ -2686,11 +2686,11 @@ static void _call_fp_createIndex_c2657 (const qt_gsi::GenericMethod * /*decl*/, } -// void QSqlTableModel::customEvent(QEvent *) +// void QSqlTableModel::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2814,7 +2814,7 @@ static void _set_callback_cbs_deleteRowFromTable_767_0 (void *cls, const gsi::Ca static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2823,7 +2823,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSqlTableModel_Adaptor *)cls)->emitter_QSqlTableModel_destroyed_1302 (arg1); } @@ -3014,11 +3014,11 @@ static void _call_fp_endResetModel_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// bool QSqlTableModel::event(QEvent *) +// bool QSqlTableModel::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3037,13 +3037,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSqlTableModel::eventFilter(QObject *, QEvent *) +// bool QSqlTableModel::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -4465,11 +4465,11 @@ static void _set_callback_cbs_supportedDropActions_c0_0 (void *cls, const gsi::C } -// void QSqlTableModel::timerEvent(QTimerEvent *) +// void QSqlTableModel::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4541,7 +4541,7 @@ static gsi::Methods methods_QSqlTableModel_Adaptor () { methods += new qt_gsi::GenericMethod ("canFetchMore", "@hide", true, &_init_cbs_canFetchMore_c2395_1, &_call_cbs_canFetchMore_c2395_1, &_set_callback_cbs_canFetchMore_c2395_1); methods += new qt_gsi::GenericMethod ("*changePersistentIndex", "@brief Method void QSqlTableModel::changePersistentIndex(const QModelIndex &from, const QModelIndex &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndex_4682, &_call_fp_changePersistentIndex_4682); methods += new qt_gsi::GenericMethod ("*changePersistentIndexList", "@brief Method void QSqlTableModel::changePersistentIndexList(const QList &from, const QList &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndexList_5912, &_call_fp_changePersistentIndexList_5912); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSqlTableModel::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSqlTableModel::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("clear", "@brief Virtual method void QSqlTableModel::clear()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0); methods += new qt_gsi::GenericMethod ("clear", "@hide", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0, &_set_callback_cbs_clear_0_0); @@ -4555,7 +4555,7 @@ static gsi::Methods methods_QSqlTableModel_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_columnsRemoved", "@brief Emitter for signal void QSqlTableModel::columnsRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsRemoved_7372, &_call_emitter_columnsRemoved_7372); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QSqlTableModel::createIndex(int row, int column, void *data)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2374, &_call_fp_createIndex_c2374); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QSqlTableModel::createIndex(int row, int column, quintptr id)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2657, &_call_fp_createIndex_c2657); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSqlTableModel::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSqlTableModel::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("data", "@brief Virtual method QVariant QSqlTableModel::data(const QModelIndex &idx, int role)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1); methods += new qt_gsi::GenericMethod ("data", "@hide", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1, &_set_callback_cbs_data_c3054_1); @@ -4576,9 +4576,9 @@ static gsi::Methods methods_QSqlTableModel_Adaptor () { methods += new qt_gsi::GenericMethod ("*endRemoveColumns", "@brief Method void QSqlTableModel::endRemoveColumns()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveColumns_0, &_call_fp_endRemoveColumns_0); methods += new qt_gsi::GenericMethod ("*endRemoveRows", "@brief Method void QSqlTableModel::endRemoveRows()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveRows_0, &_call_fp_endRemoveRows_0); methods += new qt_gsi::GenericMethod ("*endResetModel", "@brief Method void QSqlTableModel::endResetModel()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endResetModel_0, &_call_fp_endResetModel_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSqlTableModel::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSqlTableModel::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSqlTableModel::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSqlTableModel::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@brief Virtual method void QSqlTableModel::fetchMore(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_fetchMore_2395_1, &_call_cbs_fetchMore_2395_1); methods += new qt_gsi::GenericMethod ("fetchMore", "@hide", false, &_init_cbs_fetchMore_2395_1, &_call_cbs_fetchMore_2395_1, &_set_callback_cbs_fetchMore_2395_1); @@ -4679,7 +4679,7 @@ static gsi::Methods methods_QSqlTableModel_Adaptor () { methods += new qt_gsi::GenericMethod ("supportedDragActions", "@hide", true, &_init_cbs_supportedDragActions_c0_0, &_call_cbs_supportedDragActions_c0_0, &_set_callback_cbs_supportedDragActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@brief Virtual method QFlags QSqlTableModel::supportedDropActions()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@hide", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0, &_set_callback_cbs_supportedDropActions_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSqlTableModel::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSqlTableModel::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateRowInTable", "@brief Virtual method bool QSqlTableModel::updateRowInTable(int row, const QSqlRecord &values)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_updateRowInTable_2964_0, &_call_cbs_updateRowInTable_2964_0); methods += new qt_gsi::GenericMethod ("*updateRowInTable", "@hide", false, &_init_cbs_updateRowInTable_2964_0, &_call_cbs_updateRowInTable_2964_0, &_set_callback_cbs_updateRowInTable_2964_0); diff --git a/src/gsiqt/qt5/QtSvg/gsiDeclQGraphicsSvgItem.cc b/src/gsiqt/qt5/QtSvg/gsiDeclQGraphicsSvgItem.cc index e4687bbe2b..1778f416d0 100644 --- a/src/gsiqt/qt5/QtSvg/gsiDeclQGraphicsSvgItem.cc +++ b/src/gsiqt/qt5/QtSvg/gsiDeclQGraphicsSvgItem.cc @@ -150,7 +150,7 @@ static void _init_f_paint_6301 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("option"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_2 ("widget", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -161,7 +161,7 @@ static void _call_f_paint_6301 (const qt_gsi::GenericMethod * /*decl*/, void *cl tl::Heap heap; QPainter *arg1 = gsi::arg_reader() (args, heap); const QStyleOptionGraphicsItem *arg2 = gsi::arg_reader() (args, heap); - QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QGraphicsSvgItem *)cls)->paint (arg1, arg2, arg3); } @@ -505,18 +505,18 @@ class QGraphicsSvgItem_Adaptor : public QGraphicsSvgItem, public qt_gsi::QtObjec } } - // [adaptor impl] bool QGraphicsSvgItem::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QGraphicsSvgItem::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QGraphicsSvgItem::eventFilter(arg1, arg2); + return QGraphicsSvgItem::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QGraphicsSvgItem_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QGraphicsSvgItem_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QGraphicsSvgItem::eventFilter(arg1, arg2); + return QGraphicsSvgItem::eventFilter(watched, event); } } @@ -595,18 +595,18 @@ class QGraphicsSvgItem_Adaptor : public QGraphicsSvgItem, public qt_gsi::QtObjec } } - // [adaptor impl] void QGraphicsSvgItem::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGraphicsSvgItem::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGraphicsSvgItem::childEvent(arg1); + QGraphicsSvgItem::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGraphicsSvgItem_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGraphicsSvgItem_Adaptor::cbs_childEvent_1701_0, event); } else { - QGraphicsSvgItem::childEvent(arg1); + QGraphicsSvgItem::childEvent(event); } } @@ -625,18 +625,18 @@ class QGraphicsSvgItem_Adaptor : public QGraphicsSvgItem, public qt_gsi::QtObjec } } - // [adaptor impl] void QGraphicsSvgItem::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGraphicsSvgItem::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGraphicsSvgItem::customEvent(arg1); + QGraphicsSvgItem::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGraphicsSvgItem_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGraphicsSvgItem_Adaptor::cbs_customEvent_1217_0, event); } else { - QGraphicsSvgItem::customEvent(arg1); + QGraphicsSvgItem::customEvent(event); } } @@ -1015,18 +1015,18 @@ class QGraphicsSvgItem_Adaptor : public QGraphicsSvgItem, public qt_gsi::QtObjec } } - // [adaptor impl] void QGraphicsSvgItem::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGraphicsSvgItem::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGraphicsSvgItem::timerEvent(arg1); + QGraphicsSvgItem::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGraphicsSvgItem_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGraphicsSvgItem_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGraphicsSvgItem::timerEvent(arg1); + QGraphicsSvgItem::timerEvent(event); } } @@ -1094,7 +1094,7 @@ QGraphicsSvgItem_Adaptor::~QGraphicsSvgItem_Adaptor() { } static void _init_ctor_QGraphicsSvgItem_Adaptor_1919 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parentItem", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parentItem", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1103,7 +1103,7 @@ static void _call_ctor_QGraphicsSvgItem_Adaptor_1919 (const qt_gsi::GenericStati { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsSvgItem_Adaptor (arg1)); } @@ -1114,7 +1114,7 @@ static void _init_ctor_QGraphicsSvgItem_Adaptor_3836 (qt_gsi::GenericStaticMetho { static gsi::ArgSpecBase argspec_0 ("fileName"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parentItem", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parentItem", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1124,7 +1124,7 @@ static void _call_ctor_QGraphicsSvgItem_Adaptor_3836 (const qt_gsi::GenericStati __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QGraphicsItem *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsSvgItem_Adaptor (arg1, arg2)); } @@ -1187,11 +1187,11 @@ static void _set_callback_cbs_boundingRect_c0_0 (void *cls, const gsi::Callback } -// void QGraphicsSvgItem::childEvent(QChildEvent *) +// void QGraphicsSvgItem::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1310,11 +1310,11 @@ static void _set_callback_cbs_contextMenuEvent_3674_0 (void *cls, const gsi::Cal } -// void QGraphicsSvgItem::customEvent(QEvent *) +// void QGraphicsSvgItem::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1477,13 +1477,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QGraphicsSvgItem::eventFilter(QObject *, QEvent *) +// bool QGraphicsSvgItem::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2147,11 +2147,11 @@ static void _set_callback_cbs_supportsExtension_c2806_0 (void *cls, const gsi::C } -// void QGraphicsSvgItem::timerEvent(QTimerEvent *) +// void QGraphicsSvgItem::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2243,7 +2243,7 @@ static gsi::Methods methods_QGraphicsSvgItem_Adaptor () { methods += new qt_gsi::GenericMethod ("advance", "@hide", false, &_init_cbs_advance_767_0, &_call_cbs_advance_767_0, &_set_callback_cbs_advance_767_0); methods += new qt_gsi::GenericMethod ("boundingRect", "@brief Virtual method QRectF QGraphicsSvgItem::boundingRect()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_boundingRect_c0_0, &_call_cbs_boundingRect_c0_0); methods += new qt_gsi::GenericMethod ("boundingRect", "@hide", true, &_init_cbs_boundingRect_c0_0, &_call_cbs_boundingRect_c0_0, &_set_callback_cbs_boundingRect_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsSvgItem::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsSvgItem::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("collidesWithItem", "@brief Virtual method bool QGraphicsSvgItem::collidesWithItem(const QGraphicsItem *other, Qt::ItemSelectionMode mode)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_collidesWithItem_c4977_1, &_call_cbs_collidesWithItem_c4977_1); methods += new qt_gsi::GenericMethod ("collidesWithItem", "@hide", true, &_init_cbs_collidesWithItem_c4977_1, &_call_cbs_collidesWithItem_c4977_1, &_set_callback_cbs_collidesWithItem_c4977_1); @@ -2253,7 +2253,7 @@ static gsi::Methods methods_QGraphicsSvgItem_Adaptor () { methods += new qt_gsi::GenericMethod ("contains", "@hide", true, &_init_cbs_contains_c1986_0, &_call_cbs_contains_c1986_0, &_set_callback_cbs_contains_c1986_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QGraphicsSvgItem::contextMenuEvent(QGraphicsSceneContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_3674_0, &_call_cbs_contextMenuEvent_3674_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_3674_0, &_call_cbs_contextMenuEvent_3674_0, &_set_callback_cbs_contextMenuEvent_3674_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsSvgItem::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsSvgItem::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsSvgItem::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); @@ -2267,7 +2267,7 @@ static gsi::Methods methods_QGraphicsSvgItem_Adaptor () { methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_3315_0, &_call_cbs_dropEvent_3315_0, &_set_callback_cbs_dropEvent_3315_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QGraphicsSvgItem::event(QEvent *ev)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsSvgItem::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsSvgItem::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*extension", "@brief Virtual method QVariant QGraphicsSvgItem::extension(const QVariant &variant)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_extension_c2119_0, &_call_cbs_extension_c2119_0); methods += new qt_gsi::GenericMethod ("*extension", "@hide", true, &_init_cbs_extension_c2119_0, &_call_cbs_extension_c2119_0, &_set_callback_cbs_extension_c2119_0); @@ -2321,7 +2321,7 @@ static gsi::Methods methods_QGraphicsSvgItem_Adaptor () { methods += new qt_gsi::GenericMethod ("shape", "@hide", true, &_init_cbs_shape_c0_0, &_call_cbs_shape_c0_0, &_set_callback_cbs_shape_c0_0); methods += new qt_gsi::GenericMethod ("*supportsExtension", "@brief Virtual method bool QGraphicsSvgItem::supportsExtension(QGraphicsItem::Extension extension)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportsExtension_c2806_0, &_call_cbs_supportsExtension_c2806_0); methods += new qt_gsi::GenericMethod ("*supportsExtension", "@hide", true, &_init_cbs_supportsExtension_c2806_0, &_call_cbs_supportsExtension_c2806_0, &_set_callback_cbs_supportsExtension_c2806_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsSvgItem::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsSvgItem::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("type", "@brief Virtual method int QGraphicsSvgItem::type()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_type_c0_0, &_call_cbs_type_c0_0); methods += new qt_gsi::GenericMethod ("type", "@hide", true, &_init_cbs_type_c0_0, &_call_cbs_type_c0_0, &_set_callback_cbs_type_c0_0); diff --git a/src/gsiqt/qt5/QtSvg/gsiDeclQSvgRenderer.cc b/src/gsiqt/qt5/QtSvg/gsiDeclQSvgRenderer.cc index f8a40a59b0..78441a16f2 100644 --- a/src/gsiqt/qt5/QtSvg/gsiDeclQSvgRenderer.cc +++ b/src/gsiqt/qt5/QtSvg/gsiDeclQSvgRenderer.cc @@ -627,63 +627,63 @@ class QSvgRenderer_Adaptor : public QSvgRenderer, public qt_gsi::QtObjectBase return QSvgRenderer::senderSignalIndex(); } - // [adaptor impl] bool QSvgRenderer::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QSvgRenderer::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QSvgRenderer::event(arg1); + return QSvgRenderer::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QSvgRenderer_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QSvgRenderer_Adaptor::cbs_event_1217_0, _event); } else { - return QSvgRenderer::event(arg1); + return QSvgRenderer::event(_event); } } - // [adaptor impl] bool QSvgRenderer::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSvgRenderer::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSvgRenderer::eventFilter(arg1, arg2); + return QSvgRenderer::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSvgRenderer_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSvgRenderer_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSvgRenderer::eventFilter(arg1, arg2); + return QSvgRenderer::eventFilter(watched, event); } } - // [adaptor impl] void QSvgRenderer::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSvgRenderer::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSvgRenderer::childEvent(arg1); + QSvgRenderer::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSvgRenderer_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSvgRenderer_Adaptor::cbs_childEvent_1701_0, event); } else { - QSvgRenderer::childEvent(arg1); + QSvgRenderer::childEvent(event); } } - // [adaptor impl] void QSvgRenderer::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSvgRenderer::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSvgRenderer::customEvent(arg1); + QSvgRenderer::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSvgRenderer_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSvgRenderer_Adaptor::cbs_customEvent_1217_0, event); } else { - QSvgRenderer::customEvent(arg1); + QSvgRenderer::customEvent(event); } } @@ -702,18 +702,18 @@ class QSvgRenderer_Adaptor : public QSvgRenderer, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSvgRenderer::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSvgRenderer::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSvgRenderer::timerEvent(arg1); + QSvgRenderer::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSvgRenderer_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSvgRenderer_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSvgRenderer::timerEvent(arg1); + QSvgRenderer::timerEvent(event); } } @@ -731,7 +731,7 @@ QSvgRenderer_Adaptor::~QSvgRenderer_Adaptor() { } static void _init_ctor_QSvgRenderer_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -740,7 +740,7 @@ static void _call_ctor_QSvgRenderer_Adaptor_1302 (const qt_gsi::GenericStaticMet { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSvgRenderer_Adaptor (arg1)); } @@ -751,7 +751,7 @@ static void _init_ctor_QSvgRenderer_Adaptor_3219 (qt_gsi::GenericStaticMethod *d { static gsi::ArgSpecBase argspec_0 ("filename"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -761,7 +761,7 @@ static void _call_ctor_QSvgRenderer_Adaptor_3219 (const qt_gsi::GenericStaticMet __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSvgRenderer_Adaptor (arg1, arg2)); } @@ -772,7 +772,7 @@ static void _init_ctor_QSvgRenderer_Adaptor_3503 (qt_gsi::GenericStaticMethod *d { static gsi::ArgSpecBase argspec_0 ("contents"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -782,7 +782,7 @@ static void _call_ctor_QSvgRenderer_Adaptor_3503 (const qt_gsi::GenericStaticMet __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QByteArray &arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSvgRenderer_Adaptor (arg1, arg2)); } @@ -793,7 +793,7 @@ static void _init_ctor_QSvgRenderer_Adaptor_3417 (qt_gsi::GenericStaticMethod *d { static gsi::ArgSpecBase argspec_0 ("contents"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -803,16 +803,16 @@ static void _call_ctor_QSvgRenderer_Adaptor_3417 (const qt_gsi::GenericStaticMet __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QXmlStreamReader *arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSvgRenderer_Adaptor (arg1, arg2)); } -// void QSvgRenderer::childEvent(QChildEvent *) +// void QSvgRenderer::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -832,11 +832,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QSvgRenderer::customEvent(QEvent *) +// void QSvgRenderer::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -880,11 +880,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QSvgRenderer::event(QEvent *) +// bool QSvgRenderer::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -903,13 +903,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSvgRenderer::eventFilter(QObject *, QEvent *) +// bool QSvgRenderer::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -993,11 +993,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QSvgRenderer::timerEvent(QTimerEvent *) +// void QSvgRenderer::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1028,21 +1028,21 @@ static gsi::Methods methods_QSvgRenderer_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSvgRenderer::QSvgRenderer(const QString &filename, QObject *parent)\nThis method creates an object of class QSvgRenderer.", &_init_ctor_QSvgRenderer_Adaptor_3219, &_call_ctor_QSvgRenderer_Adaptor_3219); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSvgRenderer::QSvgRenderer(const QByteArray &contents, QObject *parent)\nThis method creates an object of class QSvgRenderer.", &_init_ctor_QSvgRenderer_Adaptor_3503, &_call_ctor_QSvgRenderer_Adaptor_3503); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSvgRenderer::QSvgRenderer(QXmlStreamReader *contents, QObject *parent)\nThis method creates an object of class QSvgRenderer.", &_init_ctor_QSvgRenderer_Adaptor_3417, &_call_ctor_QSvgRenderer_Adaptor_3417); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSvgRenderer::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSvgRenderer::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSvgRenderer::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSvgRenderer::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSvgRenderer::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSvgRenderer::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSvgRenderer::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSvgRenderer::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSvgRenderer::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSvgRenderer::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QSvgRenderer::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QSvgRenderer::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QSvgRenderer::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSvgRenderer::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSvgRenderer::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtSvg/gsiDeclQSvgWidget.cc b/src/gsiqt/qt5/QtSvg/gsiDeclQSvgWidget.cc index 2722dedea3..20ad68f9fe 100644 --- a/src/gsiqt/qt5/QtSvg/gsiDeclQSvgWidget.cc +++ b/src/gsiqt/qt5/QtSvg/gsiDeclQSvgWidget.cc @@ -321,18 +321,18 @@ class QSvgWidget_Adaptor : public QSvgWidget, public qt_gsi::QtObjectBase QSvgWidget::updateMicroFocus(); } - // [adaptor impl] bool QSvgWidget::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSvgWidget::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSvgWidget::eventFilter(arg1, arg2); + return QSvgWidget::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSvgWidget_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSvgWidget_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSvgWidget::eventFilter(arg1, arg2); + return QSvgWidget::eventFilter(watched, event); } } @@ -441,18 +441,18 @@ class QSvgWidget_Adaptor : public QSvgWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSvgWidget::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QSvgWidget::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QSvgWidget::actionEvent(arg1); + QSvgWidget::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QSvgWidget_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QSvgWidget_Adaptor::cbs_actionEvent_1823_0, event); } else { - QSvgWidget::actionEvent(arg1); + QSvgWidget::actionEvent(event); } } @@ -471,63 +471,63 @@ class QSvgWidget_Adaptor : public QSvgWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSvgWidget::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSvgWidget::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSvgWidget::childEvent(arg1); + QSvgWidget::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSvgWidget_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSvgWidget_Adaptor::cbs_childEvent_1701_0, event); } else { - QSvgWidget::childEvent(arg1); + QSvgWidget::childEvent(event); } } - // [adaptor impl] void QSvgWidget::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QSvgWidget::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QSvgWidget::closeEvent(arg1); + QSvgWidget::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QSvgWidget_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QSvgWidget_Adaptor::cbs_closeEvent_1719_0, event); } else { - QSvgWidget::closeEvent(arg1); + QSvgWidget::closeEvent(event); } } - // [adaptor impl] void QSvgWidget::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QSvgWidget::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QSvgWidget::contextMenuEvent(arg1); + QSvgWidget::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QSvgWidget_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QSvgWidget_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QSvgWidget::contextMenuEvent(arg1); + QSvgWidget::contextMenuEvent(event); } } - // [adaptor impl] void QSvgWidget::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSvgWidget::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSvgWidget::customEvent(arg1); + QSvgWidget::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSvgWidget_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSvgWidget_Adaptor::cbs_customEvent_1217_0, event); } else { - QSvgWidget::customEvent(arg1); + QSvgWidget::customEvent(event); } } @@ -546,108 +546,108 @@ class QSvgWidget_Adaptor : public QSvgWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSvgWidget::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QSvgWidget::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QSvgWidget::dragEnterEvent(arg1); + QSvgWidget::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QSvgWidget_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QSvgWidget_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QSvgWidget::dragEnterEvent(arg1); + QSvgWidget::dragEnterEvent(event); } } - // [adaptor impl] void QSvgWidget::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QSvgWidget::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QSvgWidget::dragLeaveEvent(arg1); + QSvgWidget::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QSvgWidget_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QSvgWidget_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QSvgWidget::dragLeaveEvent(arg1); + QSvgWidget::dragLeaveEvent(event); } } - // [adaptor impl] void QSvgWidget::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QSvgWidget::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QSvgWidget::dragMoveEvent(arg1); + QSvgWidget::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QSvgWidget_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QSvgWidget_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QSvgWidget::dragMoveEvent(arg1); + QSvgWidget::dragMoveEvent(event); } } - // [adaptor impl] void QSvgWidget::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QSvgWidget::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QSvgWidget::dropEvent(arg1); + QSvgWidget::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QSvgWidget_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QSvgWidget_Adaptor::cbs_dropEvent_1622_0, event); } else { - QSvgWidget::dropEvent(arg1); + QSvgWidget::dropEvent(event); } } - // [adaptor impl] void QSvgWidget::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSvgWidget::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QSvgWidget::enterEvent(arg1); + QSvgWidget::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QSvgWidget_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QSvgWidget_Adaptor::cbs_enterEvent_1217_0, event); } else { - QSvgWidget::enterEvent(arg1); + QSvgWidget::enterEvent(event); } } - // [adaptor impl] bool QSvgWidget::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QSvgWidget::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QSvgWidget::event(arg1); + return QSvgWidget::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QSvgWidget_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QSvgWidget_Adaptor::cbs_event_1217_0, _event); } else { - return QSvgWidget::event(arg1); + return QSvgWidget::event(_event); } } - // [adaptor impl] void QSvgWidget::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QSvgWidget::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QSvgWidget::focusInEvent(arg1); + QSvgWidget::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QSvgWidget_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QSvgWidget_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QSvgWidget::focusInEvent(arg1); + QSvgWidget::focusInEvent(event); } } @@ -666,33 +666,33 @@ class QSvgWidget_Adaptor : public QSvgWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSvgWidget::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QSvgWidget::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QSvgWidget::focusOutEvent(arg1); + QSvgWidget::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QSvgWidget_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QSvgWidget_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QSvgWidget::focusOutEvent(arg1); + QSvgWidget::focusOutEvent(event); } } - // [adaptor impl] void QSvgWidget::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QSvgWidget::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QSvgWidget::hideEvent(arg1); + QSvgWidget::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QSvgWidget_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QSvgWidget_Adaptor::cbs_hideEvent_1595_0, event); } else { - QSvgWidget::hideEvent(arg1); + QSvgWidget::hideEvent(event); } } @@ -726,48 +726,48 @@ class QSvgWidget_Adaptor : public QSvgWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSvgWidget::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QSvgWidget::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QSvgWidget::keyPressEvent(arg1); + QSvgWidget::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QSvgWidget_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QSvgWidget_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QSvgWidget::keyPressEvent(arg1); + QSvgWidget::keyPressEvent(event); } } - // [adaptor impl] void QSvgWidget::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QSvgWidget::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QSvgWidget::keyReleaseEvent(arg1); + QSvgWidget::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QSvgWidget_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QSvgWidget_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QSvgWidget::keyReleaseEvent(arg1); + QSvgWidget::keyReleaseEvent(event); } } - // [adaptor impl] void QSvgWidget::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSvgWidget::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QSvgWidget::leaveEvent(arg1); + QSvgWidget::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QSvgWidget_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QSvgWidget_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QSvgWidget::leaveEvent(arg1); + QSvgWidget::leaveEvent(event); } } @@ -786,78 +786,78 @@ class QSvgWidget_Adaptor : public QSvgWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSvgWidget::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QSvgWidget::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QSvgWidget::mouseDoubleClickEvent(arg1); + QSvgWidget::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QSvgWidget_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QSvgWidget_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QSvgWidget::mouseDoubleClickEvent(arg1); + QSvgWidget::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QSvgWidget::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QSvgWidget::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QSvgWidget::mouseMoveEvent(arg1); + QSvgWidget::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QSvgWidget_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QSvgWidget_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QSvgWidget::mouseMoveEvent(arg1); + QSvgWidget::mouseMoveEvent(event); } } - // [adaptor impl] void QSvgWidget::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QSvgWidget::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QSvgWidget::mousePressEvent(arg1); + QSvgWidget::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QSvgWidget_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QSvgWidget_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QSvgWidget::mousePressEvent(arg1); + QSvgWidget::mousePressEvent(event); } } - // [adaptor impl] void QSvgWidget::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QSvgWidget::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QSvgWidget::mouseReleaseEvent(arg1); + QSvgWidget::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QSvgWidget_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QSvgWidget_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QSvgWidget::mouseReleaseEvent(arg1); + QSvgWidget::mouseReleaseEvent(event); } } - // [adaptor impl] void QSvgWidget::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QSvgWidget::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QSvgWidget::moveEvent(arg1); + QSvgWidget::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QSvgWidget_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QSvgWidget_Adaptor::cbs_moveEvent_1624_0, event); } else { - QSvgWidget::moveEvent(arg1); + QSvgWidget::moveEvent(event); } } @@ -906,18 +906,18 @@ class QSvgWidget_Adaptor : public QSvgWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSvgWidget::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QSvgWidget::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QSvgWidget::resizeEvent(arg1); + QSvgWidget::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QSvgWidget_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QSvgWidget_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QSvgWidget::resizeEvent(arg1); + QSvgWidget::resizeEvent(event); } } @@ -936,63 +936,63 @@ class QSvgWidget_Adaptor : public QSvgWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSvgWidget::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QSvgWidget::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QSvgWidget::showEvent(arg1); + QSvgWidget::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QSvgWidget_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QSvgWidget_Adaptor::cbs_showEvent_1634_0, event); } else { - QSvgWidget::showEvent(arg1); + QSvgWidget::showEvent(event); } } - // [adaptor impl] void QSvgWidget::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QSvgWidget::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QSvgWidget::tabletEvent(arg1); + QSvgWidget::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QSvgWidget_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QSvgWidget_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QSvgWidget::tabletEvent(arg1); + QSvgWidget::tabletEvent(event); } } - // [adaptor impl] void QSvgWidget::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSvgWidget::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSvgWidget::timerEvent(arg1); + QSvgWidget::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSvgWidget_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSvgWidget_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSvgWidget::timerEvent(arg1); + QSvgWidget::timerEvent(event); } } - // [adaptor impl] void QSvgWidget::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QSvgWidget::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QSvgWidget::wheelEvent(arg1); + QSvgWidget::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QSvgWidget_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QSvgWidget_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QSvgWidget::wheelEvent(arg1); + QSvgWidget::wheelEvent(event); } } @@ -1049,7 +1049,7 @@ QSvgWidget_Adaptor::~QSvgWidget_Adaptor() { } static void _init_ctor_QSvgWidget_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1058,7 +1058,7 @@ static void _call_ctor_QSvgWidget_Adaptor_1315 (const qt_gsi::GenericStaticMetho { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSvgWidget_Adaptor (arg1)); } @@ -1069,7 +1069,7 @@ static void _init_ctor_QSvgWidget_Adaptor_3232 (qt_gsi::GenericStaticMethod *dec { static gsi::ArgSpecBase argspec_0 ("file"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1079,16 +1079,16 @@ static void _call_ctor_QSvgWidget_Adaptor_3232 (const qt_gsi::GenericStaticMetho __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSvgWidget_Adaptor (arg1, arg2)); } -// void QSvgWidget::actionEvent(QActionEvent *) +// void QSvgWidget::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1132,11 +1132,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QSvgWidget::childEvent(QChildEvent *) +// void QSvgWidget::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1156,11 +1156,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QSvgWidget::closeEvent(QCloseEvent *) +// void QSvgWidget::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1180,11 +1180,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QSvgWidget::contextMenuEvent(QContextMenuEvent *) +// void QSvgWidget::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1229,11 +1229,11 @@ static void _call_fp_create_2208 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QSvgWidget::customEvent(QEvent *) +// void QSvgWidget::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1299,11 +1299,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QSvgWidget::dragEnterEvent(QDragEnterEvent *) +// void QSvgWidget::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1323,11 +1323,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QSvgWidget::dragLeaveEvent(QDragLeaveEvent *) +// void QSvgWidget::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1347,11 +1347,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QSvgWidget::dragMoveEvent(QDragMoveEvent *) +// void QSvgWidget::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1371,11 +1371,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QSvgWidget::dropEvent(QDropEvent *) +// void QSvgWidget::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1395,11 +1395,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QSvgWidget::enterEvent(QEvent *) +// void QSvgWidget::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1419,11 +1419,11 @@ static void _set_callback_cbs_enterEvent_1217_0 (void *cls, const gsi::Callback } -// bool QSvgWidget::event(QEvent *) +// bool QSvgWidget::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1442,13 +1442,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSvgWidget::eventFilter(QObject *, QEvent *) +// bool QSvgWidget::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1468,11 +1468,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QSvgWidget::focusInEvent(QFocusEvent *) +// void QSvgWidget::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1529,11 +1529,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QSvgWidget::focusOutEvent(QFocusEvent *) +// void QSvgWidget::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1609,11 +1609,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QSvgWidget::hideEvent(QHideEvent *) +// void QSvgWidget::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1722,11 +1722,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QSvgWidget::keyPressEvent(QKeyEvent *) +// void QSvgWidget::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1746,11 +1746,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QSvgWidget::keyReleaseEvent(QKeyEvent *) +// void QSvgWidget::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1770,11 +1770,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QSvgWidget::leaveEvent(QEvent *) +// void QSvgWidget::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1836,11 +1836,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QSvgWidget::mouseDoubleClickEvent(QMouseEvent *) +// void QSvgWidget::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1860,11 +1860,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QSvgWidget::mouseMoveEvent(QMouseEvent *) +// void QSvgWidget::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1884,11 +1884,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QSvgWidget::mousePressEvent(QMouseEvent *) +// void QSvgWidget::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1908,11 +1908,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QSvgWidget::mouseReleaseEvent(QMouseEvent *) +// void QSvgWidget::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1932,11 +1932,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QSvgWidget::moveEvent(QMoveEvent *) +// void QSvgWidget::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2069,11 +2069,11 @@ static void _set_callback_cbs_redirected_c1225_0 (void *cls, const gsi::Callback } -// void QSvgWidget::resizeEvent(QResizeEvent *) +// void QSvgWidget::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2164,11 +2164,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QSvgWidget::showEvent(QShowEvent *) +// void QSvgWidget::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2207,11 +2207,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QSvgWidget::tabletEvent(QTabletEvent *) +// void QSvgWidget::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2231,11 +2231,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QSvgWidget::timerEvent(QTimerEvent *) +// void QSvgWidget::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2270,11 +2270,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QSvgWidget::wheelEvent(QWheelEvent *) +// void QSvgWidget::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2303,49 +2303,49 @@ static gsi::Methods methods_QSvgWidget_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSvgWidget::QSvgWidget(QWidget *parent)\nThis method creates an object of class QSvgWidget.", &_init_ctor_QSvgWidget_Adaptor_1315, &_call_ctor_QSvgWidget_Adaptor_1315); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSvgWidget::QSvgWidget(const QString &file, QWidget *parent)\nThis method creates an object of class QSvgWidget.", &_init_ctor_QSvgWidget_Adaptor_3232, &_call_ctor_QSvgWidget_Adaptor_3232); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QSvgWidget::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QSvgWidget::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QSvgWidget::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSvgWidget::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSvgWidget::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QSvgWidget::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QSvgWidget::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QSvgWidget::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QSvgWidget::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QSvgWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSvgWidget::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QSvgWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSvgWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QSvgWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QSvgWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSvgWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QSvgWidget::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QSvgWidget::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QSvgWidget::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QSvgWidget::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QSvgWidget::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QSvgWidget::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QSvgWidget::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QSvgWidget::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QSvgWidget::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QSvgWidget::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QSvgWidget::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QSvgWidget::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSvgWidget::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSvgWidget::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QSvgWidget::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QSvgWidget::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QSvgWidget::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QSvgWidget::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QSvgWidget::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QSvgWidget::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QSvgWidget::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QSvgWidget::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QSvgWidget::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QSvgWidget::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QSvgWidget::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QSvgWidget::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2354,25 +2354,25 @@ static gsi::Methods methods_QSvgWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QSvgWidget::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSvgWidget::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QSvgWidget::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QSvgWidget::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QSvgWidget::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QSvgWidget::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QSvgWidget::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QSvgWidget::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QSvgWidget::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QSvgWidget::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QSvgWidget::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QSvgWidget::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QSvgWidget::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QSvgWidget::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QSvgWidget::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QSvgWidget::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QSvgWidget::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QSvgWidget::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QSvgWidget::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QSvgWidget::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QSvgWidget::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2383,7 +2383,7 @@ static gsi::Methods methods_QSvgWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QSvgWidget::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QSvgWidget::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QSvgWidget::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QSvgWidget::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QSvgWidget::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QSvgWidget::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -2391,16 +2391,16 @@ static gsi::Methods methods_QSvgWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QSvgWidget::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QSvgWidget::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QSvgWidget::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QSvgWidget::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QSvgWidget::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QSvgWidget::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSvgWidget::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSvgWidget::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QSvgWidget::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QSvgWidget::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QSvgWidget::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); return methods; } diff --git a/src/gsiqt/qt5/QtUiTools/gsiDeclQUiLoader.cc b/src/gsiqt/qt5/QtUiTools/gsiDeclQUiLoader.cc index f76b8f202c..05e88035bf 100644 --- a/src/gsiqt/qt5/QtUiTools/gsiDeclQUiLoader.cc +++ b/src/gsiqt/qt5/QtUiTools/gsiDeclQUiLoader.cc @@ -127,7 +127,7 @@ static void _call_f_clearPluginPaths_0 (const qt_gsi::GenericMethod * /*decl*/, static void _init_f_createAction_3219 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("name", true, "QString()"); decl->add_arg (argspec_1); @@ -138,7 +138,7 @@ static void _call_f_createAction_3219 (const qt_gsi::GenericMethod * /*decl*/, v { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const QString &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); ret.write ((QAction *)((QUiLoader *)cls)->createAction (arg1, arg2)); } @@ -149,7 +149,7 @@ static void _call_f_createAction_3219 (const qt_gsi::GenericMethod * /*decl*/, v static void _init_f_createActionGroup_3219 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("name", true, "QString()"); decl->add_arg (argspec_1); @@ -160,7 +160,7 @@ static void _call_f_createActionGroup_3219 (const qt_gsi::GenericMethod * /*decl { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const QString &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); ret.write ((QActionGroup *)((QUiLoader *)cls)->createActionGroup (arg1, arg2)); } @@ -173,7 +173,7 @@ static void _init_f_createLayout_5136 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("className"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("name", true, "QString()"); decl->add_arg (argspec_2); @@ -185,7 +185,7 @@ static void _call_f_createLayout_5136 (const qt_gsi::GenericMethod * /*decl*/, v __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const QString &arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); ret.write ((QLayout *)((QUiLoader *)cls)->createLayout (arg1, arg2, arg3)); } @@ -198,7 +198,7 @@ static void _init_f_createWidget_5149 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("className"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("name", true, "QString()"); decl->add_arg (argspec_2); @@ -210,7 +210,7 @@ static void _call_f_createWidget_5149 (const qt_gsi::GenericMethod * /*decl*/, v __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const QString &arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); ret.write ((QWidget *)((QUiLoader *)cls)->createWidget (arg1, arg2, arg3)); } @@ -268,7 +268,7 @@ static void _init_f_load_2654 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("device"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parentWidget", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parentWidget", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -278,7 +278,7 @@ static void _call_f_load_2654 (const qt_gsi::GenericMethod * /*decl*/, void *cls __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QIODevice *arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QWidget *)((QUiLoader *)cls)->load (arg1, arg2)); } @@ -560,63 +560,63 @@ class QUiLoader_Adaptor : public QUiLoader, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QUiLoader::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QUiLoader::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QUiLoader::event(arg1); + return QUiLoader::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QUiLoader_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QUiLoader_Adaptor::cbs_event_1217_0, _event); } else { - return QUiLoader::event(arg1); + return QUiLoader::event(_event); } } - // [adaptor impl] bool QUiLoader::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QUiLoader::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QUiLoader::eventFilter(arg1, arg2); + return QUiLoader::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QUiLoader_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QUiLoader_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QUiLoader::eventFilter(arg1, arg2); + return QUiLoader::eventFilter(watched, event); } } - // [adaptor impl] void QUiLoader::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QUiLoader::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QUiLoader::childEvent(arg1); + QUiLoader::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QUiLoader_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QUiLoader_Adaptor::cbs_childEvent_1701_0, event); } else { - QUiLoader::childEvent(arg1); + QUiLoader::childEvent(event); } } - // [adaptor impl] void QUiLoader::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QUiLoader::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QUiLoader::customEvent(arg1); + QUiLoader::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QUiLoader_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QUiLoader_Adaptor::cbs_customEvent_1217_0, event); } else { - QUiLoader::customEvent(arg1); + QUiLoader::customEvent(event); } } @@ -635,18 +635,18 @@ class QUiLoader_Adaptor : public QUiLoader, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QUiLoader::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QUiLoader::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QUiLoader::timerEvent(arg1); + QUiLoader::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QUiLoader_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QUiLoader_Adaptor::cbs_timerEvent_1730_0, event); } else { - QUiLoader::timerEvent(arg1); + QUiLoader::timerEvent(event); } } @@ -668,7 +668,7 @@ QUiLoader_Adaptor::~QUiLoader_Adaptor() { } static void _init_ctor_QUiLoader_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -677,16 +677,16 @@ static void _call_ctor_QUiLoader_Adaptor_1302 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QUiLoader_Adaptor (arg1)); } -// void QUiLoader::childEvent(QChildEvent *) +// void QUiLoader::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -816,11 +816,11 @@ static void _set_callback_cbs_createWidget_5149_2 (void *cls, const gsi::Callbac } -// void QUiLoader::customEvent(QEvent *) +// void QUiLoader::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -864,11 +864,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QUiLoader::event(QEvent *) +// bool QUiLoader::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -887,13 +887,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QUiLoader::eventFilter(QObject *, QEvent *) +// bool QUiLoader::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -977,11 +977,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QUiLoader::timerEvent(QTimerEvent *) +// void QUiLoader::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1009,7 +1009,7 @@ gsi::Class &qtdecl_QUiLoader (); static gsi::Methods methods_QUiLoader_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QUiLoader::QUiLoader(QObject *parent)\nThis method creates an object of class QUiLoader.", &_init_ctor_QUiLoader_Adaptor_1302, &_call_ctor_QUiLoader_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QUiLoader::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QUiLoader::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("createAction", "@brief Virtual method QAction *QUiLoader::createAction(QObject *parent, const QString &name)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_createAction_3219_2, &_call_cbs_createAction_3219_2); methods += new qt_gsi::GenericMethod ("createAction", "@hide", false, &_init_cbs_createAction_3219_2, &_call_cbs_createAction_3219_2, &_set_callback_cbs_createAction_3219_2); @@ -1019,19 +1019,19 @@ static gsi::Methods methods_QUiLoader_Adaptor () { methods += new qt_gsi::GenericMethod ("createLayout", "@hide", false, &_init_cbs_createLayout_5136_2, &_call_cbs_createLayout_5136_2, &_set_callback_cbs_createLayout_5136_2); methods += new qt_gsi::GenericMethod ("createWidget", "@brief Virtual method QWidget *QUiLoader::createWidget(const QString &className, QWidget *parent, const QString &name)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_createWidget_5149_2, &_call_cbs_createWidget_5149_2); methods += new qt_gsi::GenericMethod ("createWidget", "@hide", false, &_init_cbs_createWidget_5149_2, &_call_cbs_createWidget_5149_2, &_set_callback_cbs_createWidget_5149_2); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QUiLoader::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QUiLoader::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QUiLoader::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QUiLoader::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QUiLoader::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QUiLoader::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QUiLoader::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QUiLoader::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QUiLoader::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QUiLoader::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QUiLoader::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QUiLoader::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QUiLoader::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtWidgets/QtWidgets.pri b/src/gsiqt/qt5/QtWidgets/QtWidgets.pri index a3784712ba..a9f6885487 100644 --- a/src/gsiqt/qt5/QtWidgets/QtWidgets.pri +++ b/src/gsiqt/qt5/QtWidgets/QtWidgets.pri @@ -47,6 +47,7 @@ SOURCES += \ $$PWD/gsiDeclQFontComboBox.cc \ $$PWD/gsiDeclQFontDialog.cc \ $$PWD/gsiDeclQFormLayout.cc \ + $$PWD/gsiDeclQFormLayout_TakeRowResult.cc \ $$PWD/gsiDeclQFrame.cc \ $$PWD/gsiDeclQGesture.cc \ $$PWD/gsiDeclQGestureEvent.cc \ diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractButton.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractButton.cc index 9925b81c54..bef6cf3613 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractButton.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractButton.cc @@ -741,18 +741,18 @@ class QAbstractButton_Adaptor : public QAbstractButton, public qt_gsi::QtObjectB emit QAbstractButton::destroyed(arg1); } - // [adaptor impl] bool QAbstractButton::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractButton::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractButton::eventFilter(arg1, arg2); + return QAbstractButton::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractButton_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractButton_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractButton::eventFilter(arg1, arg2); + return QAbstractButton::eventFilter(watched, event); } } @@ -904,18 +904,18 @@ class QAbstractButton_Adaptor : public QAbstractButton, public qt_gsi::QtObjectB emit QAbstractButton::windowTitleChanged(title); } - // [adaptor impl] void QAbstractButton::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QAbstractButton::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QAbstractButton::actionEvent(arg1); + QAbstractButton::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QAbstractButton_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QAbstractButton_Adaptor::cbs_actionEvent_1823_0, event); } else { - QAbstractButton::actionEvent(arg1); + QAbstractButton::actionEvent(event); } } @@ -949,63 +949,63 @@ class QAbstractButton_Adaptor : public QAbstractButton, public qt_gsi::QtObjectB } } - // [adaptor impl] void QAbstractButton::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractButton::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractButton::childEvent(arg1); + QAbstractButton::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractButton_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractButton_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractButton::childEvent(arg1); + QAbstractButton::childEvent(event); } } - // [adaptor impl] void QAbstractButton::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QAbstractButton::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QAbstractButton::closeEvent(arg1); + QAbstractButton::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QAbstractButton_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QAbstractButton_Adaptor::cbs_closeEvent_1719_0, event); } else { - QAbstractButton::closeEvent(arg1); + QAbstractButton::closeEvent(event); } } - // [adaptor impl] void QAbstractButton::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QAbstractButton::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QAbstractButton::contextMenuEvent(arg1); + QAbstractButton::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QAbstractButton_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QAbstractButton_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QAbstractButton::contextMenuEvent(arg1); + QAbstractButton::contextMenuEvent(event); } } - // [adaptor impl] void QAbstractButton::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractButton::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractButton::customEvent(arg1); + QAbstractButton::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractButton_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractButton_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractButton::customEvent(arg1); + QAbstractButton::customEvent(event); } } @@ -1024,78 +1024,78 @@ class QAbstractButton_Adaptor : public QAbstractButton, public qt_gsi::QtObjectB } } - // [adaptor impl] void QAbstractButton::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QAbstractButton::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QAbstractButton::dragEnterEvent(arg1); + QAbstractButton::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QAbstractButton_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QAbstractButton_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QAbstractButton::dragEnterEvent(arg1); + QAbstractButton::dragEnterEvent(event); } } - // [adaptor impl] void QAbstractButton::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QAbstractButton::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QAbstractButton::dragLeaveEvent(arg1); + QAbstractButton::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QAbstractButton_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QAbstractButton_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QAbstractButton::dragLeaveEvent(arg1); + QAbstractButton::dragLeaveEvent(event); } } - // [adaptor impl] void QAbstractButton::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QAbstractButton::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QAbstractButton::dragMoveEvent(arg1); + QAbstractButton::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QAbstractButton_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QAbstractButton_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QAbstractButton::dragMoveEvent(arg1); + QAbstractButton::dragMoveEvent(event); } } - // [adaptor impl] void QAbstractButton::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QAbstractButton::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QAbstractButton::dropEvent(arg1); + QAbstractButton::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QAbstractButton_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QAbstractButton_Adaptor::cbs_dropEvent_1622_0, event); } else { - QAbstractButton::dropEvent(arg1); + QAbstractButton::dropEvent(event); } } - // [adaptor impl] void QAbstractButton::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractButton::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QAbstractButton::enterEvent(arg1); + QAbstractButton::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QAbstractButton_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QAbstractButton_Adaptor::cbs_enterEvent_1217_0, event); } else { - QAbstractButton::enterEvent(arg1); + QAbstractButton::enterEvent(event); } } @@ -1159,18 +1159,18 @@ class QAbstractButton_Adaptor : public QAbstractButton, public qt_gsi::QtObjectB } } - // [adaptor impl] void QAbstractButton::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QAbstractButton::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QAbstractButton::hideEvent(arg1); + QAbstractButton::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QAbstractButton_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QAbstractButton_Adaptor::cbs_hideEvent_1595_0, event); } else { - QAbstractButton::hideEvent(arg1); + QAbstractButton::hideEvent(event); } } @@ -1249,18 +1249,18 @@ class QAbstractButton_Adaptor : public QAbstractButton, public qt_gsi::QtObjectB } } - // [adaptor impl] void QAbstractButton::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractButton::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QAbstractButton::leaveEvent(arg1); + QAbstractButton::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QAbstractButton_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QAbstractButton_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QAbstractButton::leaveEvent(arg1); + QAbstractButton::leaveEvent(event); } } @@ -1279,18 +1279,18 @@ class QAbstractButton_Adaptor : public QAbstractButton, public qt_gsi::QtObjectB } } - // [adaptor impl] void QAbstractButton::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QAbstractButton::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QAbstractButton::mouseDoubleClickEvent(arg1); + QAbstractButton::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QAbstractButton_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QAbstractButton_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QAbstractButton::mouseDoubleClickEvent(arg1); + QAbstractButton::mouseDoubleClickEvent(event); } } @@ -1339,18 +1339,18 @@ class QAbstractButton_Adaptor : public QAbstractButton, public qt_gsi::QtObjectB } } - // [adaptor impl] void QAbstractButton::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QAbstractButton::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QAbstractButton::moveEvent(arg1); + QAbstractButton::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QAbstractButton_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QAbstractButton_Adaptor::cbs_moveEvent_1624_0, event); } else { - QAbstractButton::moveEvent(arg1); + QAbstractButton::moveEvent(event); } } @@ -1415,18 +1415,18 @@ class QAbstractButton_Adaptor : public QAbstractButton, public qt_gsi::QtObjectB } } - // [adaptor impl] void QAbstractButton::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QAbstractButton::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QAbstractButton::resizeEvent(arg1); + QAbstractButton::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QAbstractButton_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QAbstractButton_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QAbstractButton::resizeEvent(arg1); + QAbstractButton::resizeEvent(event); } } @@ -1445,33 +1445,33 @@ class QAbstractButton_Adaptor : public QAbstractButton, public qt_gsi::QtObjectB } } - // [adaptor impl] void QAbstractButton::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QAbstractButton::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QAbstractButton::showEvent(arg1); + QAbstractButton::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QAbstractButton_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QAbstractButton_Adaptor::cbs_showEvent_1634_0, event); } else { - QAbstractButton::showEvent(arg1); + QAbstractButton::showEvent(event); } } - // [adaptor impl] void QAbstractButton::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QAbstractButton::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QAbstractButton::tabletEvent(arg1); + QAbstractButton::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QAbstractButton_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QAbstractButton_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QAbstractButton::tabletEvent(arg1); + QAbstractButton::tabletEvent(event); } } @@ -1490,18 +1490,18 @@ class QAbstractButton_Adaptor : public QAbstractButton, public qt_gsi::QtObjectB } } - // [adaptor impl] void QAbstractButton::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QAbstractButton::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QAbstractButton::wheelEvent(arg1); + QAbstractButton::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QAbstractButton_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QAbstractButton_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QAbstractButton::wheelEvent(arg1); + QAbstractButton::wheelEvent(event); } } @@ -1561,7 +1561,7 @@ QAbstractButton_Adaptor::~QAbstractButton_Adaptor() { } static void _init_ctor_QAbstractButton_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1570,16 +1570,16 @@ static void _call_ctor_QAbstractButton_Adaptor_1315 (const qt_gsi::GenericStatic { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAbstractButton_Adaptor (arg1)); } -// void QAbstractButton::actionEvent(QActionEvent *) +// void QAbstractButton::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1643,11 +1643,11 @@ static void _set_callback_cbs_checkStateSet_0_0 (void *cls, const gsi::Callback } -// void QAbstractButton::childEvent(QChildEvent *) +// void QAbstractButton::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1685,11 +1685,11 @@ static void _call_emitter_clicked_864 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QAbstractButton::closeEvent(QCloseEvent *) +// void QAbstractButton::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1709,11 +1709,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QAbstractButton::contextMenuEvent(QContextMenuEvent *) +// void QAbstractButton::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1776,11 +1776,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QAbstractButton::customEvent(QEvent *) +// void QAbstractButton::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1826,7 +1826,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1835,7 +1835,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QAbstractButton_Adaptor *)cls)->emitter_QAbstractButton_destroyed_1302 (arg1); } @@ -1864,11 +1864,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QAbstractButton::dragEnterEvent(QDragEnterEvent *) +// void QAbstractButton::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1888,11 +1888,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QAbstractButton::dragLeaveEvent(QDragLeaveEvent *) +// void QAbstractButton::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1912,11 +1912,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QAbstractButton::dragMoveEvent(QDragMoveEvent *) +// void QAbstractButton::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1936,11 +1936,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QAbstractButton::dropEvent(QDropEvent *) +// void QAbstractButton::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1960,11 +1960,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QAbstractButton::enterEvent(QEvent *) +// void QAbstractButton::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2007,13 +2007,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractButton::eventFilter(QObject *, QEvent *) +// bool QAbstractButton::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2174,11 +2174,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QAbstractButton::hideEvent(QHideEvent *) +// void QAbstractButton::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2358,11 +2358,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QAbstractButton::leaveEvent(QEvent *) +// void QAbstractButton::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2424,11 +2424,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QAbstractButton::mouseDoubleClickEvent(QMouseEvent *) +// void QAbstractButton::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2520,11 +2520,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QAbstractButton::moveEvent(QMoveEvent *) +// void QAbstractButton::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2723,11 +2723,11 @@ static void _call_emitter_released_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QAbstractButton::resizeEvent(QResizeEvent *) +// void QAbstractButton::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2818,11 +2818,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QAbstractButton::showEvent(QShowEvent *) +// void QAbstractButton::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2861,11 +2861,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QAbstractButton::tabletEvent(QTabletEvent *) +// void QAbstractButton::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2942,11 +2942,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QAbstractButton::wheelEvent(QWheelEvent *) +// void QAbstractButton::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3028,40 +3028,40 @@ gsi::Class &qtdecl_QAbstractButton (); static gsi::Methods methods_QAbstractButton_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractButton::QAbstractButton(QWidget *parent)\nThis method creates an object of class QAbstractButton.", &_init_ctor_QAbstractButton_Adaptor_1315, &_call_ctor_QAbstractButton_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QAbstractButton::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QAbstractButton::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QAbstractButton::changeEvent(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*checkStateSet", "@brief Virtual method void QAbstractButton::checkStateSet()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_checkStateSet_0_0, &_call_cbs_checkStateSet_0_0); methods += new qt_gsi::GenericMethod ("*checkStateSet", "@hide", false, &_init_cbs_checkStateSet_0_0, &_call_cbs_checkStateSet_0_0, &_set_callback_cbs_checkStateSet_0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractButton::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractButton::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_clicked", "@brief Emitter for signal void QAbstractButton::clicked(bool checked)\nCall this method to emit this signal.", false, &_init_emitter_clicked_864, &_call_emitter_clicked_864); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QAbstractButton::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QAbstractButton::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QAbstractButton::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QAbstractButton::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QAbstractButton::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QAbstractButton::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QAbstractButton::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractButton::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractButton::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QAbstractButton::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QAbstractButton::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractButton::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractButton::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QAbstractButton::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QAbstractButton::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QAbstractButton::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QAbstractButton::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QAbstractButton::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QAbstractButton::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QAbstractButton::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QAbstractButton::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QAbstractButton::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QAbstractButton::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QAbstractButton::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractButton::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractButton::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QAbstractButton::focusInEvent(QFocusEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); @@ -3075,7 +3075,7 @@ static gsi::Methods methods_QAbstractButton_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QAbstractButton::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QAbstractButton::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QAbstractButton::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hitButton", "@brief Virtual method bool QAbstractButton::hitButton(const QPoint &pos)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hitButton_c1916_0, &_call_cbs_hitButton_c1916_0); methods += new qt_gsi::GenericMethod ("*hitButton", "@hide", true, &_init_cbs_hitButton_c1916_0, &_call_cbs_hitButton_c1916_0, &_set_callback_cbs_hitButton_c1916_0); @@ -3090,13 +3090,13 @@ static gsi::Methods methods_QAbstractButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QAbstractButton::keyReleaseEvent(QKeyEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QAbstractButton::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QAbstractButton::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QAbstractButton::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QAbstractButton::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QAbstractButton::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QAbstractButton::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QAbstractButton::mouseMoveEvent(QMouseEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -3104,7 +3104,7 @@ static gsi::Methods methods_QAbstractButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QAbstractButton::mouseReleaseEvent(QMouseEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QAbstractButton::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QAbstractButton::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QAbstractButton::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3120,7 +3120,7 @@ static gsi::Methods methods_QAbstractButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QAbstractButton::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("emit_released", "@brief Emitter for signal void QAbstractButton::released()\nCall this method to emit this signal.", false, &_init_emitter_released_0, &_call_emitter_released_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QAbstractButton::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QAbstractButton::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAbstractButton::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAbstractButton::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -3128,17 +3128,17 @@ static gsi::Methods methods_QAbstractButton_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QAbstractButton::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QAbstractButton::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QAbstractButton::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QAbstractButton::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QAbstractButton::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QAbstractButton::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractButton::timerEvent(QTimerEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_toggled", "@brief Emitter for signal void QAbstractButton::toggled(bool checked)\nCall this method to emit this signal.", false, &_init_emitter_toggled_864, &_call_emitter_toggled_864); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QAbstractButton::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QAbstractButton::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QAbstractButton::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QAbstractButton::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QAbstractButton::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractGraphicsShapeItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractGraphicsShapeItem.cc index f5f0716f55..b2b1f5ce59 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractGraphicsShapeItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractGraphicsShapeItem.cc @@ -802,7 +802,7 @@ QAbstractGraphicsShapeItem_Adaptor::~QAbstractGraphicsShapeItem_Adaptor() { } static void _init_ctor_QAbstractGraphicsShapeItem_Adaptor_1919 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -811,7 +811,7 @@ static void _call_ctor_QAbstractGraphicsShapeItem_Adaptor_1919 (const qt_gsi::Ge { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAbstractGraphicsShapeItem_Adaptor (arg1)); } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractItemDelegate.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractItemDelegate.cc index 5972346797..16218d5e4c 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractItemDelegate.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractItemDelegate.cc @@ -522,33 +522,33 @@ class QAbstractItemDelegate_Adaptor : public QAbstractItemDelegate, public qt_gs } } - // [adaptor impl] bool QAbstractItemDelegate::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAbstractItemDelegate::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAbstractItemDelegate::event(arg1); + return QAbstractItemDelegate::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAbstractItemDelegate_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAbstractItemDelegate_Adaptor::cbs_event_1217_0, _event); } else { - return QAbstractItemDelegate::event(arg1); + return QAbstractItemDelegate::event(_event); } } - // [adaptor impl] bool QAbstractItemDelegate::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractItemDelegate::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractItemDelegate::eventFilter(arg1, arg2); + return QAbstractItemDelegate::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractItemDelegate_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractItemDelegate_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractItemDelegate::eventFilter(arg1, arg2); + return QAbstractItemDelegate::eventFilter(watched, event); } } @@ -675,33 +675,33 @@ class QAbstractItemDelegate_Adaptor : public QAbstractItemDelegate, public qt_gs } } - // [adaptor impl] void QAbstractItemDelegate::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractItemDelegate::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractItemDelegate::childEvent(arg1); + QAbstractItemDelegate::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractItemDelegate_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractItemDelegate_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractItemDelegate::childEvent(arg1); + QAbstractItemDelegate::childEvent(event); } } - // [adaptor impl] void QAbstractItemDelegate::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractItemDelegate::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractItemDelegate::customEvent(arg1); + QAbstractItemDelegate::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractItemDelegate_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractItemDelegate_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractItemDelegate::customEvent(arg1); + QAbstractItemDelegate::customEvent(event); } } @@ -720,18 +720,18 @@ class QAbstractItemDelegate_Adaptor : public QAbstractItemDelegate, public qt_gs } } - // [adaptor impl] void QAbstractItemDelegate::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAbstractItemDelegate::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAbstractItemDelegate::timerEvent(arg1); + QAbstractItemDelegate::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAbstractItemDelegate_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAbstractItemDelegate_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAbstractItemDelegate::timerEvent(arg1); + QAbstractItemDelegate::timerEvent(event); } } @@ -759,7 +759,7 @@ QAbstractItemDelegate_Adaptor::~QAbstractItemDelegate_Adaptor() { } static void _init_ctor_QAbstractItemDelegate_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -768,16 +768,16 @@ static void _call_ctor_QAbstractItemDelegate_Adaptor_1302 (const qt_gsi::Generic { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAbstractItemDelegate_Adaptor (arg1)); } -// void QAbstractItemDelegate::childEvent(QChildEvent *) +// void QAbstractItemDelegate::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -865,11 +865,11 @@ static void _set_callback_cbs_createEditor_c6860_0 (void *cls, const gsi::Callba } -// void QAbstractItemDelegate::customEvent(QEvent *) +// void QAbstractItemDelegate::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -920,7 +920,7 @@ static void _set_callback_cbs_destroyEditor_c3602_0 (void *cls, const gsi::Callb static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -929,7 +929,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QAbstractItemDelegate_Adaptor *)cls)->emitter_QAbstractItemDelegate_destroyed_1302 (arg1); } @@ -990,11 +990,11 @@ static void _set_callback_cbs_editorEvent_9073_0 (void *cls, const gsi::Callback } -// bool QAbstractItemDelegate::event(QEvent *) +// bool QAbstractItemDelegate::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1013,13 +1013,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractItemDelegate::eventFilter(QObject *, QEvent *) +// bool QAbstractItemDelegate::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1303,11 +1303,11 @@ static void _call_emitter_sizeHintChanged_2395 (const qt_gsi::GenericMethod * /* } -// void QAbstractItemDelegate::timerEvent(QTimerEvent *) +// void QAbstractItemDelegate::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1365,13 +1365,13 @@ gsi::Class &qtdecl_QAbstractItemDelegate (); static gsi::Methods methods_QAbstractItemDelegate_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractItemDelegate::QAbstractItemDelegate(QObject *parent)\nThis method creates an object of class QAbstractItemDelegate.", &_init_ctor_QAbstractItemDelegate_Adaptor_1302, &_call_ctor_QAbstractItemDelegate_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractItemDelegate::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractItemDelegate::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_closeEditor", "@brief Emitter for signal void QAbstractItemDelegate::closeEditor(QWidget *editor, QAbstractItemDelegate::EndEditHint hint)\nCall this method to emit this signal.", false, &_init_emitter_closeEditor_4926, &_call_emitter_closeEditor_4926); methods += new qt_gsi::GenericMethod ("emit_commitData", "@brief Emitter for signal void QAbstractItemDelegate::commitData(QWidget *editor)\nCall this method to emit this signal.", false, &_init_emitter_commitData_1315, &_call_emitter_commitData_1315); methods += new qt_gsi::GenericMethod ("createEditor", "@brief Virtual method QWidget *QAbstractItemDelegate::createEditor(QWidget *parent, const QStyleOptionViewItem &option, const QModelIndex &index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_createEditor_c6860_0, &_call_cbs_createEditor_c6860_0); methods += new qt_gsi::GenericMethod ("createEditor", "@hide", true, &_init_cbs_createEditor_c6860_0, &_call_cbs_createEditor_c6860_0, &_set_callback_cbs_createEditor_c6860_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractItemDelegate::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractItemDelegate::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("destroyEditor", "@brief Virtual method void QAbstractItemDelegate::destroyEditor(QWidget *editor, const QModelIndex &index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_destroyEditor_c3602_0, &_call_cbs_destroyEditor_c3602_0); methods += new qt_gsi::GenericMethod ("destroyEditor", "@hide", true, &_init_cbs_destroyEditor_c3602_0, &_call_cbs_destroyEditor_c3602_0, &_set_callback_cbs_destroyEditor_c3602_0); @@ -1380,9 +1380,9 @@ static gsi::Methods methods_QAbstractItemDelegate_Adaptor () { methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("editorEvent", "@brief Virtual method bool QAbstractItemDelegate::editorEvent(QEvent *event, QAbstractItemModel *model, const QStyleOptionViewItem &option, const QModelIndex &index)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_editorEvent_9073_0, &_call_cbs_editorEvent_9073_0); methods += new qt_gsi::GenericMethod ("editorEvent", "@hide", false, &_init_cbs_editorEvent_9073_0, &_call_cbs_editorEvent_9073_0, &_set_callback_cbs_editorEvent_9073_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractItemDelegate::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractItemDelegate::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractItemDelegate::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractItemDelegate::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("helpEvent", "@brief Virtual method bool QAbstractItemDelegate::helpEvent(QHelpEvent *event, QAbstractItemView *view, const QStyleOptionViewItem &option, const QModelIndex &index)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_helpEvent_9380_0, &_call_cbs_helpEvent_9380_0); methods += new qt_gsi::GenericMethod ("helpEvent", "@hide", false, &_init_cbs_helpEvent_9380_0, &_call_cbs_helpEvent_9380_0, &_set_callback_cbs_helpEvent_9380_0); @@ -1402,7 +1402,7 @@ static gsi::Methods methods_QAbstractItemDelegate_Adaptor () { methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QAbstractItemDelegate::sizeHint(const QStyleOptionViewItem &option, const QModelIndex &index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c5653_0, &_call_cbs_sizeHint_c5653_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c5653_0, &_call_cbs_sizeHint_c5653_0, &_set_callback_cbs_sizeHint_c5653_0); methods += new qt_gsi::GenericMethod ("emit_sizeHintChanged", "@brief Emitter for signal void QAbstractItemDelegate::sizeHintChanged(const QModelIndex &)\nCall this method to emit this signal.", false, &_init_emitter_sizeHintChanged_2395, &_call_emitter_sizeHintChanged_2395); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractItemDelegate::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractItemDelegate::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("updateEditorGeometry", "@brief Virtual method void QAbstractItemDelegate::updateEditorGeometry(QWidget *editor, const QStyleOptionViewItem &option, const QModelIndex &index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_updateEditorGeometry_c6860_0, &_call_cbs_updateEditorGeometry_c6860_0); methods += new qt_gsi::GenericMethod ("updateEditorGeometry", "@hide", true, &_init_cbs_updateEditorGeometry_c6860_0, &_call_cbs_updateEditorGeometry_c6860_0, &_set_callback_cbs_updateEditorGeometry_c6860_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractItemView.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractItemView.cc index 535f12cacb..11e76c6af6 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractItemView.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractItemView.cc @@ -401,6 +401,25 @@ static void _call_f_inputMethodQuery_c2420 (const qt_gsi::GenericMethod * /*decl } +// bool QAbstractItemView::isPersistentEditorOpen(const QModelIndex &index) + + +static void _init_f_isPersistentEditorOpen_c2395 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("index"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_isPersistentEditorOpen_c2395 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QAbstractItemView *)cls)->isPersistentEditorOpen (arg1)); +} + + // QAbstractItemDelegate *QAbstractItemView::itemDelegate() @@ -544,6 +563,38 @@ static void _call_f_reset_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } +// void QAbstractItemView::resetHorizontalScrollMode() + + +static void _init_f_resetHorizontalScrollMode_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_resetHorizontalScrollMode_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + ((QAbstractItemView *)cls)->resetHorizontalScrollMode (); +} + + +// void QAbstractItemView::resetVerticalScrollMode() + + +static void _init_f_resetVerticalScrollMode_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_resetVerticalScrollMode_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + ((QAbstractItemView *)cls)->resetVerticalScrollMode (); +} + + // QModelIndex QAbstractItemView::rootIndex() @@ -1414,6 +1465,7 @@ static gsi::Methods methods_QAbstractItemView () { methods += new qt_gsi::GenericMethod ("indexAt", "@brief Method QModelIndex QAbstractItemView::indexAt(const QPoint &point)\n", true, &_init_f_indexAt_c1916, &_call_f_indexAt_c1916); methods += new qt_gsi::GenericMethod ("indexWidget", "@brief Method QWidget *QAbstractItemView::indexWidget(const QModelIndex &index)\n", true, &_init_f_indexWidget_c2395, &_call_f_indexWidget_c2395); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Method QVariant QAbstractItemView::inputMethodQuery(Qt::InputMethodQuery query)\nThis is a reimplementation of QWidget::inputMethodQuery", true, &_init_f_inputMethodQuery_c2420, &_call_f_inputMethodQuery_c2420); + methods += new qt_gsi::GenericMethod ("isPersistentEditorOpen?", "@brief Method bool QAbstractItemView::isPersistentEditorOpen(const QModelIndex &index)\n", true, &_init_f_isPersistentEditorOpen_c2395, &_call_f_isPersistentEditorOpen_c2395); methods += new qt_gsi::GenericMethod (":itemDelegate", "@brief Method QAbstractItemDelegate *QAbstractItemView::itemDelegate()\n", true, &_init_f_itemDelegate_c0, &_call_f_itemDelegate_c0); methods += new qt_gsi::GenericMethod ("itemDelegate", "@brief Method QAbstractItemDelegate *QAbstractItemView::itemDelegate(const QModelIndex &index)\n", true, &_init_f_itemDelegate_c2395, &_call_f_itemDelegate_c2395); methods += new qt_gsi::GenericMethod ("itemDelegateForColumn", "@brief Method QAbstractItemDelegate *QAbstractItemView::itemDelegateForColumn(int column)\n", true, &_init_f_itemDelegateForColumn_c767, &_call_f_itemDelegateForColumn_c767); @@ -1422,6 +1474,8 @@ static gsi::Methods methods_QAbstractItemView () { methods += new qt_gsi::GenericMethod (":model", "@brief Method QAbstractItemModel *QAbstractItemView::model()\n", true, &_init_f_model_c0, &_call_f_model_c0); methods += new qt_gsi::GenericMethod ("openPersistentEditor", "@brief Method void QAbstractItemView::openPersistentEditor(const QModelIndex &index)\n", false, &_init_f_openPersistentEditor_2395, &_call_f_openPersistentEditor_2395); methods += new qt_gsi::GenericMethod ("reset", "@brief Method void QAbstractItemView::reset()\n", false, &_init_f_reset_0, &_call_f_reset_0); + methods += new qt_gsi::GenericMethod ("resetHorizontalScrollMode", "@brief Method void QAbstractItemView::resetHorizontalScrollMode()\n", false, &_init_f_resetHorizontalScrollMode_0, &_call_f_resetHorizontalScrollMode_0); + methods += new qt_gsi::GenericMethod ("resetVerticalScrollMode", "@brief Method void QAbstractItemView::resetVerticalScrollMode()\n", false, &_init_f_resetVerticalScrollMode_0, &_call_f_resetVerticalScrollMode_0); methods += new qt_gsi::GenericMethod (":rootIndex", "@brief Method QModelIndex QAbstractItemView::rootIndex()\n", true, &_init_f_rootIndex_c0, &_call_f_rootIndex_c0); methods += new qt_gsi::GenericMethod ("scrollTo", "@brief Method void QAbstractItemView::scrollTo(const QModelIndex &index, QAbstractItemView::ScrollHint hint)\n", false, &_init_f_scrollTo_5576, &_call_f_scrollTo_5576); methods += new qt_gsi::GenericMethod ("scrollToBottom", "@brief Method void QAbstractItemView::scrollToBottom()\n", false, &_init_f_scrollToBottom_0, &_call_f_scrollToBottom_0); @@ -2039,18 +2093,18 @@ class QAbstractItemView_Adaptor : public QAbstractItemView, public qt_gsi::QtObj emit QAbstractItemView::windowTitleChanged(title); } - // [adaptor impl] void QAbstractItemView::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QAbstractItemView::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QAbstractItemView::actionEvent(arg1); + QAbstractItemView::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QAbstractItemView_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QAbstractItemView_Adaptor::cbs_actionEvent_1823_0, event); } else { - QAbstractItemView::actionEvent(arg1); + QAbstractItemView::actionEvent(event); } } @@ -2069,18 +2123,18 @@ class QAbstractItemView_Adaptor : public QAbstractItemView, public qt_gsi::QtObj } } - // [adaptor impl] void QAbstractItemView::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractItemView::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractItemView::childEvent(arg1); + QAbstractItemView::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractItemView_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractItemView_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractItemView::childEvent(arg1); + QAbstractItemView::childEvent(event); } } @@ -2099,18 +2153,18 @@ class QAbstractItemView_Adaptor : public QAbstractItemView, public qt_gsi::QtObj } } - // [adaptor impl] void QAbstractItemView::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QAbstractItemView::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QAbstractItemView::closeEvent(arg1); + QAbstractItemView::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QAbstractItemView_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QAbstractItemView_Adaptor::cbs_closeEvent_1719_0, event); } else { - QAbstractItemView::closeEvent(arg1); + QAbstractItemView::closeEvent(event); } } @@ -2159,18 +2213,18 @@ class QAbstractItemView_Adaptor : public QAbstractItemView, public qt_gsi::QtObj } } - // [adaptor impl] void QAbstractItemView::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractItemView::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractItemView::customEvent(arg1); + QAbstractItemView::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractItemView_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractItemView_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractItemView::customEvent(arg1); + QAbstractItemView::customEvent(event); } } @@ -2294,18 +2348,18 @@ class QAbstractItemView_Adaptor : public QAbstractItemView, public qt_gsi::QtObj } } - // [adaptor impl] void QAbstractItemView::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractItemView::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QAbstractItemView::enterEvent(arg1); + QAbstractItemView::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QAbstractItemView_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QAbstractItemView_Adaptor::cbs_enterEvent_1217_0, event); } else { - QAbstractItemView::enterEvent(arg1); + QAbstractItemView::enterEvent(event); } } @@ -2324,18 +2378,18 @@ class QAbstractItemView_Adaptor : public QAbstractItemView, public qt_gsi::QtObj } } - // [adaptor impl] bool QAbstractItemView::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractItemView::eventFilter(QObject *object, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *object, QEvent *event) { - return QAbstractItemView::eventFilter(arg1, arg2); + return QAbstractItemView::eventFilter(object, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *object, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractItemView_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractItemView_Adaptor::cbs_eventFilter_2411_0, object, event); } else { - return QAbstractItemView::eventFilter(arg1, arg2); + return QAbstractItemView::eventFilter(object, event); } } @@ -2384,18 +2438,18 @@ class QAbstractItemView_Adaptor : public QAbstractItemView, public qt_gsi::QtObj } } - // [adaptor impl] void QAbstractItemView::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QAbstractItemView::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QAbstractItemView::hideEvent(arg1); + QAbstractItemView::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QAbstractItemView_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QAbstractItemView_Adaptor::cbs_hideEvent_1595_0, event); } else { - QAbstractItemView::hideEvent(arg1); + QAbstractItemView::hideEvent(event); } } @@ -2505,33 +2559,33 @@ class QAbstractItemView_Adaptor : public QAbstractItemView, public qt_gsi::QtObj } } - // [adaptor impl] void QAbstractItemView::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QAbstractItemView::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QAbstractItemView::keyReleaseEvent(arg1); + QAbstractItemView::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QAbstractItemView_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QAbstractItemView_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QAbstractItemView::keyReleaseEvent(arg1); + QAbstractItemView::keyReleaseEvent(event); } } - // [adaptor impl] void QAbstractItemView::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractItemView::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QAbstractItemView::leaveEvent(arg1); + QAbstractItemView::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QAbstractItemView_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QAbstractItemView_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QAbstractItemView::leaveEvent(arg1); + QAbstractItemView::leaveEvent(event); } } @@ -2627,18 +2681,18 @@ class QAbstractItemView_Adaptor : public QAbstractItemView, public qt_gsi::QtObj } } - // [adaptor impl] void QAbstractItemView::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QAbstractItemView::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QAbstractItemView::moveEvent(arg1); + QAbstractItemView::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QAbstractItemView_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QAbstractItemView_Adaptor::cbs_moveEvent_1624_0, event); } else { - QAbstractItemView::moveEvent(arg1); + QAbstractItemView::moveEvent(event); } } @@ -2824,18 +2878,18 @@ class QAbstractItemView_Adaptor : public QAbstractItemView, public qt_gsi::QtObj } } - // [adaptor impl] void QAbstractItemView::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QAbstractItemView::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QAbstractItemView::showEvent(arg1); + QAbstractItemView::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QAbstractItemView_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QAbstractItemView_Adaptor::cbs_showEvent_1634_0, event); } else { - QAbstractItemView::showEvent(arg1); + QAbstractItemView::showEvent(event); } } @@ -2854,18 +2908,18 @@ class QAbstractItemView_Adaptor : public QAbstractItemView, public qt_gsi::QtObj } } - // [adaptor impl] void QAbstractItemView::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QAbstractItemView::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QAbstractItemView::tabletEvent(arg1); + QAbstractItemView::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QAbstractItemView_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QAbstractItemView_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QAbstractItemView::tabletEvent(arg1); + QAbstractItemView::tabletEvent(event); } } @@ -3145,7 +3199,7 @@ QAbstractItemView_Adaptor::~QAbstractItemView_Adaptor() { } static void _init_ctor_QAbstractItemView_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -3154,16 +3208,16 @@ static void _call_ctor_QAbstractItemView_Adaptor_1315 (const qt_gsi::GenericStat { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAbstractItemView_Adaptor (arg1)); } -// void QAbstractItemView::actionEvent(QActionEvent *) +// void QAbstractItemView::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3225,11 +3279,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QAbstractItemView::childEvent(QChildEvent *) +// void QAbstractItemView::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3294,11 +3348,11 @@ static void _set_callback_cbs_closeEditor_4926_0 (void *cls, const gsi::Callback } -// void QAbstractItemView::closeEvent(QCloseEvent *) +// void QAbstractItemView::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3436,11 +3490,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QAbstractItemView::customEvent(QEvent *) +// void QAbstractItemView::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3516,7 +3570,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3525,7 +3579,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QAbstractItemView_Adaptor *)cls)->emitter_QAbstractItemView_destroyed_1302 (arg1); } @@ -3803,11 +3857,11 @@ static void _set_callback_cbs_editorDestroyed_1302_0 (void *cls, const gsi::Call } -// void QAbstractItemView::enterEvent(QEvent *) +// void QAbstractItemView::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3868,13 +3922,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractItemView::eventFilter(QObject *, QEvent *) +// bool QAbstractItemView::eventFilter(QObject *object, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("object"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -4050,11 +4104,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QAbstractItemView::hideEvent(QHideEvent *) +// void QAbstractItemView::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4351,11 +4405,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QAbstractItemView::keyReleaseEvent(QKeyEvent *) +// void QAbstractItemView::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4399,11 +4453,11 @@ static void _set_callback_cbs_keyboardSearch_2025_0 (void *cls, const gsi::Callb } -// void QAbstractItemView::leaveEvent(QEvent *) +// void QAbstractItemView::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4587,11 +4641,11 @@ static void _set_callback_cbs_moveCursor_6476_0 (void *cls, const gsi::Callback } -// void QAbstractItemView::moveEvent(QMoveEvent *) +// void QAbstractItemView::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5364,11 +5418,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QAbstractItemView::showEvent(QShowEvent *) +// void QAbstractItemView::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5521,11 +5575,11 @@ static void _call_fp_stopAutoScroll_0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QAbstractItemView::tabletEvent(QTabletEvent *) +// void QAbstractItemView::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5946,31 +6000,31 @@ gsi::Class &qtdecl_QAbstractItemView (); static gsi::Methods methods_QAbstractItemView_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractItemView::QAbstractItemView(QWidget *parent)\nThis method creates an object of class QAbstractItemView.", &_init_ctor_QAbstractItemView_Adaptor_1315, &_call_ctor_QAbstractItemView_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QAbstractItemView::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QAbstractItemView::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("emit_activated", "@brief Emitter for signal void QAbstractItemView::activated(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_activated_2395, &_call_emitter_activated_2395); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QAbstractItemView::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractItemView::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractItemView::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_clicked", "@brief Emitter for signal void QAbstractItemView::clicked(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_clicked_2395, &_call_emitter_clicked_2395); methods += new qt_gsi::GenericMethod ("*closeEditor", "@brief Virtual method void QAbstractItemView::closeEditor(QWidget *editor, QAbstractItemDelegate::EndEditHint hint)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEditor_4926_0, &_call_cbs_closeEditor_4926_0); methods += new qt_gsi::GenericMethod ("*closeEditor", "@hide", false, &_init_cbs_closeEditor_4926_0, &_call_cbs_closeEditor_4926_0, &_set_callback_cbs_closeEditor_4926_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QAbstractItemView::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QAbstractItemView::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*commitData", "@brief Virtual method void QAbstractItemView::commitData(QWidget *editor)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*commitData", "@hide", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0, &_set_callback_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QAbstractItemView::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QAbstractItemView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QAbstractItemView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*currentChanged", "@brief Virtual method void QAbstractItemView::currentChanged(const QModelIndex ¤t, const QModelIndex &previous)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@hide", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0, &_set_callback_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QAbstractItemView::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractItemView::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractItemView::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*dataChanged", "@brief Virtual method void QAbstractItemView::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QVector &roles)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dataChanged_7048_1, &_call_cbs_dataChanged_7048_1); methods += new qt_gsi::GenericMethod ("*dataChanged", "@hide", false, &_init_cbs_dataChanged_7048_1, &_call_cbs_dataChanged_7048_1, &_set_callback_cbs_dataChanged_7048_1); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QAbstractItemView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QAbstractItemView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractItemView::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*dirtyRegionOffset", "@brief Method QPoint QAbstractItemView::dirtyRegionOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_dirtyRegionOffset_c0, &_call_fp_dirtyRegionOffset_c0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractItemView::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -5993,12 +6047,12 @@ static gsi::Methods methods_QAbstractItemView_Adaptor () { methods += new qt_gsi::GenericMethod ("*edit", "@hide", false, &_init_cbs_edit_6773_0, &_call_cbs_edit_6773_0, &_set_callback_cbs_edit_6773_0); methods += new qt_gsi::GenericMethod ("*editorDestroyed", "@brief Virtual method void QAbstractItemView::editorDestroyed(QObject *editor)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_editorDestroyed_1302_0, &_call_cbs_editorDestroyed_1302_0); methods += new qt_gsi::GenericMethod ("*editorDestroyed", "@hide", false, &_init_cbs_editorDestroyed_1302_0, &_call_cbs_editorDestroyed_1302_0, &_set_callback_cbs_editorDestroyed_1302_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QAbstractItemView::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QAbstractItemView::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_entered", "@brief Emitter for signal void QAbstractItemView::entered(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_entered_2395, &_call_emitter_entered_2395); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QAbstractItemView::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QAbstractItemView::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QAbstractItemView::eventFilter(QObject *object, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*executeDelayedItemsLayout", "@brief Method void QAbstractItemView::executeDelayedItemsLayout()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_executeDelayedItemsLayout_0, &_call_fp_executeDelayedItemsLayout_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QAbstractItemView::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); @@ -6013,7 +6067,7 @@ static gsi::Methods methods_QAbstractItemView_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QAbstractItemView::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QAbstractItemView::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QAbstractItemView::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*horizontalOffset", "@brief Virtual method int QAbstractItemView::horizontalOffset()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_horizontalOffset_c0_0, &_call_cbs_horizontalOffset_c0_0); methods += new qt_gsi::GenericMethod ("*horizontalOffset", "@hide", true, &_init_cbs_horizontalOffset_c0_0, &_call_cbs_horizontalOffset_c0_0, &_set_callback_cbs_horizontalOffset_c0_0); @@ -6037,11 +6091,11 @@ static gsi::Methods methods_QAbstractItemView_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAbstractItemView::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QAbstractItemView::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QAbstractItemView::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QAbstractItemView::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("keyboardSearch", "@brief Virtual method void QAbstractItemView::keyboardSearch(const QString &search)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyboardSearch_2025_0, &_call_cbs_keyboardSearch_2025_0); methods += new qt_gsi::GenericMethod ("keyboardSearch", "@hide", false, &_init_cbs_keyboardSearch_2025_0, &_call_cbs_keyboardSearch_2025_0, &_set_callback_cbs_keyboardSearch_2025_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QAbstractItemView::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QAbstractItemView::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QAbstractItemView::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); @@ -6057,7 +6111,7 @@ static gsi::Methods methods_QAbstractItemView_Adaptor () { methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*moveCursor", "@brief Virtual method QModelIndex QAbstractItemView::moveCursor(QAbstractItemView::CursorAction cursorAction, QFlags modifiers)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveCursor_6476_0, &_call_cbs_moveCursor_6476_0); methods += new qt_gsi::GenericMethod ("*moveCursor", "@hide", false, &_init_cbs_moveCursor_6476_0, &_call_cbs_moveCursor_6476_0, &_set_callback_cbs_moveCursor_6476_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QAbstractItemView::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QAbstractItemView::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QAbstractItemView::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -6114,7 +6168,7 @@ static gsi::Methods methods_QAbstractItemView_Adaptor () { methods += new qt_gsi::GenericMethod ("setupViewport", "@hide", false, &_init_cbs_setupViewport_1315_0, &_call_cbs_setupViewport_1315_0, &_set_callback_cbs_setupViewport_1315_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QAbstractItemView::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QAbstractItemView::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QAbstractItemView::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QAbstractItemView::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); @@ -6127,7 +6181,7 @@ static gsi::Methods methods_QAbstractItemView_Adaptor () { methods += new qt_gsi::GenericMethod ("*startDrag", "@hide", false, &_init_cbs_startDrag_2456_0, &_call_cbs_startDrag_2456_0, &_set_callback_cbs_startDrag_2456_0); methods += new qt_gsi::GenericMethod ("*state", "@brief Method QAbstractItemView::State QAbstractItemView::state()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_state_c0, &_call_fp_state_c0); methods += new qt_gsi::GenericMethod ("*stopAutoScroll", "@brief Method void QAbstractItemView::stopAutoScroll()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_stopAutoScroll_0, &_call_fp_stopAutoScroll_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QAbstractItemView::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QAbstractItemView::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractItemView::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractScrollArea.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractScrollArea.cc index 4ca4354cff..a43f46b242 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractScrollArea.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractScrollArea.cc @@ -796,18 +796,18 @@ class QAbstractScrollArea_Adaptor : public QAbstractScrollArea, public qt_gsi::Q emit QAbstractScrollArea::windowTitleChanged(title); } - // [adaptor impl] void QAbstractScrollArea::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QAbstractScrollArea::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QAbstractScrollArea::actionEvent(arg1); + QAbstractScrollArea::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QAbstractScrollArea_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QAbstractScrollArea_Adaptor::cbs_actionEvent_1823_0, event); } else { - QAbstractScrollArea::actionEvent(arg1); + QAbstractScrollArea::actionEvent(event); } } @@ -826,33 +826,33 @@ class QAbstractScrollArea_Adaptor : public QAbstractScrollArea, public qt_gsi::Q } } - // [adaptor impl] void QAbstractScrollArea::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractScrollArea::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractScrollArea::childEvent(arg1); + QAbstractScrollArea::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractScrollArea_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractScrollArea_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractScrollArea::childEvent(arg1); + QAbstractScrollArea::childEvent(event); } } - // [adaptor impl] void QAbstractScrollArea::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QAbstractScrollArea::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QAbstractScrollArea::closeEvent(arg1); + QAbstractScrollArea::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QAbstractScrollArea_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QAbstractScrollArea_Adaptor::cbs_closeEvent_1719_0, event); } else { - QAbstractScrollArea::closeEvent(arg1); + QAbstractScrollArea::closeEvent(event); } } @@ -871,18 +871,18 @@ class QAbstractScrollArea_Adaptor : public QAbstractScrollArea, public qt_gsi::Q } } - // [adaptor impl] void QAbstractScrollArea::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractScrollArea::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractScrollArea::customEvent(arg1); + QAbstractScrollArea::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractScrollArea_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractScrollArea_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractScrollArea::customEvent(arg1); + QAbstractScrollArea::customEvent(event); } } @@ -961,18 +961,18 @@ class QAbstractScrollArea_Adaptor : public QAbstractScrollArea, public qt_gsi::Q } } - // [adaptor impl] void QAbstractScrollArea::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractScrollArea::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QAbstractScrollArea::enterEvent(arg1); + QAbstractScrollArea::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QAbstractScrollArea_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QAbstractScrollArea_Adaptor::cbs_enterEvent_1217_0, event); } else { - QAbstractScrollArea::enterEvent(arg1); + QAbstractScrollArea::enterEvent(event); } } @@ -1006,18 +1006,18 @@ class QAbstractScrollArea_Adaptor : public QAbstractScrollArea, public qt_gsi::Q } } - // [adaptor impl] void QAbstractScrollArea::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QAbstractScrollArea::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QAbstractScrollArea::focusInEvent(arg1); + QAbstractScrollArea::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QAbstractScrollArea_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QAbstractScrollArea_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QAbstractScrollArea::focusInEvent(arg1); + QAbstractScrollArea::focusInEvent(event); } } @@ -1036,33 +1036,33 @@ class QAbstractScrollArea_Adaptor : public QAbstractScrollArea, public qt_gsi::Q } } - // [adaptor impl] void QAbstractScrollArea::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QAbstractScrollArea::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QAbstractScrollArea::focusOutEvent(arg1); + QAbstractScrollArea::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QAbstractScrollArea_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QAbstractScrollArea_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QAbstractScrollArea::focusOutEvent(arg1); + QAbstractScrollArea::focusOutEvent(event); } } - // [adaptor impl] void QAbstractScrollArea::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QAbstractScrollArea::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QAbstractScrollArea::hideEvent(arg1); + QAbstractScrollArea::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QAbstractScrollArea_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QAbstractScrollArea_Adaptor::cbs_hideEvent_1595_0, event); } else { - QAbstractScrollArea::hideEvent(arg1); + QAbstractScrollArea::hideEvent(event); } } @@ -1111,33 +1111,33 @@ class QAbstractScrollArea_Adaptor : public QAbstractScrollArea, public qt_gsi::Q } } - // [adaptor impl] void QAbstractScrollArea::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QAbstractScrollArea::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QAbstractScrollArea::keyReleaseEvent(arg1); + QAbstractScrollArea::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QAbstractScrollArea_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QAbstractScrollArea_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QAbstractScrollArea::keyReleaseEvent(arg1); + QAbstractScrollArea::keyReleaseEvent(event); } } - // [adaptor impl] void QAbstractScrollArea::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractScrollArea::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QAbstractScrollArea::leaveEvent(arg1); + QAbstractScrollArea::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QAbstractScrollArea_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QAbstractScrollArea_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QAbstractScrollArea::leaveEvent(arg1); + QAbstractScrollArea::leaveEvent(event); } } @@ -1216,18 +1216,18 @@ class QAbstractScrollArea_Adaptor : public QAbstractScrollArea, public qt_gsi::Q } } - // [adaptor impl] void QAbstractScrollArea::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QAbstractScrollArea::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QAbstractScrollArea::moveEvent(arg1); + QAbstractScrollArea::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QAbstractScrollArea_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QAbstractScrollArea_Adaptor::cbs_moveEvent_1624_0, event); } else { - QAbstractScrollArea::moveEvent(arg1); + QAbstractScrollArea::moveEvent(event); } } @@ -1321,48 +1321,48 @@ class QAbstractScrollArea_Adaptor : public QAbstractScrollArea, public qt_gsi::Q } } - // [adaptor impl] void QAbstractScrollArea::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QAbstractScrollArea::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QAbstractScrollArea::showEvent(arg1); + QAbstractScrollArea::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QAbstractScrollArea_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QAbstractScrollArea_Adaptor::cbs_showEvent_1634_0, event); } else { - QAbstractScrollArea::showEvent(arg1); + QAbstractScrollArea::showEvent(event); } } - // [adaptor impl] void QAbstractScrollArea::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QAbstractScrollArea::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QAbstractScrollArea::tabletEvent(arg1); + QAbstractScrollArea::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QAbstractScrollArea_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QAbstractScrollArea_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QAbstractScrollArea::tabletEvent(arg1); + QAbstractScrollArea::tabletEvent(event); } } - // [adaptor impl] void QAbstractScrollArea::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAbstractScrollArea::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAbstractScrollArea::timerEvent(arg1); + QAbstractScrollArea::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAbstractScrollArea_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAbstractScrollArea_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAbstractScrollArea::timerEvent(arg1); + QAbstractScrollArea::timerEvent(event); } } @@ -1468,7 +1468,7 @@ QAbstractScrollArea_Adaptor::~QAbstractScrollArea_Adaptor() { } static void _init_ctor_QAbstractScrollArea_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1477,16 +1477,16 @@ static void _call_ctor_QAbstractScrollArea_Adaptor_1315 (const qt_gsi::GenericSt { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAbstractScrollArea_Adaptor (arg1)); } -// void QAbstractScrollArea::actionEvent(QActionEvent *) +// void QAbstractScrollArea::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1530,11 +1530,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QAbstractScrollArea::childEvent(QChildEvent *) +// void QAbstractScrollArea::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1554,11 +1554,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAbstractScrollArea::closeEvent(QCloseEvent *) +// void QAbstractScrollArea::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1645,11 +1645,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QAbstractScrollArea::customEvent(QEvent *) +// void QAbstractScrollArea::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1695,7 +1695,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1704,7 +1704,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QAbstractScrollArea_Adaptor *)cls)->emitter_QAbstractScrollArea_destroyed_1302 (arg1); } @@ -1848,11 +1848,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QAbstractScrollArea::enterEvent(QEvent *) +// void QAbstractScrollArea::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1921,11 +1921,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QAbstractScrollArea::focusInEvent(QFocusEvent *) +// void QAbstractScrollArea::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1982,11 +1982,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QAbstractScrollArea::focusOutEvent(QFocusEvent *) +// void QAbstractScrollArea::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2062,11 +2062,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QAbstractScrollArea::hideEvent(QHideEvent *) +// void QAbstractScrollArea::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2218,11 +2218,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QAbstractScrollArea::keyReleaseEvent(QKeyEvent *) +// void QAbstractScrollArea::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2242,11 +2242,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QAbstractScrollArea::leaveEvent(QEvent *) +// void QAbstractScrollArea::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2404,11 +2404,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QAbstractScrollArea::moveEvent(QMoveEvent *) +// void QAbstractScrollArea::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2752,11 +2752,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QAbstractScrollArea::showEvent(QShowEvent *) +// void QAbstractScrollArea::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2795,11 +2795,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QAbstractScrollArea::tabletEvent(QTabletEvent *) +// void QAbstractScrollArea::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2819,11 +2819,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QAbstractScrollArea::timerEvent(QTimerEvent *) +// void QAbstractScrollArea::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3000,21 +3000,21 @@ gsi::Class &qtdecl_QAbstractScrollArea (); static gsi::Methods methods_QAbstractScrollArea_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractScrollArea::QAbstractScrollArea(QWidget *parent)\nThis method creates an object of class QAbstractScrollArea.", &_init_ctor_QAbstractScrollArea_Adaptor_1315, &_call_ctor_QAbstractScrollArea_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QAbstractScrollArea::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QAbstractScrollArea::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QAbstractScrollArea::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractScrollArea::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractScrollArea::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QAbstractScrollArea::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QAbstractScrollArea::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QAbstractScrollArea::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QAbstractScrollArea::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QAbstractScrollArea::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QAbstractScrollArea::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractScrollArea::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractScrollArea::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QAbstractScrollArea::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QAbstractScrollArea::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractScrollArea::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractScrollArea::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); @@ -3027,25 +3027,25 @@ static gsi::Methods methods_QAbstractScrollArea_Adaptor () { methods += new qt_gsi::GenericMethod ("*drawFrame", "@brief Method void QAbstractScrollArea::drawFrame(QPainter *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_drawFrame_1426, &_call_fp_drawFrame_1426); methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QAbstractScrollArea::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QAbstractScrollArea::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QAbstractScrollArea::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QAbstractScrollArea::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QAbstractScrollArea::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QAbstractScrollArea::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QAbstractScrollArea::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QAbstractScrollArea::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QAbstractScrollArea::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QAbstractScrollArea::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QAbstractScrollArea::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QAbstractScrollArea::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QAbstractScrollArea::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QAbstractScrollArea::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QAbstractScrollArea::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QAbstractScrollArea::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QAbstractScrollArea::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -3057,9 +3057,9 @@ static gsi::Methods methods_QAbstractScrollArea_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAbstractScrollArea::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QAbstractScrollArea::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QAbstractScrollArea::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QAbstractScrollArea::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QAbstractScrollArea::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QAbstractScrollArea::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QAbstractScrollArea::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); @@ -3073,7 +3073,7 @@ static gsi::Methods methods_QAbstractScrollArea_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QAbstractScrollArea::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QAbstractScrollArea::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QAbstractScrollArea::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QAbstractScrollArea::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3099,13 +3099,13 @@ static gsi::Methods methods_QAbstractScrollArea_Adaptor () { methods += new qt_gsi::GenericMethod ("setupViewport", "@hide", false, &_init_cbs_setupViewport_1315_0, &_call_cbs_setupViewport_1315_0, &_set_callback_cbs_setupViewport_1315_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QAbstractScrollArea::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QAbstractScrollArea::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QAbstractScrollArea::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QAbstractScrollArea::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QAbstractScrollArea::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QAbstractScrollArea::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractScrollArea::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractScrollArea::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QAbstractScrollArea::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); methods += new qt_gsi::GenericMethod ("*viewportEvent", "@brief Virtual method bool QAbstractScrollArea::viewportEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_viewportEvent_1217_0, &_call_cbs_viewportEvent_1217_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractSlider.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractSlider.cc index 69ebb9c344..9d15a2fbaf 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractSlider.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractSlider.cc @@ -726,18 +726,18 @@ class QAbstractSlider_Adaptor : public QAbstractSlider, public qt_gsi::QtObjectB emit QAbstractSlider::destroyed(arg1); } - // [adaptor impl] bool QAbstractSlider::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractSlider::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractSlider::eventFilter(arg1, arg2); + return QAbstractSlider::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractSlider_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractSlider_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractSlider::eventFilter(arg1, arg2); + return QAbstractSlider::eventFilter(watched, event); } } @@ -901,18 +901,18 @@ class QAbstractSlider_Adaptor : public QAbstractSlider, public qt_gsi::QtObjectB emit QAbstractSlider::windowTitleChanged(title); } - // [adaptor impl] void QAbstractSlider::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QAbstractSlider::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QAbstractSlider::actionEvent(arg1); + QAbstractSlider::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QAbstractSlider_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QAbstractSlider_Adaptor::cbs_actionEvent_1823_0, event); } else { - QAbstractSlider::actionEvent(arg1); + QAbstractSlider::actionEvent(event); } } @@ -931,63 +931,63 @@ class QAbstractSlider_Adaptor : public QAbstractSlider, public qt_gsi::QtObjectB } } - // [adaptor impl] void QAbstractSlider::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractSlider::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractSlider::childEvent(arg1); + QAbstractSlider::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractSlider_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractSlider_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractSlider::childEvent(arg1); + QAbstractSlider::childEvent(event); } } - // [adaptor impl] void QAbstractSlider::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QAbstractSlider::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QAbstractSlider::closeEvent(arg1); + QAbstractSlider::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QAbstractSlider_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QAbstractSlider_Adaptor::cbs_closeEvent_1719_0, event); } else { - QAbstractSlider::closeEvent(arg1); + QAbstractSlider::closeEvent(event); } } - // [adaptor impl] void QAbstractSlider::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QAbstractSlider::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QAbstractSlider::contextMenuEvent(arg1); + QAbstractSlider::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QAbstractSlider_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QAbstractSlider_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QAbstractSlider::contextMenuEvent(arg1); + QAbstractSlider::contextMenuEvent(event); } } - // [adaptor impl] void QAbstractSlider::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractSlider::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractSlider::customEvent(arg1); + QAbstractSlider::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractSlider_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractSlider_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractSlider::customEvent(arg1); + QAbstractSlider::customEvent(event); } } @@ -1006,78 +1006,78 @@ class QAbstractSlider_Adaptor : public QAbstractSlider, public qt_gsi::QtObjectB } } - // [adaptor impl] void QAbstractSlider::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QAbstractSlider::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QAbstractSlider::dragEnterEvent(arg1); + QAbstractSlider::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QAbstractSlider_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QAbstractSlider_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QAbstractSlider::dragEnterEvent(arg1); + QAbstractSlider::dragEnterEvent(event); } } - // [adaptor impl] void QAbstractSlider::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QAbstractSlider::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QAbstractSlider::dragLeaveEvent(arg1); + QAbstractSlider::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QAbstractSlider_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QAbstractSlider_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QAbstractSlider::dragLeaveEvent(arg1); + QAbstractSlider::dragLeaveEvent(event); } } - // [adaptor impl] void QAbstractSlider::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QAbstractSlider::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QAbstractSlider::dragMoveEvent(arg1); + QAbstractSlider::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QAbstractSlider_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QAbstractSlider_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QAbstractSlider::dragMoveEvent(arg1); + QAbstractSlider::dragMoveEvent(event); } } - // [adaptor impl] void QAbstractSlider::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QAbstractSlider::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QAbstractSlider::dropEvent(arg1); + QAbstractSlider::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QAbstractSlider_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QAbstractSlider_Adaptor::cbs_dropEvent_1622_0, event); } else { - QAbstractSlider::dropEvent(arg1); + QAbstractSlider::dropEvent(event); } } - // [adaptor impl] void QAbstractSlider::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractSlider::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QAbstractSlider::enterEvent(arg1); + QAbstractSlider::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QAbstractSlider_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QAbstractSlider_Adaptor::cbs_enterEvent_1217_0, event); } else { - QAbstractSlider::enterEvent(arg1); + QAbstractSlider::enterEvent(event); } } @@ -1096,18 +1096,18 @@ class QAbstractSlider_Adaptor : public QAbstractSlider, public qt_gsi::QtObjectB } } - // [adaptor impl] void QAbstractSlider::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QAbstractSlider::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QAbstractSlider::focusInEvent(arg1); + QAbstractSlider::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QAbstractSlider_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QAbstractSlider_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QAbstractSlider::focusInEvent(arg1); + QAbstractSlider::focusInEvent(event); } } @@ -1126,33 +1126,33 @@ class QAbstractSlider_Adaptor : public QAbstractSlider, public qt_gsi::QtObjectB } } - // [adaptor impl] void QAbstractSlider::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QAbstractSlider::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QAbstractSlider::focusOutEvent(arg1); + QAbstractSlider::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QAbstractSlider_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QAbstractSlider_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QAbstractSlider::focusOutEvent(arg1); + QAbstractSlider::focusOutEvent(event); } } - // [adaptor impl] void QAbstractSlider::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QAbstractSlider::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QAbstractSlider::hideEvent(arg1); + QAbstractSlider::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QAbstractSlider_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QAbstractSlider_Adaptor::cbs_hideEvent_1595_0, event); } else { - QAbstractSlider::hideEvent(arg1); + QAbstractSlider::hideEvent(event); } } @@ -1201,33 +1201,33 @@ class QAbstractSlider_Adaptor : public QAbstractSlider, public qt_gsi::QtObjectB } } - // [adaptor impl] void QAbstractSlider::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QAbstractSlider::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QAbstractSlider::keyReleaseEvent(arg1); + QAbstractSlider::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QAbstractSlider_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QAbstractSlider_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QAbstractSlider::keyReleaseEvent(arg1); + QAbstractSlider::keyReleaseEvent(event); } } - // [adaptor impl] void QAbstractSlider::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractSlider::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QAbstractSlider::leaveEvent(arg1); + QAbstractSlider::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QAbstractSlider_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QAbstractSlider_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QAbstractSlider::leaveEvent(arg1); + QAbstractSlider::leaveEvent(event); } } @@ -1246,78 +1246,78 @@ class QAbstractSlider_Adaptor : public QAbstractSlider, public qt_gsi::QtObjectB } } - // [adaptor impl] void QAbstractSlider::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QAbstractSlider::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QAbstractSlider::mouseDoubleClickEvent(arg1); + QAbstractSlider::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QAbstractSlider_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QAbstractSlider_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QAbstractSlider::mouseDoubleClickEvent(arg1); + QAbstractSlider::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QAbstractSlider::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QAbstractSlider::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QAbstractSlider::mouseMoveEvent(arg1); + QAbstractSlider::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QAbstractSlider_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QAbstractSlider_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QAbstractSlider::mouseMoveEvent(arg1); + QAbstractSlider::mouseMoveEvent(event); } } - // [adaptor impl] void QAbstractSlider::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QAbstractSlider::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QAbstractSlider::mousePressEvent(arg1); + QAbstractSlider::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QAbstractSlider_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QAbstractSlider_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QAbstractSlider::mousePressEvent(arg1); + QAbstractSlider::mousePressEvent(event); } } - // [adaptor impl] void QAbstractSlider::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QAbstractSlider::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QAbstractSlider::mouseReleaseEvent(arg1); + QAbstractSlider::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QAbstractSlider_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QAbstractSlider_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QAbstractSlider::mouseReleaseEvent(arg1); + QAbstractSlider::mouseReleaseEvent(event); } } - // [adaptor impl] void QAbstractSlider::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QAbstractSlider::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QAbstractSlider::moveEvent(arg1); + QAbstractSlider::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QAbstractSlider_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QAbstractSlider_Adaptor::cbs_moveEvent_1624_0, event); } else { - QAbstractSlider::moveEvent(arg1); + QAbstractSlider::moveEvent(event); } } @@ -1336,18 +1336,18 @@ class QAbstractSlider_Adaptor : public QAbstractSlider, public qt_gsi::QtObjectB } } - // [adaptor impl] void QAbstractSlider::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QAbstractSlider::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QAbstractSlider::paintEvent(arg1); + QAbstractSlider::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QAbstractSlider_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QAbstractSlider_Adaptor::cbs_paintEvent_1725_0, event); } else { - QAbstractSlider::paintEvent(arg1); + QAbstractSlider::paintEvent(event); } } @@ -1366,18 +1366,18 @@ class QAbstractSlider_Adaptor : public QAbstractSlider, public qt_gsi::QtObjectB } } - // [adaptor impl] void QAbstractSlider::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QAbstractSlider::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QAbstractSlider::resizeEvent(arg1); + QAbstractSlider::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QAbstractSlider_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QAbstractSlider_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QAbstractSlider::resizeEvent(arg1); + QAbstractSlider::resizeEvent(event); } } @@ -1396,18 +1396,18 @@ class QAbstractSlider_Adaptor : public QAbstractSlider, public qt_gsi::QtObjectB } } - // [adaptor impl] void QAbstractSlider::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QAbstractSlider::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QAbstractSlider::showEvent(arg1); + QAbstractSlider::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QAbstractSlider_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QAbstractSlider_Adaptor::cbs_showEvent_1634_0, event); } else { - QAbstractSlider::showEvent(arg1); + QAbstractSlider::showEvent(event); } } @@ -1426,18 +1426,18 @@ class QAbstractSlider_Adaptor : public QAbstractSlider, public qt_gsi::QtObjectB } } - // [adaptor impl] void QAbstractSlider::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QAbstractSlider::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QAbstractSlider::tabletEvent(arg1); + QAbstractSlider::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QAbstractSlider_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QAbstractSlider_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QAbstractSlider::tabletEvent(arg1); + QAbstractSlider::tabletEvent(event); } } @@ -1525,7 +1525,7 @@ QAbstractSlider_Adaptor::~QAbstractSlider_Adaptor() { } static void _init_ctor_QAbstractSlider_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1534,16 +1534,16 @@ static void _call_ctor_QAbstractSlider_Adaptor_1315 (const qt_gsi::GenericStatic { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAbstractSlider_Adaptor (arg1)); } -// void QAbstractSlider::actionEvent(QActionEvent *) +// void QAbstractSlider::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1605,11 +1605,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QAbstractSlider::childEvent(QChildEvent *) +// void QAbstractSlider::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1629,11 +1629,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAbstractSlider::closeEvent(QCloseEvent *) +// void QAbstractSlider::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1653,11 +1653,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QAbstractSlider::contextMenuEvent(QContextMenuEvent *) +// void QAbstractSlider::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1720,11 +1720,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QAbstractSlider::customEvent(QEvent *) +// void QAbstractSlider::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1770,7 +1770,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1779,7 +1779,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QAbstractSlider_Adaptor *)cls)->emitter_QAbstractSlider_destroyed_1302 (arg1); } @@ -1808,11 +1808,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QAbstractSlider::dragEnterEvent(QDragEnterEvent *) +// void QAbstractSlider::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1832,11 +1832,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QAbstractSlider::dragLeaveEvent(QDragLeaveEvent *) +// void QAbstractSlider::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1856,11 +1856,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QAbstractSlider::dragMoveEvent(QDragMoveEvent *) +// void QAbstractSlider::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1880,11 +1880,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QAbstractSlider::dropEvent(QDropEvent *) +// void QAbstractSlider::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1904,11 +1904,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QAbstractSlider::enterEvent(QEvent *) +// void QAbstractSlider::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1951,13 +1951,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractSlider::eventFilter(QObject *, QEvent *) +// bool QAbstractSlider::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1977,11 +1977,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QAbstractSlider::focusInEvent(QFocusEvent *) +// void QAbstractSlider::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2038,11 +2038,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QAbstractSlider::focusOutEvent(QFocusEvent *) +// void QAbstractSlider::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2118,11 +2118,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QAbstractSlider::hideEvent(QHideEvent *) +// void QAbstractSlider::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2255,11 +2255,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QAbstractSlider::keyReleaseEvent(QKeyEvent *) +// void QAbstractSlider::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2279,11 +2279,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QAbstractSlider::leaveEvent(QEvent *) +// void QAbstractSlider::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2345,11 +2345,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QAbstractSlider::mouseDoubleClickEvent(QMouseEvent *) +// void QAbstractSlider::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2369,11 +2369,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QAbstractSlider::mouseMoveEvent(QMouseEvent *) +// void QAbstractSlider::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2393,11 +2393,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QAbstractSlider::mousePressEvent(QMouseEvent *) +// void QAbstractSlider::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2417,11 +2417,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QAbstractSlider::mouseReleaseEvent(QMouseEvent *) +// void QAbstractSlider::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2441,11 +2441,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QAbstractSlider::moveEvent(QMoveEvent *) +// void QAbstractSlider::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2531,11 +2531,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QAbstractSlider::paintEvent(QPaintEvent *) +// void QAbstractSlider::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2631,11 +2631,11 @@ static void _call_fp_repeatAction_c0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QAbstractSlider::resizeEvent(QResizeEvent *) +// void QAbstractSlider::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2751,11 +2751,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QAbstractSlider::showEvent(QShowEvent *) +// void QAbstractSlider::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2864,11 +2864,11 @@ static void _call_emitter_sliderReleased_0 (const qt_gsi::GenericMethod * /*decl } -// void QAbstractSlider::tabletEvent(QTabletEvent *) +// void QAbstractSlider::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3031,52 +3031,52 @@ gsi::Class &qtdecl_QAbstractSlider (); static gsi::Methods methods_QAbstractSlider_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractSlider::QAbstractSlider(QWidget *parent)\nThis method creates an object of class QAbstractSlider.", &_init_ctor_QAbstractSlider_Adaptor_1315, &_call_ctor_QAbstractSlider_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QAbstractSlider::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QAbstractSlider::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("emit_actionTriggered", "@brief Emitter for signal void QAbstractSlider::actionTriggered(int action)\nCall this method to emit this signal.", false, &_init_emitter_actionTriggered_767, &_call_emitter_actionTriggered_767); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QAbstractSlider::changeEvent(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractSlider::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractSlider::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QAbstractSlider::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QAbstractSlider::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QAbstractSlider::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QAbstractSlider::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QAbstractSlider::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QAbstractSlider::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QAbstractSlider::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractSlider::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractSlider::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QAbstractSlider::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QAbstractSlider::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractSlider::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractSlider::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QAbstractSlider::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QAbstractSlider::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QAbstractSlider::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QAbstractSlider::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QAbstractSlider::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QAbstractSlider::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QAbstractSlider::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QAbstractSlider::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QAbstractSlider::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QAbstractSlider::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QAbstractSlider::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractSlider::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractSlider::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QAbstractSlider::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QAbstractSlider::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QAbstractSlider::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QAbstractSlider::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QAbstractSlider::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QAbstractSlider::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QAbstractSlider::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QAbstractSlider::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QAbstractSlider::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QAbstractSlider::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QAbstractSlider::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QAbstractSlider::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -3087,37 +3087,37 @@ static gsi::Methods methods_QAbstractSlider_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAbstractSlider::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QAbstractSlider::keyPressEvent(QKeyEvent *ev)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QAbstractSlider::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QAbstractSlider::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QAbstractSlider::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QAbstractSlider::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QAbstractSlider::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QAbstractSlider::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QAbstractSlider::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QAbstractSlider::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QAbstractSlider::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QAbstractSlider::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QAbstractSlider::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QAbstractSlider::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QAbstractSlider::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QAbstractSlider::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QAbstractSlider::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QAbstractSlider::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QAbstractSlider::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAbstractSlider::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QAbstractSlider::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QAbstractSlider::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QAbstractSlider::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("emit_rangeChanged", "@brief Emitter for signal void QAbstractSlider::rangeChanged(int min, int max)\nCall this method to emit this signal.", false, &_init_emitter_rangeChanged_1426, &_call_emitter_rangeChanged_1426); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAbstractSlider::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QAbstractSlider::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*repeatAction", "@brief Method QAbstractSlider::SliderAction QAbstractSlider::repeatAction()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_repeatAction_c0, &_call_fp_repeatAction_c0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QAbstractSlider::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QAbstractSlider::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAbstractSlider::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAbstractSlider::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -3126,7 +3126,7 @@ static gsi::Methods methods_QAbstractSlider_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QAbstractSlider::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QAbstractSlider::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QAbstractSlider::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QAbstractSlider::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); @@ -3135,7 +3135,7 @@ static gsi::Methods methods_QAbstractSlider_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_sliderMoved", "@brief Emitter for signal void QAbstractSlider::sliderMoved(int position)\nCall this method to emit this signal.", false, &_init_emitter_sliderMoved_767, &_call_emitter_sliderMoved_767); methods += new qt_gsi::GenericMethod ("emit_sliderPressed", "@brief Emitter for signal void QAbstractSlider::sliderPressed()\nCall this method to emit this signal.", false, &_init_emitter_sliderPressed_0, &_call_emitter_sliderPressed_0); methods += new qt_gsi::GenericMethod ("emit_sliderReleased", "@brief Emitter for signal void QAbstractSlider::sliderReleased()\nCall this method to emit this signal.", false, &_init_emitter_sliderReleased_0, &_call_emitter_sliderReleased_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QAbstractSlider::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QAbstractSlider::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractSlider::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractSpinBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractSpinBox.cc index 5d21405254..48ef2de57d 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractSpinBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractSpinBox.cc @@ -930,18 +930,18 @@ class QAbstractSpinBox_Adaptor : public QAbstractSpinBox, public qt_gsi::QtObjec } } - // [adaptor impl] bool QAbstractSpinBox::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractSpinBox::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractSpinBox::eventFilter(arg1, arg2); + return QAbstractSpinBox::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractSpinBox_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractSpinBox_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractSpinBox::eventFilter(arg1, arg2); + return QAbstractSpinBox::eventFilter(watched, event); } } @@ -1120,18 +1120,18 @@ class QAbstractSpinBox_Adaptor : public QAbstractSpinBox, public qt_gsi::QtObjec emit QAbstractSpinBox::windowTitleChanged(title); } - // [adaptor impl] void QAbstractSpinBox::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QAbstractSpinBox::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QAbstractSpinBox::actionEvent(arg1); + QAbstractSpinBox::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QAbstractSpinBox_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QAbstractSpinBox_Adaptor::cbs_actionEvent_1823_0, event); } else { - QAbstractSpinBox::actionEvent(arg1); + QAbstractSpinBox::actionEvent(event); } } @@ -1150,18 +1150,18 @@ class QAbstractSpinBox_Adaptor : public QAbstractSpinBox, public qt_gsi::QtObjec } } - // [adaptor impl] void QAbstractSpinBox::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractSpinBox::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractSpinBox::childEvent(arg1); + QAbstractSpinBox::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractSpinBox_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractSpinBox_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractSpinBox::childEvent(arg1); + QAbstractSpinBox::childEvent(event); } } @@ -1195,18 +1195,18 @@ class QAbstractSpinBox_Adaptor : public QAbstractSpinBox, public qt_gsi::QtObjec } } - // [adaptor impl] void QAbstractSpinBox::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractSpinBox::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractSpinBox::customEvent(arg1); + QAbstractSpinBox::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractSpinBox_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractSpinBox_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractSpinBox::customEvent(arg1); + QAbstractSpinBox::customEvent(event); } } @@ -1225,78 +1225,78 @@ class QAbstractSpinBox_Adaptor : public QAbstractSpinBox, public qt_gsi::QtObjec } } - // [adaptor impl] void QAbstractSpinBox::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QAbstractSpinBox::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QAbstractSpinBox::dragEnterEvent(arg1); + QAbstractSpinBox::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QAbstractSpinBox_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QAbstractSpinBox_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QAbstractSpinBox::dragEnterEvent(arg1); + QAbstractSpinBox::dragEnterEvent(event); } } - // [adaptor impl] void QAbstractSpinBox::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QAbstractSpinBox::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QAbstractSpinBox::dragLeaveEvent(arg1); + QAbstractSpinBox::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QAbstractSpinBox_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QAbstractSpinBox_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QAbstractSpinBox::dragLeaveEvent(arg1); + QAbstractSpinBox::dragLeaveEvent(event); } } - // [adaptor impl] void QAbstractSpinBox::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QAbstractSpinBox::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QAbstractSpinBox::dragMoveEvent(arg1); + QAbstractSpinBox::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QAbstractSpinBox_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QAbstractSpinBox_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QAbstractSpinBox::dragMoveEvent(arg1); + QAbstractSpinBox::dragMoveEvent(event); } } - // [adaptor impl] void QAbstractSpinBox::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QAbstractSpinBox::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QAbstractSpinBox::dropEvent(arg1); + QAbstractSpinBox::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QAbstractSpinBox_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QAbstractSpinBox_Adaptor::cbs_dropEvent_1622_0, event); } else { - QAbstractSpinBox::dropEvent(arg1); + QAbstractSpinBox::dropEvent(event); } } - // [adaptor impl] void QAbstractSpinBox::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractSpinBox::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QAbstractSpinBox::enterEvent(arg1); + QAbstractSpinBox::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QAbstractSpinBox_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QAbstractSpinBox_Adaptor::cbs_enterEvent_1217_0, event); } else { - QAbstractSpinBox::enterEvent(arg1); + QAbstractSpinBox::enterEvent(event); } } @@ -1420,18 +1420,18 @@ class QAbstractSpinBox_Adaptor : public QAbstractSpinBox, public qt_gsi::QtObjec } } - // [adaptor impl] void QAbstractSpinBox::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractSpinBox::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QAbstractSpinBox::leaveEvent(arg1); + QAbstractSpinBox::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QAbstractSpinBox_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QAbstractSpinBox_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QAbstractSpinBox::leaveEvent(arg1); + QAbstractSpinBox::leaveEvent(event); } } @@ -1450,18 +1450,18 @@ class QAbstractSpinBox_Adaptor : public QAbstractSpinBox, public qt_gsi::QtObjec } } - // [adaptor impl] void QAbstractSpinBox::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QAbstractSpinBox::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QAbstractSpinBox::mouseDoubleClickEvent(arg1); + QAbstractSpinBox::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QAbstractSpinBox_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QAbstractSpinBox_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QAbstractSpinBox::mouseDoubleClickEvent(arg1); + QAbstractSpinBox::mouseDoubleClickEvent(event); } } @@ -1510,18 +1510,18 @@ class QAbstractSpinBox_Adaptor : public QAbstractSpinBox, public qt_gsi::QtObjec } } - // [adaptor impl] void QAbstractSpinBox::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QAbstractSpinBox::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QAbstractSpinBox::moveEvent(arg1); + QAbstractSpinBox::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QAbstractSpinBox_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QAbstractSpinBox_Adaptor::cbs_moveEvent_1624_0, event); } else { - QAbstractSpinBox::moveEvent(arg1); + QAbstractSpinBox::moveEvent(event); } } @@ -1630,18 +1630,18 @@ class QAbstractSpinBox_Adaptor : public QAbstractSpinBox, public qt_gsi::QtObjec } } - // [adaptor impl] void QAbstractSpinBox::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QAbstractSpinBox::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QAbstractSpinBox::tabletEvent(arg1); + QAbstractSpinBox::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QAbstractSpinBox_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QAbstractSpinBox_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QAbstractSpinBox::tabletEvent(arg1); + QAbstractSpinBox::tabletEvent(event); } } @@ -1733,7 +1733,7 @@ QAbstractSpinBox_Adaptor::~QAbstractSpinBox_Adaptor() { } static void _init_ctor_QAbstractSpinBox_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1742,16 +1742,16 @@ static void _call_ctor_QAbstractSpinBox_Adaptor_1315 (const qt_gsi::GenericStati { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAbstractSpinBox_Adaptor (arg1)); } -// void QAbstractSpinBox::actionEvent(QActionEvent *) +// void QAbstractSpinBox::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1795,11 +1795,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QAbstractSpinBox::childEvent(QChildEvent *) +// void QAbstractSpinBox::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1930,11 +1930,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QAbstractSpinBox::customEvent(QEvent *) +// void QAbstractSpinBox::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1980,7 +1980,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1989,7 +1989,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QAbstractSpinBox_Adaptor *)cls)->emitter_QAbstractSpinBox_destroyed_1302 (arg1); } @@ -2018,11 +2018,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QAbstractSpinBox::dragEnterEvent(QDragEnterEvent *) +// void QAbstractSpinBox::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2042,11 +2042,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QAbstractSpinBox::dragLeaveEvent(QDragLeaveEvent *) +// void QAbstractSpinBox::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2066,11 +2066,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QAbstractSpinBox::dragMoveEvent(QDragMoveEvent *) +// void QAbstractSpinBox::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2090,11 +2090,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QAbstractSpinBox::dropEvent(QDropEvent *) +// void QAbstractSpinBox::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2128,11 +2128,11 @@ static void _call_emitter_editingFinished_0 (const qt_gsi::GenericMethod * /*dec } -// void QAbstractSpinBox::enterEvent(QEvent *) +// void QAbstractSpinBox::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2175,13 +2175,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractSpinBox::eventFilter(QObject *, QEvent *) +// bool QAbstractSpinBox::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2546,11 +2546,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QAbstractSpinBox::leaveEvent(QEvent *) +// void QAbstractSpinBox::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2626,11 +2626,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QAbstractSpinBox::mouseDoubleClickEvent(QMouseEvent *) +// void QAbstractSpinBox::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2722,11 +2722,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QAbstractSpinBox::moveEvent(QMoveEvent *) +// void QAbstractSpinBox::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3077,11 +3077,11 @@ static void _set_callback_cbs_stepEnabled_c0_0 (void *cls, const gsi::Callback & } -// void QAbstractSpinBox::tabletEvent(QTabletEvent *) +// void QAbstractSpinBox::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3252,11 +3252,11 @@ gsi::Class &qtdecl_QAbstractSpinBox (); static gsi::Methods methods_QAbstractSpinBox_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractSpinBox::QAbstractSpinBox(QWidget *parent)\nThis method creates an object of class QAbstractSpinBox.", &_init_ctor_QAbstractSpinBox_Adaptor_1315, &_call_ctor_QAbstractSpinBox_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QAbstractSpinBox::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QAbstractSpinBox::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QAbstractSpinBox::changeEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractSpinBox::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractSpinBox::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("clear", "@brief Virtual method void QAbstractSpinBox::clear()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0); methods += new qt_gsi::GenericMethod ("clear", "@hide", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0, &_set_callback_cbs_clear_0_0); @@ -3264,28 +3264,28 @@ static gsi::Methods methods_QAbstractSpinBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QAbstractSpinBox::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QAbstractSpinBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QAbstractSpinBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QAbstractSpinBox::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractSpinBox::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractSpinBox::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QAbstractSpinBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QAbstractSpinBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractSpinBox::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractSpinBox::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QAbstractSpinBox::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QAbstractSpinBox::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QAbstractSpinBox::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QAbstractSpinBox::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QAbstractSpinBox::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QAbstractSpinBox::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QAbstractSpinBox::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QAbstractSpinBox::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("emit_editingFinished", "@brief Emitter for signal void QAbstractSpinBox::editingFinished()\nCall this method to emit this signal.", false, &_init_emitter_editingFinished_0, &_call_emitter_editingFinished_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QAbstractSpinBox::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QAbstractSpinBox::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractSpinBox::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractSpinBox::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractSpinBox::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fixup", "@brief Virtual method void QAbstractSpinBox::fixup(QString &input)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0); methods += new qt_gsi::GenericMethod ("fixup", "@hide", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0, &_set_callback_cbs_fixup_c1330_0); @@ -3315,14 +3315,14 @@ static gsi::Methods methods_QAbstractSpinBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QAbstractSpinBox::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QAbstractSpinBox::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QAbstractSpinBox::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*lineEdit", "@brief Method QLineEdit *QAbstractSpinBox::lineEdit()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_lineEdit_c0, &_call_fp_lineEdit_c0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QAbstractSpinBox::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QAbstractSpinBox::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QAbstractSpinBox::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QAbstractSpinBox::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QAbstractSpinBox::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -3330,7 +3330,7 @@ static gsi::Methods methods_QAbstractSpinBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QAbstractSpinBox::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QAbstractSpinBox::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QAbstractSpinBox::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QAbstractSpinBox::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3359,7 +3359,7 @@ static gsi::Methods methods_QAbstractSpinBox_Adaptor () { methods += new qt_gsi::GenericMethod ("stepBy", "@hide", false, &_init_cbs_stepBy_767_0, &_call_cbs_stepBy_767_0, &_set_callback_cbs_stepBy_767_0); methods += new qt_gsi::GenericMethod ("*stepEnabled", "@brief Virtual method QFlags QAbstractSpinBox::stepEnabled()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_stepEnabled_c0_0, &_call_cbs_stepEnabled_c0_0); methods += new qt_gsi::GenericMethod ("*stepEnabled", "@hide", true, &_init_cbs_stepEnabled_c0_0, &_call_cbs_stepEnabled_c0_0, &_set_callback_cbs_stepEnabled_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QAbstractSpinBox::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QAbstractSpinBox::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractSpinBox::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); @@ -3442,3 +3442,23 @@ static gsi::ClassExt decl_QAbstractSpinBox_StepEnabledFlag_Enu } + +// Implementation of the enum wrapper class for QAbstractSpinBox::StepType +namespace qt_gsi +{ + +static gsi::Enum decl_QAbstractSpinBox_StepType_Enum ("QtWidgets", "QAbstractSpinBox_StepType", + gsi::enum_const ("DefaultStepType", QAbstractSpinBox::DefaultStepType, "@brief Enum constant QAbstractSpinBox::DefaultStepType") + + gsi::enum_const ("AdaptiveDecimalStepType", QAbstractSpinBox::AdaptiveDecimalStepType, "@brief Enum constant QAbstractSpinBox::AdaptiveDecimalStepType"), + "@qt\n@brief This class represents the QAbstractSpinBox::StepType enum"); + +static gsi::QFlagsClass decl_QAbstractSpinBox_StepType_Enums ("QtWidgets", "QAbstractSpinBox_QFlags_StepType", + "@qt\n@brief This class represents the QFlags flag set"); + +// Inject the declarations into the parent +static gsi::ClassExt inject_QAbstractSpinBox_StepType_Enum_in_parent (decl_QAbstractSpinBox_StepType_Enum.defs ()); +static gsi::ClassExt decl_QAbstractSpinBox_StepType_Enum_as_child (decl_QAbstractSpinBox_StepType_Enum, "StepType"); +static gsi::ClassExt decl_QAbstractSpinBox_StepType_Enums_as_child (decl_QAbstractSpinBox_StepType_Enums, "QFlags_StepType"); + +} + diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQAction.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQAction.cc index f9f7ee9d9c..a0cb1ed4bb 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQAction.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQAction.cc @@ -281,6 +281,21 @@ static void _call_f_isSeparator_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// bool QAction::isShortcutVisibleInContextMenu() + + +static void _init_f_isShortcutVisibleInContextMenu_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isShortcutVisibleInContextMenu_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QAction *)cls)->isShortcutVisibleInContextMenu ()); +} + + // bool QAction::isVisible() @@ -696,6 +711,26 @@ static void _call_f_setShortcutContext_2350 (const qt_gsi::GenericMethod * /*dec } +// void QAction::setShortcutVisibleInContextMenu(bool show) + + +static void _init_f_setShortcutVisibleInContextMenu_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("show"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setShortcutVisibleInContextMenu_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QAction *)cls)->setShortcutVisibleInContextMenu (arg1); +} + + // void QAction::setShortcuts(const QList &shortcuts) @@ -886,7 +921,7 @@ static void _call_f_shortcuts_c0 (const qt_gsi::GenericMethod * /*decl*/, void * static void _init_f_showStatusText_1315 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_0 ("widget", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -895,7 +930,7 @@ static void _call_f_showStatusText_1315 (const qt_gsi::GenericMethod * /*decl*/, { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QAction *)cls)->showStatusText (arg1)); } @@ -1063,6 +1098,7 @@ static gsi::Methods methods_QAction () { methods += new qt_gsi::GenericMethod ("isEnabled?|:enabled", "@brief Method bool QAction::isEnabled()\n", true, &_init_f_isEnabled_c0, &_call_f_isEnabled_c0); methods += new qt_gsi::GenericMethod ("isIconVisibleInMenu?|:iconVisibleInMenu", "@brief Method bool QAction::isIconVisibleInMenu()\n", true, &_init_f_isIconVisibleInMenu_c0, &_call_f_isIconVisibleInMenu_c0); methods += new qt_gsi::GenericMethod ("isSeparator?|:separator", "@brief Method bool QAction::isSeparator()\n", true, &_init_f_isSeparator_c0, &_call_f_isSeparator_c0); + methods += new qt_gsi::GenericMethod ("isShortcutVisibleInContextMenu?", "@brief Method bool QAction::isShortcutVisibleInContextMenu()\n", true, &_init_f_isShortcutVisibleInContextMenu_c0, &_call_f_isShortcutVisibleInContextMenu_c0); methods += new qt_gsi::GenericMethod ("isVisible?|:visible", "@brief Method bool QAction::isVisible()\n", true, &_init_f_isVisible_c0, &_call_f_isVisible_c0); methods += new qt_gsi::GenericMethod (":menu", "@brief Method QMenu *QAction::menu()\n", true, &_init_f_menu_c0, &_call_f_menu_c0); methods += new qt_gsi::GenericMethod (":menuRole", "@brief Method QAction::MenuRole QAction::menuRole()\n", true, &_init_f_menuRole_c0, &_call_f_menuRole_c0); @@ -1085,6 +1121,7 @@ static gsi::Methods methods_QAction () { methods += new qt_gsi::GenericMethod ("setSeparator|separator=", "@brief Method void QAction::setSeparator(bool b)\n", false, &_init_f_setSeparator_864, &_call_f_setSeparator_864); methods += new qt_gsi::GenericMethod ("setShortcut|shortcut=", "@brief Method void QAction::setShortcut(const QKeySequence &shortcut)\n", false, &_init_f_setShortcut_2516, &_call_f_setShortcut_2516); methods += new qt_gsi::GenericMethod ("setShortcutContext|shortcutContext=", "@brief Method void QAction::setShortcutContext(Qt::ShortcutContext context)\n", false, &_init_f_setShortcutContext_2350, &_call_f_setShortcutContext_2350); + methods += new qt_gsi::GenericMethod ("setShortcutVisibleInContextMenu", "@brief Method void QAction::setShortcutVisibleInContextMenu(bool show)\n", false, &_init_f_setShortcutVisibleInContextMenu_864, &_call_f_setShortcutVisibleInContextMenu_864); methods += new qt_gsi::GenericMethod ("setShortcuts|shortcuts=", "@brief Method void QAction::setShortcuts(const QList &shortcuts)\n", false, &_init_f_setShortcuts_3131, &_call_f_setShortcuts_3131); methods += new qt_gsi::GenericMethod ("setShortcuts|shortcuts=", "@brief Method void QAction::setShortcuts(QKeySequence::StandardKey)\n", false, &_init_f_setShortcuts_2869, &_call_f_setShortcuts_2869); methods += new qt_gsi::GenericMethod ("setStatusTip|statusTip=", "@brief Method void QAction::setStatusTip(const QString &statusTip)\n", false, &_init_f_setStatusTip_2025, &_call_f_setStatusTip_2025); @@ -1130,18 +1167,36 @@ class QAction_Adaptor : public QAction, public qt_gsi::QtObjectBase virtual ~QAction_Adaptor(); + // [adaptor ctor] QAction::QAction(QObject *parent) + QAction_Adaptor() : QAction() + { + qt_gsi::QtObjectBase::init (this); + } + // [adaptor ctor] QAction::QAction(QObject *parent) QAction_Adaptor(QObject *parent) : QAction(parent) { qt_gsi::QtObjectBase::init (this); } + // [adaptor ctor] QAction::QAction(const QString &text, QObject *parent) + QAction_Adaptor(const QString &text) : QAction(text) + { + qt_gsi::QtObjectBase::init (this); + } + // [adaptor ctor] QAction::QAction(const QString &text, QObject *parent) QAction_Adaptor(const QString &text, QObject *parent) : QAction(text, parent) { qt_gsi::QtObjectBase::init (this); } + // [adaptor ctor] QAction::QAction(const QIcon &icon, const QString &text, QObject *parent) + QAction_Adaptor(const QIcon &icon, const QString &text) : QAction(icon, text) + { + qt_gsi::QtObjectBase::init (this); + } + // [adaptor ctor] QAction::QAction(const QIcon &icon, const QString &text, QObject *parent) QAction_Adaptor(const QIcon &icon, const QString &text, QObject *parent) : QAction(icon, text, parent) { @@ -1180,18 +1235,18 @@ class QAction_Adaptor : public QAction, public qt_gsi::QtObjectBase emit QAction::destroyed(arg1); } - // [adaptor impl] bool QAction::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAction::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAction::eventFilter(arg1, arg2); + return QAction::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAction_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAction_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAction::eventFilter(arg1, arg2); + return QAction::eventFilter(watched, event); } } @@ -1220,33 +1275,33 @@ class QAction_Adaptor : public QAction, public qt_gsi::QtObjectBase emit QAction::triggered(checked); } - // [adaptor impl] void QAction::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAction::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAction::childEvent(arg1); + QAction::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAction_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAction_Adaptor::cbs_childEvent_1701_0, event); } else { - QAction::childEvent(arg1); + QAction::childEvent(event); } } - // [adaptor impl] void QAction::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAction::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAction::customEvent(arg1); + QAction::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAction_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAction_Adaptor::cbs_customEvent_1217_0, event); } else { - QAction::customEvent(arg1); + QAction::customEvent(event); } } @@ -1280,18 +1335,18 @@ class QAction_Adaptor : public QAction, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QAction::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAction::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAction::timerEvent(arg1); + QAction::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAction_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAction_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAction::timerEvent(arg1); + QAction::timerEvent(event); } } @@ -1309,7 +1364,7 @@ QAction_Adaptor::~QAction_Adaptor() { } static void _init_ctor_QAction_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1318,7 +1373,7 @@ static void _call_ctor_QAction_Adaptor_1302 (const qt_gsi::GenericStaticMethod * { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = gsi::arg_reader() (args, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAction_Adaptor (arg1)); } @@ -1329,7 +1384,7 @@ static void _init_ctor_QAction_Adaptor_3219 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("text"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1339,7 +1394,7 @@ static void _call_ctor_QAction_Adaptor_3219 (const qt_gsi::GenericStaticMethod * __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = gsi::arg_reader() (args, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAction_Adaptor (arg1, arg2)); } @@ -1352,7 +1407,7 @@ static void _init_ctor_QAction_Adaptor_4898 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("text"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("parent"); + static gsi::ArgSpecBase argspec_2 ("parent", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -1363,7 +1418,7 @@ static void _call_ctor_QAction_Adaptor_4898 (const qt_gsi::GenericStaticMethod * tl::Heap heap; const QIcon &arg1 = gsi::arg_reader() (args, heap); const QString &arg2 = gsi::arg_reader() (args, heap); - QObject *arg3 = gsi::arg_reader() (args, heap); + QObject *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAction_Adaptor (arg1, arg2, arg3)); } @@ -1382,11 +1437,11 @@ static void _call_emitter_changed_0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QAction::childEvent(QChildEvent *) +// void QAction::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1406,11 +1461,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAction::customEvent(QEvent *) +// void QAction::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1434,7 +1489,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1443,7 +1498,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QAction_Adaptor *)cls)->emitter_QAction_destroyed_1302 (arg1); } @@ -1495,13 +1550,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAction::eventFilter(QObject *, QEvent *) +// bool QAction::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1617,11 +1672,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QAction::timerEvent(QTimerEvent *) +// void QAction::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1688,16 +1743,16 @@ static gsi::Methods methods_QAction_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAction::QAction(const QString &text, QObject *parent)\nThis method creates an object of class QAction.", &_init_ctor_QAction_Adaptor_3219, &_call_ctor_QAction_Adaptor_3219); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAction::QAction(const QIcon &icon, const QString &text, QObject *parent)\nThis method creates an object of class QAction.", &_init_ctor_QAction_Adaptor_4898, &_call_ctor_QAction_Adaptor_4898); methods += new qt_gsi::GenericMethod ("emit_changed", "@brief Emitter for signal void QAction::changed()\nCall this method to emit this signal.", false, &_init_emitter_changed_0, &_call_emitter_changed_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAction::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAction::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAction::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAction::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAction::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAction::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QAction::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAction::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAction::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_hovered", "@brief Emitter for signal void QAction::hovered()\nCall this method to emit this signal.", false, &_init_emitter_hovered_0, &_call_emitter_hovered_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAction::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); @@ -1705,7 +1760,7 @@ static gsi::Methods methods_QAction_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAction::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAction::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAction::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAction::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAction::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_toggled", "@brief Emitter for signal void QAction::toggled(bool)\nCall this method to emit this signal.", false, &_init_emitter_toggled_864, &_call_emitter_toggled_864); methods += new qt_gsi::GenericMethod ("emit_triggered", "@brief Emitter for signal void QAction::triggered(bool checked)\nCall this method to emit this signal.", false, &_init_emitter_triggered_864, &_call_emitter_triggered_864); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQActionGroup.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQActionGroup.cc index 78dd11f827..3abd6f01ed 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQActionGroup.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQActionGroup.cc @@ -418,33 +418,33 @@ class QActionGroup_Adaptor : public QActionGroup, public qt_gsi::QtObjectBase emit QActionGroup::destroyed(arg1); } - // [adaptor impl] bool QActionGroup::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QActionGroup::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QActionGroup::event(arg1); + return QActionGroup::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QActionGroup_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QActionGroup_Adaptor::cbs_event_1217_0, _event); } else { - return QActionGroup::event(arg1); + return QActionGroup::event(_event); } } - // [adaptor impl] bool QActionGroup::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QActionGroup::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QActionGroup::eventFilter(arg1, arg2); + return QActionGroup::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QActionGroup_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QActionGroup_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QActionGroup::eventFilter(arg1, arg2); + return QActionGroup::eventFilter(watched, event); } } @@ -467,33 +467,33 @@ class QActionGroup_Adaptor : public QActionGroup, public qt_gsi::QtObjectBase emit QActionGroup::triggered(arg1); } - // [adaptor impl] void QActionGroup::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QActionGroup::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QActionGroup::childEvent(arg1); + QActionGroup::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QActionGroup_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QActionGroup_Adaptor::cbs_childEvent_1701_0, event); } else { - QActionGroup::childEvent(arg1); + QActionGroup::childEvent(event); } } - // [adaptor impl] void QActionGroup::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QActionGroup::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QActionGroup::customEvent(arg1); + QActionGroup::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QActionGroup_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QActionGroup_Adaptor::cbs_customEvent_1217_0, event); } else { - QActionGroup::customEvent(arg1); + QActionGroup::customEvent(event); } } @@ -512,18 +512,18 @@ class QActionGroup_Adaptor : public QActionGroup, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QActionGroup::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QActionGroup::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QActionGroup::timerEvent(arg1); + QActionGroup::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QActionGroup_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QActionGroup_Adaptor::cbs_timerEvent_1730_0, event); } else { - QActionGroup::timerEvent(arg1); + QActionGroup::timerEvent(event); } } @@ -555,11 +555,11 @@ static void _call_ctor_QActionGroup_Adaptor_1302 (const qt_gsi::GenericStaticMet } -// void QActionGroup::childEvent(QChildEvent *) +// void QActionGroup::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -579,11 +579,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QActionGroup::customEvent(QEvent *) +// void QActionGroup::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -607,7 +607,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -616,7 +616,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QActionGroup_Adaptor *)cls)->emitter_QActionGroup_destroyed_1302 (arg1); } @@ -645,11 +645,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QActionGroup::event(QEvent *) +// bool QActionGroup::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -668,13 +668,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QActionGroup::eventFilter(QObject *, QEvent *) +// bool QActionGroup::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -794,11 +794,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QActionGroup::timerEvent(QTimerEvent *) +// void QActionGroup::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -844,16 +844,16 @@ gsi::Class &qtdecl_QActionGroup (); static gsi::Methods methods_QActionGroup_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QActionGroup::QActionGroup(QObject *parent)\nThis method creates an object of class QActionGroup.", &_init_ctor_QActionGroup_Adaptor_1302, &_call_ctor_QActionGroup_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QActionGroup::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QActionGroup::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QActionGroup::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QActionGroup::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QActionGroup::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QActionGroup::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QActionGroup::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QActionGroup::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QActionGroup::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QActionGroup::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_hovered", "@brief Emitter for signal void QActionGroup::hovered(QAction *)\nCall this method to emit this signal.", false, &_init_emitter_hovered_1309, &_call_emitter_hovered_1309); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QActionGroup::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); @@ -861,7 +861,7 @@ static gsi::Methods methods_QActionGroup_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QActionGroup::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QActionGroup::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QActionGroup::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QActionGroup::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QActionGroup::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_triggered", "@brief Emitter for signal void QActionGroup::triggered(QAction *)\nCall this method to emit this signal.", false, &_init_emitter_triggered_1309, &_call_emitter_triggered_1309); return methods; diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQApplication.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQApplication.cc index 7cb32a81fb..893edb4ab0 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQApplication.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQApplication.cc @@ -624,7 +624,7 @@ static void _init_f_setFont_3424 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("arg1"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("className", true, "0"); + static gsi::ArgSpecBase argspec_1 ("className", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -634,7 +634,7 @@ static void _call_f_setFont_3424 (const qt_gsi::GenericStaticMethod * /*decl*/, __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QFont &arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); QApplication::setFont (arg1, arg2); } @@ -687,7 +687,7 @@ static void _init_f_setPalette_3736 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("arg1"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("className", true, "0"); + static gsi::ArgSpecBase argspec_1 ("className", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -697,7 +697,7 @@ static void _call_f_setPalette_3736 (const qt_gsi::GenericStaticMethod * /*decl* __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QPalette &arg1 = gsi::arg_reader() (args, heap); - const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); QApplication::setPalette (arg1, arg2); } @@ -1055,6 +1055,7 @@ static gsi::Methods methods_QApplication () { methods += new qt_gsi::GenericMethod ("setStyleSheet|styleSheet=", "@brief Method void QApplication::setStyleSheet(const QString &sheet)\n", false, &_init_f_setStyleSheet_2025, &_call_f_setStyleSheet_2025); methods += new qt_gsi::GenericMethod (":styleSheet", "@brief Method QString QApplication::styleSheet()\n", true, &_init_f_styleSheet_c0, &_call_f_styleSheet_c0); methods += gsi::qt_signal ("aboutToQuit()", "aboutToQuit", "@brief Signal declaration for QApplication::aboutToQuit()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("applicationDisplayNameChanged()", "applicationDisplayNameChanged", "@brief Signal declaration for QApplication::applicationDisplayNameChanged()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("applicationNameChanged()", "applicationNameChanged", "@brief Signal declaration for QApplication::applicationNameChanged()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal::target_type & > ("applicationStateChanged(Qt::ApplicationState)", "applicationStateChanged", gsi::arg("state"), "@brief Signal declaration for QApplication::applicationStateChanged(Qt::ApplicationState state)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("applicationVersionChanged()", "applicationVersionChanged", "@brief Signal declaration for QApplication::applicationVersionChanged()\nYou can bind a procedure to this signal."); @@ -1063,6 +1064,7 @@ static gsi::Methods methods_QApplication () { methods += gsi::qt_signal ("focusChanged(QWidget *, QWidget *)", "focusChanged", gsi::arg("old"), gsi::arg("now"), "@brief Signal declaration for QApplication::focusChanged(QWidget *old, QWidget *now)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("focusObjectChanged(QObject *)", "focusObjectChanged", gsi::arg("focusObject"), "@brief Signal declaration for QApplication::focusObjectChanged(QObject *focusObject)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("focusWindowChanged(QWindow *)", "focusWindowChanged", gsi::arg("focusWindow"), "@brief Signal declaration for QApplication::focusWindowChanged(QWindow *focusWindow)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("fontChanged(const QFont &)", "fontChanged", gsi::arg("font"), "@brief Signal declaration for QApplication::fontChanged(const QFont &font)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("fontDatabaseChanged()", "fontDatabaseChanged", "@brief Signal declaration for QApplication::fontDatabaseChanged()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("lastWindowClosed()", "lastWindowClosed", "@brief Signal declaration for QApplication::lastWindowClosed()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal::target_type & > ("layoutDirectionChanged(Qt::LayoutDirection)", "layoutDirectionChanged", gsi::arg("direction"), "@brief Signal declaration for QApplication::layoutDirectionChanged(Qt::LayoutDirection direction)\nYou can bind a procedure to this signal."); @@ -1070,6 +1072,7 @@ static gsi::Methods methods_QApplication () { methods += gsi::qt_signal ("organizationDomainChanged()", "organizationDomainChanged", "@brief Signal declaration for QApplication::organizationDomainChanged()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("organizationNameChanged()", "organizationNameChanged", "@brief Signal declaration for QApplication::organizationNameChanged()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("paletteChanged(const QPalette &)", "paletteChanged", gsi::arg("pal"), "@brief Signal declaration for QApplication::paletteChanged(const QPalette &pal)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("primaryScreenChanged(QScreen *)", "primaryScreenChanged", gsi::arg("screen"), "@brief Signal declaration for QApplication::primaryScreenChanged(QScreen *screen)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("saveStateRequest(QSessionManager &)", "saveStateRequest", gsi::arg("sessionManager"), "@brief Signal declaration for QApplication::saveStateRequest(QSessionManager &sessionManager)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("screenAdded(QScreen *)", "screenAdded", gsi::arg("screen"), "@brief Signal declaration for QApplication::screenAdded(QScreen *screen)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("screenRemoved(QScreen *)", "screenRemoved", gsi::arg("screen"), "@brief Signal declaration for QApplication::screenRemoved(QScreen *screen)\nYou can bind a procedure to this signal."); @@ -1191,6 +1194,12 @@ class QApplication_Adaptor : public QApplication, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QApplication::aboutToQuit()'"); } + // [emitter impl] void QApplication::applicationDisplayNameChanged() + void emitter_QApplication_applicationDisplayNameChanged_0() + { + emit QApplication::applicationDisplayNameChanged(); + } + // [emitter impl] void QApplication::applicationNameChanged() void emitter_QApplication_applicationNameChanged_0() { @@ -1221,18 +1230,18 @@ class QApplication_Adaptor : public QApplication, public qt_gsi::QtObjectBase emit QApplication::destroyed(arg1); } - // [adaptor impl] bool QApplication::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QApplication::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QApplication::eventFilter(arg1, arg2); + return QApplication::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QApplication_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QApplication_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QApplication::eventFilter(arg1, arg2); + return QApplication::eventFilter(watched, event); } } @@ -1254,6 +1263,12 @@ class QApplication_Adaptor : public QApplication, public qt_gsi::QtObjectBase emit QApplication::focusWindowChanged(focusWindow); } + // [emitter impl] void QApplication::fontChanged(const QFont &font) + void emitter_QApplication_fontChanged_1801(const QFont &font) + { + emit QApplication::fontChanged(font); + } + // [emitter impl] void QApplication::fontDatabaseChanged() void emitter_QApplication_fontDatabaseChanged_0() { @@ -1297,6 +1312,12 @@ class QApplication_Adaptor : public QApplication, public qt_gsi::QtObjectBase emit QApplication::paletteChanged(pal); } + // [emitter impl] void QApplication::primaryScreenChanged(QScreen *screen) + void emitter_QApplication_primaryScreenChanged_1311(QScreen *screen) + { + emit QApplication::primaryScreenChanged(screen); + } + // [emitter impl] void QApplication::saveStateRequest(QSessionManager &sessionManager) void emitter_QApplication_saveStateRequest_2138(QSessionManager &sessionManager) { @@ -1315,33 +1336,33 @@ class QApplication_Adaptor : public QApplication, public qt_gsi::QtObjectBase emit QApplication::screenRemoved(screen); } - // [adaptor impl] void QApplication::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QApplication::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QApplication::childEvent(arg1); + QApplication::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QApplication_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QApplication_Adaptor::cbs_childEvent_1701_0, event); } else { - QApplication::childEvent(arg1); + QApplication::childEvent(event); } } - // [adaptor impl] void QApplication::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QApplication::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QApplication::customEvent(arg1); + QApplication::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QApplication_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QApplication_Adaptor::cbs_customEvent_1217_0, event); } else { - QApplication::customEvent(arg1); + QApplication::customEvent(event); } } @@ -1375,18 +1396,18 @@ class QApplication_Adaptor : public QApplication, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QApplication::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QApplication::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QApplication::timerEvent(arg1); + QApplication::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QApplication_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QApplication_Adaptor::cbs_timerEvent_1730_0, event); } else { - QApplication::timerEvent(arg1); + QApplication::timerEvent(event); } } @@ -1414,6 +1435,20 @@ static void _call_emitter_aboutToQuit_3584 (const qt_gsi::GenericMethod * /*decl } +// emitter void QApplication::applicationDisplayNameChanged() + +static void _init_emitter_applicationDisplayNameChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_applicationDisplayNameChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QApplication_Adaptor *)cls)->emitter_QApplication_applicationDisplayNameChanged_0 (); +} + + // emitter void QApplication::applicationNameChanged() static void _init_emitter_applicationNameChanged_0 (qt_gsi::GenericMethod *decl) @@ -1460,11 +1495,11 @@ static void _call_emitter_applicationVersionChanged_0 (const qt_gsi::GenericMeth } -// void QApplication::childEvent(QChildEvent *) +// void QApplication::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1502,11 +1537,11 @@ static void _call_emitter_commitDataRequest_2138 (const qt_gsi::GenericMethod * } -// void QApplication::customEvent(QEvent *) +// void QApplication::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1530,7 +1565,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1539,7 +1574,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QApplication_Adaptor *)cls)->emitter_QApplication_destroyed_1302 (arg1); } @@ -1591,13 +1626,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QApplication::eventFilter(QObject *, QEvent *) +// bool QApplication::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1674,6 +1709,24 @@ static void _call_emitter_focusWindowChanged_1335 (const qt_gsi::GenericMethod * } +// emitter void QApplication::fontChanged(const QFont &font) + +static void _init_emitter_fontChanged_1801 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("font"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_fontChanged_1801 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QFont &arg1 = gsi::arg_reader() (args, heap); + ((QApplication_Adaptor *)cls)->emitter_QApplication_fontChanged_1801 (arg1); +} + + // emitter void QApplication::fontDatabaseChanged() static void _init_emitter_fontDatabaseChanged_0 (qt_gsi::GenericMethod *decl) @@ -1802,6 +1855,24 @@ static void _call_emitter_paletteChanged_2113 (const qt_gsi::GenericMethod * /*d } +// emitter void QApplication::primaryScreenChanged(QScreen *screen) + +static void _init_emitter_primaryScreenChanged_1311 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("screen"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_primaryScreenChanged_1311 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QScreen *arg1 = gsi::arg_reader() (args, heap); + ((QApplication_Adaptor *)cls)->emitter_QApplication_primaryScreenChanged_1311 (arg1); +} + + // exposed int QApplication::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1902,11 +1973,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QApplication::timerEvent(QTimerEvent *) +// void QApplication::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1934,24 +2005,26 @@ gsi::Class &qtdecl_QApplication (); static gsi::Methods methods_QApplication_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericMethod ("emit_aboutToQuit", "@brief Emitter for signal void QApplication::aboutToQuit()\nCall this method to emit this signal.", false, &_init_emitter_aboutToQuit_3584, &_call_emitter_aboutToQuit_3584); + methods += new qt_gsi::GenericMethod ("emit_applicationDisplayNameChanged", "@brief Emitter for signal void QApplication::applicationDisplayNameChanged()\nCall this method to emit this signal.", false, &_init_emitter_applicationDisplayNameChanged_0, &_call_emitter_applicationDisplayNameChanged_0); methods += new qt_gsi::GenericMethod ("emit_applicationNameChanged", "@brief Emitter for signal void QApplication::applicationNameChanged()\nCall this method to emit this signal.", false, &_init_emitter_applicationNameChanged_0, &_call_emitter_applicationNameChanged_0); methods += new qt_gsi::GenericMethod ("emit_applicationStateChanged", "@brief Emitter for signal void QApplication::applicationStateChanged(Qt::ApplicationState state)\nCall this method to emit this signal.", false, &_init_emitter_applicationStateChanged_2402, &_call_emitter_applicationStateChanged_2402); methods += new qt_gsi::GenericMethod ("emit_applicationVersionChanged", "@brief Emitter for signal void QApplication::applicationVersionChanged()\nCall this method to emit this signal.", false, &_init_emitter_applicationVersionChanged_0, &_call_emitter_applicationVersionChanged_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QApplication::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QApplication::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_commitDataRequest", "@brief Emitter for signal void QApplication::commitDataRequest(QSessionManager &sessionManager)\nCall this method to emit this signal.", false, &_init_emitter_commitDataRequest_2138, &_call_emitter_commitDataRequest_2138); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QApplication::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QApplication::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QApplication::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QApplication::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QApplication::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QApplication::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QApplication::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_focusChanged", "@brief Emitter for signal void QApplication::focusChanged(QWidget *old, QWidget *now)\nCall this method to emit this signal.", false, &_init_emitter_focusChanged_2522, &_call_emitter_focusChanged_2522); methods += new qt_gsi::GenericMethod ("emit_focusObjectChanged", "@brief Emitter for signal void QApplication::focusObjectChanged(QObject *focusObject)\nCall this method to emit this signal.", false, &_init_emitter_focusObjectChanged_1302, &_call_emitter_focusObjectChanged_1302); methods += new qt_gsi::GenericMethod ("emit_focusWindowChanged", "@brief Emitter for signal void QApplication::focusWindowChanged(QWindow *focusWindow)\nCall this method to emit this signal.", false, &_init_emitter_focusWindowChanged_1335, &_call_emitter_focusWindowChanged_1335); + methods += new qt_gsi::GenericMethod ("emit_fontChanged", "@brief Emitter for signal void QApplication::fontChanged(const QFont &font)\nCall this method to emit this signal.", false, &_init_emitter_fontChanged_1801, &_call_emitter_fontChanged_1801); methods += new qt_gsi::GenericMethod ("emit_fontDatabaseChanged", "@brief Emitter for signal void QApplication::fontDatabaseChanged()\nCall this method to emit this signal.", false, &_init_emitter_fontDatabaseChanged_0, &_call_emitter_fontDatabaseChanged_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QApplication::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_lastWindowClosed", "@brief Emitter for signal void QApplication::lastWindowClosed()\nCall this method to emit this signal.", false, &_init_emitter_lastWindowClosed_0, &_call_emitter_lastWindowClosed_0); @@ -1960,13 +2033,14 @@ static gsi::Methods methods_QApplication_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_organizationDomainChanged", "@brief Emitter for signal void QApplication::organizationDomainChanged()\nCall this method to emit this signal.", false, &_init_emitter_organizationDomainChanged_0, &_call_emitter_organizationDomainChanged_0); methods += new qt_gsi::GenericMethod ("emit_organizationNameChanged", "@brief Emitter for signal void QApplication::organizationNameChanged()\nCall this method to emit this signal.", false, &_init_emitter_organizationNameChanged_0, &_call_emitter_organizationNameChanged_0); methods += new qt_gsi::GenericMethod ("emit_paletteChanged", "@brief Emitter for signal void QApplication::paletteChanged(const QPalette &pal)\nCall this method to emit this signal.", false, &_init_emitter_paletteChanged_2113, &_call_emitter_paletteChanged_2113); + methods += new qt_gsi::GenericMethod ("emit_primaryScreenChanged", "@brief Emitter for signal void QApplication::primaryScreenChanged(QScreen *screen)\nCall this method to emit this signal.", false, &_init_emitter_primaryScreenChanged_1311, &_call_emitter_primaryScreenChanged_1311); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QApplication::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("emit_saveStateRequest", "@brief Emitter for signal void QApplication::saveStateRequest(QSessionManager &sessionManager)\nCall this method to emit this signal.", false, &_init_emitter_saveStateRequest_2138, &_call_emitter_saveStateRequest_2138); methods += new qt_gsi::GenericMethod ("emit_screenAdded", "@brief Emitter for signal void QApplication::screenAdded(QScreen *screen)\nCall this method to emit this signal.", false, &_init_emitter_screenAdded_1311, &_call_emitter_screenAdded_1311); methods += new qt_gsi::GenericMethod ("emit_screenRemoved", "@brief Emitter for signal void QApplication::screenRemoved(QScreen *screen)\nCall this method to emit this signal.", false, &_init_emitter_screenRemoved_1311, &_call_emitter_screenRemoved_1311); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QApplication::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QApplication::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QApplication::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QApplication::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQBoxLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQBoxLayout.cc index 870d1c5910..ec954a2aaf 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQBoxLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQBoxLayout.cc @@ -120,6 +120,7 @@ static void _call_f_addSpacerItem_1708 (const qt_gsi::GenericMethod * /*decl*/, __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QSpacerItem *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); __SUPPRESS_UNUSED_WARNING(ret); ((QBoxLayout *)cls)->addSpacerItem (arg1); } @@ -194,7 +195,7 @@ static void _init_f_addWidget_4616 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("stretch", true, "0"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("alignment", true, "0"); + static gsi::ArgSpecBase argspec_2 ("alignment", true, "Qt::Alignment()"); decl->add_arg > (argspec_2); decl->set_return (); } @@ -204,8 +205,9 @@ static void _call_f_addWidget_4616 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); int arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::Alignment(), heap); __SUPPRESS_UNUSED_WARNING(ret); ((QBoxLayout *)cls)->addWidget (arg1, arg2, arg3); } @@ -308,6 +310,7 @@ static void _call_f_insertItem_2399 (const qt_gsi::GenericMethod * /*decl*/, voi tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); QLayoutItem *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); __SUPPRESS_UNUSED_WARNING(ret); ((QBoxLayout *)cls)->insertItem (arg1, arg2); } @@ -333,6 +336,7 @@ static void _call_f_insertLayout_2659 (const qt_gsi::GenericMethod * /*decl*/, v tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); QLayout *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QBoxLayout *)cls)->insertLayout (arg1, arg2, arg3); @@ -357,6 +361,7 @@ static void _call_f_insertSpacerItem_2367 (const qt_gsi::GenericMethod * /*decl* tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); QSpacerItem *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); __SUPPRESS_UNUSED_WARNING(ret); ((QBoxLayout *)cls)->insertSpacerItem (arg1, arg2); } @@ -419,7 +424,7 @@ static void _init_f_insertWidget_5275 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("stretch", true, "0"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("alignment", true, "0"); + static gsi::ArgSpecBase argspec_3 ("alignment", true, "Qt::Alignment()"); decl->add_arg > (argspec_3); decl->set_return (); } @@ -430,8 +435,9 @@ static void _call_f_insertWidget_5275 (const qt_gsi::GenericMethod * /*decl*/, v tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); QWidget *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::Alignment(), heap); __SUPPRESS_UNUSED_WARNING(ret); ((QBoxLayout *)cls)->insertWidget (arg1, arg2, arg3, arg4); } @@ -937,33 +943,33 @@ class QBoxLayout_Adaptor : public QBoxLayout, public qt_gsi::QtObjectBase emit QBoxLayout::destroyed(arg1); } - // [adaptor impl] bool QBoxLayout::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QBoxLayout::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QBoxLayout::event(arg1); + return QBoxLayout::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QBoxLayout_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QBoxLayout_Adaptor::cbs_event_1217_0, _event); } else { - return QBoxLayout::event(arg1); + return QBoxLayout::event(_event); } } - // [adaptor impl] bool QBoxLayout::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QBoxLayout::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QBoxLayout::eventFilter(arg1, arg2); + return QBoxLayout::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QBoxLayout_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QBoxLayout_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QBoxLayout::eventFilter(arg1, arg2); + return QBoxLayout::eventFilter(watched, event); } } @@ -1244,18 +1250,18 @@ class QBoxLayout_Adaptor : public QBoxLayout, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QBoxLayout::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QBoxLayout::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QBoxLayout::customEvent(arg1); + QBoxLayout::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QBoxLayout_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QBoxLayout_Adaptor::cbs_customEvent_1217_0, event); } else { - QBoxLayout::customEvent(arg1); + QBoxLayout::customEvent(event); } } @@ -1274,18 +1280,18 @@ class QBoxLayout_Adaptor : public QBoxLayout, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QBoxLayout::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QBoxLayout::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QBoxLayout::timerEvent(arg1); + QBoxLayout::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QBoxLayout_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QBoxLayout_Adaptor::cbs_timerEvent_1730_0, event); } else { - QBoxLayout::timerEvent(arg1); + QBoxLayout::timerEvent(event); } } @@ -1325,7 +1331,7 @@ static void _init_ctor_QBoxLayout_Adaptor_3704 (qt_gsi::GenericStaticMethod *dec { static gsi::ArgSpecBase argspec_0 ("arg1"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1335,7 +1341,7 @@ static void _call_ctor_QBoxLayout_Adaptor_3704 (const qt_gsi::GenericStaticMetho __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QBoxLayout_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2)); } @@ -1501,11 +1507,11 @@ static void _set_callback_cbs_count_c0_0 (void *cls, const gsi::Callback &cb) } -// void QBoxLayout::customEvent(QEvent *) +// void QBoxLayout::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1529,7 +1535,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1538,7 +1544,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QBoxLayout_Adaptor *)cls)->emitter_QBoxLayout_destroyed_1302 (arg1); } @@ -1567,11 +1573,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QBoxLayout::event(QEvent *) +// bool QBoxLayout::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1590,13 +1596,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QBoxLayout::eventFilter(QObject *, QEvent *) +// bool QBoxLayout::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2028,11 +2034,11 @@ static void _set_callback_cbs_takeAt_767_0 (void *cls, const gsi::Callback &cb) } -// void QBoxLayout::timerEvent(QTimerEvent *) +// void QBoxLayout::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2110,14 +2116,14 @@ static gsi::Methods methods_QBoxLayout_Adaptor () { methods += new qt_gsi::GenericMethod ("controlTypes", "@hide", true, &_init_cbs_controlTypes_c0_0, &_call_cbs_controlTypes_c0_0, &_set_callback_cbs_controlTypes_c0_0); methods += new qt_gsi::GenericMethod ("count", "@brief Virtual method int QBoxLayout::count()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_count_c0_0, &_call_cbs_count_c0_0); methods += new qt_gsi::GenericMethod ("count", "@hide", true, &_init_cbs_count_c0_0, &_call_cbs_count_c0_0, &_set_callback_cbs_count_c0_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QBoxLayout::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QBoxLayout::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QBoxLayout::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QBoxLayout::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QBoxLayout::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QBoxLayout::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QBoxLayout::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QBoxLayout::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("expandingDirections", "@brief Virtual method QFlags QBoxLayout::expandingDirections()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_expandingDirections_c0_0, &_call_cbs_expandingDirections_c0_0); methods += new qt_gsi::GenericMethod ("expandingDirections", "@hide", true, &_init_cbs_expandingDirections_c0_0, &_call_cbs_expandingDirections_c0_0, &_set_callback_cbs_expandingDirections_c0_0); @@ -2156,7 +2162,7 @@ static gsi::Methods methods_QBoxLayout_Adaptor () { methods += new qt_gsi::GenericMethod ("spacerItem", "@hide", false, &_init_cbs_spacerItem_0_0, &_call_cbs_spacerItem_0_0, &_set_callback_cbs_spacerItem_0_0); methods += new qt_gsi::GenericMethod ("takeAt", "@brief Virtual method QLayoutItem *QBoxLayout::takeAt(int)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_takeAt_767_0, &_call_cbs_takeAt_767_0); methods += new qt_gsi::GenericMethod ("takeAt", "@hide", false, &_init_cbs_takeAt_767_0, &_call_cbs_takeAt_767_0, &_set_callback_cbs_takeAt_767_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QBoxLayout::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QBoxLayout::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("widget", "@brief Virtual method QWidget *QBoxLayout::widget()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_widget_0_0, &_call_cbs_widget_0_0); methods += new qt_gsi::GenericMethod ("widget", "@hide", false, &_init_cbs_widget_0_0, &_call_cbs_widget_0_0, &_set_callback_cbs_widget_0_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQButtonGroup.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQButtonGroup.cc index 325222632d..5b296af9d8 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQButtonGroup.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQButtonGroup.cc @@ -423,33 +423,33 @@ class QButtonGroup_Adaptor : public QButtonGroup, public qt_gsi::QtObjectBase emit QButtonGroup::destroyed(arg1); } - // [adaptor impl] bool QButtonGroup::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QButtonGroup::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QButtonGroup::event(arg1); + return QButtonGroup::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QButtonGroup_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QButtonGroup_Adaptor::cbs_event_1217_0, _event); } else { - return QButtonGroup::event(arg1); + return QButtonGroup::event(_event); } } - // [adaptor impl] bool QButtonGroup::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QButtonGroup::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QButtonGroup::eventFilter(arg1, arg2); + return QButtonGroup::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QButtonGroup_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QButtonGroup_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QButtonGroup::eventFilter(arg1, arg2); + return QButtonGroup::eventFilter(watched, event); } } @@ -460,33 +460,33 @@ class QButtonGroup_Adaptor : public QButtonGroup, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QButtonGroup::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QButtonGroup::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QButtonGroup::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QButtonGroup::childEvent(arg1); + QButtonGroup::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QButtonGroup_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QButtonGroup_Adaptor::cbs_childEvent_1701_0, event); } else { - QButtonGroup::childEvent(arg1); + QButtonGroup::childEvent(event); } } - // [adaptor impl] void QButtonGroup::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QButtonGroup::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QButtonGroup::customEvent(arg1); + QButtonGroup::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QButtonGroup_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QButtonGroup_Adaptor::cbs_customEvent_1217_0, event); } else { - QButtonGroup::customEvent(arg1); + QButtonGroup::customEvent(event); } } @@ -505,18 +505,18 @@ class QButtonGroup_Adaptor : public QButtonGroup, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QButtonGroup::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QButtonGroup::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QButtonGroup::timerEvent(arg1); + QButtonGroup::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QButtonGroup_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QButtonGroup_Adaptor::cbs_timerEvent_1730_0, event); } else { - QButtonGroup::timerEvent(arg1); + QButtonGroup::timerEvent(event); } } @@ -534,7 +534,7 @@ QButtonGroup_Adaptor::~QButtonGroup_Adaptor() { } static void _init_ctor_QButtonGroup_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -543,7 +543,7 @@ static void _call_ctor_QButtonGroup_Adaptor_1302 (const qt_gsi::GenericStaticMet { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QButtonGroup_Adaptor (arg1)); } @@ -698,11 +698,11 @@ static void _call_emitter_buttonToggled_1523 (const qt_gsi::GenericMethod * /*de } -// void QButtonGroup::childEvent(QChildEvent *) +// void QButtonGroup::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -722,11 +722,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QButtonGroup::customEvent(QEvent *) +// void QButtonGroup::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -750,7 +750,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -759,7 +759,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QButtonGroup_Adaptor *)cls)->emitter_QButtonGroup_destroyed_1302 (arg1); } @@ -788,11 +788,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QButtonGroup::event(QEvent *) +// bool QButtonGroup::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -811,13 +811,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QButtonGroup::eventFilter(QObject *, QEvent *) +// bool QButtonGroup::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -919,11 +919,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QButtonGroup::timerEvent(QTimerEvent *) +// void QButtonGroup::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -959,23 +959,23 @@ static gsi::Methods methods_QButtonGroup_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_buttonReleased", "@brief Emitter for signal void QButtonGroup::buttonReleased(int)\nCall this method to emit this signal.", false, &_init_emitter_buttonReleased_767, &_call_emitter_buttonReleased_767); methods += new qt_gsi::GenericMethod ("emit_buttonToggled_object", "@brief Emitter for signal void QButtonGroup::buttonToggled(QAbstractButton *, bool)\nCall this method to emit this signal.", false, &_init_emitter_buttonToggled_2915, &_call_emitter_buttonToggled_2915); methods += new qt_gsi::GenericMethod ("emit_buttonToggled_int", "@brief Emitter for signal void QButtonGroup::buttonToggled(int, bool)\nCall this method to emit this signal.", false, &_init_emitter_buttonToggled_1523, &_call_emitter_buttonToggled_1523); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QButtonGroup::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QButtonGroup::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QButtonGroup::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QButtonGroup::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QButtonGroup::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QButtonGroup::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QButtonGroup::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QButtonGroup::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QButtonGroup::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QButtonGroup::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QButtonGroup::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QButtonGroup::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QButtonGroup::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QButtonGroup::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QButtonGroup::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QButtonGroup::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QButtonGroup::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQCalendarWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQCalendarWidget.cc index 5f134c6ea6..72d6fe130c 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQCalendarWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQCalendarWidget.cc @@ -1184,18 +1184,18 @@ class QCalendarWidget_Adaptor : public QCalendarWidget, public qt_gsi::QtObjectB emit QCalendarWidget::windowTitleChanged(title); } - // [adaptor impl] void QCalendarWidget::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QCalendarWidget::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QCalendarWidget::actionEvent(arg1); + QCalendarWidget::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QCalendarWidget_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QCalendarWidget_Adaptor::cbs_actionEvent_1823_0, event); } else { - QCalendarWidget::actionEvent(arg1); + QCalendarWidget::actionEvent(event); } } @@ -1214,63 +1214,63 @@ class QCalendarWidget_Adaptor : public QCalendarWidget, public qt_gsi::QtObjectB } } - // [adaptor impl] void QCalendarWidget::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCalendarWidget::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCalendarWidget::childEvent(arg1); + QCalendarWidget::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCalendarWidget_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCalendarWidget_Adaptor::cbs_childEvent_1701_0, event); } else { - QCalendarWidget::childEvent(arg1); + QCalendarWidget::childEvent(event); } } - // [adaptor impl] void QCalendarWidget::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QCalendarWidget::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QCalendarWidget::closeEvent(arg1); + QCalendarWidget::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QCalendarWidget_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QCalendarWidget_Adaptor::cbs_closeEvent_1719_0, event); } else { - QCalendarWidget::closeEvent(arg1); + QCalendarWidget::closeEvent(event); } } - // [adaptor impl] void QCalendarWidget::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QCalendarWidget::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QCalendarWidget::contextMenuEvent(arg1); + QCalendarWidget::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QCalendarWidget_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QCalendarWidget_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QCalendarWidget::contextMenuEvent(arg1); + QCalendarWidget::contextMenuEvent(event); } } - // [adaptor impl] void QCalendarWidget::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCalendarWidget::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCalendarWidget::customEvent(arg1); + QCalendarWidget::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCalendarWidget_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCalendarWidget_Adaptor::cbs_customEvent_1217_0, event); } else { - QCalendarWidget::customEvent(arg1); + QCalendarWidget::customEvent(event); } } @@ -1289,78 +1289,78 @@ class QCalendarWidget_Adaptor : public QCalendarWidget, public qt_gsi::QtObjectB } } - // [adaptor impl] void QCalendarWidget::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QCalendarWidget::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QCalendarWidget::dragEnterEvent(arg1); + QCalendarWidget::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QCalendarWidget_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QCalendarWidget_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QCalendarWidget::dragEnterEvent(arg1); + QCalendarWidget::dragEnterEvent(event); } } - // [adaptor impl] void QCalendarWidget::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QCalendarWidget::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QCalendarWidget::dragLeaveEvent(arg1); + QCalendarWidget::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QCalendarWidget_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QCalendarWidget_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QCalendarWidget::dragLeaveEvent(arg1); + QCalendarWidget::dragLeaveEvent(event); } } - // [adaptor impl] void QCalendarWidget::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QCalendarWidget::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QCalendarWidget::dragMoveEvent(arg1); + QCalendarWidget::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QCalendarWidget_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QCalendarWidget_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QCalendarWidget::dragMoveEvent(arg1); + QCalendarWidget::dragMoveEvent(event); } } - // [adaptor impl] void QCalendarWidget::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QCalendarWidget::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QCalendarWidget::dropEvent(arg1); + QCalendarWidget::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QCalendarWidget_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QCalendarWidget_Adaptor::cbs_dropEvent_1622_0, event); } else { - QCalendarWidget::dropEvent(arg1); + QCalendarWidget::dropEvent(event); } } - // [adaptor impl] void QCalendarWidget::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCalendarWidget::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QCalendarWidget::enterEvent(arg1); + QCalendarWidget::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QCalendarWidget_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QCalendarWidget_Adaptor::cbs_enterEvent_1217_0, event); } else { - QCalendarWidget::enterEvent(arg1); + QCalendarWidget::enterEvent(event); } } @@ -1394,18 +1394,18 @@ class QCalendarWidget_Adaptor : public QCalendarWidget, public qt_gsi::QtObjectB } } - // [adaptor impl] void QCalendarWidget::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QCalendarWidget::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QCalendarWidget::focusInEvent(arg1); + QCalendarWidget::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QCalendarWidget_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QCalendarWidget_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QCalendarWidget::focusInEvent(arg1); + QCalendarWidget::focusInEvent(event); } } @@ -1424,33 +1424,33 @@ class QCalendarWidget_Adaptor : public QCalendarWidget, public qt_gsi::QtObjectB } } - // [adaptor impl] void QCalendarWidget::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QCalendarWidget::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QCalendarWidget::focusOutEvent(arg1); + QCalendarWidget::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QCalendarWidget_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QCalendarWidget_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QCalendarWidget::focusOutEvent(arg1); + QCalendarWidget::focusOutEvent(event); } } - // [adaptor impl] void QCalendarWidget::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QCalendarWidget::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QCalendarWidget::hideEvent(arg1); + QCalendarWidget::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QCalendarWidget_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QCalendarWidget_Adaptor::cbs_hideEvent_1595_0, event); } else { - QCalendarWidget::hideEvent(arg1); + QCalendarWidget::hideEvent(event); } } @@ -1499,33 +1499,33 @@ class QCalendarWidget_Adaptor : public QCalendarWidget, public qt_gsi::QtObjectB } } - // [adaptor impl] void QCalendarWidget::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QCalendarWidget::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QCalendarWidget::keyReleaseEvent(arg1); + QCalendarWidget::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QCalendarWidget_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QCalendarWidget_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QCalendarWidget::keyReleaseEvent(arg1); + QCalendarWidget::keyReleaseEvent(event); } } - // [adaptor impl] void QCalendarWidget::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCalendarWidget::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QCalendarWidget::leaveEvent(arg1); + QCalendarWidget::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QCalendarWidget_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QCalendarWidget_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QCalendarWidget::leaveEvent(arg1); + QCalendarWidget::leaveEvent(event); } } @@ -1544,33 +1544,33 @@ class QCalendarWidget_Adaptor : public QCalendarWidget, public qt_gsi::QtObjectB } } - // [adaptor impl] void QCalendarWidget::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QCalendarWidget::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QCalendarWidget::mouseDoubleClickEvent(arg1); + QCalendarWidget::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QCalendarWidget_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QCalendarWidget_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QCalendarWidget::mouseDoubleClickEvent(arg1); + QCalendarWidget::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QCalendarWidget::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QCalendarWidget::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QCalendarWidget::mouseMoveEvent(arg1); + QCalendarWidget::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QCalendarWidget_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QCalendarWidget_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QCalendarWidget::mouseMoveEvent(arg1); + QCalendarWidget::mouseMoveEvent(event); } } @@ -1589,33 +1589,33 @@ class QCalendarWidget_Adaptor : public QCalendarWidget, public qt_gsi::QtObjectB } } - // [adaptor impl] void QCalendarWidget::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QCalendarWidget::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QCalendarWidget::mouseReleaseEvent(arg1); + QCalendarWidget::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QCalendarWidget_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QCalendarWidget_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QCalendarWidget::mouseReleaseEvent(arg1); + QCalendarWidget::mouseReleaseEvent(event); } } - // [adaptor impl] void QCalendarWidget::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QCalendarWidget::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QCalendarWidget::moveEvent(arg1); + QCalendarWidget::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QCalendarWidget_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QCalendarWidget_Adaptor::cbs_moveEvent_1624_0, event); } else { - QCalendarWidget::moveEvent(arg1); + QCalendarWidget::moveEvent(event); } } @@ -1649,18 +1649,18 @@ class QCalendarWidget_Adaptor : public QCalendarWidget, public qt_gsi::QtObjectB } } - // [adaptor impl] void QCalendarWidget::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QCalendarWidget::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QCalendarWidget::paintEvent(arg1); + QCalendarWidget::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QCalendarWidget_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QCalendarWidget_Adaptor::cbs_paintEvent_1725_0, event); } else { - QCalendarWidget::paintEvent(arg1); + QCalendarWidget::paintEvent(event); } } @@ -1709,63 +1709,63 @@ class QCalendarWidget_Adaptor : public QCalendarWidget, public qt_gsi::QtObjectB } } - // [adaptor impl] void QCalendarWidget::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QCalendarWidget::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QCalendarWidget::showEvent(arg1); + QCalendarWidget::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QCalendarWidget_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QCalendarWidget_Adaptor::cbs_showEvent_1634_0, event); } else { - QCalendarWidget::showEvent(arg1); + QCalendarWidget::showEvent(event); } } - // [adaptor impl] void QCalendarWidget::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QCalendarWidget::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QCalendarWidget::tabletEvent(arg1); + QCalendarWidget::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QCalendarWidget_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QCalendarWidget_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QCalendarWidget::tabletEvent(arg1); + QCalendarWidget::tabletEvent(event); } } - // [adaptor impl] void QCalendarWidget::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QCalendarWidget::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QCalendarWidget::timerEvent(arg1); + QCalendarWidget::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QCalendarWidget_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QCalendarWidget_Adaptor::cbs_timerEvent_1730_0, event); } else { - QCalendarWidget::timerEvent(arg1); + QCalendarWidget::timerEvent(event); } } - // [adaptor impl] void QCalendarWidget::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QCalendarWidget::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QCalendarWidget::wheelEvent(arg1); + QCalendarWidget::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QCalendarWidget_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QCalendarWidget_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QCalendarWidget::wheelEvent(arg1); + QCalendarWidget::wheelEvent(event); } } @@ -1823,7 +1823,7 @@ QCalendarWidget_Adaptor::~QCalendarWidget_Adaptor() { } static void _init_ctor_QCalendarWidget_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1832,16 +1832,16 @@ static void _call_ctor_QCalendarWidget_Adaptor_1315 (const qt_gsi::GenericStatic { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QCalendarWidget_Adaptor (arg1)); } -// void QCalendarWidget::actionEvent(QActionEvent *) +// void QCalendarWidget::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1903,11 +1903,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QCalendarWidget::childEvent(QChildEvent *) +// void QCalendarWidget::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1945,11 +1945,11 @@ static void _call_emitter_clicked_1776 (const qt_gsi::GenericMethod * /*decl*/, } -// void QCalendarWidget::closeEvent(QCloseEvent *) +// void QCalendarWidget::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1969,11 +1969,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QCalendarWidget::contextMenuEvent(QContextMenuEvent *) +// void QCalendarWidget::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2057,11 +2057,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QCalendarWidget::customEvent(QEvent *) +// void QCalendarWidget::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2107,7 +2107,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2116,7 +2116,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QCalendarWidget_Adaptor *)cls)->emitter_QCalendarWidget_destroyed_1302 (arg1); } @@ -2145,11 +2145,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QCalendarWidget::dragEnterEvent(QDragEnterEvent *) +// void QCalendarWidget::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2169,11 +2169,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QCalendarWidget::dragLeaveEvent(QDragLeaveEvent *) +// void QCalendarWidget::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2193,11 +2193,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QCalendarWidget::dragMoveEvent(QDragMoveEvent *) +// void QCalendarWidget::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2217,11 +2217,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QCalendarWidget::dropEvent(QDropEvent *) +// void QCalendarWidget::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2241,11 +2241,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QCalendarWidget::enterEvent(QEvent *) +// void QCalendarWidget::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2314,11 +2314,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QCalendarWidget::focusInEvent(QFocusEvent *) +// void QCalendarWidget::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2375,11 +2375,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QCalendarWidget::focusOutEvent(QFocusEvent *) +// void QCalendarWidget::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2455,11 +2455,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QCalendarWidget::hideEvent(QHideEvent *) +// void QCalendarWidget::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2592,11 +2592,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QCalendarWidget::keyReleaseEvent(QKeyEvent *) +// void QCalendarWidget::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2616,11 +2616,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QCalendarWidget::leaveEvent(QEvent *) +// void QCalendarWidget::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2682,11 +2682,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QCalendarWidget::mouseDoubleClickEvent(QMouseEvent *) +// void QCalendarWidget::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2706,11 +2706,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QCalendarWidget::mouseMoveEvent(QMouseEvent *) +// void QCalendarWidget::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2754,11 +2754,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QCalendarWidget::mouseReleaseEvent(QMouseEvent *) +// void QCalendarWidget::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2778,11 +2778,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QCalendarWidget::moveEvent(QMoveEvent *) +// void QCalendarWidget::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2898,11 +2898,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QCalendarWidget::paintEvent(QPaintEvent *) +// void QCalendarWidget::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3072,11 +3072,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QCalendarWidget::showEvent(QShowEvent *) +// void QCalendarWidget::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3115,11 +3115,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QCalendarWidget::tabletEvent(QTabletEvent *) +// void QCalendarWidget::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3139,11 +3139,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QCalendarWidget::timerEvent(QTimerEvent *) +// void QCalendarWidget::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3212,11 +3212,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QCalendarWidget::wheelEvent(QWheelEvent *) +// void QCalendarWidget::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3298,54 +3298,54 @@ gsi::Class &qtdecl_QCalendarWidget (); static gsi::Methods methods_QCalendarWidget_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCalendarWidget::QCalendarWidget(QWidget *parent)\nThis method creates an object of class QCalendarWidget.", &_init_ctor_QCalendarWidget_Adaptor_1315, &_call_ctor_QCalendarWidget_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QCalendarWidget::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QCalendarWidget::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("emit_activated", "@brief Emitter for signal void QCalendarWidget::activated(const QDate &date)\nCall this method to emit this signal.", false, &_init_emitter_activated_1776, &_call_emitter_activated_1776); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QCalendarWidget::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCalendarWidget::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCalendarWidget::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_clicked", "@brief Emitter for signal void QCalendarWidget::clicked(const QDate &date)\nCall this method to emit this signal.", false, &_init_emitter_clicked_1776, &_call_emitter_clicked_1776); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QCalendarWidget::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QCalendarWidget::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QCalendarWidget::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QCalendarWidget::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QCalendarWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QCalendarWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentPageChanged", "@brief Emitter for signal void QCalendarWidget::currentPageChanged(int year, int month)\nCall this method to emit this signal.", false, &_init_emitter_currentPageChanged_1426, &_call_emitter_currentPageChanged_1426); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QCalendarWidget::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCalendarWidget::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCalendarWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QCalendarWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QCalendarWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCalendarWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCalendarWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QCalendarWidget::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QCalendarWidget::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QCalendarWidget::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QCalendarWidget::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QCalendarWidget::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QCalendarWidget::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QCalendarWidget::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QCalendarWidget::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QCalendarWidget::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QCalendarWidget::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QCalendarWidget::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QCalendarWidget::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QCalendarWidget::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QCalendarWidget::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QCalendarWidget::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QCalendarWidget::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QCalendarWidget::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QCalendarWidget::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QCalendarWidget::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QCalendarWidget::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QCalendarWidget::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QCalendarWidget::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QCalendarWidget::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QCalendarWidget::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -3356,23 +3356,23 @@ static gsi::Methods methods_QCalendarWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCalendarWidget::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QCalendarWidget::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QCalendarWidget::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QCalendarWidget::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QCalendarWidget::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QCalendarWidget::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QCalendarWidget::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QCalendarWidget::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QCalendarWidget::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QCalendarWidget::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QCalendarWidget::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QCalendarWidget::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QCalendarWidget::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QCalendarWidget::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QCalendarWidget::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QCalendarWidget::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QCalendarWidget::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QCalendarWidget::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3381,7 +3381,7 @@ static gsi::Methods methods_QCalendarWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*paintCell", "@hide", true, &_init_cbs_paintCell_c4778_0, &_call_cbs_paintCell_c4778_0, &_set_callback_cbs_paintCell_c4778_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QCalendarWidget::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QCalendarWidget::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QCalendarWidget::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCalendarWidget::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QCalendarWidget::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); @@ -3395,18 +3395,18 @@ static gsi::Methods methods_QCalendarWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QCalendarWidget::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QCalendarWidget::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QCalendarWidget::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QCalendarWidget::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QCalendarWidget::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QCalendarWidget::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCalendarWidget::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCalendarWidget::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateCell", "@brief Method void QCalendarWidget::updateCell(const QDate &date)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateCell_1776, &_call_fp_updateCell_1776); methods += new qt_gsi::GenericMethod ("*updateCells", "@brief Method void QCalendarWidget::updateCells()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateCells_0, &_call_fp_updateCells_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QCalendarWidget::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QCalendarWidget::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QCalendarWidget::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QCalendarWidget::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QCalendarWidget::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQCheckBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQCheckBox.cc index 878befc055..aa37fe5f11 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQCheckBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQCheckBox.cc @@ -388,18 +388,18 @@ class QCheckBox_Adaptor : public QCheckBox, public qt_gsi::QtObjectBase emit QCheckBox::destroyed(arg1); } - // [adaptor impl] bool QCheckBox::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QCheckBox::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QCheckBox::eventFilter(arg1, arg2); + return QCheckBox::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QCheckBox_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QCheckBox_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QCheckBox::eventFilter(arg1, arg2); + return QCheckBox::eventFilter(watched, event); } } @@ -557,18 +557,18 @@ class QCheckBox_Adaptor : public QCheckBox, public qt_gsi::QtObjectBase emit QCheckBox::windowTitleChanged(title); } - // [adaptor impl] void QCheckBox::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QCheckBox::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QCheckBox::actionEvent(arg1); + QCheckBox::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QCheckBox_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QCheckBox_Adaptor::cbs_actionEvent_1823_0, event); } else { - QCheckBox::actionEvent(arg1); + QCheckBox::actionEvent(event); } } @@ -602,63 +602,63 @@ class QCheckBox_Adaptor : public QCheckBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QCheckBox::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCheckBox::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCheckBox::childEvent(arg1); + QCheckBox::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCheckBox_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCheckBox_Adaptor::cbs_childEvent_1701_0, event); } else { - QCheckBox::childEvent(arg1); + QCheckBox::childEvent(event); } } - // [adaptor impl] void QCheckBox::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QCheckBox::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QCheckBox::closeEvent(arg1); + QCheckBox::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QCheckBox_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QCheckBox_Adaptor::cbs_closeEvent_1719_0, event); } else { - QCheckBox::closeEvent(arg1); + QCheckBox::closeEvent(event); } } - // [adaptor impl] void QCheckBox::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QCheckBox::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QCheckBox::contextMenuEvent(arg1); + QCheckBox::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QCheckBox_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QCheckBox_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QCheckBox::contextMenuEvent(arg1); + QCheckBox::contextMenuEvent(event); } } - // [adaptor impl] void QCheckBox::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCheckBox::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCheckBox::customEvent(arg1); + QCheckBox::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCheckBox_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCheckBox_Adaptor::cbs_customEvent_1217_0, event); } else { - QCheckBox::customEvent(arg1); + QCheckBox::customEvent(event); } } @@ -677,78 +677,78 @@ class QCheckBox_Adaptor : public QCheckBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QCheckBox::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QCheckBox::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QCheckBox::dragEnterEvent(arg1); + QCheckBox::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QCheckBox_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QCheckBox_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QCheckBox::dragEnterEvent(arg1); + QCheckBox::dragEnterEvent(event); } } - // [adaptor impl] void QCheckBox::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QCheckBox::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QCheckBox::dragLeaveEvent(arg1); + QCheckBox::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QCheckBox_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QCheckBox_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QCheckBox::dragLeaveEvent(arg1); + QCheckBox::dragLeaveEvent(event); } } - // [adaptor impl] void QCheckBox::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QCheckBox::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QCheckBox::dragMoveEvent(arg1); + QCheckBox::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QCheckBox_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QCheckBox_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QCheckBox::dragMoveEvent(arg1); + QCheckBox::dragMoveEvent(event); } } - // [adaptor impl] void QCheckBox::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QCheckBox::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QCheckBox::dropEvent(arg1); + QCheckBox::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QCheckBox_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QCheckBox_Adaptor::cbs_dropEvent_1622_0, event); } else { - QCheckBox::dropEvent(arg1); + QCheckBox::dropEvent(event); } } - // [adaptor impl] void QCheckBox::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCheckBox::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QCheckBox::enterEvent(arg1); + QCheckBox::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QCheckBox_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QCheckBox_Adaptor::cbs_enterEvent_1217_0, event); } else { - QCheckBox::enterEvent(arg1); + QCheckBox::enterEvent(event); } } @@ -812,18 +812,18 @@ class QCheckBox_Adaptor : public QCheckBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QCheckBox::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QCheckBox::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QCheckBox::hideEvent(arg1); + QCheckBox::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QCheckBox_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QCheckBox_Adaptor::cbs_hideEvent_1595_0, event); } else { - QCheckBox::hideEvent(arg1); + QCheckBox::hideEvent(event); } } @@ -902,18 +902,18 @@ class QCheckBox_Adaptor : public QCheckBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QCheckBox::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCheckBox::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QCheckBox::leaveEvent(arg1); + QCheckBox::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QCheckBox_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QCheckBox_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QCheckBox::leaveEvent(arg1); + QCheckBox::leaveEvent(event); } } @@ -932,18 +932,18 @@ class QCheckBox_Adaptor : public QCheckBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QCheckBox::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QCheckBox::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QCheckBox::mouseDoubleClickEvent(arg1); + QCheckBox::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QCheckBox_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QCheckBox_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QCheckBox::mouseDoubleClickEvent(arg1); + QCheckBox::mouseDoubleClickEvent(event); } } @@ -992,18 +992,18 @@ class QCheckBox_Adaptor : public QCheckBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QCheckBox::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QCheckBox::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QCheckBox::moveEvent(arg1); + QCheckBox::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QCheckBox_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QCheckBox_Adaptor::cbs_moveEvent_1624_0, event); } else { - QCheckBox::moveEvent(arg1); + QCheckBox::moveEvent(event); } } @@ -1067,18 +1067,18 @@ class QCheckBox_Adaptor : public QCheckBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QCheckBox::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QCheckBox::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QCheckBox::resizeEvent(arg1); + QCheckBox::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QCheckBox_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QCheckBox_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QCheckBox::resizeEvent(arg1); + QCheckBox::resizeEvent(event); } } @@ -1097,33 +1097,33 @@ class QCheckBox_Adaptor : public QCheckBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QCheckBox::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QCheckBox::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QCheckBox::showEvent(arg1); + QCheckBox::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QCheckBox_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QCheckBox_Adaptor::cbs_showEvent_1634_0, event); } else { - QCheckBox::showEvent(arg1); + QCheckBox::showEvent(event); } } - // [adaptor impl] void QCheckBox::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QCheckBox::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QCheckBox::tabletEvent(arg1); + QCheckBox::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QCheckBox_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QCheckBox_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QCheckBox::tabletEvent(arg1); + QCheckBox::tabletEvent(event); } } @@ -1142,18 +1142,18 @@ class QCheckBox_Adaptor : public QCheckBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QCheckBox::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QCheckBox::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QCheckBox::wheelEvent(arg1); + QCheckBox::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QCheckBox_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QCheckBox_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QCheckBox::wheelEvent(arg1); + QCheckBox::wheelEvent(event); } } @@ -1213,7 +1213,7 @@ QCheckBox_Adaptor::~QCheckBox_Adaptor() { } static void _init_ctor_QCheckBox_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1222,7 +1222,7 @@ static void _call_ctor_QCheckBox_Adaptor_1315 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QCheckBox_Adaptor (arg1)); } @@ -1233,7 +1233,7 @@ static void _init_ctor_QCheckBox_Adaptor_3232 (qt_gsi::GenericStaticMethod *decl { static gsi::ArgSpecBase argspec_0 ("text"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1243,16 +1243,16 @@ static void _call_ctor_QCheckBox_Adaptor_3232 (const qt_gsi::GenericStaticMethod __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QCheckBox_Adaptor (arg1, arg2)); } -// void QCheckBox::actionEvent(QActionEvent *) +// void QCheckBox::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1316,11 +1316,11 @@ static void _set_callback_cbs_checkStateSet_0_0 (void *cls, const gsi::Callback } -// void QCheckBox::childEvent(QChildEvent *) +// void QCheckBox::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1358,11 +1358,11 @@ static void _call_emitter_clicked_864 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QCheckBox::closeEvent(QCloseEvent *) +// void QCheckBox::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1382,11 +1382,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QCheckBox::contextMenuEvent(QContextMenuEvent *) +// void QCheckBox::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1449,11 +1449,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QCheckBox::customEvent(QEvent *) +// void QCheckBox::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1499,7 +1499,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1508,7 +1508,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QCheckBox_Adaptor *)cls)->emitter_QCheckBox_destroyed_1302 (arg1); } @@ -1537,11 +1537,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QCheckBox::dragEnterEvent(QDragEnterEvent *) +// void QCheckBox::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1561,11 +1561,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QCheckBox::dragLeaveEvent(QDragLeaveEvent *) +// void QCheckBox::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1585,11 +1585,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QCheckBox::dragMoveEvent(QDragMoveEvent *) +// void QCheckBox::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1609,11 +1609,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QCheckBox::dropEvent(QDropEvent *) +// void QCheckBox::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1633,11 +1633,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QCheckBox::enterEvent(QEvent *) +// void QCheckBox::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1680,13 +1680,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QCheckBox::eventFilter(QObject *, QEvent *) +// bool QCheckBox::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1847,11 +1847,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QCheckBox::hideEvent(QHideEvent *) +// void QCheckBox::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2050,11 +2050,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QCheckBox::leaveEvent(QEvent *) +// void QCheckBox::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2116,11 +2116,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QCheckBox::mouseDoubleClickEvent(QMouseEvent *) +// void QCheckBox::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2212,11 +2212,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QCheckBox::moveEvent(QMoveEvent *) +// void QCheckBox::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2415,11 +2415,11 @@ static void _call_emitter_released_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QCheckBox::resizeEvent(QResizeEvent *) +// void QCheckBox::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2510,11 +2510,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QCheckBox::showEvent(QShowEvent *) +// void QCheckBox::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2571,11 +2571,11 @@ static void _call_emitter_stateChanged_767 (const qt_gsi::GenericMethod * /*decl } -// void QCheckBox::tabletEvent(QTabletEvent *) +// void QCheckBox::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2652,11 +2652,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QCheckBox::wheelEvent(QWheelEvent *) +// void QCheckBox::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2739,40 +2739,40 @@ static gsi::Methods methods_QCheckBox_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCheckBox::QCheckBox(QWidget *parent)\nThis method creates an object of class QCheckBox.", &_init_ctor_QCheckBox_Adaptor_1315, &_call_ctor_QCheckBox_Adaptor_1315); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCheckBox::QCheckBox(const QString &text, QWidget *parent)\nThis method creates an object of class QCheckBox.", &_init_ctor_QCheckBox_Adaptor_3232, &_call_ctor_QCheckBox_Adaptor_3232); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QCheckBox::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QCheckBox::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QCheckBox::changeEvent(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*checkStateSet", "@brief Virtual method void QCheckBox::checkStateSet()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_checkStateSet_0_0, &_call_cbs_checkStateSet_0_0); methods += new qt_gsi::GenericMethod ("*checkStateSet", "@hide", false, &_init_cbs_checkStateSet_0_0, &_call_cbs_checkStateSet_0_0, &_set_callback_cbs_checkStateSet_0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCheckBox::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCheckBox::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_clicked", "@brief Emitter for signal void QCheckBox::clicked(bool checked)\nCall this method to emit this signal.", false, &_init_emitter_clicked_864, &_call_emitter_clicked_864); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QCheckBox::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QCheckBox::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QCheckBox::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QCheckBox::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QCheckBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QCheckBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QCheckBox::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCheckBox::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCheckBox::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QCheckBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QCheckBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCheckBox::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCheckBox::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QCheckBox::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QCheckBox::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QCheckBox::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QCheckBox::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QCheckBox::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QCheckBox::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QCheckBox::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QCheckBox::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QCheckBox::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QCheckBox::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QCheckBox::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCheckBox::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCheckBox::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QCheckBox::focusInEvent(QFocusEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); @@ -2786,7 +2786,7 @@ static gsi::Methods methods_QCheckBox_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QCheckBox::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QCheckBox::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QCheckBox::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hitButton", "@brief Virtual method bool QCheckBox::hitButton(const QPoint &pos)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hitButton_c1916_0, &_call_cbs_hitButton_c1916_0); methods += new qt_gsi::GenericMethod ("*hitButton", "@hide", true, &_init_cbs_hitButton_c1916_0, &_call_cbs_hitButton_c1916_0, &_set_callback_cbs_hitButton_c1916_0); @@ -2802,13 +2802,13 @@ static gsi::Methods methods_QCheckBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QCheckBox::keyReleaseEvent(QKeyEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QCheckBox::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QCheckBox::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QCheckBox::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QCheckBox::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QCheckBox::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QCheckBox::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QCheckBox::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -2816,7 +2816,7 @@ static gsi::Methods methods_QCheckBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QCheckBox::mouseReleaseEvent(QMouseEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QCheckBox::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QCheckBox::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QCheckBox::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2832,7 +2832,7 @@ static gsi::Methods methods_QCheckBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QCheckBox::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("emit_released", "@brief Emitter for signal void QCheckBox::released()\nCall this method to emit this signal.", false, &_init_emitter_released_0, &_call_emitter_released_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QCheckBox::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QCheckBox::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCheckBox::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCheckBox::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -2840,18 +2840,18 @@ static gsi::Methods methods_QCheckBox_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QCheckBox::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QCheckBox::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QCheckBox::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QCheckBox::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QCheckBox::stateChanged(int)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_767, &_call_emitter_stateChanged_767); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QCheckBox::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QCheckBox::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCheckBox::timerEvent(QTimerEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_toggled", "@brief Emitter for signal void QCheckBox::toggled(bool checked)\nCall this method to emit this signal.", false, &_init_emitter_toggled_864, &_call_emitter_toggled_864); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QCheckBox::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QCheckBox::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QCheckBox::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QCheckBox::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QCheckBox::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQColorDialog.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQColorDialog.cc index c75ac215d2..929c178af0 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQColorDialog.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQColorDialog.cc @@ -327,11 +327,11 @@ static void _init_f_getColor_9089 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("initial", true, "Qt::white"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("title", true, "QString()"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("options", true, "0"); + static gsi::ArgSpecBase argspec_3 ("options", true, "QColorDialog::ColorDialogOptions()"); decl->add_arg > (argspec_3); decl->set_return (); } @@ -341,9 +341,9 @@ static void _call_f_getColor_9089 (const qt_gsi::GenericStaticMethod * /*decl*/, __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QColor &arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (Qt::white, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const QString &arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); - QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QColorDialog::ColorDialogOptions(), heap); ret.write ((QColor)QColorDialog::getColor (arg1, arg2, arg3, arg4)); } @@ -355,9 +355,9 @@ static void _init_f_getRgba_3921 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("rgba", true, "0xffffffff"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_2 ("parent", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -367,8 +367,8 @@ static void _call_f_getRgba_3921 (const qt_gsi::GenericStaticMethod * /*decl*/, __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; unsigned int arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0xffffffff, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((unsigned int)QColorDialog::getRgba (arg1, arg2, arg3)); } @@ -850,18 +850,18 @@ class QColorDialog_Adaptor : public QColorDialog, public qt_gsi::QtObjectBase emit QColorDialog::windowTitleChanged(title); } - // [adaptor impl] void QColorDialog::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QColorDialog::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QColorDialog::actionEvent(arg1); + QColorDialog::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QColorDialog_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QColorDialog_Adaptor::cbs_actionEvent_1823_0, event); } else { - QColorDialog::actionEvent(arg1); + QColorDialog::actionEvent(event); } } @@ -880,18 +880,18 @@ class QColorDialog_Adaptor : public QColorDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QColorDialog::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QColorDialog::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QColorDialog::childEvent(arg1); + QColorDialog::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QColorDialog_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QColorDialog_Adaptor::cbs_childEvent_1701_0, event); } else { - QColorDialog::childEvent(arg1); + QColorDialog::childEvent(event); } } @@ -925,18 +925,18 @@ class QColorDialog_Adaptor : public QColorDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QColorDialog::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QColorDialog::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QColorDialog::customEvent(arg1); + QColorDialog::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QColorDialog_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QColorDialog_Adaptor::cbs_customEvent_1217_0, event); } else { - QColorDialog::customEvent(arg1); + QColorDialog::customEvent(event); } } @@ -970,93 +970,93 @@ class QColorDialog_Adaptor : public QColorDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QColorDialog::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QColorDialog::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QColorDialog::dragEnterEvent(arg1); + QColorDialog::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QColorDialog_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QColorDialog_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QColorDialog::dragEnterEvent(arg1); + QColorDialog::dragEnterEvent(event); } } - // [adaptor impl] void QColorDialog::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QColorDialog::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QColorDialog::dragLeaveEvent(arg1); + QColorDialog::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QColorDialog_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QColorDialog_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QColorDialog::dragLeaveEvent(arg1); + QColorDialog::dragLeaveEvent(event); } } - // [adaptor impl] void QColorDialog::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QColorDialog::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QColorDialog::dragMoveEvent(arg1); + QColorDialog::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QColorDialog_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QColorDialog_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QColorDialog::dragMoveEvent(arg1); + QColorDialog::dragMoveEvent(event); } } - // [adaptor impl] void QColorDialog::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QColorDialog::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QColorDialog::dropEvent(arg1); + QColorDialog::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QColorDialog_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QColorDialog_Adaptor::cbs_dropEvent_1622_0, event); } else { - QColorDialog::dropEvent(arg1); + QColorDialog::dropEvent(event); } } - // [adaptor impl] void QColorDialog::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QColorDialog::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QColorDialog::enterEvent(arg1); + QColorDialog::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QColorDialog_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QColorDialog_Adaptor::cbs_enterEvent_1217_0, event); } else { - QColorDialog::enterEvent(arg1); + QColorDialog::enterEvent(event); } } - // [adaptor impl] bool QColorDialog::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QColorDialog::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QColorDialog::event(arg1); + return QColorDialog::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QColorDialog_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QColorDialog_Adaptor::cbs_event_1217_0, _event); } else { - return QColorDialog::event(arg1); + return QColorDialog::event(_event); } } @@ -1075,18 +1075,18 @@ class QColorDialog_Adaptor : public QColorDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QColorDialog::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QColorDialog::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QColorDialog::focusInEvent(arg1); + QColorDialog::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QColorDialog_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QColorDialog_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QColorDialog::focusInEvent(arg1); + QColorDialog::focusInEvent(event); } } @@ -1105,33 +1105,33 @@ class QColorDialog_Adaptor : public QColorDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QColorDialog::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QColorDialog::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QColorDialog::focusOutEvent(arg1); + QColorDialog::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QColorDialog_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QColorDialog_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QColorDialog::focusOutEvent(arg1); + QColorDialog::focusOutEvent(event); } } - // [adaptor impl] void QColorDialog::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QColorDialog::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QColorDialog::hideEvent(arg1); + QColorDialog::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QColorDialog_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QColorDialog_Adaptor::cbs_hideEvent_1595_0, event); } else { - QColorDialog::hideEvent(arg1); + QColorDialog::hideEvent(event); } } @@ -1180,33 +1180,33 @@ class QColorDialog_Adaptor : public QColorDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QColorDialog::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QColorDialog::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QColorDialog::keyReleaseEvent(arg1); + QColorDialog::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QColorDialog_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QColorDialog_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QColorDialog::keyReleaseEvent(arg1); + QColorDialog::keyReleaseEvent(event); } } - // [adaptor impl] void QColorDialog::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QColorDialog::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QColorDialog::leaveEvent(arg1); + QColorDialog::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QColorDialog_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QColorDialog_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QColorDialog::leaveEvent(arg1); + QColorDialog::leaveEvent(event); } } @@ -1225,78 +1225,78 @@ class QColorDialog_Adaptor : public QColorDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QColorDialog::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QColorDialog::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QColorDialog::mouseDoubleClickEvent(arg1); + QColorDialog::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QColorDialog_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QColorDialog_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QColorDialog::mouseDoubleClickEvent(arg1); + QColorDialog::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QColorDialog::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QColorDialog::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QColorDialog::mouseMoveEvent(arg1); + QColorDialog::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QColorDialog_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QColorDialog_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QColorDialog::mouseMoveEvent(arg1); + QColorDialog::mouseMoveEvent(event); } } - // [adaptor impl] void QColorDialog::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QColorDialog::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QColorDialog::mousePressEvent(arg1); + QColorDialog::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QColorDialog_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QColorDialog_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QColorDialog::mousePressEvent(arg1); + QColorDialog::mousePressEvent(event); } } - // [adaptor impl] void QColorDialog::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QColorDialog::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QColorDialog::mouseReleaseEvent(arg1); + QColorDialog::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QColorDialog_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QColorDialog_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QColorDialog::mouseReleaseEvent(arg1); + QColorDialog::mouseReleaseEvent(event); } } - // [adaptor impl] void QColorDialog::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QColorDialog::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QColorDialog::moveEvent(arg1); + QColorDialog::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QColorDialog_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QColorDialog_Adaptor::cbs_moveEvent_1624_0, event); } else { - QColorDialog::moveEvent(arg1); + QColorDialog::moveEvent(event); } } @@ -1315,18 +1315,18 @@ class QColorDialog_Adaptor : public QColorDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QColorDialog::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QColorDialog::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QColorDialog::paintEvent(arg1); + QColorDialog::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QColorDialog_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QColorDialog_Adaptor::cbs_paintEvent_1725_0, event); } else { - QColorDialog::paintEvent(arg1); + QColorDialog::paintEvent(event); } } @@ -1390,48 +1390,48 @@ class QColorDialog_Adaptor : public QColorDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QColorDialog::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QColorDialog::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QColorDialog::tabletEvent(arg1); + QColorDialog::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QColorDialog_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QColorDialog_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QColorDialog::tabletEvent(arg1); + QColorDialog::tabletEvent(event); } } - // [adaptor impl] void QColorDialog::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QColorDialog::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QColorDialog::timerEvent(arg1); + QColorDialog::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QColorDialog_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QColorDialog_Adaptor::cbs_timerEvent_1730_0, event); } else { - QColorDialog::timerEvent(arg1); + QColorDialog::timerEvent(event); } } - // [adaptor impl] void QColorDialog::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QColorDialog::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QColorDialog::wheelEvent(arg1); + QColorDialog::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QColorDialog_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QColorDialog_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QColorDialog::wheelEvent(arg1); + QColorDialog::wheelEvent(event); } } @@ -1493,7 +1493,7 @@ QColorDialog_Adaptor::~QColorDialog_Adaptor() { } static void _init_ctor_QColorDialog_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1502,7 +1502,7 @@ static void _call_ctor_QColorDialog_Adaptor_1315 (const qt_gsi::GenericStaticMet { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QColorDialog_Adaptor (arg1)); } @@ -1513,7 +1513,7 @@ static void _init_ctor_QColorDialog_Adaptor_3112 (qt_gsi::GenericStaticMethod *d { static gsi::ArgSpecBase argspec_0 ("initial"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1523,7 +1523,7 @@ static void _call_ctor_QColorDialog_Adaptor_3112 (const qt_gsi::GenericStaticMet __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QColor &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QColorDialog_Adaptor (arg1, arg2)); } @@ -1562,11 +1562,11 @@ static void _call_emitter_accepted_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QColorDialog::actionEvent(QActionEvent *) +// void QColorDialog::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1629,11 +1629,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QColorDialog::childEvent(QChildEvent *) +// void QColorDialog::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1780,11 +1780,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QColorDialog::customEvent(QEvent *) +// void QColorDialog::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1830,7 +1830,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1839,7 +1839,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QColorDialog_Adaptor *)cls)->emitter_QColorDialog_destroyed_1302 (arg1); } @@ -1892,11 +1892,11 @@ static void _set_callback_cbs_done_767_0 (void *cls, const gsi::Callback &cb) } -// void QColorDialog::dragEnterEvent(QDragEnterEvent *) +// void QColorDialog::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1916,11 +1916,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QColorDialog::dragLeaveEvent(QDragLeaveEvent *) +// void QColorDialog::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1940,11 +1940,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QColorDialog::dragMoveEvent(QDragMoveEvent *) +// void QColorDialog::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1964,11 +1964,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QColorDialog::dropEvent(QDropEvent *) +// void QColorDialog::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1988,11 +1988,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QColorDialog::enterEvent(QEvent *) +// void QColorDialog::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2012,11 +2012,11 @@ static void _set_callback_cbs_enterEvent_1217_0 (void *cls, const gsi::Callback } -// bool QColorDialog::event(QEvent *) +// bool QColorDialog::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2098,11 +2098,11 @@ static void _call_emitter_finished_767 (const qt_gsi::GenericMethod * /*decl*/, } -// void QColorDialog::focusInEvent(QFocusEvent *) +// void QColorDialog::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2159,11 +2159,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QColorDialog::focusOutEvent(QFocusEvent *) +// void QColorDialog::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2239,11 +2239,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QColorDialog::hideEvent(QHideEvent *) +// void QColorDialog::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2376,11 +2376,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QColorDialog::keyReleaseEvent(QKeyEvent *) +// void QColorDialog::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2400,11 +2400,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QColorDialog::leaveEvent(QEvent *) +// void QColorDialog::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2466,11 +2466,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QColorDialog::mouseDoubleClickEvent(QMouseEvent *) +// void QColorDialog::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2490,11 +2490,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QColorDialog::mouseMoveEvent(QMouseEvent *) +// void QColorDialog::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2514,11 +2514,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QColorDialog::mousePressEvent(QMouseEvent *) +// void QColorDialog::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2538,11 +2538,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QColorDialog::mouseReleaseEvent(QMouseEvent *) +// void QColorDialog::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2562,11 +2562,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QColorDialog::moveEvent(QMoveEvent *) +// void QColorDialog::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2672,11 +2672,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QColorDialog::paintEvent(QPaintEvent *) +// void QColorDialog::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2909,11 +2909,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QColorDialog::tabletEvent(QTabletEvent *) +// void QColorDialog::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2933,11 +2933,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QColorDialog::timerEvent(QTimerEvent *) +// void QColorDialog::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2972,11 +2972,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QColorDialog::wheelEvent(QWheelEvent *) +// void QColorDialog::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3062,59 +3062,59 @@ static gsi::Methods methods_QColorDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("accept", "@brief Virtual method void QColorDialog::accept()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("accept", "@hide", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0, &_set_callback_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("emit_accepted", "@brief Emitter for signal void QColorDialog::accepted()\nCall this method to emit this signal.", false, &_init_emitter_accepted_0, &_call_emitter_accepted_0); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QColorDialog::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QColorDialog::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*adjustPosition", "@brief Method void QColorDialog::adjustPosition(QWidget *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_adjustPosition_1315, &_call_fp_adjustPosition_1315); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QColorDialog::changeEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QColorDialog::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QColorDialog::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QColorDialog::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("emit_colorSelected", "@brief Emitter for signal void QColorDialog::colorSelected(const QColor &color)\nCall this method to emit this signal.", false, &_init_emitter_colorSelected_1905, &_call_emitter_colorSelected_1905); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QColorDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QColorDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QColorDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentColorChanged", "@brief Emitter for signal void QColorDialog::currentColorChanged(const QColor &color)\nCall this method to emit this signal.", false, &_init_emitter_currentColorChanged_1905, &_call_emitter_currentColorChanged_1905); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QColorDialog::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QColorDialog::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QColorDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QColorDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QColorDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QColorDialog::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QColorDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*done", "@brief Virtual method void QColorDialog::done(int result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0); methods += new qt_gsi::GenericMethod ("*done", "@hide", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0, &_set_callback_cbs_done_767_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QColorDialog::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QColorDialog::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QColorDialog::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QColorDialog::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QColorDialog::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QColorDialog::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QColorDialog::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QColorDialog::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QColorDialog::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QColorDialog::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QColorDialog::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QColorDialog::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QColorDialog::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("exec", "@brief Virtual method int QColorDialog::exec()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("exec", "@hide", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0, &_set_callback_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QColorDialog::finished(int result)\nCall this method to emit this signal.", false, &_init_emitter_finished_767, &_call_emitter_finished_767); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QColorDialog::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QColorDialog::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QColorDialog::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QColorDialog::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QColorDialog::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QColorDialog::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QColorDialog::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QColorDialog::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QColorDialog::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QColorDialog::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QColorDialog::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QColorDialog::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -3125,23 +3125,23 @@ static gsi::Methods methods_QColorDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QColorDialog::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QColorDialog::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QColorDialog::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QColorDialog::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QColorDialog::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QColorDialog::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QColorDialog::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QColorDialog::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QColorDialog::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QColorDialog::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QColorDialog::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QColorDialog::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QColorDialog::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QColorDialog::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QColorDialog::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QColorDialog::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QColorDialog::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QColorDialog::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QColorDialog::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3150,7 +3150,7 @@ static gsi::Methods methods_QColorDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("open", "@hide", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0, &_set_callback_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QColorDialog::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QColorDialog::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QColorDialog::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QColorDialog::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QColorDialog::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); @@ -3170,12 +3170,12 @@ static gsi::Methods methods_QColorDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QColorDialog::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QColorDialog::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QColorDialog::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QColorDialog::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QColorDialog::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QColorDialog::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QColorDialog::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QColorDialog::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QColorDialog::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QColorDialog::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQColumnView.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQColumnView.cc index 2173a3646e..4a808c3c18 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQColumnView.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQColumnView.cc @@ -1018,18 +1018,18 @@ class QColumnView_Adaptor : public QColumnView, public qt_gsi::QtObjectBase emit QColumnView::windowTitleChanged(title); } - // [adaptor impl] void QColumnView::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QColumnView::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QColumnView::actionEvent(arg1); + QColumnView::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QColumnView_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QColumnView_Adaptor::cbs_actionEvent_1823_0, event); } else { - QColumnView::actionEvent(arg1); + QColumnView::actionEvent(event); } } @@ -1048,18 +1048,18 @@ class QColumnView_Adaptor : public QColumnView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QColumnView::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QColumnView::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QColumnView::childEvent(arg1); + QColumnView::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QColumnView_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QColumnView_Adaptor::cbs_childEvent_1701_0, event); } else { - QColumnView::childEvent(arg1); + QColumnView::childEvent(event); } } @@ -1078,18 +1078,18 @@ class QColumnView_Adaptor : public QColumnView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QColumnView::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QColumnView::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QColumnView::closeEvent(arg1); + QColumnView::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QColumnView_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QColumnView_Adaptor::cbs_closeEvent_1719_0, event); } else { - QColumnView::closeEvent(arg1); + QColumnView::closeEvent(event); } } @@ -1153,18 +1153,18 @@ class QColumnView_Adaptor : public QColumnView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QColumnView::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QColumnView::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QColumnView::customEvent(arg1); + QColumnView::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QColumnView_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QColumnView_Adaptor::cbs_customEvent_1217_0, event); } else { - QColumnView::customEvent(arg1); + QColumnView::customEvent(event); } } @@ -1288,18 +1288,18 @@ class QColumnView_Adaptor : public QColumnView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QColumnView::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QColumnView::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QColumnView::enterEvent(arg1); + QColumnView::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QColumnView_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QColumnView_Adaptor::cbs_enterEvent_1217_0, event); } else { - QColumnView::enterEvent(arg1); + QColumnView::enterEvent(event); } } @@ -1318,18 +1318,18 @@ class QColumnView_Adaptor : public QColumnView, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QColumnView::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QColumnView::eventFilter(QObject *object, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *object, QEvent *event) { - return QColumnView::eventFilter(arg1, arg2); + return QColumnView::eventFilter(object, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *object, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QColumnView_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QColumnView_Adaptor::cbs_eventFilter_2411_0, object, event); } else { - return QColumnView::eventFilter(arg1, arg2); + return QColumnView::eventFilter(object, event); } } @@ -1378,18 +1378,18 @@ class QColumnView_Adaptor : public QColumnView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QColumnView::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QColumnView::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QColumnView::hideEvent(arg1); + QColumnView::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QColumnView_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QColumnView_Adaptor::cbs_hideEvent_1595_0, event); } else { - QColumnView::hideEvent(arg1); + QColumnView::hideEvent(event); } } @@ -1498,33 +1498,33 @@ class QColumnView_Adaptor : public QColumnView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QColumnView::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QColumnView::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QColumnView::keyReleaseEvent(arg1); + QColumnView::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QColumnView_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QColumnView_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QColumnView::keyReleaseEvent(arg1); + QColumnView::keyReleaseEvent(event); } } - // [adaptor impl] void QColumnView::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QColumnView::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QColumnView::leaveEvent(arg1); + QColumnView::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QColumnView_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QColumnView_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QColumnView::leaveEvent(arg1); + QColumnView::leaveEvent(event); } } @@ -1618,18 +1618,18 @@ class QColumnView_Adaptor : public QColumnView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QColumnView::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QColumnView::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QColumnView::moveEvent(arg1); + QColumnView::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QColumnView_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QColumnView_Adaptor::cbs_moveEvent_1624_0, event); } else { - QColumnView::moveEvent(arg1); + QColumnView::moveEvent(event); } } @@ -1813,18 +1813,18 @@ class QColumnView_Adaptor : public QColumnView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QColumnView::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QColumnView::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QColumnView::showEvent(arg1); + QColumnView::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QColumnView_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QColumnView_Adaptor::cbs_showEvent_1634_0, event); } else { - QColumnView::showEvent(arg1); + QColumnView::showEvent(event); } } @@ -1843,18 +1843,18 @@ class QColumnView_Adaptor : public QColumnView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QColumnView::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QColumnView::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QColumnView::tabletEvent(arg1); + QColumnView::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QColumnView_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QColumnView_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QColumnView::tabletEvent(arg1); + QColumnView::tabletEvent(event); } } @@ -2134,7 +2134,7 @@ QColumnView_Adaptor::~QColumnView_Adaptor() { } static void _init_ctor_QColumnView_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -2143,16 +2143,16 @@ static void _call_ctor_QColumnView_Adaptor_1315 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QColumnView_Adaptor (arg1)); } -// void QColumnView::actionEvent(QActionEvent *) +// void QColumnView::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2214,11 +2214,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QColumnView::childEvent(QChildEvent *) +// void QColumnView::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2283,11 +2283,11 @@ static void _set_callback_cbs_closeEditor_4926_0 (void *cls, const gsi::Callback } -// void QColumnView::closeEvent(QCloseEvent *) +// void QColumnView::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2448,11 +2448,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QColumnView::customEvent(QEvent *) +// void QColumnView::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2528,7 +2528,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2537,7 +2537,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QColumnView_Adaptor *)cls)->emitter_QColumnView_destroyed_1302 (arg1); } @@ -2815,11 +2815,11 @@ static void _set_callback_cbs_editorDestroyed_1302_0 (void *cls, const gsi::Call } -// void QColumnView::enterEvent(QEvent *) +// void QColumnView::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2880,13 +2880,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QColumnView::eventFilter(QObject *, QEvent *) +// bool QColumnView::eventFilter(QObject *object, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("object"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -3062,11 +3062,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QColumnView::hideEvent(QHideEvent *) +// void QColumnView::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3382,11 +3382,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QColumnView::keyReleaseEvent(QKeyEvent *) +// void QColumnView::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3430,11 +3430,11 @@ static void _set_callback_cbs_keyboardSearch_2025_0 (void *cls, const gsi::Callb } -// void QColumnView::leaveEvent(QEvent *) +// void QColumnView::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3618,11 +3618,11 @@ static void _set_callback_cbs_moveCursor_6476_0 (void *cls, const gsi::Callback } -// void QColumnView::moveEvent(QMoveEvent *) +// void QColumnView::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4395,11 +4395,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QColumnView::showEvent(QShowEvent *) +// void QColumnView::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4552,11 +4552,11 @@ static void _call_fp_stopAutoScroll_0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QColumnView::tabletEvent(QTabletEvent *) +// void QColumnView::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4995,33 +4995,33 @@ gsi::Class &qtdecl_QColumnView (); static gsi::Methods methods_QColumnView_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColumnView::QColumnView(QWidget *parent)\nThis method creates an object of class QColumnView.", &_init_ctor_QColumnView_Adaptor_1315, &_call_ctor_QColumnView_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QColumnView::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QColumnView::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("emit_activated", "@brief Emitter for signal void QColumnView::activated(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_activated_2395, &_call_emitter_activated_2395); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QColumnView::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QColumnView::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QColumnView::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_clicked", "@brief Emitter for signal void QColumnView::clicked(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_clicked_2395, &_call_emitter_clicked_2395); methods += new qt_gsi::GenericMethod ("*closeEditor", "@brief Virtual method void QColumnView::closeEditor(QWidget *editor, QAbstractItemDelegate::EndEditHint hint)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEditor_4926_0, &_call_cbs_closeEditor_4926_0); methods += new qt_gsi::GenericMethod ("*closeEditor", "@hide", false, &_init_cbs_closeEditor_4926_0, &_call_cbs_closeEditor_4926_0, &_set_callback_cbs_closeEditor_4926_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QColumnView::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QColumnView::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*commitData", "@brief Virtual method void QColumnView::commitData(QWidget *editor)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*commitData", "@hide", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0, &_set_callback_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QColumnView::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QColumnView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QColumnView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*createColumn", "@brief Virtual method QAbstractItemView *QColumnView::createColumn(const QModelIndex &rootIndex)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_createColumn_2395_0, &_call_cbs_createColumn_2395_0); methods += new qt_gsi::GenericMethod ("*createColumn", "@hide", false, &_init_cbs_createColumn_2395_0, &_call_cbs_createColumn_2395_0, &_set_callback_cbs_createColumn_2395_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@brief Virtual method void QColumnView::currentChanged(const QModelIndex ¤t, const QModelIndex &previous)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@hide", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0, &_set_callback_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QColumnView::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QColumnView::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QColumnView::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*dataChanged", "@brief Virtual method void QColumnView::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QVector &roles)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dataChanged_7048_1, &_call_cbs_dataChanged_7048_1); methods += new qt_gsi::GenericMethod ("*dataChanged", "@hide", false, &_init_cbs_dataChanged_7048_1, &_call_cbs_dataChanged_7048_1, &_set_callback_cbs_dataChanged_7048_1); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QColumnView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QColumnView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QColumnView::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*dirtyRegionOffset", "@brief Method QPoint QColumnView::dirtyRegionOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_dirtyRegionOffset_c0, &_call_fp_dirtyRegionOffset_c0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QColumnView::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -5044,12 +5044,12 @@ static gsi::Methods methods_QColumnView_Adaptor () { methods += new qt_gsi::GenericMethod ("*edit", "@hide", false, &_init_cbs_edit_6773_0, &_call_cbs_edit_6773_0, &_set_callback_cbs_edit_6773_0); methods += new qt_gsi::GenericMethod ("*editorDestroyed", "@brief Virtual method void QColumnView::editorDestroyed(QObject *editor)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_editorDestroyed_1302_0, &_call_cbs_editorDestroyed_1302_0); methods += new qt_gsi::GenericMethod ("*editorDestroyed", "@hide", false, &_init_cbs_editorDestroyed_1302_0, &_call_cbs_editorDestroyed_1302_0, &_set_callback_cbs_editorDestroyed_1302_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QColumnView::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QColumnView::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_entered", "@brief Emitter for signal void QColumnView::entered(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_entered_2395, &_call_emitter_entered_2395); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QColumnView::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QColumnView::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QColumnView::eventFilter(QObject *object, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*executeDelayedItemsLayout", "@brief Method void QColumnView::executeDelayedItemsLayout()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_executeDelayedItemsLayout_0, &_call_fp_executeDelayedItemsLayout_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QColumnView::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); @@ -5064,7 +5064,7 @@ static gsi::Methods methods_QColumnView_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QColumnView::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QColumnView::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QColumnView::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*horizontalOffset", "@brief Virtual method int QColumnView::horizontalOffset()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_horizontalOffset_c0_0, &_call_cbs_horizontalOffset_c0_0); methods += new qt_gsi::GenericMethod ("*horizontalOffset", "@hide", true, &_init_cbs_horizontalOffset_c0_0, &_call_cbs_horizontalOffset_c0_0, &_set_callback_cbs_horizontalOffset_c0_0); @@ -5089,11 +5089,11 @@ static gsi::Methods methods_QColumnView_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QColumnView::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QColumnView::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QColumnView::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QColumnView::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("keyboardSearch", "@brief Virtual method void QColumnView::keyboardSearch(const QString &search)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyboardSearch_2025_0, &_call_cbs_keyboardSearch_2025_0); methods += new qt_gsi::GenericMethod ("keyboardSearch", "@hide", false, &_init_cbs_keyboardSearch_2025_0, &_call_cbs_keyboardSearch_2025_0, &_set_callback_cbs_keyboardSearch_2025_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QColumnView::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QColumnView::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QColumnView::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); @@ -5109,7 +5109,7 @@ static gsi::Methods methods_QColumnView_Adaptor () { methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*moveCursor", "@brief Virtual method QModelIndex QColumnView::moveCursor(QAbstractItemView::CursorAction cursorAction, QFlags modifiers)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveCursor_6476_0, &_call_cbs_moveCursor_6476_0); methods += new qt_gsi::GenericMethod ("*moveCursor", "@hide", false, &_init_cbs_moveCursor_6476_0, &_call_cbs_moveCursor_6476_0, &_set_callback_cbs_moveCursor_6476_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QColumnView::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QColumnView::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QColumnView::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -5166,7 +5166,7 @@ static gsi::Methods methods_QColumnView_Adaptor () { methods += new qt_gsi::GenericMethod ("setupViewport", "@hide", false, &_init_cbs_setupViewport_1315_0, &_call_cbs_setupViewport_1315_0, &_set_callback_cbs_setupViewport_1315_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QColumnView::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QColumnView::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QColumnView::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QColumnView::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); @@ -5179,7 +5179,7 @@ static gsi::Methods methods_QColumnView_Adaptor () { methods += new qt_gsi::GenericMethod ("*startDrag", "@hide", false, &_init_cbs_startDrag_2456_0, &_call_cbs_startDrag_2456_0, &_set_callback_cbs_startDrag_2456_0); methods += new qt_gsi::GenericMethod ("*state", "@brief Method QAbstractItemView::State QColumnView::state()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_state_c0, &_call_fp_state_c0); methods += new qt_gsi::GenericMethod ("*stopAutoScroll", "@brief Method void QColumnView::stopAutoScroll()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_stopAutoScroll_0, &_call_fp_stopAutoScroll_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QColumnView::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QColumnView::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QColumnView::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQComboBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQComboBox.cc index d94ca06693..9011991612 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQComboBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQComboBox.cc @@ -463,6 +463,28 @@ static void _call_f_inputMethodQuery_c2420 (const qt_gsi::GenericMethod * /*decl } +// QVariant QComboBox::inputMethodQuery(Qt::InputMethodQuery query, const QVariant &argument) + + +static void _init_f_inputMethodQuery_c4431 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("query"); + decl->add_arg::target_type & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("argument"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_inputMethodQuery_c4431 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + const QVariant &arg2 = gsi::arg_reader() (args, heap); + ret.write ((QVariant)((QComboBox *)cls)->inputMethodQuery (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2)); +} + + // void QComboBox::insertItem(int index, const QString &text, const QVariant &userData) @@ -1470,6 +1492,7 @@ static gsi::Methods methods_QComboBox () { methods += new qt_gsi::GenericMethod ("hidePopup", "@brief Method void QComboBox::hidePopup()\n", false, &_init_f_hidePopup_0, &_call_f_hidePopup_0); methods += new qt_gsi::GenericMethod (":iconSize", "@brief Method QSize QComboBox::iconSize()\n", true, &_init_f_iconSize_c0, &_call_f_iconSize_c0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Method QVariant QComboBox::inputMethodQuery(Qt::InputMethodQuery)\nThis is a reimplementation of QWidget::inputMethodQuery", true, &_init_f_inputMethodQuery_c2420, &_call_f_inputMethodQuery_c2420); + methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Method QVariant QComboBox::inputMethodQuery(Qt::InputMethodQuery query, const QVariant &argument)\n", true, &_init_f_inputMethodQuery_c4431, &_call_f_inputMethodQuery_c4431); methods += new qt_gsi::GenericMethod ("insertItem", "@brief Method void QComboBox::insertItem(int index, const QString &text, const QVariant &userData)\n", false, &_init_f_insertItem_4695, &_call_f_insertItem_4695); methods += new qt_gsi::GenericMethod ("insertItem", "@brief Method void QComboBox::insertItem(int index, const QIcon &icon, const QString &text, const QVariant &userData)\n", false, &_init_f_insertItem_6374, &_call_f_insertItem_6374); methods += new qt_gsi::GenericMethod ("insertItems", "@brief Method void QComboBox::insertItems(int index, const QStringList &texts)\n", false, &_init_f_insertItems_3096, &_call_f_insertItems_3096); @@ -1680,18 +1703,18 @@ class QComboBox_Adaptor : public QComboBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QComboBox::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QComboBox::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QComboBox::eventFilter(arg1, arg2); + return QComboBox::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QComboBox_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QComboBox_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QComboBox::eventFilter(arg1, arg2); + return QComboBox::eventFilter(watched, event); } } @@ -1867,18 +1890,18 @@ class QComboBox_Adaptor : public QComboBox, public qt_gsi::QtObjectBase emit QComboBox::windowTitleChanged(title); } - // [adaptor impl] void QComboBox::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QComboBox::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QComboBox::actionEvent(arg1); + QComboBox::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QComboBox_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QComboBox_Adaptor::cbs_actionEvent_1823_0, event); } else { - QComboBox::actionEvent(arg1); + QComboBox::actionEvent(event); } } @@ -1897,33 +1920,33 @@ class QComboBox_Adaptor : public QComboBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QComboBox::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QComboBox::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QComboBox::childEvent(arg1); + QComboBox::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QComboBox_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QComboBox_Adaptor::cbs_childEvent_1701_0, event); } else { - QComboBox::childEvent(arg1); + QComboBox::childEvent(event); } } - // [adaptor impl] void QComboBox::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QComboBox::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QComboBox::closeEvent(arg1); + QComboBox::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QComboBox_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QComboBox_Adaptor::cbs_closeEvent_1719_0, event); } else { - QComboBox::closeEvent(arg1); + QComboBox::closeEvent(event); } } @@ -1942,18 +1965,18 @@ class QComboBox_Adaptor : public QComboBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QComboBox::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QComboBox::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QComboBox::customEvent(arg1); + QComboBox::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QComboBox_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QComboBox_Adaptor::cbs_customEvent_1217_0, event); } else { - QComboBox::customEvent(arg1); + QComboBox::customEvent(event); } } @@ -1972,78 +1995,78 @@ class QComboBox_Adaptor : public QComboBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QComboBox::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QComboBox::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QComboBox::dragEnterEvent(arg1); + QComboBox::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QComboBox_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QComboBox_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QComboBox::dragEnterEvent(arg1); + QComboBox::dragEnterEvent(event); } } - // [adaptor impl] void QComboBox::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QComboBox::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QComboBox::dragLeaveEvent(arg1); + QComboBox::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QComboBox_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QComboBox_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QComboBox::dragLeaveEvent(arg1); + QComboBox::dragLeaveEvent(event); } } - // [adaptor impl] void QComboBox::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QComboBox::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QComboBox::dragMoveEvent(arg1); + QComboBox::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QComboBox_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QComboBox_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QComboBox::dragMoveEvent(arg1); + QComboBox::dragMoveEvent(event); } } - // [adaptor impl] void QComboBox::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QComboBox::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QComboBox::dropEvent(arg1); + QComboBox::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QComboBox_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QComboBox_Adaptor::cbs_dropEvent_1622_0, event); } else { - QComboBox::dropEvent(arg1); + QComboBox::dropEvent(event); } } - // [adaptor impl] void QComboBox::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QComboBox::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QComboBox::enterEvent(arg1); + QComboBox::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QComboBox_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QComboBox_Adaptor::cbs_enterEvent_1217_0, event); } else { - QComboBox::enterEvent(arg1); + QComboBox::enterEvent(event); } } @@ -2167,18 +2190,18 @@ class QComboBox_Adaptor : public QComboBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QComboBox::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QComboBox::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QComboBox::leaveEvent(arg1); + QComboBox::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QComboBox_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QComboBox_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QComboBox::leaveEvent(arg1); + QComboBox::leaveEvent(event); } } @@ -2197,33 +2220,33 @@ class QComboBox_Adaptor : public QComboBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QComboBox::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QComboBox::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QComboBox::mouseDoubleClickEvent(arg1); + QComboBox::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QComboBox_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QComboBox_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QComboBox::mouseDoubleClickEvent(arg1); + QComboBox::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QComboBox::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QComboBox::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QComboBox::mouseMoveEvent(arg1); + QComboBox::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QComboBox_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QComboBox_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QComboBox::mouseMoveEvent(arg1); + QComboBox::mouseMoveEvent(event); } } @@ -2257,18 +2280,18 @@ class QComboBox_Adaptor : public QComboBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QComboBox::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QComboBox::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QComboBox::moveEvent(arg1); + QComboBox::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QComboBox_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QComboBox_Adaptor::cbs_moveEvent_1624_0, event); } else { - QComboBox::moveEvent(arg1); + QComboBox::moveEvent(event); } } @@ -2362,33 +2385,33 @@ class QComboBox_Adaptor : public QComboBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QComboBox::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QComboBox::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QComboBox::tabletEvent(arg1); + QComboBox::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QComboBox_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QComboBox_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QComboBox::tabletEvent(arg1); + QComboBox::tabletEvent(event); } } - // [adaptor impl] void QComboBox::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QComboBox::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QComboBox::timerEvent(arg1); + QComboBox::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QComboBox_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QComboBox_Adaptor::cbs_timerEvent_1730_0, event); } else { - QComboBox::timerEvent(arg1); + QComboBox::timerEvent(event); } } @@ -2462,7 +2485,7 @@ QComboBox_Adaptor::~QComboBox_Adaptor() { } static void _init_ctor_QComboBox_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -2471,16 +2494,16 @@ static void _call_ctor_QComboBox_Adaptor_1315 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QComboBox_Adaptor (arg1)); } -// void QComboBox::actionEvent(QActionEvent *) +// void QComboBox::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2560,11 +2583,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QComboBox::childEvent(QChildEvent *) +// void QComboBox::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2584,11 +2607,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QComboBox::closeEvent(QCloseEvent *) +// void QComboBox::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2729,11 +2752,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QComboBox::customEvent(QEvent *) +// void QComboBox::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2779,7 +2802,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2788,7 +2811,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QComboBox_Adaptor *)cls)->emitter_QComboBox_destroyed_1302 (arg1); } @@ -2817,11 +2840,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QComboBox::dragEnterEvent(QDragEnterEvent *) +// void QComboBox::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2841,11 +2864,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QComboBox::dragLeaveEvent(QDragLeaveEvent *) +// void QComboBox::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2865,11 +2888,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QComboBox::dragMoveEvent(QDragMoveEvent *) +// void QComboBox::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2889,11 +2912,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QComboBox::dropEvent(QDropEvent *) +// void QComboBox::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2931,11 +2954,11 @@ static void _call_emitter_editTextChanged_2025 (const qt_gsi::GenericMethod * /* } -// void QComboBox::enterEvent(QEvent *) +// void QComboBox::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2978,13 +3001,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QComboBox::eventFilter(QObject *, QEvent *) +// bool QComboBox::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -3381,11 +3404,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QComboBox::leaveEvent(QEvent *) +// void QComboBox::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3447,11 +3470,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QComboBox::mouseDoubleClickEvent(QMouseEvent *) +// void QComboBox::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3471,11 +3494,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QComboBox::mouseMoveEvent(QMouseEvent *) +// void QComboBox::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3543,11 +3566,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QComboBox::moveEvent(QMoveEvent *) +// void QComboBox::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3856,11 +3879,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QComboBox::tabletEvent(QTabletEvent *) +// void QComboBox::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3880,11 +3903,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QComboBox::timerEvent(QTimerEvent *) +// void QComboBox::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4005,43 +4028,43 @@ gsi::Class &qtdecl_QComboBox (); static gsi::Methods methods_QComboBox_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QComboBox::QComboBox(QWidget *parent)\nThis method creates an object of class QComboBox.", &_init_ctor_QComboBox_Adaptor_1315, &_call_ctor_QComboBox_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QComboBox::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QComboBox::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("emit_activated", "@brief Emitter for signal void QComboBox::activated(int index)\nCall this method to emit this signal.", false, &_init_emitter_activated_767, &_call_emitter_activated_767); methods += new qt_gsi::GenericMethod ("emit_activated_qs", "@brief Emitter for signal void QComboBox::activated(const QString &)\nCall this method to emit this signal.", false, &_init_emitter_activated_2025, &_call_emitter_activated_2025); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QComboBox::changeEvent(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QComboBox::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QComboBox::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QComboBox::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QComboBox::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QComboBox::contextMenuEvent(QContextMenuEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QComboBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QComboBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentIndexChanged", "@brief Emitter for signal void QComboBox::currentIndexChanged(int index)\nCall this method to emit this signal.", false, &_init_emitter_currentIndexChanged_767, &_call_emitter_currentIndexChanged_767); methods += new qt_gsi::GenericMethod ("emit_currentIndexChanged_qs", "@brief Emitter for signal void QComboBox::currentIndexChanged(const QString &)\nCall this method to emit this signal.", false, &_init_emitter_currentIndexChanged_2025, &_call_emitter_currentIndexChanged_2025); methods += new qt_gsi::GenericMethod ("emit_currentTextChanged", "@brief Emitter for signal void QComboBox::currentTextChanged(const QString &)\nCall this method to emit this signal.", false, &_init_emitter_currentTextChanged_2025, &_call_emitter_currentTextChanged_2025); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QComboBox::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QComboBox::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QComboBox::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QComboBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QComboBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QComboBox::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QComboBox::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QComboBox::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QComboBox::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QComboBox::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QComboBox::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QComboBox::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QComboBox::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QComboBox::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QComboBox::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("emit_editTextChanged", "@brief Emitter for signal void QComboBox::editTextChanged(const QString &)\nCall this method to emit this signal.", false, &_init_emitter_editTextChanged_2025, &_call_emitter_editTextChanged_2025); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QComboBox::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QComboBox::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QComboBox::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QComboBox::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QComboBox::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QComboBox::focusInEvent(QFocusEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); @@ -4073,21 +4096,21 @@ static gsi::Methods methods_QComboBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QComboBox::keyReleaseEvent(QKeyEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QComboBox::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QComboBox::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QComboBox::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QComboBox::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QComboBox::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QComboBox::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QComboBox::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QComboBox::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QComboBox::mousePressEvent(QMouseEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QComboBox::mouseReleaseEvent(QMouseEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QComboBox::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QComboBox::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QComboBox::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -4113,9 +4136,9 @@ static gsi::Methods methods_QComboBox_Adaptor () { methods += new qt_gsi::GenericMethod ("showPopup", "@hide", false, &_init_cbs_showPopup_0_0, &_call_cbs_showPopup_0_0, &_set_callback_cbs_showPopup_0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QComboBox::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QComboBox::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QComboBox::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QComboBox::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QComboBox::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QComboBox::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QComboBox::wheelEvent(QWheelEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQCommandLinkButton.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQCommandLinkButton.cc index b65e22b6d7..b9fcb624ba 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQCommandLinkButton.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQCommandLinkButton.cc @@ -331,18 +331,18 @@ class QCommandLinkButton_Adaptor : public QCommandLinkButton, public qt_gsi::QtO emit QCommandLinkButton::destroyed(arg1); } - // [adaptor impl] bool QCommandLinkButton::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QCommandLinkButton::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QCommandLinkButton::eventFilter(arg1, arg2); + return QCommandLinkButton::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QCommandLinkButton_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QCommandLinkButton_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QCommandLinkButton::eventFilter(arg1, arg2); + return QCommandLinkButton::eventFilter(watched, event); } } @@ -449,18 +449,18 @@ class QCommandLinkButton_Adaptor : public QCommandLinkButton, public qt_gsi::QtO emit QCommandLinkButton::windowTitleChanged(title); } - // [adaptor impl] void QCommandLinkButton::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QCommandLinkButton::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QCommandLinkButton::actionEvent(arg1); + QCommandLinkButton::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QCommandLinkButton_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QCommandLinkButton_Adaptor::cbs_actionEvent_1823_0, event); } else { - QCommandLinkButton::actionEvent(arg1); + QCommandLinkButton::actionEvent(event); } } @@ -494,63 +494,63 @@ class QCommandLinkButton_Adaptor : public QCommandLinkButton, public qt_gsi::QtO } } - // [adaptor impl] void QCommandLinkButton::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCommandLinkButton::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCommandLinkButton::childEvent(arg1); + QCommandLinkButton::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCommandLinkButton_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCommandLinkButton_Adaptor::cbs_childEvent_1701_0, event); } else { - QCommandLinkButton::childEvent(arg1); + QCommandLinkButton::childEvent(event); } } - // [adaptor impl] void QCommandLinkButton::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QCommandLinkButton::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QCommandLinkButton::closeEvent(arg1); + QCommandLinkButton::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QCommandLinkButton_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QCommandLinkButton_Adaptor::cbs_closeEvent_1719_0, event); } else { - QCommandLinkButton::closeEvent(arg1); + QCommandLinkButton::closeEvent(event); } } - // [adaptor impl] void QCommandLinkButton::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QCommandLinkButton::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QCommandLinkButton::contextMenuEvent(arg1); + QCommandLinkButton::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QCommandLinkButton_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QCommandLinkButton_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QCommandLinkButton::contextMenuEvent(arg1); + QCommandLinkButton::contextMenuEvent(event); } } - // [adaptor impl] void QCommandLinkButton::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCommandLinkButton::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCommandLinkButton::customEvent(arg1); + QCommandLinkButton::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCommandLinkButton_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCommandLinkButton_Adaptor::cbs_customEvent_1217_0, event); } else { - QCommandLinkButton::customEvent(arg1); + QCommandLinkButton::customEvent(event); } } @@ -569,78 +569,78 @@ class QCommandLinkButton_Adaptor : public QCommandLinkButton, public qt_gsi::QtO } } - // [adaptor impl] void QCommandLinkButton::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QCommandLinkButton::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QCommandLinkButton::dragEnterEvent(arg1); + QCommandLinkButton::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QCommandLinkButton_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QCommandLinkButton_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QCommandLinkButton::dragEnterEvent(arg1); + QCommandLinkButton::dragEnterEvent(event); } } - // [adaptor impl] void QCommandLinkButton::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QCommandLinkButton::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QCommandLinkButton::dragLeaveEvent(arg1); + QCommandLinkButton::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QCommandLinkButton_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QCommandLinkButton_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QCommandLinkButton::dragLeaveEvent(arg1); + QCommandLinkButton::dragLeaveEvent(event); } } - // [adaptor impl] void QCommandLinkButton::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QCommandLinkButton::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QCommandLinkButton::dragMoveEvent(arg1); + QCommandLinkButton::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QCommandLinkButton_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QCommandLinkButton_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QCommandLinkButton::dragMoveEvent(arg1); + QCommandLinkButton::dragMoveEvent(event); } } - // [adaptor impl] void QCommandLinkButton::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QCommandLinkButton::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QCommandLinkButton::dropEvent(arg1); + QCommandLinkButton::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QCommandLinkButton_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QCommandLinkButton_Adaptor::cbs_dropEvent_1622_0, event); } else { - QCommandLinkButton::dropEvent(arg1); + QCommandLinkButton::dropEvent(event); } } - // [adaptor impl] void QCommandLinkButton::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCommandLinkButton::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QCommandLinkButton::enterEvent(arg1); + QCommandLinkButton::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QCommandLinkButton_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QCommandLinkButton_Adaptor::cbs_enterEvent_1217_0, event); } else { - QCommandLinkButton::enterEvent(arg1); + QCommandLinkButton::enterEvent(event); } } @@ -719,18 +719,18 @@ class QCommandLinkButton_Adaptor : public QCommandLinkButton, public qt_gsi::QtO } } - // [adaptor impl] void QCommandLinkButton::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QCommandLinkButton::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QCommandLinkButton::hideEvent(arg1); + QCommandLinkButton::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QCommandLinkButton_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QCommandLinkButton_Adaptor::cbs_hideEvent_1595_0, event); } else { - QCommandLinkButton::hideEvent(arg1); + QCommandLinkButton::hideEvent(event); } } @@ -809,18 +809,18 @@ class QCommandLinkButton_Adaptor : public QCommandLinkButton, public qt_gsi::QtO } } - // [adaptor impl] void QCommandLinkButton::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCommandLinkButton::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QCommandLinkButton::leaveEvent(arg1); + QCommandLinkButton::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QCommandLinkButton_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QCommandLinkButton_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QCommandLinkButton::leaveEvent(arg1); + QCommandLinkButton::leaveEvent(event); } } @@ -854,18 +854,18 @@ class QCommandLinkButton_Adaptor : public QCommandLinkButton, public qt_gsi::QtO } } - // [adaptor impl] void QCommandLinkButton::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QCommandLinkButton::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QCommandLinkButton::mouseDoubleClickEvent(arg1); + QCommandLinkButton::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QCommandLinkButton_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QCommandLinkButton_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QCommandLinkButton::mouseDoubleClickEvent(arg1); + QCommandLinkButton::mouseDoubleClickEvent(event); } } @@ -914,18 +914,18 @@ class QCommandLinkButton_Adaptor : public QCommandLinkButton, public qt_gsi::QtO } } - // [adaptor impl] void QCommandLinkButton::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QCommandLinkButton::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QCommandLinkButton::moveEvent(arg1); + QCommandLinkButton::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QCommandLinkButton_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QCommandLinkButton_Adaptor::cbs_moveEvent_1624_0, event); } else { - QCommandLinkButton::moveEvent(arg1); + QCommandLinkButton::moveEvent(event); } } @@ -989,18 +989,18 @@ class QCommandLinkButton_Adaptor : public QCommandLinkButton, public qt_gsi::QtO } } - // [adaptor impl] void QCommandLinkButton::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QCommandLinkButton::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QCommandLinkButton::resizeEvent(arg1); + QCommandLinkButton::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QCommandLinkButton_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QCommandLinkButton_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QCommandLinkButton::resizeEvent(arg1); + QCommandLinkButton::resizeEvent(event); } } @@ -1019,18 +1019,18 @@ class QCommandLinkButton_Adaptor : public QCommandLinkButton, public qt_gsi::QtO } } - // [adaptor impl] void QCommandLinkButton::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QCommandLinkButton::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QCommandLinkButton::showEvent(arg1); + QCommandLinkButton::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QCommandLinkButton_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QCommandLinkButton_Adaptor::cbs_showEvent_1634_0, event); } else { - QCommandLinkButton::showEvent(arg1); + QCommandLinkButton::showEvent(event); } } @@ -1049,18 +1049,18 @@ class QCommandLinkButton_Adaptor : public QCommandLinkButton, public qt_gsi::QtO } } - // [adaptor impl] void QCommandLinkButton::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QCommandLinkButton::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QCommandLinkButton::tabletEvent(arg1); + QCommandLinkButton::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QCommandLinkButton_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QCommandLinkButton_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QCommandLinkButton::tabletEvent(arg1); + QCommandLinkButton::tabletEvent(event); } } @@ -1079,18 +1079,18 @@ class QCommandLinkButton_Adaptor : public QCommandLinkButton, public qt_gsi::QtO } } - // [adaptor impl] void QCommandLinkButton::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QCommandLinkButton::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QCommandLinkButton::wheelEvent(arg1); + QCommandLinkButton::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QCommandLinkButton_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QCommandLinkButton_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QCommandLinkButton::wheelEvent(arg1); + QCommandLinkButton::wheelEvent(event); } } @@ -1150,7 +1150,7 @@ QCommandLinkButton_Adaptor::~QCommandLinkButton_Adaptor() { } static void _init_ctor_QCommandLinkButton_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1159,7 +1159,7 @@ static void _call_ctor_QCommandLinkButton_Adaptor_1315 (const qt_gsi::GenericSta { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QCommandLinkButton_Adaptor (arg1)); } @@ -1170,7 +1170,7 @@ static void _init_ctor_QCommandLinkButton_Adaptor_3232 (qt_gsi::GenericStaticMet { static gsi::ArgSpecBase argspec_0 ("text"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1180,7 +1180,7 @@ static void _call_ctor_QCommandLinkButton_Adaptor_3232 (const qt_gsi::GenericSta __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QCommandLinkButton_Adaptor (arg1, arg2)); } @@ -1193,7 +1193,7 @@ static void _init_ctor_QCommandLinkButton_Adaptor_5149 (qt_gsi::GenericStaticMet decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("description"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_2 ("parent", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -1204,16 +1204,16 @@ static void _call_ctor_QCommandLinkButton_Adaptor_5149 (const qt_gsi::GenericSta tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); const QString &arg2 = gsi::arg_reader() (args, heap); - QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QCommandLinkButton_Adaptor (arg1, arg2, arg3)); } -// void QCommandLinkButton::actionEvent(QActionEvent *) +// void QCommandLinkButton::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1277,11 +1277,11 @@ static void _set_callback_cbs_checkStateSet_0_0 (void *cls, const gsi::Callback } -// void QCommandLinkButton::childEvent(QChildEvent *) +// void QCommandLinkButton::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1319,11 +1319,11 @@ static void _call_emitter_clicked_864 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QCommandLinkButton::closeEvent(QCloseEvent *) +// void QCommandLinkButton::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1343,11 +1343,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QCommandLinkButton::contextMenuEvent(QContextMenuEvent *) +// void QCommandLinkButton::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1410,11 +1410,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QCommandLinkButton::customEvent(QEvent *) +// void QCommandLinkButton::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1460,7 +1460,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1469,7 +1469,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QCommandLinkButton_Adaptor *)cls)->emitter_QCommandLinkButton_destroyed_1302 (arg1); } @@ -1498,11 +1498,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QCommandLinkButton::dragEnterEvent(QDragEnterEvent *) +// void QCommandLinkButton::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1522,11 +1522,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QCommandLinkButton::dragLeaveEvent(QDragLeaveEvent *) +// void QCommandLinkButton::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1546,11 +1546,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QCommandLinkButton::dragMoveEvent(QDragMoveEvent *) +// void QCommandLinkButton::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1570,11 +1570,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QCommandLinkButton::dropEvent(QDropEvent *) +// void QCommandLinkButton::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1594,11 +1594,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QCommandLinkButton::enterEvent(QEvent *) +// void QCommandLinkButton::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1641,13 +1641,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QCommandLinkButton::eventFilter(QObject *, QEvent *) +// bool QCommandLinkButton::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1808,11 +1808,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QCommandLinkButton::hideEvent(QHideEvent *) +// void QCommandLinkButton::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2011,11 +2011,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QCommandLinkButton::leaveEvent(QEvent *) +// void QCommandLinkButton::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2077,11 +2077,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QCommandLinkButton::mouseDoubleClickEvent(QMouseEvent *) +// void QCommandLinkButton::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2173,11 +2173,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QCommandLinkButton::moveEvent(QMoveEvent *) +// void QCommandLinkButton::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2376,11 +2376,11 @@ static void _call_emitter_released_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QCommandLinkButton::resizeEvent(QResizeEvent *) +// void QCommandLinkButton::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2471,11 +2471,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QCommandLinkButton::showEvent(QShowEvent *) +// void QCommandLinkButton::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2514,11 +2514,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QCommandLinkButton::tabletEvent(QTabletEvent *) +// void QCommandLinkButton::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2595,11 +2595,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QCommandLinkButton::wheelEvent(QWheelEvent *) +// void QCommandLinkButton::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2683,40 +2683,40 @@ static gsi::Methods methods_QCommandLinkButton_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCommandLinkButton::QCommandLinkButton(QWidget *parent)\nThis method creates an object of class QCommandLinkButton.", &_init_ctor_QCommandLinkButton_Adaptor_1315, &_call_ctor_QCommandLinkButton_Adaptor_1315); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCommandLinkButton::QCommandLinkButton(const QString &text, QWidget *parent)\nThis method creates an object of class QCommandLinkButton.", &_init_ctor_QCommandLinkButton_Adaptor_3232, &_call_ctor_QCommandLinkButton_Adaptor_3232); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCommandLinkButton::QCommandLinkButton(const QString &text, const QString &description, QWidget *parent)\nThis method creates an object of class QCommandLinkButton.", &_init_ctor_QCommandLinkButton_Adaptor_5149, &_call_ctor_QCommandLinkButton_Adaptor_5149); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QCommandLinkButton::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QCommandLinkButton::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QCommandLinkButton::changeEvent(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*checkStateSet", "@brief Virtual method void QCommandLinkButton::checkStateSet()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_checkStateSet_0_0, &_call_cbs_checkStateSet_0_0); methods += new qt_gsi::GenericMethod ("*checkStateSet", "@hide", false, &_init_cbs_checkStateSet_0_0, &_call_cbs_checkStateSet_0_0, &_set_callback_cbs_checkStateSet_0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCommandLinkButton::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCommandLinkButton::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_clicked", "@brief Emitter for signal void QCommandLinkButton::clicked(bool checked)\nCall this method to emit this signal.", false, &_init_emitter_clicked_864, &_call_emitter_clicked_864); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QCommandLinkButton::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QCommandLinkButton::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QCommandLinkButton::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QCommandLinkButton::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QCommandLinkButton::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QCommandLinkButton::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QCommandLinkButton::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCommandLinkButton::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCommandLinkButton::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QCommandLinkButton::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QCommandLinkButton::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCommandLinkButton::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCommandLinkButton::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QCommandLinkButton::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QCommandLinkButton::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QCommandLinkButton::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QCommandLinkButton::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QCommandLinkButton::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QCommandLinkButton::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QCommandLinkButton::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QCommandLinkButton::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QCommandLinkButton::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QCommandLinkButton::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QCommandLinkButton::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCommandLinkButton::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCommandLinkButton::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QCommandLinkButton::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); @@ -2730,7 +2730,7 @@ static gsi::Methods methods_QCommandLinkButton_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("*heightForWidth", "@brief Virtual method int QCommandLinkButton::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("*heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QCommandLinkButton::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QCommandLinkButton::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hitButton", "@brief Virtual method bool QCommandLinkButton::hitButton(const QPoint &pos)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hitButton_c1916_0, &_call_cbs_hitButton_c1916_0); methods += new qt_gsi::GenericMethod ("*hitButton", "@hide", true, &_init_cbs_hitButton_c1916_0, &_call_cbs_hitButton_c1916_0, &_set_callback_cbs_hitButton_c1916_0); @@ -2746,13 +2746,13 @@ static gsi::Methods methods_QCommandLinkButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QCommandLinkButton::keyReleaseEvent(QKeyEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QCommandLinkButton::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QCommandLinkButton::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QCommandLinkButton::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*minimumSizeHint", "@brief Virtual method QSize QCommandLinkButton::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("*minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QCommandLinkButton::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QCommandLinkButton::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QCommandLinkButton::mouseMoveEvent(QMouseEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -2760,7 +2760,7 @@ static gsi::Methods methods_QCommandLinkButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QCommandLinkButton::mouseReleaseEvent(QMouseEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QCommandLinkButton::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QCommandLinkButton::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QCommandLinkButton::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2776,7 +2776,7 @@ static gsi::Methods methods_QCommandLinkButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QCommandLinkButton::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("emit_released", "@brief Emitter for signal void QCommandLinkButton::released()\nCall this method to emit this signal.", false, &_init_emitter_released_0, &_call_emitter_released_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QCommandLinkButton::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QCommandLinkButton::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCommandLinkButton::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCommandLinkButton::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -2784,17 +2784,17 @@ static gsi::Methods methods_QCommandLinkButton_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QCommandLinkButton::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QCommandLinkButton::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QCommandLinkButton::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*sizeHint", "@brief Virtual method QSize QCommandLinkButton::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("*sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QCommandLinkButton::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QCommandLinkButton::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCommandLinkButton::timerEvent(QTimerEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_toggled", "@brief Emitter for signal void QCommandLinkButton::toggled(bool checked)\nCall this method to emit this signal.", false, &_init_emitter_toggled_864, &_call_emitter_toggled_864); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QCommandLinkButton::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QCommandLinkButton::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QCommandLinkButton::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QCommandLinkButton::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QCommandLinkButton::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQCommonStyle.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQCommonStyle.cc index 4b651093bc..a543b045d2 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQCommonStyle.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQCommonStyle.cc @@ -79,7 +79,7 @@ static void _init_f_drawComplexControl_c9027 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("p"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("w", true, "0"); + static gsi::ArgSpecBase argspec_3 ("w", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -91,7 +91,7 @@ static void _call_f_drawComplexControl_c9027 (const qt_gsi::GenericMethod * /*de const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); const QStyleOptionComplex *arg2 = gsi::arg_reader() (args, heap); QPainter *arg3 = gsi::arg_reader() (args, heap); - const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QCommonStyle *)cls)->drawComplexControl (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4); } @@ -108,7 +108,7 @@ static void _init_f_drawControl_c8285 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("p"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("w", true, "0"); + static gsi::ArgSpecBase argspec_3 ("w", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -120,7 +120,7 @@ static void _call_f_drawControl_c8285 (const qt_gsi::GenericMethod * /*decl*/, v const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); const QStyleOption *arg2 = gsi::arg_reader() (args, heap); QPainter *arg3 = gsi::arg_reader() (args, heap); - const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QCommonStyle *)cls)->drawControl (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4); } @@ -137,7 +137,7 @@ static void _init_f_drawPrimitive_c8501 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("p"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("w", true, "0"); + static gsi::ArgSpecBase argspec_3 ("w", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -149,7 +149,7 @@ static void _call_f_drawPrimitive_c8501 (const qt_gsi::GenericMethod * /*decl*/, const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); const QStyleOption *arg2 = gsi::arg_reader() (args, heap); QPainter *arg3 = gsi::arg_reader() (args, heap); - const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QCommonStyle *)cls)->drawPrimitive (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4); } @@ -191,7 +191,7 @@ static void _init_f_hitTestComplexControl_c9517 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("pt"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("w", true, "0"); + static gsi::ArgSpecBase argspec_3 ("w", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return::target_type > (); } @@ -203,7 +203,7 @@ static void _call_f_hitTestComplexControl_c9517 (const qt_gsi::GenericMethod * / const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); const QStyleOptionComplex *arg2 = gsi::arg_reader() (args, heap); const QPoint &arg3 = gsi::arg_reader() (args, heap); - const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QCommonStyle *)cls)->hitTestComplexControl (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4))); } @@ -219,9 +219,9 @@ static void _init_f_layoutSpacing_c11697 (qt_gsi::GenericMethod *decl) decl->add_arg::target_type & > (argspec_1); static gsi::ArgSpecBase argspec_2 ("orientation"); decl->add_arg::target_type & > (argspec_2); - static gsi::ArgSpecBase argspec_3 ("option", true, "0"); + static gsi::ArgSpecBase argspec_3 ("option", true, "nullptr"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_4 ("widget", true, "nullptr"); decl->add_arg (argspec_4); decl->set_return (); } @@ -233,8 +233,8 @@ static void _call_f_layoutSpacing_c11697 (const qt_gsi::GenericMethod * /*decl*/ const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); const qt_gsi::Converter::target_type & arg3 = gsi::arg_reader::target_type & >() (args, heap); - const QStyleOption *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - const QWidget *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QStyleOption *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + const QWidget *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((int)((QCommonStyle *)cls)->layoutSpacing (qt_gsi::QtToCppAdaptor(arg1).cref(), qt_gsi::QtToCppAdaptor(arg2).cref(), qt_gsi::QtToCppAdaptor(arg3).cref(), arg4, arg5)); } @@ -246,9 +246,9 @@ static void _init_f_pixelMetric_c6642 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("m"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("opt", true, "0"); + static gsi::ArgSpecBase argspec_1 ("opt", true, "nullptr"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_2 ("widget", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -258,8 +258,8 @@ static void _call_f_pixelMetric_c6642 (const qt_gsi::GenericMethod * /*decl*/, v __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - const QStyleOption *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - const QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QStyleOption *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + const QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((int)((QCommonStyle *)cls)->pixelMetric (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3)); } @@ -335,7 +335,7 @@ static void _init_f_sizeFromContents_c8477 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("contentsSize"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_3 ("widget", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -347,7 +347,7 @@ static void _call_f_sizeFromContents_c8477 (const qt_gsi::GenericMethod * /*decl const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); const QStyleOption *arg2 = gsi::arg_reader() (args, heap); const QSize &arg3 = gsi::arg_reader() (args, heap); - const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QSize)((QCommonStyle *)cls)->sizeFromContents (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4)); } @@ -359,9 +359,9 @@ static void _init_f_standardIcon_c6956 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("standardIcon"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("opt", true, "0"); + static gsi::ArgSpecBase argspec_1 ("opt", true, "nullptr"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_2 ("widget", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -371,8 +371,8 @@ static void _call_f_standardIcon_c6956 (const qt_gsi::GenericMethod * /*decl*/, __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - const QStyleOption *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - const QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QStyleOption *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + const QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QIcon)((QCommonStyle *)cls)->standardIcon (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3)); } @@ -384,9 +384,9 @@ static void _init_f_standardPixmap_c6956 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("sp"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("opt", true, "0"); + static gsi::ArgSpecBase argspec_1 ("opt", true, "nullptr"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_2 ("widget", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -396,8 +396,8 @@ static void _call_f_standardPixmap_c6956 (const qt_gsi::GenericMethod * /*decl*/ __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - const QStyleOption *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - const QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QStyleOption *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + const QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QPixmap)((QCommonStyle *)cls)->standardPixmap (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3)); } @@ -409,11 +409,11 @@ static void _init_f_styleHint_c8615 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("sh"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("opt", true, "0"); + static gsi::ArgSpecBase argspec_1 ("opt", true, "nullptr"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("w", true, "0"); + static gsi::ArgSpecBase argspec_2 ("w", true, "nullptr"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("shret", true, "0"); + static gsi::ArgSpecBase argspec_3 ("shret", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -423,9 +423,9 @@ static void _call_f_styleHint_c8615 (const qt_gsi::GenericMethod * /*decl*/, voi __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - const QStyleOption *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - const QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QStyleHintReturn *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QStyleOption *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + const QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QStyleHintReturn *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((int)((QCommonStyle *)cls)->styleHint (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4)); } @@ -441,7 +441,7 @@ static void _init_f_subControlRect_c9798 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("sc"); decl->add_arg::target_type & > (argspec_2); - static gsi::ArgSpecBase argspec_3 ("w", true, "0"); + static gsi::ArgSpecBase argspec_3 ("w", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -453,7 +453,7 @@ static void _call_f_subControlRect_c9798 (const qt_gsi::GenericMethod * /*decl*/ const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); const QStyleOptionComplex *arg2 = gsi::arg_reader() (args, heap); const qt_gsi::Converter::target_type & arg3 = gsi::arg_reader::target_type & >() (args, heap); - const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QRect)((QCommonStyle *)cls)->subControlRect (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, qt_gsi::QtToCppAdaptor(arg3).cref(), arg4)); } @@ -467,7 +467,7 @@ static void _init_f_subElementRect_c6528 (qt_gsi::GenericMethod *decl) decl->add_arg::target_type & > (argspec_0); static gsi::ArgSpecBase argspec_1 ("opt"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_2 ("widget", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -478,7 +478,7 @@ static void _call_f_subElementRect_c6528 (const qt_gsi::GenericMethod * /*decl*/ tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); const QStyleOption *arg2 = gsi::arg_reader() (args, heap); - const QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QRect)((QCommonStyle *)cls)->subElementRect (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3)); } @@ -728,33 +728,33 @@ class QCommonStyle_Adaptor : public QCommonStyle, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QCommonStyle::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QCommonStyle::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QCommonStyle::event(arg1); + return QCommonStyle::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QCommonStyle_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QCommonStyle_Adaptor::cbs_event_1217_0, _event); } else { - return QCommonStyle::event(arg1); + return QCommonStyle::event(_event); } } - // [adaptor impl] bool QCommonStyle::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QCommonStyle::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QCommonStyle::eventFilter(arg1, arg2); + return QCommonStyle::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QCommonStyle_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QCommonStyle_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QCommonStyle::eventFilter(arg1, arg2); + return QCommonStyle::eventFilter(watched, event); } } @@ -1035,33 +1035,33 @@ class QCommonStyle_Adaptor : public QCommonStyle, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QCommonStyle::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCommonStyle::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCommonStyle::childEvent(arg1); + QCommonStyle::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCommonStyle_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCommonStyle_Adaptor::cbs_childEvent_1701_0, event); } else { - QCommonStyle::childEvent(arg1); + QCommonStyle::childEvent(event); } } - // [adaptor impl] void QCommonStyle::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCommonStyle::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCommonStyle::customEvent(arg1); + QCommonStyle::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCommonStyle_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCommonStyle_Adaptor::cbs_customEvent_1217_0, event); } else { - QCommonStyle::customEvent(arg1); + QCommonStyle::customEvent(event); } } @@ -1080,18 +1080,18 @@ class QCommonStyle_Adaptor : public QCommonStyle, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QCommonStyle::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QCommonStyle::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QCommonStyle::timerEvent(arg1); + QCommonStyle::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QCommonStyle_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QCommonStyle_Adaptor::cbs_timerEvent_1730_0, event); } else { - QCommonStyle::timerEvent(arg1); + QCommonStyle::timerEvent(event); } } @@ -1142,11 +1142,11 @@ static void _call_ctor_QCommonStyle_Adaptor_0 (const qt_gsi::GenericStaticMethod } -// void QCommonStyle::childEvent(QChildEvent *) +// void QCommonStyle::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1166,11 +1166,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QCommonStyle::customEvent(QEvent *) +// void QCommonStyle::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1194,7 +1194,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1203,7 +1203,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QCommonStyle_Adaptor *)cls)->emitter_QCommonStyle_destroyed_1302 (arg1); } @@ -1406,11 +1406,11 @@ static void _set_callback_cbs_drawPrimitive_c8501_1 (void *cls, const gsi::Callb } -// bool QCommonStyle::event(QEvent *) +// bool QCommonStyle::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1429,13 +1429,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QCommonStyle::eventFilter(QObject *, QEvent *) +// bool QCommonStyle::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2000,11 +2000,11 @@ static void _set_callback_cbs_subElementRect_c6528_1 (void *cls, const gsi::Call } -// void QCommonStyle::timerEvent(QTimerEvent *) +// void QCommonStyle::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2080,9 +2080,9 @@ gsi::Class &qtdecl_QCommonStyle (); static gsi::Methods methods_QCommonStyle_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCommonStyle::QCommonStyle()\nThis method creates an object of class QCommonStyle.", &_init_ctor_QCommonStyle_Adaptor_0, &_call_ctor_QCommonStyle_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCommonStyle::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCommonStyle::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCommonStyle::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCommonStyle::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCommonStyle::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCommonStyle::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -2097,9 +2097,9 @@ static gsi::Methods methods_QCommonStyle_Adaptor () { methods += new qt_gsi::GenericMethod ("drawItemText", "@hide", true, &_init_cbs_drawItemText_c10604_1, &_call_cbs_drawItemText_c10604_1, &_set_callback_cbs_drawItemText_c10604_1); methods += new qt_gsi::GenericMethod ("drawPrimitive", "@brief Virtual method void QCommonStyle::drawPrimitive(QStyle::PrimitiveElement pe, const QStyleOption *opt, QPainter *p, const QWidget *w)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_drawPrimitive_c8501_1, &_call_cbs_drawPrimitive_c8501_1); methods += new qt_gsi::GenericMethod ("drawPrimitive", "@hide", true, &_init_cbs_drawPrimitive_c8501_1, &_call_cbs_drawPrimitive_c8501_1, &_set_callback_cbs_drawPrimitive_c8501_1); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCommonStyle::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCommonStyle::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCommonStyle::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCommonStyle::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("generatedIconPixmap", "@brief Virtual method QPixmap QCommonStyle::generatedIconPixmap(QIcon::Mode iconMode, const QPixmap &pixmap, const QStyleOption *opt)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_generatedIconPixmap_c5776_0, &_call_cbs_generatedIconPixmap_c5776_0); methods += new qt_gsi::GenericMethod ("generatedIconPixmap", "@hide", true, &_init_cbs_generatedIconPixmap_c5776_0, &_call_cbs_generatedIconPixmap_c5776_0, &_set_callback_cbs_generatedIconPixmap_c5776_0); @@ -2138,7 +2138,7 @@ static gsi::Methods methods_QCommonStyle_Adaptor () { methods += new qt_gsi::GenericMethod ("subControlRect", "@hide", true, &_init_cbs_subControlRect_c9798_1, &_call_cbs_subControlRect_c9798_1, &_set_callback_cbs_subControlRect_c9798_1); methods += new qt_gsi::GenericMethod ("subElementRect", "@brief Virtual method QRect QCommonStyle::subElementRect(QStyle::SubElement r, const QStyleOption *opt, const QWidget *widget)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_subElementRect_c6528_1, &_call_cbs_subElementRect_c6528_1); methods += new qt_gsi::GenericMethod ("subElementRect", "@hide", true, &_init_cbs_subElementRect_c6528_1, &_call_cbs_subElementRect_c6528_1, &_set_callback_cbs_subElementRect_c6528_1); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCommonStyle::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCommonStyle::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("unpolish", "@brief Virtual method void QCommonStyle::unpolish(QWidget *widget)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_unpolish_1315_0, &_call_cbs_unpolish_1315_0); methods += new qt_gsi::GenericMethod ("unpolish", "@hide", false, &_init_cbs_unpolish_1315_0, &_call_cbs_unpolish_1315_0, &_set_callback_cbs_unpolish_1315_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQCompleter.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQCompleter.cc index 13298c2a44..903594fa0a 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQCompleter.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQCompleter.cc @@ -871,33 +871,33 @@ class QCompleter_Adaptor : public QCompleter, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QCompleter::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QCompleter::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QCompleter::childEvent(arg1); + QCompleter::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QCompleter_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QCompleter_Adaptor::cbs_childEvent_1701_0, event); } else { - QCompleter::childEvent(arg1); + QCompleter::childEvent(event); } } - // [adaptor impl] void QCompleter::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QCompleter::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QCompleter::customEvent(arg1); + QCompleter::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QCompleter_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QCompleter_Adaptor::cbs_customEvent_1217_0, event); } else { - QCompleter::customEvent(arg1); + QCompleter::customEvent(event); } } @@ -946,18 +946,18 @@ class QCompleter_Adaptor : public QCompleter, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QCompleter::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QCompleter::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QCompleter::timerEvent(arg1); + QCompleter::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QCompleter_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QCompleter_Adaptor::cbs_timerEvent_1730_0, event); } else { - QCompleter::timerEvent(arg1); + QCompleter::timerEvent(event); } } @@ -977,7 +977,7 @@ QCompleter_Adaptor::~QCompleter_Adaptor() { } static void _init_ctor_QCompleter_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -986,7 +986,7 @@ static void _call_ctor_QCompleter_Adaptor_1302 (const qt_gsi::GenericStaticMetho { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QCompleter_Adaptor (arg1)); } @@ -997,7 +997,7 @@ static void _init_ctor_QCompleter_Adaptor_3613 (qt_gsi::GenericStaticMethod *dec { static gsi::ArgSpecBase argspec_0 ("model"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1007,7 +1007,7 @@ static void _call_ctor_QCompleter_Adaptor_3613 (const qt_gsi::GenericStaticMetho __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QAbstractItemModel *arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QCompleter_Adaptor (arg1, arg2)); } @@ -1018,7 +1018,7 @@ static void _init_ctor_QCompleter_Adaptor_3631 (qt_gsi::GenericStaticMethod *dec { static gsi::ArgSpecBase argspec_0 ("completions"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1028,7 +1028,7 @@ static void _call_ctor_QCompleter_Adaptor_3631 (const qt_gsi::GenericStaticMetho __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QStringList &arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QCompleter_Adaptor (arg1, arg2)); } @@ -1069,11 +1069,11 @@ static void _call_emitter_activated_2395 (const qt_gsi::GenericMethod * /*decl*/ } -// void QCompleter::childEvent(QChildEvent *) +// void QCompleter::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1093,11 +1093,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QCompleter::customEvent(QEvent *) +// void QCompleter::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1121,7 +1121,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1130,7 +1130,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QCompleter_Adaptor *)cls)->emitter_QCompleter_destroyed_1302 (arg1); } @@ -1372,11 +1372,11 @@ static void _set_callback_cbs_splitPath_c2025_0 (void *cls, const gsi::Callback } -// void QCompleter::timerEvent(QTimerEvent *) +// void QCompleter::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1408,9 +1408,9 @@ static gsi::Methods methods_QCompleter_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCompleter::QCompleter(const QStringList &completions, QObject *parent)\nThis method creates an object of class QCompleter.", &_init_ctor_QCompleter_Adaptor_3631, &_call_ctor_QCompleter_Adaptor_3631); methods += new qt_gsi::GenericMethod ("emit_activated_qs", "@brief Emitter for signal void QCompleter::activated(const QString &text)\nCall this method to emit this signal.", false, &_init_emitter_activated_2025, &_call_emitter_activated_2025); methods += new qt_gsi::GenericMethod ("emit_activated", "@brief Emitter for signal void QCompleter::activated(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_activated_2395, &_call_emitter_activated_2395); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCompleter::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCompleter::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCompleter::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCompleter::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCompleter::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCompleter::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -1430,7 +1430,7 @@ static gsi::Methods methods_QCompleter_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCompleter::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("splitPath", "@brief Virtual method QStringList QCompleter::splitPath(const QString &path)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_splitPath_c2025_0, &_call_cbs_splitPath_c2025_0); methods += new qt_gsi::GenericMethod ("splitPath", "@hide", true, &_init_cbs_splitPath_c2025_0, &_call_cbs_splitPath_c2025_0, &_set_callback_cbs_splitPath_c2025_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCompleter::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCompleter::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDataWidgetMapper.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDataWidgetMapper.cc index 29e7188e01..92a3e3edb1 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDataWidgetMapper.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDataWidgetMapper.cc @@ -676,33 +676,33 @@ class QDataWidgetMapper_Adaptor : public QDataWidgetMapper, public qt_gsi::QtObj emit QDataWidgetMapper::destroyed(arg1); } - // [adaptor impl] bool QDataWidgetMapper::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QDataWidgetMapper::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QDataWidgetMapper::event(arg1); + return QDataWidgetMapper::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QDataWidgetMapper_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QDataWidgetMapper_Adaptor::cbs_event_1217_0, _event); } else { - return QDataWidgetMapper::event(arg1); + return QDataWidgetMapper::event(_event); } } - // [adaptor impl] bool QDataWidgetMapper::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QDataWidgetMapper::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QDataWidgetMapper::eventFilter(arg1, arg2); + return QDataWidgetMapper::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QDataWidgetMapper_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QDataWidgetMapper_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QDataWidgetMapper::eventFilter(arg1, arg2); + return QDataWidgetMapper::eventFilter(watched, event); } } @@ -728,33 +728,33 @@ class QDataWidgetMapper_Adaptor : public QDataWidgetMapper, public qt_gsi::QtObj } } - // [adaptor impl] void QDataWidgetMapper::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QDataWidgetMapper::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QDataWidgetMapper::childEvent(arg1); + QDataWidgetMapper::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QDataWidgetMapper_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QDataWidgetMapper_Adaptor::cbs_childEvent_1701_0, event); } else { - QDataWidgetMapper::childEvent(arg1); + QDataWidgetMapper::childEvent(event); } } - // [adaptor impl] void QDataWidgetMapper::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDataWidgetMapper::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QDataWidgetMapper::customEvent(arg1); + QDataWidgetMapper::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QDataWidgetMapper_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QDataWidgetMapper_Adaptor::cbs_customEvent_1217_0, event); } else { - QDataWidgetMapper::customEvent(arg1); + QDataWidgetMapper::customEvent(event); } } @@ -773,18 +773,18 @@ class QDataWidgetMapper_Adaptor : public QDataWidgetMapper, public qt_gsi::QtObj } } - // [adaptor impl] void QDataWidgetMapper::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QDataWidgetMapper::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QDataWidgetMapper::timerEvent(arg1); + QDataWidgetMapper::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QDataWidgetMapper_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QDataWidgetMapper_Adaptor::cbs_timerEvent_1730_0, event); } else { - QDataWidgetMapper::timerEvent(arg1); + QDataWidgetMapper::timerEvent(event); } } @@ -803,7 +803,7 @@ QDataWidgetMapper_Adaptor::~QDataWidgetMapper_Adaptor() { } static void _init_ctor_QDataWidgetMapper_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -812,16 +812,16 @@ static void _call_ctor_QDataWidgetMapper_Adaptor_1302 (const qt_gsi::GenericStat { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QDataWidgetMapper_Adaptor (arg1)); } -// void QDataWidgetMapper::childEvent(QChildEvent *) +// void QDataWidgetMapper::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -859,11 +859,11 @@ static void _call_emitter_currentIndexChanged_767 (const qt_gsi::GenericMethod * } -// void QDataWidgetMapper::customEvent(QEvent *) +// void QDataWidgetMapper::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -887,7 +887,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -896,7 +896,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QDataWidgetMapper_Adaptor *)cls)->emitter_QDataWidgetMapper_destroyed_1302 (arg1); } @@ -925,11 +925,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QDataWidgetMapper::event(QEvent *) +// bool QDataWidgetMapper::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -948,13 +948,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QDataWidgetMapper::eventFilter(QObject *, QEvent *) +// bool QDataWidgetMapper::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1080,11 +1080,11 @@ static void _set_callback_cbs_setCurrentIndex_767_0 (void *cls, const gsi::Callb } -// void QDataWidgetMapper::timerEvent(QTimerEvent *) +// void QDataWidgetMapper::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1112,17 +1112,17 @@ gsi::Class &qtdecl_QDataWidgetMapper (); static gsi::Methods methods_QDataWidgetMapper_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDataWidgetMapper::QDataWidgetMapper(QObject *parent)\nThis method creates an object of class QDataWidgetMapper.", &_init_ctor_QDataWidgetMapper_Adaptor_1302, &_call_ctor_QDataWidgetMapper_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDataWidgetMapper::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDataWidgetMapper::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_currentIndexChanged", "@brief Emitter for signal void QDataWidgetMapper::currentIndexChanged(int index)\nCall this method to emit this signal.", false, &_init_emitter_currentIndexChanged_767, &_call_emitter_currentIndexChanged_767); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDataWidgetMapper::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDataWidgetMapper::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDataWidgetMapper::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDataWidgetMapper::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QDataWidgetMapper::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QDataWidgetMapper::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDataWidgetMapper::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDataWidgetMapper::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QDataWidgetMapper::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QDataWidgetMapper::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); @@ -1131,7 +1131,7 @@ static gsi::Methods methods_QDataWidgetMapper_Adaptor () { methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QDataWidgetMapper::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setCurrentIndex", "@brief Virtual method void QDataWidgetMapper::setCurrentIndex(int index)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setCurrentIndex_767_0, &_call_cbs_setCurrentIndex_767_0); methods += new qt_gsi::GenericMethod ("setCurrentIndex", "@hide", false, &_init_cbs_setCurrentIndex_767_0, &_call_cbs_setCurrentIndex_767_0, &_set_callback_cbs_setCurrentIndex_767_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDataWidgetMapper::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDataWidgetMapper::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDateEdit.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDateEdit.cc index f6bb69826e..772cdd5962 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDateEdit.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDateEdit.cc @@ -338,18 +338,18 @@ class QDateEdit_Adaptor : public QDateEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QDateEdit::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QDateEdit::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QDateEdit::eventFilter(arg1, arg2); + return QDateEdit::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QDateEdit_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QDateEdit_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QDateEdit::eventFilter(arg1, arg2); + return QDateEdit::eventFilter(watched, event); } } @@ -510,18 +510,18 @@ class QDateEdit_Adaptor : public QDateEdit, public qt_gsi::QtObjectBase emit QDateEdit::windowTitleChanged(title); } - // [adaptor impl] void QDateEdit::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QDateEdit::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QDateEdit::actionEvent(arg1); + QDateEdit::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QDateEdit_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QDateEdit_Adaptor::cbs_actionEvent_1823_0, event); } else { - QDateEdit::actionEvent(arg1); + QDateEdit::actionEvent(event); } } @@ -540,18 +540,18 @@ class QDateEdit_Adaptor : public QDateEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDateEdit::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QDateEdit::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QDateEdit::childEvent(arg1); + QDateEdit::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QDateEdit_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QDateEdit_Adaptor::cbs_childEvent_1701_0, event); } else { - QDateEdit::childEvent(arg1); + QDateEdit::childEvent(event); } } @@ -585,18 +585,18 @@ class QDateEdit_Adaptor : public QDateEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDateEdit::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDateEdit::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QDateEdit::customEvent(arg1); + QDateEdit::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QDateEdit_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QDateEdit_Adaptor::cbs_customEvent_1217_0, event); } else { - QDateEdit::customEvent(arg1); + QDateEdit::customEvent(event); } } @@ -630,78 +630,78 @@ class QDateEdit_Adaptor : public QDateEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDateEdit::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QDateEdit::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QDateEdit::dragEnterEvent(arg1); + QDateEdit::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QDateEdit_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QDateEdit_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QDateEdit::dragEnterEvent(arg1); + QDateEdit::dragEnterEvent(event); } } - // [adaptor impl] void QDateEdit::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QDateEdit::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QDateEdit::dragLeaveEvent(arg1); + QDateEdit::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QDateEdit_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QDateEdit_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QDateEdit::dragLeaveEvent(arg1); + QDateEdit::dragLeaveEvent(event); } } - // [adaptor impl] void QDateEdit::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QDateEdit::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QDateEdit::dragMoveEvent(arg1); + QDateEdit::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QDateEdit_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QDateEdit_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QDateEdit::dragMoveEvent(arg1); + QDateEdit::dragMoveEvent(event); } } - // [adaptor impl] void QDateEdit::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QDateEdit::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QDateEdit::dropEvent(arg1); + QDateEdit::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QDateEdit_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QDateEdit_Adaptor::cbs_dropEvent_1622_0, event); } else { - QDateEdit::dropEvent(arg1); + QDateEdit::dropEvent(event); } } - // [adaptor impl] void QDateEdit::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDateEdit::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QDateEdit::enterEvent(arg1); + QDateEdit::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QDateEdit_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QDateEdit_Adaptor::cbs_enterEvent_1217_0, event); } else { - QDateEdit::enterEvent(arg1); + QDateEdit::enterEvent(event); } } @@ -840,18 +840,18 @@ class QDateEdit_Adaptor : public QDateEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDateEdit::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDateEdit::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QDateEdit::leaveEvent(arg1); + QDateEdit::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QDateEdit_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QDateEdit_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QDateEdit::leaveEvent(arg1); + QDateEdit::leaveEvent(event); } } @@ -870,18 +870,18 @@ class QDateEdit_Adaptor : public QDateEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDateEdit::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QDateEdit::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QDateEdit::mouseDoubleClickEvent(arg1); + QDateEdit::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QDateEdit_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QDateEdit_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QDateEdit::mouseDoubleClickEvent(arg1); + QDateEdit::mouseDoubleClickEvent(event); } } @@ -930,18 +930,18 @@ class QDateEdit_Adaptor : public QDateEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDateEdit::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QDateEdit::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QDateEdit::moveEvent(arg1); + QDateEdit::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QDateEdit_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QDateEdit_Adaptor::cbs_moveEvent_1624_0, event); } else { - QDateEdit::moveEvent(arg1); + QDateEdit::moveEvent(event); } } @@ -1050,18 +1050,18 @@ class QDateEdit_Adaptor : public QDateEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDateEdit::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QDateEdit::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QDateEdit::tabletEvent(arg1); + QDateEdit::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QDateEdit_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QDateEdit_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QDateEdit::tabletEvent(arg1); + QDateEdit::tabletEvent(event); } } @@ -1185,7 +1185,7 @@ QDateEdit_Adaptor::~QDateEdit_Adaptor() { } static void _init_ctor_QDateEdit_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1194,7 +1194,7 @@ static void _call_ctor_QDateEdit_Adaptor_1315 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QDateEdit_Adaptor (arg1)); } @@ -1205,7 +1205,7 @@ static void _init_ctor_QDateEdit_Adaptor_2983 (qt_gsi::GenericStaticMethod *decl { static gsi::ArgSpecBase argspec_0 ("date"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1215,16 +1215,16 @@ static void _call_ctor_QDateEdit_Adaptor_2983 (const qt_gsi::GenericStaticMethod __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QDate &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QDateEdit_Adaptor (arg1, arg2)); } -// void QDateEdit::actionEvent(QActionEvent *) +// void QDateEdit::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1268,11 +1268,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QDateEdit::childEvent(QChildEvent *) +// void QDateEdit::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1403,11 +1403,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QDateEdit::customEvent(QEvent *) +// void QDateEdit::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1512,7 +1512,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1521,7 +1521,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QDateEdit_Adaptor *)cls)->emitter_QDateEdit_destroyed_1302 (arg1); } @@ -1550,11 +1550,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QDateEdit::dragEnterEvent(QDragEnterEvent *) +// void QDateEdit::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1574,11 +1574,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QDateEdit::dragLeaveEvent(QDragLeaveEvent *) +// void QDateEdit::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1598,11 +1598,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QDateEdit::dragMoveEvent(QDragMoveEvent *) +// void QDateEdit::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1622,11 +1622,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QDateEdit::dropEvent(QDropEvent *) +// void QDateEdit::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1660,11 +1660,11 @@ static void _call_emitter_editingFinished_0 (const qt_gsi::GenericMethod * /*dec } -// void QDateEdit::enterEvent(QEvent *) +// void QDateEdit::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1707,13 +1707,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QDateEdit::eventFilter(QObject *, QEvent *) +// bool QDateEdit::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2078,11 +2078,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QDateEdit::leaveEvent(QEvent *) +// void QDateEdit::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2158,11 +2158,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QDateEdit::mouseDoubleClickEvent(QMouseEvent *) +// void QDateEdit::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2254,11 +2254,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QDateEdit::moveEvent(QMoveEvent *) +// void QDateEdit::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2609,11 +2609,11 @@ static void _set_callback_cbs_stepEnabled_c0_0 (void *cls, const gsi::Callback & } -// void QDateEdit::tabletEvent(QTabletEvent *) +// void QDateEdit::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2844,11 +2844,11 @@ static gsi::Methods methods_QDateEdit_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDateEdit::QDateEdit(QWidget *parent)\nThis method creates an object of class QDateEdit.", &_init_ctor_QDateEdit_Adaptor_1315, &_call_ctor_QDateEdit_Adaptor_1315); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDateEdit::QDateEdit(const QDate &date, QWidget *parent)\nThis method creates an object of class QDateEdit.", &_init_ctor_QDateEdit_Adaptor_2983, &_call_ctor_QDateEdit_Adaptor_2983); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QDateEdit::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QDateEdit::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QDateEdit::changeEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDateEdit::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDateEdit::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("clear", "@brief Virtual method void QDateEdit::clear()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0); methods += new qt_gsi::GenericMethod ("clear", "@hide", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0, &_set_callback_cbs_clear_0_0); @@ -2856,32 +2856,32 @@ static gsi::Methods methods_QDateEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QDateEdit::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QDateEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QDateEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QDateEdit::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDateEdit::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDateEdit::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_dateChanged", "@brief Emitter for signal void QDateEdit::dateChanged(const QDate &date)\nCall this method to emit this signal.", false, &_init_emitter_dateChanged_1776, &_call_emitter_dateChanged_1776); methods += new qt_gsi::GenericMethod ("emit_dateTimeChanged", "@brief Emitter for signal void QDateEdit::dateTimeChanged(const QDateTime &dateTime)\nCall this method to emit this signal.", false, &_init_emitter_dateTimeChanged_2175, &_call_emitter_dateTimeChanged_2175); methods += new qt_gsi::GenericMethod ("*dateTimeFromText", "@brief Virtual method QDateTime QDateEdit::dateTimeFromText(const QString &text)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_dateTimeFromText_c2025_0, &_call_cbs_dateTimeFromText_c2025_0); methods += new qt_gsi::GenericMethod ("*dateTimeFromText", "@hide", true, &_init_cbs_dateTimeFromText_c2025_0, &_call_cbs_dateTimeFromText_c2025_0, &_set_callback_cbs_dateTimeFromText_c2025_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QDateEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QDateEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDateEdit::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDateEdit::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QDateEdit::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QDateEdit::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QDateEdit::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QDateEdit::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QDateEdit::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QDateEdit::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QDateEdit::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QDateEdit::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("emit_editingFinished", "@brief Emitter for signal void QDateEdit::editingFinished()\nCall this method to emit this signal.", false, &_init_emitter_editingFinished_0, &_call_emitter_editingFinished_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QDateEdit::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QDateEdit::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QDateEdit::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDateEdit::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDateEdit::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*fixup", "@brief Virtual method void QDateEdit::fixup(QString &input)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0); methods += new qt_gsi::GenericMethod ("*fixup", "@hide", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0, &_set_callback_cbs_fixup_c1330_0); @@ -2911,14 +2911,14 @@ static gsi::Methods methods_QDateEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QDateEdit::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QDateEdit::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QDateEdit::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*lineEdit", "@brief Method QLineEdit *QDateEdit::lineEdit()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_lineEdit_c0, &_call_fp_lineEdit_c0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QDateEdit::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QDateEdit::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QDateEdit::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QDateEdit::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QDateEdit::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -2926,7 +2926,7 @@ static gsi::Methods methods_QDateEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QDateEdit::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QDateEdit::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QDateEdit::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QDateEdit::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2955,7 +2955,7 @@ static gsi::Methods methods_QDateEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("stepBy", "@hide", false, &_init_cbs_stepBy_767_0, &_call_cbs_stepBy_767_0, &_set_callback_cbs_stepBy_767_0); methods += new qt_gsi::GenericMethod ("*stepEnabled", "@brief Virtual method QFlags QDateEdit::stepEnabled()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_stepEnabled_c0_0, &_call_cbs_stepEnabled_c0_0); methods += new qt_gsi::GenericMethod ("*stepEnabled", "@hide", true, &_init_cbs_stepEnabled_c0_0, &_call_cbs_stepEnabled_c0_0, &_set_callback_cbs_stepEnabled_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QDateEdit::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QDateEdit::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*textFromDateTime", "@brief Virtual method QString QDateEdit::textFromDateTime(const QDateTime &dt)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_textFromDateTime_c2175_0, &_call_cbs_textFromDateTime_c2175_0); methods += new qt_gsi::GenericMethod ("*textFromDateTime", "@hide", true, &_init_cbs_textFromDateTime_c2175_0, &_call_cbs_textFromDateTime_c2175_0, &_set_callback_cbs_textFromDateTime_c2175_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDateTimeEdit.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDateTimeEdit.cc index 00e308ee80..94826d7785 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDateTimeEdit.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDateTimeEdit.cc @@ -1257,18 +1257,18 @@ class QDateTimeEdit_Adaptor : public QDateTimeEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QDateTimeEdit::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QDateTimeEdit::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QDateTimeEdit::eventFilter(arg1, arg2); + return QDateTimeEdit::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QDateTimeEdit_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QDateTimeEdit_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QDateTimeEdit::eventFilter(arg1, arg2); + return QDateTimeEdit::eventFilter(watched, event); } } @@ -1423,18 +1423,18 @@ class QDateTimeEdit_Adaptor : public QDateTimeEdit, public qt_gsi::QtObjectBase emit QDateTimeEdit::windowTitleChanged(title); } - // [adaptor impl] void QDateTimeEdit::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QDateTimeEdit::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QDateTimeEdit::actionEvent(arg1); + QDateTimeEdit::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QDateTimeEdit_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QDateTimeEdit_Adaptor::cbs_actionEvent_1823_0, event); } else { - QDateTimeEdit::actionEvent(arg1); + QDateTimeEdit::actionEvent(event); } } @@ -1453,18 +1453,18 @@ class QDateTimeEdit_Adaptor : public QDateTimeEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDateTimeEdit::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QDateTimeEdit::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QDateTimeEdit::childEvent(arg1); + QDateTimeEdit::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QDateTimeEdit_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QDateTimeEdit_Adaptor::cbs_childEvent_1701_0, event); } else { - QDateTimeEdit::childEvent(arg1); + QDateTimeEdit::childEvent(event); } } @@ -1498,18 +1498,18 @@ class QDateTimeEdit_Adaptor : public QDateTimeEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDateTimeEdit::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDateTimeEdit::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QDateTimeEdit::customEvent(arg1); + QDateTimeEdit::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QDateTimeEdit_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QDateTimeEdit_Adaptor::cbs_customEvent_1217_0, event); } else { - QDateTimeEdit::customEvent(arg1); + QDateTimeEdit::customEvent(event); } } @@ -1543,78 +1543,78 @@ class QDateTimeEdit_Adaptor : public QDateTimeEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDateTimeEdit::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QDateTimeEdit::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QDateTimeEdit::dragEnterEvent(arg1); + QDateTimeEdit::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QDateTimeEdit_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QDateTimeEdit_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QDateTimeEdit::dragEnterEvent(arg1); + QDateTimeEdit::dragEnterEvent(event); } } - // [adaptor impl] void QDateTimeEdit::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QDateTimeEdit::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QDateTimeEdit::dragLeaveEvent(arg1); + QDateTimeEdit::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QDateTimeEdit_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QDateTimeEdit_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QDateTimeEdit::dragLeaveEvent(arg1); + QDateTimeEdit::dragLeaveEvent(event); } } - // [adaptor impl] void QDateTimeEdit::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QDateTimeEdit::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QDateTimeEdit::dragMoveEvent(arg1); + QDateTimeEdit::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QDateTimeEdit_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QDateTimeEdit_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QDateTimeEdit::dragMoveEvent(arg1); + QDateTimeEdit::dragMoveEvent(event); } } - // [adaptor impl] void QDateTimeEdit::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QDateTimeEdit::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QDateTimeEdit::dropEvent(arg1); + QDateTimeEdit::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QDateTimeEdit_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QDateTimeEdit_Adaptor::cbs_dropEvent_1622_0, event); } else { - QDateTimeEdit::dropEvent(arg1); + QDateTimeEdit::dropEvent(event); } } - // [adaptor impl] void QDateTimeEdit::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDateTimeEdit::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QDateTimeEdit::enterEvent(arg1); + QDateTimeEdit::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QDateTimeEdit_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QDateTimeEdit_Adaptor::cbs_enterEvent_1217_0, event); } else { - QDateTimeEdit::enterEvent(arg1); + QDateTimeEdit::enterEvent(event); } } @@ -1753,18 +1753,18 @@ class QDateTimeEdit_Adaptor : public QDateTimeEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDateTimeEdit::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDateTimeEdit::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QDateTimeEdit::leaveEvent(arg1); + QDateTimeEdit::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QDateTimeEdit_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QDateTimeEdit_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QDateTimeEdit::leaveEvent(arg1); + QDateTimeEdit::leaveEvent(event); } } @@ -1783,18 +1783,18 @@ class QDateTimeEdit_Adaptor : public QDateTimeEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDateTimeEdit::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QDateTimeEdit::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QDateTimeEdit::mouseDoubleClickEvent(arg1); + QDateTimeEdit::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QDateTimeEdit_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QDateTimeEdit_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QDateTimeEdit::mouseDoubleClickEvent(arg1); + QDateTimeEdit::mouseDoubleClickEvent(event); } } @@ -1843,18 +1843,18 @@ class QDateTimeEdit_Adaptor : public QDateTimeEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDateTimeEdit::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QDateTimeEdit::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QDateTimeEdit::moveEvent(arg1); + QDateTimeEdit::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QDateTimeEdit_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QDateTimeEdit_Adaptor::cbs_moveEvent_1624_0, event); } else { - QDateTimeEdit::moveEvent(arg1); + QDateTimeEdit::moveEvent(event); } } @@ -1963,18 +1963,18 @@ class QDateTimeEdit_Adaptor : public QDateTimeEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDateTimeEdit::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QDateTimeEdit::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QDateTimeEdit::tabletEvent(arg1); + QDateTimeEdit::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QDateTimeEdit_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QDateTimeEdit_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QDateTimeEdit::tabletEvent(arg1); + QDateTimeEdit::tabletEvent(event); } } @@ -2098,7 +2098,7 @@ QDateTimeEdit_Adaptor::~QDateTimeEdit_Adaptor() { } static void _init_ctor_QDateTimeEdit_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -2107,7 +2107,7 @@ static void _call_ctor_QDateTimeEdit_Adaptor_1315 (const qt_gsi::GenericStaticMe { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QDateTimeEdit_Adaptor (arg1)); } @@ -2118,7 +2118,7 @@ static void _init_ctor_QDateTimeEdit_Adaptor_3382 (qt_gsi::GenericStaticMethod * { static gsi::ArgSpecBase argspec_0 ("dt"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -2128,7 +2128,7 @@ static void _call_ctor_QDateTimeEdit_Adaptor_3382 (const qt_gsi::GenericStaticMe __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QDateTime &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QDateTimeEdit_Adaptor (arg1, arg2)); } @@ -2139,7 +2139,7 @@ static void _init_ctor_QDateTimeEdit_Adaptor_2983 (qt_gsi::GenericStaticMethod * { static gsi::ArgSpecBase argspec_0 ("d"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -2149,7 +2149,7 @@ static void _call_ctor_QDateTimeEdit_Adaptor_2983 (const qt_gsi::GenericStaticMe __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QDate &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QDateTimeEdit_Adaptor (arg1, arg2)); } @@ -2160,7 +2160,7 @@ static void _init_ctor_QDateTimeEdit_Adaptor_3000 (qt_gsi::GenericStaticMethod * { static gsi::ArgSpecBase argspec_0 ("t"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -2170,16 +2170,16 @@ static void _call_ctor_QDateTimeEdit_Adaptor_3000 (const qt_gsi::GenericStaticMe __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QTime &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QDateTimeEdit_Adaptor (arg1, arg2)); } -// void QDateTimeEdit::actionEvent(QActionEvent *) +// void QDateTimeEdit::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2223,11 +2223,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QDateTimeEdit::childEvent(QChildEvent *) +// void QDateTimeEdit::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2358,11 +2358,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QDateTimeEdit::customEvent(QEvent *) +// void QDateTimeEdit::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2467,7 +2467,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2476,7 +2476,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QDateTimeEdit_Adaptor *)cls)->emitter_QDateTimeEdit_destroyed_1302 (arg1); } @@ -2505,11 +2505,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QDateTimeEdit::dragEnterEvent(QDragEnterEvent *) +// void QDateTimeEdit::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2529,11 +2529,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QDateTimeEdit::dragLeaveEvent(QDragLeaveEvent *) +// void QDateTimeEdit::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2553,11 +2553,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QDateTimeEdit::dragMoveEvent(QDragMoveEvent *) +// void QDateTimeEdit::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2577,11 +2577,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QDateTimeEdit::dropEvent(QDropEvent *) +// void QDateTimeEdit::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2615,11 +2615,11 @@ static void _call_emitter_editingFinished_0 (const qt_gsi::GenericMethod * /*dec } -// void QDateTimeEdit::enterEvent(QEvent *) +// void QDateTimeEdit::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2662,13 +2662,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QDateTimeEdit::eventFilter(QObject *, QEvent *) +// bool QDateTimeEdit::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -3033,11 +3033,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QDateTimeEdit::leaveEvent(QEvent *) +// void QDateTimeEdit::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3113,11 +3113,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QDateTimeEdit::mouseDoubleClickEvent(QMouseEvent *) +// void QDateTimeEdit::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3209,11 +3209,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QDateTimeEdit::moveEvent(QMoveEvent *) +// void QDateTimeEdit::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3564,11 +3564,11 @@ static void _set_callback_cbs_stepEnabled_c0_0 (void *cls, const gsi::Callback & } -// void QDateTimeEdit::tabletEvent(QTabletEvent *) +// void QDateTimeEdit::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3783,11 +3783,11 @@ static gsi::Methods methods_QDateTimeEdit_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDateTimeEdit::QDateTimeEdit(const QDateTime &dt, QWidget *parent)\nThis method creates an object of class QDateTimeEdit.", &_init_ctor_QDateTimeEdit_Adaptor_3382, &_call_ctor_QDateTimeEdit_Adaptor_3382); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDateTimeEdit::QDateTimeEdit(const QDate &d, QWidget *parent)\nThis method creates an object of class QDateTimeEdit.", &_init_ctor_QDateTimeEdit_Adaptor_2983, &_call_ctor_QDateTimeEdit_Adaptor_2983); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDateTimeEdit::QDateTimeEdit(const QTime &t, QWidget *parent)\nThis method creates an object of class QDateTimeEdit.", &_init_ctor_QDateTimeEdit_Adaptor_3000, &_call_ctor_QDateTimeEdit_Adaptor_3000); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QDateTimeEdit::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QDateTimeEdit::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QDateTimeEdit::changeEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDateTimeEdit::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDateTimeEdit::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("clear", "@brief Virtual method void QDateTimeEdit::clear()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0); methods += new qt_gsi::GenericMethod ("clear", "@hide", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0, &_set_callback_cbs_clear_0_0); @@ -3795,32 +3795,32 @@ static gsi::Methods methods_QDateTimeEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QDateTimeEdit::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QDateTimeEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QDateTimeEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QDateTimeEdit::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDateTimeEdit::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDateTimeEdit::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_dateChanged", "@brief Emitter for signal void QDateTimeEdit::dateChanged(const QDate &date)\nCall this method to emit this signal.", false, &_init_emitter_dateChanged_1776, &_call_emitter_dateChanged_1776); methods += new qt_gsi::GenericMethod ("emit_dateTimeChanged", "@brief Emitter for signal void QDateTimeEdit::dateTimeChanged(const QDateTime &dateTime)\nCall this method to emit this signal.", false, &_init_emitter_dateTimeChanged_2175, &_call_emitter_dateTimeChanged_2175); methods += new qt_gsi::GenericMethod ("*dateTimeFromText", "@brief Virtual method QDateTime QDateTimeEdit::dateTimeFromText(const QString &text)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_dateTimeFromText_c2025_0, &_call_cbs_dateTimeFromText_c2025_0); methods += new qt_gsi::GenericMethod ("*dateTimeFromText", "@hide", true, &_init_cbs_dateTimeFromText_c2025_0, &_call_cbs_dateTimeFromText_c2025_0, &_set_callback_cbs_dateTimeFromText_c2025_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QDateTimeEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QDateTimeEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDateTimeEdit::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDateTimeEdit::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QDateTimeEdit::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QDateTimeEdit::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QDateTimeEdit::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QDateTimeEdit::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QDateTimeEdit::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QDateTimeEdit::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QDateTimeEdit::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QDateTimeEdit::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("emit_editingFinished", "@brief Emitter for signal void QDateTimeEdit::editingFinished()\nCall this method to emit this signal.", false, &_init_emitter_editingFinished_0, &_call_emitter_editingFinished_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QDateTimeEdit::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QDateTimeEdit::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QDateTimeEdit::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDateTimeEdit::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDateTimeEdit::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*fixup", "@brief Virtual method void QDateTimeEdit::fixup(QString &input)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0); methods += new qt_gsi::GenericMethod ("*fixup", "@hide", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0, &_set_callback_cbs_fixup_c1330_0); @@ -3850,14 +3850,14 @@ static gsi::Methods methods_QDateTimeEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QDateTimeEdit::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QDateTimeEdit::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QDateTimeEdit::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*lineEdit", "@brief Method QLineEdit *QDateTimeEdit::lineEdit()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_lineEdit_c0, &_call_fp_lineEdit_c0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QDateTimeEdit::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QDateTimeEdit::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QDateTimeEdit::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QDateTimeEdit::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QDateTimeEdit::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -3865,7 +3865,7 @@ static gsi::Methods methods_QDateTimeEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QDateTimeEdit::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QDateTimeEdit::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QDateTimeEdit::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QDateTimeEdit::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3894,7 +3894,7 @@ static gsi::Methods methods_QDateTimeEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("stepBy", "@hide", false, &_init_cbs_stepBy_767_0, &_call_cbs_stepBy_767_0, &_set_callback_cbs_stepBy_767_0); methods += new qt_gsi::GenericMethod ("*stepEnabled", "@brief Virtual method QFlags QDateTimeEdit::stepEnabled()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_stepEnabled_c0_0, &_call_cbs_stepEnabled_c0_0); methods += new qt_gsi::GenericMethod ("*stepEnabled", "@hide", true, &_init_cbs_stepEnabled_c0_0, &_call_cbs_stepEnabled_c0_0, &_set_callback_cbs_stepEnabled_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QDateTimeEdit::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QDateTimeEdit::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*textFromDateTime", "@brief Virtual method QString QDateTimeEdit::textFromDateTime(const QDateTime &dt)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_textFromDateTime_c2175_0, &_call_cbs_textFromDateTime_c2175_0); methods += new qt_gsi::GenericMethod ("*textFromDateTime", "@hide", true, &_init_cbs_textFromDateTime_c2175_0, &_call_cbs_textFromDateTime_c2175_0, &_set_callback_cbs_textFromDateTime_c2175_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDesktopWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDesktopWidget.cc index 5c2f5fe10a..2368e5915c 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDesktopWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDesktopWidget.cc @@ -99,40 +99,40 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// const QRect QDesktopWidget::availableGeometry(int screen) +// const QRect QDesktopWidget::availableGeometry(const QWidget *widget) -static void _init_f_availableGeometry_c767 (qt_gsi::GenericMethod *decl) +static void _init_f_availableGeometry_c2010 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("screen", true, "-1"); - decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_0 ("widget"); + decl->add_arg (argspec_0); decl->set_return (); } -static void _call_f_availableGeometry_c767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +static void _call_f_availableGeometry_c2010 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - int arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); + const QWidget *arg1 = gsi::arg_reader() (args, heap); ret.write ((const QRect)((QDesktopWidget *)cls)->availableGeometry (arg1)); } -// const QRect QDesktopWidget::availableGeometry(const QWidget *widget) +// const QRect QDesktopWidget::availableGeometry(int screen) -static void _init_f_availableGeometry_c2010 (qt_gsi::GenericMethod *decl) +static void _init_f_availableGeometry_c767 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("widget"); - decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_0 ("screen", true, "-1"); + decl->add_arg (argspec_0); decl->set_return (); } -static void _call_f_availableGeometry_c2010 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +static void _call_f_availableGeometry_c767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - const QWidget *arg1 = gsi::arg_reader() (args, heap); + int arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); ret.write ((const QRect)((QDesktopWidget *)cls)->availableGeometry (arg1)); } @@ -235,40 +235,40 @@ static void _call_f_screenCount_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// const QRect QDesktopWidget::screenGeometry(int screen) +// const QRect QDesktopWidget::screenGeometry(const QWidget *widget) -static void _init_f_screenGeometry_c767 (qt_gsi::GenericMethod *decl) +static void _init_f_screenGeometry_c2010 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("screen", true, "-1"); - decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_0 ("widget"); + decl->add_arg (argspec_0); decl->set_return (); } -static void _call_f_screenGeometry_c767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +static void _call_f_screenGeometry_c2010 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - int arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); + const QWidget *arg1 = gsi::arg_reader() (args, heap); ret.write ((const QRect)((QDesktopWidget *)cls)->screenGeometry (arg1)); } -// const QRect QDesktopWidget::screenGeometry(const QWidget *widget) +// const QRect QDesktopWidget::screenGeometry(int screen) -static void _init_f_screenGeometry_c2010 (qt_gsi::GenericMethod *decl) +static void _init_f_screenGeometry_c767 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("widget"); - decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_0 ("screen", true, "-1"); + decl->add_arg (argspec_0); decl->set_return (); } -static void _call_f_screenGeometry_c2010 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +static void _call_f_screenGeometry_c767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - const QWidget *arg1 = gsi::arg_reader() (args, heap); + int arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-1, heap); ret.write ((const QRect)((QDesktopWidget *)cls)->screenGeometry (arg1)); } @@ -297,7 +297,7 @@ static void _call_f_screenGeometry_c1916 (const qt_gsi::GenericMethod * /*decl*/ static void _init_f_screenNumber_c2010 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_0 ("widget", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -306,7 +306,7 @@ static void _call_f_screenNumber_c2010 (const qt_gsi::GenericMethod * /*decl*/, { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - const QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((int)((QDesktopWidget *)cls)->screenNumber (arg1)); } @@ -386,22 +386,23 @@ namespace gsi static gsi::Methods methods_QDesktopWidget () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("availableGeometry", "@brief Method const QRect QDesktopWidget::availableGeometry(int screen)\n", true, &_init_f_availableGeometry_c767, &_call_f_availableGeometry_c767); methods += new qt_gsi::GenericMethod ("availableGeometry", "@brief Method const QRect QDesktopWidget::availableGeometry(const QWidget *widget)\n", true, &_init_f_availableGeometry_c2010, &_call_f_availableGeometry_c2010); + methods += new qt_gsi::GenericMethod ("availableGeometry", "@brief Method const QRect QDesktopWidget::availableGeometry(int screen)\n", true, &_init_f_availableGeometry_c767, &_call_f_availableGeometry_c767); methods += new qt_gsi::GenericMethod ("availableGeometry", "@brief Method const QRect QDesktopWidget::availableGeometry(const QPoint &point)\n", true, &_init_f_availableGeometry_c1916, &_call_f_availableGeometry_c1916); methods += new qt_gsi::GenericMethod ("isVirtualDesktop?|:virtualDesktop", "@brief Method bool QDesktopWidget::isVirtualDesktop()\n", true, &_init_f_isVirtualDesktop_c0, &_call_f_isVirtualDesktop_c0); methods += new qt_gsi::GenericMethod ("numScreens", "@brief Method int QDesktopWidget::numScreens()\n", true, &_init_f_numScreens_c0, &_call_f_numScreens_c0); methods += new qt_gsi::GenericMethod (":primaryScreen", "@brief Method int QDesktopWidget::primaryScreen()\n", true, &_init_f_primaryScreen_c0, &_call_f_primaryScreen_c0); methods += new qt_gsi::GenericMethod ("screen", "@brief Method QWidget *QDesktopWidget::screen(int screen)\n", false, &_init_f_screen_767, &_call_f_screen_767); methods += new qt_gsi::GenericMethod (":screenCount", "@brief Method int QDesktopWidget::screenCount()\n", true, &_init_f_screenCount_c0, &_call_f_screenCount_c0); - methods += new qt_gsi::GenericMethod ("screenGeometry", "@brief Method const QRect QDesktopWidget::screenGeometry(int screen)\n", true, &_init_f_screenGeometry_c767, &_call_f_screenGeometry_c767); methods += new qt_gsi::GenericMethod ("screenGeometry", "@brief Method const QRect QDesktopWidget::screenGeometry(const QWidget *widget)\n", true, &_init_f_screenGeometry_c2010, &_call_f_screenGeometry_c2010); + methods += new qt_gsi::GenericMethod ("screenGeometry", "@brief Method const QRect QDesktopWidget::screenGeometry(int screen)\n", true, &_init_f_screenGeometry_c767, &_call_f_screenGeometry_c767); methods += new qt_gsi::GenericMethod ("screenGeometry", "@brief Method const QRect QDesktopWidget::screenGeometry(const QPoint &point)\n", true, &_init_f_screenGeometry_c1916, &_call_f_screenGeometry_c1916); methods += new qt_gsi::GenericMethod ("screenNumber", "@brief Method int QDesktopWidget::screenNumber(const QWidget *widget)\n", true, &_init_f_screenNumber_c2010, &_call_f_screenNumber_c2010); methods += new qt_gsi::GenericMethod ("screenNumber", "@brief Method int QDesktopWidget::screenNumber(const QPoint &)\n", true, &_init_f_screenNumber_c1916, &_call_f_screenNumber_c1916); methods += gsi::qt_signal ("customContextMenuRequested(const QPoint &)", "customContextMenuRequested", gsi::arg("pos"), "@brief Signal declaration for QDesktopWidget::customContextMenuRequested(const QPoint &pos)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QDesktopWidget::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QDesktopWidget::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("primaryScreenChanged()", "primaryScreenChanged", "@brief Signal declaration for QDesktopWidget::primaryScreenChanged()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("resized(int)", "resized", gsi::arg("arg1"), "@brief Signal declaration for QDesktopWidget::resized(int)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("screenCountChanged(int)", "screenCountChanged", gsi::arg("arg1"), "@brief Signal declaration for QDesktopWidget::screenCountChanged(int)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("windowIconChanged(const QIcon &)", "windowIconChanged", gsi::arg("icon"), "@brief Signal declaration for QDesktopWidget::windowIconChanged(const QIcon &icon)\nYou can bind a procedure to this signal."); @@ -493,18 +494,18 @@ class QDesktopWidget_Adaptor : public QDesktopWidget, public qt_gsi::QtObjectBas emit QDesktopWidget::destroyed(arg1); } - // [adaptor impl] bool QDesktopWidget::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QDesktopWidget::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QDesktopWidget::eventFilter(arg1, arg2); + return QDesktopWidget::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QDesktopWidget_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QDesktopWidget_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QDesktopWidget::eventFilter(arg1, arg2); + return QDesktopWidget::eventFilter(watched, event); } } @@ -590,6 +591,12 @@ class QDesktopWidget_Adaptor : public QDesktopWidget, public qt_gsi::QtObjectBas } } + // [emitter impl] void QDesktopWidget::primaryScreenChanged() + void emitter_QDesktopWidget_primaryScreenChanged_0() + { + emit QDesktopWidget::primaryScreenChanged(); + } + // [emitter impl] void QDesktopWidget::resized(int) void emitter_QDesktopWidget_resized_767(int arg1) { @@ -656,18 +663,18 @@ class QDesktopWidget_Adaptor : public QDesktopWidget, public qt_gsi::QtObjectBas emit QDesktopWidget::workAreaResized(arg1); } - // [adaptor impl] void QDesktopWidget::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QDesktopWidget::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QDesktopWidget::actionEvent(arg1); + QDesktopWidget::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QDesktopWidget_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QDesktopWidget_Adaptor::cbs_actionEvent_1823_0, event); } else { - QDesktopWidget::actionEvent(arg1); + QDesktopWidget::actionEvent(event); } } @@ -686,63 +693,63 @@ class QDesktopWidget_Adaptor : public QDesktopWidget, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QDesktopWidget::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QDesktopWidget::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QDesktopWidget::childEvent(arg1); + QDesktopWidget::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QDesktopWidget_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QDesktopWidget_Adaptor::cbs_childEvent_1701_0, event); } else { - QDesktopWidget::childEvent(arg1); + QDesktopWidget::childEvent(event); } } - // [adaptor impl] void QDesktopWidget::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QDesktopWidget::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QDesktopWidget::closeEvent(arg1); + QDesktopWidget::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QDesktopWidget_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QDesktopWidget_Adaptor::cbs_closeEvent_1719_0, event); } else { - QDesktopWidget::closeEvent(arg1); + QDesktopWidget::closeEvent(event); } } - // [adaptor impl] void QDesktopWidget::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QDesktopWidget::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QDesktopWidget::contextMenuEvent(arg1); + QDesktopWidget::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QDesktopWidget_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QDesktopWidget_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QDesktopWidget::contextMenuEvent(arg1); + QDesktopWidget::contextMenuEvent(event); } } - // [adaptor impl] void QDesktopWidget::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDesktopWidget::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QDesktopWidget::customEvent(arg1); + QDesktopWidget::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QDesktopWidget_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QDesktopWidget_Adaptor::cbs_customEvent_1217_0, event); } else { - QDesktopWidget::customEvent(arg1); + QDesktopWidget::customEvent(event); } } @@ -761,108 +768,108 @@ class QDesktopWidget_Adaptor : public QDesktopWidget, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QDesktopWidget::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QDesktopWidget::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QDesktopWidget::dragEnterEvent(arg1); + QDesktopWidget::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QDesktopWidget_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QDesktopWidget_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QDesktopWidget::dragEnterEvent(arg1); + QDesktopWidget::dragEnterEvent(event); } } - // [adaptor impl] void QDesktopWidget::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QDesktopWidget::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QDesktopWidget::dragLeaveEvent(arg1); + QDesktopWidget::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QDesktopWidget_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QDesktopWidget_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QDesktopWidget::dragLeaveEvent(arg1); + QDesktopWidget::dragLeaveEvent(event); } } - // [adaptor impl] void QDesktopWidget::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QDesktopWidget::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QDesktopWidget::dragMoveEvent(arg1); + QDesktopWidget::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QDesktopWidget_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QDesktopWidget_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QDesktopWidget::dragMoveEvent(arg1); + QDesktopWidget::dragMoveEvent(event); } } - // [adaptor impl] void QDesktopWidget::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QDesktopWidget::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QDesktopWidget::dropEvent(arg1); + QDesktopWidget::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QDesktopWidget_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QDesktopWidget_Adaptor::cbs_dropEvent_1622_0, event); } else { - QDesktopWidget::dropEvent(arg1); + QDesktopWidget::dropEvent(event); } } - // [adaptor impl] void QDesktopWidget::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDesktopWidget::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QDesktopWidget::enterEvent(arg1); + QDesktopWidget::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QDesktopWidget_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QDesktopWidget_Adaptor::cbs_enterEvent_1217_0, event); } else { - QDesktopWidget::enterEvent(arg1); + QDesktopWidget::enterEvent(event); } } - // [adaptor impl] bool QDesktopWidget::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QDesktopWidget::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QDesktopWidget::event(arg1); + return QDesktopWidget::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QDesktopWidget_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QDesktopWidget_Adaptor::cbs_event_1217_0, _event); } else { - return QDesktopWidget::event(arg1); + return QDesktopWidget::event(_event); } } - // [adaptor impl] void QDesktopWidget::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QDesktopWidget::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QDesktopWidget::focusInEvent(arg1); + QDesktopWidget::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QDesktopWidget_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QDesktopWidget_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QDesktopWidget::focusInEvent(arg1); + QDesktopWidget::focusInEvent(event); } } @@ -881,33 +888,33 @@ class QDesktopWidget_Adaptor : public QDesktopWidget, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QDesktopWidget::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QDesktopWidget::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QDesktopWidget::focusOutEvent(arg1); + QDesktopWidget::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QDesktopWidget_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QDesktopWidget_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QDesktopWidget::focusOutEvent(arg1); + QDesktopWidget::focusOutEvent(event); } } - // [adaptor impl] void QDesktopWidget::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QDesktopWidget::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QDesktopWidget::hideEvent(arg1); + QDesktopWidget::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QDesktopWidget_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QDesktopWidget_Adaptor::cbs_hideEvent_1595_0, event); } else { - QDesktopWidget::hideEvent(arg1); + QDesktopWidget::hideEvent(event); } } @@ -941,48 +948,48 @@ class QDesktopWidget_Adaptor : public QDesktopWidget, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QDesktopWidget::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QDesktopWidget::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QDesktopWidget::keyPressEvent(arg1); + QDesktopWidget::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QDesktopWidget_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QDesktopWidget_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QDesktopWidget::keyPressEvent(arg1); + QDesktopWidget::keyPressEvent(event); } } - // [adaptor impl] void QDesktopWidget::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QDesktopWidget::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QDesktopWidget::keyReleaseEvent(arg1); + QDesktopWidget::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QDesktopWidget_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QDesktopWidget_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QDesktopWidget::keyReleaseEvent(arg1); + QDesktopWidget::keyReleaseEvent(event); } } - // [adaptor impl] void QDesktopWidget::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDesktopWidget::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QDesktopWidget::leaveEvent(arg1); + QDesktopWidget::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QDesktopWidget_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QDesktopWidget_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QDesktopWidget::leaveEvent(arg1); + QDesktopWidget::leaveEvent(event); } } @@ -1001,78 +1008,78 @@ class QDesktopWidget_Adaptor : public QDesktopWidget, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QDesktopWidget::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QDesktopWidget::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QDesktopWidget::mouseDoubleClickEvent(arg1); + QDesktopWidget::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QDesktopWidget_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QDesktopWidget_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QDesktopWidget::mouseDoubleClickEvent(arg1); + QDesktopWidget::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QDesktopWidget::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QDesktopWidget::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QDesktopWidget::mouseMoveEvent(arg1); + QDesktopWidget::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QDesktopWidget_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QDesktopWidget_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QDesktopWidget::mouseMoveEvent(arg1); + QDesktopWidget::mouseMoveEvent(event); } } - // [adaptor impl] void QDesktopWidget::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QDesktopWidget::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QDesktopWidget::mousePressEvent(arg1); + QDesktopWidget::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QDesktopWidget_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QDesktopWidget_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QDesktopWidget::mousePressEvent(arg1); + QDesktopWidget::mousePressEvent(event); } } - // [adaptor impl] void QDesktopWidget::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QDesktopWidget::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QDesktopWidget::mouseReleaseEvent(arg1); + QDesktopWidget::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QDesktopWidget_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QDesktopWidget_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QDesktopWidget::mouseReleaseEvent(arg1); + QDesktopWidget::mouseReleaseEvent(event); } } - // [adaptor impl] void QDesktopWidget::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QDesktopWidget::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QDesktopWidget::moveEvent(arg1); + QDesktopWidget::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QDesktopWidget_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QDesktopWidget_Adaptor::cbs_moveEvent_1624_0, event); } else { - QDesktopWidget::moveEvent(arg1); + QDesktopWidget::moveEvent(event); } } @@ -1091,18 +1098,18 @@ class QDesktopWidget_Adaptor : public QDesktopWidget, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QDesktopWidget::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QDesktopWidget::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QDesktopWidget::paintEvent(arg1); + QDesktopWidget::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QDesktopWidget_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QDesktopWidget_Adaptor::cbs_paintEvent_1725_0, event); } else { - QDesktopWidget::paintEvent(arg1); + QDesktopWidget::paintEvent(event); } } @@ -1151,63 +1158,63 @@ class QDesktopWidget_Adaptor : public QDesktopWidget, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QDesktopWidget::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QDesktopWidget::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QDesktopWidget::showEvent(arg1); + QDesktopWidget::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QDesktopWidget_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QDesktopWidget_Adaptor::cbs_showEvent_1634_0, event); } else { - QDesktopWidget::showEvent(arg1); + QDesktopWidget::showEvent(event); } } - // [adaptor impl] void QDesktopWidget::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QDesktopWidget::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QDesktopWidget::tabletEvent(arg1); + QDesktopWidget::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QDesktopWidget_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QDesktopWidget_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QDesktopWidget::tabletEvent(arg1); + QDesktopWidget::tabletEvent(event); } } - // [adaptor impl] void QDesktopWidget::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QDesktopWidget::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QDesktopWidget::timerEvent(arg1); + QDesktopWidget::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QDesktopWidget_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QDesktopWidget_Adaptor::cbs_timerEvent_1730_0, event); } else { - QDesktopWidget::timerEvent(arg1); + QDesktopWidget::timerEvent(event); } } - // [adaptor impl] void QDesktopWidget::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QDesktopWidget::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QDesktopWidget::wheelEvent(arg1); + QDesktopWidget::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QDesktopWidget_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QDesktopWidget_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QDesktopWidget::wheelEvent(arg1); + QDesktopWidget::wheelEvent(event); } } @@ -1274,11 +1281,11 @@ static void _call_ctor_QDesktopWidget_Adaptor_0 (const qt_gsi::GenericStaticMeth } -// void QDesktopWidget::actionEvent(QActionEvent *) +// void QDesktopWidget::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1322,11 +1329,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QDesktopWidget::childEvent(QChildEvent *) +// void QDesktopWidget::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1346,11 +1353,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QDesktopWidget::closeEvent(QCloseEvent *) +// void QDesktopWidget::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1370,11 +1377,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QDesktopWidget::contextMenuEvent(QContextMenuEvent *) +// void QDesktopWidget::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1437,11 +1444,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QDesktopWidget::customEvent(QEvent *) +// void QDesktopWidget::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1487,7 +1494,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1496,7 +1503,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QDesktopWidget_Adaptor *)cls)->emitter_QDesktopWidget_destroyed_1302 (arg1); } @@ -1525,11 +1532,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QDesktopWidget::dragEnterEvent(QDragEnterEvent *) +// void QDesktopWidget::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1549,11 +1556,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QDesktopWidget::dragLeaveEvent(QDragLeaveEvent *) +// void QDesktopWidget::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1573,11 +1580,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QDesktopWidget::dragMoveEvent(QDragMoveEvent *) +// void QDesktopWidget::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1597,11 +1604,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QDesktopWidget::dropEvent(QDropEvent *) +// void QDesktopWidget::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1621,11 +1628,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QDesktopWidget::enterEvent(QEvent *) +// void QDesktopWidget::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1645,11 +1652,11 @@ static void _set_callback_cbs_enterEvent_1217_0 (void *cls, const gsi::Callback } -// bool QDesktopWidget::event(QEvent *) +// bool QDesktopWidget::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1668,13 +1675,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QDesktopWidget::eventFilter(QObject *, QEvent *) +// bool QDesktopWidget::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1694,11 +1701,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QDesktopWidget::focusInEvent(QFocusEvent *) +// void QDesktopWidget::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1755,11 +1762,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QDesktopWidget::focusOutEvent(QFocusEvent *) +// void QDesktopWidget::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1835,11 +1842,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QDesktopWidget::hideEvent(QHideEvent *) +// void QDesktopWidget::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1948,11 +1955,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QDesktopWidget::keyPressEvent(QKeyEvent *) +// void QDesktopWidget::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1972,11 +1979,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QDesktopWidget::keyReleaseEvent(QKeyEvent *) +// void QDesktopWidget::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1996,11 +2003,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QDesktopWidget::leaveEvent(QEvent *) +// void QDesktopWidget::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2062,11 +2069,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QDesktopWidget::mouseDoubleClickEvent(QMouseEvent *) +// void QDesktopWidget::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2086,11 +2093,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QDesktopWidget::mouseMoveEvent(QMouseEvent *) +// void QDesktopWidget::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2110,11 +2117,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QDesktopWidget::mousePressEvent(QMouseEvent *) +// void QDesktopWidget::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2134,11 +2141,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QDesktopWidget::mouseReleaseEvent(QMouseEvent *) +// void QDesktopWidget::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2158,11 +2165,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QDesktopWidget::moveEvent(QMoveEvent *) +// void QDesktopWidget::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2248,11 +2255,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QDesktopWidget::paintEvent(QPaintEvent *) +// void QDesktopWidget::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2272,6 +2279,20 @@ static void _set_callback_cbs_paintEvent_1725_0 (void *cls, const gsi::Callback } +// emitter void QDesktopWidget::primaryScreenChanged() + +static void _init_emitter_primaryScreenChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_primaryScreenChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QDesktopWidget_Adaptor *)cls)->emitter_QDesktopWidget_primaryScreenChanged_0 (); +} + + // exposed int QDesktopWidget::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -2444,11 +2465,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QDesktopWidget::showEvent(QShowEvent *) +// void QDesktopWidget::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2487,11 +2508,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QDesktopWidget::tabletEvent(QTabletEvent *) +// void QDesktopWidget::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2511,11 +2532,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QDesktopWidget::timerEvent(QTimerEvent *) +// void QDesktopWidget::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2550,11 +2571,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QDesktopWidget::wheelEvent(QWheelEvent *) +// void QDesktopWidget::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2654,51 +2675,51 @@ gsi::Class &qtdecl_QDesktopWidget (); static gsi::Methods methods_QDesktopWidget_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDesktopWidget::QDesktopWidget()\nThis method creates an object of class QDesktopWidget.", &_init_ctor_QDesktopWidget_Adaptor_0, &_call_ctor_QDesktopWidget_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QDesktopWidget::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QDesktopWidget::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QDesktopWidget::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDesktopWidget::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDesktopWidget::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QDesktopWidget::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QDesktopWidget::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QDesktopWidget::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QDesktopWidget::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QDesktopWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QDesktopWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QDesktopWidget::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDesktopWidget::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDesktopWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QDesktopWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QDesktopWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDesktopWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDesktopWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QDesktopWidget::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QDesktopWidget::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QDesktopWidget::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QDesktopWidget::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QDesktopWidget::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QDesktopWidget::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QDesktopWidget::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QDesktopWidget::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QDesktopWidget::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QDesktopWidget::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QDesktopWidget::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QDesktopWidget::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDesktopWidget::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDesktopWidget::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QDesktopWidget::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QDesktopWidget::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QDesktopWidget::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QDesktopWidget::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QDesktopWidget::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QDesktopWidget::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QDesktopWidget::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QDesktopWidget::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QDesktopWidget::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QDesktopWidget::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QDesktopWidget::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QDesktopWidget::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2707,33 +2728,34 @@ static gsi::Methods methods_QDesktopWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QDesktopWidget::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QDesktopWidget::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QDesktopWidget::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QDesktopWidget::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QDesktopWidget::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QDesktopWidget::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QDesktopWidget::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QDesktopWidget::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QDesktopWidget::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QDesktopWidget::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QDesktopWidget::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QDesktopWidget::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QDesktopWidget::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QDesktopWidget::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QDesktopWidget::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QDesktopWidget::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QDesktopWidget::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QDesktopWidget::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QDesktopWidget::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QDesktopWidget::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QDesktopWidget::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QDesktopWidget::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QDesktopWidget::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QDesktopWidget::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QDesktopWidget::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("emit_primaryScreenChanged", "@brief Emitter for signal void QDesktopWidget::primaryScreenChanged()\nCall this method to emit this signal.", false, &_init_emitter_primaryScreenChanged_0, &_call_emitter_primaryScreenChanged_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QDesktopWidget::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QDesktopWidget::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); @@ -2747,16 +2769,16 @@ static gsi::Methods methods_QDesktopWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QDesktopWidget::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QDesktopWidget::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QDesktopWidget::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QDesktopWidget::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QDesktopWidget::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QDesktopWidget::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDesktopWidget::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDesktopWidget::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QDesktopWidget::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QDesktopWidget::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QDesktopWidget::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QDesktopWidget::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QDesktopWidget::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDial.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDial.cc index ba8f2ceeb0..4492613ee9 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDial.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDial.cc @@ -439,18 +439,18 @@ class QDial_Adaptor : public QDial, public qt_gsi::QtObjectBase emit QDial::destroyed(arg1); } - // [adaptor impl] bool QDial::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QDial::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QDial::eventFilter(arg1, arg2); + return QDial::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QDial_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QDial_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QDial::eventFilter(arg1, arg2); + return QDial::eventFilter(watched, event); } } @@ -614,18 +614,18 @@ class QDial_Adaptor : public QDial, public qt_gsi::QtObjectBase emit QDial::windowTitleChanged(title); } - // [adaptor impl] void QDial::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QDial::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QDial::actionEvent(arg1); + QDial::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QDial_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QDial_Adaptor::cbs_actionEvent_1823_0, event); } else { - QDial::actionEvent(arg1); + QDial::actionEvent(event); } } @@ -644,63 +644,63 @@ class QDial_Adaptor : public QDial, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDial::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QDial::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QDial::childEvent(arg1); + QDial::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QDial_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QDial_Adaptor::cbs_childEvent_1701_0, event); } else { - QDial::childEvent(arg1); + QDial::childEvent(event); } } - // [adaptor impl] void QDial::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QDial::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QDial::closeEvent(arg1); + QDial::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QDial_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QDial_Adaptor::cbs_closeEvent_1719_0, event); } else { - QDial::closeEvent(arg1); + QDial::closeEvent(event); } } - // [adaptor impl] void QDial::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QDial::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QDial::contextMenuEvent(arg1); + QDial::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QDial_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QDial_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QDial::contextMenuEvent(arg1); + QDial::contextMenuEvent(event); } } - // [adaptor impl] void QDial::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDial::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QDial::customEvent(arg1); + QDial::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QDial_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QDial_Adaptor::cbs_customEvent_1217_0, event); } else { - QDial::customEvent(arg1); + QDial::customEvent(event); } } @@ -719,78 +719,78 @@ class QDial_Adaptor : public QDial, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDial::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QDial::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QDial::dragEnterEvent(arg1); + QDial::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QDial_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QDial_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QDial::dragEnterEvent(arg1); + QDial::dragEnterEvent(event); } } - // [adaptor impl] void QDial::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QDial::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QDial::dragLeaveEvent(arg1); + QDial::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QDial_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QDial_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QDial::dragLeaveEvent(arg1); + QDial::dragLeaveEvent(event); } } - // [adaptor impl] void QDial::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QDial::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QDial::dragMoveEvent(arg1); + QDial::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QDial_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QDial_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QDial::dragMoveEvent(arg1); + QDial::dragMoveEvent(event); } } - // [adaptor impl] void QDial::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QDial::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QDial::dropEvent(arg1); + QDial::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QDial_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QDial_Adaptor::cbs_dropEvent_1622_0, event); } else { - QDial::dropEvent(arg1); + QDial::dropEvent(event); } } - // [adaptor impl] void QDial::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDial::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QDial::enterEvent(arg1); + QDial::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QDial_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QDial_Adaptor::cbs_enterEvent_1217_0, event); } else { - QDial::enterEvent(arg1); + QDial::enterEvent(event); } } @@ -809,18 +809,18 @@ class QDial_Adaptor : public QDial, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDial::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QDial::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QDial::focusInEvent(arg1); + QDial::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QDial_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QDial_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QDial::focusInEvent(arg1); + QDial::focusInEvent(event); } } @@ -839,33 +839,33 @@ class QDial_Adaptor : public QDial, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDial::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QDial::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QDial::focusOutEvent(arg1); + QDial::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QDial_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QDial_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QDial::focusOutEvent(arg1); + QDial::focusOutEvent(event); } } - // [adaptor impl] void QDial::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QDial::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QDial::hideEvent(arg1); + QDial::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QDial_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QDial_Adaptor::cbs_hideEvent_1595_0, event); } else { - QDial::hideEvent(arg1); + QDial::hideEvent(event); } } @@ -914,33 +914,33 @@ class QDial_Adaptor : public QDial, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDial::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QDial::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QDial::keyReleaseEvent(arg1); + QDial::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QDial_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QDial_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QDial::keyReleaseEvent(arg1); + QDial::keyReleaseEvent(event); } } - // [adaptor impl] void QDial::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDial::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QDial::leaveEvent(arg1); + QDial::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QDial_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QDial_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QDial::leaveEvent(arg1); + QDial::leaveEvent(event); } } @@ -959,18 +959,18 @@ class QDial_Adaptor : public QDial, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDial::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QDial::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QDial::mouseDoubleClickEvent(arg1); + QDial::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QDial_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QDial_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QDial::mouseDoubleClickEvent(arg1); + QDial::mouseDoubleClickEvent(event); } } @@ -1019,18 +1019,18 @@ class QDial_Adaptor : public QDial, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDial::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QDial::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QDial::moveEvent(arg1); + QDial::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QDial_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QDial_Adaptor::cbs_moveEvent_1624_0, event); } else { - QDial::moveEvent(arg1); + QDial::moveEvent(event); } } @@ -1109,18 +1109,18 @@ class QDial_Adaptor : public QDial, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDial::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QDial::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QDial::showEvent(arg1); + QDial::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QDial_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QDial_Adaptor::cbs_showEvent_1634_0, event); } else { - QDial::showEvent(arg1); + QDial::showEvent(event); } } @@ -1139,18 +1139,18 @@ class QDial_Adaptor : public QDial, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDial::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QDial::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QDial::tabletEvent(arg1); + QDial::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QDial_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QDial_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QDial::tabletEvent(arg1); + QDial::tabletEvent(event); } } @@ -1238,7 +1238,7 @@ QDial_Adaptor::~QDial_Adaptor() { } static void _init_ctor_QDial_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1247,16 +1247,16 @@ static void _call_ctor_QDial_Adaptor_1315 (const qt_gsi::GenericStaticMethod * / { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QDial_Adaptor (arg1)); } -// void QDial::actionEvent(QActionEvent *) +// void QDial::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1318,11 +1318,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QDial::childEvent(QChildEvent *) +// void QDial::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1342,11 +1342,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QDial::closeEvent(QCloseEvent *) +// void QDial::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1366,11 +1366,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QDial::contextMenuEvent(QContextMenuEvent *) +// void QDial::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1433,11 +1433,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QDial::customEvent(QEvent *) +// void QDial::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1483,7 +1483,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1492,7 +1492,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QDial_Adaptor *)cls)->emitter_QDial_destroyed_1302 (arg1); } @@ -1521,11 +1521,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QDial::dragEnterEvent(QDragEnterEvent *) +// void QDial::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1545,11 +1545,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QDial::dragLeaveEvent(QDragLeaveEvent *) +// void QDial::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1569,11 +1569,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QDial::dragMoveEvent(QDragMoveEvent *) +// void QDial::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1593,11 +1593,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QDial::dropEvent(QDropEvent *) +// void QDial::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1617,11 +1617,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QDial::enterEvent(QEvent *) +// void QDial::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1664,13 +1664,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QDial::eventFilter(QObject *, QEvent *) +// bool QDial::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1690,11 +1690,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QDial::focusInEvent(QFocusEvent *) +// void QDial::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1751,11 +1751,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QDial::focusOutEvent(QFocusEvent *) +// void QDial::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1831,11 +1831,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QDial::hideEvent(QHideEvent *) +// void QDial::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1987,11 +1987,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QDial::keyReleaseEvent(QKeyEvent *) +// void QDial::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2011,11 +2011,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QDial::leaveEvent(QEvent *) +// void QDial::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2077,11 +2077,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QDial::mouseDoubleClickEvent(QMouseEvent *) +// void QDial::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2173,11 +2173,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QDial::moveEvent(QMoveEvent *) +// void QDial::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2483,11 +2483,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QDial::showEvent(QShowEvent *) +// void QDial::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2596,11 +2596,11 @@ static void _call_emitter_sliderReleased_0 (const qt_gsi::GenericMethod * /*decl } -// void QDial::tabletEvent(QTabletEvent *) +// void QDial::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2763,52 +2763,52 @@ gsi::Class &qtdecl_QDial (); static gsi::Methods methods_QDial_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDial::QDial(QWidget *parent)\nThis method creates an object of class QDial.", &_init_ctor_QDial_Adaptor_1315, &_call_ctor_QDial_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QDial::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QDial::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("emit_actionTriggered", "@brief Emitter for signal void QDial::actionTriggered(int action)\nCall this method to emit this signal.", false, &_init_emitter_actionTriggered_767, &_call_emitter_actionTriggered_767); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QDial::changeEvent(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDial::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDial::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QDial::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QDial::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QDial::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QDial::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QDial::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QDial::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QDial::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDial::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDial::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QDial::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QDial::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDial::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDial::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QDial::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QDial::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QDial::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QDial::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QDial::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QDial::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QDial::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QDial::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QDial::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QDial::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QDial::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDial::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDial::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QDial::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QDial::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QDial::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QDial::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QDial::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QDial::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QDial::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QDial::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QDial::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QDial::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QDial::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QDial::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2820,15 +2820,15 @@ static gsi::Methods methods_QDial_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QDial::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QDial::keyPressEvent(QKeyEvent *ev)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QDial::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QDial::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QDial::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QDial::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QDial::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QDial::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QDial::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QDial::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QDial::mouseMoveEvent(QMouseEvent *me)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -2836,7 +2836,7 @@ static gsi::Methods methods_QDial_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QDial::mouseReleaseEvent(QMouseEvent *me)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QDial::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QDial::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QDial::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2859,7 +2859,7 @@ static gsi::Methods methods_QDial_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QDial::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QDial::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QDial::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QDial::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); @@ -2868,7 +2868,7 @@ static gsi::Methods methods_QDial_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_sliderMoved", "@brief Emitter for signal void QDial::sliderMoved(int position)\nCall this method to emit this signal.", false, &_init_emitter_sliderMoved_767, &_call_emitter_sliderMoved_767); methods += new qt_gsi::GenericMethod ("emit_sliderPressed", "@brief Emitter for signal void QDial::sliderPressed()\nCall this method to emit this signal.", false, &_init_emitter_sliderPressed_0, &_call_emitter_sliderPressed_0); methods += new qt_gsi::GenericMethod ("emit_sliderReleased", "@brief Emitter for signal void QDial::sliderReleased()\nCall this method to emit this signal.", false, &_init_emitter_sliderReleased_0, &_call_emitter_sliderReleased_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QDial::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QDial::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDial::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDialog.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDialog.cc index 52b9a5d39f..6fd5e77dbd 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDialog.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDialog.cc @@ -820,18 +820,18 @@ class QDialog_Adaptor : public QDialog, public qt_gsi::QtObjectBase emit QDialog::windowTitleChanged(title); } - // [adaptor impl] void QDialog::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QDialog::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QDialog::actionEvent(arg1); + QDialog::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QDialog_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QDialog_Adaptor::cbs_actionEvent_1823_0, event); } else { - QDialog::actionEvent(arg1); + QDialog::actionEvent(event); } } @@ -850,18 +850,18 @@ class QDialog_Adaptor : public QDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDialog::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QDialog::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QDialog::childEvent(arg1); + QDialog::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QDialog_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QDialog_Adaptor::cbs_childEvent_1701_0, event); } else { - QDialog::childEvent(arg1); + QDialog::childEvent(event); } } @@ -895,18 +895,18 @@ class QDialog_Adaptor : public QDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDialog::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDialog::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QDialog::customEvent(arg1); + QDialog::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QDialog_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QDialog_Adaptor::cbs_customEvent_1217_0, event); } else { - QDialog::customEvent(arg1); + QDialog::customEvent(event); } } @@ -925,93 +925,93 @@ class QDialog_Adaptor : public QDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDialog::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QDialog::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QDialog::dragEnterEvent(arg1); + QDialog::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QDialog_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QDialog_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QDialog::dragEnterEvent(arg1); + QDialog::dragEnterEvent(event); } } - // [adaptor impl] void QDialog::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QDialog::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QDialog::dragLeaveEvent(arg1); + QDialog::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QDialog_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QDialog_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QDialog::dragLeaveEvent(arg1); + QDialog::dragLeaveEvent(event); } } - // [adaptor impl] void QDialog::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QDialog::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QDialog::dragMoveEvent(arg1); + QDialog::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QDialog_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QDialog_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QDialog::dragMoveEvent(arg1); + QDialog::dragMoveEvent(event); } } - // [adaptor impl] void QDialog::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QDialog::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QDialog::dropEvent(arg1); + QDialog::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QDialog_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QDialog_Adaptor::cbs_dropEvent_1622_0, event); } else { - QDialog::dropEvent(arg1); + QDialog::dropEvent(event); } } - // [adaptor impl] void QDialog::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDialog::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QDialog::enterEvent(arg1); + QDialog::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QDialog_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QDialog_Adaptor::cbs_enterEvent_1217_0, event); } else { - QDialog::enterEvent(arg1); + QDialog::enterEvent(event); } } - // [adaptor impl] bool QDialog::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QDialog::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QDialog::event(arg1); + return QDialog::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QDialog_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QDialog_Adaptor::cbs_event_1217_0, _event); } else { - return QDialog::event(arg1); + return QDialog::event(_event); } } @@ -1030,18 +1030,18 @@ class QDialog_Adaptor : public QDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDialog::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QDialog::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QDialog::focusInEvent(arg1); + QDialog::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QDialog_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QDialog_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QDialog::focusInEvent(arg1); + QDialog::focusInEvent(event); } } @@ -1060,33 +1060,33 @@ class QDialog_Adaptor : public QDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDialog::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QDialog::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QDialog::focusOutEvent(arg1); + QDialog::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QDialog_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QDialog_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QDialog::focusOutEvent(arg1); + QDialog::focusOutEvent(event); } } - // [adaptor impl] void QDialog::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QDialog::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QDialog::hideEvent(arg1); + QDialog::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QDialog_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QDialog_Adaptor::cbs_hideEvent_1595_0, event); } else { - QDialog::hideEvent(arg1); + QDialog::hideEvent(event); } } @@ -1135,33 +1135,33 @@ class QDialog_Adaptor : public QDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDialog::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QDialog::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QDialog::keyReleaseEvent(arg1); + QDialog::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QDialog_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QDialog_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QDialog::keyReleaseEvent(arg1); + QDialog::keyReleaseEvent(event); } } - // [adaptor impl] void QDialog::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDialog::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QDialog::leaveEvent(arg1); + QDialog::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QDialog_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QDialog_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QDialog::leaveEvent(arg1); + QDialog::leaveEvent(event); } } @@ -1180,78 +1180,78 @@ class QDialog_Adaptor : public QDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDialog::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QDialog::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QDialog::mouseDoubleClickEvent(arg1); + QDialog::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QDialog_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QDialog_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QDialog::mouseDoubleClickEvent(arg1); + QDialog::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QDialog::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QDialog::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QDialog::mouseMoveEvent(arg1); + QDialog::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QDialog_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QDialog_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QDialog::mouseMoveEvent(arg1); + QDialog::mouseMoveEvent(event); } } - // [adaptor impl] void QDialog::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QDialog::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QDialog::mousePressEvent(arg1); + QDialog::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QDialog_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QDialog_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QDialog::mousePressEvent(arg1); + QDialog::mousePressEvent(event); } } - // [adaptor impl] void QDialog::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QDialog::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QDialog::mouseReleaseEvent(arg1); + QDialog::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QDialog_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QDialog_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QDialog::mouseReleaseEvent(arg1); + QDialog::mouseReleaseEvent(event); } } - // [adaptor impl] void QDialog::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QDialog::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QDialog::moveEvent(arg1); + QDialog::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QDialog_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QDialog_Adaptor::cbs_moveEvent_1624_0, event); } else { - QDialog::moveEvent(arg1); + QDialog::moveEvent(event); } } @@ -1270,18 +1270,18 @@ class QDialog_Adaptor : public QDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDialog::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QDialog::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QDialog::paintEvent(arg1); + QDialog::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QDialog_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QDialog_Adaptor::cbs_paintEvent_1725_0, event); } else { - QDialog::paintEvent(arg1); + QDialog::paintEvent(event); } } @@ -1345,48 +1345,48 @@ class QDialog_Adaptor : public QDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDialog::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QDialog::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QDialog::tabletEvent(arg1); + QDialog::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QDialog_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QDialog_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QDialog::tabletEvent(arg1); + QDialog::tabletEvent(event); } } - // [adaptor impl] void QDialog::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QDialog::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QDialog::timerEvent(arg1); + QDialog::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QDialog_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QDialog_Adaptor::cbs_timerEvent_1730_0, event); } else { - QDialog::timerEvent(arg1); + QDialog::timerEvent(event); } } - // [adaptor impl] void QDialog::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QDialog::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QDialog::wheelEvent(arg1); + QDialog::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QDialog_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QDialog_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QDialog::wheelEvent(arg1); + QDialog::wheelEvent(event); } } @@ -1448,9 +1448,9 @@ QDialog_Adaptor::~QDialog_Adaptor() { } static void _init_ctor_QDialog_Adaptor_3702 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("f", true, "0"); + static gsi::ArgSpecBase argspec_1 ("f", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_1); decl->set_return_new (); } @@ -1459,8 +1459,8 @@ static void _call_ctor_QDialog_Adaptor_3702 (const qt_gsi::GenericStaticMethod * { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QDialog_Adaptor (arg1, arg2)); } @@ -1499,11 +1499,11 @@ static void _call_emitter_accepted_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QDialog::actionEvent(QActionEvent *) +// void QDialog::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1566,11 +1566,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QDialog::childEvent(QChildEvent *) +// void QDialog::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1681,11 +1681,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QDialog::customEvent(QEvent *) +// void QDialog::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1731,7 +1731,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1740,7 +1740,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QDialog_Adaptor *)cls)->emitter_QDialog_destroyed_1302 (arg1); } @@ -1793,11 +1793,11 @@ static void _set_callback_cbs_done_767_0 (void *cls, const gsi::Callback &cb) } -// void QDialog::dragEnterEvent(QDragEnterEvent *) +// void QDialog::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1817,11 +1817,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QDialog::dragLeaveEvent(QDragLeaveEvent *) +// void QDialog::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1841,11 +1841,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QDialog::dragMoveEvent(QDragMoveEvent *) +// void QDialog::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1865,11 +1865,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QDialog::dropEvent(QDropEvent *) +// void QDialog::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1889,11 +1889,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QDialog::enterEvent(QEvent *) +// void QDialog::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1913,11 +1913,11 @@ static void _set_callback_cbs_enterEvent_1217_0 (void *cls, const gsi::Callback } -// bool QDialog::event(QEvent *) +// bool QDialog::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1999,11 +1999,11 @@ static void _call_emitter_finished_767 (const qt_gsi::GenericMethod * /*decl*/, } -// void QDialog::focusInEvent(QFocusEvent *) +// void QDialog::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2060,11 +2060,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QDialog::focusOutEvent(QFocusEvent *) +// void QDialog::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2140,11 +2140,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QDialog::hideEvent(QHideEvent *) +// void QDialog::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2277,11 +2277,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QDialog::keyReleaseEvent(QKeyEvent *) +// void QDialog::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2301,11 +2301,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QDialog::leaveEvent(QEvent *) +// void QDialog::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2367,11 +2367,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QDialog::mouseDoubleClickEvent(QMouseEvent *) +// void QDialog::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2391,11 +2391,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QDialog::mouseMoveEvent(QMouseEvent *) +// void QDialog::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2415,11 +2415,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QDialog::mousePressEvent(QMouseEvent *) +// void QDialog::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2439,11 +2439,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QDialog::mouseReleaseEvent(QMouseEvent *) +// void QDialog::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2463,11 +2463,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QDialog::moveEvent(QMoveEvent *) +// void QDialog::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2573,11 +2573,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QDialog::paintEvent(QPaintEvent *) +// void QDialog::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2810,11 +2810,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QDialog::tabletEvent(QTabletEvent *) +// void QDialog::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2834,11 +2834,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QDialog::timerEvent(QTimerEvent *) +// void QDialog::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2873,11 +2873,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QDialog::wheelEvent(QWheelEvent *) +// void QDialog::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2962,57 +2962,57 @@ static gsi::Methods methods_QDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("accept", "@brief Virtual method void QDialog::accept()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("accept", "@hide", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0, &_set_callback_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("emit_accepted", "@brief Emitter for signal void QDialog::accepted()\nCall this method to emit this signal.", false, &_init_emitter_accepted_0, &_call_emitter_accepted_0); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QDialog::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QDialog::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*adjustPosition", "@brief Method void QDialog::adjustPosition(QWidget *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_adjustPosition_1315, &_call_fp_adjustPosition_1315); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QDialog::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDialog::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDialog::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QDialog::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QDialog::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDialog::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDialog::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("done", "@brief Virtual method void QDialog::done(int)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0); methods += new qt_gsi::GenericMethod ("done", "@hide", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0, &_set_callback_cbs_done_767_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QDialog::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QDialog::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QDialog::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QDialog::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QDialog::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QDialog::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QDialog::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QDialog::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QDialog::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QDialog::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QDialog::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QDialog::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QDialog::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("exec", "@brief Virtual method int QDialog::exec()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("exec", "@hide", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0, &_set_callback_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QDialog::finished(int result)\nCall this method to emit this signal.", false, &_init_emitter_finished_767, &_call_emitter_finished_767); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QDialog::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QDialog::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QDialog::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QDialog::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QDialog::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QDialog::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QDialog::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QDialog::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QDialog::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QDialog::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QDialog::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QDialog::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -3023,23 +3023,23 @@ static gsi::Methods methods_QDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QDialog::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QDialog::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QDialog::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QDialog::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QDialog::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QDialog::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QDialog::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QDialog::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QDialog::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QDialog::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QDialog::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QDialog::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QDialog::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QDialog::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QDialog::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QDialog::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QDialog::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QDialog::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QDialog::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3048,7 +3048,7 @@ static gsi::Methods methods_QDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("open", "@hide", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0, &_set_callback_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QDialog::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QDialog::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QDialog::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QDialog::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QDialog::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); @@ -3068,12 +3068,12 @@ static gsi::Methods methods_QDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QDialog::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QDialog::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QDialog::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDialog::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDialog::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QDialog::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QDialog::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QDialog::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QDialog::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QDialog::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDialogButtonBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDialogButtonBox.cc index 747d84d3f1..df4c5b2e30 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDialogButtonBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDialogButtonBox.cc @@ -598,18 +598,18 @@ class QDialogButtonBox_Adaptor : public QDialogButtonBox, public qt_gsi::QtObjec emit QDialogButtonBox::destroyed(arg1); } - // [adaptor impl] bool QDialogButtonBox::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QDialogButtonBox::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QDialogButtonBox::eventFilter(arg1, arg2); + return QDialogButtonBox::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QDialogButtonBox_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QDialogButtonBox_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QDialogButtonBox::eventFilter(arg1, arg2); + return QDialogButtonBox::eventFilter(watched, event); } } @@ -755,18 +755,18 @@ class QDialogButtonBox_Adaptor : public QDialogButtonBox, public qt_gsi::QtObjec emit QDialogButtonBox::windowTitleChanged(title); } - // [adaptor impl] void QDialogButtonBox::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QDialogButtonBox::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QDialogButtonBox::actionEvent(arg1); + QDialogButtonBox::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QDialogButtonBox_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QDialogButtonBox_Adaptor::cbs_actionEvent_1823_0, event); } else { - QDialogButtonBox::actionEvent(arg1); + QDialogButtonBox::actionEvent(event); } } @@ -785,63 +785,63 @@ class QDialogButtonBox_Adaptor : public QDialogButtonBox, public qt_gsi::QtObjec } } - // [adaptor impl] void QDialogButtonBox::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QDialogButtonBox::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QDialogButtonBox::childEvent(arg1); + QDialogButtonBox::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QDialogButtonBox_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QDialogButtonBox_Adaptor::cbs_childEvent_1701_0, event); } else { - QDialogButtonBox::childEvent(arg1); + QDialogButtonBox::childEvent(event); } } - // [adaptor impl] void QDialogButtonBox::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QDialogButtonBox::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QDialogButtonBox::closeEvent(arg1); + QDialogButtonBox::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QDialogButtonBox_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QDialogButtonBox_Adaptor::cbs_closeEvent_1719_0, event); } else { - QDialogButtonBox::closeEvent(arg1); + QDialogButtonBox::closeEvent(event); } } - // [adaptor impl] void QDialogButtonBox::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QDialogButtonBox::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QDialogButtonBox::contextMenuEvent(arg1); + QDialogButtonBox::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QDialogButtonBox_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QDialogButtonBox_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QDialogButtonBox::contextMenuEvent(arg1); + QDialogButtonBox::contextMenuEvent(event); } } - // [adaptor impl] void QDialogButtonBox::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDialogButtonBox::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QDialogButtonBox::customEvent(arg1); + QDialogButtonBox::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QDialogButtonBox_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QDialogButtonBox_Adaptor::cbs_customEvent_1217_0, event); } else { - QDialogButtonBox::customEvent(arg1); + QDialogButtonBox::customEvent(event); } } @@ -860,78 +860,78 @@ class QDialogButtonBox_Adaptor : public QDialogButtonBox, public qt_gsi::QtObjec } } - // [adaptor impl] void QDialogButtonBox::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QDialogButtonBox::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QDialogButtonBox::dragEnterEvent(arg1); + QDialogButtonBox::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QDialogButtonBox_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QDialogButtonBox_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QDialogButtonBox::dragEnterEvent(arg1); + QDialogButtonBox::dragEnterEvent(event); } } - // [adaptor impl] void QDialogButtonBox::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QDialogButtonBox::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QDialogButtonBox::dragLeaveEvent(arg1); + QDialogButtonBox::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QDialogButtonBox_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QDialogButtonBox_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QDialogButtonBox::dragLeaveEvent(arg1); + QDialogButtonBox::dragLeaveEvent(event); } } - // [adaptor impl] void QDialogButtonBox::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QDialogButtonBox::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QDialogButtonBox::dragMoveEvent(arg1); + QDialogButtonBox::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QDialogButtonBox_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QDialogButtonBox_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QDialogButtonBox::dragMoveEvent(arg1); + QDialogButtonBox::dragMoveEvent(event); } } - // [adaptor impl] void QDialogButtonBox::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QDialogButtonBox::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QDialogButtonBox::dropEvent(arg1); + QDialogButtonBox::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QDialogButtonBox_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QDialogButtonBox_Adaptor::cbs_dropEvent_1622_0, event); } else { - QDialogButtonBox::dropEvent(arg1); + QDialogButtonBox::dropEvent(event); } } - // [adaptor impl] void QDialogButtonBox::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDialogButtonBox::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QDialogButtonBox::enterEvent(arg1); + QDialogButtonBox::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QDialogButtonBox_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QDialogButtonBox_Adaptor::cbs_enterEvent_1217_0, event); } else { - QDialogButtonBox::enterEvent(arg1); + QDialogButtonBox::enterEvent(event); } } @@ -950,18 +950,18 @@ class QDialogButtonBox_Adaptor : public QDialogButtonBox, public qt_gsi::QtObjec } } - // [adaptor impl] void QDialogButtonBox::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QDialogButtonBox::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QDialogButtonBox::focusInEvent(arg1); + QDialogButtonBox::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QDialogButtonBox_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QDialogButtonBox_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QDialogButtonBox::focusInEvent(arg1); + QDialogButtonBox::focusInEvent(event); } } @@ -980,33 +980,33 @@ class QDialogButtonBox_Adaptor : public QDialogButtonBox, public qt_gsi::QtObjec } } - // [adaptor impl] void QDialogButtonBox::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QDialogButtonBox::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QDialogButtonBox::focusOutEvent(arg1); + QDialogButtonBox::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QDialogButtonBox_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QDialogButtonBox_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QDialogButtonBox::focusOutEvent(arg1); + QDialogButtonBox::focusOutEvent(event); } } - // [adaptor impl] void QDialogButtonBox::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QDialogButtonBox::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QDialogButtonBox::hideEvent(arg1); + QDialogButtonBox::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QDialogButtonBox_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QDialogButtonBox_Adaptor::cbs_hideEvent_1595_0, event); } else { - QDialogButtonBox::hideEvent(arg1); + QDialogButtonBox::hideEvent(event); } } @@ -1040,48 +1040,48 @@ class QDialogButtonBox_Adaptor : public QDialogButtonBox, public qt_gsi::QtObjec } } - // [adaptor impl] void QDialogButtonBox::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QDialogButtonBox::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QDialogButtonBox::keyPressEvent(arg1); + QDialogButtonBox::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QDialogButtonBox_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QDialogButtonBox_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QDialogButtonBox::keyPressEvent(arg1); + QDialogButtonBox::keyPressEvent(event); } } - // [adaptor impl] void QDialogButtonBox::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QDialogButtonBox::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QDialogButtonBox::keyReleaseEvent(arg1); + QDialogButtonBox::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QDialogButtonBox_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QDialogButtonBox_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QDialogButtonBox::keyReleaseEvent(arg1); + QDialogButtonBox::keyReleaseEvent(event); } } - // [adaptor impl] void QDialogButtonBox::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDialogButtonBox::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QDialogButtonBox::leaveEvent(arg1); + QDialogButtonBox::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QDialogButtonBox_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QDialogButtonBox_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QDialogButtonBox::leaveEvent(arg1); + QDialogButtonBox::leaveEvent(event); } } @@ -1100,78 +1100,78 @@ class QDialogButtonBox_Adaptor : public QDialogButtonBox, public qt_gsi::QtObjec } } - // [adaptor impl] void QDialogButtonBox::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QDialogButtonBox::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QDialogButtonBox::mouseDoubleClickEvent(arg1); + QDialogButtonBox::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QDialogButtonBox_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QDialogButtonBox_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QDialogButtonBox::mouseDoubleClickEvent(arg1); + QDialogButtonBox::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QDialogButtonBox::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QDialogButtonBox::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QDialogButtonBox::mouseMoveEvent(arg1); + QDialogButtonBox::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QDialogButtonBox_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QDialogButtonBox_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QDialogButtonBox::mouseMoveEvent(arg1); + QDialogButtonBox::mouseMoveEvent(event); } } - // [adaptor impl] void QDialogButtonBox::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QDialogButtonBox::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QDialogButtonBox::mousePressEvent(arg1); + QDialogButtonBox::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QDialogButtonBox_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QDialogButtonBox_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QDialogButtonBox::mousePressEvent(arg1); + QDialogButtonBox::mousePressEvent(event); } } - // [adaptor impl] void QDialogButtonBox::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QDialogButtonBox::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QDialogButtonBox::mouseReleaseEvent(arg1); + QDialogButtonBox::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QDialogButtonBox_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QDialogButtonBox_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QDialogButtonBox::mouseReleaseEvent(arg1); + QDialogButtonBox::mouseReleaseEvent(event); } } - // [adaptor impl] void QDialogButtonBox::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QDialogButtonBox::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QDialogButtonBox::moveEvent(arg1); + QDialogButtonBox::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QDialogButtonBox_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QDialogButtonBox_Adaptor::cbs_moveEvent_1624_0, event); } else { - QDialogButtonBox::moveEvent(arg1); + QDialogButtonBox::moveEvent(event); } } @@ -1190,18 +1190,18 @@ class QDialogButtonBox_Adaptor : public QDialogButtonBox, public qt_gsi::QtObjec } } - // [adaptor impl] void QDialogButtonBox::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QDialogButtonBox::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QDialogButtonBox::paintEvent(arg1); + QDialogButtonBox::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QDialogButtonBox_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QDialogButtonBox_Adaptor::cbs_paintEvent_1725_0, event); } else { - QDialogButtonBox::paintEvent(arg1); + QDialogButtonBox::paintEvent(event); } } @@ -1220,18 +1220,18 @@ class QDialogButtonBox_Adaptor : public QDialogButtonBox, public qt_gsi::QtObjec } } - // [adaptor impl] void QDialogButtonBox::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QDialogButtonBox::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QDialogButtonBox::resizeEvent(arg1); + QDialogButtonBox::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QDialogButtonBox_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QDialogButtonBox_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QDialogButtonBox::resizeEvent(arg1); + QDialogButtonBox::resizeEvent(event); } } @@ -1250,63 +1250,63 @@ class QDialogButtonBox_Adaptor : public QDialogButtonBox, public qt_gsi::QtObjec } } - // [adaptor impl] void QDialogButtonBox::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QDialogButtonBox::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QDialogButtonBox::showEvent(arg1); + QDialogButtonBox::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QDialogButtonBox_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QDialogButtonBox_Adaptor::cbs_showEvent_1634_0, event); } else { - QDialogButtonBox::showEvent(arg1); + QDialogButtonBox::showEvent(event); } } - // [adaptor impl] void QDialogButtonBox::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QDialogButtonBox::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QDialogButtonBox::tabletEvent(arg1); + QDialogButtonBox::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QDialogButtonBox_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QDialogButtonBox_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QDialogButtonBox::tabletEvent(arg1); + QDialogButtonBox::tabletEvent(event); } } - // [adaptor impl] void QDialogButtonBox::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QDialogButtonBox::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QDialogButtonBox::timerEvent(arg1); + QDialogButtonBox::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QDialogButtonBox_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QDialogButtonBox_Adaptor::cbs_timerEvent_1730_0, event); } else { - QDialogButtonBox::timerEvent(arg1); + QDialogButtonBox::timerEvent(event); } } - // [adaptor impl] void QDialogButtonBox::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QDialogButtonBox::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QDialogButtonBox::wheelEvent(arg1); + QDialogButtonBox::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QDialogButtonBox_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QDialogButtonBox_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QDialogButtonBox::wheelEvent(arg1); + QDialogButtonBox::wheelEvent(event); } } @@ -1363,7 +1363,7 @@ QDialogButtonBox_Adaptor::~QDialogButtonBox_Adaptor() { } static void _init_ctor_QDialogButtonBox_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1372,7 +1372,7 @@ static void _call_ctor_QDialogButtonBox_Adaptor_1315 (const qt_gsi::GenericStati { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QDialogButtonBox_Adaptor (arg1)); } @@ -1383,7 +1383,7 @@ static void _init_ctor_QDialogButtonBox_Adaptor_3120 (qt_gsi::GenericStaticMetho { static gsi::ArgSpecBase argspec_0 ("orientation"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1393,7 +1393,7 @@ static void _call_ctor_QDialogButtonBox_Adaptor_3120 (const qt_gsi::GenericStati __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QDialogButtonBox_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2)); } @@ -1404,7 +1404,7 @@ static void _init_ctor_QDialogButtonBox_Adaptor_5514 (qt_gsi::GenericStaticMetho { static gsi::ArgSpecBase argspec_0 ("buttons"); decl->add_arg > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1414,7 +1414,7 @@ static void _call_ctor_QDialogButtonBox_Adaptor_5514 (const qt_gsi::GenericStati __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QFlags arg1 = gsi::arg_reader >() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QDialogButtonBox_Adaptor (arg1, arg2)); } @@ -1427,7 +1427,7 @@ static void _init_ctor_QDialogButtonBox_Adaptor_7319 (qt_gsi::GenericStaticMetho decl->add_arg > (argspec_0); static gsi::ArgSpecBase argspec_1 ("orientation"); decl->add_arg::target_type & > (argspec_1); - static gsi::ArgSpecBase argspec_2 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_2 ("parent", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -1438,7 +1438,7 @@ static void _call_ctor_QDialogButtonBox_Adaptor_7319 (const qt_gsi::GenericStati tl::Heap heap; QFlags arg1 = gsi::arg_reader >() (args, heap); const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); - QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QDialogButtonBox_Adaptor (arg1, qt_gsi::QtToCppAdaptor(arg2).cref(), arg3)); } @@ -1457,11 +1457,11 @@ static void _call_emitter_accepted_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QDialogButtonBox::actionEvent(QActionEvent *) +// void QDialogButtonBox::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1505,11 +1505,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QDialogButtonBox::childEvent(QChildEvent *) +// void QDialogButtonBox::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1547,11 +1547,11 @@ static void _call_emitter_clicked_2159 (const qt_gsi::GenericMethod * /*decl*/, } -// void QDialogButtonBox::closeEvent(QCloseEvent *) +// void QDialogButtonBox::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1571,11 +1571,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QDialogButtonBox::contextMenuEvent(QContextMenuEvent *) +// void QDialogButtonBox::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1638,11 +1638,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QDialogButtonBox::customEvent(QEvent *) +// void QDialogButtonBox::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1688,7 +1688,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1697,7 +1697,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QDialogButtonBox_Adaptor *)cls)->emitter_QDialogButtonBox_destroyed_1302 (arg1); } @@ -1726,11 +1726,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QDialogButtonBox::dragEnterEvent(QDragEnterEvent *) +// void QDialogButtonBox::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1750,11 +1750,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QDialogButtonBox::dragLeaveEvent(QDragLeaveEvent *) +// void QDialogButtonBox::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1774,11 +1774,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QDialogButtonBox::dragMoveEvent(QDragMoveEvent *) +// void QDialogButtonBox::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1798,11 +1798,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QDialogButtonBox::dropEvent(QDropEvent *) +// void QDialogButtonBox::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1822,11 +1822,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QDialogButtonBox::enterEvent(QEvent *) +// void QDialogButtonBox::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1869,13 +1869,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QDialogButtonBox::eventFilter(QObject *, QEvent *) +// bool QDialogButtonBox::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1895,11 +1895,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QDialogButtonBox::focusInEvent(QFocusEvent *) +// void QDialogButtonBox::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1956,11 +1956,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QDialogButtonBox::focusOutEvent(QFocusEvent *) +// void QDialogButtonBox::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2050,11 +2050,11 @@ static void _call_emitter_helpRequested_0 (const qt_gsi::GenericMethod * /*decl* } -// void QDialogButtonBox::hideEvent(QHideEvent *) +// void QDialogButtonBox::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2163,11 +2163,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QDialogButtonBox::keyPressEvent(QKeyEvent *) +// void QDialogButtonBox::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2187,11 +2187,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QDialogButtonBox::keyReleaseEvent(QKeyEvent *) +// void QDialogButtonBox::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2211,11 +2211,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QDialogButtonBox::leaveEvent(QEvent *) +// void QDialogButtonBox::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2277,11 +2277,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QDialogButtonBox::mouseDoubleClickEvent(QMouseEvent *) +// void QDialogButtonBox::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2301,11 +2301,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QDialogButtonBox::mouseMoveEvent(QMouseEvent *) +// void QDialogButtonBox::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2325,11 +2325,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QDialogButtonBox::mousePressEvent(QMouseEvent *) +// void QDialogButtonBox::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2349,11 +2349,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QDialogButtonBox::mouseReleaseEvent(QMouseEvent *) +// void QDialogButtonBox::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2373,11 +2373,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QDialogButtonBox::moveEvent(QMoveEvent *) +// void QDialogButtonBox::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2463,11 +2463,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QDialogButtonBox::paintEvent(QPaintEvent *) +// void QDialogButtonBox::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2542,11 +2542,11 @@ static void _call_emitter_rejected_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QDialogButtonBox::resizeEvent(QResizeEvent *) +// void QDialogButtonBox::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2637,11 +2637,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QDialogButtonBox::showEvent(QShowEvent *) +// void QDialogButtonBox::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2680,11 +2680,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QDialogButtonBox::tabletEvent(QTabletEvent *) +// void QDialogButtonBox::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2704,11 +2704,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QDialogButtonBox::timerEvent(QTimerEvent *) +// void QDialogButtonBox::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2743,11 +2743,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QDialogButtonBox::wheelEvent(QWheelEvent *) +// void QDialogButtonBox::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2833,45 +2833,45 @@ static gsi::Methods methods_QDialogButtonBox_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new_buttons", "@brief Constructor QDialogButtonBox::QDialogButtonBox(QFlags buttons, QWidget *parent)\nThis method creates an object of class QDialogButtonBox.", &_init_ctor_QDialogButtonBox_Adaptor_5514, &_call_ctor_QDialogButtonBox_Adaptor_5514); methods += new qt_gsi::GenericStaticMethod ("new_buttons", "@brief Constructor QDialogButtonBox::QDialogButtonBox(QFlags buttons, Qt::Orientation orientation, QWidget *parent)\nThis method creates an object of class QDialogButtonBox.", &_init_ctor_QDialogButtonBox_Adaptor_7319, &_call_ctor_QDialogButtonBox_Adaptor_7319); methods += new qt_gsi::GenericMethod ("emit_accepted", "@brief Emitter for signal void QDialogButtonBox::accepted()\nCall this method to emit this signal.", false, &_init_emitter_accepted_0, &_call_emitter_accepted_0); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QDialogButtonBox::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QDialogButtonBox::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QDialogButtonBox::changeEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDialogButtonBox::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDialogButtonBox::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_clicked", "@brief Emitter for signal void QDialogButtonBox::clicked(QAbstractButton *button)\nCall this method to emit this signal.", false, &_init_emitter_clicked_2159, &_call_emitter_clicked_2159); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QDialogButtonBox::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QDialogButtonBox::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QDialogButtonBox::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QDialogButtonBox::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QDialogButtonBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QDialogButtonBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QDialogButtonBox::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDialogButtonBox::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDialogButtonBox::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QDialogButtonBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QDialogButtonBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDialogButtonBox::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDialogButtonBox::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QDialogButtonBox::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QDialogButtonBox::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QDialogButtonBox::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QDialogButtonBox::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QDialogButtonBox::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QDialogButtonBox::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QDialogButtonBox::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QDialogButtonBox::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QDialogButtonBox::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QDialogButtonBox::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QDialogButtonBox::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDialogButtonBox::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDialogButtonBox::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QDialogButtonBox::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QDialogButtonBox::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QDialogButtonBox::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QDialogButtonBox::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QDialogButtonBox::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QDialogButtonBox::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QDialogButtonBox::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QDialogButtonBox::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); @@ -2879,7 +2879,7 @@ static gsi::Methods methods_QDialogButtonBox_Adaptor () { methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QDialogButtonBox::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("emit_helpRequested", "@brief Emitter for signal void QDialogButtonBox::helpRequested()\nCall this method to emit this signal.", false, &_init_emitter_helpRequested_0, &_call_emitter_helpRequested_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QDialogButtonBox::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QDialogButtonBox::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QDialogButtonBox::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2888,38 +2888,38 @@ static gsi::Methods methods_QDialogButtonBox_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QDialogButtonBox::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QDialogButtonBox::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QDialogButtonBox::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QDialogButtonBox::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QDialogButtonBox::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QDialogButtonBox::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QDialogButtonBox::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QDialogButtonBox::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QDialogButtonBox::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QDialogButtonBox::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QDialogButtonBox::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QDialogButtonBox::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QDialogButtonBox::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QDialogButtonBox::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QDialogButtonBox::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QDialogButtonBox::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QDialogButtonBox::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QDialogButtonBox::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QDialogButtonBox::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QDialogButtonBox::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QDialogButtonBox::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QDialogButtonBox::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QDialogButtonBox::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QDialogButtonBox::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QDialogButtonBox::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QDialogButtonBox::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QDialogButtonBox::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("emit_rejected", "@brief Emitter for signal void QDialogButtonBox::rejected()\nCall this method to emit this signal.", false, &_init_emitter_rejected_0, &_call_emitter_rejected_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QDialogButtonBox::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QDialogButtonBox::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QDialogButtonBox::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QDialogButtonBox::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -2927,16 +2927,16 @@ static gsi::Methods methods_QDialogButtonBox_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QDialogButtonBox::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QDialogButtonBox::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QDialogButtonBox::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QDialogButtonBox::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QDialogButtonBox::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QDialogButtonBox::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDialogButtonBox::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDialogButtonBox::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QDialogButtonBox::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QDialogButtonBox::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QDialogButtonBox::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QDialogButtonBox::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QDialogButtonBox::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDirModel.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDirModel.cc index 53c95e466b..a315dc4a20 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDirModel.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDirModel.cc @@ -1265,33 +1265,33 @@ class QDirModel_Adaptor : public QDirModel, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QDirModel::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QDirModel::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QDirModel::event(arg1); + return QDirModel::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QDirModel_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QDirModel_Adaptor::cbs_event_1217_0, _event); } else { - return QDirModel::event(arg1); + return QDirModel::event(_event); } } - // [adaptor impl] bool QDirModel::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QDirModel::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QDirModel::eventFilter(arg1, arg2); + return QDirModel::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QDirModel_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QDirModel_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QDirModel::eventFilter(arg1, arg2); + return QDirModel::eventFilter(watched, event); } } @@ -1810,33 +1810,33 @@ class QDirModel_Adaptor : public QDirModel, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDirModel::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QDirModel::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QDirModel::childEvent(arg1); + QDirModel::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QDirModel_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QDirModel_Adaptor::cbs_childEvent_1701_0, event); } else { - QDirModel::childEvent(arg1); + QDirModel::childEvent(event); } } - // [adaptor impl] void QDirModel::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDirModel::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QDirModel::customEvent(arg1); + QDirModel::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QDirModel_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QDirModel_Adaptor::cbs_customEvent_1217_0, event); } else { - QDirModel::customEvent(arg1); + QDirModel::customEvent(event); } } @@ -1855,18 +1855,18 @@ class QDirModel_Adaptor : public QDirModel, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDirModel::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QDirModel::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QDirModel::timerEvent(arg1); + QDirModel::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QDirModel_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QDirModel_Adaptor::cbs_timerEvent_1730_0, event); } else { - QDirModel::timerEvent(arg1); + QDirModel::timerEvent(event); } } @@ -1924,7 +1924,7 @@ static void _init_ctor_QDirModel_Adaptor_8063 (qt_gsi::GenericStaticMethod *decl decl->add_arg > (argspec_1); static gsi::ArgSpecBase argspec_2 ("sort"); decl->add_arg > (argspec_2); - static gsi::ArgSpecBase argspec_3 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_3 ("parent", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return_new (); } @@ -1936,7 +1936,7 @@ static void _call_ctor_QDirModel_Adaptor_8063 (const qt_gsi::GenericStaticMethod const QStringList &arg1 = gsi::arg_reader() (args, heap); QFlags arg2 = gsi::arg_reader >() (args, heap); QFlags arg3 = gsi::arg_reader >() (args, heap); - QObject *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QDirModel_Adaptor (arg1, arg2, arg3, arg4)); } @@ -1945,7 +1945,7 @@ static void _call_ctor_QDirModel_Adaptor_8063 (const qt_gsi::GenericStaticMethod static void _init_ctor_QDirModel_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1954,7 +1954,7 @@ static void _call_ctor_QDirModel_Adaptor_1302 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QDirModel_Adaptor (arg1)); } @@ -2259,11 +2259,11 @@ static void _call_fp_changePersistentIndexList_5912 (const qt_gsi::GenericMethod } -// void QDirModel::childEvent(QChildEvent *) +// void QDirModel::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2470,7 +2470,7 @@ static void _init_fp_createIndex_c2374 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("column"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("data", true, "0"); + static gsi::ArgSpecBase argspec_2 ("data", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -2481,7 +2481,7 @@ static void _call_fp_createIndex_c2374 (const qt_gsi::GenericMethod * /*decl*/, tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); - void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QModelIndex)((QDirModel_Adaptor *)cls)->fp_QDirModel_createIndex_c2374 (arg1, arg2, arg3)); } @@ -2510,11 +2510,11 @@ static void _call_fp_createIndex_c2657 (const qt_gsi::GenericMethod * /*decl*/, } -// void QDirModel::customEvent(QEvent *) +// void QDirModel::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2615,7 +2615,7 @@ static void _call_fp_decodeData_5302 (const qt_gsi::GenericMethod * /*decl*/, vo static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2624,7 +2624,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QDirModel_Adaptor *)cls)->emitter_QDirModel_destroyed_1302 (arg1); } @@ -2815,11 +2815,11 @@ static void _call_fp_endResetModel_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// bool QDirModel::event(QEvent *) +// bool QDirModel::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2838,13 +2838,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QDirModel::eventFilter(QObject *, QEvent *) +// bool QDirModel::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -3947,11 +3947,11 @@ static void _set_callback_cbs_supportedDropActions_c0_0 (void *cls, const gsi::C } -// void QDirModel::timerEvent(QTimerEvent *) +// void QDirModel::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3995,7 +3995,7 @@ static gsi::Methods methods_QDirModel_Adaptor () { methods += new qt_gsi::GenericMethod ("canFetchMore", "@hide", true, &_init_cbs_canFetchMore_c2395_0, &_call_cbs_canFetchMore_c2395_0, &_set_callback_cbs_canFetchMore_c2395_0); methods += new qt_gsi::GenericMethod ("*changePersistentIndex", "@brief Method void QDirModel::changePersistentIndex(const QModelIndex &from, const QModelIndex &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndex_4682, &_call_fp_changePersistentIndex_4682); methods += new qt_gsi::GenericMethod ("*changePersistentIndexList", "@brief Method void QDirModel::changePersistentIndexList(const QList &from, const QList &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndexList_5912, &_call_fp_changePersistentIndexList_5912); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDirModel::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDirModel::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("columnCount", "@brief Virtual method int QDirModel::columnCount(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_columnCount_c2395_1, &_call_cbs_columnCount_c2395_1); methods += new qt_gsi::GenericMethod ("columnCount", "@hide", true, &_init_cbs_columnCount_c2395_1, &_call_cbs_columnCount_c2395_1, &_set_callback_cbs_columnCount_c2395_1); @@ -4007,7 +4007,7 @@ static gsi::Methods methods_QDirModel_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_columnsRemoved", "@brief Emitter for signal void QDirModel::columnsRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsRemoved_7372, &_call_emitter_columnsRemoved_7372); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QDirModel::createIndex(int row, int column, void *data)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2374, &_call_fp_createIndex_c2374); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QDirModel::createIndex(int row, int column, quintptr id)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2657, &_call_fp_createIndex_c2657); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDirModel::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDirModel::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("data", "@brief Virtual method QVariant QDirModel::data(const QModelIndex &index, int role)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1); methods += new qt_gsi::GenericMethod ("data", "@hide", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1, &_set_callback_cbs_data_c3054_1); @@ -4026,9 +4026,9 @@ static gsi::Methods methods_QDirModel_Adaptor () { methods += new qt_gsi::GenericMethod ("*endRemoveColumns", "@brief Method void QDirModel::endRemoveColumns()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveColumns_0, &_call_fp_endRemoveColumns_0); methods += new qt_gsi::GenericMethod ("*endRemoveRows", "@brief Method void QDirModel::endRemoveRows()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endRemoveRows_0, &_call_fp_endRemoveRows_0); methods += new qt_gsi::GenericMethod ("*endResetModel", "@brief Method void QDirModel::endResetModel()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endResetModel_0, &_call_fp_endResetModel_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QDirModel::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QDirModel::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDirModel::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDirModel::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@brief Virtual method void QDirModel::fetchMore(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_fetchMore_2395_0, &_call_cbs_fetchMore_2395_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@hide", false, &_init_cbs_fetchMore_2395_0, &_call_cbs_fetchMore_2395_0, &_set_callback_cbs_fetchMore_2395_0); @@ -4104,7 +4104,7 @@ static gsi::Methods methods_QDirModel_Adaptor () { methods += new qt_gsi::GenericMethod ("supportedDragActions", "@hide", true, &_init_cbs_supportedDragActions_c0_0, &_call_cbs_supportedDragActions_c0_0, &_set_callback_cbs_supportedDragActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@brief Virtual method QFlags QDirModel::supportedDropActions()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@hide", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0, &_set_callback_cbs_supportedDropActions_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDirModel::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDirModel::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDockWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDockWidget.cc index 3f584318c9..0e49bd79ce 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDockWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDockWidget.cc @@ -520,18 +520,18 @@ class QDockWidget_Adaptor : public QDockWidget, public qt_gsi::QtObjectBase emit QDockWidget::dockLocationChanged(area); } - // [adaptor impl] bool QDockWidget::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QDockWidget::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QDockWidget::eventFilter(arg1, arg2); + return QDockWidget::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QDockWidget_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QDockWidget_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QDockWidget::eventFilter(arg1, arg2); + return QDockWidget::eventFilter(watched, event); } } @@ -683,18 +683,18 @@ class QDockWidget_Adaptor : public QDockWidget, public qt_gsi::QtObjectBase emit QDockWidget::windowTitleChanged(title); } - // [adaptor impl] void QDockWidget::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QDockWidget::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QDockWidget::actionEvent(arg1); + QDockWidget::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QDockWidget_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QDockWidget_Adaptor::cbs_actionEvent_1823_0, event); } else { - QDockWidget::actionEvent(arg1); + QDockWidget::actionEvent(event); } } @@ -713,18 +713,18 @@ class QDockWidget_Adaptor : public QDockWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDockWidget::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QDockWidget::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QDockWidget::childEvent(arg1); + QDockWidget::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QDockWidget_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QDockWidget_Adaptor::cbs_childEvent_1701_0, event); } else { - QDockWidget::childEvent(arg1); + QDockWidget::childEvent(event); } } @@ -743,33 +743,33 @@ class QDockWidget_Adaptor : public QDockWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDockWidget::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QDockWidget::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QDockWidget::contextMenuEvent(arg1); + QDockWidget::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QDockWidget_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QDockWidget_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QDockWidget::contextMenuEvent(arg1); + QDockWidget::contextMenuEvent(event); } } - // [adaptor impl] void QDockWidget::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDockWidget::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QDockWidget::customEvent(arg1); + QDockWidget::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QDockWidget_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QDockWidget_Adaptor::cbs_customEvent_1217_0, event); } else { - QDockWidget::customEvent(arg1); + QDockWidget::customEvent(event); } } @@ -788,78 +788,78 @@ class QDockWidget_Adaptor : public QDockWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDockWidget::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QDockWidget::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QDockWidget::dragEnterEvent(arg1); + QDockWidget::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QDockWidget_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QDockWidget_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QDockWidget::dragEnterEvent(arg1); + QDockWidget::dragEnterEvent(event); } } - // [adaptor impl] void QDockWidget::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QDockWidget::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QDockWidget::dragLeaveEvent(arg1); + QDockWidget::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QDockWidget_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QDockWidget_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QDockWidget::dragLeaveEvent(arg1); + QDockWidget::dragLeaveEvent(event); } } - // [adaptor impl] void QDockWidget::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QDockWidget::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QDockWidget::dragMoveEvent(arg1); + QDockWidget::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QDockWidget_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QDockWidget_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QDockWidget::dragMoveEvent(arg1); + QDockWidget::dragMoveEvent(event); } } - // [adaptor impl] void QDockWidget::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QDockWidget::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QDockWidget::dropEvent(arg1); + QDockWidget::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QDockWidget_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QDockWidget_Adaptor::cbs_dropEvent_1622_0, event); } else { - QDockWidget::dropEvent(arg1); + QDockWidget::dropEvent(event); } } - // [adaptor impl] void QDockWidget::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDockWidget::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QDockWidget::enterEvent(arg1); + QDockWidget::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QDockWidget_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QDockWidget_Adaptor::cbs_enterEvent_1217_0, event); } else { - QDockWidget::enterEvent(arg1); + QDockWidget::enterEvent(event); } } @@ -878,18 +878,18 @@ class QDockWidget_Adaptor : public QDockWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDockWidget::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QDockWidget::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QDockWidget::focusInEvent(arg1); + QDockWidget::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QDockWidget_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QDockWidget_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QDockWidget::focusInEvent(arg1); + QDockWidget::focusInEvent(event); } } @@ -908,33 +908,33 @@ class QDockWidget_Adaptor : public QDockWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDockWidget::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QDockWidget::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QDockWidget::focusOutEvent(arg1); + QDockWidget::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QDockWidget_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QDockWidget_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QDockWidget::focusOutEvent(arg1); + QDockWidget::focusOutEvent(event); } } - // [adaptor impl] void QDockWidget::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QDockWidget::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QDockWidget::hideEvent(arg1); + QDockWidget::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QDockWidget_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QDockWidget_Adaptor::cbs_hideEvent_1595_0, event); } else { - QDockWidget::hideEvent(arg1); + QDockWidget::hideEvent(event); } } @@ -968,48 +968,48 @@ class QDockWidget_Adaptor : public QDockWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDockWidget::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QDockWidget::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QDockWidget::keyPressEvent(arg1); + QDockWidget::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QDockWidget_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QDockWidget_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QDockWidget::keyPressEvent(arg1); + QDockWidget::keyPressEvent(event); } } - // [adaptor impl] void QDockWidget::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QDockWidget::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QDockWidget::keyReleaseEvent(arg1); + QDockWidget::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QDockWidget_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QDockWidget_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QDockWidget::keyReleaseEvent(arg1); + QDockWidget::keyReleaseEvent(event); } } - // [adaptor impl] void QDockWidget::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDockWidget::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QDockWidget::leaveEvent(arg1); + QDockWidget::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QDockWidget_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QDockWidget_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QDockWidget::leaveEvent(arg1); + QDockWidget::leaveEvent(event); } } @@ -1028,78 +1028,78 @@ class QDockWidget_Adaptor : public QDockWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDockWidget::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QDockWidget::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QDockWidget::mouseDoubleClickEvent(arg1); + QDockWidget::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QDockWidget_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QDockWidget_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QDockWidget::mouseDoubleClickEvent(arg1); + QDockWidget::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QDockWidget::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QDockWidget::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QDockWidget::mouseMoveEvent(arg1); + QDockWidget::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QDockWidget_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QDockWidget_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QDockWidget::mouseMoveEvent(arg1); + QDockWidget::mouseMoveEvent(event); } } - // [adaptor impl] void QDockWidget::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QDockWidget::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QDockWidget::mousePressEvent(arg1); + QDockWidget::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QDockWidget_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QDockWidget_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QDockWidget::mousePressEvent(arg1); + QDockWidget::mousePressEvent(event); } } - // [adaptor impl] void QDockWidget::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QDockWidget::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QDockWidget::mouseReleaseEvent(arg1); + QDockWidget::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QDockWidget_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QDockWidget_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QDockWidget::mouseReleaseEvent(arg1); + QDockWidget::mouseReleaseEvent(event); } } - // [adaptor impl] void QDockWidget::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QDockWidget::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QDockWidget::moveEvent(arg1); + QDockWidget::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QDockWidget_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QDockWidget_Adaptor::cbs_moveEvent_1624_0, event); } else { - QDockWidget::moveEvent(arg1); + QDockWidget::moveEvent(event); } } @@ -1148,18 +1148,18 @@ class QDockWidget_Adaptor : public QDockWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDockWidget::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QDockWidget::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QDockWidget::resizeEvent(arg1); + QDockWidget::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QDockWidget_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QDockWidget_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QDockWidget::resizeEvent(arg1); + QDockWidget::resizeEvent(event); } } @@ -1178,63 +1178,63 @@ class QDockWidget_Adaptor : public QDockWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QDockWidget::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QDockWidget::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QDockWidget::showEvent(arg1); + QDockWidget::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QDockWidget_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QDockWidget_Adaptor::cbs_showEvent_1634_0, event); } else { - QDockWidget::showEvent(arg1); + QDockWidget::showEvent(event); } } - // [adaptor impl] void QDockWidget::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QDockWidget::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QDockWidget::tabletEvent(arg1); + QDockWidget::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QDockWidget_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QDockWidget_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QDockWidget::tabletEvent(arg1); + QDockWidget::tabletEvent(event); } } - // [adaptor impl] void QDockWidget::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QDockWidget::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QDockWidget::timerEvent(arg1); + QDockWidget::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QDockWidget_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QDockWidget_Adaptor::cbs_timerEvent_1730_0, event); } else { - QDockWidget::timerEvent(arg1); + QDockWidget::timerEvent(event); } } - // [adaptor impl] void QDockWidget::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QDockWidget::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QDockWidget::wheelEvent(arg1); + QDockWidget::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QDockWidget_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QDockWidget_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QDockWidget::wheelEvent(arg1); + QDockWidget::wheelEvent(event); } } @@ -1293,9 +1293,9 @@ static void _init_ctor_QDockWidget_Adaptor_5619 (qt_gsi::GenericStaticMethod *de { static gsi::ArgSpecBase argspec_0 ("title"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_2 ("flags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_2); decl->set_return_new (); } @@ -1305,8 +1305,8 @@ static void _call_ctor_QDockWidget_Adaptor_5619 (const qt_gsi::GenericStaticMeth __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QDockWidget_Adaptor (arg1, arg2, arg3)); } @@ -1315,9 +1315,9 @@ static void _call_ctor_QDockWidget_Adaptor_5619 (const qt_gsi::GenericStaticMeth static void _init_ctor_QDockWidget_Adaptor_3702 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_1 ("flags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_1); decl->set_return_new (); } @@ -1326,17 +1326,17 @@ static void _call_ctor_QDockWidget_Adaptor_3702 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QDockWidget_Adaptor (arg1, arg2)); } -// void QDockWidget::actionEvent(QActionEvent *) +// void QDockWidget::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1398,11 +1398,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QDockWidget::childEvent(QChildEvent *) +// void QDockWidget::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1446,11 +1446,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QDockWidget::contextMenuEvent(QContextMenuEvent *) +// void QDockWidget::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1513,11 +1513,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QDockWidget::customEvent(QEvent *) +// void QDockWidget::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1563,7 +1563,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1572,7 +1572,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QDockWidget_Adaptor *)cls)->emitter_QDockWidget_destroyed_1302 (arg1); } @@ -1619,11 +1619,11 @@ static void _call_emitter_dockLocationChanged_2123 (const qt_gsi::GenericMethod } -// void QDockWidget::dragEnterEvent(QDragEnterEvent *) +// void QDockWidget::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1643,11 +1643,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QDockWidget::dragLeaveEvent(QDragLeaveEvent *) +// void QDockWidget::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1667,11 +1667,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QDockWidget::dragMoveEvent(QDragMoveEvent *) +// void QDockWidget::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1691,11 +1691,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QDockWidget::dropEvent(QDropEvent *) +// void QDockWidget::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1715,11 +1715,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QDockWidget::enterEvent(QEvent *) +// void QDockWidget::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1762,13 +1762,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QDockWidget::eventFilter(QObject *, QEvent *) +// bool QDockWidget::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1806,11 +1806,11 @@ static void _call_emitter_featuresChanged_4039 (const qt_gsi::GenericMethod * /* } -// void QDockWidget::focusInEvent(QFocusEvent *) +// void QDockWidget::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1867,11 +1867,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QDockWidget::focusOutEvent(QFocusEvent *) +// void QDockWidget::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1947,11 +1947,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QDockWidget::hideEvent(QHideEvent *) +// void QDockWidget::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2079,11 +2079,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QDockWidget::keyPressEvent(QKeyEvent *) +// void QDockWidget::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2103,11 +2103,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QDockWidget::keyReleaseEvent(QKeyEvent *) +// void QDockWidget::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2127,11 +2127,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QDockWidget::leaveEvent(QEvent *) +// void QDockWidget::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2193,11 +2193,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QDockWidget::mouseDoubleClickEvent(QMouseEvent *) +// void QDockWidget::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2217,11 +2217,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QDockWidget::mouseMoveEvent(QMouseEvent *) +// void QDockWidget::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2241,11 +2241,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QDockWidget::mousePressEvent(QMouseEvent *) +// void QDockWidget::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2265,11 +2265,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QDockWidget::mouseReleaseEvent(QMouseEvent *) +// void QDockWidget::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2289,11 +2289,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QDockWidget::moveEvent(QMoveEvent *) +// void QDockWidget::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2444,11 +2444,11 @@ static void _set_callback_cbs_redirected_c1225_0 (void *cls, const gsi::Callback } -// void QDockWidget::resizeEvent(QResizeEvent *) +// void QDockWidget::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2539,11 +2539,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QDockWidget::showEvent(QShowEvent *) +// void QDockWidget::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2582,11 +2582,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QDockWidget::tabletEvent(QTabletEvent *) +// void QDockWidget::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2606,11 +2606,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QDockWidget::timerEvent(QTimerEvent *) +// void QDockWidget::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2681,11 +2681,11 @@ static void _call_emitter_visibilityChanged_864 (const qt_gsi::GenericMethod * / } -// void QDockWidget::wheelEvent(QWheelEvent *) +// void QDockWidget::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2768,54 +2768,54 @@ static gsi::Methods methods_QDockWidget_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDockWidget::QDockWidget(const QString &title, QWidget *parent, QFlags flags)\nThis method creates an object of class QDockWidget.", &_init_ctor_QDockWidget_Adaptor_5619, &_call_ctor_QDockWidget_Adaptor_5619); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDockWidget::QDockWidget(QWidget *parent, QFlags flags)\nThis method creates an object of class QDockWidget.", &_init_ctor_QDockWidget_Adaptor_3702, &_call_ctor_QDockWidget_Adaptor_3702); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QDockWidget::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QDockWidget::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("emit_allowedAreasChanged", "@brief Emitter for signal void QDockWidget::allowedAreasChanged(QFlags allowedAreas)\nCall this method to emit this signal.", false, &_init_emitter_allowedAreasChanged_2819, &_call_emitter_allowedAreasChanged_2819); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QDockWidget::changeEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDockWidget::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDockWidget::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QDockWidget::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QDockWidget::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QDockWidget::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QDockWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QDockWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QDockWidget::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDockWidget::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDockWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QDockWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QDockWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDockWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDockWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("emit_dockLocationChanged", "@brief Emitter for signal void QDockWidget::dockLocationChanged(Qt::DockWidgetArea area)\nCall this method to emit this signal.", false, &_init_emitter_dockLocationChanged_2123, &_call_emitter_dockLocationChanged_2123); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QDockWidget::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QDockWidget::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QDockWidget::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QDockWidget::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QDockWidget::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QDockWidget::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QDockWidget::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QDockWidget::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QDockWidget::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QDockWidget::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QDockWidget::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDockWidget::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDockWidget::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_featuresChanged", "@brief Emitter for signal void QDockWidget::featuresChanged(QFlags features)\nCall this method to emit this signal.", false, &_init_emitter_featuresChanged_4039, &_call_emitter_featuresChanged_4039); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QDockWidget::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QDockWidget::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QDockWidget::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QDockWidget::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QDockWidget::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QDockWidget::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QDockWidget::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QDockWidget::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QDockWidget::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QDockWidget::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QDockWidget::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QDockWidget::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2825,25 +2825,25 @@ static gsi::Methods methods_QDockWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QDockWidget::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QDockWidget::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QDockWidget::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QDockWidget::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QDockWidget::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QDockWidget::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QDockWidget::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QDockWidget::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QDockWidget::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QDockWidget::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QDockWidget::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QDockWidget::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QDockWidget::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QDockWidget::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QDockWidget::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QDockWidget::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QDockWidget::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QDockWidget::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QDockWidget::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QDockWidget::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QDockWidget::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2855,7 +2855,7 @@ static gsi::Methods methods_QDockWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QDockWidget::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QDockWidget::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QDockWidget::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QDockWidget::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QDockWidget::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QDockWidget::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -2863,18 +2863,18 @@ static gsi::Methods methods_QDockWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QDockWidget::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QDockWidget::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QDockWidget::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QDockWidget::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QDockWidget::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QDockWidget::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDockWidget::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDockWidget::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_topLevelChanged", "@brief Emitter for signal void QDockWidget::topLevelChanged(bool topLevel)\nCall this method to emit this signal.", false, &_init_emitter_topLevelChanged_864, &_call_emitter_topLevelChanged_864); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QDockWidget::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); methods += new qt_gsi::GenericMethod ("emit_visibilityChanged", "@brief Emitter for signal void QDockWidget::visibilityChanged(bool visible)\nCall this method to emit this signal.", false, &_init_emitter_visibilityChanged_864, &_call_emitter_visibilityChanged_864); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QDockWidget::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QDockWidget::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QDockWidget::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QDockWidget::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDoubleSpinBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDoubleSpinBox.cc index 7d4749dfda..c025a2441c 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDoubleSpinBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDoubleSpinBox.cc @@ -319,6 +319,26 @@ static void _call_f_setSingleStep_1071 (const qt_gsi::GenericMethod * /*decl*/, } +// void QDoubleSpinBox::setStepType(QAbstractSpinBox::StepType stepType) + + +static void _init_f_setStepType_2990 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("stepType"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_setStepType_2990 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QDoubleSpinBox *)cls)->setStepType (qt_gsi::QtToCppAdaptor(arg1).cref()); +} + + // void QDoubleSpinBox::setSuffix(const QString &suffix) @@ -374,6 +394,21 @@ static void _call_f_singleStep_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// QAbstractSpinBox::StepType QDoubleSpinBox::stepType() + + +static void _init_f_stepType_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_stepType_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QDoubleSpinBox *)cls)->stepType ())); +} + + // QString QDoubleSpinBox::suffix() @@ -532,9 +567,11 @@ static gsi::Methods methods_QDoubleSpinBox () { methods += new qt_gsi::GenericMethod ("setPrefix|prefix=", "@brief Method void QDoubleSpinBox::setPrefix(const QString &prefix)\n", false, &_init_f_setPrefix_2025, &_call_f_setPrefix_2025); methods += new qt_gsi::GenericMethod ("setRange", "@brief Method void QDoubleSpinBox::setRange(double min, double max)\n", false, &_init_f_setRange_2034, &_call_f_setRange_2034); methods += new qt_gsi::GenericMethod ("setSingleStep|singleStep=", "@brief Method void QDoubleSpinBox::setSingleStep(double val)\n", false, &_init_f_setSingleStep_1071, &_call_f_setSingleStep_1071); + methods += new qt_gsi::GenericMethod ("setStepType", "@brief Method void QDoubleSpinBox::setStepType(QAbstractSpinBox::StepType stepType)\n", false, &_init_f_setStepType_2990, &_call_f_setStepType_2990); methods += new qt_gsi::GenericMethod ("setSuffix|suffix=", "@brief Method void QDoubleSpinBox::setSuffix(const QString &suffix)\n", false, &_init_f_setSuffix_2025, &_call_f_setSuffix_2025); methods += new qt_gsi::GenericMethod ("setValue|value=", "@brief Method void QDoubleSpinBox::setValue(double val)\n", false, &_init_f_setValue_1071, &_call_f_setValue_1071); methods += new qt_gsi::GenericMethod (":singleStep", "@brief Method double QDoubleSpinBox::singleStep()\n", true, &_init_f_singleStep_c0, &_call_f_singleStep_c0); + methods += new qt_gsi::GenericMethod ("stepType", "@brief Method QAbstractSpinBox::StepType QDoubleSpinBox::stepType()\n", true, &_init_f_stepType_c0, &_call_f_stepType_c0); methods += new qt_gsi::GenericMethod (":suffix", "@brief Method QString QDoubleSpinBox::suffix()\n", true, &_init_f_suffix_c0, &_call_f_suffix_c0); methods += new qt_gsi::GenericMethod ("textFromValue", "@brief Method QString QDoubleSpinBox::textFromValue(double val)\n", true, &_init_f_textFromValue_c1071, &_call_f_textFromValue_c1071); methods += new qt_gsi::GenericMethod ("validate", "@brief Method QValidator::State QDoubleSpinBox::validate(QString &input, int &pos)\nThis is a reimplementation of QAbstractSpinBox::validate", true, &_init_f_validate_c2171, &_call_f_validate_c2171); @@ -691,18 +728,18 @@ class QDoubleSpinBox_Adaptor : public QDoubleSpinBox, public qt_gsi::QtObjectBas } } - // [adaptor impl] bool QDoubleSpinBox::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QDoubleSpinBox::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QDoubleSpinBox::eventFilter(arg1, arg2); + return QDoubleSpinBox::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QDoubleSpinBox_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QDoubleSpinBox_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QDoubleSpinBox::eventFilter(arg1, arg2); + return QDoubleSpinBox::eventFilter(watched, event); } } @@ -923,18 +960,18 @@ class QDoubleSpinBox_Adaptor : public QDoubleSpinBox, public qt_gsi::QtObjectBas emit QDoubleSpinBox::windowTitleChanged(title); } - // [adaptor impl] void QDoubleSpinBox::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QDoubleSpinBox::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QDoubleSpinBox::actionEvent(arg1); + QDoubleSpinBox::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QDoubleSpinBox_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QDoubleSpinBox_Adaptor::cbs_actionEvent_1823_0, event); } else { - QDoubleSpinBox::actionEvent(arg1); + QDoubleSpinBox::actionEvent(event); } } @@ -953,18 +990,18 @@ class QDoubleSpinBox_Adaptor : public QDoubleSpinBox, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QDoubleSpinBox::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QDoubleSpinBox::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QDoubleSpinBox::childEvent(arg1); + QDoubleSpinBox::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QDoubleSpinBox_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QDoubleSpinBox_Adaptor::cbs_childEvent_1701_0, event); } else { - QDoubleSpinBox::childEvent(arg1); + QDoubleSpinBox::childEvent(event); } } @@ -998,18 +1035,18 @@ class QDoubleSpinBox_Adaptor : public QDoubleSpinBox, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QDoubleSpinBox::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDoubleSpinBox::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QDoubleSpinBox::customEvent(arg1); + QDoubleSpinBox::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QDoubleSpinBox_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QDoubleSpinBox_Adaptor::cbs_customEvent_1217_0, event); } else { - QDoubleSpinBox::customEvent(arg1); + QDoubleSpinBox::customEvent(event); } } @@ -1028,78 +1065,78 @@ class QDoubleSpinBox_Adaptor : public QDoubleSpinBox, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QDoubleSpinBox::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QDoubleSpinBox::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QDoubleSpinBox::dragEnterEvent(arg1); + QDoubleSpinBox::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QDoubleSpinBox_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QDoubleSpinBox_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QDoubleSpinBox::dragEnterEvent(arg1); + QDoubleSpinBox::dragEnterEvent(event); } } - // [adaptor impl] void QDoubleSpinBox::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QDoubleSpinBox::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QDoubleSpinBox::dragLeaveEvent(arg1); + QDoubleSpinBox::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QDoubleSpinBox_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QDoubleSpinBox_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QDoubleSpinBox::dragLeaveEvent(arg1); + QDoubleSpinBox::dragLeaveEvent(event); } } - // [adaptor impl] void QDoubleSpinBox::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QDoubleSpinBox::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QDoubleSpinBox::dragMoveEvent(arg1); + QDoubleSpinBox::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QDoubleSpinBox_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QDoubleSpinBox_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QDoubleSpinBox::dragMoveEvent(arg1); + QDoubleSpinBox::dragMoveEvent(event); } } - // [adaptor impl] void QDoubleSpinBox::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QDoubleSpinBox::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QDoubleSpinBox::dropEvent(arg1); + QDoubleSpinBox::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QDoubleSpinBox_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QDoubleSpinBox_Adaptor::cbs_dropEvent_1622_0, event); } else { - QDoubleSpinBox::dropEvent(arg1); + QDoubleSpinBox::dropEvent(event); } } - // [adaptor impl] void QDoubleSpinBox::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDoubleSpinBox::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QDoubleSpinBox::enterEvent(arg1); + QDoubleSpinBox::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QDoubleSpinBox_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QDoubleSpinBox_Adaptor::cbs_enterEvent_1217_0, event); } else { - QDoubleSpinBox::enterEvent(arg1); + QDoubleSpinBox::enterEvent(event); } } @@ -1223,18 +1260,18 @@ class QDoubleSpinBox_Adaptor : public QDoubleSpinBox, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QDoubleSpinBox::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QDoubleSpinBox::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QDoubleSpinBox::leaveEvent(arg1); + QDoubleSpinBox::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QDoubleSpinBox_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QDoubleSpinBox_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QDoubleSpinBox::leaveEvent(arg1); + QDoubleSpinBox::leaveEvent(event); } } @@ -1253,18 +1290,18 @@ class QDoubleSpinBox_Adaptor : public QDoubleSpinBox, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QDoubleSpinBox::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QDoubleSpinBox::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QDoubleSpinBox::mouseDoubleClickEvent(arg1); + QDoubleSpinBox::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QDoubleSpinBox_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QDoubleSpinBox_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QDoubleSpinBox::mouseDoubleClickEvent(arg1); + QDoubleSpinBox::mouseDoubleClickEvent(event); } } @@ -1313,18 +1350,18 @@ class QDoubleSpinBox_Adaptor : public QDoubleSpinBox, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QDoubleSpinBox::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QDoubleSpinBox::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QDoubleSpinBox::moveEvent(arg1); + QDoubleSpinBox::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QDoubleSpinBox_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QDoubleSpinBox_Adaptor::cbs_moveEvent_1624_0, event); } else { - QDoubleSpinBox::moveEvent(arg1); + QDoubleSpinBox::moveEvent(event); } } @@ -1433,18 +1470,18 @@ class QDoubleSpinBox_Adaptor : public QDoubleSpinBox, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QDoubleSpinBox::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QDoubleSpinBox::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QDoubleSpinBox::tabletEvent(arg1); + QDoubleSpinBox::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QDoubleSpinBox_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QDoubleSpinBox_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QDoubleSpinBox::tabletEvent(arg1); + QDoubleSpinBox::tabletEvent(event); } } @@ -1538,7 +1575,7 @@ QDoubleSpinBox_Adaptor::~QDoubleSpinBox_Adaptor() { } static void _init_ctor_QDoubleSpinBox_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1547,16 +1584,16 @@ static void _call_ctor_QDoubleSpinBox_Adaptor_1315 (const qt_gsi::GenericStaticM { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QDoubleSpinBox_Adaptor (arg1)); } -// void QDoubleSpinBox::actionEvent(QActionEvent *) +// void QDoubleSpinBox::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1600,11 +1637,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QDoubleSpinBox::childEvent(QChildEvent *) +// void QDoubleSpinBox::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1735,11 +1772,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QDoubleSpinBox::customEvent(QEvent *) +// void QDoubleSpinBox::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1785,7 +1822,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1794,7 +1831,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QDoubleSpinBox_Adaptor *)cls)->emitter_QDoubleSpinBox_destroyed_1302 (arg1); } @@ -1823,11 +1860,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QDoubleSpinBox::dragEnterEvent(QDragEnterEvent *) +// void QDoubleSpinBox::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1847,11 +1884,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QDoubleSpinBox::dragLeaveEvent(QDragLeaveEvent *) +// void QDoubleSpinBox::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1871,11 +1908,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QDoubleSpinBox::dragMoveEvent(QDragMoveEvent *) +// void QDoubleSpinBox::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1895,11 +1932,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QDoubleSpinBox::dropEvent(QDropEvent *) +// void QDoubleSpinBox::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1933,11 +1970,11 @@ static void _call_emitter_editingFinished_0 (const qt_gsi::GenericMethod * /*dec } -// void QDoubleSpinBox::enterEvent(QEvent *) +// void QDoubleSpinBox::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1980,13 +2017,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QDoubleSpinBox::eventFilter(QObject *, QEvent *) +// bool QDoubleSpinBox::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2351,11 +2388,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QDoubleSpinBox::leaveEvent(QEvent *) +// void QDoubleSpinBox::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2431,11 +2468,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QDoubleSpinBox::mouseDoubleClickEvent(QMouseEvent *) +// void QDoubleSpinBox::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2527,11 +2564,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QDoubleSpinBox::moveEvent(QMoveEvent *) +// void QDoubleSpinBox::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2882,11 +2919,11 @@ static void _set_callback_cbs_stepEnabled_c0_0 (void *cls, const gsi::Callback & } -// void QDoubleSpinBox::tabletEvent(QTabletEvent *) +// void QDoubleSpinBox::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3139,11 +3176,11 @@ gsi::Class &qtdecl_QDoubleSpinBox (); static gsi::Methods methods_QDoubleSpinBox_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDoubleSpinBox::QDoubleSpinBox(QWidget *parent)\nThis method creates an object of class QDoubleSpinBox.", &_init_ctor_QDoubleSpinBox_Adaptor_1315, &_call_ctor_QDoubleSpinBox_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QDoubleSpinBox::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QDoubleSpinBox::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QDoubleSpinBox::changeEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDoubleSpinBox::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QDoubleSpinBox::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("clear", "@brief Virtual method void QDoubleSpinBox::clear()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0); methods += new qt_gsi::GenericMethod ("clear", "@hide", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0, &_set_callback_cbs_clear_0_0); @@ -3151,28 +3188,28 @@ static gsi::Methods methods_QDoubleSpinBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QDoubleSpinBox::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QDoubleSpinBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QDoubleSpinBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QDoubleSpinBox::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDoubleSpinBox::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDoubleSpinBox::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QDoubleSpinBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QDoubleSpinBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDoubleSpinBox::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDoubleSpinBox::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QDoubleSpinBox::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QDoubleSpinBox::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QDoubleSpinBox::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QDoubleSpinBox::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QDoubleSpinBox::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QDoubleSpinBox::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QDoubleSpinBox::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QDoubleSpinBox::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("emit_editingFinished", "@brief Emitter for signal void QDoubleSpinBox::editingFinished()\nCall this method to emit this signal.", false, &_init_emitter_editingFinished_0, &_call_emitter_editingFinished_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QDoubleSpinBox::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QDoubleSpinBox::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QDoubleSpinBox::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDoubleSpinBox::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDoubleSpinBox::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fixup", "@brief Virtual method void QDoubleSpinBox::fixup(QString &str)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0); methods += new qt_gsi::GenericMethod ("fixup", "@hide", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0, &_set_callback_cbs_fixup_c1330_0); @@ -3202,14 +3239,14 @@ static gsi::Methods methods_QDoubleSpinBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QDoubleSpinBox::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QDoubleSpinBox::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QDoubleSpinBox::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*lineEdit", "@brief Method QLineEdit *QDoubleSpinBox::lineEdit()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_lineEdit_c0, &_call_fp_lineEdit_c0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QDoubleSpinBox::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QDoubleSpinBox::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QDoubleSpinBox::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QDoubleSpinBox::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QDoubleSpinBox::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -3217,7 +3254,7 @@ static gsi::Methods methods_QDoubleSpinBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QDoubleSpinBox::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QDoubleSpinBox::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QDoubleSpinBox::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QDoubleSpinBox::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3246,7 +3283,7 @@ static gsi::Methods methods_QDoubleSpinBox_Adaptor () { methods += new qt_gsi::GenericMethod ("stepBy", "@hide", false, &_init_cbs_stepBy_767_0, &_call_cbs_stepBy_767_0, &_set_callback_cbs_stepBy_767_0); methods += new qt_gsi::GenericMethod ("*stepEnabled", "@brief Virtual method QFlags QDoubleSpinBox::stepEnabled()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_stepEnabled_c0_0, &_call_cbs_stepEnabled_c0_0); methods += new qt_gsi::GenericMethod ("*stepEnabled", "@hide", true, &_init_cbs_stepEnabled_c0_0, &_call_cbs_stepEnabled_c0_0, &_set_callback_cbs_stepEnabled_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QDoubleSpinBox::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QDoubleSpinBox::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("textFromValue", "@brief Virtual method QString QDoubleSpinBox::textFromValue(double val)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_textFromValue_c1071_0, &_call_cbs_textFromValue_c1071_0); methods += new qt_gsi::GenericMethod ("textFromValue", "@hide", true, &_init_cbs_textFromValue_c1071_0, &_call_cbs_textFromValue_c1071_0, &_set_callback_cbs_textFromValue_c1071_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQErrorMessage.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQErrorMessage.cc index fb1b7936a2..175960ffa0 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQErrorMessage.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQErrorMessage.cc @@ -529,18 +529,18 @@ class QErrorMessage_Adaptor : public QErrorMessage, public qt_gsi::QtObjectBase emit QErrorMessage::windowTitleChanged(title); } - // [adaptor impl] void QErrorMessage::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QErrorMessage::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QErrorMessage::actionEvent(arg1); + QErrorMessage::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QErrorMessage_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QErrorMessage_Adaptor::cbs_actionEvent_1823_0, event); } else { - QErrorMessage::actionEvent(arg1); + QErrorMessage::actionEvent(event); } } @@ -559,18 +559,18 @@ class QErrorMessage_Adaptor : public QErrorMessage, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QErrorMessage::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QErrorMessage::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QErrorMessage::childEvent(arg1); + QErrorMessage::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QErrorMessage_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QErrorMessage_Adaptor::cbs_childEvent_1701_0, event); } else { - QErrorMessage::childEvent(arg1); + QErrorMessage::childEvent(event); } } @@ -604,18 +604,18 @@ class QErrorMessage_Adaptor : public QErrorMessage, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QErrorMessage::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QErrorMessage::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QErrorMessage::customEvent(arg1); + QErrorMessage::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QErrorMessage_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QErrorMessage_Adaptor::cbs_customEvent_1217_0, event); } else { - QErrorMessage::customEvent(arg1); + QErrorMessage::customEvent(event); } } @@ -649,93 +649,93 @@ class QErrorMessage_Adaptor : public QErrorMessage, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QErrorMessage::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QErrorMessage::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QErrorMessage::dragEnterEvent(arg1); + QErrorMessage::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QErrorMessage_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QErrorMessage_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QErrorMessage::dragEnterEvent(arg1); + QErrorMessage::dragEnterEvent(event); } } - // [adaptor impl] void QErrorMessage::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QErrorMessage::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QErrorMessage::dragLeaveEvent(arg1); + QErrorMessage::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QErrorMessage_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QErrorMessage_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QErrorMessage::dragLeaveEvent(arg1); + QErrorMessage::dragLeaveEvent(event); } } - // [adaptor impl] void QErrorMessage::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QErrorMessage::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QErrorMessage::dragMoveEvent(arg1); + QErrorMessage::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QErrorMessage_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QErrorMessage_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QErrorMessage::dragMoveEvent(arg1); + QErrorMessage::dragMoveEvent(event); } } - // [adaptor impl] void QErrorMessage::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QErrorMessage::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QErrorMessage::dropEvent(arg1); + QErrorMessage::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QErrorMessage_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QErrorMessage_Adaptor::cbs_dropEvent_1622_0, event); } else { - QErrorMessage::dropEvent(arg1); + QErrorMessage::dropEvent(event); } } - // [adaptor impl] void QErrorMessage::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QErrorMessage::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QErrorMessage::enterEvent(arg1); + QErrorMessage::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QErrorMessage_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QErrorMessage_Adaptor::cbs_enterEvent_1217_0, event); } else { - QErrorMessage::enterEvent(arg1); + QErrorMessage::enterEvent(event); } } - // [adaptor impl] bool QErrorMessage::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QErrorMessage::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QErrorMessage::event(arg1); + return QErrorMessage::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QErrorMessage_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QErrorMessage_Adaptor::cbs_event_1217_0, _event); } else { - return QErrorMessage::event(arg1); + return QErrorMessage::event(_event); } } @@ -754,18 +754,18 @@ class QErrorMessage_Adaptor : public QErrorMessage, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QErrorMessage::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QErrorMessage::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QErrorMessage::focusInEvent(arg1); + QErrorMessage::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QErrorMessage_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QErrorMessage_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QErrorMessage::focusInEvent(arg1); + QErrorMessage::focusInEvent(event); } } @@ -784,33 +784,33 @@ class QErrorMessage_Adaptor : public QErrorMessage, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QErrorMessage::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QErrorMessage::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QErrorMessage::focusOutEvent(arg1); + QErrorMessage::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QErrorMessage_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QErrorMessage_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QErrorMessage::focusOutEvent(arg1); + QErrorMessage::focusOutEvent(event); } } - // [adaptor impl] void QErrorMessage::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QErrorMessage::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QErrorMessage::hideEvent(arg1); + QErrorMessage::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QErrorMessage_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QErrorMessage_Adaptor::cbs_hideEvent_1595_0, event); } else { - QErrorMessage::hideEvent(arg1); + QErrorMessage::hideEvent(event); } } @@ -859,33 +859,33 @@ class QErrorMessage_Adaptor : public QErrorMessage, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QErrorMessage::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QErrorMessage::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QErrorMessage::keyReleaseEvent(arg1); + QErrorMessage::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QErrorMessage_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QErrorMessage_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QErrorMessage::keyReleaseEvent(arg1); + QErrorMessage::keyReleaseEvent(event); } } - // [adaptor impl] void QErrorMessage::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QErrorMessage::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QErrorMessage::leaveEvent(arg1); + QErrorMessage::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QErrorMessage_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QErrorMessage_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QErrorMessage::leaveEvent(arg1); + QErrorMessage::leaveEvent(event); } } @@ -904,78 +904,78 @@ class QErrorMessage_Adaptor : public QErrorMessage, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QErrorMessage::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QErrorMessage::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QErrorMessage::mouseDoubleClickEvent(arg1); + QErrorMessage::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QErrorMessage_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QErrorMessage_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QErrorMessage::mouseDoubleClickEvent(arg1); + QErrorMessage::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QErrorMessage::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QErrorMessage::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QErrorMessage::mouseMoveEvent(arg1); + QErrorMessage::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QErrorMessage_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QErrorMessage_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QErrorMessage::mouseMoveEvent(arg1); + QErrorMessage::mouseMoveEvent(event); } } - // [adaptor impl] void QErrorMessage::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QErrorMessage::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QErrorMessage::mousePressEvent(arg1); + QErrorMessage::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QErrorMessage_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QErrorMessage_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QErrorMessage::mousePressEvent(arg1); + QErrorMessage::mousePressEvent(event); } } - // [adaptor impl] void QErrorMessage::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QErrorMessage::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QErrorMessage::mouseReleaseEvent(arg1); + QErrorMessage::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QErrorMessage_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QErrorMessage_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QErrorMessage::mouseReleaseEvent(arg1); + QErrorMessage::mouseReleaseEvent(event); } } - // [adaptor impl] void QErrorMessage::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QErrorMessage::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QErrorMessage::moveEvent(arg1); + QErrorMessage::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QErrorMessage_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QErrorMessage_Adaptor::cbs_moveEvent_1624_0, event); } else { - QErrorMessage::moveEvent(arg1); + QErrorMessage::moveEvent(event); } } @@ -994,18 +994,18 @@ class QErrorMessage_Adaptor : public QErrorMessage, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QErrorMessage::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QErrorMessage::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QErrorMessage::paintEvent(arg1); + QErrorMessage::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QErrorMessage_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QErrorMessage_Adaptor::cbs_paintEvent_1725_0, event); } else { - QErrorMessage::paintEvent(arg1); + QErrorMessage::paintEvent(event); } } @@ -1069,48 +1069,48 @@ class QErrorMessage_Adaptor : public QErrorMessage, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QErrorMessage::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QErrorMessage::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QErrorMessage::tabletEvent(arg1); + QErrorMessage::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QErrorMessage_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QErrorMessage_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QErrorMessage::tabletEvent(arg1); + QErrorMessage::tabletEvent(event); } } - // [adaptor impl] void QErrorMessage::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QErrorMessage::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QErrorMessage::timerEvent(arg1); + QErrorMessage::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QErrorMessage_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QErrorMessage_Adaptor::cbs_timerEvent_1730_0, event); } else { - QErrorMessage::timerEvent(arg1); + QErrorMessage::timerEvent(event); } } - // [adaptor impl] void QErrorMessage::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QErrorMessage::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QErrorMessage::wheelEvent(arg1); + QErrorMessage::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QErrorMessage_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QErrorMessage_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QErrorMessage::wheelEvent(arg1); + QErrorMessage::wheelEvent(event); } } @@ -1172,7 +1172,7 @@ QErrorMessage_Adaptor::~QErrorMessage_Adaptor() { } static void _init_ctor_QErrorMessage_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1181,7 +1181,7 @@ static void _call_ctor_QErrorMessage_Adaptor_1315 (const qt_gsi::GenericStaticMe { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QErrorMessage_Adaptor (arg1)); } @@ -1220,11 +1220,11 @@ static void _call_emitter_accepted_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QErrorMessage::actionEvent(QActionEvent *) +// void QErrorMessage::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1287,11 +1287,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QErrorMessage::childEvent(QChildEvent *) +// void QErrorMessage::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1402,11 +1402,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QErrorMessage::customEvent(QEvent *) +// void QErrorMessage::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1452,7 +1452,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1461,7 +1461,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QErrorMessage_Adaptor *)cls)->emitter_QErrorMessage_destroyed_1302 (arg1); } @@ -1514,11 +1514,11 @@ static void _set_callback_cbs_done_767_0 (void *cls, const gsi::Callback &cb) } -// void QErrorMessage::dragEnterEvent(QDragEnterEvent *) +// void QErrorMessage::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1538,11 +1538,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QErrorMessage::dragLeaveEvent(QDragLeaveEvent *) +// void QErrorMessage::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1562,11 +1562,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QErrorMessage::dragMoveEvent(QDragMoveEvent *) +// void QErrorMessage::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1586,11 +1586,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QErrorMessage::dropEvent(QDropEvent *) +// void QErrorMessage::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1610,11 +1610,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QErrorMessage::enterEvent(QEvent *) +// void QErrorMessage::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1634,11 +1634,11 @@ static void _set_callback_cbs_enterEvent_1217_0 (void *cls, const gsi::Callback } -// bool QErrorMessage::event(QEvent *) +// bool QErrorMessage::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1720,11 +1720,11 @@ static void _call_emitter_finished_767 (const qt_gsi::GenericMethod * /*decl*/, } -// void QErrorMessage::focusInEvent(QFocusEvent *) +// void QErrorMessage::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1781,11 +1781,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QErrorMessage::focusOutEvent(QFocusEvent *) +// void QErrorMessage::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1861,11 +1861,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QErrorMessage::hideEvent(QHideEvent *) +// void QErrorMessage::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1998,11 +1998,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QErrorMessage::keyReleaseEvent(QKeyEvent *) +// void QErrorMessage::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2022,11 +2022,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QErrorMessage::leaveEvent(QEvent *) +// void QErrorMessage::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2088,11 +2088,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QErrorMessage::mouseDoubleClickEvent(QMouseEvent *) +// void QErrorMessage::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2112,11 +2112,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QErrorMessage::mouseMoveEvent(QMouseEvent *) +// void QErrorMessage::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2136,11 +2136,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QErrorMessage::mousePressEvent(QMouseEvent *) +// void QErrorMessage::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2160,11 +2160,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QErrorMessage::mouseReleaseEvent(QMouseEvent *) +// void QErrorMessage::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2184,11 +2184,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QErrorMessage::moveEvent(QMoveEvent *) +// void QErrorMessage::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2294,11 +2294,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QErrorMessage::paintEvent(QPaintEvent *) +// void QErrorMessage::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2531,11 +2531,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QErrorMessage::tabletEvent(QTabletEvent *) +// void QErrorMessage::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2555,11 +2555,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QErrorMessage::timerEvent(QTimerEvent *) +// void QErrorMessage::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2594,11 +2594,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QErrorMessage::wheelEvent(QWheelEvent *) +// void QErrorMessage::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2683,57 +2683,57 @@ static gsi::Methods methods_QErrorMessage_Adaptor () { methods += new qt_gsi::GenericMethod ("accept", "@brief Virtual method void QErrorMessage::accept()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("accept", "@hide", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0, &_set_callback_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("emit_accepted", "@brief Emitter for signal void QErrorMessage::accepted()\nCall this method to emit this signal.", false, &_init_emitter_accepted_0, &_call_emitter_accepted_0); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QErrorMessage::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QErrorMessage::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*adjustPosition", "@brief Method void QErrorMessage::adjustPosition(QWidget *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_adjustPosition_1315, &_call_fp_adjustPosition_1315); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QErrorMessage::changeEvent(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QErrorMessage::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QErrorMessage::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QErrorMessage::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QErrorMessage::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QErrorMessage::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QErrorMessage::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QErrorMessage::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QErrorMessage::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QErrorMessage::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QErrorMessage::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QErrorMessage::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QErrorMessage::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QErrorMessage::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*done", "@brief Virtual method void QErrorMessage::done(int)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0); methods += new qt_gsi::GenericMethod ("*done", "@hide", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0, &_set_callback_cbs_done_767_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QErrorMessage::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QErrorMessage::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QErrorMessage::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QErrorMessage::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QErrorMessage::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QErrorMessage::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QErrorMessage::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QErrorMessage::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QErrorMessage::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QErrorMessage::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QErrorMessage::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QErrorMessage::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QErrorMessage::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("exec", "@brief Virtual method int QErrorMessage::exec()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("exec", "@hide", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0, &_set_callback_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QErrorMessage::finished(int result)\nCall this method to emit this signal.", false, &_init_emitter_finished_767, &_call_emitter_finished_767); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QErrorMessage::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QErrorMessage::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QErrorMessage::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QErrorMessage::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QErrorMessage::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QErrorMessage::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QErrorMessage::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QErrorMessage::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QErrorMessage::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QErrorMessage::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QErrorMessage::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QErrorMessage::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2744,23 +2744,23 @@ static gsi::Methods methods_QErrorMessage_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QErrorMessage::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QErrorMessage::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QErrorMessage::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QErrorMessage::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QErrorMessage::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QErrorMessage::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QErrorMessage::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QErrorMessage::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QErrorMessage::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QErrorMessage::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QErrorMessage::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QErrorMessage::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QErrorMessage::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QErrorMessage::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QErrorMessage::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QErrorMessage::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QErrorMessage::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QErrorMessage::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QErrorMessage::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2769,7 +2769,7 @@ static gsi::Methods methods_QErrorMessage_Adaptor () { methods += new qt_gsi::GenericMethod ("open", "@hide", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0, &_set_callback_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QErrorMessage::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QErrorMessage::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QErrorMessage::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QErrorMessage::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QErrorMessage::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); @@ -2789,12 +2789,12 @@ static gsi::Methods methods_QErrorMessage_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QErrorMessage::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QErrorMessage::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QErrorMessage::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QErrorMessage::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QErrorMessage::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QErrorMessage::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QErrorMessage::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QErrorMessage::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QErrorMessage::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QErrorMessage::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQFileDialog.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQFileDialog.cc index a16d66d0bd..0f6ab7c7a8 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQFileDialog.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQFileDialog.cc @@ -546,6 +546,21 @@ static void _call_f_selectedFiles_c0 (const qt_gsi::GenericMethod * /*decl*/, vo } +// QString QFileDialog::selectedMimeTypeFilter() + + +static void _init_f_selectedMimeTypeFilter_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_selectedMimeTypeFilter_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QString)((QFileDialog *)cls)->selectedMimeTypeFilter ()); +} + + // QString QFileDialog::selectedNameFilter() @@ -1022,6 +1037,26 @@ static void _call_f_setSidebarUrls_2316 (const qt_gsi::GenericMethod * /*decl*/, } +// void QFileDialog::setSupportedSchemes(const QStringList &schemes) + + +static void _init_f_setSupportedSchemes_2437 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("schemes"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setSupportedSchemes_2437 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QStringList &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QFileDialog *)cls)->setSupportedSchemes (arg1); +} + + // void QFileDialog::setViewMode(QFileDialog::ViewMode mode) @@ -1077,6 +1112,21 @@ static void _call_f_sidebarUrls_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// QStringList QFileDialog::supportedSchemes() + + +static void _init_f_supportedSchemes_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_supportedSchemes_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QStringList)((QFileDialog *)cls)->supportedSchemes ()); +} + + // bool QFileDialog::testOption(QFileDialog::Option option) @@ -1116,7 +1166,7 @@ static void _call_f_viewMode_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c static void _init_f_getExistingDirectory_7979 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("caption", true, "QString()"); decl->add_arg (argspec_1); @@ -1131,7 +1181,7 @@ static void _call_f_getExistingDirectory_7979 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const QString &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); const QString &arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QFileDialog::ShowDirsOnly, heap); @@ -1144,7 +1194,7 @@ static void _call_f_getExistingDirectory_7979 (const qt_gsi::GenericStaticMethod static void _init_f_getExistingDirectoryUrl_9984 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("caption", true, "QString()"); decl->add_arg (argspec_1); @@ -1161,7 +1211,7 @@ static void _call_f_getExistingDirectoryUrl_9984 (const qt_gsi::GenericStaticMet { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const QString &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); const QUrl &arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QUrl(), heap); QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QFileDialog::ShowDirsOnly, heap); @@ -1175,7 +1225,7 @@ static void _call_f_getExistingDirectoryUrl_9984 (const qt_gsi::GenericStaticMet static void _init_f_getOpenFileName_11122 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("caption", true, "QString()"); decl->add_arg (argspec_1); @@ -1183,9 +1233,9 @@ static void _init_f_getOpenFileName_11122 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("filter", true, "QString()"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("selectedFilter", true, "0"); + static gsi::ArgSpecBase argspec_4 ("selectedFilter", true, "nullptr"); decl->add_arg (argspec_4); - static gsi::ArgSpecBase argspec_5 ("options", true, "0"); + static gsi::ArgSpecBase argspec_5 ("options", true, "QFileDialog::Options()"); decl->add_arg > (argspec_5); decl->set_return (); } @@ -1194,12 +1244,12 @@ static void _call_f_getOpenFileName_11122 (const qt_gsi::GenericStaticMethod * / { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const QString &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); const QString &arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); const QString &arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); - QString *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QString *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QFileDialog::Options(), heap); ret.write ((QString)QFileDialog::getOpenFileName (arg1, arg2, arg3, arg4, arg5, arg6)); } @@ -1209,7 +1259,7 @@ static void _call_f_getOpenFileName_11122 (const qt_gsi::GenericStaticMethod * / static void _init_f_getOpenFileNames_11122 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("caption", true, "QString()"); decl->add_arg (argspec_1); @@ -1217,9 +1267,9 @@ static void _init_f_getOpenFileNames_11122 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("filter", true, "QString()"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("selectedFilter", true, "0"); + static gsi::ArgSpecBase argspec_4 ("selectedFilter", true, "nullptr"); decl->add_arg (argspec_4); - static gsi::ArgSpecBase argspec_5 ("options", true, "0"); + static gsi::ArgSpecBase argspec_5 ("options", true, "QFileDialog::Options()"); decl->add_arg > (argspec_5); decl->set_return (); } @@ -1228,12 +1278,12 @@ static void _call_f_getOpenFileNames_11122 (const qt_gsi::GenericStaticMethod * { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const QString &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); const QString &arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); const QString &arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); - QString *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QString *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QFileDialog::Options(), heap); ret.write ((QStringList)QFileDialog::getOpenFileNames (arg1, arg2, arg3, arg4, arg5, arg6)); } @@ -1243,7 +1293,7 @@ static void _call_f_getOpenFileNames_11122 (const qt_gsi::GenericStaticMethod * static void _init_f_getOpenFileUrl_13127 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("caption", true, "QString()"); decl->add_arg (argspec_1); @@ -1251,9 +1301,9 @@ static void _init_f_getOpenFileUrl_13127 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("filter", true, "QString()"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("selectedFilter", true, "0"); + static gsi::ArgSpecBase argspec_4 ("selectedFilter", true, "nullptr"); decl->add_arg (argspec_4); - static gsi::ArgSpecBase argspec_5 ("options", true, "0"); + static gsi::ArgSpecBase argspec_5 ("options", true, "QFileDialog::Options()"); decl->add_arg > (argspec_5); static gsi::ArgSpecBase argspec_6 ("supportedSchemes", true, "QStringList()"); decl->add_arg (argspec_6); @@ -1264,12 +1314,12 @@ static void _call_f_getOpenFileUrl_13127 (const qt_gsi::GenericStaticMethod * /* { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const QString &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); const QUrl &arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QUrl(), heap); const QString &arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); - QString *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QString *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QFileDialog::Options(), heap); const QStringList &arg7 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QStringList(), heap); ret.write ((QUrl)QFileDialog::getOpenFileUrl (arg1, arg2, arg3, arg4, arg5, arg6, arg7)); } @@ -1280,7 +1330,7 @@ static void _call_f_getOpenFileUrl_13127 (const qt_gsi::GenericStaticMethod * /* static void _init_f_getOpenFileUrls_13127 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("caption", true, "QString()"); decl->add_arg (argspec_1); @@ -1288,9 +1338,9 @@ static void _init_f_getOpenFileUrls_13127 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("filter", true, "QString()"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("selectedFilter", true, "0"); + static gsi::ArgSpecBase argspec_4 ("selectedFilter", true, "nullptr"); decl->add_arg (argspec_4); - static gsi::ArgSpecBase argspec_5 ("options", true, "0"); + static gsi::ArgSpecBase argspec_5 ("options", true, "QFileDialog::Options()"); decl->add_arg > (argspec_5); static gsi::ArgSpecBase argspec_6 ("supportedSchemes", true, "QStringList()"); decl->add_arg (argspec_6); @@ -1301,12 +1351,12 @@ static void _call_f_getOpenFileUrls_13127 (const qt_gsi::GenericStaticMethod * / { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const QString &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); const QUrl &arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QUrl(), heap); const QString &arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); - QString *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QString *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QFileDialog::Options(), heap); const QStringList &arg7 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QStringList(), heap); ret.write > ((QList)QFileDialog::getOpenFileUrls (arg1, arg2, arg3, arg4, arg5, arg6, arg7)); } @@ -1317,7 +1367,7 @@ static void _call_f_getOpenFileUrls_13127 (const qt_gsi::GenericStaticMethod * / static void _init_f_getSaveFileName_11122 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("caption", true, "QString()"); decl->add_arg (argspec_1); @@ -1325,9 +1375,9 @@ static void _init_f_getSaveFileName_11122 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("filter", true, "QString()"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("selectedFilter", true, "0"); + static gsi::ArgSpecBase argspec_4 ("selectedFilter", true, "nullptr"); decl->add_arg (argspec_4); - static gsi::ArgSpecBase argspec_5 ("options", true, "0"); + static gsi::ArgSpecBase argspec_5 ("options", true, "QFileDialog::Options()"); decl->add_arg > (argspec_5); decl->set_return (); } @@ -1336,12 +1386,12 @@ static void _call_f_getSaveFileName_11122 (const qt_gsi::GenericStaticMethod * / { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const QString &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); const QString &arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); const QString &arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); - QString *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QString *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QFileDialog::Options(), heap); ret.write ((QString)QFileDialog::getSaveFileName (arg1, arg2, arg3, arg4, arg5, arg6)); } @@ -1351,7 +1401,7 @@ static void _call_f_getSaveFileName_11122 (const qt_gsi::GenericStaticMethod * / static void _init_f_getSaveFileUrl_13127 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("caption", true, "QString()"); decl->add_arg (argspec_1); @@ -1359,9 +1409,9 @@ static void _init_f_getSaveFileUrl_13127 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("filter", true, "QString()"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("selectedFilter", true, "0"); + static gsi::ArgSpecBase argspec_4 ("selectedFilter", true, "nullptr"); decl->add_arg (argspec_4); - static gsi::ArgSpecBase argspec_5 ("options", true, "0"); + static gsi::ArgSpecBase argspec_5 ("options", true, "QFileDialog::Options()"); decl->add_arg > (argspec_5); static gsi::ArgSpecBase argspec_6 ("supportedSchemes", true, "QStringList()"); decl->add_arg (argspec_6); @@ -1372,12 +1422,12 @@ static void _call_f_getSaveFileUrl_13127 (const qt_gsi::GenericStaticMethod * /* { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const QString &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); const QUrl &arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QUrl(), heap); const QString &arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); - QString *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QString *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QFileDialog::Options(), heap); const QStringList &arg7 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QStringList(), heap); ret.write ((QUrl)QFileDialog::getSaveFileUrl (arg1, arg2, arg3, arg4, arg5, arg6, arg7)); } @@ -1466,6 +1516,7 @@ static gsi::Methods methods_QFileDialog () { methods += new qt_gsi::GenericMethod ("selectNameFilter", "@brief Method void QFileDialog::selectNameFilter(const QString &filter)\n", false, &_init_f_selectNameFilter_2025, &_call_f_selectNameFilter_2025); methods += new qt_gsi::GenericMethod ("selectUrl", "@brief Method void QFileDialog::selectUrl(const QUrl &url)\n", false, &_init_f_selectUrl_1701, &_call_f_selectUrl_1701); methods += new qt_gsi::GenericMethod ("selectedFiles", "@brief Method QStringList QFileDialog::selectedFiles()\n", true, &_init_f_selectedFiles_c0, &_call_f_selectedFiles_c0); + methods += new qt_gsi::GenericMethod ("selectedMimeTypeFilter", "@brief Method QString QFileDialog::selectedMimeTypeFilter()\n", true, &_init_f_selectedMimeTypeFilter_c0, &_call_f_selectedMimeTypeFilter_c0); methods += new qt_gsi::GenericMethod ("selectedNameFilter", "@brief Method QString QFileDialog::selectedNameFilter()\n", true, &_init_f_selectedNameFilter_c0, &_call_f_selectedNameFilter_c0); methods += new qt_gsi::GenericMethod ("selectedUrls", "@brief Method QList QFileDialog::selectedUrls()\n", true, &_init_f_selectedUrls_c0, &_call_f_selectedUrls_c0); methods += new qt_gsi::GenericMethod ("setAcceptMode|acceptMode=", "@brief Method void QFileDialog::setAcceptMode(QFileDialog::AcceptMode mode)\n", false, &_init_f_setAcceptMode_2590, &_call_f_setAcceptMode_2590); @@ -1490,9 +1541,11 @@ static gsi::Methods methods_QFileDialog () { methods += new qt_gsi::GenericMethod ("setReadOnly|readOnly=", "@brief Method void QFileDialog::setReadOnly(bool enabled)\n", false, &_init_f_setReadOnly_864, &_call_f_setReadOnly_864); methods += new qt_gsi::GenericMethod ("setResolveSymlinks|resolveSymlinks=", "@brief Method void QFileDialog::setResolveSymlinks(bool enabled)\n", false, &_init_f_setResolveSymlinks_864, &_call_f_setResolveSymlinks_864); methods += new qt_gsi::GenericMethod ("setSidebarUrls|sidebarUrls=", "@brief Method void QFileDialog::setSidebarUrls(const QList &urls)\n", false, &_init_f_setSidebarUrls_2316, &_call_f_setSidebarUrls_2316); + methods += new qt_gsi::GenericMethod ("setSupportedSchemes", "@brief Method void QFileDialog::setSupportedSchemes(const QStringList &schemes)\n", false, &_init_f_setSupportedSchemes_2437, &_call_f_setSupportedSchemes_2437); methods += new qt_gsi::GenericMethod ("setViewMode|viewMode=", "@brief Method void QFileDialog::setViewMode(QFileDialog::ViewMode mode)\n", false, &_init_f_setViewMode_2409, &_call_f_setViewMode_2409); methods += new qt_gsi::GenericMethod ("setVisible|visible=", "@brief Method void QFileDialog::setVisible(bool visible)\nThis is a reimplementation of QDialog::setVisible", false, &_init_f_setVisible_864, &_call_f_setVisible_864); methods += new qt_gsi::GenericMethod (":sidebarUrls", "@brief Method QList QFileDialog::sidebarUrls()\n", true, &_init_f_sidebarUrls_c0, &_call_f_sidebarUrls_c0); + methods += new qt_gsi::GenericMethod ("supportedSchemes", "@brief Method QStringList QFileDialog::supportedSchemes()\n", true, &_init_f_supportedSchemes_c0, &_call_f_supportedSchemes_c0); methods += new qt_gsi::GenericMethod ("testOption", "@brief Method bool QFileDialog::testOption(QFileDialog::Option option)\n", true, &_init_f_testOption_c2242, &_call_f_testOption_c2242); methods += new qt_gsi::GenericMethod (":viewMode", "@brief Method QFileDialog::ViewMode QFileDialog::viewMode()\n", true, &_init_f_viewMode_c0, &_call_f_viewMode_c0); methods += gsi::qt_signal ("accepted()", "accepted", "@brief Signal declaration for QFileDialog::accepted()\nYou can bind a procedure to this signal."); @@ -1903,18 +1956,18 @@ class QFileDialog_Adaptor : public QFileDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFileDialog::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QFileDialog::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QFileDialog::actionEvent(arg1); + QFileDialog::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QFileDialog_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QFileDialog_Adaptor::cbs_actionEvent_1823_0, event); } else { - QFileDialog::actionEvent(arg1); + QFileDialog::actionEvent(event); } } @@ -1933,18 +1986,18 @@ class QFileDialog_Adaptor : public QFileDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFileDialog::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QFileDialog::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QFileDialog::childEvent(arg1); + QFileDialog::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QFileDialog_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QFileDialog_Adaptor::cbs_childEvent_1701_0, event); } else { - QFileDialog::childEvent(arg1); + QFileDialog::childEvent(event); } } @@ -1978,18 +2031,18 @@ class QFileDialog_Adaptor : public QFileDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFileDialog::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFileDialog::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QFileDialog::customEvent(arg1); + QFileDialog::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QFileDialog_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QFileDialog_Adaptor::cbs_customEvent_1217_0, event); } else { - QFileDialog::customEvent(arg1); + QFileDialog::customEvent(event); } } @@ -2023,93 +2076,93 @@ class QFileDialog_Adaptor : public QFileDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFileDialog::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QFileDialog::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QFileDialog::dragEnterEvent(arg1); + QFileDialog::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QFileDialog_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QFileDialog_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QFileDialog::dragEnterEvent(arg1); + QFileDialog::dragEnterEvent(event); } } - // [adaptor impl] void QFileDialog::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QFileDialog::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QFileDialog::dragLeaveEvent(arg1); + QFileDialog::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QFileDialog_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QFileDialog_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QFileDialog::dragLeaveEvent(arg1); + QFileDialog::dragLeaveEvent(event); } } - // [adaptor impl] void QFileDialog::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QFileDialog::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QFileDialog::dragMoveEvent(arg1); + QFileDialog::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QFileDialog_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QFileDialog_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QFileDialog::dragMoveEvent(arg1); + QFileDialog::dragMoveEvent(event); } } - // [adaptor impl] void QFileDialog::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QFileDialog::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QFileDialog::dropEvent(arg1); + QFileDialog::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QFileDialog_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QFileDialog_Adaptor::cbs_dropEvent_1622_0, event); } else { - QFileDialog::dropEvent(arg1); + QFileDialog::dropEvent(event); } } - // [adaptor impl] void QFileDialog::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFileDialog::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QFileDialog::enterEvent(arg1); + QFileDialog::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QFileDialog_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QFileDialog_Adaptor::cbs_enterEvent_1217_0, event); } else { - QFileDialog::enterEvent(arg1); + QFileDialog::enterEvent(event); } } - // [adaptor impl] bool QFileDialog::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QFileDialog::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QFileDialog::event(arg1); + return QFileDialog::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QFileDialog_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QFileDialog_Adaptor::cbs_event_1217_0, _event); } else { - return QFileDialog::event(arg1); + return QFileDialog::event(_event); } } @@ -2128,18 +2181,18 @@ class QFileDialog_Adaptor : public QFileDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFileDialog::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QFileDialog::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QFileDialog::focusInEvent(arg1); + QFileDialog::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QFileDialog_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QFileDialog_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QFileDialog::focusInEvent(arg1); + QFileDialog::focusInEvent(event); } } @@ -2158,33 +2211,33 @@ class QFileDialog_Adaptor : public QFileDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFileDialog::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QFileDialog::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QFileDialog::focusOutEvent(arg1); + QFileDialog::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QFileDialog_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QFileDialog_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QFileDialog::focusOutEvent(arg1); + QFileDialog::focusOutEvent(event); } } - // [adaptor impl] void QFileDialog::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QFileDialog::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QFileDialog::hideEvent(arg1); + QFileDialog::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QFileDialog_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QFileDialog_Adaptor::cbs_hideEvent_1595_0, event); } else { - QFileDialog::hideEvent(arg1); + QFileDialog::hideEvent(event); } } @@ -2233,33 +2286,33 @@ class QFileDialog_Adaptor : public QFileDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFileDialog::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QFileDialog::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QFileDialog::keyReleaseEvent(arg1); + QFileDialog::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QFileDialog_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QFileDialog_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QFileDialog::keyReleaseEvent(arg1); + QFileDialog::keyReleaseEvent(event); } } - // [adaptor impl] void QFileDialog::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFileDialog::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QFileDialog::leaveEvent(arg1); + QFileDialog::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QFileDialog_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QFileDialog_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QFileDialog::leaveEvent(arg1); + QFileDialog::leaveEvent(event); } } @@ -2278,78 +2331,78 @@ class QFileDialog_Adaptor : public QFileDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFileDialog::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QFileDialog::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QFileDialog::mouseDoubleClickEvent(arg1); + QFileDialog::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QFileDialog_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QFileDialog_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QFileDialog::mouseDoubleClickEvent(arg1); + QFileDialog::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QFileDialog::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QFileDialog::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QFileDialog::mouseMoveEvent(arg1); + QFileDialog::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QFileDialog_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QFileDialog_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QFileDialog::mouseMoveEvent(arg1); + QFileDialog::mouseMoveEvent(event); } } - // [adaptor impl] void QFileDialog::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QFileDialog::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QFileDialog::mousePressEvent(arg1); + QFileDialog::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QFileDialog_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QFileDialog_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QFileDialog::mousePressEvent(arg1); + QFileDialog::mousePressEvent(event); } } - // [adaptor impl] void QFileDialog::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QFileDialog::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QFileDialog::mouseReleaseEvent(arg1); + QFileDialog::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QFileDialog_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QFileDialog_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QFileDialog::mouseReleaseEvent(arg1); + QFileDialog::mouseReleaseEvent(event); } } - // [adaptor impl] void QFileDialog::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QFileDialog::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QFileDialog::moveEvent(arg1); + QFileDialog::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QFileDialog_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QFileDialog_Adaptor::cbs_moveEvent_1624_0, event); } else { - QFileDialog::moveEvent(arg1); + QFileDialog::moveEvent(event); } } @@ -2368,18 +2421,18 @@ class QFileDialog_Adaptor : public QFileDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFileDialog::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QFileDialog::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QFileDialog::paintEvent(arg1); + QFileDialog::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QFileDialog_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QFileDialog_Adaptor::cbs_paintEvent_1725_0, event); } else { - QFileDialog::paintEvent(arg1); + QFileDialog::paintEvent(event); } } @@ -2443,48 +2496,48 @@ class QFileDialog_Adaptor : public QFileDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFileDialog::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QFileDialog::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QFileDialog::tabletEvent(arg1); + QFileDialog::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QFileDialog_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QFileDialog_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QFileDialog::tabletEvent(arg1); + QFileDialog::tabletEvent(event); } } - // [adaptor impl] void QFileDialog::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QFileDialog::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QFileDialog::timerEvent(arg1); + QFileDialog::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QFileDialog_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QFileDialog_Adaptor::cbs_timerEvent_1730_0, event); } else { - QFileDialog::timerEvent(arg1); + QFileDialog::timerEvent(event); } } - // [adaptor impl] void QFileDialog::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QFileDialog::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QFileDialog::wheelEvent(arg1); + QFileDialog::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QFileDialog_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QFileDialog_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QFileDialog::wheelEvent(arg1); + QFileDialog::wheelEvent(event); } } @@ -2567,7 +2620,7 @@ static void _call_ctor_QFileDialog_Adaptor_3702 (const qt_gsi::GenericStaticMeth static void _init_ctor_QFileDialog_Adaptor_7066 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("caption", true, "QString()"); decl->add_arg (argspec_1); @@ -2582,7 +2635,7 @@ static void _call_ctor_QFileDialog_Adaptor_7066 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const QString &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); const QString &arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); const QString &arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); @@ -2624,11 +2677,11 @@ static void _call_emitter_accepted_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QFileDialog::actionEvent(QActionEvent *) +// void QFileDialog::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2691,11 +2744,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QFileDialog::childEvent(QChildEvent *) +// void QFileDialog::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2842,11 +2895,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QFileDialog::customEvent(QEvent *) +// void QFileDialog::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2892,7 +2945,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2901,7 +2954,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QFileDialog_Adaptor *)cls)->emitter_QFileDialog_destroyed_1302 (arg1); } @@ -2990,11 +3043,11 @@ static void _set_callback_cbs_done_767_0 (void *cls, const gsi::Callback &cb) } -// void QFileDialog::dragEnterEvent(QDragEnterEvent *) +// void QFileDialog::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3014,11 +3067,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QFileDialog::dragLeaveEvent(QDragLeaveEvent *) +// void QFileDialog::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3038,11 +3091,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QFileDialog::dragMoveEvent(QDragMoveEvent *) +// void QFileDialog::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3062,11 +3115,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QFileDialog::dropEvent(QDropEvent *) +// void QFileDialog::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3086,11 +3139,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QFileDialog::enterEvent(QEvent *) +// void QFileDialog::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3110,11 +3163,11 @@ static void _set_callback_cbs_enterEvent_1217_0 (void *cls, const gsi::Callback } -// bool QFileDialog::event(QEvent *) +// bool QFileDialog::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3250,11 +3303,11 @@ static void _call_emitter_finished_767 (const qt_gsi::GenericMethod * /*decl*/, } -// void QFileDialog::focusInEvent(QFocusEvent *) +// void QFileDialog::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3311,11 +3364,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QFileDialog::focusOutEvent(QFocusEvent *) +// void QFileDialog::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3391,11 +3444,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QFileDialog::hideEvent(QHideEvent *) +// void QFileDialog::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3528,11 +3581,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QFileDialog::keyReleaseEvent(QKeyEvent *) +// void QFileDialog::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3552,11 +3605,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QFileDialog::leaveEvent(QEvent *) +// void QFileDialog::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3618,11 +3671,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QFileDialog::mouseDoubleClickEvent(QMouseEvent *) +// void QFileDialog::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3642,11 +3695,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QFileDialog::mouseMoveEvent(QMouseEvent *) +// void QFileDialog::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3666,11 +3719,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QFileDialog::mousePressEvent(QMouseEvent *) +// void QFileDialog::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3690,11 +3743,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QFileDialog::mouseReleaseEvent(QMouseEvent *) +// void QFileDialog::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3714,11 +3767,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QFileDialog::moveEvent(QMoveEvent *) +// void QFileDialog::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3824,11 +3877,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QFileDialog::paintEvent(QPaintEvent *) +// void QFileDialog::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4061,11 +4114,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QFileDialog::tabletEvent(QTabletEvent *) +// void QFileDialog::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4085,11 +4138,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QFileDialog::timerEvent(QTimerEvent *) +// void QFileDialog::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4160,11 +4213,11 @@ static void _call_emitter_urlsSelected_2316 (const qt_gsi::GenericMethod * /*dec } -// void QFileDialog::wheelEvent(QWheelEvent *) +// void QFileDialog::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4250,24 +4303,24 @@ static gsi::Methods methods_QFileDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*accept", "@brief Virtual method void QFileDialog::accept()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("*accept", "@hide", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0, &_set_callback_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("emit_accepted", "@brief Emitter for signal void QFileDialog::accepted()\nCall this method to emit this signal.", false, &_init_emitter_accepted_0, &_call_emitter_accepted_0); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QFileDialog::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QFileDialog::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*adjustPosition", "@brief Method void QFileDialog::adjustPosition(QWidget *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_adjustPosition_1315, &_call_fp_adjustPosition_1315); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QFileDialog::changeEvent(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QFileDialog::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QFileDialog::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QFileDialog::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QFileDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QFileDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QFileDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentChanged", "@brief Emitter for signal void QFileDialog::currentChanged(const QString &path)\nCall this method to emit this signal.", false, &_init_emitter_currentChanged_2025, &_call_emitter_currentChanged_2025); methods += new qt_gsi::GenericMethod ("emit_currentUrlChanged", "@brief Emitter for signal void QFileDialog::currentUrlChanged(const QUrl &url)\nCall this method to emit this signal.", false, &_init_emitter_currentUrlChanged_1701, &_call_emitter_currentUrlChanged_1701); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QFileDialog::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFileDialog::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFileDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QFileDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QFileDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QFileDialog::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("emit_directoryEntered", "@brief Emitter for signal void QFileDialog::directoryEntered(const QString &directory)\nCall this method to emit this signal.", false, &_init_emitter_directoryEntered_2025, &_call_emitter_directoryEntered_2025); methods += new qt_gsi::GenericMethod ("emit_directoryUrlEntered", "@brief Emitter for signal void QFileDialog::directoryUrlEntered(const QUrl &directory)\nCall this method to emit this signal.", false, &_init_emitter_directoryUrlEntered_1701, &_call_emitter_directoryUrlEntered_1701); @@ -4275,17 +4328,17 @@ static gsi::Methods methods_QFileDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*done", "@brief Virtual method void QFileDialog::done(int result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0); methods += new qt_gsi::GenericMethod ("*done", "@hide", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0, &_set_callback_cbs_done_767_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QFileDialog::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QFileDialog::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QFileDialog::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QFileDialog::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QFileDialog::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QFileDialog::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QFileDialog::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QFileDialog::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QFileDialog::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QFileDialog::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QFileDialog::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QFileDialog::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QFileDialog::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); @@ -4295,19 +4348,19 @@ static gsi::Methods methods_QFileDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_filesSelected", "@brief Emitter for signal void QFileDialog::filesSelected(const QStringList &files)\nCall this method to emit this signal.", false, &_init_emitter_filesSelected_2437, &_call_emitter_filesSelected_2437); methods += new qt_gsi::GenericMethod ("emit_filterSelected", "@brief Emitter for signal void QFileDialog::filterSelected(const QString &filter)\nCall this method to emit this signal.", false, &_init_emitter_filterSelected_2025, &_call_emitter_filterSelected_2025); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QFileDialog::finished(int result)\nCall this method to emit this signal.", false, &_init_emitter_finished_767, &_call_emitter_finished_767); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QFileDialog::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QFileDialog::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QFileDialog::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QFileDialog::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QFileDialog::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QFileDialog::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QFileDialog::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QFileDialog::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QFileDialog::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QFileDialog::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QFileDialog::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QFileDialog::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -4318,23 +4371,23 @@ static gsi::Methods methods_QFileDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QFileDialog::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QFileDialog::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QFileDialog::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QFileDialog::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QFileDialog::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QFileDialog::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QFileDialog::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QFileDialog::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QFileDialog::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QFileDialog::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QFileDialog::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QFileDialog::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QFileDialog::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QFileDialog::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QFileDialog::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QFileDialog::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QFileDialog::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QFileDialog::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QFileDialog::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -4343,7 +4396,7 @@ static gsi::Methods methods_QFileDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("open", "@hide", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0, &_set_callback_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QFileDialog::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QFileDialog::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QFileDialog::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QFileDialog::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QFileDialog::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); @@ -4363,14 +4416,14 @@ static gsi::Methods methods_QFileDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QFileDialog::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QFileDialog::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QFileDialog::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFileDialog::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFileDialog::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QFileDialog::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); methods += new qt_gsi::GenericMethod ("emit_urlSelected", "@brief Emitter for signal void QFileDialog::urlSelected(const QUrl &url)\nCall this method to emit this signal.", false, &_init_emitter_urlSelected_1701, &_call_emitter_urlSelected_1701); methods += new qt_gsi::GenericMethod ("emit_urlsSelected", "@brief Emitter for signal void QFileDialog::urlsSelected(const QList &urls)\nCall this method to emit this signal.", false, &_init_emitter_urlsSelected_2316, &_call_emitter_urlsSelected_2316); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QFileDialog::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QFileDialog::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QFileDialog::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QFileDialog::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQFileSystemModel.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQFileSystemModel.cc index 7c76fc77d2..813bc7f0ec 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQFileSystemModel.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQFileSystemModel.cc @@ -568,6 +568,21 @@ static void _call_f_parent_c2395 (const qt_gsi::GenericMethod * /*decl*/, void * } +// QObject *QFileSystemModel::parent() + + +static void _init_f_parent_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_parent_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QObject *)((QFileSystemModel *)cls)->parent ()); +} + + // QFlags QFileSystemModel::permissions(const QModelIndex &index) @@ -853,6 +868,31 @@ static void _call_f_setRootPath_2025 (const qt_gsi::GenericMethod * /*decl*/, vo } +// QModelIndex QFileSystemModel::sibling(int row, int column, const QModelIndex &idx) + + +static void _init_f_sibling_c3713 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("row"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("column"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("idx"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_f_sibling_c3713 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + const QModelIndex &arg3 = gsi::arg_reader() (args, heap); + ret.write ((QModelIndex)((QFileSystemModel *)cls)->sibling (arg1, arg2, arg3)); +} + + // qint64 QFileSystemModel::size(const QModelIndex &index) @@ -1011,6 +1051,7 @@ static gsi::Methods methods_QFileSystemModel () { methods += new qt_gsi::GenericMethod (":nameFilterDisables", "@brief Method bool QFileSystemModel::nameFilterDisables()\n", true, &_init_f_nameFilterDisables_c0, &_call_f_nameFilterDisables_c0); methods += new qt_gsi::GenericMethod (":nameFilters", "@brief Method QStringList QFileSystemModel::nameFilters()\n", true, &_init_f_nameFilters_c0, &_call_f_nameFilters_c0); methods += new qt_gsi::GenericMethod ("parent", "@brief Method QModelIndex QFileSystemModel::parent(const QModelIndex &child)\nThis is a reimplementation of QAbstractItemModel::parent", true, &_init_f_parent_c2395, &_call_f_parent_c2395); + methods += new qt_gsi::GenericMethod (":parent", "@brief Method QObject *QFileSystemModel::parent()\n", true, &_init_f_parent_c0, &_call_f_parent_c0); methods += new qt_gsi::GenericMethod ("permissions", "@brief Method QFlags QFileSystemModel::permissions(const QModelIndex &index)\n", true, &_init_f_permissions_c2395, &_call_f_permissions_c2395); methods += new qt_gsi::GenericMethod ("remove", "@brief Method bool QFileSystemModel::remove(const QModelIndex &index)\n", false, &_init_f_remove_2395, &_call_f_remove_2395); methods += new qt_gsi::GenericMethod (":resolveSymlinks", "@brief Method bool QFileSystemModel::resolveSymlinks()\n", true, &_init_f_resolveSymlinks_c0, &_call_f_resolveSymlinks_c0); @@ -1026,6 +1067,7 @@ static gsi::Methods methods_QFileSystemModel () { methods += new qt_gsi::GenericMethod ("setReadOnly|readOnly=", "@brief Method void QFileSystemModel::setReadOnly(bool enable)\n", false, &_init_f_setReadOnly_864, &_call_f_setReadOnly_864); methods += new qt_gsi::GenericMethod ("setResolveSymlinks|resolveSymlinks=", "@brief Method void QFileSystemModel::setResolveSymlinks(bool enable)\n", false, &_init_f_setResolveSymlinks_864, &_call_f_setResolveSymlinks_864); methods += new qt_gsi::GenericMethod ("setRootPath", "@brief Method QModelIndex QFileSystemModel::setRootPath(const QString &path)\n", false, &_init_f_setRootPath_2025, &_call_f_setRootPath_2025); + methods += new qt_gsi::GenericMethod ("sibling", "@brief Method QModelIndex QFileSystemModel::sibling(int row, int column, const QModelIndex &idx)\nThis is a reimplementation of QAbstractItemModel::sibling", true, &_init_f_sibling_c3713, &_call_f_sibling_c3713); methods += new qt_gsi::GenericMethod ("size", "@brief Method qint64 QFileSystemModel::size(const QModelIndex &index)\n", true, &_init_f_size_c2395, &_call_f_size_c2395); methods += new qt_gsi::GenericMethod ("sort", "@brief Method void QFileSystemModel::sort(int column, Qt::SortOrder order)\nThis is a reimplementation of QAbstractItemModel::sort", false, &_init_f_sort_2340, &_call_f_sort_2340); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@brief Method QFlags QFileSystemModel::supportedDropActions()\nThis is a reimplementation of QAbstractItemModel::supportedDropActions", true, &_init_f_supportedDropActions_c0, &_call_f_supportedDropActions_c0); @@ -1383,18 +1425,18 @@ class QFileSystemModel_Adaptor : public QFileSystemModel, public qt_gsi::QtObjec } } - // [adaptor impl] bool QFileSystemModel::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QFileSystemModel::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QFileSystemModel::eventFilter(arg1, arg2); + return QFileSystemModel::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QFileSystemModel_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QFileSystemModel_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QFileSystemModel::eventFilter(arg1, arg2); + return QFileSystemModel::eventFilter(watched, event); } } @@ -1925,33 +1967,33 @@ class QFileSystemModel_Adaptor : public QFileSystemModel, public qt_gsi::QtObjec } } - // [adaptor impl] void QFileSystemModel::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QFileSystemModel::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QFileSystemModel::childEvent(arg1); + QFileSystemModel::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QFileSystemModel_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QFileSystemModel_Adaptor::cbs_childEvent_1701_0, event); } else { - QFileSystemModel::childEvent(arg1); + QFileSystemModel::childEvent(event); } } - // [adaptor impl] void QFileSystemModel::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFileSystemModel::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QFileSystemModel::customEvent(arg1); + QFileSystemModel::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QFileSystemModel_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QFileSystemModel_Adaptor::cbs_customEvent_1217_0, event); } else { - QFileSystemModel::customEvent(arg1); + QFileSystemModel::customEvent(event); } } @@ -2048,7 +2090,7 @@ QFileSystemModel_Adaptor::~QFileSystemModel_Adaptor() { } static void _init_ctor_QFileSystemModel_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -2057,7 +2099,7 @@ static void _call_ctor_QFileSystemModel_Adaptor_1302 (const qt_gsi::GenericStati { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QFileSystemModel_Adaptor (arg1)); } @@ -2362,11 +2404,11 @@ static void _call_fp_changePersistentIndexList_5912 (const qt_gsi::GenericMethod } -// void QFileSystemModel::childEvent(QChildEvent *) +// void QFileSystemModel::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2573,7 +2615,7 @@ static void _init_fp_createIndex_c2374 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("column"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("data", true, "0"); + static gsi::ArgSpecBase argspec_2 ("data", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -2584,7 +2626,7 @@ static void _call_fp_createIndex_c2374 (const qt_gsi::GenericMethod * /*decl*/, tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); - void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + void *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QModelIndex)((QFileSystemModel_Adaptor *)cls)->fp_QFileSystemModel_createIndex_c2374 (arg1, arg2, arg3)); } @@ -2613,11 +2655,11 @@ static void _call_fp_createIndex_c2657 (const qt_gsi::GenericMethod * /*decl*/, } -// void QFileSystemModel::customEvent(QEvent *) +// void QFileSystemModel::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2718,7 +2760,7 @@ static void _call_fp_decodeData_5302 (const qt_gsi::GenericMethod * /*decl*/, vo static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2727,7 +2769,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QFileSystemModel_Adaptor *)cls)->emitter_QFileSystemModel_destroyed_1302 (arg1); } @@ -2959,13 +3001,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QFileSystemModel::eventFilter(QObject *, QEvent *) +// bool QFileSystemModel::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -4157,7 +4199,7 @@ static gsi::Methods methods_QFileSystemModel_Adaptor () { methods += new qt_gsi::GenericMethod ("canFetchMore", "@hide", true, &_init_cbs_canFetchMore_c2395_0, &_call_cbs_canFetchMore_c2395_0, &_set_callback_cbs_canFetchMore_c2395_0); methods += new qt_gsi::GenericMethod ("*changePersistentIndex", "@brief Method void QFileSystemModel::changePersistentIndex(const QModelIndex &from, const QModelIndex &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndex_4682, &_call_fp_changePersistentIndex_4682); methods += new qt_gsi::GenericMethod ("*changePersistentIndexList", "@brief Method void QFileSystemModel::changePersistentIndexList(const QList &from, const QList &to)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_changePersistentIndexList_5912, &_call_fp_changePersistentIndexList_5912); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QFileSystemModel::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QFileSystemModel::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("columnCount", "@brief Virtual method int QFileSystemModel::columnCount(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_columnCount_c2395_1, &_call_cbs_columnCount_c2395_1); methods += new qt_gsi::GenericMethod ("columnCount", "@hide", true, &_init_cbs_columnCount_c2395_1, &_call_cbs_columnCount_c2395_1, &_set_callback_cbs_columnCount_c2395_1); @@ -4169,7 +4211,7 @@ static gsi::Methods methods_QFileSystemModel_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_columnsRemoved", "@brief Emitter for signal void QFileSystemModel::columnsRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsRemoved_7372, &_call_emitter_columnsRemoved_7372); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QFileSystemModel::createIndex(int row, int column, void *data)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2374, &_call_fp_createIndex_c2374); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QFileSystemModel::createIndex(int row, int column, quintptr id)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2657, &_call_fp_createIndex_c2657); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFileSystemModel::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFileSystemModel::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("data", "@brief Virtual method QVariant QFileSystemModel::data(const QModelIndex &index, int role)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1); methods += new qt_gsi::GenericMethod ("data", "@hide", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1, &_set_callback_cbs_data_c3054_1); @@ -4191,7 +4233,7 @@ static gsi::Methods methods_QFileSystemModel_Adaptor () { methods += new qt_gsi::GenericMethod ("*endResetModel", "@brief Method void QFileSystemModel::endResetModel()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endResetModel_0, &_call_fp_endResetModel_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QFileSystemModel::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QFileSystemModel::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QFileSystemModel::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@brief Virtual method void QFileSystemModel::fetchMore(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_fetchMore_2395_0, &_call_cbs_fetchMore_2395_0); methods += new qt_gsi::GenericMethod ("fetchMore", "@hide", false, &_init_cbs_fetchMore_2395_0, &_call_cbs_fetchMore_2395_0, &_set_callback_cbs_fetchMore_2395_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQFocusFrame.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQFocusFrame.cc index c4af86b38f..88c9382c80 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQFocusFrame.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQFocusFrame.cc @@ -425,18 +425,18 @@ class QFocusFrame_Adaptor : public QFocusFrame, public qt_gsi::QtObjectBase emit QFocusFrame::windowTitleChanged(title); } - // [adaptor impl] void QFocusFrame::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QFocusFrame::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QFocusFrame::actionEvent(arg1); + QFocusFrame::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QFocusFrame_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QFocusFrame_Adaptor::cbs_actionEvent_1823_0, event); } else { - QFocusFrame::actionEvent(arg1); + QFocusFrame::actionEvent(event); } } @@ -455,63 +455,63 @@ class QFocusFrame_Adaptor : public QFocusFrame, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFocusFrame::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QFocusFrame::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QFocusFrame::childEvent(arg1); + QFocusFrame::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QFocusFrame_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QFocusFrame_Adaptor::cbs_childEvent_1701_0, event); } else { - QFocusFrame::childEvent(arg1); + QFocusFrame::childEvent(event); } } - // [adaptor impl] void QFocusFrame::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QFocusFrame::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QFocusFrame::closeEvent(arg1); + QFocusFrame::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QFocusFrame_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QFocusFrame_Adaptor::cbs_closeEvent_1719_0, event); } else { - QFocusFrame::closeEvent(arg1); + QFocusFrame::closeEvent(event); } } - // [adaptor impl] void QFocusFrame::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QFocusFrame::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QFocusFrame::contextMenuEvent(arg1); + QFocusFrame::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QFocusFrame_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QFocusFrame_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QFocusFrame::contextMenuEvent(arg1); + QFocusFrame::contextMenuEvent(event); } } - // [adaptor impl] void QFocusFrame::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFocusFrame::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QFocusFrame::customEvent(arg1); + QFocusFrame::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QFocusFrame_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QFocusFrame_Adaptor::cbs_customEvent_1217_0, event); } else { - QFocusFrame::customEvent(arg1); + QFocusFrame::customEvent(event); } } @@ -530,78 +530,78 @@ class QFocusFrame_Adaptor : public QFocusFrame, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFocusFrame::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QFocusFrame::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QFocusFrame::dragEnterEvent(arg1); + QFocusFrame::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QFocusFrame_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QFocusFrame_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QFocusFrame::dragEnterEvent(arg1); + QFocusFrame::dragEnterEvent(event); } } - // [adaptor impl] void QFocusFrame::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QFocusFrame::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QFocusFrame::dragLeaveEvent(arg1); + QFocusFrame::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QFocusFrame_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QFocusFrame_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QFocusFrame::dragLeaveEvent(arg1); + QFocusFrame::dragLeaveEvent(event); } } - // [adaptor impl] void QFocusFrame::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QFocusFrame::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QFocusFrame::dragMoveEvent(arg1); + QFocusFrame::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QFocusFrame_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QFocusFrame_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QFocusFrame::dragMoveEvent(arg1); + QFocusFrame::dragMoveEvent(event); } } - // [adaptor impl] void QFocusFrame::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QFocusFrame::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QFocusFrame::dropEvent(arg1); + QFocusFrame::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QFocusFrame_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QFocusFrame_Adaptor::cbs_dropEvent_1622_0, event); } else { - QFocusFrame::dropEvent(arg1); + QFocusFrame::dropEvent(event); } } - // [adaptor impl] void QFocusFrame::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFocusFrame::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QFocusFrame::enterEvent(arg1); + QFocusFrame::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QFocusFrame_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QFocusFrame_Adaptor::cbs_enterEvent_1217_0, event); } else { - QFocusFrame::enterEvent(arg1); + QFocusFrame::enterEvent(event); } } @@ -635,18 +635,18 @@ class QFocusFrame_Adaptor : public QFocusFrame, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFocusFrame::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QFocusFrame::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QFocusFrame::focusInEvent(arg1); + QFocusFrame::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QFocusFrame_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QFocusFrame_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QFocusFrame::focusInEvent(arg1); + QFocusFrame::focusInEvent(event); } } @@ -665,33 +665,33 @@ class QFocusFrame_Adaptor : public QFocusFrame, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFocusFrame::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QFocusFrame::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QFocusFrame::focusOutEvent(arg1); + QFocusFrame::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QFocusFrame_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QFocusFrame_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QFocusFrame::focusOutEvent(arg1); + QFocusFrame::focusOutEvent(event); } } - // [adaptor impl] void QFocusFrame::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QFocusFrame::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QFocusFrame::hideEvent(arg1); + QFocusFrame::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QFocusFrame_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QFocusFrame_Adaptor::cbs_hideEvent_1595_0, event); } else { - QFocusFrame::hideEvent(arg1); + QFocusFrame::hideEvent(event); } } @@ -725,48 +725,48 @@ class QFocusFrame_Adaptor : public QFocusFrame, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFocusFrame::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QFocusFrame::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QFocusFrame::keyPressEvent(arg1); + QFocusFrame::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QFocusFrame_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QFocusFrame_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QFocusFrame::keyPressEvent(arg1); + QFocusFrame::keyPressEvent(event); } } - // [adaptor impl] void QFocusFrame::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QFocusFrame::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QFocusFrame::keyReleaseEvent(arg1); + QFocusFrame::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QFocusFrame_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QFocusFrame_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QFocusFrame::keyReleaseEvent(arg1); + QFocusFrame::keyReleaseEvent(event); } } - // [adaptor impl] void QFocusFrame::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFocusFrame::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QFocusFrame::leaveEvent(arg1); + QFocusFrame::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QFocusFrame_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QFocusFrame_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QFocusFrame::leaveEvent(arg1); + QFocusFrame::leaveEvent(event); } } @@ -785,78 +785,78 @@ class QFocusFrame_Adaptor : public QFocusFrame, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFocusFrame::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QFocusFrame::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QFocusFrame::mouseDoubleClickEvent(arg1); + QFocusFrame::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QFocusFrame_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QFocusFrame_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QFocusFrame::mouseDoubleClickEvent(arg1); + QFocusFrame::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QFocusFrame::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QFocusFrame::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QFocusFrame::mouseMoveEvent(arg1); + QFocusFrame::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QFocusFrame_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QFocusFrame_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QFocusFrame::mouseMoveEvent(arg1); + QFocusFrame::mouseMoveEvent(event); } } - // [adaptor impl] void QFocusFrame::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QFocusFrame::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QFocusFrame::mousePressEvent(arg1); + QFocusFrame::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QFocusFrame_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QFocusFrame_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QFocusFrame::mousePressEvent(arg1); + QFocusFrame::mousePressEvent(event); } } - // [adaptor impl] void QFocusFrame::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QFocusFrame::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QFocusFrame::mouseReleaseEvent(arg1); + QFocusFrame::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QFocusFrame_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QFocusFrame_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QFocusFrame::mouseReleaseEvent(arg1); + QFocusFrame::mouseReleaseEvent(event); } } - // [adaptor impl] void QFocusFrame::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QFocusFrame::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QFocusFrame::moveEvent(arg1); + QFocusFrame::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QFocusFrame_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QFocusFrame_Adaptor::cbs_moveEvent_1624_0, event); } else { - QFocusFrame::moveEvent(arg1); + QFocusFrame::moveEvent(event); } } @@ -905,18 +905,18 @@ class QFocusFrame_Adaptor : public QFocusFrame, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFocusFrame::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QFocusFrame::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QFocusFrame::resizeEvent(arg1); + QFocusFrame::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QFocusFrame_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QFocusFrame_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QFocusFrame::resizeEvent(arg1); + QFocusFrame::resizeEvent(event); } } @@ -935,63 +935,63 @@ class QFocusFrame_Adaptor : public QFocusFrame, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFocusFrame::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QFocusFrame::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QFocusFrame::showEvent(arg1); + QFocusFrame::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QFocusFrame_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QFocusFrame_Adaptor::cbs_showEvent_1634_0, event); } else { - QFocusFrame::showEvent(arg1); + QFocusFrame::showEvent(event); } } - // [adaptor impl] void QFocusFrame::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QFocusFrame::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QFocusFrame::tabletEvent(arg1); + QFocusFrame::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QFocusFrame_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QFocusFrame_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QFocusFrame::tabletEvent(arg1); + QFocusFrame::tabletEvent(event); } } - // [adaptor impl] void QFocusFrame::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QFocusFrame::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QFocusFrame::timerEvent(arg1); + QFocusFrame::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QFocusFrame_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QFocusFrame_Adaptor::cbs_timerEvent_1730_0, event); } else { - QFocusFrame::timerEvent(arg1); + QFocusFrame::timerEvent(event); } } - // [adaptor impl] void QFocusFrame::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QFocusFrame::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QFocusFrame::wheelEvent(arg1); + QFocusFrame::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QFocusFrame_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QFocusFrame_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QFocusFrame::wheelEvent(arg1); + QFocusFrame::wheelEvent(event); } } @@ -1048,7 +1048,7 @@ QFocusFrame_Adaptor::~QFocusFrame_Adaptor() { } static void _init_ctor_QFocusFrame_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1057,16 +1057,16 @@ static void _call_ctor_QFocusFrame_Adaptor_1315 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QFocusFrame_Adaptor (arg1)); } -// void QFocusFrame::actionEvent(QActionEvent *) +// void QFocusFrame::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1110,11 +1110,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QFocusFrame::childEvent(QChildEvent *) +// void QFocusFrame::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1134,11 +1134,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QFocusFrame::closeEvent(QCloseEvent *) +// void QFocusFrame::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1158,11 +1158,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QFocusFrame::contextMenuEvent(QContextMenuEvent *) +// void QFocusFrame::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1225,11 +1225,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QFocusFrame::customEvent(QEvent *) +// void QFocusFrame::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1275,7 +1275,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1284,7 +1284,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QFocusFrame_Adaptor *)cls)->emitter_QFocusFrame_destroyed_1302 (arg1); } @@ -1313,11 +1313,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QFocusFrame::dragEnterEvent(QDragEnterEvent *) +// void QFocusFrame::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1337,11 +1337,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QFocusFrame::dragLeaveEvent(QDragLeaveEvent *) +// void QFocusFrame::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1361,11 +1361,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QFocusFrame::dragMoveEvent(QDragMoveEvent *) +// void QFocusFrame::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1385,11 +1385,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QFocusFrame::dropEvent(QDropEvent *) +// void QFocusFrame::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1409,11 +1409,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QFocusFrame::enterEvent(QEvent *) +// void QFocusFrame::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1482,11 +1482,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QFocusFrame::focusInEvent(QFocusEvent *) +// void QFocusFrame::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1543,11 +1543,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QFocusFrame::focusOutEvent(QFocusEvent *) +// void QFocusFrame::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1623,11 +1623,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QFocusFrame::hideEvent(QHideEvent *) +// void QFocusFrame::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1755,11 +1755,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QFocusFrame::keyPressEvent(QKeyEvent *) +// void QFocusFrame::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1779,11 +1779,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QFocusFrame::keyReleaseEvent(QKeyEvent *) +// void QFocusFrame::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1803,11 +1803,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QFocusFrame::leaveEvent(QEvent *) +// void QFocusFrame::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1869,11 +1869,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QFocusFrame::mouseDoubleClickEvent(QMouseEvent *) +// void QFocusFrame::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1893,11 +1893,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QFocusFrame::mouseMoveEvent(QMouseEvent *) +// void QFocusFrame::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1917,11 +1917,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QFocusFrame::mousePressEvent(QMouseEvent *) +// void QFocusFrame::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1941,11 +1941,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QFocusFrame::mouseReleaseEvent(QMouseEvent *) +// void QFocusFrame::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1965,11 +1965,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QFocusFrame::moveEvent(QMoveEvent *) +// void QFocusFrame::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2120,11 +2120,11 @@ static void _set_callback_cbs_redirected_c1225_0 (void *cls, const gsi::Callback } -// void QFocusFrame::resizeEvent(QResizeEvent *) +// void QFocusFrame::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2215,11 +2215,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QFocusFrame::showEvent(QShowEvent *) +// void QFocusFrame::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2258,11 +2258,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QFocusFrame::tabletEvent(QTabletEvent *) +// void QFocusFrame::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2282,11 +2282,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QFocusFrame::timerEvent(QTimerEvent *) +// void QFocusFrame::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2321,11 +2321,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QFocusFrame::wheelEvent(QWheelEvent *) +// void QFocusFrame::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2407,51 +2407,51 @@ gsi::Class &qtdecl_QFocusFrame (); static gsi::Methods methods_QFocusFrame_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QFocusFrame::QFocusFrame(QWidget *parent)\nThis method creates an object of class QFocusFrame.", &_init_ctor_QFocusFrame_Adaptor_1315, &_call_ctor_QFocusFrame_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QFocusFrame::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QFocusFrame::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QFocusFrame::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QFocusFrame::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QFocusFrame::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QFocusFrame::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QFocusFrame::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QFocusFrame::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QFocusFrame::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QFocusFrame::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QFocusFrame::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QFocusFrame::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFocusFrame::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFocusFrame::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QFocusFrame::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QFocusFrame::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QFocusFrame::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QFocusFrame::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QFocusFrame::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QFocusFrame::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QFocusFrame::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QFocusFrame::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QFocusFrame::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QFocusFrame::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QFocusFrame::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QFocusFrame::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QFocusFrame::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QFocusFrame::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QFocusFrame::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QFocusFrame::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QFocusFrame::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QFocusFrame::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QFocusFrame::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QFocusFrame::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QFocusFrame::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QFocusFrame::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QFocusFrame::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QFocusFrame::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QFocusFrame::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QFocusFrame::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QFocusFrame::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QFocusFrame::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2461,25 +2461,25 @@ static gsi::Methods methods_QFocusFrame_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QFocusFrame::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QFocusFrame::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QFocusFrame::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QFocusFrame::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QFocusFrame::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QFocusFrame::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QFocusFrame::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QFocusFrame::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QFocusFrame::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QFocusFrame::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QFocusFrame::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QFocusFrame::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QFocusFrame::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QFocusFrame::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QFocusFrame::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QFocusFrame::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QFocusFrame::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QFocusFrame::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QFocusFrame::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QFocusFrame::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QFocusFrame::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2491,7 +2491,7 @@ static gsi::Methods methods_QFocusFrame_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QFocusFrame::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QFocusFrame::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QFocusFrame::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QFocusFrame::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QFocusFrame::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QFocusFrame::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -2499,16 +2499,16 @@ static gsi::Methods methods_QFocusFrame_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QFocusFrame::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QFocusFrame::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QFocusFrame::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QFocusFrame::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QFocusFrame::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QFocusFrame::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFocusFrame::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFocusFrame::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QFocusFrame::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QFocusFrame::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QFocusFrame::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QFocusFrame::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QFocusFrame::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQFontComboBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQFontComboBox.cc index d1919d8d3b..5190d949fe 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQFontComboBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQFontComboBox.cc @@ -443,18 +443,18 @@ class QFontComboBox_Adaptor : public QFontComboBox, public qt_gsi::QtObjectBase emit QFontComboBox::editTextChanged(arg1); } - // [adaptor impl] bool QFontComboBox::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QFontComboBox::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QFontComboBox::eventFilter(arg1, arg2); + return QFontComboBox::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QFontComboBox_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QFontComboBox_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QFontComboBox::eventFilter(arg1, arg2); + return QFontComboBox::eventFilter(watched, event); } } @@ -630,18 +630,18 @@ class QFontComboBox_Adaptor : public QFontComboBox, public qt_gsi::QtObjectBase emit QFontComboBox::windowTitleChanged(title); } - // [adaptor impl] void QFontComboBox::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QFontComboBox::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QFontComboBox::actionEvent(arg1); + QFontComboBox::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QFontComboBox_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QFontComboBox_Adaptor::cbs_actionEvent_1823_0, event); } else { - QFontComboBox::actionEvent(arg1); + QFontComboBox::actionEvent(event); } } @@ -660,33 +660,33 @@ class QFontComboBox_Adaptor : public QFontComboBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFontComboBox::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QFontComboBox::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QFontComboBox::childEvent(arg1); + QFontComboBox::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QFontComboBox_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QFontComboBox_Adaptor::cbs_childEvent_1701_0, event); } else { - QFontComboBox::childEvent(arg1); + QFontComboBox::childEvent(event); } } - // [adaptor impl] void QFontComboBox::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QFontComboBox::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QFontComboBox::closeEvent(arg1); + QFontComboBox::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QFontComboBox_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QFontComboBox_Adaptor::cbs_closeEvent_1719_0, event); } else { - QFontComboBox::closeEvent(arg1); + QFontComboBox::closeEvent(event); } } @@ -705,18 +705,18 @@ class QFontComboBox_Adaptor : public QFontComboBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFontComboBox::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFontComboBox::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QFontComboBox::customEvent(arg1); + QFontComboBox::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QFontComboBox_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QFontComboBox_Adaptor::cbs_customEvent_1217_0, event); } else { - QFontComboBox::customEvent(arg1); + QFontComboBox::customEvent(event); } } @@ -735,78 +735,78 @@ class QFontComboBox_Adaptor : public QFontComboBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFontComboBox::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QFontComboBox::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QFontComboBox::dragEnterEvent(arg1); + QFontComboBox::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QFontComboBox_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QFontComboBox_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QFontComboBox::dragEnterEvent(arg1); + QFontComboBox::dragEnterEvent(event); } } - // [adaptor impl] void QFontComboBox::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QFontComboBox::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QFontComboBox::dragLeaveEvent(arg1); + QFontComboBox::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QFontComboBox_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QFontComboBox_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QFontComboBox::dragLeaveEvent(arg1); + QFontComboBox::dragLeaveEvent(event); } } - // [adaptor impl] void QFontComboBox::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QFontComboBox::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QFontComboBox::dragMoveEvent(arg1); + QFontComboBox::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QFontComboBox_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QFontComboBox_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QFontComboBox::dragMoveEvent(arg1); + QFontComboBox::dragMoveEvent(event); } } - // [adaptor impl] void QFontComboBox::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QFontComboBox::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QFontComboBox::dropEvent(arg1); + QFontComboBox::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QFontComboBox_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QFontComboBox_Adaptor::cbs_dropEvent_1622_0, event); } else { - QFontComboBox::dropEvent(arg1); + QFontComboBox::dropEvent(event); } } - // [adaptor impl] void QFontComboBox::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFontComboBox::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QFontComboBox::enterEvent(arg1); + QFontComboBox::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QFontComboBox_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QFontComboBox_Adaptor::cbs_enterEvent_1217_0, event); } else { - QFontComboBox::enterEvent(arg1); + QFontComboBox::enterEvent(event); } } @@ -945,18 +945,18 @@ class QFontComboBox_Adaptor : public QFontComboBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFontComboBox::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFontComboBox::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QFontComboBox::leaveEvent(arg1); + QFontComboBox::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QFontComboBox_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QFontComboBox_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QFontComboBox::leaveEvent(arg1); + QFontComboBox::leaveEvent(event); } } @@ -975,33 +975,33 @@ class QFontComboBox_Adaptor : public QFontComboBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFontComboBox::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QFontComboBox::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QFontComboBox::mouseDoubleClickEvent(arg1); + QFontComboBox::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QFontComboBox_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QFontComboBox_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QFontComboBox::mouseDoubleClickEvent(arg1); + QFontComboBox::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QFontComboBox::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QFontComboBox::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QFontComboBox::mouseMoveEvent(arg1); + QFontComboBox::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QFontComboBox_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QFontComboBox_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QFontComboBox::mouseMoveEvent(arg1); + QFontComboBox::mouseMoveEvent(event); } } @@ -1035,18 +1035,18 @@ class QFontComboBox_Adaptor : public QFontComboBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFontComboBox::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QFontComboBox::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QFontComboBox::moveEvent(arg1); + QFontComboBox::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QFontComboBox_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QFontComboBox_Adaptor::cbs_moveEvent_1624_0, event); } else { - QFontComboBox::moveEvent(arg1); + QFontComboBox::moveEvent(event); } } @@ -1140,33 +1140,33 @@ class QFontComboBox_Adaptor : public QFontComboBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFontComboBox::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QFontComboBox::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QFontComboBox::tabletEvent(arg1); + QFontComboBox::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QFontComboBox_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QFontComboBox_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QFontComboBox::tabletEvent(arg1); + QFontComboBox::tabletEvent(event); } } - // [adaptor impl] void QFontComboBox::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QFontComboBox::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QFontComboBox::timerEvent(arg1); + QFontComboBox::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QFontComboBox_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QFontComboBox_Adaptor::cbs_timerEvent_1730_0, event); } else { - QFontComboBox::timerEvent(arg1); + QFontComboBox::timerEvent(event); } } @@ -1240,7 +1240,7 @@ QFontComboBox_Adaptor::~QFontComboBox_Adaptor() { } static void _init_ctor_QFontComboBox_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1249,16 +1249,16 @@ static void _call_ctor_QFontComboBox_Adaptor_1315 (const qt_gsi::GenericStaticMe { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QFontComboBox_Adaptor (arg1)); } -// void QFontComboBox::actionEvent(QActionEvent *) +// void QFontComboBox::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1338,11 +1338,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QFontComboBox::childEvent(QChildEvent *) +// void QFontComboBox::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1362,11 +1362,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QFontComboBox::closeEvent(QCloseEvent *) +// void QFontComboBox::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1525,11 +1525,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QFontComboBox::customEvent(QEvent *) +// void QFontComboBox::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1575,7 +1575,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1584,7 +1584,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QFontComboBox_Adaptor *)cls)->emitter_QFontComboBox_destroyed_1302 (arg1); } @@ -1613,11 +1613,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QFontComboBox::dragEnterEvent(QDragEnterEvent *) +// void QFontComboBox::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1637,11 +1637,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QFontComboBox::dragLeaveEvent(QDragLeaveEvent *) +// void QFontComboBox::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1661,11 +1661,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QFontComboBox::dragMoveEvent(QDragMoveEvent *) +// void QFontComboBox::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1685,11 +1685,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QFontComboBox::dropEvent(QDropEvent *) +// void QFontComboBox::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1727,11 +1727,11 @@ static void _call_emitter_editTextChanged_2025 (const qt_gsi::GenericMethod * /* } -// void QFontComboBox::enterEvent(QEvent *) +// void QFontComboBox::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1774,13 +1774,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QFontComboBox::eventFilter(QObject *, QEvent *) +// bool QFontComboBox::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2177,11 +2177,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QFontComboBox::leaveEvent(QEvent *) +// void QFontComboBox::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2243,11 +2243,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QFontComboBox::mouseDoubleClickEvent(QMouseEvent *) +// void QFontComboBox::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2267,11 +2267,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QFontComboBox::mouseMoveEvent(QMouseEvent *) +// void QFontComboBox::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2339,11 +2339,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QFontComboBox::moveEvent(QMoveEvent *) +// void QFontComboBox::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2652,11 +2652,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QFontComboBox::tabletEvent(QTabletEvent *) +// void QFontComboBox::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2676,11 +2676,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QFontComboBox::timerEvent(QTimerEvent *) +// void QFontComboBox::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2801,44 +2801,44 @@ gsi::Class &qtdecl_QFontComboBox (); static gsi::Methods methods_QFontComboBox_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QFontComboBox::QFontComboBox(QWidget *parent)\nThis method creates an object of class QFontComboBox.", &_init_ctor_QFontComboBox_Adaptor_1315, &_call_ctor_QFontComboBox_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QFontComboBox::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QFontComboBox::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("emit_activated", "@brief Emitter for signal void QFontComboBox::activated(int index)\nCall this method to emit this signal.", false, &_init_emitter_activated_767, &_call_emitter_activated_767); methods += new qt_gsi::GenericMethod ("emit_activated_qs", "@brief Emitter for signal void QFontComboBox::activated(const QString &)\nCall this method to emit this signal.", false, &_init_emitter_activated_2025, &_call_emitter_activated_2025); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QFontComboBox::changeEvent(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QFontComboBox::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QFontComboBox::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QFontComboBox::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QFontComboBox::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QFontComboBox::contextMenuEvent(QContextMenuEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QFontComboBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QFontComboBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentFontChanged", "@brief Emitter for signal void QFontComboBox::currentFontChanged(const QFont &f)\nCall this method to emit this signal.", false, &_init_emitter_currentFontChanged_1801, &_call_emitter_currentFontChanged_1801); methods += new qt_gsi::GenericMethod ("emit_currentIndexChanged", "@brief Emitter for signal void QFontComboBox::currentIndexChanged(int index)\nCall this method to emit this signal.", false, &_init_emitter_currentIndexChanged_767, &_call_emitter_currentIndexChanged_767); methods += new qt_gsi::GenericMethod ("emit_currentIndexChanged_qs", "@brief Emitter for signal void QFontComboBox::currentIndexChanged(const QString &)\nCall this method to emit this signal.", false, &_init_emitter_currentIndexChanged_2025, &_call_emitter_currentIndexChanged_2025); methods += new qt_gsi::GenericMethod ("emit_currentTextChanged", "@brief Emitter for signal void QFontComboBox::currentTextChanged(const QString &)\nCall this method to emit this signal.", false, &_init_emitter_currentTextChanged_2025, &_call_emitter_currentTextChanged_2025); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QFontComboBox::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFontComboBox::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFontComboBox::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QFontComboBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QFontComboBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QFontComboBox::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QFontComboBox::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QFontComboBox::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QFontComboBox::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QFontComboBox::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QFontComboBox::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QFontComboBox::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QFontComboBox::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QFontComboBox::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QFontComboBox::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("emit_editTextChanged", "@brief Emitter for signal void QFontComboBox::editTextChanged(const QString &)\nCall this method to emit this signal.", false, &_init_emitter_editTextChanged_2025, &_call_emitter_editTextChanged_2025); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QFontComboBox::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QFontComboBox::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QFontComboBox::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QFontComboBox::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QFontComboBox::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QFontComboBox::focusInEvent(QFocusEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); @@ -2870,21 +2870,21 @@ static gsi::Methods methods_QFontComboBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QFontComboBox::keyReleaseEvent(QKeyEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QFontComboBox::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QFontComboBox::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QFontComboBox::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QFontComboBox::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QFontComboBox::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QFontComboBox::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QFontComboBox::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QFontComboBox::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QFontComboBox::mousePressEvent(QMouseEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QFontComboBox::mouseReleaseEvent(QMouseEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QFontComboBox::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QFontComboBox::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QFontComboBox::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2910,9 +2910,9 @@ static gsi::Methods methods_QFontComboBox_Adaptor () { methods += new qt_gsi::GenericMethod ("showPopup", "@hide", false, &_init_cbs_showPopup_0_0, &_call_cbs_showPopup_0_0, &_set_callback_cbs_showPopup_0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QFontComboBox::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QFontComboBox::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QFontComboBox::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFontComboBox::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFontComboBox::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QFontComboBox::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QFontComboBox::wheelEvent(QWheelEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQFontDialog.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQFontDialog.cc index b4fd96c576..7d363d9615 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQFontDialog.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQFontDialog.cc @@ -292,7 +292,7 @@ static void _init_f_getFont_2257 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("ok"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -302,7 +302,7 @@ static void _call_f_getFont_2257 (const qt_gsi::GenericStaticMethod * /*decl*/, __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; bool *arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QFont)QFontDialog::getFont (arg1, arg2)); } @@ -316,11 +316,11 @@ static void _init_f_getFont_9719 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("initial"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_2 ("parent", true, "nullptr"); decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("title", true, "QString()"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("options", true, "0"); + static gsi::ArgSpecBase argspec_4 ("options", true, "QFontDialog::FontDialogOptions()"); decl->add_arg > (argspec_4); decl->set_return (); } @@ -331,9 +331,9 @@ static void _call_f_getFont_9719 (const qt_gsi::GenericStaticMethod * /*decl*/, tl::Heap heap; bool *arg1 = gsi::arg_reader() (args, heap); const QFont &arg2 = gsi::arg_reader() (args, heap); - QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const QString &arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); - QFlags arg5 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg5 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QFontDialog::FontDialogOptions(), heap); ret.write ((QFont)QFontDialog::getFont (arg1, arg2, arg3, arg4, arg5)); } @@ -745,18 +745,18 @@ class QFontDialog_Adaptor : public QFontDialog, public qt_gsi::QtObjectBase emit QFontDialog::windowTitleChanged(title); } - // [adaptor impl] void QFontDialog::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QFontDialog::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QFontDialog::actionEvent(arg1); + QFontDialog::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QFontDialog_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QFontDialog_Adaptor::cbs_actionEvent_1823_0, event); } else { - QFontDialog::actionEvent(arg1); + QFontDialog::actionEvent(event); } } @@ -775,18 +775,18 @@ class QFontDialog_Adaptor : public QFontDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFontDialog::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QFontDialog::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QFontDialog::childEvent(arg1); + QFontDialog::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QFontDialog_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QFontDialog_Adaptor::cbs_childEvent_1701_0, event); } else { - QFontDialog::childEvent(arg1); + QFontDialog::childEvent(event); } } @@ -820,18 +820,18 @@ class QFontDialog_Adaptor : public QFontDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFontDialog::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFontDialog::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QFontDialog::customEvent(arg1); + QFontDialog::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QFontDialog_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QFontDialog_Adaptor::cbs_customEvent_1217_0, event); } else { - QFontDialog::customEvent(arg1); + QFontDialog::customEvent(event); } } @@ -865,93 +865,93 @@ class QFontDialog_Adaptor : public QFontDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFontDialog::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QFontDialog::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QFontDialog::dragEnterEvent(arg1); + QFontDialog::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QFontDialog_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QFontDialog_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QFontDialog::dragEnterEvent(arg1); + QFontDialog::dragEnterEvent(event); } } - // [adaptor impl] void QFontDialog::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QFontDialog::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QFontDialog::dragLeaveEvent(arg1); + QFontDialog::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QFontDialog_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QFontDialog_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QFontDialog::dragLeaveEvent(arg1); + QFontDialog::dragLeaveEvent(event); } } - // [adaptor impl] void QFontDialog::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QFontDialog::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QFontDialog::dragMoveEvent(arg1); + QFontDialog::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QFontDialog_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QFontDialog_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QFontDialog::dragMoveEvent(arg1); + QFontDialog::dragMoveEvent(event); } } - // [adaptor impl] void QFontDialog::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QFontDialog::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QFontDialog::dropEvent(arg1); + QFontDialog::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QFontDialog_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QFontDialog_Adaptor::cbs_dropEvent_1622_0, event); } else { - QFontDialog::dropEvent(arg1); + QFontDialog::dropEvent(event); } } - // [adaptor impl] void QFontDialog::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFontDialog::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QFontDialog::enterEvent(arg1); + QFontDialog::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QFontDialog_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QFontDialog_Adaptor::cbs_enterEvent_1217_0, event); } else { - QFontDialog::enterEvent(arg1); + QFontDialog::enterEvent(event); } } - // [adaptor impl] bool QFontDialog::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QFontDialog::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QFontDialog::event(arg1); + return QFontDialog::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QFontDialog_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QFontDialog_Adaptor::cbs_event_1217_0, _event); } else { - return QFontDialog::event(arg1); + return QFontDialog::event(_event); } } @@ -970,18 +970,18 @@ class QFontDialog_Adaptor : public QFontDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFontDialog::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QFontDialog::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QFontDialog::focusInEvent(arg1); + QFontDialog::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QFontDialog_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QFontDialog_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QFontDialog::focusInEvent(arg1); + QFontDialog::focusInEvent(event); } } @@ -1000,33 +1000,33 @@ class QFontDialog_Adaptor : public QFontDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFontDialog::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QFontDialog::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QFontDialog::focusOutEvent(arg1); + QFontDialog::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QFontDialog_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QFontDialog_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QFontDialog::focusOutEvent(arg1); + QFontDialog::focusOutEvent(event); } } - // [adaptor impl] void QFontDialog::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QFontDialog::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QFontDialog::hideEvent(arg1); + QFontDialog::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QFontDialog_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QFontDialog_Adaptor::cbs_hideEvent_1595_0, event); } else { - QFontDialog::hideEvent(arg1); + QFontDialog::hideEvent(event); } } @@ -1075,33 +1075,33 @@ class QFontDialog_Adaptor : public QFontDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFontDialog::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QFontDialog::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QFontDialog::keyReleaseEvent(arg1); + QFontDialog::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QFontDialog_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QFontDialog_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QFontDialog::keyReleaseEvent(arg1); + QFontDialog::keyReleaseEvent(event); } } - // [adaptor impl] void QFontDialog::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFontDialog::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QFontDialog::leaveEvent(arg1); + QFontDialog::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QFontDialog_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QFontDialog_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QFontDialog::leaveEvent(arg1); + QFontDialog::leaveEvent(event); } } @@ -1120,78 +1120,78 @@ class QFontDialog_Adaptor : public QFontDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFontDialog::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QFontDialog::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QFontDialog::mouseDoubleClickEvent(arg1); + QFontDialog::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QFontDialog_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QFontDialog_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QFontDialog::mouseDoubleClickEvent(arg1); + QFontDialog::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QFontDialog::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QFontDialog::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QFontDialog::mouseMoveEvent(arg1); + QFontDialog::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QFontDialog_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QFontDialog_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QFontDialog::mouseMoveEvent(arg1); + QFontDialog::mouseMoveEvent(event); } } - // [adaptor impl] void QFontDialog::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QFontDialog::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QFontDialog::mousePressEvent(arg1); + QFontDialog::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QFontDialog_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QFontDialog_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QFontDialog::mousePressEvent(arg1); + QFontDialog::mousePressEvent(event); } } - // [adaptor impl] void QFontDialog::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QFontDialog::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QFontDialog::mouseReleaseEvent(arg1); + QFontDialog::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QFontDialog_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QFontDialog_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QFontDialog::mouseReleaseEvent(arg1); + QFontDialog::mouseReleaseEvent(event); } } - // [adaptor impl] void QFontDialog::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QFontDialog::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QFontDialog::moveEvent(arg1); + QFontDialog::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QFontDialog_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QFontDialog_Adaptor::cbs_moveEvent_1624_0, event); } else { - QFontDialog::moveEvent(arg1); + QFontDialog::moveEvent(event); } } @@ -1210,18 +1210,18 @@ class QFontDialog_Adaptor : public QFontDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFontDialog::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QFontDialog::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QFontDialog::paintEvent(arg1); + QFontDialog::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QFontDialog_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QFontDialog_Adaptor::cbs_paintEvent_1725_0, event); } else { - QFontDialog::paintEvent(arg1); + QFontDialog::paintEvent(event); } } @@ -1285,48 +1285,48 @@ class QFontDialog_Adaptor : public QFontDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFontDialog::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QFontDialog::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QFontDialog::tabletEvent(arg1); + QFontDialog::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QFontDialog_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QFontDialog_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QFontDialog::tabletEvent(arg1); + QFontDialog::tabletEvent(event); } } - // [adaptor impl] void QFontDialog::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QFontDialog::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QFontDialog::timerEvent(arg1); + QFontDialog::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QFontDialog_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QFontDialog_Adaptor::cbs_timerEvent_1730_0, event); } else { - QFontDialog::timerEvent(arg1); + QFontDialog::timerEvent(event); } } - // [adaptor impl] void QFontDialog::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QFontDialog::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QFontDialog::wheelEvent(arg1); + QFontDialog::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QFontDialog_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QFontDialog_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QFontDialog::wheelEvent(arg1); + QFontDialog::wheelEvent(event); } } @@ -1388,7 +1388,7 @@ QFontDialog_Adaptor::~QFontDialog_Adaptor() { } static void _init_ctor_QFontDialog_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1397,7 +1397,7 @@ static void _call_ctor_QFontDialog_Adaptor_1315 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QFontDialog_Adaptor (arg1)); } @@ -1408,7 +1408,7 @@ static void _init_ctor_QFontDialog_Adaptor_3008 (qt_gsi::GenericStaticMethod *de { static gsi::ArgSpecBase argspec_0 ("initial"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1418,7 +1418,7 @@ static void _call_ctor_QFontDialog_Adaptor_3008 (const qt_gsi::GenericStaticMeth __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QFont &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QFontDialog_Adaptor (arg1, arg2)); } @@ -1457,11 +1457,11 @@ static void _call_emitter_accepted_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QFontDialog::actionEvent(QActionEvent *) +// void QFontDialog::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1524,11 +1524,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QFontDialog::childEvent(QChildEvent *) +// void QFontDialog::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1657,11 +1657,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QFontDialog::customEvent(QEvent *) +// void QFontDialog::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1707,7 +1707,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1716,7 +1716,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QFontDialog_Adaptor *)cls)->emitter_QFontDialog_destroyed_1302 (arg1); } @@ -1769,11 +1769,11 @@ static void _set_callback_cbs_done_767_0 (void *cls, const gsi::Callback &cb) } -// void QFontDialog::dragEnterEvent(QDragEnterEvent *) +// void QFontDialog::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1793,11 +1793,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QFontDialog::dragLeaveEvent(QDragLeaveEvent *) +// void QFontDialog::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1817,11 +1817,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QFontDialog::dragMoveEvent(QDragMoveEvent *) +// void QFontDialog::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1841,11 +1841,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QFontDialog::dropEvent(QDropEvent *) +// void QFontDialog::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1865,11 +1865,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QFontDialog::enterEvent(QEvent *) +// void QFontDialog::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1889,11 +1889,11 @@ static void _set_callback_cbs_enterEvent_1217_0 (void *cls, const gsi::Callback } -// bool QFontDialog::event(QEvent *) +// bool QFontDialog::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1975,11 +1975,11 @@ static void _call_emitter_finished_767 (const qt_gsi::GenericMethod * /*decl*/, } -// void QFontDialog::focusInEvent(QFocusEvent *) +// void QFontDialog::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2036,11 +2036,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QFontDialog::focusOutEvent(QFocusEvent *) +// void QFontDialog::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2134,11 +2134,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QFontDialog::hideEvent(QHideEvent *) +// void QFontDialog::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2271,11 +2271,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QFontDialog::keyReleaseEvent(QKeyEvent *) +// void QFontDialog::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2295,11 +2295,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QFontDialog::leaveEvent(QEvent *) +// void QFontDialog::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2361,11 +2361,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QFontDialog::mouseDoubleClickEvent(QMouseEvent *) +// void QFontDialog::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2385,11 +2385,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QFontDialog::mouseMoveEvent(QMouseEvent *) +// void QFontDialog::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2409,11 +2409,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QFontDialog::mousePressEvent(QMouseEvent *) +// void QFontDialog::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2433,11 +2433,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QFontDialog::mouseReleaseEvent(QMouseEvent *) +// void QFontDialog::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2457,11 +2457,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QFontDialog::moveEvent(QMoveEvent *) +// void QFontDialog::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2567,11 +2567,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QFontDialog::paintEvent(QPaintEvent *) +// void QFontDialog::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2804,11 +2804,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QFontDialog::tabletEvent(QTabletEvent *) +// void QFontDialog::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2828,11 +2828,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QFontDialog::timerEvent(QTimerEvent *) +// void QFontDialog::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2867,11 +2867,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QFontDialog::wheelEvent(QWheelEvent *) +// void QFontDialog::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2957,51 +2957,51 @@ static gsi::Methods methods_QFontDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("accept", "@brief Virtual method void QFontDialog::accept()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("accept", "@hide", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0, &_set_callback_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("emit_accepted", "@brief Emitter for signal void QFontDialog::accepted()\nCall this method to emit this signal.", false, &_init_emitter_accepted_0, &_call_emitter_accepted_0); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QFontDialog::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QFontDialog::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*adjustPosition", "@brief Method void QFontDialog::adjustPosition(QWidget *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_adjustPosition_1315, &_call_fp_adjustPosition_1315); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QFontDialog::changeEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QFontDialog::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QFontDialog::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QFontDialog::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QFontDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QFontDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QFontDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentFontChanged", "@brief Emitter for signal void QFontDialog::currentFontChanged(const QFont &font)\nCall this method to emit this signal.", false, &_init_emitter_currentFontChanged_1801, &_call_emitter_currentFontChanged_1801); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QFontDialog::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFontDialog::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFontDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QFontDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QFontDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QFontDialog::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QFontDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*done", "@brief Virtual method void QFontDialog::done(int result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0); methods += new qt_gsi::GenericMethod ("*done", "@hide", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0, &_set_callback_cbs_done_767_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QFontDialog::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QFontDialog::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QFontDialog::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QFontDialog::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QFontDialog::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QFontDialog::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QFontDialog::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QFontDialog::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QFontDialog::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QFontDialog::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QFontDialog::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QFontDialog::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QFontDialog::eventFilter(QObject *object, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("exec", "@brief Virtual method int QFontDialog::exec()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("exec", "@hide", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0, &_set_callback_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QFontDialog::finished(int result)\nCall this method to emit this signal.", false, &_init_emitter_finished_767, &_call_emitter_finished_767); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QFontDialog::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QFontDialog::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QFontDialog::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QFontDialog::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QFontDialog::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QFontDialog::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QFontDialog::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("emit_fontSelected", "@brief Emitter for signal void QFontDialog::fontSelected(const QFont &font)\nCall this method to emit this signal.", false, &_init_emitter_fontSelected_1801, &_call_emitter_fontSelected_1801); @@ -3009,7 +3009,7 @@ static gsi::Methods methods_QFontDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QFontDialog::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QFontDialog::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QFontDialog::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QFontDialog::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -3020,23 +3020,23 @@ static gsi::Methods methods_QFontDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QFontDialog::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QFontDialog::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QFontDialog::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QFontDialog::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QFontDialog::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QFontDialog::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QFontDialog::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QFontDialog::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QFontDialog::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QFontDialog::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QFontDialog::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QFontDialog::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QFontDialog::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QFontDialog::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QFontDialog::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QFontDialog::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QFontDialog::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QFontDialog::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QFontDialog::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3045,7 +3045,7 @@ static gsi::Methods methods_QFontDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("open", "@hide", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0, &_set_callback_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QFontDialog::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QFontDialog::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QFontDialog::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QFontDialog::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QFontDialog::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); @@ -3065,12 +3065,12 @@ static gsi::Methods methods_QFontDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QFontDialog::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QFontDialog::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QFontDialog::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFontDialog::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFontDialog::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QFontDialog::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QFontDialog::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QFontDialog::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QFontDialog::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QFontDialog::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQFormLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQFormLayout.cc index e58273f147..a6f0845b1c 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQFormLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQFormLayout.cc @@ -98,7 +98,9 @@ static void _call_f_addRow_2522 (const qt_gsi::GenericMethod * /*decl*/, void *c __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); QWidget *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); __SUPPRESS_UNUSED_WARNING(ret); ((QFormLayout *)cls)->addRow (arg1, arg2); } @@ -121,7 +123,9 @@ static void _call_f_addRow_2548 (const qt_gsi::GenericMethod * /*decl*/, void *c __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); QLayout *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); __SUPPRESS_UNUSED_WARNING(ret); ((QFormLayout *)cls)->addRow (arg1, arg2); } @@ -145,6 +149,7 @@ static void _call_f_addRow_3232 (const qt_gsi::GenericMethod * /*decl*/, void *c tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); QWidget *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); __SUPPRESS_UNUSED_WARNING(ret); ((QFormLayout *)cls)->addRow (arg1, arg2); } @@ -168,6 +173,7 @@ static void _call_f_addRow_3258 (const qt_gsi::GenericMethod * /*decl*/, void *c tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); QLayout *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); __SUPPRESS_UNUSED_WARNING(ret); ((QFormLayout *)cls)->addRow (arg1, arg2); } @@ -188,6 +194,7 @@ static void _call_f_addRow_1315 (const qt_gsi::GenericMethod * /*decl*/, void *c __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); __SUPPRESS_UNUSED_WARNING(ret); ((QFormLayout *)cls)->addRow (arg1); } @@ -421,6 +428,7 @@ static void _call_f_insertRow_3181 (const qt_gsi::GenericMethod * /*decl*/, void int arg1 = gsi::arg_reader() (args, heap); QWidget *arg2 = gsi::arg_reader() (args, heap); QWidget *arg3 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg3); __SUPPRESS_UNUSED_WARNING(ret); ((QFormLayout *)cls)->insertRow (arg1, arg2, arg3); } @@ -447,6 +455,7 @@ static void _call_f_insertRow_3207 (const qt_gsi::GenericMethod * /*decl*/, void int arg1 = gsi::arg_reader() (args, heap); QWidget *arg2 = gsi::arg_reader() (args, heap); QLayout *arg3 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg3); __SUPPRESS_UNUSED_WARNING(ret); ((QFormLayout *)cls)->insertRow (arg1, arg2, arg3); } @@ -473,6 +482,7 @@ static void _call_f_insertRow_3891 (const qt_gsi::GenericMethod * /*decl*/, void int arg1 = gsi::arg_reader() (args, heap); const QString &arg2 = gsi::arg_reader() (args, heap); QWidget *arg3 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg3); __SUPPRESS_UNUSED_WARNING(ret); ((QFormLayout *)cls)->insertRow (arg1, arg2, arg3); } @@ -499,6 +509,7 @@ static void _call_f_insertRow_3917 (const qt_gsi::GenericMethod * /*decl*/, void int arg1 = gsi::arg_reader() (args, heap); const QString &arg2 = gsi::arg_reader() (args, heap); QLayout *arg3 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg3); __SUPPRESS_UNUSED_WARNING(ret); ((QFormLayout *)cls)->insertRow (arg1, arg2, arg3); } @@ -675,6 +686,66 @@ static void _call_f_minimumSize_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// void QFormLayout::removeRow(int row) + + +static void _init_f_removeRow_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("row"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_removeRow_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QFormLayout *)cls)->removeRow (arg1); +} + + +// void QFormLayout::removeRow(QWidget *widget) + + +static void _init_f_removeRow_1315 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("widget"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_removeRow_1315 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QWidget *arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QFormLayout *)cls)->removeRow (arg1); +} + + +// void QFormLayout::removeRow(QLayout *layout) + + +static void _init_f_removeRow_1341 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("layout"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_removeRow_1341 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QLayout *arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QFormLayout *)cls)->removeRow (arg1); +} + + // int QFormLayout::rowCount() @@ -938,6 +1009,7 @@ static void _call_f_setWidget_4342 (const qt_gsi::GenericMethod * /*decl*/, void int arg1 = gsi::arg_reader() (args, heap); const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); QWidget *arg3 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg3); __SUPPRESS_UNUSED_WARNING(ret); ((QFormLayout *)cls)->setWidget (arg1, qt_gsi::QtToCppAdaptor(arg2).cref(), arg3); } @@ -980,7 +1052,7 @@ static void _init_f_takeAt_767 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("index"); decl->add_arg (argspec_0); - decl->set_return_new (); + decl->set_return (); } static void _call_f_takeAt_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) @@ -992,6 +1064,63 @@ static void _call_f_takeAt_767 (const qt_gsi::GenericMethod * /*decl*/, void *cl } +// QFormLayout::TakeRowResult QFormLayout::takeRow(int row) + + +static void _init_f_takeRow_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("row"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_takeRow_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ret.write ((QFormLayout::TakeRowResult)((QFormLayout *)cls)->takeRow (arg1)); +} + + +// QFormLayout::TakeRowResult QFormLayout::takeRow(QWidget *widget) + + +static void _init_f_takeRow_1315 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("widget"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_takeRow_1315 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QWidget *arg1 = gsi::arg_reader() (args, heap); + ret.write ((QFormLayout::TakeRowResult)((QFormLayout *)cls)->takeRow (arg1)); +} + + +// QFormLayout::TakeRowResult QFormLayout::takeRow(QLayout *layout) + + +static void _init_f_takeRow_1341 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("layout"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_takeRow_1341 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QLayout *arg1 = gsi::arg_reader() (args, heap); + ret.write ((QFormLayout::TakeRowResult)((QFormLayout *)cls)->takeRow (arg1)); +} + + // int QFormLayout::verticalSpacing() @@ -1093,6 +1222,9 @@ static gsi::Methods methods_QFormLayout () { methods += new qt_gsi::GenericMethod ("labelForField", "@brief Method QWidget *QFormLayout::labelForField(QWidget *field)\n", true, &_init_f_labelForField_c1315, &_call_f_labelForField_c1315); methods += new qt_gsi::GenericMethod ("labelForField", "@brief Method QWidget *QFormLayout::labelForField(QLayout *field)\n", true, &_init_f_labelForField_c1341, &_call_f_labelForField_c1341); methods += new qt_gsi::GenericMethod ("minimumSize", "@brief Method QSize QFormLayout::minimumSize()\nThis is a reimplementation of QLayout::minimumSize", true, &_init_f_minimumSize_c0, &_call_f_minimumSize_c0); + methods += new qt_gsi::GenericMethod ("removeRow", "@brief Method void QFormLayout::removeRow(int row)\n", false, &_init_f_removeRow_767, &_call_f_removeRow_767); + methods += new qt_gsi::GenericMethod ("removeRow", "@brief Method void QFormLayout::removeRow(QWidget *widget)\n", false, &_init_f_removeRow_1315, &_call_f_removeRow_1315); + methods += new qt_gsi::GenericMethod ("removeRow", "@brief Method void QFormLayout::removeRow(QLayout *layout)\n", false, &_init_f_removeRow_1341, &_call_f_removeRow_1341); methods += new qt_gsi::GenericMethod ("rowCount", "@brief Method int QFormLayout::rowCount()\n", true, &_init_f_rowCount_c0, &_call_f_rowCount_c0); methods += new qt_gsi::GenericMethod (":rowWrapPolicy", "@brief Method QFormLayout::RowWrapPolicy QFormLayout::rowWrapPolicy()\n", true, &_init_f_rowWrapPolicy_c0, &_call_f_rowWrapPolicy_c0); methods += new qt_gsi::GenericMethod ("setFieldGrowthPolicy|fieldGrowthPolicy=", "@brief Method void QFormLayout::setFieldGrowthPolicy(QFormLayout::FieldGrowthPolicy policy)\n", false, &_init_f_setFieldGrowthPolicy_3418, &_call_f_setFieldGrowthPolicy_3418); @@ -1109,6 +1241,9 @@ static gsi::Methods methods_QFormLayout () { methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Method QSize QFormLayout::sizeHint()\nThis is a reimplementation of QLayoutItem::sizeHint", true, &_init_f_sizeHint_c0, &_call_f_sizeHint_c0); methods += new qt_gsi::GenericMethod (":spacing", "@brief Method int QFormLayout::spacing()\n", true, &_init_f_spacing_c0, &_call_f_spacing_c0); methods += new qt_gsi::GenericMethod ("takeAt", "@brief Method QLayoutItem *QFormLayout::takeAt(int index)\nThis is a reimplementation of QLayout::takeAt", false, &_init_f_takeAt_767, &_call_f_takeAt_767); + methods += new qt_gsi::GenericMethod ("takeRow", "@brief Method QFormLayout::TakeRowResult QFormLayout::takeRow(int row)\n", false, &_init_f_takeRow_767, &_call_f_takeRow_767); + methods += new qt_gsi::GenericMethod ("takeRow", "@brief Method QFormLayout::TakeRowResult QFormLayout::takeRow(QWidget *widget)\n", false, &_init_f_takeRow_1315, &_call_f_takeRow_1315); + methods += new qt_gsi::GenericMethod ("takeRow", "@brief Method QFormLayout::TakeRowResult QFormLayout::takeRow(QLayout *layout)\n", false, &_init_f_takeRow_1341, &_call_f_takeRow_1341); methods += new qt_gsi::GenericMethod (":verticalSpacing", "@brief Method int QFormLayout::verticalSpacing()\n", true, &_init_f_verticalSpacing_c0, &_call_f_verticalSpacing_c0); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QFormLayout::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QFormLayout::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); @@ -1242,33 +1377,33 @@ class QFormLayout_Adaptor : public QFormLayout, public qt_gsi::QtObjectBase emit QFormLayout::destroyed(arg1); } - // [adaptor impl] bool QFormLayout::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QFormLayout::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QFormLayout::event(arg1); + return QFormLayout::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QFormLayout_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QFormLayout_Adaptor::cbs_event_1217_0, _event); } else { - return QFormLayout::event(arg1); + return QFormLayout::event(_event); } } - // [adaptor impl] bool QFormLayout::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QFormLayout::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QFormLayout::eventFilter(arg1, arg2); + return QFormLayout::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QFormLayout_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QFormLayout_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QFormLayout::eventFilter(arg1, arg2); + return QFormLayout::eventFilter(watched, event); } } @@ -1549,18 +1684,18 @@ class QFormLayout_Adaptor : public QFormLayout, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFormLayout::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFormLayout::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QFormLayout::customEvent(arg1); + QFormLayout::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QFormLayout_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QFormLayout_Adaptor::cbs_customEvent_1217_0, event); } else { - QFormLayout::customEvent(arg1); + QFormLayout::customEvent(event); } } @@ -1579,18 +1714,18 @@ class QFormLayout_Adaptor : public QFormLayout, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFormLayout::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QFormLayout::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QFormLayout::timerEvent(arg1); + QFormLayout::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QFormLayout_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QFormLayout_Adaptor::cbs_timerEvent_1730_0, event); } else { - QFormLayout::timerEvent(arg1); + QFormLayout::timerEvent(event); } } @@ -1628,7 +1763,7 @@ QFormLayout_Adaptor::~QFormLayout_Adaptor() { } static void _init_ctor_QFormLayout_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1637,7 +1772,7 @@ static void _call_ctor_QFormLayout_Adaptor_1315 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QFormLayout_Adaptor (arg1)); } @@ -1803,11 +1938,11 @@ static void _set_callback_cbs_count_c0_0 (void *cls, const gsi::Callback &cb) } -// void QFormLayout::customEvent(QEvent *) +// void QFormLayout::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1831,7 +1966,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1840,7 +1975,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QFormLayout_Adaptor *)cls)->emitter_QFormLayout_destroyed_1302 (arg1); } @@ -1869,11 +2004,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QFormLayout::event(QEvent *) +// bool QFormLayout::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1892,13 +2027,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QFormLayout::eventFilter(QObject *, QEvent *) +// bool QFormLayout::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2330,11 +2465,11 @@ static void _set_callback_cbs_takeAt_767_0 (void *cls, const gsi::Callback &cb) } -// void QFormLayout::timerEvent(QTimerEvent *) +// void QFormLayout::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2412,14 +2547,14 @@ static gsi::Methods methods_QFormLayout_Adaptor () { methods += new qt_gsi::GenericMethod ("controlTypes", "@hide", true, &_init_cbs_controlTypes_c0_0, &_call_cbs_controlTypes_c0_0, &_set_callback_cbs_controlTypes_c0_0); methods += new qt_gsi::GenericMethod ("count", "@brief Virtual method int QFormLayout::count()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_count_c0_0, &_call_cbs_count_c0_0); methods += new qt_gsi::GenericMethod ("count", "@hide", true, &_init_cbs_count_c0_0, &_call_cbs_count_c0_0, &_set_callback_cbs_count_c0_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFormLayout::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFormLayout::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QFormLayout::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QFormLayout::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QFormLayout::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QFormLayout::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QFormLayout::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QFormLayout::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("expandingDirections", "@brief Virtual method QFlags QFormLayout::expandingDirections()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_expandingDirections_c0_0, &_call_cbs_expandingDirections_c0_0); methods += new qt_gsi::GenericMethod ("expandingDirections", "@hide", true, &_init_cbs_expandingDirections_c0_0, &_call_cbs_expandingDirections_c0_0, &_set_callback_cbs_expandingDirections_c0_0); @@ -2458,7 +2593,7 @@ static gsi::Methods methods_QFormLayout_Adaptor () { methods += new qt_gsi::GenericMethod ("spacerItem", "@hide", false, &_init_cbs_spacerItem_0_0, &_call_cbs_spacerItem_0_0, &_set_callback_cbs_spacerItem_0_0); methods += new qt_gsi::GenericMethod ("takeAt", "@brief Virtual method QLayoutItem *QFormLayout::takeAt(int index)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_takeAt_767_0, &_call_cbs_takeAt_767_0); methods += new qt_gsi::GenericMethod ("takeAt", "@hide", false, &_init_cbs_takeAt_767_0, &_call_cbs_takeAt_767_0, &_set_callback_cbs_takeAt_767_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFormLayout::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFormLayout::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("widget", "@brief Virtual method QWidget *QFormLayout::widget()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_widget_0_0, &_call_cbs_widget_0_0); methods += new qt_gsi::GenericMethod ("widget", "@hide", false, &_init_cbs_widget_0_0, &_call_cbs_widget_0_0, &_set_callback_cbs_widget_0_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQFormLayout_TakeRowResult.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQFormLayout_TakeRowResult.cc new file mode 100644 index 0000000000..c164bcd867 --- /dev/null +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQFormLayout_TakeRowResult.cc @@ -0,0 +1,72 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + +/** +* @file gsiDeclQFormLayout_TakeRowResult.cc +* +* DO NOT EDIT THIS FILE. +* This file has been created automatically +*/ + +#include +#include "gsiQt.h" +#include "gsiQtWidgetsCommon.h" +#include + +// ----------------------------------------------------------------------- +// struct QFormLayout::TakeRowResult + +// Constructor QFormLayout::TakeRowResult::TakeRowResult() + + +static void _init_ctor_QFormLayout_TakeRowResult_0 (qt_gsi::GenericStaticMethod *decl) +{ + decl->set_return_new (); +} + +static void _call_ctor_QFormLayout_TakeRowResult_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write (new QFormLayout::TakeRowResult ()); +} + + + +namespace gsi +{ + +static gsi::Methods methods_QFormLayout_TakeRowResult () { + gsi::Methods methods; + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QFormLayout::TakeRowResult::TakeRowResult()\nThis method creates an object of class QFormLayout::TakeRowResult.", &_init_ctor_QFormLayout_TakeRowResult_0, &_call_ctor_QFormLayout_TakeRowResult_0); + return methods; +} + +gsi::Class decl_QFormLayout_TakeRowResult ("QtWidgets", "QFormLayout_TakeRowResult", + methods_QFormLayout_TakeRowResult (), + "@qt\n@brief Binding of QFormLayout::TakeRowResult"); + +gsi::ClassExt decl_QFormLayout_TakeRowResult_as_child (decl_QFormLayout_TakeRowResult, "TakeRowResult"); + +GSI_QTWIDGETS_PUBLIC gsi::Class &qtdecl_QFormLayout_TakeRowResult () { return decl_QFormLayout_TakeRowResult; } + +} + diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQFrame.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQFrame.cc index c1a26aea66..d0072da728 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQFrame.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQFrame.cc @@ -523,18 +523,18 @@ class QFrame_Adaptor : public QFrame, public qt_gsi::QtObjectBase emit QFrame::destroyed(arg1); } - // [adaptor impl] bool QFrame::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QFrame::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QFrame::eventFilter(arg1, arg2); + return QFrame::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QFrame_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QFrame_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QFrame::eventFilter(arg1, arg2); + return QFrame::eventFilter(watched, event); } } @@ -668,18 +668,18 @@ class QFrame_Adaptor : public QFrame, public qt_gsi::QtObjectBase emit QFrame::windowTitleChanged(title); } - // [adaptor impl] void QFrame::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QFrame::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QFrame::actionEvent(arg1); + QFrame::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QFrame_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QFrame_Adaptor::cbs_actionEvent_1823_0, event); } else { - QFrame::actionEvent(arg1); + QFrame::actionEvent(event); } } @@ -698,63 +698,63 @@ class QFrame_Adaptor : public QFrame, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFrame::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QFrame::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QFrame::childEvent(arg1); + QFrame::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QFrame_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QFrame_Adaptor::cbs_childEvent_1701_0, event); } else { - QFrame::childEvent(arg1); + QFrame::childEvent(event); } } - // [adaptor impl] void QFrame::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QFrame::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QFrame::closeEvent(arg1); + QFrame::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QFrame_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QFrame_Adaptor::cbs_closeEvent_1719_0, event); } else { - QFrame::closeEvent(arg1); + QFrame::closeEvent(event); } } - // [adaptor impl] void QFrame::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QFrame::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QFrame::contextMenuEvent(arg1); + QFrame::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QFrame_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QFrame_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QFrame::contextMenuEvent(arg1); + QFrame::contextMenuEvent(event); } } - // [adaptor impl] void QFrame::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFrame::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QFrame::customEvent(arg1); + QFrame::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QFrame_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QFrame_Adaptor::cbs_customEvent_1217_0, event); } else { - QFrame::customEvent(arg1); + QFrame::customEvent(event); } } @@ -773,78 +773,78 @@ class QFrame_Adaptor : public QFrame, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFrame::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QFrame::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QFrame::dragEnterEvent(arg1); + QFrame::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QFrame_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QFrame_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QFrame::dragEnterEvent(arg1); + QFrame::dragEnterEvent(event); } } - // [adaptor impl] void QFrame::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QFrame::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QFrame::dragLeaveEvent(arg1); + QFrame::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QFrame_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QFrame_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QFrame::dragLeaveEvent(arg1); + QFrame::dragLeaveEvent(event); } } - // [adaptor impl] void QFrame::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QFrame::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QFrame::dragMoveEvent(arg1); + QFrame::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QFrame_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QFrame_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QFrame::dragMoveEvent(arg1); + QFrame::dragMoveEvent(event); } } - // [adaptor impl] void QFrame::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QFrame::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QFrame::dropEvent(arg1); + QFrame::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QFrame_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QFrame_Adaptor::cbs_dropEvent_1622_0, event); } else { - QFrame::dropEvent(arg1); + QFrame::dropEvent(event); } } - // [adaptor impl] void QFrame::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFrame::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QFrame::enterEvent(arg1); + QFrame::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QFrame_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QFrame_Adaptor::cbs_enterEvent_1217_0, event); } else { - QFrame::enterEvent(arg1); + QFrame::enterEvent(event); } } @@ -863,18 +863,18 @@ class QFrame_Adaptor : public QFrame, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFrame::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QFrame::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QFrame::focusInEvent(arg1); + QFrame::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QFrame_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QFrame_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QFrame::focusInEvent(arg1); + QFrame::focusInEvent(event); } } @@ -893,33 +893,33 @@ class QFrame_Adaptor : public QFrame, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFrame::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QFrame::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QFrame::focusOutEvent(arg1); + QFrame::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QFrame_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QFrame_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QFrame::focusOutEvent(arg1); + QFrame::focusOutEvent(event); } } - // [adaptor impl] void QFrame::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QFrame::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QFrame::hideEvent(arg1); + QFrame::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QFrame_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QFrame_Adaptor::cbs_hideEvent_1595_0, event); } else { - QFrame::hideEvent(arg1); + QFrame::hideEvent(event); } } @@ -953,48 +953,48 @@ class QFrame_Adaptor : public QFrame, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFrame::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QFrame::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QFrame::keyPressEvent(arg1); + QFrame::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QFrame_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QFrame_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QFrame::keyPressEvent(arg1); + QFrame::keyPressEvent(event); } } - // [adaptor impl] void QFrame::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QFrame::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QFrame::keyReleaseEvent(arg1); + QFrame::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QFrame_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QFrame_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QFrame::keyReleaseEvent(arg1); + QFrame::keyReleaseEvent(event); } } - // [adaptor impl] void QFrame::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QFrame::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QFrame::leaveEvent(arg1); + QFrame::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QFrame_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QFrame_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QFrame::leaveEvent(arg1); + QFrame::leaveEvent(event); } } @@ -1013,78 +1013,78 @@ class QFrame_Adaptor : public QFrame, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFrame::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QFrame::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QFrame::mouseDoubleClickEvent(arg1); + QFrame::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QFrame_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QFrame_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QFrame::mouseDoubleClickEvent(arg1); + QFrame::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QFrame::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QFrame::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QFrame::mouseMoveEvent(arg1); + QFrame::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QFrame_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QFrame_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QFrame::mouseMoveEvent(arg1); + QFrame::mouseMoveEvent(event); } } - // [adaptor impl] void QFrame::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QFrame::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QFrame::mousePressEvent(arg1); + QFrame::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QFrame_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QFrame_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QFrame::mousePressEvent(arg1); + QFrame::mousePressEvent(event); } } - // [adaptor impl] void QFrame::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QFrame::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QFrame::mouseReleaseEvent(arg1); + QFrame::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QFrame_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QFrame_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QFrame::mouseReleaseEvent(arg1); + QFrame::mouseReleaseEvent(event); } } - // [adaptor impl] void QFrame::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QFrame::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QFrame::moveEvent(arg1); + QFrame::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QFrame_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QFrame_Adaptor::cbs_moveEvent_1624_0, event); } else { - QFrame::moveEvent(arg1); + QFrame::moveEvent(event); } } @@ -1133,18 +1133,18 @@ class QFrame_Adaptor : public QFrame, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFrame::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QFrame::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QFrame::resizeEvent(arg1); + QFrame::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QFrame_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QFrame_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QFrame::resizeEvent(arg1); + QFrame::resizeEvent(event); } } @@ -1163,63 +1163,63 @@ class QFrame_Adaptor : public QFrame, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QFrame::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QFrame::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QFrame::showEvent(arg1); + QFrame::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QFrame_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QFrame_Adaptor::cbs_showEvent_1634_0, event); } else { - QFrame::showEvent(arg1); + QFrame::showEvent(event); } } - // [adaptor impl] void QFrame::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QFrame::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QFrame::tabletEvent(arg1); + QFrame::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QFrame_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QFrame_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QFrame::tabletEvent(arg1); + QFrame::tabletEvent(event); } } - // [adaptor impl] void QFrame::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QFrame::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QFrame::timerEvent(arg1); + QFrame::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QFrame_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QFrame_Adaptor::cbs_timerEvent_1730_0, event); } else { - QFrame::timerEvent(arg1); + QFrame::timerEvent(event); } } - // [adaptor impl] void QFrame::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QFrame::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QFrame::wheelEvent(arg1); + QFrame::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QFrame_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QFrame_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QFrame::wheelEvent(arg1); + QFrame::wheelEvent(event); } } @@ -1276,9 +1276,9 @@ QFrame_Adaptor::~QFrame_Adaptor() { } static void _init_ctor_QFrame_Adaptor_3702 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("f", true, "0"); + static gsi::ArgSpecBase argspec_1 ("f", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_1); decl->set_return_new (); } @@ -1287,17 +1287,17 @@ static void _call_ctor_QFrame_Adaptor_3702 (const qt_gsi::GenericStaticMethod * { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QFrame_Adaptor (arg1, arg2)); } -// void QFrame::actionEvent(QActionEvent *) +// void QFrame::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1341,11 +1341,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QFrame::childEvent(QChildEvent *) +// void QFrame::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1365,11 +1365,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QFrame::closeEvent(QCloseEvent *) +// void QFrame::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1389,11 +1389,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QFrame::contextMenuEvent(QContextMenuEvent *) +// void QFrame::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1456,11 +1456,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QFrame::customEvent(QEvent *) +// void QFrame::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1506,7 +1506,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1515,7 +1515,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QFrame_Adaptor *)cls)->emitter_QFrame_destroyed_1302 (arg1); } @@ -1544,11 +1544,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QFrame::dragEnterEvent(QDragEnterEvent *) +// void QFrame::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1568,11 +1568,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QFrame::dragLeaveEvent(QDragLeaveEvent *) +// void QFrame::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1592,11 +1592,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QFrame::dragMoveEvent(QDragMoveEvent *) +// void QFrame::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1635,11 +1635,11 @@ static void _call_fp_drawFrame_1426 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QFrame::dropEvent(QDropEvent *) +// void QFrame::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1659,11 +1659,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QFrame::enterEvent(QEvent *) +// void QFrame::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1706,13 +1706,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QFrame::eventFilter(QObject *, QEvent *) +// bool QFrame::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1732,11 +1732,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QFrame::focusInEvent(QFocusEvent *) +// void QFrame::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1793,11 +1793,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QFrame::focusOutEvent(QFocusEvent *) +// void QFrame::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1873,11 +1873,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QFrame::hideEvent(QHideEvent *) +// void QFrame::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2005,11 +2005,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QFrame::keyPressEvent(QKeyEvent *) +// void QFrame::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2029,11 +2029,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QFrame::keyReleaseEvent(QKeyEvent *) +// void QFrame::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2053,11 +2053,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QFrame::leaveEvent(QEvent *) +// void QFrame::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2119,11 +2119,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QFrame::mouseDoubleClickEvent(QMouseEvent *) +// void QFrame::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2143,11 +2143,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QFrame::mouseMoveEvent(QMouseEvent *) +// void QFrame::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2167,11 +2167,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QFrame::mousePressEvent(QMouseEvent *) +// void QFrame::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2191,11 +2191,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QFrame::mouseReleaseEvent(QMouseEvent *) +// void QFrame::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2215,11 +2215,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QFrame::moveEvent(QMoveEvent *) +// void QFrame::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2370,11 +2370,11 @@ static void _set_callback_cbs_redirected_c1225_0 (void *cls, const gsi::Callback } -// void QFrame::resizeEvent(QResizeEvent *) +// void QFrame::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2465,11 +2465,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QFrame::showEvent(QShowEvent *) +// void QFrame::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2508,11 +2508,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QFrame::tabletEvent(QTabletEvent *) +// void QFrame::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2532,11 +2532,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QFrame::timerEvent(QTimerEvent *) +// void QFrame::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2571,11 +2571,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QFrame::wheelEvent(QWheelEvent *) +// void QFrame::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2657,52 +2657,52 @@ gsi::Class &qtdecl_QFrame (); static gsi::Methods methods_QFrame_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QFrame::QFrame(QWidget *parent, QFlags f)\nThis method creates an object of class QFrame.", &_init_ctor_QFrame_Adaptor_3702, &_call_ctor_QFrame_Adaptor_3702); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QFrame::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QFrame::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QFrame::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QFrame::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QFrame::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QFrame::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QFrame::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QFrame::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QFrame::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QFrame::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QFrame::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QFrame::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFrame::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFrame::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QFrame::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QFrame::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QFrame::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QFrame::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QFrame::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QFrame::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QFrame::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QFrame::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QFrame::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QFrame::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*drawFrame", "@brief Method void QFrame::drawFrame(QPainter *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_drawFrame_1426, &_call_fp_drawFrame_1426); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QFrame::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QFrame::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QFrame::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QFrame::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QFrame::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QFrame::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QFrame::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QFrame::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QFrame::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QFrame::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QFrame::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QFrame::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QFrame::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QFrame::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QFrame::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QFrame::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QFrame::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QFrame::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QFrame::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2712,25 +2712,25 @@ static gsi::Methods methods_QFrame_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QFrame::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QFrame::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QFrame::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QFrame::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QFrame::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QFrame::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QFrame::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QFrame::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QFrame::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QFrame::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QFrame::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QFrame::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QFrame::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QFrame::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QFrame::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QFrame::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QFrame::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QFrame::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QFrame::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QFrame::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QFrame::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2742,7 +2742,7 @@ static gsi::Methods methods_QFrame_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QFrame::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QFrame::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QFrame::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QFrame::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QFrame::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QFrame::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -2750,16 +2750,16 @@ static gsi::Methods methods_QFrame_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QFrame::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QFrame::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QFrame::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QFrame::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QFrame::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QFrame::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFrame::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFrame::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QFrame::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QFrame::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QFrame::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QFrame::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QFrame::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGesture.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGesture.cc index 2fe73d5062..a3bdfbfdf8 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGesture.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGesture.cc @@ -312,33 +312,33 @@ class QGesture_Adaptor : public QGesture, public qt_gsi::QtObjectBase emit QGesture::destroyed(arg1); } - // [adaptor impl] bool QGesture::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QGesture::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QGesture::event(arg1); + return QGesture::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QGesture_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QGesture_Adaptor::cbs_event_1217_0, _event); } else { - return QGesture::event(arg1); + return QGesture::event(_event); } } - // [adaptor impl] bool QGesture::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QGesture::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QGesture::eventFilter(arg1, arg2); + return QGesture::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QGesture_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QGesture_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QGesture::eventFilter(arg1, arg2); + return QGesture::eventFilter(watched, event); } } @@ -349,33 +349,33 @@ class QGesture_Adaptor : public QGesture, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QGesture::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QGesture::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGesture::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGesture::childEvent(arg1); + QGesture::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGesture_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGesture_Adaptor::cbs_childEvent_1701_0, event); } else { - QGesture::childEvent(arg1); + QGesture::childEvent(event); } } - // [adaptor impl] void QGesture::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGesture::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGesture::customEvent(arg1); + QGesture::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGesture_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGesture_Adaptor::cbs_customEvent_1217_0, event); } else { - QGesture::customEvent(arg1); + QGesture::customEvent(event); } } @@ -394,18 +394,18 @@ class QGesture_Adaptor : public QGesture, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QGesture::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGesture::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGesture::timerEvent(arg1); + QGesture::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGesture_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGesture_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGesture::timerEvent(arg1); + QGesture::timerEvent(event); } } @@ -423,7 +423,7 @@ QGesture_Adaptor::~QGesture_Adaptor() { } static void _init_ctor_QGesture_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -432,16 +432,16 @@ static void _call_ctor_QGesture_Adaptor_1302 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGesture_Adaptor (arg1)); } -// void QGesture::childEvent(QChildEvent *) +// void QGesture::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -461,11 +461,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QGesture::customEvent(QEvent *) +// void QGesture::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -489,7 +489,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -498,7 +498,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGesture_Adaptor *)cls)->emitter_QGesture_destroyed_1302 (arg1); } @@ -527,11 +527,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QGesture::event(QEvent *) +// bool QGesture::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -550,13 +550,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QGesture::eventFilter(QObject *, QEvent *) +// bool QGesture::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -658,11 +658,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QGesture::timerEvent(QTimerEvent *) +// void QGesture::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -690,23 +690,23 @@ gsi::Class &qtdecl_QGesture (); static gsi::Methods methods_QGesture_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QGesture::QGesture(QObject *parent)\nThis method creates an object of class QGesture.", &_init_ctor_QGesture_Adaptor_1302, &_call_ctor_QGesture_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGesture::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGesture::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGesture::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGesture::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGesture::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGesture::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGesture::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGesture::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGesture::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGesture::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QGesture::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QGesture::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QGesture::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QGesture::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QGesture::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGesture::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGesture::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGestureRecognizer.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGestureRecognizer.cc index 9e44e774eb..b81cb3f6ec 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGestureRecognizer.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGestureRecognizer.cc @@ -146,7 +146,7 @@ namespace gsi static gsi::Methods methods_QGestureRecognizer () { gsi::Methods methods; - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Method QGesture *QGestureRecognizer::create(QObject *target)\n", false, &_init_f_create_1302, &_call_f_create_1302); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method QGesture *QGestureRecognizer::create(QObject *target)\n", false, &_init_f_create_1302, &_call_f_create_1302); methods += new qt_gsi::GenericMethod ("recognize", "@brief Method QFlags QGestureRecognizer::recognize(QGesture *state, QObject *watched, QEvent *event)\n", false, &_init_f_recognize_3741, &_call_f_recognize_3741); methods += new qt_gsi::GenericMethod ("reset", "@brief Method void QGestureRecognizer::reset(QGesture *state)\n", false, &_init_f_reset_1438, &_call_f_reset_1438); methods += new qt_gsi::GenericStaticMethod ("registerRecognizer", "@brief Static method Qt::GestureType QGestureRecognizer::registerRecognizer(QGestureRecognizer *recognizer)\nThis method is static and can be called without an instance.", &_init_f_registerRecognizer_2486, &_call_f_registerRecognizer_2486); @@ -328,8 +328,8 @@ gsi::Class &qtdecl_QGestureRecognizer (); static gsi::Methods methods_QGestureRecognizer_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QGestureRecognizer::QGestureRecognizer()\nThis method creates an object of class QGestureRecognizer.", &_init_ctor_QGestureRecognizer_Adaptor_0, &_call_ctor_QGestureRecognizer_Adaptor_0); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Virtual method QGesture *QGestureRecognizer::create(QObject *target)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_create_1302_0, &_call_cbs_create_1302_0); - methods += new qt_gsi::GenericMethod ("qt_create", "@hide", false, &_init_cbs_create_1302_0, &_call_cbs_create_1302_0, &_set_callback_cbs_create_1302_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Virtual method QGesture *QGestureRecognizer::create(QObject *target)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_create_1302_0, &_call_cbs_create_1302_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@hide", false, &_init_cbs_create_1302_0, &_call_cbs_create_1302_0, &_set_callback_cbs_create_1302_0); methods += new qt_gsi::GenericMethod ("recognize", "@brief Virtual method QFlags QGestureRecognizer::recognize(QGesture *state, QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_recognize_3741_0, &_call_cbs_recognize_3741_0); methods += new qt_gsi::GenericMethod ("recognize", "@hide", false, &_init_cbs_recognize_3741_0, &_call_cbs_recognize_3741_0, &_set_callback_cbs_recognize_3741_0); methods += new qt_gsi::GenericMethod ("reset", "@brief Virtual method void QGestureRecognizer::reset(QGesture *state)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_reset_1438_0, &_call_cbs_reset_1438_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsAnchor.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsAnchor.cc index b5e77dfdee..96b30b023e 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsAnchor.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsAnchor.cc @@ -251,33 +251,33 @@ class QGraphicsAnchor_Adaptor : public QGraphicsAnchor, public qt_gsi::QtObjectB emit QGraphicsAnchor::destroyed(arg1); } - // [adaptor impl] bool QGraphicsAnchor::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QGraphicsAnchor::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QGraphicsAnchor::event(arg1); + return QGraphicsAnchor::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QGraphicsAnchor_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QGraphicsAnchor_Adaptor::cbs_event_1217_0, _event); } else { - return QGraphicsAnchor::event(arg1); + return QGraphicsAnchor::event(_event); } } - // [adaptor impl] bool QGraphicsAnchor::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QGraphicsAnchor::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QGraphicsAnchor::eventFilter(arg1, arg2); + return QGraphicsAnchor::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QGraphicsAnchor_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QGraphicsAnchor_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QGraphicsAnchor::eventFilter(arg1, arg2); + return QGraphicsAnchor::eventFilter(watched, event); } } @@ -288,33 +288,33 @@ class QGraphicsAnchor_Adaptor : public QGraphicsAnchor, public qt_gsi::QtObjectB throw tl::Exception ("Can't emit private signal 'void QGraphicsAnchor::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QGraphicsAnchor::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGraphicsAnchor::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGraphicsAnchor::childEvent(arg1); + QGraphicsAnchor::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGraphicsAnchor_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGraphicsAnchor_Adaptor::cbs_childEvent_1701_0, event); } else { - QGraphicsAnchor::childEvent(arg1); + QGraphicsAnchor::childEvent(event); } } - // [adaptor impl] void QGraphicsAnchor::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGraphicsAnchor::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGraphicsAnchor::customEvent(arg1); + QGraphicsAnchor::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGraphicsAnchor_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGraphicsAnchor_Adaptor::cbs_customEvent_1217_0, event); } else { - QGraphicsAnchor::customEvent(arg1); + QGraphicsAnchor::customEvent(event); } } @@ -333,18 +333,18 @@ class QGraphicsAnchor_Adaptor : public QGraphicsAnchor, public qt_gsi::QtObjectB } } - // [adaptor impl] void QGraphicsAnchor::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGraphicsAnchor::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGraphicsAnchor::timerEvent(arg1); + QGraphicsAnchor::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGraphicsAnchor_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGraphicsAnchor_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGraphicsAnchor::timerEvent(arg1); + QGraphicsAnchor::timerEvent(event); } } @@ -358,11 +358,11 @@ class QGraphicsAnchor_Adaptor : public QGraphicsAnchor, public qt_gsi::QtObjectB QGraphicsAnchor_Adaptor::~QGraphicsAnchor_Adaptor() { } -// void QGraphicsAnchor::childEvent(QChildEvent *) +// void QGraphicsAnchor::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -382,11 +382,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QGraphicsAnchor::customEvent(QEvent *) +// void QGraphicsAnchor::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -410,7 +410,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -419,7 +419,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGraphicsAnchor_Adaptor *)cls)->emitter_QGraphicsAnchor_destroyed_1302 (arg1); } @@ -448,11 +448,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QGraphicsAnchor::event(QEvent *) +// bool QGraphicsAnchor::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -471,13 +471,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QGraphicsAnchor::eventFilter(QObject *, QEvent *) +// bool QGraphicsAnchor::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -579,11 +579,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QGraphicsAnchor::timerEvent(QTimerEvent *) +// void QGraphicsAnchor::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -610,23 +610,23 @@ gsi::Class &qtdecl_QGraphicsAnchor (); static gsi::Methods methods_QGraphicsAnchor_Adaptor () { gsi::Methods methods; - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsAnchor::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsAnchor::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsAnchor::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsAnchor::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGraphicsAnchor::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsAnchor::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGraphicsAnchor::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGraphicsAnchor::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsAnchor::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsAnchor::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QGraphicsAnchor::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QGraphicsAnchor::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QGraphicsAnchor::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QGraphicsAnchor::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QGraphicsAnchor::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsAnchor::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsAnchor::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsAnchorLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsAnchorLayout.cc index 2f6e32c906..02c4c52aea 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsAnchorLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsAnchorLayout.cc @@ -551,7 +551,7 @@ QGraphicsAnchorLayout_Adaptor::~QGraphicsAnchorLayout_Adaptor() { } static void _init_ctor_QGraphicsAnchorLayout_Adaptor_2557 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -560,7 +560,7 @@ static void _call_ctor_QGraphicsAnchorLayout_Adaptor_2557 (const qt_gsi::Generic { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsLayoutItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsLayoutItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsAnchorLayout_Adaptor (arg1)); } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsBlurEffect.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsBlurEffect.cc index c09d5ad9ed..7c9a298771 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsBlurEffect.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsBlurEffect.cc @@ -331,33 +331,33 @@ class QGraphicsBlurEffect_Adaptor : public QGraphicsBlurEffect, public qt_gsi::Q emit QGraphicsBlurEffect::enabledChanged(enabled); } - // [adaptor impl] bool QGraphicsBlurEffect::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QGraphicsBlurEffect::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QGraphicsBlurEffect::event(arg1); + return QGraphicsBlurEffect::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QGraphicsBlurEffect_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QGraphicsBlurEffect_Adaptor::cbs_event_1217_0, _event); } else { - return QGraphicsBlurEffect::event(arg1); + return QGraphicsBlurEffect::event(_event); } } - // [adaptor impl] bool QGraphicsBlurEffect::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QGraphicsBlurEffect::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QGraphicsBlurEffect::eventFilter(arg1, arg2); + return QGraphicsBlurEffect::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QGraphicsBlurEffect_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QGraphicsBlurEffect_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QGraphicsBlurEffect::eventFilter(arg1, arg2); + return QGraphicsBlurEffect::eventFilter(watched, event); } } @@ -368,33 +368,33 @@ class QGraphicsBlurEffect_Adaptor : public QGraphicsBlurEffect, public qt_gsi::Q throw tl::Exception ("Can't emit private signal 'void QGraphicsBlurEffect::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QGraphicsBlurEffect::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGraphicsBlurEffect::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGraphicsBlurEffect::childEvent(arg1); + QGraphicsBlurEffect::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGraphicsBlurEffect_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGraphicsBlurEffect_Adaptor::cbs_childEvent_1701_0, event); } else { - QGraphicsBlurEffect::childEvent(arg1); + QGraphicsBlurEffect::childEvent(event); } } - // [adaptor impl] void QGraphicsBlurEffect::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGraphicsBlurEffect::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGraphicsBlurEffect::customEvent(arg1); + QGraphicsBlurEffect::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGraphicsBlurEffect_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGraphicsBlurEffect_Adaptor::cbs_customEvent_1217_0, event); } else { - QGraphicsBlurEffect::customEvent(arg1); + QGraphicsBlurEffect::customEvent(event); } } @@ -443,18 +443,18 @@ class QGraphicsBlurEffect_Adaptor : public QGraphicsBlurEffect, public qt_gsi::Q } } - // [adaptor impl] void QGraphicsBlurEffect::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGraphicsBlurEffect::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGraphicsBlurEffect::timerEvent(arg1); + QGraphicsBlurEffect::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGraphicsBlurEffect_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGraphicsBlurEffect_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGraphicsBlurEffect::timerEvent(arg1); + QGraphicsBlurEffect::timerEvent(event); } } @@ -475,7 +475,7 @@ QGraphicsBlurEffect_Adaptor::~QGraphicsBlurEffect_Adaptor() { } static void _init_ctor_QGraphicsBlurEffect_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -484,7 +484,7 @@ static void _call_ctor_QGraphicsBlurEffect_Adaptor_1302 (const qt_gsi::GenericSt { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsBlurEffect_Adaptor (arg1)); } @@ -548,11 +548,11 @@ static void _set_callback_cbs_boundingRectFor_c1862_0 (void *cls, const gsi::Cal } -// void QGraphicsBlurEffect::childEvent(QChildEvent *) +// void QGraphicsBlurEffect::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -572,11 +572,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QGraphicsBlurEffect::customEvent(QEvent *) +// void QGraphicsBlurEffect::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -600,7 +600,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -609,7 +609,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGraphicsBlurEffect_Adaptor *)cls)->emitter_QGraphicsBlurEffect_destroyed_1302 (arg1); } @@ -699,11 +699,11 @@ static void _call_emitter_enabledChanged_864 (const qt_gsi::GenericMethod * /*de } -// bool QGraphicsBlurEffect::event(QEvent *) +// bool QGraphicsBlurEffect::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -722,13 +722,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QGraphicsBlurEffect::eventFilter(QObject *, QEvent *) +// bool QGraphicsBlurEffect::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -892,7 +892,7 @@ static void _init_fp_sourcePixmap_c6763 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("system", true, "Qt::LogicalCoordinates"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("offset", true, "0"); + static gsi::ArgSpecBase argspec_1 ("offset", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("mode", true, "QGraphicsEffect::PadToEffectiveBoundingRect"); decl->add_arg::target_type & > (argspec_2); @@ -904,17 +904,17 @@ static void _call_fp_sourcePixmap_c6763 (const qt_gsi::GenericMethod * /*decl*/, __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::LogicalCoordinates), heap); - QPoint *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QPoint *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const qt_gsi::Converter::target_type & arg3 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QGraphicsEffect::PadToEffectiveBoundingRect), heap); ret.write ((QPixmap)((QGraphicsBlurEffect_Adaptor *)cls)->fp_QGraphicsBlurEffect_sourcePixmap_c6763 (arg1, arg2, arg3)); } -// void QGraphicsBlurEffect::timerEvent(QTimerEvent *) +// void QGraphicsBlurEffect::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -961,9 +961,9 @@ static gsi::Methods methods_QGraphicsBlurEffect_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_blurRadiusChanged", "@brief Emitter for signal void QGraphicsBlurEffect::blurRadiusChanged(double blurRadius)\nCall this method to emit this signal.", false, &_init_emitter_blurRadiusChanged_1071, &_call_emitter_blurRadiusChanged_1071); methods += new qt_gsi::GenericMethod ("boundingRectFor", "@brief Virtual method QRectF QGraphicsBlurEffect::boundingRectFor(const QRectF &rect)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_boundingRectFor_c1862_0, &_call_cbs_boundingRectFor_c1862_0); methods += new qt_gsi::GenericMethod ("boundingRectFor", "@hide", true, &_init_cbs_boundingRectFor_c1862_0, &_call_cbs_boundingRectFor_c1862_0, &_set_callback_cbs_boundingRectFor_c1862_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsBlurEffect::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsBlurEffect::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsBlurEffect::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsBlurEffect::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGraphicsBlurEffect::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsBlurEffect::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -972,9 +972,9 @@ static gsi::Methods methods_QGraphicsBlurEffect_Adaptor () { methods += new qt_gsi::GenericMethod ("*draw", "@hide", false, &_init_cbs_draw_1426_0, &_call_cbs_draw_1426_0, &_set_callback_cbs_draw_1426_0); methods += new qt_gsi::GenericMethod ("*drawSource", "@brief Method void QGraphicsBlurEffect::drawSource(QPainter *painter)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_drawSource_1426, &_call_fp_drawSource_1426); methods += new qt_gsi::GenericMethod ("emit_enabledChanged", "@brief Emitter for signal void QGraphicsBlurEffect::enabledChanged(bool enabled)\nCall this method to emit this signal.", false, &_init_emitter_enabledChanged_864, &_call_emitter_enabledChanged_864); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGraphicsBlurEffect::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGraphicsBlurEffect::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsBlurEffect::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsBlurEffect::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QGraphicsBlurEffect::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QGraphicsBlurEffect::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); @@ -986,7 +986,7 @@ static gsi::Methods methods_QGraphicsBlurEffect_Adaptor () { methods += new qt_gsi::GenericMethod ("*sourceChanged", "@hide", false, &_init_cbs_sourceChanged_3695_0, &_call_cbs_sourceChanged_3695_0, &_set_callback_cbs_sourceChanged_3695_0); methods += new qt_gsi::GenericMethod ("*sourceIsPixmap", "@brief Method bool QGraphicsBlurEffect::sourceIsPixmap()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sourceIsPixmap_c0, &_call_fp_sourceIsPixmap_c0); methods += new qt_gsi::GenericMethod ("*sourcePixmap", "@brief Method QPixmap QGraphicsBlurEffect::sourcePixmap(Qt::CoordinateSystem system, QPoint *offset, QGraphicsEffect::PixmapPadMode mode)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sourcePixmap_c6763, &_call_fp_sourcePixmap_c6763); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsBlurEffect::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsBlurEffect::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateBoundingRect", "@brief Method void QGraphicsBlurEffect::updateBoundingRect()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateBoundingRect_0, &_call_fp_updateBoundingRect_0); return methods; diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsColorizeEffect.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsColorizeEffect.cc index 32efbe69fa..ad24364357 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsColorizeEffect.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsColorizeEffect.cc @@ -306,33 +306,33 @@ class QGraphicsColorizeEffect_Adaptor : public QGraphicsColorizeEffect, public q emit QGraphicsColorizeEffect::enabledChanged(enabled); } - // [adaptor impl] bool QGraphicsColorizeEffect::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QGraphicsColorizeEffect::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QGraphicsColorizeEffect::event(arg1); + return QGraphicsColorizeEffect::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QGraphicsColorizeEffect_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QGraphicsColorizeEffect_Adaptor::cbs_event_1217_0, _event); } else { - return QGraphicsColorizeEffect::event(arg1); + return QGraphicsColorizeEffect::event(_event); } } - // [adaptor impl] bool QGraphicsColorizeEffect::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QGraphicsColorizeEffect::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QGraphicsColorizeEffect::eventFilter(arg1, arg2); + return QGraphicsColorizeEffect::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QGraphicsColorizeEffect_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QGraphicsColorizeEffect_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QGraphicsColorizeEffect::eventFilter(arg1, arg2); + return QGraphicsColorizeEffect::eventFilter(watched, event); } } @@ -349,33 +349,33 @@ class QGraphicsColorizeEffect_Adaptor : public QGraphicsColorizeEffect, public q emit QGraphicsColorizeEffect::strengthChanged(strength); } - // [adaptor impl] void QGraphicsColorizeEffect::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGraphicsColorizeEffect::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGraphicsColorizeEffect::childEvent(arg1); + QGraphicsColorizeEffect::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGraphicsColorizeEffect_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGraphicsColorizeEffect_Adaptor::cbs_childEvent_1701_0, event); } else { - QGraphicsColorizeEffect::childEvent(arg1); + QGraphicsColorizeEffect::childEvent(event); } } - // [adaptor impl] void QGraphicsColorizeEffect::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGraphicsColorizeEffect::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGraphicsColorizeEffect::customEvent(arg1); + QGraphicsColorizeEffect::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGraphicsColorizeEffect_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGraphicsColorizeEffect_Adaptor::cbs_customEvent_1217_0, event); } else { - QGraphicsColorizeEffect::customEvent(arg1); + QGraphicsColorizeEffect::customEvent(event); } } @@ -424,18 +424,18 @@ class QGraphicsColorizeEffect_Adaptor : public QGraphicsColorizeEffect, public q } } - // [adaptor impl] void QGraphicsColorizeEffect::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGraphicsColorizeEffect::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGraphicsColorizeEffect::timerEvent(arg1); + QGraphicsColorizeEffect::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGraphicsColorizeEffect_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGraphicsColorizeEffect_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGraphicsColorizeEffect::timerEvent(arg1); + QGraphicsColorizeEffect::timerEvent(event); } } @@ -456,7 +456,7 @@ QGraphicsColorizeEffect_Adaptor::~QGraphicsColorizeEffect_Adaptor() { } static void _init_ctor_QGraphicsColorizeEffect_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -465,7 +465,7 @@ static void _call_ctor_QGraphicsColorizeEffect_Adaptor_1302 (const qt_gsi::Gener { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsColorizeEffect_Adaptor (arg1)); } @@ -493,11 +493,11 @@ static void _set_callback_cbs_boundingRectFor_c1862_0 (void *cls, const gsi::Cal } -// void QGraphicsColorizeEffect::childEvent(QChildEvent *) +// void QGraphicsColorizeEffect::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -535,11 +535,11 @@ static void _call_emitter_colorChanged_1905 (const qt_gsi::GenericMethod * /*dec } -// void QGraphicsColorizeEffect::customEvent(QEvent *) +// void QGraphicsColorizeEffect::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -563,7 +563,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -572,7 +572,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGraphicsColorizeEffect_Adaptor *)cls)->emitter_QGraphicsColorizeEffect_destroyed_1302 (arg1); } @@ -662,11 +662,11 @@ static void _call_emitter_enabledChanged_864 (const qt_gsi::GenericMethod * /*de } -// bool QGraphicsColorizeEffect::event(QEvent *) +// bool QGraphicsColorizeEffect::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -685,13 +685,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QGraphicsColorizeEffect::eventFilter(QObject *, QEvent *) +// bool QGraphicsColorizeEffect::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -855,7 +855,7 @@ static void _init_fp_sourcePixmap_c6763 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("system", true, "Qt::LogicalCoordinates"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("offset", true, "0"); + static gsi::ArgSpecBase argspec_1 ("offset", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("mode", true, "QGraphicsEffect::PadToEffectiveBoundingRect"); decl->add_arg::target_type & > (argspec_2); @@ -867,7 +867,7 @@ static void _call_fp_sourcePixmap_c6763 (const qt_gsi::GenericMethod * /*decl*/, __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::LogicalCoordinates), heap); - QPoint *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QPoint *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const qt_gsi::Converter::target_type & arg3 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QGraphicsEffect::PadToEffectiveBoundingRect), heap); ret.write ((QPixmap)((QGraphicsColorizeEffect_Adaptor *)cls)->fp_QGraphicsColorizeEffect_sourcePixmap_c6763 (arg1, arg2, arg3)); } @@ -891,11 +891,11 @@ static void _call_emitter_strengthChanged_1071 (const qt_gsi::GenericMethod * /* } -// void QGraphicsColorizeEffect::timerEvent(QTimerEvent *) +// void QGraphicsColorizeEffect::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -940,10 +940,10 @@ static gsi::Methods methods_QGraphicsColorizeEffect_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QGraphicsColorizeEffect::QGraphicsColorizeEffect(QObject *parent)\nThis method creates an object of class QGraphicsColorizeEffect.", &_init_ctor_QGraphicsColorizeEffect_Adaptor_1302, &_call_ctor_QGraphicsColorizeEffect_Adaptor_1302); methods += new qt_gsi::GenericMethod ("boundingRectFor", "@brief Virtual method QRectF QGraphicsColorizeEffect::boundingRectFor(const QRectF &sourceRect)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_boundingRectFor_c1862_0, &_call_cbs_boundingRectFor_c1862_0); methods += new qt_gsi::GenericMethod ("boundingRectFor", "@hide", true, &_init_cbs_boundingRectFor_c1862_0, &_call_cbs_boundingRectFor_c1862_0, &_set_callback_cbs_boundingRectFor_c1862_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsColorizeEffect::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsColorizeEffect::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_colorChanged", "@brief Emitter for signal void QGraphicsColorizeEffect::colorChanged(const QColor &color)\nCall this method to emit this signal.", false, &_init_emitter_colorChanged_1905, &_call_emitter_colorChanged_1905); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsColorizeEffect::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsColorizeEffect::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGraphicsColorizeEffect::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsColorizeEffect::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -952,9 +952,9 @@ static gsi::Methods methods_QGraphicsColorizeEffect_Adaptor () { methods += new qt_gsi::GenericMethod ("*draw", "@hide", false, &_init_cbs_draw_1426_0, &_call_cbs_draw_1426_0, &_set_callback_cbs_draw_1426_0); methods += new qt_gsi::GenericMethod ("*drawSource", "@brief Method void QGraphicsColorizeEffect::drawSource(QPainter *painter)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_drawSource_1426, &_call_fp_drawSource_1426); methods += new qt_gsi::GenericMethod ("emit_enabledChanged", "@brief Emitter for signal void QGraphicsColorizeEffect::enabledChanged(bool enabled)\nCall this method to emit this signal.", false, &_init_emitter_enabledChanged_864, &_call_emitter_enabledChanged_864); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGraphicsColorizeEffect::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGraphicsColorizeEffect::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsColorizeEffect::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsColorizeEffect::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QGraphicsColorizeEffect::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QGraphicsColorizeEffect::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); @@ -967,7 +967,7 @@ static gsi::Methods methods_QGraphicsColorizeEffect_Adaptor () { methods += new qt_gsi::GenericMethod ("*sourceIsPixmap", "@brief Method bool QGraphicsColorizeEffect::sourceIsPixmap()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sourceIsPixmap_c0, &_call_fp_sourceIsPixmap_c0); methods += new qt_gsi::GenericMethod ("*sourcePixmap", "@brief Method QPixmap QGraphicsColorizeEffect::sourcePixmap(Qt::CoordinateSystem system, QPoint *offset, QGraphicsEffect::PixmapPadMode mode)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sourcePixmap_c6763, &_call_fp_sourcePixmap_c6763); methods += new qt_gsi::GenericMethod ("emit_strengthChanged", "@brief Emitter for signal void QGraphicsColorizeEffect::strengthChanged(double strength)\nCall this method to emit this signal.", false, &_init_emitter_strengthChanged_1071, &_call_emitter_strengthChanged_1071); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsColorizeEffect::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsColorizeEffect::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateBoundingRect", "@brief Method void QGraphicsColorizeEffect::updateBoundingRect()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateBoundingRect_0, &_call_fp_updateBoundingRect_0); return methods; diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsDropShadowEffect.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsDropShadowEffect.cc index ed7702a2dc..e735654268 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsDropShadowEffect.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsDropShadowEffect.cc @@ -490,33 +490,33 @@ class QGraphicsDropShadowEffect_Adaptor : public QGraphicsDropShadowEffect, publ emit QGraphicsDropShadowEffect::enabledChanged(enabled); } - // [adaptor impl] bool QGraphicsDropShadowEffect::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QGraphicsDropShadowEffect::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QGraphicsDropShadowEffect::event(arg1); + return QGraphicsDropShadowEffect::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QGraphicsDropShadowEffect_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QGraphicsDropShadowEffect_Adaptor::cbs_event_1217_0, _event); } else { - return QGraphicsDropShadowEffect::event(arg1); + return QGraphicsDropShadowEffect::event(_event); } } - // [adaptor impl] bool QGraphicsDropShadowEffect::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QGraphicsDropShadowEffect::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QGraphicsDropShadowEffect::eventFilter(arg1, arg2); + return QGraphicsDropShadowEffect::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QGraphicsDropShadowEffect_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QGraphicsDropShadowEffect_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QGraphicsDropShadowEffect::eventFilter(arg1, arg2); + return QGraphicsDropShadowEffect::eventFilter(watched, event); } } @@ -533,33 +533,33 @@ class QGraphicsDropShadowEffect_Adaptor : public QGraphicsDropShadowEffect, publ emit QGraphicsDropShadowEffect::offsetChanged(offset); } - // [adaptor impl] void QGraphicsDropShadowEffect::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGraphicsDropShadowEffect::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGraphicsDropShadowEffect::childEvent(arg1); + QGraphicsDropShadowEffect::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGraphicsDropShadowEffect_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGraphicsDropShadowEffect_Adaptor::cbs_childEvent_1701_0, event); } else { - QGraphicsDropShadowEffect::childEvent(arg1); + QGraphicsDropShadowEffect::childEvent(event); } } - // [adaptor impl] void QGraphicsDropShadowEffect::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGraphicsDropShadowEffect::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGraphicsDropShadowEffect::customEvent(arg1); + QGraphicsDropShadowEffect::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGraphicsDropShadowEffect_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGraphicsDropShadowEffect_Adaptor::cbs_customEvent_1217_0, event); } else { - QGraphicsDropShadowEffect::customEvent(arg1); + QGraphicsDropShadowEffect::customEvent(event); } } @@ -608,18 +608,18 @@ class QGraphicsDropShadowEffect_Adaptor : public QGraphicsDropShadowEffect, publ } } - // [adaptor impl] void QGraphicsDropShadowEffect::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGraphicsDropShadowEffect::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGraphicsDropShadowEffect::timerEvent(arg1); + QGraphicsDropShadowEffect::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGraphicsDropShadowEffect_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGraphicsDropShadowEffect_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGraphicsDropShadowEffect::timerEvent(arg1); + QGraphicsDropShadowEffect::timerEvent(event); } } @@ -640,7 +640,7 @@ QGraphicsDropShadowEffect_Adaptor::~QGraphicsDropShadowEffect_Adaptor() { } static void _init_ctor_QGraphicsDropShadowEffect_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -649,7 +649,7 @@ static void _call_ctor_QGraphicsDropShadowEffect_Adaptor_1302 (const qt_gsi::Gen { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsDropShadowEffect_Adaptor (arg1)); } @@ -695,11 +695,11 @@ static void _set_callback_cbs_boundingRectFor_c1862_0 (void *cls, const gsi::Cal } -// void QGraphicsDropShadowEffect::childEvent(QChildEvent *) +// void QGraphicsDropShadowEffect::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -737,11 +737,11 @@ static void _call_emitter_colorChanged_1905 (const qt_gsi::GenericMethod * /*dec } -// void QGraphicsDropShadowEffect::customEvent(QEvent *) +// void QGraphicsDropShadowEffect::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -765,7 +765,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -774,7 +774,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGraphicsDropShadowEffect_Adaptor *)cls)->emitter_QGraphicsDropShadowEffect_destroyed_1302 (arg1); } @@ -864,11 +864,11 @@ static void _call_emitter_enabledChanged_864 (const qt_gsi::GenericMethod * /*de } -// bool QGraphicsDropShadowEffect::event(QEvent *) +// bool QGraphicsDropShadowEffect::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -887,13 +887,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QGraphicsDropShadowEffect::eventFilter(QObject *, QEvent *) +// bool QGraphicsDropShadowEffect::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1075,7 +1075,7 @@ static void _init_fp_sourcePixmap_c6763 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("system", true, "Qt::LogicalCoordinates"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("offset", true, "0"); + static gsi::ArgSpecBase argspec_1 ("offset", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("mode", true, "QGraphicsEffect::PadToEffectiveBoundingRect"); decl->add_arg::target_type & > (argspec_2); @@ -1087,17 +1087,17 @@ static void _call_fp_sourcePixmap_c6763 (const qt_gsi::GenericMethod * /*decl*/, __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::LogicalCoordinates), heap); - QPoint *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QPoint *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const qt_gsi::Converter::target_type & arg3 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QGraphicsEffect::PadToEffectiveBoundingRect), heap); ret.write ((QPixmap)((QGraphicsDropShadowEffect_Adaptor *)cls)->fp_QGraphicsDropShadowEffect_sourcePixmap_c6763 (arg1, arg2, arg3)); } -// void QGraphicsDropShadowEffect::timerEvent(QTimerEvent *) +// void QGraphicsDropShadowEffect::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1143,10 +1143,10 @@ static gsi::Methods methods_QGraphicsDropShadowEffect_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_blurRadiusChanged", "@brief Emitter for signal void QGraphicsDropShadowEffect::blurRadiusChanged(double blurRadius)\nCall this method to emit this signal.", false, &_init_emitter_blurRadiusChanged_1071, &_call_emitter_blurRadiusChanged_1071); methods += new qt_gsi::GenericMethod ("boundingRectFor", "@brief Virtual method QRectF QGraphicsDropShadowEffect::boundingRectFor(const QRectF &rect)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_boundingRectFor_c1862_0, &_call_cbs_boundingRectFor_c1862_0); methods += new qt_gsi::GenericMethod ("boundingRectFor", "@hide", true, &_init_cbs_boundingRectFor_c1862_0, &_call_cbs_boundingRectFor_c1862_0, &_set_callback_cbs_boundingRectFor_c1862_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsDropShadowEffect::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsDropShadowEffect::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_colorChanged", "@brief Emitter for signal void QGraphicsDropShadowEffect::colorChanged(const QColor &color)\nCall this method to emit this signal.", false, &_init_emitter_colorChanged_1905, &_call_emitter_colorChanged_1905); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsDropShadowEffect::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsDropShadowEffect::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGraphicsDropShadowEffect::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsDropShadowEffect::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -1155,9 +1155,9 @@ static gsi::Methods methods_QGraphicsDropShadowEffect_Adaptor () { methods += new qt_gsi::GenericMethod ("*draw", "@hide", false, &_init_cbs_draw_1426_0, &_call_cbs_draw_1426_0, &_set_callback_cbs_draw_1426_0); methods += new qt_gsi::GenericMethod ("*drawSource", "@brief Method void QGraphicsDropShadowEffect::drawSource(QPainter *painter)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_drawSource_1426, &_call_fp_drawSource_1426); methods += new qt_gsi::GenericMethod ("emit_enabledChanged", "@brief Emitter for signal void QGraphicsDropShadowEffect::enabledChanged(bool enabled)\nCall this method to emit this signal.", false, &_init_emitter_enabledChanged_864, &_call_emitter_enabledChanged_864); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGraphicsDropShadowEffect::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGraphicsDropShadowEffect::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsDropShadowEffect::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsDropShadowEffect::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QGraphicsDropShadowEffect::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QGraphicsDropShadowEffect::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); @@ -1170,7 +1170,7 @@ static gsi::Methods methods_QGraphicsDropShadowEffect_Adaptor () { methods += new qt_gsi::GenericMethod ("*sourceChanged", "@hide", false, &_init_cbs_sourceChanged_3695_0, &_call_cbs_sourceChanged_3695_0, &_set_callback_cbs_sourceChanged_3695_0); methods += new qt_gsi::GenericMethod ("*sourceIsPixmap", "@brief Method bool QGraphicsDropShadowEffect::sourceIsPixmap()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sourceIsPixmap_c0, &_call_fp_sourceIsPixmap_c0); methods += new qt_gsi::GenericMethod ("*sourcePixmap", "@brief Method QPixmap QGraphicsDropShadowEffect::sourcePixmap(Qt::CoordinateSystem system, QPoint *offset, QGraphicsEffect::PixmapPadMode mode)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sourcePixmap_c6763, &_call_fp_sourcePixmap_c6763); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsDropShadowEffect::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsDropShadowEffect::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateBoundingRect", "@brief Method void QGraphicsDropShadowEffect::updateBoundingRect()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateBoundingRect_0, &_call_fp_updateBoundingRect_0); return methods; diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsEffect.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsEffect.cc index 7fee5bb08d..caca62138c 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsEffect.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsEffect.cc @@ -313,33 +313,33 @@ class QGraphicsEffect_Adaptor : public QGraphicsEffect, public qt_gsi::QtObjectB emit QGraphicsEffect::enabledChanged(enabled); } - // [adaptor impl] bool QGraphicsEffect::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QGraphicsEffect::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QGraphicsEffect::event(arg1); + return QGraphicsEffect::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QGraphicsEffect_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QGraphicsEffect_Adaptor::cbs_event_1217_0, _event); } else { - return QGraphicsEffect::event(arg1); + return QGraphicsEffect::event(_event); } } - // [adaptor impl] bool QGraphicsEffect::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QGraphicsEffect::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QGraphicsEffect::eventFilter(arg1, arg2); + return QGraphicsEffect::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QGraphicsEffect_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QGraphicsEffect_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QGraphicsEffect::eventFilter(arg1, arg2); + return QGraphicsEffect::eventFilter(watched, event); } } @@ -350,33 +350,33 @@ class QGraphicsEffect_Adaptor : public QGraphicsEffect, public qt_gsi::QtObjectB throw tl::Exception ("Can't emit private signal 'void QGraphicsEffect::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QGraphicsEffect::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGraphicsEffect::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGraphicsEffect::childEvent(arg1); + QGraphicsEffect::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGraphicsEffect_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGraphicsEffect_Adaptor::cbs_childEvent_1701_0, event); } else { - QGraphicsEffect::childEvent(arg1); + QGraphicsEffect::childEvent(event); } } - // [adaptor impl] void QGraphicsEffect::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGraphicsEffect::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGraphicsEffect::customEvent(arg1); + QGraphicsEffect::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGraphicsEffect_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGraphicsEffect_Adaptor::cbs_customEvent_1217_0, event); } else { - QGraphicsEffect::customEvent(arg1); + QGraphicsEffect::customEvent(event); } } @@ -426,18 +426,18 @@ class QGraphicsEffect_Adaptor : public QGraphicsEffect, public qt_gsi::QtObjectB } } - // [adaptor impl] void QGraphicsEffect::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGraphicsEffect::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGraphicsEffect::timerEvent(arg1); + QGraphicsEffect::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGraphicsEffect_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGraphicsEffect_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGraphicsEffect::timerEvent(arg1); + QGraphicsEffect::timerEvent(event); } } @@ -458,7 +458,7 @@ QGraphicsEffect_Adaptor::~QGraphicsEffect_Adaptor() { } static void _init_ctor_QGraphicsEffect_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -467,7 +467,7 @@ static void _call_ctor_QGraphicsEffect_Adaptor_1302 (const qt_gsi::GenericStatic { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsEffect_Adaptor (arg1)); } @@ -495,11 +495,11 @@ static void _set_callback_cbs_boundingRectFor_c1862_0 (void *cls, const gsi::Cal } -// void QGraphicsEffect::childEvent(QChildEvent *) +// void QGraphicsEffect::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -519,11 +519,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QGraphicsEffect::customEvent(QEvent *) +// void QGraphicsEffect::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -547,7 +547,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -556,7 +556,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGraphicsEffect_Adaptor *)cls)->emitter_QGraphicsEffect_destroyed_1302 (arg1); } @@ -646,11 +646,11 @@ static void _call_emitter_enabledChanged_864 (const qt_gsi::GenericMethod * /*de } -// bool QGraphicsEffect::event(QEvent *) +// bool QGraphicsEffect::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -669,13 +669,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QGraphicsEffect::eventFilter(QObject *, QEvent *) +// bool QGraphicsEffect::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -839,7 +839,7 @@ static void _init_fp_sourcePixmap_c6763 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("system", true, "Qt::LogicalCoordinates"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("offset", true, "0"); + static gsi::ArgSpecBase argspec_1 ("offset", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("mode", true, "QGraphicsEffect::PadToEffectiveBoundingRect"); decl->add_arg::target_type & > (argspec_2); @@ -851,17 +851,17 @@ static void _call_fp_sourcePixmap_c6763 (const qt_gsi::GenericMethod * /*decl*/, __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::LogicalCoordinates), heap); - QPoint *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QPoint *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const qt_gsi::Converter::target_type & arg3 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QGraphicsEffect::PadToEffectiveBoundingRect), heap); ret.write ((QPixmap)((QGraphicsEffect_Adaptor *)cls)->fp_QGraphicsEffect_sourcePixmap_c6763 (arg1, arg2, arg3)); } -// void QGraphicsEffect::timerEvent(QTimerEvent *) +// void QGraphicsEffect::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -906,9 +906,9 @@ static gsi::Methods methods_QGraphicsEffect_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QGraphicsEffect::QGraphicsEffect(QObject *parent)\nThis method creates an object of class QGraphicsEffect.", &_init_ctor_QGraphicsEffect_Adaptor_1302, &_call_ctor_QGraphicsEffect_Adaptor_1302); methods += new qt_gsi::GenericMethod ("boundingRectFor", "@brief Virtual method QRectF QGraphicsEffect::boundingRectFor(const QRectF &sourceRect)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_boundingRectFor_c1862_0, &_call_cbs_boundingRectFor_c1862_0); methods += new qt_gsi::GenericMethod ("boundingRectFor", "@hide", true, &_init_cbs_boundingRectFor_c1862_0, &_call_cbs_boundingRectFor_c1862_0, &_set_callback_cbs_boundingRectFor_c1862_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsEffect::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsEffect::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsEffect::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsEffect::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGraphicsEffect::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsEffect::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -917,9 +917,9 @@ static gsi::Methods methods_QGraphicsEffect_Adaptor () { methods += new qt_gsi::GenericMethod ("*draw", "@hide", false, &_init_cbs_draw_1426_0, &_call_cbs_draw_1426_0, &_set_callback_cbs_draw_1426_0); methods += new qt_gsi::GenericMethod ("*drawSource", "@brief Method void QGraphicsEffect::drawSource(QPainter *painter)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_drawSource_1426, &_call_fp_drawSource_1426); methods += new qt_gsi::GenericMethod ("emit_enabledChanged", "@brief Emitter for signal void QGraphicsEffect::enabledChanged(bool enabled)\nCall this method to emit this signal.", false, &_init_emitter_enabledChanged_864, &_call_emitter_enabledChanged_864); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGraphicsEffect::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGraphicsEffect::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsEffect::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsEffect::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QGraphicsEffect::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QGraphicsEffect::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); @@ -931,7 +931,7 @@ static gsi::Methods methods_QGraphicsEffect_Adaptor () { methods += new qt_gsi::GenericMethod ("*sourceChanged", "@hide", false, &_init_cbs_sourceChanged_3695_0, &_call_cbs_sourceChanged_3695_0, &_set_callback_cbs_sourceChanged_3695_0); methods += new qt_gsi::GenericMethod ("*sourceIsPixmap", "@brief Method bool QGraphicsEffect::sourceIsPixmap()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sourceIsPixmap_c0, &_call_fp_sourceIsPixmap_c0); methods += new qt_gsi::GenericMethod ("*sourcePixmap", "@brief Method QPixmap QGraphicsEffect::sourcePixmap(Qt::CoordinateSystem system, QPoint *offset, QGraphicsEffect::PixmapPadMode mode)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sourcePixmap_c6763, &_call_fp_sourcePixmap_c6763); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsEffect::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsEffect::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateBoundingRect", "@brief Method void QGraphicsEffect::updateBoundingRect()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateBoundingRect_0, &_call_fp_updateBoundingRect_0); return methods; diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsEllipseItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsEllipseItem.cc index 63654683c4..adf9fd891d 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsEllipseItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsEllipseItem.cc @@ -141,7 +141,7 @@ static void _init_f_paint_6301 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("option"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_2 ("widget", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -152,7 +152,7 @@ static void _call_f_paint_6301 (const qt_gsi::GenericMethod * /*decl*/, void *cl tl::Heap heap; QPainter *arg1 = gsi::arg_reader() (args, heap); const QStyleOptionGraphicsItem *arg2 = gsi::arg_reader() (args, heap); - QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QGraphicsEllipseItem *)cls)->paint (arg1, arg2, arg3); } @@ -985,7 +985,7 @@ QGraphicsEllipseItem_Adaptor::~QGraphicsEllipseItem_Adaptor() { } static void _init_ctor_QGraphicsEllipseItem_Adaptor_1919 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -994,7 +994,7 @@ static void _call_ctor_QGraphicsEllipseItem_Adaptor_1919 (const qt_gsi::GenericS { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsEllipseItem_Adaptor (arg1)); } @@ -1005,7 +1005,7 @@ static void _init_ctor_QGraphicsEllipseItem_Adaptor_3673 (qt_gsi::GenericStaticM { static gsi::ArgSpecBase argspec_0 ("rect"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1015,7 +1015,7 @@ static void _call_ctor_QGraphicsEllipseItem_Adaptor_3673 (const qt_gsi::GenericS __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QRectF &arg1 = gsi::arg_reader() (args, heap); - QGraphicsItem *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsEllipseItem_Adaptor (arg1, arg2)); } @@ -1032,7 +1032,7 @@ static void _init_ctor_QGraphicsEllipseItem_Adaptor_5771 (qt_gsi::GenericStaticM decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("h"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_4 ("parent", true, "nullptr"); decl->add_arg (argspec_4); decl->set_return_new (); } @@ -1045,7 +1045,7 @@ static void _call_ctor_QGraphicsEllipseItem_Adaptor_5771 (const qt_gsi::GenericS double arg2 = gsi::arg_reader() (args, heap); double arg3 = gsi::arg_reader() (args, heap); double arg4 = gsi::arg_reader() (args, heap); - QGraphicsItem *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsEllipseItem_Adaptor (arg1, arg2, arg3, arg4, arg5)); } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsGridLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsGridLayout.cc index 59d34e6b2b..5414e3e6e5 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsGridLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsGridLayout.cc @@ -56,7 +56,7 @@ static void _init_f_addItem_7835 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_3); static gsi::ArgSpecBase argspec_4 ("columnSpan"); decl->add_arg (argspec_4); - static gsi::ArgSpecBase argspec_5 ("alignment", true, "0"); + static gsi::ArgSpecBase argspec_5 ("alignment", true, "Qt::Alignment()"); decl->add_arg > (argspec_5); decl->set_return (); } @@ -70,7 +70,7 @@ static void _call_f_addItem_7835 (const qt_gsi::GenericMethod * /*decl*/, void * int arg3 = gsi::arg_reader() (args, heap); int arg4 = gsi::arg_reader() (args, heap); int arg5 = gsi::arg_reader() (args, heap); - QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::Alignment(), heap); __SUPPRESS_UNUSED_WARNING(ret); ((QGraphicsGridLayout *)cls)->addItem (arg1, arg2, arg3, arg4, arg5, arg6); } @@ -87,7 +87,7 @@ static void _init_f_addItem_6517 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("column"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("alignment", true, "0"); + static gsi::ArgSpecBase argspec_3 ("alignment", true, "Qt::Alignment()"); decl->add_arg > (argspec_3); decl->set_return (); } @@ -99,7 +99,7 @@ static void _call_f_addItem_6517 (const qt_gsi::GenericMethod * /*decl*/, void * QGraphicsLayoutItem *arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); int arg3 = gsi::arg_reader() (args, heap); - QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::Alignment(), heap); __SUPPRESS_UNUSED_WARNING(ret); ((QGraphicsGridLayout *)cls)->addItem (arg1, arg2, arg3, arg4); } @@ -1220,7 +1220,7 @@ QGraphicsGridLayout_Adaptor::~QGraphicsGridLayout_Adaptor() { } static void _init_ctor_QGraphicsGridLayout_Adaptor_2557 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1229,7 +1229,7 @@ static void _call_ctor_QGraphicsGridLayout_Adaptor_2557 (const qt_gsi::GenericSt { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsLayoutItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsLayoutItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsGridLayout_Adaptor (arg1)); } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItem.cc index d0b8d4dbb1..476ff3b9f5 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItem.cc @@ -960,7 +960,7 @@ static void _init_f_itemTransform_c3556 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("other"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -970,7 +970,7 @@ static void _call_f_itemTransform_c3556 (const qt_gsi::GenericMethod * /*decl*/, __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QGraphicsItem *arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QTransform)((QGraphicsItem *)cls)->itemTransform (arg1, arg2)); } @@ -2138,7 +2138,7 @@ static void _init_f_paint_6301 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("option"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_2 ("widget", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -2149,7 +2149,7 @@ static void _call_f_paint_6301 (const qt_gsi::GenericMethod * /*decl*/, void *cl tl::Heap heap; QPainter *arg1 = gsi::arg_reader() (args, heap); const QStyleOptionGraphicsItem *arg2 = gsi::arg_reader() (args, heap); - QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QGraphicsItem *)cls)->paint (arg1, arg2, arg3); } @@ -4340,7 +4340,7 @@ QGraphicsItem_Adaptor::~QGraphicsItem_Adaptor() { } static void _init_ctor_QGraphicsItem_Adaptor_1919 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -4349,7 +4349,7 @@ static void _call_ctor_QGraphicsItem_Adaptor_1919 (const qt_gsi::GenericStaticMe { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsItem_Adaptor (arg1)); } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItemAnimation.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItemAnimation.cc index bb83210c39..48e81b6956 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItemAnimation.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItemAnimation.cc @@ -694,33 +694,33 @@ class QGraphicsItemAnimation_Adaptor : public QGraphicsItemAnimation, public qt_ emit QGraphicsItemAnimation::destroyed(arg1); } - // [adaptor impl] bool QGraphicsItemAnimation::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QGraphicsItemAnimation::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QGraphicsItemAnimation::event(arg1); + return QGraphicsItemAnimation::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QGraphicsItemAnimation_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QGraphicsItemAnimation_Adaptor::cbs_event_1217_0, _event); } else { - return QGraphicsItemAnimation::event(arg1); + return QGraphicsItemAnimation::event(_event); } } - // [adaptor impl] bool QGraphicsItemAnimation::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QGraphicsItemAnimation::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QGraphicsItemAnimation::eventFilter(arg1, arg2); + return QGraphicsItemAnimation::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QGraphicsItemAnimation_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QGraphicsItemAnimation_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QGraphicsItemAnimation::eventFilter(arg1, arg2); + return QGraphicsItemAnimation::eventFilter(watched, event); } } @@ -761,33 +761,33 @@ class QGraphicsItemAnimation_Adaptor : public QGraphicsItemAnimation, public qt_ } } - // [adaptor impl] void QGraphicsItemAnimation::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGraphicsItemAnimation::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGraphicsItemAnimation::childEvent(arg1); + QGraphicsItemAnimation::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGraphicsItemAnimation_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGraphicsItemAnimation_Adaptor::cbs_childEvent_1701_0, event); } else { - QGraphicsItemAnimation::childEvent(arg1); + QGraphicsItemAnimation::childEvent(event); } } - // [adaptor impl] void QGraphicsItemAnimation::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGraphicsItemAnimation::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGraphicsItemAnimation::customEvent(arg1); + QGraphicsItemAnimation::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGraphicsItemAnimation_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGraphicsItemAnimation_Adaptor::cbs_customEvent_1217_0, event); } else { - QGraphicsItemAnimation::customEvent(arg1); + QGraphicsItemAnimation::customEvent(event); } } @@ -806,18 +806,18 @@ class QGraphicsItemAnimation_Adaptor : public QGraphicsItemAnimation, public qt_ } } - // [adaptor impl] void QGraphicsItemAnimation::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGraphicsItemAnimation::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGraphicsItemAnimation::timerEvent(arg1); + QGraphicsItemAnimation::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGraphicsItemAnimation_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGraphicsItemAnimation_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGraphicsItemAnimation::timerEvent(arg1); + QGraphicsItemAnimation::timerEvent(event); } } @@ -837,7 +837,7 @@ QGraphicsItemAnimation_Adaptor::~QGraphicsItemAnimation_Adaptor() { } static void _init_ctor_QGraphicsItemAnimation_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -846,7 +846,7 @@ static void _call_ctor_QGraphicsItemAnimation_Adaptor_1302 (const qt_gsi::Generi { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsItemAnimation_Adaptor (arg1)); } @@ -899,11 +899,11 @@ static void _set_callback_cbs_beforeAnimationStep_1071_0 (void *cls, const gsi:: } -// void QGraphicsItemAnimation::childEvent(QChildEvent *) +// void QGraphicsItemAnimation::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -923,11 +923,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QGraphicsItemAnimation::customEvent(QEvent *) +// void QGraphicsItemAnimation::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -951,7 +951,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -960,7 +960,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGraphicsItemAnimation_Adaptor *)cls)->emitter_QGraphicsItemAnimation_destroyed_1302 (arg1); } @@ -989,11 +989,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QGraphicsItemAnimation::event(QEvent *) +// bool QGraphicsItemAnimation::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1012,13 +1012,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QGraphicsItemAnimation::eventFilter(QObject *, QEvent *) +// bool QGraphicsItemAnimation::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1120,11 +1120,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QGraphicsItemAnimation::timerEvent(QTimerEvent *) +// void QGraphicsItemAnimation::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1156,23 +1156,23 @@ static gsi::Methods methods_QGraphicsItemAnimation_Adaptor () { methods += new qt_gsi::GenericMethod ("*afterAnimationStep", "@hide", false, &_init_cbs_afterAnimationStep_1071_0, &_call_cbs_afterAnimationStep_1071_0, &_set_callback_cbs_afterAnimationStep_1071_0); methods += new qt_gsi::GenericMethod ("*beforeAnimationStep", "@brief Virtual method void QGraphicsItemAnimation::beforeAnimationStep(double step)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_beforeAnimationStep_1071_0, &_call_cbs_beforeAnimationStep_1071_0); methods += new qt_gsi::GenericMethod ("*beforeAnimationStep", "@hide", false, &_init_cbs_beforeAnimationStep_1071_0, &_call_cbs_beforeAnimationStep_1071_0, &_set_callback_cbs_beforeAnimationStep_1071_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsItemAnimation::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsItemAnimation::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsItemAnimation::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsItemAnimation::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGraphicsItemAnimation::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsItemAnimation::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGraphicsItemAnimation::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGraphicsItemAnimation::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsItemAnimation::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsItemAnimation::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QGraphicsItemAnimation::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QGraphicsItemAnimation::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QGraphicsItemAnimation::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QGraphicsItemAnimation::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QGraphicsItemAnimation::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsItemAnimation::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsItemAnimation::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItemGroup.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItemGroup.cc index bfcfa215fe..90a2c06de4 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItemGroup.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItemGroup.cc @@ -140,7 +140,7 @@ static void _init_f_paint_6301 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("option"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_2 ("widget", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -151,7 +151,7 @@ static void _call_f_paint_6301 (const qt_gsi::GenericMethod * /*decl*/, void *cl tl::Heap heap; QPainter *arg1 = gsi::arg_reader() (args, heap); const QStyleOptionGraphicsItem *arg2 = gsi::arg_reader() (args, heap); - QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QGraphicsItemGroup *)cls)->paint (arg1, arg2, arg3); } @@ -824,7 +824,7 @@ QGraphicsItemGroup_Adaptor::~QGraphicsItemGroup_Adaptor() { } static void _init_ctor_QGraphicsItemGroup_Adaptor_1919 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -833,7 +833,7 @@ static void _call_ctor_QGraphicsItemGroup_Adaptor_1919 (const qt_gsi::GenericSta { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsItemGroup_Adaptor (arg1)); } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLayout.cc index 5a3abbc08b..6d2b2d4a8f 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLayout.cc @@ -491,7 +491,7 @@ QGraphicsLayout_Adaptor::~QGraphicsLayout_Adaptor() { } static void _init_ctor_QGraphicsLayout_Adaptor_2557 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -500,7 +500,7 @@ static void _call_ctor_QGraphicsLayout_Adaptor_2557 (const qt_gsi::GenericStatic { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsLayoutItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsLayoutItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsLayout_Adaptor (arg1)); } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLayoutItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLayoutItem.cc index 3105a7cd65..e8106fd41d 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLayoutItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLayoutItem.cc @@ -841,7 +841,7 @@ QGraphicsLayoutItem_Adaptor::~QGraphicsLayoutItem_Adaptor() { } static void _init_ctor_QGraphicsLayoutItem_Adaptor_3313 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("isLayout", true, "false"); decl->add_arg (argspec_1); @@ -852,7 +852,7 @@ static void _call_ctor_QGraphicsLayoutItem_Adaptor_3313 (const qt_gsi::GenericSt { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsLayoutItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsLayoutItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); bool arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (false, heap); ret.write (new QGraphicsLayoutItem_Adaptor (arg1, arg2)); } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLineItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLineItem.cc index 293250cbf7..8afb5e19e6 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLineItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLineItem.cc @@ -156,7 +156,7 @@ static void _init_f_paint_6301 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("option"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_2 ("widget", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -167,7 +167,7 @@ static void _call_f_paint_6301 (const qt_gsi::GenericMethod * /*decl*/, void *cl tl::Heap heap; QPainter *arg1 = gsi::arg_reader() (args, heap); const QStyleOptionGraphicsItem *arg2 = gsi::arg_reader() (args, heap); - QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QGraphicsLineItem *)cls)->paint (arg1, arg2, arg3); } @@ -948,7 +948,7 @@ QGraphicsLineItem_Adaptor::~QGraphicsLineItem_Adaptor() { } static void _init_ctor_QGraphicsLineItem_Adaptor_1919 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -957,7 +957,7 @@ static void _call_ctor_QGraphicsLineItem_Adaptor_1919 (const qt_gsi::GenericStat { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsLineItem_Adaptor (arg1)); } @@ -968,7 +968,7 @@ static void _init_ctor_QGraphicsLineItem_Adaptor_3667 (qt_gsi::GenericStaticMeth { static gsi::ArgSpecBase argspec_0 ("line"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -978,7 +978,7 @@ static void _call_ctor_QGraphicsLineItem_Adaptor_3667 (const qt_gsi::GenericStat __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QLineF &arg1 = gsi::arg_reader() (args, heap); - QGraphicsItem *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsLineItem_Adaptor (arg1, arg2)); } @@ -995,7 +995,7 @@ static void _init_ctor_QGraphicsLineItem_Adaptor_5771 (qt_gsi::GenericStaticMeth decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("y2"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_4 ("parent", true, "nullptr"); decl->add_arg (argspec_4); decl->set_return_new (); } @@ -1008,7 +1008,7 @@ static void _call_ctor_QGraphicsLineItem_Adaptor_5771 (const qt_gsi::GenericStat double arg2 = gsi::arg_reader() (args, heap); double arg3 = gsi::arg_reader() (args, heap); double arg4 = gsi::arg_reader() (args, heap); - QGraphicsItem *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsLineItem_Adaptor (arg1, arg2, arg3, arg4, arg5)); } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLinearLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLinearLayout.cc index 673eaae2ef..e197cfa18a 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLinearLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLinearLayout.cc @@ -713,7 +713,7 @@ QGraphicsLinearLayout_Adaptor::~QGraphicsLinearLayout_Adaptor() { } static void _init_ctor_QGraphicsLinearLayout_Adaptor_2557 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -722,7 +722,7 @@ static void _call_ctor_QGraphicsLinearLayout_Adaptor_2557 (const qt_gsi::Generic { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsLayoutItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsLayoutItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsLinearLayout_Adaptor (arg1)); } @@ -733,7 +733,7 @@ static void _init_ctor_QGraphicsLinearLayout_Adaptor_4362 (qt_gsi::GenericStatic { static gsi::ArgSpecBase argspec_0 ("orientation"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -743,7 +743,7 @@ static void _call_ctor_QGraphicsLinearLayout_Adaptor_4362 (const qt_gsi::Generic __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - QGraphicsLayoutItem *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsLayoutItem *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsLinearLayout_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2)); } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsObject.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsObject.cc index 2d011c324a..4de03c832d 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsObject.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsObject.cc @@ -432,18 +432,18 @@ class QGraphicsObject_Adaptor : public QGraphicsObject, public qt_gsi::QtObjectB emit QGraphicsObject::enabledChanged(); } - // [adaptor impl] bool QGraphicsObject::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QGraphicsObject::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QGraphicsObject::eventFilter(arg1, arg2); + return QGraphicsObject::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QGraphicsObject_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QGraphicsObject_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QGraphicsObject::eventFilter(arg1, arg2); + return QGraphicsObject::eventFilter(watched, event); } } @@ -592,18 +592,18 @@ class QGraphicsObject_Adaptor : public QGraphicsObject, public qt_gsi::QtObjectB emit QGraphicsObject::zChanged(); } - // [adaptor impl] void QGraphicsObject::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGraphicsObject::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGraphicsObject::childEvent(arg1); + QGraphicsObject::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGraphicsObject_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGraphicsObject_Adaptor::cbs_childEvent_1701_0, event); } else { - QGraphicsObject::childEvent(arg1); + QGraphicsObject::childEvent(event); } } @@ -622,18 +622,18 @@ class QGraphicsObject_Adaptor : public QGraphicsObject, public qt_gsi::QtObjectB } } - // [adaptor impl] void QGraphicsObject::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGraphicsObject::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGraphicsObject::customEvent(arg1); + QGraphicsObject::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGraphicsObject_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGraphicsObject_Adaptor::cbs_customEvent_1217_0, event); } else { - QGraphicsObject::customEvent(arg1); + QGraphicsObject::customEvent(event); } } @@ -1012,18 +1012,18 @@ class QGraphicsObject_Adaptor : public QGraphicsObject, public qt_gsi::QtObjectB } } - // [adaptor impl] void QGraphicsObject::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGraphicsObject::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGraphicsObject::timerEvent(arg1); + QGraphicsObject::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGraphicsObject_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGraphicsObject_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGraphicsObject::timerEvent(arg1); + QGraphicsObject::timerEvent(event); } } @@ -1091,7 +1091,7 @@ QGraphicsObject_Adaptor::~QGraphicsObject_Adaptor() { } static void _init_ctor_QGraphicsObject_Adaptor_1919 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1100,7 +1100,7 @@ static void _call_ctor_QGraphicsObject_Adaptor_1919 (const qt_gsi::GenericStatic { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsObject_Adaptor (arg1)); } @@ -1163,11 +1163,11 @@ static void _set_callback_cbs_boundingRect_c0_0 (void *cls, const gsi::Callback } -// void QGraphicsObject::childEvent(QChildEvent *) +// void QGraphicsObject::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1300,11 +1300,11 @@ static void _set_callback_cbs_contextMenuEvent_3674_0 (void *cls, const gsi::Cal } -// void QGraphicsObject::customEvent(QEvent *) +// void QGraphicsObject::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1328,7 +1328,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1337,7 +1337,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGraphicsObject_Adaptor *)cls)->emitter_QGraphicsObject_destroyed_1302 (arg1); } @@ -1499,13 +1499,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QGraphicsObject::eventFilter(QObject *, QEvent *) +// bool QGraphicsObject::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2257,11 +2257,11 @@ static void _set_callback_cbs_supportsExtension_c2806_0 (void *cls, const gsi::C } -// void QGraphicsObject::timerEvent(QTimerEvent *) +// void QGraphicsObject::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2422,7 +2422,7 @@ static gsi::Methods methods_QGraphicsObject_Adaptor () { methods += new qt_gsi::GenericMethod ("advance", "@hide", false, &_init_cbs_advance_767_0, &_call_cbs_advance_767_0, &_set_callback_cbs_advance_767_0); methods += new qt_gsi::GenericMethod ("boundingRect", "@brief Virtual method QRectF QGraphicsObject::boundingRect()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_boundingRect_c0_0, &_call_cbs_boundingRect_c0_0); methods += new qt_gsi::GenericMethod ("boundingRect", "@hide", true, &_init_cbs_boundingRect_c0_0, &_call_cbs_boundingRect_c0_0, &_set_callback_cbs_boundingRect_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsObject::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsObject::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_childrenChanged", "@brief Emitter for signal void QGraphicsObject::childrenChanged()\nCall this method to emit this signal.", false, &_init_emitter_childrenChanged_0, &_call_emitter_childrenChanged_0); methods += new qt_gsi::GenericMethod ("collidesWithItem", "@brief Virtual method bool QGraphicsObject::collidesWithItem(const QGraphicsItem *other, Qt::ItemSelectionMode mode)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_collidesWithItem_c4977_1, &_call_cbs_collidesWithItem_c4977_1); @@ -2433,7 +2433,7 @@ static gsi::Methods methods_QGraphicsObject_Adaptor () { methods += new qt_gsi::GenericMethod ("contains", "@hide", true, &_init_cbs_contains_c1986_0, &_call_cbs_contains_c1986_0, &_set_callback_cbs_contains_c1986_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QGraphicsObject::contextMenuEvent(QGraphicsSceneContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_3674_0, &_call_cbs_contextMenuEvent_3674_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_3674_0, &_call_cbs_contextMenuEvent_3674_0, &_set_callback_cbs_contextMenuEvent_3674_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsObject::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsObject::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGraphicsObject::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsObject::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -2449,7 +2449,7 @@ static gsi::Methods methods_QGraphicsObject_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_enabledChanged", "@brief Emitter for signal void QGraphicsObject::enabledChanged()\nCall this method to emit this signal.", false, &_init_emitter_enabledChanged_0, &_call_emitter_enabledChanged_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QGraphicsObject::event(QEvent *ev)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsObject::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsObject::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*extension", "@brief Virtual method QVariant QGraphicsObject::extension(const QVariant &variant)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_extension_c2119_0, &_call_cbs_extension_c2119_0); methods += new qt_gsi::GenericMethod ("*extension", "@hide", true, &_init_cbs_extension_c2119_0, &_call_cbs_extension_c2119_0, &_set_callback_cbs_extension_c2119_0); @@ -2509,7 +2509,7 @@ static gsi::Methods methods_QGraphicsObject_Adaptor () { methods += new qt_gsi::GenericMethod ("shape", "@hide", true, &_init_cbs_shape_c0_0, &_call_cbs_shape_c0_0, &_set_callback_cbs_shape_c0_0); methods += new qt_gsi::GenericMethod ("*supportsExtension", "@brief Virtual method bool QGraphicsObject::supportsExtension(QGraphicsItem::Extension extension)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportsExtension_c2806_0, &_call_cbs_supportsExtension_c2806_0); methods += new qt_gsi::GenericMethod ("*supportsExtension", "@hide", true, &_init_cbs_supportsExtension_c2806_0, &_call_cbs_supportsExtension_c2806_0, &_set_callback_cbs_supportsExtension_c2806_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsObject::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsObject::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("type", "@brief Virtual method int QGraphicsObject::type()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_type_c0_0, &_call_cbs_type_c0_0); methods += new qt_gsi::GenericMethod ("type", "@hide", true, &_init_cbs_type_c0_0, &_call_cbs_type_c0_0, &_set_callback_cbs_type_c0_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsOpacityEffect.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsOpacityEffect.cc index cabb2845ee..9849f72418 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsOpacityEffect.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsOpacityEffect.cc @@ -300,33 +300,33 @@ class QGraphicsOpacityEffect_Adaptor : public QGraphicsOpacityEffect, public qt_ emit QGraphicsOpacityEffect::enabledChanged(enabled); } - // [adaptor impl] bool QGraphicsOpacityEffect::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QGraphicsOpacityEffect::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QGraphicsOpacityEffect::event(arg1); + return QGraphicsOpacityEffect::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QGraphicsOpacityEffect_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QGraphicsOpacityEffect_Adaptor::cbs_event_1217_0, _event); } else { - return QGraphicsOpacityEffect::event(arg1); + return QGraphicsOpacityEffect::event(_event); } } - // [adaptor impl] bool QGraphicsOpacityEffect::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QGraphicsOpacityEffect::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QGraphicsOpacityEffect::eventFilter(arg1, arg2); + return QGraphicsOpacityEffect::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QGraphicsOpacityEffect_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QGraphicsOpacityEffect_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QGraphicsOpacityEffect::eventFilter(arg1, arg2); + return QGraphicsOpacityEffect::eventFilter(watched, event); } } @@ -349,33 +349,33 @@ class QGraphicsOpacityEffect_Adaptor : public QGraphicsOpacityEffect, public qt_ emit QGraphicsOpacityEffect::opacityMaskChanged(mask); } - // [adaptor impl] void QGraphicsOpacityEffect::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGraphicsOpacityEffect::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGraphicsOpacityEffect::childEvent(arg1); + QGraphicsOpacityEffect::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGraphicsOpacityEffect_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGraphicsOpacityEffect_Adaptor::cbs_childEvent_1701_0, event); } else { - QGraphicsOpacityEffect::childEvent(arg1); + QGraphicsOpacityEffect::childEvent(event); } } - // [adaptor impl] void QGraphicsOpacityEffect::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGraphicsOpacityEffect::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGraphicsOpacityEffect::customEvent(arg1); + QGraphicsOpacityEffect::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGraphicsOpacityEffect_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGraphicsOpacityEffect_Adaptor::cbs_customEvent_1217_0, event); } else { - QGraphicsOpacityEffect::customEvent(arg1); + QGraphicsOpacityEffect::customEvent(event); } } @@ -424,18 +424,18 @@ class QGraphicsOpacityEffect_Adaptor : public QGraphicsOpacityEffect, public qt_ } } - // [adaptor impl] void QGraphicsOpacityEffect::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGraphicsOpacityEffect::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGraphicsOpacityEffect::timerEvent(arg1); + QGraphicsOpacityEffect::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGraphicsOpacityEffect_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGraphicsOpacityEffect_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGraphicsOpacityEffect::timerEvent(arg1); + QGraphicsOpacityEffect::timerEvent(event); } } @@ -456,7 +456,7 @@ QGraphicsOpacityEffect_Adaptor::~QGraphicsOpacityEffect_Adaptor() { } static void _init_ctor_QGraphicsOpacityEffect_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -465,7 +465,7 @@ static void _call_ctor_QGraphicsOpacityEffect_Adaptor_1302 (const qt_gsi::Generi { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsOpacityEffect_Adaptor (arg1)); } @@ -493,11 +493,11 @@ static void _set_callback_cbs_boundingRectFor_c1862_0 (void *cls, const gsi::Cal } -// void QGraphicsOpacityEffect::childEvent(QChildEvent *) +// void QGraphicsOpacityEffect::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -517,11 +517,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QGraphicsOpacityEffect::customEvent(QEvent *) +// void QGraphicsOpacityEffect::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -545,7 +545,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -554,7 +554,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGraphicsOpacityEffect_Adaptor *)cls)->emitter_QGraphicsOpacityEffect_destroyed_1302 (arg1); } @@ -644,11 +644,11 @@ static void _call_emitter_enabledChanged_864 (const qt_gsi::GenericMethod * /*de } -// bool QGraphicsOpacityEffect::event(QEvent *) +// bool QGraphicsOpacityEffect::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -667,13 +667,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QGraphicsOpacityEffect::eventFilter(QObject *, QEvent *) +// bool QGraphicsOpacityEffect::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -873,7 +873,7 @@ static void _init_fp_sourcePixmap_c6763 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("system", true, "Qt::LogicalCoordinates"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("offset", true, "0"); + static gsi::ArgSpecBase argspec_1 ("offset", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("mode", true, "QGraphicsEffect::PadToEffectiveBoundingRect"); decl->add_arg::target_type & > (argspec_2); @@ -885,17 +885,17 @@ static void _call_fp_sourcePixmap_c6763 (const qt_gsi::GenericMethod * /*decl*/, __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::LogicalCoordinates), heap); - QPoint *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QPoint *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const qt_gsi::Converter::target_type & arg3 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QGraphicsEffect::PadToEffectiveBoundingRect), heap); ret.write ((QPixmap)((QGraphicsOpacityEffect_Adaptor *)cls)->fp_QGraphicsOpacityEffect_sourcePixmap_c6763 (arg1, arg2, arg3)); } -// void QGraphicsOpacityEffect::timerEvent(QTimerEvent *) +// void QGraphicsOpacityEffect::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -940,9 +940,9 @@ static gsi::Methods methods_QGraphicsOpacityEffect_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QGraphicsOpacityEffect::QGraphicsOpacityEffect(QObject *parent)\nThis method creates an object of class QGraphicsOpacityEffect.", &_init_ctor_QGraphicsOpacityEffect_Adaptor_1302, &_call_ctor_QGraphicsOpacityEffect_Adaptor_1302); methods += new qt_gsi::GenericMethod ("boundingRectFor", "@brief Virtual method QRectF QGraphicsOpacityEffect::boundingRectFor(const QRectF &sourceRect)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_boundingRectFor_c1862_0, &_call_cbs_boundingRectFor_c1862_0); methods += new qt_gsi::GenericMethod ("boundingRectFor", "@hide", true, &_init_cbs_boundingRectFor_c1862_0, &_call_cbs_boundingRectFor_c1862_0, &_set_callback_cbs_boundingRectFor_c1862_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsOpacityEffect::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsOpacityEffect::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsOpacityEffect::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsOpacityEffect::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGraphicsOpacityEffect::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsOpacityEffect::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -951,9 +951,9 @@ static gsi::Methods methods_QGraphicsOpacityEffect_Adaptor () { methods += new qt_gsi::GenericMethod ("*draw", "@hide", false, &_init_cbs_draw_1426_0, &_call_cbs_draw_1426_0, &_set_callback_cbs_draw_1426_0); methods += new qt_gsi::GenericMethod ("*drawSource", "@brief Method void QGraphicsOpacityEffect::drawSource(QPainter *painter)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_drawSource_1426, &_call_fp_drawSource_1426); methods += new qt_gsi::GenericMethod ("emit_enabledChanged", "@brief Emitter for signal void QGraphicsOpacityEffect::enabledChanged(bool enabled)\nCall this method to emit this signal.", false, &_init_emitter_enabledChanged_864, &_call_emitter_enabledChanged_864); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGraphicsOpacityEffect::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGraphicsOpacityEffect::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsOpacityEffect::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsOpacityEffect::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QGraphicsOpacityEffect::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QGraphicsOpacityEffect::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); @@ -967,7 +967,7 @@ static gsi::Methods methods_QGraphicsOpacityEffect_Adaptor () { methods += new qt_gsi::GenericMethod ("*sourceChanged", "@hide", false, &_init_cbs_sourceChanged_3695_0, &_call_cbs_sourceChanged_3695_0, &_set_callback_cbs_sourceChanged_3695_0); methods += new qt_gsi::GenericMethod ("*sourceIsPixmap", "@brief Method bool QGraphicsOpacityEffect::sourceIsPixmap()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sourceIsPixmap_c0, &_call_fp_sourceIsPixmap_c0); methods += new qt_gsi::GenericMethod ("*sourcePixmap", "@brief Method QPixmap QGraphicsOpacityEffect::sourcePixmap(Qt::CoordinateSystem system, QPoint *offset, QGraphicsEffect::PixmapPadMode mode)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sourcePixmap_c6763, &_call_fp_sourcePixmap_c6763); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsOpacityEffect::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsOpacityEffect::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateBoundingRect", "@brief Method void QGraphicsOpacityEffect::updateBoundingRect()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateBoundingRect_0, &_call_fp_updateBoundingRect_0); return methods; diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPathItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPathItem.cc index 0fedf8f42d..a16182d92c 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPathItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPathItem.cc @@ -141,7 +141,7 @@ static void _init_f_paint_6301 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("option"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_2 ("widget", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -152,7 +152,7 @@ static void _call_f_paint_6301 (const qt_gsi::GenericMethod * /*decl*/, void *cl tl::Heap heap; QPainter *arg1 = gsi::arg_reader() (args, heap); const QStyleOptionGraphicsItem *arg2 = gsi::arg_reader() (args, heap); - QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QGraphicsPathItem *)cls)->paint (arg1, arg2, arg3); } @@ -869,7 +869,7 @@ QGraphicsPathItem_Adaptor::~QGraphicsPathItem_Adaptor() { } static void _init_ctor_QGraphicsPathItem_Adaptor_1919 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -878,7 +878,7 @@ static void _call_ctor_QGraphicsPathItem_Adaptor_1919 (const qt_gsi::GenericStat { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsPathItem_Adaptor (arg1)); } @@ -889,7 +889,7 @@ static void _init_ctor_QGraphicsPathItem_Adaptor_4325 (qt_gsi::GenericStaticMeth { static gsi::ArgSpecBase argspec_0 ("path"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -899,7 +899,7 @@ static void _call_ctor_QGraphicsPathItem_Adaptor_4325 (const qt_gsi::GenericStat __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QPainterPath &arg1 = gsi::arg_reader() (args, heap); - QGraphicsItem *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsPathItem_Adaptor (arg1, arg2)); } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPixmapItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPixmapItem.cc index 38a23cefc8..654ca287be 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPixmapItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPixmapItem.cc @@ -1003,7 +1003,7 @@ QGraphicsPixmapItem_Adaptor::~QGraphicsPixmapItem_Adaptor() { } static void _init_ctor_QGraphicsPixmapItem_Adaptor_1919 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1012,7 +1012,7 @@ static void _call_ctor_QGraphicsPixmapItem_Adaptor_1919 (const qt_gsi::GenericSt { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsPixmapItem_Adaptor (arg1)); } @@ -1023,7 +1023,7 @@ static void _init_ctor_QGraphicsPixmapItem_Adaptor_3828 (qt_gsi::GenericStaticMe { static gsi::ArgSpecBase argspec_0 ("pixmap"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1033,7 +1033,7 @@ static void _call_ctor_QGraphicsPixmapItem_Adaptor_3828 (const qt_gsi::GenericSt __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QPixmap &arg1 = gsi::arg_reader() (args, heap); - QGraphicsItem *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsPixmapItem_Adaptor (arg1, arg2)); } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPolygonItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPolygonItem.cc index 82402aa856..0e6cb3fb25 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPolygonItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPolygonItem.cc @@ -156,7 +156,7 @@ static void _init_f_paint_6301 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("option"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_2 ("widget", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -167,7 +167,7 @@ static void _call_f_paint_6301 (const qt_gsi::GenericMethod * /*decl*/, void *cl tl::Heap heap; QPainter *arg1 = gsi::arg_reader() (args, heap); const QStyleOptionGraphicsItem *arg2 = gsi::arg_reader() (args, heap); - QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QGraphicsPolygonItem *)cls)->paint (arg1, arg2, arg3); } @@ -906,7 +906,7 @@ QGraphicsPolygonItem_Adaptor::~QGraphicsPolygonItem_Adaptor() { } static void _init_ctor_QGraphicsPolygonItem_Adaptor_1919 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -915,7 +915,7 @@ static void _call_ctor_QGraphicsPolygonItem_Adaptor_1919 (const qt_gsi::GenericS { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsPolygonItem_Adaptor (arg1)); } @@ -926,7 +926,7 @@ static void _init_ctor_QGraphicsPolygonItem_Adaptor_4019 (qt_gsi::GenericStaticM { static gsi::ArgSpecBase argspec_0 ("polygon"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -936,7 +936,7 @@ static void _call_ctor_QGraphicsPolygonItem_Adaptor_4019 (const qt_gsi::GenericS __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QPolygonF &arg1 = gsi::arg_reader() (args, heap); - QGraphicsItem *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsPolygonItem_Adaptor (arg1, arg2)); } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsProxyWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsProxyWidget.cc index 9b9f900488..d2b95f5dac 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsProxyWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsProxyWidget.cc @@ -710,18 +710,18 @@ class QGraphicsProxyWidget_Adaptor : public QGraphicsProxyWidget, public qt_gsi: } } - // [adaptor impl] void QGraphicsProxyWidget::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGraphicsProxyWidget::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGraphicsProxyWidget::childEvent(arg1); + QGraphicsProxyWidget::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGraphicsProxyWidget_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGraphicsProxyWidget_Adaptor::cbs_childEvent_1701_0, event); } else { - QGraphicsProxyWidget::childEvent(arg1); + QGraphicsProxyWidget::childEvent(event); } } @@ -755,18 +755,18 @@ class QGraphicsProxyWidget_Adaptor : public QGraphicsProxyWidget, public qt_gsi: } } - // [adaptor impl] void QGraphicsProxyWidget::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGraphicsProxyWidget::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGraphicsProxyWidget::customEvent(arg1); + QGraphicsProxyWidget::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGraphicsProxyWidget_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGraphicsProxyWidget_Adaptor::cbs_customEvent_1217_0, event); } else { - QGraphicsProxyWidget::customEvent(arg1); + QGraphicsProxyWidget::customEvent(event); } } @@ -1325,18 +1325,18 @@ class QGraphicsProxyWidget_Adaptor : public QGraphicsProxyWidget, public qt_gsi: } } - // [adaptor impl] void QGraphicsProxyWidget::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGraphicsProxyWidget::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGraphicsProxyWidget::timerEvent(arg1); + QGraphicsProxyWidget::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGraphicsProxyWidget_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGraphicsProxyWidget_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGraphicsProxyWidget::timerEvent(arg1); + QGraphicsProxyWidget::timerEvent(event); } } @@ -1500,9 +1500,9 @@ QGraphicsProxyWidget_Adaptor::~QGraphicsProxyWidget_Adaptor() { } static void _init_ctor_QGraphicsProxyWidget_Adaptor_4306 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("wFlags", true, "0"); + static gsi::ArgSpecBase argspec_1 ("wFlags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_1); decl->set_return_new (); } @@ -1511,8 +1511,8 @@ static void _call_ctor_QGraphicsProxyWidget_Adaptor_4306 (const qt_gsi::GenericS { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QGraphicsProxyWidget_Adaptor (arg1, arg2)); } @@ -1599,11 +1599,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QGraphicsProxyWidget::childEvent(QChildEvent *) +// void QGraphicsProxyWidget::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1760,11 +1760,11 @@ static void _set_callback_cbs_contextMenuEvent_3674_0 (void *cls, const gsi::Cal } -// void QGraphicsProxyWidget::customEvent(QEvent *) +// void QGraphicsProxyWidget::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1788,7 +1788,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1797,7 +1797,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGraphicsProxyWidget_Adaptor *)cls)->emitter_QGraphicsProxyWidget_destroyed_1302 (arg1); } @@ -3151,11 +3151,11 @@ static void _set_callback_cbs_supportsExtension_c2806_0 (void *cls, const gsi::C } -// void QGraphicsProxyWidget::timerEvent(QTimerEvent *) +// void QGraphicsProxyWidget::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3432,7 +3432,7 @@ static gsi::Methods methods_QGraphicsProxyWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("boundingRect", "@hide", true, &_init_cbs_boundingRect_c0_0, &_call_cbs_boundingRect_c0_0, &_set_callback_cbs_boundingRect_c0_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QGraphicsProxyWidget::changeEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsProxyWidget::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsProxyWidget::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_childrenChanged", "@brief Emitter for signal void QGraphicsProxyWidget::childrenChanged()\nCall this method to emit this signal.", false, &_init_emitter_childrenChanged_0, &_call_emitter_childrenChanged_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QGraphicsProxyWidget::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); @@ -3445,7 +3445,7 @@ static gsi::Methods methods_QGraphicsProxyWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("contains", "@hide", true, &_init_cbs_contains_c1986_0, &_call_cbs_contains_c1986_0, &_set_callback_cbs_contains_c1986_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QGraphicsProxyWidget::contextMenuEvent(QGraphicsSceneContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_3674_0, &_call_cbs_contextMenuEvent_3674_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_3674_0, &_call_cbs_contextMenuEvent_3674_0, &_set_callback_cbs_contextMenuEvent_3674_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsProxyWidget::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsProxyWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGraphicsProxyWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsProxyWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -3554,7 +3554,7 @@ static gsi::Methods methods_QGraphicsProxyWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*sizeHint", "@hide", true, &_init_cbs_sizeHint_c3330_1, &_call_cbs_sizeHint_c3330_1, &_set_callback_cbs_sizeHint_c3330_1); methods += new qt_gsi::GenericMethod ("*supportsExtension", "@brief Virtual method bool QGraphicsProxyWidget::supportsExtension(QGraphicsItem::Extension extension)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportsExtension_c2806_0, &_call_cbs_supportsExtension_c2806_0); methods += new qt_gsi::GenericMethod ("*supportsExtension", "@hide", true, &_init_cbs_supportsExtension_c2806_0, &_call_cbs_supportsExtension_c2806_0, &_set_callback_cbs_supportsExtension_c2806_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsProxyWidget::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsProxyWidget::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("type", "@brief Virtual method int QGraphicsProxyWidget::type()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_type_c0_0, &_call_cbs_type_c0_0); methods += new qt_gsi::GenericMethod ("type", "@hide", true, &_init_cbs_type_c0_0, &_call_cbs_type_c0_0, &_set_callback_cbs_type_c0_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsRectItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsRectItem.cc index 841edd9b20..5b9db46be1 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsRectItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsRectItem.cc @@ -141,7 +141,7 @@ static void _init_f_paint_6301 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("option"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_2 ("widget", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -152,7 +152,7 @@ static void _call_f_paint_6301 (const qt_gsi::GenericMethod * /*decl*/, void *cl tl::Heap heap; QPainter *arg1 = gsi::arg_reader() (args, heap); const QStyleOptionGraphicsItem *arg2 = gsi::arg_reader() (args, heap); - QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QGraphicsRectItem *)cls)->paint (arg1, arg2, arg3); } @@ -911,7 +911,7 @@ QGraphicsRectItem_Adaptor::~QGraphicsRectItem_Adaptor() { } static void _init_ctor_QGraphicsRectItem_Adaptor_1919 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -920,7 +920,7 @@ static void _call_ctor_QGraphicsRectItem_Adaptor_1919 (const qt_gsi::GenericStat { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsRectItem_Adaptor (arg1)); } @@ -931,7 +931,7 @@ static void _init_ctor_QGraphicsRectItem_Adaptor_3673 (qt_gsi::GenericStaticMeth { static gsi::ArgSpecBase argspec_0 ("rect"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -941,7 +941,7 @@ static void _call_ctor_QGraphicsRectItem_Adaptor_3673 (const qt_gsi::GenericStat __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QRectF &arg1 = gsi::arg_reader() (args, heap); - QGraphicsItem *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsRectItem_Adaptor (arg1, arg2)); } @@ -958,7 +958,7 @@ static void _init_ctor_QGraphicsRectItem_Adaptor_5771 (qt_gsi::GenericStaticMeth decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("h"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_4 ("parent", true, "nullptr"); decl->add_arg (argspec_4); decl->set_return_new (); } @@ -971,7 +971,7 @@ static void _call_ctor_QGraphicsRectItem_Adaptor_5771 (const qt_gsi::GenericStat double arg2 = gsi::arg_reader() (args, heap); double arg3 = gsi::arg_reader() (args, heap); double arg4 = gsi::arg_reader() (args, heap); - QGraphicsItem *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsRectItem_Adaptor (arg1, arg2, arg3, arg4, arg5)); } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsRotation.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsRotation.cc index e432d5c48a..ad564442a9 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsRotation.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsRotation.cc @@ -362,33 +362,33 @@ class QGraphicsRotation_Adaptor : public QGraphicsRotation, public qt_gsi::QtObj emit QGraphicsRotation::destroyed(arg1); } - // [adaptor impl] bool QGraphicsRotation::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QGraphicsRotation::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QGraphicsRotation::event(arg1); + return QGraphicsRotation::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QGraphicsRotation_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QGraphicsRotation_Adaptor::cbs_event_1217_0, _event); } else { - return QGraphicsRotation::event(arg1); + return QGraphicsRotation::event(_event); } } - // [adaptor impl] bool QGraphicsRotation::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QGraphicsRotation::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QGraphicsRotation::eventFilter(arg1, arg2); + return QGraphicsRotation::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QGraphicsRotation_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QGraphicsRotation_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QGraphicsRotation::eventFilter(arg1, arg2); + return QGraphicsRotation::eventFilter(watched, event); } } @@ -405,33 +405,33 @@ class QGraphicsRotation_Adaptor : public QGraphicsRotation, public qt_gsi::QtObj emit QGraphicsRotation::originChanged(); } - // [adaptor impl] void QGraphicsRotation::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGraphicsRotation::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGraphicsRotation::childEvent(arg1); + QGraphicsRotation::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGraphicsRotation_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGraphicsRotation_Adaptor::cbs_childEvent_1701_0, event); } else { - QGraphicsRotation::childEvent(arg1); + QGraphicsRotation::childEvent(event); } } - // [adaptor impl] void QGraphicsRotation::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGraphicsRotation::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGraphicsRotation::customEvent(arg1); + QGraphicsRotation::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGraphicsRotation_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGraphicsRotation_Adaptor::cbs_customEvent_1217_0, event); } else { - QGraphicsRotation::customEvent(arg1); + QGraphicsRotation::customEvent(event); } } @@ -450,18 +450,18 @@ class QGraphicsRotation_Adaptor : public QGraphicsRotation, public qt_gsi::QtObj } } - // [adaptor impl] void QGraphicsRotation::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGraphicsRotation::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGraphicsRotation::timerEvent(arg1); + QGraphicsRotation::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGraphicsRotation_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGraphicsRotation_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGraphicsRotation::timerEvent(arg1); + QGraphicsRotation::timerEvent(event); } } @@ -480,7 +480,7 @@ QGraphicsRotation_Adaptor::~QGraphicsRotation_Adaptor() { } static void _init_ctor_QGraphicsRotation_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -489,7 +489,7 @@ static void _call_ctor_QGraphicsRotation_Adaptor_1302 (const qt_gsi::GenericStat { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsRotation_Adaptor (arg1)); } @@ -546,11 +546,11 @@ static void _call_emitter_axisChanged_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QGraphicsRotation::childEvent(QChildEvent *) +// void QGraphicsRotation::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -570,11 +570,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QGraphicsRotation::customEvent(QEvent *) +// void QGraphicsRotation::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -598,7 +598,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -607,7 +607,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGraphicsRotation_Adaptor *)cls)->emitter_QGraphicsRotation_destroyed_1302 (arg1); } @@ -636,11 +636,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QGraphicsRotation::event(QEvent *) +// bool QGraphicsRotation::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -659,13 +659,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QGraphicsRotation::eventFilter(QObject *, QEvent *) +// bool QGraphicsRotation::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -781,11 +781,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QGraphicsRotation::timerEvent(QTimerEvent *) +// void QGraphicsRotation::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -832,16 +832,16 @@ static gsi::Methods methods_QGraphicsRotation_Adaptor () { methods += new qt_gsi::GenericMethod ("applyTo", "@brief Virtual method void QGraphicsRotation::applyTo(QMatrix4x4 *matrix)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_applyTo_c1556_0, &_call_cbs_applyTo_c1556_0); methods += new qt_gsi::GenericMethod ("applyTo", "@hide", true, &_init_cbs_applyTo_c1556_0, &_call_cbs_applyTo_c1556_0, &_set_callback_cbs_applyTo_c1556_0); methods += new qt_gsi::GenericMethod ("emit_axisChanged", "@brief Emitter for signal void QGraphicsRotation::axisChanged()\nCall this method to emit this signal.", false, &_init_emitter_axisChanged_0, &_call_emitter_axisChanged_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsRotation::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsRotation::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsRotation::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsRotation::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGraphicsRotation::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsRotation::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGraphicsRotation::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGraphicsRotation::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsRotation::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsRotation::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QGraphicsRotation::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QGraphicsRotation::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); @@ -849,7 +849,7 @@ static gsi::Methods methods_QGraphicsRotation_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QGraphicsRotation::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QGraphicsRotation::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QGraphicsRotation::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsRotation::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsRotation::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*update", "@brief Method void QGraphicsRotation::update()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_update_0, &_call_fp_update_0); return methods; diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScale.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScale.cc index fefb1a03b0..2e5ba8e608 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScale.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScale.cc @@ -368,33 +368,33 @@ class QGraphicsScale_Adaptor : public QGraphicsScale, public qt_gsi::QtObjectBas emit QGraphicsScale::destroyed(arg1); } - // [adaptor impl] bool QGraphicsScale::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QGraphicsScale::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QGraphicsScale::event(arg1); + return QGraphicsScale::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QGraphicsScale_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QGraphicsScale_Adaptor::cbs_event_1217_0, _event); } else { - return QGraphicsScale::event(arg1); + return QGraphicsScale::event(_event); } } - // [adaptor impl] bool QGraphicsScale::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QGraphicsScale::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QGraphicsScale::eventFilter(arg1, arg2); + return QGraphicsScale::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QGraphicsScale_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QGraphicsScale_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QGraphicsScale::eventFilter(arg1, arg2); + return QGraphicsScale::eventFilter(watched, event); } } @@ -435,33 +435,33 @@ class QGraphicsScale_Adaptor : public QGraphicsScale, public qt_gsi::QtObjectBas emit QGraphicsScale::zScaleChanged(); } - // [adaptor impl] void QGraphicsScale::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGraphicsScale::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGraphicsScale::childEvent(arg1); + QGraphicsScale::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGraphicsScale_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGraphicsScale_Adaptor::cbs_childEvent_1701_0, event); } else { - QGraphicsScale::childEvent(arg1); + QGraphicsScale::childEvent(event); } } - // [adaptor impl] void QGraphicsScale::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGraphicsScale::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGraphicsScale::customEvent(arg1); + QGraphicsScale::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGraphicsScale_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGraphicsScale_Adaptor::cbs_customEvent_1217_0, event); } else { - QGraphicsScale::customEvent(arg1); + QGraphicsScale::customEvent(event); } } @@ -480,18 +480,18 @@ class QGraphicsScale_Adaptor : public QGraphicsScale, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QGraphicsScale::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGraphicsScale::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGraphicsScale::timerEvent(arg1); + QGraphicsScale::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGraphicsScale_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGraphicsScale_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGraphicsScale::timerEvent(arg1); + QGraphicsScale::timerEvent(event); } } @@ -510,7 +510,7 @@ QGraphicsScale_Adaptor::~QGraphicsScale_Adaptor() { } static void _init_ctor_QGraphicsScale_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -519,7 +519,7 @@ static void _call_ctor_QGraphicsScale_Adaptor_1302 (const qt_gsi::GenericStaticM { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsScale_Adaptor (arg1)); } @@ -548,11 +548,11 @@ static void _set_callback_cbs_applyTo_c1556_0 (void *cls, const gsi::Callback &c } -// void QGraphicsScale::childEvent(QChildEvent *) +// void QGraphicsScale::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -572,11 +572,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QGraphicsScale::customEvent(QEvent *) +// void QGraphicsScale::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -600,7 +600,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -609,7 +609,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGraphicsScale_Adaptor *)cls)->emitter_QGraphicsScale_destroyed_1302 (arg1); } @@ -638,11 +638,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QGraphicsScale::event(QEvent *) +// bool QGraphicsScale::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -661,13 +661,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QGraphicsScale::eventFilter(QObject *, QEvent *) +// bool QGraphicsScale::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -797,11 +797,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QGraphicsScale::timerEvent(QTimerEvent *) +// void QGraphicsScale::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -888,16 +888,16 @@ static gsi::Methods methods_QGraphicsScale_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QGraphicsScale::QGraphicsScale(QObject *parent)\nThis method creates an object of class QGraphicsScale.", &_init_ctor_QGraphicsScale_Adaptor_1302, &_call_ctor_QGraphicsScale_Adaptor_1302); methods += new qt_gsi::GenericMethod ("applyTo", "@brief Virtual method void QGraphicsScale::applyTo(QMatrix4x4 *matrix)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_applyTo_c1556_0, &_call_cbs_applyTo_c1556_0); methods += new qt_gsi::GenericMethod ("applyTo", "@hide", true, &_init_cbs_applyTo_c1556_0, &_call_cbs_applyTo_c1556_0, &_set_callback_cbs_applyTo_c1556_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsScale::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsScale::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsScale::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsScale::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGraphicsScale::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsScale::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGraphicsScale::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGraphicsScale::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsScale::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsScale::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QGraphicsScale::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QGraphicsScale::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); @@ -906,7 +906,7 @@ static gsi::Methods methods_QGraphicsScale_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_scaleChanged", "@brief Emitter for signal void QGraphicsScale::scaleChanged()\nCall this method to emit this signal.", false, &_init_emitter_scaleChanged_0, &_call_emitter_scaleChanged_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QGraphicsScale::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QGraphicsScale::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsScale::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsScale::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*update", "@brief Method void QGraphicsScale::update()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_update_0, &_call_fp_update_0); methods += new qt_gsi::GenericMethod ("emit_xScaleChanged", "@brief Emitter for signal void QGraphicsScale::xScaleChanged()\nCall this method to emit this signal.", false, &_init_emitter_xScaleChanged_0, &_call_emitter_xScaleChanged_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScene.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScene.cc index 5a812b9d08..1bdd598a81 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScene.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScene.cc @@ -409,7 +409,7 @@ static void _init_f_addWidget_3702 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("widget"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("wFlags", true, "0"); + static gsi::ArgSpecBase argspec_1 ("wFlags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_1); decl->set_return (); } @@ -419,7 +419,7 @@ static void _call_f_addWidget_3702 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write ((QGraphicsProxyWidget *)((QGraphicsScene *)cls)->addWidget (arg1, arg2)); } @@ -594,6 +594,21 @@ static void _call_f_focusItem_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } +// bool QGraphicsScene::focusOnTouch() + + +static void _init_f_focusOnTouch_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_focusOnTouch_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QGraphicsScene *)cls)->focusOnTouch ()); +} + + // QFont QGraphicsScene::font() @@ -1287,6 +1302,26 @@ static void _call_f_setFocusItem_3688 (const qt_gsi::GenericMethod * /*decl*/, v } +// void QGraphicsScene::setFocusOnTouch(bool enabled) + + +static void _init_f_setFocusOnTouch_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("enabled"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setFocusOnTouch_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QGraphicsScene *)cls)->setFocusOnTouch (arg1); +} + + // void QGraphicsScene::setFont(const QFont &font) @@ -1764,6 +1799,7 @@ static gsi::Methods methods_QGraphicsScene () { methods += new qt_gsi::GenericMethod ("createItemGroup", "@brief Method QGraphicsItemGroup *QGraphicsScene::createItemGroup(const QList &items)\n", false, &_init_f_createItemGroup_3411, &_call_f_createItemGroup_3411); methods += new qt_gsi::GenericMethod ("destroyItemGroup", "@brief Method void QGraphicsScene::destroyItemGroup(QGraphicsItemGroup *group)\n", false, &_init_f_destroyItemGroup_2444, &_call_f_destroyItemGroup_2444); methods += new qt_gsi::GenericMethod (":focusItem", "@brief Method QGraphicsItem *QGraphicsScene::focusItem()\n", true, &_init_f_focusItem_c0, &_call_f_focusItem_c0); + methods += new qt_gsi::GenericMethod ("focusOnTouch", "@brief Method bool QGraphicsScene::focusOnTouch()\n", true, &_init_f_focusOnTouch_c0, &_call_f_focusOnTouch_c0); methods += new qt_gsi::GenericMethod (":font", "@brief Method QFont QGraphicsScene::font()\n", true, &_init_f_font_c0, &_call_f_font_c0); methods += new qt_gsi::GenericMethod (":foregroundBrush", "@brief Method QBrush QGraphicsScene::foregroundBrush()\n", true, &_init_f_foregroundBrush_c0, &_call_f_foregroundBrush_c0); methods += new qt_gsi::GenericMethod ("hasFocus", "@brief Method bool QGraphicsScene::hasFocus()\n", true, &_init_f_hasFocus_c0, &_call_f_hasFocus_c0); @@ -1798,6 +1834,7 @@ static gsi::Methods methods_QGraphicsScene () { methods += new qt_gsi::GenericMethod ("setBspTreeDepth|bspTreeDepth=", "@brief Method void QGraphicsScene::setBspTreeDepth(int depth)\n", false, &_init_f_setBspTreeDepth_767, &_call_f_setBspTreeDepth_767); methods += new qt_gsi::GenericMethod ("setFocus", "@brief Method void QGraphicsScene::setFocus(Qt::FocusReason focusReason)\n", false, &_init_f_setFocus_1877, &_call_f_setFocus_1877); methods += new qt_gsi::GenericMethod ("setFocusItem", "@brief Method void QGraphicsScene::setFocusItem(QGraphicsItem *item, Qt::FocusReason focusReason)\n", false, &_init_f_setFocusItem_3688, &_call_f_setFocusItem_3688); + methods += new qt_gsi::GenericMethod ("setFocusOnTouch", "@brief Method void QGraphicsScene::setFocusOnTouch(bool enabled)\n", false, &_init_f_setFocusOnTouch_864, &_call_f_setFocusOnTouch_864); methods += new qt_gsi::GenericMethod ("setFont|font=", "@brief Method void QGraphicsScene::setFont(const QFont &font)\n", false, &_init_f_setFont_1801, &_call_f_setFont_1801); methods += new qt_gsi::GenericMethod ("setForegroundBrush|foregroundBrush=", "@brief Method void QGraphicsScene::setForegroundBrush(const QBrush &brush)\n", false, &_init_f_setForegroundBrush_1910, &_call_f_setForegroundBrush_1910); methods += new qt_gsi::GenericMethod ("setItemIndexMethod|itemIndexMethod=", "@brief Method void QGraphicsScene::setItemIndexMethod(QGraphicsScene::ItemIndexMethod method)\n", false, &_init_f_setItemIndexMethod_3456, &_call_f_setItemIndexMethod_3456); @@ -1958,18 +1995,18 @@ class QGraphicsScene_Adaptor : public QGraphicsScene, public qt_gsi::QtObjectBas emit QGraphicsScene::selectionChanged(); } - // [adaptor impl] void QGraphicsScene::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGraphicsScene::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGraphicsScene::childEvent(arg1); + QGraphicsScene::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGraphicsScene_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGraphicsScene_Adaptor::cbs_childEvent_1701_0, event); } else { - QGraphicsScene::childEvent(arg1); + QGraphicsScene::childEvent(event); } } @@ -1988,18 +2025,18 @@ class QGraphicsScene_Adaptor : public QGraphicsScene, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QGraphicsScene::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGraphicsScene::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGraphicsScene::customEvent(arg1); + QGraphicsScene::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGraphicsScene_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGraphicsScene_Adaptor::cbs_customEvent_1217_0, event); } else { - QGraphicsScene::customEvent(arg1); + QGraphicsScene::customEvent(event); } } @@ -2288,18 +2325,18 @@ class QGraphicsScene_Adaptor : public QGraphicsScene, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QGraphicsScene::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGraphicsScene::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGraphicsScene::timerEvent(arg1); + QGraphicsScene::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGraphicsScene_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGraphicsScene_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGraphicsScene::timerEvent(arg1); + QGraphicsScene::timerEvent(event); } } @@ -2351,7 +2388,7 @@ QGraphicsScene_Adaptor::~QGraphicsScene_Adaptor() { } static void _init_ctor_QGraphicsScene_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -2360,7 +2397,7 @@ static void _call_ctor_QGraphicsScene_Adaptor_1302 (const qt_gsi::GenericStaticM { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsScene_Adaptor (arg1)); } @@ -2371,7 +2408,7 @@ static void _init_ctor_QGraphicsScene_Adaptor_3056 (qt_gsi::GenericStaticMethod { static gsi::ArgSpecBase argspec_0 ("sceneRect"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -2381,7 +2418,7 @@ static void _call_ctor_QGraphicsScene_Adaptor_3056 (const qt_gsi::GenericStaticM __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QRectF &arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsScene_Adaptor (arg1, arg2)); } @@ -2398,7 +2435,7 @@ static void _init_ctor_QGraphicsScene_Adaptor_5154 (qt_gsi::GenericStaticMethod decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("height"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_4 ("parent", true, "nullptr"); decl->add_arg (argspec_4); decl->set_return_new (); } @@ -2411,7 +2448,7 @@ static void _call_ctor_QGraphicsScene_Adaptor_5154 (const qt_gsi::GenericStaticM double arg2 = gsi::arg_reader() (args, heap); double arg3 = gsi::arg_reader() (args, heap); double arg4 = gsi::arg_reader() (args, heap); - QObject *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsScene_Adaptor (arg1, arg2, arg3, arg4, arg5)); } @@ -2434,11 +2471,11 @@ static void _call_emitter_changed_2477 (const qt_gsi::GenericMethod * /*decl*/, } -// void QGraphicsScene::childEvent(QChildEvent *) +// void QGraphicsScene::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2482,11 +2519,11 @@ static void _set_callback_cbs_contextMenuEvent_3674_0 (void *cls, const gsi::Cal } -// void QGraphicsScene::customEvent(QEvent *) +// void QGraphicsScene::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2510,7 +2547,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2519,7 +2556,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGraphicsScene_Adaptor *)cls)->emitter_QGraphicsScene_destroyed_1302 (arg1); } @@ -3166,11 +3203,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QGraphicsScene::timerEvent(QTimerEvent *) +// void QGraphicsScene::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3225,11 +3262,11 @@ static gsi::Methods methods_QGraphicsScene_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QGraphicsScene::QGraphicsScene(const QRectF &sceneRect, QObject *parent)\nThis method creates an object of class QGraphicsScene.", &_init_ctor_QGraphicsScene_Adaptor_3056, &_call_ctor_QGraphicsScene_Adaptor_3056); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QGraphicsScene::QGraphicsScene(double x, double y, double width, double height, QObject *parent)\nThis method creates an object of class QGraphicsScene.", &_init_ctor_QGraphicsScene_Adaptor_5154, &_call_ctor_QGraphicsScene_Adaptor_5154); methods += new qt_gsi::GenericMethod ("emit_changed", "@brief Emitter for signal void QGraphicsScene::changed(const QList ®ion)\nCall this method to emit this signal.", false, &_init_emitter_changed_2477, &_call_emitter_changed_2477); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsScene::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsScene::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QGraphicsScene::contextMenuEvent(QGraphicsSceneContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_3674_0, &_call_cbs_contextMenuEvent_3674_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_3674_0, &_call_cbs_contextMenuEvent_3674_0, &_set_callback_cbs_contextMenuEvent_3674_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsScene::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsScene::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGraphicsScene::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsScene::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -3281,7 +3318,7 @@ static gsi::Methods methods_QGraphicsScene_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_selectionChanged", "@brief Emitter for signal void QGraphicsScene::selectionChanged()\nCall this method to emit this signal.", false, &_init_emitter_selectionChanged_0, &_call_emitter_selectionChanged_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QGraphicsScene::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QGraphicsScene::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsScene::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsScene::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QGraphicsScene::wheelEvent(QGraphicsSceneWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_3029_0, &_call_cbs_wheelEvent_3029_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_3029_0, &_call_cbs_wheelEvent_3029_0, &_set_callback_cbs_wheelEvent_3029_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSimpleTextItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSimpleTextItem.cc index 1fe717c272..b5d4daf07e 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSimpleTextItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSimpleTextItem.cc @@ -907,7 +907,7 @@ QGraphicsSimpleTextItem_Adaptor::~QGraphicsSimpleTextItem_Adaptor() { } static void _init_ctor_QGraphicsSimpleTextItem_Adaptor_1919 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -916,7 +916,7 @@ static void _call_ctor_QGraphicsSimpleTextItem_Adaptor_1919 (const qt_gsi::Gener { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsSimpleTextItem_Adaptor (arg1)); } @@ -927,7 +927,7 @@ static void _init_ctor_QGraphicsSimpleTextItem_Adaptor_3836 (qt_gsi::GenericStat { static gsi::ArgSpecBase argspec_0 ("text"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -937,7 +937,7 @@ static void _call_ctor_QGraphicsSimpleTextItem_Adaptor_3836 (const qt_gsi::Gener __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QGraphicsItem *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsSimpleTextItem_Adaptor (arg1, arg2)); } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsTextItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsTextItem.cc index 6030f35dff..16e9b5919b 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsTextItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsTextItem.cc @@ -853,18 +853,18 @@ class QGraphicsTextItem_Adaptor : public QGraphicsTextItem, public qt_gsi::QtObj emit QGraphicsTextItem::enabledChanged(); } - // [adaptor impl] bool QGraphicsTextItem::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QGraphicsTextItem::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QGraphicsTextItem::eventFilter(arg1, arg2); + return QGraphicsTextItem::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QGraphicsTextItem_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QGraphicsTextItem_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QGraphicsTextItem::eventFilter(arg1, arg2); + return QGraphicsTextItem::eventFilter(watched, event); } } @@ -1022,18 +1022,18 @@ class QGraphicsTextItem_Adaptor : public QGraphicsTextItem, public qt_gsi::QtObj emit QGraphicsTextItem::zChanged(); } - // [adaptor impl] void QGraphicsTextItem::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGraphicsTextItem::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGraphicsTextItem::childEvent(arg1); + QGraphicsTextItem::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGraphicsTextItem_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGraphicsTextItem_Adaptor::cbs_childEvent_1701_0, event); } else { - QGraphicsTextItem::childEvent(arg1); + QGraphicsTextItem::childEvent(event); } } @@ -1052,18 +1052,18 @@ class QGraphicsTextItem_Adaptor : public QGraphicsTextItem, public qt_gsi::QtObj } } - // [adaptor impl] void QGraphicsTextItem::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGraphicsTextItem::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGraphicsTextItem::customEvent(arg1); + QGraphicsTextItem::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGraphicsTextItem_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGraphicsTextItem_Adaptor::cbs_customEvent_1217_0, event); } else { - QGraphicsTextItem::customEvent(arg1); + QGraphicsTextItem::customEvent(event); } } @@ -1442,18 +1442,18 @@ class QGraphicsTextItem_Adaptor : public QGraphicsTextItem, public qt_gsi::QtObj } } - // [adaptor impl] void QGraphicsTextItem::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGraphicsTextItem::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGraphicsTextItem::timerEvent(arg1); + QGraphicsTextItem::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGraphicsTextItem_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGraphicsTextItem_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGraphicsTextItem::timerEvent(arg1); + QGraphicsTextItem::timerEvent(event); } } @@ -1521,7 +1521,7 @@ QGraphicsTextItem_Adaptor::~QGraphicsTextItem_Adaptor() { } static void _init_ctor_QGraphicsTextItem_Adaptor_1919 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1530,7 +1530,7 @@ static void _call_ctor_QGraphicsTextItem_Adaptor_1919 (const qt_gsi::GenericStat { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsTextItem_Adaptor (arg1)); } @@ -1541,7 +1541,7 @@ static void _init_ctor_QGraphicsTextItem_Adaptor_3836 (qt_gsi::GenericStaticMeth { static gsi::ArgSpecBase argspec_0 ("text"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1551,7 +1551,7 @@ static void _call_ctor_QGraphicsTextItem_Adaptor_3836 (const qt_gsi::GenericStat __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QGraphicsItem *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QGraphicsItem *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsTextItem_Adaptor (arg1, arg2)); } @@ -1614,11 +1614,11 @@ static void _set_callback_cbs_boundingRect_c0_0 (void *cls, const gsi::Callback } -// void QGraphicsTextItem::childEvent(QChildEvent *) +// void QGraphicsTextItem::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1751,11 +1751,11 @@ static void _set_callback_cbs_contextMenuEvent_3674_0 (void *cls, const gsi::Cal } -// void QGraphicsTextItem::customEvent(QEvent *) +// void QGraphicsTextItem::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1779,7 +1779,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1788,7 +1788,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGraphicsTextItem_Adaptor *)cls)->emitter_QGraphicsTextItem_destroyed_1302 (arg1); } @@ -1950,13 +1950,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QGraphicsTextItem::eventFilter(QObject *, QEvent *) +// bool QGraphicsTextItem::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2744,11 +2744,11 @@ static void _set_callback_cbs_supportsExtension_c2806_0 (void *cls, const gsi::C } -// void QGraphicsTextItem::timerEvent(QTimerEvent *) +// void QGraphicsTextItem::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2910,7 +2910,7 @@ static gsi::Methods methods_QGraphicsTextItem_Adaptor () { methods += new qt_gsi::GenericMethod ("advance", "@hide", false, &_init_cbs_advance_767_0, &_call_cbs_advance_767_0, &_set_callback_cbs_advance_767_0); methods += new qt_gsi::GenericMethod ("boundingRect", "@brief Virtual method QRectF QGraphicsTextItem::boundingRect()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_boundingRect_c0_0, &_call_cbs_boundingRect_c0_0); methods += new qt_gsi::GenericMethod ("boundingRect", "@hide", true, &_init_cbs_boundingRect_c0_0, &_call_cbs_boundingRect_c0_0, &_set_callback_cbs_boundingRect_c0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsTextItem::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsTextItem::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_childrenChanged", "@brief Emitter for signal void QGraphicsTextItem::childrenChanged()\nCall this method to emit this signal.", false, &_init_emitter_childrenChanged_0, &_call_emitter_childrenChanged_0); methods += new qt_gsi::GenericMethod ("collidesWithItem", "@brief Virtual method bool QGraphicsTextItem::collidesWithItem(const QGraphicsItem *other, Qt::ItemSelectionMode mode)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_collidesWithItem_c4977_1, &_call_cbs_collidesWithItem_c4977_1); @@ -2921,7 +2921,7 @@ static gsi::Methods methods_QGraphicsTextItem_Adaptor () { methods += new qt_gsi::GenericMethod ("contains", "@hide", true, &_init_cbs_contains_c1986_0, &_call_cbs_contains_c1986_0, &_set_callback_cbs_contains_c1986_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QGraphicsTextItem::contextMenuEvent(QGraphicsSceneContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_3674_0, &_call_cbs_contextMenuEvent_3674_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_3674_0, &_call_cbs_contextMenuEvent_3674_0, &_set_callback_cbs_contextMenuEvent_3674_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsTextItem::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsTextItem::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGraphicsTextItem::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsTextItem::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -2937,7 +2937,7 @@ static gsi::Methods methods_QGraphicsTextItem_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_enabledChanged", "@brief Emitter for signal void QGraphicsTextItem::enabledChanged()\nCall this method to emit this signal.", false, &_init_emitter_enabledChanged_0, &_call_emitter_enabledChanged_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QGraphicsTextItem::event(QEvent *ev)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsTextItem::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsTextItem::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*extension", "@brief Virtual method QVariant QGraphicsTextItem::extension(const QVariant &variant)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_extension_c2119_0, &_call_cbs_extension_c2119_0); methods += new qt_gsi::GenericMethod ("*extension", "@hide", true, &_init_cbs_extension_c2119_0, &_call_cbs_extension_c2119_0, &_set_callback_cbs_extension_c2119_0); @@ -2999,7 +2999,7 @@ static gsi::Methods methods_QGraphicsTextItem_Adaptor () { methods += new qt_gsi::GenericMethod ("shape", "@hide", true, &_init_cbs_shape_c0_0, &_call_cbs_shape_c0_0, &_set_callback_cbs_shape_c0_0); methods += new qt_gsi::GenericMethod ("*supportsExtension", "@brief Virtual method bool QGraphicsTextItem::supportsExtension(QGraphicsItem::Extension extension)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportsExtension_c2806_0, &_call_cbs_supportsExtension_c2806_0); methods += new qt_gsi::GenericMethod ("*supportsExtension", "@hide", true, &_init_cbs_supportsExtension_c2806_0, &_call_cbs_supportsExtension_c2806_0, &_set_callback_cbs_supportsExtension_c2806_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsTextItem::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsTextItem::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("type", "@brief Virtual method int QGraphicsTextItem::type()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_type_c0_0, &_call_cbs_type_c0_0); methods += new qt_gsi::GenericMethod ("type", "@hide", true, &_init_cbs_type_c0_0, &_call_cbs_type_c0_0, &_set_callback_cbs_type_c0_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsTransform.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsTransform.cc index 590ea84c74..12a3c08ef5 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsTransform.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsTransform.cc @@ -215,33 +215,33 @@ class QGraphicsTransform_Adaptor : public QGraphicsTransform, public qt_gsi::QtO emit QGraphicsTransform::destroyed(arg1); } - // [adaptor impl] bool QGraphicsTransform::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QGraphicsTransform::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QGraphicsTransform::event(arg1); + return QGraphicsTransform::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QGraphicsTransform_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QGraphicsTransform_Adaptor::cbs_event_1217_0, _event); } else { - return QGraphicsTransform::event(arg1); + return QGraphicsTransform::event(_event); } } - // [adaptor impl] bool QGraphicsTransform::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QGraphicsTransform::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QGraphicsTransform::eventFilter(arg1, arg2); + return QGraphicsTransform::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QGraphicsTransform_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QGraphicsTransform_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QGraphicsTransform::eventFilter(arg1, arg2); + return QGraphicsTransform::eventFilter(watched, event); } } @@ -252,33 +252,33 @@ class QGraphicsTransform_Adaptor : public QGraphicsTransform, public qt_gsi::QtO throw tl::Exception ("Can't emit private signal 'void QGraphicsTransform::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QGraphicsTransform::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGraphicsTransform::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGraphicsTransform::childEvent(arg1); + QGraphicsTransform::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGraphicsTransform_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGraphicsTransform_Adaptor::cbs_childEvent_1701_0, event); } else { - QGraphicsTransform::childEvent(arg1); + QGraphicsTransform::childEvent(event); } } - // [adaptor impl] void QGraphicsTransform::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGraphicsTransform::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGraphicsTransform::customEvent(arg1); + QGraphicsTransform::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGraphicsTransform_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGraphicsTransform_Adaptor::cbs_customEvent_1217_0, event); } else { - QGraphicsTransform::customEvent(arg1); + QGraphicsTransform::customEvent(event); } } @@ -297,18 +297,18 @@ class QGraphicsTransform_Adaptor : public QGraphicsTransform, public qt_gsi::QtO } } - // [adaptor impl] void QGraphicsTransform::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGraphicsTransform::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGraphicsTransform::timerEvent(arg1); + QGraphicsTransform::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGraphicsTransform_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGraphicsTransform_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGraphicsTransform::timerEvent(arg1); + QGraphicsTransform::timerEvent(event); } } @@ -327,7 +327,7 @@ QGraphicsTransform_Adaptor::~QGraphicsTransform_Adaptor() { } static void _init_ctor_QGraphicsTransform_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -336,7 +336,7 @@ static void _call_ctor_QGraphicsTransform_Adaptor_1302 (const qt_gsi::GenericSta { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsTransform_Adaptor (arg1)); } @@ -365,11 +365,11 @@ static void _set_callback_cbs_applyTo_c1556_0 (void *cls, const gsi::Callback &c } -// void QGraphicsTransform::childEvent(QChildEvent *) +// void QGraphicsTransform::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -389,11 +389,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QGraphicsTransform::customEvent(QEvent *) +// void QGraphicsTransform::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -417,7 +417,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -426,7 +426,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGraphicsTransform_Adaptor *)cls)->emitter_QGraphicsTransform_destroyed_1302 (arg1); } @@ -455,11 +455,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QGraphicsTransform::event(QEvent *) +// bool QGraphicsTransform::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -478,13 +478,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QGraphicsTransform::eventFilter(QObject *, QEvent *) +// bool QGraphicsTransform::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -586,11 +586,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QGraphicsTransform::timerEvent(QTimerEvent *) +// void QGraphicsTransform::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -635,23 +635,23 @@ static gsi::Methods methods_QGraphicsTransform_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QGraphicsTransform::QGraphicsTransform(QObject *parent)\nThis method creates an object of class QGraphicsTransform.", &_init_ctor_QGraphicsTransform_Adaptor_1302, &_call_ctor_QGraphicsTransform_Adaptor_1302); methods += new qt_gsi::GenericMethod ("applyTo", "@brief Virtual method void QGraphicsTransform::applyTo(QMatrix4x4 *matrix)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_applyTo_c1556_0, &_call_cbs_applyTo_c1556_0); methods += new qt_gsi::GenericMethod ("applyTo", "@hide", true, &_init_cbs_applyTo_c1556_0, &_call_cbs_applyTo_c1556_0, &_set_callback_cbs_applyTo_c1556_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsTransform::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsTransform::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsTransform::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsTransform::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGraphicsTransform::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsTransform::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGraphicsTransform::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGraphicsTransform::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsTransform::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsTransform::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QGraphicsTransform::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QGraphicsTransform::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QGraphicsTransform::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QGraphicsTransform::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QGraphicsTransform::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsTransform::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsTransform::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*update", "@brief Method void QGraphicsTransform::update()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_update_0, &_call_fp_update_0); return methods; diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsView.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsView.cc index dfd24dbcbe..62c4295bca 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsView.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsView.cc @@ -2142,18 +2142,18 @@ class QGraphicsView_Adaptor : public QGraphicsView, public qt_gsi::QtObjectBase emit QGraphicsView::windowTitleChanged(title); } - // [adaptor impl] void QGraphicsView::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QGraphicsView::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QGraphicsView::actionEvent(arg1); + QGraphicsView::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QGraphicsView_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QGraphicsView_Adaptor::cbs_actionEvent_1823_0, event); } else { - QGraphicsView::actionEvent(arg1); + QGraphicsView::actionEvent(event); } } @@ -2172,33 +2172,33 @@ class QGraphicsView_Adaptor : public QGraphicsView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QGraphicsView::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGraphicsView::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGraphicsView::childEvent(arg1); + QGraphicsView::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGraphicsView_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGraphicsView_Adaptor::cbs_childEvent_1701_0, event); } else { - QGraphicsView::childEvent(arg1); + QGraphicsView::childEvent(event); } } - // [adaptor impl] void QGraphicsView::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QGraphicsView::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QGraphicsView::closeEvent(arg1); + QGraphicsView::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QGraphicsView_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QGraphicsView_Adaptor::cbs_closeEvent_1719_0, event); } else { - QGraphicsView::closeEvent(arg1); + QGraphicsView::closeEvent(event); } } @@ -2217,18 +2217,18 @@ class QGraphicsView_Adaptor : public QGraphicsView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QGraphicsView::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGraphicsView::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGraphicsView::customEvent(arg1); + QGraphicsView::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGraphicsView_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGraphicsView_Adaptor::cbs_customEvent_1217_0, event); } else { - QGraphicsView::customEvent(arg1); + QGraphicsView::customEvent(event); } } @@ -2337,18 +2337,18 @@ class QGraphicsView_Adaptor : public QGraphicsView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QGraphicsView::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGraphicsView::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QGraphicsView::enterEvent(arg1); + QGraphicsView::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QGraphicsView_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QGraphicsView_Adaptor::cbs_enterEvent_1217_0, event); } else { - QGraphicsView::enterEvent(arg1); + QGraphicsView::enterEvent(event); } } @@ -2427,18 +2427,18 @@ class QGraphicsView_Adaptor : public QGraphicsView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QGraphicsView::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QGraphicsView::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QGraphicsView::hideEvent(arg1); + QGraphicsView::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QGraphicsView_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QGraphicsView_Adaptor::cbs_hideEvent_1595_0, event); } else { - QGraphicsView::hideEvent(arg1); + QGraphicsView::hideEvent(event); } } @@ -2502,18 +2502,18 @@ class QGraphicsView_Adaptor : public QGraphicsView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QGraphicsView::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGraphicsView::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QGraphicsView::leaveEvent(arg1); + QGraphicsView::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QGraphicsView_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QGraphicsView_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QGraphicsView::leaveEvent(arg1); + QGraphicsView::leaveEvent(event); } } @@ -2592,18 +2592,18 @@ class QGraphicsView_Adaptor : public QGraphicsView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QGraphicsView::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QGraphicsView::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QGraphicsView::moveEvent(arg1); + QGraphicsView::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QGraphicsView_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QGraphicsView_Adaptor::cbs_moveEvent_1624_0, event); } else { - QGraphicsView::moveEvent(arg1); + QGraphicsView::moveEvent(event); } } @@ -2727,33 +2727,33 @@ class QGraphicsView_Adaptor : public QGraphicsView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QGraphicsView::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QGraphicsView::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QGraphicsView::tabletEvent(arg1); + QGraphicsView::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QGraphicsView_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QGraphicsView_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QGraphicsView::tabletEvent(arg1); + QGraphicsView::tabletEvent(event); } } - // [adaptor impl] void QGraphicsView::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGraphicsView::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGraphicsView::timerEvent(arg1); + QGraphicsView::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGraphicsView_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGraphicsView_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGraphicsView::timerEvent(arg1); + QGraphicsView::timerEvent(event); } } @@ -2861,7 +2861,7 @@ QGraphicsView_Adaptor::~QGraphicsView_Adaptor() { } static void _init_ctor_QGraphicsView_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -2870,7 +2870,7 @@ static void _call_ctor_QGraphicsView_Adaptor_1315 (const qt_gsi::GenericStaticMe { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsView_Adaptor (arg1)); } @@ -2881,7 +2881,7 @@ static void _init_ctor_QGraphicsView_Adaptor_3221 (qt_gsi::GenericStaticMethod * { static gsi::ArgSpecBase argspec_0 ("scene"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -2891,16 +2891,16 @@ static void _call_ctor_QGraphicsView_Adaptor_3221 (const qt_gsi::GenericStaticMe __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QGraphicsScene *arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGraphicsView_Adaptor (arg1, arg2)); } -// void QGraphicsView::actionEvent(QActionEvent *) +// void QGraphicsView::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2944,11 +2944,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QGraphicsView::childEvent(QChildEvent *) +// void QGraphicsView::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2968,11 +2968,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QGraphicsView::closeEvent(QCloseEvent *) +// void QGraphicsView::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3059,11 +3059,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QGraphicsView::customEvent(QEvent *) +// void QGraphicsView::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3109,7 +3109,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3118,7 +3118,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGraphicsView_Adaptor *)cls)->emitter_QGraphicsView_destroyed_1302 (arg1); } @@ -3316,11 +3316,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QGraphicsView::enterEvent(QEvent *) +// void QGraphicsView::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3530,11 +3530,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QGraphicsView::hideEvent(QHideEvent *) +// void QGraphicsView::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3710,11 +3710,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QGraphicsView::leaveEvent(QEvent *) +// void QGraphicsView::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3872,11 +3872,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QGraphicsView::moveEvent(QMoveEvent *) +// void QGraphicsView::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4287,11 +4287,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QGraphicsView::tabletEvent(QTabletEvent *) +// void QGraphicsView::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4311,11 +4311,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QGraphicsView::timerEvent(QTimerEvent *) +// void QGraphicsView::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4493,21 +4493,21 @@ static gsi::Methods methods_QGraphicsView_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QGraphicsView::QGraphicsView(QWidget *parent)\nThis method creates an object of class QGraphicsView.", &_init_ctor_QGraphicsView_Adaptor_1315, &_call_ctor_QGraphicsView_Adaptor_1315); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QGraphicsView::QGraphicsView(QGraphicsScene *scene, QWidget *parent)\nThis method creates an object of class QGraphicsView.", &_init_ctor_QGraphicsView_Adaptor_3221, &_call_ctor_QGraphicsView_Adaptor_3221); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QGraphicsView::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QGraphicsView::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QGraphicsView::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsView::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsView::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QGraphicsView::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QGraphicsView::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QGraphicsView::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QGraphicsView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QGraphicsView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QGraphicsView::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsView::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsView::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QGraphicsView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QGraphicsView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGraphicsView::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsView::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); @@ -4524,7 +4524,7 @@ static gsi::Methods methods_QGraphicsView_Adaptor () { methods += new qt_gsi::GenericMethod ("*drawFrame", "@brief Method void QGraphicsView::drawFrame(QPainter *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_drawFrame_1426, &_call_fp_drawFrame_1426); methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QGraphicsView::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QGraphicsView::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QGraphicsView::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QGraphicsView::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); @@ -4542,7 +4542,7 @@ static gsi::Methods methods_QGraphicsView_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QGraphicsView::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QGraphicsView::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QGraphicsView::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QGraphicsView::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -4556,7 +4556,7 @@ static gsi::Methods methods_QGraphicsView_Adaptor () { methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QGraphicsView::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QGraphicsView::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QGraphicsView::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QGraphicsView::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); @@ -4570,7 +4570,7 @@ static gsi::Methods methods_QGraphicsView_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QGraphicsView::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QGraphicsView::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QGraphicsView::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QGraphicsView::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -4601,9 +4601,9 @@ static gsi::Methods methods_QGraphicsView_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QGraphicsView::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QGraphicsView::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QGraphicsView::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsView::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsView::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QGraphicsView::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); methods += new qt_gsi::GenericMethod ("*viewportEvent", "@brief Virtual method bool QGraphicsView::viewportEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_viewportEvent_1217_0, &_call_cbs_viewportEvent_1217_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsWidget.cc index 65fb911c02..6980dd7d01 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsWidget.cc @@ -450,7 +450,7 @@ static void _init_f_paint_6301 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("option"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_2 ("widget", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -461,7 +461,7 @@ static void _call_f_paint_6301 (const qt_gsi::GenericMethod * /*decl*/, void *cl tl::Heap heap; QPainter *arg1 = gsi::arg_reader() (args, heap); const QStyleOptionGraphicsItem *arg2 = gsi::arg_reader() (args, heap); - QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QGraphicsWidget *)cls)->paint (arg1, arg2, arg3); } @@ -476,7 +476,7 @@ static void _init_f_paintWindowFrame_6301 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("option"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_2 ("widget", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -487,7 +487,7 @@ static void _call_f_paintWindowFrame_6301 (const qt_gsi::GenericMethod * /*decl* tl::Heap heap; QPainter *arg1 = gsi::arg_reader() (args, heap); const QStyleOptionGraphicsItem *arg2 = gsi::arg_reader() (args, heap); - QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QGraphicsWidget *)cls)->paintWindowFrame (arg1, arg2, arg3); } @@ -1537,18 +1537,18 @@ class QGraphicsWidget_Adaptor : public QGraphicsWidget, public qt_gsi::QtObjectB emit QGraphicsWidget::enabledChanged(); } - // [adaptor impl] bool QGraphicsWidget::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QGraphicsWidget::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QGraphicsWidget::eventFilter(arg1, arg2); + return QGraphicsWidget::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QGraphicsWidget_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QGraphicsWidget_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QGraphicsWidget::eventFilter(arg1, arg2); + return QGraphicsWidget::eventFilter(watched, event); } } @@ -1766,18 +1766,18 @@ class QGraphicsWidget_Adaptor : public QGraphicsWidget, public qt_gsi::QtObjectB } } - // [adaptor impl] void QGraphicsWidget::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QGraphicsWidget::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QGraphicsWidget::childEvent(arg1); + QGraphicsWidget::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QGraphicsWidget_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QGraphicsWidget_Adaptor::cbs_childEvent_1701_0, event); } else { - QGraphicsWidget::childEvent(arg1); + QGraphicsWidget::childEvent(event); } } @@ -1811,18 +1811,18 @@ class QGraphicsWidget_Adaptor : public QGraphicsWidget, public qt_gsi::QtObjectB } } - // [adaptor impl] void QGraphicsWidget::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGraphicsWidget::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGraphicsWidget::customEvent(arg1); + QGraphicsWidget::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGraphicsWidget_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGraphicsWidget_Adaptor::cbs_customEvent_1217_0, event); } else { - QGraphicsWidget::customEvent(arg1); + QGraphicsWidget::customEvent(event); } } @@ -2366,18 +2366,18 @@ class QGraphicsWidget_Adaptor : public QGraphicsWidget, public qt_gsi::QtObjectB } } - // [adaptor impl] void QGraphicsWidget::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGraphicsWidget::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGraphicsWidget::timerEvent(arg1); + QGraphicsWidget::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGraphicsWidget_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGraphicsWidget_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGraphicsWidget::timerEvent(arg1); + QGraphicsWidget::timerEvent(event); } } @@ -2541,9 +2541,9 @@ QGraphicsWidget_Adaptor::~QGraphicsWidget_Adaptor() { } static void _init_ctor_QGraphicsWidget_Adaptor_4306 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("wFlags", true, "0"); + static gsi::ArgSpecBase argspec_1 ("wFlags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_1); decl->set_return_new (); } @@ -2552,8 +2552,8 @@ static void _call_ctor_QGraphicsWidget_Adaptor_4306 (const qt_gsi::GenericStatic { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QGraphicsItem *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QGraphicsWidget_Adaptor (arg1, arg2)); } @@ -2640,11 +2640,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QGraphicsWidget::childEvent(QChildEvent *) +// void QGraphicsWidget::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2801,11 +2801,11 @@ static void _set_callback_cbs_contextMenuEvent_3674_0 (void *cls, const gsi::Cal } -// void QGraphicsWidget::customEvent(QEvent *) +// void QGraphicsWidget::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2829,7 +2829,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2838,7 +2838,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGraphicsWidget_Adaptor *)cls)->emitter_QGraphicsWidget_destroyed_1302 (arg1); } @@ -3000,13 +3000,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QGraphicsWidget::eventFilter(QObject *, QEvent *) +// bool QGraphicsWidget::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -4174,11 +4174,11 @@ static void _set_callback_cbs_supportsExtension_c2806_0 (void *cls, const gsi::C } -// void QGraphicsWidget::timerEvent(QTimerEvent *) +// void QGraphicsWidget::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4455,7 +4455,7 @@ static gsi::Methods methods_QGraphicsWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("boundingRect", "@hide", true, &_init_cbs_boundingRect_c0_0, &_call_cbs_boundingRect_c0_0, &_set_callback_cbs_boundingRect_c0_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QGraphicsWidget::changeEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsWidget::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsWidget::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_childrenChanged", "@brief Emitter for signal void QGraphicsWidget::childrenChanged()\nCall this method to emit this signal.", false, &_init_emitter_childrenChanged_0, &_call_emitter_childrenChanged_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QGraphicsWidget::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); @@ -4468,7 +4468,7 @@ static gsi::Methods methods_QGraphicsWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("contains", "@hide", true, &_init_cbs_contains_c1986_0, &_call_cbs_contains_c1986_0, &_set_callback_cbs_contains_c1986_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QGraphicsWidget::contextMenuEvent(QGraphicsSceneContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_3674_0, &_call_cbs_contextMenuEvent_3674_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_3674_0, &_call_cbs_contextMenuEvent_3674_0, &_set_callback_cbs_contextMenuEvent_3674_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsWidget::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGraphicsWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -4484,7 +4484,7 @@ static gsi::Methods methods_QGraphicsWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_enabledChanged", "@brief Emitter for signal void QGraphicsWidget::enabledChanged()\nCall this method to emit this signal.", false, &_init_emitter_enabledChanged_0, &_call_emitter_enabledChanged_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QGraphicsWidget::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsWidget::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsWidget::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*extension", "@brief Virtual method QVariant QGraphicsWidget::extension(const QVariant &variant)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_extension_c2119_0, &_call_cbs_extension_c2119_0); methods += new qt_gsi::GenericMethod ("*extension", "@hide", true, &_init_cbs_extension_c2119_0, &_call_cbs_extension_c2119_0, &_set_callback_cbs_extension_c2119_0); @@ -4576,7 +4576,7 @@ static gsi::Methods methods_QGraphicsWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*sizeHint", "@hide", true, &_init_cbs_sizeHint_c3330_1, &_call_cbs_sizeHint_c3330_1, &_set_callback_cbs_sizeHint_c3330_1); methods += new qt_gsi::GenericMethod ("*supportsExtension", "@brief Virtual method bool QGraphicsWidget::supportsExtension(QGraphicsItem::Extension extension)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportsExtension_c2806_0, &_call_cbs_supportsExtension_c2806_0); methods += new qt_gsi::GenericMethod ("*supportsExtension", "@hide", true, &_init_cbs_supportsExtension_c2806_0, &_call_cbs_supportsExtension_c2806_0, &_set_callback_cbs_supportsExtension_c2806_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsWidget::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGraphicsWidget::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("type", "@brief Virtual method int QGraphicsWidget::type()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_type_c0_0, &_call_cbs_type_c0_0); methods += new qt_gsi::GenericMethod ("type", "@hide", true, &_init_cbs_type_c0_0, &_call_cbs_type_c0_0, &_set_callback_cbs_type_c0_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGridLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGridLayout.cc index f2bd5808e3..f447405c98 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGridLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGridLayout.cc @@ -76,7 +76,7 @@ static void _init_f_addItem_7018 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_3); static gsi::ArgSpecBase argspec_4 ("columnSpan", true, "1"); decl->add_arg (argspec_4); - static gsi::ArgSpecBase argspec_5 ("arg6", true, "0"); + static gsi::ArgSpecBase argspec_5 ("arg6", true, "Qt::Alignment()"); decl->add_arg > (argspec_5); decl->set_return (); } @@ -86,11 +86,12 @@ static void _call_f_addItem_7018 (const qt_gsi::GenericMethod * /*decl*/, void * __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QLayoutItem *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); int arg2 = gsi::arg_reader() (args, heap); int arg3 = gsi::arg_reader() (args, heap); int arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (1, heap); int arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (1, heap); - QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::Alignment(), heap); __SUPPRESS_UNUSED_WARNING(ret); ((QGridLayout *)cls)->addItem (arg1, arg2, arg3, arg4, arg5, arg6); } @@ -107,7 +108,7 @@ static void _init_f_addLayout_5301 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("column"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("arg4", true, "0"); + static gsi::ArgSpecBase argspec_3 ("arg4", true, "Qt::Alignment()"); decl->add_arg > (argspec_3); decl->set_return (); } @@ -120,7 +121,7 @@ static void _call_f_addLayout_5301 (const qt_gsi::GenericMethod * /*decl*/, void qt_gsi::qt_keep (arg1); int arg2 = gsi::arg_reader() (args, heap); int arg3 = gsi::arg_reader() (args, heap); - QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::Alignment(), heap); __SUPPRESS_UNUSED_WARNING(ret); ((QGridLayout *)cls)->addLayout (arg1, arg2, arg3, arg4); } @@ -141,7 +142,7 @@ static void _init_f_addLayout_6619 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_3); static gsi::ArgSpecBase argspec_4 ("columnSpan"); decl->add_arg (argspec_4); - static gsi::ArgSpecBase argspec_5 ("arg6", true, "0"); + static gsi::ArgSpecBase argspec_5 ("arg6", true, "Qt::Alignment()"); decl->add_arg > (argspec_5); decl->set_return (); } @@ -156,7 +157,7 @@ static void _call_f_addLayout_6619 (const qt_gsi::GenericMethod * /*decl*/, void int arg3 = gsi::arg_reader() (args, heap); int arg4 = gsi::arg_reader() (args, heap); int arg5 = gsi::arg_reader() (args, heap); - QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::Alignment(), heap); __SUPPRESS_UNUSED_WARNING(ret); ((QGridLayout *)cls)->addLayout (arg1, arg2, arg3, arg4, arg5, arg6); } @@ -177,6 +178,7 @@ static void _call_f_addWidget_1315 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); __SUPPRESS_UNUSED_WARNING(ret); ((QGridLayout *)cls)->addWidget (arg1); } @@ -193,7 +195,7 @@ static void _init_f_addWidget_5275 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("column"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("arg4", true, "0"); + static gsi::ArgSpecBase argspec_3 ("arg4", true, "Qt::Alignment()"); decl->add_arg > (argspec_3); decl->set_return (); } @@ -203,9 +205,10 @@ static void _call_f_addWidget_5275 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); int arg2 = gsi::arg_reader() (args, heap); int arg3 = gsi::arg_reader() (args, heap); - QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::Alignment(), heap); __SUPPRESS_UNUSED_WARNING(ret); ((QGridLayout *)cls)->addWidget (arg1, arg2, arg3, arg4); } @@ -226,7 +229,7 @@ static void _init_f_addWidget_6593 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_3); static gsi::ArgSpecBase argspec_4 ("columnSpan"); decl->add_arg (argspec_4); - static gsi::ArgSpecBase argspec_5 ("arg6", true, "0"); + static gsi::ArgSpecBase argspec_5 ("arg6", true, "Qt::Alignment()"); decl->add_arg > (argspec_5); decl->set_return (); } @@ -236,11 +239,12 @@ static void _call_f_addWidget_6593 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); int arg2 = gsi::arg_reader() (args, heap); int arg3 = gsi::arg_reader() (args, heap); int arg4 = gsi::arg_reader() (args, heap); int arg5 = gsi::arg_reader() (args, heap); - QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::Alignment(), heap); __SUPPRESS_UNUSED_WARNING(ret); ((QGridLayout *)cls)->addWidget (arg1, arg2, arg3, arg4, arg5, arg6); } @@ -1098,33 +1102,33 @@ class QGridLayout_Adaptor : public QGridLayout, public qt_gsi::QtObjectBase emit QGridLayout::destroyed(arg1); } - // [adaptor impl] bool QGridLayout::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QGridLayout::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QGridLayout::event(arg1); + return QGridLayout::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QGridLayout_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QGridLayout_Adaptor::cbs_event_1217_0, _event); } else { - return QGridLayout::event(arg1); + return QGridLayout::event(_event); } } - // [adaptor impl] bool QGridLayout::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QGridLayout::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QGridLayout::eventFilter(arg1, arg2); + return QGridLayout::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QGridLayout_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QGridLayout_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QGridLayout::eventFilter(arg1, arg2); + return QGridLayout::eventFilter(watched, event); } } @@ -1420,18 +1424,18 @@ class QGridLayout_Adaptor : public QGridLayout, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QGridLayout::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGridLayout::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGridLayout::customEvent(arg1); + QGridLayout::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGridLayout_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGridLayout_Adaptor::cbs_customEvent_1217_0, event); } else { - QGridLayout::customEvent(arg1); + QGridLayout::customEvent(event); } } @@ -1450,18 +1454,18 @@ class QGridLayout_Adaptor : public QGridLayout, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QGridLayout::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGridLayout::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGridLayout::timerEvent(arg1); + QGridLayout::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGridLayout_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGridLayout_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGridLayout::timerEvent(arg1); + QGridLayout::timerEvent(event); } } @@ -1688,11 +1692,11 @@ static void _set_callback_cbs_count_c0_0 (void *cls, const gsi::Callback &cb) } -// void QGridLayout::customEvent(QEvent *) +// void QGridLayout::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1716,7 +1720,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1725,7 +1729,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGridLayout_Adaptor *)cls)->emitter_QGridLayout_destroyed_1302 (arg1); } @@ -1754,11 +1758,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QGridLayout::event(QEvent *) +// bool QGridLayout::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1777,13 +1781,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QGridLayout::eventFilter(QObject *, QEvent *) +// bool QGridLayout::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2215,11 +2219,11 @@ static void _set_callback_cbs_takeAt_767_0 (void *cls, const gsi::Callback &cb) } -// void QGridLayout::timerEvent(QTimerEvent *) +// void QGridLayout::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2298,14 +2302,14 @@ static gsi::Methods methods_QGridLayout_Adaptor () { methods += new qt_gsi::GenericMethod ("controlTypes", "@hide", true, &_init_cbs_controlTypes_c0_0, &_call_cbs_controlTypes_c0_0, &_set_callback_cbs_controlTypes_c0_0); methods += new qt_gsi::GenericMethod ("count", "@brief Virtual method int QGridLayout::count()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_count_c0_0, &_call_cbs_count_c0_0); methods += new qt_gsi::GenericMethod ("count", "@hide", true, &_init_cbs_count_c0_0, &_call_cbs_count_c0_0, &_set_callback_cbs_count_c0_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGridLayout::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGridLayout::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGridLayout::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGridLayout::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGridLayout::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QGridLayout::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGridLayout::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGridLayout::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("expandingDirections", "@brief Virtual method QFlags QGridLayout::expandingDirections()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_expandingDirections_c0_0, &_call_cbs_expandingDirections_c0_0); methods += new qt_gsi::GenericMethod ("expandingDirections", "@hide", true, &_init_cbs_expandingDirections_c0_0, &_call_cbs_expandingDirections_c0_0, &_set_callback_cbs_expandingDirections_c0_0); @@ -2344,7 +2348,7 @@ static gsi::Methods methods_QGridLayout_Adaptor () { methods += new qt_gsi::GenericMethod ("spacerItem", "@hide", false, &_init_cbs_spacerItem_0_0, &_call_cbs_spacerItem_0_0, &_set_callback_cbs_spacerItem_0_0); methods += new qt_gsi::GenericMethod ("takeAt", "@brief Virtual method QLayoutItem *QGridLayout::takeAt(int index)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_takeAt_767_0, &_call_cbs_takeAt_767_0); methods += new qt_gsi::GenericMethod ("takeAt", "@hide", false, &_init_cbs_takeAt_767_0, &_call_cbs_takeAt_767_0, &_set_callback_cbs_takeAt_767_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGridLayout::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGridLayout::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("widget", "@brief Virtual method QWidget *QGridLayout::widget()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_widget_0_0, &_call_cbs_widget_0_0); methods += new qt_gsi::GenericMethod ("widget", "@hide", false, &_init_cbs_widget_0_0, &_call_cbs_widget_0_0, &_set_callback_cbs_widget_0_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGroupBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGroupBox.cc index c86ca11b41..d6bdaee688 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGroupBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGroupBox.cc @@ -479,18 +479,18 @@ class QGroupBox_Adaptor : public QGroupBox, public qt_gsi::QtObjectBase emit QGroupBox::destroyed(arg1); } - // [adaptor impl] bool QGroupBox::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QGroupBox::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QGroupBox::eventFilter(arg1, arg2); + return QGroupBox::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QGroupBox_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QGroupBox_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QGroupBox::eventFilter(arg1, arg2); + return QGroupBox::eventFilter(watched, event); } } @@ -630,18 +630,18 @@ class QGroupBox_Adaptor : public QGroupBox, public qt_gsi::QtObjectBase emit QGroupBox::windowTitleChanged(title); } - // [adaptor impl] void QGroupBox::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QGroupBox::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QGroupBox::actionEvent(arg1); + QGroupBox::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QGroupBox_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QGroupBox_Adaptor::cbs_actionEvent_1823_0, event); } else { - QGroupBox::actionEvent(arg1); + QGroupBox::actionEvent(event); } } @@ -675,48 +675,48 @@ class QGroupBox_Adaptor : public QGroupBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QGroupBox::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QGroupBox::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QGroupBox::closeEvent(arg1); + QGroupBox::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QGroupBox_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QGroupBox_Adaptor::cbs_closeEvent_1719_0, event); } else { - QGroupBox::closeEvent(arg1); + QGroupBox::closeEvent(event); } } - // [adaptor impl] void QGroupBox::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QGroupBox::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QGroupBox::contextMenuEvent(arg1); + QGroupBox::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QGroupBox_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QGroupBox_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QGroupBox::contextMenuEvent(arg1); + QGroupBox::contextMenuEvent(event); } } - // [adaptor impl] void QGroupBox::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGroupBox::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QGroupBox::customEvent(arg1); + QGroupBox::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QGroupBox_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QGroupBox_Adaptor::cbs_customEvent_1217_0, event); } else { - QGroupBox::customEvent(arg1); + QGroupBox::customEvent(event); } } @@ -735,78 +735,78 @@ class QGroupBox_Adaptor : public QGroupBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QGroupBox::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QGroupBox::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QGroupBox::dragEnterEvent(arg1); + QGroupBox::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QGroupBox_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QGroupBox_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QGroupBox::dragEnterEvent(arg1); + QGroupBox::dragEnterEvent(event); } } - // [adaptor impl] void QGroupBox::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QGroupBox::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QGroupBox::dragLeaveEvent(arg1); + QGroupBox::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QGroupBox_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QGroupBox_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QGroupBox::dragLeaveEvent(arg1); + QGroupBox::dragLeaveEvent(event); } } - // [adaptor impl] void QGroupBox::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QGroupBox::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QGroupBox::dragMoveEvent(arg1); + QGroupBox::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QGroupBox_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QGroupBox_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QGroupBox::dragMoveEvent(arg1); + QGroupBox::dragMoveEvent(event); } } - // [adaptor impl] void QGroupBox::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QGroupBox::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QGroupBox::dropEvent(arg1); + QGroupBox::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QGroupBox_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QGroupBox_Adaptor::cbs_dropEvent_1622_0, event); } else { - QGroupBox::dropEvent(arg1); + QGroupBox::dropEvent(event); } } - // [adaptor impl] void QGroupBox::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGroupBox::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QGroupBox::enterEvent(arg1); + QGroupBox::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QGroupBox_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QGroupBox_Adaptor::cbs_enterEvent_1217_0, event); } else { - QGroupBox::enterEvent(arg1); + QGroupBox::enterEvent(event); } } @@ -855,33 +855,33 @@ class QGroupBox_Adaptor : public QGroupBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QGroupBox::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QGroupBox::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QGroupBox::focusOutEvent(arg1); + QGroupBox::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QGroupBox_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QGroupBox_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QGroupBox::focusOutEvent(arg1); + QGroupBox::focusOutEvent(event); } } - // [adaptor impl] void QGroupBox::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QGroupBox::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QGroupBox::hideEvent(arg1); + QGroupBox::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QGroupBox_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QGroupBox_Adaptor::cbs_hideEvent_1595_0, event); } else { - QGroupBox::hideEvent(arg1); + QGroupBox::hideEvent(event); } } @@ -915,48 +915,48 @@ class QGroupBox_Adaptor : public QGroupBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QGroupBox::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QGroupBox::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QGroupBox::keyPressEvent(arg1); + QGroupBox::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QGroupBox_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QGroupBox_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QGroupBox::keyPressEvent(arg1); + QGroupBox::keyPressEvent(event); } } - // [adaptor impl] void QGroupBox::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QGroupBox::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QGroupBox::keyReleaseEvent(arg1); + QGroupBox::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QGroupBox_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QGroupBox_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QGroupBox::keyReleaseEvent(arg1); + QGroupBox::keyReleaseEvent(event); } } - // [adaptor impl] void QGroupBox::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QGroupBox::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QGroupBox::leaveEvent(arg1); + QGroupBox::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QGroupBox_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QGroupBox_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QGroupBox::leaveEvent(arg1); + QGroupBox::leaveEvent(event); } } @@ -975,18 +975,18 @@ class QGroupBox_Adaptor : public QGroupBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QGroupBox::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QGroupBox::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QGroupBox::mouseDoubleClickEvent(arg1); + QGroupBox::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QGroupBox_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QGroupBox_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QGroupBox::mouseDoubleClickEvent(arg1); + QGroupBox::mouseDoubleClickEvent(event); } } @@ -1035,18 +1035,18 @@ class QGroupBox_Adaptor : public QGroupBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QGroupBox::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QGroupBox::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QGroupBox::moveEvent(arg1); + QGroupBox::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QGroupBox_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QGroupBox_Adaptor::cbs_moveEvent_1624_0, event); } else { - QGroupBox::moveEvent(arg1); + QGroupBox::moveEvent(event); } } @@ -1125,63 +1125,63 @@ class QGroupBox_Adaptor : public QGroupBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QGroupBox::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QGroupBox::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QGroupBox::showEvent(arg1); + QGroupBox::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QGroupBox_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QGroupBox_Adaptor::cbs_showEvent_1634_0, event); } else { - QGroupBox::showEvent(arg1); + QGroupBox::showEvent(event); } } - // [adaptor impl] void QGroupBox::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QGroupBox::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QGroupBox::tabletEvent(arg1); + QGroupBox::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QGroupBox_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QGroupBox_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QGroupBox::tabletEvent(arg1); + QGroupBox::tabletEvent(event); } } - // [adaptor impl] void QGroupBox::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QGroupBox::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QGroupBox::timerEvent(arg1); + QGroupBox::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QGroupBox_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QGroupBox_Adaptor::cbs_timerEvent_1730_0, event); } else { - QGroupBox::timerEvent(arg1); + QGroupBox::timerEvent(event); } } - // [adaptor impl] void QGroupBox::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QGroupBox::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QGroupBox::wheelEvent(arg1); + QGroupBox::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QGroupBox_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QGroupBox_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QGroupBox::wheelEvent(arg1); + QGroupBox::wheelEvent(event); } } @@ -1238,7 +1238,7 @@ QGroupBox_Adaptor::~QGroupBox_Adaptor() { } static void _init_ctor_QGroupBox_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1247,7 +1247,7 @@ static void _call_ctor_QGroupBox_Adaptor_1315 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGroupBox_Adaptor (arg1)); } @@ -1258,7 +1258,7 @@ static void _init_ctor_QGroupBox_Adaptor_3232 (qt_gsi::GenericStaticMethod *decl { static gsi::ArgSpecBase argspec_0 ("title"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1268,16 +1268,16 @@ static void _call_ctor_QGroupBox_Adaptor_3232 (const qt_gsi::GenericStaticMethod __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QGroupBox_Adaptor (arg1, arg2)); } -// void QGroupBox::actionEvent(QActionEvent *) +// void QGroupBox::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1363,11 +1363,11 @@ static void _call_emitter_clicked_864 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QGroupBox::closeEvent(QCloseEvent *) +// void QGroupBox::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1387,11 +1387,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QGroupBox::contextMenuEvent(QContextMenuEvent *) +// void QGroupBox::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1454,11 +1454,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QGroupBox::customEvent(QEvent *) +// void QGroupBox::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1504,7 +1504,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1513,7 +1513,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QGroupBox_Adaptor *)cls)->emitter_QGroupBox_destroyed_1302 (arg1); } @@ -1542,11 +1542,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QGroupBox::dragEnterEvent(QDragEnterEvent *) +// void QGroupBox::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1566,11 +1566,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QGroupBox::dragLeaveEvent(QDragLeaveEvent *) +// void QGroupBox::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1590,11 +1590,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QGroupBox::dragMoveEvent(QDragMoveEvent *) +// void QGroupBox::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1614,11 +1614,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QGroupBox::dropEvent(QDropEvent *) +// void QGroupBox::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1638,11 +1638,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QGroupBox::enterEvent(QEvent *) +// void QGroupBox::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1685,13 +1685,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QGroupBox::eventFilter(QObject *, QEvent *) +// bool QGroupBox::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1772,11 +1772,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QGroupBox::focusOutEvent(QFocusEvent *) +// void QGroupBox::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1852,11 +1852,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QGroupBox::hideEvent(QHideEvent *) +// void QGroupBox::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1984,11 +1984,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QGroupBox::keyPressEvent(QKeyEvent *) +// void QGroupBox::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2008,11 +2008,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QGroupBox::keyReleaseEvent(QKeyEvent *) +// void QGroupBox::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2032,11 +2032,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QGroupBox::leaveEvent(QEvent *) +// void QGroupBox::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2098,11 +2098,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QGroupBox::mouseDoubleClickEvent(QMouseEvent *) +// void QGroupBox::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2194,11 +2194,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QGroupBox::moveEvent(QMoveEvent *) +// void QGroupBox::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2444,11 +2444,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QGroupBox::showEvent(QShowEvent *) +// void QGroupBox::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2487,11 +2487,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QGroupBox::tabletEvent(QTabletEvent *) +// void QGroupBox::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2511,11 +2511,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QGroupBox::timerEvent(QTimerEvent *) +// void QGroupBox::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2568,11 +2568,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QGroupBox::wheelEvent(QWheelEvent *) +// void QGroupBox::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2655,52 +2655,52 @@ static gsi::Methods methods_QGroupBox_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QGroupBox::QGroupBox(QWidget *parent)\nThis method creates an object of class QGroupBox.", &_init_ctor_QGroupBox_Adaptor_1315, &_call_ctor_QGroupBox_Adaptor_1315); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QGroupBox::QGroupBox(const QString &title, QWidget *parent)\nThis method creates an object of class QGroupBox.", &_init_ctor_QGroupBox_Adaptor_3232, &_call_ctor_QGroupBox_Adaptor_3232); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QGroupBox::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QGroupBox::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QGroupBox::changeEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGroupBox::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_clicked", "@brief Emitter for signal void QGroupBox::clicked(bool checked)\nCall this method to emit this signal.", false, &_init_emitter_clicked_864, &_call_emitter_clicked_864); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QGroupBox::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QGroupBox::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QGroupBox::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QGroupBox::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QGroupBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QGroupBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QGroupBox::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGroupBox::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGroupBox::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QGroupBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QGroupBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGroupBox::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGroupBox::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QGroupBox::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QGroupBox::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QGroupBox::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QGroupBox::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QGroupBox::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QGroupBox::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QGroupBox::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QGroupBox::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QGroupBox::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QGroupBox::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QGroupBox::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGroupBox::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGroupBox::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QGroupBox::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QGroupBox::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QGroupBox::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QGroupBox::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QGroupBox::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QGroupBox::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QGroupBox::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QGroupBox::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QGroupBox::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QGroupBox::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QGroupBox::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2710,17 +2710,17 @@ static gsi::Methods methods_QGroupBox_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QGroupBox::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QGroupBox::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QGroupBox::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QGroupBox::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QGroupBox::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QGroupBox::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QGroupBox::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QGroupBox::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QGroupBox::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QGroupBox::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QGroupBox::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QGroupBox::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QGroupBox::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -2728,7 +2728,7 @@ static gsi::Methods methods_QGroupBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QGroupBox::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QGroupBox::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QGroupBox::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QGroupBox::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2748,17 +2748,17 @@ static gsi::Methods methods_QGroupBox_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QGroupBox::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QGroupBox::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QGroupBox::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QGroupBox::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QGroupBox::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QGroupBox::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGroupBox::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QGroupBox::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_toggled", "@brief Emitter for signal void QGroupBox::toggled(bool)\nCall this method to emit this signal.", false, &_init_emitter_toggled_864, &_call_emitter_toggled_864); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QGroupBox::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QGroupBox::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QGroupBox::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QGroupBox::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QGroupBox::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQHBoxLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQHBoxLayout.cc index c434572d24..e9af1e484c 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQHBoxLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQHBoxLayout.cc @@ -249,33 +249,33 @@ class QHBoxLayout_Adaptor : public QHBoxLayout, public qt_gsi::QtObjectBase emit QHBoxLayout::destroyed(arg1); } - // [adaptor impl] bool QHBoxLayout::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QHBoxLayout::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QHBoxLayout::event(arg1); + return QHBoxLayout::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QHBoxLayout_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QHBoxLayout_Adaptor::cbs_event_1217_0, _event); } else { - return QHBoxLayout::event(arg1); + return QHBoxLayout::event(_event); } } - // [adaptor impl] bool QHBoxLayout::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QHBoxLayout::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QHBoxLayout::eventFilter(arg1, arg2); + return QHBoxLayout::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QHBoxLayout_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QHBoxLayout_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QHBoxLayout::eventFilter(arg1, arg2); + return QHBoxLayout::eventFilter(watched, event); } } @@ -556,18 +556,18 @@ class QHBoxLayout_Adaptor : public QHBoxLayout, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QHBoxLayout::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QHBoxLayout::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QHBoxLayout::customEvent(arg1); + QHBoxLayout::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QHBoxLayout_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QHBoxLayout_Adaptor::cbs_customEvent_1217_0, event); } else { - QHBoxLayout::customEvent(arg1); + QHBoxLayout::customEvent(event); } } @@ -586,18 +586,18 @@ class QHBoxLayout_Adaptor : public QHBoxLayout, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QHBoxLayout::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QHBoxLayout::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QHBoxLayout::timerEvent(arg1); + QHBoxLayout::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QHBoxLayout_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QHBoxLayout_Adaptor::cbs_timerEvent_1730_0, event); } else { - QHBoxLayout::timerEvent(arg1); + QHBoxLayout::timerEvent(event); } } @@ -824,11 +824,11 @@ static void _set_callback_cbs_count_c0_0 (void *cls, const gsi::Callback &cb) } -// void QHBoxLayout::customEvent(QEvent *) +// void QHBoxLayout::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -852,7 +852,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -861,7 +861,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QHBoxLayout_Adaptor *)cls)->emitter_QHBoxLayout_destroyed_1302 (arg1); } @@ -890,11 +890,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QHBoxLayout::event(QEvent *) +// bool QHBoxLayout::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -913,13 +913,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QHBoxLayout::eventFilter(QObject *, QEvent *) +// bool QHBoxLayout::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1351,11 +1351,11 @@ static void _set_callback_cbs_takeAt_767_0 (void *cls, const gsi::Callback &cb) } -// void QHBoxLayout::timerEvent(QTimerEvent *) +// void QHBoxLayout::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1434,14 +1434,14 @@ static gsi::Methods methods_QHBoxLayout_Adaptor () { methods += new qt_gsi::GenericMethod ("controlTypes", "@hide", true, &_init_cbs_controlTypes_c0_0, &_call_cbs_controlTypes_c0_0, &_set_callback_cbs_controlTypes_c0_0); methods += new qt_gsi::GenericMethod ("count", "@brief Virtual method int QHBoxLayout::count()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_count_c0_0, &_call_cbs_count_c0_0); methods += new qt_gsi::GenericMethod ("count", "@hide", true, &_init_cbs_count_c0_0, &_call_cbs_count_c0_0, &_set_callback_cbs_count_c0_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QHBoxLayout::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QHBoxLayout::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QHBoxLayout::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QHBoxLayout::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QHBoxLayout::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QHBoxLayout::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QHBoxLayout::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QHBoxLayout::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("expandingDirections", "@brief Virtual method QFlags QHBoxLayout::expandingDirections()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_expandingDirections_c0_0, &_call_cbs_expandingDirections_c0_0); methods += new qt_gsi::GenericMethod ("expandingDirections", "@hide", true, &_init_cbs_expandingDirections_c0_0, &_call_cbs_expandingDirections_c0_0, &_set_callback_cbs_expandingDirections_c0_0); @@ -1480,7 +1480,7 @@ static gsi::Methods methods_QHBoxLayout_Adaptor () { methods += new qt_gsi::GenericMethod ("spacerItem", "@hide", false, &_init_cbs_spacerItem_0_0, &_call_cbs_spacerItem_0_0, &_set_callback_cbs_spacerItem_0_0); methods += new qt_gsi::GenericMethod ("takeAt", "@brief Virtual method QLayoutItem *QHBoxLayout::takeAt(int)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_takeAt_767_0, &_call_cbs_takeAt_767_0); methods += new qt_gsi::GenericMethod ("takeAt", "@hide", false, &_init_cbs_takeAt_767_0, &_call_cbs_takeAt_767_0, &_set_callback_cbs_takeAt_767_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QHBoxLayout::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QHBoxLayout::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("widget", "@brief Virtual method QWidget *QHBoxLayout::widget()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_widget_0_0, &_call_cbs_widget_0_0); methods += new qt_gsi::GenericMethod ("widget", "@hide", false, &_init_cbs_widget_0_0, &_call_cbs_widget_0_0, &_set_callback_cbs_widget_0_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQHeaderView.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQHeaderView.cc index 94bebe1bd0..0d3cd5dfcd 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQHeaderView.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQHeaderView.cc @@ -259,6 +259,21 @@ static void _call_f_highlightSections_c0 (const qt_gsi::GenericMethod * /*decl*/ } +// bool QHeaderView::isFirstSectionMovable() + + +static void _init_f_isFirstSectionMovable_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isFirstSectionMovable_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QHeaderView *)cls)->isFirstSectionMovable ()); +} + + // bool QHeaderView::isSectionHidden(int logicalIndex) @@ -809,6 +824,26 @@ static void _call_f_setDefaultSectionSize_767 (const qt_gsi::GenericMethod * /*d } +// void QHeaderView::setFirstSectionMovable(bool movable) + + +static void _init_f_setFirstSectionMovable_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("movable"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setFirstSectionMovable_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QHeaderView *)cls)->setFirstSectionMovable (arg1); +} + + // void QHeaderView::setHighlightSections(bool highlight) @@ -1375,6 +1410,7 @@ static gsi::Methods methods_QHeaderView () { methods += new qt_gsi::GenericMethod ("hiddenSectionCount", "@brief Method int QHeaderView::hiddenSectionCount()\n", true, &_init_f_hiddenSectionCount_c0, &_call_f_hiddenSectionCount_c0); methods += new qt_gsi::GenericMethod ("hideSection", "@brief Method void QHeaderView::hideSection(int logicalIndex)\n", false, &_init_f_hideSection_767, &_call_f_hideSection_767); methods += new qt_gsi::GenericMethod (":highlightSections", "@brief Method bool QHeaderView::highlightSections()\n", true, &_init_f_highlightSections_c0, &_call_f_highlightSections_c0); + methods += new qt_gsi::GenericMethod ("isFirstSectionMovable?", "@brief Method bool QHeaderView::isFirstSectionMovable()\n", true, &_init_f_isFirstSectionMovable_c0, &_call_f_isFirstSectionMovable_c0); methods += new qt_gsi::GenericMethod ("isSectionHidden?", "@brief Method bool QHeaderView::isSectionHidden(int logicalIndex)\n", true, &_init_f_isSectionHidden_c767, &_call_f_isSectionHidden_c767); methods += new qt_gsi::GenericMethod ("isSortIndicatorShown?|:sortIndicatorShown", "@brief Method bool QHeaderView::isSortIndicatorShown()\n", true, &_init_f_isSortIndicatorShown_c0, &_call_f_isSortIndicatorShown_c0); methods += new qt_gsi::GenericMethod ("length", "@brief Method int QHeaderView::length()\n", true, &_init_f_length_c0, &_call_f_length_c0); @@ -1406,6 +1442,7 @@ static gsi::Methods methods_QHeaderView () { methods += new qt_gsi::GenericMethod ("setCascadingSectionResizes|cascadingSectionResizes=", "@brief Method void QHeaderView::setCascadingSectionResizes(bool enable)\n", false, &_init_f_setCascadingSectionResizes_864, &_call_f_setCascadingSectionResizes_864); methods += new qt_gsi::GenericMethod ("setDefaultAlignment|defaultAlignment=", "@brief Method void QHeaderView::setDefaultAlignment(QFlags alignment)\n", false, &_init_f_setDefaultAlignment_2750, &_call_f_setDefaultAlignment_2750); methods += new qt_gsi::GenericMethod ("setDefaultSectionSize|defaultSectionSize=", "@brief Method void QHeaderView::setDefaultSectionSize(int size)\n", false, &_init_f_setDefaultSectionSize_767, &_call_f_setDefaultSectionSize_767); + methods += new qt_gsi::GenericMethod ("setFirstSectionMovable", "@brief Method void QHeaderView::setFirstSectionMovable(bool movable)\n", false, &_init_f_setFirstSectionMovable_864, &_call_f_setFirstSectionMovable_864); methods += new qt_gsi::GenericMethod ("setHighlightSections|highlightSections=", "@brief Method void QHeaderView::setHighlightSections(bool highlight)\n", false, &_init_f_setHighlightSections_864, &_call_f_setHighlightSections_864); methods += new qt_gsi::GenericMethod ("setMaximumSectionSize|maximumSectionSize=", "@brief Method void QHeaderView::setMaximumSectionSize(int size)\n", false, &_init_f_setMaximumSectionSize_767, &_call_f_setMaximumSectionSize_767); methods += new qt_gsi::GenericMethod ("setMinimumSectionSize|minimumSectionSize=", "@brief Method void QHeaderView::setMinimumSectionSize(int size)\n", false, &_init_f_setMinimumSectionSize_767, &_call_f_setMinimumSectionSize_767); @@ -2063,18 +2100,18 @@ class QHeaderView_Adaptor : public QHeaderView, public qt_gsi::QtObjectBase emit QHeaderView::windowTitleChanged(title); } - // [adaptor impl] void QHeaderView::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QHeaderView::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QHeaderView::actionEvent(arg1); + QHeaderView::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QHeaderView_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QHeaderView_Adaptor::cbs_actionEvent_1823_0, event); } else { - QHeaderView::actionEvent(arg1); + QHeaderView::actionEvent(event); } } @@ -2093,18 +2130,18 @@ class QHeaderView_Adaptor : public QHeaderView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QHeaderView::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QHeaderView::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QHeaderView::childEvent(arg1); + QHeaderView::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QHeaderView_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QHeaderView_Adaptor::cbs_childEvent_1701_0, event); } else { - QHeaderView::childEvent(arg1); + QHeaderView::childEvent(event); } } @@ -2123,18 +2160,18 @@ class QHeaderView_Adaptor : public QHeaderView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QHeaderView::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QHeaderView::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QHeaderView::closeEvent(arg1); + QHeaderView::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QHeaderView_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QHeaderView_Adaptor::cbs_closeEvent_1719_0, event); } else { - QHeaderView::closeEvent(arg1); + QHeaderView::closeEvent(event); } } @@ -2183,18 +2220,18 @@ class QHeaderView_Adaptor : public QHeaderView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QHeaderView::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QHeaderView::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QHeaderView::customEvent(arg1); + QHeaderView::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QHeaderView_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QHeaderView_Adaptor::cbs_customEvent_1217_0, event); } else { - QHeaderView::customEvent(arg1); + QHeaderView::customEvent(event); } } @@ -2318,18 +2355,18 @@ class QHeaderView_Adaptor : public QHeaderView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QHeaderView::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QHeaderView::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QHeaderView::enterEvent(arg1); + QHeaderView::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QHeaderView_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QHeaderView_Adaptor::cbs_enterEvent_1217_0, event); } else { - QHeaderView::enterEvent(arg1); + QHeaderView::enterEvent(event); } } @@ -2348,18 +2385,18 @@ class QHeaderView_Adaptor : public QHeaderView, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QHeaderView::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QHeaderView::eventFilter(QObject *object, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *object, QEvent *event) { - return QHeaderView::eventFilter(arg1, arg2); + return QHeaderView::eventFilter(object, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *object, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QHeaderView_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QHeaderView_Adaptor::cbs_eventFilter_2411_0, object, event); } else { - return QHeaderView::eventFilter(arg1, arg2); + return QHeaderView::eventFilter(object, event); } } @@ -2408,18 +2445,18 @@ class QHeaderView_Adaptor : public QHeaderView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QHeaderView::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QHeaderView::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QHeaderView::hideEvent(arg1); + QHeaderView::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QHeaderView_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QHeaderView_Adaptor::cbs_hideEvent_1595_0, event); } else { - QHeaderView::hideEvent(arg1); + QHeaderView::hideEvent(event); } } @@ -2543,33 +2580,33 @@ class QHeaderView_Adaptor : public QHeaderView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QHeaderView::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QHeaderView::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QHeaderView::keyReleaseEvent(arg1); + QHeaderView::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QHeaderView_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QHeaderView_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QHeaderView::keyReleaseEvent(arg1); + QHeaderView::keyReleaseEvent(event); } } - // [adaptor impl] void QHeaderView::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QHeaderView::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QHeaderView::leaveEvent(arg1); + QHeaderView::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QHeaderView_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QHeaderView_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QHeaderView::leaveEvent(arg1); + QHeaderView::leaveEvent(event); } } @@ -2663,18 +2700,18 @@ class QHeaderView_Adaptor : public QHeaderView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QHeaderView::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QHeaderView::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QHeaderView::moveEvent(arg1); + QHeaderView::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QHeaderView_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QHeaderView_Adaptor::cbs_moveEvent_1624_0, event); } else { - QHeaderView::moveEvent(arg1); + QHeaderView::moveEvent(event); } } @@ -2903,18 +2940,18 @@ class QHeaderView_Adaptor : public QHeaderView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QHeaderView::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QHeaderView::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QHeaderView::showEvent(arg1); + QHeaderView::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QHeaderView_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QHeaderView_Adaptor::cbs_showEvent_1634_0, event); } else { - QHeaderView::showEvent(arg1); + QHeaderView::showEvent(event); } } @@ -2933,18 +2970,18 @@ class QHeaderView_Adaptor : public QHeaderView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QHeaderView::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QHeaderView::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QHeaderView::tabletEvent(arg1); + QHeaderView::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QHeaderView_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QHeaderView_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QHeaderView::tabletEvent(arg1); + QHeaderView::tabletEvent(event); } } @@ -3242,7 +3279,7 @@ static void _init_ctor_QHeaderView_Adaptor_3120 (qt_gsi::GenericStaticMethod *de { static gsi::ArgSpecBase argspec_0 ("orientation"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -3252,16 +3289,16 @@ static void _call_ctor_QHeaderView_Adaptor_3120 (const qt_gsi::GenericStaticMeth __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QHeaderView_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2)); } -// void QHeaderView::actionEvent(QActionEvent *) +// void QHeaderView::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3323,11 +3360,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QHeaderView::childEvent(QChildEvent *) +// void QHeaderView::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3392,11 +3429,11 @@ static void _set_callback_cbs_closeEditor_4926_0 (void *cls, const gsi::Callback } -// void QHeaderView::closeEvent(QCloseEvent *) +// void QHeaderView::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3534,11 +3571,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QHeaderView::customEvent(QEvent *) +// void QHeaderView::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3614,7 +3651,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3623,7 +3660,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QHeaderView_Adaptor *)cls)->emitter_QHeaderView_destroyed_1302 (arg1); } @@ -3901,11 +3938,11 @@ static void _set_callback_cbs_editorDestroyed_1302_0 (void *cls, const gsi::Call } -// void QHeaderView::enterEvent(QEvent *) +// void QHeaderView::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3966,13 +4003,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QHeaderView::eventFilter(QObject *, QEvent *) +// bool QHeaderView::eventFilter(QObject *object, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("object"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -4162,11 +4199,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QHeaderView::hideEvent(QHideEvent *) +// void QHeaderView::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4515,11 +4552,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QHeaderView::keyReleaseEvent(QKeyEvent *) +// void QHeaderView::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4563,11 +4600,11 @@ static void _set_callback_cbs_keyboardSearch_2025_0 (void *cls, const gsi::Callb } -// void QHeaderView::leaveEvent(QEvent *) +// void QHeaderView::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4751,11 +4788,11 @@ static void _set_callback_cbs_moveCursor_6476_0 (void *cls, const gsi::Callback } -// void QHeaderView::moveEvent(QMoveEvent *) +// void QHeaderView::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5805,11 +5842,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QHeaderView::showEvent(QShowEvent *) +// void QHeaderView::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5983,11 +6020,11 @@ static void _call_fp_stopAutoScroll_0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QHeaderView::tabletEvent(QTabletEvent *) +// void QHeaderView::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6427,31 +6464,31 @@ gsi::Class &qtdecl_QHeaderView (); static gsi::Methods methods_QHeaderView_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QHeaderView::QHeaderView(Qt::Orientation orientation, QWidget *parent)\nThis method creates an object of class QHeaderView.", &_init_ctor_QHeaderView_Adaptor_3120, &_call_ctor_QHeaderView_Adaptor_3120); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QHeaderView::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QHeaderView::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("emit_activated", "@brief Emitter for signal void QHeaderView::activated(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_activated_2395, &_call_emitter_activated_2395); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QHeaderView::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QHeaderView::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QHeaderView::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_clicked", "@brief Emitter for signal void QHeaderView::clicked(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_clicked_2395, &_call_emitter_clicked_2395); methods += new qt_gsi::GenericMethod ("*closeEditor", "@brief Virtual method void QHeaderView::closeEditor(QWidget *editor, QAbstractItemDelegate::EndEditHint hint)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEditor_4926_0, &_call_cbs_closeEditor_4926_0); methods += new qt_gsi::GenericMethod ("*closeEditor", "@hide", false, &_init_cbs_closeEditor_4926_0, &_call_cbs_closeEditor_4926_0, &_set_callback_cbs_closeEditor_4926_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QHeaderView::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QHeaderView::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*commitData", "@brief Virtual method void QHeaderView::commitData(QWidget *editor)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*commitData", "@hide", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0, &_set_callback_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QHeaderView::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QHeaderView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QHeaderView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*currentChanged", "@brief Virtual method void QHeaderView::currentChanged(const QModelIndex ¤t, const QModelIndex &old)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@hide", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0, &_set_callback_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QHeaderView::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QHeaderView::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QHeaderView::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*dataChanged", "@brief Virtual method void QHeaderView::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QVector &roles)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dataChanged_7048_1, &_call_cbs_dataChanged_7048_1); methods += new qt_gsi::GenericMethod ("*dataChanged", "@hide", false, &_init_cbs_dataChanged_7048_1, &_call_cbs_dataChanged_7048_1, &_set_callback_cbs_dataChanged_7048_1); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QHeaderView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QHeaderView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QHeaderView::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*dirtyRegionOffset", "@brief Method QPoint QHeaderView::dirtyRegionOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_dirtyRegionOffset_c0, &_call_fp_dirtyRegionOffset_c0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QHeaderView::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -6474,12 +6511,12 @@ static gsi::Methods methods_QHeaderView_Adaptor () { methods += new qt_gsi::GenericMethod ("*edit", "@hide", false, &_init_cbs_edit_6773_0, &_call_cbs_edit_6773_0, &_set_callback_cbs_edit_6773_0); methods += new qt_gsi::GenericMethod ("*editorDestroyed", "@brief Virtual method void QHeaderView::editorDestroyed(QObject *editor)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_editorDestroyed_1302_0, &_call_cbs_editorDestroyed_1302_0); methods += new qt_gsi::GenericMethod ("*editorDestroyed", "@hide", false, &_init_cbs_editorDestroyed_1302_0, &_call_cbs_editorDestroyed_1302_0, &_set_callback_cbs_editorDestroyed_1302_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QHeaderView::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QHeaderView::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_entered", "@brief Emitter for signal void QHeaderView::entered(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_entered_2395, &_call_emitter_entered_2395); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QHeaderView::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QHeaderView::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QHeaderView::eventFilter(QObject *object, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*executeDelayedItemsLayout", "@brief Method void QHeaderView::executeDelayedItemsLayout()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_executeDelayedItemsLayout_0, &_call_fp_executeDelayedItemsLayout_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QHeaderView::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); @@ -6495,7 +6532,7 @@ static gsi::Methods methods_QHeaderView_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QHeaderView::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QHeaderView::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QHeaderView::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*horizontalOffset", "@brief Virtual method int QHeaderView::horizontalOffset()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_horizontalOffset_c0_0, &_call_cbs_horizontalOffset_c0_0); methods += new qt_gsi::GenericMethod ("*horizontalOffset", "@hide", true, &_init_cbs_horizontalOffset_c0_0, &_call_cbs_horizontalOffset_c0_0, &_set_callback_cbs_horizontalOffset_c0_0); @@ -6522,11 +6559,11 @@ static gsi::Methods methods_QHeaderView_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QHeaderView::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QHeaderView::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QHeaderView::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QHeaderView::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("keyboardSearch", "@brief Virtual method void QHeaderView::keyboardSearch(const QString &search)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyboardSearch_2025_0, &_call_cbs_keyboardSearch_2025_0); methods += new qt_gsi::GenericMethod ("keyboardSearch", "@hide", false, &_init_cbs_keyboardSearch_2025_0, &_call_cbs_keyboardSearch_2025_0, &_set_callback_cbs_keyboardSearch_2025_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QHeaderView::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QHeaderView::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QHeaderView::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); @@ -6542,7 +6579,7 @@ static gsi::Methods methods_QHeaderView_Adaptor () { methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*moveCursor", "@brief Virtual method QModelIndex QHeaderView::moveCursor(QAbstractItemView::CursorAction, QFlags)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveCursor_6476_0, &_call_cbs_moveCursor_6476_0); methods += new qt_gsi::GenericMethod ("*moveCursor", "@hide", false, &_init_cbs_moveCursor_6476_0, &_call_cbs_moveCursor_6476_0, &_set_callback_cbs_moveCursor_6476_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QHeaderView::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QHeaderView::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QHeaderView::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -6614,7 +6651,7 @@ static gsi::Methods methods_QHeaderView_Adaptor () { methods += new qt_gsi::GenericMethod ("setupViewport", "@hide", false, &_init_cbs_setupViewport_1315_0, &_call_cbs_setupViewport_1315_0, &_set_callback_cbs_setupViewport_1315_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QHeaderView::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QHeaderView::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QHeaderView::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QHeaderView::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); @@ -6628,7 +6665,7 @@ static gsi::Methods methods_QHeaderView_Adaptor () { methods += new qt_gsi::GenericMethod ("*startDrag", "@hide", false, &_init_cbs_startDrag_2456_0, &_call_cbs_startDrag_2456_0, &_set_callback_cbs_startDrag_2456_0); methods += new qt_gsi::GenericMethod ("*state", "@brief Method QAbstractItemView::State QHeaderView::state()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_state_c0, &_call_fp_state_c0); methods += new qt_gsi::GenericMethod ("*stopAutoScroll", "@brief Method void QHeaderView::stopAutoScroll()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_stopAutoScroll_0, &_call_fp_stopAutoScroll_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QHeaderView::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QHeaderView::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QHeaderView::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQInputDialog.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQInputDialog.cc index 703208c3b9..49806af6fa 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQInputDialog.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQInputDialog.cc @@ -194,6 +194,21 @@ static void _call_f_doubleMinimum_c0 (const qt_gsi::GenericMethod * /*decl*/, vo } +// double QInputDialog::doubleStep() + + +static void _init_f_doubleStep_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_doubleStep_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((double)((QInputDialog *)cls)->doubleStep ()); +} + + // double QInputDialog::doubleValue() @@ -541,6 +556,26 @@ static void _call_f_setDoubleRange_2034 (const qt_gsi::GenericMethod * /*decl*/, } +// void QInputDialog::setDoubleStep(double step) + + +static void _init_f_setDoubleStep_1071 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("step"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setDoubleStep_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QInputDialog *)cls)->setDoubleStep (arg1); +} + + // void QInputDialog::setDoubleValue(double value) @@ -910,9 +945,9 @@ static void _init_f_getDouble_12026 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_5); static gsi::ArgSpecBase argspec_6 ("decimals", true, "1"); decl->add_arg (argspec_6); - static gsi::ArgSpecBase argspec_7 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_7 ("ok", true, "nullptr"); decl->add_arg (argspec_7); - static gsi::ArgSpecBase argspec_8 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_8 ("flags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_8); decl->set_return (); } @@ -928,12 +963,58 @@ static void _call_f_getDouble_12026 (const qt_gsi::GenericStaticMethod * /*decl* double arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-2147483647, heap); double arg6 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (2147483647, heap); int arg7 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (1, heap); - bool *arg8 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg9 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + bool *arg8 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg9 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write ((double)QInputDialog::getDouble (arg1, arg2, arg3, arg4, arg5, arg6, arg7, arg8, arg9)); } +// static double QInputDialog::getDouble(QWidget *parent, const QString &title, const QString &label, double value, double minValue, double maxValue, int decimals, bool *ok, QFlags flags, double step) + + +static void _init_f_getDouble_12989 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("title"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("label"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("value"); + decl->add_arg (argspec_3); + static gsi::ArgSpecBase argspec_4 ("minValue"); + decl->add_arg (argspec_4); + static gsi::ArgSpecBase argspec_5 ("maxValue"); + decl->add_arg (argspec_5); + static gsi::ArgSpecBase argspec_6 ("decimals"); + decl->add_arg (argspec_6); + static gsi::ArgSpecBase argspec_7 ("ok"); + decl->add_arg (argspec_7); + static gsi::ArgSpecBase argspec_8 ("flags"); + decl->add_arg > (argspec_8); + static gsi::ArgSpecBase argspec_9 ("step"); + decl->add_arg (argspec_9); + decl->set_return (); +} + +static void _call_f_getDouble_12989 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QWidget *arg1 = gsi::arg_reader() (args, heap); + const QString &arg2 = gsi::arg_reader() (args, heap); + const QString &arg3 = gsi::arg_reader() (args, heap); + double arg4 = gsi::arg_reader() (args, heap); + double arg5 = gsi::arg_reader() (args, heap); + double arg6 = gsi::arg_reader() (args, heap); + int arg7 = gsi::arg_reader() (args, heap); + bool *arg8 = gsi::arg_reader() (args, heap); + QFlags arg9 = gsi::arg_reader >() (args, heap); + double arg10 = gsi::arg_reader() (args, heap); + ret.write ((double)QInputDialog::getDouble (arg1, arg2, arg3, arg4, arg5, arg6, arg7, arg8, arg9, arg10)); +} + + // static int QInputDialog::getInt(QWidget *parent, const QString &title, const QString &label, int value, int minValue, int maxValue, int step, bool *ok, QFlags flags) @@ -953,9 +1034,9 @@ static void _init_f_getInt_11114 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_5); static gsi::ArgSpecBase argspec_6 ("step", true, "1"); decl->add_arg (argspec_6); - static gsi::ArgSpecBase argspec_7 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_7 ("ok", true, "nullptr"); decl->add_arg (argspec_7); - static gsi::ArgSpecBase argspec_8 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_8 ("flags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_8); decl->set_return (); } @@ -971,8 +1052,8 @@ static void _call_f_getInt_11114 (const qt_gsi::GenericStaticMethod * /*decl*/, int arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (-2147483647, heap); int arg6 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (2147483647, heap); int arg7 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (1, heap); - bool *arg8 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg9 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + bool *arg8 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg9 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write ((int)QInputDialog::getInt (arg1, arg2, arg3, arg4, arg5, arg6, arg7, arg8, arg9)); } @@ -994,9 +1075,9 @@ static void _init_f_getItem_15099 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_4); static gsi::ArgSpecBase argspec_5 ("editable", true, "true"); decl->add_arg (argspec_5); - static gsi::ArgSpecBase argspec_6 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_6 ("ok", true, "nullptr"); decl->add_arg (argspec_6); - static gsi::ArgSpecBase argspec_7 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_7 ("flags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_7); static gsi::ArgSpecBase argspec_8 ("inputMethodHints", true, "Qt::ImhNone"); decl->add_arg > (argspec_8); @@ -1013,8 +1094,8 @@ static void _call_f_getItem_15099 (const qt_gsi::GenericStaticMethod * /*decl*/, const QStringList &arg4 = gsi::arg_reader() (args, heap); int arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); bool arg6 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (true, heap); - bool *arg7 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg8 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + bool *arg7 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg8 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); QFlags arg9 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::ImhNone, heap); ret.write ((QString)QInputDialog::getItem (arg1, arg2, arg3, arg4, arg5, arg6, arg7, arg8, arg9)); } @@ -1033,9 +1114,9 @@ static void _init_f_getMultiLineText_13272 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("text", true, "QString()"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_4 ("ok", true, "nullptr"); decl->add_arg (argspec_4); - static gsi::ArgSpecBase argspec_5 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_5 ("flags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_5); static gsi::ArgSpecBase argspec_6 ("inputMethodHints", true, "Qt::ImhNone"); decl->add_arg > (argspec_6); @@ -1050,8 +1131,8 @@ static void _call_f_getMultiLineText_13272 (const qt_gsi::GenericStaticMethod * const QString &arg2 = gsi::arg_reader() (args, heap); const QString &arg3 = gsi::arg_reader() (args, heap); const QString &arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); - bool *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + bool *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); QFlags arg7 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::ImhNone, heap); ret.write ((QString)QInputDialog::getMultiLineText (arg1, arg2, arg3, arg4, arg5, arg6, arg7)); } @@ -1072,9 +1153,9 @@ static void _init_f_getText_15351 (qt_gsi::GenericStaticMethod *decl) decl->add_arg::target_type & > (argspec_3); static gsi::ArgSpecBase argspec_4 ("text", true, "QString()"); decl->add_arg (argspec_4); - static gsi::ArgSpecBase argspec_5 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_5 ("ok", true, "nullptr"); decl->add_arg (argspec_5); - static gsi::ArgSpecBase argspec_6 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_6 ("flags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_6); static gsi::ArgSpecBase argspec_7 ("inputMethodHints", true, "Qt::ImhNone"); decl->add_arg > (argspec_7); @@ -1090,8 +1171,8 @@ static void _call_f_getText_15351 (const qt_gsi::GenericStaticMethod * /*decl*/, const QString &arg3 = gsi::arg_reader() (args, heap); const qt_gsi::Converter::target_type & arg4 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QLineEdit::Normal), heap); const QString &arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QString(), heap); - bool *arg6 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg7 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + bool *arg6 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg7 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); QFlags arg8 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::ImhNone, heap); ret.write ((QString)QInputDialog::getText (arg1, arg2, arg3, qt_gsi::QtToCppAdaptor(arg4).cref(), arg5, arg6, arg7, arg8)); } @@ -1159,6 +1240,7 @@ static gsi::Methods methods_QInputDialog () { methods += new qt_gsi::GenericMethod (":doubleDecimals", "@brief Method int QInputDialog::doubleDecimals()\n", true, &_init_f_doubleDecimals_c0, &_call_f_doubleDecimals_c0); methods += new qt_gsi::GenericMethod (":doubleMaximum", "@brief Method double QInputDialog::doubleMaximum()\n", true, &_init_f_doubleMaximum_c0, &_call_f_doubleMaximum_c0); methods += new qt_gsi::GenericMethod (":doubleMinimum", "@brief Method double QInputDialog::doubleMinimum()\n", true, &_init_f_doubleMinimum_c0, &_call_f_doubleMinimum_c0); + methods += new qt_gsi::GenericMethod ("doubleStep", "@brief Method double QInputDialog::doubleStep()\n", true, &_init_f_doubleStep_c0, &_call_f_doubleStep_c0); methods += new qt_gsi::GenericMethod (":doubleValue", "@brief Method double QInputDialog::doubleValue()\n", true, &_init_f_doubleValue_c0, &_call_f_doubleValue_c0); methods += new qt_gsi::GenericMethod (":inputMode", "@brief Method QInputDialog::InputMode QInputDialog::inputMode()\n", true, &_init_f_inputMode_c0, &_call_f_inputMode_c0); methods += new qt_gsi::GenericMethod (":intMaximum", "@brief Method int QInputDialog::intMaximum()\n", true, &_init_f_intMaximum_c0, &_call_f_intMaximum_c0); @@ -1179,6 +1261,7 @@ static gsi::Methods methods_QInputDialog () { methods += new qt_gsi::GenericMethod ("setDoubleMaximum|doubleMaximum=", "@brief Method void QInputDialog::setDoubleMaximum(double max)\n", false, &_init_f_setDoubleMaximum_1071, &_call_f_setDoubleMaximum_1071); methods += new qt_gsi::GenericMethod ("setDoubleMinimum|doubleMinimum=", "@brief Method void QInputDialog::setDoubleMinimum(double min)\n", false, &_init_f_setDoubleMinimum_1071, &_call_f_setDoubleMinimum_1071); methods += new qt_gsi::GenericMethod ("setDoubleRange", "@brief Method void QInputDialog::setDoubleRange(double min, double max)\n", false, &_init_f_setDoubleRange_2034, &_call_f_setDoubleRange_2034); + methods += new qt_gsi::GenericMethod ("setDoubleStep", "@brief Method void QInputDialog::setDoubleStep(double step)\n", false, &_init_f_setDoubleStep_1071, &_call_f_setDoubleStep_1071); methods += new qt_gsi::GenericMethod ("setDoubleValue|doubleValue=", "@brief Method void QInputDialog::setDoubleValue(double value)\n", false, &_init_f_setDoubleValue_1071, &_call_f_setDoubleValue_1071); methods += new qt_gsi::GenericMethod ("setInputMode|inputMode=", "@brief Method void QInputDialog::setInputMode(QInputDialog::InputMode mode)\n", false, &_init_f_setInputMode_2670, &_call_f_setInputMode_2670); methods += new qt_gsi::GenericMethod ("setIntMaximum|intMaximum=", "@brief Method void QInputDialog::setIntMaximum(int max)\n", false, &_init_f_setIntMaximum_767, &_call_f_setIntMaximum_767); @@ -1213,6 +1296,7 @@ static gsi::Methods methods_QInputDialog () { methods += gsi::qt_signal ("windowIconTextChanged(const QString &)", "windowIconTextChanged", gsi::arg("iconText"), "@brief Signal declaration for QInputDialog::windowIconTextChanged(const QString &iconText)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("windowTitleChanged(const QString &)", "windowTitleChanged", gsi::arg("title"), "@brief Signal declaration for QInputDialog::windowTitleChanged(const QString &title)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("getDouble", "@brief Static method double QInputDialog::getDouble(QWidget *parent, const QString &title, const QString &label, double value, double minValue, double maxValue, int decimals, bool *ok, QFlags flags)\nThis method is static and can be called without an instance.", &_init_f_getDouble_12026, &_call_f_getDouble_12026); + methods += new qt_gsi::GenericStaticMethod ("getDouble", "@brief Static method double QInputDialog::getDouble(QWidget *parent, const QString &title, const QString &label, double value, double minValue, double maxValue, int decimals, bool *ok, QFlags flags, double step)\nThis method is static and can be called without an instance.", &_init_f_getDouble_12989, &_call_f_getDouble_12989); methods += new qt_gsi::GenericStaticMethod ("getInt", "@brief Static method int QInputDialog::getInt(QWidget *parent, const QString &title, const QString &label, int value, int minValue, int maxValue, int step, bool *ok, QFlags flags)\nThis method is static and can be called without an instance.", &_init_f_getInt_11114, &_call_f_getInt_11114); methods += new qt_gsi::GenericStaticMethod ("getItem", "@brief Static method QString QInputDialog::getItem(QWidget *parent, const QString &title, const QString &label, const QStringList &items, int current, bool editable, bool *ok, QFlags flags, QFlags inputMethodHints)\nThis method is static and can be called without an instance.", &_init_f_getItem_15099, &_call_f_getItem_15099); methods += new qt_gsi::GenericStaticMethod ("getMultiLineText", "@brief Static method QString QInputDialog::getMultiLineText(QWidget *parent, const QString &title, const QString &label, const QString &text, bool *ok, QFlags flags, QFlags inputMethodHints)\nThis method is static and can be called without an instance.", &_init_f_getMultiLineText_13272, &_call_f_getMultiLineText_13272); @@ -1578,18 +1662,18 @@ class QInputDialog_Adaptor : public QInputDialog, public qt_gsi::QtObjectBase emit QInputDialog::windowTitleChanged(title); } - // [adaptor impl] void QInputDialog::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QInputDialog::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QInputDialog::actionEvent(arg1); + QInputDialog::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QInputDialog_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QInputDialog_Adaptor::cbs_actionEvent_1823_0, event); } else { - QInputDialog::actionEvent(arg1); + QInputDialog::actionEvent(event); } } @@ -1608,18 +1692,18 @@ class QInputDialog_Adaptor : public QInputDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QInputDialog::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QInputDialog::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QInputDialog::childEvent(arg1); + QInputDialog::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QInputDialog_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QInputDialog_Adaptor::cbs_childEvent_1701_0, event); } else { - QInputDialog::childEvent(arg1); + QInputDialog::childEvent(event); } } @@ -1653,18 +1737,18 @@ class QInputDialog_Adaptor : public QInputDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QInputDialog::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QInputDialog::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QInputDialog::customEvent(arg1); + QInputDialog::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QInputDialog_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QInputDialog_Adaptor::cbs_customEvent_1217_0, event); } else { - QInputDialog::customEvent(arg1); + QInputDialog::customEvent(event); } } @@ -1683,93 +1767,93 @@ class QInputDialog_Adaptor : public QInputDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QInputDialog::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QInputDialog::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QInputDialog::dragEnterEvent(arg1); + QInputDialog::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QInputDialog_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QInputDialog_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QInputDialog::dragEnterEvent(arg1); + QInputDialog::dragEnterEvent(event); } } - // [adaptor impl] void QInputDialog::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QInputDialog::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QInputDialog::dragLeaveEvent(arg1); + QInputDialog::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QInputDialog_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QInputDialog_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QInputDialog::dragLeaveEvent(arg1); + QInputDialog::dragLeaveEvent(event); } } - // [adaptor impl] void QInputDialog::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QInputDialog::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QInputDialog::dragMoveEvent(arg1); + QInputDialog::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QInputDialog_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QInputDialog_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QInputDialog::dragMoveEvent(arg1); + QInputDialog::dragMoveEvent(event); } } - // [adaptor impl] void QInputDialog::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QInputDialog::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QInputDialog::dropEvent(arg1); + QInputDialog::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QInputDialog_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QInputDialog_Adaptor::cbs_dropEvent_1622_0, event); } else { - QInputDialog::dropEvent(arg1); + QInputDialog::dropEvent(event); } } - // [adaptor impl] void QInputDialog::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QInputDialog::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QInputDialog::enterEvent(arg1); + QInputDialog::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QInputDialog_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QInputDialog_Adaptor::cbs_enterEvent_1217_0, event); } else { - QInputDialog::enterEvent(arg1); + QInputDialog::enterEvent(event); } } - // [adaptor impl] bool QInputDialog::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QInputDialog::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QInputDialog::event(arg1); + return QInputDialog::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QInputDialog_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QInputDialog_Adaptor::cbs_event_1217_0, _event); } else { - return QInputDialog::event(arg1); + return QInputDialog::event(_event); } } @@ -1788,18 +1872,18 @@ class QInputDialog_Adaptor : public QInputDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QInputDialog::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QInputDialog::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QInputDialog::focusInEvent(arg1); + QInputDialog::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QInputDialog_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QInputDialog_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QInputDialog::focusInEvent(arg1); + QInputDialog::focusInEvent(event); } } @@ -1818,33 +1902,33 @@ class QInputDialog_Adaptor : public QInputDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QInputDialog::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QInputDialog::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QInputDialog::focusOutEvent(arg1); + QInputDialog::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QInputDialog_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QInputDialog_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QInputDialog::focusOutEvent(arg1); + QInputDialog::focusOutEvent(event); } } - // [adaptor impl] void QInputDialog::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QInputDialog::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QInputDialog::hideEvent(arg1); + QInputDialog::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QInputDialog_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QInputDialog_Adaptor::cbs_hideEvent_1595_0, event); } else { - QInputDialog::hideEvent(arg1); + QInputDialog::hideEvent(event); } } @@ -1893,33 +1977,33 @@ class QInputDialog_Adaptor : public QInputDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QInputDialog::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QInputDialog::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QInputDialog::keyReleaseEvent(arg1); + QInputDialog::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QInputDialog_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QInputDialog_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QInputDialog::keyReleaseEvent(arg1); + QInputDialog::keyReleaseEvent(event); } } - // [adaptor impl] void QInputDialog::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QInputDialog::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QInputDialog::leaveEvent(arg1); + QInputDialog::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QInputDialog_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QInputDialog_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QInputDialog::leaveEvent(arg1); + QInputDialog::leaveEvent(event); } } @@ -1938,78 +2022,78 @@ class QInputDialog_Adaptor : public QInputDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QInputDialog::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QInputDialog::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QInputDialog::mouseDoubleClickEvent(arg1); + QInputDialog::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QInputDialog_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QInputDialog_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QInputDialog::mouseDoubleClickEvent(arg1); + QInputDialog::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QInputDialog::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QInputDialog::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QInputDialog::mouseMoveEvent(arg1); + QInputDialog::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QInputDialog_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QInputDialog_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QInputDialog::mouseMoveEvent(arg1); + QInputDialog::mouseMoveEvent(event); } } - // [adaptor impl] void QInputDialog::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QInputDialog::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QInputDialog::mousePressEvent(arg1); + QInputDialog::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QInputDialog_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QInputDialog_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QInputDialog::mousePressEvent(arg1); + QInputDialog::mousePressEvent(event); } } - // [adaptor impl] void QInputDialog::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QInputDialog::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QInputDialog::mouseReleaseEvent(arg1); + QInputDialog::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QInputDialog_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QInputDialog_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QInputDialog::mouseReleaseEvent(arg1); + QInputDialog::mouseReleaseEvent(event); } } - // [adaptor impl] void QInputDialog::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QInputDialog::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QInputDialog::moveEvent(arg1); + QInputDialog::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QInputDialog_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QInputDialog_Adaptor::cbs_moveEvent_1624_0, event); } else { - QInputDialog::moveEvent(arg1); + QInputDialog::moveEvent(event); } } @@ -2028,18 +2112,18 @@ class QInputDialog_Adaptor : public QInputDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QInputDialog::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QInputDialog::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QInputDialog::paintEvent(arg1); + QInputDialog::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QInputDialog_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QInputDialog_Adaptor::cbs_paintEvent_1725_0, event); } else { - QInputDialog::paintEvent(arg1); + QInputDialog::paintEvent(event); } } @@ -2103,48 +2187,48 @@ class QInputDialog_Adaptor : public QInputDialog, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QInputDialog::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QInputDialog::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QInputDialog::tabletEvent(arg1); + QInputDialog::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QInputDialog_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QInputDialog_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QInputDialog::tabletEvent(arg1); + QInputDialog::tabletEvent(event); } } - // [adaptor impl] void QInputDialog::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QInputDialog::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QInputDialog::timerEvent(arg1); + QInputDialog::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QInputDialog_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QInputDialog_Adaptor::cbs_timerEvent_1730_0, event); } else { - QInputDialog::timerEvent(arg1); + QInputDialog::timerEvent(event); } } - // [adaptor impl] void QInputDialog::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QInputDialog::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QInputDialog::wheelEvent(arg1); + QInputDialog::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QInputDialog_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QInputDialog_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QInputDialog::wheelEvent(arg1); + QInputDialog::wheelEvent(event); } } @@ -2206,9 +2290,9 @@ QInputDialog_Adaptor::~QInputDialog_Adaptor() { } static void _init_ctor_QInputDialog_Adaptor_3702 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_1 ("flags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_1); decl->set_return_new (); } @@ -2217,8 +2301,8 @@ static void _call_ctor_QInputDialog_Adaptor_3702 (const qt_gsi::GenericStaticMet { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QInputDialog_Adaptor (arg1, arg2)); } @@ -2257,11 +2341,11 @@ static void _call_emitter_accepted_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QInputDialog::actionEvent(QActionEvent *) +// void QInputDialog::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2324,11 +2408,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QInputDialog::childEvent(QChildEvent *) +// void QInputDialog::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2439,11 +2523,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QInputDialog::customEvent(QEvent *) +// void QInputDialog::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2489,7 +2573,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2498,7 +2582,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QInputDialog_Adaptor *)cls)->emitter_QInputDialog_destroyed_1302 (arg1); } @@ -2587,11 +2671,11 @@ static void _call_emitter_doubleValueSelected_1071 (const qt_gsi::GenericMethod } -// void QInputDialog::dragEnterEvent(QDragEnterEvent *) +// void QInputDialog::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2611,11 +2695,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QInputDialog::dragLeaveEvent(QDragLeaveEvent *) +// void QInputDialog::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2635,11 +2719,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QInputDialog::dragMoveEvent(QDragMoveEvent *) +// void QInputDialog::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2659,11 +2743,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QInputDialog::dropEvent(QDropEvent *) +// void QInputDialog::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2683,11 +2767,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QInputDialog::enterEvent(QEvent *) +// void QInputDialog::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2707,11 +2791,11 @@ static void _set_callback_cbs_enterEvent_1217_0 (void *cls, const gsi::Callback } -// bool QInputDialog::event(QEvent *) +// bool QInputDialog::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2793,11 +2877,11 @@ static void _call_emitter_finished_767 (const qt_gsi::GenericMethod * /*decl*/, } -// void QInputDialog::focusInEvent(QFocusEvent *) +// void QInputDialog::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2854,11 +2938,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QInputDialog::focusOutEvent(QFocusEvent *) +// void QInputDialog::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2934,11 +3018,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QInputDialog::hideEvent(QHideEvent *) +// void QInputDialog::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3107,11 +3191,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QInputDialog::keyReleaseEvent(QKeyEvent *) +// void QInputDialog::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3131,11 +3215,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QInputDialog::leaveEvent(QEvent *) +// void QInputDialog::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3197,11 +3281,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QInputDialog::mouseDoubleClickEvent(QMouseEvent *) +// void QInputDialog::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3221,11 +3305,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QInputDialog::mouseMoveEvent(QMouseEvent *) +// void QInputDialog::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3245,11 +3329,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QInputDialog::mousePressEvent(QMouseEvent *) +// void QInputDialog::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3269,11 +3353,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QInputDialog::mouseReleaseEvent(QMouseEvent *) +// void QInputDialog::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3293,11 +3377,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QInputDialog::moveEvent(QMoveEvent *) +// void QInputDialog::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3403,11 +3487,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QInputDialog::paintEvent(QPaintEvent *) +// void QInputDialog::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3640,11 +3724,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QInputDialog::tabletEvent(QTabletEvent *) +// void QInputDialog::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3700,11 +3784,11 @@ static void _call_emitter_textValueSelected_2025 (const qt_gsi::GenericMethod * } -// void QInputDialog::timerEvent(QTimerEvent *) +// void QInputDialog::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3739,11 +3823,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QInputDialog::wheelEvent(QWheelEvent *) +// void QInputDialog::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3828,22 +3912,22 @@ static gsi::Methods methods_QInputDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("accept", "@brief Virtual method void QInputDialog::accept()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("accept", "@hide", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0, &_set_callback_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("emit_accepted", "@brief Emitter for signal void QInputDialog::accepted()\nCall this method to emit this signal.", false, &_init_emitter_accepted_0, &_call_emitter_accepted_0); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QInputDialog::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QInputDialog::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*adjustPosition", "@brief Method void QInputDialog::adjustPosition(QWidget *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_adjustPosition_1315, &_call_fp_adjustPosition_1315); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QInputDialog::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QInputDialog::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QInputDialog::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QInputDialog::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QInputDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QInputDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QInputDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QInputDialog::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QInputDialog::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QInputDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QInputDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QInputDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QInputDialog::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QInputDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); @@ -3851,36 +3935,36 @@ static gsi::Methods methods_QInputDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("done", "@hide", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0, &_set_callback_cbs_done_767_0); methods += new qt_gsi::GenericMethod ("emit_doubleValueChanged", "@brief Emitter for signal void QInputDialog::doubleValueChanged(double value)\nCall this method to emit this signal.", false, &_init_emitter_doubleValueChanged_1071, &_call_emitter_doubleValueChanged_1071); methods += new qt_gsi::GenericMethod ("emit_doubleValueSelected", "@brief Emitter for signal void QInputDialog::doubleValueSelected(double value)\nCall this method to emit this signal.", false, &_init_emitter_doubleValueSelected_1071, &_call_emitter_doubleValueSelected_1071); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QInputDialog::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QInputDialog::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QInputDialog::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QInputDialog::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QInputDialog::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QInputDialog::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QInputDialog::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QInputDialog::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QInputDialog::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QInputDialog::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QInputDialog::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QInputDialog::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QInputDialog::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("exec", "@brief Virtual method int QInputDialog::exec()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("exec", "@hide", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0, &_set_callback_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QInputDialog::finished(int result)\nCall this method to emit this signal.", false, &_init_emitter_finished_767, &_call_emitter_finished_767); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QInputDialog::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QInputDialog::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QInputDialog::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QInputDialog::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QInputDialog::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QInputDialog::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QInputDialog::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QInputDialog::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QInputDialog::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QInputDialog::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QInputDialog::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QInputDialog::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -3893,23 +3977,23 @@ static gsi::Methods methods_QInputDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QInputDialog::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QInputDialog::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QInputDialog::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QInputDialog::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QInputDialog::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QInputDialog::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QInputDialog::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QInputDialog::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QInputDialog::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QInputDialog::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QInputDialog::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QInputDialog::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QInputDialog::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QInputDialog::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QInputDialog::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QInputDialog::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QInputDialog::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QInputDialog::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QInputDialog::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3918,7 +4002,7 @@ static gsi::Methods methods_QInputDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("open", "@hide", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0, &_set_callback_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QInputDialog::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QInputDialog::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QInputDialog::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QInputDialog::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QInputDialog::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); @@ -3938,14 +4022,14 @@ static gsi::Methods methods_QInputDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QInputDialog::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QInputDialog::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QInputDialog::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("emit_textValueChanged", "@brief Emitter for signal void QInputDialog::textValueChanged(const QString &text)\nCall this method to emit this signal.", false, &_init_emitter_textValueChanged_2025, &_call_emitter_textValueChanged_2025); methods += new qt_gsi::GenericMethod ("emit_textValueSelected", "@brief Emitter for signal void QInputDialog::textValueSelected(const QString &text)\nCall this method to emit this signal.", false, &_init_emitter_textValueSelected_2025, &_call_emitter_textValueSelected_2025); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QInputDialog::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QInputDialog::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QInputDialog::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QInputDialog::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QInputDialog::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QInputDialog::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QInputDialog::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQItemDelegate.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQItemDelegate.cc index 5cb411daaf..b569b90d96 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQItemDelegate.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQItemDelegate.cc @@ -499,18 +499,18 @@ class QItemDelegate_Adaptor : public QItemDelegate, public qt_gsi::QtObjectBase emit QItemDelegate::destroyed(arg1); } - // [adaptor impl] bool QItemDelegate::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QItemDelegate::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QItemDelegate::event(arg1); + return QItemDelegate::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QItemDelegate_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QItemDelegate_Adaptor::cbs_event_1217_0, _event); } else { - return QItemDelegate::event(arg1); + return QItemDelegate::event(_event); } } @@ -632,33 +632,33 @@ class QItemDelegate_Adaptor : public QItemDelegate, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QItemDelegate::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QItemDelegate::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QItemDelegate::childEvent(arg1); + QItemDelegate::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QItemDelegate_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QItemDelegate_Adaptor::cbs_childEvent_1701_0, event); } else { - QItemDelegate::childEvent(arg1); + QItemDelegate::childEvent(event); } } - // [adaptor impl] void QItemDelegate::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QItemDelegate::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QItemDelegate::customEvent(arg1); + QItemDelegate::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QItemDelegate_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QItemDelegate_Adaptor::cbs_customEvent_1217_0, event); } else { - QItemDelegate::customEvent(arg1); + QItemDelegate::customEvent(event); } } @@ -767,18 +767,18 @@ class QItemDelegate_Adaptor : public QItemDelegate, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QItemDelegate::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QItemDelegate::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QItemDelegate::timerEvent(arg1); + QItemDelegate::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QItemDelegate_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QItemDelegate_Adaptor::cbs_timerEvent_1730_0, event); } else { - QItemDelegate::timerEvent(arg1); + QItemDelegate::timerEvent(event); } } @@ -810,7 +810,7 @@ QItemDelegate_Adaptor::~QItemDelegate_Adaptor() { } static void _init_ctor_QItemDelegate_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -819,16 +819,16 @@ static void _call_ctor_QItemDelegate_Adaptor_1302 (const qt_gsi::GenericStaticMe { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QItemDelegate_Adaptor (arg1)); } -// void QItemDelegate::childEvent(QChildEvent *) +// void QItemDelegate::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -916,11 +916,11 @@ static void _set_callback_cbs_createEditor_c6860_0 (void *cls, const gsi::Callba } -// void QItemDelegate::customEvent(QEvent *) +// void QItemDelegate::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -992,7 +992,7 @@ static void _set_callback_cbs_destroyEditor_c3602_0 (void *cls, const gsi::Callb static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1001,7 +1001,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QItemDelegate_Adaptor *)cls)->emitter_QItemDelegate_destroyed_1302 (arg1); } @@ -1271,11 +1271,11 @@ static void _set_callback_cbs_editorEvent_9073_0 (void *cls, const gsi::Callback } -// bool QItemDelegate::event(QEvent *) +// bool QItemDelegate::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1680,11 +1680,11 @@ static void _call_fp_textRectangle_c6720 (const qt_gsi::GenericMethod * /*decl*/ } -// void QItemDelegate::timerEvent(QTimerEvent *) +// void QItemDelegate::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1742,13 +1742,13 @@ gsi::Class &qtdecl_QItemDelegate (); static gsi::Methods methods_QItemDelegate_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QItemDelegate::QItemDelegate(QObject *parent)\nThis method creates an object of class QItemDelegate.", &_init_ctor_QItemDelegate_Adaptor_1302, &_call_ctor_QItemDelegate_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QItemDelegate::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QItemDelegate::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_closeEditor", "@brief Emitter for signal void QItemDelegate::closeEditor(QWidget *editor, QAbstractItemDelegate::EndEditHint hint)\nCall this method to emit this signal.", false, &_init_emitter_closeEditor_4926, &_call_emitter_closeEditor_4926); methods += new qt_gsi::GenericMethod ("emit_commitData", "@brief Emitter for signal void QItemDelegate::commitData(QWidget *editor)\nCall this method to emit this signal.", false, &_init_emitter_commitData_1315, &_call_emitter_commitData_1315); methods += new qt_gsi::GenericMethod ("createEditor", "@brief Virtual method QWidget *QItemDelegate::createEditor(QWidget *parent, const QStyleOptionViewItem &option, const QModelIndex &index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_createEditor_c6860_0, &_call_cbs_createEditor_c6860_0); methods += new qt_gsi::GenericMethod ("createEditor", "@hide", true, &_init_cbs_createEditor_c6860_0, &_call_cbs_createEditor_c6860_0, &_set_callback_cbs_createEditor_c6860_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QItemDelegate::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QItemDelegate::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*decoration", "@brief Method QPixmap QItemDelegate::decoration(const QStyleOptionViewItem &option, const QVariant &variant)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_decoration_c5377, &_call_fp_decoration_c5377); methods += new qt_gsi::GenericMethod ("destroyEditor", "@brief Virtual method void QItemDelegate::destroyEditor(QWidget *editor, const QModelIndex &index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_destroyEditor_c3602_0, &_call_cbs_destroyEditor_c3602_0); @@ -1769,7 +1769,7 @@ static gsi::Methods methods_QItemDelegate_Adaptor () { methods += new qt_gsi::GenericMethod ("*drawFocus", "@hide", true, &_init_cbs_drawFocus_c6368_0, &_call_cbs_drawFocus_c6368_0, &_set_callback_cbs_drawFocus_c6368_0); methods += new qt_gsi::GenericMethod ("*editorEvent", "@brief Virtual method bool QItemDelegate::editorEvent(QEvent *event, QAbstractItemModel *model, const QStyleOptionViewItem &option, const QModelIndex &index)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_editorEvent_9073_0, &_call_cbs_editorEvent_9073_0); methods += new qt_gsi::GenericMethod ("*editorEvent", "@hide", false, &_init_cbs_editorEvent_9073_0, &_call_cbs_editorEvent_9073_0, &_set_callback_cbs_editorEvent_9073_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QItemDelegate::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QItemDelegate::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QItemDelegate::eventFilter(QObject *object, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); @@ -1795,7 +1795,7 @@ static gsi::Methods methods_QItemDelegate_Adaptor () { methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c5653_0, &_call_cbs_sizeHint_c5653_0, &_set_callback_cbs_sizeHint_c5653_0); methods += new qt_gsi::GenericMethod ("emit_sizeHintChanged", "@brief Emitter for signal void QItemDelegate::sizeHintChanged(const QModelIndex &)\nCall this method to emit this signal.", false, &_init_emitter_sizeHintChanged_2395, &_call_emitter_sizeHintChanged_2395); methods += new qt_gsi::GenericMethod ("*textRectangle", "@brief Method QRect QItemDelegate::textRectangle(QPainter *painter, const QRect &rect, const QFont &font, const QString &text)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_textRectangle_c6720, &_call_fp_textRectangle_c6720); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QItemDelegate::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QItemDelegate::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("updateEditorGeometry", "@brief Virtual method void QItemDelegate::updateEditorGeometry(QWidget *editor, const QStyleOptionViewItem &option, const QModelIndex &index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_updateEditorGeometry_c6860_0, &_call_cbs_updateEditorGeometry_c6860_0); methods += new qt_gsi::GenericMethod ("updateEditorGeometry", "@hide", true, &_init_cbs_updateEditorGeometry_c6860_0, &_call_cbs_updateEditorGeometry_c6860_0, &_set_callback_cbs_updateEditorGeometry_c6860_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQKeySequenceEdit.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQKeySequenceEdit.cc index 8c792555d6..00aaeb600e 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQKeySequenceEdit.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQKeySequenceEdit.cc @@ -326,18 +326,18 @@ class QKeySequenceEdit_Adaptor : public QKeySequenceEdit, public qt_gsi::QtObjec emit QKeySequenceEdit::editingFinished(); } - // [adaptor impl] bool QKeySequenceEdit::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QKeySequenceEdit::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QKeySequenceEdit::eventFilter(arg1, arg2); + return QKeySequenceEdit::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QKeySequenceEdit_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QKeySequenceEdit_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QKeySequenceEdit::eventFilter(arg1, arg2); + return QKeySequenceEdit::eventFilter(watched, event); } } @@ -477,18 +477,18 @@ class QKeySequenceEdit_Adaptor : public QKeySequenceEdit, public qt_gsi::QtObjec emit QKeySequenceEdit::windowTitleChanged(title); } - // [adaptor impl] void QKeySequenceEdit::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QKeySequenceEdit::actionEvent(arg1); + QKeySequenceEdit::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QKeySequenceEdit_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QKeySequenceEdit_Adaptor::cbs_actionEvent_1823_0, event); } else { - QKeySequenceEdit::actionEvent(arg1); + QKeySequenceEdit::actionEvent(event); } } @@ -507,63 +507,63 @@ class QKeySequenceEdit_Adaptor : public QKeySequenceEdit, public qt_gsi::QtObjec } } - // [adaptor impl] void QKeySequenceEdit::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QKeySequenceEdit::childEvent(arg1); + QKeySequenceEdit::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QKeySequenceEdit_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QKeySequenceEdit_Adaptor::cbs_childEvent_1701_0, event); } else { - QKeySequenceEdit::childEvent(arg1); + QKeySequenceEdit::childEvent(event); } } - // [adaptor impl] void QKeySequenceEdit::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QKeySequenceEdit::closeEvent(arg1); + QKeySequenceEdit::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QKeySequenceEdit_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QKeySequenceEdit_Adaptor::cbs_closeEvent_1719_0, event); } else { - QKeySequenceEdit::closeEvent(arg1); + QKeySequenceEdit::closeEvent(event); } } - // [adaptor impl] void QKeySequenceEdit::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QKeySequenceEdit::contextMenuEvent(arg1); + QKeySequenceEdit::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QKeySequenceEdit_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QKeySequenceEdit_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QKeySequenceEdit::contextMenuEvent(arg1); + QKeySequenceEdit::contextMenuEvent(event); } } - // [adaptor impl] void QKeySequenceEdit::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QKeySequenceEdit::customEvent(arg1); + QKeySequenceEdit::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QKeySequenceEdit_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QKeySequenceEdit_Adaptor::cbs_customEvent_1217_0, event); } else { - QKeySequenceEdit::customEvent(arg1); + QKeySequenceEdit::customEvent(event); } } @@ -582,78 +582,78 @@ class QKeySequenceEdit_Adaptor : public QKeySequenceEdit, public qt_gsi::QtObjec } } - // [adaptor impl] void QKeySequenceEdit::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QKeySequenceEdit::dragEnterEvent(arg1); + QKeySequenceEdit::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QKeySequenceEdit_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QKeySequenceEdit_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QKeySequenceEdit::dragEnterEvent(arg1); + QKeySequenceEdit::dragEnterEvent(event); } } - // [adaptor impl] void QKeySequenceEdit::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QKeySequenceEdit::dragLeaveEvent(arg1); + QKeySequenceEdit::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QKeySequenceEdit_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QKeySequenceEdit_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QKeySequenceEdit::dragLeaveEvent(arg1); + QKeySequenceEdit::dragLeaveEvent(event); } } - // [adaptor impl] void QKeySequenceEdit::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QKeySequenceEdit::dragMoveEvent(arg1); + QKeySequenceEdit::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QKeySequenceEdit_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QKeySequenceEdit_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QKeySequenceEdit::dragMoveEvent(arg1); + QKeySequenceEdit::dragMoveEvent(event); } } - // [adaptor impl] void QKeySequenceEdit::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QKeySequenceEdit::dropEvent(arg1); + QKeySequenceEdit::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QKeySequenceEdit_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QKeySequenceEdit_Adaptor::cbs_dropEvent_1622_0, event); } else { - QKeySequenceEdit::dropEvent(arg1); + QKeySequenceEdit::dropEvent(event); } } - // [adaptor impl] void QKeySequenceEdit::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QKeySequenceEdit::enterEvent(arg1); + QKeySequenceEdit::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QKeySequenceEdit_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QKeySequenceEdit_Adaptor::cbs_enterEvent_1217_0, event); } else { - QKeySequenceEdit::enterEvent(arg1); + QKeySequenceEdit::enterEvent(event); } } @@ -672,18 +672,18 @@ class QKeySequenceEdit_Adaptor : public QKeySequenceEdit, public qt_gsi::QtObjec } } - // [adaptor impl] void QKeySequenceEdit::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QKeySequenceEdit::focusInEvent(arg1); + QKeySequenceEdit::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QKeySequenceEdit_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QKeySequenceEdit_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QKeySequenceEdit::focusInEvent(arg1); + QKeySequenceEdit::focusInEvent(event); } } @@ -702,33 +702,33 @@ class QKeySequenceEdit_Adaptor : public QKeySequenceEdit, public qt_gsi::QtObjec } } - // [adaptor impl] void QKeySequenceEdit::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QKeySequenceEdit::focusOutEvent(arg1); + QKeySequenceEdit::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QKeySequenceEdit_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QKeySequenceEdit_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QKeySequenceEdit::focusOutEvent(arg1); + QKeySequenceEdit::focusOutEvent(event); } } - // [adaptor impl] void QKeySequenceEdit::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QKeySequenceEdit::hideEvent(arg1); + QKeySequenceEdit::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QKeySequenceEdit_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QKeySequenceEdit_Adaptor::cbs_hideEvent_1595_0, event); } else { - QKeySequenceEdit::hideEvent(arg1); + QKeySequenceEdit::hideEvent(event); } } @@ -792,18 +792,18 @@ class QKeySequenceEdit_Adaptor : public QKeySequenceEdit, public qt_gsi::QtObjec } } - // [adaptor impl] void QKeySequenceEdit::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QKeySequenceEdit::leaveEvent(arg1); + QKeySequenceEdit::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QKeySequenceEdit_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QKeySequenceEdit_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QKeySequenceEdit::leaveEvent(arg1); + QKeySequenceEdit::leaveEvent(event); } } @@ -822,78 +822,78 @@ class QKeySequenceEdit_Adaptor : public QKeySequenceEdit, public qt_gsi::QtObjec } } - // [adaptor impl] void QKeySequenceEdit::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QKeySequenceEdit::mouseDoubleClickEvent(arg1); + QKeySequenceEdit::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QKeySequenceEdit_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QKeySequenceEdit_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QKeySequenceEdit::mouseDoubleClickEvent(arg1); + QKeySequenceEdit::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QKeySequenceEdit::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QKeySequenceEdit::mouseMoveEvent(arg1); + QKeySequenceEdit::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QKeySequenceEdit_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QKeySequenceEdit_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QKeySequenceEdit::mouseMoveEvent(arg1); + QKeySequenceEdit::mouseMoveEvent(event); } } - // [adaptor impl] void QKeySequenceEdit::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QKeySequenceEdit::mousePressEvent(arg1); + QKeySequenceEdit::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QKeySequenceEdit_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QKeySequenceEdit_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QKeySequenceEdit::mousePressEvent(arg1); + QKeySequenceEdit::mousePressEvent(event); } } - // [adaptor impl] void QKeySequenceEdit::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QKeySequenceEdit::mouseReleaseEvent(arg1); + QKeySequenceEdit::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QKeySequenceEdit_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QKeySequenceEdit_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QKeySequenceEdit::mouseReleaseEvent(arg1); + QKeySequenceEdit::mouseReleaseEvent(event); } } - // [adaptor impl] void QKeySequenceEdit::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QKeySequenceEdit::moveEvent(arg1); + QKeySequenceEdit::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QKeySequenceEdit_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QKeySequenceEdit_Adaptor::cbs_moveEvent_1624_0, event); } else { - QKeySequenceEdit::moveEvent(arg1); + QKeySequenceEdit::moveEvent(event); } } @@ -912,18 +912,18 @@ class QKeySequenceEdit_Adaptor : public QKeySequenceEdit, public qt_gsi::QtObjec } } - // [adaptor impl] void QKeySequenceEdit::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QKeySequenceEdit::paintEvent(arg1); + QKeySequenceEdit::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QKeySequenceEdit_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QKeySequenceEdit_Adaptor::cbs_paintEvent_1725_0, event); } else { - QKeySequenceEdit::paintEvent(arg1); + QKeySequenceEdit::paintEvent(event); } } @@ -942,18 +942,18 @@ class QKeySequenceEdit_Adaptor : public QKeySequenceEdit, public qt_gsi::QtObjec } } - // [adaptor impl] void QKeySequenceEdit::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QKeySequenceEdit::resizeEvent(arg1); + QKeySequenceEdit::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QKeySequenceEdit_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QKeySequenceEdit_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QKeySequenceEdit::resizeEvent(arg1); + QKeySequenceEdit::resizeEvent(event); } } @@ -972,33 +972,33 @@ class QKeySequenceEdit_Adaptor : public QKeySequenceEdit, public qt_gsi::QtObjec } } - // [adaptor impl] void QKeySequenceEdit::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QKeySequenceEdit::showEvent(arg1); + QKeySequenceEdit::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QKeySequenceEdit_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QKeySequenceEdit_Adaptor::cbs_showEvent_1634_0, event); } else { - QKeySequenceEdit::showEvent(arg1); + QKeySequenceEdit::showEvent(event); } } - // [adaptor impl] void QKeySequenceEdit::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QKeySequenceEdit::tabletEvent(arg1); + QKeySequenceEdit::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QKeySequenceEdit_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QKeySequenceEdit_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QKeySequenceEdit::tabletEvent(arg1); + QKeySequenceEdit::tabletEvent(event); } } @@ -1017,18 +1017,18 @@ class QKeySequenceEdit_Adaptor : public QKeySequenceEdit, public qt_gsi::QtObjec } } - // [adaptor impl] void QKeySequenceEdit::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QKeySequenceEdit::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QKeySequenceEdit::wheelEvent(arg1); + QKeySequenceEdit::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QKeySequenceEdit_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QKeySequenceEdit_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QKeySequenceEdit::wheelEvent(arg1); + QKeySequenceEdit::wheelEvent(event); } } @@ -1085,7 +1085,7 @@ QKeySequenceEdit_Adaptor::~QKeySequenceEdit_Adaptor() { } static void _init_ctor_QKeySequenceEdit_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1094,7 +1094,7 @@ static void _call_ctor_QKeySequenceEdit_Adaptor_1315 (const qt_gsi::GenericStati { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QKeySequenceEdit_Adaptor (arg1)); } @@ -1105,7 +1105,7 @@ static void _init_ctor_QKeySequenceEdit_Adaptor_3723 (qt_gsi::GenericStaticMetho { static gsi::ArgSpecBase argspec_0 ("keySequence"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1115,16 +1115,16 @@ static void _call_ctor_QKeySequenceEdit_Adaptor_3723 (const qt_gsi::GenericStati __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QKeySequence &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QKeySequenceEdit_Adaptor (arg1, arg2)); } -// void QKeySequenceEdit::actionEvent(QActionEvent *) +// void QKeySequenceEdit::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1168,11 +1168,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QKeySequenceEdit::childEvent(QChildEvent *) +// void QKeySequenceEdit::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1192,11 +1192,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QKeySequenceEdit::closeEvent(QCloseEvent *) +// void QKeySequenceEdit::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1216,11 +1216,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QKeySequenceEdit::contextMenuEvent(QContextMenuEvent *) +// void QKeySequenceEdit::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1283,11 +1283,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QKeySequenceEdit::customEvent(QEvent *) +// void QKeySequenceEdit::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1333,7 +1333,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1342,7 +1342,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QKeySequenceEdit_Adaptor *)cls)->emitter_QKeySequenceEdit_destroyed_1302 (arg1); } @@ -1371,11 +1371,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QKeySequenceEdit::dragEnterEvent(QDragEnterEvent *) +// void QKeySequenceEdit::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1395,11 +1395,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QKeySequenceEdit::dragLeaveEvent(QDragLeaveEvent *) +// void QKeySequenceEdit::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1419,11 +1419,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QKeySequenceEdit::dragMoveEvent(QDragMoveEvent *) +// void QKeySequenceEdit::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1443,11 +1443,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QKeySequenceEdit::dropEvent(QDropEvent *) +// void QKeySequenceEdit::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1481,11 +1481,11 @@ static void _call_emitter_editingFinished_0 (const qt_gsi::GenericMethod * /*dec } -// void QKeySequenceEdit::enterEvent(QEvent *) +// void QKeySequenceEdit::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1528,13 +1528,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QKeySequenceEdit::eventFilter(QObject *, QEvent *) +// bool QKeySequenceEdit::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1554,11 +1554,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QKeySequenceEdit::focusInEvent(QFocusEvent *) +// void QKeySequenceEdit::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1615,11 +1615,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QKeySequenceEdit::focusOutEvent(QFocusEvent *) +// void QKeySequenceEdit::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1695,11 +1695,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QKeySequenceEdit::hideEvent(QHideEvent *) +// void QKeySequenceEdit::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1874,11 +1874,11 @@ static void _call_emitter_keySequenceChanged_2516 (const qt_gsi::GenericMethod * } -// void QKeySequenceEdit::leaveEvent(QEvent *) +// void QKeySequenceEdit::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1940,11 +1940,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QKeySequenceEdit::mouseDoubleClickEvent(QMouseEvent *) +// void QKeySequenceEdit::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1964,11 +1964,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QKeySequenceEdit::mouseMoveEvent(QMouseEvent *) +// void QKeySequenceEdit::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1988,11 +1988,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QKeySequenceEdit::mousePressEvent(QMouseEvent *) +// void QKeySequenceEdit::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2012,11 +2012,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QKeySequenceEdit::mouseReleaseEvent(QMouseEvent *) +// void QKeySequenceEdit::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2036,11 +2036,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QKeySequenceEdit::moveEvent(QMoveEvent *) +// void QKeySequenceEdit::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2126,11 +2126,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QKeySequenceEdit::paintEvent(QPaintEvent *) +// void QKeySequenceEdit::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2191,11 +2191,11 @@ static void _set_callback_cbs_redirected_c1225_0 (void *cls, const gsi::Callback } -// void QKeySequenceEdit::resizeEvent(QResizeEvent *) +// void QKeySequenceEdit::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2286,11 +2286,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QKeySequenceEdit::showEvent(QShowEvent *) +// void QKeySequenceEdit::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2329,11 +2329,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QKeySequenceEdit::tabletEvent(QTabletEvent *) +// void QKeySequenceEdit::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2392,11 +2392,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QKeySequenceEdit::wheelEvent(QWheelEvent *) +// void QKeySequenceEdit::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2479,52 +2479,52 @@ static gsi::Methods methods_QKeySequenceEdit_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QKeySequenceEdit::QKeySequenceEdit(QWidget *parent)\nThis method creates an object of class QKeySequenceEdit.", &_init_ctor_QKeySequenceEdit_Adaptor_1315, &_call_ctor_QKeySequenceEdit_Adaptor_1315); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QKeySequenceEdit::QKeySequenceEdit(const QKeySequence &keySequence, QWidget *parent)\nThis method creates an object of class QKeySequenceEdit.", &_init_ctor_QKeySequenceEdit_Adaptor_3723, &_call_ctor_QKeySequenceEdit_Adaptor_3723); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QKeySequenceEdit::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QKeySequenceEdit::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QKeySequenceEdit::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QKeySequenceEdit::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QKeySequenceEdit::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QKeySequenceEdit::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QKeySequenceEdit::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QKeySequenceEdit::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QKeySequenceEdit::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QKeySequenceEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QKeySequenceEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QKeySequenceEdit::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QKeySequenceEdit::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QKeySequenceEdit::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QKeySequenceEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QKeySequenceEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QKeySequenceEdit::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QKeySequenceEdit::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QKeySequenceEdit::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QKeySequenceEdit::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QKeySequenceEdit::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QKeySequenceEdit::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QKeySequenceEdit::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QKeySequenceEdit::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QKeySequenceEdit::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QKeySequenceEdit::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("emit_editingFinished", "@brief Emitter for signal void QKeySequenceEdit::editingFinished()\nCall this method to emit this signal.", false, &_init_emitter_editingFinished_0, &_call_emitter_editingFinished_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QKeySequenceEdit::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QKeySequenceEdit::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QKeySequenceEdit::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QKeySequenceEdit::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QKeySequenceEdit::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QKeySequenceEdit::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QKeySequenceEdit::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QKeySequenceEdit::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QKeySequenceEdit::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QKeySequenceEdit::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QKeySequenceEdit::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QKeySequenceEdit::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QKeySequenceEdit::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QKeySequenceEdit::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QKeySequenceEdit::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QKeySequenceEdit::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QKeySequenceEdit::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2538,33 +2538,33 @@ static gsi::Methods methods_QKeySequenceEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QKeySequenceEdit::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("emit_keySequenceChanged", "@brief Emitter for signal void QKeySequenceEdit::keySequenceChanged(const QKeySequence &keySequence)\nCall this method to emit this signal.", false, &_init_emitter_keySequenceChanged_2516, &_call_emitter_keySequenceChanged_2516); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QKeySequenceEdit::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QKeySequenceEdit::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QKeySequenceEdit::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QKeySequenceEdit::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QKeySequenceEdit::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QKeySequenceEdit::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QKeySequenceEdit::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QKeySequenceEdit::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QKeySequenceEdit::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QKeySequenceEdit::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QKeySequenceEdit::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QKeySequenceEdit::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QKeySequenceEdit::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QKeySequenceEdit::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QKeySequenceEdit::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QKeySequenceEdit::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QKeySequenceEdit::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QKeySequenceEdit::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QKeySequenceEdit::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QKeySequenceEdit::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QKeySequenceEdit::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QKeySequenceEdit::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QKeySequenceEdit::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QKeySequenceEdit::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QKeySequenceEdit::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -2572,16 +2572,16 @@ static gsi::Methods methods_QKeySequenceEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QKeySequenceEdit::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QKeySequenceEdit::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QKeySequenceEdit::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QKeySequenceEdit::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QKeySequenceEdit::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QKeySequenceEdit::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QKeySequenceEdit::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QKeySequenceEdit::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QKeySequenceEdit::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QKeySequenceEdit::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QKeySequenceEdit::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QKeySequenceEdit::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQLCDNumber.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQLCDNumber.cc index f5389a3863..41d6bce97f 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQLCDNumber.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQLCDNumber.cc @@ -643,18 +643,18 @@ class QLCDNumber_Adaptor : public QLCDNumber, public qt_gsi::QtObjectBase emit QLCDNumber::destroyed(arg1); } - // [adaptor impl] bool QLCDNumber::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QLCDNumber::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QLCDNumber::eventFilter(arg1, arg2); + return QLCDNumber::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QLCDNumber_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QLCDNumber_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QLCDNumber::eventFilter(arg1, arg2); + return QLCDNumber::eventFilter(watched, event); } } @@ -794,18 +794,18 @@ class QLCDNumber_Adaptor : public QLCDNumber, public qt_gsi::QtObjectBase emit QLCDNumber::windowTitleChanged(title); } - // [adaptor impl] void QLCDNumber::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QLCDNumber::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QLCDNumber::actionEvent(arg1); + QLCDNumber::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QLCDNumber_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QLCDNumber_Adaptor::cbs_actionEvent_1823_0, event); } else { - QLCDNumber::actionEvent(arg1); + QLCDNumber::actionEvent(event); } } @@ -824,63 +824,63 @@ class QLCDNumber_Adaptor : public QLCDNumber, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLCDNumber::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QLCDNumber::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QLCDNumber::childEvent(arg1); + QLCDNumber::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QLCDNumber_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QLCDNumber_Adaptor::cbs_childEvent_1701_0, event); } else { - QLCDNumber::childEvent(arg1); + QLCDNumber::childEvent(event); } } - // [adaptor impl] void QLCDNumber::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QLCDNumber::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QLCDNumber::closeEvent(arg1); + QLCDNumber::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QLCDNumber_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QLCDNumber_Adaptor::cbs_closeEvent_1719_0, event); } else { - QLCDNumber::closeEvent(arg1); + QLCDNumber::closeEvent(event); } } - // [adaptor impl] void QLCDNumber::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QLCDNumber::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QLCDNumber::contextMenuEvent(arg1); + QLCDNumber::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QLCDNumber_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QLCDNumber_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QLCDNumber::contextMenuEvent(arg1); + QLCDNumber::contextMenuEvent(event); } } - // [adaptor impl] void QLCDNumber::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QLCDNumber::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QLCDNumber::customEvent(arg1); + QLCDNumber::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QLCDNumber_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QLCDNumber_Adaptor::cbs_customEvent_1217_0, event); } else { - QLCDNumber::customEvent(arg1); + QLCDNumber::customEvent(event); } } @@ -899,78 +899,78 @@ class QLCDNumber_Adaptor : public QLCDNumber, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLCDNumber::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QLCDNumber::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QLCDNumber::dragEnterEvent(arg1); + QLCDNumber::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QLCDNumber_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QLCDNumber_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QLCDNumber::dragEnterEvent(arg1); + QLCDNumber::dragEnterEvent(event); } } - // [adaptor impl] void QLCDNumber::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QLCDNumber::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QLCDNumber::dragLeaveEvent(arg1); + QLCDNumber::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QLCDNumber_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QLCDNumber_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QLCDNumber::dragLeaveEvent(arg1); + QLCDNumber::dragLeaveEvent(event); } } - // [adaptor impl] void QLCDNumber::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QLCDNumber::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QLCDNumber::dragMoveEvent(arg1); + QLCDNumber::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QLCDNumber_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QLCDNumber_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QLCDNumber::dragMoveEvent(arg1); + QLCDNumber::dragMoveEvent(event); } } - // [adaptor impl] void QLCDNumber::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QLCDNumber::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QLCDNumber::dropEvent(arg1); + QLCDNumber::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QLCDNumber_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QLCDNumber_Adaptor::cbs_dropEvent_1622_0, event); } else { - QLCDNumber::dropEvent(arg1); + QLCDNumber::dropEvent(event); } } - // [adaptor impl] void QLCDNumber::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QLCDNumber::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QLCDNumber::enterEvent(arg1); + QLCDNumber::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QLCDNumber_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QLCDNumber_Adaptor::cbs_enterEvent_1217_0, event); } else { - QLCDNumber::enterEvent(arg1); + QLCDNumber::enterEvent(event); } } @@ -989,18 +989,18 @@ class QLCDNumber_Adaptor : public QLCDNumber, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLCDNumber::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QLCDNumber::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QLCDNumber::focusInEvent(arg1); + QLCDNumber::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QLCDNumber_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QLCDNumber_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QLCDNumber::focusInEvent(arg1); + QLCDNumber::focusInEvent(event); } } @@ -1019,33 +1019,33 @@ class QLCDNumber_Adaptor : public QLCDNumber, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLCDNumber::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QLCDNumber::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QLCDNumber::focusOutEvent(arg1); + QLCDNumber::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QLCDNumber_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QLCDNumber_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QLCDNumber::focusOutEvent(arg1); + QLCDNumber::focusOutEvent(event); } } - // [adaptor impl] void QLCDNumber::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QLCDNumber::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QLCDNumber::hideEvent(arg1); + QLCDNumber::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QLCDNumber_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QLCDNumber_Adaptor::cbs_hideEvent_1595_0, event); } else { - QLCDNumber::hideEvent(arg1); + QLCDNumber::hideEvent(event); } } @@ -1079,48 +1079,48 @@ class QLCDNumber_Adaptor : public QLCDNumber, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLCDNumber::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QLCDNumber::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QLCDNumber::keyPressEvent(arg1); + QLCDNumber::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QLCDNumber_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QLCDNumber_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QLCDNumber::keyPressEvent(arg1); + QLCDNumber::keyPressEvent(event); } } - // [adaptor impl] void QLCDNumber::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QLCDNumber::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QLCDNumber::keyReleaseEvent(arg1); + QLCDNumber::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QLCDNumber_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QLCDNumber_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QLCDNumber::keyReleaseEvent(arg1); + QLCDNumber::keyReleaseEvent(event); } } - // [adaptor impl] void QLCDNumber::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QLCDNumber::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QLCDNumber::leaveEvent(arg1); + QLCDNumber::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QLCDNumber_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QLCDNumber_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QLCDNumber::leaveEvent(arg1); + QLCDNumber::leaveEvent(event); } } @@ -1139,78 +1139,78 @@ class QLCDNumber_Adaptor : public QLCDNumber, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLCDNumber::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QLCDNumber::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QLCDNumber::mouseDoubleClickEvent(arg1); + QLCDNumber::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QLCDNumber_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QLCDNumber_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QLCDNumber::mouseDoubleClickEvent(arg1); + QLCDNumber::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QLCDNumber::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QLCDNumber::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QLCDNumber::mouseMoveEvent(arg1); + QLCDNumber::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QLCDNumber_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QLCDNumber_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QLCDNumber::mouseMoveEvent(arg1); + QLCDNumber::mouseMoveEvent(event); } } - // [adaptor impl] void QLCDNumber::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QLCDNumber::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QLCDNumber::mousePressEvent(arg1); + QLCDNumber::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QLCDNumber_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QLCDNumber_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QLCDNumber::mousePressEvent(arg1); + QLCDNumber::mousePressEvent(event); } } - // [adaptor impl] void QLCDNumber::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QLCDNumber::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QLCDNumber::mouseReleaseEvent(arg1); + QLCDNumber::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QLCDNumber_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QLCDNumber_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QLCDNumber::mouseReleaseEvent(arg1); + QLCDNumber::mouseReleaseEvent(event); } } - // [adaptor impl] void QLCDNumber::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QLCDNumber::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QLCDNumber::moveEvent(arg1); + QLCDNumber::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QLCDNumber_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QLCDNumber_Adaptor::cbs_moveEvent_1624_0, event); } else { - QLCDNumber::moveEvent(arg1); + QLCDNumber::moveEvent(event); } } @@ -1259,18 +1259,18 @@ class QLCDNumber_Adaptor : public QLCDNumber, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLCDNumber::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QLCDNumber::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QLCDNumber::resizeEvent(arg1); + QLCDNumber::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QLCDNumber_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QLCDNumber_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QLCDNumber::resizeEvent(arg1); + QLCDNumber::resizeEvent(event); } } @@ -1289,63 +1289,63 @@ class QLCDNumber_Adaptor : public QLCDNumber, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLCDNumber::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QLCDNumber::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QLCDNumber::showEvent(arg1); + QLCDNumber::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QLCDNumber_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QLCDNumber_Adaptor::cbs_showEvent_1634_0, event); } else { - QLCDNumber::showEvent(arg1); + QLCDNumber::showEvent(event); } } - // [adaptor impl] void QLCDNumber::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QLCDNumber::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QLCDNumber::tabletEvent(arg1); + QLCDNumber::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QLCDNumber_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QLCDNumber_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QLCDNumber::tabletEvent(arg1); + QLCDNumber::tabletEvent(event); } } - // [adaptor impl] void QLCDNumber::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QLCDNumber::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QLCDNumber::timerEvent(arg1); + QLCDNumber::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QLCDNumber_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QLCDNumber_Adaptor::cbs_timerEvent_1730_0, event); } else { - QLCDNumber::timerEvent(arg1); + QLCDNumber::timerEvent(event); } } - // [adaptor impl] void QLCDNumber::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QLCDNumber::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QLCDNumber::wheelEvent(arg1); + QLCDNumber::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QLCDNumber_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QLCDNumber_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QLCDNumber::wheelEvent(arg1); + QLCDNumber::wheelEvent(event); } } @@ -1402,7 +1402,7 @@ QLCDNumber_Adaptor::~QLCDNumber_Adaptor() { } static void _init_ctor_QLCDNumber_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1411,7 +1411,7 @@ static void _call_ctor_QLCDNumber_Adaptor_1315 (const qt_gsi::GenericStaticMetho { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QLCDNumber_Adaptor (arg1)); } @@ -1422,7 +1422,7 @@ static void _init_ctor_QLCDNumber_Adaptor_2979 (qt_gsi::GenericStaticMethod *dec { static gsi::ArgSpecBase argspec_0 ("numDigits"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1432,16 +1432,16 @@ static void _call_ctor_QLCDNumber_Adaptor_2979 (const qt_gsi::GenericStaticMetho __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; unsigned int arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QLCDNumber_Adaptor (arg1, arg2)); } -// void QLCDNumber::actionEvent(QActionEvent *) +// void QLCDNumber::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1485,11 +1485,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QLCDNumber::childEvent(QChildEvent *) +// void QLCDNumber::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1509,11 +1509,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QLCDNumber::closeEvent(QCloseEvent *) +// void QLCDNumber::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1533,11 +1533,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QLCDNumber::contextMenuEvent(QContextMenuEvent *) +// void QLCDNumber::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1600,11 +1600,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QLCDNumber::customEvent(QEvent *) +// void QLCDNumber::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1650,7 +1650,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1659,7 +1659,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QLCDNumber_Adaptor *)cls)->emitter_QLCDNumber_destroyed_1302 (arg1); } @@ -1688,11 +1688,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QLCDNumber::dragEnterEvent(QDragEnterEvent *) +// void QLCDNumber::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1712,11 +1712,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QLCDNumber::dragLeaveEvent(QDragLeaveEvent *) +// void QLCDNumber::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1736,11 +1736,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QLCDNumber::dragMoveEvent(QDragMoveEvent *) +// void QLCDNumber::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1779,11 +1779,11 @@ static void _call_fp_drawFrame_1426 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QLCDNumber::dropEvent(QDropEvent *) +// void QLCDNumber::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1803,11 +1803,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QLCDNumber::enterEvent(QEvent *) +// void QLCDNumber::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1850,13 +1850,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QLCDNumber::eventFilter(QObject *, QEvent *) +// bool QLCDNumber::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1876,11 +1876,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QLCDNumber::focusInEvent(QFocusEvent *) +// void QLCDNumber::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1937,11 +1937,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QLCDNumber::focusOutEvent(QFocusEvent *) +// void QLCDNumber::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2017,11 +2017,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QLCDNumber::hideEvent(QHideEvent *) +// void QLCDNumber::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2149,11 +2149,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QLCDNumber::keyPressEvent(QKeyEvent *) +// void QLCDNumber::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2173,11 +2173,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QLCDNumber::keyReleaseEvent(QKeyEvent *) +// void QLCDNumber::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2197,11 +2197,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QLCDNumber::leaveEvent(QEvent *) +// void QLCDNumber::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2263,11 +2263,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QLCDNumber::mouseDoubleClickEvent(QMouseEvent *) +// void QLCDNumber::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2287,11 +2287,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QLCDNumber::mouseMoveEvent(QMouseEvent *) +// void QLCDNumber::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2311,11 +2311,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QLCDNumber::mousePressEvent(QMouseEvent *) +// void QLCDNumber::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2335,11 +2335,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QLCDNumber::mouseReleaseEvent(QMouseEvent *) +// void QLCDNumber::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2359,11 +2359,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QLCDNumber::moveEvent(QMoveEvent *) +// void QLCDNumber::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2528,11 +2528,11 @@ static void _set_callback_cbs_redirected_c1225_0 (void *cls, const gsi::Callback } -// void QLCDNumber::resizeEvent(QResizeEvent *) +// void QLCDNumber::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2623,11 +2623,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QLCDNumber::showEvent(QShowEvent *) +// void QLCDNumber::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2666,11 +2666,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QLCDNumber::tabletEvent(QTabletEvent *) +// void QLCDNumber::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2690,11 +2690,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QLCDNumber::timerEvent(QTimerEvent *) +// void QLCDNumber::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2729,11 +2729,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QLCDNumber::wheelEvent(QWheelEvent *) +// void QLCDNumber::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2816,52 +2816,52 @@ static gsi::Methods methods_QLCDNumber_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QLCDNumber::QLCDNumber(QWidget *parent)\nThis method creates an object of class QLCDNumber.", &_init_ctor_QLCDNumber_Adaptor_1315, &_call_ctor_QLCDNumber_Adaptor_1315); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QLCDNumber::QLCDNumber(unsigned int numDigits, QWidget *parent)\nThis method creates an object of class QLCDNumber.", &_init_ctor_QLCDNumber_Adaptor_2979, &_call_ctor_QLCDNumber_Adaptor_2979); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QLCDNumber::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QLCDNumber::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QLCDNumber::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QLCDNumber::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QLCDNumber::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QLCDNumber::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QLCDNumber::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QLCDNumber::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QLCDNumber::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QLCDNumber::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QLCDNumber::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QLCDNumber::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QLCDNumber::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QLCDNumber::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QLCDNumber::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QLCDNumber::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QLCDNumber::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QLCDNumber::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QLCDNumber::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QLCDNumber::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QLCDNumber::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QLCDNumber::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QLCDNumber::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QLCDNumber::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*drawFrame", "@brief Method void QLCDNumber::drawFrame(QPainter *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_drawFrame_1426, &_call_fp_drawFrame_1426); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QLCDNumber::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QLCDNumber::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QLCDNumber::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QLCDNumber::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QLCDNumber::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QLCDNumber::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QLCDNumber::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QLCDNumber::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QLCDNumber::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QLCDNumber::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QLCDNumber::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QLCDNumber::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QLCDNumber::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QLCDNumber::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QLCDNumber::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QLCDNumber::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QLCDNumber::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QLCDNumber::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QLCDNumber::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2871,25 +2871,25 @@ static gsi::Methods methods_QLCDNumber_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QLCDNumber::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QLCDNumber::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QLCDNumber::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QLCDNumber::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QLCDNumber::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QLCDNumber::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QLCDNumber::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QLCDNumber::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QLCDNumber::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QLCDNumber::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QLCDNumber::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QLCDNumber::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QLCDNumber::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QLCDNumber::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QLCDNumber::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QLCDNumber::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QLCDNumber::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QLCDNumber::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QLCDNumber::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QLCDNumber::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QLCDNumber::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2902,7 +2902,7 @@ static gsi::Methods methods_QLCDNumber_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QLCDNumber::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QLCDNumber::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QLCDNumber::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QLCDNumber::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QLCDNumber::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QLCDNumber::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -2910,16 +2910,16 @@ static gsi::Methods methods_QLCDNumber_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QLCDNumber::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QLCDNumber::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QLCDNumber::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QLCDNumber::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QLCDNumber::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QLCDNumber::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QLCDNumber::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QLCDNumber::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QLCDNumber::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QLCDNumber::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QLCDNumber::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QLCDNumber::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QLCDNumber::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQLabel.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQLabel.cc index 04add4afe0..170eaba415 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQLabel.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQLabel.cc @@ -955,18 +955,18 @@ class QLabel_Adaptor : public QLabel, public qt_gsi::QtObjectBase emit QLabel::destroyed(arg1); } - // [adaptor impl] bool QLabel::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QLabel::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QLabel::eventFilter(arg1, arg2); + return QLabel::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QLabel_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QLabel_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QLabel::eventFilter(arg1, arg2); + return QLabel::eventFilter(watched, event); } } @@ -1112,18 +1112,18 @@ class QLabel_Adaptor : public QLabel, public qt_gsi::QtObjectBase emit QLabel::windowTitleChanged(title); } - // [adaptor impl] void QLabel::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QLabel::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QLabel::actionEvent(arg1); + QLabel::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QLabel_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QLabel_Adaptor::cbs_actionEvent_1823_0, event); } else { - QLabel::actionEvent(arg1); + QLabel::actionEvent(event); } } @@ -1142,33 +1142,33 @@ class QLabel_Adaptor : public QLabel, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLabel::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QLabel::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QLabel::childEvent(arg1); + QLabel::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QLabel_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QLabel_Adaptor::cbs_childEvent_1701_0, event); } else { - QLabel::childEvent(arg1); + QLabel::childEvent(event); } } - // [adaptor impl] void QLabel::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QLabel::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QLabel::closeEvent(arg1); + QLabel::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QLabel_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QLabel_Adaptor::cbs_closeEvent_1719_0, event); } else { - QLabel::closeEvent(arg1); + QLabel::closeEvent(event); } } @@ -1187,18 +1187,18 @@ class QLabel_Adaptor : public QLabel, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLabel::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QLabel::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QLabel::customEvent(arg1); + QLabel::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QLabel_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QLabel_Adaptor::cbs_customEvent_1217_0, event); } else { - QLabel::customEvent(arg1); + QLabel::customEvent(event); } } @@ -1217,78 +1217,78 @@ class QLabel_Adaptor : public QLabel, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLabel::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QLabel::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QLabel::dragEnterEvent(arg1); + QLabel::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QLabel_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QLabel_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QLabel::dragEnterEvent(arg1); + QLabel::dragEnterEvent(event); } } - // [adaptor impl] void QLabel::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QLabel::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QLabel::dragLeaveEvent(arg1); + QLabel::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QLabel_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QLabel_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QLabel::dragLeaveEvent(arg1); + QLabel::dragLeaveEvent(event); } } - // [adaptor impl] void QLabel::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QLabel::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QLabel::dragMoveEvent(arg1); + QLabel::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QLabel_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QLabel_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QLabel::dragMoveEvent(arg1); + QLabel::dragMoveEvent(event); } } - // [adaptor impl] void QLabel::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QLabel::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QLabel::dropEvent(arg1); + QLabel::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QLabel_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QLabel_Adaptor::cbs_dropEvent_1622_0, event); } else { - QLabel::dropEvent(arg1); + QLabel::dropEvent(event); } } - // [adaptor impl] void QLabel::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QLabel::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QLabel::enterEvent(arg1); + QLabel::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QLabel_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QLabel_Adaptor::cbs_enterEvent_1217_0, event); } else { - QLabel::enterEvent(arg1); + QLabel::enterEvent(event); } } @@ -1352,18 +1352,18 @@ class QLabel_Adaptor : public QLabel, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLabel::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QLabel::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QLabel::hideEvent(arg1); + QLabel::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QLabel_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QLabel_Adaptor::cbs_hideEvent_1595_0, event); } else { - QLabel::hideEvent(arg1); + QLabel::hideEvent(event); } } @@ -1412,33 +1412,33 @@ class QLabel_Adaptor : public QLabel, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLabel::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QLabel::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QLabel::keyReleaseEvent(arg1); + QLabel::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QLabel_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QLabel_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QLabel::keyReleaseEvent(arg1); + QLabel::keyReleaseEvent(event); } } - // [adaptor impl] void QLabel::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QLabel::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QLabel::leaveEvent(arg1); + QLabel::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QLabel_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QLabel_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QLabel::leaveEvent(arg1); + QLabel::leaveEvent(event); } } @@ -1457,18 +1457,18 @@ class QLabel_Adaptor : public QLabel, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLabel::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QLabel::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QLabel::mouseDoubleClickEvent(arg1); + QLabel::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QLabel_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QLabel_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QLabel::mouseDoubleClickEvent(arg1); + QLabel::mouseDoubleClickEvent(event); } } @@ -1517,18 +1517,18 @@ class QLabel_Adaptor : public QLabel, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLabel::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QLabel::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QLabel::moveEvent(arg1); + QLabel::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QLabel_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QLabel_Adaptor::cbs_moveEvent_1624_0, event); } else { - QLabel::moveEvent(arg1); + QLabel::moveEvent(event); } } @@ -1577,18 +1577,18 @@ class QLabel_Adaptor : public QLabel, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLabel::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QLabel::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QLabel::resizeEvent(arg1); + QLabel::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QLabel_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QLabel_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QLabel::resizeEvent(arg1); + QLabel::resizeEvent(event); } } @@ -1607,63 +1607,63 @@ class QLabel_Adaptor : public QLabel, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLabel::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QLabel::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QLabel::showEvent(arg1); + QLabel::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QLabel_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QLabel_Adaptor::cbs_showEvent_1634_0, event); } else { - QLabel::showEvent(arg1); + QLabel::showEvent(event); } } - // [adaptor impl] void QLabel::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QLabel::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QLabel::tabletEvent(arg1); + QLabel::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QLabel_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QLabel_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QLabel::tabletEvent(arg1); + QLabel::tabletEvent(event); } } - // [adaptor impl] void QLabel::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QLabel::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QLabel::timerEvent(arg1); + QLabel::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QLabel_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QLabel_Adaptor::cbs_timerEvent_1730_0, event); } else { - QLabel::timerEvent(arg1); + QLabel::timerEvent(event); } } - // [adaptor impl] void QLabel::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QLabel::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QLabel::wheelEvent(arg1); + QLabel::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QLabel_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QLabel_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QLabel::wheelEvent(arg1); + QLabel::wheelEvent(event); } } @@ -1720,9 +1720,9 @@ QLabel_Adaptor::~QLabel_Adaptor() { } static void _init_ctor_QLabel_Adaptor_3702 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("f", true, "0"); + static gsi::ArgSpecBase argspec_1 ("f", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_1); decl->set_return_new (); } @@ -1731,8 +1731,8 @@ static void _call_ctor_QLabel_Adaptor_3702 (const qt_gsi::GenericStaticMethod * { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QLabel_Adaptor (arg1, arg2)); } @@ -1743,9 +1743,9 @@ static void _init_ctor_QLabel_Adaptor_5619 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("text"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("f", true, "0"); + static gsi::ArgSpecBase argspec_2 ("f", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_2); decl->set_return_new (); } @@ -1755,17 +1755,17 @@ static void _call_ctor_QLabel_Adaptor_5619 (const qt_gsi::GenericStaticMethod * __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QLabel_Adaptor (arg1, arg2, arg3)); } -// void QLabel::actionEvent(QActionEvent *) +// void QLabel::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1809,11 +1809,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QLabel::childEvent(QChildEvent *) +// void QLabel::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1833,11 +1833,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QLabel::closeEvent(QCloseEvent *) +// void QLabel::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1924,11 +1924,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QLabel::customEvent(QEvent *) +// void QLabel::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1974,7 +1974,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1983,7 +1983,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QLabel_Adaptor *)cls)->emitter_QLabel_destroyed_1302 (arg1); } @@ -2012,11 +2012,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QLabel::dragEnterEvent(QDragEnterEvent *) +// void QLabel::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2036,11 +2036,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QLabel::dragLeaveEvent(QDragLeaveEvent *) +// void QLabel::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2060,11 +2060,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QLabel::dragMoveEvent(QDragMoveEvent *) +// void QLabel::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2103,11 +2103,11 @@ static void _call_fp_drawFrame_1426 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QLabel::dropEvent(QDropEvent *) +// void QLabel::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2127,11 +2127,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QLabel::enterEvent(QEvent *) +// void QLabel::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2174,13 +2174,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QLabel::eventFilter(QObject *, QEvent *) +// bool QLabel::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2341,11 +2341,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QLabel::hideEvent(QHideEvent *) +// void QLabel::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2497,11 +2497,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QLabel::keyReleaseEvent(QKeyEvent *) +// void QLabel::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2521,11 +2521,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QLabel::leaveEvent(QEvent *) +// void QLabel::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2623,11 +2623,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QLabel::mouseDoubleClickEvent(QMouseEvent *) +// void QLabel::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2719,11 +2719,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QLabel::moveEvent(QMoveEvent *) +// void QLabel::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2874,11 +2874,11 @@ static void _set_callback_cbs_redirected_c1225_0 (void *cls, const gsi::Callback } -// void QLabel::resizeEvent(QResizeEvent *) +// void QLabel::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2969,11 +2969,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QLabel::showEvent(QShowEvent *) +// void QLabel::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3012,11 +3012,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QLabel::tabletEvent(QTabletEvent *) +// void QLabel::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3036,11 +3036,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QLabel::timerEvent(QTimerEvent *) +// void QLabel::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3075,11 +3075,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QLabel::wheelEvent(QWheelEvent *) +// void QLabel::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3162,38 +3162,38 @@ static gsi::Methods methods_QLabel_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QLabel::QLabel(QWidget *parent, QFlags f)\nThis method creates an object of class QLabel.", &_init_ctor_QLabel_Adaptor_3702, &_call_ctor_QLabel_Adaptor_3702); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QLabel::QLabel(const QString &text, QWidget *parent, QFlags f)\nThis method creates an object of class QLabel.", &_init_ctor_QLabel_Adaptor_5619, &_call_ctor_QLabel_Adaptor_5619); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QLabel::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QLabel::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QLabel::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QLabel::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QLabel::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QLabel::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QLabel::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QLabel::contextMenuEvent(QContextMenuEvent *ev)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QLabel::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QLabel::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QLabel::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QLabel::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QLabel::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QLabel::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QLabel::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QLabel::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QLabel::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QLabel::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QLabel::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QLabel::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QLabel::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QLabel::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QLabel::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*drawFrame", "@brief Method void QLabel::drawFrame(QPainter *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_drawFrame_1426, &_call_fp_drawFrame_1426); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QLabel::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QLabel::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QLabel::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QLabel::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QLabel::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QLabel::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QLabel::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QLabel::focusInEvent(QFocusEvent *ev)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); @@ -3207,7 +3207,7 @@ static gsi::Methods methods_QLabel_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QLabel::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QLabel::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QLabel::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QLabel::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -3219,9 +3219,9 @@ static gsi::Methods methods_QLabel_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QLabel::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QLabel::keyPressEvent(QKeyEvent *ev)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QLabel::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QLabel::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QLabel::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QLabel::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_linkActivated", "@brief Emitter for signal void QLabel::linkActivated(const QString &link)\nCall this method to emit this signal.", false, &_init_emitter_linkActivated_2025, &_call_emitter_linkActivated_2025); methods += new qt_gsi::GenericMethod ("emit_linkHovered", "@brief Emitter for signal void QLabel::linkHovered(const QString &link)\nCall this method to emit this signal.", false, &_init_emitter_linkHovered_2025, &_call_emitter_linkHovered_2025); @@ -3229,7 +3229,7 @@ static gsi::Methods methods_QLabel_Adaptor () { methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QLabel::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QLabel::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QLabel::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QLabel::mouseMoveEvent(QMouseEvent *ev)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -3237,7 +3237,7 @@ static gsi::Methods methods_QLabel_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QLabel::mouseReleaseEvent(QMouseEvent *ev)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QLabel::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QLabel::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QLabel::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3249,7 +3249,7 @@ static gsi::Methods methods_QLabel_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QLabel::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QLabel::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QLabel::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QLabel::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QLabel::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QLabel::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -3257,16 +3257,16 @@ static gsi::Methods methods_QLabel_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QLabel::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QLabel::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QLabel::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QLabel::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QLabel::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QLabel::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QLabel::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QLabel::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QLabel::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QLabel::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QLabel::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QLabel::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QLabel::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQLayout.cc index fab292a298..7172b43f54 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQLayout.cc @@ -111,6 +111,7 @@ static void _call_f_addWidget_1315 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); __SUPPRESS_UNUSED_WARNING(ret); ((QLayout *)cls)->addWidget (arg1); } @@ -254,6 +255,25 @@ static void _call_f_indexOf_c1315 (const qt_gsi::GenericMethod * /*decl*/, void } +// int QLayout::indexOf(QLayoutItem *) + + +static void _init_f_indexOf_c1740 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_indexOf_c1740 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QLayoutItem *arg1 = gsi::arg_reader() (args, heap); + ret.write ((int)((QLayout *)cls)->indexOf (arg1)); +} + + // void QLayout::invalidate() @@ -970,6 +990,7 @@ static gsi::Methods methods_QLayout () { methods += new qt_gsi::GenericMethod (":geometry", "@brief Method QRect QLayout::geometry()\nThis is a reimplementation of QLayoutItem::geometry", true, &_init_f_geometry_c0, &_call_f_geometry_c0); methods += new qt_gsi::GenericMethod ("getContentsMargins", "@brief Method void QLayout::getContentsMargins(int *left, int *top, int *right, int *bottom)\n", true, &_init_f_getContentsMargins_c3488, &_call_f_getContentsMargins_c3488); methods += new qt_gsi::GenericMethod ("indexOf", "@brief Method int QLayout::indexOf(QWidget *)\n", true, &_init_f_indexOf_c1315, &_call_f_indexOf_c1315); + methods += new qt_gsi::GenericMethod ("indexOf", "@brief Method int QLayout::indexOf(QLayoutItem *)\n", true, &_init_f_indexOf_c1740, &_call_f_indexOf_c1740); methods += new qt_gsi::GenericMethod ("invalidate", "@brief Method void QLayout::invalidate()\nThis is a reimplementation of QLayoutItem::invalidate", false, &_init_f_invalidate_0, &_call_f_invalidate_0); methods += new qt_gsi::GenericMethod ("isEmpty?", "@brief Method bool QLayout::isEmpty()\nThis is a reimplementation of QLayoutItem::isEmpty", true, &_init_f_isEmpty_c0, &_call_f_isEmpty_c0); methods += new qt_gsi::GenericMethod ("isEnabled?|:enabled", "@brief Method bool QLayout::isEnabled()\n", true, &_init_f_isEnabled_c0, &_call_f_isEnabled_c0); @@ -1146,33 +1167,33 @@ class QLayout_Adaptor : public QLayout, public qt_gsi::QtObjectBase emit QLayout::destroyed(arg1); } - // [adaptor impl] bool QLayout::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QLayout::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QLayout::event(arg1); + return QLayout::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QLayout_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QLayout_Adaptor::cbs_event_1217_0, _event); } else { - return QLayout::event(arg1); + return QLayout::event(_event); } } - // [adaptor impl] bool QLayout::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QLayout::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QLayout::eventFilter(arg1, arg2); + return QLayout::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QLayout_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QLayout_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QLayout::eventFilter(arg1, arg2); + return QLayout::eventFilter(watched, event); } } @@ -1455,18 +1476,18 @@ class QLayout_Adaptor : public QLayout, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLayout::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QLayout::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QLayout::customEvent(arg1); + QLayout::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QLayout_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QLayout_Adaptor::cbs_customEvent_1217_0, event); } else { - QLayout::customEvent(arg1); + QLayout::customEvent(event); } } @@ -1485,18 +1506,18 @@ class QLayout_Adaptor : public QLayout, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLayout::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QLayout::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QLayout::timerEvent(arg1); + QLayout::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QLayout_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QLayout_Adaptor::cbs_timerEvent_1730_0, event); } else { - QLayout::timerEvent(arg1); + QLayout::timerEvent(event); } } @@ -1723,11 +1744,11 @@ static void _set_callback_cbs_count_c0_0 (void *cls, const gsi::Callback &cb) } -// void QLayout::customEvent(QEvent *) +// void QLayout::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1751,7 +1772,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1760,7 +1781,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QLayout_Adaptor *)cls)->emitter_QLayout_destroyed_1302 (arg1); } @@ -1789,11 +1810,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QLayout::event(QEvent *) +// bool QLayout::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1812,13 +1833,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QLayout::eventFilter(QObject *, QEvent *) +// bool QLayout::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2250,11 +2271,11 @@ static void _set_callback_cbs_takeAt_767_0 (void *cls, const gsi::Callback &cb) } -// void QLayout::timerEvent(QTimerEvent *) +// void QLayout::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2333,14 +2354,14 @@ static gsi::Methods methods_QLayout_Adaptor () { methods += new qt_gsi::GenericMethod ("controlTypes", "@hide", true, &_init_cbs_controlTypes_c0_0, &_call_cbs_controlTypes_c0_0, &_set_callback_cbs_controlTypes_c0_0); methods += new qt_gsi::GenericMethod ("count", "@brief Virtual method int QLayout::count()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_count_c0_0, &_call_cbs_count_c0_0); methods += new qt_gsi::GenericMethod ("count", "@hide", true, &_init_cbs_count_c0_0, &_call_cbs_count_c0_0, &_set_callback_cbs_count_c0_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QLayout::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QLayout::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QLayout::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QLayout::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QLayout::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QLayout::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QLayout::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QLayout::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("expandingDirections", "@brief Virtual method QFlags QLayout::expandingDirections()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_expandingDirections_c0_0, &_call_cbs_expandingDirections_c0_0); methods += new qt_gsi::GenericMethod ("expandingDirections", "@hide", true, &_init_cbs_expandingDirections_c0_0, &_call_cbs_expandingDirections_c0_0, &_set_callback_cbs_expandingDirections_c0_0); @@ -2379,7 +2400,7 @@ static gsi::Methods methods_QLayout_Adaptor () { methods += new qt_gsi::GenericMethod ("spacerItem", "@hide", false, &_init_cbs_spacerItem_0_0, &_call_cbs_spacerItem_0_0, &_set_callback_cbs_spacerItem_0_0); methods += new qt_gsi::GenericMethod ("takeAt", "@brief Virtual method QLayoutItem *QLayout::takeAt(int index)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_takeAt_767_0, &_call_cbs_takeAt_767_0); methods += new qt_gsi::GenericMethod ("takeAt", "@hide", false, &_init_cbs_takeAt_767_0, &_call_cbs_takeAt_767_0, &_set_callback_cbs_takeAt_767_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QLayout::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QLayout::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("widget", "@brief Virtual method QWidget *QLayout::widget()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_widget_0_0, &_call_cbs_widget_0_0); methods += new qt_gsi::GenericMethod ("widget", "@hide", false, &_init_cbs_widget_0_0, &_call_cbs_widget_0_0, &_set_callback_cbs_widget_0_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQLayoutItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQLayoutItem.cc index c77f6e9ef5..f406cd24af 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQLayoutItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQLayoutItem.cc @@ -615,7 +615,7 @@ QLayoutItem_Adaptor::~QLayoutItem_Adaptor() { } static void _init_ctor_QLayoutItem_Adaptor_2750 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("alignment", true, "0"); + static gsi::ArgSpecBase argspec_0 ("alignment", true, "Qt::Alignment()"); decl->add_arg > (argspec_0); decl->set_return_new (); } @@ -624,7 +624,7 @@ static void _call_ctor_QLayoutItem_Adaptor_2750 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QFlags arg1 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg1 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::Alignment(), heap); ret.write (new QLayoutItem_Adaptor (arg1)); } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQLineEdit.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQLineEdit.cc index 3c30148dc6..e2b2e92538 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQLineEdit.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQLineEdit.cc @@ -656,6 +656,28 @@ static void _call_f_inputMethodQuery_c2420 (const qt_gsi::GenericMethod * /*decl } +// QVariant QLineEdit::inputMethodQuery(Qt::InputMethodQuery property, QVariant argument) + + +static void _init_f_inputMethodQuery_c3554 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("property"); + decl->add_arg::target_type & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("argument"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_inputMethodQuery_c3554 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + QVariant arg2 = gsi::arg_reader() (args, heap); + ret.write ((QVariant)((QLineEdit *)cls)->inputMethodQuery (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2)); +} + + // void QLineEdit::insert(const QString &) @@ -859,6 +881,36 @@ static void _call_f_selectedText_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } +// int QLineEdit::selectionEnd() + + +static void _init_f_selectionEnd_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_selectionEnd_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QLineEdit *)cls)->selectionEnd ()); +} + + +// int QLineEdit::selectionLength() + + +static void _init_f_selectionLength_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_selectionLength_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((int)((QLineEdit *)cls)->selectionLength ()); +} + + // int QLineEdit::selectionStart() @@ -1409,6 +1461,7 @@ static gsi::Methods methods_QLineEdit () { methods += new qt_gsi::GenericMethod ("home", "@brief Method void QLineEdit::home(bool mark)\n", false, &_init_f_home_864, &_call_f_home_864); methods += new qt_gsi::GenericMethod (":inputMask", "@brief Method QString QLineEdit::inputMask()\n", true, &_init_f_inputMask_c0, &_call_f_inputMask_c0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Method QVariant QLineEdit::inputMethodQuery(Qt::InputMethodQuery)\nThis is a reimplementation of QWidget::inputMethodQuery", true, &_init_f_inputMethodQuery_c2420, &_call_f_inputMethodQuery_c2420); + methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Method QVariant QLineEdit::inputMethodQuery(Qt::InputMethodQuery property, QVariant argument)\n", true, &_init_f_inputMethodQuery_c3554, &_call_f_inputMethodQuery_c3554); methods += new qt_gsi::GenericMethod ("insert", "@brief Method void QLineEdit::insert(const QString &)\n", false, &_init_f_insert_2025, &_call_f_insert_2025); methods += new qt_gsi::GenericMethod ("isClearButtonEnabled?|:clearButtonEnabled", "@brief Method bool QLineEdit::isClearButtonEnabled()\n", true, &_init_f_isClearButtonEnabled_c0, &_call_f_isClearButtonEnabled_c0); methods += new qt_gsi::GenericMethod ("isModified?|:modified", "@brief Method bool QLineEdit::isModified()\n", true, &_init_f_isModified_c0, &_call_f_isModified_c0); @@ -1422,6 +1475,8 @@ static gsi::Methods methods_QLineEdit () { methods += new qt_gsi::GenericMethod ("redo", "@brief Method void QLineEdit::redo()\n", false, &_init_f_redo_0, &_call_f_redo_0); methods += new qt_gsi::GenericMethod ("selectAll", "@brief Method void QLineEdit::selectAll()\n", false, &_init_f_selectAll_0, &_call_f_selectAll_0); methods += new qt_gsi::GenericMethod (":selectedText", "@brief Method QString QLineEdit::selectedText()\n", true, &_init_f_selectedText_c0, &_call_f_selectedText_c0); + methods += new qt_gsi::GenericMethod ("selectionEnd", "@brief Method int QLineEdit::selectionEnd()\n", true, &_init_f_selectionEnd_c0, &_call_f_selectionEnd_c0); + methods += new qt_gsi::GenericMethod ("selectionLength", "@brief Method int QLineEdit::selectionLength()\n", true, &_init_f_selectionLength_c0, &_call_f_selectionLength_c0); methods += new qt_gsi::GenericMethod ("selectionStart", "@brief Method int QLineEdit::selectionStart()\n", true, &_init_f_selectionStart_c0, &_call_f_selectionStart_c0); methods += new qt_gsi::GenericMethod ("setAlignment|alignment=", "@brief Method void QLineEdit::setAlignment(QFlags flag)\n", false, &_init_f_setAlignment_2750, &_call_f_setAlignment_2750); methods += new qt_gsi::GenericMethod ("setClearButtonEnabled|clearButtonEnabled=", "@brief Method void QLineEdit::setClearButtonEnabled(bool enable)\n", false, &_init_f_setClearButtonEnabled_864, &_call_f_setClearButtonEnabled_864); @@ -1450,6 +1505,7 @@ static gsi::Methods methods_QLineEdit () { methods += gsi::qt_signal ("customContextMenuRequested(const QPoint &)", "customContextMenuRequested", gsi::arg("pos"), "@brief Signal declaration for QLineEdit::customContextMenuRequested(const QPoint &pos)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QLineEdit::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("editingFinished()", "editingFinished", "@brief Signal declaration for QLineEdit::editingFinished()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("inputRejected()", "inputRejected", "@brief Signal declaration for QLineEdit::inputRejected()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QLineEdit::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("returnPressed()", "returnPressed", "@brief Signal declaration for QLineEdit::returnPressed()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("selectionChanged()", "selectionChanged", "@brief Signal declaration for QLineEdit::selectionChanged()\nYou can bind a procedure to this signal."); @@ -1598,18 +1654,18 @@ class QLineEdit_Adaptor : public QLineEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QLineEdit::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QLineEdit::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QLineEdit::eventFilter(arg1, arg2); + return QLineEdit::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QLineEdit_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QLineEdit_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QLineEdit::eventFilter(arg1, arg2); + return QLineEdit::eventFilter(watched, event); } } @@ -1658,6 +1714,12 @@ class QLineEdit_Adaptor : public QLineEdit, public qt_gsi::QtObjectBase } } + // [emitter impl] void QLineEdit::inputRejected() + void emitter_QLineEdit_inputRejected_0() + { + emit QLineEdit::inputRejected(); + } + // [adaptor impl] QSize QLineEdit::minimumSizeHint() QSize cbs_minimumSizeHint_c0_0() const { @@ -1767,18 +1829,18 @@ class QLineEdit_Adaptor : public QLineEdit, public qt_gsi::QtObjectBase emit QLineEdit::windowTitleChanged(title); } - // [adaptor impl] void QLineEdit::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QLineEdit::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QLineEdit::actionEvent(arg1); + QLineEdit::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QLineEdit_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QLineEdit_Adaptor::cbs_actionEvent_1823_0, event); } else { - QLineEdit::actionEvent(arg1); + QLineEdit::actionEvent(event); } } @@ -1797,33 +1859,33 @@ class QLineEdit_Adaptor : public QLineEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLineEdit::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QLineEdit::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QLineEdit::childEvent(arg1); + QLineEdit::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QLineEdit_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QLineEdit_Adaptor::cbs_childEvent_1701_0, event); } else { - QLineEdit::childEvent(arg1); + QLineEdit::childEvent(event); } } - // [adaptor impl] void QLineEdit::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QLineEdit::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QLineEdit::closeEvent(arg1); + QLineEdit::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QLineEdit_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QLineEdit_Adaptor::cbs_closeEvent_1719_0, event); } else { - QLineEdit::closeEvent(arg1); + QLineEdit::closeEvent(event); } } @@ -1842,18 +1904,18 @@ class QLineEdit_Adaptor : public QLineEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLineEdit::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QLineEdit::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QLineEdit::customEvent(arg1); + QLineEdit::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QLineEdit_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QLineEdit_Adaptor::cbs_customEvent_1217_0, event); } else { - QLineEdit::customEvent(arg1); + QLineEdit::customEvent(event); } } @@ -1932,18 +1994,18 @@ class QLineEdit_Adaptor : public QLineEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLineEdit::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QLineEdit::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QLineEdit::enterEvent(arg1); + QLineEdit::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QLineEdit_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QLineEdit_Adaptor::cbs_enterEvent_1217_0, event); } else { - QLineEdit::enterEvent(arg1); + QLineEdit::enterEvent(event); } } @@ -1992,18 +2054,18 @@ class QLineEdit_Adaptor : public QLineEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLineEdit::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QLineEdit::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QLineEdit::hideEvent(arg1); + QLineEdit::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QLineEdit_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QLineEdit_Adaptor::cbs_hideEvent_1595_0, event); } else { - QLineEdit::hideEvent(arg1); + QLineEdit::hideEvent(event); } } @@ -2052,33 +2114,33 @@ class QLineEdit_Adaptor : public QLineEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLineEdit::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QLineEdit::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QLineEdit::keyReleaseEvent(arg1); + QLineEdit::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QLineEdit_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QLineEdit_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QLineEdit::keyReleaseEvent(arg1); + QLineEdit::keyReleaseEvent(event); } } - // [adaptor impl] void QLineEdit::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QLineEdit::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QLineEdit::leaveEvent(arg1); + QLineEdit::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QLineEdit_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QLineEdit_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QLineEdit::leaveEvent(arg1); + QLineEdit::leaveEvent(event); } } @@ -2157,18 +2219,18 @@ class QLineEdit_Adaptor : public QLineEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLineEdit::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QLineEdit::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QLineEdit::moveEvent(arg1); + QLineEdit::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QLineEdit_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QLineEdit_Adaptor::cbs_moveEvent_1624_0, event); } else { - QLineEdit::moveEvent(arg1); + QLineEdit::moveEvent(event); } } @@ -2217,18 +2279,18 @@ class QLineEdit_Adaptor : public QLineEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLineEdit::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QLineEdit::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QLineEdit::resizeEvent(arg1); + QLineEdit::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QLineEdit_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QLineEdit_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QLineEdit::resizeEvent(arg1); + QLineEdit::resizeEvent(event); } } @@ -2247,63 +2309,63 @@ class QLineEdit_Adaptor : public QLineEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QLineEdit::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QLineEdit::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QLineEdit::showEvent(arg1); + QLineEdit::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QLineEdit_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QLineEdit_Adaptor::cbs_showEvent_1634_0, event); } else { - QLineEdit::showEvent(arg1); + QLineEdit::showEvent(event); } } - // [adaptor impl] void QLineEdit::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QLineEdit::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QLineEdit::tabletEvent(arg1); + QLineEdit::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QLineEdit_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QLineEdit_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QLineEdit::tabletEvent(arg1); + QLineEdit::tabletEvent(event); } } - // [adaptor impl] void QLineEdit::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QLineEdit::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QLineEdit::timerEvent(arg1); + QLineEdit::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QLineEdit_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QLineEdit_Adaptor::cbs_timerEvent_1730_0, event); } else { - QLineEdit::timerEvent(arg1); + QLineEdit::timerEvent(event); } } - // [adaptor impl] void QLineEdit::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QLineEdit::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QLineEdit::wheelEvent(arg1); + QLineEdit::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QLineEdit_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QLineEdit_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QLineEdit::wheelEvent(arg1); + QLineEdit::wheelEvent(event); } } @@ -2360,7 +2422,7 @@ QLineEdit_Adaptor::~QLineEdit_Adaptor() { } static void _init_ctor_QLineEdit_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -2369,7 +2431,7 @@ static void _call_ctor_QLineEdit_Adaptor_1315 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QLineEdit_Adaptor (arg1)); } @@ -2380,7 +2442,7 @@ static void _init_ctor_QLineEdit_Adaptor_3232 (qt_gsi::GenericStaticMethod *decl { static gsi::ArgSpecBase argspec_0 ("arg1"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -2390,16 +2452,16 @@ static void _call_ctor_QLineEdit_Adaptor_3232 (const qt_gsi::GenericStaticMethod __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QLineEdit_Adaptor (arg1, arg2)); } -// void QLineEdit::actionEvent(QActionEvent *) +// void QLineEdit::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2443,11 +2505,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QLineEdit::childEvent(QChildEvent *) +// void QLineEdit::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2467,11 +2529,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QLineEdit::closeEvent(QCloseEvent *) +// void QLineEdit::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2593,11 +2655,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QLineEdit::customEvent(QEvent *) +// void QLineEdit::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2643,7 +2705,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2652,7 +2714,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QLineEdit_Adaptor *)cls)->emitter_QLineEdit_destroyed_1302 (arg1); } @@ -2791,11 +2853,11 @@ static void _call_emitter_editingFinished_0 (const qt_gsi::GenericMethod * /*dec } -// void QLineEdit::enterEvent(QEvent *) +// void QLineEdit::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2838,13 +2900,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QLineEdit::eventFilter(QObject *, QEvent *) +// bool QLineEdit::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -3005,11 +3067,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QLineEdit::hideEvent(QHideEvent *) +// void QLineEdit::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3119,6 +3181,20 @@ static void _set_callback_cbs_inputMethodQuery_c2420_0 (void *cls, const gsi::Ca } +// emitter void QLineEdit::inputRejected() + +static void _init_emitter_inputRejected_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_inputRejected_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QLineEdit_Adaptor *)cls)->emitter_QLineEdit_inputRejected_0 (); +} + + // exposed bool QLineEdit::isSignalConnected(const QMetaMethod &signal) static void _init_fp_isSignalConnected_c2394 (qt_gsi::GenericMethod *decl) @@ -3161,11 +3237,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QLineEdit::keyReleaseEvent(QKeyEvent *) +// void QLineEdit::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3185,11 +3261,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QLineEdit::leaveEvent(QEvent *) +// void QLineEdit::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3347,11 +3423,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QLineEdit::moveEvent(QMoveEvent *) +// void QLineEdit::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3502,11 +3578,11 @@ static void _set_callback_cbs_redirected_c1225_0 (void *cls, const gsi::Callback } -// void QLineEdit::resizeEvent(QResizeEvent *) +// void QLineEdit::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3625,11 +3701,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QLineEdit::showEvent(QShowEvent *) +// void QLineEdit::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3668,11 +3744,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QLineEdit::tabletEvent(QTabletEvent *) +// void QLineEdit::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3728,11 +3804,11 @@ static void _call_emitter_textEdited_2025 (const qt_gsi::GenericMethod * /*decl* } -// void QLineEdit::timerEvent(QTimerEvent *) +// void QLineEdit::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3767,11 +3843,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QLineEdit::wheelEvent(QWheelEvent *) +// void QLineEdit::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3854,23 +3930,23 @@ static gsi::Methods methods_QLineEdit_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QLineEdit::QLineEdit(QWidget *parent)\nThis method creates an object of class QLineEdit.", &_init_ctor_QLineEdit_Adaptor_1315, &_call_ctor_QLineEdit_Adaptor_1315); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QLineEdit::QLineEdit(const QString &, QWidget *parent)\nThis method creates an object of class QLineEdit.", &_init_ctor_QLineEdit_Adaptor_3232, &_call_ctor_QLineEdit_Adaptor_3232); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QLineEdit::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QLineEdit::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QLineEdit::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QLineEdit::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QLineEdit::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QLineEdit::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QLineEdit::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QLineEdit::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QLineEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QLineEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_cursorPositionChanged", "@brief Emitter for signal void QLineEdit::cursorPositionChanged(int, int)\nCall this method to emit this signal.", false, &_init_emitter_cursorPositionChanged_1426, &_call_emitter_cursorPositionChanged_1426); methods += new qt_gsi::GenericMethod ("*cursorRect", "@brief Method QRect QLineEdit::cursorRect()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_cursorRect_c0, &_call_fp_cursorRect_c0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QLineEdit::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QLineEdit::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QLineEdit::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QLineEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QLineEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QLineEdit::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QLineEdit::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); @@ -3883,11 +3959,11 @@ static gsi::Methods methods_QLineEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QLineEdit::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("emit_editingFinished", "@brief Emitter for signal void QLineEdit::editingFinished()\nCall this method to emit this signal.", false, &_init_emitter_editingFinished_0, &_call_emitter_editingFinished_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QLineEdit::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QLineEdit::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QLineEdit::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QLineEdit::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QLineEdit::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QLineEdit::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); @@ -3901,7 +3977,7 @@ static gsi::Methods methods_QLineEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QLineEdit::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QLineEdit::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QLineEdit::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QLineEdit::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -3910,12 +3986,13 @@ static gsi::Methods methods_QLineEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*inputMethodEvent", "@hide", false, &_init_cbs_inputMethodEvent_2354_0, &_call_cbs_inputMethodEvent_2354_0, &_set_callback_cbs_inputMethodEvent_2354_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QLineEdit::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); + methods += new qt_gsi::GenericMethod ("emit_inputRejected", "@brief Emitter for signal void QLineEdit::inputRejected()\nCall this method to emit this signal.", false, &_init_emitter_inputRejected_0, &_call_emitter_inputRejected_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QLineEdit::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QLineEdit::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QLineEdit::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QLineEdit::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QLineEdit::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QLineEdit::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QLineEdit::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); @@ -3929,7 +4006,7 @@ static gsi::Methods methods_QLineEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QLineEdit::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QLineEdit::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QLineEdit::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QLineEdit::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3941,7 +4018,7 @@ static gsi::Methods methods_QLineEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QLineEdit::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QLineEdit::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QLineEdit::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QLineEdit::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("emit_returnPressed", "@brief Emitter for signal void QLineEdit::returnPressed()\nCall this method to emit this signal.", false, &_init_emitter_returnPressed_0, &_call_emitter_returnPressed_0); methods += new qt_gsi::GenericMethod ("emit_selectionChanged", "@brief Emitter for signal void QLineEdit::selectionChanged()\nCall this method to emit this signal.", false, &_init_emitter_selectionChanged_0, &_call_emitter_selectionChanged_0); @@ -3951,18 +4028,18 @@ static gsi::Methods methods_QLineEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QLineEdit::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QLineEdit::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QLineEdit::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QLineEdit::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QLineEdit::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QLineEdit::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("emit_textChanged", "@brief Emitter for signal void QLineEdit::textChanged(const QString &)\nCall this method to emit this signal.", false, &_init_emitter_textChanged_2025, &_call_emitter_textChanged_2025); methods += new qt_gsi::GenericMethod ("emit_textEdited", "@brief Emitter for signal void QLineEdit::textEdited(const QString &)\nCall this method to emit this signal.", false, &_init_emitter_textEdited_2025, &_call_emitter_textEdited_2025); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QLineEdit::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QLineEdit::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QLineEdit::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QLineEdit::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QLineEdit::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QLineEdit::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QLineEdit::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQListView.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQListView.cc index e3d108ec2e..64652cd8c0 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQListView.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQListView.cc @@ -252,6 +252,21 @@ static void _call_f_isWrapping_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// QFlags QListView::itemAlignment() + + +static void _init_f_itemAlignment_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return > (); +} + +static void _call_f_itemAlignment_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write > ((QFlags)((QListView *)cls)->itemAlignment ()); +} + + // QListView::LayoutMode QListView::layoutMode() @@ -411,6 +426,26 @@ static void _call_f_setGridSize_1805 (const qt_gsi::GenericMethod * /*decl*/, vo } +// void QListView::setItemAlignment(QFlags alignment) + + +static void _init_f_setItemAlignment_2750 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("alignment"); + decl->add_arg > (argspec_0); + decl->set_return (); +} + +static void _call_f_setItemAlignment_2750 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QFlags arg1 = gsi::arg_reader >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QListView *)cls)->setItemAlignment (arg1); +} + + // void QListView::setLayoutMode(QListView::LayoutMode mode) @@ -798,6 +833,7 @@ static gsi::Methods methods_QListView () { methods += new qt_gsi::GenericMethod ("isRowHidden?", "@brief Method bool QListView::isRowHidden(int row)\n", true, &_init_f_isRowHidden_c767, &_call_f_isRowHidden_c767); methods += new qt_gsi::GenericMethod ("isSelectionRectVisible?|:selectionRectVisible", "@brief Method bool QListView::isSelectionRectVisible()\n", true, &_init_f_isSelectionRectVisible_c0, &_call_f_isSelectionRectVisible_c0); methods += new qt_gsi::GenericMethod ("isWrapping?|:isWrapping", "@brief Method bool QListView::isWrapping()\n", true, &_init_f_isWrapping_c0, &_call_f_isWrapping_c0); + methods += new qt_gsi::GenericMethod ("itemAlignment", "@brief Method QFlags QListView::itemAlignment()\n", true, &_init_f_itemAlignment_c0, &_call_f_itemAlignment_c0); methods += new qt_gsi::GenericMethod (":layoutMode", "@brief Method QListView::LayoutMode QListView::layoutMode()\n", true, &_init_f_layoutMode_c0, &_call_f_layoutMode_c0); methods += new qt_gsi::GenericMethod (":modelColumn", "@brief Method int QListView::modelColumn()\n", true, &_init_f_modelColumn_c0, &_call_f_modelColumn_c0); methods += new qt_gsi::GenericMethod (":movement", "@brief Method QListView::Movement QListView::movement()\n", true, &_init_f_movement_c0, &_call_f_movement_c0); @@ -807,6 +843,7 @@ static gsi::Methods methods_QListView () { methods += new qt_gsi::GenericMethod ("setBatchSize|batchSize=", "@brief Method void QListView::setBatchSize(int batchSize)\n", false, &_init_f_setBatchSize_767, &_call_f_setBatchSize_767); methods += new qt_gsi::GenericMethod ("setFlow|flow=", "@brief Method void QListView::setFlow(QListView::Flow flow)\n", false, &_init_f_setFlow_1864, &_call_f_setFlow_1864); methods += new qt_gsi::GenericMethod ("setGridSize|gridSize=", "@brief Method void QListView::setGridSize(const QSize &size)\n", false, &_init_f_setGridSize_1805, &_call_f_setGridSize_1805); + methods += new qt_gsi::GenericMethod ("setItemAlignment", "@brief Method void QListView::setItemAlignment(QFlags alignment)\n", false, &_init_f_setItemAlignment_2750, &_call_f_setItemAlignment_2750); methods += new qt_gsi::GenericMethod ("setLayoutMode|layoutMode=", "@brief Method void QListView::setLayoutMode(QListView::LayoutMode mode)\n", false, &_init_f_setLayoutMode_2483, &_call_f_setLayoutMode_2483); methods += new qt_gsi::GenericMethod ("setModelColumn|modelColumn=", "@brief Method void QListView::setModelColumn(int column)\n", false, &_init_f_setModelColumn_767, &_call_f_setModelColumn_767); methods += new qt_gsi::GenericMethod ("setMovement|movement=", "@brief Method void QListView::setMovement(QListView::Movement movement)\n", false, &_init_f_setMovement_2299, &_call_f_setMovement_2299); @@ -1422,18 +1459,18 @@ class QListView_Adaptor : public QListView, public qt_gsi::QtObjectBase emit QListView::windowTitleChanged(title); } - // [adaptor impl] void QListView::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QListView::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QListView::actionEvent(arg1); + QListView::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QListView_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QListView_Adaptor::cbs_actionEvent_1823_0, event); } else { - QListView::actionEvent(arg1); + QListView::actionEvent(event); } } @@ -1452,18 +1489,18 @@ class QListView_Adaptor : public QListView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QListView::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QListView::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QListView::childEvent(arg1); + QListView::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QListView_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QListView_Adaptor::cbs_childEvent_1701_0, event); } else { - QListView::childEvent(arg1); + QListView::childEvent(event); } } @@ -1482,18 +1519,18 @@ class QListView_Adaptor : public QListView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QListView::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QListView::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QListView::closeEvent(arg1); + QListView::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QListView_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QListView_Adaptor::cbs_closeEvent_1719_0, event); } else { - QListView::closeEvent(arg1); + QListView::closeEvent(event); } } @@ -1542,18 +1579,18 @@ class QListView_Adaptor : public QListView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QListView::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QListView::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QListView::customEvent(arg1); + QListView::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QListView_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QListView_Adaptor::cbs_customEvent_1217_0, event); } else { - QListView::customEvent(arg1); + QListView::customEvent(event); } } @@ -1677,18 +1714,18 @@ class QListView_Adaptor : public QListView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QListView::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QListView::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QListView::enterEvent(arg1); + QListView::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QListView_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QListView_Adaptor::cbs_enterEvent_1217_0, event); } else { - QListView::enterEvent(arg1); + QListView::enterEvent(event); } } @@ -1707,18 +1744,18 @@ class QListView_Adaptor : public QListView, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QListView::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QListView::eventFilter(QObject *object, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *object, QEvent *event) { - return QListView::eventFilter(arg1, arg2); + return QListView::eventFilter(object, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *object, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QListView_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QListView_Adaptor::cbs_eventFilter_2411_0, object, event); } else { - return QListView::eventFilter(arg1, arg2); + return QListView::eventFilter(object, event); } } @@ -1767,18 +1804,18 @@ class QListView_Adaptor : public QListView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QListView::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QListView::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QListView::hideEvent(arg1); + QListView::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QListView_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QListView_Adaptor::cbs_hideEvent_1595_0, event); } else { - QListView::hideEvent(arg1); + QListView::hideEvent(event); } } @@ -1887,33 +1924,33 @@ class QListView_Adaptor : public QListView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QListView::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QListView::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QListView::keyReleaseEvent(arg1); + QListView::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QListView_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QListView_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QListView::keyReleaseEvent(arg1); + QListView::keyReleaseEvent(event); } } - // [adaptor impl] void QListView::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QListView::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QListView::leaveEvent(arg1); + QListView::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QListView_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QListView_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QListView::leaveEvent(arg1); + QListView::leaveEvent(event); } } @@ -2007,18 +2044,18 @@ class QListView_Adaptor : public QListView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QListView::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QListView::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QListView::moveEvent(arg1); + QListView::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QListView_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QListView_Adaptor::cbs_moveEvent_1624_0, event); } else { - QListView::moveEvent(arg1); + QListView::moveEvent(event); } } @@ -2202,18 +2239,18 @@ class QListView_Adaptor : public QListView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QListView::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QListView::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QListView::showEvent(arg1); + QListView::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QListView_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QListView_Adaptor::cbs_showEvent_1634_0, event); } else { - QListView::showEvent(arg1); + QListView::showEvent(event); } } @@ -2232,18 +2269,18 @@ class QListView_Adaptor : public QListView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QListView::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QListView::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QListView::tabletEvent(arg1); + QListView::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QListView_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QListView_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QListView::tabletEvent(arg1); + QListView::tabletEvent(event); } } @@ -2412,18 +2449,18 @@ class QListView_Adaptor : public QListView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QListView::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QListView::wheelEvent(QWheelEvent *e) + void cbs_wheelEvent_1718_0(QWheelEvent *e) { - QListView::wheelEvent(arg1); + QListView::wheelEvent(e); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *e) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QListView_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QListView_Adaptor::cbs_wheelEvent_1718_0, e); } else { - QListView::wheelEvent(arg1); + QListView::wheelEvent(e); } } @@ -2522,7 +2559,7 @@ QListView_Adaptor::~QListView_Adaptor() { } static void _init_ctor_QListView_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -2531,16 +2568,16 @@ static void _call_ctor_QListView_Adaptor_1315 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QListView_Adaptor (arg1)); } -// void QListView::actionEvent(QActionEvent *) +// void QListView::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2602,11 +2639,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QListView::childEvent(QChildEvent *) +// void QListView::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2671,11 +2708,11 @@ static void _set_callback_cbs_closeEditor_4926_0 (void *cls, const gsi::Callback } -// void QListView::closeEvent(QCloseEvent *) +// void QListView::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2827,11 +2864,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QListView::customEvent(QEvent *) +// void QListView::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2907,7 +2944,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2916,7 +2953,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QListView_Adaptor *)cls)->emitter_QListView_destroyed_1302 (arg1); } @@ -3194,11 +3231,11 @@ static void _set_callback_cbs_editorDestroyed_1302_0 (void *cls, const gsi::Call } -// void QListView::enterEvent(QEvent *) +// void QListView::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3259,13 +3296,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QListView::eventFilter(QObject *, QEvent *) +// bool QListView::eventFilter(QObject *object, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("object"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -3441,11 +3478,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QListView::hideEvent(QHideEvent *) +// void QListView::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3760,11 +3797,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QListView::keyReleaseEvent(QKeyEvent *) +// void QListView::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3808,11 +3845,11 @@ static void _set_callback_cbs_keyboardSearch_2025_0 (void *cls, const gsi::Callb } -// void QListView::leaveEvent(QEvent *) +// void QListView::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3996,11 +4033,11 @@ static void _set_callback_cbs_moveCursor_6476_0 (void *cls, const gsi::Callback } -// void QListView::moveEvent(QMoveEvent *) +// void QListView::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4835,11 +4872,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QListView::showEvent(QShowEvent *) +// void QListView::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4992,11 +5029,11 @@ static void _call_fp_stopAutoScroll_0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QListView::tabletEvent(QTabletEvent *) +// void QListView::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5331,11 +5368,11 @@ static void _set_callback_cbs_visualRegionForSelection_c2727_0 (void *cls, const } -// void QListView::wheelEvent(QWheelEvent *) +// void QListView::wheelEvent(QWheelEvent *e) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("e"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5417,32 +5454,32 @@ gsi::Class &qtdecl_QListView (); static gsi::Methods methods_QListView_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QListView::QListView(QWidget *parent)\nThis method creates an object of class QListView.", &_init_ctor_QListView_Adaptor_1315, &_call_ctor_QListView_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QListView::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QListView::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("emit_activated", "@brief Emitter for signal void QListView::activated(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_activated_2395, &_call_emitter_activated_2395); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QListView::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QListView::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QListView::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_clicked", "@brief Emitter for signal void QListView::clicked(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_clicked_2395, &_call_emitter_clicked_2395); methods += new qt_gsi::GenericMethod ("*closeEditor", "@brief Virtual method void QListView::closeEditor(QWidget *editor, QAbstractItemDelegate::EndEditHint hint)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEditor_4926_0, &_call_cbs_closeEditor_4926_0); methods += new qt_gsi::GenericMethod ("*closeEditor", "@hide", false, &_init_cbs_closeEditor_4926_0, &_call_cbs_closeEditor_4926_0, &_set_callback_cbs_closeEditor_4926_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QListView::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QListView::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*commitData", "@brief Virtual method void QListView::commitData(QWidget *editor)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*commitData", "@hide", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0, &_set_callback_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*contentsSize", "@brief Method QSize QListView::contentsSize()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_contentsSize_c0, &_call_fp_contentsSize_c0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QListView::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QListView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QListView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*currentChanged", "@brief Virtual method void QListView::currentChanged(const QModelIndex ¤t, const QModelIndex &previous)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@hide", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0, &_set_callback_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QListView::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QListView::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QListView::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*dataChanged", "@brief Virtual method void QListView::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QVector &roles)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dataChanged_7048_1, &_call_cbs_dataChanged_7048_1); methods += new qt_gsi::GenericMethod ("*dataChanged", "@hide", false, &_init_cbs_dataChanged_7048_1, &_call_cbs_dataChanged_7048_1, &_set_callback_cbs_dataChanged_7048_1); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QListView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QListView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QListView::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*dirtyRegionOffset", "@brief Method QPoint QListView::dirtyRegionOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_dirtyRegionOffset_c0, &_call_fp_dirtyRegionOffset_c0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QListView::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -5465,12 +5502,12 @@ static gsi::Methods methods_QListView_Adaptor () { methods += new qt_gsi::GenericMethod ("*edit", "@hide", false, &_init_cbs_edit_6773_0, &_call_cbs_edit_6773_0, &_set_callback_cbs_edit_6773_0); methods += new qt_gsi::GenericMethod ("*editorDestroyed", "@brief Virtual method void QListView::editorDestroyed(QObject *editor)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_editorDestroyed_1302_0, &_call_cbs_editorDestroyed_1302_0); methods += new qt_gsi::GenericMethod ("*editorDestroyed", "@hide", false, &_init_cbs_editorDestroyed_1302_0, &_call_cbs_editorDestroyed_1302_0, &_set_callback_cbs_editorDestroyed_1302_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QListView::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QListView::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_entered", "@brief Emitter for signal void QListView::entered(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_entered_2395, &_call_emitter_entered_2395); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QListView::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QListView::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QListView::eventFilter(QObject *object, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*executeDelayedItemsLayout", "@brief Method void QListView::executeDelayedItemsLayout()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_executeDelayedItemsLayout_0, &_call_fp_executeDelayedItemsLayout_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QListView::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); @@ -5485,7 +5522,7 @@ static gsi::Methods methods_QListView_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QListView::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QListView::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QListView::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*horizontalOffset", "@brief Virtual method int QListView::horizontalOffset()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_horizontalOffset_c0_0, &_call_cbs_horizontalOffset_c0_0); methods += new qt_gsi::GenericMethod ("*horizontalOffset", "@hide", true, &_init_cbs_horizontalOffset_c0_0, &_call_cbs_horizontalOffset_c0_0, &_set_callback_cbs_horizontalOffset_c0_0); @@ -5510,11 +5547,11 @@ static gsi::Methods methods_QListView_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QListView::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QListView::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QListView::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QListView::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("keyboardSearch", "@brief Virtual method void QListView::keyboardSearch(const QString &search)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyboardSearch_2025_0, &_call_cbs_keyboardSearch_2025_0); methods += new qt_gsi::GenericMethod ("keyboardSearch", "@hide", false, &_init_cbs_keyboardSearch_2025_0, &_call_cbs_keyboardSearch_2025_0, &_set_callback_cbs_keyboardSearch_2025_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QListView::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QListView::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QListView::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); @@ -5530,7 +5567,7 @@ static gsi::Methods methods_QListView_Adaptor () { methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*moveCursor", "@brief Virtual method QModelIndex QListView::moveCursor(QAbstractItemView::CursorAction cursorAction, QFlags modifiers)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveCursor_6476_0, &_call_cbs_moveCursor_6476_0); methods += new qt_gsi::GenericMethod ("*moveCursor", "@hide", false, &_init_cbs_moveCursor_6476_0, &_call_cbs_moveCursor_6476_0, &_set_callback_cbs_moveCursor_6476_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QListView::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QListView::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QListView::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -5590,7 +5627,7 @@ static gsi::Methods methods_QListView_Adaptor () { methods += new qt_gsi::GenericMethod ("setupViewport", "@hide", false, &_init_cbs_setupViewport_1315_0, &_call_cbs_setupViewport_1315_0, &_set_callback_cbs_setupViewport_1315_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QListView::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QListView::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QListView::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QListView::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); @@ -5603,7 +5640,7 @@ static gsi::Methods methods_QListView_Adaptor () { methods += new qt_gsi::GenericMethod ("*startDrag", "@hide", false, &_init_cbs_startDrag_2456_0, &_call_cbs_startDrag_2456_0, &_set_callback_cbs_startDrag_2456_0); methods += new qt_gsi::GenericMethod ("*state", "@brief Method QAbstractItemView::State QListView::state()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_state_c0, &_call_fp_state_c0); methods += new qt_gsi::GenericMethod ("*stopAutoScroll", "@brief Method void QListView::stopAutoScroll()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_stopAutoScroll_0, &_call_fp_stopAutoScroll_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QListView::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QListView::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QListView::timerEvent(QTimerEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); @@ -5633,7 +5670,7 @@ static gsi::Methods methods_QListView_Adaptor () { methods += new qt_gsi::GenericMethod ("visualRect", "@hide", true, &_init_cbs_visualRect_c2395_0, &_call_cbs_visualRect_c2395_0, &_set_callback_cbs_visualRect_c2395_0); methods += new qt_gsi::GenericMethod ("*visualRegionForSelection", "@brief Virtual method QRegion QListView::visualRegionForSelection(const QItemSelection &selection)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_visualRegionForSelection_c2727_0, &_call_cbs_visualRegionForSelection_c2727_0); methods += new qt_gsi::GenericMethod ("*visualRegionForSelection", "@hide", true, &_init_cbs_visualRegionForSelection_c2727_0, &_call_cbs_visualRegionForSelection_c2727_0, &_set_callback_cbs_visualRegionForSelection_c2727_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QListView::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QListView::wheelEvent(QWheelEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QListView::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QListView::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQListWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQListWidget.cc index 4cb9ab823f..0b8afb08d2 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQListWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQListWidget.cc @@ -421,6 +421,44 @@ static void _call_f_isItemSelected_c2821 (const qt_gsi::GenericMethod * /*decl*/ } +// bool QListWidget::isPersistentEditorOpen(const QModelIndex &index) + + +static void _init_f_isPersistentEditorOpen_c2395 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("index"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_isPersistentEditorOpen_c2395 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QListWidget *)cls)->isPersistentEditorOpen (arg1)); +} + + +// bool QListWidget::isPersistentEditorOpen(QListWidgetItem *item) + + +static void _init_f_isPersistentEditorOpen_c2126 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("item"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_isPersistentEditorOpen_c2126 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QListWidgetItem *arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QListWidget *)cls)->isPersistentEditorOpen (arg1)); +} + + // bool QListWidget::isSortingEnabled() @@ -767,6 +805,26 @@ static void _call_f_setItemWidget_3333 (const qt_gsi::GenericMethod * /*decl*/, } +// void QListWidget::setSelectionModel(QItemSelectionModel *selectionModel) + + +static void _init_f_setSelectionModel_2533 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("selectionModel"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setSelectionModel_2533 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QItemSelectionModel *arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QListWidget *)cls)->setSelectionModel (arg1); +} + + // void QListWidget::setSortingEnabled(bool enable) @@ -917,6 +975,8 @@ static gsi::Methods methods_QListWidget () { methods += new qt_gsi::GenericMethod ("insertItems", "@brief Method void QListWidget::insertItems(int row, const QStringList &labels)\n", false, &_init_f_insertItems_3096, &_call_f_insertItems_3096); methods += new qt_gsi::GenericMethod ("isItemHidden?", "@brief Method bool QListWidget::isItemHidden(const QListWidgetItem *item)\n", true, &_init_f_isItemHidden_c2821, &_call_f_isItemHidden_c2821); methods += new qt_gsi::GenericMethod ("isItemSelected?", "@brief Method bool QListWidget::isItemSelected(const QListWidgetItem *item)\n", true, &_init_f_isItemSelected_c2821, &_call_f_isItemSelected_c2821); + methods += new qt_gsi::GenericMethod ("isPersistentEditorOpen?", "@brief Method bool QListWidget::isPersistentEditorOpen(const QModelIndex &index)\n", true, &_init_f_isPersistentEditorOpen_c2395, &_call_f_isPersistentEditorOpen_c2395); + methods += new qt_gsi::GenericMethod ("isPersistentEditorOpen?", "@brief Method bool QListWidget::isPersistentEditorOpen(QListWidgetItem *item)\n", true, &_init_f_isPersistentEditorOpen_c2126, &_call_f_isPersistentEditorOpen_c2126); methods += new qt_gsi::GenericMethod ("isSortingEnabled?|:sortingEnabled", "@brief Method bool QListWidget::isSortingEnabled()\n", true, &_init_f_isSortingEnabled_c0, &_call_f_isSortingEnabled_c0); methods += new qt_gsi::GenericMethod ("item", "@brief Method QListWidgetItem *QListWidget::item(int row)\n", true, &_init_f_item_c767, &_call_f_item_c767); methods += new qt_gsi::GenericMethod ("itemAt", "@brief Method QListWidgetItem *QListWidget::itemAt(const QPoint &p)\n", true, &_init_f_itemAt_c1916, &_call_f_itemAt_c1916); @@ -934,6 +994,7 @@ static gsi::Methods methods_QListWidget () { methods += new qt_gsi::GenericMethod ("setItemHidden", "@brief Method void QListWidget::setItemHidden(const QListWidgetItem *item, bool hide)\n", false, &_init_f_setItemHidden_3577, &_call_f_setItemHidden_3577); methods += new qt_gsi::GenericMethod ("setItemSelected", "@brief Method void QListWidget::setItemSelected(const QListWidgetItem *item, bool select)\n", false, &_init_f_setItemSelected_3577, &_call_f_setItemSelected_3577); methods += new qt_gsi::GenericMethod ("setItemWidget", "@brief Method void QListWidget::setItemWidget(QListWidgetItem *item, QWidget *widget)\n", false, &_init_f_setItemWidget_3333, &_call_f_setItemWidget_3333); + methods += new qt_gsi::GenericMethod ("setSelectionModel", "@brief Method void QListWidget::setSelectionModel(QItemSelectionModel *selectionModel)\nThis is a reimplementation of QAbstractItemView::setSelectionModel", false, &_init_f_setSelectionModel_2533, &_call_f_setSelectionModel_2533); methods += new qt_gsi::GenericMethod ("setSortingEnabled|sortingEnabled=", "@brief Method void QListWidget::setSortingEnabled(bool enable)\n", false, &_init_f_setSortingEnabled_864, &_call_f_setSortingEnabled_864); methods += new qt_gsi::GenericMethod ("sortItems", "@brief Method void QListWidget::sortItems(Qt::SortOrder order)\n", false, &_init_f_sortItems_1681, &_call_f_sortItems_1681); methods += new qt_gsi::GenericMethod ("takeItem", "@brief Method QListWidgetItem *QListWidget::takeItem(int row)\n", false, &_init_f_takeItem_767, &_call_f_takeItem_767); @@ -1051,6 +1112,11 @@ class QListWidget_Adaptor : public QListWidget, public qt_gsi::QtObjectBase return QListWidget::horizontalStepsPerItem(); } + // [expose] QModelIndex QListWidget::indexFromItem(const QListWidgetItem *item) + QModelIndex fp_QListWidget_indexFromItem_c2821 (const QListWidgetItem *item) const { + return QListWidget::indexFromItem(item); + } + // [expose] QModelIndex QListWidget::indexFromItem(QListWidgetItem *item) QModelIndex fp_QListWidget_indexFromItem_c2126 (QListWidgetItem *item) const { return QListWidget::indexFromItem(item); @@ -1621,18 +1687,18 @@ class QListWidget_Adaptor : public QListWidget, public qt_gsi::QtObjectBase emit QListWidget::windowTitleChanged(title); } - // [adaptor impl] void QListWidget::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QListWidget::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QListWidget::actionEvent(arg1); + QListWidget::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QListWidget_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QListWidget_Adaptor::cbs_actionEvent_1823_0, event); } else { - QListWidget::actionEvent(arg1); + QListWidget::actionEvent(event); } } @@ -1651,18 +1717,18 @@ class QListWidget_Adaptor : public QListWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QListWidget::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QListWidget::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QListWidget::childEvent(arg1); + QListWidget::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QListWidget_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QListWidget_Adaptor::cbs_childEvent_1701_0, event); } else { - QListWidget::childEvent(arg1); + QListWidget::childEvent(event); } } @@ -1681,18 +1747,18 @@ class QListWidget_Adaptor : public QListWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QListWidget::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QListWidget::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QListWidget::closeEvent(arg1); + QListWidget::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QListWidget_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QListWidget_Adaptor::cbs_closeEvent_1719_0, event); } else { - QListWidget::closeEvent(arg1); + QListWidget::closeEvent(event); } } @@ -1741,18 +1807,18 @@ class QListWidget_Adaptor : public QListWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QListWidget::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QListWidget::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QListWidget::customEvent(arg1); + QListWidget::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QListWidget_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QListWidget_Adaptor::cbs_customEvent_1217_0, event); } else { - QListWidget::customEvent(arg1); + QListWidget::customEvent(event); } } @@ -1876,18 +1942,18 @@ class QListWidget_Adaptor : public QListWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QListWidget::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QListWidget::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QListWidget::enterEvent(arg1); + QListWidget::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QListWidget_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QListWidget_Adaptor::cbs_enterEvent_1217_0, event); } else { - QListWidget::enterEvent(arg1); + QListWidget::enterEvent(event); } } @@ -1906,18 +1972,18 @@ class QListWidget_Adaptor : public QListWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QListWidget::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QListWidget::eventFilter(QObject *object, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *object, QEvent *event) { - return QListWidget::eventFilter(arg1, arg2); + return QListWidget::eventFilter(object, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *object, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QListWidget_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QListWidget_Adaptor::cbs_eventFilter_2411_0, object, event); } else { - return QListWidget::eventFilter(arg1, arg2); + return QListWidget::eventFilter(object, event); } } @@ -1966,18 +2032,18 @@ class QListWidget_Adaptor : public QListWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QListWidget::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QListWidget::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QListWidget::hideEvent(arg1); + QListWidget::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QListWidget_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QListWidget_Adaptor::cbs_hideEvent_1595_0, event); } else { - QListWidget::hideEvent(arg1); + QListWidget::hideEvent(event); } } @@ -2086,33 +2152,33 @@ class QListWidget_Adaptor : public QListWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QListWidget::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QListWidget::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QListWidget::keyReleaseEvent(arg1); + QListWidget::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QListWidget_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QListWidget_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QListWidget::keyReleaseEvent(arg1); + QListWidget::keyReleaseEvent(event); } } - // [adaptor impl] void QListWidget::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QListWidget::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QListWidget::leaveEvent(arg1); + QListWidget::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QListWidget_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QListWidget_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QListWidget::leaveEvent(arg1); + QListWidget::leaveEvent(event); } } @@ -2236,18 +2302,18 @@ class QListWidget_Adaptor : public QListWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QListWidget::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QListWidget::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QListWidget::moveEvent(arg1); + QListWidget::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QListWidget_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QListWidget_Adaptor::cbs_moveEvent_1624_0, event); } else { - QListWidget::moveEvent(arg1); + QListWidget::moveEvent(event); } } @@ -2431,18 +2497,18 @@ class QListWidget_Adaptor : public QListWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QListWidget::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QListWidget::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QListWidget::showEvent(arg1); + QListWidget::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QListWidget_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QListWidget_Adaptor::cbs_showEvent_1634_0, event); } else { - QListWidget::showEvent(arg1); + QListWidget::showEvent(event); } } @@ -2476,18 +2542,18 @@ class QListWidget_Adaptor : public QListWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QListWidget::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QListWidget::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QListWidget::tabletEvent(arg1); + QListWidget::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QListWidget_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QListWidget_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QListWidget::tabletEvent(arg1); + QListWidget::tabletEvent(event); } } @@ -2656,18 +2722,18 @@ class QListWidget_Adaptor : public QListWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QListWidget::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QListWidget::wheelEvent(QWheelEvent *e) + void cbs_wheelEvent_1718_0(QWheelEvent *e) { - QListWidget::wheelEvent(arg1); + QListWidget::wheelEvent(e); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *e) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QListWidget_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QListWidget_Adaptor::cbs_wheelEvent_1718_0, e); } else { - QListWidget::wheelEvent(arg1); + QListWidget::wheelEvent(e); } } @@ -2769,7 +2835,7 @@ QListWidget_Adaptor::~QListWidget_Adaptor() { } static void _init_ctor_QListWidget_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -2778,16 +2844,16 @@ static void _call_ctor_QListWidget_Adaptor_1315 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QListWidget_Adaptor (arg1)); } -// void QListWidget::actionEvent(QActionEvent *) +// void QListWidget::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2849,11 +2915,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QListWidget::childEvent(QChildEvent *) +// void QListWidget::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2918,11 +2984,11 @@ static void _set_callback_cbs_closeEditor_4926_0 (void *cls, const gsi::Callback } -// void QListWidget::closeEvent(QCloseEvent *) +// void QListWidget::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3131,11 +3197,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QListWidget::customEvent(QEvent *) +// void QListWidget::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3211,7 +3277,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3220,7 +3286,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QListWidget_Adaptor *)cls)->emitter_QListWidget_destroyed_1302 (arg1); } @@ -3527,11 +3593,11 @@ static void _set_callback_cbs_editorDestroyed_1302_0 (void *cls, const gsi::Call } -// void QListWidget::enterEvent(QEvent *) +// void QListWidget::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3592,13 +3658,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QListWidget::eventFilter(QObject *, QEvent *) +// bool QListWidget::eventFilter(QObject *object, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("object"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -3774,11 +3840,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QListWidget::hideEvent(QHideEvent *) +// void QListWidget::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3920,6 +3986,24 @@ static void _set_callback_cbs_indexAt_c1916_0 (void *cls, const gsi::Callback &c } +// exposed QModelIndex QListWidget::indexFromItem(const QListWidgetItem *item) + +static void _init_fp_indexFromItem_c2821 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("item"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_fp_indexFromItem_c2821 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QListWidgetItem *arg1 = gsi::arg_reader() (args, heap); + ret.write ((QModelIndex)((QListWidget_Adaptor *)cls)->fp_QListWidget_indexFromItem_c2821 (arg1)); +} + + // exposed QModelIndex QListWidget::indexFromItem(QListWidgetItem *item) static void _init_fp_indexFromItem_c2126 (qt_gsi::GenericMethod *decl) @@ -4269,11 +4353,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QListWidget::keyReleaseEvent(QKeyEvent *) +// void QListWidget::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4317,11 +4401,11 @@ static void _set_callback_cbs_keyboardSearch_2025_0 (void *cls, const gsi::Callb } -// void QListWidget::leaveEvent(QEvent *) +// void QListWidget::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4547,11 +4631,11 @@ static void _set_callback_cbs_moveCursor_6476_0 (void *cls, const gsi::Callback } -// void QListWidget::moveEvent(QMoveEvent *) +// void QListWidget::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5362,11 +5446,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QListWidget::showEvent(QShowEvent *) +// void QListWidget::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5538,11 +5622,11 @@ static void _set_callback_cbs_supportedDropActions_c0_0 (void *cls, const gsi::C } -// void QListWidget::tabletEvent(QTabletEvent *) +// void QListWidget::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5877,11 +5961,11 @@ static void _set_callback_cbs_visualRegionForSelection_c2727_0 (void *cls, const } -// void QListWidget::wheelEvent(QWheelEvent *) +// void QListWidget::wheelEvent(QWheelEvent *e) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("e"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5963,35 +6047,35 @@ gsi::Class &qtdecl_QListWidget (); static gsi::Methods methods_QListWidget_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QListWidget::QListWidget(QWidget *parent)\nThis method creates an object of class QListWidget.", &_init_ctor_QListWidget_Adaptor_1315, &_call_ctor_QListWidget_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QListWidget::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QListWidget::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("emit_activated", "@brief Emitter for signal void QListWidget::activated(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_activated_2395, &_call_emitter_activated_2395); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QListWidget::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QListWidget::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QListWidget::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_clicked", "@brief Emitter for signal void QListWidget::clicked(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_clicked_2395, &_call_emitter_clicked_2395); methods += new qt_gsi::GenericMethod ("*closeEditor", "@brief Virtual method void QListWidget::closeEditor(QWidget *editor, QAbstractItemDelegate::EndEditHint hint)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEditor_4926_0, &_call_cbs_closeEditor_4926_0); methods += new qt_gsi::GenericMethod ("*closeEditor", "@hide", false, &_init_cbs_closeEditor_4926_0, &_call_cbs_closeEditor_4926_0, &_set_callback_cbs_closeEditor_4926_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QListWidget::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QListWidget::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*commitData", "@brief Virtual method void QListWidget::commitData(QWidget *editor)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*commitData", "@hide", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0, &_set_callback_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*contentsSize", "@brief Method QSize QListWidget::contentsSize()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_contentsSize_c0, &_call_fp_contentsSize_c0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QListWidget::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QListWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QListWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*currentChanged", "@brief Virtual method void QListWidget::currentChanged(const QModelIndex ¤t, const QModelIndex &previous)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@hide", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0, &_set_callback_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("emit_currentItemChanged", "@brief Emitter for signal void QListWidget::currentItemChanged(QListWidgetItem *current, QListWidgetItem *previous)\nCall this method to emit this signal.", false, &_init_emitter_currentItemChanged_4144, &_call_emitter_currentItemChanged_4144); methods += new qt_gsi::GenericMethod ("emit_currentRowChanged", "@brief Emitter for signal void QListWidget::currentRowChanged(int currentRow)\nCall this method to emit this signal.", false, &_init_emitter_currentRowChanged_767, &_call_emitter_currentRowChanged_767); methods += new qt_gsi::GenericMethod ("emit_currentTextChanged", "@brief Emitter for signal void QListWidget::currentTextChanged(const QString ¤tText)\nCall this method to emit this signal.", false, &_init_emitter_currentTextChanged_2025, &_call_emitter_currentTextChanged_2025); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QListWidget::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QListWidget::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QListWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*dataChanged", "@brief Virtual method void QListWidget::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QVector &roles)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dataChanged_7048_1, &_call_cbs_dataChanged_7048_1); methods += new qt_gsi::GenericMethod ("*dataChanged", "@hide", false, &_init_cbs_dataChanged_7048_1, &_call_cbs_dataChanged_7048_1, &_set_callback_cbs_dataChanged_7048_1); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QListWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QListWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QListWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*dirtyRegionOffset", "@brief Method QPoint QListWidget::dirtyRegionOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_dirtyRegionOffset_c0, &_call_fp_dirtyRegionOffset_c0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QListWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -6016,12 +6100,12 @@ static gsi::Methods methods_QListWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*edit", "@hide", false, &_init_cbs_edit_6773_0, &_call_cbs_edit_6773_0, &_set_callback_cbs_edit_6773_0); methods += new qt_gsi::GenericMethod ("*editorDestroyed", "@brief Virtual method void QListWidget::editorDestroyed(QObject *editor)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_editorDestroyed_1302_0, &_call_cbs_editorDestroyed_1302_0); methods += new qt_gsi::GenericMethod ("*editorDestroyed", "@hide", false, &_init_cbs_editorDestroyed_1302_0, &_call_cbs_editorDestroyed_1302_0, &_set_callback_cbs_editorDestroyed_1302_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QListWidget::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QListWidget::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_entered", "@brief Emitter for signal void QListWidget::entered(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_entered_2395, &_call_emitter_entered_2395); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QListWidget::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QListWidget::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QListWidget::eventFilter(QObject *object, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*executeDelayedItemsLayout", "@brief Method void QListWidget::executeDelayedItemsLayout()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_executeDelayedItemsLayout_0, &_call_fp_executeDelayedItemsLayout_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QListWidget::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); @@ -6036,7 +6120,7 @@ static gsi::Methods methods_QListWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QListWidget::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QListWidget::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QListWidget::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*horizontalOffset", "@brief Virtual method int QListWidget::horizontalOffset()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_horizontalOffset_c0_0, &_call_cbs_horizontalOffset_c0_0); methods += new qt_gsi::GenericMethod ("*horizontalOffset", "@hide", true, &_init_cbs_horizontalOffset_c0_0, &_call_cbs_horizontalOffset_c0_0, &_set_callback_cbs_horizontalOffset_c0_0); @@ -6048,6 +6132,7 @@ static gsi::Methods methods_QListWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_iconSizeChanged", "@brief Emitter for signal void QListWidget::iconSizeChanged(const QSize &size)\nCall this method to emit this signal.", false, &_init_emitter_iconSizeChanged_1805, &_call_emitter_iconSizeChanged_1805); methods += new qt_gsi::GenericMethod ("indexAt", "@brief Virtual method QModelIndex QListWidget::indexAt(const QPoint &p)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_indexAt_c1916_0, &_call_cbs_indexAt_c1916_0); methods += new qt_gsi::GenericMethod ("indexAt", "@hide", true, &_init_cbs_indexAt_c1916_0, &_call_cbs_indexAt_c1916_0, &_set_callback_cbs_indexAt_c1916_0); + methods += new qt_gsi::GenericMethod ("*indexFromItem", "@brief Method QModelIndex QListWidget::indexFromItem(const QListWidgetItem *item)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_indexFromItem_c2821, &_call_fp_indexFromItem_c2821); methods += new qt_gsi::GenericMethod ("*indexFromItem", "@brief Method QModelIndex QListWidget::indexFromItem(QListWidgetItem *item)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_indexFromItem_c2126, &_call_fp_indexFromItem_c2126); methods += new qt_gsi::GenericMethod ("emit_indexesMoved", "@brief Emitter for signal void QListWidget::indexesMoved(const QList &indexes)\nCall this method to emit this signal.", false, &_init_emitter_indexesMoved_3010, &_call_emitter_indexesMoved_3010); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QListWidget::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); @@ -6071,11 +6156,11 @@ static gsi::Methods methods_QListWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*items", "@brief Method QList QListWidget::items(const QMimeData *data)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_items_c2168, &_call_fp_items_c2168); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QListWidget::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QListWidget::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QListWidget::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("keyboardSearch", "@brief Virtual method void QListWidget::keyboardSearch(const QString &search)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyboardSearch_2025_0, &_call_cbs_keyboardSearch_2025_0); methods += new qt_gsi::GenericMethod ("keyboardSearch", "@hide", false, &_init_cbs_keyboardSearch_2025_0, &_call_cbs_keyboardSearch_2025_0, &_set_callback_cbs_keyboardSearch_2025_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QListWidget::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QListWidget::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QListWidget::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); @@ -6095,7 +6180,7 @@ static gsi::Methods methods_QListWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*moveCursor", "@brief Virtual method QModelIndex QListWidget::moveCursor(QAbstractItemView::CursorAction cursorAction, QFlags modifiers)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveCursor_6476_0, &_call_cbs_moveCursor_6476_0); methods += new qt_gsi::GenericMethod ("*moveCursor", "@hide", false, &_init_cbs_moveCursor_6476_0, &_call_cbs_moveCursor_6476_0, &_set_callback_cbs_moveCursor_6476_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QListWidget::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QListWidget::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QListWidget::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -6153,7 +6238,7 @@ static gsi::Methods methods_QListWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("setupViewport", "@hide", false, &_init_cbs_setupViewport_1315_0, &_call_cbs_setupViewport_1315_0, &_set_callback_cbs_setupViewport_1315_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QListWidget::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QListWidget::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QListWidget::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QListWidget::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); @@ -6168,7 +6253,7 @@ static gsi::Methods methods_QListWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*stopAutoScroll", "@brief Method void QListWidget::stopAutoScroll()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_stopAutoScroll_0, &_call_fp_stopAutoScroll_0); methods += new qt_gsi::GenericMethod ("*supportedDropActions", "@brief Virtual method QFlags QListWidget::supportedDropActions()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0); methods += new qt_gsi::GenericMethod ("*supportedDropActions", "@hide", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0, &_set_callback_cbs_supportedDropActions_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QListWidget::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QListWidget::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QListWidget::timerEvent(QTimerEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); @@ -6198,7 +6283,7 @@ static gsi::Methods methods_QListWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("visualRect", "@hide", true, &_init_cbs_visualRect_c2395_0, &_call_cbs_visualRect_c2395_0, &_set_callback_cbs_visualRect_c2395_0); methods += new qt_gsi::GenericMethod ("*visualRegionForSelection", "@brief Virtual method QRegion QListWidget::visualRegionForSelection(const QItemSelection &selection)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_visualRegionForSelection_c2727_0, &_call_cbs_visualRegionForSelection_c2727_0); methods += new qt_gsi::GenericMethod ("*visualRegionForSelection", "@hide", true, &_init_cbs_visualRegionForSelection_c2727_0, &_call_cbs_visualRegionForSelection_c2727_0, &_set_callback_cbs_visualRegionForSelection_c2727_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QListWidget::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QListWidget::wheelEvent(QWheelEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QListWidget::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QListWidget::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQListWidgetItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQListWidgetItem.cc index b1cf798ee2..d229e3004e 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQListWidgetItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQListWidgetItem.cc @@ -1011,7 +1011,7 @@ QListWidgetItem_Adaptor::~QListWidgetItem_Adaptor() { } static void _init_ctor_QListWidgetItem_Adaptor_2386 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("view", true, "0"); + static gsi::ArgSpecBase argspec_0 ("view", true, "nullptr"); decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("type", true, "QListWidgetItem::Type"); decl->add_arg (argspec_1); @@ -1022,7 +1022,7 @@ static void _call_ctor_QListWidgetItem_Adaptor_2386 (const qt_gsi::GenericStatic { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QListWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QListWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); int arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QListWidgetItem::Type, heap); QListWidgetItem_Adaptor *obj = new QListWidgetItem_Adaptor (arg1, arg2); if (arg1) { @@ -1040,7 +1040,7 @@ static void _init_ctor_QListWidgetItem_Adaptor_4303 (qt_gsi::GenericStaticMethod { static gsi::ArgSpecBase argspec_0 ("text"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("view", true, "0"); + static gsi::ArgSpecBase argspec_1 ("view", true, "nullptr"); decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("type", true, "QListWidgetItem::Type"); decl->add_arg (argspec_2); @@ -1052,7 +1052,7 @@ static void _call_ctor_QListWidgetItem_Adaptor_4303 (const qt_gsi::GenericStatic __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QListWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QListWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QListWidgetItem::Type, heap); ret.write (new QListWidgetItem_Adaptor (arg1, arg2, arg3)); } @@ -1066,7 +1066,7 @@ static void _init_ctor_QListWidgetItem_Adaptor_5982 (qt_gsi::GenericStaticMethod decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("text"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("view", true, "0"); + static gsi::ArgSpecBase argspec_2 ("view", true, "nullptr"); decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("type", true, "QListWidgetItem::Type"); decl->add_arg (argspec_3); @@ -1079,7 +1079,7 @@ static void _call_ctor_QListWidgetItem_Adaptor_5982 (const qt_gsi::GenericStatic tl::Heap heap; const QIcon &arg1 = gsi::arg_reader() (args, heap); const QString &arg2 = gsi::arg_reader() (args, heap); - QListWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QListWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); int arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QListWidgetItem::Type, heap); ret.write (new QListWidgetItem_Adaptor (arg1, arg2, arg3, arg4)); } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQMainWindow.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQMainWindow.cc index 8a7747282b..9b2940680f 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQMainWindow.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQMainWindow.cc @@ -530,6 +530,32 @@ static void _call_f_removeToolBarBreak_1394 (const qt_gsi::GenericMethod * /*dec } +// void QMainWindow::resizeDocks(const QList &docks, const QList &sizes, Qt::Orientation orientation) + + +static void _init_f_resizeDocks_7148 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("docks"); + decl->add_arg & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("sizes"); + decl->add_arg & > (argspec_1); + static gsi::ArgSpecBase argspec_2 ("orientation"); + decl->add_arg::target_type & > (argspec_2); + decl->set_return (); +} + +static void _call_f_resizeDocks_7148 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QList &arg1 = gsi::arg_reader & >() (args, heap); + const QList &arg2 = gsi::arg_reader & >() (args, heap); + const qt_gsi::Converter::target_type & arg3 = gsi::arg_reader::target_type & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QMainWindow *)cls)->resizeDocks (arg1, arg2, qt_gsi::QtToCppAdaptor(arg3).cref()); +} + + // bool QMainWindow::restoreDockWidget(QDockWidget *dockwidget) @@ -1155,6 +1181,7 @@ static gsi::Methods methods_QMainWindow () { methods += new qt_gsi::GenericMethod ("removeDockWidget", "@brief Method void QMainWindow::removeDockWidget(QDockWidget *dockwidget)\n", false, &_init_f_removeDockWidget_1700, &_call_f_removeDockWidget_1700); methods += new qt_gsi::GenericMethod ("removeToolBar", "@brief Method void QMainWindow::removeToolBar(QToolBar *toolbar)\n", false, &_init_f_removeToolBar_1394, &_call_f_removeToolBar_1394); methods += new qt_gsi::GenericMethod ("removeToolBarBreak", "@brief Method void QMainWindow::removeToolBarBreak(QToolBar *before)\n", false, &_init_f_removeToolBarBreak_1394, &_call_f_removeToolBarBreak_1394); + methods += new qt_gsi::GenericMethod ("resizeDocks", "@brief Method void QMainWindow::resizeDocks(const QList &docks, const QList &sizes, Qt::Orientation orientation)\n", false, &_init_f_resizeDocks_7148, &_call_f_resizeDocks_7148); methods += new qt_gsi::GenericMethod ("restoreDockWidget", "@brief Method bool QMainWindow::restoreDockWidget(QDockWidget *dockwidget)\n", false, &_init_f_restoreDockWidget_1700, &_call_f_restoreDockWidget_1700); methods += new qt_gsi::GenericMethod ("restoreState", "@brief Method bool QMainWindow::restoreState(const QByteArray &state, int version)\n", false, &_init_f_restoreState_2968, &_call_f_restoreState_2968); methods += new qt_gsi::GenericMethod ("saveState", "@brief Method QByteArray QMainWindow::saveState(int version)\n", true, &_init_f_saveState_c767, &_call_f_saveState_c767); @@ -1187,6 +1214,7 @@ static gsi::Methods methods_QMainWindow () { methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMainWindow::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("iconSizeChanged(const QSize &)", "iconSizeChanged", gsi::arg("iconSize"), "@brief Signal declaration for QMainWindow::iconSizeChanged(const QSize &iconSize)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMainWindow::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("tabifiedDockWidgetActivated(QDockWidget *)", "tabifiedDockWidgetActivated", gsi::arg("dockWidget"), "@brief Signal declaration for QMainWindow::tabifiedDockWidgetActivated(QDockWidget *dockWidget)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal::target_type & > ("toolButtonStyleChanged(Qt::ToolButtonStyle)", "toolButtonStyleChanged", gsi::arg("toolButtonStyle"), "@brief Signal declaration for QMainWindow::toolButtonStyleChanged(Qt::ToolButtonStyle toolButtonStyle)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("windowIconChanged(const QIcon &)", "windowIconChanged", gsi::arg("icon"), "@brief Signal declaration for QMainWindow::windowIconChanged(const QIcon &icon)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("windowIconTextChanged(const QString &)", "windowIconTextChanged", gsi::arg("iconText"), "@brief Signal declaration for QMainWindow::windowIconTextChanged(const QString &iconText)\nYou can bind a procedure to this signal."); @@ -1303,18 +1331,18 @@ class QMainWindow_Adaptor : public QMainWindow, public qt_gsi::QtObjectBase emit QMainWindow::destroyed(arg1); } - // [adaptor impl] bool QMainWindow::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMainWindow::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMainWindow::eventFilter(arg1, arg2); + return QMainWindow::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMainWindow_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMainWindow_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMainWindow::eventFilter(arg1, arg2); + return QMainWindow::eventFilter(watched, event); } } @@ -1436,6 +1464,12 @@ class QMainWindow_Adaptor : public QMainWindow, public qt_gsi::QtObjectBase } } + // [emitter impl] void QMainWindow::tabifiedDockWidgetActivated(QDockWidget *dockWidget) + void emitter_QMainWindow_tabifiedDockWidgetActivated_1700(QDockWidget *dockWidget) + { + emit QMainWindow::tabifiedDockWidgetActivated(dockWidget); + } + // [emitter impl] void QMainWindow::toolButtonStyleChanged(Qt::ToolButtonStyle toolButtonStyle) void emitter_QMainWindow_toolButtonStyleChanged_2328(Qt::ToolButtonStyle toolButtonStyle) { @@ -1460,18 +1494,18 @@ class QMainWindow_Adaptor : public QMainWindow, public qt_gsi::QtObjectBase emit QMainWindow::windowTitleChanged(title); } - // [adaptor impl] void QMainWindow::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QMainWindow::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QMainWindow::actionEvent(arg1); + QMainWindow::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QMainWindow_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QMainWindow_Adaptor::cbs_actionEvent_1823_0, event); } else { - QMainWindow::actionEvent(arg1); + QMainWindow::actionEvent(event); } } @@ -1490,33 +1524,33 @@ class QMainWindow_Adaptor : public QMainWindow, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMainWindow::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMainWindow::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMainWindow::childEvent(arg1); + QMainWindow::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMainWindow_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMainWindow_Adaptor::cbs_childEvent_1701_0, event); } else { - QMainWindow::childEvent(arg1); + QMainWindow::childEvent(event); } } - // [adaptor impl] void QMainWindow::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QMainWindow::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QMainWindow::closeEvent(arg1); + QMainWindow::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QMainWindow_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QMainWindow_Adaptor::cbs_closeEvent_1719_0, event); } else { - QMainWindow::closeEvent(arg1); + QMainWindow::closeEvent(event); } } @@ -1535,18 +1569,18 @@ class QMainWindow_Adaptor : public QMainWindow, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMainWindow::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMainWindow::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMainWindow::customEvent(arg1); + QMainWindow::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMainWindow_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMainWindow_Adaptor::cbs_customEvent_1217_0, event); } else { - QMainWindow::customEvent(arg1); + QMainWindow::customEvent(event); } } @@ -1565,78 +1599,78 @@ class QMainWindow_Adaptor : public QMainWindow, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMainWindow::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QMainWindow::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QMainWindow::dragEnterEvent(arg1); + QMainWindow::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QMainWindow_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QMainWindow_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QMainWindow::dragEnterEvent(arg1); + QMainWindow::dragEnterEvent(event); } } - // [adaptor impl] void QMainWindow::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QMainWindow::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QMainWindow::dragLeaveEvent(arg1); + QMainWindow::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QMainWindow_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QMainWindow_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QMainWindow::dragLeaveEvent(arg1); + QMainWindow::dragLeaveEvent(event); } } - // [adaptor impl] void QMainWindow::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QMainWindow::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QMainWindow::dragMoveEvent(arg1); + QMainWindow::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QMainWindow_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QMainWindow_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QMainWindow::dragMoveEvent(arg1); + QMainWindow::dragMoveEvent(event); } } - // [adaptor impl] void QMainWindow::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QMainWindow::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QMainWindow::dropEvent(arg1); + QMainWindow::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QMainWindow_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QMainWindow_Adaptor::cbs_dropEvent_1622_0, event); } else { - QMainWindow::dropEvent(arg1); + QMainWindow::dropEvent(event); } } - // [adaptor impl] void QMainWindow::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMainWindow::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QMainWindow::enterEvent(arg1); + QMainWindow::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QMainWindow_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QMainWindow_Adaptor::cbs_enterEvent_1217_0, event); } else { - QMainWindow::enterEvent(arg1); + QMainWindow::enterEvent(event); } } @@ -1655,18 +1689,18 @@ class QMainWindow_Adaptor : public QMainWindow, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMainWindow::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QMainWindow::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QMainWindow::focusInEvent(arg1); + QMainWindow::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QMainWindow_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QMainWindow_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QMainWindow::focusInEvent(arg1); + QMainWindow::focusInEvent(event); } } @@ -1685,33 +1719,33 @@ class QMainWindow_Adaptor : public QMainWindow, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMainWindow::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QMainWindow::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QMainWindow::focusOutEvent(arg1); + QMainWindow::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QMainWindow_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QMainWindow_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QMainWindow::focusOutEvent(arg1); + QMainWindow::focusOutEvent(event); } } - // [adaptor impl] void QMainWindow::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QMainWindow::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QMainWindow::hideEvent(arg1); + QMainWindow::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QMainWindow_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QMainWindow_Adaptor::cbs_hideEvent_1595_0, event); } else { - QMainWindow::hideEvent(arg1); + QMainWindow::hideEvent(event); } } @@ -1745,48 +1779,48 @@ class QMainWindow_Adaptor : public QMainWindow, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMainWindow::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QMainWindow::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QMainWindow::keyPressEvent(arg1); + QMainWindow::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QMainWindow_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QMainWindow_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QMainWindow::keyPressEvent(arg1); + QMainWindow::keyPressEvent(event); } } - // [adaptor impl] void QMainWindow::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QMainWindow::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QMainWindow::keyReleaseEvent(arg1); + QMainWindow::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QMainWindow_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QMainWindow_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QMainWindow::keyReleaseEvent(arg1); + QMainWindow::keyReleaseEvent(event); } } - // [adaptor impl] void QMainWindow::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMainWindow::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QMainWindow::leaveEvent(arg1); + QMainWindow::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QMainWindow_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QMainWindow_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QMainWindow::leaveEvent(arg1); + QMainWindow::leaveEvent(event); } } @@ -1805,78 +1839,78 @@ class QMainWindow_Adaptor : public QMainWindow, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMainWindow::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QMainWindow::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QMainWindow::mouseDoubleClickEvent(arg1); + QMainWindow::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QMainWindow_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QMainWindow_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QMainWindow::mouseDoubleClickEvent(arg1); + QMainWindow::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QMainWindow::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QMainWindow::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QMainWindow::mouseMoveEvent(arg1); + QMainWindow::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QMainWindow_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QMainWindow_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QMainWindow::mouseMoveEvent(arg1); + QMainWindow::mouseMoveEvent(event); } } - // [adaptor impl] void QMainWindow::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QMainWindow::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QMainWindow::mousePressEvent(arg1); + QMainWindow::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QMainWindow_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QMainWindow_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QMainWindow::mousePressEvent(arg1); + QMainWindow::mousePressEvent(event); } } - // [adaptor impl] void QMainWindow::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QMainWindow::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QMainWindow::mouseReleaseEvent(arg1); + QMainWindow::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QMainWindow_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QMainWindow_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QMainWindow::mouseReleaseEvent(arg1); + QMainWindow::mouseReleaseEvent(event); } } - // [adaptor impl] void QMainWindow::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QMainWindow::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QMainWindow::moveEvent(arg1); + QMainWindow::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QMainWindow_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QMainWindow_Adaptor::cbs_moveEvent_1624_0, event); } else { - QMainWindow::moveEvent(arg1); + QMainWindow::moveEvent(event); } } @@ -1895,18 +1929,18 @@ class QMainWindow_Adaptor : public QMainWindow, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMainWindow::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QMainWindow::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QMainWindow::paintEvent(arg1); + QMainWindow::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QMainWindow_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QMainWindow_Adaptor::cbs_paintEvent_1725_0, event); } else { - QMainWindow::paintEvent(arg1); + QMainWindow::paintEvent(event); } } @@ -1925,18 +1959,18 @@ class QMainWindow_Adaptor : public QMainWindow, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMainWindow::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QMainWindow::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QMainWindow::resizeEvent(arg1); + QMainWindow::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QMainWindow_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QMainWindow_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QMainWindow::resizeEvent(arg1); + QMainWindow::resizeEvent(event); } } @@ -1955,63 +1989,63 @@ class QMainWindow_Adaptor : public QMainWindow, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMainWindow::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QMainWindow::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QMainWindow::showEvent(arg1); + QMainWindow::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QMainWindow_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QMainWindow_Adaptor::cbs_showEvent_1634_0, event); } else { - QMainWindow::showEvent(arg1); + QMainWindow::showEvent(event); } } - // [adaptor impl] void QMainWindow::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QMainWindow::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QMainWindow::tabletEvent(arg1); + QMainWindow::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QMainWindow_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QMainWindow_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QMainWindow::tabletEvent(arg1); + QMainWindow::tabletEvent(event); } } - // [adaptor impl] void QMainWindow::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMainWindow::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMainWindow::timerEvent(arg1); + QMainWindow::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMainWindow_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMainWindow_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMainWindow::timerEvent(arg1); + QMainWindow::timerEvent(event); } } - // [adaptor impl] void QMainWindow::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QMainWindow::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QMainWindow::wheelEvent(arg1); + QMainWindow::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QMainWindow_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QMainWindow_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QMainWindow::wheelEvent(arg1); + QMainWindow::wheelEvent(event); } } @@ -2069,9 +2103,9 @@ QMainWindow_Adaptor::~QMainWindow_Adaptor() { } static void _init_ctor_QMainWindow_Adaptor_3702 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_1 ("flags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_1); decl->set_return_new (); } @@ -2080,17 +2114,17 @@ static void _call_ctor_QMainWindow_Adaptor_3702 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QMainWindow_Adaptor (arg1, arg2)); } -// void QMainWindow::actionEvent(QActionEvent *) +// void QMainWindow::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2134,11 +2168,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QMainWindow::childEvent(QChildEvent *) +// void QMainWindow::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2158,11 +2192,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QMainWindow::closeEvent(QCloseEvent *) +// void QMainWindow::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2268,11 +2302,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QMainWindow::customEvent(QEvent *) +// void QMainWindow::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2318,7 +2352,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2327,7 +2361,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QMainWindow_Adaptor *)cls)->emitter_QMainWindow_destroyed_1302 (arg1); } @@ -2356,11 +2390,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QMainWindow::dragEnterEvent(QDragEnterEvent *) +// void QMainWindow::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2380,11 +2414,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QMainWindow::dragLeaveEvent(QDragLeaveEvent *) +// void QMainWindow::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2404,11 +2438,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QMainWindow::dragMoveEvent(QDragMoveEvent *) +// void QMainWindow::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2428,11 +2462,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QMainWindow::dropEvent(QDropEvent *) +// void QMainWindow::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2452,11 +2486,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QMainWindow::enterEvent(QEvent *) +// void QMainWindow::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2499,13 +2533,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMainWindow::eventFilter(QObject *, QEvent *) +// bool QMainWindow::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2525,11 +2559,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QMainWindow::focusInEvent(QFocusEvent *) +// void QMainWindow::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2586,11 +2620,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QMainWindow::focusOutEvent(QFocusEvent *) +// void QMainWindow::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2666,11 +2700,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QMainWindow::hideEvent(QHideEvent *) +// void QMainWindow::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2797,11 +2831,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QMainWindow::keyPressEvent(QKeyEvent *) +// void QMainWindow::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2821,11 +2855,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QMainWindow::keyReleaseEvent(QKeyEvent *) +// void QMainWindow::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2845,11 +2879,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QMainWindow::leaveEvent(QEvent *) +// void QMainWindow::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2911,11 +2945,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QMainWindow::mouseDoubleClickEvent(QMouseEvent *) +// void QMainWindow::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2935,11 +2969,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QMainWindow::mouseMoveEvent(QMouseEvent *) +// void QMainWindow::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2959,11 +2993,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QMainWindow::mousePressEvent(QMouseEvent *) +// void QMainWindow::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2983,11 +3017,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QMainWindow::mouseReleaseEvent(QMouseEvent *) +// void QMainWindow::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3007,11 +3041,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QMainWindow::moveEvent(QMoveEvent *) +// void QMainWindow::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3097,11 +3131,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QMainWindow::paintEvent(QPaintEvent *) +// void QMainWindow::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3162,11 +3196,11 @@ static void _set_callback_cbs_redirected_c1225_0 (void *cls, const gsi::Callback } -// void QMainWindow::resizeEvent(QResizeEvent *) +// void QMainWindow::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3257,11 +3291,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QMainWindow::showEvent(QShowEvent *) +// void QMainWindow::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3300,11 +3334,29 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QMainWindow::tabletEvent(QTabletEvent *) +// emitter void QMainWindow::tabifiedDockWidgetActivated(QDockWidget *dockWidget) + +static void _init_emitter_tabifiedDockWidgetActivated_1700 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("dockWidget"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_tabifiedDockWidgetActivated_1700 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QDockWidget *arg1 = gsi::arg_reader() (args, heap); + ((QMainWindow_Adaptor *)cls)->emitter_QMainWindow_tabifiedDockWidgetActivated_1700 (arg1); +} + + +// void QMainWindow::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3324,11 +3376,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QMainWindow::timerEvent(QTimerEvent *) +// void QMainWindow::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3381,11 +3433,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QMainWindow::wheelEvent(QWheelEvent *) +// void QMainWindow::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3467,53 +3519,53 @@ gsi::Class &qtdecl_QMainWindow (); static gsi::Methods methods_QMainWindow_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMainWindow::QMainWindow(QWidget *parent, QFlags flags)\nThis method creates an object of class QMainWindow.", &_init_ctor_QMainWindow_Adaptor_3702, &_call_ctor_QMainWindow_Adaptor_3702); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QMainWindow::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QMainWindow::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QMainWindow::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMainWindow::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMainWindow::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QMainWindow::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QMainWindow::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QMainWindow::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QMainWindow::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QMainWindow::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("createPopupMenu", "@brief Virtual method QMenu *QMainWindow::createPopupMenu()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_createPopupMenu_0_0, &_call_cbs_createPopupMenu_0_0); methods += new qt_gsi::GenericMethod ("createPopupMenu", "@hide", false, &_init_cbs_createPopupMenu_0_0, &_call_cbs_createPopupMenu_0_0, &_set_callback_cbs_createPopupMenu_0_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QMainWindow::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMainWindow::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMainWindow::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QMainWindow::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QMainWindow::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMainWindow::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMainWindow::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QMainWindow::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QMainWindow::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QMainWindow::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QMainWindow::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QMainWindow::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QMainWindow::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QMainWindow::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QMainWindow::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QMainWindow::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QMainWindow::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QMainWindow::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMainWindow::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMainWindow::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QMainWindow::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QMainWindow::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QMainWindow::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QMainWindow::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QMainWindow::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QMainWindow::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QMainWindow::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QMainWindow::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QMainWindow::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QMainWindow::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QMainWindow::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("emit_iconSizeChanged", "@brief Emitter for signal void QMainWindow::iconSizeChanged(const QSize &iconSize)\nCall this method to emit this signal.", false, &_init_emitter_iconSizeChanged_1805, &_call_emitter_iconSizeChanged_1805); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QMainWindow::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); @@ -3523,37 +3575,37 @@ static gsi::Methods methods_QMainWindow_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QMainWindow::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMainWindow::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QMainWindow::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QMainWindow::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QMainWindow::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QMainWindow::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QMainWindow::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QMainWindow::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QMainWindow::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QMainWindow::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QMainWindow::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QMainWindow::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QMainWindow::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QMainWindow::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QMainWindow::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QMainWindow::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QMainWindow::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QMainWindow::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QMainWindow::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QMainWindow::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QMainWindow::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMainWindow::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QMainWindow::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QMainWindow::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QMainWindow::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMainWindow::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QMainWindow::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QMainWindow::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QMainWindow::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMainWindow::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMainWindow::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -3561,17 +3613,18 @@ static gsi::Methods methods_QMainWindow_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QMainWindow::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QMainWindow::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QMainWindow::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QMainWindow::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QMainWindow::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("emit_tabifiedDockWidgetActivated", "@brief Emitter for signal void QMainWindow::tabifiedDockWidgetActivated(QDockWidget *dockWidget)\nCall this method to emit this signal.", false, &_init_emitter_tabifiedDockWidgetActivated_1700, &_call_emitter_tabifiedDockWidgetActivated_1700); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QMainWindow::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMainWindow::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMainWindow::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_toolButtonStyleChanged", "@brief Emitter for signal void QMainWindow::toolButtonStyleChanged(Qt::ToolButtonStyle toolButtonStyle)\nCall this method to emit this signal.", false, &_init_emitter_toolButtonStyleChanged_2328, &_call_emitter_toolButtonStyleChanged_2328); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QMainWindow::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QMainWindow::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QMainWindow::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QMainWindow::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QMainWindow::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); @@ -3595,7 +3648,8 @@ static gsi::Enum decl_QMainWindow_DockOption_Enum ("QtW gsi::enum_const ("AllowNestedDocks", QMainWindow::AllowNestedDocks, "@brief Enum constant QMainWindow::AllowNestedDocks") + gsi::enum_const ("AllowTabbedDocks", QMainWindow::AllowTabbedDocks, "@brief Enum constant QMainWindow::AllowTabbedDocks") + gsi::enum_const ("ForceTabbedDocks", QMainWindow::ForceTabbedDocks, "@brief Enum constant QMainWindow::ForceTabbedDocks") + - gsi::enum_const ("VerticalTabs", QMainWindow::VerticalTabs, "@brief Enum constant QMainWindow::VerticalTabs"), + gsi::enum_const ("VerticalTabs", QMainWindow::VerticalTabs, "@brief Enum constant QMainWindow::VerticalTabs") + + gsi::enum_const ("GroupedDragging", QMainWindow::GroupedDragging, "@brief Enum constant QMainWindow::GroupedDragging"), "@qt\n@brief This class represents the QMainWindow::DockOption enum"); static gsi::QFlagsClass decl_QMainWindow_DockOption_Enums ("QtWidgets", "QMainWindow_QFlags_DockOption", diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQMdiArea.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQMdiArea.cc index bb99c51db5..78c6f732a2 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQMdiArea.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQMdiArea.cc @@ -172,7 +172,7 @@ static void _init_f_addSubWindow_3702 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("widget"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_1 ("flags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_1); decl->set_return (); } @@ -182,7 +182,7 @@ static void _call_f_addSubWindow_3702 (const qt_gsi::GenericMethod * /*decl*/, v __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write ((QMdiSubWindow *)((QMdiArea *)cls)->addSubWindow (arg1, arg2)); } @@ -1009,18 +1009,18 @@ class QMdiArea_Adaptor : public QMdiArea, public qt_gsi::QtObjectBase emit QMdiArea::windowTitleChanged(title); } - // [adaptor impl] void QMdiArea::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QMdiArea::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QMdiArea::actionEvent(arg1); + QMdiArea::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QMdiArea_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QMdiArea_Adaptor::cbs_actionEvent_1823_0, event); } else { - QMdiArea::actionEvent(arg1); + QMdiArea::actionEvent(event); } } @@ -1054,18 +1054,18 @@ class QMdiArea_Adaptor : public QMdiArea, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMdiArea::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QMdiArea::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QMdiArea::closeEvent(arg1); + QMdiArea::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QMdiArea_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QMdiArea_Adaptor::cbs_closeEvent_1719_0, event); } else { - QMdiArea::closeEvent(arg1); + QMdiArea::closeEvent(event); } } @@ -1084,18 +1084,18 @@ class QMdiArea_Adaptor : public QMdiArea, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMdiArea::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMdiArea::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMdiArea::customEvent(arg1); + QMdiArea::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMdiArea_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMdiArea_Adaptor::cbs_customEvent_1217_0, event); } else { - QMdiArea::customEvent(arg1); + QMdiArea::customEvent(event); } } @@ -1174,18 +1174,18 @@ class QMdiArea_Adaptor : public QMdiArea, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMdiArea::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMdiArea::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QMdiArea::enterEvent(arg1); + QMdiArea::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QMdiArea_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QMdiArea_Adaptor::cbs_enterEvent_1217_0, event); } else { - QMdiArea::enterEvent(arg1); + QMdiArea::enterEvent(event); } } @@ -1219,18 +1219,18 @@ class QMdiArea_Adaptor : public QMdiArea, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMdiArea::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QMdiArea::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QMdiArea::focusInEvent(arg1); + QMdiArea::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QMdiArea_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QMdiArea_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QMdiArea::focusInEvent(arg1); + QMdiArea::focusInEvent(event); } } @@ -1249,33 +1249,33 @@ class QMdiArea_Adaptor : public QMdiArea, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMdiArea::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QMdiArea::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QMdiArea::focusOutEvent(arg1); + QMdiArea::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QMdiArea_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QMdiArea_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QMdiArea::focusOutEvent(arg1); + QMdiArea::focusOutEvent(event); } } - // [adaptor impl] void QMdiArea::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QMdiArea::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QMdiArea::hideEvent(arg1); + QMdiArea::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QMdiArea_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QMdiArea_Adaptor::cbs_hideEvent_1595_0, event); } else { - QMdiArea::hideEvent(arg1); + QMdiArea::hideEvent(event); } } @@ -1324,33 +1324,33 @@ class QMdiArea_Adaptor : public QMdiArea, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMdiArea::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QMdiArea::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QMdiArea::keyReleaseEvent(arg1); + QMdiArea::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QMdiArea_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QMdiArea_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QMdiArea::keyReleaseEvent(arg1); + QMdiArea::keyReleaseEvent(event); } } - // [adaptor impl] void QMdiArea::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMdiArea::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QMdiArea::leaveEvent(arg1); + QMdiArea::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QMdiArea_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QMdiArea_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QMdiArea::leaveEvent(arg1); + QMdiArea::leaveEvent(event); } } @@ -1429,18 +1429,18 @@ class QMdiArea_Adaptor : public QMdiArea, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMdiArea::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QMdiArea::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QMdiArea::moveEvent(arg1); + QMdiArea::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QMdiArea_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QMdiArea_Adaptor::cbs_moveEvent_1624_0, event); } else { - QMdiArea::moveEvent(arg1); + QMdiArea::moveEvent(event); } } @@ -1564,18 +1564,18 @@ class QMdiArea_Adaptor : public QMdiArea, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMdiArea::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QMdiArea::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QMdiArea::tabletEvent(arg1); + QMdiArea::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QMdiArea_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QMdiArea_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QMdiArea::tabletEvent(arg1); + QMdiArea::tabletEvent(event); } } @@ -1696,7 +1696,7 @@ QMdiArea_Adaptor::~QMdiArea_Adaptor() { } static void _init_ctor_QMdiArea_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1705,16 +1705,16 @@ static void _call_ctor_QMdiArea_Adaptor_1315 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QMdiArea_Adaptor (arg1)); } -// void QMdiArea::actionEvent(QActionEvent *) +// void QMdiArea::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1782,11 +1782,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QMdiArea::closeEvent(QCloseEvent *) +// void QMdiArea::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1873,11 +1873,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QMdiArea::customEvent(QEvent *) +// void QMdiArea::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1923,7 +1923,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1932,7 +1932,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QMdiArea_Adaptor *)cls)->emitter_QMdiArea_destroyed_1302 (arg1); } @@ -2076,11 +2076,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QMdiArea::enterEvent(QEvent *) +// void QMdiArea::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2149,11 +2149,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QMdiArea::focusInEvent(QFocusEvent *) +// void QMdiArea::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2210,11 +2210,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QMdiArea::focusOutEvent(QFocusEvent *) +// void QMdiArea::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2290,11 +2290,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QMdiArea::hideEvent(QHideEvent *) +// void QMdiArea::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2446,11 +2446,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QMdiArea::keyReleaseEvent(QKeyEvent *) +// void QMdiArea::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2470,11 +2470,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QMdiArea::leaveEvent(QEvent *) +// void QMdiArea::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2632,11 +2632,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QMdiArea::moveEvent(QMoveEvent *) +// void QMdiArea::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3041,11 +3041,11 @@ static void _call_emitter_subWindowActivated_1915 (const qt_gsi::GenericMethod * } -// void QMdiArea::tabletEvent(QTabletEvent *) +// void QMdiArea::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3246,21 +3246,21 @@ gsi::Class &qtdecl_QMdiArea (); static gsi::Methods methods_QMdiArea_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMdiArea::QMdiArea(QWidget *parent)\nThis method creates an object of class QMdiArea.", &_init_ctor_QMdiArea_Adaptor_1315, &_call_ctor_QMdiArea_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QMdiArea::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QMdiArea::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QMdiArea::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMdiArea::childEvent(QChildEvent *childEvent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QMdiArea::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QMdiArea::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QMdiArea::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QMdiArea::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QMdiArea::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QMdiArea::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMdiArea::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMdiArea::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QMdiArea::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QMdiArea::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMdiArea::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMdiArea::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); @@ -3273,25 +3273,25 @@ static gsi::Methods methods_QMdiArea_Adaptor () { methods += new qt_gsi::GenericMethod ("*drawFrame", "@brief Method void QMdiArea::drawFrame(QPainter *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_drawFrame_1426, &_call_fp_drawFrame_1426); methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QMdiArea::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QMdiArea::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QMdiArea::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QMdiArea::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QMdiArea::eventFilter(QObject *object, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QMdiArea::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QMdiArea::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QMdiArea::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QMdiArea::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QMdiArea::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QMdiArea::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QMdiArea::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QMdiArea::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QMdiArea::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QMdiArea::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QMdiArea::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QMdiArea::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -3303,9 +3303,9 @@ static gsi::Methods methods_QMdiArea_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMdiArea::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QMdiArea::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QMdiArea::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QMdiArea::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QMdiArea::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QMdiArea::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QMdiArea::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); @@ -3319,7 +3319,7 @@ static gsi::Methods methods_QMdiArea_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QMdiArea::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QMdiArea::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QMdiArea::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QMdiArea::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3350,7 +3350,7 @@ static gsi::Methods methods_QMdiArea_Adaptor () { methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QMdiArea::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("emit_subWindowActivated", "@brief Emitter for signal void QMdiArea::subWindowActivated(QMdiSubWindow *)\nCall this method to emit this signal.", false, &_init_emitter_subWindowActivated_1915, &_call_emitter_subWindowActivated_1915); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QMdiArea::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QMdiArea::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMdiArea::timerEvent(QTimerEvent *timerEvent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQMdiSubWindow.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQMdiSubWindow.cc index 361f40e305..7360be2e74 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQMdiSubWindow.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQMdiSubWindow.cc @@ -726,18 +726,18 @@ class QMdiSubWindow_Adaptor : public QMdiSubWindow, public qt_gsi::QtObjectBase emit QMdiSubWindow::windowTitleChanged(title); } - // [adaptor impl] void QMdiSubWindow::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QMdiSubWindow::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QMdiSubWindow::actionEvent(arg1); + QMdiSubWindow::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QMdiSubWindow_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QMdiSubWindow_Adaptor::cbs_actionEvent_1823_0, event); } else { - QMdiSubWindow::actionEvent(arg1); + QMdiSubWindow::actionEvent(event); } } @@ -801,18 +801,18 @@ class QMdiSubWindow_Adaptor : public QMdiSubWindow, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMdiSubWindow::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMdiSubWindow::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMdiSubWindow::customEvent(arg1); + QMdiSubWindow::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMdiSubWindow_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMdiSubWindow_Adaptor::cbs_customEvent_1217_0, event); } else { - QMdiSubWindow::customEvent(arg1); + QMdiSubWindow::customEvent(event); } } @@ -831,78 +831,78 @@ class QMdiSubWindow_Adaptor : public QMdiSubWindow, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMdiSubWindow::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QMdiSubWindow::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QMdiSubWindow::dragEnterEvent(arg1); + QMdiSubWindow::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QMdiSubWindow_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QMdiSubWindow_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QMdiSubWindow::dragEnterEvent(arg1); + QMdiSubWindow::dragEnterEvent(event); } } - // [adaptor impl] void QMdiSubWindow::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QMdiSubWindow::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QMdiSubWindow::dragLeaveEvent(arg1); + QMdiSubWindow::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QMdiSubWindow_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QMdiSubWindow_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QMdiSubWindow::dragLeaveEvent(arg1); + QMdiSubWindow::dragLeaveEvent(event); } } - // [adaptor impl] void QMdiSubWindow::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QMdiSubWindow::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QMdiSubWindow::dragMoveEvent(arg1); + QMdiSubWindow::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QMdiSubWindow_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QMdiSubWindow_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QMdiSubWindow::dragMoveEvent(arg1); + QMdiSubWindow::dragMoveEvent(event); } } - // [adaptor impl] void QMdiSubWindow::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QMdiSubWindow::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QMdiSubWindow::dropEvent(arg1); + QMdiSubWindow::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QMdiSubWindow_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QMdiSubWindow_Adaptor::cbs_dropEvent_1622_0, event); } else { - QMdiSubWindow::dropEvent(arg1); + QMdiSubWindow::dropEvent(event); } } - // [adaptor impl] void QMdiSubWindow::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMdiSubWindow::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QMdiSubWindow::enterEvent(arg1); + QMdiSubWindow::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QMdiSubWindow_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QMdiSubWindow_Adaptor::cbs_enterEvent_1217_0, event); } else { - QMdiSubWindow::enterEvent(arg1); + QMdiSubWindow::enterEvent(event); } } @@ -1041,18 +1041,18 @@ class QMdiSubWindow_Adaptor : public QMdiSubWindow, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMdiSubWindow::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QMdiSubWindow::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QMdiSubWindow::keyReleaseEvent(arg1); + QMdiSubWindow::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QMdiSubWindow_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QMdiSubWindow_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QMdiSubWindow::keyReleaseEvent(arg1); + QMdiSubWindow::keyReleaseEvent(event); } } @@ -1251,18 +1251,18 @@ class QMdiSubWindow_Adaptor : public QMdiSubWindow, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMdiSubWindow::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QMdiSubWindow::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QMdiSubWindow::tabletEvent(arg1); + QMdiSubWindow::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QMdiSubWindow_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QMdiSubWindow_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QMdiSubWindow::tabletEvent(arg1); + QMdiSubWindow::tabletEvent(event); } } @@ -1281,18 +1281,18 @@ class QMdiSubWindow_Adaptor : public QMdiSubWindow, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMdiSubWindow::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QMdiSubWindow::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QMdiSubWindow::wheelEvent(arg1); + QMdiSubWindow::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QMdiSubWindow_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QMdiSubWindow_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QMdiSubWindow::wheelEvent(arg1); + QMdiSubWindow::wheelEvent(event); } } @@ -1349,9 +1349,9 @@ QMdiSubWindow_Adaptor::~QMdiSubWindow_Adaptor() { } static void _init_ctor_QMdiSubWindow_Adaptor_3702 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_1 ("flags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_1); decl->set_return_new (); } @@ -1360,8 +1360,8 @@ static void _call_ctor_QMdiSubWindow_Adaptor_3702 (const qt_gsi::GenericStaticMe { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QMdiSubWindow_Adaptor (arg1, arg2)); } @@ -1380,11 +1380,11 @@ static void _call_emitter_aboutToActivate_0 (const qt_gsi::GenericMethod * /*dec } -// void QMdiSubWindow::actionEvent(QActionEvent *) +// void QMdiSubWindow::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1543,11 +1543,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QMdiSubWindow::customEvent(QEvent *) +// void QMdiSubWindow::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1593,7 +1593,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1602,7 +1602,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QMdiSubWindow_Adaptor *)cls)->emitter_QMdiSubWindow_destroyed_1302 (arg1); } @@ -1631,11 +1631,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QMdiSubWindow::dragEnterEvent(QDragEnterEvent *) +// void QMdiSubWindow::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1655,11 +1655,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QMdiSubWindow::dragLeaveEvent(QDragLeaveEvent *) +// void QMdiSubWindow::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1679,11 +1679,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QMdiSubWindow::dragMoveEvent(QDragMoveEvent *) +// void QMdiSubWindow::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1703,11 +1703,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QMdiSubWindow::dropEvent(QDropEvent *) +// void QMdiSubWindow::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1727,11 +1727,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QMdiSubWindow::enterEvent(QEvent *) +// void QMdiSubWindow::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2078,11 +2078,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QMdiSubWindow::keyReleaseEvent(QKeyEvent *) +// void QMdiSubWindow::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2557,11 +2557,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QMdiSubWindow::tabletEvent(QTabletEvent *) +// void QMdiSubWindow::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2620,11 +2620,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QMdiSubWindow::wheelEvent(QWheelEvent *) +// void QMdiSubWindow::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2728,7 +2728,7 @@ static gsi::Methods methods_QMdiSubWindow_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMdiSubWindow::QMdiSubWindow(QWidget *parent, QFlags flags)\nThis method creates an object of class QMdiSubWindow.", &_init_ctor_QMdiSubWindow_Adaptor_3702, &_call_ctor_QMdiSubWindow_Adaptor_3702); methods += new qt_gsi::GenericMethod ("emit_aboutToActivate", "@brief Emitter for signal void QMdiSubWindow::aboutToActivate()\nCall this method to emit this signal.", false, &_init_emitter_aboutToActivate_0, &_call_emitter_aboutToActivate_0); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QMdiSubWindow::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QMdiSubWindow::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QMdiSubWindow::changeEvent(QEvent *changeEvent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); @@ -2738,23 +2738,23 @@ static gsi::Methods methods_QMdiSubWindow_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QMdiSubWindow::contextMenuEvent(QContextMenuEvent *contextMenuEvent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QMdiSubWindow::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QMdiSubWindow::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QMdiSubWindow::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMdiSubWindow::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMdiSubWindow::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QMdiSubWindow::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QMdiSubWindow::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMdiSubWindow::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMdiSubWindow::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QMdiSubWindow::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QMdiSubWindow::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QMdiSubWindow::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QMdiSubWindow::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QMdiSubWindow::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QMdiSubWindow::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QMdiSubWindow::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QMdiSubWindow::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QMdiSubWindow::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QMdiSubWindow::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QMdiSubWindow::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); @@ -2783,7 +2783,7 @@ static gsi::Methods methods_QMdiSubWindow_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMdiSubWindow::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QMdiSubWindow::keyPressEvent(QKeyEvent *keyEvent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QMdiSubWindow::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QMdiSubWindow::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QMdiSubWindow::leaveEvent(QEvent *leaveEvent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); @@ -2823,12 +2823,12 @@ static gsi::Methods methods_QMdiSubWindow_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QMdiSubWindow::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QMdiSubWindow::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QMdiSubWindow::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMdiSubWindow::timerEvent(QTimerEvent *timerEvent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QMdiSubWindow::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QMdiSubWindow::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QMdiSubWindow::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QMdiSubWindow::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QMdiSubWindow::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQMenu.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQMenu.cc index dc10d7da2d..a06e6ded2a 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQMenu.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQMenu.cc @@ -442,7 +442,7 @@ static void _init_f_exec_3117 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("pos"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("at", true, "0"); + static gsi::ArgSpecBase argspec_1 ("at", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -452,7 +452,7 @@ static void _call_f_exec_3117 (const qt_gsi::GenericMethod * /*decl*/, void *cls __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QPoint &arg1 = gsi::arg_reader() (args, heap); - QAction *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QAction *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QAction *)((QMenu *)cls)->exec (arg1, arg2)); } @@ -643,7 +643,7 @@ static void _init_f_popup_3117 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("pos"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("at", true, "0"); + static gsi::ArgSpecBase argspec_1 ("at", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -653,7 +653,7 @@ static void _call_f_popup_3117 (const qt_gsi::GenericMethod * /*decl*/, void *cl __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QPoint &arg1 = gsi::arg_reader() (args, heap); - QAction *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QAction *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QMenu *)cls)->popup (arg1, arg2); } @@ -834,6 +834,42 @@ static void _call_f_setToolTipsVisible_864 (const qt_gsi::GenericMethod * /*decl } +// void QMenu::showTearOffMenu() + + +static void _init_f_showTearOffMenu_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_showTearOffMenu_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + ((QMenu *)cls)->showTearOffMenu (); +} + + +// void QMenu::showTearOffMenu(const QPoint &pos) + + +static void _init_f_showTearOffMenu_1916 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("pos"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_showTearOffMenu_1916 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPoint &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QMenu *)cls)->showTearOffMenu (arg1); +} + + // QSize QMenu::sizeHint() @@ -888,9 +924,9 @@ static void _init_f_exec_5996 (qt_gsi::GenericStaticMethod *decl) decl->add_arg > (argspec_0); static gsi::ArgSpecBase argspec_1 ("pos"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("at", true, "0"); + static gsi::ArgSpecBase argspec_2 ("at", true, "nullptr"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_3 ("parent", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -901,8 +937,8 @@ static void _call_f_exec_5996 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi tl::Heap heap; QList arg1 = gsi::arg_reader >() (args, heap); const QPoint &arg2 = gsi::arg_reader() (args, heap); - QAction *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QAction *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QAction *)QMenu::exec (arg1, arg2, arg3, arg4)); } @@ -1001,6 +1037,8 @@ static gsi::Methods methods_QMenu () { methods += new qt_gsi::GenericMethod ("setTearOffEnabled|tearOffEnabled=", "@brief Method void QMenu::setTearOffEnabled(bool)\n", false, &_init_f_setTearOffEnabled_864, &_call_f_setTearOffEnabled_864); methods += new qt_gsi::GenericMethod ("setTitle|title=", "@brief Method void QMenu::setTitle(const QString &title)\n", false, &_init_f_setTitle_2025, &_call_f_setTitle_2025); methods += new qt_gsi::GenericMethod ("setToolTipsVisible|toolTipsVisible=", "@brief Method void QMenu::setToolTipsVisible(bool visible)\n", false, &_init_f_setToolTipsVisible_864, &_call_f_setToolTipsVisible_864); + methods += new qt_gsi::GenericMethod ("showTearOffMenu", "@brief Method void QMenu::showTearOffMenu()\n", false, &_init_f_showTearOffMenu_0, &_call_f_showTearOffMenu_0); + methods += new qt_gsi::GenericMethod ("showTearOffMenu", "@brief Method void QMenu::showTearOffMenu(const QPoint &pos)\n", false, &_init_f_showTearOffMenu_1916, &_call_f_showTearOffMenu_1916); methods += new qt_gsi::GenericMethod (":sizeHint", "@brief Method QSize QMenu::sizeHint()\nThis is a reimplementation of QWidget::sizeHint", true, &_init_f_sizeHint_c0, &_call_f_sizeHint_c0); methods += new qt_gsi::GenericMethod (":title", "@brief Method QString QMenu::title()\n", true, &_init_f_title_c0, &_call_f_title_c0); methods += new qt_gsi::GenericMethod (":toolTipsVisible", "@brief Method bool QMenu::toolTipsVisible()\n", true, &_init_f_toolTipsVisible_c0, &_call_f_toolTipsVisible_c0); @@ -1140,18 +1178,18 @@ class QMenu_Adaptor : public QMenu, public qt_gsi::QtObjectBase emit QMenu::destroyed(arg1); } - // [adaptor impl] bool QMenu::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QMenu::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QMenu::eventFilter(arg1, arg2); + return QMenu::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QMenu_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QMenu_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QMenu::eventFilter(arg1, arg2); + return QMenu::eventFilter(watched, event); } } @@ -1327,63 +1365,63 @@ class QMenu_Adaptor : public QMenu, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMenu::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMenu::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMenu::childEvent(arg1); + QMenu::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMenu_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMenu_Adaptor::cbs_childEvent_1701_0, event); } else { - QMenu::childEvent(arg1); + QMenu::childEvent(event); } } - // [adaptor impl] void QMenu::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QMenu::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QMenu::closeEvent(arg1); + QMenu::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QMenu_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QMenu_Adaptor::cbs_closeEvent_1719_0, event); } else { - QMenu::closeEvent(arg1); + QMenu::closeEvent(event); } } - // [adaptor impl] void QMenu::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QMenu::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QMenu::contextMenuEvent(arg1); + QMenu::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QMenu_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QMenu_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QMenu::contextMenuEvent(arg1); + QMenu::contextMenuEvent(event); } } - // [adaptor impl] void QMenu::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMenu::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMenu::customEvent(arg1); + QMenu::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMenu_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMenu_Adaptor::cbs_customEvent_1217_0, event); } else { - QMenu::customEvent(arg1); + QMenu::customEvent(event); } } @@ -1402,63 +1440,63 @@ class QMenu_Adaptor : public QMenu, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMenu::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QMenu::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QMenu::dragEnterEvent(arg1); + QMenu::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QMenu_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QMenu_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QMenu::dragEnterEvent(arg1); + QMenu::dragEnterEvent(event); } } - // [adaptor impl] void QMenu::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QMenu::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QMenu::dragLeaveEvent(arg1); + QMenu::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QMenu_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QMenu_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QMenu::dragLeaveEvent(arg1); + QMenu::dragLeaveEvent(event); } } - // [adaptor impl] void QMenu::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QMenu::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QMenu::dragMoveEvent(arg1); + QMenu::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QMenu_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QMenu_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QMenu::dragMoveEvent(arg1); + QMenu::dragMoveEvent(event); } } - // [adaptor impl] void QMenu::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QMenu::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QMenu::dropEvent(arg1); + QMenu::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QMenu_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QMenu_Adaptor::cbs_dropEvent_1622_0, event); } else { - QMenu::dropEvent(arg1); + QMenu::dropEvent(event); } } @@ -1492,18 +1530,18 @@ class QMenu_Adaptor : public QMenu, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMenu::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QMenu::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QMenu::focusInEvent(arg1); + QMenu::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QMenu_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QMenu_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QMenu::focusInEvent(arg1); + QMenu::focusInEvent(event); } } @@ -1522,18 +1560,18 @@ class QMenu_Adaptor : public QMenu, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMenu::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QMenu::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QMenu::focusOutEvent(arg1); + QMenu::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QMenu_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QMenu_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QMenu::focusOutEvent(arg1); + QMenu::focusOutEvent(event); } } @@ -1597,18 +1635,18 @@ class QMenu_Adaptor : public QMenu, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMenu::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QMenu::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QMenu::keyReleaseEvent(arg1); + QMenu::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QMenu_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QMenu_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QMenu::keyReleaseEvent(arg1); + QMenu::keyReleaseEvent(event); } } @@ -1642,18 +1680,18 @@ class QMenu_Adaptor : public QMenu, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMenu::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QMenu::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QMenu::mouseDoubleClickEvent(arg1); + QMenu::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QMenu_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QMenu_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QMenu::mouseDoubleClickEvent(arg1); + QMenu::mouseDoubleClickEvent(event); } } @@ -1702,18 +1740,18 @@ class QMenu_Adaptor : public QMenu, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMenu::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QMenu::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QMenu::moveEvent(arg1); + QMenu::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QMenu_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QMenu_Adaptor::cbs_moveEvent_1624_0, event); } else { - QMenu::moveEvent(arg1); + QMenu::moveEvent(event); } } @@ -1762,18 +1800,18 @@ class QMenu_Adaptor : public QMenu, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMenu::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QMenu::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QMenu::resizeEvent(arg1); + QMenu::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QMenu_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QMenu_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QMenu::resizeEvent(arg1); + QMenu::resizeEvent(event); } } @@ -1792,33 +1830,33 @@ class QMenu_Adaptor : public QMenu, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMenu::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QMenu::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QMenu::showEvent(arg1); + QMenu::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QMenu_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QMenu_Adaptor::cbs_showEvent_1634_0, event); } else { - QMenu::showEvent(arg1); + QMenu::showEvent(event); } } - // [adaptor impl] void QMenu::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QMenu::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QMenu::tabletEvent(arg1); + QMenu::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QMenu_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QMenu_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QMenu::tabletEvent(arg1); + QMenu::tabletEvent(event); } } @@ -1905,7 +1943,7 @@ QMenu_Adaptor::~QMenu_Adaptor() { } static void _init_ctor_QMenu_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1914,7 +1952,7 @@ static void _call_ctor_QMenu_Adaptor_1315 (const qt_gsi::GenericStaticMethod * / { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QMenu_Adaptor (arg1)); } @@ -1925,7 +1963,7 @@ static void _init_ctor_QMenu_Adaptor_3232 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("title"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1935,7 +1973,7 @@ static void _call_ctor_QMenu_Adaptor_3232 (const qt_gsi::GenericStaticMethod * / __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QMenu_Adaptor (arg1, arg2)); } @@ -2016,11 +2054,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QMenu::childEvent(QChildEvent *) +// void QMenu::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2040,11 +2078,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QMenu::closeEvent(QCloseEvent *) +// void QMenu::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2078,11 +2116,11 @@ static void _call_fp_columnCount_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QMenu::contextMenuEvent(QContextMenuEvent *) +// void QMenu::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2145,11 +2183,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QMenu::customEvent(QEvent *) +// void QMenu::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2195,7 +2233,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2204,7 +2242,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QMenu_Adaptor *)cls)->emitter_QMenu_destroyed_1302 (arg1); } @@ -2233,11 +2271,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QMenu::dragEnterEvent(QDragEnterEvent *) +// void QMenu::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2257,11 +2295,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QMenu::dragLeaveEvent(QDragLeaveEvent *) +// void QMenu::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2281,11 +2319,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QMenu::dragMoveEvent(QDragMoveEvent *) +// void QMenu::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2305,11 +2343,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QMenu::dropEvent(QDropEvent *) +// void QMenu::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2376,13 +2414,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QMenu::eventFilter(QObject *, QEvent *) +// bool QMenu::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2402,11 +2440,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QMenu::focusInEvent(QFocusEvent *) +// void QMenu::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2463,11 +2501,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QMenu::focusOutEvent(QFocusEvent *) +// void QMenu::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2720,11 +2758,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QMenu::keyReleaseEvent(QKeyEvent *) +// void QMenu::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2810,11 +2848,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QMenu::mouseDoubleClickEvent(QMouseEvent *) +// void QMenu::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2906,11 +2944,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QMenu::moveEvent(QMoveEvent *) +// void QMenu::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3061,11 +3099,11 @@ static void _set_callback_cbs_redirected_c1225_0 (void *cls, const gsi::Callback } -// void QMenu::resizeEvent(QResizeEvent *) +// void QMenu::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3156,11 +3194,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QMenu::showEvent(QShowEvent *) +// void QMenu::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3199,11 +3237,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QMenu::tabletEvent(QTabletEvent *) +// void QMenu::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3373,41 +3411,41 @@ static gsi::Methods methods_QMenu_Adaptor () { methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QMenu::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMenu::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMenu::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QMenu::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QMenu::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*columnCount", "@brief Method int QMenu::columnCount()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_columnCount_c0, &_call_fp_columnCount_c0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QMenu::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QMenu::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QMenu::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QMenu::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QMenu::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMenu::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMenu::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QMenu::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QMenu::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMenu::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMenu::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QMenu::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QMenu::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QMenu::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QMenu::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QMenu::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QMenu::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QMenu::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QMenu::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QMenu::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QMenu::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMenu::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMenu::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QMenu::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QMenu::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QMenu::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QMenu::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QMenu::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QMenu::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QMenu::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QMenu::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); @@ -3427,7 +3465,7 @@ static gsi::Methods methods_QMenu_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMenu::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QMenu::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QMenu::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QMenu::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QMenu::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); @@ -3435,7 +3473,7 @@ static gsi::Methods methods_QMenu_Adaptor () { methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QMenu::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QMenu::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QMenu::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QMenu::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -3443,7 +3481,7 @@ static gsi::Methods methods_QMenu_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QMenu::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QMenu::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QMenu::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QMenu::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3455,7 +3493,7 @@ static gsi::Methods methods_QMenu_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMenu::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QMenu::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QMenu::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QMenu::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMenu::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMenu::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -3463,11 +3501,11 @@ static gsi::Methods methods_QMenu_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QMenu::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QMenu::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QMenu::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QMenu::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QMenu::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QMenu::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMenu::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQMenuBar.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQMenuBar.cc index 95575ebc05..ebe8e2e521 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQMenuBar.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQMenuBar.cc @@ -907,63 +907,63 @@ class QMenuBar_Adaptor : public QMenuBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMenuBar::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMenuBar::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMenuBar::childEvent(arg1); + QMenuBar::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMenuBar_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMenuBar_Adaptor::cbs_childEvent_1701_0, event); } else { - QMenuBar::childEvent(arg1); + QMenuBar::childEvent(event); } } - // [adaptor impl] void QMenuBar::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QMenuBar::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QMenuBar::closeEvent(arg1); + QMenuBar::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QMenuBar_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QMenuBar_Adaptor::cbs_closeEvent_1719_0, event); } else { - QMenuBar::closeEvent(arg1); + QMenuBar::closeEvent(event); } } - // [adaptor impl] void QMenuBar::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QMenuBar::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QMenuBar::contextMenuEvent(arg1); + QMenuBar::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QMenuBar_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QMenuBar_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QMenuBar::contextMenuEvent(arg1); + QMenuBar::contextMenuEvent(event); } } - // [adaptor impl] void QMenuBar::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMenuBar::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMenuBar::customEvent(arg1); + QMenuBar::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMenuBar_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMenuBar_Adaptor::cbs_customEvent_1217_0, event); } else { - QMenuBar::customEvent(arg1); + QMenuBar::customEvent(event); } } @@ -982,78 +982,78 @@ class QMenuBar_Adaptor : public QMenuBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMenuBar::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QMenuBar::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QMenuBar::dragEnterEvent(arg1); + QMenuBar::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QMenuBar_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QMenuBar_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QMenuBar::dragEnterEvent(arg1); + QMenuBar::dragEnterEvent(event); } } - // [adaptor impl] void QMenuBar::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QMenuBar::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QMenuBar::dragLeaveEvent(arg1); + QMenuBar::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QMenuBar_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QMenuBar_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QMenuBar::dragLeaveEvent(arg1); + QMenuBar::dragLeaveEvent(event); } } - // [adaptor impl] void QMenuBar::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QMenuBar::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QMenuBar::dragMoveEvent(arg1); + QMenuBar::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QMenuBar_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QMenuBar_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QMenuBar::dragMoveEvent(arg1); + QMenuBar::dragMoveEvent(event); } } - // [adaptor impl] void QMenuBar::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QMenuBar::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QMenuBar::dropEvent(arg1); + QMenuBar::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QMenuBar_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QMenuBar_Adaptor::cbs_dropEvent_1622_0, event); } else { - QMenuBar::dropEvent(arg1); + QMenuBar::dropEvent(event); } } - // [adaptor impl] void QMenuBar::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMenuBar::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QMenuBar::enterEvent(arg1); + QMenuBar::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QMenuBar_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QMenuBar_Adaptor::cbs_enterEvent_1217_0, event); } else { - QMenuBar::enterEvent(arg1); + QMenuBar::enterEvent(event); } } @@ -1132,18 +1132,18 @@ class QMenuBar_Adaptor : public QMenuBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMenuBar::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QMenuBar::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QMenuBar::hideEvent(arg1); + QMenuBar::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QMenuBar_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QMenuBar_Adaptor::cbs_hideEvent_1595_0, event); } else { - QMenuBar::hideEvent(arg1); + QMenuBar::hideEvent(event); } } @@ -1192,18 +1192,18 @@ class QMenuBar_Adaptor : public QMenuBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMenuBar::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QMenuBar::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QMenuBar::keyReleaseEvent(arg1); + QMenuBar::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QMenuBar_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QMenuBar_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QMenuBar::keyReleaseEvent(arg1); + QMenuBar::keyReleaseEvent(event); } } @@ -1237,18 +1237,18 @@ class QMenuBar_Adaptor : public QMenuBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMenuBar::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QMenuBar::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QMenuBar::mouseDoubleClickEvent(arg1); + QMenuBar::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QMenuBar_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QMenuBar_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QMenuBar::mouseDoubleClickEvent(arg1); + QMenuBar::mouseDoubleClickEvent(event); } } @@ -1297,18 +1297,18 @@ class QMenuBar_Adaptor : public QMenuBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMenuBar::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QMenuBar::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QMenuBar::moveEvent(arg1); + QMenuBar::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QMenuBar_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QMenuBar_Adaptor::cbs_moveEvent_1624_0, event); } else { - QMenuBar::moveEvent(arg1); + QMenuBar::moveEvent(event); } } @@ -1387,33 +1387,33 @@ class QMenuBar_Adaptor : public QMenuBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMenuBar::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QMenuBar::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QMenuBar::showEvent(arg1); + QMenuBar::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QMenuBar_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QMenuBar_Adaptor::cbs_showEvent_1634_0, event); } else { - QMenuBar::showEvent(arg1); + QMenuBar::showEvent(event); } } - // [adaptor impl] void QMenuBar::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QMenuBar::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QMenuBar::tabletEvent(arg1); + QMenuBar::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QMenuBar_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QMenuBar_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QMenuBar::tabletEvent(arg1); + QMenuBar::tabletEvent(event); } } @@ -1432,18 +1432,18 @@ class QMenuBar_Adaptor : public QMenuBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMenuBar::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QMenuBar::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QMenuBar::wheelEvent(arg1); + QMenuBar::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QMenuBar_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QMenuBar_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QMenuBar::wheelEvent(arg1); + QMenuBar::wheelEvent(event); } } @@ -1500,7 +1500,7 @@ QMenuBar_Adaptor::~QMenuBar_Adaptor() { } static void _init_ctor_QMenuBar_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1509,7 +1509,7 @@ static void _call_ctor_QMenuBar_Adaptor_1315 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QMenuBar_Adaptor (arg1)); } @@ -1562,11 +1562,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QMenuBar::childEvent(QChildEvent *) +// void QMenuBar::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1586,11 +1586,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QMenuBar::closeEvent(QCloseEvent *) +// void QMenuBar::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1610,11 +1610,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QMenuBar::contextMenuEvent(QContextMenuEvent *) +// void QMenuBar::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1677,11 +1677,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QMenuBar::customEvent(QEvent *) +// void QMenuBar::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1727,7 +1727,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1736,7 +1736,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QMenuBar_Adaptor *)cls)->emitter_QMenuBar_destroyed_1302 (arg1); } @@ -1765,11 +1765,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QMenuBar::dragEnterEvent(QDragEnterEvent *) +// void QMenuBar::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1789,11 +1789,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QMenuBar::dragLeaveEvent(QDragLeaveEvent *) +// void QMenuBar::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1813,11 +1813,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QMenuBar::dragMoveEvent(QDragMoveEvent *) +// void QMenuBar::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1837,11 +1837,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QMenuBar::dropEvent(QDropEvent *) +// void QMenuBar::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1861,11 +1861,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QMenuBar::enterEvent(QEvent *) +// void QMenuBar::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2075,11 +2075,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QMenuBar::hideEvent(QHideEvent *) +// void QMenuBar::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2252,11 +2252,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QMenuBar::keyReleaseEvent(QKeyEvent *) +// void QMenuBar::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2342,11 +2342,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QMenuBar::mouseDoubleClickEvent(QMouseEvent *) +// void QMenuBar::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2438,11 +2438,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QMenuBar::moveEvent(QMoveEvent *) +// void QMenuBar::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2688,11 +2688,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QMenuBar::showEvent(QShowEvent *) +// void QMenuBar::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2731,11 +2731,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QMenuBar::tabletEvent(QTabletEvent *) +// void QMenuBar::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2812,11 +2812,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QMenuBar::wheelEvent(QWheelEvent *) +// void QMenuBar::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2902,29 +2902,29 @@ static gsi::Methods methods_QMenuBar_Adaptor () { methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QMenuBar::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMenuBar::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMenuBar::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QMenuBar::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QMenuBar::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QMenuBar::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QMenuBar::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QMenuBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QMenuBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QMenuBar::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMenuBar::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMenuBar::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QMenuBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QMenuBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMenuBar::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMenuBar::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QMenuBar::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QMenuBar::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QMenuBar::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QMenuBar::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QMenuBar::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QMenuBar::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QMenuBar::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QMenuBar::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QMenuBar::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QMenuBar::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QMenuBar::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); @@ -2942,7 +2942,7 @@ static gsi::Methods methods_QMenuBar_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QMenuBar::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QMenuBar::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QMenuBar::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("emit_hovered", "@brief Emitter for signal void QMenuBar::hovered(QAction *action)\nCall this method to emit this signal.", false, &_init_emitter_hovered_1309, &_call_emitter_hovered_1309); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QMenuBar::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); @@ -2955,7 +2955,7 @@ static gsi::Methods methods_QMenuBar_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMenuBar::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QMenuBar::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QMenuBar::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QMenuBar::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QMenuBar::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); @@ -2963,7 +2963,7 @@ static gsi::Methods methods_QMenuBar_Adaptor () { methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QMenuBar::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QMenuBar::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QMenuBar::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QMenuBar::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -2971,7 +2971,7 @@ static gsi::Methods methods_QMenuBar_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QMenuBar::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QMenuBar::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QMenuBar::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QMenuBar::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2991,17 +2991,17 @@ static gsi::Methods methods_QMenuBar_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QMenuBar::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QMenuBar::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QMenuBar::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QMenuBar::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QMenuBar::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QMenuBar::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMenuBar::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_triggered", "@brief Emitter for signal void QMenuBar::triggered(QAction *action)\nCall this method to emit this signal.", false, &_init_emitter_triggered_1309, &_call_emitter_triggered_1309); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QMenuBar::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QMenuBar::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QMenuBar::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QMenuBar::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QMenuBar::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQMessageBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQMessageBox.cc index 1add5a2f67..ae56913201 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQMessageBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQMessageBox.cc @@ -1470,18 +1470,18 @@ class QMessageBox_Adaptor : public QMessageBox, public qt_gsi::QtObjectBase emit QMessageBox::windowTitleChanged(title); } - // [adaptor impl] void QMessageBox::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QMessageBox::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QMessageBox::actionEvent(arg1); + QMessageBox::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QMessageBox_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QMessageBox_Adaptor::cbs_actionEvent_1823_0, event); } else { - QMessageBox::actionEvent(arg1); + QMessageBox::actionEvent(event); } } @@ -1500,18 +1500,18 @@ class QMessageBox_Adaptor : public QMessageBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMessageBox::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QMessageBox::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QMessageBox::childEvent(arg1); + QMessageBox::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QMessageBox_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QMessageBox_Adaptor::cbs_childEvent_1701_0, event); } else { - QMessageBox::childEvent(arg1); + QMessageBox::childEvent(event); } } @@ -1545,18 +1545,18 @@ class QMessageBox_Adaptor : public QMessageBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMessageBox::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMessageBox::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QMessageBox::customEvent(arg1); + QMessageBox::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QMessageBox_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QMessageBox_Adaptor::cbs_customEvent_1217_0, event); } else { - QMessageBox::customEvent(arg1); + QMessageBox::customEvent(event); } } @@ -1575,78 +1575,78 @@ class QMessageBox_Adaptor : public QMessageBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMessageBox::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QMessageBox::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QMessageBox::dragEnterEvent(arg1); + QMessageBox::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QMessageBox_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QMessageBox_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QMessageBox::dragEnterEvent(arg1); + QMessageBox::dragEnterEvent(event); } } - // [adaptor impl] void QMessageBox::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QMessageBox::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QMessageBox::dragLeaveEvent(arg1); + QMessageBox::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QMessageBox_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QMessageBox_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QMessageBox::dragLeaveEvent(arg1); + QMessageBox::dragLeaveEvent(event); } } - // [adaptor impl] void QMessageBox::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QMessageBox::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QMessageBox::dragMoveEvent(arg1); + QMessageBox::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QMessageBox_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QMessageBox_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QMessageBox::dragMoveEvent(arg1); + QMessageBox::dragMoveEvent(event); } } - // [adaptor impl] void QMessageBox::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QMessageBox::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QMessageBox::dropEvent(arg1); + QMessageBox::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QMessageBox_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QMessageBox_Adaptor::cbs_dropEvent_1622_0, event); } else { - QMessageBox::dropEvent(arg1); + QMessageBox::dropEvent(event); } } - // [adaptor impl] void QMessageBox::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMessageBox::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QMessageBox::enterEvent(arg1); + QMessageBox::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QMessageBox_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QMessageBox_Adaptor::cbs_enterEvent_1217_0, event); } else { - QMessageBox::enterEvent(arg1); + QMessageBox::enterEvent(event); } } @@ -1680,18 +1680,18 @@ class QMessageBox_Adaptor : public QMessageBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMessageBox::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QMessageBox::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QMessageBox::focusInEvent(arg1); + QMessageBox::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QMessageBox_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QMessageBox_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QMessageBox::focusInEvent(arg1); + QMessageBox::focusInEvent(event); } } @@ -1710,33 +1710,33 @@ class QMessageBox_Adaptor : public QMessageBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMessageBox::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QMessageBox::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QMessageBox::focusOutEvent(arg1); + QMessageBox::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QMessageBox_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QMessageBox_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QMessageBox::focusOutEvent(arg1); + QMessageBox::focusOutEvent(event); } } - // [adaptor impl] void QMessageBox::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QMessageBox::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QMessageBox::hideEvent(arg1); + QMessageBox::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QMessageBox_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QMessageBox_Adaptor::cbs_hideEvent_1595_0, event); } else { - QMessageBox::hideEvent(arg1); + QMessageBox::hideEvent(event); } } @@ -1785,33 +1785,33 @@ class QMessageBox_Adaptor : public QMessageBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMessageBox::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QMessageBox::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QMessageBox::keyReleaseEvent(arg1); + QMessageBox::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QMessageBox_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QMessageBox_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QMessageBox::keyReleaseEvent(arg1); + QMessageBox::keyReleaseEvent(event); } } - // [adaptor impl] void QMessageBox::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QMessageBox::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QMessageBox::leaveEvent(arg1); + QMessageBox::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QMessageBox_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QMessageBox_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QMessageBox::leaveEvent(arg1); + QMessageBox::leaveEvent(event); } } @@ -1830,78 +1830,78 @@ class QMessageBox_Adaptor : public QMessageBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMessageBox::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QMessageBox::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QMessageBox::mouseDoubleClickEvent(arg1); + QMessageBox::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QMessageBox_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QMessageBox_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QMessageBox::mouseDoubleClickEvent(arg1); + QMessageBox::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QMessageBox::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QMessageBox::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QMessageBox::mouseMoveEvent(arg1); + QMessageBox::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QMessageBox_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QMessageBox_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QMessageBox::mouseMoveEvent(arg1); + QMessageBox::mouseMoveEvent(event); } } - // [adaptor impl] void QMessageBox::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QMessageBox::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QMessageBox::mousePressEvent(arg1); + QMessageBox::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QMessageBox_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QMessageBox_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QMessageBox::mousePressEvent(arg1); + QMessageBox::mousePressEvent(event); } } - // [adaptor impl] void QMessageBox::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QMessageBox::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QMessageBox::mouseReleaseEvent(arg1); + QMessageBox::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QMessageBox_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QMessageBox_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QMessageBox::mouseReleaseEvent(arg1); + QMessageBox::mouseReleaseEvent(event); } } - // [adaptor impl] void QMessageBox::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QMessageBox::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QMessageBox::moveEvent(arg1); + QMessageBox::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QMessageBox_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QMessageBox_Adaptor::cbs_moveEvent_1624_0, event); } else { - QMessageBox::moveEvent(arg1); + QMessageBox::moveEvent(event); } } @@ -1920,18 +1920,18 @@ class QMessageBox_Adaptor : public QMessageBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMessageBox::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QMessageBox::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QMessageBox::paintEvent(arg1); + QMessageBox::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QMessageBox_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QMessageBox_Adaptor::cbs_paintEvent_1725_0, event); } else { - QMessageBox::paintEvent(arg1); + QMessageBox::paintEvent(event); } } @@ -1995,48 +1995,48 @@ class QMessageBox_Adaptor : public QMessageBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QMessageBox::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QMessageBox::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QMessageBox::tabletEvent(arg1); + QMessageBox::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QMessageBox_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QMessageBox_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QMessageBox::tabletEvent(arg1); + QMessageBox::tabletEvent(event); } } - // [adaptor impl] void QMessageBox::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QMessageBox::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QMessageBox::timerEvent(arg1); + QMessageBox::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QMessageBox_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QMessageBox_Adaptor::cbs_timerEvent_1730_0, event); } else { - QMessageBox::timerEvent(arg1); + QMessageBox::timerEvent(event); } } - // [adaptor impl] void QMessageBox::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QMessageBox::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QMessageBox::wheelEvent(arg1); + QMessageBox::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QMessageBox_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QMessageBox_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QMessageBox::wheelEvent(arg1); + QMessageBox::wheelEvent(event); } } @@ -2098,7 +2098,7 @@ QMessageBox_Adaptor::~QMessageBox_Adaptor() { } static void _init_ctor_QMessageBox_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -2107,7 +2107,7 @@ static void _call_ctor_QMessageBox_Adaptor_1315 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QMessageBox_Adaptor (arg1)); } @@ -2124,7 +2124,7 @@ static void _init_ctor_QMessageBox_Adaptor_13140 (qt_gsi::GenericStaticMethod *d decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("buttons", true, "QMessageBox::NoButton"); decl->add_arg > (argspec_3); - static gsi::ArgSpecBase argspec_4 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_4 ("parent", true, "nullptr"); decl->add_arg (argspec_4); static gsi::ArgSpecBase argspec_5 ("flags", true, "Qt::Dialog | Qt::MSWindowsFixedSizeDialogHint"); decl->add_arg > (argspec_5); @@ -2139,7 +2139,7 @@ static void _call_ctor_QMessageBox_Adaptor_13140 (const qt_gsi::GenericStaticMet const QString &arg2 = gsi::arg_reader() (args, heap); const QString &arg3 = gsi::arg_reader() (args, heap); QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QMessageBox::NoButton, heap); - QWidget *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::Dialog | Qt::MSWindowsFixedSizeDialogHint, heap); ret.write (new QMessageBox_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4, arg5, arg6)); } @@ -2161,7 +2161,7 @@ static void _init_ctor_QMessageBox_Adaptor_11437 (qt_gsi::GenericStaticMethod *d decl->add_arg (argspec_4); static gsi::ArgSpecBase argspec_5 ("button2"); decl->add_arg (argspec_5); - static gsi::ArgSpecBase argspec_6 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_6 ("parent", true, "nullptr"); decl->add_arg (argspec_6); static gsi::ArgSpecBase argspec_7 ("f", true, "Qt::Dialog | Qt::MSWindowsFixedSizeDialogHint"); decl->add_arg > (argspec_7); @@ -2178,7 +2178,7 @@ static void _call_ctor_QMessageBox_Adaptor_11437 (const qt_gsi::GenericStaticMet int arg4 = gsi::arg_reader() (args, heap); int arg5 = gsi::arg_reader() (args, heap); int arg6 = gsi::arg_reader() (args, heap); - QWidget *arg7 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg7 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); QFlags arg8 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::Dialog | Qt::MSWindowsFixedSizeDialogHint, heap); ret.write (new QMessageBox_Adaptor (arg1, arg2, qt_gsi::QtToCppAdaptor(arg3).cref(), arg4, arg5, arg6, arg7, arg8)); } @@ -2218,11 +2218,11 @@ static void _call_emitter_accepted_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QMessageBox::actionEvent(QActionEvent *) +// void QMessageBox::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2303,11 +2303,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QMessageBox::childEvent(QChildEvent *) +// void QMessageBox::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2418,11 +2418,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QMessageBox::customEvent(QEvent *) +// void QMessageBox::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2468,7 +2468,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2477,7 +2477,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QMessageBox_Adaptor *)cls)->emitter_QMessageBox_destroyed_1302 (arg1); } @@ -2530,11 +2530,11 @@ static void _set_callback_cbs_done_767_0 (void *cls, const gsi::Callback &cb) } -// void QMessageBox::dragEnterEvent(QDragEnterEvent *) +// void QMessageBox::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2554,11 +2554,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QMessageBox::dragLeaveEvent(QDragLeaveEvent *) +// void QMessageBox::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2578,11 +2578,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QMessageBox::dragMoveEvent(QDragMoveEvent *) +// void QMessageBox::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2602,11 +2602,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QMessageBox::dropEvent(QDropEvent *) +// void QMessageBox::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2626,11 +2626,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QMessageBox::enterEvent(QEvent *) +// void QMessageBox::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2736,11 +2736,11 @@ static void _call_emitter_finished_767 (const qt_gsi::GenericMethod * /*decl*/, } -// void QMessageBox::focusInEvent(QFocusEvent *) +// void QMessageBox::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2797,11 +2797,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QMessageBox::focusOutEvent(QFocusEvent *) +// void QMessageBox::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2877,11 +2877,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QMessageBox::hideEvent(QHideEvent *) +// void QMessageBox::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3014,11 +3014,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QMessageBox::keyReleaseEvent(QKeyEvent *) +// void QMessageBox::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3038,11 +3038,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QMessageBox::leaveEvent(QEvent *) +// void QMessageBox::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3104,11 +3104,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QMessageBox::mouseDoubleClickEvent(QMouseEvent *) +// void QMessageBox::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3128,11 +3128,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QMessageBox::mouseMoveEvent(QMouseEvent *) +// void QMessageBox::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3152,11 +3152,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QMessageBox::mousePressEvent(QMouseEvent *) +// void QMessageBox::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3176,11 +3176,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QMessageBox::mouseReleaseEvent(QMouseEvent *) +// void QMessageBox::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3200,11 +3200,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QMessageBox::moveEvent(QMoveEvent *) +// void QMessageBox::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3310,11 +3310,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QMessageBox::paintEvent(QPaintEvent *) +// void QMessageBox::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3547,11 +3547,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QMessageBox::tabletEvent(QTabletEvent *) +// void QMessageBox::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3571,11 +3571,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QMessageBox::timerEvent(QTimerEvent *) +// void QMessageBox::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3610,11 +3610,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QMessageBox::wheelEvent(QWheelEvent *) +// void QMessageBox::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3701,37 +3701,37 @@ static gsi::Methods methods_QMessageBox_Adaptor () { methods += new qt_gsi::GenericMethod ("accept", "@brief Virtual method void QMessageBox::accept()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("accept", "@hide", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0, &_set_callback_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("emit_accepted", "@brief Emitter for signal void QMessageBox::accepted()\nCall this method to emit this signal.", false, &_init_emitter_accepted_0, &_call_emitter_accepted_0); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QMessageBox::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QMessageBox::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*adjustPosition", "@brief Method void QMessageBox::adjustPosition(QWidget *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_adjustPosition_1315, &_call_fp_adjustPosition_1315); methods += new qt_gsi::GenericMethod ("emit_buttonClicked", "@brief Emitter for signal void QMessageBox::buttonClicked(QAbstractButton *button)\nCall this method to emit this signal.", false, &_init_emitter_buttonClicked_2159, &_call_emitter_buttonClicked_2159); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QMessageBox::changeEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMessageBox::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMessageBox::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QMessageBox::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QMessageBox::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QMessageBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QMessageBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QMessageBox::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMessageBox::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMessageBox::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QMessageBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QMessageBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMessageBox::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMessageBox::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("done", "@brief Virtual method void QMessageBox::done(int)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0); methods += new qt_gsi::GenericMethod ("done", "@hide", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0, &_set_callback_cbs_done_767_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QMessageBox::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QMessageBox::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QMessageBox::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QMessageBox::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QMessageBox::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QMessageBox::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QMessageBox::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QMessageBox::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QMessageBox::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QMessageBox::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QMessageBox::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); @@ -3740,19 +3740,19 @@ static gsi::Methods methods_QMessageBox_Adaptor () { methods += new qt_gsi::GenericMethod ("exec", "@brief Virtual method int QMessageBox::exec()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("exec", "@hide", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0, &_set_callback_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QMessageBox::finished(int result)\nCall this method to emit this signal.", false, &_init_emitter_finished_767, &_call_emitter_finished_767); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QMessageBox::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QMessageBox::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QMessageBox::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QMessageBox::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QMessageBox::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QMessageBox::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QMessageBox::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QMessageBox::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QMessageBox::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QMessageBox::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QMessageBox::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QMessageBox::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -3763,23 +3763,23 @@ static gsi::Methods methods_QMessageBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMessageBox::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QMessageBox::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QMessageBox::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QMessageBox::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QMessageBox::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QMessageBox::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QMessageBox::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QMessageBox::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QMessageBox::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QMessageBox::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QMessageBox::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QMessageBox::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QMessageBox::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QMessageBox::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QMessageBox::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QMessageBox::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QMessageBox::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QMessageBox::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QMessageBox::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3788,7 +3788,7 @@ static gsi::Methods methods_QMessageBox_Adaptor () { methods += new qt_gsi::GenericMethod ("open", "@hide", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0, &_set_callback_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QMessageBox::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QMessageBox::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QMessageBox::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMessageBox::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QMessageBox::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); @@ -3808,12 +3808,12 @@ static gsi::Methods methods_QMessageBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QMessageBox::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QMessageBox::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QMessageBox::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMessageBox::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMessageBox::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QMessageBox::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QMessageBox::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QMessageBox::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QMessageBox::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QMessageBox::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQPanGesture.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQPanGesture.cc index ed752df7a7..d030715a25 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQPanGesture.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQPanGesture.cc @@ -300,33 +300,33 @@ class QPanGesture_Adaptor : public QPanGesture, public qt_gsi::QtObjectBase emit QPanGesture::destroyed(arg1); } - // [adaptor impl] bool QPanGesture::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QPanGesture::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QPanGesture::event(arg1); + return QPanGesture::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QPanGesture_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QPanGesture_Adaptor::cbs_event_1217_0, _event); } else { - return QPanGesture::event(arg1); + return QPanGesture::event(_event); } } - // [adaptor impl] bool QPanGesture::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QPanGesture::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QPanGesture::eventFilter(arg1, arg2); + return QPanGesture::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QPanGesture_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QPanGesture_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QPanGesture::eventFilter(arg1, arg2); + return QPanGesture::eventFilter(watched, event); } } @@ -337,33 +337,33 @@ class QPanGesture_Adaptor : public QPanGesture, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QPanGesture::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QPanGesture::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QPanGesture::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QPanGesture::childEvent(arg1); + QPanGesture::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QPanGesture_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QPanGesture_Adaptor::cbs_childEvent_1701_0, event); } else { - QPanGesture::childEvent(arg1); + QPanGesture::childEvent(event); } } - // [adaptor impl] void QPanGesture::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPanGesture::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QPanGesture::customEvent(arg1); + QPanGesture::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QPanGesture_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QPanGesture_Adaptor::cbs_customEvent_1217_0, event); } else { - QPanGesture::customEvent(arg1); + QPanGesture::customEvent(event); } } @@ -382,18 +382,18 @@ class QPanGesture_Adaptor : public QPanGesture, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPanGesture::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QPanGesture::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QPanGesture::timerEvent(arg1); + QPanGesture::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QPanGesture_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QPanGesture_Adaptor::cbs_timerEvent_1730_0, event); } else { - QPanGesture::timerEvent(arg1); + QPanGesture::timerEvent(event); } } @@ -411,7 +411,7 @@ QPanGesture_Adaptor::~QPanGesture_Adaptor() { } static void _init_ctor_QPanGesture_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -420,16 +420,16 @@ static void _call_ctor_QPanGesture_Adaptor_1302 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QPanGesture_Adaptor (arg1)); } -// void QPanGesture::childEvent(QChildEvent *) +// void QPanGesture::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -449,11 +449,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QPanGesture::customEvent(QEvent *) +// void QPanGesture::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -477,7 +477,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -486,7 +486,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QPanGesture_Adaptor *)cls)->emitter_QPanGesture_destroyed_1302 (arg1); } @@ -515,11 +515,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QPanGesture::event(QEvent *) +// bool QPanGesture::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -538,13 +538,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QPanGesture::eventFilter(QObject *, QEvent *) +// bool QPanGesture::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -646,11 +646,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QPanGesture::timerEvent(QTimerEvent *) +// void QPanGesture::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -678,23 +678,23 @@ gsi::Class &qtdecl_QPanGesture (); static gsi::Methods methods_QPanGesture_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPanGesture::QPanGesture(QObject *parent)\nThis method creates an object of class QPanGesture.", &_init_ctor_QPanGesture_Adaptor_1302, &_call_ctor_QPanGesture_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPanGesture::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPanGesture::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPanGesture::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPanGesture::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QPanGesture::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPanGesture::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QPanGesture::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QPanGesture::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPanGesture::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPanGesture::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QPanGesture::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QPanGesture::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QPanGesture::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QPanGesture::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QPanGesture::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPanGesture::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPanGesture::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQPinchGesture.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQPinchGesture.cc index fc310b648b..ff46aca595 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQPinchGesture.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQPinchGesture.cc @@ -580,33 +580,33 @@ class QPinchGesture_Adaptor : public QPinchGesture, public qt_gsi::QtObjectBase emit QPinchGesture::destroyed(arg1); } - // [adaptor impl] bool QPinchGesture::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QPinchGesture::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QPinchGesture::event(arg1); + return QPinchGesture::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QPinchGesture_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QPinchGesture_Adaptor::cbs_event_1217_0, _event); } else { - return QPinchGesture::event(arg1); + return QPinchGesture::event(_event); } } - // [adaptor impl] bool QPinchGesture::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QPinchGesture::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QPinchGesture::eventFilter(arg1, arg2); + return QPinchGesture::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QPinchGesture_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QPinchGesture_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QPinchGesture::eventFilter(arg1, arg2); + return QPinchGesture::eventFilter(watched, event); } } @@ -617,33 +617,33 @@ class QPinchGesture_Adaptor : public QPinchGesture, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QPinchGesture::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QPinchGesture::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QPinchGesture::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QPinchGesture::childEvent(arg1); + QPinchGesture::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QPinchGesture_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QPinchGesture_Adaptor::cbs_childEvent_1701_0, event); } else { - QPinchGesture::childEvent(arg1); + QPinchGesture::childEvent(event); } } - // [adaptor impl] void QPinchGesture::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPinchGesture::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QPinchGesture::customEvent(arg1); + QPinchGesture::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QPinchGesture_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QPinchGesture_Adaptor::cbs_customEvent_1217_0, event); } else { - QPinchGesture::customEvent(arg1); + QPinchGesture::customEvent(event); } } @@ -662,18 +662,18 @@ class QPinchGesture_Adaptor : public QPinchGesture, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPinchGesture::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QPinchGesture::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QPinchGesture::timerEvent(arg1); + QPinchGesture::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QPinchGesture_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QPinchGesture_Adaptor::cbs_timerEvent_1730_0, event); } else { - QPinchGesture::timerEvent(arg1); + QPinchGesture::timerEvent(event); } } @@ -691,7 +691,7 @@ QPinchGesture_Adaptor::~QPinchGesture_Adaptor() { } static void _init_ctor_QPinchGesture_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -700,16 +700,16 @@ static void _call_ctor_QPinchGesture_Adaptor_1302 (const qt_gsi::GenericStaticMe { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QPinchGesture_Adaptor (arg1)); } -// void QPinchGesture::childEvent(QChildEvent *) +// void QPinchGesture::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -729,11 +729,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QPinchGesture::customEvent(QEvent *) +// void QPinchGesture::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -757,7 +757,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -766,7 +766,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QPinchGesture_Adaptor *)cls)->emitter_QPinchGesture_destroyed_1302 (arg1); } @@ -795,11 +795,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QPinchGesture::event(QEvent *) +// bool QPinchGesture::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -818,13 +818,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QPinchGesture::eventFilter(QObject *, QEvent *) +// bool QPinchGesture::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -926,11 +926,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QPinchGesture::timerEvent(QTimerEvent *) +// void QPinchGesture::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -958,23 +958,23 @@ gsi::Class &qtdecl_QPinchGesture (); static gsi::Methods methods_QPinchGesture_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPinchGesture::QPinchGesture(QObject *parent)\nThis method creates an object of class QPinchGesture.", &_init_ctor_QPinchGesture_Adaptor_1302, &_call_ctor_QPinchGesture_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPinchGesture::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPinchGesture::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPinchGesture::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPinchGesture::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QPinchGesture::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPinchGesture::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QPinchGesture::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QPinchGesture::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPinchGesture::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPinchGesture::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QPinchGesture::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QPinchGesture::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QPinchGesture::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QPinchGesture::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QPinchGesture::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPinchGesture::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPinchGesture::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextDocumentLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextDocumentLayout.cc index d7a688a469..8ea158bc87 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextDocumentLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextDocumentLayout.cc @@ -437,33 +437,33 @@ class QPlainTextDocumentLayout_Adaptor : public QPlainTextDocumentLayout, public } } - // [adaptor impl] bool QPlainTextDocumentLayout::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QPlainTextDocumentLayout::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QPlainTextDocumentLayout::event(arg1); + return QPlainTextDocumentLayout::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QPlainTextDocumentLayout_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QPlainTextDocumentLayout_Adaptor::cbs_event_1217_0, _event); } else { - return QPlainTextDocumentLayout::event(arg1); + return QPlainTextDocumentLayout::event(_event); } } - // [adaptor impl] bool QPlainTextDocumentLayout::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QPlainTextDocumentLayout::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QPlainTextDocumentLayout::eventFilter(arg1, arg2); + return QPlainTextDocumentLayout::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QPlainTextDocumentLayout_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QPlainTextDocumentLayout_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QPlainTextDocumentLayout::eventFilter(arg1, arg2); + return QPlainTextDocumentLayout::eventFilter(watched, event); } } @@ -537,33 +537,33 @@ class QPlainTextDocumentLayout_Adaptor : public QPlainTextDocumentLayout, public emit QPlainTextDocumentLayout::updateBlock(block); } - // [adaptor impl] void QPlainTextDocumentLayout::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QPlainTextDocumentLayout::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QPlainTextDocumentLayout::childEvent(arg1); + QPlainTextDocumentLayout::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QPlainTextDocumentLayout_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QPlainTextDocumentLayout_Adaptor::cbs_childEvent_1701_0, event); } else { - QPlainTextDocumentLayout::childEvent(arg1); + QPlainTextDocumentLayout::childEvent(event); } } - // [adaptor impl] void QPlainTextDocumentLayout::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPlainTextDocumentLayout::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QPlainTextDocumentLayout::customEvent(arg1); + QPlainTextDocumentLayout::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QPlainTextDocumentLayout_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QPlainTextDocumentLayout_Adaptor::cbs_customEvent_1217_0, event); } else { - QPlainTextDocumentLayout::customEvent(arg1); + QPlainTextDocumentLayout::customEvent(event); } } @@ -642,18 +642,18 @@ class QPlainTextDocumentLayout_Adaptor : public QPlainTextDocumentLayout, public } } - // [adaptor impl] void QPlainTextDocumentLayout::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QPlainTextDocumentLayout::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QPlainTextDocumentLayout::timerEvent(arg1); + QPlainTextDocumentLayout::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QPlainTextDocumentLayout_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QPlainTextDocumentLayout_Adaptor::cbs_timerEvent_1730_0, event); } else { - QPlainTextDocumentLayout::timerEvent(arg1); + QPlainTextDocumentLayout::timerEvent(event); } } @@ -718,11 +718,11 @@ static void _set_callback_cbs_blockBoundingRect_c2306_0 (void *cls, const gsi::C } -// void QPlainTextDocumentLayout::childEvent(QChildEvent *) +// void QPlainTextDocumentLayout::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -742,11 +742,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QPlainTextDocumentLayout::customEvent(QEvent *) +// void QPlainTextDocumentLayout::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -770,7 +770,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -779,7 +779,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QPlainTextDocumentLayout_Adaptor *)cls)->emitter_QPlainTextDocumentLayout_destroyed_1302 (arg1); } @@ -938,11 +938,11 @@ static void _set_callback_cbs_drawInlineObject_8199_0 (void *cls, const gsi::Cal } -// bool QPlainTextDocumentLayout::event(QEvent *) +// bool QPlainTextDocumentLayout::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -961,13 +961,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QPlainTextDocumentLayout::eventFilter(QObject *, QEvent *) +// bool QPlainTextDocumentLayout::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1251,11 +1251,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QPlainTextDocumentLayout::timerEvent(QTimerEvent *) +// void QPlainTextDocumentLayout::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1321,9 +1321,9 @@ static gsi::Methods methods_QPlainTextDocumentLayout_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPlainTextDocumentLayout::QPlainTextDocumentLayout(QTextDocument *document)\nThis method creates an object of class QPlainTextDocumentLayout.", &_init_ctor_QPlainTextDocumentLayout_Adaptor_1955, &_call_ctor_QPlainTextDocumentLayout_Adaptor_1955); methods += new qt_gsi::GenericMethod ("blockBoundingRect", "@brief Virtual method QRectF QPlainTextDocumentLayout::blockBoundingRect(const QTextBlock &block)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_blockBoundingRect_c2306_0, &_call_cbs_blockBoundingRect_c2306_0); methods += new qt_gsi::GenericMethod ("blockBoundingRect", "@hide", true, &_init_cbs_blockBoundingRect_c2306_0, &_call_cbs_blockBoundingRect_c2306_0, &_set_callback_cbs_blockBoundingRect_c2306_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPlainTextDocumentLayout::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPlainTextDocumentLayout::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPlainTextDocumentLayout::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPlainTextDocumentLayout::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QPlainTextDocumentLayout::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPlainTextDocumentLayout::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -1337,9 +1337,9 @@ static gsi::Methods methods_QPlainTextDocumentLayout_Adaptor () { methods += new qt_gsi::GenericMethod ("draw", "@hide", false, &_init_cbs_draw_6787_0, &_call_cbs_draw_6787_0, &_set_callback_cbs_draw_6787_0); methods += new qt_gsi::GenericMethod ("*drawInlineObject", "@brief Virtual method void QPlainTextDocumentLayout::drawInlineObject(QPainter *painter, const QRectF &rect, QTextInlineObject object, int posInDocument, const QTextFormat &format)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_drawInlineObject_8199_0, &_call_cbs_drawInlineObject_8199_0); methods += new qt_gsi::GenericMethod ("*drawInlineObject", "@hide", false, &_init_cbs_drawInlineObject_8199_0, &_call_cbs_drawInlineObject_8199_0, &_set_callback_cbs_drawInlineObject_8199_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QPlainTextDocumentLayout::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QPlainTextDocumentLayout::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPlainTextDocumentLayout::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPlainTextDocumentLayout::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*format", "@brief Method QTextCharFormat QPlainTextDocumentLayout::format(int pos)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_format_767, &_call_fp_format_767); methods += new qt_gsi::GenericMethod ("*formatIndex", "@brief Method int QPlainTextDocumentLayout::formatIndex(int pos)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_formatIndex_767, &_call_fp_formatIndex_767); @@ -1359,7 +1359,7 @@ static gsi::Methods methods_QPlainTextDocumentLayout_Adaptor () { methods += new qt_gsi::GenericMethod ("*resizeInlineObject", "@hide", false, &_init_cbs_resizeInlineObject_5127_0, &_call_cbs_resizeInlineObject_5127_0, &_set_callback_cbs_resizeInlineObject_5127_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QPlainTextDocumentLayout::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QPlainTextDocumentLayout::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPlainTextDocumentLayout::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPlainTextDocumentLayout::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_update", "@brief Emitter for signal void QPlainTextDocumentLayout::update(const QRectF &)\nCall this method to emit this signal.", false, &_init_emitter_update_1862, &_call_emitter_update_1862); methods += new qt_gsi::GenericMethod ("emit_updateBlock", "@brief Emitter for signal void QPlainTextDocumentLayout::updateBlock(const QTextBlock &block)\nCall this method to emit this signal.", false, &_init_emitter_updateBlock_2306, &_call_emitter_updateBlock_2306); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextEdit.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextEdit.cc index b82db64498..b928504a55 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextEdit.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextEdit.cc @@ -480,7 +480,7 @@ static void _init_f_find_5261 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("exp"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("options", true, "0"); + static gsi::ArgSpecBase argspec_1 ("options", true, "QTextDocument::FindFlags()"); decl->add_arg > (argspec_1); decl->set_return (); } @@ -490,7 +490,7 @@ static void _call_f_find_5261 (const qt_gsi::GenericMethod * /*decl*/, void *cls __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QTextDocument::FindFlags(), heap); ret.write ((bool)((QPlainTextEdit *)cls)->find (arg1, arg2)); } @@ -502,7 +502,7 @@ static void _init_f_find_5217 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("exp"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("options", true, "0"); + static gsi::ArgSpecBase argspec_1 ("options", true, "QTextDocument::FindFlags()"); decl->add_arg > (argspec_1); decl->set_return (); } @@ -512,7 +512,7 @@ static void _call_f_find_5217 (const qt_gsi::GenericMethod * /*decl*/, void *cls __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QRegExp &arg1 = gsi::arg_reader() (args, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QTextDocument::FindFlags(), heap); ret.write ((bool)((QPlainTextEdit *)cls)->find (arg1, arg2)); } @@ -1081,6 +1081,26 @@ static void _call_f_setTabChangesFocus_864 (const qt_gsi::GenericMethod * /*decl } +// void QPlainTextEdit::setTabStopDistance(double distance) + + +static void _init_f_setTabStopDistance_1071 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("distance"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setTabStopDistance_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QPlainTextEdit *)cls)->setTabStopDistance (arg1); +} + + // void QPlainTextEdit::setTabStopWidth(int width) @@ -1196,6 +1216,21 @@ static void _call_f_tabChangesFocus_c0 (const qt_gsi::GenericMethod * /*decl*/, } +// double QPlainTextEdit::tabStopDistance() + + +static void _init_f_tabStopDistance_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_tabStopDistance_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((double)((QPlainTextEdit *)cls)->tabStopDistance ()); +} + + // int QPlainTextEdit::tabStopWidth() @@ -1437,12 +1472,14 @@ static gsi::Methods methods_QPlainTextEdit () { methods += new qt_gsi::GenericMethod ("setPlainText|plainText=", "@brief Method void QPlainTextEdit::setPlainText(const QString &text)\n", false, &_init_f_setPlainText_2025, &_call_f_setPlainText_2025); methods += new qt_gsi::GenericMethod ("setReadOnly|readOnly=", "@brief Method void QPlainTextEdit::setReadOnly(bool ro)\n", false, &_init_f_setReadOnly_864, &_call_f_setReadOnly_864); methods += new qt_gsi::GenericMethod ("setTabChangesFocus|tabChangesFocus=", "@brief Method void QPlainTextEdit::setTabChangesFocus(bool b)\n", false, &_init_f_setTabChangesFocus_864, &_call_f_setTabChangesFocus_864); + methods += new qt_gsi::GenericMethod ("setTabStopDistance", "@brief Method void QPlainTextEdit::setTabStopDistance(double distance)\n", false, &_init_f_setTabStopDistance_1071, &_call_f_setTabStopDistance_1071); methods += new qt_gsi::GenericMethod ("setTabStopWidth|tabStopWidth=", "@brief Method void QPlainTextEdit::setTabStopWidth(int width)\n", false, &_init_f_setTabStopWidth_767, &_call_f_setTabStopWidth_767); methods += new qt_gsi::GenericMethod ("setTextCursor|textCursor=", "@brief Method void QPlainTextEdit::setTextCursor(const QTextCursor &cursor)\n", false, &_init_f_setTextCursor_2453, &_call_f_setTextCursor_2453); methods += new qt_gsi::GenericMethod ("setTextInteractionFlags|textInteractionFlags=", "@brief Method void QPlainTextEdit::setTextInteractionFlags(QFlags flags)\n", false, &_init_f_setTextInteractionFlags_3396, &_call_f_setTextInteractionFlags_3396); methods += new qt_gsi::GenericMethod ("setUndoRedoEnabled|undoRedoEnabled=", "@brief Method void QPlainTextEdit::setUndoRedoEnabled(bool enable)\n", false, &_init_f_setUndoRedoEnabled_864, &_call_f_setUndoRedoEnabled_864); methods += new qt_gsi::GenericMethod ("setWordWrapMode|wordWrapMode=", "@brief Method void QPlainTextEdit::setWordWrapMode(QTextOption::WrapMode policy)\n", false, &_init_f_setWordWrapMode_2486, &_call_f_setWordWrapMode_2486); methods += new qt_gsi::GenericMethod (":tabChangesFocus", "@brief Method bool QPlainTextEdit::tabChangesFocus()\n", true, &_init_f_tabChangesFocus_c0, &_call_f_tabChangesFocus_c0); + methods += new qt_gsi::GenericMethod ("tabStopDistance", "@brief Method double QPlainTextEdit::tabStopDistance()\n", true, &_init_f_tabStopDistance_c0, &_call_f_tabStopDistance_c0); methods += new qt_gsi::GenericMethod (":tabStopWidth", "@brief Method int QPlainTextEdit::tabStopWidth()\n", true, &_init_f_tabStopWidth_c0, &_call_f_tabStopWidth_c0); methods += new qt_gsi::GenericMethod (":textCursor", "@brief Method QTextCursor QPlainTextEdit::textCursor()\n", true, &_init_f_textCursor_c0, &_call_f_textCursor_c0); methods += new qt_gsi::GenericMethod (":textInteractionFlags", "@brief Method QFlags QPlainTextEdit::textInteractionFlags()\n", true, &_init_f_textInteractionFlags_c0, &_call_f_textInteractionFlags_c0); @@ -1838,18 +1875,18 @@ class QPlainTextEdit_Adaptor : public QPlainTextEdit, public qt_gsi::QtObjectBas emit QPlainTextEdit::windowTitleChanged(title); } - // [adaptor impl] void QPlainTextEdit::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QPlainTextEdit::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QPlainTextEdit::actionEvent(arg1); + QPlainTextEdit::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QPlainTextEdit_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QPlainTextEdit_Adaptor::cbs_actionEvent_1823_0, event); } else { - QPlainTextEdit::actionEvent(arg1); + QPlainTextEdit::actionEvent(event); } } @@ -1883,33 +1920,33 @@ class QPlainTextEdit_Adaptor : public QPlainTextEdit, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QPlainTextEdit::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QPlainTextEdit::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QPlainTextEdit::childEvent(arg1); + QPlainTextEdit::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QPlainTextEdit_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QPlainTextEdit_Adaptor::cbs_childEvent_1701_0, event); } else { - QPlainTextEdit::childEvent(arg1); + QPlainTextEdit::childEvent(event); } } - // [adaptor impl] void QPlainTextEdit::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QPlainTextEdit::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QPlainTextEdit::closeEvent(arg1); + QPlainTextEdit::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QPlainTextEdit_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QPlainTextEdit_Adaptor::cbs_closeEvent_1719_0, event); } else { - QPlainTextEdit::closeEvent(arg1); + QPlainTextEdit::closeEvent(event); } } @@ -1943,18 +1980,18 @@ class QPlainTextEdit_Adaptor : public QPlainTextEdit, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QPlainTextEdit::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPlainTextEdit::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QPlainTextEdit::customEvent(arg1); + QPlainTextEdit::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QPlainTextEdit_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QPlainTextEdit_Adaptor::cbs_customEvent_1217_0, event); } else { - QPlainTextEdit::customEvent(arg1); + QPlainTextEdit::customEvent(event); } } @@ -2048,18 +2085,18 @@ class QPlainTextEdit_Adaptor : public QPlainTextEdit, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QPlainTextEdit::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPlainTextEdit::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QPlainTextEdit::enterEvent(arg1); + QPlainTextEdit::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QPlainTextEdit_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QPlainTextEdit_Adaptor::cbs_enterEvent_1217_0, event); } else { - QPlainTextEdit::enterEvent(arg1); + QPlainTextEdit::enterEvent(event); } } @@ -2138,18 +2175,18 @@ class QPlainTextEdit_Adaptor : public QPlainTextEdit, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QPlainTextEdit::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QPlainTextEdit::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QPlainTextEdit::hideEvent(arg1); + QPlainTextEdit::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QPlainTextEdit_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QPlainTextEdit_Adaptor::cbs_hideEvent_1595_0, event); } else { - QPlainTextEdit::hideEvent(arg1); + QPlainTextEdit::hideEvent(event); } } @@ -2228,18 +2265,18 @@ class QPlainTextEdit_Adaptor : public QPlainTextEdit, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QPlainTextEdit::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPlainTextEdit::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QPlainTextEdit::leaveEvent(arg1); + QPlainTextEdit::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QPlainTextEdit_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QPlainTextEdit_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QPlainTextEdit::leaveEvent(arg1); + QPlainTextEdit::leaveEvent(event); } } @@ -2318,18 +2355,18 @@ class QPlainTextEdit_Adaptor : public QPlainTextEdit, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QPlainTextEdit::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QPlainTextEdit::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QPlainTextEdit::moveEvent(arg1); + QPlainTextEdit::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QPlainTextEdit_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QPlainTextEdit_Adaptor::cbs_moveEvent_1624_0, event); } else { - QPlainTextEdit::moveEvent(arg1); + QPlainTextEdit::moveEvent(event); } } @@ -2438,18 +2475,18 @@ class QPlainTextEdit_Adaptor : public QPlainTextEdit, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QPlainTextEdit::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QPlainTextEdit::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QPlainTextEdit::tabletEvent(arg1); + QPlainTextEdit::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QPlainTextEdit_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QPlainTextEdit_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QPlainTextEdit::tabletEvent(arg1); + QPlainTextEdit::tabletEvent(event); } } @@ -2575,7 +2612,7 @@ QPlainTextEdit_Adaptor::~QPlainTextEdit_Adaptor() { } static void _init_ctor_QPlainTextEdit_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -2584,7 +2621,7 @@ static void _call_ctor_QPlainTextEdit_Adaptor_1315 (const qt_gsi::GenericStaticM { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QPlainTextEdit_Adaptor (arg1)); } @@ -2595,7 +2632,7 @@ static void _init_ctor_QPlainTextEdit_Adaptor_3232 (qt_gsi::GenericStaticMethod { static gsi::ArgSpecBase argspec_0 ("text"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -2605,16 +2642,16 @@ static void _call_ctor_QPlainTextEdit_Adaptor_3232 (const qt_gsi::GenericStaticM __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QPlainTextEdit_Adaptor (arg1, arg2)); } -// void QPlainTextEdit::actionEvent(QActionEvent *) +// void QPlainTextEdit::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2735,11 +2772,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QPlainTextEdit::childEvent(QChildEvent *) +// void QPlainTextEdit::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2759,11 +2796,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QPlainTextEdit::closeEvent(QCloseEvent *) +// void QPlainTextEdit::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2915,11 +2952,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QPlainTextEdit::customEvent(QEvent *) +// void QPlainTextEdit::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2965,7 +3002,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2974,7 +3011,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QPlainTextEdit_Adaptor *)cls)->emitter_QPlainTextEdit_destroyed_1302 (arg1); } @@ -3142,11 +3179,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QPlainTextEdit::enterEvent(QEvent *) +// void QPlainTextEdit::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3384,11 +3421,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QPlainTextEdit::hideEvent(QHideEvent *) +// void QPlainTextEdit::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3588,11 +3625,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QPlainTextEdit::leaveEvent(QEvent *) +// void QPlainTextEdit::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3794,11 +3831,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QPlainTextEdit::moveEvent(QMoveEvent *) +// void QPlainTextEdit::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4217,11 +4254,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QPlainTextEdit::tabletEvent(QTabletEvent *) +// void QPlainTextEdit::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4495,7 +4532,7 @@ static gsi::Methods methods_QPlainTextEdit_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPlainTextEdit::QPlainTextEdit(QWidget *parent)\nThis method creates an object of class QPlainTextEdit.", &_init_ctor_QPlainTextEdit_Adaptor_1315, &_call_ctor_QPlainTextEdit_Adaptor_1315); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPlainTextEdit::QPlainTextEdit(const QString &text, QWidget *parent)\nThis method creates an object of class QPlainTextEdit.", &_init_ctor_QPlainTextEdit_Adaptor_3232, &_call_ctor_QPlainTextEdit_Adaptor_3232); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QPlainTextEdit::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QPlainTextEdit::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*blockBoundingGeometry", "@brief Method QRectF QPlainTextEdit::blockBoundingGeometry(const QTextBlock &block)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_blockBoundingGeometry_c2306, &_call_fp_blockBoundingGeometry_c2306); methods += new qt_gsi::GenericMethod ("*blockBoundingRect", "@brief Method QRectF QPlainTextEdit::blockBoundingRect(const QTextBlock &block)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_blockBoundingRect_c2306, &_call_fp_blockBoundingRect_c2306); @@ -4504,22 +4541,22 @@ static gsi::Methods methods_QPlainTextEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*canInsertFromMimeData", "@hide", true, &_init_cbs_canInsertFromMimeData_c2168_0, &_call_cbs_canInsertFromMimeData_c2168_0, &_set_callback_cbs_canInsertFromMimeData_c2168_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QPlainTextEdit::changeEvent(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPlainTextEdit::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPlainTextEdit::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QPlainTextEdit::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QPlainTextEdit::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contentOffset", "@brief Method QPointF QPlainTextEdit::contentOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_contentOffset_c0, &_call_fp_contentOffset_c0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QPlainTextEdit::contextMenuEvent(QContextMenuEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("emit_copyAvailable", "@brief Emitter for signal void QPlainTextEdit::copyAvailable(bool b)\nCall this method to emit this signal.", false, &_init_emitter_copyAvailable_864, &_call_emitter_copyAvailable_864); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QPlainTextEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QPlainTextEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*createMimeDataFromSelection", "@brief Virtual method QMimeData *QPlainTextEdit::createMimeDataFromSelection()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_createMimeDataFromSelection_c0_0, &_call_cbs_createMimeDataFromSelection_c0_0); methods += new qt_gsi::GenericMethod ("*createMimeDataFromSelection", "@hide", true, &_init_cbs_createMimeDataFromSelection_c0_0, &_call_cbs_createMimeDataFromSelection_c0_0, &_set_callback_cbs_createMimeDataFromSelection_c0_0); methods += new qt_gsi::GenericMethod ("emit_cursorPositionChanged", "@brief Emitter for signal void QPlainTextEdit::cursorPositionChanged()\nCall this method to emit this signal.", false, &_init_emitter_cursorPositionChanged_0, &_call_emitter_cursorPositionChanged_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QPlainTextEdit::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPlainTextEdit::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPlainTextEdit::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QPlainTextEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QPlainTextEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QPlainTextEdit::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPlainTextEdit::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); @@ -4534,7 +4571,7 @@ static gsi::Methods methods_QPlainTextEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*drawFrame", "@brief Method void QPlainTextEdit::drawFrame(QPainter *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_drawFrame_1426, &_call_fp_drawFrame_1426); methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QPlainTextEdit::dropEvent(QDropEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QPlainTextEdit::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QPlainTextEdit::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QPlainTextEdit::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); @@ -4554,7 +4591,7 @@ static gsi::Methods methods_QPlainTextEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QPlainTextEdit::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QPlainTextEdit::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QPlainTextEdit::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QPlainTextEdit::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -4570,7 +4607,7 @@ static gsi::Methods methods_QPlainTextEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QPlainTextEdit::keyReleaseEvent(QKeyEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QPlainTextEdit::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QPlainTextEdit::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("loadResource", "@brief Virtual method QVariant QPlainTextEdit::loadResource(int type, const QUrl &name)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_loadResource_2360_0, &_call_cbs_loadResource_2360_0); methods += new qt_gsi::GenericMethod ("loadResource", "@hide", false, &_init_cbs_loadResource_2360_0, &_call_cbs_loadResource_2360_0, &_set_callback_cbs_loadResource_2360_0); @@ -4587,7 +4624,7 @@ static gsi::Methods methods_QPlainTextEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QPlainTextEdit::mouseReleaseEvent(QMouseEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QPlainTextEdit::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QPlainTextEdit::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QPlainTextEdit::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -4619,7 +4656,7 @@ static gsi::Methods methods_QPlainTextEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QPlainTextEdit::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QPlainTextEdit::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QPlainTextEdit::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("emit_textChanged", "@brief Emitter for signal void QPlainTextEdit::textChanged()\nCall this method to emit this signal.", false, &_init_emitter_textChanged_0, &_call_emitter_textChanged_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPlainTextEdit::timerEvent(QTimerEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQProgressBar.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQProgressBar.cc index c9f679c554..00be183b3b 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQProgressBar.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQProgressBar.cc @@ -698,18 +698,18 @@ class QProgressBar_Adaptor : public QProgressBar, public qt_gsi::QtObjectBase emit QProgressBar::destroyed(arg1); } - // [adaptor impl] bool QProgressBar::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QProgressBar::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QProgressBar::eventFilter(arg1, arg2); + return QProgressBar::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QProgressBar_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QProgressBar_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QProgressBar::eventFilter(arg1, arg2); + return QProgressBar::eventFilter(watched, event); } } @@ -864,18 +864,18 @@ class QProgressBar_Adaptor : public QProgressBar, public qt_gsi::QtObjectBase emit QProgressBar::windowTitleChanged(title); } - // [adaptor impl] void QProgressBar::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QProgressBar::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QProgressBar::actionEvent(arg1); + QProgressBar::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QProgressBar_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QProgressBar_Adaptor::cbs_actionEvent_1823_0, event); } else { - QProgressBar::actionEvent(arg1); + QProgressBar::actionEvent(event); } } @@ -894,63 +894,63 @@ class QProgressBar_Adaptor : public QProgressBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QProgressBar::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QProgressBar::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QProgressBar::childEvent(arg1); + QProgressBar::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QProgressBar_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QProgressBar_Adaptor::cbs_childEvent_1701_0, event); } else { - QProgressBar::childEvent(arg1); + QProgressBar::childEvent(event); } } - // [adaptor impl] void QProgressBar::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QProgressBar::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QProgressBar::closeEvent(arg1); + QProgressBar::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QProgressBar_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QProgressBar_Adaptor::cbs_closeEvent_1719_0, event); } else { - QProgressBar::closeEvent(arg1); + QProgressBar::closeEvent(event); } } - // [adaptor impl] void QProgressBar::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QProgressBar::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QProgressBar::contextMenuEvent(arg1); + QProgressBar::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QProgressBar_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QProgressBar_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QProgressBar::contextMenuEvent(arg1); + QProgressBar::contextMenuEvent(event); } } - // [adaptor impl] void QProgressBar::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QProgressBar::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QProgressBar::customEvent(arg1); + QProgressBar::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QProgressBar_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QProgressBar_Adaptor::cbs_customEvent_1217_0, event); } else { - QProgressBar::customEvent(arg1); + QProgressBar::customEvent(event); } } @@ -969,78 +969,78 @@ class QProgressBar_Adaptor : public QProgressBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QProgressBar::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QProgressBar::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QProgressBar::dragEnterEvent(arg1); + QProgressBar::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QProgressBar_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QProgressBar_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QProgressBar::dragEnterEvent(arg1); + QProgressBar::dragEnterEvent(event); } } - // [adaptor impl] void QProgressBar::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QProgressBar::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QProgressBar::dragLeaveEvent(arg1); + QProgressBar::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QProgressBar_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QProgressBar_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QProgressBar::dragLeaveEvent(arg1); + QProgressBar::dragLeaveEvent(event); } } - // [adaptor impl] void QProgressBar::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QProgressBar::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QProgressBar::dragMoveEvent(arg1); + QProgressBar::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QProgressBar_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QProgressBar_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QProgressBar::dragMoveEvent(arg1); + QProgressBar::dragMoveEvent(event); } } - // [adaptor impl] void QProgressBar::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QProgressBar::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QProgressBar::dropEvent(arg1); + QProgressBar::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QProgressBar_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QProgressBar_Adaptor::cbs_dropEvent_1622_0, event); } else { - QProgressBar::dropEvent(arg1); + QProgressBar::dropEvent(event); } } - // [adaptor impl] void QProgressBar::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QProgressBar::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QProgressBar::enterEvent(arg1); + QProgressBar::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QProgressBar_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QProgressBar_Adaptor::cbs_enterEvent_1217_0, event); } else { - QProgressBar::enterEvent(arg1); + QProgressBar::enterEvent(event); } } @@ -1059,18 +1059,18 @@ class QProgressBar_Adaptor : public QProgressBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QProgressBar::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QProgressBar::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QProgressBar::focusInEvent(arg1); + QProgressBar::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QProgressBar_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QProgressBar_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QProgressBar::focusInEvent(arg1); + QProgressBar::focusInEvent(event); } } @@ -1089,33 +1089,33 @@ class QProgressBar_Adaptor : public QProgressBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QProgressBar::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QProgressBar::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QProgressBar::focusOutEvent(arg1); + QProgressBar::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QProgressBar_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QProgressBar_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QProgressBar::focusOutEvent(arg1); + QProgressBar::focusOutEvent(event); } } - // [adaptor impl] void QProgressBar::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QProgressBar::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QProgressBar::hideEvent(arg1); + QProgressBar::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QProgressBar_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QProgressBar_Adaptor::cbs_hideEvent_1595_0, event); } else { - QProgressBar::hideEvent(arg1); + QProgressBar::hideEvent(event); } } @@ -1149,48 +1149,48 @@ class QProgressBar_Adaptor : public QProgressBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QProgressBar::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QProgressBar::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QProgressBar::keyPressEvent(arg1); + QProgressBar::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QProgressBar_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QProgressBar_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QProgressBar::keyPressEvent(arg1); + QProgressBar::keyPressEvent(event); } } - // [adaptor impl] void QProgressBar::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QProgressBar::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QProgressBar::keyReleaseEvent(arg1); + QProgressBar::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QProgressBar_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QProgressBar_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QProgressBar::keyReleaseEvent(arg1); + QProgressBar::keyReleaseEvent(event); } } - // [adaptor impl] void QProgressBar::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QProgressBar::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QProgressBar::leaveEvent(arg1); + QProgressBar::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QProgressBar_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QProgressBar_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QProgressBar::leaveEvent(arg1); + QProgressBar::leaveEvent(event); } } @@ -1209,78 +1209,78 @@ class QProgressBar_Adaptor : public QProgressBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QProgressBar::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QProgressBar::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QProgressBar::mouseDoubleClickEvent(arg1); + QProgressBar::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QProgressBar_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QProgressBar_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QProgressBar::mouseDoubleClickEvent(arg1); + QProgressBar::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QProgressBar::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QProgressBar::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QProgressBar::mouseMoveEvent(arg1); + QProgressBar::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QProgressBar_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QProgressBar_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QProgressBar::mouseMoveEvent(arg1); + QProgressBar::mouseMoveEvent(event); } } - // [adaptor impl] void QProgressBar::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QProgressBar::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QProgressBar::mousePressEvent(arg1); + QProgressBar::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QProgressBar_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QProgressBar_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QProgressBar::mousePressEvent(arg1); + QProgressBar::mousePressEvent(event); } } - // [adaptor impl] void QProgressBar::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QProgressBar::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QProgressBar::mouseReleaseEvent(arg1); + QProgressBar::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QProgressBar_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QProgressBar_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QProgressBar::mouseReleaseEvent(arg1); + QProgressBar::mouseReleaseEvent(event); } } - // [adaptor impl] void QProgressBar::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QProgressBar::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QProgressBar::moveEvent(arg1); + QProgressBar::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QProgressBar_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QProgressBar_Adaptor::cbs_moveEvent_1624_0, event); } else { - QProgressBar::moveEvent(arg1); + QProgressBar::moveEvent(event); } } @@ -1329,18 +1329,18 @@ class QProgressBar_Adaptor : public QProgressBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QProgressBar::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QProgressBar::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QProgressBar::resizeEvent(arg1); + QProgressBar::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QProgressBar_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QProgressBar_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QProgressBar::resizeEvent(arg1); + QProgressBar::resizeEvent(event); } } @@ -1359,63 +1359,63 @@ class QProgressBar_Adaptor : public QProgressBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QProgressBar::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QProgressBar::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QProgressBar::showEvent(arg1); + QProgressBar::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QProgressBar_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QProgressBar_Adaptor::cbs_showEvent_1634_0, event); } else { - QProgressBar::showEvent(arg1); + QProgressBar::showEvent(event); } } - // [adaptor impl] void QProgressBar::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QProgressBar::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QProgressBar::tabletEvent(arg1); + QProgressBar::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QProgressBar_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QProgressBar_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QProgressBar::tabletEvent(arg1); + QProgressBar::tabletEvent(event); } } - // [adaptor impl] void QProgressBar::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QProgressBar::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QProgressBar::timerEvent(arg1); + QProgressBar::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QProgressBar_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QProgressBar_Adaptor::cbs_timerEvent_1730_0, event); } else { - QProgressBar::timerEvent(arg1); + QProgressBar::timerEvent(event); } } - // [adaptor impl] void QProgressBar::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QProgressBar::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QProgressBar::wheelEvent(arg1); + QProgressBar::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QProgressBar_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QProgressBar_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QProgressBar::wheelEvent(arg1); + QProgressBar::wheelEvent(event); } } @@ -1473,7 +1473,7 @@ QProgressBar_Adaptor::~QProgressBar_Adaptor() { } static void _init_ctor_QProgressBar_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1482,16 +1482,16 @@ static void _call_ctor_QProgressBar_Adaptor_1315 (const qt_gsi::GenericStaticMet { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QProgressBar_Adaptor (arg1)); } -// void QProgressBar::actionEvent(QActionEvent *) +// void QProgressBar::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1535,11 +1535,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QProgressBar::childEvent(QChildEvent *) +// void QProgressBar::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1559,11 +1559,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QProgressBar::closeEvent(QCloseEvent *) +// void QProgressBar::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1583,11 +1583,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QProgressBar::contextMenuEvent(QContextMenuEvent *) +// void QProgressBar::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1650,11 +1650,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QProgressBar::customEvent(QEvent *) +// void QProgressBar::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1700,7 +1700,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1709,7 +1709,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QProgressBar_Adaptor *)cls)->emitter_QProgressBar_destroyed_1302 (arg1); } @@ -1738,11 +1738,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QProgressBar::dragEnterEvent(QDragEnterEvent *) +// void QProgressBar::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1762,11 +1762,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QProgressBar::dragLeaveEvent(QDragLeaveEvent *) +// void QProgressBar::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1786,11 +1786,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QProgressBar::dragMoveEvent(QDragMoveEvent *) +// void QProgressBar::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1810,11 +1810,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QProgressBar::dropEvent(QDropEvent *) +// void QProgressBar::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1834,11 +1834,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QProgressBar::enterEvent(QEvent *) +// void QProgressBar::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1881,13 +1881,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QProgressBar::eventFilter(QObject *, QEvent *) +// bool QProgressBar::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1907,11 +1907,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QProgressBar::focusInEvent(QFocusEvent *) +// void QProgressBar::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1968,11 +1968,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QProgressBar::focusOutEvent(QFocusEvent *) +// void QProgressBar::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2048,11 +2048,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QProgressBar::hideEvent(QHideEvent *) +// void QProgressBar::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2180,11 +2180,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QProgressBar::keyPressEvent(QKeyEvent *) +// void QProgressBar::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2204,11 +2204,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QProgressBar::keyReleaseEvent(QKeyEvent *) +// void QProgressBar::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2228,11 +2228,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QProgressBar::leaveEvent(QEvent *) +// void QProgressBar::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2294,11 +2294,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QProgressBar::mouseDoubleClickEvent(QMouseEvent *) +// void QProgressBar::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2318,11 +2318,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QProgressBar::mouseMoveEvent(QMouseEvent *) +// void QProgressBar::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2342,11 +2342,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QProgressBar::mousePressEvent(QMouseEvent *) +// void QProgressBar::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2366,11 +2366,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QProgressBar::mouseReleaseEvent(QMouseEvent *) +// void QProgressBar::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2390,11 +2390,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QProgressBar::moveEvent(QMoveEvent *) +// void QProgressBar::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2545,11 +2545,11 @@ static void _set_callback_cbs_redirected_c1225_0 (void *cls, const gsi::Callback } -// void QProgressBar::resizeEvent(QResizeEvent *) +// void QProgressBar::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2640,11 +2640,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QProgressBar::showEvent(QShowEvent *) +// void QProgressBar::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2683,11 +2683,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QProgressBar::tabletEvent(QTabletEvent *) +// void QProgressBar::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2726,11 +2726,11 @@ static void _set_callback_cbs_text_c0_0 (void *cls, const gsi::Callback &cb) } -// void QProgressBar::timerEvent(QTimerEvent *) +// void QProgressBar::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2783,11 +2783,11 @@ static void _call_emitter_valueChanged_767 (const qt_gsi::GenericMethod * /*decl } -// void QProgressBar::wheelEvent(QWheelEvent *) +// void QProgressBar::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2869,51 +2869,51 @@ gsi::Class &qtdecl_QProgressBar (); static gsi::Methods methods_QProgressBar_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QProgressBar::QProgressBar(QWidget *parent)\nThis method creates an object of class QProgressBar.", &_init_ctor_QProgressBar_Adaptor_1315, &_call_ctor_QProgressBar_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QProgressBar::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QProgressBar::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QProgressBar::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QProgressBar::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QProgressBar::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QProgressBar::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QProgressBar::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QProgressBar::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QProgressBar::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QProgressBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QProgressBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QProgressBar::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QProgressBar::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QProgressBar::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QProgressBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QProgressBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QProgressBar::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QProgressBar::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QProgressBar::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QProgressBar::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QProgressBar::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QProgressBar::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QProgressBar::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QProgressBar::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QProgressBar::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QProgressBar::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QProgressBar::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QProgressBar::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QProgressBar::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QProgressBar::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QProgressBar::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QProgressBar::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QProgressBar::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QProgressBar::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QProgressBar::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QProgressBar::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QProgressBar::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QProgressBar::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QProgressBar::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QProgressBar::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QProgressBar::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QProgressBar::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QProgressBar::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2923,25 +2923,25 @@ static gsi::Methods methods_QProgressBar_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QProgressBar::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QProgressBar::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QProgressBar::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QProgressBar::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QProgressBar::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QProgressBar::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QProgressBar::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QProgressBar::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QProgressBar::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QProgressBar::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QProgressBar::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QProgressBar::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QProgressBar::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QProgressBar::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QProgressBar::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QProgressBar::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QProgressBar::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QProgressBar::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QProgressBar::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QProgressBar::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QProgressBar::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2953,7 +2953,7 @@ static gsi::Methods methods_QProgressBar_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QProgressBar::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QProgressBar::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QProgressBar::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QProgressBar::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QProgressBar::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QProgressBar::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -2961,19 +2961,19 @@ static gsi::Methods methods_QProgressBar_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QProgressBar::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QProgressBar::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QProgressBar::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QProgressBar::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QProgressBar::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QProgressBar::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("text", "@brief Virtual method QString QProgressBar::text()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_text_c0_0, &_call_cbs_text_c0_0); methods += new qt_gsi::GenericMethod ("text", "@hide", true, &_init_cbs_text_c0_0, &_call_cbs_text_c0_0, &_set_callback_cbs_text_c0_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QProgressBar::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QProgressBar::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QProgressBar::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); methods += new qt_gsi::GenericMethod ("emit_valueChanged", "@brief Emitter for signal void QProgressBar::valueChanged(int value)\nCall this method to emit this signal.", false, &_init_emitter_valueChanged_767, &_call_emitter_valueChanged_767); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QProgressBar::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QProgressBar::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QProgressBar::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QProgressBar::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQProgressDialog.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQProgressDialog.cc index 237f8d38bc..b33220f7c6 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQProgressDialog.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQProgressDialog.cc @@ -996,18 +996,18 @@ class QProgressDialog_Adaptor : public QProgressDialog, public qt_gsi::QtObjectB emit QProgressDialog::windowTitleChanged(title); } - // [adaptor impl] void QProgressDialog::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QProgressDialog::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QProgressDialog::actionEvent(arg1); + QProgressDialog::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QProgressDialog_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QProgressDialog_Adaptor::cbs_actionEvent_1823_0, event); } else { - QProgressDialog::actionEvent(arg1); + QProgressDialog::actionEvent(event); } } @@ -1026,18 +1026,18 @@ class QProgressDialog_Adaptor : public QProgressDialog, public qt_gsi::QtObjectB } } - // [adaptor impl] void QProgressDialog::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QProgressDialog::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QProgressDialog::childEvent(arg1); + QProgressDialog::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QProgressDialog_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QProgressDialog_Adaptor::cbs_childEvent_1701_0, event); } else { - QProgressDialog::childEvent(arg1); + QProgressDialog::childEvent(event); } } @@ -1071,18 +1071,18 @@ class QProgressDialog_Adaptor : public QProgressDialog, public qt_gsi::QtObjectB } } - // [adaptor impl] void QProgressDialog::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QProgressDialog::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QProgressDialog::customEvent(arg1); + QProgressDialog::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QProgressDialog_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QProgressDialog_Adaptor::cbs_customEvent_1217_0, event); } else { - QProgressDialog::customEvent(arg1); + QProgressDialog::customEvent(event); } } @@ -1101,93 +1101,93 @@ class QProgressDialog_Adaptor : public QProgressDialog, public qt_gsi::QtObjectB } } - // [adaptor impl] void QProgressDialog::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QProgressDialog::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QProgressDialog::dragEnterEvent(arg1); + QProgressDialog::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QProgressDialog_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QProgressDialog_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QProgressDialog::dragEnterEvent(arg1); + QProgressDialog::dragEnterEvent(event); } } - // [adaptor impl] void QProgressDialog::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QProgressDialog::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QProgressDialog::dragLeaveEvent(arg1); + QProgressDialog::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QProgressDialog_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QProgressDialog_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QProgressDialog::dragLeaveEvent(arg1); + QProgressDialog::dragLeaveEvent(event); } } - // [adaptor impl] void QProgressDialog::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QProgressDialog::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QProgressDialog::dragMoveEvent(arg1); + QProgressDialog::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QProgressDialog_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QProgressDialog_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QProgressDialog::dragMoveEvent(arg1); + QProgressDialog::dragMoveEvent(event); } } - // [adaptor impl] void QProgressDialog::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QProgressDialog::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QProgressDialog::dropEvent(arg1); + QProgressDialog::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QProgressDialog_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QProgressDialog_Adaptor::cbs_dropEvent_1622_0, event); } else { - QProgressDialog::dropEvent(arg1); + QProgressDialog::dropEvent(event); } } - // [adaptor impl] void QProgressDialog::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QProgressDialog::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QProgressDialog::enterEvent(arg1); + QProgressDialog::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QProgressDialog_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QProgressDialog_Adaptor::cbs_enterEvent_1217_0, event); } else { - QProgressDialog::enterEvent(arg1); + QProgressDialog::enterEvent(event); } } - // [adaptor impl] bool QProgressDialog::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QProgressDialog::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QProgressDialog::event(arg1); + return QProgressDialog::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QProgressDialog_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QProgressDialog_Adaptor::cbs_event_1217_0, _event); } else { - return QProgressDialog::event(arg1); + return QProgressDialog::event(_event); } } @@ -1206,18 +1206,18 @@ class QProgressDialog_Adaptor : public QProgressDialog, public qt_gsi::QtObjectB } } - // [adaptor impl] void QProgressDialog::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QProgressDialog::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QProgressDialog::focusInEvent(arg1); + QProgressDialog::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QProgressDialog_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QProgressDialog_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QProgressDialog::focusInEvent(arg1); + QProgressDialog::focusInEvent(event); } } @@ -1236,33 +1236,33 @@ class QProgressDialog_Adaptor : public QProgressDialog, public qt_gsi::QtObjectB } } - // [adaptor impl] void QProgressDialog::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QProgressDialog::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QProgressDialog::focusOutEvent(arg1); + QProgressDialog::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QProgressDialog_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QProgressDialog_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QProgressDialog::focusOutEvent(arg1); + QProgressDialog::focusOutEvent(event); } } - // [adaptor impl] void QProgressDialog::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QProgressDialog::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QProgressDialog::hideEvent(arg1); + QProgressDialog::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QProgressDialog_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QProgressDialog_Adaptor::cbs_hideEvent_1595_0, event); } else { - QProgressDialog::hideEvent(arg1); + QProgressDialog::hideEvent(event); } } @@ -1311,33 +1311,33 @@ class QProgressDialog_Adaptor : public QProgressDialog, public qt_gsi::QtObjectB } } - // [adaptor impl] void QProgressDialog::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QProgressDialog::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QProgressDialog::keyReleaseEvent(arg1); + QProgressDialog::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QProgressDialog_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QProgressDialog_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QProgressDialog::keyReleaseEvent(arg1); + QProgressDialog::keyReleaseEvent(event); } } - // [adaptor impl] void QProgressDialog::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QProgressDialog::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QProgressDialog::leaveEvent(arg1); + QProgressDialog::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QProgressDialog_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QProgressDialog_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QProgressDialog::leaveEvent(arg1); + QProgressDialog::leaveEvent(event); } } @@ -1356,78 +1356,78 @@ class QProgressDialog_Adaptor : public QProgressDialog, public qt_gsi::QtObjectB } } - // [adaptor impl] void QProgressDialog::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QProgressDialog::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QProgressDialog::mouseDoubleClickEvent(arg1); + QProgressDialog::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QProgressDialog_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QProgressDialog_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QProgressDialog::mouseDoubleClickEvent(arg1); + QProgressDialog::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QProgressDialog::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QProgressDialog::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QProgressDialog::mouseMoveEvent(arg1); + QProgressDialog::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QProgressDialog_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QProgressDialog_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QProgressDialog::mouseMoveEvent(arg1); + QProgressDialog::mouseMoveEvent(event); } } - // [adaptor impl] void QProgressDialog::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QProgressDialog::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QProgressDialog::mousePressEvent(arg1); + QProgressDialog::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QProgressDialog_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QProgressDialog_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QProgressDialog::mousePressEvent(arg1); + QProgressDialog::mousePressEvent(event); } } - // [adaptor impl] void QProgressDialog::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QProgressDialog::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QProgressDialog::mouseReleaseEvent(arg1); + QProgressDialog::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QProgressDialog_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QProgressDialog_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QProgressDialog::mouseReleaseEvent(arg1); + QProgressDialog::mouseReleaseEvent(event); } } - // [adaptor impl] void QProgressDialog::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QProgressDialog::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QProgressDialog::moveEvent(arg1); + QProgressDialog::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QProgressDialog_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QProgressDialog_Adaptor::cbs_moveEvent_1624_0, event); } else { - QProgressDialog::moveEvent(arg1); + QProgressDialog::moveEvent(event); } } @@ -1446,18 +1446,18 @@ class QProgressDialog_Adaptor : public QProgressDialog, public qt_gsi::QtObjectB } } - // [adaptor impl] void QProgressDialog::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QProgressDialog::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QProgressDialog::paintEvent(arg1); + QProgressDialog::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QProgressDialog_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QProgressDialog_Adaptor::cbs_paintEvent_1725_0, event); } else { - QProgressDialog::paintEvent(arg1); + QProgressDialog::paintEvent(event); } } @@ -1521,48 +1521,48 @@ class QProgressDialog_Adaptor : public QProgressDialog, public qt_gsi::QtObjectB } } - // [adaptor impl] void QProgressDialog::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QProgressDialog::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QProgressDialog::tabletEvent(arg1); + QProgressDialog::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QProgressDialog_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QProgressDialog_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QProgressDialog::tabletEvent(arg1); + QProgressDialog::tabletEvent(event); } } - // [adaptor impl] void QProgressDialog::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QProgressDialog::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QProgressDialog::timerEvent(arg1); + QProgressDialog::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QProgressDialog_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QProgressDialog_Adaptor::cbs_timerEvent_1730_0, event); } else { - QProgressDialog::timerEvent(arg1); + QProgressDialog::timerEvent(event); } } - // [adaptor impl] void QProgressDialog::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QProgressDialog::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QProgressDialog::wheelEvent(arg1); + QProgressDialog::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QProgressDialog_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QProgressDialog_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QProgressDialog::wheelEvent(arg1); + QProgressDialog::wheelEvent(event); } } @@ -1624,9 +1624,9 @@ QProgressDialog_Adaptor::~QProgressDialog_Adaptor() { } static void _init_ctor_QProgressDialog_Adaptor_3702 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_1 ("flags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_1); decl->set_return_new (); } @@ -1635,8 +1635,8 @@ static void _call_ctor_QProgressDialog_Adaptor_3702 (const qt_gsi::GenericStatic { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QProgressDialog_Adaptor (arg1, arg2)); } @@ -1653,9 +1653,9 @@ static void _init_ctor_QProgressDialog_Adaptor_8854 (qt_gsi::GenericStaticMethod decl->add_arg (argspec_2); static gsi::ArgSpecBase argspec_3 ("maximum"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_4 ("parent", true, "nullptr"); decl->add_arg (argspec_4); - static gsi::ArgSpecBase argspec_5 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_5 ("flags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_5); decl->set_return_new (); } @@ -1668,8 +1668,8 @@ static void _call_ctor_QProgressDialog_Adaptor_8854 (const qt_gsi::GenericStatic const QString &arg2 = gsi::arg_reader() (args, heap); int arg3 = gsi::arg_reader() (args, heap); int arg4 = gsi::arg_reader() (args, heap); - QWidget *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QWidget *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg6 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QProgressDialog_Adaptor (arg1, arg2, arg3, arg4, arg5, arg6)); } @@ -1708,11 +1708,11 @@ static void _call_emitter_accepted_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QProgressDialog::actionEvent(QActionEvent *) +// void QProgressDialog::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1789,11 +1789,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QProgressDialog::childEvent(QChildEvent *) +// void QProgressDialog::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1904,11 +1904,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QProgressDialog::customEvent(QEvent *) +// void QProgressDialog::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1954,7 +1954,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1963,7 +1963,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QProgressDialog_Adaptor *)cls)->emitter_QProgressDialog_destroyed_1302 (arg1); } @@ -2016,11 +2016,11 @@ static void _set_callback_cbs_done_767_0 (void *cls, const gsi::Callback &cb) } -// void QProgressDialog::dragEnterEvent(QDragEnterEvent *) +// void QProgressDialog::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2040,11 +2040,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QProgressDialog::dragLeaveEvent(QDragLeaveEvent *) +// void QProgressDialog::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2064,11 +2064,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QProgressDialog::dragMoveEvent(QDragMoveEvent *) +// void QProgressDialog::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2088,11 +2088,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QProgressDialog::dropEvent(QDropEvent *) +// void QProgressDialog::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2112,11 +2112,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QProgressDialog::enterEvent(QEvent *) +// void QProgressDialog::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2136,11 +2136,11 @@ static void _set_callback_cbs_enterEvent_1217_0 (void *cls, const gsi::Callback } -// bool QProgressDialog::event(QEvent *) +// bool QProgressDialog::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2222,11 +2222,11 @@ static void _call_emitter_finished_767 (const qt_gsi::GenericMethod * /*decl*/, } -// void QProgressDialog::focusInEvent(QFocusEvent *) +// void QProgressDialog::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2283,11 +2283,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QProgressDialog::focusOutEvent(QFocusEvent *) +// void QProgressDialog::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2378,11 +2378,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QProgressDialog::hideEvent(QHideEvent *) +// void QProgressDialog::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2515,11 +2515,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QProgressDialog::keyReleaseEvent(QKeyEvent *) +// void QProgressDialog::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2539,11 +2539,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QProgressDialog::leaveEvent(QEvent *) +// void QProgressDialog::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2605,11 +2605,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QProgressDialog::mouseDoubleClickEvent(QMouseEvent *) +// void QProgressDialog::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2629,11 +2629,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QProgressDialog::mouseMoveEvent(QMouseEvent *) +// void QProgressDialog::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2653,11 +2653,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QProgressDialog::mousePressEvent(QMouseEvent *) +// void QProgressDialog::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2677,11 +2677,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QProgressDialog::mouseReleaseEvent(QMouseEvent *) +// void QProgressDialog::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2701,11 +2701,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QProgressDialog::moveEvent(QMoveEvent *) +// void QProgressDialog::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2811,11 +2811,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QProgressDialog::paintEvent(QPaintEvent *) +// void QProgressDialog::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3048,11 +3048,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QProgressDialog::tabletEvent(QTabletEvent *) +// void QProgressDialog::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3072,11 +3072,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QProgressDialog::timerEvent(QTimerEvent *) +// void QProgressDialog::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3111,11 +3111,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QProgressDialog::wheelEvent(QWheelEvent *) +// void QProgressDialog::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3201,51 +3201,51 @@ static gsi::Methods methods_QProgressDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("accept", "@brief Virtual method void QProgressDialog::accept()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("accept", "@hide", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0, &_set_callback_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("emit_accepted", "@brief Emitter for signal void QProgressDialog::accepted()\nCall this method to emit this signal.", false, &_init_emitter_accepted_0, &_call_emitter_accepted_0); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QProgressDialog::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QProgressDialog::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*adjustPosition", "@brief Method void QProgressDialog::adjustPosition(QWidget *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_adjustPosition_1315, &_call_fp_adjustPosition_1315); methods += new qt_gsi::GenericMethod ("emit_canceled", "@brief Emitter for signal void QProgressDialog::canceled()\nCall this method to emit this signal.", false, &_init_emitter_canceled_0, &_call_emitter_canceled_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QProgressDialog::changeEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QProgressDialog::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QProgressDialog::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QProgressDialog::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QProgressDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QProgressDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QProgressDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QProgressDialog::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QProgressDialog::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QProgressDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QProgressDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QProgressDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QProgressDialog::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QProgressDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("done", "@brief Virtual method void QProgressDialog::done(int)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0); methods += new qt_gsi::GenericMethod ("done", "@hide", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0, &_set_callback_cbs_done_767_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QProgressDialog::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QProgressDialog::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QProgressDialog::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QProgressDialog::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QProgressDialog::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QProgressDialog::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QProgressDialog::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QProgressDialog::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QProgressDialog::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QProgressDialog::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QProgressDialog::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QProgressDialog::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QProgressDialog::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("exec", "@brief Virtual method int QProgressDialog::exec()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("exec", "@hide", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0, &_set_callback_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QProgressDialog::finished(int result)\nCall this method to emit this signal.", false, &_init_emitter_finished_767, &_call_emitter_finished_767); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QProgressDialog::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QProgressDialog::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QProgressDialog::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QProgressDialog::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QProgressDialog::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QProgressDialog::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QProgressDialog::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("*forceShow", "@brief Method void QProgressDialog::forceShow()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_forceShow_0, &_call_fp_forceShow_0); @@ -3253,7 +3253,7 @@ static gsi::Methods methods_QProgressDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QProgressDialog::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QProgressDialog::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QProgressDialog::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QProgressDialog::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -3264,23 +3264,23 @@ static gsi::Methods methods_QProgressDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QProgressDialog::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QProgressDialog::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QProgressDialog::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QProgressDialog::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QProgressDialog::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QProgressDialog::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QProgressDialog::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QProgressDialog::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QProgressDialog::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QProgressDialog::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QProgressDialog::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QProgressDialog::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QProgressDialog::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QProgressDialog::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QProgressDialog::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QProgressDialog::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QProgressDialog::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QProgressDialog::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QProgressDialog::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3289,7 +3289,7 @@ static gsi::Methods methods_QProgressDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("open", "@hide", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0, &_set_callback_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QProgressDialog::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QProgressDialog::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QProgressDialog::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QProgressDialog::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QProgressDialog::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); @@ -3309,12 +3309,12 @@ static gsi::Methods methods_QProgressDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QProgressDialog::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QProgressDialog::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QProgressDialog::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QProgressDialog::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QProgressDialog::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QProgressDialog::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QProgressDialog::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QProgressDialog::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QProgressDialog::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QProgressDialog::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQPushButton.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQPushButton.cc index f5fea819c7..7b13b104fa 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQPushButton.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQPushButton.cc @@ -491,18 +491,18 @@ class QPushButton_Adaptor : public QPushButton, public qt_gsi::QtObjectBase emit QPushButton::destroyed(arg1); } - // [adaptor impl] bool QPushButton::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QPushButton::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QPushButton::eventFilter(arg1, arg2); + return QPushButton::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QPushButton_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QPushButton_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QPushButton::eventFilter(arg1, arg2); + return QPushButton::eventFilter(watched, event); } } @@ -654,18 +654,18 @@ class QPushButton_Adaptor : public QPushButton, public qt_gsi::QtObjectBase emit QPushButton::windowTitleChanged(title); } - // [adaptor impl] void QPushButton::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QPushButton::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QPushButton::actionEvent(arg1); + QPushButton::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QPushButton_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QPushButton_Adaptor::cbs_actionEvent_1823_0, event); } else { - QPushButton::actionEvent(arg1); + QPushButton::actionEvent(event); } } @@ -699,63 +699,63 @@ class QPushButton_Adaptor : public QPushButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPushButton::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QPushButton::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QPushButton::childEvent(arg1); + QPushButton::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QPushButton_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QPushButton_Adaptor::cbs_childEvent_1701_0, event); } else { - QPushButton::childEvent(arg1); + QPushButton::childEvent(event); } } - // [adaptor impl] void QPushButton::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QPushButton::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QPushButton::closeEvent(arg1); + QPushButton::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QPushButton_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QPushButton_Adaptor::cbs_closeEvent_1719_0, event); } else { - QPushButton::closeEvent(arg1); + QPushButton::closeEvent(event); } } - // [adaptor impl] void QPushButton::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QPushButton::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QPushButton::contextMenuEvent(arg1); + QPushButton::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QPushButton_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QPushButton_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QPushButton::contextMenuEvent(arg1); + QPushButton::contextMenuEvent(event); } } - // [adaptor impl] void QPushButton::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPushButton::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QPushButton::customEvent(arg1); + QPushButton::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QPushButton_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QPushButton_Adaptor::cbs_customEvent_1217_0, event); } else { - QPushButton::customEvent(arg1); + QPushButton::customEvent(event); } } @@ -774,78 +774,78 @@ class QPushButton_Adaptor : public QPushButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPushButton::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QPushButton::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QPushButton::dragEnterEvent(arg1); + QPushButton::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QPushButton_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QPushButton_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QPushButton::dragEnterEvent(arg1); + QPushButton::dragEnterEvent(event); } } - // [adaptor impl] void QPushButton::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QPushButton::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QPushButton::dragLeaveEvent(arg1); + QPushButton::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QPushButton_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QPushButton_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QPushButton::dragLeaveEvent(arg1); + QPushButton::dragLeaveEvent(event); } } - // [adaptor impl] void QPushButton::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QPushButton::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QPushButton::dragMoveEvent(arg1); + QPushButton::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QPushButton_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QPushButton_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QPushButton::dragMoveEvent(arg1); + QPushButton::dragMoveEvent(event); } } - // [adaptor impl] void QPushButton::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QPushButton::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QPushButton::dropEvent(arg1); + QPushButton::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QPushButton_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QPushButton_Adaptor::cbs_dropEvent_1622_0, event); } else { - QPushButton::dropEvent(arg1); + QPushButton::dropEvent(event); } } - // [adaptor impl] void QPushButton::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPushButton::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QPushButton::enterEvent(arg1); + QPushButton::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QPushButton_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QPushButton_Adaptor::cbs_enterEvent_1217_0, event); } else { - QPushButton::enterEvent(arg1); + QPushButton::enterEvent(event); } } @@ -909,18 +909,18 @@ class QPushButton_Adaptor : public QPushButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPushButton::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QPushButton::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QPushButton::hideEvent(arg1); + QPushButton::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QPushButton_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QPushButton_Adaptor::cbs_hideEvent_1595_0, event); } else { - QPushButton::hideEvent(arg1); + QPushButton::hideEvent(event); } } @@ -999,18 +999,18 @@ class QPushButton_Adaptor : public QPushButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPushButton::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QPushButton::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QPushButton::leaveEvent(arg1); + QPushButton::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QPushButton_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QPushButton_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QPushButton::leaveEvent(arg1); + QPushButton::leaveEvent(event); } } @@ -1029,18 +1029,18 @@ class QPushButton_Adaptor : public QPushButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPushButton::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QPushButton::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QPushButton::mouseDoubleClickEvent(arg1); + QPushButton::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QPushButton_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QPushButton_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QPushButton::mouseDoubleClickEvent(arg1); + QPushButton::mouseDoubleClickEvent(event); } } @@ -1089,18 +1089,18 @@ class QPushButton_Adaptor : public QPushButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPushButton::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QPushButton::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QPushButton::moveEvent(arg1); + QPushButton::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QPushButton_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QPushButton_Adaptor::cbs_moveEvent_1624_0, event); } else { - QPushButton::moveEvent(arg1); + QPushButton::moveEvent(event); } } @@ -1164,18 +1164,18 @@ class QPushButton_Adaptor : public QPushButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPushButton::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QPushButton::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QPushButton::resizeEvent(arg1); + QPushButton::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QPushButton_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QPushButton_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QPushButton::resizeEvent(arg1); + QPushButton::resizeEvent(event); } } @@ -1194,33 +1194,33 @@ class QPushButton_Adaptor : public QPushButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPushButton::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QPushButton::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QPushButton::showEvent(arg1); + QPushButton::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QPushButton_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QPushButton_Adaptor::cbs_showEvent_1634_0, event); } else { - QPushButton::showEvent(arg1); + QPushButton::showEvent(event); } } - // [adaptor impl] void QPushButton::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QPushButton::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QPushButton::tabletEvent(arg1); + QPushButton::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QPushButton_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QPushButton_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QPushButton::tabletEvent(arg1); + QPushButton::tabletEvent(event); } } @@ -1239,18 +1239,18 @@ class QPushButton_Adaptor : public QPushButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QPushButton::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QPushButton::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QPushButton::wheelEvent(arg1); + QPushButton::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QPushButton_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QPushButton_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QPushButton::wheelEvent(arg1); + QPushButton::wheelEvent(event); } } @@ -1310,7 +1310,7 @@ QPushButton_Adaptor::~QPushButton_Adaptor() { } static void _init_ctor_QPushButton_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1319,7 +1319,7 @@ static void _call_ctor_QPushButton_Adaptor_1315 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QPushButton_Adaptor (arg1)); } @@ -1330,7 +1330,7 @@ static void _init_ctor_QPushButton_Adaptor_3232 (qt_gsi::GenericStaticMethod *de { static gsi::ArgSpecBase argspec_0 ("text"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1340,7 +1340,7 @@ static void _call_ctor_QPushButton_Adaptor_3232 (const qt_gsi::GenericStaticMeth __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QPushButton_Adaptor (arg1, arg2)); } @@ -1353,7 +1353,7 @@ static void _init_ctor_QPushButton_Adaptor_4911 (qt_gsi::GenericStaticMethod *de decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("text"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_2 ("parent", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -1364,16 +1364,16 @@ static void _call_ctor_QPushButton_Adaptor_4911 (const qt_gsi::GenericStaticMeth tl::Heap heap; const QIcon &arg1 = gsi::arg_reader() (args, heap); const QString &arg2 = gsi::arg_reader() (args, heap); - QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QPushButton_Adaptor (arg1, arg2, arg3)); } -// void QPushButton::actionEvent(QActionEvent *) +// void QPushButton::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1437,11 +1437,11 @@ static void _set_callback_cbs_checkStateSet_0_0 (void *cls, const gsi::Callback } -// void QPushButton::childEvent(QChildEvent *) +// void QPushButton::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1479,11 +1479,11 @@ static void _call_emitter_clicked_864 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QPushButton::closeEvent(QCloseEvent *) +// void QPushButton::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1503,11 +1503,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QPushButton::contextMenuEvent(QContextMenuEvent *) +// void QPushButton::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1570,11 +1570,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QPushButton::customEvent(QEvent *) +// void QPushButton::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1620,7 +1620,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1629,7 +1629,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QPushButton_Adaptor *)cls)->emitter_QPushButton_destroyed_1302 (arg1); } @@ -1658,11 +1658,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QPushButton::dragEnterEvent(QDragEnterEvent *) +// void QPushButton::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1682,11 +1682,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QPushButton::dragLeaveEvent(QDragLeaveEvent *) +// void QPushButton::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1706,11 +1706,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QPushButton::dragMoveEvent(QDragMoveEvent *) +// void QPushButton::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1730,11 +1730,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QPushButton::dropEvent(QDropEvent *) +// void QPushButton::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1754,11 +1754,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QPushButton::enterEvent(QEvent *) +// void QPushButton::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1801,13 +1801,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QPushButton::eventFilter(QObject *, QEvent *) +// bool QPushButton::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1968,11 +1968,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QPushButton::hideEvent(QHideEvent *) +// void QPushButton::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2171,11 +2171,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QPushButton::leaveEvent(QEvent *) +// void QPushButton::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2237,11 +2237,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QPushButton::mouseDoubleClickEvent(QMouseEvent *) +// void QPushButton::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2333,11 +2333,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QPushButton::moveEvent(QMoveEvent *) +// void QPushButton::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2536,11 +2536,11 @@ static void _call_emitter_released_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QPushButton::resizeEvent(QResizeEvent *) +// void QPushButton::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2631,11 +2631,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QPushButton::showEvent(QShowEvent *) +// void QPushButton::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2674,11 +2674,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QPushButton::tabletEvent(QTabletEvent *) +// void QPushButton::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2755,11 +2755,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QPushButton::wheelEvent(QWheelEvent *) +// void QPushButton::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2843,40 +2843,40 @@ static gsi::Methods methods_QPushButton_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPushButton::QPushButton(QWidget *parent)\nThis method creates an object of class QPushButton.", &_init_ctor_QPushButton_Adaptor_1315, &_call_ctor_QPushButton_Adaptor_1315); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPushButton::QPushButton(const QString &text, QWidget *parent)\nThis method creates an object of class QPushButton.", &_init_ctor_QPushButton_Adaptor_3232, &_call_ctor_QPushButton_Adaptor_3232); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPushButton::QPushButton(const QIcon &icon, const QString &text, QWidget *parent)\nThis method creates an object of class QPushButton.", &_init_ctor_QPushButton_Adaptor_4911, &_call_ctor_QPushButton_Adaptor_4911); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QPushButton::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QPushButton::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QPushButton::changeEvent(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*checkStateSet", "@brief Virtual method void QPushButton::checkStateSet()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_checkStateSet_0_0, &_call_cbs_checkStateSet_0_0); methods += new qt_gsi::GenericMethod ("*checkStateSet", "@hide", false, &_init_cbs_checkStateSet_0_0, &_call_cbs_checkStateSet_0_0, &_set_callback_cbs_checkStateSet_0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPushButton::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPushButton::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_clicked", "@brief Emitter for signal void QPushButton::clicked(bool checked)\nCall this method to emit this signal.", false, &_init_emitter_clicked_864, &_call_emitter_clicked_864); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QPushButton::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QPushButton::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QPushButton::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QPushButton::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QPushButton::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QPushButton::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QPushButton::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPushButton::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPushButton::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QPushButton::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QPushButton::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QPushButton::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPushButton::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QPushButton::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QPushButton::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QPushButton::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QPushButton::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QPushButton::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QPushButton::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QPushButton::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QPushButton::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QPushButton::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QPushButton::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QPushButton::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPushButton::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPushButton::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QPushButton::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); @@ -2890,7 +2890,7 @@ static gsi::Methods methods_QPushButton_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QPushButton::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QPushButton::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QPushButton::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hitButton", "@brief Virtual method bool QPushButton::hitButton(const QPoint &pos)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hitButton_c1916_0, &_call_cbs_hitButton_c1916_0); methods += new qt_gsi::GenericMethod ("*hitButton", "@hide", true, &_init_cbs_hitButton_c1916_0, &_call_cbs_hitButton_c1916_0, &_set_callback_cbs_hitButton_c1916_0); @@ -2906,13 +2906,13 @@ static gsi::Methods methods_QPushButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QPushButton::keyReleaseEvent(QKeyEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QPushButton::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QPushButton::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QPushButton::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QPushButton::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QPushButton::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QPushButton::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QPushButton::mouseMoveEvent(QMouseEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -2920,7 +2920,7 @@ static gsi::Methods methods_QPushButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QPushButton::mouseReleaseEvent(QMouseEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QPushButton::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QPushButton::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QPushButton::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2936,7 +2936,7 @@ static gsi::Methods methods_QPushButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QPushButton::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("emit_released", "@brief Emitter for signal void QPushButton::released()\nCall this method to emit this signal.", false, &_init_emitter_released_0, &_call_emitter_released_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QPushButton::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QPushButton::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QPushButton::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QPushButton::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -2944,17 +2944,17 @@ static gsi::Methods methods_QPushButton_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QPushButton::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QPushButton::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QPushButton::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QPushButton::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QPushButton::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QPushButton::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QPushButton::timerEvent(QTimerEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_toggled", "@brief Emitter for signal void QPushButton::toggled(bool checked)\nCall this method to emit this signal.", false, &_init_emitter_toggled_864, &_call_emitter_toggled_864); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QPushButton::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QPushButton::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QPushButton::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QPushButton::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QPushButton::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQRadioButton.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQRadioButton.cc index be85ff2c15..d6e2d8750c 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQRadioButton.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQRadioButton.cc @@ -313,18 +313,18 @@ class QRadioButton_Adaptor : public QRadioButton, public qt_gsi::QtObjectBase emit QRadioButton::destroyed(arg1); } - // [adaptor impl] bool QRadioButton::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QRadioButton::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QRadioButton::eventFilter(arg1, arg2); + return QRadioButton::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QRadioButton_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QRadioButton_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QRadioButton::eventFilter(arg1, arg2); + return QRadioButton::eventFilter(watched, event); } } @@ -476,18 +476,18 @@ class QRadioButton_Adaptor : public QRadioButton, public qt_gsi::QtObjectBase emit QRadioButton::windowTitleChanged(title); } - // [adaptor impl] void QRadioButton::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QRadioButton::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QRadioButton::actionEvent(arg1); + QRadioButton::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QRadioButton_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QRadioButton_Adaptor::cbs_actionEvent_1823_0, event); } else { - QRadioButton::actionEvent(arg1); + QRadioButton::actionEvent(event); } } @@ -521,63 +521,63 @@ class QRadioButton_Adaptor : public QRadioButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRadioButton::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QRadioButton::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QRadioButton::childEvent(arg1); + QRadioButton::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QRadioButton_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QRadioButton_Adaptor::cbs_childEvent_1701_0, event); } else { - QRadioButton::childEvent(arg1); + QRadioButton::childEvent(event); } } - // [adaptor impl] void QRadioButton::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QRadioButton::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QRadioButton::closeEvent(arg1); + QRadioButton::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QRadioButton_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QRadioButton_Adaptor::cbs_closeEvent_1719_0, event); } else { - QRadioButton::closeEvent(arg1); + QRadioButton::closeEvent(event); } } - // [adaptor impl] void QRadioButton::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QRadioButton::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QRadioButton::contextMenuEvent(arg1); + QRadioButton::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QRadioButton_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QRadioButton_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QRadioButton::contextMenuEvent(arg1); + QRadioButton::contextMenuEvent(event); } } - // [adaptor impl] void QRadioButton::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QRadioButton::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QRadioButton::customEvent(arg1); + QRadioButton::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QRadioButton_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QRadioButton_Adaptor::cbs_customEvent_1217_0, event); } else { - QRadioButton::customEvent(arg1); + QRadioButton::customEvent(event); } } @@ -596,78 +596,78 @@ class QRadioButton_Adaptor : public QRadioButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRadioButton::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QRadioButton::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QRadioButton::dragEnterEvent(arg1); + QRadioButton::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QRadioButton_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QRadioButton_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QRadioButton::dragEnterEvent(arg1); + QRadioButton::dragEnterEvent(event); } } - // [adaptor impl] void QRadioButton::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QRadioButton::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QRadioButton::dragLeaveEvent(arg1); + QRadioButton::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QRadioButton_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QRadioButton_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QRadioButton::dragLeaveEvent(arg1); + QRadioButton::dragLeaveEvent(event); } } - // [adaptor impl] void QRadioButton::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QRadioButton::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QRadioButton::dragMoveEvent(arg1); + QRadioButton::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QRadioButton_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QRadioButton_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QRadioButton::dragMoveEvent(arg1); + QRadioButton::dragMoveEvent(event); } } - // [adaptor impl] void QRadioButton::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QRadioButton::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QRadioButton::dropEvent(arg1); + QRadioButton::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QRadioButton_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QRadioButton_Adaptor::cbs_dropEvent_1622_0, event); } else { - QRadioButton::dropEvent(arg1); + QRadioButton::dropEvent(event); } } - // [adaptor impl] void QRadioButton::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QRadioButton::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QRadioButton::enterEvent(arg1); + QRadioButton::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QRadioButton_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QRadioButton_Adaptor::cbs_enterEvent_1217_0, event); } else { - QRadioButton::enterEvent(arg1); + QRadioButton::enterEvent(event); } } @@ -731,18 +731,18 @@ class QRadioButton_Adaptor : public QRadioButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRadioButton::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QRadioButton::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QRadioButton::hideEvent(arg1); + QRadioButton::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QRadioButton_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QRadioButton_Adaptor::cbs_hideEvent_1595_0, event); } else { - QRadioButton::hideEvent(arg1); + QRadioButton::hideEvent(event); } } @@ -821,18 +821,18 @@ class QRadioButton_Adaptor : public QRadioButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRadioButton::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QRadioButton::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QRadioButton::leaveEvent(arg1); + QRadioButton::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QRadioButton_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QRadioButton_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QRadioButton::leaveEvent(arg1); + QRadioButton::leaveEvent(event); } } @@ -851,18 +851,18 @@ class QRadioButton_Adaptor : public QRadioButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRadioButton::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QRadioButton::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QRadioButton::mouseDoubleClickEvent(arg1); + QRadioButton::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QRadioButton_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QRadioButton_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QRadioButton::mouseDoubleClickEvent(arg1); + QRadioButton::mouseDoubleClickEvent(event); } } @@ -911,18 +911,18 @@ class QRadioButton_Adaptor : public QRadioButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRadioButton::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QRadioButton::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QRadioButton::moveEvent(arg1); + QRadioButton::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QRadioButton_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QRadioButton_Adaptor::cbs_moveEvent_1624_0, event); } else { - QRadioButton::moveEvent(arg1); + QRadioButton::moveEvent(event); } } @@ -986,18 +986,18 @@ class QRadioButton_Adaptor : public QRadioButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRadioButton::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QRadioButton::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QRadioButton::resizeEvent(arg1); + QRadioButton::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QRadioButton_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QRadioButton_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QRadioButton::resizeEvent(arg1); + QRadioButton::resizeEvent(event); } } @@ -1016,33 +1016,33 @@ class QRadioButton_Adaptor : public QRadioButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRadioButton::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QRadioButton::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QRadioButton::showEvent(arg1); + QRadioButton::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QRadioButton_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QRadioButton_Adaptor::cbs_showEvent_1634_0, event); } else { - QRadioButton::showEvent(arg1); + QRadioButton::showEvent(event); } } - // [adaptor impl] void QRadioButton::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QRadioButton::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QRadioButton::tabletEvent(arg1); + QRadioButton::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QRadioButton_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QRadioButton_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QRadioButton::tabletEvent(arg1); + QRadioButton::tabletEvent(event); } } @@ -1061,18 +1061,18 @@ class QRadioButton_Adaptor : public QRadioButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRadioButton::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QRadioButton::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QRadioButton::wheelEvent(arg1); + QRadioButton::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QRadioButton_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QRadioButton_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QRadioButton::wheelEvent(arg1); + QRadioButton::wheelEvent(event); } } @@ -1132,7 +1132,7 @@ QRadioButton_Adaptor::~QRadioButton_Adaptor() { } static void _init_ctor_QRadioButton_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1141,7 +1141,7 @@ static void _call_ctor_QRadioButton_Adaptor_1315 (const qt_gsi::GenericStaticMet { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QRadioButton_Adaptor (arg1)); } @@ -1152,7 +1152,7 @@ static void _init_ctor_QRadioButton_Adaptor_3232 (qt_gsi::GenericStaticMethod *d { static gsi::ArgSpecBase argspec_0 ("text"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1162,16 +1162,16 @@ static void _call_ctor_QRadioButton_Adaptor_3232 (const qt_gsi::GenericStaticMet __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QRadioButton_Adaptor (arg1, arg2)); } -// void QRadioButton::actionEvent(QActionEvent *) +// void QRadioButton::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1235,11 +1235,11 @@ static void _set_callback_cbs_checkStateSet_0_0 (void *cls, const gsi::Callback } -// void QRadioButton::childEvent(QChildEvent *) +// void QRadioButton::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1277,11 +1277,11 @@ static void _call_emitter_clicked_864 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QRadioButton::closeEvent(QCloseEvent *) +// void QRadioButton::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1301,11 +1301,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QRadioButton::contextMenuEvent(QContextMenuEvent *) +// void QRadioButton::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1368,11 +1368,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QRadioButton::customEvent(QEvent *) +// void QRadioButton::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1418,7 +1418,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1427,7 +1427,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QRadioButton_Adaptor *)cls)->emitter_QRadioButton_destroyed_1302 (arg1); } @@ -1456,11 +1456,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QRadioButton::dragEnterEvent(QDragEnterEvent *) +// void QRadioButton::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1480,11 +1480,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QRadioButton::dragLeaveEvent(QDragLeaveEvent *) +// void QRadioButton::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1504,11 +1504,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QRadioButton::dragMoveEvent(QDragMoveEvent *) +// void QRadioButton::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1528,11 +1528,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QRadioButton::dropEvent(QDropEvent *) +// void QRadioButton::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1552,11 +1552,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QRadioButton::enterEvent(QEvent *) +// void QRadioButton::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1599,13 +1599,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QRadioButton::eventFilter(QObject *, QEvent *) +// bool QRadioButton::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1766,11 +1766,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QRadioButton::hideEvent(QHideEvent *) +// void QRadioButton::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1969,11 +1969,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QRadioButton::leaveEvent(QEvent *) +// void QRadioButton::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2035,11 +2035,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QRadioButton::mouseDoubleClickEvent(QMouseEvent *) +// void QRadioButton::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2131,11 +2131,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QRadioButton::moveEvent(QMoveEvent *) +// void QRadioButton::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2334,11 +2334,11 @@ static void _call_emitter_released_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QRadioButton::resizeEvent(QResizeEvent *) +// void QRadioButton::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2429,11 +2429,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QRadioButton::showEvent(QShowEvent *) +// void QRadioButton::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2472,11 +2472,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QRadioButton::tabletEvent(QTabletEvent *) +// void QRadioButton::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2553,11 +2553,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QRadioButton::wheelEvent(QWheelEvent *) +// void QRadioButton::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2640,40 +2640,40 @@ static gsi::Methods methods_QRadioButton_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRadioButton::QRadioButton(QWidget *parent)\nThis method creates an object of class QRadioButton.", &_init_ctor_QRadioButton_Adaptor_1315, &_call_ctor_QRadioButton_Adaptor_1315); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRadioButton::QRadioButton(const QString &text, QWidget *parent)\nThis method creates an object of class QRadioButton.", &_init_ctor_QRadioButton_Adaptor_3232, &_call_ctor_QRadioButton_Adaptor_3232); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QRadioButton::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QRadioButton::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QRadioButton::changeEvent(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*checkStateSet", "@brief Virtual method void QRadioButton::checkStateSet()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_checkStateSet_0_0, &_call_cbs_checkStateSet_0_0); methods += new qt_gsi::GenericMethod ("*checkStateSet", "@hide", false, &_init_cbs_checkStateSet_0_0, &_call_cbs_checkStateSet_0_0, &_set_callback_cbs_checkStateSet_0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRadioButton::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRadioButton::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_clicked", "@brief Emitter for signal void QRadioButton::clicked(bool checked)\nCall this method to emit this signal.", false, &_init_emitter_clicked_864, &_call_emitter_clicked_864); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QRadioButton::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QRadioButton::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QRadioButton::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QRadioButton::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QRadioButton::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QRadioButton::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QRadioButton::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRadioButton::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRadioButton::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QRadioButton::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QRadioButton::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QRadioButton::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QRadioButton::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QRadioButton::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QRadioButton::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QRadioButton::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QRadioButton::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QRadioButton::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QRadioButton::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QRadioButton::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QRadioButton::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QRadioButton::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QRadioButton::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QRadioButton::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QRadioButton::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QRadioButton::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QRadioButton::focusInEvent(QFocusEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); @@ -2687,7 +2687,7 @@ static gsi::Methods methods_QRadioButton_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QRadioButton::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QRadioButton::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QRadioButton::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hitButton", "@brief Virtual method bool QRadioButton::hitButton(const QPoint &)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hitButton_c1916_0, &_call_cbs_hitButton_c1916_0); methods += new qt_gsi::GenericMethod ("*hitButton", "@hide", true, &_init_cbs_hitButton_c1916_0, &_call_cbs_hitButton_c1916_0, &_set_callback_cbs_hitButton_c1916_0); @@ -2703,13 +2703,13 @@ static gsi::Methods methods_QRadioButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QRadioButton::keyReleaseEvent(QKeyEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QRadioButton::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QRadioButton::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QRadioButton::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QRadioButton::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QRadioButton::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QRadioButton::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QRadioButton::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -2717,7 +2717,7 @@ static gsi::Methods methods_QRadioButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QRadioButton::mouseReleaseEvent(QMouseEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QRadioButton::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QRadioButton::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QRadioButton::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2733,7 +2733,7 @@ static gsi::Methods methods_QRadioButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QRadioButton::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("emit_released", "@brief Emitter for signal void QRadioButton::released()\nCall this method to emit this signal.", false, &_init_emitter_released_0, &_call_emitter_released_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QRadioButton::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QRadioButton::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QRadioButton::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QRadioButton::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -2741,17 +2741,17 @@ static gsi::Methods methods_QRadioButton_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QRadioButton::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QRadioButton::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QRadioButton::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QRadioButton::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QRadioButton::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QRadioButton::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRadioButton::timerEvent(QTimerEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_toggled", "@brief Emitter for signal void QRadioButton::toggled(bool checked)\nCall this method to emit this signal.", false, &_init_emitter_toggled_864, &_call_emitter_toggled_864); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QRadioButton::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QRadioButton::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QRadioButton::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QRadioButton::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QRadioButton::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQRubberBand.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQRubberBand.cc index 6bda84fb56..0430fb9bbf 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQRubberBand.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQRubberBand.cc @@ -415,18 +415,18 @@ class QRubberBand_Adaptor : public QRubberBand, public qt_gsi::QtObjectBase emit QRubberBand::destroyed(arg1); } - // [adaptor impl] bool QRubberBand::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QRubberBand::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QRubberBand::eventFilter(arg1, arg2); + return QRubberBand::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QRubberBand_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QRubberBand_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QRubberBand::eventFilter(arg1, arg2); + return QRubberBand::eventFilter(watched, event); } } @@ -560,18 +560,18 @@ class QRubberBand_Adaptor : public QRubberBand, public qt_gsi::QtObjectBase emit QRubberBand::windowTitleChanged(title); } - // [adaptor impl] void QRubberBand::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QRubberBand::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QRubberBand::actionEvent(arg1); + QRubberBand::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QRubberBand_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QRubberBand_Adaptor::cbs_actionEvent_1823_0, event); } else { - QRubberBand::actionEvent(arg1); + QRubberBand::actionEvent(event); } } @@ -590,63 +590,63 @@ class QRubberBand_Adaptor : public QRubberBand, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRubberBand::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QRubberBand::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QRubberBand::childEvent(arg1); + QRubberBand::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QRubberBand_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QRubberBand_Adaptor::cbs_childEvent_1701_0, event); } else { - QRubberBand::childEvent(arg1); + QRubberBand::childEvent(event); } } - // [adaptor impl] void QRubberBand::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QRubberBand::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QRubberBand::closeEvent(arg1); + QRubberBand::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QRubberBand_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QRubberBand_Adaptor::cbs_closeEvent_1719_0, event); } else { - QRubberBand::closeEvent(arg1); + QRubberBand::closeEvent(event); } } - // [adaptor impl] void QRubberBand::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QRubberBand::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QRubberBand::contextMenuEvent(arg1); + QRubberBand::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QRubberBand_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QRubberBand_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QRubberBand::contextMenuEvent(arg1); + QRubberBand::contextMenuEvent(event); } } - // [adaptor impl] void QRubberBand::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QRubberBand::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QRubberBand::customEvent(arg1); + QRubberBand::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QRubberBand_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QRubberBand_Adaptor::cbs_customEvent_1217_0, event); } else { - QRubberBand::customEvent(arg1); + QRubberBand::customEvent(event); } } @@ -665,78 +665,78 @@ class QRubberBand_Adaptor : public QRubberBand, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRubberBand::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QRubberBand::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QRubberBand::dragEnterEvent(arg1); + QRubberBand::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QRubberBand_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QRubberBand_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QRubberBand::dragEnterEvent(arg1); + QRubberBand::dragEnterEvent(event); } } - // [adaptor impl] void QRubberBand::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QRubberBand::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QRubberBand::dragLeaveEvent(arg1); + QRubberBand::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QRubberBand_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QRubberBand_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QRubberBand::dragLeaveEvent(arg1); + QRubberBand::dragLeaveEvent(event); } } - // [adaptor impl] void QRubberBand::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QRubberBand::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QRubberBand::dragMoveEvent(arg1); + QRubberBand::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QRubberBand_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QRubberBand_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QRubberBand::dragMoveEvent(arg1); + QRubberBand::dragMoveEvent(event); } } - // [adaptor impl] void QRubberBand::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QRubberBand::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QRubberBand::dropEvent(arg1); + QRubberBand::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QRubberBand_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QRubberBand_Adaptor::cbs_dropEvent_1622_0, event); } else { - QRubberBand::dropEvent(arg1); + QRubberBand::dropEvent(event); } } - // [adaptor impl] void QRubberBand::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QRubberBand::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QRubberBand::enterEvent(arg1); + QRubberBand::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QRubberBand_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QRubberBand_Adaptor::cbs_enterEvent_1217_0, event); } else { - QRubberBand::enterEvent(arg1); + QRubberBand::enterEvent(event); } } @@ -755,18 +755,18 @@ class QRubberBand_Adaptor : public QRubberBand, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRubberBand::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QRubberBand::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QRubberBand::focusInEvent(arg1); + QRubberBand::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QRubberBand_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QRubberBand_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QRubberBand::focusInEvent(arg1); + QRubberBand::focusInEvent(event); } } @@ -785,33 +785,33 @@ class QRubberBand_Adaptor : public QRubberBand, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRubberBand::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QRubberBand::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QRubberBand::focusOutEvent(arg1); + QRubberBand::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QRubberBand_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QRubberBand_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QRubberBand::focusOutEvent(arg1); + QRubberBand::focusOutEvent(event); } } - // [adaptor impl] void QRubberBand::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QRubberBand::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QRubberBand::hideEvent(arg1); + QRubberBand::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QRubberBand_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QRubberBand_Adaptor::cbs_hideEvent_1595_0, event); } else { - QRubberBand::hideEvent(arg1); + QRubberBand::hideEvent(event); } } @@ -845,48 +845,48 @@ class QRubberBand_Adaptor : public QRubberBand, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRubberBand::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QRubberBand::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QRubberBand::keyPressEvent(arg1); + QRubberBand::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QRubberBand_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QRubberBand_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QRubberBand::keyPressEvent(arg1); + QRubberBand::keyPressEvent(event); } } - // [adaptor impl] void QRubberBand::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QRubberBand::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QRubberBand::keyReleaseEvent(arg1); + QRubberBand::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QRubberBand_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QRubberBand_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QRubberBand::keyReleaseEvent(arg1); + QRubberBand::keyReleaseEvent(event); } } - // [adaptor impl] void QRubberBand::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QRubberBand::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QRubberBand::leaveEvent(arg1); + QRubberBand::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QRubberBand_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QRubberBand_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QRubberBand::leaveEvent(arg1); + QRubberBand::leaveEvent(event); } } @@ -905,63 +905,63 @@ class QRubberBand_Adaptor : public QRubberBand, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRubberBand::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QRubberBand::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QRubberBand::mouseDoubleClickEvent(arg1); + QRubberBand::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QRubberBand_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QRubberBand_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QRubberBand::mouseDoubleClickEvent(arg1); + QRubberBand::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QRubberBand::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QRubberBand::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QRubberBand::mouseMoveEvent(arg1); + QRubberBand::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QRubberBand_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QRubberBand_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QRubberBand::mouseMoveEvent(arg1); + QRubberBand::mouseMoveEvent(event); } } - // [adaptor impl] void QRubberBand::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QRubberBand::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QRubberBand::mousePressEvent(arg1); + QRubberBand::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QRubberBand_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QRubberBand_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QRubberBand::mousePressEvent(arg1); + QRubberBand::mousePressEvent(event); } } - // [adaptor impl] void QRubberBand::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QRubberBand::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QRubberBand::mouseReleaseEvent(arg1); + QRubberBand::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QRubberBand_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QRubberBand_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QRubberBand::mouseReleaseEvent(arg1); + QRubberBand::mouseReleaseEvent(event); } } @@ -1070,48 +1070,48 @@ class QRubberBand_Adaptor : public QRubberBand, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QRubberBand::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QRubberBand::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QRubberBand::tabletEvent(arg1); + QRubberBand::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QRubberBand_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QRubberBand_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QRubberBand::tabletEvent(arg1); + QRubberBand::tabletEvent(event); } } - // [adaptor impl] void QRubberBand::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QRubberBand::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QRubberBand::timerEvent(arg1); + QRubberBand::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QRubberBand_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QRubberBand_Adaptor::cbs_timerEvent_1730_0, event); } else { - QRubberBand::timerEvent(arg1); + QRubberBand::timerEvent(event); } } - // [adaptor impl] void QRubberBand::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QRubberBand::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QRubberBand::wheelEvent(arg1); + QRubberBand::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QRubberBand_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QRubberBand_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QRubberBand::wheelEvent(arg1); + QRubberBand::wheelEvent(event); } } @@ -1170,7 +1170,7 @@ static void _init_ctor_QRubberBand_Adaptor_3320 (qt_gsi::GenericStaticMethod *de { static gsi::ArgSpecBase argspec_0 ("arg1"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2", true, "0"); + static gsi::ArgSpecBase argspec_1 ("arg2", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1180,16 +1180,16 @@ static void _call_ctor_QRubberBand_Adaptor_3320 (const qt_gsi::GenericStaticMeth __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QRubberBand_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2)); } -// void QRubberBand::actionEvent(QActionEvent *) +// void QRubberBand::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1233,11 +1233,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QRubberBand::childEvent(QChildEvent *) +// void QRubberBand::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1257,11 +1257,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QRubberBand::closeEvent(QCloseEvent *) +// void QRubberBand::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1281,11 +1281,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QRubberBand::contextMenuEvent(QContextMenuEvent *) +// void QRubberBand::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1348,11 +1348,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QRubberBand::customEvent(QEvent *) +// void QRubberBand::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1398,7 +1398,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1407,7 +1407,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QRubberBand_Adaptor *)cls)->emitter_QRubberBand_destroyed_1302 (arg1); } @@ -1436,11 +1436,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QRubberBand::dragEnterEvent(QDragEnterEvent *) +// void QRubberBand::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1460,11 +1460,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QRubberBand::dragLeaveEvent(QDragLeaveEvent *) +// void QRubberBand::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1484,11 +1484,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QRubberBand::dragMoveEvent(QDragMoveEvent *) +// void QRubberBand::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1508,11 +1508,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QRubberBand::dropEvent(QDropEvent *) +// void QRubberBand::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1532,11 +1532,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QRubberBand::enterEvent(QEvent *) +// void QRubberBand::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1579,13 +1579,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QRubberBand::eventFilter(QObject *, QEvent *) +// bool QRubberBand::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1605,11 +1605,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QRubberBand::focusInEvent(QFocusEvent *) +// void QRubberBand::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1666,11 +1666,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QRubberBand::focusOutEvent(QFocusEvent *) +// void QRubberBand::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1746,11 +1746,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QRubberBand::hideEvent(QHideEvent *) +// void QRubberBand::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1878,11 +1878,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QRubberBand::keyPressEvent(QKeyEvent *) +// void QRubberBand::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1902,11 +1902,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QRubberBand::keyReleaseEvent(QKeyEvent *) +// void QRubberBand::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1926,11 +1926,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QRubberBand::leaveEvent(QEvent *) +// void QRubberBand::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1992,11 +1992,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QRubberBand::mouseDoubleClickEvent(QMouseEvent *) +// void QRubberBand::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2016,11 +2016,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QRubberBand::mouseMoveEvent(QMouseEvent *) +// void QRubberBand::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2040,11 +2040,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QRubberBand::mousePressEvent(QMouseEvent *) +// void QRubberBand::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2064,11 +2064,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QRubberBand::mouseReleaseEvent(QMouseEvent *) +// void QRubberBand::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2381,11 +2381,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QRubberBand::tabletEvent(QTabletEvent *) +// void QRubberBand::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2405,11 +2405,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QRubberBand::timerEvent(QTimerEvent *) +// void QRubberBand::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2444,11 +2444,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QRubberBand::wheelEvent(QWheelEvent *) +// void QRubberBand::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2530,51 +2530,51 @@ gsi::Class &qtdecl_QRubberBand (); static gsi::Methods methods_QRubberBand_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRubberBand::QRubberBand(QRubberBand::Shape, QWidget *)\nThis method creates an object of class QRubberBand.", &_init_ctor_QRubberBand_Adaptor_3320, &_call_ctor_QRubberBand_Adaptor_3320); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QRubberBand::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QRubberBand::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QRubberBand::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRubberBand::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRubberBand::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QRubberBand::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QRubberBand::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QRubberBand::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QRubberBand::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QRubberBand::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QRubberBand::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QRubberBand::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRubberBand::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRubberBand::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QRubberBand::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QRubberBand::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QRubberBand::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QRubberBand::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QRubberBand::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QRubberBand::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QRubberBand::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QRubberBand::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QRubberBand::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QRubberBand::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QRubberBand::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QRubberBand::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QRubberBand::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QRubberBand::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QRubberBand::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QRubberBand::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QRubberBand::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QRubberBand::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QRubberBand::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QRubberBand::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QRubberBand::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QRubberBand::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QRubberBand::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QRubberBand::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QRubberBand::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QRubberBand::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QRubberBand::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QRubberBand::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QRubberBand::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2584,23 +2584,23 @@ static gsi::Methods methods_QRubberBand_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QRubberBand::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QRubberBand::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QRubberBand::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QRubberBand::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QRubberBand::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QRubberBand::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QRubberBand::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QRubberBand::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QRubberBand::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QRubberBand::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QRubberBand::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QRubberBand::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QRubberBand::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QRubberBand::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QRubberBand::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QRubberBand::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QRubberBand::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QRubberBand::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QRubberBand::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); @@ -2626,12 +2626,12 @@ static gsi::Methods methods_QRubberBand_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QRubberBand::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QRubberBand::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QRubberBand::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRubberBand::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRubberBand::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QRubberBand::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QRubberBand::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QRubberBand::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QRubberBand::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QRubberBand::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQScrollArea.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQScrollArea.cc index 94e065a19e..6ca34e82f3 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQScrollArea.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQScrollArea.cc @@ -659,18 +659,18 @@ class QScrollArea_Adaptor : public QScrollArea, public qt_gsi::QtObjectBase emit QScrollArea::windowTitleChanged(title); } - // [adaptor impl] void QScrollArea::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QScrollArea::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QScrollArea::actionEvent(arg1); + QScrollArea::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QScrollArea_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QScrollArea_Adaptor::cbs_actionEvent_1823_0, event); } else { - QScrollArea::actionEvent(arg1); + QScrollArea::actionEvent(event); } } @@ -689,33 +689,33 @@ class QScrollArea_Adaptor : public QScrollArea, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QScrollArea::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QScrollArea::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QScrollArea::childEvent(arg1); + QScrollArea::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QScrollArea_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QScrollArea_Adaptor::cbs_childEvent_1701_0, event); } else { - QScrollArea::childEvent(arg1); + QScrollArea::childEvent(event); } } - // [adaptor impl] void QScrollArea::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QScrollArea::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QScrollArea::closeEvent(arg1); + QScrollArea::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QScrollArea_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QScrollArea_Adaptor::cbs_closeEvent_1719_0, event); } else { - QScrollArea::closeEvent(arg1); + QScrollArea::closeEvent(event); } } @@ -734,18 +734,18 @@ class QScrollArea_Adaptor : public QScrollArea, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QScrollArea::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QScrollArea::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QScrollArea::customEvent(arg1); + QScrollArea::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QScrollArea_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QScrollArea_Adaptor::cbs_customEvent_1217_0, event); } else { - QScrollArea::customEvent(arg1); + QScrollArea::customEvent(event); } } @@ -824,18 +824,18 @@ class QScrollArea_Adaptor : public QScrollArea, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QScrollArea::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QScrollArea::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QScrollArea::enterEvent(arg1); + QScrollArea::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QScrollArea_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QScrollArea_Adaptor::cbs_enterEvent_1217_0, event); } else { - QScrollArea::enterEvent(arg1); + QScrollArea::enterEvent(event); } } @@ -869,48 +869,48 @@ class QScrollArea_Adaptor : public QScrollArea, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QScrollArea::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QScrollArea::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QScrollArea::focusInEvent(arg1); + QScrollArea::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QScrollArea_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QScrollArea_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QScrollArea::focusInEvent(arg1); + QScrollArea::focusInEvent(event); } } - // [adaptor impl] void QScrollArea::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QScrollArea::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QScrollArea::focusOutEvent(arg1); + QScrollArea::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QScrollArea_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QScrollArea_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QScrollArea::focusOutEvent(arg1); + QScrollArea::focusOutEvent(event); } } - // [adaptor impl] void QScrollArea::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QScrollArea::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QScrollArea::hideEvent(arg1); + QScrollArea::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QScrollArea_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QScrollArea_Adaptor::cbs_hideEvent_1595_0, event); } else { - QScrollArea::hideEvent(arg1); + QScrollArea::hideEvent(event); } } @@ -959,33 +959,33 @@ class QScrollArea_Adaptor : public QScrollArea, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QScrollArea::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QScrollArea::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QScrollArea::keyReleaseEvent(arg1); + QScrollArea::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QScrollArea_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QScrollArea_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QScrollArea::keyReleaseEvent(arg1); + QScrollArea::keyReleaseEvent(event); } } - // [adaptor impl] void QScrollArea::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QScrollArea::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QScrollArea::leaveEvent(arg1); + QScrollArea::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QScrollArea_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QScrollArea_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QScrollArea::leaveEvent(arg1); + QScrollArea::leaveEvent(event); } } @@ -1064,18 +1064,18 @@ class QScrollArea_Adaptor : public QScrollArea, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QScrollArea::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QScrollArea::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QScrollArea::moveEvent(arg1); + QScrollArea::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QScrollArea_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QScrollArea_Adaptor::cbs_moveEvent_1624_0, event); } else { - QScrollArea::moveEvent(arg1); + QScrollArea::moveEvent(event); } } @@ -1169,48 +1169,48 @@ class QScrollArea_Adaptor : public QScrollArea, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QScrollArea::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QScrollArea::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QScrollArea::showEvent(arg1); + QScrollArea::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QScrollArea_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QScrollArea_Adaptor::cbs_showEvent_1634_0, event); } else { - QScrollArea::showEvent(arg1); + QScrollArea::showEvent(event); } } - // [adaptor impl] void QScrollArea::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QScrollArea::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QScrollArea::tabletEvent(arg1); + QScrollArea::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QScrollArea_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QScrollArea_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QScrollArea::tabletEvent(arg1); + QScrollArea::tabletEvent(event); } } - // [adaptor impl] void QScrollArea::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QScrollArea::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QScrollArea::timerEvent(arg1); + QScrollArea::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QScrollArea_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QScrollArea_Adaptor::cbs_timerEvent_1730_0, event); } else { - QScrollArea::timerEvent(arg1); + QScrollArea::timerEvent(event); } } @@ -1316,7 +1316,7 @@ QScrollArea_Adaptor::~QScrollArea_Adaptor() { } static void _init_ctor_QScrollArea_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1325,16 +1325,16 @@ static void _call_ctor_QScrollArea_Adaptor_1315 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QScrollArea_Adaptor (arg1)); } -// void QScrollArea::actionEvent(QActionEvent *) +// void QScrollArea::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1378,11 +1378,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QScrollArea::childEvent(QChildEvent *) +// void QScrollArea::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1402,11 +1402,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QScrollArea::closeEvent(QCloseEvent *) +// void QScrollArea::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1493,11 +1493,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QScrollArea::customEvent(QEvent *) +// void QScrollArea::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1543,7 +1543,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1552,7 +1552,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QScrollArea_Adaptor *)cls)->emitter_QScrollArea_destroyed_1302 (arg1); } @@ -1696,11 +1696,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QScrollArea::enterEvent(QEvent *) +// void QScrollArea::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1769,11 +1769,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QScrollArea::focusInEvent(QFocusEvent *) +// void QScrollArea::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1830,11 +1830,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QScrollArea::focusOutEvent(QFocusEvent *) +// void QScrollArea::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1910,11 +1910,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QScrollArea::hideEvent(QHideEvent *) +// void QScrollArea::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2066,11 +2066,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QScrollArea::keyReleaseEvent(QKeyEvent *) +// void QScrollArea::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2090,11 +2090,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QScrollArea::leaveEvent(QEvent *) +// void QScrollArea::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2252,11 +2252,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QScrollArea::moveEvent(QMoveEvent *) +// void QScrollArea::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2600,11 +2600,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QScrollArea::showEvent(QShowEvent *) +// void QScrollArea::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2643,11 +2643,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QScrollArea::tabletEvent(QTabletEvent *) +// void QScrollArea::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2667,11 +2667,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QScrollArea::timerEvent(QTimerEvent *) +// void QScrollArea::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2848,21 +2848,21 @@ gsi::Class &qtdecl_QScrollArea (); static gsi::Methods methods_QScrollArea_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QScrollArea::QScrollArea(QWidget *parent)\nThis method creates an object of class QScrollArea.", &_init_ctor_QScrollArea_Adaptor_1315, &_call_ctor_QScrollArea_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QScrollArea::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QScrollArea::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QScrollArea::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QScrollArea::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QScrollArea::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QScrollArea::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QScrollArea::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QScrollArea::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QScrollArea::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QScrollArea::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QScrollArea::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QScrollArea::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QScrollArea::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QScrollArea::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QScrollArea::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QScrollArea::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QScrollArea::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); @@ -2875,25 +2875,25 @@ static gsi::Methods methods_QScrollArea_Adaptor () { methods += new qt_gsi::GenericMethod ("*drawFrame", "@brief Method void QScrollArea::drawFrame(QPainter *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_drawFrame_1426, &_call_fp_drawFrame_1426); methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QScrollArea::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QScrollArea::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QScrollArea::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QScrollArea::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QScrollArea::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QScrollArea::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QScrollArea::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QScrollArea::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("focusNextPrevChild", "@brief Virtual method bool QScrollArea::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QScrollArea::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QScrollArea::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QScrollArea::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QScrollArea::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QScrollArea::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QScrollArea::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QScrollArea::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QScrollArea::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2905,9 +2905,9 @@ static gsi::Methods methods_QScrollArea_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QScrollArea::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QScrollArea::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QScrollArea::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QScrollArea::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QScrollArea::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QScrollArea::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QScrollArea::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); @@ -2921,7 +2921,7 @@ static gsi::Methods methods_QScrollArea_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QScrollArea::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QScrollArea::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QScrollArea::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QScrollArea::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2947,13 +2947,13 @@ static gsi::Methods methods_QScrollArea_Adaptor () { methods += new qt_gsi::GenericMethod ("setupViewport", "@hide", false, &_init_cbs_setupViewport_1315_0, &_call_cbs_setupViewport_1315_0, &_set_callback_cbs_setupViewport_1315_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QScrollArea::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QScrollArea::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QScrollArea::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QScrollArea::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QScrollArea::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QScrollArea::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QScrollArea::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QScrollArea::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QScrollArea::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); methods += new qt_gsi::GenericMethod ("*viewportEvent", "@brief Virtual method bool QScrollArea::viewportEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_viewportEvent_1217_0, &_call_cbs_viewportEvent_1217_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQScrollBar.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQScrollBar.cc index 6613557c54..793661fa5f 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQScrollBar.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQScrollBar.cc @@ -343,18 +343,18 @@ class QScrollBar_Adaptor : public QScrollBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QScrollBar::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QScrollBar::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QScrollBar::eventFilter(arg1, arg2); + return QScrollBar::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QScrollBar_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QScrollBar_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QScrollBar::eventFilter(arg1, arg2); + return QScrollBar::eventFilter(watched, event); } } @@ -518,18 +518,18 @@ class QScrollBar_Adaptor : public QScrollBar, public qt_gsi::QtObjectBase emit QScrollBar::windowTitleChanged(title); } - // [adaptor impl] void QScrollBar::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QScrollBar::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QScrollBar::actionEvent(arg1); + QScrollBar::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QScrollBar_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QScrollBar_Adaptor::cbs_actionEvent_1823_0, event); } else { - QScrollBar::actionEvent(arg1); + QScrollBar::actionEvent(event); } } @@ -548,33 +548,33 @@ class QScrollBar_Adaptor : public QScrollBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QScrollBar::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QScrollBar::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QScrollBar::childEvent(arg1); + QScrollBar::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QScrollBar_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QScrollBar_Adaptor::cbs_childEvent_1701_0, event); } else { - QScrollBar::childEvent(arg1); + QScrollBar::childEvent(event); } } - // [adaptor impl] void QScrollBar::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QScrollBar::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QScrollBar::closeEvent(arg1); + QScrollBar::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QScrollBar_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QScrollBar_Adaptor::cbs_closeEvent_1719_0, event); } else { - QScrollBar::closeEvent(arg1); + QScrollBar::closeEvent(event); } } @@ -593,18 +593,18 @@ class QScrollBar_Adaptor : public QScrollBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QScrollBar::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QScrollBar::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QScrollBar::customEvent(arg1); + QScrollBar::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QScrollBar_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QScrollBar_Adaptor::cbs_customEvent_1217_0, event); } else { - QScrollBar::customEvent(arg1); + QScrollBar::customEvent(event); } } @@ -623,93 +623,93 @@ class QScrollBar_Adaptor : public QScrollBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QScrollBar::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QScrollBar::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QScrollBar::dragEnterEvent(arg1); + QScrollBar::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QScrollBar_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QScrollBar_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QScrollBar::dragEnterEvent(arg1); + QScrollBar::dragEnterEvent(event); } } - // [adaptor impl] void QScrollBar::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QScrollBar::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QScrollBar::dragLeaveEvent(arg1); + QScrollBar::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QScrollBar_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QScrollBar_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QScrollBar::dragLeaveEvent(arg1); + QScrollBar::dragLeaveEvent(event); } } - // [adaptor impl] void QScrollBar::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QScrollBar::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QScrollBar::dragMoveEvent(arg1); + QScrollBar::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QScrollBar_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QScrollBar_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QScrollBar::dragMoveEvent(arg1); + QScrollBar::dragMoveEvent(event); } } - // [adaptor impl] void QScrollBar::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QScrollBar::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QScrollBar::dropEvent(arg1); + QScrollBar::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QScrollBar_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QScrollBar_Adaptor::cbs_dropEvent_1622_0, event); } else { - QScrollBar::dropEvent(arg1); + QScrollBar::dropEvent(event); } } - // [adaptor impl] void QScrollBar::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QScrollBar::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QScrollBar::enterEvent(arg1); + QScrollBar::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QScrollBar_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QScrollBar_Adaptor::cbs_enterEvent_1217_0, event); } else { - QScrollBar::enterEvent(arg1); + QScrollBar::enterEvent(event); } } - // [adaptor impl] void QScrollBar::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QScrollBar::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QScrollBar::focusInEvent(arg1); + QScrollBar::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QScrollBar_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QScrollBar_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QScrollBar::focusInEvent(arg1); + QScrollBar::focusInEvent(event); } } @@ -728,18 +728,18 @@ class QScrollBar_Adaptor : public QScrollBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QScrollBar::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QScrollBar::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QScrollBar::focusOutEvent(arg1); + QScrollBar::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QScrollBar_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QScrollBar_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QScrollBar::focusOutEvent(arg1); + QScrollBar::focusOutEvent(event); } } @@ -803,33 +803,33 @@ class QScrollBar_Adaptor : public QScrollBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QScrollBar::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QScrollBar::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QScrollBar::keyReleaseEvent(arg1); + QScrollBar::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QScrollBar_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QScrollBar_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QScrollBar::keyReleaseEvent(arg1); + QScrollBar::keyReleaseEvent(event); } } - // [adaptor impl] void QScrollBar::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QScrollBar::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QScrollBar::leaveEvent(arg1); + QScrollBar::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QScrollBar_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QScrollBar_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QScrollBar::leaveEvent(arg1); + QScrollBar::leaveEvent(event); } } @@ -848,18 +848,18 @@ class QScrollBar_Adaptor : public QScrollBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QScrollBar::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QScrollBar::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QScrollBar::mouseDoubleClickEvent(arg1); + QScrollBar::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QScrollBar_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QScrollBar_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QScrollBar::mouseDoubleClickEvent(arg1); + QScrollBar::mouseDoubleClickEvent(event); } } @@ -908,18 +908,18 @@ class QScrollBar_Adaptor : public QScrollBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QScrollBar::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QScrollBar::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QScrollBar::moveEvent(arg1); + QScrollBar::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QScrollBar_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QScrollBar_Adaptor::cbs_moveEvent_1624_0, event); } else { - QScrollBar::moveEvent(arg1); + QScrollBar::moveEvent(event); } } @@ -968,18 +968,18 @@ class QScrollBar_Adaptor : public QScrollBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QScrollBar::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QScrollBar::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QScrollBar::resizeEvent(arg1); + QScrollBar::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QScrollBar_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QScrollBar_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QScrollBar::resizeEvent(arg1); + QScrollBar::resizeEvent(event); } } @@ -998,18 +998,18 @@ class QScrollBar_Adaptor : public QScrollBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QScrollBar::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QScrollBar::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QScrollBar::showEvent(arg1); + QScrollBar::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QScrollBar_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QScrollBar_Adaptor::cbs_showEvent_1634_0, event); } else { - QScrollBar::showEvent(arg1); + QScrollBar::showEvent(event); } } @@ -1028,18 +1028,18 @@ class QScrollBar_Adaptor : public QScrollBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QScrollBar::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QScrollBar::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QScrollBar::tabletEvent(arg1); + QScrollBar::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QScrollBar_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QScrollBar_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QScrollBar::tabletEvent(arg1); + QScrollBar::tabletEvent(event); } } @@ -1127,7 +1127,7 @@ QScrollBar_Adaptor::~QScrollBar_Adaptor() { } static void _init_ctor_QScrollBar_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1136,7 +1136,7 @@ static void _call_ctor_QScrollBar_Adaptor_1315 (const qt_gsi::GenericStaticMetho { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QScrollBar_Adaptor (arg1)); } @@ -1147,7 +1147,7 @@ static void _init_ctor_QScrollBar_Adaptor_3120 (qt_gsi::GenericStaticMethod *dec { static gsi::ArgSpecBase argspec_0 ("arg1"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1157,16 +1157,16 @@ static void _call_ctor_QScrollBar_Adaptor_3120 (const qt_gsi::GenericStaticMetho __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QScrollBar_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2)); } -// void QScrollBar::actionEvent(QActionEvent *) +// void QScrollBar::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1228,11 +1228,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QScrollBar::childEvent(QChildEvent *) +// void QScrollBar::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1252,11 +1252,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QScrollBar::closeEvent(QCloseEvent *) +// void QScrollBar::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1343,11 +1343,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QScrollBar::customEvent(QEvent *) +// void QScrollBar::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1393,7 +1393,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1402,7 +1402,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QScrollBar_Adaptor *)cls)->emitter_QScrollBar_destroyed_1302 (arg1); } @@ -1431,11 +1431,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QScrollBar::dragEnterEvent(QDragEnterEvent *) +// void QScrollBar::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1455,11 +1455,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QScrollBar::dragLeaveEvent(QDragLeaveEvent *) +// void QScrollBar::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1479,11 +1479,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QScrollBar::dragMoveEvent(QDragMoveEvent *) +// void QScrollBar::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1503,11 +1503,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QScrollBar::dropEvent(QDropEvent *) +// void QScrollBar::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1527,11 +1527,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QScrollBar::enterEvent(QEvent *) +// void QScrollBar::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1574,13 +1574,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QScrollBar::eventFilter(QObject *, QEvent *) +// bool QScrollBar::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1600,11 +1600,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QScrollBar::focusInEvent(QFocusEvent *) +// void QScrollBar::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1661,11 +1661,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QScrollBar::focusOutEvent(QFocusEvent *) +// void QScrollBar::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1897,11 +1897,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QScrollBar::keyReleaseEvent(QKeyEvent *) +// void QScrollBar::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1921,11 +1921,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QScrollBar::leaveEvent(QEvent *) +// void QScrollBar::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1987,11 +1987,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QScrollBar::mouseDoubleClickEvent(QMouseEvent *) +// void QScrollBar::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2083,11 +2083,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QScrollBar::moveEvent(QMoveEvent *) +// void QScrollBar::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2273,11 +2273,11 @@ static void _call_fp_repeatAction_c0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QScrollBar::resizeEvent(QResizeEvent *) +// void QScrollBar::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2393,11 +2393,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QScrollBar::showEvent(QShowEvent *) +// void QScrollBar::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2506,11 +2506,11 @@ static void _call_emitter_sliderReleased_0 (const qt_gsi::GenericMethod * /*decl } -// void QScrollBar::tabletEvent(QTabletEvent *) +// void QScrollBar::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2674,45 +2674,45 @@ static gsi::Methods methods_QScrollBar_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QScrollBar::QScrollBar(QWidget *parent)\nThis method creates an object of class QScrollBar.", &_init_ctor_QScrollBar_Adaptor_1315, &_call_ctor_QScrollBar_Adaptor_1315); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QScrollBar::QScrollBar(Qt::Orientation, QWidget *parent)\nThis method creates an object of class QScrollBar.", &_init_ctor_QScrollBar_Adaptor_3120, &_call_ctor_QScrollBar_Adaptor_3120); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QScrollBar::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QScrollBar::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("emit_actionTriggered", "@brief Emitter for signal void QScrollBar::actionTriggered(int action)\nCall this method to emit this signal.", false, &_init_emitter_actionTriggered_767, &_call_emitter_actionTriggered_767); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QScrollBar::changeEvent(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QScrollBar::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QScrollBar::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QScrollBar::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QScrollBar::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QScrollBar::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QScrollBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QScrollBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QScrollBar::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QScrollBar::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QScrollBar::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QScrollBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QScrollBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QScrollBar::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QScrollBar::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QScrollBar::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QScrollBar::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QScrollBar::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QScrollBar::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QScrollBar::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QScrollBar::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QScrollBar::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QScrollBar::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QScrollBar::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QScrollBar::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QScrollBar::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QScrollBar::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QScrollBar::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QScrollBar::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QScrollBar::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QScrollBar::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QScrollBar::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QScrollBar::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QScrollBar::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QScrollBar::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QScrollBar::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); @@ -2731,15 +2731,15 @@ static gsi::Methods methods_QScrollBar_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QScrollBar::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QScrollBar::keyPressEvent(QKeyEvent *ev)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QScrollBar::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QScrollBar::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QScrollBar::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QScrollBar::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QScrollBar::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QScrollBar::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QScrollBar::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QScrollBar::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QScrollBar::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -2747,7 +2747,7 @@ static gsi::Methods methods_QScrollBar_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QScrollBar::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QScrollBar::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QScrollBar::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QScrollBar::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2761,7 +2761,7 @@ static gsi::Methods methods_QScrollBar_Adaptor () { methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QScrollBar::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*repeatAction", "@brief Method QAbstractSlider::SliderAction QScrollBar::repeatAction()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_repeatAction_c0, &_call_fp_repeatAction_c0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QScrollBar::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QScrollBar::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QScrollBar::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QScrollBar::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -2770,7 +2770,7 @@ static gsi::Methods methods_QScrollBar_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QScrollBar::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QScrollBar::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QScrollBar::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QScrollBar::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); @@ -2779,7 +2779,7 @@ static gsi::Methods methods_QScrollBar_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_sliderMoved", "@brief Emitter for signal void QScrollBar::sliderMoved(int position)\nCall this method to emit this signal.", false, &_init_emitter_sliderMoved_767, &_call_emitter_sliderMoved_767); methods += new qt_gsi::GenericMethod ("emit_sliderPressed", "@brief Emitter for signal void QScrollBar::sliderPressed()\nCall this method to emit this signal.", false, &_init_emitter_sliderPressed_0, &_call_emitter_sliderPressed_0); methods += new qt_gsi::GenericMethod ("emit_sliderReleased", "@brief Emitter for signal void QScrollBar::sliderReleased()\nCall this method to emit this signal.", false, &_init_emitter_sliderReleased_0, &_call_emitter_sliderReleased_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QScrollBar::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QScrollBar::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QScrollBar::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQShortcut.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQShortcut.cc index 2bd49888ed..acceb0cfb8 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQShortcut.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQShortcut.cc @@ -423,18 +423,18 @@ class QShortcut_Adaptor : public QShortcut, public qt_gsi::QtObjectBase emit QShortcut::destroyed(arg1); } - // [adaptor impl] bool QShortcut::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QShortcut::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QShortcut::eventFilter(arg1, arg2); + return QShortcut::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QShortcut_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QShortcut_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QShortcut::eventFilter(arg1, arg2); + return QShortcut::eventFilter(watched, event); } } @@ -445,33 +445,33 @@ class QShortcut_Adaptor : public QShortcut, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QShortcut::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QShortcut::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QShortcut::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QShortcut::childEvent(arg1); + QShortcut::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QShortcut_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QShortcut_Adaptor::cbs_childEvent_1701_0, event); } else { - QShortcut::childEvent(arg1); + QShortcut::childEvent(event); } } - // [adaptor impl] void QShortcut::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QShortcut::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QShortcut::customEvent(arg1); + QShortcut::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QShortcut_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QShortcut_Adaptor::cbs_customEvent_1217_0, event); } else { - QShortcut::customEvent(arg1); + QShortcut::customEvent(event); } } @@ -505,18 +505,18 @@ class QShortcut_Adaptor : public QShortcut, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QShortcut::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QShortcut::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QShortcut::timerEvent(arg1); + QShortcut::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QShortcut_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QShortcut_Adaptor::cbs_timerEvent_1730_0, event); } else { - QShortcut::timerEvent(arg1); + QShortcut::timerEvent(event); } } @@ -556,9 +556,9 @@ static void _init_ctor_QShortcut_Adaptor_9211 (qt_gsi::GenericStaticMethod *decl decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("parent"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("member", true, "0"); + static gsi::ArgSpecBase argspec_2 ("member", true, "nullptr"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("ambiguousMember", true, "0"); + static gsi::ArgSpecBase argspec_3 ("ambiguousMember", true, "nullptr"); decl->add_arg (argspec_3); static gsi::ArgSpecBase argspec_4 ("context", true, "Qt::WindowShortcut"); decl->add_arg::target_type & > (argspec_4); @@ -571,8 +571,8 @@ static void _call_ctor_QShortcut_Adaptor_9211 (const qt_gsi::GenericStaticMethod tl::Heap heap; const QKeySequence &arg1 = gsi::arg_reader() (args, heap); QWidget *arg2 = gsi::arg_reader() (args, heap); - const char *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - const char *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + const char *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); const qt_gsi::Converter::target_type & arg5 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::WindowShortcut), heap); ret.write (new QShortcut_Adaptor (arg1, arg2, arg3, arg4, qt_gsi::QtToCppAdaptor(arg5).cref())); } @@ -606,11 +606,11 @@ static void _call_emitter_activatedAmbiguously_0 (const qt_gsi::GenericMethod * } -// void QShortcut::childEvent(QChildEvent *) +// void QShortcut::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -630,11 +630,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QShortcut::customEvent(QEvent *) +// void QShortcut::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -658,7 +658,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -667,7 +667,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QShortcut_Adaptor *)cls)->emitter_QShortcut_destroyed_1302 (arg1); } @@ -719,13 +719,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QShortcut::eventFilter(QObject *, QEvent *) +// bool QShortcut::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -827,11 +827,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QShortcut::timerEvent(QTimerEvent *) +// void QShortcut::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -862,23 +862,23 @@ static gsi::Methods methods_QShortcut_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QShortcut::QShortcut(const QKeySequence &key, QWidget *parent, const char *member, const char *ambiguousMember, Qt::ShortcutContext context)\nThis method creates an object of class QShortcut.", &_init_ctor_QShortcut_Adaptor_9211, &_call_ctor_QShortcut_Adaptor_9211); methods += new qt_gsi::GenericMethod ("emit_activated", "@brief Emitter for signal void QShortcut::activated()\nCall this method to emit this signal.", false, &_init_emitter_activated_0, &_call_emitter_activated_0); methods += new qt_gsi::GenericMethod ("emit_activatedAmbiguously", "@brief Emitter for signal void QShortcut::activatedAmbiguously()\nCall this method to emit this signal.", false, &_init_emitter_activatedAmbiguously_0, &_call_emitter_activatedAmbiguously_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QShortcut::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QShortcut::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QShortcut::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QShortcut::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QShortcut::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QShortcut::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QShortcut::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QShortcut::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QShortcut::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QShortcut::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QShortcut::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QShortcut::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QShortcut::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QShortcut::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QShortcut::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QShortcut::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQSizeGrip.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQSizeGrip.cc index 98baa5a50c..1872bb62c2 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQSizeGrip.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQSizeGrip.cc @@ -413,18 +413,18 @@ class QSizeGrip_Adaptor : public QSizeGrip, public qt_gsi::QtObjectBase emit QSizeGrip::windowTitleChanged(title); } - // [adaptor impl] void QSizeGrip::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QSizeGrip::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QSizeGrip::actionEvent(arg1); + QSizeGrip::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QSizeGrip_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QSizeGrip_Adaptor::cbs_actionEvent_1823_0, event); } else { - QSizeGrip::actionEvent(arg1); + QSizeGrip::actionEvent(event); } } @@ -443,63 +443,63 @@ class QSizeGrip_Adaptor : public QSizeGrip, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSizeGrip::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSizeGrip::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSizeGrip::childEvent(arg1); + QSizeGrip::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSizeGrip_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSizeGrip_Adaptor::cbs_childEvent_1701_0, event); } else { - QSizeGrip::childEvent(arg1); + QSizeGrip::childEvent(event); } } - // [adaptor impl] void QSizeGrip::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QSizeGrip::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QSizeGrip::closeEvent(arg1); + QSizeGrip::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QSizeGrip_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QSizeGrip_Adaptor::cbs_closeEvent_1719_0, event); } else { - QSizeGrip::closeEvent(arg1); + QSizeGrip::closeEvent(event); } } - // [adaptor impl] void QSizeGrip::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QSizeGrip::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QSizeGrip::contextMenuEvent(arg1); + QSizeGrip::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QSizeGrip_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QSizeGrip_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QSizeGrip::contextMenuEvent(arg1); + QSizeGrip::contextMenuEvent(event); } } - // [adaptor impl] void QSizeGrip::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSizeGrip::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSizeGrip::customEvent(arg1); + QSizeGrip::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSizeGrip_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSizeGrip_Adaptor::cbs_customEvent_1217_0, event); } else { - QSizeGrip::customEvent(arg1); + QSizeGrip::customEvent(event); } } @@ -518,78 +518,78 @@ class QSizeGrip_Adaptor : public QSizeGrip, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSizeGrip::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QSizeGrip::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QSizeGrip::dragEnterEvent(arg1); + QSizeGrip::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QSizeGrip_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QSizeGrip_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QSizeGrip::dragEnterEvent(arg1); + QSizeGrip::dragEnterEvent(event); } } - // [adaptor impl] void QSizeGrip::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QSizeGrip::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QSizeGrip::dragLeaveEvent(arg1); + QSizeGrip::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QSizeGrip_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QSizeGrip_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QSizeGrip::dragLeaveEvent(arg1); + QSizeGrip::dragLeaveEvent(event); } } - // [adaptor impl] void QSizeGrip::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QSizeGrip::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QSizeGrip::dragMoveEvent(arg1); + QSizeGrip::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QSizeGrip_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QSizeGrip_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QSizeGrip::dragMoveEvent(arg1); + QSizeGrip::dragMoveEvent(event); } } - // [adaptor impl] void QSizeGrip::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QSizeGrip::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QSizeGrip::dropEvent(arg1); + QSizeGrip::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QSizeGrip_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QSizeGrip_Adaptor::cbs_dropEvent_1622_0, event); } else { - QSizeGrip::dropEvent(arg1); + QSizeGrip::dropEvent(event); } } - // [adaptor impl] void QSizeGrip::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSizeGrip::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QSizeGrip::enterEvent(arg1); + QSizeGrip::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QSizeGrip_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QSizeGrip_Adaptor::cbs_enterEvent_1217_0, event); } else { - QSizeGrip::enterEvent(arg1); + QSizeGrip::enterEvent(event); } } @@ -623,18 +623,18 @@ class QSizeGrip_Adaptor : public QSizeGrip, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSizeGrip::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QSizeGrip::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QSizeGrip::focusInEvent(arg1); + QSizeGrip::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QSizeGrip_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QSizeGrip_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QSizeGrip::focusInEvent(arg1); + QSizeGrip::focusInEvent(event); } } @@ -653,18 +653,18 @@ class QSizeGrip_Adaptor : public QSizeGrip, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSizeGrip::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QSizeGrip::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QSizeGrip::focusOutEvent(arg1); + QSizeGrip::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QSizeGrip_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QSizeGrip_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QSizeGrip::focusOutEvent(arg1); + QSizeGrip::focusOutEvent(event); } } @@ -713,48 +713,48 @@ class QSizeGrip_Adaptor : public QSizeGrip, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSizeGrip::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QSizeGrip::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QSizeGrip::keyPressEvent(arg1); + QSizeGrip::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QSizeGrip_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QSizeGrip_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QSizeGrip::keyPressEvent(arg1); + QSizeGrip::keyPressEvent(event); } } - // [adaptor impl] void QSizeGrip::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QSizeGrip::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QSizeGrip::keyReleaseEvent(arg1); + QSizeGrip::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QSizeGrip_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QSizeGrip_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QSizeGrip::keyReleaseEvent(arg1); + QSizeGrip::keyReleaseEvent(event); } } - // [adaptor impl] void QSizeGrip::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSizeGrip::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QSizeGrip::leaveEvent(arg1); + QSizeGrip::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QSizeGrip_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QSizeGrip_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QSizeGrip::leaveEvent(arg1); + QSizeGrip::leaveEvent(event); } } @@ -773,18 +773,18 @@ class QSizeGrip_Adaptor : public QSizeGrip, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSizeGrip::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QSizeGrip::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QSizeGrip::mouseDoubleClickEvent(arg1); + QSizeGrip::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QSizeGrip_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QSizeGrip_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QSizeGrip::mouseDoubleClickEvent(arg1); + QSizeGrip::mouseDoubleClickEvent(event); } } @@ -893,18 +893,18 @@ class QSizeGrip_Adaptor : public QSizeGrip, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSizeGrip::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QSizeGrip::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QSizeGrip::resizeEvent(arg1); + QSizeGrip::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QSizeGrip_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QSizeGrip_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QSizeGrip::resizeEvent(arg1); + QSizeGrip::resizeEvent(event); } } @@ -938,48 +938,48 @@ class QSizeGrip_Adaptor : public QSizeGrip, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSizeGrip::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QSizeGrip::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QSizeGrip::tabletEvent(arg1); + QSizeGrip::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QSizeGrip_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QSizeGrip_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QSizeGrip::tabletEvent(arg1); + QSizeGrip::tabletEvent(event); } } - // [adaptor impl] void QSizeGrip::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSizeGrip::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSizeGrip::timerEvent(arg1); + QSizeGrip::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSizeGrip_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSizeGrip_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSizeGrip::timerEvent(arg1); + QSizeGrip::timerEvent(event); } } - // [adaptor impl] void QSizeGrip::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QSizeGrip::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QSizeGrip::wheelEvent(arg1); + QSizeGrip::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QSizeGrip_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QSizeGrip_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QSizeGrip::wheelEvent(arg1); + QSizeGrip::wheelEvent(event); } } @@ -1050,11 +1050,11 @@ static void _call_ctor_QSizeGrip_Adaptor_1315 (const qt_gsi::GenericStaticMethod } -// void QSizeGrip::actionEvent(QActionEvent *) +// void QSizeGrip::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1098,11 +1098,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QSizeGrip::childEvent(QChildEvent *) +// void QSizeGrip::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1122,11 +1122,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QSizeGrip::closeEvent(QCloseEvent *) +// void QSizeGrip::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1146,11 +1146,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QSizeGrip::contextMenuEvent(QContextMenuEvent *) +// void QSizeGrip::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1213,11 +1213,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QSizeGrip::customEvent(QEvent *) +// void QSizeGrip::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1263,7 +1263,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1272,7 +1272,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSizeGrip_Adaptor *)cls)->emitter_QSizeGrip_destroyed_1302 (arg1); } @@ -1301,11 +1301,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QSizeGrip::dragEnterEvent(QDragEnterEvent *) +// void QSizeGrip::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1325,11 +1325,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QSizeGrip::dragLeaveEvent(QDragLeaveEvent *) +// void QSizeGrip::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1349,11 +1349,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QSizeGrip::dragMoveEvent(QDragMoveEvent *) +// void QSizeGrip::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1373,11 +1373,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QSizeGrip::dropEvent(QDropEvent *) +// void QSizeGrip::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1397,11 +1397,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QSizeGrip::enterEvent(QEvent *) +// void QSizeGrip::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1470,11 +1470,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QSizeGrip::focusInEvent(QFocusEvent *) +// void QSizeGrip::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1531,11 +1531,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QSizeGrip::focusOutEvent(QFocusEvent *) +// void QSizeGrip::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1724,11 +1724,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QSizeGrip::keyPressEvent(QKeyEvent *) +// void QSizeGrip::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1748,11 +1748,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QSizeGrip::keyReleaseEvent(QKeyEvent *) +// void QSizeGrip::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1772,11 +1772,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QSizeGrip::leaveEvent(QEvent *) +// void QSizeGrip::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1838,11 +1838,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QSizeGrip::mouseDoubleClickEvent(QMouseEvent *) +// void QSizeGrip::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2089,11 +2089,11 @@ static void _set_callback_cbs_redirected_c1225_0 (void *cls, const gsi::Callback } -// void QSizeGrip::resizeEvent(QResizeEvent *) +// void QSizeGrip::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2227,11 +2227,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QSizeGrip::tabletEvent(QTabletEvent *) +// void QSizeGrip::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2251,11 +2251,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QSizeGrip::timerEvent(QTimerEvent *) +// void QSizeGrip::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2290,11 +2290,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QSizeGrip::wheelEvent(QWheelEvent *) +// void QSizeGrip::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2376,44 +2376,44 @@ gsi::Class &qtdecl_QSizeGrip (); static gsi::Methods methods_QSizeGrip_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSizeGrip::QSizeGrip(QWidget *parent)\nThis method creates an object of class QSizeGrip.", &_init_ctor_QSizeGrip_Adaptor_1315, &_call_ctor_QSizeGrip_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QSizeGrip::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QSizeGrip::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QSizeGrip::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSizeGrip::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSizeGrip::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QSizeGrip::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QSizeGrip::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QSizeGrip::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QSizeGrip::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QSizeGrip::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QSizeGrip::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QSizeGrip::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSizeGrip::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSizeGrip::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QSizeGrip::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QSizeGrip::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSizeGrip::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSizeGrip::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QSizeGrip::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QSizeGrip::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QSizeGrip::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QSizeGrip::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QSizeGrip::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QSizeGrip::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QSizeGrip::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QSizeGrip::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QSizeGrip::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QSizeGrip::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QSizeGrip::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QSizeGrip::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QSizeGrip::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QSizeGrip::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QSizeGrip::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QSizeGrip::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QSizeGrip::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QSizeGrip::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QSizeGrip::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QSizeGrip::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); @@ -2429,17 +2429,17 @@ static gsi::Methods methods_QSizeGrip_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QSizeGrip::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSizeGrip::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QSizeGrip::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QSizeGrip::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QSizeGrip::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QSizeGrip::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QSizeGrip::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QSizeGrip::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QSizeGrip::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QSizeGrip::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QSizeGrip::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QSizeGrip::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QSizeGrip::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -2459,7 +2459,7 @@ static gsi::Methods methods_QSizeGrip_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QSizeGrip::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QSizeGrip::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QSizeGrip::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QSizeGrip::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QSizeGrip::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QSizeGrip::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -2471,12 +2471,12 @@ static gsi::Methods methods_QSizeGrip_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QSizeGrip::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QSizeGrip::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QSizeGrip::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSizeGrip::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSizeGrip::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QSizeGrip::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QSizeGrip::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QSizeGrip::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QSizeGrip::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QSizeGrip::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQSizePolicy.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQSizePolicy.cc index a3a830a3d8..ea6c144b6b 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQSizePolicy.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQSizePolicy.cc @@ -394,6 +394,21 @@ static void _call_f_transpose_0 (const qt_gsi::GenericMethod * /*decl*/, void *c } +// QSizePolicy QSizePolicy::transposed() + + +static void _init_f_transposed_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_transposed_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((QSizePolicy)((QSizePolicy *)cls)->transposed ()); +} + + // QSizePolicy::Policy QSizePolicy::verticalPolicy() @@ -450,6 +465,7 @@ static gsi::Methods methods_QSizePolicy () { methods += new qt_gsi::GenericMethod ("setVerticalStretch|verticalStretch=", "@brief Method void QSizePolicy::setVerticalStretch(int stretchFactor)\n", false, &_init_f_setVerticalStretch_767, &_call_f_setVerticalStretch_767); methods += new qt_gsi::GenericMethod ("setWidthForHeight|widthForHeight=", "@brief Method void QSizePolicy::setWidthForHeight(bool b)\n", false, &_init_f_setWidthForHeight_864, &_call_f_setWidthForHeight_864); methods += new qt_gsi::GenericMethod ("transpose", "@brief Method void QSizePolicy::transpose()\n", false, &_init_f_transpose_0, &_call_f_transpose_0); + methods += new qt_gsi::GenericMethod ("transposed", "@brief Method QSizePolicy QSizePolicy::transposed()\n", true, &_init_f_transposed_c0, &_call_f_transposed_c0); methods += new qt_gsi::GenericMethod (":verticalPolicy", "@brief Method QSizePolicy::Policy QSizePolicy::verticalPolicy()\n", true, &_init_f_verticalPolicy_c0, &_call_f_verticalPolicy_c0); methods += new qt_gsi::GenericMethod (":verticalStretch", "@brief Method int QSizePolicy::verticalStretch()\n", true, &_init_f_verticalStretch_c0, &_call_f_verticalStretch_c0); return methods; diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQSlider.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQSlider.cc index 3241fcf8bb..2e6a97c12e 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQSlider.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQSlider.cc @@ -433,18 +433,18 @@ class QSlider_Adaptor : public QSlider, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QSlider::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSlider::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSlider::eventFilter(arg1, arg2); + return QSlider::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSlider_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSlider_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSlider::eventFilter(arg1, arg2); + return QSlider::eventFilter(watched, event); } } @@ -608,18 +608,18 @@ class QSlider_Adaptor : public QSlider, public qt_gsi::QtObjectBase emit QSlider::windowTitleChanged(title); } - // [adaptor impl] void QSlider::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QSlider::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QSlider::actionEvent(arg1); + QSlider::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QSlider_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QSlider_Adaptor::cbs_actionEvent_1823_0, event); } else { - QSlider::actionEvent(arg1); + QSlider::actionEvent(event); } } @@ -638,63 +638,63 @@ class QSlider_Adaptor : public QSlider, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSlider::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSlider::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSlider::childEvent(arg1); + QSlider::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSlider_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSlider_Adaptor::cbs_childEvent_1701_0, event); } else { - QSlider::childEvent(arg1); + QSlider::childEvent(event); } } - // [adaptor impl] void QSlider::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QSlider::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QSlider::closeEvent(arg1); + QSlider::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QSlider_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QSlider_Adaptor::cbs_closeEvent_1719_0, event); } else { - QSlider::closeEvent(arg1); + QSlider::closeEvent(event); } } - // [adaptor impl] void QSlider::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QSlider::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QSlider::contextMenuEvent(arg1); + QSlider::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QSlider_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QSlider_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QSlider::contextMenuEvent(arg1); + QSlider::contextMenuEvent(event); } } - // [adaptor impl] void QSlider::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSlider::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSlider::customEvent(arg1); + QSlider::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSlider_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSlider_Adaptor::cbs_customEvent_1217_0, event); } else { - QSlider::customEvent(arg1); + QSlider::customEvent(event); } } @@ -713,93 +713,93 @@ class QSlider_Adaptor : public QSlider, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSlider::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QSlider::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QSlider::dragEnterEvent(arg1); + QSlider::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QSlider_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QSlider_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QSlider::dragEnterEvent(arg1); + QSlider::dragEnterEvent(event); } } - // [adaptor impl] void QSlider::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QSlider::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QSlider::dragLeaveEvent(arg1); + QSlider::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QSlider_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QSlider_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QSlider::dragLeaveEvent(arg1); + QSlider::dragLeaveEvent(event); } } - // [adaptor impl] void QSlider::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QSlider::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QSlider::dragMoveEvent(arg1); + QSlider::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QSlider_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QSlider_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QSlider::dragMoveEvent(arg1); + QSlider::dragMoveEvent(event); } } - // [adaptor impl] void QSlider::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QSlider::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QSlider::dropEvent(arg1); + QSlider::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QSlider_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QSlider_Adaptor::cbs_dropEvent_1622_0, event); } else { - QSlider::dropEvent(arg1); + QSlider::dropEvent(event); } } - // [adaptor impl] void QSlider::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSlider::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QSlider::enterEvent(arg1); + QSlider::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QSlider_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QSlider_Adaptor::cbs_enterEvent_1217_0, event); } else { - QSlider::enterEvent(arg1); + QSlider::enterEvent(event); } } - // [adaptor impl] void QSlider::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QSlider::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QSlider::focusInEvent(arg1); + QSlider::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QSlider_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QSlider_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QSlider::focusInEvent(arg1); + QSlider::focusInEvent(event); } } @@ -818,33 +818,33 @@ class QSlider_Adaptor : public QSlider, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSlider::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QSlider::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QSlider::focusOutEvent(arg1); + QSlider::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QSlider_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QSlider_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QSlider::focusOutEvent(arg1); + QSlider::focusOutEvent(event); } } - // [adaptor impl] void QSlider::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QSlider::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QSlider::hideEvent(arg1); + QSlider::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QSlider_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QSlider_Adaptor::cbs_hideEvent_1595_0, event); } else { - QSlider::hideEvent(arg1); + QSlider::hideEvent(event); } } @@ -893,33 +893,33 @@ class QSlider_Adaptor : public QSlider, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSlider::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QSlider::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QSlider::keyReleaseEvent(arg1); + QSlider::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QSlider_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QSlider_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QSlider::keyReleaseEvent(arg1); + QSlider::keyReleaseEvent(event); } } - // [adaptor impl] void QSlider::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSlider::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QSlider::leaveEvent(arg1); + QSlider::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QSlider_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QSlider_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QSlider::leaveEvent(arg1); + QSlider::leaveEvent(event); } } @@ -938,18 +938,18 @@ class QSlider_Adaptor : public QSlider, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSlider::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QSlider::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QSlider::mouseDoubleClickEvent(arg1); + QSlider::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QSlider_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QSlider_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QSlider::mouseDoubleClickEvent(arg1); + QSlider::mouseDoubleClickEvent(event); } } @@ -998,18 +998,18 @@ class QSlider_Adaptor : public QSlider, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSlider::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QSlider::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QSlider::moveEvent(arg1); + QSlider::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QSlider_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QSlider_Adaptor::cbs_moveEvent_1624_0, event); } else { - QSlider::moveEvent(arg1); + QSlider::moveEvent(event); } } @@ -1058,18 +1058,18 @@ class QSlider_Adaptor : public QSlider, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSlider::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QSlider::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QSlider::resizeEvent(arg1); + QSlider::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QSlider_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QSlider_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QSlider::resizeEvent(arg1); + QSlider::resizeEvent(event); } } @@ -1088,18 +1088,18 @@ class QSlider_Adaptor : public QSlider, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSlider::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QSlider::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QSlider::showEvent(arg1); + QSlider::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QSlider_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QSlider_Adaptor::cbs_showEvent_1634_0, event); } else { - QSlider::showEvent(arg1); + QSlider::showEvent(event); } } @@ -1118,18 +1118,18 @@ class QSlider_Adaptor : public QSlider, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSlider::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QSlider::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QSlider::tabletEvent(arg1); + QSlider::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QSlider_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QSlider_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QSlider::tabletEvent(arg1); + QSlider::tabletEvent(event); } } @@ -1217,7 +1217,7 @@ QSlider_Adaptor::~QSlider_Adaptor() { } static void _init_ctor_QSlider_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1226,7 +1226,7 @@ static void _call_ctor_QSlider_Adaptor_1315 (const qt_gsi::GenericStaticMethod * { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSlider_Adaptor (arg1)); } @@ -1237,7 +1237,7 @@ static void _init_ctor_QSlider_Adaptor_3120 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("orientation"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1247,16 +1247,16 @@ static void _call_ctor_QSlider_Adaptor_3120 (const qt_gsi::GenericStaticMethod * __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSlider_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2)); } -// void QSlider::actionEvent(QActionEvent *) +// void QSlider::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1318,11 +1318,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QSlider::childEvent(QChildEvent *) +// void QSlider::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1342,11 +1342,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QSlider::closeEvent(QCloseEvent *) +// void QSlider::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1366,11 +1366,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QSlider::contextMenuEvent(QContextMenuEvent *) +// void QSlider::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1433,11 +1433,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QSlider::customEvent(QEvent *) +// void QSlider::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1483,7 +1483,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1492,7 +1492,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSlider_Adaptor *)cls)->emitter_QSlider_destroyed_1302 (arg1); } @@ -1521,11 +1521,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QSlider::dragEnterEvent(QDragEnterEvent *) +// void QSlider::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1545,11 +1545,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QSlider::dragLeaveEvent(QDragLeaveEvent *) +// void QSlider::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1569,11 +1569,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QSlider::dragMoveEvent(QDragMoveEvent *) +// void QSlider::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1593,11 +1593,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QSlider::dropEvent(QDropEvent *) +// void QSlider::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1617,11 +1617,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QSlider::enterEvent(QEvent *) +// void QSlider::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1664,13 +1664,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSlider::eventFilter(QObject *, QEvent *) +// bool QSlider::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1690,11 +1690,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QSlider::focusInEvent(QFocusEvent *) +// void QSlider::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1751,11 +1751,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QSlider::focusOutEvent(QFocusEvent *) +// void QSlider::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1831,11 +1831,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QSlider::hideEvent(QHideEvent *) +// void QSlider::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1987,11 +1987,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QSlider::keyReleaseEvent(QKeyEvent *) +// void QSlider::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2011,11 +2011,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QSlider::leaveEvent(QEvent *) +// void QSlider::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2077,11 +2077,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QSlider::mouseDoubleClickEvent(QMouseEvent *) +// void QSlider::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2173,11 +2173,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QSlider::moveEvent(QMoveEvent *) +// void QSlider::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2363,11 +2363,11 @@ static void _call_fp_repeatAction_c0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QSlider::resizeEvent(QResizeEvent *) +// void QSlider::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2483,11 +2483,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QSlider::showEvent(QShowEvent *) +// void QSlider::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2596,11 +2596,11 @@ static void _call_emitter_sliderReleased_0 (const qt_gsi::GenericMethod * /*decl } -// void QSlider::tabletEvent(QTabletEvent *) +// void QSlider::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2764,52 +2764,52 @@ static gsi::Methods methods_QSlider_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSlider::QSlider(QWidget *parent)\nThis method creates an object of class QSlider.", &_init_ctor_QSlider_Adaptor_1315, &_call_ctor_QSlider_Adaptor_1315); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSlider::QSlider(Qt::Orientation orientation, QWidget *parent)\nThis method creates an object of class QSlider.", &_init_ctor_QSlider_Adaptor_3120, &_call_ctor_QSlider_Adaptor_3120); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QSlider::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QSlider::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("emit_actionTriggered", "@brief Emitter for signal void QSlider::actionTriggered(int action)\nCall this method to emit this signal.", false, &_init_emitter_actionTriggered_767, &_call_emitter_actionTriggered_767); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QSlider::changeEvent(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSlider::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSlider::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QSlider::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QSlider::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QSlider::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QSlider::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QSlider::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QSlider::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QSlider::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSlider::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSlider::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QSlider::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QSlider::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSlider::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSlider::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QSlider::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QSlider::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QSlider::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QSlider::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QSlider::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QSlider::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QSlider::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QSlider::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QSlider::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QSlider::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSlider::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSlider::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSlider::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QSlider::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QSlider::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QSlider::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QSlider::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QSlider::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QSlider::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QSlider::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QSlider::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QSlider::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QSlider::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QSlider::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QSlider::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2821,15 +2821,15 @@ static gsi::Methods methods_QSlider_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSlider::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QSlider::keyPressEvent(QKeyEvent *ev)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QSlider::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QSlider::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QSlider::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QSlider::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QSlider::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QSlider::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QSlider::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QSlider::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QSlider::mouseMoveEvent(QMouseEvent *ev)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -2837,7 +2837,7 @@ static gsi::Methods methods_QSlider_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QSlider::mouseReleaseEvent(QMouseEvent *ev)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QSlider::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QSlider::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QSlider::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2851,7 +2851,7 @@ static gsi::Methods methods_QSlider_Adaptor () { methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QSlider::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*repeatAction", "@brief Method QAbstractSlider::SliderAction QSlider::repeatAction()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_repeatAction_c0, &_call_fp_repeatAction_c0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QSlider::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QSlider::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QSlider::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QSlider::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -2860,7 +2860,7 @@ static gsi::Methods methods_QSlider_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QSlider::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QSlider::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QSlider::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QSlider::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); @@ -2869,7 +2869,7 @@ static gsi::Methods methods_QSlider_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_sliderMoved", "@brief Emitter for signal void QSlider::sliderMoved(int position)\nCall this method to emit this signal.", false, &_init_emitter_sliderMoved_767, &_call_emitter_sliderMoved_767); methods += new qt_gsi::GenericMethod ("emit_sliderPressed", "@brief Emitter for signal void QSlider::sliderPressed()\nCall this method to emit this signal.", false, &_init_emitter_sliderPressed_0, &_call_emitter_sliderPressed_0); methods += new qt_gsi::GenericMethod ("emit_sliderReleased", "@brief Emitter for signal void QSlider::sliderReleased()\nCall this method to emit this signal.", false, &_init_emitter_sliderReleased_0, &_call_emitter_sliderReleased_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QSlider::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QSlider::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSlider::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQSpinBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQSpinBox.cc index 9bb0696a1d..2a13ee85eb 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQSpinBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQSpinBox.cc @@ -299,6 +299,26 @@ static void _call_f_setSingleStep_767 (const qt_gsi::GenericMethod * /*decl*/, v } +// void QSpinBox::setStepType(QAbstractSpinBox::StepType stepType) + + +static void _init_f_setStepType_2990 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("stepType"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_f_setStepType_2990 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QSpinBox *)cls)->setStepType (qt_gsi::QtToCppAdaptor(arg1).cref()); +} + + // void QSpinBox::setSuffix(const QString &suffix) @@ -354,6 +374,21 @@ static void _call_f_singleStep_c0 (const qt_gsi::GenericMethod * /*decl*/, void } +// QAbstractSpinBox::StepType QSpinBox::stepType() + + +static void _init_f_stepType_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return::target_type > (); +} + +static void _call_f_stepType_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QSpinBox *)cls)->stepType ())); +} + + // QString QSpinBox::suffix() @@ -451,9 +486,11 @@ static gsi::Methods methods_QSpinBox () { methods += new qt_gsi::GenericMethod ("setPrefix|prefix=", "@brief Method void QSpinBox::setPrefix(const QString &prefix)\n", false, &_init_f_setPrefix_2025, &_call_f_setPrefix_2025); methods += new qt_gsi::GenericMethod ("setRange", "@brief Method void QSpinBox::setRange(int min, int max)\n", false, &_init_f_setRange_1426, &_call_f_setRange_1426); methods += new qt_gsi::GenericMethod ("setSingleStep|singleStep=", "@brief Method void QSpinBox::setSingleStep(int val)\n", false, &_init_f_setSingleStep_767, &_call_f_setSingleStep_767); + methods += new qt_gsi::GenericMethod ("setStepType", "@brief Method void QSpinBox::setStepType(QAbstractSpinBox::StepType stepType)\n", false, &_init_f_setStepType_2990, &_call_f_setStepType_2990); methods += new qt_gsi::GenericMethod ("setSuffix|suffix=", "@brief Method void QSpinBox::setSuffix(const QString &suffix)\n", false, &_init_f_setSuffix_2025, &_call_f_setSuffix_2025); methods += new qt_gsi::GenericMethod ("setValue|value=", "@brief Method void QSpinBox::setValue(int val)\n", false, &_init_f_setValue_767, &_call_f_setValue_767); methods += new qt_gsi::GenericMethod (":singleStep", "@brief Method int QSpinBox::singleStep()\n", true, &_init_f_singleStep_c0, &_call_f_singleStep_c0); + methods += new qt_gsi::GenericMethod ("stepType", "@brief Method QAbstractSpinBox::StepType QSpinBox::stepType()\n", true, &_init_f_stepType_c0, &_call_f_stepType_c0); methods += new qt_gsi::GenericMethod (":suffix", "@brief Method QString QSpinBox::suffix()\n", true, &_init_f_suffix_c0, &_call_f_suffix_c0); methods += new qt_gsi::GenericMethod (":value", "@brief Method int QSpinBox::value()\n", true, &_init_f_value_c0, &_call_f_value_c0); methods += gsi::qt_signal ("customContextMenuRequested(const QPoint &)", "customContextMenuRequested", gsi::arg("pos"), "@brief Signal declaration for QSpinBox::customContextMenuRequested(const QPoint &pos)\nYou can bind a procedure to this signal."); @@ -592,18 +629,18 @@ class QSpinBox_Adaptor : public QSpinBox, public qt_gsi::QtObjectBase emit QSpinBox::editingFinished(); } - // [adaptor impl] bool QSpinBox::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSpinBox::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSpinBox::eventFilter(arg1, arg2); + return QSpinBox::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSpinBox_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSpinBox_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSpinBox::eventFilter(arg1, arg2); + return QSpinBox::eventFilter(watched, event); } } @@ -764,18 +801,18 @@ class QSpinBox_Adaptor : public QSpinBox, public qt_gsi::QtObjectBase emit QSpinBox::windowTitleChanged(title); } - // [adaptor impl] void QSpinBox::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QSpinBox::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QSpinBox::actionEvent(arg1); + QSpinBox::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QSpinBox_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QSpinBox_Adaptor::cbs_actionEvent_1823_0, event); } else { - QSpinBox::actionEvent(arg1); + QSpinBox::actionEvent(event); } } @@ -794,18 +831,18 @@ class QSpinBox_Adaptor : public QSpinBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSpinBox::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSpinBox::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSpinBox::childEvent(arg1); + QSpinBox::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSpinBox_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSpinBox_Adaptor::cbs_childEvent_1701_0, event); } else { - QSpinBox::childEvent(arg1); + QSpinBox::childEvent(event); } } @@ -839,18 +876,18 @@ class QSpinBox_Adaptor : public QSpinBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSpinBox::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSpinBox::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSpinBox::customEvent(arg1); + QSpinBox::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSpinBox_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSpinBox_Adaptor::cbs_customEvent_1217_0, event); } else { - QSpinBox::customEvent(arg1); + QSpinBox::customEvent(event); } } @@ -869,78 +906,78 @@ class QSpinBox_Adaptor : public QSpinBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSpinBox::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QSpinBox::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QSpinBox::dragEnterEvent(arg1); + QSpinBox::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QSpinBox_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QSpinBox_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QSpinBox::dragEnterEvent(arg1); + QSpinBox::dragEnterEvent(event); } } - // [adaptor impl] void QSpinBox::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QSpinBox::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QSpinBox::dragLeaveEvent(arg1); + QSpinBox::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QSpinBox_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QSpinBox_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QSpinBox::dragLeaveEvent(arg1); + QSpinBox::dragLeaveEvent(event); } } - // [adaptor impl] void QSpinBox::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QSpinBox::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QSpinBox::dragMoveEvent(arg1); + QSpinBox::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QSpinBox_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QSpinBox_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QSpinBox::dragMoveEvent(arg1); + QSpinBox::dragMoveEvent(event); } } - // [adaptor impl] void QSpinBox::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QSpinBox::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QSpinBox::dropEvent(arg1); + QSpinBox::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QSpinBox_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QSpinBox_Adaptor::cbs_dropEvent_1622_0, event); } else { - QSpinBox::dropEvent(arg1); + QSpinBox::dropEvent(event); } } - // [adaptor impl] void QSpinBox::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSpinBox::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QSpinBox::enterEvent(arg1); + QSpinBox::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QSpinBox_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QSpinBox_Adaptor::cbs_enterEvent_1217_0, event); } else { - QSpinBox::enterEvent(arg1); + QSpinBox::enterEvent(event); } } @@ -1094,18 +1131,18 @@ class QSpinBox_Adaptor : public QSpinBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSpinBox::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSpinBox::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QSpinBox::leaveEvent(arg1); + QSpinBox::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QSpinBox_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QSpinBox_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QSpinBox::leaveEvent(arg1); + QSpinBox::leaveEvent(event); } } @@ -1124,18 +1161,18 @@ class QSpinBox_Adaptor : public QSpinBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSpinBox::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QSpinBox::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QSpinBox::mouseDoubleClickEvent(arg1); + QSpinBox::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QSpinBox_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QSpinBox_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QSpinBox::mouseDoubleClickEvent(arg1); + QSpinBox::mouseDoubleClickEvent(event); } } @@ -1184,18 +1221,18 @@ class QSpinBox_Adaptor : public QSpinBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSpinBox::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QSpinBox::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QSpinBox::moveEvent(arg1); + QSpinBox::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QSpinBox_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QSpinBox_Adaptor::cbs_moveEvent_1624_0, event); } else { - QSpinBox::moveEvent(arg1); + QSpinBox::moveEvent(event); } } @@ -1304,18 +1341,18 @@ class QSpinBox_Adaptor : public QSpinBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSpinBox::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QSpinBox::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QSpinBox::tabletEvent(arg1); + QSpinBox::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QSpinBox_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QSpinBox_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QSpinBox::tabletEvent(arg1); + QSpinBox::tabletEvent(event); } } @@ -1454,7 +1491,7 @@ QSpinBox_Adaptor::~QSpinBox_Adaptor() { } static void _init_ctor_QSpinBox_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1463,16 +1500,16 @@ static void _call_ctor_QSpinBox_Adaptor_1315 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSpinBox_Adaptor (arg1)); } -// void QSpinBox::actionEvent(QActionEvent *) +// void QSpinBox::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1516,11 +1553,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QSpinBox::childEvent(QChildEvent *) +// void QSpinBox::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1651,11 +1688,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QSpinBox::customEvent(QEvent *) +// void QSpinBox::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1701,7 +1738,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1710,7 +1747,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSpinBox_Adaptor *)cls)->emitter_QSpinBox_destroyed_1302 (arg1); } @@ -1739,11 +1776,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QSpinBox::dragEnterEvent(QDragEnterEvent *) +// void QSpinBox::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1763,11 +1800,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QSpinBox::dragLeaveEvent(QDragLeaveEvent *) +// void QSpinBox::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1787,11 +1824,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QSpinBox::dragMoveEvent(QDragMoveEvent *) +// void QSpinBox::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1811,11 +1848,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QSpinBox::dropEvent(QDropEvent *) +// void QSpinBox::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1849,11 +1886,11 @@ static void _call_emitter_editingFinished_0 (const qt_gsi::GenericMethod * /*dec } -// void QSpinBox::enterEvent(QEvent *) +// void QSpinBox::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1896,13 +1933,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSpinBox::eventFilter(QObject *, QEvent *) +// bool QSpinBox::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2267,11 +2304,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QSpinBox::leaveEvent(QEvent *) +// void QSpinBox::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2347,11 +2384,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QSpinBox::mouseDoubleClickEvent(QMouseEvent *) +// void QSpinBox::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2443,11 +2480,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QSpinBox::moveEvent(QMoveEvent *) +// void QSpinBox::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2798,11 +2835,11 @@ static void _set_callback_cbs_stepEnabled_c0_0 (void *cls, const gsi::Callback & } -// void QSpinBox::tabletEvent(QTabletEvent *) +// void QSpinBox::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3055,11 +3092,11 @@ gsi::Class &qtdecl_QSpinBox (); static gsi::Methods methods_QSpinBox_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSpinBox::QSpinBox(QWidget *parent)\nThis method creates an object of class QSpinBox.", &_init_ctor_QSpinBox_Adaptor_1315, &_call_ctor_QSpinBox_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QSpinBox::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QSpinBox::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QSpinBox::changeEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSpinBox::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSpinBox::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("clear", "@brief Virtual method void QSpinBox::clear()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0); methods += new qt_gsi::GenericMethod ("clear", "@hide", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0, &_set_callback_cbs_clear_0_0); @@ -3067,28 +3104,28 @@ static gsi::Methods methods_QSpinBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QSpinBox::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QSpinBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QSpinBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QSpinBox::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSpinBox::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSpinBox::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QSpinBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QSpinBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSpinBox::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSpinBox::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QSpinBox::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QSpinBox::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QSpinBox::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QSpinBox::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QSpinBox::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QSpinBox::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QSpinBox::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QSpinBox::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("emit_editingFinished", "@brief Emitter for signal void QSpinBox::editingFinished()\nCall this method to emit this signal.", false, &_init_emitter_editingFinished_0, &_call_emitter_editingFinished_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QSpinBox::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QSpinBox::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QSpinBox::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSpinBox::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSpinBox::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*fixup", "@brief Virtual method void QSpinBox::fixup(QString &str)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0); methods += new qt_gsi::GenericMethod ("*fixup", "@hide", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0, &_set_callback_cbs_fixup_c1330_0); @@ -3118,14 +3155,14 @@ static gsi::Methods methods_QSpinBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QSpinBox::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QSpinBox::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QSpinBox::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*lineEdit", "@brief Method QLineEdit *QSpinBox::lineEdit()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_lineEdit_c0, &_call_fp_lineEdit_c0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QSpinBox::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QSpinBox::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QSpinBox::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QSpinBox::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QSpinBox::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -3133,7 +3170,7 @@ static gsi::Methods methods_QSpinBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QSpinBox::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QSpinBox::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QSpinBox::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QSpinBox::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3162,7 +3199,7 @@ static gsi::Methods methods_QSpinBox_Adaptor () { methods += new qt_gsi::GenericMethod ("stepBy", "@hide", false, &_init_cbs_stepBy_767_0, &_call_cbs_stepBy_767_0, &_set_callback_cbs_stepBy_767_0); methods += new qt_gsi::GenericMethod ("*stepEnabled", "@brief Virtual method QFlags QSpinBox::stepEnabled()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_stepEnabled_c0_0, &_call_cbs_stepEnabled_c0_0); methods += new qt_gsi::GenericMethod ("*stepEnabled", "@hide", true, &_init_cbs_stepEnabled_c0_0, &_call_cbs_stepEnabled_c0_0, &_set_callback_cbs_stepEnabled_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QSpinBox::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QSpinBox::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*textFromValue", "@brief Virtual method QString QSpinBox::textFromValue(int val)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_textFromValue_c767_0, &_call_cbs_textFromValue_c767_0); methods += new qt_gsi::GenericMethod ("*textFromValue", "@hide", true, &_init_cbs_textFromValue_c767_0, &_call_cbs_textFromValue_c767_0, &_set_callback_cbs_textFromValue_c767_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQSplashScreen.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQSplashScreen.cc index 4ddf2ddc65..c292c904fd 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQSplashScreen.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQSplashScreen.cc @@ -413,18 +413,18 @@ class QSplashScreen_Adaptor : public QSplashScreen, public qt_gsi::QtObjectBase emit QSplashScreen::destroyed(arg1); } - // [adaptor impl] bool QSplashScreen::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSplashScreen::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSplashScreen::eventFilter(arg1, arg2); + return QSplashScreen::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSplashScreen_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSplashScreen_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSplashScreen::eventFilter(arg1, arg2); + return QSplashScreen::eventFilter(watched, event); } } @@ -564,18 +564,18 @@ class QSplashScreen_Adaptor : public QSplashScreen, public qt_gsi::QtObjectBase emit QSplashScreen::windowTitleChanged(title); } - // [adaptor impl] void QSplashScreen::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QSplashScreen::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QSplashScreen::actionEvent(arg1); + QSplashScreen::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QSplashScreen_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QSplashScreen_Adaptor::cbs_actionEvent_1823_0, event); } else { - QSplashScreen::actionEvent(arg1); + QSplashScreen::actionEvent(event); } } @@ -594,63 +594,63 @@ class QSplashScreen_Adaptor : public QSplashScreen, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSplashScreen::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSplashScreen::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSplashScreen::childEvent(arg1); + QSplashScreen::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSplashScreen_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSplashScreen_Adaptor::cbs_childEvent_1701_0, event); } else { - QSplashScreen::childEvent(arg1); + QSplashScreen::childEvent(event); } } - // [adaptor impl] void QSplashScreen::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QSplashScreen::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QSplashScreen::closeEvent(arg1); + QSplashScreen::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QSplashScreen_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QSplashScreen_Adaptor::cbs_closeEvent_1719_0, event); } else { - QSplashScreen::closeEvent(arg1); + QSplashScreen::closeEvent(event); } } - // [adaptor impl] void QSplashScreen::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QSplashScreen::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QSplashScreen::contextMenuEvent(arg1); + QSplashScreen::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QSplashScreen_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QSplashScreen_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QSplashScreen::contextMenuEvent(arg1); + QSplashScreen::contextMenuEvent(event); } } - // [adaptor impl] void QSplashScreen::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSplashScreen::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSplashScreen::customEvent(arg1); + QSplashScreen::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSplashScreen_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSplashScreen_Adaptor::cbs_customEvent_1217_0, event); } else { - QSplashScreen::customEvent(arg1); + QSplashScreen::customEvent(event); } } @@ -669,48 +669,48 @@ class QSplashScreen_Adaptor : public QSplashScreen, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSplashScreen::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QSplashScreen::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QSplashScreen::dragEnterEvent(arg1); + QSplashScreen::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QSplashScreen_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QSplashScreen_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QSplashScreen::dragEnterEvent(arg1); + QSplashScreen::dragEnterEvent(event); } } - // [adaptor impl] void QSplashScreen::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QSplashScreen::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QSplashScreen::dragLeaveEvent(arg1); + QSplashScreen::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QSplashScreen_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QSplashScreen_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QSplashScreen::dragLeaveEvent(arg1); + QSplashScreen::dragLeaveEvent(event); } } - // [adaptor impl] void QSplashScreen::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QSplashScreen::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QSplashScreen::dragMoveEvent(arg1); + QSplashScreen::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QSplashScreen_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QSplashScreen_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QSplashScreen::dragMoveEvent(arg1); + QSplashScreen::dragMoveEvent(event); } } @@ -729,33 +729,33 @@ class QSplashScreen_Adaptor : public QSplashScreen, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSplashScreen::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QSplashScreen::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QSplashScreen::dropEvent(arg1); + QSplashScreen::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QSplashScreen_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QSplashScreen_Adaptor::cbs_dropEvent_1622_0, event); } else { - QSplashScreen::dropEvent(arg1); + QSplashScreen::dropEvent(event); } } - // [adaptor impl] void QSplashScreen::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSplashScreen::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QSplashScreen::enterEvent(arg1); + QSplashScreen::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QSplashScreen_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QSplashScreen_Adaptor::cbs_enterEvent_1217_0, event); } else { - QSplashScreen::enterEvent(arg1); + QSplashScreen::enterEvent(event); } } @@ -774,18 +774,18 @@ class QSplashScreen_Adaptor : public QSplashScreen, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSplashScreen::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QSplashScreen::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QSplashScreen::focusInEvent(arg1); + QSplashScreen::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QSplashScreen_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QSplashScreen_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QSplashScreen::focusInEvent(arg1); + QSplashScreen::focusInEvent(event); } } @@ -804,33 +804,33 @@ class QSplashScreen_Adaptor : public QSplashScreen, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSplashScreen::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QSplashScreen::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QSplashScreen::focusOutEvent(arg1); + QSplashScreen::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QSplashScreen_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QSplashScreen_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QSplashScreen::focusOutEvent(arg1); + QSplashScreen::focusOutEvent(event); } } - // [adaptor impl] void QSplashScreen::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QSplashScreen::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QSplashScreen::hideEvent(arg1); + QSplashScreen::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QSplashScreen_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QSplashScreen_Adaptor::cbs_hideEvent_1595_0, event); } else { - QSplashScreen::hideEvent(arg1); + QSplashScreen::hideEvent(event); } } @@ -864,48 +864,48 @@ class QSplashScreen_Adaptor : public QSplashScreen, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSplashScreen::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QSplashScreen::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QSplashScreen::keyPressEvent(arg1); + QSplashScreen::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QSplashScreen_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QSplashScreen_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QSplashScreen::keyPressEvent(arg1); + QSplashScreen::keyPressEvent(event); } } - // [adaptor impl] void QSplashScreen::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QSplashScreen::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QSplashScreen::keyReleaseEvent(arg1); + QSplashScreen::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QSplashScreen_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QSplashScreen_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QSplashScreen::keyReleaseEvent(arg1); + QSplashScreen::keyReleaseEvent(event); } } - // [adaptor impl] void QSplashScreen::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSplashScreen::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QSplashScreen::leaveEvent(arg1); + QSplashScreen::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QSplashScreen_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QSplashScreen_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QSplashScreen::leaveEvent(arg1); + QSplashScreen::leaveEvent(event); } } @@ -924,33 +924,33 @@ class QSplashScreen_Adaptor : public QSplashScreen, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSplashScreen::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QSplashScreen::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QSplashScreen::mouseDoubleClickEvent(arg1); + QSplashScreen::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QSplashScreen_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QSplashScreen_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QSplashScreen::mouseDoubleClickEvent(arg1); + QSplashScreen::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QSplashScreen::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QSplashScreen::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QSplashScreen::mouseMoveEvent(arg1); + QSplashScreen::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QSplashScreen_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QSplashScreen_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QSplashScreen::mouseMoveEvent(arg1); + QSplashScreen::mouseMoveEvent(event); } } @@ -969,33 +969,33 @@ class QSplashScreen_Adaptor : public QSplashScreen, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSplashScreen::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QSplashScreen::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QSplashScreen::mouseReleaseEvent(arg1); + QSplashScreen::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QSplashScreen_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QSplashScreen_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QSplashScreen::mouseReleaseEvent(arg1); + QSplashScreen::mouseReleaseEvent(event); } } - // [adaptor impl] void QSplashScreen::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QSplashScreen::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QSplashScreen::moveEvent(arg1); + QSplashScreen::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QSplashScreen_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QSplashScreen_Adaptor::cbs_moveEvent_1624_0, event); } else { - QSplashScreen::moveEvent(arg1); + QSplashScreen::moveEvent(event); } } @@ -1014,18 +1014,18 @@ class QSplashScreen_Adaptor : public QSplashScreen, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSplashScreen::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QSplashScreen::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QSplashScreen::paintEvent(arg1); + QSplashScreen::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QSplashScreen_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QSplashScreen_Adaptor::cbs_paintEvent_1725_0, event); } else { - QSplashScreen::paintEvent(arg1); + QSplashScreen::paintEvent(event); } } @@ -1044,18 +1044,18 @@ class QSplashScreen_Adaptor : public QSplashScreen, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSplashScreen::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QSplashScreen::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QSplashScreen::resizeEvent(arg1); + QSplashScreen::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QSplashScreen_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QSplashScreen_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QSplashScreen::resizeEvent(arg1); + QSplashScreen::resizeEvent(event); } } @@ -1074,63 +1074,63 @@ class QSplashScreen_Adaptor : public QSplashScreen, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSplashScreen::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QSplashScreen::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QSplashScreen::showEvent(arg1); + QSplashScreen::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QSplashScreen_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QSplashScreen_Adaptor::cbs_showEvent_1634_0, event); } else { - QSplashScreen::showEvent(arg1); + QSplashScreen::showEvent(event); } } - // [adaptor impl] void QSplashScreen::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QSplashScreen::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QSplashScreen::tabletEvent(arg1); + QSplashScreen::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QSplashScreen_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QSplashScreen_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QSplashScreen::tabletEvent(arg1); + QSplashScreen::tabletEvent(event); } } - // [adaptor impl] void QSplashScreen::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSplashScreen::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSplashScreen::timerEvent(arg1); + QSplashScreen::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSplashScreen_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSplashScreen_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSplashScreen::timerEvent(arg1); + QSplashScreen::timerEvent(event); } } - // [adaptor impl] void QSplashScreen::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QSplashScreen::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QSplashScreen::wheelEvent(arg1); + QSplashScreen::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QSplashScreen_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QSplashScreen_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QSplashScreen::wheelEvent(arg1); + QSplashScreen::wheelEvent(event); } } @@ -1190,7 +1190,7 @@ static void _init_ctor_QSplashScreen_Adaptor_4404 (qt_gsi::GenericStaticMethod * { static gsi::ArgSpecBase argspec_0 ("pixmap", true, "QPixmap()"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("f", true, "0"); + static gsi::ArgSpecBase argspec_1 ("f", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_1); decl->set_return_new (); } @@ -1200,7 +1200,7 @@ static void _call_ctor_QSplashScreen_Adaptor_4404 (const qt_gsi::GenericStaticMe __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QPixmap &arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QPixmap(), heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QSplashScreen_Adaptor (arg1, arg2)); } @@ -1213,7 +1213,7 @@ static void _init_ctor_QSplashScreen_Adaptor_5611 (qt_gsi::GenericStaticMethod * decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("pixmap", true, "QPixmap()"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("f", true, "0"); + static gsi::ArgSpecBase argspec_2 ("f", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_2); decl->set_return_new (); } @@ -1224,16 +1224,16 @@ static void _call_ctor_QSplashScreen_Adaptor_5611 (const qt_gsi::GenericStaticMe tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); const QPixmap &arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QPixmap(), heap); - QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QSplashScreen_Adaptor (arg1, arg2, arg3)); } -// void QSplashScreen::actionEvent(QActionEvent *) +// void QSplashScreen::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1277,11 +1277,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QSplashScreen::childEvent(QChildEvent *) +// void QSplashScreen::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1301,11 +1301,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QSplashScreen::closeEvent(QCloseEvent *) +// void QSplashScreen::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1325,11 +1325,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QSplashScreen::contextMenuEvent(QContextMenuEvent *) +// void QSplashScreen::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1392,11 +1392,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QSplashScreen::customEvent(QEvent *) +// void QSplashScreen::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1442,7 +1442,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1451,7 +1451,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSplashScreen_Adaptor *)cls)->emitter_QSplashScreen_destroyed_1302 (arg1); } @@ -1480,11 +1480,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QSplashScreen::dragEnterEvent(QDragEnterEvent *) +// void QSplashScreen::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1504,11 +1504,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QSplashScreen::dragLeaveEvent(QDragLeaveEvent *) +// void QSplashScreen::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1528,11 +1528,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QSplashScreen::dragMoveEvent(QDragMoveEvent *) +// void QSplashScreen::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1576,11 +1576,11 @@ static void _set_callback_cbs_drawContents_1426_0 (void *cls, const gsi::Callbac } -// void QSplashScreen::dropEvent(QDropEvent *) +// void QSplashScreen::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1600,11 +1600,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QSplashScreen::enterEvent(QEvent *) +// void QSplashScreen::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1647,13 +1647,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSplashScreen::eventFilter(QObject *, QEvent *) +// bool QSplashScreen::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1673,11 +1673,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QSplashScreen::focusInEvent(QFocusEvent *) +// void QSplashScreen::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1734,11 +1734,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QSplashScreen::focusOutEvent(QFocusEvent *) +// void QSplashScreen::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1814,11 +1814,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QSplashScreen::hideEvent(QHideEvent *) +// void QSplashScreen::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1927,11 +1927,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QSplashScreen::keyPressEvent(QKeyEvent *) +// void QSplashScreen::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1951,11 +1951,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QSplashScreen::keyReleaseEvent(QKeyEvent *) +// void QSplashScreen::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1975,11 +1975,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QSplashScreen::leaveEvent(QEvent *) +// void QSplashScreen::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2059,11 +2059,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QSplashScreen::mouseDoubleClickEvent(QMouseEvent *) +// void QSplashScreen::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2083,11 +2083,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QSplashScreen::mouseMoveEvent(QMouseEvent *) +// void QSplashScreen::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2131,11 +2131,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QSplashScreen::mouseReleaseEvent(QMouseEvent *) +// void QSplashScreen::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2155,11 +2155,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QSplashScreen::moveEvent(QMoveEvent *) +// void QSplashScreen::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2245,11 +2245,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QSplashScreen::paintEvent(QPaintEvent *) +// void QSplashScreen::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2310,11 +2310,11 @@ static void _set_callback_cbs_redirected_c1225_0 (void *cls, const gsi::Callback } -// void QSplashScreen::resizeEvent(QResizeEvent *) +// void QSplashScreen::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2405,11 +2405,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QSplashScreen::showEvent(QShowEvent *) +// void QSplashScreen::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2448,11 +2448,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QSplashScreen::tabletEvent(QTabletEvent *) +// void QSplashScreen::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2472,11 +2472,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QSplashScreen::timerEvent(QTimerEvent *) +// void QSplashScreen::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2511,11 +2511,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QSplashScreen::wheelEvent(QWheelEvent *) +// void QSplashScreen::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2598,53 +2598,53 @@ static gsi::Methods methods_QSplashScreen_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSplashScreen::QSplashScreen(const QPixmap &pixmap, QFlags f)\nThis method creates an object of class QSplashScreen.", &_init_ctor_QSplashScreen_Adaptor_4404, &_call_ctor_QSplashScreen_Adaptor_4404); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSplashScreen::QSplashScreen(QWidget *parent, const QPixmap &pixmap, QFlags f)\nThis method creates an object of class QSplashScreen.", &_init_ctor_QSplashScreen_Adaptor_5611, &_call_ctor_QSplashScreen_Adaptor_5611); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QSplashScreen::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QSplashScreen::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QSplashScreen::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSplashScreen::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSplashScreen::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QSplashScreen::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QSplashScreen::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QSplashScreen::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QSplashScreen::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QSplashScreen::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QSplashScreen::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QSplashScreen::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSplashScreen::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSplashScreen::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QSplashScreen::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QSplashScreen::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSplashScreen::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSplashScreen::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QSplashScreen::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QSplashScreen::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QSplashScreen::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QSplashScreen::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QSplashScreen::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QSplashScreen::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*drawContents", "@brief Virtual method void QSplashScreen::drawContents(QPainter *painter)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_drawContents_1426_0, &_call_cbs_drawContents_1426_0); methods += new qt_gsi::GenericMethod ("*drawContents", "@hide", false, &_init_cbs_drawContents_1426_0, &_call_cbs_drawContents_1426_0, &_set_callback_cbs_drawContents_1426_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QSplashScreen::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QSplashScreen::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QSplashScreen::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QSplashScreen::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QSplashScreen::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSplashScreen::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSplashScreen::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QSplashScreen::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QSplashScreen::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QSplashScreen::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QSplashScreen::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QSplashScreen::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QSplashScreen::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QSplashScreen::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QSplashScreen::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QSplashScreen::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QSplashScreen::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QSplashScreen::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QSplashScreen::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2653,38 +2653,38 @@ static gsi::Methods methods_QSplashScreen_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QSplashScreen::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSplashScreen::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QSplashScreen::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QSplashScreen::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QSplashScreen::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QSplashScreen::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QSplashScreen::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QSplashScreen::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_messageChanged", "@brief Emitter for signal void QSplashScreen::messageChanged(const QString &message)\nCall this method to emit this signal.", false, &_init_emitter_messageChanged_2025, &_call_emitter_messageChanged_2025); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QSplashScreen::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QSplashScreen::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QSplashScreen::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QSplashScreen::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QSplashScreen::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QSplashScreen::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QSplashScreen::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QSplashScreen::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QSplashScreen::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QSplashScreen::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QSplashScreen::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QSplashScreen::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QSplashScreen::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QSplashScreen::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QSplashScreen::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QSplashScreen::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QSplashScreen::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QSplashScreen::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QSplashScreen::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QSplashScreen::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QSplashScreen::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QSplashScreen::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -2692,16 +2692,16 @@ static gsi::Methods methods_QSplashScreen_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QSplashScreen::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QSplashScreen::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QSplashScreen::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QSplashScreen::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QSplashScreen::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QSplashScreen::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSplashScreen::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSplashScreen::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QSplashScreen::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QSplashScreen::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QSplashScreen::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QSplashScreen::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QSplashScreen::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQSplitter.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQSplitter.cc index 945f42e728..2fda9e65d5 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQSplitter.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQSplitter.cc @@ -333,6 +333,28 @@ static void _call_f_refresh_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } +// QWidget *QSplitter::replaceWidget(int index, QWidget *widget) + + +static void _init_f_replaceWidget_1974 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("index"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("widget"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_replaceWidget_1974 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + QWidget *arg2 = gsi::arg_reader() (args, heap); + ret.write ((QWidget *)((QSplitter *)cls)->replaceWidget (arg1, arg2)); +} + + // bool QSplitter::restoreState(const QByteArray &state) @@ -631,6 +653,7 @@ static gsi::Methods methods_QSplitter () { methods += new qt_gsi::GenericMethod (":opaqueResize", "@brief Method bool QSplitter::opaqueResize()\n", true, &_init_f_opaqueResize_c0, &_call_f_opaqueResize_c0); methods += new qt_gsi::GenericMethod (":orientation", "@brief Method Qt::Orientation QSplitter::orientation()\n", true, &_init_f_orientation_c0, &_call_f_orientation_c0); methods += new qt_gsi::GenericMethod ("refresh", "@brief Method void QSplitter::refresh()\n", false, &_init_f_refresh_0, &_call_f_refresh_0); + methods += new qt_gsi::GenericMethod ("replaceWidget", "@brief Method QWidget *QSplitter::replaceWidget(int index, QWidget *widget)\n", false, &_init_f_replaceWidget_1974, &_call_f_replaceWidget_1974); methods += new qt_gsi::GenericMethod ("restoreState", "@brief Method bool QSplitter::restoreState(const QByteArray &state)\n", false, &_init_f_restoreState_2309, &_call_f_restoreState_2309); methods += new qt_gsi::GenericMethod ("saveState", "@brief Method QByteArray QSplitter::saveState()\n", true, &_init_f_saveState_c0, &_call_f_saveState_c0); methods += new qt_gsi::GenericMethod ("setChildrenCollapsible|childrenCollapsible=", "@brief Method void QSplitter::setChildrenCollapsible(bool)\n", false, &_init_f_setChildrenCollapsible_864, &_call_f_setChildrenCollapsible_864); @@ -778,18 +801,18 @@ class QSplitter_Adaptor : public QSplitter, public qt_gsi::QtObjectBase emit QSplitter::destroyed(arg1); } - // [adaptor impl] bool QSplitter::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSplitter::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSplitter::eventFilter(arg1, arg2); + return QSplitter::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSplitter_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSplitter_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSplitter::eventFilter(arg1, arg2); + return QSplitter::eventFilter(watched, event); } } @@ -929,18 +952,18 @@ class QSplitter_Adaptor : public QSplitter, public qt_gsi::QtObjectBase emit QSplitter::windowTitleChanged(title); } - // [adaptor impl] void QSplitter::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QSplitter::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QSplitter::actionEvent(arg1); + QSplitter::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QSplitter_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QSplitter_Adaptor::cbs_actionEvent_1823_0, event); } else { - QSplitter::actionEvent(arg1); + QSplitter::actionEvent(event); } } @@ -974,33 +997,33 @@ class QSplitter_Adaptor : public QSplitter, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSplitter::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QSplitter::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QSplitter::closeEvent(arg1); + QSplitter::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QSplitter_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QSplitter_Adaptor::cbs_closeEvent_1719_0, event); } else { - QSplitter::closeEvent(arg1); + QSplitter::closeEvent(event); } } - // [adaptor impl] void QSplitter::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QSplitter::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QSplitter::contextMenuEvent(arg1); + QSplitter::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QSplitter_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QSplitter_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QSplitter::contextMenuEvent(arg1); + QSplitter::contextMenuEvent(event); } } @@ -1019,18 +1042,18 @@ class QSplitter_Adaptor : public QSplitter, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSplitter::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSplitter::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSplitter::customEvent(arg1); + QSplitter::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSplitter_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSplitter_Adaptor::cbs_customEvent_1217_0, event); } else { - QSplitter::customEvent(arg1); + QSplitter::customEvent(event); } } @@ -1049,78 +1072,78 @@ class QSplitter_Adaptor : public QSplitter, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSplitter::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QSplitter::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QSplitter::dragEnterEvent(arg1); + QSplitter::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QSplitter_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QSplitter_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QSplitter::dragEnterEvent(arg1); + QSplitter::dragEnterEvent(event); } } - // [adaptor impl] void QSplitter::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QSplitter::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QSplitter::dragLeaveEvent(arg1); + QSplitter::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QSplitter_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QSplitter_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QSplitter::dragLeaveEvent(arg1); + QSplitter::dragLeaveEvent(event); } } - // [adaptor impl] void QSplitter::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QSplitter::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QSplitter::dragMoveEvent(arg1); + QSplitter::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QSplitter_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QSplitter_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QSplitter::dragMoveEvent(arg1); + QSplitter::dragMoveEvent(event); } } - // [adaptor impl] void QSplitter::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QSplitter::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QSplitter::dropEvent(arg1); + QSplitter::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QSplitter_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QSplitter_Adaptor::cbs_dropEvent_1622_0, event); } else { - QSplitter::dropEvent(arg1); + QSplitter::dropEvent(event); } } - // [adaptor impl] void QSplitter::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSplitter::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QSplitter::enterEvent(arg1); + QSplitter::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QSplitter_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QSplitter_Adaptor::cbs_enterEvent_1217_0, event); } else { - QSplitter::enterEvent(arg1); + QSplitter::enterEvent(event); } } @@ -1139,18 +1162,18 @@ class QSplitter_Adaptor : public QSplitter, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSplitter::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QSplitter::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QSplitter::focusInEvent(arg1); + QSplitter::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QSplitter_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QSplitter_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QSplitter::focusInEvent(arg1); + QSplitter::focusInEvent(event); } } @@ -1169,33 +1192,33 @@ class QSplitter_Adaptor : public QSplitter, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSplitter::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QSplitter::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QSplitter::focusOutEvent(arg1); + QSplitter::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QSplitter_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QSplitter_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QSplitter::focusOutEvent(arg1); + QSplitter::focusOutEvent(event); } } - // [adaptor impl] void QSplitter::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QSplitter::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QSplitter::hideEvent(arg1); + QSplitter::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QSplitter_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QSplitter_Adaptor::cbs_hideEvent_1595_0, event); } else { - QSplitter::hideEvent(arg1); + QSplitter::hideEvent(event); } } @@ -1229,48 +1252,48 @@ class QSplitter_Adaptor : public QSplitter, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSplitter::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QSplitter::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QSplitter::keyPressEvent(arg1); + QSplitter::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QSplitter_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QSplitter_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QSplitter::keyPressEvent(arg1); + QSplitter::keyPressEvent(event); } } - // [adaptor impl] void QSplitter::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QSplitter::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QSplitter::keyReleaseEvent(arg1); + QSplitter::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QSplitter_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QSplitter_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QSplitter::keyReleaseEvent(arg1); + QSplitter::keyReleaseEvent(event); } } - // [adaptor impl] void QSplitter::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSplitter::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QSplitter::leaveEvent(arg1); + QSplitter::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QSplitter_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QSplitter_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QSplitter::leaveEvent(arg1); + QSplitter::leaveEvent(event); } } @@ -1289,78 +1312,78 @@ class QSplitter_Adaptor : public QSplitter, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSplitter::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QSplitter::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QSplitter::mouseDoubleClickEvent(arg1); + QSplitter::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QSplitter_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QSplitter_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QSplitter::mouseDoubleClickEvent(arg1); + QSplitter::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QSplitter::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QSplitter::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QSplitter::mouseMoveEvent(arg1); + QSplitter::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QSplitter_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QSplitter_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QSplitter::mouseMoveEvent(arg1); + QSplitter::mouseMoveEvent(event); } } - // [adaptor impl] void QSplitter::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QSplitter::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QSplitter::mousePressEvent(arg1); + QSplitter::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QSplitter_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QSplitter_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QSplitter::mousePressEvent(arg1); + QSplitter::mousePressEvent(event); } } - // [adaptor impl] void QSplitter::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QSplitter::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QSplitter::mouseReleaseEvent(arg1); + QSplitter::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QSplitter_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QSplitter_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QSplitter::mouseReleaseEvent(arg1); + QSplitter::mouseReleaseEvent(event); } } - // [adaptor impl] void QSplitter::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QSplitter::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QSplitter::moveEvent(arg1); + QSplitter::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QSplitter_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QSplitter_Adaptor::cbs_moveEvent_1624_0, event); } else { - QSplitter::moveEvent(arg1); + QSplitter::moveEvent(event); } } @@ -1439,63 +1462,63 @@ class QSplitter_Adaptor : public QSplitter, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSplitter::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QSplitter::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QSplitter::showEvent(arg1); + QSplitter::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QSplitter_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QSplitter_Adaptor::cbs_showEvent_1634_0, event); } else { - QSplitter::showEvent(arg1); + QSplitter::showEvent(event); } } - // [adaptor impl] void QSplitter::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QSplitter::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QSplitter::tabletEvent(arg1); + QSplitter::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QSplitter_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QSplitter_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QSplitter::tabletEvent(arg1); + QSplitter::tabletEvent(event); } } - // [adaptor impl] void QSplitter::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSplitter::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSplitter::timerEvent(arg1); + QSplitter::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSplitter_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSplitter_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSplitter::timerEvent(arg1); + QSplitter::timerEvent(event); } } - // [adaptor impl] void QSplitter::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QSplitter::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QSplitter::wheelEvent(arg1); + QSplitter::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QSplitter_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QSplitter_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QSplitter::wheelEvent(arg1); + QSplitter::wheelEvent(event); } } @@ -1553,7 +1576,7 @@ QSplitter_Adaptor::~QSplitter_Adaptor() { } static void _init_ctor_QSplitter_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1562,7 +1585,7 @@ static void _call_ctor_QSplitter_Adaptor_1315 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSplitter_Adaptor (arg1)); } @@ -1573,7 +1596,7 @@ static void _init_ctor_QSplitter_Adaptor_3120 (qt_gsi::GenericStaticMethod *decl { static gsi::ArgSpecBase argspec_0 ("arg1"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1583,16 +1606,16 @@ static void _call_ctor_QSplitter_Adaptor_3120 (const qt_gsi::GenericStaticMethod __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSplitter_Adaptor (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2)); } -// void QSplitter::actionEvent(QActionEvent *) +// void QSplitter::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1660,11 +1683,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QSplitter::closeEvent(QCloseEvent *) +// void QSplitter::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1705,11 +1728,11 @@ static void _call_fp_closestLegalPosition_1426 (const qt_gsi::GenericMethod * /* } -// void QSplitter::contextMenuEvent(QContextMenuEvent *) +// void QSplitter::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1791,11 +1814,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QSplitter::customEvent(QEvent *) +// void QSplitter::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1841,7 +1864,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1850,7 +1873,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSplitter_Adaptor *)cls)->emitter_QSplitter_destroyed_1302 (arg1); } @@ -1879,11 +1902,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QSplitter::dragEnterEvent(QDragEnterEvent *) +// void QSplitter::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1903,11 +1926,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QSplitter::dragLeaveEvent(QDragLeaveEvent *) +// void QSplitter::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1927,11 +1950,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QSplitter::dragMoveEvent(QDragMoveEvent *) +// void QSplitter::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1970,11 +1993,11 @@ static void _call_fp_drawFrame_1426 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QSplitter::dropEvent(QDropEvent *) +// void QSplitter::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1994,11 +2017,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QSplitter::enterEvent(QEvent *) +// void QSplitter::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2041,13 +2064,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSplitter::eventFilter(QObject *, QEvent *) +// bool QSplitter::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2067,11 +2090,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QSplitter::focusInEvent(QFocusEvent *) +// void QSplitter::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2128,11 +2151,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QSplitter::focusOutEvent(QFocusEvent *) +// void QSplitter::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2208,11 +2231,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QSplitter::hideEvent(QHideEvent *) +// void QSplitter::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2340,11 +2363,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QSplitter::keyPressEvent(QKeyEvent *) +// void QSplitter::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2364,11 +2387,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QSplitter::keyReleaseEvent(QKeyEvent *) +// void QSplitter::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2388,11 +2411,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QSplitter::leaveEvent(QEvent *) +// void QSplitter::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2454,11 +2477,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QSplitter::mouseDoubleClickEvent(QMouseEvent *) +// void QSplitter::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2478,11 +2501,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QSplitter::mouseMoveEvent(QMouseEvent *) +// void QSplitter::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2502,11 +2525,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QSplitter::mousePressEvent(QMouseEvent *) +// void QSplitter::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2526,11 +2549,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QSplitter::mouseReleaseEvent(QMouseEvent *) +// void QSplitter::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2550,11 +2573,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QSplitter::moveEvent(QMoveEvent *) +// void QSplitter::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2841,11 +2864,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QSplitter::showEvent(QShowEvent *) +// void QSplitter::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2905,11 +2928,11 @@ static void _call_emitter_splitterMoved_1426 (const qt_gsi::GenericMethod * /*de } -// void QSplitter::tabletEvent(QTabletEvent *) +// void QSplitter::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2929,11 +2952,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QSplitter::timerEvent(QTimerEvent *) +// void QSplitter::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2968,11 +2991,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QSplitter::wheelEvent(QWheelEvent *) +// void QSplitter::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3055,55 +3078,55 @@ static gsi::Methods methods_QSplitter_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSplitter::QSplitter(QWidget *parent)\nThis method creates an object of class QSplitter.", &_init_ctor_QSplitter_Adaptor_1315, &_call_ctor_QSplitter_Adaptor_1315); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSplitter::QSplitter(Qt::Orientation, QWidget *parent)\nThis method creates an object of class QSplitter.", &_init_ctor_QSplitter_Adaptor_3120, &_call_ctor_QSplitter_Adaptor_3120); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QSplitter::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QSplitter::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QSplitter::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSplitter::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QSplitter::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QSplitter::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closestLegalPosition", "@brief Method int QSplitter::closestLegalPosition(int, int)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_closestLegalPosition_1426, &_call_fp_closestLegalPosition_1426); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QSplitter::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QSplitter::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QSplitter::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QSplitter::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*createHandle", "@brief Virtual method QSplitterHandle *QSplitter::createHandle()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_createHandle_0_0, &_call_cbs_createHandle_0_0); methods += new qt_gsi::GenericMethod ("*createHandle", "@hide", false, &_init_cbs_createHandle_0_0, &_call_cbs_createHandle_0_0, &_set_callback_cbs_createHandle_0_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QSplitter::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSplitter::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSplitter::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QSplitter::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QSplitter::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSplitter::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSplitter::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QSplitter::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QSplitter::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QSplitter::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QSplitter::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QSplitter::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QSplitter::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*drawFrame", "@brief Method void QSplitter::drawFrame(QPainter *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_drawFrame_1426, &_call_fp_drawFrame_1426); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QSplitter::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QSplitter::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QSplitter::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QSplitter::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QSplitter::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSplitter::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSplitter::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QSplitter::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QSplitter::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QSplitter::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QSplitter::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QSplitter::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QSplitter::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QSplitter::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QSplitter::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QSplitter::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QSplitter::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QSplitter::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QSplitter::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -3113,25 +3136,25 @@ static gsi::Methods methods_QSplitter_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QSplitter::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSplitter::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QSplitter::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QSplitter::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QSplitter::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QSplitter::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QSplitter::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QSplitter::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QSplitter::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QSplitter::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QSplitter::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QSplitter::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QSplitter::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QSplitter::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QSplitter::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QSplitter::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QSplitter::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QSplitter::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QSplitter::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QSplitter::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveSplitter", "@brief Method void QSplitter::moveSplitter(int pos, int index)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_moveSplitter_1426, &_call_fp_moveSplitter_1426); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QSplitter::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); @@ -3153,17 +3176,17 @@ static gsi::Methods methods_QSplitter_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QSplitter::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QSplitter::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QSplitter::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QSplitter::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("emit_splitterMoved", "@brief Emitter for signal void QSplitter::splitterMoved(int pos, int index)\nCall this method to emit this signal.", false, &_init_emitter_splitterMoved_1426, &_call_emitter_splitterMoved_1426); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QSplitter::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QSplitter::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSplitter::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSplitter::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QSplitter::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QSplitter::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QSplitter::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QSplitter::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QSplitter::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQSplitterHandle.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQSplitterHandle.cc index b6e2594712..6425576a8d 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQSplitterHandle.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQSplitterHandle.cc @@ -342,18 +342,18 @@ class QSplitterHandle_Adaptor : public QSplitterHandle, public qt_gsi::QtObjectB emit QSplitterHandle::destroyed(arg1); } - // [adaptor impl] bool QSplitterHandle::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSplitterHandle::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSplitterHandle::eventFilter(arg1, arg2); + return QSplitterHandle::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSplitterHandle_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSplitterHandle_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSplitterHandle::eventFilter(arg1, arg2); + return QSplitterHandle::eventFilter(watched, event); } } @@ -487,18 +487,18 @@ class QSplitterHandle_Adaptor : public QSplitterHandle, public qt_gsi::QtObjectB emit QSplitterHandle::windowTitleChanged(title); } - // [adaptor impl] void QSplitterHandle::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QSplitterHandle::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QSplitterHandle::actionEvent(arg1); + QSplitterHandle::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QSplitterHandle_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QSplitterHandle_Adaptor::cbs_actionEvent_1823_0, event); } else { - QSplitterHandle::actionEvent(arg1); + QSplitterHandle::actionEvent(event); } } @@ -517,63 +517,63 @@ class QSplitterHandle_Adaptor : public QSplitterHandle, public qt_gsi::QtObjectB } } - // [adaptor impl] void QSplitterHandle::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSplitterHandle::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSplitterHandle::childEvent(arg1); + QSplitterHandle::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSplitterHandle_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSplitterHandle_Adaptor::cbs_childEvent_1701_0, event); } else { - QSplitterHandle::childEvent(arg1); + QSplitterHandle::childEvent(event); } } - // [adaptor impl] void QSplitterHandle::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QSplitterHandle::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QSplitterHandle::closeEvent(arg1); + QSplitterHandle::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QSplitterHandle_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QSplitterHandle_Adaptor::cbs_closeEvent_1719_0, event); } else { - QSplitterHandle::closeEvent(arg1); + QSplitterHandle::closeEvent(event); } } - // [adaptor impl] void QSplitterHandle::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QSplitterHandle::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QSplitterHandle::contextMenuEvent(arg1); + QSplitterHandle::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QSplitterHandle_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QSplitterHandle_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QSplitterHandle::contextMenuEvent(arg1); + QSplitterHandle::contextMenuEvent(event); } } - // [adaptor impl] void QSplitterHandle::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSplitterHandle::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSplitterHandle::customEvent(arg1); + QSplitterHandle::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSplitterHandle_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSplitterHandle_Adaptor::cbs_customEvent_1217_0, event); } else { - QSplitterHandle::customEvent(arg1); + QSplitterHandle::customEvent(event); } } @@ -592,78 +592,78 @@ class QSplitterHandle_Adaptor : public QSplitterHandle, public qt_gsi::QtObjectB } } - // [adaptor impl] void QSplitterHandle::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QSplitterHandle::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QSplitterHandle::dragEnterEvent(arg1); + QSplitterHandle::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QSplitterHandle_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QSplitterHandle_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QSplitterHandle::dragEnterEvent(arg1); + QSplitterHandle::dragEnterEvent(event); } } - // [adaptor impl] void QSplitterHandle::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QSplitterHandle::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QSplitterHandle::dragLeaveEvent(arg1); + QSplitterHandle::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QSplitterHandle_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QSplitterHandle_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QSplitterHandle::dragLeaveEvent(arg1); + QSplitterHandle::dragLeaveEvent(event); } } - // [adaptor impl] void QSplitterHandle::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QSplitterHandle::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QSplitterHandle::dragMoveEvent(arg1); + QSplitterHandle::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QSplitterHandle_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QSplitterHandle_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QSplitterHandle::dragMoveEvent(arg1); + QSplitterHandle::dragMoveEvent(event); } } - // [adaptor impl] void QSplitterHandle::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QSplitterHandle::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QSplitterHandle::dropEvent(arg1); + QSplitterHandle::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QSplitterHandle_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QSplitterHandle_Adaptor::cbs_dropEvent_1622_0, event); } else { - QSplitterHandle::dropEvent(arg1); + QSplitterHandle::dropEvent(event); } } - // [adaptor impl] void QSplitterHandle::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSplitterHandle::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QSplitterHandle::enterEvent(arg1); + QSplitterHandle::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QSplitterHandle_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QSplitterHandle_Adaptor::cbs_enterEvent_1217_0, event); } else { - QSplitterHandle::enterEvent(arg1); + QSplitterHandle::enterEvent(event); } } @@ -682,18 +682,18 @@ class QSplitterHandle_Adaptor : public QSplitterHandle, public qt_gsi::QtObjectB } } - // [adaptor impl] void QSplitterHandle::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QSplitterHandle::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QSplitterHandle::focusInEvent(arg1); + QSplitterHandle::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QSplitterHandle_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QSplitterHandle_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QSplitterHandle::focusInEvent(arg1); + QSplitterHandle::focusInEvent(event); } } @@ -712,33 +712,33 @@ class QSplitterHandle_Adaptor : public QSplitterHandle, public qt_gsi::QtObjectB } } - // [adaptor impl] void QSplitterHandle::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QSplitterHandle::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QSplitterHandle::focusOutEvent(arg1); + QSplitterHandle::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QSplitterHandle_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QSplitterHandle_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QSplitterHandle::focusOutEvent(arg1); + QSplitterHandle::focusOutEvent(event); } } - // [adaptor impl] void QSplitterHandle::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QSplitterHandle::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QSplitterHandle::hideEvent(arg1); + QSplitterHandle::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QSplitterHandle_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QSplitterHandle_Adaptor::cbs_hideEvent_1595_0, event); } else { - QSplitterHandle::hideEvent(arg1); + QSplitterHandle::hideEvent(event); } } @@ -772,48 +772,48 @@ class QSplitterHandle_Adaptor : public QSplitterHandle, public qt_gsi::QtObjectB } } - // [adaptor impl] void QSplitterHandle::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QSplitterHandle::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QSplitterHandle::keyPressEvent(arg1); + QSplitterHandle::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QSplitterHandle_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QSplitterHandle_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QSplitterHandle::keyPressEvent(arg1); + QSplitterHandle::keyPressEvent(event); } } - // [adaptor impl] void QSplitterHandle::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QSplitterHandle::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QSplitterHandle::keyReleaseEvent(arg1); + QSplitterHandle::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QSplitterHandle_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QSplitterHandle_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QSplitterHandle::keyReleaseEvent(arg1); + QSplitterHandle::keyReleaseEvent(event); } } - // [adaptor impl] void QSplitterHandle::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSplitterHandle::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QSplitterHandle::leaveEvent(arg1); + QSplitterHandle::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QSplitterHandle_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QSplitterHandle_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QSplitterHandle::leaveEvent(arg1); + QSplitterHandle::leaveEvent(event); } } @@ -832,18 +832,18 @@ class QSplitterHandle_Adaptor : public QSplitterHandle, public qt_gsi::QtObjectB } } - // [adaptor impl] void QSplitterHandle::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QSplitterHandle::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QSplitterHandle::mouseDoubleClickEvent(arg1); + QSplitterHandle::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QSplitterHandle_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QSplitterHandle_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QSplitterHandle::mouseDoubleClickEvent(arg1); + QSplitterHandle::mouseDoubleClickEvent(event); } } @@ -892,18 +892,18 @@ class QSplitterHandle_Adaptor : public QSplitterHandle, public qt_gsi::QtObjectB } } - // [adaptor impl] void QSplitterHandle::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QSplitterHandle::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QSplitterHandle::moveEvent(arg1); + QSplitterHandle::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QSplitterHandle_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QSplitterHandle_Adaptor::cbs_moveEvent_1624_0, event); } else { - QSplitterHandle::moveEvent(arg1); + QSplitterHandle::moveEvent(event); } } @@ -982,63 +982,63 @@ class QSplitterHandle_Adaptor : public QSplitterHandle, public qt_gsi::QtObjectB } } - // [adaptor impl] void QSplitterHandle::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QSplitterHandle::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QSplitterHandle::showEvent(arg1); + QSplitterHandle::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QSplitterHandle_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QSplitterHandle_Adaptor::cbs_showEvent_1634_0, event); } else { - QSplitterHandle::showEvent(arg1); + QSplitterHandle::showEvent(event); } } - // [adaptor impl] void QSplitterHandle::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QSplitterHandle::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QSplitterHandle::tabletEvent(arg1); + QSplitterHandle::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QSplitterHandle_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QSplitterHandle_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QSplitterHandle::tabletEvent(arg1); + QSplitterHandle::tabletEvent(event); } } - // [adaptor impl] void QSplitterHandle::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSplitterHandle::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSplitterHandle::timerEvent(arg1); + QSplitterHandle::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSplitterHandle_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSplitterHandle_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSplitterHandle::timerEvent(arg1); + QSplitterHandle::timerEvent(event); } } - // [adaptor impl] void QSplitterHandle::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QSplitterHandle::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QSplitterHandle::wheelEvent(arg1); + QSplitterHandle::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QSplitterHandle_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QSplitterHandle_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QSplitterHandle::wheelEvent(arg1); + QSplitterHandle::wheelEvent(event); } } @@ -1112,11 +1112,11 @@ static void _call_ctor_QSplitterHandle_Adaptor_3363 (const qt_gsi::GenericStatic } -// void QSplitterHandle::actionEvent(QActionEvent *) +// void QSplitterHandle::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1160,11 +1160,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QSplitterHandle::childEvent(QChildEvent *) +// void QSplitterHandle::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1184,11 +1184,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QSplitterHandle::closeEvent(QCloseEvent *) +// void QSplitterHandle::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1226,11 +1226,11 @@ static void _call_fp_closestLegalPosition_767 (const qt_gsi::GenericMethod * /*d } -// void QSplitterHandle::contextMenuEvent(QContextMenuEvent *) +// void QSplitterHandle::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1293,11 +1293,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QSplitterHandle::customEvent(QEvent *) +// void QSplitterHandle::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1343,7 +1343,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1352,7 +1352,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSplitterHandle_Adaptor *)cls)->emitter_QSplitterHandle_destroyed_1302 (arg1); } @@ -1381,11 +1381,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QSplitterHandle::dragEnterEvent(QDragEnterEvent *) +// void QSplitterHandle::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1405,11 +1405,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QSplitterHandle::dragLeaveEvent(QDragLeaveEvent *) +// void QSplitterHandle::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1429,11 +1429,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QSplitterHandle::dragMoveEvent(QDragMoveEvent *) +// void QSplitterHandle::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1453,11 +1453,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QSplitterHandle::dropEvent(QDropEvent *) +// void QSplitterHandle::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1477,11 +1477,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QSplitterHandle::enterEvent(QEvent *) +// void QSplitterHandle::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1524,13 +1524,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSplitterHandle::eventFilter(QObject *, QEvent *) +// bool QSplitterHandle::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1550,11 +1550,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QSplitterHandle::focusInEvent(QFocusEvent *) +// void QSplitterHandle::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1611,11 +1611,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QSplitterHandle::focusOutEvent(QFocusEvent *) +// void QSplitterHandle::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1691,11 +1691,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QSplitterHandle::hideEvent(QHideEvent *) +// void QSplitterHandle::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1804,11 +1804,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QSplitterHandle::keyPressEvent(QKeyEvent *) +// void QSplitterHandle::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1828,11 +1828,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QSplitterHandle::keyReleaseEvent(QKeyEvent *) +// void QSplitterHandle::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1852,11 +1852,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QSplitterHandle::leaveEvent(QEvent *) +// void QSplitterHandle::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1918,11 +1918,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QSplitterHandle::mouseDoubleClickEvent(QMouseEvent *) +// void QSplitterHandle::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2014,11 +2014,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QSplitterHandle::moveEvent(QMoveEvent *) +// void QSplitterHandle::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2283,11 +2283,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QSplitterHandle::showEvent(QShowEvent *) +// void QSplitterHandle::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2326,11 +2326,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QSplitterHandle::tabletEvent(QTabletEvent *) +// void QSplitterHandle::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2350,11 +2350,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QSplitterHandle::timerEvent(QTimerEvent *) +// void QSplitterHandle::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2389,11 +2389,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QSplitterHandle::wheelEvent(QWheelEvent *) +// void QSplitterHandle::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2475,52 +2475,52 @@ gsi::Class &qtdecl_QSplitterHandle (); static gsi::Methods methods_QSplitterHandle_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSplitterHandle::QSplitterHandle(Qt::Orientation o, QSplitter *parent)\nThis method creates an object of class QSplitterHandle.", &_init_ctor_QSplitterHandle_Adaptor_3363, &_call_ctor_QSplitterHandle_Adaptor_3363); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QSplitterHandle::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QSplitterHandle::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QSplitterHandle::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSplitterHandle::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSplitterHandle::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QSplitterHandle::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QSplitterHandle::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closestLegalPosition", "@brief Method int QSplitterHandle::closestLegalPosition(int p)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_closestLegalPosition_767, &_call_fp_closestLegalPosition_767); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QSplitterHandle::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QSplitterHandle::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QSplitterHandle::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QSplitterHandle::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QSplitterHandle::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSplitterHandle::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSplitterHandle::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QSplitterHandle::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QSplitterHandle::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSplitterHandle::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSplitterHandle::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QSplitterHandle::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QSplitterHandle::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QSplitterHandle::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QSplitterHandle::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QSplitterHandle::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QSplitterHandle::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QSplitterHandle::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QSplitterHandle::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QSplitterHandle::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QSplitterHandle::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QSplitterHandle::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSplitterHandle::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSplitterHandle::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QSplitterHandle::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QSplitterHandle::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QSplitterHandle::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QSplitterHandle::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QSplitterHandle::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QSplitterHandle::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QSplitterHandle::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QSplitterHandle::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QSplitterHandle::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QSplitterHandle::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QSplitterHandle::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QSplitterHandle::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2529,17 +2529,17 @@ static gsi::Methods methods_QSplitterHandle_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QSplitterHandle::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSplitterHandle::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QSplitterHandle::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QSplitterHandle::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QSplitterHandle::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QSplitterHandle::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QSplitterHandle::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QSplitterHandle::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QSplitterHandle::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QSplitterHandle::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QSplitterHandle::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QSplitterHandle::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QSplitterHandle::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -2547,7 +2547,7 @@ static gsi::Methods methods_QSplitterHandle_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QSplitterHandle::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QSplitterHandle::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QSplitterHandle::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveSplitter", "@brief Method void QSplitterHandle::moveSplitter(int p)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_moveSplitter_767, &_call_fp_moveSplitter_767); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QSplitterHandle::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); @@ -2568,16 +2568,16 @@ static gsi::Methods methods_QSplitterHandle_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QSplitterHandle::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QSplitterHandle::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QSplitterHandle::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QSplitterHandle::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QSplitterHandle::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QSplitterHandle::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSplitterHandle::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSplitterHandle::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QSplitterHandle::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QSplitterHandle::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QSplitterHandle::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QSplitterHandle::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QSplitterHandle::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStackedLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStackedLayout.cc index 9767cc6942..fb2e05119e 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStackedLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStackedLayout.cc @@ -96,6 +96,7 @@ static void _call_f_addWidget_1315 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); ret.write ((int)((QStackedLayout *)cls)->addWidget (arg1)); } @@ -197,6 +198,7 @@ static void _call_f_insertWidget_1974 (const qt_gsi::GenericMethod * /*decl*/, v tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); QWidget *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); ret.write ((int)((QStackedLayout *)cls)->insertWidget (arg1, arg2)); } @@ -619,33 +621,33 @@ class QStackedLayout_Adaptor : public QStackedLayout, public qt_gsi::QtObjectBas emit QStackedLayout::destroyed(arg1); } - // [adaptor impl] bool QStackedLayout::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QStackedLayout::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QStackedLayout::event(arg1); + return QStackedLayout::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QStackedLayout_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QStackedLayout_Adaptor::cbs_event_1217_0, _event); } else { - return QStackedLayout::event(arg1); + return QStackedLayout::event(_event); } } - // [adaptor impl] bool QStackedLayout::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QStackedLayout::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QStackedLayout::eventFilter(arg1, arg2); + return QStackedLayout::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QStackedLayout_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QStackedLayout_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QStackedLayout::eventFilter(arg1, arg2); + return QStackedLayout::eventFilter(watched, event); } } @@ -932,18 +934,18 @@ class QStackedLayout_Adaptor : public QStackedLayout, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QStackedLayout::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QStackedLayout::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QStackedLayout::customEvent(arg1); + QStackedLayout::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QStackedLayout_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QStackedLayout_Adaptor::cbs_customEvent_1217_0, event); } else { - QStackedLayout::customEvent(arg1); + QStackedLayout::customEvent(event); } } @@ -962,18 +964,18 @@ class QStackedLayout_Adaptor : public QStackedLayout, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QStackedLayout::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QStackedLayout::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QStackedLayout::timerEvent(arg1); + QStackedLayout::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QStackedLayout_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QStackedLayout_Adaptor::cbs_timerEvent_1730_0, event); } else { - QStackedLayout::timerEvent(arg1); + QStackedLayout::timerEvent(event); } } @@ -1236,11 +1238,11 @@ static void _call_emitter_currentChanged_767 (const qt_gsi::GenericMethod * /*de } -// void QStackedLayout::customEvent(QEvent *) +// void QStackedLayout::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1264,7 +1266,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1273,7 +1275,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QStackedLayout_Adaptor *)cls)->emitter_QStackedLayout_destroyed_1302 (arg1); } @@ -1302,11 +1304,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QStackedLayout::event(QEvent *) +// bool QStackedLayout::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1325,13 +1327,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QStackedLayout::eventFilter(QObject *, QEvent *) +// bool QStackedLayout::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1763,11 +1765,11 @@ static void _set_callback_cbs_takeAt_767_0 (void *cls, const gsi::Callback &cb) } -// void QStackedLayout::timerEvent(QTimerEvent *) +// void QStackedLayout::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1866,14 +1868,14 @@ static gsi::Methods methods_QStackedLayout_Adaptor () { methods += new qt_gsi::GenericMethod ("count", "@brief Virtual method int QStackedLayout::count()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_count_c0_0, &_call_cbs_count_c0_0); methods += new qt_gsi::GenericMethod ("count", "@hide", true, &_init_cbs_count_c0_0, &_call_cbs_count_c0_0, &_set_callback_cbs_count_c0_0); methods += new qt_gsi::GenericMethod ("emit_currentChanged", "@brief Emitter for signal void QStackedLayout::currentChanged(int index)\nCall this method to emit this signal.", false, &_init_emitter_currentChanged_767, &_call_emitter_currentChanged_767); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStackedLayout::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStackedLayout::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QStackedLayout::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QStackedLayout::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QStackedLayout::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QStackedLayout::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QStackedLayout::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QStackedLayout::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("expandingDirections", "@brief Virtual method QFlags QStackedLayout::expandingDirections()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_expandingDirections_c0_0, &_call_cbs_expandingDirections_c0_0); methods += new qt_gsi::GenericMethod ("expandingDirections", "@hide", true, &_init_cbs_expandingDirections_c0_0, &_call_cbs_expandingDirections_c0_0, &_set_callback_cbs_expandingDirections_c0_0); @@ -1912,7 +1914,7 @@ static gsi::Methods methods_QStackedLayout_Adaptor () { methods += new qt_gsi::GenericMethod ("spacerItem", "@hide", false, &_init_cbs_spacerItem_0_0, &_call_cbs_spacerItem_0_0, &_set_callback_cbs_spacerItem_0_0); methods += new qt_gsi::GenericMethod ("takeAt", "@brief Virtual method QLayoutItem *QStackedLayout::takeAt(int)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_takeAt_767_0, &_call_cbs_takeAt_767_0); methods += new qt_gsi::GenericMethod ("takeAt", "@hide", false, &_init_cbs_takeAt_767_0, &_call_cbs_takeAt_767_0, &_set_callback_cbs_takeAt_767_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QStackedLayout::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QStackedLayout::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("widget", "@brief Virtual method QWidget *QStackedLayout::widget()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_widget_0_0, &_call_cbs_widget_0_0); methods += new qt_gsi::GenericMethod ("widget", "@hide", false, &_init_cbs_widget_0_0, &_call_cbs_widget_0_0, &_set_callback_cbs_widget_0_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStackedWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStackedWidget.cc index 7c3597d24a..7484bddeeb 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStackedWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStackedWidget.cc @@ -465,18 +465,18 @@ class QStackedWidget_Adaptor : public QStackedWidget, public qt_gsi::QtObjectBas emit QStackedWidget::destroyed(arg1); } - // [adaptor impl] bool QStackedWidget::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QStackedWidget::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QStackedWidget::eventFilter(arg1, arg2); + return QStackedWidget::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QStackedWidget_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QStackedWidget_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QStackedWidget::eventFilter(arg1, arg2); + return QStackedWidget::eventFilter(watched, event); } } @@ -616,18 +616,18 @@ class QStackedWidget_Adaptor : public QStackedWidget, public qt_gsi::QtObjectBas emit QStackedWidget::windowTitleChanged(title); } - // [adaptor impl] void QStackedWidget::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QStackedWidget::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QStackedWidget::actionEvent(arg1); + QStackedWidget::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QStackedWidget_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QStackedWidget_Adaptor::cbs_actionEvent_1823_0, event); } else { - QStackedWidget::actionEvent(arg1); + QStackedWidget::actionEvent(event); } } @@ -646,63 +646,63 @@ class QStackedWidget_Adaptor : public QStackedWidget, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QStackedWidget::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QStackedWidget::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QStackedWidget::childEvent(arg1); + QStackedWidget::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QStackedWidget_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QStackedWidget_Adaptor::cbs_childEvent_1701_0, event); } else { - QStackedWidget::childEvent(arg1); + QStackedWidget::childEvent(event); } } - // [adaptor impl] void QStackedWidget::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QStackedWidget::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QStackedWidget::closeEvent(arg1); + QStackedWidget::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QStackedWidget_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QStackedWidget_Adaptor::cbs_closeEvent_1719_0, event); } else { - QStackedWidget::closeEvent(arg1); + QStackedWidget::closeEvent(event); } } - // [adaptor impl] void QStackedWidget::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QStackedWidget::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QStackedWidget::contextMenuEvent(arg1); + QStackedWidget::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QStackedWidget_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QStackedWidget_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QStackedWidget::contextMenuEvent(arg1); + QStackedWidget::contextMenuEvent(event); } } - // [adaptor impl] void QStackedWidget::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QStackedWidget::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QStackedWidget::customEvent(arg1); + QStackedWidget::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QStackedWidget_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QStackedWidget_Adaptor::cbs_customEvent_1217_0, event); } else { - QStackedWidget::customEvent(arg1); + QStackedWidget::customEvent(event); } } @@ -721,78 +721,78 @@ class QStackedWidget_Adaptor : public QStackedWidget, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QStackedWidget::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QStackedWidget::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QStackedWidget::dragEnterEvent(arg1); + QStackedWidget::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QStackedWidget_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QStackedWidget_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QStackedWidget::dragEnterEvent(arg1); + QStackedWidget::dragEnterEvent(event); } } - // [adaptor impl] void QStackedWidget::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QStackedWidget::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QStackedWidget::dragLeaveEvent(arg1); + QStackedWidget::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QStackedWidget_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QStackedWidget_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QStackedWidget::dragLeaveEvent(arg1); + QStackedWidget::dragLeaveEvent(event); } } - // [adaptor impl] void QStackedWidget::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QStackedWidget::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QStackedWidget::dragMoveEvent(arg1); + QStackedWidget::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QStackedWidget_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QStackedWidget_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QStackedWidget::dragMoveEvent(arg1); + QStackedWidget::dragMoveEvent(event); } } - // [adaptor impl] void QStackedWidget::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QStackedWidget::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QStackedWidget::dropEvent(arg1); + QStackedWidget::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QStackedWidget_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QStackedWidget_Adaptor::cbs_dropEvent_1622_0, event); } else { - QStackedWidget::dropEvent(arg1); + QStackedWidget::dropEvent(event); } } - // [adaptor impl] void QStackedWidget::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QStackedWidget::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QStackedWidget::enterEvent(arg1); + QStackedWidget::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QStackedWidget_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QStackedWidget_Adaptor::cbs_enterEvent_1217_0, event); } else { - QStackedWidget::enterEvent(arg1); + QStackedWidget::enterEvent(event); } } @@ -811,18 +811,18 @@ class QStackedWidget_Adaptor : public QStackedWidget, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QStackedWidget::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QStackedWidget::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QStackedWidget::focusInEvent(arg1); + QStackedWidget::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QStackedWidget_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QStackedWidget_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QStackedWidget::focusInEvent(arg1); + QStackedWidget::focusInEvent(event); } } @@ -841,33 +841,33 @@ class QStackedWidget_Adaptor : public QStackedWidget, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QStackedWidget::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QStackedWidget::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QStackedWidget::focusOutEvent(arg1); + QStackedWidget::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QStackedWidget_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QStackedWidget_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QStackedWidget::focusOutEvent(arg1); + QStackedWidget::focusOutEvent(event); } } - // [adaptor impl] void QStackedWidget::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QStackedWidget::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QStackedWidget::hideEvent(arg1); + QStackedWidget::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QStackedWidget_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QStackedWidget_Adaptor::cbs_hideEvent_1595_0, event); } else { - QStackedWidget::hideEvent(arg1); + QStackedWidget::hideEvent(event); } } @@ -901,48 +901,48 @@ class QStackedWidget_Adaptor : public QStackedWidget, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QStackedWidget::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QStackedWidget::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QStackedWidget::keyPressEvent(arg1); + QStackedWidget::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QStackedWidget_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QStackedWidget_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QStackedWidget::keyPressEvent(arg1); + QStackedWidget::keyPressEvent(event); } } - // [adaptor impl] void QStackedWidget::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QStackedWidget::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QStackedWidget::keyReleaseEvent(arg1); + QStackedWidget::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QStackedWidget_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QStackedWidget_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QStackedWidget::keyReleaseEvent(arg1); + QStackedWidget::keyReleaseEvent(event); } } - // [adaptor impl] void QStackedWidget::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QStackedWidget::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QStackedWidget::leaveEvent(arg1); + QStackedWidget::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QStackedWidget_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QStackedWidget_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QStackedWidget::leaveEvent(arg1); + QStackedWidget::leaveEvent(event); } } @@ -961,78 +961,78 @@ class QStackedWidget_Adaptor : public QStackedWidget, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QStackedWidget::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QStackedWidget::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QStackedWidget::mouseDoubleClickEvent(arg1); + QStackedWidget::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QStackedWidget_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QStackedWidget_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QStackedWidget::mouseDoubleClickEvent(arg1); + QStackedWidget::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QStackedWidget::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QStackedWidget::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QStackedWidget::mouseMoveEvent(arg1); + QStackedWidget::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QStackedWidget_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QStackedWidget_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QStackedWidget::mouseMoveEvent(arg1); + QStackedWidget::mouseMoveEvent(event); } } - // [adaptor impl] void QStackedWidget::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QStackedWidget::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QStackedWidget::mousePressEvent(arg1); + QStackedWidget::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QStackedWidget_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QStackedWidget_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QStackedWidget::mousePressEvent(arg1); + QStackedWidget::mousePressEvent(event); } } - // [adaptor impl] void QStackedWidget::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QStackedWidget::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QStackedWidget::mouseReleaseEvent(arg1); + QStackedWidget::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QStackedWidget_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QStackedWidget_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QStackedWidget::mouseReleaseEvent(arg1); + QStackedWidget::mouseReleaseEvent(event); } } - // [adaptor impl] void QStackedWidget::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QStackedWidget::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QStackedWidget::moveEvent(arg1); + QStackedWidget::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QStackedWidget_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QStackedWidget_Adaptor::cbs_moveEvent_1624_0, event); } else { - QStackedWidget::moveEvent(arg1); + QStackedWidget::moveEvent(event); } } @@ -1081,18 +1081,18 @@ class QStackedWidget_Adaptor : public QStackedWidget, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QStackedWidget::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QStackedWidget::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QStackedWidget::resizeEvent(arg1); + QStackedWidget::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QStackedWidget_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QStackedWidget_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QStackedWidget::resizeEvent(arg1); + QStackedWidget::resizeEvent(event); } } @@ -1111,63 +1111,63 @@ class QStackedWidget_Adaptor : public QStackedWidget, public qt_gsi::QtObjectBas } } - // [adaptor impl] void QStackedWidget::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QStackedWidget::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QStackedWidget::showEvent(arg1); + QStackedWidget::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QStackedWidget_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QStackedWidget_Adaptor::cbs_showEvent_1634_0, event); } else { - QStackedWidget::showEvent(arg1); + QStackedWidget::showEvent(event); } } - // [adaptor impl] void QStackedWidget::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QStackedWidget::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QStackedWidget::tabletEvent(arg1); + QStackedWidget::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QStackedWidget_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QStackedWidget_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QStackedWidget::tabletEvent(arg1); + QStackedWidget::tabletEvent(event); } } - // [adaptor impl] void QStackedWidget::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QStackedWidget::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QStackedWidget::timerEvent(arg1); + QStackedWidget::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QStackedWidget_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QStackedWidget_Adaptor::cbs_timerEvent_1730_0, event); } else { - QStackedWidget::timerEvent(arg1); + QStackedWidget::timerEvent(event); } } - // [adaptor impl] void QStackedWidget::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QStackedWidget::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QStackedWidget::wheelEvent(arg1); + QStackedWidget::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QStackedWidget_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QStackedWidget_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QStackedWidget::wheelEvent(arg1); + QStackedWidget::wheelEvent(event); } } @@ -1224,7 +1224,7 @@ QStackedWidget_Adaptor::~QStackedWidget_Adaptor() { } static void _init_ctor_QStackedWidget_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1233,16 +1233,16 @@ static void _call_ctor_QStackedWidget_Adaptor_1315 (const qt_gsi::GenericStaticM { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QStackedWidget_Adaptor (arg1)); } -// void QStackedWidget::actionEvent(QActionEvent *) +// void QStackedWidget::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1286,11 +1286,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QStackedWidget::childEvent(QChildEvent *) +// void QStackedWidget::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1310,11 +1310,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QStackedWidget::closeEvent(QCloseEvent *) +// void QStackedWidget::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1334,11 +1334,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QStackedWidget::contextMenuEvent(QContextMenuEvent *) +// void QStackedWidget::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1419,11 +1419,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QStackedWidget::customEvent(QEvent *) +// void QStackedWidget::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1469,7 +1469,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1478,7 +1478,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QStackedWidget_Adaptor *)cls)->emitter_QStackedWidget_destroyed_1302 (arg1); } @@ -1507,11 +1507,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QStackedWidget::dragEnterEvent(QDragEnterEvent *) +// void QStackedWidget::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1531,11 +1531,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QStackedWidget::dragLeaveEvent(QDragLeaveEvent *) +// void QStackedWidget::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1555,11 +1555,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QStackedWidget::dragMoveEvent(QDragMoveEvent *) +// void QStackedWidget::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1598,11 +1598,11 @@ static void _call_fp_drawFrame_1426 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QStackedWidget::dropEvent(QDropEvent *) +// void QStackedWidget::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1622,11 +1622,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QStackedWidget::enterEvent(QEvent *) +// void QStackedWidget::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1669,13 +1669,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QStackedWidget::eventFilter(QObject *, QEvent *) +// bool QStackedWidget::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1695,11 +1695,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QStackedWidget::focusInEvent(QFocusEvent *) +// void QStackedWidget::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1756,11 +1756,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QStackedWidget::focusOutEvent(QFocusEvent *) +// void QStackedWidget::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1836,11 +1836,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QStackedWidget::hideEvent(QHideEvent *) +// void QStackedWidget::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1968,11 +1968,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QStackedWidget::keyPressEvent(QKeyEvent *) +// void QStackedWidget::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1992,11 +1992,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QStackedWidget::keyReleaseEvent(QKeyEvent *) +// void QStackedWidget::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2016,11 +2016,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QStackedWidget::leaveEvent(QEvent *) +// void QStackedWidget::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2082,11 +2082,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QStackedWidget::mouseDoubleClickEvent(QMouseEvent *) +// void QStackedWidget::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2106,11 +2106,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QStackedWidget::mouseMoveEvent(QMouseEvent *) +// void QStackedWidget::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2130,11 +2130,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QStackedWidget::mousePressEvent(QMouseEvent *) +// void QStackedWidget::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2154,11 +2154,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QStackedWidget::mouseReleaseEvent(QMouseEvent *) +// void QStackedWidget::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2178,11 +2178,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QStackedWidget::moveEvent(QMoveEvent *) +// void QStackedWidget::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2333,11 +2333,11 @@ static void _set_callback_cbs_redirected_c1225_0 (void *cls, const gsi::Callback } -// void QStackedWidget::resizeEvent(QResizeEvent *) +// void QStackedWidget::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2428,11 +2428,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QStackedWidget::showEvent(QShowEvent *) +// void QStackedWidget::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2471,11 +2471,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QStackedWidget::tabletEvent(QTabletEvent *) +// void QStackedWidget::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2495,11 +2495,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QStackedWidget::timerEvent(QTimerEvent *) +// void QStackedWidget::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2534,11 +2534,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QStackedWidget::wheelEvent(QWheelEvent *) +// void QStackedWidget::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2638,53 +2638,53 @@ gsi::Class &qtdecl_QStackedWidget (); static gsi::Methods methods_QStackedWidget_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QStackedWidget::QStackedWidget(QWidget *parent)\nThis method creates an object of class QStackedWidget.", &_init_ctor_QStackedWidget_Adaptor_1315, &_call_ctor_QStackedWidget_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QStackedWidget::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QStackedWidget::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QStackedWidget::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QStackedWidget::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QStackedWidget::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QStackedWidget::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QStackedWidget::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QStackedWidget::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QStackedWidget::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QStackedWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QStackedWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentChanged", "@brief Emitter for signal void QStackedWidget::currentChanged(int)\nCall this method to emit this signal.", false, &_init_emitter_currentChanged_767, &_call_emitter_currentChanged_767); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QStackedWidget::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStackedWidget::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStackedWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QStackedWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QStackedWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QStackedWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QStackedWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QStackedWidget::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QStackedWidget::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QStackedWidget::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QStackedWidget::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QStackedWidget::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QStackedWidget::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*drawFrame", "@brief Method void QStackedWidget::drawFrame(QPainter *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_drawFrame_1426, &_call_fp_drawFrame_1426); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QStackedWidget::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QStackedWidget::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QStackedWidget::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QStackedWidget::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QStackedWidget::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QStackedWidget::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QStackedWidget::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QStackedWidget::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QStackedWidget::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QStackedWidget::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QStackedWidget::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QStackedWidget::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QStackedWidget::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QStackedWidget::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QStackedWidget::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QStackedWidget::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QStackedWidget::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QStackedWidget::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QStackedWidget::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2694,25 +2694,25 @@ static gsi::Methods methods_QStackedWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QStackedWidget::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QStackedWidget::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QStackedWidget::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QStackedWidget::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QStackedWidget::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QStackedWidget::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QStackedWidget::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QStackedWidget::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QStackedWidget::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QStackedWidget::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QStackedWidget::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QStackedWidget::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QStackedWidget::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QStackedWidget::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QStackedWidget::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QStackedWidget::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QStackedWidget::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QStackedWidget::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QStackedWidget::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QStackedWidget::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QStackedWidget::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2724,7 +2724,7 @@ static gsi::Methods methods_QStackedWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QStackedWidget::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QStackedWidget::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QStackedWidget::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QStackedWidget::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QStackedWidget::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QStackedWidget::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -2732,16 +2732,16 @@ static gsi::Methods methods_QStackedWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QStackedWidget::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QStackedWidget::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QStackedWidget::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QStackedWidget::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QStackedWidget::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QStackedWidget::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QStackedWidget::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QStackedWidget::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QStackedWidget::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QStackedWidget::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QStackedWidget::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_widgetRemoved", "@brief Emitter for signal void QStackedWidget::widgetRemoved(int index)\nCall this method to emit this signal.", false, &_init_emitter_widgetRemoved_767, &_call_emitter_widgetRemoved_767); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QStackedWidget::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStatusBar.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStatusBar.cc index 283c95c9df..a01e42bc52 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStatusBar.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStatusBar.cc @@ -478,18 +478,18 @@ class QStatusBar_Adaptor : public QStatusBar, public qt_gsi::QtObjectBase emit QStatusBar::destroyed(arg1); } - // [adaptor impl] bool QStatusBar::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QStatusBar::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QStatusBar::eventFilter(arg1, arg2); + return QStatusBar::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QStatusBar_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QStatusBar_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QStatusBar::eventFilter(arg1, arg2); + return QStatusBar::eventFilter(watched, event); } } @@ -629,18 +629,18 @@ class QStatusBar_Adaptor : public QStatusBar, public qt_gsi::QtObjectBase emit QStatusBar::windowTitleChanged(title); } - // [adaptor impl] void QStatusBar::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QStatusBar::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QStatusBar::actionEvent(arg1); + QStatusBar::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QStatusBar_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QStatusBar_Adaptor::cbs_actionEvent_1823_0, event); } else { - QStatusBar::actionEvent(arg1); + QStatusBar::actionEvent(event); } } @@ -659,63 +659,63 @@ class QStatusBar_Adaptor : public QStatusBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QStatusBar::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QStatusBar::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QStatusBar::childEvent(arg1); + QStatusBar::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QStatusBar_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QStatusBar_Adaptor::cbs_childEvent_1701_0, event); } else { - QStatusBar::childEvent(arg1); + QStatusBar::childEvent(event); } } - // [adaptor impl] void QStatusBar::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QStatusBar::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QStatusBar::closeEvent(arg1); + QStatusBar::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QStatusBar_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QStatusBar_Adaptor::cbs_closeEvent_1719_0, event); } else { - QStatusBar::closeEvent(arg1); + QStatusBar::closeEvent(event); } } - // [adaptor impl] void QStatusBar::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QStatusBar::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QStatusBar::contextMenuEvent(arg1); + QStatusBar::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QStatusBar_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QStatusBar_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QStatusBar::contextMenuEvent(arg1); + QStatusBar::contextMenuEvent(event); } } - // [adaptor impl] void QStatusBar::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QStatusBar::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QStatusBar::customEvent(arg1); + QStatusBar::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QStatusBar_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QStatusBar_Adaptor::cbs_customEvent_1217_0, event); } else { - QStatusBar::customEvent(arg1); + QStatusBar::customEvent(event); } } @@ -734,78 +734,78 @@ class QStatusBar_Adaptor : public QStatusBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QStatusBar::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QStatusBar::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QStatusBar::dragEnterEvent(arg1); + QStatusBar::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QStatusBar_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QStatusBar_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QStatusBar::dragEnterEvent(arg1); + QStatusBar::dragEnterEvent(event); } } - // [adaptor impl] void QStatusBar::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QStatusBar::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QStatusBar::dragLeaveEvent(arg1); + QStatusBar::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QStatusBar_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QStatusBar_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QStatusBar::dragLeaveEvent(arg1); + QStatusBar::dragLeaveEvent(event); } } - // [adaptor impl] void QStatusBar::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QStatusBar::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QStatusBar::dragMoveEvent(arg1); + QStatusBar::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QStatusBar_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QStatusBar_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QStatusBar::dragMoveEvent(arg1); + QStatusBar::dragMoveEvent(event); } } - // [adaptor impl] void QStatusBar::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QStatusBar::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QStatusBar::dropEvent(arg1); + QStatusBar::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QStatusBar_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QStatusBar_Adaptor::cbs_dropEvent_1622_0, event); } else { - QStatusBar::dropEvent(arg1); + QStatusBar::dropEvent(event); } } - // [adaptor impl] void QStatusBar::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QStatusBar::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QStatusBar::enterEvent(arg1); + QStatusBar::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QStatusBar_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QStatusBar_Adaptor::cbs_enterEvent_1217_0, event); } else { - QStatusBar::enterEvent(arg1); + QStatusBar::enterEvent(event); } } @@ -824,18 +824,18 @@ class QStatusBar_Adaptor : public QStatusBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QStatusBar::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QStatusBar::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QStatusBar::focusInEvent(arg1); + QStatusBar::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QStatusBar_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QStatusBar_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QStatusBar::focusInEvent(arg1); + QStatusBar::focusInEvent(event); } } @@ -854,33 +854,33 @@ class QStatusBar_Adaptor : public QStatusBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QStatusBar::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QStatusBar::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QStatusBar::focusOutEvent(arg1); + QStatusBar::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QStatusBar_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QStatusBar_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QStatusBar::focusOutEvent(arg1); + QStatusBar::focusOutEvent(event); } } - // [adaptor impl] void QStatusBar::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QStatusBar::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QStatusBar::hideEvent(arg1); + QStatusBar::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QStatusBar_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QStatusBar_Adaptor::cbs_hideEvent_1595_0, event); } else { - QStatusBar::hideEvent(arg1); + QStatusBar::hideEvent(event); } } @@ -914,48 +914,48 @@ class QStatusBar_Adaptor : public QStatusBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QStatusBar::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QStatusBar::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QStatusBar::keyPressEvent(arg1); + QStatusBar::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QStatusBar_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QStatusBar_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QStatusBar::keyPressEvent(arg1); + QStatusBar::keyPressEvent(event); } } - // [adaptor impl] void QStatusBar::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QStatusBar::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QStatusBar::keyReleaseEvent(arg1); + QStatusBar::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QStatusBar_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QStatusBar_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QStatusBar::keyReleaseEvent(arg1); + QStatusBar::keyReleaseEvent(event); } } - // [adaptor impl] void QStatusBar::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QStatusBar::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QStatusBar::leaveEvent(arg1); + QStatusBar::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QStatusBar_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QStatusBar_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QStatusBar::leaveEvent(arg1); + QStatusBar::leaveEvent(event); } } @@ -974,78 +974,78 @@ class QStatusBar_Adaptor : public QStatusBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QStatusBar::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QStatusBar::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QStatusBar::mouseDoubleClickEvent(arg1); + QStatusBar::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QStatusBar_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QStatusBar_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QStatusBar::mouseDoubleClickEvent(arg1); + QStatusBar::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QStatusBar::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QStatusBar::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QStatusBar::mouseMoveEvent(arg1); + QStatusBar::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QStatusBar_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QStatusBar_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QStatusBar::mouseMoveEvent(arg1); + QStatusBar::mouseMoveEvent(event); } } - // [adaptor impl] void QStatusBar::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QStatusBar::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QStatusBar::mousePressEvent(arg1); + QStatusBar::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QStatusBar_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QStatusBar_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QStatusBar::mousePressEvent(arg1); + QStatusBar::mousePressEvent(event); } } - // [adaptor impl] void QStatusBar::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QStatusBar::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QStatusBar::mouseReleaseEvent(arg1); + QStatusBar::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QStatusBar_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QStatusBar_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QStatusBar::mouseReleaseEvent(arg1); + QStatusBar::mouseReleaseEvent(event); } } - // [adaptor impl] void QStatusBar::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QStatusBar::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QStatusBar::moveEvent(arg1); + QStatusBar::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QStatusBar_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QStatusBar_Adaptor::cbs_moveEvent_1624_0, event); } else { - QStatusBar::moveEvent(arg1); + QStatusBar::moveEvent(event); } } @@ -1139,48 +1139,48 @@ class QStatusBar_Adaptor : public QStatusBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QStatusBar::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QStatusBar::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QStatusBar::tabletEvent(arg1); + QStatusBar::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QStatusBar_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QStatusBar_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QStatusBar::tabletEvent(arg1); + QStatusBar::tabletEvent(event); } } - // [adaptor impl] void QStatusBar::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QStatusBar::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QStatusBar::timerEvent(arg1); + QStatusBar::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QStatusBar_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QStatusBar_Adaptor::cbs_timerEvent_1730_0, event); } else { - QStatusBar::timerEvent(arg1); + QStatusBar::timerEvent(event); } } - // [adaptor impl] void QStatusBar::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QStatusBar::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QStatusBar::wheelEvent(arg1); + QStatusBar::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QStatusBar_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QStatusBar_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QStatusBar::wheelEvent(arg1); + QStatusBar::wheelEvent(event); } } @@ -1237,7 +1237,7 @@ QStatusBar_Adaptor::~QStatusBar_Adaptor() { } static void _init_ctor_QStatusBar_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1246,16 +1246,16 @@ static void _call_ctor_QStatusBar_Adaptor_1315 (const qt_gsi::GenericStaticMetho { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QStatusBar_Adaptor (arg1)); } -// void QStatusBar::actionEvent(QActionEvent *) +// void QStatusBar::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1299,11 +1299,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QStatusBar::childEvent(QChildEvent *) +// void QStatusBar::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1323,11 +1323,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QStatusBar::closeEvent(QCloseEvent *) +// void QStatusBar::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1347,11 +1347,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QStatusBar::contextMenuEvent(QContextMenuEvent *) +// void QStatusBar::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1414,11 +1414,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QStatusBar::customEvent(QEvent *) +// void QStatusBar::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1464,7 +1464,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1473,7 +1473,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QStatusBar_Adaptor *)cls)->emitter_QStatusBar_destroyed_1302 (arg1); } @@ -1502,11 +1502,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QStatusBar::dragEnterEvent(QDragEnterEvent *) +// void QStatusBar::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1526,11 +1526,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QStatusBar::dragLeaveEvent(QDragLeaveEvent *) +// void QStatusBar::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1550,11 +1550,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QStatusBar::dragMoveEvent(QDragMoveEvent *) +// void QStatusBar::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1574,11 +1574,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QStatusBar::dropEvent(QDropEvent *) +// void QStatusBar::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1598,11 +1598,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QStatusBar::enterEvent(QEvent *) +// void QStatusBar::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1645,13 +1645,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QStatusBar::eventFilter(QObject *, QEvent *) +// bool QStatusBar::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1671,11 +1671,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QStatusBar::focusInEvent(QFocusEvent *) +// void QStatusBar::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1732,11 +1732,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QStatusBar::focusOutEvent(QFocusEvent *) +// void QStatusBar::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1812,11 +1812,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QStatusBar::hideEvent(QHideEvent *) +// void QStatusBar::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1940,11 +1940,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QStatusBar::keyPressEvent(QKeyEvent *) +// void QStatusBar::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1964,11 +1964,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QStatusBar::keyReleaseEvent(QKeyEvent *) +// void QStatusBar::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1988,11 +1988,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QStatusBar::leaveEvent(QEvent *) +// void QStatusBar::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2072,11 +2072,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QStatusBar::mouseDoubleClickEvent(QMouseEvent *) +// void QStatusBar::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2096,11 +2096,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QStatusBar::mouseMoveEvent(QMouseEvent *) +// void QStatusBar::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2120,11 +2120,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QStatusBar::mousePressEvent(QMouseEvent *) +// void QStatusBar::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2144,11 +2144,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QStatusBar::mouseReleaseEvent(QMouseEvent *) +// void QStatusBar::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2168,11 +2168,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QStatusBar::moveEvent(QMoveEvent *) +// void QStatusBar::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2476,11 +2476,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QStatusBar::tabletEvent(QTabletEvent *) +// void QStatusBar::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2500,11 +2500,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QStatusBar::timerEvent(QTimerEvent *) +// void QStatusBar::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2539,11 +2539,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QStatusBar::wheelEvent(QWheelEvent *) +// void QStatusBar::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2625,51 +2625,51 @@ gsi::Class &qtdecl_QStatusBar (); static gsi::Methods methods_QStatusBar_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QStatusBar::QStatusBar(QWidget *parent)\nThis method creates an object of class QStatusBar.", &_init_ctor_QStatusBar_Adaptor_1315, &_call_ctor_QStatusBar_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QStatusBar::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QStatusBar::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QStatusBar::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QStatusBar::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QStatusBar::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QStatusBar::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QStatusBar::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QStatusBar::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QStatusBar::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QStatusBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QStatusBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QStatusBar::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStatusBar::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStatusBar::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QStatusBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QStatusBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QStatusBar::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QStatusBar::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QStatusBar::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QStatusBar::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QStatusBar::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QStatusBar::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QStatusBar::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QStatusBar::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QStatusBar::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QStatusBar::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QStatusBar::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QStatusBar::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QStatusBar::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QStatusBar::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QStatusBar::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QStatusBar::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QStatusBar::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QStatusBar::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QStatusBar::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QStatusBar::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QStatusBar::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QStatusBar::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QStatusBar::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QStatusBar::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QStatusBar::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QStatusBar::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideOrShow", "@brief Method void QStatusBar::hideOrShow()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_hideOrShow_0, &_call_fp_hideOrShow_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QStatusBar::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); @@ -2679,26 +2679,26 @@ static gsi::Methods methods_QStatusBar_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QStatusBar::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QStatusBar::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QStatusBar::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QStatusBar::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QStatusBar::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QStatusBar::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QStatusBar::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QStatusBar::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_messageChanged", "@brief Emitter for signal void QStatusBar::messageChanged(const QString &text)\nCall this method to emit this signal.", false, &_init_emitter_messageChanged_2025, &_call_emitter_messageChanged_2025); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QStatusBar::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QStatusBar::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QStatusBar::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QStatusBar::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QStatusBar::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QStatusBar::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QStatusBar::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QStatusBar::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QStatusBar::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QStatusBar::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QStatusBar::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QStatusBar::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QStatusBar::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2723,12 +2723,12 @@ static gsi::Methods methods_QStatusBar_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QStatusBar::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QStatusBar::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QStatusBar::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QStatusBar::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QStatusBar::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QStatusBar::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QStatusBar::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QStatusBar::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QStatusBar::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QStatusBar::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyle.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyle.cc index 2c1d37db59..fa65efc5f9 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyle.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyle.cc @@ -78,9 +78,9 @@ static void _init_f_combinedLayoutSpacing_c11699 (qt_gsi::GenericMethod *decl) decl->add_arg > (argspec_1); static gsi::ArgSpecBase argspec_2 ("orientation"); decl->add_arg::target_type & > (argspec_2); - static gsi::ArgSpecBase argspec_3 ("option", true, "0"); + static gsi::ArgSpecBase argspec_3 ("option", true, "nullptr"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_4 ("widget", true, "nullptr"); decl->add_arg (argspec_4); decl->set_return (); } @@ -92,8 +92,8 @@ static void _call_f_combinedLayoutSpacing_c11699 (const qt_gsi::GenericMethod * QFlags arg1 = gsi::arg_reader >() (args, heap); QFlags arg2 = gsi::arg_reader >() (args, heap); const qt_gsi::Converter::target_type & arg3 = gsi::arg_reader::target_type & >() (args, heap); - QStyleOption *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QWidget *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QStyleOption *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QWidget *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((int)((QStyle *)cls)->combinedLayoutSpacing (arg1, arg2, qt_gsi::QtToCppAdaptor(arg3).cref(), arg4, arg5)); } @@ -109,7 +109,7 @@ static void _init_f_drawComplexControl_c9027 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("p"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_3 ("widget", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -121,7 +121,7 @@ static void _call_f_drawComplexControl_c9027 (const qt_gsi::GenericMethod * /*de const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); const QStyleOptionComplex *arg2 = gsi::arg_reader() (args, heap); QPainter *arg3 = gsi::arg_reader() (args, heap); - const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QStyle *)cls)->drawComplexControl (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4); } @@ -138,7 +138,7 @@ static void _init_f_drawControl_c8285 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("p"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("w", true, "0"); + static gsi::ArgSpecBase argspec_3 ("w", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -150,7 +150,7 @@ static void _call_f_drawControl_c8285 (const qt_gsi::GenericMethod * /*decl*/, v const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); const QStyleOption *arg2 = gsi::arg_reader() (args, heap); QPainter *arg3 = gsi::arg_reader() (args, heap); - const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QStyle *)cls)->drawControl (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4); } @@ -234,7 +234,7 @@ static void _init_f_drawPrimitive_c8501 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("p"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("w", true, "0"); + static gsi::ArgSpecBase argspec_3 ("w", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -246,7 +246,7 @@ static void _call_f_drawPrimitive_c8501 (const qt_gsi::GenericMethod * /*decl*/, const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); const QStyleOption *arg2 = gsi::arg_reader() (args, heap); QPainter *arg3 = gsi::arg_reader() (args, heap); - const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QStyle *)cls)->drawPrimitive (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4); } @@ -288,7 +288,7 @@ static void _init_f_hitTestComplexControl_c9517 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("pt"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_3 ("widget", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return::target_type > (); } @@ -300,7 +300,7 @@ static void _call_f_hitTestComplexControl_c9517 (const qt_gsi::GenericMethod * / const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); const QStyleOptionComplex *arg2 = gsi::arg_reader() (args, heap); const QPoint &arg3 = gsi::arg_reader() (args, heap); - const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(((QStyle *)cls)->hitTestComplexControl (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4))); } @@ -372,9 +372,9 @@ static void _init_f_layoutSpacing_c11697 (qt_gsi::GenericMethod *decl) decl->add_arg::target_type & > (argspec_1); static gsi::ArgSpecBase argspec_2 ("orientation"); decl->add_arg::target_type & > (argspec_2); - static gsi::ArgSpecBase argspec_3 ("option", true, "0"); + static gsi::ArgSpecBase argspec_3 ("option", true, "nullptr"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_4 ("widget", true, "nullptr"); decl->add_arg (argspec_4); decl->set_return (); } @@ -386,8 +386,8 @@ static void _call_f_layoutSpacing_c11697 (const qt_gsi::GenericMethod * /*decl*/ const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); const qt_gsi::Converter::target_type & arg3 = gsi::arg_reader::target_type & >() (args, heap); - const QStyleOption *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - const QWidget *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QStyleOption *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + const QWidget *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((int)((QStyle *)cls)->layoutSpacing (qt_gsi::QtToCppAdaptor(arg1).cref(), qt_gsi::QtToCppAdaptor(arg2).cref(), qt_gsi::QtToCppAdaptor(arg3).cref(), arg4, arg5)); } @@ -399,9 +399,9 @@ static void _init_f_pixelMetric_c6642 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("metric"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("option", true, "0"); + static gsi::ArgSpecBase argspec_1 ("option", true, "nullptr"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_2 ("widget", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -411,18 +411,18 @@ static void _call_f_pixelMetric_c6642 (const qt_gsi::GenericMethod * /*decl*/, v __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - const QStyleOption *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - const QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QStyleOption *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + const QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((int)((QStyle *)cls)->pixelMetric (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3)); } -// void QStyle::polish(QWidget *) +// void QStyle::polish(QWidget *widget) static void _init_f_polish_1315 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("widget"); decl->add_arg (argspec_0); decl->set_return (); } @@ -437,12 +437,12 @@ static void _call_f_polish_1315 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QStyle::polish(QApplication *) +// void QStyle::polish(QApplication *application) static void _init_f_polish_1843 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("application"); decl->add_arg (argspec_0); decl->set_return (); } @@ -457,12 +457,12 @@ static void _call_f_polish_1843 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QStyle::polish(QPalette &) +// void QStyle::polish(QPalette &palette) static void _init_f_polish_1418 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("palette"); decl->add_arg (argspec_0); decl->set_return (); } @@ -503,7 +503,7 @@ static void _init_f_sizeFromContents_c8477 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("contentsSize"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("w", true, "0"); + static gsi::ArgSpecBase argspec_3 ("w", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -515,7 +515,7 @@ static void _call_f_sizeFromContents_c8477 (const qt_gsi::GenericMethod * /*decl const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); const QStyleOption *arg2 = gsi::arg_reader() (args, heap); const QSize &arg3 = gsi::arg_reader() (args, heap); - const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QSize)((QStyle *)cls)->sizeFromContents (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4)); } @@ -527,9 +527,9 @@ static void _init_f_standardIcon_c6956 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("standardIcon"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("option", true, "0"); + static gsi::ArgSpecBase argspec_1 ("option", true, "nullptr"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_2 ("widget", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -539,8 +539,8 @@ static void _call_f_standardIcon_c6956 (const qt_gsi::GenericMethod * /*decl*/, __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - const QStyleOption *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - const QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QStyleOption *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + const QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QIcon)((QStyle *)cls)->standardIcon (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3)); } @@ -567,9 +567,9 @@ static void _init_f_standardPixmap_c6956 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("standardPixmap"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("opt", true, "0"); + static gsi::ArgSpecBase argspec_1 ("opt", true, "nullptr"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_2 ("widget", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -579,8 +579,8 @@ static void _call_f_standardPixmap_c6956 (const qt_gsi::GenericMethod * /*decl*/ __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - const QStyleOption *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - const QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QStyleOption *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + const QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QPixmap)((QStyle *)cls)->standardPixmap (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3)); } @@ -592,11 +592,11 @@ static void _init_f_styleHint_c8615 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("stylehint"); decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("opt", true, "0"); + static gsi::ArgSpecBase argspec_1 ("opt", true, "nullptr"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_2 ("widget", true, "nullptr"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("returnData", true, "0"); + static gsi::ArgSpecBase argspec_3 ("returnData", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -606,9 +606,9 @@ static void _call_f_styleHint_c8615 (const qt_gsi::GenericMethod * /*decl*/, voi __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - const QStyleOption *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - const QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QStyleHintReturn *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QStyleOption *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + const QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QStyleHintReturn *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((int)((QStyle *)cls)->styleHint (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3, arg4)); } @@ -624,7 +624,7 @@ static void _init_f_subControlRect_c9798 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_1); static gsi::ArgSpecBase argspec_2 ("sc"); decl->add_arg::target_type & > (argspec_2); - static gsi::ArgSpecBase argspec_3 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_3 ("widget", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -636,7 +636,7 @@ static void _call_f_subControlRect_c9798 (const qt_gsi::GenericMethod * /*decl*/ const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); const QStyleOptionComplex *arg2 = gsi::arg_reader() (args, heap); const qt_gsi::Converter::target_type & arg3 = gsi::arg_reader::target_type & >() (args, heap); - const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QWidget *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QRect)((QStyle *)cls)->subControlRect (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, qt_gsi::QtToCppAdaptor(arg3).cref(), arg4)); } @@ -650,7 +650,7 @@ static void _init_f_subElementRect_c6528 (qt_gsi::GenericMethod *decl) decl->add_arg::target_type & > (argspec_0); static gsi::ArgSpecBase argspec_1 ("option"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("widget", true, "0"); + static gsi::ArgSpecBase argspec_2 ("widget", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -661,17 +661,17 @@ static void _call_f_subElementRect_c6528 (const qt_gsi::GenericMethod * /*decl*/ tl::Heap heap; const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); const QStyleOption *arg2 = gsi::arg_reader() (args, heap); - const QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QRect)((QStyle *)cls)->subElementRect (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2, arg3)); } -// void QStyle::unpolish(QWidget *) +// void QStyle::unpolish(QWidget *widget) static void _init_f_unpolish_1315 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("widget"); decl->add_arg (argspec_0); decl->set_return (); } @@ -686,12 +686,12 @@ static void _call_f_unpolish_1315 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QStyle::unpolish(QApplication *) +// void QStyle::unpolish(QApplication *application) static void _init_f_unpolish_1843 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("application"); decl->add_arg (argspec_0); decl->set_return (); } @@ -936,9 +936,9 @@ static gsi::Methods methods_QStyle () { methods += new qt_gsi::GenericMethod ("itemTextRect", "@brief Method QRect QStyle::itemTextRect(const QFontMetrics &fm, const QRect &r, int flags, bool enabled, const QString &text)\n", true, &_init_f_itemTextRect_c7544, &_call_f_itemTextRect_c7544); methods += new qt_gsi::GenericMethod ("layoutSpacing", "@brief Method int QStyle::layoutSpacing(QSizePolicy::ControlType control1, QSizePolicy::ControlType control2, Qt::Orientation orientation, const QStyleOption *option, const QWidget *widget)\n", true, &_init_f_layoutSpacing_c11697, &_call_f_layoutSpacing_c11697); methods += new qt_gsi::GenericMethod ("pixelMetric", "@brief Method int QStyle::pixelMetric(QStyle::PixelMetric metric, const QStyleOption *option, const QWidget *widget)\n", true, &_init_f_pixelMetric_c6642, &_call_f_pixelMetric_c6642); - methods += new qt_gsi::GenericMethod ("polish", "@brief Method void QStyle::polish(QWidget *)\n", false, &_init_f_polish_1315, &_call_f_polish_1315); - methods += new qt_gsi::GenericMethod ("polish", "@brief Method void QStyle::polish(QApplication *)\n", false, &_init_f_polish_1843, &_call_f_polish_1843); - methods += new qt_gsi::GenericMethod ("polish", "@brief Method void QStyle::polish(QPalette &)\n", false, &_init_f_polish_1418, &_call_f_polish_1418); + methods += new qt_gsi::GenericMethod ("polish", "@brief Method void QStyle::polish(QWidget *widget)\n", false, &_init_f_polish_1315, &_call_f_polish_1315); + methods += new qt_gsi::GenericMethod ("polish", "@brief Method void QStyle::polish(QApplication *application)\n", false, &_init_f_polish_1843, &_call_f_polish_1843); + methods += new qt_gsi::GenericMethod ("polish", "@brief Method void QStyle::polish(QPalette &palette)\n", false, &_init_f_polish_1418, &_call_f_polish_1418); methods += new qt_gsi::GenericMethod ("proxy", "@brief Method const QStyle *QStyle::proxy()\n", true, &_init_f_proxy_c0, &_call_f_proxy_c0); methods += new qt_gsi::GenericMethod ("sizeFromContents", "@brief Method QSize QStyle::sizeFromContents(QStyle::ContentsType ct, const QStyleOption *opt, const QSize &contentsSize, const QWidget *w)\n", true, &_init_f_sizeFromContents_c8477, &_call_f_sizeFromContents_c8477); methods += new qt_gsi::GenericMethod ("standardIcon", "@brief Method QIcon QStyle::standardIcon(QStyle::StandardPixmap standardIcon, const QStyleOption *option, const QWidget *widget)\n", true, &_init_f_standardIcon_c6956, &_call_f_standardIcon_c6956); @@ -947,8 +947,8 @@ static gsi::Methods methods_QStyle () { methods += new qt_gsi::GenericMethod ("styleHint", "@brief Method int QStyle::styleHint(QStyle::StyleHint stylehint, const QStyleOption *opt, const QWidget *widget, QStyleHintReturn *returnData)\n", true, &_init_f_styleHint_c8615, &_call_f_styleHint_c8615); methods += new qt_gsi::GenericMethod ("subControlRect", "@brief Method QRect QStyle::subControlRect(QStyle::ComplexControl cc, const QStyleOptionComplex *opt, QStyle::SubControl sc, const QWidget *widget)\n", true, &_init_f_subControlRect_c9798, &_call_f_subControlRect_c9798); methods += new qt_gsi::GenericMethod ("subElementRect", "@brief Method QRect QStyle::subElementRect(QStyle::SubElement subElement, const QStyleOption *option, const QWidget *widget)\n", true, &_init_f_subElementRect_c6528, &_call_f_subElementRect_c6528); - methods += new qt_gsi::GenericMethod ("unpolish", "@brief Method void QStyle::unpolish(QWidget *)\n", false, &_init_f_unpolish_1315, &_call_f_unpolish_1315); - methods += new qt_gsi::GenericMethod ("unpolish", "@brief Method void QStyle::unpolish(QApplication *)\n", false, &_init_f_unpolish_1843, &_call_f_unpolish_1843); + methods += new qt_gsi::GenericMethod ("unpolish", "@brief Method void QStyle::unpolish(QWidget *widget)\n", false, &_init_f_unpolish_1315, &_call_f_unpolish_1315); + methods += new qt_gsi::GenericMethod ("unpolish", "@brief Method void QStyle::unpolish(QApplication *application)\n", false, &_init_f_unpolish_1843, &_call_f_unpolish_1843); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QStyle::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QStyle::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("alignedRect", "@brief Static method QRect QStyle::alignedRect(Qt::LayoutDirection direction, QFlags alignment, const QSize &size, const QRect &rectangle)\nThis method is static and can be called without an instance.", &_init_f_alignedRect_8339, &_call_f_alignedRect_8339); @@ -1098,33 +1098,33 @@ class QStyle_Adaptor : public QStyle, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QStyle::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QStyle::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QStyle::event(arg1); + return QStyle::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QStyle_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QStyle_Adaptor::cbs_event_1217_0, _event); } else { - return QStyle::event(arg1); + return QStyle::event(_event); } } - // [adaptor impl] bool QStyle::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QStyle::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QStyle::eventFilter(arg1, arg2); + return QStyle::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QStyle_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QStyle_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QStyle::eventFilter(arg1, arg2); + return QStyle::eventFilter(watched, event); } } @@ -1240,48 +1240,48 @@ class QStyle_Adaptor : public QStyle, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QStyle::polish(QWidget *) - void cbs_polish_1315_0(QWidget *arg1) + // [adaptor impl] void QStyle::polish(QWidget *widget) + void cbs_polish_1315_0(QWidget *widget) { - QStyle::polish(arg1); + QStyle::polish(widget); } - virtual void polish(QWidget *arg1) + virtual void polish(QWidget *widget) { if (cb_polish_1315_0.can_issue()) { - cb_polish_1315_0.issue(&QStyle_Adaptor::cbs_polish_1315_0, arg1); + cb_polish_1315_0.issue(&QStyle_Adaptor::cbs_polish_1315_0, widget); } else { - QStyle::polish(arg1); + QStyle::polish(widget); } } - // [adaptor impl] void QStyle::polish(QApplication *) - void cbs_polish_1843_0(QApplication *arg1) + // [adaptor impl] void QStyle::polish(QApplication *application) + void cbs_polish_1843_0(QApplication *application) { - QStyle::polish(arg1); + QStyle::polish(application); } - virtual void polish(QApplication *arg1) + virtual void polish(QApplication *application) { if (cb_polish_1843_0.can_issue()) { - cb_polish_1843_0.issue(&QStyle_Adaptor::cbs_polish_1843_0, arg1); + cb_polish_1843_0.issue(&QStyle_Adaptor::cbs_polish_1843_0, application); } else { - QStyle::polish(arg1); + QStyle::polish(application); } } - // [adaptor impl] void QStyle::polish(QPalette &) - void cbs_polish_1418_0(QPalette &arg1) + // [adaptor impl] void QStyle::polish(QPalette &palette) + void cbs_polish_1418_0(QPalette &palette) { - QStyle::polish(arg1); + QStyle::polish(palette); } - virtual void polish(QPalette &arg1) + virtual void polish(QPalette &palette) { if (cb_polish_1418_0.can_issue()) { - cb_polish_1418_0.issue(&QStyle_Adaptor::cbs_polish_1418_0, arg1); + cb_polish_1418_0.issue(&QStyle_Adaptor::cbs_polish_1418_0, palette); } else { - QStyle::polish(arg1); + QStyle::polish(palette); } } @@ -1411,63 +1411,63 @@ class QStyle_Adaptor : public QStyle, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QStyle::unpolish(QWidget *) - void cbs_unpolish_1315_0(QWidget *arg1) + // [adaptor impl] void QStyle::unpolish(QWidget *widget) + void cbs_unpolish_1315_0(QWidget *widget) { - QStyle::unpolish(arg1); + QStyle::unpolish(widget); } - virtual void unpolish(QWidget *arg1) + virtual void unpolish(QWidget *widget) { if (cb_unpolish_1315_0.can_issue()) { - cb_unpolish_1315_0.issue(&QStyle_Adaptor::cbs_unpolish_1315_0, arg1); + cb_unpolish_1315_0.issue(&QStyle_Adaptor::cbs_unpolish_1315_0, widget); } else { - QStyle::unpolish(arg1); + QStyle::unpolish(widget); } } - // [adaptor impl] void QStyle::unpolish(QApplication *) - void cbs_unpolish_1843_0(QApplication *arg1) + // [adaptor impl] void QStyle::unpolish(QApplication *application) + void cbs_unpolish_1843_0(QApplication *application) { - QStyle::unpolish(arg1); + QStyle::unpolish(application); } - virtual void unpolish(QApplication *arg1) + virtual void unpolish(QApplication *application) { if (cb_unpolish_1843_0.can_issue()) { - cb_unpolish_1843_0.issue(&QStyle_Adaptor::cbs_unpolish_1843_0, arg1); + cb_unpolish_1843_0.issue(&QStyle_Adaptor::cbs_unpolish_1843_0, application); } else { - QStyle::unpolish(arg1); + QStyle::unpolish(application); } } - // [adaptor impl] void QStyle::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QStyle::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QStyle::childEvent(arg1); + QStyle::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QStyle_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QStyle_Adaptor::cbs_childEvent_1701_0, event); } else { - QStyle::childEvent(arg1); + QStyle::childEvent(event); } } - // [adaptor impl] void QStyle::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QStyle::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QStyle::customEvent(arg1); + QStyle::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QStyle_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QStyle_Adaptor::cbs_customEvent_1217_0, event); } else { - QStyle::customEvent(arg1); + QStyle::customEvent(event); } } @@ -1486,18 +1486,18 @@ class QStyle_Adaptor : public QStyle, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QStyle::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QStyle::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QStyle::timerEvent(arg1); + QStyle::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QStyle_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QStyle_Adaptor::cbs_timerEvent_1730_0, event); } else { - QStyle::timerEvent(arg1); + QStyle::timerEvent(event); } } @@ -1548,11 +1548,11 @@ static void _call_ctor_QStyle_Adaptor_0 (const qt_gsi::GenericStaticMethod * /*d } -// void QStyle::childEvent(QChildEvent *) +// void QStyle::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1572,11 +1572,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QStyle::customEvent(QEvent *) +// void QStyle::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1600,7 +1600,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1609,7 +1609,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QStyle_Adaptor *)cls)->emitter_QStyle_destroyed_1302 (arg1); } @@ -1812,11 +1812,11 @@ static void _set_callback_cbs_drawPrimitive_c8501_1 (void *cls, const gsi::Callb } -// bool QStyle::event(QEvent *) +// bool QStyle::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1835,13 +1835,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QStyle::eventFilter(QObject *, QEvent *) +// bool QStyle::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2086,11 +2086,11 @@ static void _set_callback_cbs_pixelMetric_c6642_2 (void *cls, const gsi::Callbac } -// void QStyle::polish(QWidget *) +// void QStyle::polish(QWidget *widget) static void _init_cbs_polish_1315_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("widget"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2110,11 +2110,11 @@ static void _set_callback_cbs_polish_1315_0 (void *cls, const gsi::Callback &cb) } -// void QStyle::polish(QApplication *) +// void QStyle::polish(QApplication *application) static void _init_cbs_polish_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("application"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2134,11 +2134,11 @@ static void _set_callback_cbs_polish_1843_0 (void *cls, const gsi::Callback &cb) } -// void QStyle::polish(QPalette &) +// void QStyle::polish(QPalette &palette) static void _init_cbs_polish_1418_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("palette"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2406,11 +2406,11 @@ static void _set_callback_cbs_subElementRect_c6528_1 (void *cls, const gsi::Call } -// void QStyle::timerEvent(QTimerEvent *) +// void QStyle::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2430,11 +2430,11 @@ static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback } -// void QStyle::unpolish(QWidget *) +// void QStyle::unpolish(QWidget *widget) static void _init_cbs_unpolish_1315_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("widget"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2454,11 +2454,11 @@ static void _set_callback_cbs_unpolish_1315_0 (void *cls, const gsi::Callback &c } -// void QStyle::unpolish(QApplication *) +// void QStyle::unpolish(QApplication *application) static void _init_cbs_unpolish_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("application"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2486,9 +2486,9 @@ gsi::Class &qtdecl_QStyle (); static gsi::Methods methods_QStyle_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QStyle::QStyle()\nThis method creates an object of class QStyle.", &_init_ctor_QStyle_Adaptor_0, &_call_ctor_QStyle_Adaptor_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QStyle::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QStyle::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStyle::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStyle::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QStyle::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QStyle::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -2503,9 +2503,9 @@ static gsi::Methods methods_QStyle_Adaptor () { methods += new qt_gsi::GenericMethod ("drawItemText", "@hide", true, &_init_cbs_drawItemText_c10604_1, &_call_cbs_drawItemText_c10604_1, &_set_callback_cbs_drawItemText_c10604_1); methods += new qt_gsi::GenericMethod ("drawPrimitive", "@brief Virtual method void QStyle::drawPrimitive(QStyle::PrimitiveElement pe, const QStyleOption *opt, QPainter *p, const QWidget *w)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_drawPrimitive_c8501_1, &_call_cbs_drawPrimitive_c8501_1); methods += new qt_gsi::GenericMethod ("drawPrimitive", "@hide", true, &_init_cbs_drawPrimitive_c8501_1, &_call_cbs_drawPrimitive_c8501_1, &_set_callback_cbs_drawPrimitive_c8501_1); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QStyle::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QStyle::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QStyle::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QStyle::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("generatedIconPixmap", "@brief Virtual method QPixmap QStyle::generatedIconPixmap(QIcon::Mode iconMode, const QPixmap &pixmap, const QStyleOption *opt)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_generatedIconPixmap_c5776_0, &_call_cbs_generatedIconPixmap_c5776_0); methods += new qt_gsi::GenericMethod ("generatedIconPixmap", "@hide", true, &_init_cbs_generatedIconPixmap_c5776_0, &_call_cbs_generatedIconPixmap_c5776_0, &_set_callback_cbs_generatedIconPixmap_c5776_0); @@ -2521,11 +2521,11 @@ static gsi::Methods methods_QStyle_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QStyle::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("pixelMetric", "@brief Virtual method int QStyle::pixelMetric(QStyle::PixelMetric metric, const QStyleOption *option, const QWidget *widget)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_pixelMetric_c6642_2, &_call_cbs_pixelMetric_c6642_2); methods += new qt_gsi::GenericMethod ("pixelMetric", "@hide", true, &_init_cbs_pixelMetric_c6642_2, &_call_cbs_pixelMetric_c6642_2, &_set_callback_cbs_pixelMetric_c6642_2); - methods += new qt_gsi::GenericMethod ("polish", "@brief Virtual method void QStyle::polish(QWidget *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_polish_1315_0, &_call_cbs_polish_1315_0); + methods += new qt_gsi::GenericMethod ("polish", "@brief Virtual method void QStyle::polish(QWidget *widget)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_polish_1315_0, &_call_cbs_polish_1315_0); methods += new qt_gsi::GenericMethod ("polish", "@hide", false, &_init_cbs_polish_1315_0, &_call_cbs_polish_1315_0, &_set_callback_cbs_polish_1315_0); - methods += new qt_gsi::GenericMethod ("polish", "@brief Virtual method void QStyle::polish(QApplication *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_polish_1843_0, &_call_cbs_polish_1843_0); + methods += new qt_gsi::GenericMethod ("polish", "@brief Virtual method void QStyle::polish(QApplication *application)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_polish_1843_0, &_call_cbs_polish_1843_0); methods += new qt_gsi::GenericMethod ("polish", "@hide", false, &_init_cbs_polish_1843_0, &_call_cbs_polish_1843_0, &_set_callback_cbs_polish_1843_0); - methods += new qt_gsi::GenericMethod ("polish", "@brief Virtual method void QStyle::polish(QPalette &)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_polish_1418_0, &_call_cbs_polish_1418_0); + methods += new qt_gsi::GenericMethod ("polish", "@brief Virtual method void QStyle::polish(QPalette &palette)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_polish_1418_0, &_call_cbs_polish_1418_0); methods += new qt_gsi::GenericMethod ("polish", "@hide", false, &_init_cbs_polish_1418_0, &_call_cbs_polish_1418_0, &_set_callback_cbs_polish_1418_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QStyle::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QStyle::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); @@ -2544,11 +2544,11 @@ static gsi::Methods methods_QStyle_Adaptor () { methods += new qt_gsi::GenericMethod ("subControlRect", "@hide", true, &_init_cbs_subControlRect_c9798_1, &_call_cbs_subControlRect_c9798_1, &_set_callback_cbs_subControlRect_c9798_1); methods += new qt_gsi::GenericMethod ("subElementRect", "@brief Virtual method QRect QStyle::subElementRect(QStyle::SubElement subElement, const QStyleOption *option, const QWidget *widget)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_subElementRect_c6528_1, &_call_cbs_subElementRect_c6528_1); methods += new qt_gsi::GenericMethod ("subElementRect", "@hide", true, &_init_cbs_subElementRect_c6528_1, &_call_cbs_subElementRect_c6528_1, &_set_callback_cbs_subElementRect_c6528_1); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QStyle::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QStyle::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); - methods += new qt_gsi::GenericMethod ("unpolish", "@brief Virtual method void QStyle::unpolish(QWidget *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_unpolish_1315_0, &_call_cbs_unpolish_1315_0); + methods += new qt_gsi::GenericMethod ("unpolish", "@brief Virtual method void QStyle::unpolish(QWidget *widget)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_unpolish_1315_0, &_call_cbs_unpolish_1315_0); methods += new qt_gsi::GenericMethod ("unpolish", "@hide", false, &_init_cbs_unpolish_1315_0, &_call_cbs_unpolish_1315_0, &_set_callback_cbs_unpolish_1315_0); - methods += new qt_gsi::GenericMethod ("unpolish", "@brief Virtual method void QStyle::unpolish(QApplication *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_unpolish_1843_0, &_call_cbs_unpolish_1843_0); + methods += new qt_gsi::GenericMethod ("unpolish", "@brief Virtual method void QStyle::unpolish(QApplication *application)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_unpolish_1843_0, &_call_cbs_unpolish_1843_0); methods += new qt_gsi::GenericMethod ("unpolish", "@hide", false, &_init_cbs_unpolish_1843_0, &_call_cbs_unpolish_1843_0, &_set_callback_cbs_unpolish_1843_0); return methods; } @@ -2797,6 +2797,8 @@ static gsi::Enum decl_QStyle_PixelMetric_Enum ("QtWidgets", gsi::enum_const ("PM_TreeViewIndentation", QStyle::PM_TreeViewIndentation, "@brief Enum constant QStyle::PM_TreeViewIndentation") + gsi::enum_const ("PM_HeaderDefaultSectionSizeHorizontal", QStyle::PM_HeaderDefaultSectionSizeHorizontal, "@brief Enum constant QStyle::PM_HeaderDefaultSectionSizeHorizontal") + gsi::enum_const ("PM_HeaderDefaultSectionSizeVertical", QStyle::PM_HeaderDefaultSectionSizeVertical, "@brief Enum constant QStyle::PM_HeaderDefaultSectionSizeVertical") + + gsi::enum_const ("PM_TitleBarButtonIconSize", QStyle::PM_TitleBarButtonIconSize, "@brief Enum constant QStyle::PM_TitleBarButtonIconSize") + + gsi::enum_const ("PM_TitleBarButtonSize", QStyle::PM_TitleBarButtonSize, "@brief Enum constant QStyle::PM_TitleBarButtonSize") + gsi::enum_const ("PM_CustomBase", QStyle::PM_CustomBase, "@brief Enum constant QStyle::PM_CustomBase"), "@qt\n@brief This class represents the QStyle::PixelMetric enum"); @@ -2858,6 +2860,7 @@ static gsi::Enum decl_QStyle_PrimitiveElement_Enum ("Q gsi::enum_const ("PE_IndicatorToolBarSeparator", QStyle::PE_IndicatorToolBarSeparator, "@brief Enum constant QStyle::PE_IndicatorToolBarSeparator") + gsi::enum_const ("PE_PanelTipLabel", QStyle::PE_PanelTipLabel, "@brief Enum constant QStyle::PE_PanelTipLabel") + gsi::enum_const ("PE_IndicatorTabTear", QStyle::PE_IndicatorTabTear, "@brief Enum constant QStyle::PE_IndicatorTabTear") + + gsi::enum_const ("PE_IndicatorTabTearLeft", QStyle::PE_IndicatorTabTearLeft, "@brief Enum constant QStyle::PE_IndicatorTabTearLeft") + gsi::enum_const ("PE_PanelScrollAreaCorner", QStyle::PE_PanelScrollAreaCorner, "@brief Enum constant QStyle::PE_PanelScrollAreaCorner") + gsi::enum_const ("PE_Widget", QStyle::PE_Widget, "@brief Enum constant QStyle::PE_Widget") + gsi::enum_const ("PE_IndicatorColumnViewArrow", QStyle::PE_IndicatorColumnViewArrow, "@brief Enum constant QStyle::PE_IndicatorColumnViewArrow") + @@ -2867,6 +2870,7 @@ static gsi::Enum decl_QStyle_PrimitiveElement_Enum ("Q gsi::enum_const ("PE_PanelStatusBar", QStyle::PE_PanelStatusBar, "@brief Enum constant QStyle::PE_PanelStatusBar") + gsi::enum_const ("PE_IndicatorTabClose", QStyle::PE_IndicatorTabClose, "@brief Enum constant QStyle::PE_IndicatorTabClose") + gsi::enum_const ("PE_PanelMenu", QStyle::PE_PanelMenu, "@brief Enum constant QStyle::PE_PanelMenu") + + gsi::enum_const ("PE_IndicatorTabTearRight", QStyle::PE_IndicatorTabTearRight, "@brief Enum constant QStyle::PE_IndicatorTabTearRight") + gsi::enum_const ("PE_CustomBase", QStyle::PE_CustomBase, "@brief Enum constant QStyle::PE_CustomBase"), "@qt\n@brief This class represents the QStyle::PrimitiveElement enum"); @@ -3089,6 +3093,12 @@ static gsi::Enum decl_QStyle_StyleHint_Enum ("QtWidgets", "QS gsi::enum_const ("SH_Menu_SubMenuSloppyCloseTimeout", QStyle::SH_Menu_SubMenuSloppyCloseTimeout, "@brief Enum constant QStyle::SH_Menu_SubMenuSloppyCloseTimeout") + gsi::enum_const ("SH_Menu_SubMenuResetWhenReenteringParent", QStyle::SH_Menu_SubMenuResetWhenReenteringParent, "@brief Enum constant QStyle::SH_Menu_SubMenuResetWhenReenteringParent") + gsi::enum_const ("SH_Menu_SubMenuDontStartSloppyOnLeave", QStyle::SH_Menu_SubMenuDontStartSloppyOnLeave, "@brief Enum constant QStyle::SH_Menu_SubMenuDontStartSloppyOnLeave") + + gsi::enum_const ("SH_ItemView_ScrollMode", QStyle::SH_ItemView_ScrollMode, "@brief Enum constant QStyle::SH_ItemView_ScrollMode") + + gsi::enum_const ("SH_TitleBar_ShowToolTipsOnButtons", QStyle::SH_TitleBar_ShowToolTipsOnButtons, "@brief Enum constant QStyle::SH_TitleBar_ShowToolTipsOnButtons") + + gsi::enum_const ("SH_Widget_Animation_Duration", QStyle::SH_Widget_Animation_Duration, "@brief Enum constant QStyle::SH_Widget_Animation_Duration") + + gsi::enum_const ("SH_ComboBox_AllowWheelScrolling", QStyle::SH_ComboBox_AllowWheelScrolling, "@brief Enum constant QStyle::SH_ComboBox_AllowWheelScrolling") + + gsi::enum_const ("SH_SpinBox_ButtonsInsideFrame", QStyle::SH_SpinBox_ButtonsInsideFrame, "@brief Enum constant QStyle::SH_SpinBox_ButtonsInsideFrame") + + gsi::enum_const ("SH_SpinBox_StepModifier", QStyle::SH_SpinBox_StepModifier, "@brief Enum constant QStyle::SH_SpinBox_StepModifier") + gsi::enum_const ("SH_CustomBase", QStyle::SH_CustomBase, "@brief Enum constant QStyle::SH_CustomBase"), "@qt\n@brief This class represents the QStyle::StyleHint enum"); @@ -3195,6 +3205,7 @@ static gsi::Enum decl_QStyle_SubElement_Enum ("QtWidgets", " gsi::enum_const ("SE_ViewItemCheckIndicator", QStyle::SE_ViewItemCheckIndicator, "@brief Enum constant QStyle::SE_ViewItemCheckIndicator") + gsi::enum_const ("SE_ItemViewItemCheckIndicator", QStyle::SE_ItemViewItemCheckIndicator, "@brief Enum constant QStyle::SE_ItemViewItemCheckIndicator") + gsi::enum_const ("SE_TabBarTearIndicator", QStyle::SE_TabBarTearIndicator, "@brief Enum constant QStyle::SE_TabBarTearIndicator") + + gsi::enum_const ("SE_TabBarTearIndicatorLeft", QStyle::SE_TabBarTearIndicatorLeft, "@brief Enum constant QStyle::SE_TabBarTearIndicatorLeft") + gsi::enum_const ("SE_TreeViewDisclosureItem", QStyle::SE_TreeViewDisclosureItem, "@brief Enum constant QStyle::SE_TreeViewDisclosureItem") + gsi::enum_const ("SE_LineEditContents", QStyle::SE_LineEditContents, "@brief Enum constant QStyle::SE_LineEditContents") + gsi::enum_const ("SE_FrameContents", QStyle::SE_FrameContents, "@brief Enum constant QStyle::SE_FrameContents") + @@ -3224,6 +3235,9 @@ static gsi::Enum decl_QStyle_SubElement_Enum ("QtWidgets", " gsi::enum_const ("SE_TabBarTabText", QStyle::SE_TabBarTabText, "@brief Enum constant QStyle::SE_TabBarTabText") + gsi::enum_const ("SE_ShapedFrameContents", QStyle::SE_ShapedFrameContents, "@brief Enum constant QStyle::SE_ShapedFrameContents") + gsi::enum_const ("SE_ToolBarHandle", QStyle::SE_ToolBarHandle, "@brief Enum constant QStyle::SE_ToolBarHandle") + + gsi::enum_const ("SE_TabBarScrollLeftButton", QStyle::SE_TabBarScrollLeftButton, "@brief Enum constant QStyle::SE_TabBarScrollLeftButton") + + gsi::enum_const ("SE_TabBarScrollRightButton", QStyle::SE_TabBarScrollRightButton, "@brief Enum constant QStyle::SE_TabBarScrollRightButton") + + gsi::enum_const ("SE_TabBarTearIndicatorRight", QStyle::SE_TabBarTearIndicatorRight, "@brief Enum constant QStyle::SE_TabBarTearIndicatorRight") + gsi::enum_const ("SE_CustomBase", QStyle::SE_CustomBase, "@brief Enum constant QStyle::SE_CustomBase"), "@qt\n@brief This class represents the QStyle::SubElement enum"); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleFactory.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleFactory.cc index 2880a51972..a70ccaac22 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleFactory.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleFactory.cc @@ -92,7 +92,7 @@ namespace gsi static gsi::Methods methods_QStyleFactory () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QStyleFactory::QStyleFactory()\nThis method creates an object of class QStyleFactory.", &_init_ctor_QStyleFactory_0, &_call_ctor_QStyleFactory_0); - methods += new qt_gsi::GenericStaticMethod ("qt_create", "@brief Static method QStyle *QStyleFactory::create(const QString &)\nThis method is static and can be called without an instance.", &_init_f_create_2025, &_call_f_create_2025); + methods += new qt_gsi::GenericStaticMethod ("create|qt_create", "@brief Static method QStyle *QStyleFactory::create(const QString &)\nThis method is static and can be called without an instance.", &_init_f_create_2025, &_call_f_create_2025); methods += new qt_gsi::GenericStaticMethod ("keys", "@brief Static method QStringList QStyleFactory::keys()\nThis method is static and can be called without an instance.", &_init_f_keys_0, &_call_f_keys_0); return methods; } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStylePlugin.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStylePlugin.cc index 0c226c4372..ab4b3f5156 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStylePlugin.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStylePlugin.cc @@ -130,7 +130,7 @@ namespace gsi static gsi::Methods methods_QStylePlugin () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Method QStyle *QStylePlugin::create(const QString &key)\n", false, &_init_f_create_2025, &_call_f_create_2025); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method QStyle *QStylePlugin::create(const QString &key)\n", false, &_init_f_create_2025, &_call_f_create_2025); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QStylePlugin::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QStylePlugin::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QStylePlugin::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); @@ -209,33 +209,33 @@ class QStylePlugin_Adaptor : public QStylePlugin, public qt_gsi::QtObjectBase emit QStylePlugin::destroyed(arg1); } - // [adaptor impl] bool QStylePlugin::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QStylePlugin::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QStylePlugin::event(arg1); + return QStylePlugin::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QStylePlugin_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QStylePlugin_Adaptor::cbs_event_1217_0, _event); } else { - return QStylePlugin::event(arg1); + return QStylePlugin::event(_event); } } - // [adaptor impl] bool QStylePlugin::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QStylePlugin::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QStylePlugin::eventFilter(arg1, arg2); + return QStylePlugin::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QStylePlugin_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QStylePlugin_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QStylePlugin::eventFilter(arg1, arg2); + return QStylePlugin::eventFilter(watched, event); } } @@ -246,33 +246,33 @@ class QStylePlugin_Adaptor : public QStylePlugin, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QStylePlugin::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QStylePlugin::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QStylePlugin::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QStylePlugin::childEvent(arg1); + QStylePlugin::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QStylePlugin_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QStylePlugin_Adaptor::cbs_childEvent_1701_0, event); } else { - QStylePlugin::childEvent(arg1); + QStylePlugin::childEvent(event); } } - // [adaptor impl] void QStylePlugin::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QStylePlugin::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QStylePlugin::customEvent(arg1); + QStylePlugin::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QStylePlugin_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QStylePlugin_Adaptor::cbs_customEvent_1217_0, event); } else { - QStylePlugin::customEvent(arg1); + QStylePlugin::customEvent(event); } } @@ -291,18 +291,18 @@ class QStylePlugin_Adaptor : public QStylePlugin, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QStylePlugin::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QStylePlugin::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QStylePlugin::timerEvent(arg1); + QStylePlugin::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QStylePlugin_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QStylePlugin_Adaptor::cbs_timerEvent_1730_0, event); } else { - QStylePlugin::timerEvent(arg1); + QStylePlugin::timerEvent(event); } } @@ -321,7 +321,7 @@ QStylePlugin_Adaptor::~QStylePlugin_Adaptor() { } static void _init_ctor_QStylePlugin_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -330,16 +330,16 @@ static void _call_ctor_QStylePlugin_Adaptor_1302 (const qt_gsi::GenericStaticMet { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QStylePlugin_Adaptor (arg1)); } -// void QStylePlugin::childEvent(QChildEvent *) +// void QStylePlugin::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -382,11 +382,11 @@ static void _set_callback_cbs_create_2025_0 (void *cls, const gsi::Callback &cb) } -// void QStylePlugin::customEvent(QEvent *) +// void QStylePlugin::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -410,7 +410,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -419,7 +419,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QStylePlugin_Adaptor *)cls)->emitter_QStylePlugin_destroyed_1302 (arg1); } @@ -448,11 +448,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QStylePlugin::event(QEvent *) +// bool QStylePlugin::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -471,13 +471,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QStylePlugin::eventFilter(QObject *, QEvent *) +// bool QStylePlugin::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -579,11 +579,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QStylePlugin::timerEvent(QTimerEvent *) +// void QStylePlugin::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -611,25 +611,25 @@ gsi::Class &qtdecl_QStylePlugin (); static gsi::Methods methods_QStylePlugin_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QStylePlugin::QStylePlugin(QObject *parent)\nThis method creates an object of class QStylePlugin.", &_init_ctor_QStylePlugin_Adaptor_1302, &_call_ctor_QStylePlugin_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QStylePlugin::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QStylePlugin::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Virtual method QStyle *QStylePlugin::create(const QString &key)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_create_2025_0, &_call_cbs_create_2025_0); - methods += new qt_gsi::GenericMethod ("qt_create", "@hide", false, &_init_cbs_create_2025_0, &_call_cbs_create_2025_0, &_set_callback_cbs_create_2025_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStylePlugin::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Virtual method QStyle *QStylePlugin::create(const QString &key)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_create_2025_0, &_call_cbs_create_2025_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@hide", false, &_init_cbs_create_2025_0, &_call_cbs_create_2025_0, &_set_callback_cbs_create_2025_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStylePlugin::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QStylePlugin::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QStylePlugin::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QStylePlugin::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QStylePlugin::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QStylePlugin::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QStylePlugin::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QStylePlugin::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QStylePlugin::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QStylePlugin::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QStylePlugin::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QStylePlugin::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QStylePlugin::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QStylePlugin::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyledItemDelegate.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyledItemDelegate.cc index 227e87f6ae..d22884a837 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyledItemDelegate.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyledItemDelegate.cc @@ -457,18 +457,18 @@ class QStyledItemDelegate_Adaptor : public QStyledItemDelegate, public qt_gsi::Q } } - // [adaptor impl] bool QStyledItemDelegate::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QStyledItemDelegate::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QStyledItemDelegate::event(arg1); + return QStyledItemDelegate::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QStyledItemDelegate_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QStyledItemDelegate_Adaptor::cbs_event_1217_0, _event); } else { - return QStyledItemDelegate::event(arg1); + return QStyledItemDelegate::event(_event); } } @@ -590,33 +590,33 @@ class QStyledItemDelegate_Adaptor : public QStyledItemDelegate, public qt_gsi::Q } } - // [adaptor impl] void QStyledItemDelegate::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QStyledItemDelegate::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QStyledItemDelegate::childEvent(arg1); + QStyledItemDelegate::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QStyledItemDelegate_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QStyledItemDelegate_Adaptor::cbs_childEvent_1701_0, event); } else { - QStyledItemDelegate::childEvent(arg1); + QStyledItemDelegate::childEvent(event); } } - // [adaptor impl] void QStyledItemDelegate::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QStyledItemDelegate::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QStyledItemDelegate::customEvent(arg1); + QStyledItemDelegate::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QStyledItemDelegate_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QStyledItemDelegate_Adaptor::cbs_customEvent_1217_0, event); } else { - QStyledItemDelegate::customEvent(arg1); + QStyledItemDelegate::customEvent(event); } } @@ -680,18 +680,18 @@ class QStyledItemDelegate_Adaptor : public QStyledItemDelegate, public qt_gsi::Q } } - // [adaptor impl] void QStyledItemDelegate::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QStyledItemDelegate::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QStyledItemDelegate::timerEvent(arg1); + QStyledItemDelegate::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QStyledItemDelegate_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QStyledItemDelegate_Adaptor::cbs_timerEvent_1730_0, event); } else { - QStyledItemDelegate::timerEvent(arg1); + QStyledItemDelegate::timerEvent(event); } } @@ -721,7 +721,7 @@ QStyledItemDelegate_Adaptor::~QStyledItemDelegate_Adaptor() { } static void _init_ctor_QStyledItemDelegate_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -730,16 +730,16 @@ static void _call_ctor_QStyledItemDelegate_Adaptor_1302 (const qt_gsi::GenericSt { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QStyledItemDelegate_Adaptor (arg1)); } -// void QStyledItemDelegate::childEvent(QChildEvent *) +// void QStyledItemDelegate::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -827,11 +827,11 @@ static void _set_callback_cbs_createEditor_c6860_0 (void *cls, const gsi::Callba } -// void QStyledItemDelegate::customEvent(QEvent *) +// void QStyledItemDelegate::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -882,7 +882,7 @@ static void _set_callback_cbs_destroyEditor_c3602_0 (void *cls, const gsi::Callb static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -891,7 +891,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QStyledItemDelegate_Adaptor *)cls)->emitter_QStyledItemDelegate_destroyed_1302 (arg1); } @@ -978,11 +978,11 @@ static void _set_callback_cbs_editorEvent_9073_0 (void *cls, const gsi::Callback } -// bool QStyledItemDelegate::event(QEvent *) +// bool QStyledItemDelegate::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1318,11 +1318,11 @@ static void _call_emitter_sizeHintChanged_2395 (const qt_gsi::GenericMethod * /* } -// void QStyledItemDelegate::timerEvent(QTimerEvent *) +// void QStyledItemDelegate::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1380,13 +1380,13 @@ gsi::Class &qtdecl_QStyledItemDelegate (); static gsi::Methods methods_QStyledItemDelegate_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QStyledItemDelegate::QStyledItemDelegate(QObject *parent)\nThis method creates an object of class QStyledItemDelegate.", &_init_ctor_QStyledItemDelegate_Adaptor_1302, &_call_ctor_QStyledItemDelegate_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QStyledItemDelegate::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QStyledItemDelegate::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_closeEditor", "@brief Emitter for signal void QStyledItemDelegate::closeEditor(QWidget *editor, QAbstractItemDelegate::EndEditHint hint)\nCall this method to emit this signal.", false, &_init_emitter_closeEditor_4926, &_call_emitter_closeEditor_4926); methods += new qt_gsi::GenericMethod ("emit_commitData", "@brief Emitter for signal void QStyledItemDelegate::commitData(QWidget *editor)\nCall this method to emit this signal.", false, &_init_emitter_commitData_1315, &_call_emitter_commitData_1315); methods += new qt_gsi::GenericMethod ("createEditor", "@brief Virtual method QWidget *QStyledItemDelegate::createEditor(QWidget *parent, const QStyleOptionViewItem &option, const QModelIndex &index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_createEditor_c6860_0, &_call_cbs_createEditor_c6860_0); methods += new qt_gsi::GenericMethod ("createEditor", "@hide", true, &_init_cbs_createEditor_c6860_0, &_call_cbs_createEditor_c6860_0, &_set_callback_cbs_createEditor_c6860_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStyledItemDelegate::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStyledItemDelegate::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("destroyEditor", "@brief Virtual method void QStyledItemDelegate::destroyEditor(QWidget *editor, const QModelIndex &index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_destroyEditor_c3602_0, &_call_cbs_destroyEditor_c3602_0); methods += new qt_gsi::GenericMethod ("destroyEditor", "@hide", true, &_init_cbs_destroyEditor_c3602_0, &_call_cbs_destroyEditor_c3602_0, &_set_callback_cbs_destroyEditor_c3602_0); @@ -1397,7 +1397,7 @@ static gsi::Methods methods_QStyledItemDelegate_Adaptor () { methods += new qt_gsi::GenericMethod ("displayText", "@hide", true, &_init_cbs_displayText_c3997_0, &_call_cbs_displayText_c3997_0, &_set_callback_cbs_displayText_c3997_0); methods += new qt_gsi::GenericMethod ("*editorEvent", "@brief Virtual method bool QStyledItemDelegate::editorEvent(QEvent *event, QAbstractItemModel *model, const QStyleOptionViewItem &option, const QModelIndex &index)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_editorEvent_9073_0, &_call_cbs_editorEvent_9073_0); methods += new qt_gsi::GenericMethod ("*editorEvent", "@hide", false, &_init_cbs_editorEvent_9073_0, &_call_cbs_editorEvent_9073_0, &_set_callback_cbs_editorEvent_9073_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QStyledItemDelegate::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QStyledItemDelegate::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QStyledItemDelegate::eventFilter(QObject *object, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); @@ -1421,7 +1421,7 @@ static gsi::Methods methods_QStyledItemDelegate_Adaptor () { methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QStyledItemDelegate::sizeHint(const QStyleOptionViewItem &option, const QModelIndex &index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c5653_0, &_call_cbs_sizeHint_c5653_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c5653_0, &_call_cbs_sizeHint_c5653_0, &_set_callback_cbs_sizeHint_c5653_0); methods += new qt_gsi::GenericMethod ("emit_sizeHintChanged", "@brief Emitter for signal void QStyledItemDelegate::sizeHintChanged(const QModelIndex &)\nCall this method to emit this signal.", false, &_init_emitter_sizeHintChanged_2395, &_call_emitter_sizeHintChanged_2395); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QStyledItemDelegate::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QStyledItemDelegate::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("updateEditorGeometry", "@brief Virtual method void QStyledItemDelegate::updateEditorGeometry(QWidget *editor, const QStyleOptionViewItem &option, const QModelIndex &index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_updateEditorGeometry_c6860_0, &_call_cbs_updateEditorGeometry_c6860_0); methods += new qt_gsi::GenericMethod ("updateEditorGeometry", "@hide", true, &_init_cbs_updateEditorGeometry_c6860_0, &_call_cbs_updateEditorGeometry_c6860_0, &_set_callback_cbs_updateEditorGeometry_c6860_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQSwipeGesture.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQSwipeGesture.cc index d1c8072f32..9225018421 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQSwipeGesture.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQSwipeGesture.cc @@ -242,33 +242,33 @@ class QSwipeGesture_Adaptor : public QSwipeGesture, public qt_gsi::QtObjectBase emit QSwipeGesture::destroyed(arg1); } - // [adaptor impl] bool QSwipeGesture::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QSwipeGesture::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QSwipeGesture::event(arg1); + return QSwipeGesture::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QSwipeGesture_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QSwipeGesture_Adaptor::cbs_event_1217_0, _event); } else { - return QSwipeGesture::event(arg1); + return QSwipeGesture::event(_event); } } - // [adaptor impl] bool QSwipeGesture::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSwipeGesture::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSwipeGesture::eventFilter(arg1, arg2); + return QSwipeGesture::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSwipeGesture_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSwipeGesture_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSwipeGesture::eventFilter(arg1, arg2); + return QSwipeGesture::eventFilter(watched, event); } } @@ -279,33 +279,33 @@ class QSwipeGesture_Adaptor : public QSwipeGesture, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QSwipeGesture::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QSwipeGesture::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSwipeGesture::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSwipeGesture::childEvent(arg1); + QSwipeGesture::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSwipeGesture_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSwipeGesture_Adaptor::cbs_childEvent_1701_0, event); } else { - QSwipeGesture::childEvent(arg1); + QSwipeGesture::childEvent(event); } } - // [adaptor impl] void QSwipeGesture::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSwipeGesture::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSwipeGesture::customEvent(arg1); + QSwipeGesture::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSwipeGesture_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSwipeGesture_Adaptor::cbs_customEvent_1217_0, event); } else { - QSwipeGesture::customEvent(arg1); + QSwipeGesture::customEvent(event); } } @@ -324,18 +324,18 @@ class QSwipeGesture_Adaptor : public QSwipeGesture, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QSwipeGesture::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSwipeGesture::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSwipeGesture::timerEvent(arg1); + QSwipeGesture::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSwipeGesture_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSwipeGesture_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSwipeGesture::timerEvent(arg1); + QSwipeGesture::timerEvent(event); } } @@ -353,7 +353,7 @@ QSwipeGesture_Adaptor::~QSwipeGesture_Adaptor() { } static void _init_ctor_QSwipeGesture_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -362,16 +362,16 @@ static void _call_ctor_QSwipeGesture_Adaptor_1302 (const qt_gsi::GenericStaticMe { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSwipeGesture_Adaptor (arg1)); } -// void QSwipeGesture::childEvent(QChildEvent *) +// void QSwipeGesture::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -391,11 +391,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QSwipeGesture::customEvent(QEvent *) +// void QSwipeGesture::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -419,7 +419,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -428,7 +428,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSwipeGesture_Adaptor *)cls)->emitter_QSwipeGesture_destroyed_1302 (arg1); } @@ -457,11 +457,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QSwipeGesture::event(QEvent *) +// bool QSwipeGesture::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -480,13 +480,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSwipeGesture::eventFilter(QObject *, QEvent *) +// bool QSwipeGesture::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -588,11 +588,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QSwipeGesture::timerEvent(QTimerEvent *) +// void QSwipeGesture::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -620,23 +620,23 @@ gsi::Class &qtdecl_QSwipeGesture (); static gsi::Methods methods_QSwipeGesture_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSwipeGesture::QSwipeGesture(QObject *parent)\nThis method creates an object of class QSwipeGesture.", &_init_ctor_QSwipeGesture_Adaptor_1302, &_call_ctor_QSwipeGesture_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSwipeGesture::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSwipeGesture::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSwipeGesture::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSwipeGesture::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSwipeGesture::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSwipeGesture::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSwipeGesture::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSwipeGesture::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSwipeGesture::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSwipeGesture::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSwipeGesture::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QSwipeGesture::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QSwipeGesture::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QSwipeGesture::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QSwipeGesture::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSwipeGesture::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSwipeGesture::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQSystemTrayIcon.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQSystemTrayIcon.cc index d40d72fff8..95da9b45ee 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQSystemTrayIcon.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQSystemTrayIcon.cc @@ -229,6 +229,35 @@ static void _call_f_show_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, g } +// void QSystemTrayIcon::showMessage(const QString &title, const QString &msg, const QIcon &icon, int msecs) + + +static void _init_f_showMessage_6280 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("title"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("msg"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("icon"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("msecs", true, "10000"); + decl->add_arg (argspec_3); + decl->set_return (); +} + +static void _call_f_showMessage_6280 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + const QString &arg2 = gsi::arg_reader() (args, heap); + const QIcon &arg3 = gsi::arg_reader() (args, heap); + int arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (10000, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QSystemTrayIcon *)cls)->showMessage (arg1, arg2, arg3, arg4); +} + + // void QSystemTrayIcon::showMessage(const QString &title, const QString &msg, QSystemTrayIcon::MessageIcon icon, int msecs) @@ -369,6 +398,7 @@ static gsi::Methods methods_QSystemTrayIcon () { methods += new qt_gsi::GenericMethod ("setToolTip|toolTip=", "@brief Method void QSystemTrayIcon::setToolTip(const QString &tip)\n", false, &_init_f_setToolTip_2025, &_call_f_setToolTip_2025); methods += new qt_gsi::GenericMethod ("setVisible|visible=", "@brief Method void QSystemTrayIcon::setVisible(bool visible)\n", false, &_init_f_setVisible_864, &_call_f_setVisible_864); methods += new qt_gsi::GenericMethod ("show", "@brief Method void QSystemTrayIcon::show()\n", false, &_init_f_show_0, &_call_f_show_0); + methods += new qt_gsi::GenericMethod ("showMessage", "@brief Method void QSystemTrayIcon::showMessage(const QString &title, const QString &msg, const QIcon &icon, int msecs)\n", false, &_init_f_showMessage_6280, &_call_f_showMessage_6280); methods += new qt_gsi::GenericMethod ("showMessage", "@brief Method void QSystemTrayIcon::showMessage(const QString &title, const QString &msg, QSystemTrayIcon::MessageIcon icon, int msecs)\n", false, &_init_f_showMessage_7682, &_call_f_showMessage_7682); methods += new qt_gsi::GenericMethod (":toolTip", "@brief Method QString QSystemTrayIcon::toolTip()\n", true, &_init_f_toolTip_c0, &_call_f_toolTip_c0); methods += gsi::qt_signal::target_type & > ("activated(QSystemTrayIcon::ActivationReason)", "activated", gsi::arg("reason"), "@brief Signal declaration for QSystemTrayIcon::activated(QSystemTrayIcon::ActivationReason reason)\nYou can bind a procedure to this signal."); @@ -455,18 +485,18 @@ class QSystemTrayIcon_Adaptor : public QSystemTrayIcon, public qt_gsi::QtObjectB emit QSystemTrayIcon::destroyed(arg1); } - // [adaptor impl] bool QSystemTrayIcon::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QSystemTrayIcon::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QSystemTrayIcon::eventFilter(arg1, arg2); + return QSystemTrayIcon::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QSystemTrayIcon_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QSystemTrayIcon_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QSystemTrayIcon::eventFilter(arg1, arg2); + return QSystemTrayIcon::eventFilter(watched, event); } } @@ -483,33 +513,33 @@ class QSystemTrayIcon_Adaptor : public QSystemTrayIcon, public qt_gsi::QtObjectB throw tl::Exception ("Can't emit private signal 'void QSystemTrayIcon::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QSystemTrayIcon::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QSystemTrayIcon::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QSystemTrayIcon::childEvent(arg1); + QSystemTrayIcon::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QSystemTrayIcon_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QSystemTrayIcon_Adaptor::cbs_childEvent_1701_0, event); } else { - QSystemTrayIcon::childEvent(arg1); + QSystemTrayIcon::childEvent(event); } } - // [adaptor impl] void QSystemTrayIcon::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QSystemTrayIcon::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QSystemTrayIcon::customEvent(arg1); + QSystemTrayIcon::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QSystemTrayIcon_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QSystemTrayIcon_Adaptor::cbs_customEvent_1217_0, event); } else { - QSystemTrayIcon::customEvent(arg1); + QSystemTrayIcon::customEvent(event); } } @@ -543,18 +573,18 @@ class QSystemTrayIcon_Adaptor : public QSystemTrayIcon, public qt_gsi::QtObjectB } } - // [adaptor impl] void QSystemTrayIcon::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QSystemTrayIcon::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QSystemTrayIcon::timerEvent(arg1); + QSystemTrayIcon::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QSystemTrayIcon_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QSystemTrayIcon_Adaptor::cbs_timerEvent_1730_0, event); } else { - QSystemTrayIcon::timerEvent(arg1); + QSystemTrayIcon::timerEvent(event); } } @@ -572,7 +602,7 @@ QSystemTrayIcon_Adaptor::~QSystemTrayIcon_Adaptor() { } static void _init_ctor_QSystemTrayIcon_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -581,7 +611,7 @@ static void _call_ctor_QSystemTrayIcon_Adaptor_1302 (const qt_gsi::GenericStatic { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSystemTrayIcon_Adaptor (arg1)); } @@ -592,7 +622,7 @@ static void _init_ctor_QSystemTrayIcon_Adaptor_2981 (qt_gsi::GenericStaticMethod { static gsi::ArgSpecBase argspec_0 ("icon"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -602,7 +632,7 @@ static void _call_ctor_QSystemTrayIcon_Adaptor_2981 (const qt_gsi::GenericStatic __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QIcon &arg1 = gsi::arg_reader() (args, heap); - QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QSystemTrayIcon_Adaptor (arg1, arg2)); } @@ -625,11 +655,11 @@ static void _call_emitter_activated_3745 (const qt_gsi::GenericMethod * /*decl*/ } -// void QSystemTrayIcon::childEvent(QChildEvent *) +// void QSystemTrayIcon::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -649,11 +679,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QSystemTrayIcon::customEvent(QEvent *) +// void QSystemTrayIcon::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -677,7 +707,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -686,7 +716,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QSystemTrayIcon_Adaptor *)cls)->emitter_QSystemTrayIcon_destroyed_1302 (arg1); } @@ -738,13 +768,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QSystemTrayIcon::eventFilter(QObject *, QEvent *) +// bool QSystemTrayIcon::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -860,11 +890,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QSystemTrayIcon::timerEvent(QTimerEvent *) +// void QSystemTrayIcon::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -894,16 +924,16 @@ static gsi::Methods methods_QSystemTrayIcon_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSystemTrayIcon::QSystemTrayIcon(QObject *parent)\nThis method creates an object of class QSystemTrayIcon.", &_init_ctor_QSystemTrayIcon_Adaptor_1302, &_call_ctor_QSystemTrayIcon_Adaptor_1302); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSystemTrayIcon::QSystemTrayIcon(const QIcon &icon, QObject *parent)\nThis method creates an object of class QSystemTrayIcon.", &_init_ctor_QSystemTrayIcon_Adaptor_2981, &_call_ctor_QSystemTrayIcon_Adaptor_2981); methods += new qt_gsi::GenericMethod ("emit_activated", "@brief Emitter for signal void QSystemTrayIcon::activated(QSystemTrayIcon::ActivationReason reason)\nCall this method to emit this signal.", false, &_init_emitter_activated_3745, &_call_emitter_activated_3745); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSystemTrayIcon::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSystemTrayIcon::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSystemTrayIcon::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSystemTrayIcon::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSystemTrayIcon::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSystemTrayIcon::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QSystemTrayIcon::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSystemTrayIcon::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSystemTrayIcon::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSystemTrayIcon::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_messageClicked", "@brief Emitter for signal void QSystemTrayIcon::messageClicked()\nCall this method to emit this signal.", false, &_init_emitter_messageClicked_0, &_call_emitter_messageClicked_0); @@ -911,7 +941,7 @@ static gsi::Methods methods_QSystemTrayIcon_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QSystemTrayIcon::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QSystemTrayIcon::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QSystemTrayIcon::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSystemTrayIcon::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSystemTrayIcon::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTabBar.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTabBar.cc index b4745ed63f..619119f197 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTabBar.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTabBar.cc @@ -101,6 +101,25 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } +// QString QTabBar::accessibleTabName(int index) + + +static void _init_f_accessibleTabName_c767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("index"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_accessibleTabName_c767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ret.write ((QString)((QTabBar *)cls)->accessibleTabName (arg1)); +} + + // int QTabBar::addTab(const QString &text) @@ -431,6 +450,29 @@ static void _call_f_selectionBehaviorOnRemove_c0 (const qt_gsi::GenericMethod * } +// void QTabBar::setAccessibleTabName(int index, const QString &name) + + +static void _init_f_setAccessibleTabName_2684 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("index"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("name"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_setAccessibleTabName_2684 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + const QString &arg2 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QTabBar *)cls)->setAccessibleTabName (arg1, arg2); +} + + // void QTabBar::setAutoHide(bool hide) @@ -1168,6 +1210,7 @@ namespace gsi static gsi::Methods methods_QTabBar () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); + methods += new qt_gsi::GenericMethod ("accessibleTabName", "@brief Method QString QTabBar::accessibleTabName(int index)\n", true, &_init_f_accessibleTabName_c767, &_call_f_accessibleTabName_c767); methods += new qt_gsi::GenericMethod ("addTab", "@brief Method int QTabBar::addTab(const QString &text)\n", false, &_init_f_addTab_2025, &_call_f_addTab_2025); methods += new qt_gsi::GenericMethod ("addTab", "@brief Method int QTabBar::addTab(const QIcon &icon, const QString &text)\n", false, &_init_f_addTab_3704, &_call_f_addTab_3704); methods += new qt_gsi::GenericMethod (":autoHide", "@brief Method bool QTabBar::autoHide()\n", true, &_init_f_autoHide_c0, &_call_f_autoHide_c0); @@ -1187,6 +1230,7 @@ static gsi::Methods methods_QTabBar () { methods += new qt_gsi::GenericMethod ("moveTab", "@brief Method void QTabBar::moveTab(int from, int to)\n", false, &_init_f_moveTab_1426, &_call_f_moveTab_1426); methods += new qt_gsi::GenericMethod ("removeTab", "@brief Method void QTabBar::removeTab(int index)\n", false, &_init_f_removeTab_767, &_call_f_removeTab_767); methods += new qt_gsi::GenericMethod (":selectionBehaviorOnRemove", "@brief Method QTabBar::SelectionBehavior QTabBar::selectionBehaviorOnRemove()\n", true, &_init_f_selectionBehaviorOnRemove_c0, &_call_f_selectionBehaviorOnRemove_c0); + methods += new qt_gsi::GenericMethod ("setAccessibleTabName", "@brief Method void QTabBar::setAccessibleTabName(int index, const QString &name)\n", false, &_init_f_setAccessibleTabName_2684, &_call_f_setAccessibleTabName_2684); methods += new qt_gsi::GenericMethod ("setAutoHide|autoHide=", "@brief Method void QTabBar::setAutoHide(bool hide)\n", false, &_init_f_setAutoHide_864, &_call_f_setAutoHide_864); methods += new qt_gsi::GenericMethod ("setChangeCurrentOnDrag|changeCurrentOnDrag=", "@brief Method void QTabBar::setChangeCurrentOnDrag(bool change)\n", false, &_init_f_setChangeCurrentOnDrag_864, &_call_f_setChangeCurrentOnDrag_864); methods += new qt_gsi::GenericMethod ("setCurrentIndex|currentIndex=", "@brief Method void QTabBar::setCurrentIndex(int index)\n", false, &_init_f_setCurrentIndex_767, &_call_f_setCurrentIndex_767); @@ -1334,18 +1378,18 @@ class QTabBar_Adaptor : public QTabBar, public qt_gsi::QtObjectBase emit QTabBar::destroyed(arg1); } - // [adaptor impl] bool QTabBar::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QTabBar::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QTabBar::eventFilter(arg1, arg2); + return QTabBar::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QTabBar_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QTabBar_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QTabBar::eventFilter(arg1, arg2); + return QTabBar::eventFilter(watched, event); } } @@ -1503,18 +1547,18 @@ class QTabBar_Adaptor : public QTabBar, public qt_gsi::QtObjectBase emit QTabBar::windowTitleChanged(title); } - // [adaptor impl] void QTabBar::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QTabBar::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QTabBar::actionEvent(arg1); + QTabBar::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QTabBar_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QTabBar_Adaptor::cbs_actionEvent_1823_0, event); } else { - QTabBar::actionEvent(arg1); + QTabBar::actionEvent(event); } } @@ -1533,63 +1577,63 @@ class QTabBar_Adaptor : public QTabBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTabBar::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTabBar::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTabBar::childEvent(arg1); + QTabBar::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTabBar_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTabBar_Adaptor::cbs_childEvent_1701_0, event); } else { - QTabBar::childEvent(arg1); + QTabBar::childEvent(event); } } - // [adaptor impl] void QTabBar::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QTabBar::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QTabBar::closeEvent(arg1); + QTabBar::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QTabBar_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QTabBar_Adaptor::cbs_closeEvent_1719_0, event); } else { - QTabBar::closeEvent(arg1); + QTabBar::closeEvent(event); } } - // [adaptor impl] void QTabBar::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QTabBar::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QTabBar::contextMenuEvent(arg1); + QTabBar::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QTabBar_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QTabBar_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QTabBar::contextMenuEvent(arg1); + QTabBar::contextMenuEvent(event); } } - // [adaptor impl] void QTabBar::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTabBar::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTabBar::customEvent(arg1); + QTabBar::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTabBar_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTabBar_Adaptor::cbs_customEvent_1217_0, event); } else { - QTabBar::customEvent(arg1); + QTabBar::customEvent(event); } } @@ -1608,78 +1652,78 @@ class QTabBar_Adaptor : public QTabBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTabBar::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QTabBar::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QTabBar::dragEnterEvent(arg1); + QTabBar::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QTabBar_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QTabBar_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QTabBar::dragEnterEvent(arg1); + QTabBar::dragEnterEvent(event); } } - // [adaptor impl] void QTabBar::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QTabBar::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QTabBar::dragLeaveEvent(arg1); + QTabBar::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QTabBar_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QTabBar_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QTabBar::dragLeaveEvent(arg1); + QTabBar::dragLeaveEvent(event); } } - // [adaptor impl] void QTabBar::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QTabBar::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QTabBar::dragMoveEvent(arg1); + QTabBar::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QTabBar_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QTabBar_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QTabBar::dragMoveEvent(arg1); + QTabBar::dragMoveEvent(event); } } - // [adaptor impl] void QTabBar::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QTabBar::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QTabBar::dropEvent(arg1); + QTabBar::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QTabBar_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QTabBar_Adaptor::cbs_dropEvent_1622_0, event); } else { - QTabBar::dropEvent(arg1); + QTabBar::dropEvent(event); } } - // [adaptor impl] void QTabBar::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTabBar::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QTabBar::enterEvent(arg1); + QTabBar::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QTabBar_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QTabBar_Adaptor::cbs_enterEvent_1217_0, event); } else { - QTabBar::enterEvent(arg1); + QTabBar::enterEvent(event); } } @@ -1698,18 +1742,18 @@ class QTabBar_Adaptor : public QTabBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTabBar::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QTabBar::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QTabBar::focusInEvent(arg1); + QTabBar::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QTabBar_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QTabBar_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QTabBar::focusInEvent(arg1); + QTabBar::focusInEvent(event); } } @@ -1728,18 +1772,18 @@ class QTabBar_Adaptor : public QTabBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTabBar::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QTabBar::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QTabBar::focusOutEvent(arg1); + QTabBar::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QTabBar_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QTabBar_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QTabBar::focusOutEvent(arg1); + QTabBar::focusOutEvent(event); } } @@ -1803,33 +1847,33 @@ class QTabBar_Adaptor : public QTabBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTabBar::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QTabBar::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QTabBar::keyReleaseEvent(arg1); + QTabBar::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QTabBar_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QTabBar_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QTabBar::keyReleaseEvent(arg1); + QTabBar::keyReleaseEvent(event); } } - // [adaptor impl] void QTabBar::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTabBar::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QTabBar::leaveEvent(arg1); + QTabBar::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QTabBar_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QTabBar_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QTabBar::leaveEvent(arg1); + QTabBar::leaveEvent(event); } } @@ -1863,18 +1907,18 @@ class QTabBar_Adaptor : public QTabBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTabBar::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QTabBar::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QTabBar::mouseDoubleClickEvent(arg1); + QTabBar::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QTabBar_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QTabBar_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QTabBar::mouseDoubleClickEvent(arg1); + QTabBar::mouseDoubleClickEvent(event); } } @@ -1923,18 +1967,18 @@ class QTabBar_Adaptor : public QTabBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTabBar::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QTabBar::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QTabBar::moveEvent(arg1); + QTabBar::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QTabBar_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QTabBar_Adaptor::cbs_moveEvent_1624_0, event); } else { - QTabBar::moveEvent(arg1); + QTabBar::moveEvent(event); } } @@ -2088,18 +2132,18 @@ class QTabBar_Adaptor : public QTabBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTabBar::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QTabBar::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QTabBar::tabletEvent(arg1); + QTabBar::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QTabBar_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QTabBar_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QTabBar::tabletEvent(arg1); + QTabBar::tabletEvent(event); } } @@ -2191,7 +2235,7 @@ QTabBar_Adaptor::~QTabBar_Adaptor() { } static void _init_ctor_QTabBar_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -2200,16 +2244,16 @@ static void _call_ctor_QTabBar_Adaptor_1315 (const qt_gsi::GenericStaticMethod * { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTabBar_Adaptor (arg1)); } -// void QTabBar::actionEvent(QActionEvent *) +// void QTabBar::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2253,11 +2297,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QTabBar::childEvent(QChildEvent *) +// void QTabBar::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2277,11 +2321,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QTabBar::closeEvent(QCloseEvent *) +// void QTabBar::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2301,11 +2345,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QTabBar::contextMenuEvent(QContextMenuEvent *) +// void QTabBar::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2386,11 +2430,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QTabBar::customEvent(QEvent *) +// void QTabBar::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2436,7 +2480,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2445,7 +2489,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTabBar_Adaptor *)cls)->emitter_QTabBar_destroyed_1302 (arg1); } @@ -2474,11 +2518,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QTabBar::dragEnterEvent(QDragEnterEvent *) +// void QTabBar::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2498,11 +2542,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QTabBar::dragLeaveEvent(QDragLeaveEvent *) +// void QTabBar::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2522,11 +2566,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QTabBar::dragMoveEvent(QDragMoveEvent *) +// void QTabBar::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2546,11 +2590,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QTabBar::dropEvent(QDropEvent *) +// void QTabBar::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2570,11 +2614,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QTabBar::enterEvent(QEvent *) +// void QTabBar::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2617,13 +2661,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QTabBar::eventFilter(QObject *, QEvent *) +// bool QTabBar::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2643,11 +2687,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QTabBar::focusInEvent(QFocusEvent *) +// void QTabBar::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2704,11 +2748,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QTabBar::focusOutEvent(QFocusEvent *) +// void QTabBar::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2943,11 +2987,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QTabBar::keyReleaseEvent(QKeyEvent *) +// void QTabBar::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2967,11 +3011,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QTabBar::leaveEvent(QEvent *) +// void QTabBar::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3056,11 +3100,11 @@ static void _set_callback_cbs_minimumTabSizeHint_c767_0 (void *cls, const gsi::C } -// void QTabBar::mouseDoubleClickEvent(QMouseEvent *) +// void QTabBar::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3152,11 +3196,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QTabBar::moveEvent(QMoveEvent *) +// void QTabBar::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3611,11 +3655,11 @@ static void _set_callback_cbs_tabSizeHint_c767_0 (void *cls, const gsi::Callback } -// void QTabBar::tabletEvent(QTabletEvent *) +// void QTabBar::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3760,45 +3804,45 @@ gsi::Class &qtdecl_QTabBar (); static gsi::Methods methods_QTabBar_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTabBar::QTabBar(QWidget *parent)\nThis method creates an object of class QTabBar.", &_init_ctor_QTabBar_Adaptor_1315, &_call_ctor_QTabBar_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QTabBar::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QTabBar::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QTabBar::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTabBar::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTabBar::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QTabBar::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QTabBar::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QTabBar::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QTabBar::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QTabBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QTabBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentChanged", "@brief Emitter for signal void QTabBar::currentChanged(int index)\nCall this method to emit this signal.", false, &_init_emitter_currentChanged_767, &_call_emitter_currentChanged_767); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QTabBar::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTabBar::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTabBar::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QTabBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QTabBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTabBar::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTabBar::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QTabBar::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QTabBar::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QTabBar::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QTabBar::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QTabBar::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QTabBar::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QTabBar::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QTabBar::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QTabBar::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QTabBar::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QTabBar::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTabBar::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTabBar::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QTabBar::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QTabBar::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QTabBar::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QTabBar::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QTabBar::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QTabBar::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QTabBar::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QTabBar::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); @@ -3817,9 +3861,9 @@ static gsi::Methods methods_QTabBar_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QTabBar::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QTabBar::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QTabBar::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QTabBar::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QTabBar::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QTabBar::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QTabBar::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); @@ -3827,7 +3871,7 @@ static gsi::Methods methods_QTabBar_Adaptor () { methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("*minimumTabSizeHint", "@brief Virtual method QSize QTabBar::minimumTabSizeHint(int index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumTabSizeHint_c767_0, &_call_cbs_minimumTabSizeHint_c767_0); methods += new qt_gsi::GenericMethod ("*minimumTabSizeHint", "@hide", true, &_init_cbs_minimumTabSizeHint_c767_0, &_call_cbs_minimumTabSizeHint_c767_0, &_set_callback_cbs_minimumTabSizeHint_c767_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QTabBar::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QTabBar::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QTabBar::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -3835,7 +3879,7 @@ static gsi::Methods methods_QTabBar_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QTabBar::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QTabBar::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QTabBar::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QTabBar::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3871,7 +3915,7 @@ static gsi::Methods methods_QTabBar_Adaptor () { methods += new qt_gsi::GenericMethod ("*tabRemoved", "@hide", false, &_init_cbs_tabRemoved_767_0, &_call_cbs_tabRemoved_767_0, &_set_callback_cbs_tabRemoved_767_0); methods += new qt_gsi::GenericMethod ("*tabSizeHint", "@brief Virtual method QSize QTabBar::tabSizeHint(int index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_tabSizeHint_c767_0, &_call_cbs_tabSizeHint_c767_0); methods += new qt_gsi::GenericMethod ("*tabSizeHint", "@hide", true, &_init_cbs_tabSizeHint_c767_0, &_call_cbs_tabSizeHint_c767_0, &_set_callback_cbs_tabSizeHint_c767_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QTabBar::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QTabBar::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTabBar::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTabWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTabWidget.cc index eb4040a8ed..54c0fe3f54 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTabWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTabWidget.cc @@ -1227,18 +1227,18 @@ class QTabWidget_Adaptor : public QTabWidget, public qt_gsi::QtObjectBase emit QTabWidget::destroyed(arg1); } - // [adaptor impl] bool QTabWidget::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QTabWidget::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QTabWidget::eventFilter(arg1, arg2); + return QTabWidget::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QTabWidget_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QTabWidget_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QTabWidget::eventFilter(arg1, arg2); + return QTabWidget::eventFilter(watched, event); } } @@ -1390,18 +1390,18 @@ class QTabWidget_Adaptor : public QTabWidget, public qt_gsi::QtObjectBase emit QTabWidget::windowTitleChanged(title); } - // [adaptor impl] void QTabWidget::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QTabWidget::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QTabWidget::actionEvent(arg1); + QTabWidget::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QTabWidget_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QTabWidget_Adaptor::cbs_actionEvent_1823_0, event); } else { - QTabWidget::actionEvent(arg1); + QTabWidget::actionEvent(event); } } @@ -1420,63 +1420,63 @@ class QTabWidget_Adaptor : public QTabWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTabWidget::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTabWidget::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTabWidget::childEvent(arg1); + QTabWidget::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTabWidget_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTabWidget_Adaptor::cbs_childEvent_1701_0, event); } else { - QTabWidget::childEvent(arg1); + QTabWidget::childEvent(event); } } - // [adaptor impl] void QTabWidget::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QTabWidget::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QTabWidget::closeEvent(arg1); + QTabWidget::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QTabWidget_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QTabWidget_Adaptor::cbs_closeEvent_1719_0, event); } else { - QTabWidget::closeEvent(arg1); + QTabWidget::closeEvent(event); } } - // [adaptor impl] void QTabWidget::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QTabWidget::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QTabWidget::contextMenuEvent(arg1); + QTabWidget::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QTabWidget_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QTabWidget_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QTabWidget::contextMenuEvent(arg1); + QTabWidget::contextMenuEvent(event); } } - // [adaptor impl] void QTabWidget::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTabWidget::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTabWidget::customEvent(arg1); + QTabWidget::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTabWidget_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTabWidget_Adaptor::cbs_customEvent_1217_0, event); } else { - QTabWidget::customEvent(arg1); + QTabWidget::customEvent(event); } } @@ -1495,78 +1495,78 @@ class QTabWidget_Adaptor : public QTabWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTabWidget::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QTabWidget::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QTabWidget::dragEnterEvent(arg1); + QTabWidget::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QTabWidget_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QTabWidget_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QTabWidget::dragEnterEvent(arg1); + QTabWidget::dragEnterEvent(event); } } - // [adaptor impl] void QTabWidget::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QTabWidget::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QTabWidget::dragLeaveEvent(arg1); + QTabWidget::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QTabWidget_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QTabWidget_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QTabWidget::dragLeaveEvent(arg1); + QTabWidget::dragLeaveEvent(event); } } - // [adaptor impl] void QTabWidget::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QTabWidget::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QTabWidget::dragMoveEvent(arg1); + QTabWidget::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QTabWidget_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QTabWidget_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QTabWidget::dragMoveEvent(arg1); + QTabWidget::dragMoveEvent(event); } } - // [adaptor impl] void QTabWidget::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QTabWidget::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QTabWidget::dropEvent(arg1); + QTabWidget::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QTabWidget_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QTabWidget_Adaptor::cbs_dropEvent_1622_0, event); } else { - QTabWidget::dropEvent(arg1); + QTabWidget::dropEvent(event); } } - // [adaptor impl] void QTabWidget::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTabWidget::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QTabWidget::enterEvent(arg1); + QTabWidget::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QTabWidget_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QTabWidget_Adaptor::cbs_enterEvent_1217_0, event); } else { - QTabWidget::enterEvent(arg1); + QTabWidget::enterEvent(event); } } @@ -1585,18 +1585,18 @@ class QTabWidget_Adaptor : public QTabWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTabWidget::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QTabWidget::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QTabWidget::focusInEvent(arg1); + QTabWidget::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QTabWidget_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QTabWidget_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QTabWidget::focusInEvent(arg1); + QTabWidget::focusInEvent(event); } } @@ -1615,33 +1615,33 @@ class QTabWidget_Adaptor : public QTabWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTabWidget::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QTabWidget::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QTabWidget::focusOutEvent(arg1); + QTabWidget::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QTabWidget_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QTabWidget_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QTabWidget::focusOutEvent(arg1); + QTabWidget::focusOutEvent(event); } } - // [adaptor impl] void QTabWidget::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QTabWidget::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QTabWidget::hideEvent(arg1); + QTabWidget::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QTabWidget_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QTabWidget_Adaptor::cbs_hideEvent_1595_0, event); } else { - QTabWidget::hideEvent(arg1); + QTabWidget::hideEvent(event); } } @@ -1690,33 +1690,33 @@ class QTabWidget_Adaptor : public QTabWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTabWidget::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QTabWidget::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QTabWidget::keyReleaseEvent(arg1); + QTabWidget::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QTabWidget_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QTabWidget_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QTabWidget::keyReleaseEvent(arg1); + QTabWidget::keyReleaseEvent(event); } } - // [adaptor impl] void QTabWidget::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTabWidget::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QTabWidget::leaveEvent(arg1); + QTabWidget::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QTabWidget_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QTabWidget_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QTabWidget::leaveEvent(arg1); + QTabWidget::leaveEvent(event); } } @@ -1735,78 +1735,78 @@ class QTabWidget_Adaptor : public QTabWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTabWidget::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QTabWidget::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QTabWidget::mouseDoubleClickEvent(arg1); + QTabWidget::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QTabWidget_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QTabWidget_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QTabWidget::mouseDoubleClickEvent(arg1); + QTabWidget::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QTabWidget::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QTabWidget::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QTabWidget::mouseMoveEvent(arg1); + QTabWidget::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QTabWidget_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QTabWidget_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QTabWidget::mouseMoveEvent(arg1); + QTabWidget::mouseMoveEvent(event); } } - // [adaptor impl] void QTabWidget::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QTabWidget::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QTabWidget::mousePressEvent(arg1); + QTabWidget::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QTabWidget_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QTabWidget_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QTabWidget::mousePressEvent(arg1); + QTabWidget::mousePressEvent(event); } } - // [adaptor impl] void QTabWidget::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QTabWidget::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QTabWidget::mouseReleaseEvent(arg1); + QTabWidget::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QTabWidget_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QTabWidget_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QTabWidget::mouseReleaseEvent(arg1); + QTabWidget::mouseReleaseEvent(event); } } - // [adaptor impl] void QTabWidget::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QTabWidget::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QTabWidget::moveEvent(arg1); + QTabWidget::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QTabWidget_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QTabWidget_Adaptor::cbs_moveEvent_1624_0, event); } else { - QTabWidget::moveEvent(arg1); + QTabWidget::moveEvent(event); } } @@ -1930,48 +1930,48 @@ class QTabWidget_Adaptor : public QTabWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTabWidget::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QTabWidget::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QTabWidget::tabletEvent(arg1); + QTabWidget::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QTabWidget_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QTabWidget_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QTabWidget::tabletEvent(arg1); + QTabWidget::tabletEvent(event); } } - // [adaptor impl] void QTabWidget::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QTabWidget::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QTabWidget::timerEvent(arg1); + QTabWidget::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QTabWidget_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QTabWidget_Adaptor::cbs_timerEvent_1730_0, event); } else { - QTabWidget::timerEvent(arg1); + QTabWidget::timerEvent(event); } } - // [adaptor impl] void QTabWidget::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QTabWidget::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QTabWidget::wheelEvent(arg1); + QTabWidget::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QTabWidget_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QTabWidget_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QTabWidget::wheelEvent(arg1); + QTabWidget::wheelEvent(event); } } @@ -2030,7 +2030,7 @@ QTabWidget_Adaptor::~QTabWidget_Adaptor() { } static void _init_ctor_QTabWidget_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -2039,16 +2039,16 @@ static void _call_ctor_QTabWidget_Adaptor_1315 (const qt_gsi::GenericStaticMetho { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTabWidget_Adaptor (arg1)); } -// void QTabWidget::actionEvent(QActionEvent *) +// void QTabWidget::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2092,11 +2092,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QTabWidget::childEvent(QChildEvent *) +// void QTabWidget::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2116,11 +2116,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QTabWidget::closeEvent(QCloseEvent *) +// void QTabWidget::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2140,11 +2140,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QTabWidget::contextMenuEvent(QContextMenuEvent *) +// void QTabWidget::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2225,11 +2225,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QTabWidget::customEvent(QEvent *) +// void QTabWidget::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2275,7 +2275,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2284,7 +2284,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTabWidget_Adaptor *)cls)->emitter_QTabWidget_destroyed_1302 (arg1); } @@ -2313,11 +2313,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QTabWidget::dragEnterEvent(QDragEnterEvent *) +// void QTabWidget::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2337,11 +2337,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QTabWidget::dragLeaveEvent(QDragLeaveEvent *) +// void QTabWidget::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2361,11 +2361,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QTabWidget::dragMoveEvent(QDragMoveEvent *) +// void QTabWidget::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2385,11 +2385,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QTabWidget::dropEvent(QDropEvent *) +// void QTabWidget::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2409,11 +2409,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QTabWidget::enterEvent(QEvent *) +// void QTabWidget::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2456,13 +2456,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QTabWidget::eventFilter(QObject *, QEvent *) +// bool QTabWidget::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2482,11 +2482,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QTabWidget::focusInEvent(QFocusEvent *) +// void QTabWidget::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2543,11 +2543,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QTabWidget::focusOutEvent(QFocusEvent *) +// void QTabWidget::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2623,11 +2623,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QTabWidget::hideEvent(QHideEvent *) +// void QTabWidget::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2779,11 +2779,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QTabWidget::keyReleaseEvent(QKeyEvent *) +// void QTabWidget::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2803,11 +2803,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QTabWidget::leaveEvent(QEvent *) +// void QTabWidget::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2869,11 +2869,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QTabWidget::mouseDoubleClickEvent(QMouseEvent *) +// void QTabWidget::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2893,11 +2893,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QTabWidget::mouseMoveEvent(QMouseEvent *) +// void QTabWidget::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2917,11 +2917,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QTabWidget::mousePressEvent(QMouseEvent *) +// void QTabWidget::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2941,11 +2941,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QTabWidget::mouseReleaseEvent(QMouseEvent *) +// void QTabWidget::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2965,11 +2965,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QTabWidget::moveEvent(QMoveEvent *) +// void QTabWidget::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3379,11 +3379,11 @@ static void _set_callback_cbs_tabRemoved_767_0 (void *cls, const gsi::Callback & } -// void QTabWidget::tabletEvent(QTabletEvent *) +// void QTabWidget::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3403,11 +3403,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QTabWidget::timerEvent(QTimerEvent *) +// void QTabWidget::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3442,11 +3442,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QTabWidget::wheelEvent(QWheelEvent *) +// void QTabWidget::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3528,52 +3528,52 @@ gsi::Class &qtdecl_QTabWidget (); static gsi::Methods methods_QTabWidget_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTabWidget::QTabWidget(QWidget *parent)\nThis method creates an object of class QTabWidget.", &_init_ctor_QTabWidget_Adaptor_1315, &_call_ctor_QTabWidget_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QTabWidget::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QTabWidget::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QTabWidget::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTabWidget::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTabWidget::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QTabWidget::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QTabWidget::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QTabWidget::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QTabWidget::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QTabWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QTabWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentChanged", "@brief Emitter for signal void QTabWidget::currentChanged(int index)\nCall this method to emit this signal.", false, &_init_emitter_currentChanged_767, &_call_emitter_currentChanged_767); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QTabWidget::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTabWidget::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTabWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QTabWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QTabWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTabWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTabWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QTabWidget::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QTabWidget::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QTabWidget::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QTabWidget::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QTabWidget::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QTabWidget::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QTabWidget::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QTabWidget::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QTabWidget::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QTabWidget::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QTabWidget::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTabWidget::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTabWidget::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QTabWidget::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QTabWidget::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QTabWidget::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QTabWidget::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QTabWidget::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QTabWidget::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QTabWidget::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QTabWidget::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QTabWidget::heightForWidth(int width)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QTabWidget::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QTabWidget::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QTabWidget::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -3585,23 +3585,23 @@ static gsi::Methods methods_QTabWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QTabWidget::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QTabWidget::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QTabWidget::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QTabWidget::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QTabWidget::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QTabWidget::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QTabWidget::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QTabWidget::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QTabWidget::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QTabWidget::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QTabWidget::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QTabWidget::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QTabWidget::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QTabWidget::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QTabWidget::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QTabWidget::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QTabWidget::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QTabWidget::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QTabWidget::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3633,12 +3633,12 @@ static gsi::Methods methods_QTabWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*tabInserted", "@hide", false, &_init_cbs_tabInserted_767_0, &_call_cbs_tabInserted_767_0, &_set_callback_cbs_tabInserted_767_0); methods += new qt_gsi::GenericMethod ("*tabRemoved", "@brief Virtual method void QTabWidget::tabRemoved(int index)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabRemoved_767_0, &_call_cbs_tabRemoved_767_0); methods += new qt_gsi::GenericMethod ("*tabRemoved", "@hide", false, &_init_cbs_tabRemoved_767_0, &_call_cbs_tabRemoved_767_0, &_set_callback_cbs_tabRemoved_767_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QTabWidget::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QTabWidget::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTabWidget::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTabWidget::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QTabWidget::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QTabWidget::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QTabWidget::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QTabWidget::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QTabWidget::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTableView.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTableView.cc index 9f336a6307..c439b59037 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTableView.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTableView.cc @@ -1734,18 +1734,18 @@ class QTableView_Adaptor : public QTableView, public qt_gsi::QtObjectBase emit QTableView::windowTitleChanged(title); } - // [adaptor impl] void QTableView::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QTableView::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QTableView::actionEvent(arg1); + QTableView::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QTableView_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QTableView_Adaptor::cbs_actionEvent_1823_0, event); } else { - QTableView::actionEvent(arg1); + QTableView::actionEvent(event); } } @@ -1764,18 +1764,18 @@ class QTableView_Adaptor : public QTableView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTableView::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTableView::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTableView::childEvent(arg1); + QTableView::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTableView_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTableView_Adaptor::cbs_childEvent_1701_0, event); } else { - QTableView::childEvent(arg1); + QTableView::childEvent(event); } } @@ -1794,18 +1794,18 @@ class QTableView_Adaptor : public QTableView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTableView::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QTableView::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QTableView::closeEvent(arg1); + QTableView::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QTableView_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QTableView_Adaptor::cbs_closeEvent_1719_0, event); } else { - QTableView::closeEvent(arg1); + QTableView::closeEvent(event); } } @@ -1854,18 +1854,18 @@ class QTableView_Adaptor : public QTableView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTableView::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTableView::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTableView::customEvent(arg1); + QTableView::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTableView_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTableView_Adaptor::cbs_customEvent_1217_0, event); } else { - QTableView::customEvent(arg1); + QTableView::customEvent(event); } } @@ -1989,18 +1989,18 @@ class QTableView_Adaptor : public QTableView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTableView::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTableView::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QTableView::enterEvent(arg1); + QTableView::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QTableView_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QTableView_Adaptor::cbs_enterEvent_1217_0, event); } else { - QTableView::enterEvent(arg1); + QTableView::enterEvent(event); } } @@ -2019,18 +2019,18 @@ class QTableView_Adaptor : public QTableView, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QTableView::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QTableView::eventFilter(QObject *object, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *object, QEvent *event) { - return QTableView::eventFilter(arg1, arg2); + return QTableView::eventFilter(object, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *object, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QTableView_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QTableView_Adaptor::cbs_eventFilter_2411_0, object, event); } else { - return QTableView::eventFilter(arg1, arg2); + return QTableView::eventFilter(object, event); } } @@ -2079,18 +2079,18 @@ class QTableView_Adaptor : public QTableView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTableView::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QTableView::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QTableView::hideEvent(arg1); + QTableView::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QTableView_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QTableView_Adaptor::cbs_hideEvent_1595_0, event); } else { - QTableView::hideEvent(arg1); + QTableView::hideEvent(event); } } @@ -2199,33 +2199,33 @@ class QTableView_Adaptor : public QTableView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTableView::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QTableView::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QTableView::keyReleaseEvent(arg1); + QTableView::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QTableView_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QTableView_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QTableView::keyReleaseEvent(arg1); + QTableView::keyReleaseEvent(event); } } - // [adaptor impl] void QTableView::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTableView::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QTableView::leaveEvent(arg1); + QTableView::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QTableView_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QTableView_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QTableView::leaveEvent(arg1); + QTableView::leaveEvent(event); } } @@ -2319,18 +2319,18 @@ class QTableView_Adaptor : public QTableView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTableView::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QTableView::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QTableView::moveEvent(arg1); + QTableView::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QTableView_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QTableView_Adaptor::cbs_moveEvent_1624_0, event); } else { - QTableView::moveEvent(arg1); + QTableView::moveEvent(event); } } @@ -2514,18 +2514,18 @@ class QTableView_Adaptor : public QTableView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTableView::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QTableView::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QTableView::showEvent(arg1); + QTableView::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QTableView_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QTableView_Adaptor::cbs_showEvent_1634_0, event); } else { - QTableView::showEvent(arg1); + QTableView::showEvent(event); } } @@ -2574,18 +2574,18 @@ class QTableView_Adaptor : public QTableView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTableView::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QTableView::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QTableView::tabletEvent(arg1); + QTableView::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QTableView_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QTableView_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QTableView::tabletEvent(arg1); + QTableView::tabletEvent(event); } } @@ -2864,7 +2864,7 @@ QTableView_Adaptor::~QTableView_Adaptor() { } static void _init_ctor_QTableView_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -2873,16 +2873,16 @@ static void _call_ctor_QTableView_Adaptor_1315 (const qt_gsi::GenericStaticMetho { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTableView_Adaptor (arg1)); } -// void QTableView::actionEvent(QActionEvent *) +// void QTableView::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2944,11 +2944,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QTableView::childEvent(QChildEvent *) +// void QTableView::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3013,11 +3013,11 @@ static void _set_callback_cbs_closeEditor_4926_0 (void *cls, const gsi::Callback } -// void QTableView::closeEvent(QCloseEvent *) +// void QTableView::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3227,11 +3227,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QTableView::customEvent(QEvent *) +// void QTableView::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3307,7 +3307,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3316,7 +3316,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTableView_Adaptor *)cls)->emitter_QTableView_destroyed_1302 (arg1); } @@ -3594,11 +3594,11 @@ static void _set_callback_cbs_editorDestroyed_1302_0 (void *cls, const gsi::Call } -// void QTableView::enterEvent(QEvent *) +// void QTableView::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3659,13 +3659,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QTableView::eventFilter(QObject *, QEvent *) +// bool QTableView::eventFilter(QObject *object, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("object"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -3841,11 +3841,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QTableView::hideEvent(QHideEvent *) +// void QTableView::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4142,11 +4142,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QTableView::keyReleaseEvent(QKeyEvent *) +// void QTableView::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4190,11 +4190,11 @@ static void _set_callback_cbs_keyboardSearch_2025_0 (void *cls, const gsi::Callb } -// void QTableView::leaveEvent(QEvent *) +// void QTableView::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4378,11 +4378,11 @@ static void _set_callback_cbs_moveCursor_6476_0 (void *cls, const gsi::Callback } -// void QTableView::moveEvent(QMoveEvent *) +// void QTableView::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5227,11 +5227,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QTableView::showEvent(QShowEvent *) +// void QTableView::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5384,11 +5384,11 @@ static void _call_fp_stopAutoScroll_0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QTableView::tabletEvent(QTabletEvent *) +// void QTableView::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5809,17 +5809,17 @@ gsi::Class &qtdecl_QTableView (); static gsi::Methods methods_QTableView_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTableView::QTableView(QWidget *parent)\nThis method creates an object of class QTableView.", &_init_ctor_QTableView_Adaptor_1315, &_call_ctor_QTableView_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QTableView::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QTableView::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("emit_activated", "@brief Emitter for signal void QTableView::activated(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_activated_2395, &_call_emitter_activated_2395); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QTableView::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTableView::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTableView::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_clicked", "@brief Emitter for signal void QTableView::clicked(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_clicked_2395, &_call_emitter_clicked_2395); methods += new qt_gsi::GenericMethod ("*closeEditor", "@brief Virtual method void QTableView::closeEditor(QWidget *editor, QAbstractItemDelegate::EndEditHint hint)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEditor_4926_0, &_call_cbs_closeEditor_4926_0); methods += new qt_gsi::GenericMethod ("*closeEditor", "@hide", false, &_init_cbs_closeEditor_4926_0, &_call_cbs_closeEditor_4926_0, &_set_callback_cbs_closeEditor_4926_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QTableView::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QTableView::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*columnCountChanged", "@brief Method void QTableView::columnCountChanged(int oldCount, int newCount)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_columnCountChanged_1426, &_call_fp_columnCountChanged_1426); methods += new qt_gsi::GenericMethod ("*columnMoved", "@brief Method void QTableView::columnMoved(int column, int oldIndex, int newIndex)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_columnMoved_2085, &_call_fp_columnMoved_2085); @@ -5828,15 +5828,15 @@ static gsi::Methods methods_QTableView_Adaptor () { methods += new qt_gsi::GenericMethod ("*commitData", "@hide", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0, &_set_callback_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QTableView::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QTableView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QTableView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*currentChanged", "@brief Virtual method void QTableView::currentChanged(const QModelIndex ¤t, const QModelIndex &previous)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@hide", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0, &_set_callback_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QTableView::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTableView::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTableView::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*dataChanged", "@brief Virtual method void QTableView::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QVector &roles)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dataChanged_7048_1, &_call_cbs_dataChanged_7048_1); methods += new qt_gsi::GenericMethod ("*dataChanged", "@hide", false, &_init_cbs_dataChanged_7048_1, &_call_cbs_dataChanged_7048_1, &_set_callback_cbs_dataChanged_7048_1); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QTableView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QTableView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTableView::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*dirtyRegionOffset", "@brief Method QPoint QTableView::dirtyRegionOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_dirtyRegionOffset_c0, &_call_fp_dirtyRegionOffset_c0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTableView::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -5859,12 +5859,12 @@ static gsi::Methods methods_QTableView_Adaptor () { methods += new qt_gsi::GenericMethod ("*edit", "@hide", false, &_init_cbs_edit_6773_0, &_call_cbs_edit_6773_0, &_set_callback_cbs_edit_6773_0); methods += new qt_gsi::GenericMethod ("*editorDestroyed", "@brief Virtual method void QTableView::editorDestroyed(QObject *editor)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_editorDestroyed_1302_0, &_call_cbs_editorDestroyed_1302_0); methods += new qt_gsi::GenericMethod ("*editorDestroyed", "@hide", false, &_init_cbs_editorDestroyed_1302_0, &_call_cbs_editorDestroyed_1302_0, &_set_callback_cbs_editorDestroyed_1302_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QTableView::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QTableView::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_entered", "@brief Emitter for signal void QTableView::entered(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_entered_2395, &_call_emitter_entered_2395); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QTableView::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QTableView::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QTableView::eventFilter(QObject *object, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*executeDelayedItemsLayout", "@brief Method void QTableView::executeDelayedItemsLayout()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_executeDelayedItemsLayout_0, &_call_fp_executeDelayedItemsLayout_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QTableView::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); @@ -5879,7 +5879,7 @@ static gsi::Methods methods_QTableView_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QTableView::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QTableView::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QTableView::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*horizontalOffset", "@brief Virtual method int QTableView::horizontalOffset()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_horizontalOffset_c0_0, &_call_cbs_horizontalOffset_c0_0); methods += new qt_gsi::GenericMethod ("*horizontalOffset", "@hide", true, &_init_cbs_horizontalOffset_c0_0, &_call_cbs_horizontalOffset_c0_0, &_set_callback_cbs_horizontalOffset_c0_0); @@ -5903,11 +5903,11 @@ static gsi::Methods methods_QTableView_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QTableView::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QTableView::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QTableView::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QTableView::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("keyboardSearch", "@brief Virtual method void QTableView::keyboardSearch(const QString &search)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyboardSearch_2025_0, &_call_cbs_keyboardSearch_2025_0); methods += new qt_gsi::GenericMethod ("keyboardSearch", "@hide", false, &_init_cbs_keyboardSearch_2025_0, &_call_cbs_keyboardSearch_2025_0, &_set_callback_cbs_keyboardSearch_2025_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QTableView::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QTableView::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QTableView::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); @@ -5923,7 +5923,7 @@ static gsi::Methods methods_QTableView_Adaptor () { methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*moveCursor", "@brief Virtual method QModelIndex QTableView::moveCursor(QAbstractItemView::CursorAction cursorAction, QFlags modifiers)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveCursor_6476_0, &_call_cbs_moveCursor_6476_0); methods += new qt_gsi::GenericMethod ("*moveCursor", "@hide", false, &_init_cbs_moveCursor_6476_0, &_call_cbs_moveCursor_6476_0, &_set_callback_cbs_moveCursor_6476_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QTableView::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QTableView::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QTableView::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -5983,7 +5983,7 @@ static gsi::Methods methods_QTableView_Adaptor () { methods += new qt_gsi::GenericMethod ("setupViewport", "@hide", false, &_init_cbs_setupViewport_1315_0, &_call_cbs_setupViewport_1315_0, &_set_callback_cbs_setupViewport_1315_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QTableView::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QTableView::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QTableView::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QTableView::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); @@ -5996,7 +5996,7 @@ static gsi::Methods methods_QTableView_Adaptor () { methods += new qt_gsi::GenericMethod ("*startDrag", "@hide", false, &_init_cbs_startDrag_2456_0, &_call_cbs_startDrag_2456_0, &_set_callback_cbs_startDrag_2456_0); methods += new qt_gsi::GenericMethod ("*state", "@brief Method QAbstractItemView::State QTableView::state()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_state_c0, &_call_fp_state_c0); methods += new qt_gsi::GenericMethod ("*stopAutoScroll", "@brief Method void QTableView::stopAutoScroll()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_stopAutoScroll_0, &_call_fp_stopAutoScroll_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QTableView::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QTableView::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTableView::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTableWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTableWidget.cc index b090b7a9dd..36c0673d2e 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTableWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTableWidget.cc @@ -384,6 +384,44 @@ static void _call_f_isItemSelected_c2897 (const qt_gsi::GenericMethod * /*decl*/ } +// bool QTableWidget::isPersistentEditorOpen(const QModelIndex &index) + + +static void _init_f_isPersistentEditorOpen_c2395 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("index"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_isPersistentEditorOpen_c2395 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QTableWidget *)cls)->isPersistentEditorOpen (arg1)); +} + + +// bool QTableWidget::isPersistentEditorOpen(QTableWidgetItem *item) + + +static void _init_f_isPersistentEditorOpen_c2202 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("item"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_isPersistentEditorOpen_c2202 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QTableWidgetItem *arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QTableWidget *)cls)->isPersistentEditorOpen (arg1)); +} + + // bool QTableWidget::isSortingEnabled() @@ -1234,6 +1272,8 @@ static gsi::Methods methods_QTableWidget () { methods += new qt_gsi::GenericMethod ("insertColumn", "@brief Method void QTableWidget::insertColumn(int column)\n", false, &_init_f_insertColumn_767, &_call_f_insertColumn_767); methods += new qt_gsi::GenericMethod ("insertRow", "@brief Method void QTableWidget::insertRow(int row)\n", false, &_init_f_insertRow_767, &_call_f_insertRow_767); methods += new qt_gsi::GenericMethod ("isItemSelected?", "@brief Method bool QTableWidget::isItemSelected(const QTableWidgetItem *item)\n", true, &_init_f_isItemSelected_c2897, &_call_f_isItemSelected_c2897); + methods += new qt_gsi::GenericMethod ("isPersistentEditorOpen?", "@brief Method bool QTableWidget::isPersistentEditorOpen(const QModelIndex &index)\n", true, &_init_f_isPersistentEditorOpen_c2395, &_call_f_isPersistentEditorOpen_c2395); + methods += new qt_gsi::GenericMethod ("isPersistentEditorOpen?", "@brief Method bool QTableWidget::isPersistentEditorOpen(QTableWidgetItem *item)\n", true, &_init_f_isPersistentEditorOpen_c2202, &_call_f_isPersistentEditorOpen_c2202); methods += new qt_gsi::GenericMethod ("isSortingEnabled?|:sortingEnabled", "@brief Method bool QTableWidget::isSortingEnabled()\n", true, &_init_f_isSortingEnabled_c0, &_call_f_isSortingEnabled_c0); methods += new qt_gsi::GenericMethod ("item", "@brief Method QTableWidgetItem *QTableWidget::item(int row, int column)\n", true, &_init_f_item_c1426, &_call_f_item_c1426); methods += new qt_gsi::GenericMethod ("itemAt", "@brief Method QTableWidgetItem *QTableWidget::itemAt(const QPoint &p)\n", true, &_init_f_itemAt_c1916, &_call_f_itemAt_c1916); @@ -1411,6 +1451,11 @@ class QTableWidget_Adaptor : public QTableWidget, public qt_gsi::QtObjectBase return QTableWidget::horizontalStepsPerItem(); } + // [expose] QModelIndex QTableWidget::indexFromItem(const QTableWidgetItem *item) + QModelIndex fp_QTableWidget_indexFromItem_c2897 (const QTableWidgetItem *item) const { + return QTableWidget::indexFromItem(item); + } + // [expose] QModelIndex QTableWidget::indexFromItem(QTableWidgetItem *item) QModelIndex fp_QTableWidget_indexFromItem_c2202 (QTableWidgetItem *item) const { return QTableWidget::indexFromItem(item); @@ -1960,18 +2005,18 @@ class QTableWidget_Adaptor : public QTableWidget, public qt_gsi::QtObjectBase emit QTableWidget::windowTitleChanged(title); } - // [adaptor impl] void QTableWidget::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QTableWidget::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QTableWidget::actionEvent(arg1); + QTableWidget::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QTableWidget_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QTableWidget_Adaptor::cbs_actionEvent_1823_0, event); } else { - QTableWidget::actionEvent(arg1); + QTableWidget::actionEvent(event); } } @@ -1990,18 +2035,18 @@ class QTableWidget_Adaptor : public QTableWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTableWidget::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTableWidget::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTableWidget::childEvent(arg1); + QTableWidget::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTableWidget_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTableWidget_Adaptor::cbs_childEvent_1701_0, event); } else { - QTableWidget::childEvent(arg1); + QTableWidget::childEvent(event); } } @@ -2020,18 +2065,18 @@ class QTableWidget_Adaptor : public QTableWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTableWidget::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QTableWidget::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QTableWidget::closeEvent(arg1); + QTableWidget::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QTableWidget_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QTableWidget_Adaptor::cbs_closeEvent_1719_0, event); } else { - QTableWidget::closeEvent(arg1); + QTableWidget::closeEvent(event); } } @@ -2080,18 +2125,18 @@ class QTableWidget_Adaptor : public QTableWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTableWidget::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTableWidget::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTableWidget::customEvent(arg1); + QTableWidget::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTableWidget_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTableWidget_Adaptor::cbs_customEvent_1217_0, event); } else { - QTableWidget::customEvent(arg1); + QTableWidget::customEvent(event); } } @@ -2230,18 +2275,18 @@ class QTableWidget_Adaptor : public QTableWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTableWidget::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTableWidget::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QTableWidget::enterEvent(arg1); + QTableWidget::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QTableWidget_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QTableWidget_Adaptor::cbs_enterEvent_1217_0, event); } else { - QTableWidget::enterEvent(arg1); + QTableWidget::enterEvent(event); } } @@ -2260,18 +2305,18 @@ class QTableWidget_Adaptor : public QTableWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QTableWidget::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QTableWidget::eventFilter(QObject *object, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *object, QEvent *event) { - return QTableWidget::eventFilter(arg1, arg2); + return QTableWidget::eventFilter(object, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *object, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QTableWidget_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QTableWidget_Adaptor::cbs_eventFilter_2411_0, object, event); } else { - return QTableWidget::eventFilter(arg1, arg2); + return QTableWidget::eventFilter(object, event); } } @@ -2320,18 +2365,18 @@ class QTableWidget_Adaptor : public QTableWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTableWidget::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QTableWidget::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QTableWidget::hideEvent(arg1); + QTableWidget::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QTableWidget_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QTableWidget_Adaptor::cbs_hideEvent_1595_0, event); } else { - QTableWidget::hideEvent(arg1); + QTableWidget::hideEvent(event); } } @@ -2440,33 +2485,33 @@ class QTableWidget_Adaptor : public QTableWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTableWidget::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QTableWidget::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QTableWidget::keyReleaseEvent(arg1); + QTableWidget::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QTableWidget_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QTableWidget_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QTableWidget::keyReleaseEvent(arg1); + QTableWidget::keyReleaseEvent(event); } } - // [adaptor impl] void QTableWidget::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTableWidget::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QTableWidget::leaveEvent(arg1); + QTableWidget::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QTableWidget_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QTableWidget_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QTableWidget::leaveEvent(arg1); + QTableWidget::leaveEvent(event); } } @@ -2590,18 +2635,18 @@ class QTableWidget_Adaptor : public QTableWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTableWidget::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QTableWidget::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QTableWidget::moveEvent(arg1); + QTableWidget::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QTableWidget_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QTableWidget_Adaptor::cbs_moveEvent_1624_0, event); } else { - QTableWidget::moveEvent(arg1); + QTableWidget::moveEvent(event); } } @@ -2785,18 +2830,18 @@ class QTableWidget_Adaptor : public QTableWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTableWidget::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QTableWidget::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QTableWidget::showEvent(arg1); + QTableWidget::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QTableWidget_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QTableWidget_Adaptor::cbs_showEvent_1634_0, event); } else { - QTableWidget::showEvent(arg1); + QTableWidget::showEvent(event); } } @@ -2860,18 +2905,18 @@ class QTableWidget_Adaptor : public QTableWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTableWidget::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QTableWidget::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QTableWidget::tabletEvent(arg1); + QTableWidget::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QTableWidget_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QTableWidget_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QTableWidget::tabletEvent(arg1); + QTableWidget::tabletEvent(event); } } @@ -3153,7 +3198,7 @@ QTableWidget_Adaptor::~QTableWidget_Adaptor() { } static void _init_ctor_QTableWidget_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -3162,7 +3207,7 @@ static void _call_ctor_QTableWidget_Adaptor_1315 (const qt_gsi::GenericStaticMet { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTableWidget_Adaptor (arg1)); } @@ -3175,7 +3220,7 @@ static void _init_ctor_QTableWidget_Adaptor_2633 (qt_gsi::GenericStaticMethod *d decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("columns"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_2 ("parent", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return_new (); } @@ -3186,16 +3231,16 @@ static void _call_ctor_QTableWidget_Adaptor_2633 (const qt_gsi::GenericStaticMet tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); int arg2 = gsi::arg_reader() (args, heap); - QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTableWidget_Adaptor (arg1, arg2, arg3)); } -// void QTableWidget::actionEvent(QActionEvent *) +// void QTableWidget::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3383,11 +3428,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QTableWidget::childEvent(QChildEvent *) +// void QTableWidget::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3452,11 +3497,11 @@ static void _set_callback_cbs_closeEditor_4926_0 (void *cls, const gsi::Callback } -// void QTableWidget::closeEvent(QCloseEvent *) +// void QTableWidget::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3714,11 +3759,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QTableWidget::customEvent(QEvent *) +// void QTableWidget::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3794,7 +3839,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3803,7 +3848,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTableWidget_Adaptor *)cls)->emitter_QTableWidget_destroyed_1302 (arg1); } @@ -4113,11 +4158,11 @@ static void _set_callback_cbs_editorDestroyed_1302_0 (void *cls, const gsi::Call } -// void QTableWidget::enterEvent(QEvent *) +// void QTableWidget::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4178,13 +4223,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QTableWidget::eventFilter(QObject *, QEvent *) +// bool QTableWidget::eventFilter(QObject *object, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("object"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -4360,11 +4405,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QTableWidget::hideEvent(QHideEvent *) +// void QTableWidget::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4506,6 +4551,24 @@ static void _set_callback_cbs_indexAt_c1916_0 (void *cls, const gsi::Callback &c } +// exposed QModelIndex QTableWidget::indexFromItem(const QTableWidgetItem *item) + +static void _init_fp_indexFromItem_c2897 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("item"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_fp_indexFromItem_c2897 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QTableWidgetItem *arg1 = gsi::arg_reader() (args, heap); + ret.write ((QModelIndex)((QTableWidget_Adaptor *)cls)->fp_QTableWidget_indexFromItem_c2897 (arg1)); +} + + // exposed QModelIndex QTableWidget::indexFromItem(QTableWidgetItem *item) static void _init_fp_indexFromItem_c2202 (qt_gsi::GenericMethod *decl) @@ -4837,11 +4900,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QTableWidget::keyReleaseEvent(QKeyEvent *) +// void QTableWidget::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4885,11 +4948,11 @@ static void _set_callback_cbs_keyboardSearch_2025_0 (void *cls, const gsi::Callb } -// void QTableWidget::leaveEvent(QEvent *) +// void QTableWidget::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5115,11 +5178,11 @@ static void _set_callback_cbs_moveCursor_6476_0 (void *cls, const gsi::Callback } -// void QTableWidget::moveEvent(QMoveEvent *) +// void QTableWidget::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5940,11 +6003,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QTableWidget::showEvent(QShowEvent *) +// void QTableWidget::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6116,11 +6179,11 @@ static void _set_callback_cbs_supportedDropActions_c0_0 (void *cls, const gsi::C } -// void QTableWidget::tabletEvent(QTabletEvent *) +// void QTableWidget::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6542,7 +6605,7 @@ static gsi::Methods methods_QTableWidget_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTableWidget::QTableWidget(QWidget *parent)\nThis method creates an object of class QTableWidget.", &_init_ctor_QTableWidget_Adaptor_1315, &_call_ctor_QTableWidget_Adaptor_1315); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTableWidget::QTableWidget(int rows, int columns, QWidget *parent)\nThis method creates an object of class QTableWidget.", &_init_ctor_QTableWidget_Adaptor_2633, &_call_ctor_QTableWidget_Adaptor_2633); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QTableWidget::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QTableWidget::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("emit_activated", "@brief Emitter for signal void QTableWidget::activated(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_activated_2395, &_call_emitter_activated_2395); methods += new qt_gsi::GenericMethod ("emit_cellActivated", "@brief Emitter for signal void QTableWidget::cellActivated(int row, int column)\nCall this method to emit this signal.", false, &_init_emitter_cellActivated_1426, &_call_emitter_cellActivated_1426); @@ -6553,12 +6616,12 @@ static gsi::Methods methods_QTableWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_cellPressed", "@brief Emitter for signal void QTableWidget::cellPressed(int row, int column)\nCall this method to emit this signal.", false, &_init_emitter_cellPressed_1426, &_call_emitter_cellPressed_1426); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QTableWidget::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTableWidget::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTableWidget::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_clicked", "@brief Emitter for signal void QTableWidget::clicked(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_clicked_2395, &_call_emitter_clicked_2395); methods += new qt_gsi::GenericMethod ("*closeEditor", "@brief Virtual method void QTableWidget::closeEditor(QWidget *editor, QAbstractItemDelegate::EndEditHint hint)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEditor_4926_0, &_call_cbs_closeEditor_4926_0); methods += new qt_gsi::GenericMethod ("*closeEditor", "@hide", false, &_init_cbs_closeEditor_4926_0, &_call_cbs_closeEditor_4926_0, &_set_callback_cbs_closeEditor_4926_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QTableWidget::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QTableWidget::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*columnCountChanged", "@brief Method void QTableWidget::columnCountChanged(int oldCount, int newCount)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_columnCountChanged_1426, &_call_fp_columnCountChanged_1426); methods += new qt_gsi::GenericMethod ("*columnMoved", "@brief Method void QTableWidget::columnMoved(int column, int oldIndex, int newIndex)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_columnMoved_2085, &_call_fp_columnMoved_2085); @@ -6567,17 +6630,17 @@ static gsi::Methods methods_QTableWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*commitData", "@hide", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0, &_set_callback_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QTableWidget::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QTableWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QTableWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentCellChanged", "@brief Emitter for signal void QTableWidget::currentCellChanged(int currentRow, int currentColumn, int previousRow, int previousColumn)\nCall this method to emit this signal.", false, &_init_emitter_currentCellChanged_2744, &_call_emitter_currentCellChanged_2744); methods += new qt_gsi::GenericMethod ("*currentChanged", "@brief Virtual method void QTableWidget::currentChanged(const QModelIndex ¤t, const QModelIndex &previous)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@hide", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0, &_set_callback_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("emit_currentItemChanged", "@brief Emitter for signal void QTableWidget::currentItemChanged(QTableWidgetItem *current, QTableWidgetItem *previous)\nCall this method to emit this signal.", false, &_init_emitter_currentItemChanged_4296, &_call_emitter_currentItemChanged_4296); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QTableWidget::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTableWidget::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTableWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*dataChanged", "@brief Virtual method void QTableWidget::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QVector &roles)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dataChanged_7048_1, &_call_cbs_dataChanged_7048_1); methods += new qt_gsi::GenericMethod ("*dataChanged", "@hide", false, &_init_cbs_dataChanged_7048_1, &_call_cbs_dataChanged_7048_1, &_set_callback_cbs_dataChanged_7048_1); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QTableWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QTableWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTableWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*dirtyRegionOffset", "@brief Method QPoint QTableWidget::dirtyRegionOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_dirtyRegionOffset_c0, &_call_fp_dirtyRegionOffset_c0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTableWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -6602,12 +6665,12 @@ static gsi::Methods methods_QTableWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*edit", "@hide", false, &_init_cbs_edit_6773_0, &_call_cbs_edit_6773_0, &_set_callback_cbs_edit_6773_0); methods += new qt_gsi::GenericMethod ("*editorDestroyed", "@brief Virtual method void QTableWidget::editorDestroyed(QObject *editor)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_editorDestroyed_1302_0, &_call_cbs_editorDestroyed_1302_0); methods += new qt_gsi::GenericMethod ("*editorDestroyed", "@hide", false, &_init_cbs_editorDestroyed_1302_0, &_call_cbs_editorDestroyed_1302_0, &_set_callback_cbs_editorDestroyed_1302_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QTableWidget::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QTableWidget::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_entered", "@brief Emitter for signal void QTableWidget::entered(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_entered_2395, &_call_emitter_entered_2395); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QTableWidget::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QTableWidget::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QTableWidget::eventFilter(QObject *object, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*executeDelayedItemsLayout", "@brief Method void QTableWidget::executeDelayedItemsLayout()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_executeDelayedItemsLayout_0, &_call_fp_executeDelayedItemsLayout_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QTableWidget::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); @@ -6622,7 +6685,7 @@ static gsi::Methods methods_QTableWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QTableWidget::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QTableWidget::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QTableWidget::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*horizontalOffset", "@brief Virtual method int QTableWidget::horizontalOffset()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_horizontalOffset_c0_0, &_call_cbs_horizontalOffset_c0_0); methods += new qt_gsi::GenericMethod ("*horizontalOffset", "@hide", true, &_init_cbs_horizontalOffset_c0_0, &_call_cbs_horizontalOffset_c0_0, &_set_callback_cbs_horizontalOffset_c0_0); @@ -6634,6 +6697,7 @@ static gsi::Methods methods_QTableWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_iconSizeChanged", "@brief Emitter for signal void QTableWidget::iconSizeChanged(const QSize &size)\nCall this method to emit this signal.", false, &_init_emitter_iconSizeChanged_1805, &_call_emitter_iconSizeChanged_1805); methods += new qt_gsi::GenericMethod ("indexAt", "@brief Virtual method QModelIndex QTableWidget::indexAt(const QPoint &p)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_indexAt_c1916_0, &_call_cbs_indexAt_c1916_0); methods += new qt_gsi::GenericMethod ("indexAt", "@hide", true, &_init_cbs_indexAt_c1916_0, &_call_cbs_indexAt_c1916_0, &_set_callback_cbs_indexAt_c1916_0); + methods += new qt_gsi::GenericMethod ("*indexFromItem", "@brief Method QModelIndex QTableWidget::indexFromItem(const QTableWidgetItem *item)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_indexFromItem_c2897, &_call_fp_indexFromItem_c2897); methods += new qt_gsi::GenericMethod ("*indexFromItem", "@brief Method QModelIndex QTableWidget::indexFromItem(QTableWidgetItem *item)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_indexFromItem_c2202, &_call_fp_indexFromItem_c2202); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QTableWidget::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -6656,11 +6720,11 @@ static gsi::Methods methods_QTableWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*items", "@brief Method QList QTableWidget::items(const QMimeData *data)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_items_c2168, &_call_fp_items_c2168); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QTableWidget::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QTableWidget::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QTableWidget::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("keyboardSearch", "@brief Virtual method void QTableWidget::keyboardSearch(const QString &search)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyboardSearch_2025_0, &_call_cbs_keyboardSearch_2025_0); methods += new qt_gsi::GenericMethod ("keyboardSearch", "@hide", false, &_init_cbs_keyboardSearch_2025_0, &_call_cbs_keyboardSearch_2025_0, &_set_callback_cbs_keyboardSearch_2025_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QTableWidget::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QTableWidget::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QTableWidget::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); @@ -6680,7 +6744,7 @@ static gsi::Methods methods_QTableWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*moveCursor", "@brief Virtual method QModelIndex QTableWidget::moveCursor(QAbstractItemView::CursorAction cursorAction, QFlags modifiers)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveCursor_6476_0, &_call_cbs_moveCursor_6476_0); methods += new qt_gsi::GenericMethod ("*moveCursor", "@hide", false, &_init_cbs_moveCursor_6476_0, &_call_cbs_moveCursor_6476_0, &_set_callback_cbs_moveCursor_6476_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QTableWidget::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QTableWidget::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QTableWidget::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -6738,7 +6802,7 @@ static gsi::Methods methods_QTableWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("setupViewport", "@hide", false, &_init_cbs_setupViewport_1315_0, &_call_cbs_setupViewport_1315_0, &_set_callback_cbs_setupViewport_1315_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QTableWidget::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QTableWidget::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QTableWidget::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QTableWidget::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); @@ -6753,7 +6817,7 @@ static gsi::Methods methods_QTableWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*stopAutoScroll", "@brief Method void QTableWidget::stopAutoScroll()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_stopAutoScroll_0, &_call_fp_stopAutoScroll_0); methods += new qt_gsi::GenericMethod ("*supportedDropActions", "@brief Virtual method QFlags QTableWidget::supportedDropActions()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0); methods += new qt_gsi::GenericMethod ("*supportedDropActions", "@hide", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0, &_set_callback_cbs_supportedDropActions_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QTableWidget::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QTableWidget::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTableWidget::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTapAndHoldGesture.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTapAndHoldGesture.cc index 6f4a902e38..2eec299c48 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTapAndHoldGesture.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTapAndHoldGesture.cc @@ -247,33 +247,33 @@ class QTapAndHoldGesture_Adaptor : public QTapAndHoldGesture, public qt_gsi::QtO emit QTapAndHoldGesture::destroyed(arg1); } - // [adaptor impl] bool QTapAndHoldGesture::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QTapAndHoldGesture::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QTapAndHoldGesture::event(arg1); + return QTapAndHoldGesture::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QTapAndHoldGesture_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QTapAndHoldGesture_Adaptor::cbs_event_1217_0, _event); } else { - return QTapAndHoldGesture::event(arg1); + return QTapAndHoldGesture::event(_event); } } - // [adaptor impl] bool QTapAndHoldGesture::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QTapAndHoldGesture::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QTapAndHoldGesture::eventFilter(arg1, arg2); + return QTapAndHoldGesture::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QTapAndHoldGesture_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QTapAndHoldGesture_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QTapAndHoldGesture::eventFilter(arg1, arg2); + return QTapAndHoldGesture::eventFilter(watched, event); } } @@ -284,33 +284,33 @@ class QTapAndHoldGesture_Adaptor : public QTapAndHoldGesture, public qt_gsi::QtO throw tl::Exception ("Can't emit private signal 'void QTapAndHoldGesture::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QTapAndHoldGesture::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTapAndHoldGesture::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTapAndHoldGesture::childEvent(arg1); + QTapAndHoldGesture::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTapAndHoldGesture_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTapAndHoldGesture_Adaptor::cbs_childEvent_1701_0, event); } else { - QTapAndHoldGesture::childEvent(arg1); + QTapAndHoldGesture::childEvent(event); } } - // [adaptor impl] void QTapAndHoldGesture::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTapAndHoldGesture::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTapAndHoldGesture::customEvent(arg1); + QTapAndHoldGesture::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTapAndHoldGesture_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTapAndHoldGesture_Adaptor::cbs_customEvent_1217_0, event); } else { - QTapAndHoldGesture::customEvent(arg1); + QTapAndHoldGesture::customEvent(event); } } @@ -329,18 +329,18 @@ class QTapAndHoldGesture_Adaptor : public QTapAndHoldGesture, public qt_gsi::QtO } } - // [adaptor impl] void QTapAndHoldGesture::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QTapAndHoldGesture::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QTapAndHoldGesture::timerEvent(arg1); + QTapAndHoldGesture::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QTapAndHoldGesture_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QTapAndHoldGesture_Adaptor::cbs_timerEvent_1730_0, event); } else { - QTapAndHoldGesture::timerEvent(arg1); + QTapAndHoldGesture::timerEvent(event); } } @@ -358,7 +358,7 @@ QTapAndHoldGesture_Adaptor::~QTapAndHoldGesture_Adaptor() { } static void _init_ctor_QTapAndHoldGesture_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -367,16 +367,16 @@ static void _call_ctor_QTapAndHoldGesture_Adaptor_1302 (const qt_gsi::GenericSta { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTapAndHoldGesture_Adaptor (arg1)); } -// void QTapAndHoldGesture::childEvent(QChildEvent *) +// void QTapAndHoldGesture::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -396,11 +396,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QTapAndHoldGesture::customEvent(QEvent *) +// void QTapAndHoldGesture::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -424,7 +424,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -433,7 +433,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTapAndHoldGesture_Adaptor *)cls)->emitter_QTapAndHoldGesture_destroyed_1302 (arg1); } @@ -462,11 +462,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QTapAndHoldGesture::event(QEvent *) +// bool QTapAndHoldGesture::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -485,13 +485,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QTapAndHoldGesture::eventFilter(QObject *, QEvent *) +// bool QTapAndHoldGesture::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -593,11 +593,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QTapAndHoldGesture::timerEvent(QTimerEvent *) +// void QTapAndHoldGesture::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -625,23 +625,23 @@ gsi::Class &qtdecl_QTapAndHoldGesture (); static gsi::Methods methods_QTapAndHoldGesture_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTapAndHoldGesture::QTapAndHoldGesture(QObject *parent)\nThis method creates an object of class QTapAndHoldGesture.", &_init_ctor_QTapAndHoldGesture_Adaptor_1302, &_call_ctor_QTapAndHoldGesture_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTapAndHoldGesture::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTapAndHoldGesture::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTapAndHoldGesture::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTapAndHoldGesture::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTapAndHoldGesture::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTapAndHoldGesture::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTapAndHoldGesture::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTapAndHoldGesture::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTapAndHoldGesture::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTapAndHoldGesture::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QTapAndHoldGesture::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QTapAndHoldGesture::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QTapAndHoldGesture::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QTapAndHoldGesture::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QTapAndHoldGesture::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTapAndHoldGesture::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTapAndHoldGesture::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTapGesture.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTapGesture.cc index 1d317f626d..afd452a943 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTapGesture.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTapGesture.cc @@ -210,33 +210,33 @@ class QTapGesture_Adaptor : public QTapGesture, public qt_gsi::QtObjectBase emit QTapGesture::destroyed(arg1); } - // [adaptor impl] bool QTapGesture::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QTapGesture::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QTapGesture::event(arg1); + return QTapGesture::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QTapGesture_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QTapGesture_Adaptor::cbs_event_1217_0, _event); } else { - return QTapGesture::event(arg1); + return QTapGesture::event(_event); } } - // [adaptor impl] bool QTapGesture::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QTapGesture::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QTapGesture::eventFilter(arg1, arg2); + return QTapGesture::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QTapGesture_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QTapGesture_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QTapGesture::eventFilter(arg1, arg2); + return QTapGesture::eventFilter(watched, event); } } @@ -247,33 +247,33 @@ class QTapGesture_Adaptor : public QTapGesture, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QTapGesture::objectNameChanged(const QString &objectName)'"); } - // [adaptor impl] void QTapGesture::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTapGesture::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTapGesture::childEvent(arg1); + QTapGesture::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTapGesture_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTapGesture_Adaptor::cbs_childEvent_1701_0, event); } else { - QTapGesture::childEvent(arg1); + QTapGesture::childEvent(event); } } - // [adaptor impl] void QTapGesture::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTapGesture::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTapGesture::customEvent(arg1); + QTapGesture::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTapGesture_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTapGesture_Adaptor::cbs_customEvent_1217_0, event); } else { - QTapGesture::customEvent(arg1); + QTapGesture::customEvent(event); } } @@ -292,18 +292,18 @@ class QTapGesture_Adaptor : public QTapGesture, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTapGesture::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QTapGesture::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QTapGesture::timerEvent(arg1); + QTapGesture::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QTapGesture_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QTapGesture_Adaptor::cbs_timerEvent_1730_0, event); } else { - QTapGesture::timerEvent(arg1); + QTapGesture::timerEvent(event); } } @@ -321,7 +321,7 @@ QTapGesture_Adaptor::~QTapGesture_Adaptor() { } static void _init_ctor_QTapGesture_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -330,16 +330,16 @@ static void _call_ctor_QTapGesture_Adaptor_1302 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTapGesture_Adaptor (arg1)); } -// void QTapGesture::childEvent(QChildEvent *) +// void QTapGesture::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -359,11 +359,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QTapGesture::customEvent(QEvent *) +// void QTapGesture::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -387,7 +387,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -396,7 +396,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTapGesture_Adaptor *)cls)->emitter_QTapGesture_destroyed_1302 (arg1); } @@ -425,11 +425,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QTapGesture::event(QEvent *) +// bool QTapGesture::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -448,13 +448,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QTapGesture::eventFilter(QObject *, QEvent *) +// bool QTapGesture::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -556,11 +556,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QTapGesture::timerEvent(QTimerEvent *) +// void QTapGesture::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -588,23 +588,23 @@ gsi::Class &qtdecl_QTapGesture (); static gsi::Methods methods_QTapGesture_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTapGesture::QTapGesture(QObject *parent)\nThis method creates an object of class QTapGesture.", &_init_ctor_QTapGesture_Adaptor_1302, &_call_ctor_QTapGesture_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTapGesture::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTapGesture::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTapGesture::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTapGesture::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTapGesture::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTapGesture::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTapGesture::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTapGesture::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTapGesture::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTapGesture::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QTapGesture::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QTapGesture::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QTapGesture::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QTapGesture::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QTapGesture::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTapGesture::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTapGesture::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTextBrowser.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTextBrowser.cc index 40b6f5d04c..a3b98c52db 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTextBrowser.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTextBrowser.cc @@ -986,18 +986,18 @@ class QTextBrowser_Adaptor : public QTextBrowser, public qt_gsi::QtObjectBase emit QTextBrowser::windowTitleChanged(title); } - // [adaptor impl] void QTextBrowser::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QTextBrowser::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QTextBrowser::actionEvent(arg1); + QTextBrowser::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QTextBrowser_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QTextBrowser_Adaptor::cbs_actionEvent_1823_0, event); } else { - QTextBrowser::actionEvent(arg1); + QTextBrowser::actionEvent(event); } } @@ -1031,33 +1031,33 @@ class QTextBrowser_Adaptor : public QTextBrowser, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextBrowser::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTextBrowser::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTextBrowser::childEvent(arg1); + QTextBrowser::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTextBrowser_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTextBrowser_Adaptor::cbs_childEvent_1701_0, event); } else { - QTextBrowser::childEvent(arg1); + QTextBrowser::childEvent(event); } } - // [adaptor impl] void QTextBrowser::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QTextBrowser::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QTextBrowser::closeEvent(arg1); + QTextBrowser::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QTextBrowser_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QTextBrowser_Adaptor::cbs_closeEvent_1719_0, event); } else { - QTextBrowser::closeEvent(arg1); + QTextBrowser::closeEvent(event); } } @@ -1091,18 +1091,18 @@ class QTextBrowser_Adaptor : public QTextBrowser, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextBrowser::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTextBrowser::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTextBrowser::customEvent(arg1); + QTextBrowser::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTextBrowser_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTextBrowser_Adaptor::cbs_customEvent_1217_0, event); } else { - QTextBrowser::customEvent(arg1); + QTextBrowser::customEvent(event); } } @@ -1196,18 +1196,18 @@ class QTextBrowser_Adaptor : public QTextBrowser, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextBrowser::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTextBrowser::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QTextBrowser::enterEvent(arg1); + QTextBrowser::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QTextBrowser_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QTextBrowser_Adaptor::cbs_enterEvent_1217_0, event); } else { - QTextBrowser::enterEvent(arg1); + QTextBrowser::enterEvent(event); } } @@ -1286,18 +1286,18 @@ class QTextBrowser_Adaptor : public QTextBrowser, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextBrowser::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QTextBrowser::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QTextBrowser::hideEvent(arg1); + QTextBrowser::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QTextBrowser_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QTextBrowser_Adaptor::cbs_hideEvent_1595_0, event); } else { - QTextBrowser::hideEvent(arg1); + QTextBrowser::hideEvent(event); } } @@ -1376,18 +1376,18 @@ class QTextBrowser_Adaptor : public QTextBrowser, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextBrowser::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTextBrowser::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QTextBrowser::leaveEvent(arg1); + QTextBrowser::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QTextBrowser_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QTextBrowser_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QTextBrowser::leaveEvent(arg1); + QTextBrowser::leaveEvent(event); } } @@ -1466,18 +1466,18 @@ class QTextBrowser_Adaptor : public QTextBrowser, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextBrowser::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QTextBrowser::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QTextBrowser::moveEvent(arg1); + QTextBrowser::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QTextBrowser_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QTextBrowser_Adaptor::cbs_moveEvent_1624_0, event); } else { - QTextBrowser::moveEvent(arg1); + QTextBrowser::moveEvent(event); } } @@ -1586,18 +1586,18 @@ class QTextBrowser_Adaptor : public QTextBrowser, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextBrowser::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QTextBrowser::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QTextBrowser::tabletEvent(arg1); + QTextBrowser::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QTextBrowser_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QTextBrowser_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QTextBrowser::tabletEvent(arg1); + QTextBrowser::tabletEvent(event); } } @@ -1728,7 +1728,7 @@ QTextBrowser_Adaptor::~QTextBrowser_Adaptor() { } static void _init_ctor_QTextBrowser_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1737,16 +1737,16 @@ static void _call_ctor_QTextBrowser_Adaptor_1315 (const qt_gsi::GenericStaticMet { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTextBrowser_Adaptor (arg1)); } -// void QTextBrowser::actionEvent(QActionEvent *) +// void QTextBrowser::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1869,11 +1869,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QTextBrowser::childEvent(QChildEvent *) +// void QTextBrowser::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1893,11 +1893,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QTextBrowser::closeEvent(QCloseEvent *) +// void QTextBrowser::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2053,11 +2053,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QTextBrowser::customEvent(QEvent *) +// void QTextBrowser::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2103,7 +2103,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2112,7 +2112,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTextBrowser_Adaptor *)cls)->emitter_QTextBrowser_destroyed_1302 (arg1); } @@ -2280,11 +2280,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QTextBrowser::enterEvent(QEvent *) +// void QTextBrowser::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2532,11 +2532,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QTextBrowser::hideEvent(QHideEvent *) +// void QTextBrowser::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2806,11 +2806,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QTextBrowser::leaveEvent(QEvent *) +// void QTextBrowser::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2994,11 +2994,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QTextBrowser::moveEvent(QMoveEvent *) +// void QTextBrowser::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3479,11 +3479,11 @@ static void _call_emitter_sourceChanged_1701 (const qt_gsi::GenericMethod * /*de } -// void QTextBrowser::tabletEvent(QTabletEvent *) +// void QTextBrowser::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3735,7 +3735,7 @@ gsi::Class &qtdecl_QTextBrowser (); static gsi::Methods methods_QTextBrowser_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTextBrowser::QTextBrowser(QWidget *parent)\nThis method creates an object of class QTextBrowser.", &_init_ctor_QTextBrowser_Adaptor_1315, &_call_ctor_QTextBrowser_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QTextBrowser::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QTextBrowser::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("emit_anchorClicked", "@brief Emitter for signal void QTextBrowser::anchorClicked(const QUrl &)\nCall this method to emit this signal.", false, &_init_emitter_anchorClicked_1701, &_call_emitter_anchorClicked_1701); methods += new qt_gsi::GenericMethod ("backward", "@brief Virtual method void QTextBrowser::backward()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_backward_0_0, &_call_cbs_backward_0_0); @@ -3745,22 +3745,22 @@ static gsi::Methods methods_QTextBrowser_Adaptor () { methods += new qt_gsi::GenericMethod ("*canInsertFromMimeData", "@hide", true, &_init_cbs_canInsertFromMimeData_c2168_0, &_call_cbs_canInsertFromMimeData_c2168_0, &_set_callback_cbs_canInsertFromMimeData_c2168_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QTextBrowser::changeEvent(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTextBrowser::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTextBrowser::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QTextBrowser::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QTextBrowser::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QTextBrowser::contextMenuEvent(QContextMenuEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("emit_copyAvailable", "@brief Emitter for signal void QTextBrowser::copyAvailable(bool b)\nCall this method to emit this signal.", false, &_init_emitter_copyAvailable_864, &_call_emitter_copyAvailable_864); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QTextBrowser::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QTextBrowser::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*createMimeDataFromSelection", "@brief Virtual method QMimeData *QTextBrowser::createMimeDataFromSelection()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_createMimeDataFromSelection_c0_0, &_call_cbs_createMimeDataFromSelection_c0_0); methods += new qt_gsi::GenericMethod ("*createMimeDataFromSelection", "@hide", true, &_init_cbs_createMimeDataFromSelection_c0_0, &_call_cbs_createMimeDataFromSelection_c0_0, &_set_callback_cbs_createMimeDataFromSelection_c0_0); methods += new qt_gsi::GenericMethod ("emit_currentCharFormatChanged", "@brief Emitter for signal void QTextBrowser::currentCharFormatChanged(const QTextCharFormat &format)\nCall this method to emit this signal.", false, &_init_emitter_currentCharFormatChanged_2814, &_call_emitter_currentCharFormatChanged_2814); methods += new qt_gsi::GenericMethod ("emit_cursorPositionChanged", "@brief Emitter for signal void QTextBrowser::cursorPositionChanged()\nCall this method to emit this signal.", false, &_init_emitter_cursorPositionChanged_0, &_call_emitter_cursorPositionChanged_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QTextBrowser::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTextBrowser::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTextBrowser::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QTextBrowser::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QTextBrowser::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTextBrowser::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTextBrowser::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); @@ -3775,7 +3775,7 @@ static gsi::Methods methods_QTextBrowser_Adaptor () { methods += new qt_gsi::GenericMethod ("*drawFrame", "@brief Method void QTextBrowser::drawFrame(QPainter *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_drawFrame_1426, &_call_fp_drawFrame_1426); methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QTextBrowser::dropEvent(QDropEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QTextBrowser::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QTextBrowser::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QTextBrowser::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); @@ -3796,7 +3796,7 @@ static gsi::Methods methods_QTextBrowser_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QTextBrowser::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QTextBrowser::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QTextBrowser::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("emit_highlighted", "@brief Emitter for signal void QTextBrowser::highlighted(const QUrl &)\nCall this method to emit this signal.", false, &_init_emitter_highlighted_1701, &_call_emitter_highlighted_1701); methods += new qt_gsi::GenericMethod ("emit_highlighted_qs", "@brief Emitter for signal void QTextBrowser::highlighted(const QString &)\nCall this method to emit this signal.", false, &_init_emitter_highlighted_2025, &_call_emitter_highlighted_2025); @@ -3817,7 +3817,7 @@ static gsi::Methods methods_QTextBrowser_Adaptor () { methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QTextBrowser::keyReleaseEvent(QKeyEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QTextBrowser::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QTextBrowser::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("loadResource", "@brief Virtual method QVariant QTextBrowser::loadResource(int type, const QUrl &name)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_loadResource_2360_0, &_call_cbs_loadResource_2360_0); methods += new qt_gsi::GenericMethod ("loadResource", "@hide", false, &_init_cbs_loadResource_2360_0, &_call_cbs_loadResource_2360_0, &_set_callback_cbs_loadResource_2360_0); @@ -3833,7 +3833,7 @@ static gsi::Methods methods_QTextBrowser_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QTextBrowser::mouseReleaseEvent(QMouseEvent *ev)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QTextBrowser::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QTextBrowser::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QTextBrowser::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3870,7 +3870,7 @@ static gsi::Methods methods_QTextBrowser_Adaptor () { methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QTextBrowser::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("emit_sourceChanged", "@brief Emitter for signal void QTextBrowser::sourceChanged(const QUrl &)\nCall this method to emit this signal.", false, &_init_emitter_sourceChanged_1701, &_call_emitter_sourceChanged_1701); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QTextBrowser::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QTextBrowser::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("emit_textChanged", "@brief Emitter for signal void QTextBrowser::textChanged()\nCall this method to emit this signal.", false, &_init_emitter_textChanged_0, &_call_emitter_textChanged_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTextBrowser::timerEvent(QTimerEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTextEdit.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTextEdit.cc index 7254c2a868..e3bdb2cf52 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTextEdit.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTextEdit.cc @@ -457,7 +457,7 @@ static void _init_f_find_5261 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("exp"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("options", true, "0"); + static gsi::ArgSpecBase argspec_1 ("options", true, "QTextDocument::FindFlags()"); decl->add_arg > (argspec_1); decl->set_return (); } @@ -467,7 +467,7 @@ static void _call_f_find_5261 (const qt_gsi::GenericMethod * /*decl*/, void *cls __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QTextDocument::FindFlags(), heap); ret.write ((bool)((QTextEdit *)cls)->find (arg1, arg2)); } @@ -479,7 +479,7 @@ static void _init_f_find_5217 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("exp"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("options", true, "0"); + static gsi::ArgSpecBase argspec_1 ("options", true, "QTextDocument::FindFlags()"); decl->add_arg > (argspec_1); decl->set_return (); } @@ -489,7 +489,7 @@ static void _call_f_find_5217 (const qt_gsi::GenericMethod * /*decl*/, void *cls __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QRegExp &arg1 = gsi::arg_reader() (args, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QTextDocument::FindFlags(), heap); ret.write ((bool)((QTextEdit *)cls)->find (arg1, arg2)); } @@ -1333,6 +1333,26 @@ static void _call_f_setTabChangesFocus_864 (const qt_gsi::GenericMethod * /*decl } +// void QTextEdit::setTabStopDistance(double distance) + + +static void _init_f_setTabStopDistance_1071 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("distance"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setTabStopDistance_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QTextEdit *)cls)->setTabStopDistance (arg1); +} + + // void QTextEdit::setTabStopWidth(int width) @@ -1508,6 +1528,21 @@ static void _call_f_tabChangesFocus_c0 (const qt_gsi::GenericMethod * /*decl*/, } +// double QTextEdit::tabStopDistance() + + +static void _init_f_tabStopDistance_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_tabStopDistance_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((double)((QTextEdit *)cls)->tabStopDistance ()); +} + + // int QTextEdit::tabStopWidth() @@ -1808,6 +1843,7 @@ static gsi::Methods methods_QTextEdit () { methods += new qt_gsi::GenericMethod ("setPlainText|plainText=", "@brief Method void QTextEdit::setPlainText(const QString &text)\n", false, &_init_f_setPlainText_2025, &_call_f_setPlainText_2025); methods += new qt_gsi::GenericMethod ("setReadOnly|readOnly=", "@brief Method void QTextEdit::setReadOnly(bool ro)\n", false, &_init_f_setReadOnly_864, &_call_f_setReadOnly_864); methods += new qt_gsi::GenericMethod ("setTabChangesFocus|tabChangesFocus=", "@brief Method void QTextEdit::setTabChangesFocus(bool b)\n", false, &_init_f_setTabChangesFocus_864, &_call_f_setTabChangesFocus_864); + methods += new qt_gsi::GenericMethod ("setTabStopDistance", "@brief Method void QTextEdit::setTabStopDistance(double distance)\n", false, &_init_f_setTabStopDistance_1071, &_call_f_setTabStopDistance_1071); methods += new qt_gsi::GenericMethod ("setTabStopWidth|tabStopWidth=", "@brief Method void QTextEdit::setTabStopWidth(int width)\n", false, &_init_f_setTabStopWidth_767, &_call_f_setTabStopWidth_767); methods += new qt_gsi::GenericMethod ("setText", "@brief Method void QTextEdit::setText(const QString &text)\n", false, &_init_f_setText_2025, &_call_f_setText_2025); methods += new qt_gsi::GenericMethod ("setTextBackgroundColor|textBackgroundColor=", "@brief Method void QTextEdit::setTextBackgroundColor(const QColor &c)\n", false, &_init_f_setTextBackgroundColor_1905, &_call_f_setTextBackgroundColor_1905); @@ -1817,6 +1853,7 @@ static gsi::Methods methods_QTextEdit () { methods += new qt_gsi::GenericMethod ("setUndoRedoEnabled|undoRedoEnabled=", "@brief Method void QTextEdit::setUndoRedoEnabled(bool enable)\n", false, &_init_f_setUndoRedoEnabled_864, &_call_f_setUndoRedoEnabled_864); methods += new qt_gsi::GenericMethod ("setWordWrapMode|wordWrapMode=", "@brief Method void QTextEdit::setWordWrapMode(QTextOption::WrapMode policy)\n", false, &_init_f_setWordWrapMode_2486, &_call_f_setWordWrapMode_2486); methods += new qt_gsi::GenericMethod (":tabChangesFocus", "@brief Method bool QTextEdit::tabChangesFocus()\n", true, &_init_f_tabChangesFocus_c0, &_call_f_tabChangesFocus_c0); + methods += new qt_gsi::GenericMethod ("tabStopDistance", "@brief Method double QTextEdit::tabStopDistance()\n", true, &_init_f_tabStopDistance_c0, &_call_f_tabStopDistance_c0); methods += new qt_gsi::GenericMethod (":tabStopWidth", "@brief Method int QTextEdit::tabStopWidth()\n", true, &_init_f_tabStopWidth_c0, &_call_f_tabStopWidth_c0); methods += new qt_gsi::GenericMethod (":textBackgroundColor", "@brief Method QColor QTextEdit::textBackgroundColor()\n", true, &_init_f_textBackgroundColor_c0, &_call_f_textBackgroundColor_c0); methods += new qt_gsi::GenericMethod (":textColor", "@brief Method QColor QTextEdit::textColor()\n", true, &_init_f_textColor_c0, &_call_f_textColor_c0); @@ -2176,18 +2213,18 @@ class QTextEdit_Adaptor : public QTextEdit, public qt_gsi::QtObjectBase emit QTextEdit::windowTitleChanged(title); } - // [adaptor impl] void QTextEdit::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QTextEdit::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QTextEdit::actionEvent(arg1); + QTextEdit::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QTextEdit_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QTextEdit_Adaptor::cbs_actionEvent_1823_0, event); } else { - QTextEdit::actionEvent(arg1); + QTextEdit::actionEvent(event); } } @@ -2221,33 +2258,33 @@ class QTextEdit_Adaptor : public QTextEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextEdit::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTextEdit::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTextEdit::childEvent(arg1); + QTextEdit::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTextEdit_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTextEdit_Adaptor::cbs_childEvent_1701_0, event); } else { - QTextEdit::childEvent(arg1); + QTextEdit::childEvent(event); } } - // [adaptor impl] void QTextEdit::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QTextEdit::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QTextEdit::closeEvent(arg1); + QTextEdit::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QTextEdit_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QTextEdit_Adaptor::cbs_closeEvent_1719_0, event); } else { - QTextEdit::closeEvent(arg1); + QTextEdit::closeEvent(event); } } @@ -2281,18 +2318,18 @@ class QTextEdit_Adaptor : public QTextEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextEdit::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTextEdit::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTextEdit::customEvent(arg1); + QTextEdit::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTextEdit_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTextEdit_Adaptor::cbs_customEvent_1217_0, event); } else { - QTextEdit::customEvent(arg1); + QTextEdit::customEvent(event); } } @@ -2386,18 +2423,18 @@ class QTextEdit_Adaptor : public QTextEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextEdit::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTextEdit::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QTextEdit::enterEvent(arg1); + QTextEdit::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QTextEdit_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QTextEdit_Adaptor::cbs_enterEvent_1217_0, event); } else { - QTextEdit::enterEvent(arg1); + QTextEdit::enterEvent(event); } } @@ -2476,18 +2513,18 @@ class QTextEdit_Adaptor : public QTextEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextEdit::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QTextEdit::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QTextEdit::hideEvent(arg1); + QTextEdit::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QTextEdit_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QTextEdit_Adaptor::cbs_hideEvent_1595_0, event); } else { - QTextEdit::hideEvent(arg1); + QTextEdit::hideEvent(event); } } @@ -2566,18 +2603,18 @@ class QTextEdit_Adaptor : public QTextEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextEdit::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTextEdit::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QTextEdit::leaveEvent(arg1); + QTextEdit::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QTextEdit_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QTextEdit_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QTextEdit::leaveEvent(arg1); + QTextEdit::leaveEvent(event); } } @@ -2656,18 +2693,18 @@ class QTextEdit_Adaptor : public QTextEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextEdit::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QTextEdit::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QTextEdit::moveEvent(arg1); + QTextEdit::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QTextEdit_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QTextEdit_Adaptor::cbs_moveEvent_1624_0, event); } else { - QTextEdit::moveEvent(arg1); + QTextEdit::moveEvent(event); } } @@ -2776,18 +2813,18 @@ class QTextEdit_Adaptor : public QTextEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTextEdit::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QTextEdit::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QTextEdit::tabletEvent(arg1); + QTextEdit::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QTextEdit_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QTextEdit_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QTextEdit::tabletEvent(arg1); + QTextEdit::tabletEvent(event); } } @@ -2913,7 +2950,7 @@ QTextEdit_Adaptor::~QTextEdit_Adaptor() { } static void _init_ctor_QTextEdit_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -2922,7 +2959,7 @@ static void _call_ctor_QTextEdit_Adaptor_1315 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTextEdit_Adaptor (arg1)); } @@ -2933,7 +2970,7 @@ static void _init_ctor_QTextEdit_Adaptor_3232 (qt_gsi::GenericStaticMethod *decl { static gsi::ArgSpecBase argspec_0 ("text"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -2943,16 +2980,16 @@ static void _call_ctor_QTextEdit_Adaptor_3232 (const qt_gsi::GenericStaticMethod __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTextEdit_Adaptor (arg1, arg2)); } -// void QTextEdit::actionEvent(QActionEvent *) +// void QTextEdit::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3019,11 +3056,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QTextEdit::childEvent(QChildEvent *) +// void QTextEdit::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3043,11 +3080,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QTextEdit::closeEvent(QCloseEvent *) +// void QTextEdit::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3203,11 +3240,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QTextEdit::customEvent(QEvent *) +// void QTextEdit::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3253,7 +3290,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3262,7 +3299,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTextEdit_Adaptor *)cls)->emitter_QTextEdit_destroyed_1302 (arg1); } @@ -3430,11 +3467,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QTextEdit::enterEvent(QEvent *) +// void QTextEdit::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3644,11 +3681,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QTextEdit::hideEvent(QHideEvent *) +// void QTextEdit::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3848,11 +3885,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QTextEdit::leaveEvent(QEvent *) +// void QTextEdit::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4036,11 +4073,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QTextEdit::moveEvent(QMoveEvent *) +// void QTextEdit::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4459,11 +4496,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QTextEdit::tabletEvent(QTabletEvent *) +// void QTextEdit::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4716,28 +4753,28 @@ static gsi::Methods methods_QTextEdit_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTextEdit::QTextEdit(QWidget *parent)\nThis method creates an object of class QTextEdit.", &_init_ctor_QTextEdit_Adaptor_1315, &_call_ctor_QTextEdit_Adaptor_1315); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTextEdit::QTextEdit(const QString &text, QWidget *parent)\nThis method creates an object of class QTextEdit.", &_init_ctor_QTextEdit_Adaptor_3232, &_call_ctor_QTextEdit_Adaptor_3232); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QTextEdit::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QTextEdit::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*canInsertFromMimeData", "@brief Virtual method bool QTextEdit::canInsertFromMimeData(const QMimeData *source)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_canInsertFromMimeData_c2168_0, &_call_cbs_canInsertFromMimeData_c2168_0); methods += new qt_gsi::GenericMethod ("*canInsertFromMimeData", "@hide", true, &_init_cbs_canInsertFromMimeData_c2168_0, &_call_cbs_canInsertFromMimeData_c2168_0, &_set_callback_cbs_canInsertFromMimeData_c2168_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QTextEdit::changeEvent(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTextEdit::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTextEdit::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QTextEdit::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QTextEdit::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QTextEdit::contextMenuEvent(QContextMenuEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("emit_copyAvailable", "@brief Emitter for signal void QTextEdit::copyAvailable(bool b)\nCall this method to emit this signal.", false, &_init_emitter_copyAvailable_864, &_call_emitter_copyAvailable_864); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QTextEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QTextEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*createMimeDataFromSelection", "@brief Virtual method QMimeData *QTextEdit::createMimeDataFromSelection()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_createMimeDataFromSelection_c0_0, &_call_cbs_createMimeDataFromSelection_c0_0); methods += new qt_gsi::GenericMethod ("*createMimeDataFromSelection", "@hide", true, &_init_cbs_createMimeDataFromSelection_c0_0, &_call_cbs_createMimeDataFromSelection_c0_0, &_set_callback_cbs_createMimeDataFromSelection_c0_0); methods += new qt_gsi::GenericMethod ("emit_currentCharFormatChanged", "@brief Emitter for signal void QTextEdit::currentCharFormatChanged(const QTextCharFormat &format)\nCall this method to emit this signal.", false, &_init_emitter_currentCharFormatChanged_2814, &_call_emitter_currentCharFormatChanged_2814); methods += new qt_gsi::GenericMethod ("emit_cursorPositionChanged", "@brief Emitter for signal void QTextEdit::cursorPositionChanged()\nCall this method to emit this signal.", false, &_init_emitter_cursorPositionChanged_0, &_call_emitter_cursorPositionChanged_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QTextEdit::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTextEdit::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTextEdit::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QTextEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QTextEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTextEdit::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTextEdit::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); @@ -4752,7 +4789,7 @@ static gsi::Methods methods_QTextEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*drawFrame", "@brief Method void QTextEdit::drawFrame(QPainter *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_drawFrame_1426, &_call_fp_drawFrame_1426); methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QTextEdit::dropEvent(QDropEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QTextEdit::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QTextEdit::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QTextEdit::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); @@ -4770,7 +4807,7 @@ static gsi::Methods methods_QTextEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QTextEdit::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QTextEdit::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QTextEdit::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QTextEdit::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -4786,7 +4823,7 @@ static gsi::Methods methods_QTextEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QTextEdit::keyReleaseEvent(QKeyEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QTextEdit::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QTextEdit::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("loadResource", "@brief Virtual method QVariant QTextEdit::loadResource(int type, const QUrl &name)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_loadResource_2360_0, &_call_cbs_loadResource_2360_0); methods += new qt_gsi::GenericMethod ("loadResource", "@hide", false, &_init_cbs_loadResource_2360_0, &_call_cbs_loadResource_2360_0, &_set_callback_cbs_loadResource_2360_0); @@ -4802,7 +4839,7 @@ static gsi::Methods methods_QTextEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QTextEdit::mouseReleaseEvent(QMouseEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QTextEdit::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QTextEdit::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QTextEdit::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -4834,7 +4871,7 @@ static gsi::Methods methods_QTextEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QTextEdit::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QTextEdit::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QTextEdit::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("emit_textChanged", "@brief Emitter for signal void QTextEdit::textChanged()\nCall this method to emit this signal.", false, &_init_emitter_textChanged_0, &_call_emitter_textChanged_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTextEdit::timerEvent(QTimerEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTimeEdit.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTimeEdit.cc index 1af90c4330..f3caddc00a 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTimeEdit.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTimeEdit.cc @@ -338,18 +338,18 @@ class QTimeEdit_Adaptor : public QTimeEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QTimeEdit::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QTimeEdit::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QTimeEdit::eventFilter(arg1, arg2); + return QTimeEdit::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QTimeEdit_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QTimeEdit_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QTimeEdit::eventFilter(arg1, arg2); + return QTimeEdit::eventFilter(watched, event); } } @@ -510,18 +510,18 @@ class QTimeEdit_Adaptor : public QTimeEdit, public qt_gsi::QtObjectBase emit QTimeEdit::windowTitleChanged(title); } - // [adaptor impl] void QTimeEdit::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QTimeEdit::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QTimeEdit::actionEvent(arg1); + QTimeEdit::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QTimeEdit_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QTimeEdit_Adaptor::cbs_actionEvent_1823_0, event); } else { - QTimeEdit::actionEvent(arg1); + QTimeEdit::actionEvent(event); } } @@ -540,18 +540,18 @@ class QTimeEdit_Adaptor : public QTimeEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTimeEdit::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTimeEdit::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTimeEdit::childEvent(arg1); + QTimeEdit::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTimeEdit_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTimeEdit_Adaptor::cbs_childEvent_1701_0, event); } else { - QTimeEdit::childEvent(arg1); + QTimeEdit::childEvent(event); } } @@ -585,18 +585,18 @@ class QTimeEdit_Adaptor : public QTimeEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTimeEdit::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTimeEdit::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTimeEdit::customEvent(arg1); + QTimeEdit::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTimeEdit_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTimeEdit_Adaptor::cbs_customEvent_1217_0, event); } else { - QTimeEdit::customEvent(arg1); + QTimeEdit::customEvent(event); } } @@ -630,78 +630,78 @@ class QTimeEdit_Adaptor : public QTimeEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTimeEdit::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QTimeEdit::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QTimeEdit::dragEnterEvent(arg1); + QTimeEdit::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QTimeEdit_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QTimeEdit_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QTimeEdit::dragEnterEvent(arg1); + QTimeEdit::dragEnterEvent(event); } } - // [adaptor impl] void QTimeEdit::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QTimeEdit::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QTimeEdit::dragLeaveEvent(arg1); + QTimeEdit::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QTimeEdit_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QTimeEdit_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QTimeEdit::dragLeaveEvent(arg1); + QTimeEdit::dragLeaveEvent(event); } } - // [adaptor impl] void QTimeEdit::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QTimeEdit::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QTimeEdit::dragMoveEvent(arg1); + QTimeEdit::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QTimeEdit_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QTimeEdit_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QTimeEdit::dragMoveEvent(arg1); + QTimeEdit::dragMoveEvent(event); } } - // [adaptor impl] void QTimeEdit::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QTimeEdit::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QTimeEdit::dropEvent(arg1); + QTimeEdit::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QTimeEdit_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QTimeEdit_Adaptor::cbs_dropEvent_1622_0, event); } else { - QTimeEdit::dropEvent(arg1); + QTimeEdit::dropEvent(event); } } - // [adaptor impl] void QTimeEdit::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTimeEdit::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QTimeEdit::enterEvent(arg1); + QTimeEdit::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QTimeEdit_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QTimeEdit_Adaptor::cbs_enterEvent_1217_0, event); } else { - QTimeEdit::enterEvent(arg1); + QTimeEdit::enterEvent(event); } } @@ -840,18 +840,18 @@ class QTimeEdit_Adaptor : public QTimeEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTimeEdit::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTimeEdit::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QTimeEdit::leaveEvent(arg1); + QTimeEdit::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QTimeEdit_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QTimeEdit_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QTimeEdit::leaveEvent(arg1); + QTimeEdit::leaveEvent(event); } } @@ -870,18 +870,18 @@ class QTimeEdit_Adaptor : public QTimeEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTimeEdit::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QTimeEdit::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QTimeEdit::mouseDoubleClickEvent(arg1); + QTimeEdit::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QTimeEdit_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QTimeEdit_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QTimeEdit::mouseDoubleClickEvent(arg1); + QTimeEdit::mouseDoubleClickEvent(event); } } @@ -930,18 +930,18 @@ class QTimeEdit_Adaptor : public QTimeEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTimeEdit::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QTimeEdit::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QTimeEdit::moveEvent(arg1); + QTimeEdit::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QTimeEdit_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QTimeEdit_Adaptor::cbs_moveEvent_1624_0, event); } else { - QTimeEdit::moveEvent(arg1); + QTimeEdit::moveEvent(event); } } @@ -1050,18 +1050,18 @@ class QTimeEdit_Adaptor : public QTimeEdit, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTimeEdit::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QTimeEdit::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QTimeEdit::tabletEvent(arg1); + QTimeEdit::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QTimeEdit_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QTimeEdit_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QTimeEdit::tabletEvent(arg1); + QTimeEdit::tabletEvent(event); } } @@ -1185,7 +1185,7 @@ QTimeEdit_Adaptor::~QTimeEdit_Adaptor() { } static void _init_ctor_QTimeEdit_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1194,7 +1194,7 @@ static void _call_ctor_QTimeEdit_Adaptor_1315 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTimeEdit_Adaptor (arg1)); } @@ -1205,7 +1205,7 @@ static void _init_ctor_QTimeEdit_Adaptor_3000 (qt_gsi::GenericStaticMethod *decl { static gsi::ArgSpecBase argspec_0 ("time"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1215,16 +1215,16 @@ static void _call_ctor_QTimeEdit_Adaptor_3000 (const qt_gsi::GenericStaticMethod __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QTime &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTimeEdit_Adaptor (arg1, arg2)); } -// void QTimeEdit::actionEvent(QActionEvent *) +// void QTimeEdit::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1268,11 +1268,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QTimeEdit::childEvent(QChildEvent *) +// void QTimeEdit::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1403,11 +1403,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QTimeEdit::customEvent(QEvent *) +// void QTimeEdit::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1512,7 +1512,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1521,7 +1521,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTimeEdit_Adaptor *)cls)->emitter_QTimeEdit_destroyed_1302 (arg1); } @@ -1550,11 +1550,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QTimeEdit::dragEnterEvent(QDragEnterEvent *) +// void QTimeEdit::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1574,11 +1574,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QTimeEdit::dragLeaveEvent(QDragLeaveEvent *) +// void QTimeEdit::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1598,11 +1598,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QTimeEdit::dragMoveEvent(QDragMoveEvent *) +// void QTimeEdit::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1622,11 +1622,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QTimeEdit::dropEvent(QDropEvent *) +// void QTimeEdit::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1660,11 +1660,11 @@ static void _call_emitter_editingFinished_0 (const qt_gsi::GenericMethod * /*dec } -// void QTimeEdit::enterEvent(QEvent *) +// void QTimeEdit::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1707,13 +1707,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QTimeEdit::eventFilter(QObject *, QEvent *) +// bool QTimeEdit::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2078,11 +2078,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QTimeEdit::leaveEvent(QEvent *) +// void QTimeEdit::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2158,11 +2158,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QTimeEdit::mouseDoubleClickEvent(QMouseEvent *) +// void QTimeEdit::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2254,11 +2254,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QTimeEdit::moveEvent(QMoveEvent *) +// void QTimeEdit::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2609,11 +2609,11 @@ static void _set_callback_cbs_stepEnabled_c0_0 (void *cls, const gsi::Callback & } -// void QTimeEdit::tabletEvent(QTabletEvent *) +// void QTimeEdit::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2844,11 +2844,11 @@ static gsi::Methods methods_QTimeEdit_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTimeEdit::QTimeEdit(QWidget *parent)\nThis method creates an object of class QTimeEdit.", &_init_ctor_QTimeEdit_Adaptor_1315, &_call_ctor_QTimeEdit_Adaptor_1315); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTimeEdit::QTimeEdit(const QTime &time, QWidget *parent)\nThis method creates an object of class QTimeEdit.", &_init_ctor_QTimeEdit_Adaptor_3000, &_call_ctor_QTimeEdit_Adaptor_3000); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QTimeEdit::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QTimeEdit::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QTimeEdit::changeEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTimeEdit::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTimeEdit::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("clear", "@brief Virtual method void QTimeEdit::clear()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0); methods += new qt_gsi::GenericMethod ("clear", "@hide", false, &_init_cbs_clear_0_0, &_call_cbs_clear_0_0, &_set_callback_cbs_clear_0_0); @@ -2856,32 +2856,32 @@ static gsi::Methods methods_QTimeEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QTimeEdit::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QTimeEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QTimeEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QTimeEdit::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTimeEdit::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTimeEdit::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_dateChanged", "@brief Emitter for signal void QTimeEdit::dateChanged(const QDate &date)\nCall this method to emit this signal.", false, &_init_emitter_dateChanged_1776, &_call_emitter_dateChanged_1776); methods += new qt_gsi::GenericMethod ("emit_dateTimeChanged", "@brief Emitter for signal void QTimeEdit::dateTimeChanged(const QDateTime &dateTime)\nCall this method to emit this signal.", false, &_init_emitter_dateTimeChanged_2175, &_call_emitter_dateTimeChanged_2175); methods += new qt_gsi::GenericMethod ("*dateTimeFromText", "@brief Virtual method QDateTime QTimeEdit::dateTimeFromText(const QString &text)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_dateTimeFromText_c2025_0, &_call_cbs_dateTimeFromText_c2025_0); methods += new qt_gsi::GenericMethod ("*dateTimeFromText", "@hide", true, &_init_cbs_dateTimeFromText_c2025_0, &_call_cbs_dateTimeFromText_c2025_0, &_set_callback_cbs_dateTimeFromText_c2025_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QTimeEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QTimeEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTimeEdit::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTimeEdit::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QTimeEdit::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QTimeEdit::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QTimeEdit::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QTimeEdit::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QTimeEdit::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QTimeEdit::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QTimeEdit::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QTimeEdit::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("emit_editingFinished", "@brief Emitter for signal void QTimeEdit::editingFinished()\nCall this method to emit this signal.", false, &_init_emitter_editingFinished_0, &_call_emitter_editingFinished_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QTimeEdit::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QTimeEdit::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QTimeEdit::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTimeEdit::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QTimeEdit::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*fixup", "@brief Virtual method void QTimeEdit::fixup(QString &input)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0); methods += new qt_gsi::GenericMethod ("*fixup", "@hide", true, &_init_cbs_fixup_c1330_0, &_call_cbs_fixup_c1330_0, &_set_callback_cbs_fixup_c1330_0); @@ -2911,14 +2911,14 @@ static gsi::Methods methods_QTimeEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QTimeEdit::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QTimeEdit::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QTimeEdit::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*lineEdit", "@brief Method QLineEdit *QTimeEdit::lineEdit()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_lineEdit_c0, &_call_fp_lineEdit_c0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QTimeEdit::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QTimeEdit::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QTimeEdit::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QTimeEdit::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QTimeEdit::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -2926,7 +2926,7 @@ static gsi::Methods methods_QTimeEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QTimeEdit::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QTimeEdit::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QTimeEdit::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QTimeEdit::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2955,7 +2955,7 @@ static gsi::Methods methods_QTimeEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("stepBy", "@hide", false, &_init_cbs_stepBy_767_0, &_call_cbs_stepBy_767_0, &_set_callback_cbs_stepBy_767_0); methods += new qt_gsi::GenericMethod ("*stepEnabled", "@brief Virtual method QFlags QTimeEdit::stepEnabled()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_stepEnabled_c0_0, &_call_cbs_stepEnabled_c0_0); methods += new qt_gsi::GenericMethod ("*stepEnabled", "@hide", true, &_init_cbs_stepEnabled_c0_0, &_call_cbs_stepEnabled_c0_0, &_set_callback_cbs_stepEnabled_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QTimeEdit::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QTimeEdit::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*textFromDateTime", "@brief Virtual method QString QTimeEdit::textFromDateTime(const QDateTime &dt)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_textFromDateTime_c2175_0, &_call_cbs_textFromDateTime_c2175_0); methods += new qt_gsi::GenericMethod ("*textFromDateTime", "@hide", true, &_init_cbs_textFromDateTime_c2175_0, &_call_cbs_textFromDateTime_c2175_0, &_set_callback_cbs_textFromDateTime_c2175_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQToolBar.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQToolBar.cc index 6a36291d91..2d970b8a3f 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQToolBar.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQToolBar.cc @@ -862,18 +862,18 @@ class QToolBar_Adaptor : public QToolBar, public qt_gsi::QtObjectBase emit QToolBar::destroyed(arg1); } - // [adaptor impl] bool QToolBar::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QToolBar::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QToolBar::eventFilter(arg1, arg2); + return QToolBar::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QToolBar_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QToolBar_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QToolBar::eventFilter(arg1, arg2); + return QToolBar::eventFilter(watched, event); } } @@ -1073,63 +1073,63 @@ class QToolBar_Adaptor : public QToolBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolBar::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QToolBar::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QToolBar::childEvent(arg1); + QToolBar::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QToolBar_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QToolBar_Adaptor::cbs_childEvent_1701_0, event); } else { - QToolBar::childEvent(arg1); + QToolBar::childEvent(event); } } - // [adaptor impl] void QToolBar::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QToolBar::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QToolBar::closeEvent(arg1); + QToolBar::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QToolBar_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QToolBar_Adaptor::cbs_closeEvent_1719_0, event); } else { - QToolBar::closeEvent(arg1); + QToolBar::closeEvent(event); } } - // [adaptor impl] void QToolBar::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QToolBar::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QToolBar::contextMenuEvent(arg1); + QToolBar::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QToolBar_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QToolBar_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QToolBar::contextMenuEvent(arg1); + QToolBar::contextMenuEvent(event); } } - // [adaptor impl] void QToolBar::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QToolBar::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QToolBar::customEvent(arg1); + QToolBar::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QToolBar_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QToolBar_Adaptor::cbs_customEvent_1217_0, event); } else { - QToolBar::customEvent(arg1); + QToolBar::customEvent(event); } } @@ -1148,78 +1148,78 @@ class QToolBar_Adaptor : public QToolBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolBar::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QToolBar::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QToolBar::dragEnterEvent(arg1); + QToolBar::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QToolBar_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QToolBar_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QToolBar::dragEnterEvent(arg1); + QToolBar::dragEnterEvent(event); } } - // [adaptor impl] void QToolBar::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QToolBar::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QToolBar::dragLeaveEvent(arg1); + QToolBar::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QToolBar_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QToolBar_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QToolBar::dragLeaveEvent(arg1); + QToolBar::dragLeaveEvent(event); } } - // [adaptor impl] void QToolBar::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QToolBar::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QToolBar::dragMoveEvent(arg1); + QToolBar::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QToolBar_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QToolBar_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QToolBar::dragMoveEvent(arg1); + QToolBar::dragMoveEvent(event); } } - // [adaptor impl] void QToolBar::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QToolBar::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QToolBar::dropEvent(arg1); + QToolBar::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QToolBar_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QToolBar_Adaptor::cbs_dropEvent_1622_0, event); } else { - QToolBar::dropEvent(arg1); + QToolBar::dropEvent(event); } } - // [adaptor impl] void QToolBar::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QToolBar::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QToolBar::enterEvent(arg1); + QToolBar::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QToolBar_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QToolBar_Adaptor::cbs_enterEvent_1217_0, event); } else { - QToolBar::enterEvent(arg1); + QToolBar::enterEvent(event); } } @@ -1238,18 +1238,18 @@ class QToolBar_Adaptor : public QToolBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolBar::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QToolBar::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QToolBar::focusInEvent(arg1); + QToolBar::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QToolBar_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QToolBar_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QToolBar::focusInEvent(arg1); + QToolBar::focusInEvent(event); } } @@ -1268,33 +1268,33 @@ class QToolBar_Adaptor : public QToolBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolBar::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QToolBar::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QToolBar::focusOutEvent(arg1); + QToolBar::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QToolBar_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QToolBar_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QToolBar::focusOutEvent(arg1); + QToolBar::focusOutEvent(event); } } - // [adaptor impl] void QToolBar::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QToolBar::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QToolBar::hideEvent(arg1); + QToolBar::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QToolBar_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QToolBar_Adaptor::cbs_hideEvent_1595_0, event); } else { - QToolBar::hideEvent(arg1); + QToolBar::hideEvent(event); } } @@ -1328,48 +1328,48 @@ class QToolBar_Adaptor : public QToolBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolBar::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QToolBar::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QToolBar::keyPressEvent(arg1); + QToolBar::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QToolBar_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QToolBar_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QToolBar::keyPressEvent(arg1); + QToolBar::keyPressEvent(event); } } - // [adaptor impl] void QToolBar::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QToolBar::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QToolBar::keyReleaseEvent(arg1); + QToolBar::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QToolBar_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QToolBar_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QToolBar::keyReleaseEvent(arg1); + QToolBar::keyReleaseEvent(event); } } - // [adaptor impl] void QToolBar::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QToolBar::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QToolBar::leaveEvent(arg1); + QToolBar::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QToolBar_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QToolBar_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QToolBar::leaveEvent(arg1); + QToolBar::leaveEvent(event); } } @@ -1388,78 +1388,78 @@ class QToolBar_Adaptor : public QToolBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolBar::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QToolBar::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QToolBar::mouseDoubleClickEvent(arg1); + QToolBar::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QToolBar_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QToolBar_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QToolBar::mouseDoubleClickEvent(arg1); + QToolBar::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QToolBar::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QToolBar::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QToolBar::mouseMoveEvent(arg1); + QToolBar::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QToolBar_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QToolBar_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QToolBar::mouseMoveEvent(arg1); + QToolBar::mouseMoveEvent(event); } } - // [adaptor impl] void QToolBar::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QToolBar::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QToolBar::mousePressEvent(arg1); + QToolBar::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QToolBar_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QToolBar_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QToolBar::mousePressEvent(arg1); + QToolBar::mousePressEvent(event); } } - // [adaptor impl] void QToolBar::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QToolBar::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QToolBar::mouseReleaseEvent(arg1); + QToolBar::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QToolBar_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QToolBar_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QToolBar::mouseReleaseEvent(arg1); + QToolBar::mouseReleaseEvent(event); } } - // [adaptor impl] void QToolBar::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QToolBar::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QToolBar::moveEvent(arg1); + QToolBar::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QToolBar_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QToolBar_Adaptor::cbs_moveEvent_1624_0, event); } else { - QToolBar::moveEvent(arg1); + QToolBar::moveEvent(event); } } @@ -1508,18 +1508,18 @@ class QToolBar_Adaptor : public QToolBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolBar::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QToolBar::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QToolBar::resizeEvent(arg1); + QToolBar::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QToolBar_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QToolBar_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QToolBar::resizeEvent(arg1); + QToolBar::resizeEvent(event); } } @@ -1538,63 +1538,63 @@ class QToolBar_Adaptor : public QToolBar, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolBar::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QToolBar::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QToolBar::showEvent(arg1); + QToolBar::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QToolBar_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QToolBar_Adaptor::cbs_showEvent_1634_0, event); } else { - QToolBar::showEvent(arg1); + QToolBar::showEvent(event); } } - // [adaptor impl] void QToolBar::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QToolBar::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QToolBar::tabletEvent(arg1); + QToolBar::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QToolBar_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QToolBar_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QToolBar::tabletEvent(arg1); + QToolBar::tabletEvent(event); } } - // [adaptor impl] void QToolBar::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QToolBar::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QToolBar::timerEvent(arg1); + QToolBar::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QToolBar_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QToolBar_Adaptor::cbs_timerEvent_1730_0, event); } else { - QToolBar::timerEvent(arg1); + QToolBar::timerEvent(event); } } - // [adaptor impl] void QToolBar::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QToolBar::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QToolBar::wheelEvent(arg1); + QToolBar::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QToolBar_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QToolBar_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QToolBar::wheelEvent(arg1); + QToolBar::wheelEvent(event); } } @@ -1653,7 +1653,7 @@ static void _init_ctor_QToolBar_Adaptor_3232 (qt_gsi::GenericStaticMethod *decl) { static gsi::ArgSpecBase argspec_0 ("title"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -1663,7 +1663,7 @@ static void _call_ctor_QToolBar_Adaptor_3232 (const qt_gsi::GenericStaticMethod __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QToolBar_Adaptor (arg1, arg2)); } @@ -1672,7 +1672,7 @@ static void _call_ctor_QToolBar_Adaptor_3232 (const qt_gsi::GenericStaticMethod static void _init_ctor_QToolBar_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1681,7 +1681,7 @@ static void _call_ctor_QToolBar_Adaptor_1315 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QToolBar_Adaptor (arg1)); } @@ -1770,11 +1770,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QToolBar::childEvent(QChildEvent *) +// void QToolBar::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1794,11 +1794,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QToolBar::closeEvent(QCloseEvent *) +// void QToolBar::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1818,11 +1818,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QToolBar::contextMenuEvent(QContextMenuEvent *) +// void QToolBar::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1885,11 +1885,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QToolBar::customEvent(QEvent *) +// void QToolBar::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1935,7 +1935,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1944,7 +1944,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QToolBar_Adaptor *)cls)->emitter_QToolBar_destroyed_1302 (arg1); } @@ -1973,11 +1973,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QToolBar::dragEnterEvent(QDragEnterEvent *) +// void QToolBar::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1997,11 +1997,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QToolBar::dragLeaveEvent(QDragLeaveEvent *) +// void QToolBar::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2021,11 +2021,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QToolBar::dragMoveEvent(QDragMoveEvent *) +// void QToolBar::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2045,11 +2045,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QToolBar::dropEvent(QDropEvent *) +// void QToolBar::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2069,11 +2069,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QToolBar::enterEvent(QEvent *) +// void QToolBar::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2116,13 +2116,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QToolBar::eventFilter(QObject *, QEvent *) +// bool QToolBar::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2142,11 +2142,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QToolBar::focusInEvent(QFocusEvent *) +// void QToolBar::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2203,11 +2203,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QToolBar::focusOutEvent(QFocusEvent *) +// void QToolBar::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2283,11 +2283,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QToolBar::hideEvent(QHideEvent *) +// void QToolBar::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2433,11 +2433,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QToolBar::keyPressEvent(QKeyEvent *) +// void QToolBar::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2457,11 +2457,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QToolBar::keyReleaseEvent(QKeyEvent *) +// void QToolBar::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2481,11 +2481,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QToolBar::leaveEvent(QEvent *) +// void QToolBar::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2547,11 +2547,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QToolBar::mouseDoubleClickEvent(QMouseEvent *) +// void QToolBar::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2571,11 +2571,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QToolBar::mouseMoveEvent(QMouseEvent *) +// void QToolBar::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2595,11 +2595,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QToolBar::mousePressEvent(QMouseEvent *) +// void QToolBar::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2619,11 +2619,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QToolBar::mouseReleaseEvent(QMouseEvent *) +// void QToolBar::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2661,11 +2661,11 @@ static void _call_emitter_movableChanged_864 (const qt_gsi::GenericMethod * /*de } -// void QToolBar::moveEvent(QMoveEvent *) +// void QToolBar::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2834,11 +2834,11 @@ static void _set_callback_cbs_redirected_c1225_0 (void *cls, const gsi::Callback } -// void QToolBar::resizeEvent(QResizeEvent *) +// void QToolBar::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2929,11 +2929,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QToolBar::showEvent(QShowEvent *) +// void QToolBar::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2972,11 +2972,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QToolBar::tabletEvent(QTabletEvent *) +// void QToolBar::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2996,11 +2996,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QToolBar::timerEvent(QTimerEvent *) +// void QToolBar::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3089,11 +3089,11 @@ static void _call_emitter_visibilityChanged_864 (const qt_gsi::GenericMethod * / } -// void QToolBar::wheelEvent(QWheelEvent *) +// void QToolBar::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3182,47 +3182,47 @@ static gsi::Methods methods_QToolBar_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_allowedAreasChanged", "@brief Emitter for signal void QToolBar::allowedAreasChanged(QFlags allowedAreas)\nCall this method to emit this signal.", false, &_init_emitter_allowedAreasChanged_2513, &_call_emitter_allowedAreasChanged_2513); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QToolBar::changeEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QToolBar::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QToolBar::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QToolBar::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QToolBar::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QToolBar::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QToolBar::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QToolBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QToolBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QToolBar::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QToolBar::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QToolBar::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QToolBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QToolBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QToolBar::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QToolBar::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QToolBar::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QToolBar::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QToolBar::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QToolBar::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QToolBar::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QToolBar::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QToolBar::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QToolBar::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QToolBar::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QToolBar::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QToolBar::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QToolBar::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QToolBar::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QToolBar::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QToolBar::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QToolBar::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QToolBar::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QToolBar::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QToolBar::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QToolBar::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QToolBar::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QToolBar::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QToolBar::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QToolBar::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("emit_iconSizeChanged", "@brief Emitter for signal void QToolBar::iconSizeChanged(const QSize &iconSize)\nCall this method to emit this signal.", false, &_init_emitter_iconSizeChanged_1805, &_call_emitter_iconSizeChanged_1805); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QToolBar::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); @@ -3233,26 +3233,26 @@ static gsi::Methods methods_QToolBar_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QToolBar::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QToolBar::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QToolBar::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QToolBar::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QToolBar::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QToolBar::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QToolBar::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QToolBar::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QToolBar::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QToolBar::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QToolBar::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QToolBar::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QToolBar::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QToolBar::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QToolBar::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QToolBar::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QToolBar::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QToolBar::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("emit_movableChanged", "@brief Emitter for signal void QToolBar::movableChanged(bool movable)\nCall this method to emit this signal.", false, &_init_emitter_movableChanged_864, &_call_emitter_movableChanged_864); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QToolBar::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QToolBar::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QToolBar::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3265,7 +3265,7 @@ static gsi::Methods methods_QToolBar_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QToolBar::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QToolBar::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QToolBar::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QToolBar::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QToolBar::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QToolBar::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -3273,19 +3273,19 @@ static gsi::Methods methods_QToolBar_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QToolBar::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QToolBar::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QToolBar::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QToolBar::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QToolBar::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QToolBar::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QToolBar::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QToolBar::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_toolButtonStyleChanged", "@brief Emitter for signal void QToolBar::toolButtonStyleChanged(Qt::ToolButtonStyle toolButtonStyle)\nCall this method to emit this signal.", false, &_init_emitter_toolButtonStyleChanged_2328, &_call_emitter_toolButtonStyleChanged_2328); methods += new qt_gsi::GenericMethod ("emit_topLevelChanged", "@brief Emitter for signal void QToolBar::topLevelChanged(bool topLevel)\nCall this method to emit this signal.", false, &_init_emitter_topLevelChanged_864, &_call_emitter_topLevelChanged_864); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QToolBar::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); methods += new qt_gsi::GenericMethod ("emit_visibilityChanged", "@brief Emitter for signal void QToolBar::visibilityChanged(bool visible)\nCall this method to emit this signal.", false, &_init_emitter_visibilityChanged_864, &_call_emitter_visibilityChanged_864); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QToolBar::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QToolBar::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QToolBar::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QToolBar::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQToolBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQToolBox.cc index 2b1ad6cae5..6855d32410 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQToolBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQToolBox.cc @@ -707,18 +707,18 @@ class QToolBox_Adaptor : public QToolBox, public qt_gsi::QtObjectBase emit QToolBox::destroyed(arg1); } - // [adaptor impl] bool QToolBox::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QToolBox::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QToolBox::eventFilter(arg1, arg2); + return QToolBox::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QToolBox_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QToolBox_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QToolBox::eventFilter(arg1, arg2); + return QToolBox::eventFilter(watched, event); } } @@ -852,18 +852,18 @@ class QToolBox_Adaptor : public QToolBox, public qt_gsi::QtObjectBase emit QToolBox::windowTitleChanged(title); } - // [adaptor impl] void QToolBox::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QToolBox::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QToolBox::actionEvent(arg1); + QToolBox::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QToolBox_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QToolBox_Adaptor::cbs_actionEvent_1823_0, event); } else { - QToolBox::actionEvent(arg1); + QToolBox::actionEvent(event); } } @@ -882,63 +882,63 @@ class QToolBox_Adaptor : public QToolBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolBox::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QToolBox::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QToolBox::childEvent(arg1); + QToolBox::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QToolBox_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QToolBox_Adaptor::cbs_childEvent_1701_0, event); } else { - QToolBox::childEvent(arg1); + QToolBox::childEvent(event); } } - // [adaptor impl] void QToolBox::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QToolBox::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QToolBox::closeEvent(arg1); + QToolBox::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QToolBox_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QToolBox_Adaptor::cbs_closeEvent_1719_0, event); } else { - QToolBox::closeEvent(arg1); + QToolBox::closeEvent(event); } } - // [adaptor impl] void QToolBox::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QToolBox::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QToolBox::contextMenuEvent(arg1); + QToolBox::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QToolBox_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QToolBox_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QToolBox::contextMenuEvent(arg1); + QToolBox::contextMenuEvent(event); } } - // [adaptor impl] void QToolBox::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QToolBox::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QToolBox::customEvent(arg1); + QToolBox::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QToolBox_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QToolBox_Adaptor::cbs_customEvent_1217_0, event); } else { - QToolBox::customEvent(arg1); + QToolBox::customEvent(event); } } @@ -957,78 +957,78 @@ class QToolBox_Adaptor : public QToolBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolBox::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QToolBox::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QToolBox::dragEnterEvent(arg1); + QToolBox::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QToolBox_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QToolBox_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QToolBox::dragEnterEvent(arg1); + QToolBox::dragEnterEvent(event); } } - // [adaptor impl] void QToolBox::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QToolBox::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QToolBox::dragLeaveEvent(arg1); + QToolBox::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QToolBox_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QToolBox_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QToolBox::dragLeaveEvent(arg1); + QToolBox::dragLeaveEvent(event); } } - // [adaptor impl] void QToolBox::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QToolBox::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QToolBox::dragMoveEvent(arg1); + QToolBox::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QToolBox_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QToolBox_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QToolBox::dragMoveEvent(arg1); + QToolBox::dragMoveEvent(event); } } - // [adaptor impl] void QToolBox::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QToolBox::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QToolBox::dropEvent(arg1); + QToolBox::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QToolBox_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QToolBox_Adaptor::cbs_dropEvent_1622_0, event); } else { - QToolBox::dropEvent(arg1); + QToolBox::dropEvent(event); } } - // [adaptor impl] void QToolBox::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QToolBox::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QToolBox::enterEvent(arg1); + QToolBox::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QToolBox_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QToolBox_Adaptor::cbs_enterEvent_1217_0, event); } else { - QToolBox::enterEvent(arg1); + QToolBox::enterEvent(event); } } @@ -1047,18 +1047,18 @@ class QToolBox_Adaptor : public QToolBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolBox::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QToolBox::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QToolBox::focusInEvent(arg1); + QToolBox::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QToolBox_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QToolBox_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QToolBox::focusInEvent(arg1); + QToolBox::focusInEvent(event); } } @@ -1077,33 +1077,33 @@ class QToolBox_Adaptor : public QToolBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolBox::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QToolBox::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QToolBox::focusOutEvent(arg1); + QToolBox::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QToolBox_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QToolBox_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QToolBox::focusOutEvent(arg1); + QToolBox::focusOutEvent(event); } } - // [adaptor impl] void QToolBox::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QToolBox::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QToolBox::hideEvent(arg1); + QToolBox::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QToolBox_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QToolBox_Adaptor::cbs_hideEvent_1595_0, event); } else { - QToolBox::hideEvent(arg1); + QToolBox::hideEvent(event); } } @@ -1167,48 +1167,48 @@ class QToolBox_Adaptor : public QToolBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolBox::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QToolBox::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QToolBox::keyPressEvent(arg1); + QToolBox::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QToolBox_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QToolBox_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QToolBox::keyPressEvent(arg1); + QToolBox::keyPressEvent(event); } } - // [adaptor impl] void QToolBox::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QToolBox::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QToolBox::keyReleaseEvent(arg1); + QToolBox::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QToolBox_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QToolBox_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QToolBox::keyReleaseEvent(arg1); + QToolBox::keyReleaseEvent(event); } } - // [adaptor impl] void QToolBox::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QToolBox::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QToolBox::leaveEvent(arg1); + QToolBox::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QToolBox_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QToolBox_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QToolBox::leaveEvent(arg1); + QToolBox::leaveEvent(event); } } @@ -1227,78 +1227,78 @@ class QToolBox_Adaptor : public QToolBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolBox::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QToolBox::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QToolBox::mouseDoubleClickEvent(arg1); + QToolBox::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QToolBox_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QToolBox_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QToolBox::mouseDoubleClickEvent(arg1); + QToolBox::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QToolBox::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QToolBox::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QToolBox::mouseMoveEvent(arg1); + QToolBox::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QToolBox_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QToolBox_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QToolBox::mouseMoveEvent(arg1); + QToolBox::mouseMoveEvent(event); } } - // [adaptor impl] void QToolBox::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QToolBox::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QToolBox::mousePressEvent(arg1); + QToolBox::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QToolBox_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QToolBox_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QToolBox::mousePressEvent(arg1); + QToolBox::mousePressEvent(event); } } - // [adaptor impl] void QToolBox::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QToolBox::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QToolBox::mouseReleaseEvent(arg1); + QToolBox::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QToolBox_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QToolBox_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QToolBox::mouseReleaseEvent(arg1); + QToolBox::mouseReleaseEvent(event); } } - // [adaptor impl] void QToolBox::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QToolBox::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QToolBox::moveEvent(arg1); + QToolBox::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QToolBox_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QToolBox_Adaptor::cbs_moveEvent_1624_0, event); } else { - QToolBox::moveEvent(arg1); + QToolBox::moveEvent(event); } } @@ -1347,18 +1347,18 @@ class QToolBox_Adaptor : public QToolBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolBox::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QToolBox::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QToolBox::resizeEvent(arg1); + QToolBox::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QToolBox_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QToolBox_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QToolBox::resizeEvent(arg1); + QToolBox::resizeEvent(event); } } @@ -1392,48 +1392,48 @@ class QToolBox_Adaptor : public QToolBox, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolBox::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QToolBox::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QToolBox::tabletEvent(arg1); + QToolBox::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QToolBox_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QToolBox_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QToolBox::tabletEvent(arg1); + QToolBox::tabletEvent(event); } } - // [adaptor impl] void QToolBox::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QToolBox::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QToolBox::timerEvent(arg1); + QToolBox::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QToolBox_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QToolBox_Adaptor::cbs_timerEvent_1730_0, event); } else { - QToolBox::timerEvent(arg1); + QToolBox::timerEvent(event); } } - // [adaptor impl] void QToolBox::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QToolBox::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QToolBox::wheelEvent(arg1); + QToolBox::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QToolBox_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QToolBox_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QToolBox::wheelEvent(arg1); + QToolBox::wheelEvent(event); } } @@ -1492,9 +1492,9 @@ QToolBox_Adaptor::~QToolBox_Adaptor() { } static void _init_ctor_QToolBox_Adaptor_3702 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("f", true, "0"); + static gsi::ArgSpecBase argspec_1 ("f", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_1); decl->set_return_new (); } @@ -1503,17 +1503,17 @@ static void _call_ctor_QToolBox_Adaptor_3702 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QToolBox_Adaptor (arg1, arg2)); } -// void QToolBox::actionEvent(QActionEvent *) +// void QToolBox::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1557,11 +1557,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QToolBox::childEvent(QChildEvent *) +// void QToolBox::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1581,11 +1581,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QToolBox::closeEvent(QCloseEvent *) +// void QToolBox::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1605,11 +1605,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QToolBox::contextMenuEvent(QContextMenuEvent *) +// void QToolBox::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1690,11 +1690,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QToolBox::customEvent(QEvent *) +// void QToolBox::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1740,7 +1740,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1749,7 +1749,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QToolBox_Adaptor *)cls)->emitter_QToolBox_destroyed_1302 (arg1); } @@ -1778,11 +1778,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QToolBox::dragEnterEvent(QDragEnterEvent *) +// void QToolBox::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1802,11 +1802,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QToolBox::dragLeaveEvent(QDragLeaveEvent *) +// void QToolBox::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1826,11 +1826,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QToolBox::dragMoveEvent(QDragMoveEvent *) +// void QToolBox::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1869,11 +1869,11 @@ static void _call_fp_drawFrame_1426 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QToolBox::dropEvent(QDropEvent *) +// void QToolBox::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1893,11 +1893,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QToolBox::enterEvent(QEvent *) +// void QToolBox::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1940,13 +1940,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QToolBox::eventFilter(QObject *, QEvent *) +// bool QToolBox::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1966,11 +1966,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QToolBox::focusInEvent(QFocusEvent *) +// void QToolBox::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2027,11 +2027,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QToolBox::focusOutEvent(QFocusEvent *) +// void QToolBox::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2107,11 +2107,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QToolBox::hideEvent(QHideEvent *) +// void QToolBox::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2287,11 +2287,11 @@ static void _set_callback_cbs_itemRemoved_767_0 (void *cls, const gsi::Callback } -// void QToolBox::keyPressEvent(QKeyEvent *) +// void QToolBox::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2311,11 +2311,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QToolBox::keyReleaseEvent(QKeyEvent *) +// void QToolBox::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2335,11 +2335,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QToolBox::leaveEvent(QEvent *) +// void QToolBox::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2401,11 +2401,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QToolBox::mouseDoubleClickEvent(QMouseEvent *) +// void QToolBox::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2425,11 +2425,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QToolBox::mouseMoveEvent(QMouseEvent *) +// void QToolBox::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2449,11 +2449,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QToolBox::mousePressEvent(QMouseEvent *) +// void QToolBox::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2473,11 +2473,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QToolBox::mouseReleaseEvent(QMouseEvent *) +// void QToolBox::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2497,11 +2497,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QToolBox::moveEvent(QMoveEvent *) +// void QToolBox::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2652,11 +2652,11 @@ static void _set_callback_cbs_redirected_c1225_0 (void *cls, const gsi::Callback } -// void QToolBox::resizeEvent(QResizeEvent *) +// void QToolBox::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2790,11 +2790,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QToolBox::tabletEvent(QTabletEvent *) +// void QToolBox::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2814,11 +2814,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QToolBox::timerEvent(QTimerEvent *) +// void QToolBox::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2853,11 +2853,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QToolBox::wheelEvent(QWheelEvent *) +// void QToolBox::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2939,53 +2939,53 @@ gsi::Class &qtdecl_QToolBox (); static gsi::Methods methods_QToolBox_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QToolBox::QToolBox(QWidget *parent, QFlags f)\nThis method creates an object of class QToolBox.", &_init_ctor_QToolBox_Adaptor_3702, &_call_ctor_QToolBox_Adaptor_3702); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QToolBox::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QToolBox::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QToolBox::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QToolBox::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QToolBox::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QToolBox::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QToolBox::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QToolBox::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QToolBox::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QToolBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QToolBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentChanged", "@brief Emitter for signal void QToolBox::currentChanged(int index)\nCall this method to emit this signal.", false, &_init_emitter_currentChanged_767, &_call_emitter_currentChanged_767); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QToolBox::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QToolBox::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QToolBox::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QToolBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QToolBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QToolBox::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QToolBox::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QToolBox::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QToolBox::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QToolBox::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QToolBox::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QToolBox::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QToolBox::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*drawFrame", "@brief Method void QToolBox::drawFrame(QPainter *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_drawFrame_1426, &_call_fp_drawFrame_1426); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QToolBox::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QToolBox::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QToolBox::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QToolBox::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QToolBox::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QToolBox::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QToolBox::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QToolBox::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QToolBox::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QToolBox::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QToolBox::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QToolBox::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QToolBox::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QToolBox::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QToolBox::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QToolBox::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QToolBox::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QToolBox::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QToolBox::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -2999,25 +2999,25 @@ static gsi::Methods methods_QToolBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*itemInserted", "@hide", false, &_init_cbs_itemInserted_767_0, &_call_cbs_itemInserted_767_0, &_set_callback_cbs_itemInserted_767_0); methods += new qt_gsi::GenericMethod ("*itemRemoved", "@brief Virtual method void QToolBox::itemRemoved(int index)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_itemRemoved_767_0, &_call_cbs_itemRemoved_767_0); methods += new qt_gsi::GenericMethod ("*itemRemoved", "@hide", false, &_init_cbs_itemRemoved_767_0, &_call_cbs_itemRemoved_767_0, &_set_callback_cbs_itemRemoved_767_0); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QToolBox::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QToolBox::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QToolBox::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QToolBox::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QToolBox::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QToolBox::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QToolBox::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QToolBox::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QToolBox::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QToolBox::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QToolBox::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QToolBox::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QToolBox::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QToolBox::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QToolBox::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QToolBox::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QToolBox::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QToolBox::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QToolBox::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3029,7 +3029,7 @@ static gsi::Methods methods_QToolBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QToolBox::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QToolBox::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QToolBox::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QToolBox::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QToolBox::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QToolBox::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -3041,12 +3041,12 @@ static gsi::Methods methods_QToolBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QToolBox::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QToolBox::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QToolBox::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QToolBox::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QToolBox::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QToolBox::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QToolBox::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QToolBox::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QToolBox::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QToolBox::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQToolButton.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQToolButton.cc index ebfbccd549..407c721d5c 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQToolButton.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQToolButton.cc @@ -542,18 +542,18 @@ class QToolButton_Adaptor : public QToolButton, public qt_gsi::QtObjectBase emit QToolButton::destroyed(arg1); } - // [adaptor impl] bool QToolButton::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QToolButton::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QToolButton::eventFilter(arg1, arg2); + return QToolButton::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QToolButton_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QToolButton_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QToolButton::eventFilter(arg1, arg2); + return QToolButton::eventFilter(watched, event); } } @@ -756,63 +756,63 @@ class QToolButton_Adaptor : public QToolButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolButton::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QToolButton::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QToolButton::childEvent(arg1); + QToolButton::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QToolButton_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QToolButton_Adaptor::cbs_childEvent_1701_0, event); } else { - QToolButton::childEvent(arg1); + QToolButton::childEvent(event); } } - // [adaptor impl] void QToolButton::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QToolButton::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QToolButton::closeEvent(arg1); + QToolButton::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QToolButton_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QToolButton_Adaptor::cbs_closeEvent_1719_0, event); } else { - QToolButton::closeEvent(arg1); + QToolButton::closeEvent(event); } } - // [adaptor impl] void QToolButton::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QToolButton::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QToolButton::contextMenuEvent(arg1); + QToolButton::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QToolButton_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QToolButton_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QToolButton::contextMenuEvent(arg1); + QToolButton::contextMenuEvent(event); } } - // [adaptor impl] void QToolButton::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QToolButton::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QToolButton::customEvent(arg1); + QToolButton::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QToolButton_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QToolButton_Adaptor::cbs_customEvent_1217_0, event); } else { - QToolButton::customEvent(arg1); + QToolButton::customEvent(event); } } @@ -831,63 +831,63 @@ class QToolButton_Adaptor : public QToolButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolButton::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QToolButton::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QToolButton::dragEnterEvent(arg1); + QToolButton::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QToolButton_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QToolButton_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QToolButton::dragEnterEvent(arg1); + QToolButton::dragEnterEvent(event); } } - // [adaptor impl] void QToolButton::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QToolButton::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QToolButton::dragLeaveEvent(arg1); + QToolButton::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QToolButton_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QToolButton_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QToolButton::dragLeaveEvent(arg1); + QToolButton::dragLeaveEvent(event); } } - // [adaptor impl] void QToolButton::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QToolButton::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QToolButton::dragMoveEvent(arg1); + QToolButton::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QToolButton_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QToolButton_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QToolButton::dragMoveEvent(arg1); + QToolButton::dragMoveEvent(event); } } - // [adaptor impl] void QToolButton::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QToolButton::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QToolButton::dropEvent(arg1); + QToolButton::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QToolButton_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QToolButton_Adaptor::cbs_dropEvent_1622_0, event); } else { - QToolButton::dropEvent(arg1); + QToolButton::dropEvent(event); } } @@ -966,18 +966,18 @@ class QToolButton_Adaptor : public QToolButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolButton::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QToolButton::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QToolButton::hideEvent(arg1); + QToolButton::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QToolButton_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QToolButton_Adaptor::cbs_hideEvent_1595_0, event); } else { - QToolButton::hideEvent(arg1); + QToolButton::hideEvent(event); } } @@ -1086,18 +1086,18 @@ class QToolButton_Adaptor : public QToolButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolButton::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QToolButton::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QToolButton::mouseDoubleClickEvent(arg1); + QToolButton::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QToolButton_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QToolButton_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QToolButton::mouseDoubleClickEvent(arg1); + QToolButton::mouseDoubleClickEvent(event); } } @@ -1146,18 +1146,18 @@ class QToolButton_Adaptor : public QToolButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolButton::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QToolButton::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QToolButton::moveEvent(arg1); + QToolButton::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QToolButton_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QToolButton_Adaptor::cbs_moveEvent_1624_0, event); } else { - QToolButton::moveEvent(arg1); + QToolButton::moveEvent(event); } } @@ -1221,18 +1221,18 @@ class QToolButton_Adaptor : public QToolButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolButton::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QToolButton::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QToolButton::resizeEvent(arg1); + QToolButton::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QToolButton_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QToolButton_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QToolButton::resizeEvent(arg1); + QToolButton::resizeEvent(event); } } @@ -1251,33 +1251,33 @@ class QToolButton_Adaptor : public QToolButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolButton::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QToolButton::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QToolButton::showEvent(arg1); + QToolButton::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QToolButton_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QToolButton_Adaptor::cbs_showEvent_1634_0, event); } else { - QToolButton::showEvent(arg1); + QToolButton::showEvent(event); } } - // [adaptor impl] void QToolButton::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QToolButton::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QToolButton::tabletEvent(arg1); + QToolButton::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QToolButton_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QToolButton_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QToolButton::tabletEvent(arg1); + QToolButton::tabletEvent(event); } } @@ -1296,18 +1296,18 @@ class QToolButton_Adaptor : public QToolButton, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QToolButton::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QToolButton::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QToolButton::wheelEvent(arg1); + QToolButton::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QToolButton_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QToolButton_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QToolButton::wheelEvent(arg1); + QToolButton::wheelEvent(event); } } @@ -1367,7 +1367,7 @@ QToolButton_Adaptor::~QToolButton_Adaptor() { } static void _init_ctor_QToolButton_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1376,7 +1376,7 @@ static void _call_ctor_QToolButton_Adaptor_1315 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QToolButton_Adaptor (arg1)); } @@ -1449,11 +1449,11 @@ static void _set_callback_cbs_checkStateSet_0_0 (void *cls, const gsi::Callback } -// void QToolButton::childEvent(QChildEvent *) +// void QToolButton::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1491,11 +1491,11 @@ static void _call_emitter_clicked_864 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QToolButton::closeEvent(QCloseEvent *) +// void QToolButton::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1515,11 +1515,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QToolButton::contextMenuEvent(QContextMenuEvent *) +// void QToolButton::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1582,11 +1582,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QToolButton::customEvent(QEvent *) +// void QToolButton::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1632,7 +1632,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1641,7 +1641,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QToolButton_Adaptor *)cls)->emitter_QToolButton_destroyed_1302 (arg1); } @@ -1670,11 +1670,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QToolButton::dragEnterEvent(QDragEnterEvent *) +// void QToolButton::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1694,11 +1694,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QToolButton::dragLeaveEvent(QDragLeaveEvent *) +// void QToolButton::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1718,11 +1718,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QToolButton::dragMoveEvent(QDragMoveEvent *) +// void QToolButton::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1742,11 +1742,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QToolButton::dropEvent(QDropEvent *) +// void QToolButton::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1813,13 +1813,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QToolButton::eventFilter(QObject *, QEvent *) +// bool QToolButton::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1980,11 +1980,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QToolButton::hideEvent(QHideEvent *) +// void QToolButton::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2249,11 +2249,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QToolButton::mouseDoubleClickEvent(QMouseEvent *) +// void QToolButton::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2345,11 +2345,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QToolButton::moveEvent(QMoveEvent *) +// void QToolButton::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2548,11 +2548,11 @@ static void _call_emitter_released_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QToolButton::resizeEvent(QResizeEvent *) +// void QToolButton::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2643,11 +2643,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QToolButton::showEvent(QShowEvent *) +// void QToolButton::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2686,11 +2686,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QToolButton::tabletEvent(QTabletEvent *) +// void QToolButton::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2785,11 +2785,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QToolButton::wheelEvent(QWheelEvent *) +// void QToolButton::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2877,34 +2877,34 @@ static gsi::Methods methods_QToolButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*checkStateSet", "@brief Virtual method void QToolButton::checkStateSet()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_checkStateSet_0_0, &_call_cbs_checkStateSet_0_0); methods += new qt_gsi::GenericMethod ("*checkStateSet", "@hide", false, &_init_cbs_checkStateSet_0_0, &_call_cbs_checkStateSet_0_0, &_set_callback_cbs_checkStateSet_0_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QToolButton::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QToolButton::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_clicked", "@brief Emitter for signal void QToolButton::clicked(bool checked)\nCall this method to emit this signal.", false, &_init_emitter_clicked_864, &_call_emitter_clicked_864); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QToolButton::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QToolButton::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QToolButton::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QToolButton::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QToolButton::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QToolButton::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QToolButton::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QToolButton::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QToolButton::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QToolButton::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QToolButton::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QToolButton::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QToolButton::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QToolButton::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QToolButton::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QToolButton::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QToolButton::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QToolButton::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QToolButton::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QToolButton::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QToolButton::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QToolButton::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QToolButton::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QToolButton::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QToolButton::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QToolButton::focusInEvent(QFocusEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); @@ -2918,7 +2918,7 @@ static gsi::Methods methods_QToolButton_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QToolButton::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QToolButton::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QToolButton::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hitButton", "@brief Virtual method bool QToolButton::hitButton(const QPoint &pos)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hitButton_c1916_0, &_call_cbs_hitButton_c1916_0); methods += new qt_gsi::GenericMethod ("*hitButton", "@hide", true, &_init_cbs_hitButton_c1916_0, &_call_cbs_hitButton_c1916_0, &_set_callback_cbs_hitButton_c1916_0); @@ -2940,7 +2940,7 @@ static gsi::Methods methods_QToolButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QToolButton::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QToolButton::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QToolButton::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QToolButton::mouseMoveEvent(QMouseEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); @@ -2948,7 +2948,7 @@ static gsi::Methods methods_QToolButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QToolButton::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QToolButton::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QToolButton::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QToolButton::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -2964,7 +2964,7 @@ static gsi::Methods methods_QToolButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QToolButton::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("emit_released", "@brief Emitter for signal void QToolButton::released()\nCall this method to emit this signal.", false, &_init_emitter_released_0, &_call_emitter_released_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QToolButton::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QToolButton::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QToolButton::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QToolButton::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -2972,18 +2972,18 @@ static gsi::Methods methods_QToolButton_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QToolButton::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QToolButton::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QToolButton::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QToolButton::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QToolButton::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QToolButton::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QToolButton::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_toggled", "@brief Emitter for signal void QToolButton::toggled(bool checked)\nCall this method to emit this signal.", false, &_init_emitter_toggled_864, &_call_emitter_toggled_864); methods += new qt_gsi::GenericMethod ("emit_triggered", "@brief Emitter for signal void QToolButton::triggered(QAction *)\nCall this method to emit this signal.", false, &_init_emitter_triggered_1309, &_call_emitter_triggered_1309); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QToolButton::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QToolButton::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QToolButton::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QToolButton::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QToolButton::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQToolTip.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQToolTip.cc index 5f57051ba9..dc9b13e4de 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQToolTip.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQToolTip.cc @@ -150,7 +150,7 @@ static void _init_f_showText_5040 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("text"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("w", true, "0"); + static gsi::ArgSpecBase argspec_2 ("w", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -161,7 +161,7 @@ static void _call_f_showText_5040 (const qt_gsi::GenericStaticMethod * /*decl*/, tl::Heap heap; const QPoint &arg1 = gsi::arg_reader() (args, heap); const QString &arg2 = gsi::arg_reader() (args, heap); - QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); QToolTip::showText (arg1, arg2, arg3); } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeView.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeView.cc index aa538891ed..61025571c4 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeView.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeView.cc @@ -2030,18 +2030,18 @@ class QTreeView_Adaptor : public QTreeView, public qt_gsi::QtObjectBase emit QTreeView::windowTitleChanged(title); } - // [adaptor impl] void QTreeView::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QTreeView::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QTreeView::actionEvent(arg1); + QTreeView::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QTreeView_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QTreeView_Adaptor::cbs_actionEvent_1823_0, event); } else { - QTreeView::actionEvent(arg1); + QTreeView::actionEvent(event); } } @@ -2060,18 +2060,18 @@ class QTreeView_Adaptor : public QTreeView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTreeView::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTreeView::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTreeView::childEvent(arg1); + QTreeView::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTreeView_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTreeView_Adaptor::cbs_childEvent_1701_0, event); } else { - QTreeView::childEvent(arg1); + QTreeView::childEvent(event); } } @@ -2090,18 +2090,18 @@ class QTreeView_Adaptor : public QTreeView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTreeView::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QTreeView::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QTreeView::closeEvent(arg1); + QTreeView::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QTreeView_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QTreeView_Adaptor::cbs_closeEvent_1719_0, event); } else { - QTreeView::closeEvent(arg1); + QTreeView::closeEvent(event); } } @@ -2150,18 +2150,18 @@ class QTreeView_Adaptor : public QTreeView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTreeView::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTreeView::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTreeView::customEvent(arg1); + QTreeView::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTreeView_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTreeView_Adaptor::cbs_customEvent_1217_0, event); } else { - QTreeView::customEvent(arg1); + QTreeView::customEvent(event); } } @@ -2300,18 +2300,18 @@ class QTreeView_Adaptor : public QTreeView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTreeView::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTreeView::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QTreeView::enterEvent(arg1); + QTreeView::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QTreeView_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QTreeView_Adaptor::cbs_enterEvent_1217_0, event); } else { - QTreeView::enterEvent(arg1); + QTreeView::enterEvent(event); } } @@ -2330,18 +2330,18 @@ class QTreeView_Adaptor : public QTreeView, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QTreeView::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QTreeView::eventFilter(QObject *object, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *object, QEvent *event) { - return QTreeView::eventFilter(arg1, arg2); + return QTreeView::eventFilter(object, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *object, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QTreeView_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QTreeView_Adaptor::cbs_eventFilter_2411_0, object, event); } else { - return QTreeView::eventFilter(arg1, arg2); + return QTreeView::eventFilter(object, event); } } @@ -2390,18 +2390,18 @@ class QTreeView_Adaptor : public QTreeView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTreeView::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QTreeView::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QTreeView::hideEvent(arg1); + QTreeView::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QTreeView_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QTreeView_Adaptor::cbs_hideEvent_1595_0, event); } else { - QTreeView::hideEvent(arg1); + QTreeView::hideEvent(event); } } @@ -2510,33 +2510,33 @@ class QTreeView_Adaptor : public QTreeView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTreeView::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QTreeView::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QTreeView::keyReleaseEvent(arg1); + QTreeView::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QTreeView_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QTreeView_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QTreeView::keyReleaseEvent(arg1); + QTreeView::keyReleaseEvent(event); } } - // [adaptor impl] void QTreeView::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTreeView::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QTreeView::leaveEvent(arg1); + QTreeView::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QTreeView_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QTreeView_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QTreeView::leaveEvent(arg1); + QTreeView::leaveEvent(event); } } @@ -2630,18 +2630,18 @@ class QTreeView_Adaptor : public QTreeView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTreeView::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QTreeView::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QTreeView::moveEvent(arg1); + QTreeView::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QTreeView_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QTreeView_Adaptor::cbs_moveEvent_1624_0, event); } else { - QTreeView::moveEvent(arg1); + QTreeView::moveEvent(event); } } @@ -2825,18 +2825,18 @@ class QTreeView_Adaptor : public QTreeView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTreeView::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QTreeView::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QTreeView::showEvent(arg1); + QTreeView::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QTreeView_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QTreeView_Adaptor::cbs_showEvent_1634_0, event); } else { - QTreeView::showEvent(arg1); + QTreeView::showEvent(event); } } @@ -2870,18 +2870,18 @@ class QTreeView_Adaptor : public QTreeView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTreeView::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QTreeView::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QTreeView::tabletEvent(arg1); + QTreeView::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QTreeView_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QTreeView_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QTreeView::tabletEvent(arg1); + QTreeView::tabletEvent(event); } } @@ -3162,7 +3162,7 @@ QTreeView_Adaptor::~QTreeView_Adaptor() { } static void _init_ctor_QTreeView_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -3171,16 +3171,16 @@ static void _call_ctor_QTreeView_Adaptor_1315 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTreeView_Adaptor (arg1)); } -// void QTreeView::actionEvent(QActionEvent *) +// void QTreeView::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3242,11 +3242,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QTreeView::childEvent(QChildEvent *) +// void QTreeView::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3311,11 +3311,11 @@ static void _set_callback_cbs_closeEditor_4926_0 (void *cls, const gsi::Callback } -// void QTreeView::closeEvent(QCloseEvent *) +// void QTreeView::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3533,11 +3533,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QTreeView::customEvent(QEvent *) +// void QTreeView::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3613,7 +3613,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3622,7 +3622,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTreeView_Adaptor *)cls)->emitter_QTreeView_destroyed_1302 (arg1); } @@ -3982,11 +3982,11 @@ static void _set_callback_cbs_editorDestroyed_1302_0 (void *cls, const gsi::Call } -// void QTreeView::enterEvent(QEvent *) +// void QTreeView::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4047,13 +4047,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QTreeView::eventFilter(QObject *, QEvent *) +// bool QTreeView::eventFilter(QObject *object, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("object"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -4247,11 +4247,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QTreeView::hideEvent(QHideEvent *) +// void QTreeView::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4566,11 +4566,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QTreeView::keyReleaseEvent(QKeyEvent *) +// void QTreeView::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4614,11 +4614,11 @@ static void _set_callback_cbs_keyboardSearch_2025_0 (void *cls, const gsi::Callb } -// void QTreeView::leaveEvent(QEvent *) +// void QTreeView::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4802,11 +4802,11 @@ static void _set_callback_cbs_moveCursor_6476_0 (void *cls, const gsi::Callback } -// void QTreeView::moveEvent(QMoveEvent *) +// void QTreeView::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5637,11 +5637,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QTreeView::showEvent(QShowEvent *) +// void QTreeView::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5794,11 +5794,11 @@ static void _call_fp_stopAutoScroll_0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QTreeView::tabletEvent(QTabletEvent *) +// void QTreeView::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6219,17 +6219,17 @@ gsi::Class &qtdecl_QTreeView (); static gsi::Methods methods_QTreeView_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTreeView::QTreeView(QWidget *parent)\nThis method creates an object of class QTreeView.", &_init_ctor_QTreeView_Adaptor_1315, &_call_ctor_QTreeView_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QTreeView::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QTreeView::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("emit_activated", "@brief Emitter for signal void QTreeView::activated(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_activated_2395, &_call_emitter_activated_2395); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QTreeView::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTreeView::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTreeView::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_clicked", "@brief Emitter for signal void QTreeView::clicked(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_clicked_2395, &_call_emitter_clicked_2395); methods += new qt_gsi::GenericMethod ("*closeEditor", "@brief Virtual method void QTreeView::closeEditor(QWidget *editor, QAbstractItemDelegate::EndEditHint hint)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEditor_4926_0, &_call_cbs_closeEditor_4926_0); methods += new qt_gsi::GenericMethod ("*closeEditor", "@hide", false, &_init_cbs_closeEditor_4926_0, &_call_cbs_closeEditor_4926_0, &_set_callback_cbs_closeEditor_4926_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QTreeView::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QTreeView::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("emit_collapsed", "@brief Emitter for signal void QTreeView::collapsed(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_collapsed_2395, &_call_emitter_collapsed_2395); methods += new qt_gsi::GenericMethod ("*columnCountChanged", "@brief Method void QTreeView::columnCountChanged(int oldCount, int newCount)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_columnCountChanged_1426, &_call_fp_columnCountChanged_1426); @@ -6239,15 +6239,15 @@ static gsi::Methods methods_QTreeView_Adaptor () { methods += new qt_gsi::GenericMethod ("*commitData", "@hide", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0, &_set_callback_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QTreeView::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QTreeView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QTreeView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*currentChanged", "@brief Virtual method void QTreeView::currentChanged(const QModelIndex ¤t, const QModelIndex &previous)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@hide", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0, &_set_callback_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QTreeView::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTreeView::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTreeView::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("dataChanged", "@brief Virtual method void QTreeView::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QVector &roles)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dataChanged_7048_1, &_call_cbs_dataChanged_7048_1); methods += new qt_gsi::GenericMethod ("dataChanged", "@hide", false, &_init_cbs_dataChanged_7048_1, &_call_cbs_dataChanged_7048_1, &_set_callback_cbs_dataChanged_7048_1); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QTreeView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QTreeView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTreeView::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*dirtyRegionOffset", "@brief Method QPoint QTreeView::dirtyRegionOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_dirtyRegionOffset_c0, &_call_fp_dirtyRegionOffset_c0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTreeView::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -6275,12 +6275,12 @@ static gsi::Methods methods_QTreeView_Adaptor () { methods += new qt_gsi::GenericMethod ("*edit", "@hide", false, &_init_cbs_edit_6773_0, &_call_cbs_edit_6773_0, &_set_callback_cbs_edit_6773_0); methods += new qt_gsi::GenericMethod ("*editorDestroyed", "@brief Virtual method void QTreeView::editorDestroyed(QObject *editor)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_editorDestroyed_1302_0, &_call_cbs_editorDestroyed_1302_0); methods += new qt_gsi::GenericMethod ("*editorDestroyed", "@hide", false, &_init_cbs_editorDestroyed_1302_0, &_call_cbs_editorDestroyed_1302_0, &_set_callback_cbs_editorDestroyed_1302_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QTreeView::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QTreeView::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_entered", "@brief Emitter for signal void QTreeView::entered(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_entered_2395, &_call_emitter_entered_2395); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QTreeView::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QTreeView::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QTreeView::eventFilter(QObject *object, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*executeDelayedItemsLayout", "@brief Method void QTreeView::executeDelayedItemsLayout()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_executeDelayedItemsLayout_0, &_call_fp_executeDelayedItemsLayout_0); methods += new qt_gsi::GenericMethod ("emit_expanded", "@brief Emitter for signal void QTreeView::expanded(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_expanded_2395, &_call_emitter_expanded_2395); @@ -6296,7 +6296,7 @@ static gsi::Methods methods_QTreeView_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QTreeView::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QTreeView::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QTreeView::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*horizontalOffset", "@brief Virtual method int QTreeView::horizontalOffset()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_horizontalOffset_c0_0, &_call_cbs_horizontalOffset_c0_0); methods += new qt_gsi::GenericMethod ("*horizontalOffset", "@hide", true, &_init_cbs_horizontalOffset_c0_0, &_call_cbs_horizontalOffset_c0_0, &_set_callback_cbs_horizontalOffset_c0_0); @@ -6321,11 +6321,11 @@ static gsi::Methods methods_QTreeView_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QTreeView::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QTreeView::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QTreeView::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QTreeView::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("keyboardSearch", "@brief Virtual method void QTreeView::keyboardSearch(const QString &search)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyboardSearch_2025_0, &_call_cbs_keyboardSearch_2025_0); methods += new qt_gsi::GenericMethod ("keyboardSearch", "@hide", false, &_init_cbs_keyboardSearch_2025_0, &_call_cbs_keyboardSearch_2025_0, &_set_callback_cbs_keyboardSearch_2025_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QTreeView::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QTreeView::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QTreeView::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); @@ -6341,7 +6341,7 @@ static gsi::Methods methods_QTreeView_Adaptor () { methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*moveCursor", "@brief Virtual method QModelIndex QTreeView::moveCursor(QAbstractItemView::CursorAction cursorAction, QFlags modifiers)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveCursor_6476_0, &_call_cbs_moveCursor_6476_0); methods += new qt_gsi::GenericMethod ("*moveCursor", "@hide", false, &_init_cbs_moveCursor_6476_0, &_call_cbs_moveCursor_6476_0, &_set_callback_cbs_moveCursor_6476_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QTreeView::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QTreeView::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QTreeView::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -6401,7 +6401,7 @@ static gsi::Methods methods_QTreeView_Adaptor () { methods += new qt_gsi::GenericMethod ("setupViewport", "@hide", false, &_init_cbs_setupViewport_1315_0, &_call_cbs_setupViewport_1315_0, &_set_callback_cbs_setupViewport_1315_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QTreeView::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QTreeView::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QTreeView::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QTreeView::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); @@ -6414,7 +6414,7 @@ static gsi::Methods methods_QTreeView_Adaptor () { methods += new qt_gsi::GenericMethod ("*startDrag", "@hide", false, &_init_cbs_startDrag_2456_0, &_call_cbs_startDrag_2456_0, &_set_callback_cbs_startDrag_2456_0); methods += new qt_gsi::GenericMethod ("*state", "@brief Method QAbstractItemView::State QTreeView::state()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_state_c0, &_call_fp_state_c0); methods += new qt_gsi::GenericMethod ("*stopAutoScroll", "@brief Method void QTreeView::stopAutoScroll()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_stopAutoScroll_0, &_call_fp_stopAutoScroll_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QTreeView::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QTreeView::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTreeView::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeWidget.cc index eaadf52451..ca1f7c546c 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeWidget.cc @@ -497,6 +497,47 @@ static void _call_f_isItemSelected_c2809 (const qt_gsi::GenericMethod * /*decl*/ } +// bool QTreeWidget::isPersistentEditorOpen(const QModelIndex &index) + + +static void _init_f_isPersistentEditorOpen_c2395 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("index"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_isPersistentEditorOpen_c2395 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + ret.write ((bool)((QTreeWidget *)cls)->isPersistentEditorOpen (arg1)); +} + + +// bool QTreeWidget::isPersistentEditorOpen(QTreeWidgetItem *item, int column) + + +static void _init_f_isPersistentEditorOpen_c2773 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("item"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("column", true, "0"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_isPersistentEditorOpen_c2773 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QTreeWidgetItem *arg1 = gsi::arg_reader() (args, heap); + int arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + ret.write ((bool)((QTreeWidget *)cls)->isPersistentEditorOpen (arg1, arg2)); +} + + // QTreeWidgetItem *QTreeWidget::itemAbove(const QTreeWidgetItem *item) @@ -1155,6 +1196,8 @@ static gsi::Methods methods_QTreeWidget () { methods += new qt_gsi::GenericMethod ("isItemExpanded?", "@brief Method bool QTreeWidget::isItemExpanded(const QTreeWidgetItem *item)\n", true, &_init_f_isItemExpanded_c2809, &_call_f_isItemExpanded_c2809); methods += new qt_gsi::GenericMethod ("isItemHidden?", "@brief Method bool QTreeWidget::isItemHidden(const QTreeWidgetItem *item)\n", true, &_init_f_isItemHidden_c2809, &_call_f_isItemHidden_c2809); methods += new qt_gsi::GenericMethod ("isItemSelected?", "@brief Method bool QTreeWidget::isItemSelected(const QTreeWidgetItem *item)\n", true, &_init_f_isItemSelected_c2809, &_call_f_isItemSelected_c2809); + methods += new qt_gsi::GenericMethod ("isPersistentEditorOpen?", "@brief Method bool QTreeWidget::isPersistentEditorOpen(const QModelIndex &index)\n", true, &_init_f_isPersistentEditorOpen_c2395, &_call_f_isPersistentEditorOpen_c2395); + methods += new qt_gsi::GenericMethod ("isPersistentEditorOpen?", "@brief Method bool QTreeWidget::isPersistentEditorOpen(QTreeWidgetItem *item, int column)\n", true, &_init_f_isPersistentEditorOpen_c2773, &_call_f_isPersistentEditorOpen_c2773); methods += new qt_gsi::GenericMethod ("itemAbove", "@brief Method QTreeWidgetItem *QTreeWidget::itemAbove(const QTreeWidgetItem *item)\n", true, &_init_f_itemAbove_c2809, &_call_f_itemAbove_c2809); methods += new qt_gsi::GenericMethod ("itemAt", "@brief Method QTreeWidgetItem *QTreeWidget::itemAt(const QPoint &p)\n", true, &_init_f_itemAt_c1916, &_call_f_itemAt_c1916); methods += new qt_gsi::GenericMethod ("itemAt", "@brief Method QTreeWidgetItem *QTreeWidget::itemAt(int x, int y)\n", true, &_init_f_itemAt_c1426, &_call_f_itemAt_c1426); @@ -1312,6 +1355,11 @@ class QTreeWidget_Adaptor : public QTreeWidget, public qt_gsi::QtObjectBase return QTreeWidget::horizontalStepsPerItem(); } + // [expose] QModelIndex QTreeWidget::indexFromItem(const QTreeWidgetItem *item, int column) + QModelIndex fp_QTreeWidget_indexFromItem_c3468 (const QTreeWidgetItem *item, int column) const { + return QTreeWidget::indexFromItem(item, column); + } + // [expose] QModelIndex QTreeWidget::indexFromItem(QTreeWidgetItem *item, int column) QModelIndex fp_QTreeWidget_indexFromItem_c2773 (QTreeWidgetItem *item, int column) const { return QTreeWidget::indexFromItem(item, column); @@ -1878,18 +1926,18 @@ class QTreeWidget_Adaptor : public QTreeWidget, public qt_gsi::QtObjectBase emit QTreeWidget::windowTitleChanged(title); } - // [adaptor impl] void QTreeWidget::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QTreeWidget::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QTreeWidget::actionEvent(arg1); + QTreeWidget::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QTreeWidget_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QTreeWidget_Adaptor::cbs_actionEvent_1823_0, event); } else { - QTreeWidget::actionEvent(arg1); + QTreeWidget::actionEvent(event); } } @@ -1908,18 +1956,18 @@ class QTreeWidget_Adaptor : public QTreeWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTreeWidget::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QTreeWidget::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QTreeWidget::childEvent(arg1); + QTreeWidget::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QTreeWidget_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QTreeWidget_Adaptor::cbs_childEvent_1701_0, event); } else { - QTreeWidget::childEvent(arg1); + QTreeWidget::childEvent(event); } } @@ -1938,18 +1986,18 @@ class QTreeWidget_Adaptor : public QTreeWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTreeWidget::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QTreeWidget::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QTreeWidget::closeEvent(arg1); + QTreeWidget::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QTreeWidget_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QTreeWidget_Adaptor::cbs_closeEvent_1719_0, event); } else { - QTreeWidget::closeEvent(arg1); + QTreeWidget::closeEvent(event); } } @@ -1998,18 +2046,18 @@ class QTreeWidget_Adaptor : public QTreeWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTreeWidget::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTreeWidget::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QTreeWidget::customEvent(arg1); + QTreeWidget::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QTreeWidget_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QTreeWidget_Adaptor::cbs_customEvent_1217_0, event); } else { - QTreeWidget::customEvent(arg1); + QTreeWidget::customEvent(event); } } @@ -2163,18 +2211,18 @@ class QTreeWidget_Adaptor : public QTreeWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTreeWidget::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTreeWidget::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QTreeWidget::enterEvent(arg1); + QTreeWidget::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QTreeWidget_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QTreeWidget_Adaptor::cbs_enterEvent_1217_0, event); } else { - QTreeWidget::enterEvent(arg1); + QTreeWidget::enterEvent(event); } } @@ -2193,18 +2241,18 @@ class QTreeWidget_Adaptor : public QTreeWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QTreeWidget::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QTreeWidget::eventFilter(QObject *object, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *object, QEvent *event) { - return QTreeWidget::eventFilter(arg1, arg2); + return QTreeWidget::eventFilter(object, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *object, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QTreeWidget_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QTreeWidget_Adaptor::cbs_eventFilter_2411_0, object, event); } else { - return QTreeWidget::eventFilter(arg1, arg2); + return QTreeWidget::eventFilter(object, event); } } @@ -2253,18 +2301,18 @@ class QTreeWidget_Adaptor : public QTreeWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTreeWidget::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QTreeWidget::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QTreeWidget::hideEvent(arg1); + QTreeWidget::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QTreeWidget_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QTreeWidget_Adaptor::cbs_hideEvent_1595_0, event); } else { - QTreeWidget::hideEvent(arg1); + QTreeWidget::hideEvent(event); } } @@ -2373,33 +2421,33 @@ class QTreeWidget_Adaptor : public QTreeWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTreeWidget::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QTreeWidget::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QTreeWidget::keyReleaseEvent(arg1); + QTreeWidget::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QTreeWidget_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QTreeWidget_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QTreeWidget::keyReleaseEvent(arg1); + QTreeWidget::keyReleaseEvent(event); } } - // [adaptor impl] void QTreeWidget::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QTreeWidget::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QTreeWidget::leaveEvent(arg1); + QTreeWidget::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QTreeWidget_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QTreeWidget_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QTreeWidget::leaveEvent(arg1); + QTreeWidget::leaveEvent(event); } } @@ -2523,18 +2571,18 @@ class QTreeWidget_Adaptor : public QTreeWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTreeWidget::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QTreeWidget::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QTreeWidget::moveEvent(arg1); + QTreeWidget::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QTreeWidget_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QTreeWidget_Adaptor::cbs_moveEvent_1624_0, event); } else { - QTreeWidget::moveEvent(arg1); + QTreeWidget::moveEvent(event); } } @@ -2718,18 +2766,18 @@ class QTreeWidget_Adaptor : public QTreeWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTreeWidget::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QTreeWidget::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QTreeWidget::showEvent(arg1); + QTreeWidget::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QTreeWidget_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QTreeWidget_Adaptor::cbs_showEvent_1634_0, event); } else { - QTreeWidget::showEvent(arg1); + QTreeWidget::showEvent(event); } } @@ -2778,18 +2826,18 @@ class QTreeWidget_Adaptor : public QTreeWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QTreeWidget::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QTreeWidget::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QTreeWidget::tabletEvent(arg1); + QTreeWidget::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QTreeWidget_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QTreeWidget_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QTreeWidget::tabletEvent(arg1); + QTreeWidget::tabletEvent(event); } } @@ -3073,7 +3121,7 @@ QTreeWidget_Adaptor::~QTreeWidget_Adaptor() { } static void _init_ctor_QTreeWidget_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -3082,16 +3130,16 @@ static void _call_ctor_QTreeWidget_Adaptor_1315 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QTreeWidget_Adaptor (arg1)); } -// void QTreeWidget::actionEvent(QActionEvent *) +// void QTreeWidget::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3153,11 +3201,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QTreeWidget::childEvent(QChildEvent *) +// void QTreeWidget::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3222,11 +3270,11 @@ static void _set_callback_cbs_closeEditor_4926_0 (void *cls, const gsi::Callback } -// void QTreeWidget::closeEvent(QCloseEvent *) +// void QTreeWidget::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3465,11 +3513,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QTreeWidget::customEvent(QEvent *) +// void QTreeWidget::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3545,7 +3593,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3554,7 +3602,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QTreeWidget_Adaptor *)cls)->emitter_QTreeWidget_destroyed_1302 (arg1); } @@ -3946,11 +3994,11 @@ static void _set_callback_cbs_editorDestroyed_1302_0 (void *cls, const gsi::Call } -// void QTreeWidget::enterEvent(QEvent *) +// void QTreeWidget::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4011,13 +4059,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QTreeWidget::eventFilter(QObject *, QEvent *) +// bool QTreeWidget::eventFilter(QObject *object, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("object"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -4211,11 +4259,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QTreeWidget::hideEvent(QHideEvent *) +// void QTreeWidget::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4357,6 +4405,27 @@ static void _set_callback_cbs_indexAt_c1916_0 (void *cls, const gsi::Callback &c } +// exposed QModelIndex QTreeWidget::indexFromItem(const QTreeWidgetItem *item, int column) + +static void _init_fp_indexFromItem_c3468 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("item"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("column", true, "0"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_fp_indexFromItem_c3468 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QTreeWidgetItem *arg1 = gsi::arg_reader() (args, heap); + int arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + ret.write ((QModelIndex)((QTreeWidget_Adaptor *)cls)->fp_QTreeWidget_indexFromItem_c3468 (arg1, arg2)); +} + + // exposed QModelIndex QTreeWidget::indexFromItem(QTreeWidgetItem *item, int column) static void _init_fp_indexFromItem_c2773 (qt_gsi::GenericMethod *decl) @@ -4763,11 +4832,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QTreeWidget::keyReleaseEvent(QKeyEvent *) +// void QTreeWidget::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4811,11 +4880,11 @@ static void _set_callback_cbs_keyboardSearch_2025_0 (void *cls, const gsi::Callb } -// void QTreeWidget::leaveEvent(QEvent *) +// void QTreeWidget::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5041,11 +5110,11 @@ static void _set_callback_cbs_moveCursor_6476_0 (void *cls, const gsi::Callback } -// void QTreeWidget::moveEvent(QMoveEvent *) +// void QTreeWidget::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5852,11 +5921,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QTreeWidget::showEvent(QShowEvent *) +// void QTreeWidget::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6028,11 +6097,11 @@ static void _set_callback_cbs_supportedDropActions_c0_0 (void *cls, const gsi::C } -// void QTreeWidget::tabletEvent(QTabletEvent *) +// void QTreeWidget::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6453,17 +6522,17 @@ gsi::Class &qtdecl_QTreeWidget (); static gsi::Methods methods_QTreeWidget_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTreeWidget::QTreeWidget(QWidget *parent)\nThis method creates an object of class QTreeWidget.", &_init_ctor_QTreeWidget_Adaptor_1315, &_call_ctor_QTreeWidget_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QTreeWidget::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QTreeWidget::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("emit_activated", "@brief Emitter for signal void QTreeWidget::activated(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_activated_2395, &_call_emitter_activated_2395); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QTreeWidget::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTreeWidget::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QTreeWidget::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_clicked", "@brief Emitter for signal void QTreeWidget::clicked(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_clicked_2395, &_call_emitter_clicked_2395); methods += new qt_gsi::GenericMethod ("*closeEditor", "@brief Virtual method void QTreeWidget::closeEditor(QWidget *editor, QAbstractItemDelegate::EndEditHint hint)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEditor_4926_0, &_call_cbs_closeEditor_4926_0); methods += new qt_gsi::GenericMethod ("*closeEditor", "@hide", false, &_init_cbs_closeEditor_4926_0, &_call_cbs_closeEditor_4926_0, &_set_callback_cbs_closeEditor_4926_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QTreeWidget::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QTreeWidget::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("emit_collapsed", "@brief Emitter for signal void QTreeWidget::collapsed(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_collapsed_2395, &_call_emitter_collapsed_2395); methods += new qt_gsi::GenericMethod ("*columnCountChanged", "@brief Method void QTreeWidget::columnCountChanged(int oldCount, int newCount)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_columnCountChanged_1426, &_call_fp_columnCountChanged_1426); @@ -6473,16 +6542,16 @@ static gsi::Methods methods_QTreeWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*commitData", "@hide", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0, &_set_callback_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QTreeWidget::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QTreeWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QTreeWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*currentChanged", "@brief Virtual method void QTreeWidget::currentChanged(const QModelIndex ¤t, const QModelIndex &previous)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@hide", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0, &_set_callback_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("emit_currentItemChanged", "@brief Emitter for signal void QTreeWidget::currentItemChanged(QTreeWidgetItem *current, QTreeWidgetItem *previous)\nCall this method to emit this signal.", false, &_init_emitter_currentItemChanged_4120, &_call_emitter_currentItemChanged_4120); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QTreeWidget::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTreeWidget::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTreeWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("dataChanged", "@brief Virtual method void QTreeWidget::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QVector &roles)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dataChanged_7048_1, &_call_cbs_dataChanged_7048_1); methods += new qt_gsi::GenericMethod ("dataChanged", "@hide", false, &_init_cbs_dataChanged_7048_1, &_call_cbs_dataChanged_7048_1, &_set_callback_cbs_dataChanged_7048_1); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QTreeWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QTreeWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTreeWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*dirtyRegionOffset", "@brief Method QPoint QTreeWidget::dirtyRegionOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_dirtyRegionOffset_c0, &_call_fp_dirtyRegionOffset_c0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTreeWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -6512,12 +6581,12 @@ static gsi::Methods methods_QTreeWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*edit", "@hide", false, &_init_cbs_edit_6773_0, &_call_cbs_edit_6773_0, &_set_callback_cbs_edit_6773_0); methods += new qt_gsi::GenericMethod ("*editorDestroyed", "@brief Virtual method void QTreeWidget::editorDestroyed(QObject *editor)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_editorDestroyed_1302_0, &_call_cbs_editorDestroyed_1302_0); methods += new qt_gsi::GenericMethod ("*editorDestroyed", "@hide", false, &_init_cbs_editorDestroyed_1302_0, &_call_cbs_editorDestroyed_1302_0, &_set_callback_cbs_editorDestroyed_1302_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QTreeWidget::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QTreeWidget::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_entered", "@brief Emitter for signal void QTreeWidget::entered(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_entered_2395, &_call_emitter_entered_2395); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QTreeWidget::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QTreeWidget::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QTreeWidget::eventFilter(QObject *object, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*executeDelayedItemsLayout", "@brief Method void QTreeWidget::executeDelayedItemsLayout()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_executeDelayedItemsLayout_0, &_call_fp_executeDelayedItemsLayout_0); methods += new qt_gsi::GenericMethod ("emit_expanded", "@brief Emitter for signal void QTreeWidget::expanded(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_expanded_2395, &_call_emitter_expanded_2395); @@ -6533,7 +6602,7 @@ static gsi::Methods methods_QTreeWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QTreeWidget::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QTreeWidget::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QTreeWidget::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*horizontalOffset", "@brief Virtual method int QTreeWidget::horizontalOffset()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_horizontalOffset_c0_0, &_call_cbs_horizontalOffset_c0_0); methods += new qt_gsi::GenericMethod ("*horizontalOffset", "@hide", true, &_init_cbs_horizontalOffset_c0_0, &_call_cbs_horizontalOffset_c0_0, &_set_callback_cbs_horizontalOffset_c0_0); @@ -6545,6 +6614,7 @@ static gsi::Methods methods_QTreeWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_iconSizeChanged", "@brief Emitter for signal void QTreeWidget::iconSizeChanged(const QSize &size)\nCall this method to emit this signal.", false, &_init_emitter_iconSizeChanged_1805, &_call_emitter_iconSizeChanged_1805); methods += new qt_gsi::GenericMethod ("indexAt", "@brief Virtual method QModelIndex QTreeWidget::indexAt(const QPoint &p)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_indexAt_c1916_0, &_call_cbs_indexAt_c1916_0); methods += new qt_gsi::GenericMethod ("indexAt", "@hide", true, &_init_cbs_indexAt_c1916_0, &_call_cbs_indexAt_c1916_0, &_set_callback_cbs_indexAt_c1916_0); + methods += new qt_gsi::GenericMethod ("*indexFromItem", "@brief Method QModelIndex QTreeWidget::indexFromItem(const QTreeWidgetItem *item, int column)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_indexFromItem_c3468, &_call_fp_indexFromItem_c3468); methods += new qt_gsi::GenericMethod ("*indexFromItem", "@brief Method QModelIndex QTreeWidget::indexFromItem(QTreeWidgetItem *item, int column)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_indexFromItem_c2773, &_call_fp_indexFromItem_c2773); methods += new qt_gsi::GenericMethod ("*indexRowSizeHint", "@brief Method int QTreeWidget::indexRowSizeHint(const QModelIndex &index)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_indexRowSizeHint_c2395, &_call_fp_indexRowSizeHint_c2395); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QTreeWidget::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); @@ -6570,11 +6640,11 @@ static gsi::Methods methods_QTreeWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*items", "@brief Method QList QTreeWidget::items(const QMimeData *data)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_items_c2168, &_call_fp_items_c2168); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QTreeWidget::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QTreeWidget::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QTreeWidget::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("keyboardSearch", "@brief Virtual method void QTreeWidget::keyboardSearch(const QString &search)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyboardSearch_2025_0, &_call_cbs_keyboardSearch_2025_0); methods += new qt_gsi::GenericMethod ("keyboardSearch", "@hide", false, &_init_cbs_keyboardSearch_2025_0, &_call_cbs_keyboardSearch_2025_0, &_set_callback_cbs_keyboardSearch_2025_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QTreeWidget::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QTreeWidget::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QTreeWidget::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); @@ -6594,7 +6664,7 @@ static gsi::Methods methods_QTreeWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*moveCursor", "@brief Virtual method QModelIndex QTreeWidget::moveCursor(QAbstractItemView::CursorAction cursorAction, QFlags modifiers)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveCursor_6476_0, &_call_cbs_moveCursor_6476_0); methods += new qt_gsi::GenericMethod ("*moveCursor", "@hide", false, &_init_cbs_moveCursor_6476_0, &_call_cbs_moveCursor_6476_0, &_set_callback_cbs_moveCursor_6476_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QTreeWidget::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QTreeWidget::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QTreeWidget::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -6652,7 +6722,7 @@ static gsi::Methods methods_QTreeWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("setupViewport", "@hide", false, &_init_cbs_setupViewport_1315_0, &_call_cbs_setupViewport_1315_0, &_set_callback_cbs_setupViewport_1315_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QTreeWidget::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QTreeWidget::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QTreeWidget::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QTreeWidget::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); @@ -6667,7 +6737,7 @@ static gsi::Methods methods_QTreeWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*stopAutoScroll", "@brief Method void QTreeWidget::stopAutoScroll()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_stopAutoScroll_0, &_call_fp_stopAutoScroll_0); methods += new qt_gsi::GenericMethod ("*supportedDropActions", "@brief Virtual method QFlags QTreeWidget::supportedDropActions()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0); methods += new qt_gsi::GenericMethod ("*supportedDropActions", "@hide", true, &_init_cbs_supportedDropActions_c0_0, &_call_cbs_supportedDropActions_c0_0, &_set_callback_cbs_supportedDropActions_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QTreeWidget::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QTreeWidget::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QTreeWidget::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoCommand.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoCommand.cc index 3745ea24dc..4c1abf8097 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoCommand.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoCommand.cc @@ -99,6 +99,21 @@ static void _call_f_id_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gs } +// bool QUndoCommand::isObsolete() + + +static void _init_f_isObsolete_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_isObsolete_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QUndoCommand *)cls)->isObsolete ()); +} + + // bool QUndoCommand::mergeWith(const QUndoCommand *other) @@ -134,6 +149,26 @@ static void _call_f_redo_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, g } +// void QUndoCommand::setObsolete(bool obsolete) + + +static void _init_f_setObsolete_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("obsolete"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setObsolete_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QUndoCommand *)cls)->setObsolete (arg1); +} + + // void QUndoCommand::setText(const QString &text) @@ -194,8 +229,10 @@ static gsi::Methods methods_QUndoCommand () { methods += new qt_gsi::GenericMethod ("child", "@brief Method const QUndoCommand *QUndoCommand::child(int index)\n", true, &_init_f_child_c767, &_call_f_child_c767); methods += new qt_gsi::GenericMethod ("childCount", "@brief Method int QUndoCommand::childCount()\n", true, &_init_f_childCount_c0, &_call_f_childCount_c0); methods += new qt_gsi::GenericMethod ("id", "@brief Method int QUndoCommand::id()\n", true, &_init_f_id_c0, &_call_f_id_c0); + methods += new qt_gsi::GenericMethod ("isObsolete?", "@brief Method bool QUndoCommand::isObsolete()\n", true, &_init_f_isObsolete_c0, &_call_f_isObsolete_c0); methods += new qt_gsi::GenericMethod ("mergeWith", "@brief Method bool QUndoCommand::mergeWith(const QUndoCommand *other)\n", false, &_init_f_mergeWith_2507, &_call_f_mergeWith_2507); methods += new qt_gsi::GenericMethod ("redo", "@brief Method void QUndoCommand::redo()\n", false, &_init_f_redo_0, &_call_f_redo_0); + methods += new qt_gsi::GenericMethod ("setObsolete", "@brief Method void QUndoCommand::setObsolete(bool obsolete)\n", false, &_init_f_setObsolete_864, &_call_f_setObsolete_864); methods += new qt_gsi::GenericMethod ("setText|text=", "@brief Method void QUndoCommand::setText(const QString &text)\n", false, &_init_f_setText_2025, &_call_f_setText_2025); methods += new qt_gsi::GenericMethod (":text", "@brief Method QString QUndoCommand::text()\n", true, &_init_f_text_c0, &_call_f_text_c0); methods += new qt_gsi::GenericMethod ("undo", "@brief Method void QUndoCommand::undo()\n", false, &_init_f_undo_0, &_call_f_undo_0); @@ -313,7 +350,7 @@ QUndoCommand_Adaptor::~QUndoCommand_Adaptor() { } static void _init_ctor_QUndoCommand_Adaptor_1812 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -322,7 +359,7 @@ static void _call_ctor_QUndoCommand_Adaptor_1812 (const qt_gsi::GenericStaticMet { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QUndoCommand *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QUndoCommand *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QUndoCommand_Adaptor (arg1)); } @@ -333,7 +370,7 @@ static void _init_ctor_QUndoCommand_Adaptor_3729 (qt_gsi::GenericStaticMethod *d { static gsi::ArgSpecBase argspec_0 ("text"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -343,7 +380,7 @@ static void _call_ctor_QUndoCommand_Adaptor_3729 (const qt_gsi::GenericStaticMet __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QUndoCommand *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QUndoCommand *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QUndoCommand_Adaptor (arg1, arg2)); } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoGroup.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoGroup.cc index f21e7d462e..a7060c6bd6 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoGroup.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoGroup.cc @@ -460,33 +460,33 @@ class QUndoGroup_Adaptor : public QUndoGroup, public qt_gsi::QtObjectBase emit QUndoGroup::destroyed(arg1); } - // [adaptor impl] bool QUndoGroup::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QUndoGroup::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QUndoGroup::event(arg1); + return QUndoGroup::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QUndoGroup_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QUndoGroup_Adaptor::cbs_event_1217_0, _event); } else { - return QUndoGroup::event(arg1); + return QUndoGroup::event(_event); } } - // [adaptor impl] bool QUndoGroup::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QUndoGroup::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QUndoGroup::eventFilter(arg1, arg2); + return QUndoGroup::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QUndoGroup_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QUndoGroup_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QUndoGroup::eventFilter(arg1, arg2); + return QUndoGroup::eventFilter(watched, event); } } @@ -515,33 +515,33 @@ class QUndoGroup_Adaptor : public QUndoGroup, public qt_gsi::QtObjectBase emit QUndoGroup::undoTextChanged(undoText); } - // [adaptor impl] void QUndoGroup::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QUndoGroup::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QUndoGroup::childEvent(arg1); + QUndoGroup::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QUndoGroup_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QUndoGroup_Adaptor::cbs_childEvent_1701_0, event); } else { - QUndoGroup::childEvent(arg1); + QUndoGroup::childEvent(event); } } - // [adaptor impl] void QUndoGroup::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QUndoGroup::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QUndoGroup::customEvent(arg1); + QUndoGroup::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QUndoGroup_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QUndoGroup_Adaptor::cbs_customEvent_1217_0, event); } else { - QUndoGroup::customEvent(arg1); + QUndoGroup::customEvent(event); } } @@ -560,18 +560,18 @@ class QUndoGroup_Adaptor : public QUndoGroup, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QUndoGroup::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QUndoGroup::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QUndoGroup::timerEvent(arg1); + QUndoGroup::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QUndoGroup_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QUndoGroup_Adaptor::cbs_timerEvent_1730_0, event); } else { - QUndoGroup::timerEvent(arg1); + QUndoGroup::timerEvent(event); } } @@ -589,7 +589,7 @@ QUndoGroup_Adaptor::~QUndoGroup_Adaptor() { } static void _init_ctor_QUndoGroup_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -598,7 +598,7 @@ static void _call_ctor_QUndoGroup_Adaptor_1302 (const qt_gsi::GenericStaticMetho { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QUndoGroup_Adaptor (arg1)); } @@ -657,11 +657,11 @@ static void _call_emitter_canUndoChanged_864 (const qt_gsi::GenericMethod * /*de } -// void QUndoGroup::childEvent(QChildEvent *) +// void QUndoGroup::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -699,11 +699,11 @@ static void _call_emitter_cleanChanged_864 (const qt_gsi::GenericMethod * /*decl } -// void QUndoGroup::customEvent(QEvent *) +// void QUndoGroup::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -727,7 +727,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -736,7 +736,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QUndoGroup_Adaptor *)cls)->emitter_QUndoGroup_destroyed_1302 (arg1); } @@ -765,11 +765,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QUndoGroup::event(QEvent *) +// bool QUndoGroup::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -788,13 +788,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QUndoGroup::eventFilter(QObject *, QEvent *) +// bool QUndoGroup::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -932,11 +932,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QUndoGroup::timerEvent(QTimerEvent *) +// void QUndoGroup::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -985,17 +985,17 @@ static gsi::Methods methods_QUndoGroup_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_activeStackChanged", "@brief Emitter for signal void QUndoGroup::activeStackChanged(QUndoStack *stack)\nCall this method to emit this signal.", false, &_init_emitter_activeStackChanged_1611, &_call_emitter_activeStackChanged_1611); methods += new qt_gsi::GenericMethod ("emit_canRedoChanged", "@brief Emitter for signal void QUndoGroup::canRedoChanged(bool canRedo)\nCall this method to emit this signal.", false, &_init_emitter_canRedoChanged_864, &_call_emitter_canRedoChanged_864); methods += new qt_gsi::GenericMethod ("emit_canUndoChanged", "@brief Emitter for signal void QUndoGroup::canUndoChanged(bool canUndo)\nCall this method to emit this signal.", false, &_init_emitter_canUndoChanged_864, &_call_emitter_canUndoChanged_864); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QUndoGroup::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QUndoGroup::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_cleanChanged", "@brief Emitter for signal void QUndoGroup::cleanChanged(bool clean)\nCall this method to emit this signal.", false, &_init_emitter_cleanChanged_864, &_call_emitter_cleanChanged_864); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QUndoGroup::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QUndoGroup::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QUndoGroup::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QUndoGroup::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QUndoGroup::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QUndoGroup::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QUndoGroup::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QUndoGroup::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_indexChanged", "@brief Emitter for signal void QUndoGroup::indexChanged(int idx)\nCall this method to emit this signal.", false, &_init_emitter_indexChanged_767, &_call_emitter_indexChanged_767); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QUndoGroup::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); @@ -1004,7 +1004,7 @@ static gsi::Methods methods_QUndoGroup_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_redoTextChanged", "@brief Emitter for signal void QUndoGroup::redoTextChanged(const QString &redoText)\nCall this method to emit this signal.", false, &_init_emitter_redoTextChanged_2025, &_call_emitter_redoTextChanged_2025); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QUndoGroup::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QUndoGroup::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QUndoGroup::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QUndoGroup::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_undoTextChanged", "@brief Emitter for signal void QUndoGroup::undoTextChanged(const QString &undoText)\nCall this method to emit this signal.", false, &_init_emitter_undoTextChanged_2025, &_call_emitter_undoTextChanged_2025); return methods; diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoStack.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoStack.cc index f6144812f6..41a884e643 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoStack.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoStack.cc @@ -327,6 +327,22 @@ static void _call_f_redoText_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } +// void QUndoStack::resetClean() + + +static void _init_f_resetClean_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_resetClean_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + __SUPPRESS_UNUSED_WARNING(ret); + ((QUndoStack *)cls)->resetClean (); +} + + // void QUndoStack::setActive(bool active) @@ -540,6 +556,7 @@ static gsi::Methods methods_QUndoStack () { methods += new qt_gsi::GenericMethod ("push", "@brief Method void QUndoStack::push(QUndoCommand *cmd)\n", false, &_init_f_push_1812, &_call_f_push_1812); methods += new qt_gsi::GenericMethod ("redo", "@brief Method void QUndoStack::redo()\n", false, &_init_f_redo_0, &_call_f_redo_0); methods += new qt_gsi::GenericMethod ("redoText", "@brief Method QString QUndoStack::redoText()\n", true, &_init_f_redoText_c0, &_call_f_redoText_c0); + methods += new qt_gsi::GenericMethod ("resetClean", "@brief Method void QUndoStack::resetClean()\n", false, &_init_f_resetClean_0, &_call_f_resetClean_0); methods += new qt_gsi::GenericMethod ("setActive|active=", "@brief Method void QUndoStack::setActive(bool active)\n", false, &_init_f_setActive_864, &_call_f_setActive_864); methods += new qt_gsi::GenericMethod ("setClean", "@brief Method void QUndoStack::setClean()\n", false, &_init_f_setClean_0, &_call_f_setClean_0); methods += new qt_gsi::GenericMethod ("setIndex|index=", "@brief Method void QUndoStack::setIndex(int idx)\n", false, &_init_f_setIndex_767, &_call_f_setIndex_767); @@ -634,33 +651,33 @@ class QUndoStack_Adaptor : public QUndoStack, public qt_gsi::QtObjectBase emit QUndoStack::destroyed(arg1); } - // [adaptor impl] bool QUndoStack::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QUndoStack::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QUndoStack::event(arg1); + return QUndoStack::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QUndoStack_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QUndoStack_Adaptor::cbs_event_1217_0, _event); } else { - return QUndoStack::event(arg1); + return QUndoStack::event(_event); } } - // [adaptor impl] bool QUndoStack::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QUndoStack::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QUndoStack::eventFilter(arg1, arg2); + return QUndoStack::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QUndoStack_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QUndoStack_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QUndoStack::eventFilter(arg1, arg2); + return QUndoStack::eventFilter(watched, event); } } @@ -689,33 +706,33 @@ class QUndoStack_Adaptor : public QUndoStack, public qt_gsi::QtObjectBase emit QUndoStack::undoTextChanged(undoText); } - // [adaptor impl] void QUndoStack::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QUndoStack::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QUndoStack::childEvent(arg1); + QUndoStack::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QUndoStack_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QUndoStack_Adaptor::cbs_childEvent_1701_0, event); } else { - QUndoStack::childEvent(arg1); + QUndoStack::childEvent(event); } } - // [adaptor impl] void QUndoStack::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QUndoStack::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QUndoStack::customEvent(arg1); + QUndoStack::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QUndoStack_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QUndoStack_Adaptor::cbs_customEvent_1217_0, event); } else { - QUndoStack::customEvent(arg1); + QUndoStack::customEvent(event); } } @@ -734,18 +751,18 @@ class QUndoStack_Adaptor : public QUndoStack, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QUndoStack::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QUndoStack::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QUndoStack::timerEvent(arg1); + QUndoStack::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QUndoStack_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QUndoStack_Adaptor::cbs_timerEvent_1730_0, event); } else { - QUndoStack::timerEvent(arg1); + QUndoStack::timerEvent(event); } } @@ -763,7 +780,7 @@ QUndoStack_Adaptor::~QUndoStack_Adaptor() { } static void _init_ctor_QUndoStack_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -772,7 +789,7 @@ static void _call_ctor_QUndoStack_Adaptor_1302 (const qt_gsi::GenericStaticMetho { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QUndoStack_Adaptor (arg1)); } @@ -813,11 +830,11 @@ static void _call_emitter_canUndoChanged_864 (const qt_gsi::GenericMethod * /*de } -// void QUndoStack::childEvent(QChildEvent *) +// void QUndoStack::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -855,11 +872,11 @@ static void _call_emitter_cleanChanged_864 (const qt_gsi::GenericMethod * /*decl } -// void QUndoStack::customEvent(QEvent *) +// void QUndoStack::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -883,7 +900,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -892,7 +909,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QUndoStack_Adaptor *)cls)->emitter_QUndoStack_destroyed_1302 (arg1); } @@ -921,11 +938,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QUndoStack::event(QEvent *) +// bool QUndoStack::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -944,13 +961,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QUndoStack::eventFilter(QObject *, QEvent *) +// bool QUndoStack::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1088,11 +1105,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QUndoStack::timerEvent(QTimerEvent *) +// void QUndoStack::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1140,17 +1157,17 @@ static gsi::Methods methods_QUndoStack_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QUndoStack::QUndoStack(QObject *parent)\nThis method creates an object of class QUndoStack.", &_init_ctor_QUndoStack_Adaptor_1302, &_call_ctor_QUndoStack_Adaptor_1302); methods += new qt_gsi::GenericMethod ("emit_canRedoChanged", "@brief Emitter for signal void QUndoStack::canRedoChanged(bool canRedo)\nCall this method to emit this signal.", false, &_init_emitter_canRedoChanged_864, &_call_emitter_canRedoChanged_864); methods += new qt_gsi::GenericMethod ("emit_canUndoChanged", "@brief Emitter for signal void QUndoStack::canUndoChanged(bool canUndo)\nCall this method to emit this signal.", false, &_init_emitter_canUndoChanged_864, &_call_emitter_canUndoChanged_864); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QUndoStack::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QUndoStack::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_cleanChanged", "@brief Emitter for signal void QUndoStack::cleanChanged(bool clean)\nCall this method to emit this signal.", false, &_init_emitter_cleanChanged_864, &_call_emitter_cleanChanged_864); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QUndoStack::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QUndoStack::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QUndoStack::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QUndoStack::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QUndoStack::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QUndoStack::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QUndoStack::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QUndoStack::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("emit_indexChanged", "@brief Emitter for signal void QUndoStack::indexChanged(int idx)\nCall this method to emit this signal.", false, &_init_emitter_indexChanged_767, &_call_emitter_indexChanged_767); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QUndoStack::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); @@ -1159,7 +1176,7 @@ static gsi::Methods methods_QUndoStack_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_redoTextChanged", "@brief Emitter for signal void QUndoStack::redoTextChanged(const QString &redoText)\nCall this method to emit this signal.", false, &_init_emitter_redoTextChanged_2025, &_call_emitter_redoTextChanged_2025); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QUndoStack::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QUndoStack::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QUndoStack::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QUndoStack::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_undoTextChanged", "@brief Emitter for signal void QUndoStack::undoTextChanged(const QString &undoText)\nCall this method to emit this signal.", false, &_init_emitter_undoTextChanged_2025, &_call_emitter_undoTextChanged_2025); return methods; diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoView.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoView.cc index 19f1704c14..96a882f49f 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoView.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoView.cc @@ -935,18 +935,18 @@ class QUndoView_Adaptor : public QUndoView, public qt_gsi::QtObjectBase emit QUndoView::windowTitleChanged(title); } - // [adaptor impl] void QUndoView::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QUndoView::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QUndoView::actionEvent(arg1); + QUndoView::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QUndoView_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QUndoView_Adaptor::cbs_actionEvent_1823_0, event); } else { - QUndoView::actionEvent(arg1); + QUndoView::actionEvent(event); } } @@ -965,18 +965,18 @@ class QUndoView_Adaptor : public QUndoView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QUndoView::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QUndoView::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QUndoView::childEvent(arg1); + QUndoView::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QUndoView_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QUndoView_Adaptor::cbs_childEvent_1701_0, event); } else { - QUndoView::childEvent(arg1); + QUndoView::childEvent(event); } } @@ -995,18 +995,18 @@ class QUndoView_Adaptor : public QUndoView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QUndoView::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QUndoView::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QUndoView::closeEvent(arg1); + QUndoView::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QUndoView_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QUndoView_Adaptor::cbs_closeEvent_1719_0, event); } else { - QUndoView::closeEvent(arg1); + QUndoView::closeEvent(event); } } @@ -1055,18 +1055,18 @@ class QUndoView_Adaptor : public QUndoView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QUndoView::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QUndoView::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QUndoView::customEvent(arg1); + QUndoView::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QUndoView_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QUndoView_Adaptor::cbs_customEvent_1217_0, event); } else { - QUndoView::customEvent(arg1); + QUndoView::customEvent(event); } } @@ -1190,18 +1190,18 @@ class QUndoView_Adaptor : public QUndoView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QUndoView::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QUndoView::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QUndoView::enterEvent(arg1); + QUndoView::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QUndoView_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QUndoView_Adaptor::cbs_enterEvent_1217_0, event); } else { - QUndoView::enterEvent(arg1); + QUndoView::enterEvent(event); } } @@ -1220,18 +1220,18 @@ class QUndoView_Adaptor : public QUndoView, public qt_gsi::QtObjectBase } } - // [adaptor impl] bool QUndoView::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QUndoView::eventFilter(QObject *object, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *object, QEvent *event) { - return QUndoView::eventFilter(arg1, arg2); + return QUndoView::eventFilter(object, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *object, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QUndoView_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QUndoView_Adaptor::cbs_eventFilter_2411_0, object, event); } else { - return QUndoView::eventFilter(arg1, arg2); + return QUndoView::eventFilter(object, event); } } @@ -1280,18 +1280,18 @@ class QUndoView_Adaptor : public QUndoView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QUndoView::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QUndoView::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QUndoView::hideEvent(arg1); + QUndoView::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QUndoView_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QUndoView_Adaptor::cbs_hideEvent_1595_0, event); } else { - QUndoView::hideEvent(arg1); + QUndoView::hideEvent(event); } } @@ -1400,33 +1400,33 @@ class QUndoView_Adaptor : public QUndoView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QUndoView::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QUndoView::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QUndoView::keyReleaseEvent(arg1); + QUndoView::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QUndoView_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QUndoView_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QUndoView::keyReleaseEvent(arg1); + QUndoView::keyReleaseEvent(event); } } - // [adaptor impl] void QUndoView::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QUndoView::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QUndoView::leaveEvent(arg1); + QUndoView::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QUndoView_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QUndoView_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QUndoView::leaveEvent(arg1); + QUndoView::leaveEvent(event); } } @@ -1520,18 +1520,18 @@ class QUndoView_Adaptor : public QUndoView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QUndoView::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QUndoView::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QUndoView::moveEvent(arg1); + QUndoView::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QUndoView_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QUndoView_Adaptor::cbs_moveEvent_1624_0, event); } else { - QUndoView::moveEvent(arg1); + QUndoView::moveEvent(event); } } @@ -1715,18 +1715,18 @@ class QUndoView_Adaptor : public QUndoView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QUndoView::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QUndoView::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QUndoView::showEvent(arg1); + QUndoView::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QUndoView_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QUndoView_Adaptor::cbs_showEvent_1634_0, event); } else { - QUndoView::showEvent(arg1); + QUndoView::showEvent(event); } } @@ -1745,18 +1745,18 @@ class QUndoView_Adaptor : public QUndoView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QUndoView::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QUndoView::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QUndoView::tabletEvent(arg1); + QUndoView::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QUndoView_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QUndoView_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QUndoView::tabletEvent(arg1); + QUndoView::tabletEvent(event); } } @@ -1925,18 +1925,18 @@ class QUndoView_Adaptor : public QUndoView, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QUndoView::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QUndoView::wheelEvent(QWheelEvent *e) + void cbs_wheelEvent_1718_0(QWheelEvent *e) { - QUndoView::wheelEvent(arg1); + QUndoView::wheelEvent(e); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *e) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QUndoView_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QUndoView_Adaptor::cbs_wheelEvent_1718_0, e); } else { - QUndoView::wheelEvent(arg1); + QUndoView::wheelEvent(e); } } @@ -2035,7 +2035,7 @@ QUndoView_Adaptor::~QUndoView_Adaptor() { } static void _init_ctor_QUndoView_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -2044,7 +2044,7 @@ static void _call_ctor_QUndoView_Adaptor_1315 (const qt_gsi::GenericStaticMethod { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QUndoView_Adaptor (arg1)); } @@ -2055,7 +2055,7 @@ static void _init_ctor_QUndoView_Adaptor_2818 (qt_gsi::GenericStaticMethod *decl { static gsi::ArgSpecBase argspec_0 ("stack"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -2065,7 +2065,7 @@ static void _call_ctor_QUndoView_Adaptor_2818 (const qt_gsi::GenericStaticMethod __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QUndoStack *arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QUndoView_Adaptor (arg1, arg2)); } @@ -2076,7 +2076,7 @@ static void _init_ctor_QUndoView_Adaptor_2841 (qt_gsi::GenericStaticMethod *decl { static gsi::ArgSpecBase argspec_0 ("group"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return_new (); } @@ -2086,16 +2086,16 @@ static void _call_ctor_QUndoView_Adaptor_2841 (const qt_gsi::GenericStaticMethod __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QUndoGroup *arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QUndoView_Adaptor (arg1, arg2)); } -// void QUndoView::actionEvent(QActionEvent *) +// void QUndoView::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2157,11 +2157,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QUndoView::childEvent(QChildEvent *) +// void QUndoView::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2226,11 +2226,11 @@ static void _set_callback_cbs_closeEditor_4926_0 (void *cls, const gsi::Callback } -// void QUndoView::closeEvent(QCloseEvent *) +// void QUndoView::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2382,11 +2382,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QUndoView::customEvent(QEvent *) +// void QUndoView::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2462,7 +2462,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2471,7 +2471,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QUndoView_Adaptor *)cls)->emitter_QUndoView_destroyed_1302 (arg1); } @@ -2749,11 +2749,11 @@ static void _set_callback_cbs_editorDestroyed_1302_0 (void *cls, const gsi::Call } -// void QUndoView::enterEvent(QEvent *) +// void QUndoView::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2814,13 +2814,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QUndoView::eventFilter(QObject *, QEvent *) +// bool QUndoView::eventFilter(QObject *object, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("object"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -2996,11 +2996,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QUndoView::hideEvent(QHideEvent *) +// void QUndoView::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3315,11 +3315,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QUndoView::keyReleaseEvent(QKeyEvent *) +// void QUndoView::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3363,11 +3363,11 @@ static void _set_callback_cbs_keyboardSearch_2025_0 (void *cls, const gsi::Callb } -// void QUndoView::leaveEvent(QEvent *) +// void QUndoView::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3551,11 +3551,11 @@ static void _set_callback_cbs_moveCursor_6476_0 (void *cls, const gsi::Callback } -// void QUndoView::moveEvent(QMoveEvent *) +// void QUndoView::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4390,11 +4390,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QUndoView::showEvent(QShowEvent *) +// void QUndoView::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4547,11 +4547,11 @@ static void _call_fp_stopAutoScroll_0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QUndoView::tabletEvent(QTabletEvent *) +// void QUndoView::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4886,11 +4886,11 @@ static void _set_callback_cbs_visualRegionForSelection_c2727_0 (void *cls, const } -// void QUndoView::wheelEvent(QWheelEvent *) +// void QUndoView::wheelEvent(QWheelEvent *e) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("e"); decl->add_arg (argspec_0); decl->set_return (); } @@ -4974,32 +4974,32 @@ static gsi::Methods methods_QUndoView_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QUndoView::QUndoView(QWidget *parent)\nThis method creates an object of class QUndoView.", &_init_ctor_QUndoView_Adaptor_1315, &_call_ctor_QUndoView_Adaptor_1315); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QUndoView::QUndoView(QUndoStack *stack, QWidget *parent)\nThis method creates an object of class QUndoView.", &_init_ctor_QUndoView_Adaptor_2818, &_call_ctor_QUndoView_Adaptor_2818); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QUndoView::QUndoView(QUndoGroup *group, QWidget *parent)\nThis method creates an object of class QUndoView.", &_init_ctor_QUndoView_Adaptor_2841, &_call_ctor_QUndoView_Adaptor_2841); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QUndoView::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QUndoView::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("emit_activated", "@brief Emitter for signal void QUndoView::activated(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_activated_2395, &_call_emitter_activated_2395); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QUndoView::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QUndoView::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QUndoView::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("emit_clicked", "@brief Emitter for signal void QUndoView::clicked(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_clicked_2395, &_call_emitter_clicked_2395); methods += new qt_gsi::GenericMethod ("*closeEditor", "@brief Virtual method void QUndoView::closeEditor(QWidget *editor, QAbstractItemDelegate::EndEditHint hint)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEditor_4926_0, &_call_cbs_closeEditor_4926_0); methods += new qt_gsi::GenericMethod ("*closeEditor", "@hide", false, &_init_cbs_closeEditor_4926_0, &_call_cbs_closeEditor_4926_0, &_set_callback_cbs_closeEditor_4926_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QUndoView::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QUndoView::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*commitData", "@brief Virtual method void QUndoView::commitData(QWidget *editor)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*commitData", "@hide", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0, &_set_callback_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*contentsSize", "@brief Method QSize QUndoView::contentsSize()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_contentsSize_c0, &_call_fp_contentsSize_c0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QUndoView::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QUndoView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QUndoView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*currentChanged", "@brief Virtual method void QUndoView::currentChanged(const QModelIndex ¤t, const QModelIndex &previous)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@hide", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0, &_set_callback_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QUndoView::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QUndoView::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QUndoView::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*dataChanged", "@brief Virtual method void QUndoView::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QVector &roles)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dataChanged_7048_1, &_call_cbs_dataChanged_7048_1); methods += new qt_gsi::GenericMethod ("*dataChanged", "@hide", false, &_init_cbs_dataChanged_7048_1, &_call_cbs_dataChanged_7048_1, &_set_callback_cbs_dataChanged_7048_1); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QUndoView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QUndoView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QUndoView::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*dirtyRegionOffset", "@brief Method QPoint QUndoView::dirtyRegionOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_dirtyRegionOffset_c0, &_call_fp_dirtyRegionOffset_c0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QUndoView::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -5022,12 +5022,12 @@ static gsi::Methods methods_QUndoView_Adaptor () { methods += new qt_gsi::GenericMethod ("*edit", "@hide", false, &_init_cbs_edit_6773_0, &_call_cbs_edit_6773_0, &_set_callback_cbs_edit_6773_0); methods += new qt_gsi::GenericMethod ("*editorDestroyed", "@brief Virtual method void QUndoView::editorDestroyed(QObject *editor)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_editorDestroyed_1302_0, &_call_cbs_editorDestroyed_1302_0); methods += new qt_gsi::GenericMethod ("*editorDestroyed", "@hide", false, &_init_cbs_editorDestroyed_1302_0, &_call_cbs_editorDestroyed_1302_0, &_set_callback_cbs_editorDestroyed_1302_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QUndoView::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QUndoView::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_entered", "@brief Emitter for signal void QUndoView::entered(const QModelIndex &index)\nCall this method to emit this signal.", false, &_init_emitter_entered_2395, &_call_emitter_entered_2395); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QUndoView::event(QEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QUndoView::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QUndoView::eventFilter(QObject *object, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*executeDelayedItemsLayout", "@brief Method void QUndoView::executeDelayedItemsLayout()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_executeDelayedItemsLayout_0, &_call_fp_executeDelayedItemsLayout_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QUndoView::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); @@ -5042,7 +5042,7 @@ static gsi::Methods methods_QUndoView_Adaptor () { methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QUndoView::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QUndoView::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QUndoView::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*horizontalOffset", "@brief Virtual method int QUndoView::horizontalOffset()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_horizontalOffset_c0_0, &_call_cbs_horizontalOffset_c0_0); methods += new qt_gsi::GenericMethod ("*horizontalOffset", "@hide", true, &_init_cbs_horizontalOffset_c0_0, &_call_cbs_horizontalOffset_c0_0, &_set_callback_cbs_horizontalOffset_c0_0); @@ -5067,11 +5067,11 @@ static gsi::Methods methods_QUndoView_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QUndoView::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QUndoView::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QUndoView::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QUndoView::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("keyboardSearch", "@brief Virtual method void QUndoView::keyboardSearch(const QString &search)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyboardSearch_2025_0, &_call_cbs_keyboardSearch_2025_0); methods += new qt_gsi::GenericMethod ("keyboardSearch", "@hide", false, &_init_cbs_keyboardSearch_2025_0, &_call_cbs_keyboardSearch_2025_0, &_set_callback_cbs_keyboardSearch_2025_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QUndoView::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QUndoView::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QUndoView::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); @@ -5087,7 +5087,7 @@ static gsi::Methods methods_QUndoView_Adaptor () { methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*moveCursor", "@brief Virtual method QModelIndex QUndoView::moveCursor(QAbstractItemView::CursorAction cursorAction, QFlags modifiers)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveCursor_6476_0, &_call_cbs_moveCursor_6476_0); methods += new qt_gsi::GenericMethod ("*moveCursor", "@hide", false, &_init_cbs_moveCursor_6476_0, &_call_cbs_moveCursor_6476_0, &_set_callback_cbs_moveCursor_6476_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QUndoView::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QUndoView::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QUndoView::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -5147,7 +5147,7 @@ static gsi::Methods methods_QUndoView_Adaptor () { methods += new qt_gsi::GenericMethod ("setupViewport", "@hide", false, &_init_cbs_setupViewport_1315_0, &_call_cbs_setupViewport_1315_0, &_set_callback_cbs_setupViewport_1315_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QUndoView::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QUndoView::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QUndoView::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QUndoView::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); @@ -5160,7 +5160,7 @@ static gsi::Methods methods_QUndoView_Adaptor () { methods += new qt_gsi::GenericMethod ("*startDrag", "@hide", false, &_init_cbs_startDrag_2456_0, &_call_cbs_startDrag_2456_0, &_set_callback_cbs_startDrag_2456_0); methods += new qt_gsi::GenericMethod ("*state", "@brief Method QAbstractItemView::State QUndoView::state()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_state_c0, &_call_fp_state_c0); methods += new qt_gsi::GenericMethod ("*stopAutoScroll", "@brief Method void QUndoView::stopAutoScroll()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_stopAutoScroll_0, &_call_fp_stopAutoScroll_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QUndoView::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QUndoView::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QUndoView::timerEvent(QTimerEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); @@ -5190,7 +5190,7 @@ static gsi::Methods methods_QUndoView_Adaptor () { methods += new qt_gsi::GenericMethod ("visualRect", "@hide", true, &_init_cbs_visualRect_c2395_0, &_call_cbs_visualRect_c2395_0, &_set_callback_cbs_visualRect_c2395_0); methods += new qt_gsi::GenericMethod ("*visualRegionForSelection", "@brief Virtual method QRegion QUndoView::visualRegionForSelection(const QItemSelection &selection)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_visualRegionForSelection_c2727_0, &_call_cbs_visualRegionForSelection_c2727_0); methods += new qt_gsi::GenericMethod ("*visualRegionForSelection", "@hide", true, &_init_cbs_visualRegionForSelection_c2727_0, &_call_cbs_visualRegionForSelection_c2727_0, &_set_callback_cbs_visualRegionForSelection_c2727_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QUndoView::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QUndoView::wheelEvent(QWheelEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QUndoView::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QUndoView::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQVBoxLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQVBoxLayout.cc index 534571fcae..2830ce17b4 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQVBoxLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQVBoxLayout.cc @@ -249,33 +249,33 @@ class QVBoxLayout_Adaptor : public QVBoxLayout, public qt_gsi::QtObjectBase emit QVBoxLayout::destroyed(arg1); } - // [adaptor impl] bool QVBoxLayout::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QVBoxLayout::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QVBoxLayout::event(arg1); + return QVBoxLayout::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QVBoxLayout_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QVBoxLayout_Adaptor::cbs_event_1217_0, _event); } else { - return QVBoxLayout::event(arg1); + return QVBoxLayout::event(_event); } } - // [adaptor impl] bool QVBoxLayout::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QVBoxLayout::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QVBoxLayout::eventFilter(arg1, arg2); + return QVBoxLayout::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QVBoxLayout_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QVBoxLayout_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QVBoxLayout::eventFilter(arg1, arg2); + return QVBoxLayout::eventFilter(watched, event); } } @@ -556,18 +556,18 @@ class QVBoxLayout_Adaptor : public QVBoxLayout, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QVBoxLayout::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QVBoxLayout::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QVBoxLayout::customEvent(arg1); + QVBoxLayout::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QVBoxLayout_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QVBoxLayout_Adaptor::cbs_customEvent_1217_0, event); } else { - QVBoxLayout::customEvent(arg1); + QVBoxLayout::customEvent(event); } } @@ -586,18 +586,18 @@ class QVBoxLayout_Adaptor : public QVBoxLayout, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QVBoxLayout::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QVBoxLayout::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QVBoxLayout::timerEvent(arg1); + QVBoxLayout::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QVBoxLayout_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QVBoxLayout_Adaptor::cbs_timerEvent_1730_0, event); } else { - QVBoxLayout::timerEvent(arg1); + QVBoxLayout::timerEvent(event); } } @@ -824,11 +824,11 @@ static void _set_callback_cbs_count_c0_0 (void *cls, const gsi::Callback &cb) } -// void QVBoxLayout::customEvent(QEvent *) +// void QVBoxLayout::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -852,7 +852,7 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -861,7 +861,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QVBoxLayout_Adaptor *)cls)->emitter_QVBoxLayout_destroyed_1302 (arg1); } @@ -890,11 +890,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QVBoxLayout::event(QEvent *) +// bool QVBoxLayout::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -913,13 +913,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QVBoxLayout::eventFilter(QObject *, QEvent *) +// bool QVBoxLayout::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1351,11 +1351,11 @@ static void _set_callback_cbs_takeAt_767_0 (void *cls, const gsi::Callback &cb) } -// void QVBoxLayout::timerEvent(QTimerEvent *) +// void QVBoxLayout::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1434,14 +1434,14 @@ static gsi::Methods methods_QVBoxLayout_Adaptor () { methods += new qt_gsi::GenericMethod ("controlTypes", "@hide", true, &_init_cbs_controlTypes_c0_0, &_call_cbs_controlTypes_c0_0, &_set_callback_cbs_controlTypes_c0_0); methods += new qt_gsi::GenericMethod ("count", "@brief Virtual method int QVBoxLayout::count()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_count_c0_0, &_call_cbs_count_c0_0); methods += new qt_gsi::GenericMethod ("count", "@hide", true, &_init_cbs_count_c0_0, &_call_cbs_count_c0_0, &_set_callback_cbs_count_c0_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVBoxLayout::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVBoxLayout::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QVBoxLayout::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QVBoxLayout::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QVBoxLayout::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QVBoxLayout::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVBoxLayout::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVBoxLayout::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("expandingDirections", "@brief Virtual method QFlags QVBoxLayout::expandingDirections()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_expandingDirections_c0_0, &_call_cbs_expandingDirections_c0_0); methods += new qt_gsi::GenericMethod ("expandingDirections", "@hide", true, &_init_cbs_expandingDirections_c0_0, &_call_cbs_expandingDirections_c0_0, &_set_callback_cbs_expandingDirections_c0_0); @@ -1480,7 +1480,7 @@ static gsi::Methods methods_QVBoxLayout_Adaptor () { methods += new qt_gsi::GenericMethod ("spacerItem", "@hide", false, &_init_cbs_spacerItem_0_0, &_call_cbs_spacerItem_0_0, &_set_callback_cbs_spacerItem_0_0); methods += new qt_gsi::GenericMethod ("takeAt", "@brief Virtual method QLayoutItem *QVBoxLayout::takeAt(int)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_takeAt_767_0, &_call_cbs_takeAt_767_0); methods += new qt_gsi::GenericMethod ("takeAt", "@hide", false, &_init_cbs_takeAt_767_0, &_call_cbs_takeAt_767_0, &_set_callback_cbs_takeAt_767_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QVBoxLayout::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QVBoxLayout::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("widget", "@brief Virtual method QWidget *QVBoxLayout::widget()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_widget_0_0, &_call_cbs_widget_0_0); methods += new qt_gsi::GenericMethod ("widget", "@hide", false, &_init_cbs_widget_0_0, &_call_cbs_widget_0_0, &_set_callback_cbs_widget_0_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQWhatsThis.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQWhatsThis.cc index 9e010dd85d..67612232b0 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQWhatsThis.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQWhatsThis.cc @@ -44,7 +44,7 @@ static void _init_f_createAction_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -53,7 +53,7 @@ static void _call_f_createAction_1302 (const qt_gsi::GenericStaticMethod * /*dec { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((QAction *)QWhatsThis::createAction (arg1)); } @@ -130,7 +130,7 @@ static void _init_f_showText_5040 (qt_gsi::GenericStaticMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("text"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("w", true, "0"); + static gsi::ArgSpecBase argspec_2 ("w", true, "nullptr"); decl->add_arg (argspec_2); decl->set_return (); } @@ -141,7 +141,7 @@ static void _call_f_showText_5040 (const qt_gsi::GenericStaticMethod * /*decl*/, tl::Heap heap; const QPoint &arg1 = gsi::arg_reader() (args, heap); const QString &arg2 = gsi::arg_reader() (args, heap); - QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); QWhatsThis::showText (arg1, arg2, arg3); } diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQWidget.cc index c15b43c5e0..9f26c6f3a5 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQWidget.cc @@ -885,6 +885,21 @@ static void _call_f_hasMouseTracking_c0 (const qt_gsi::GenericMethod * /*decl*/, } +// bool QWidget::hasTabletTracking() + + +static void _init_f_hasTabletTracking_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_f_hasTabletTracking_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + ret.write ((bool)((QWidget *)cls)->hasTabletTracking ()); +} + + // int QWidget::height() @@ -3328,6 +3343,26 @@ static void _call_f_setStyleSheet_2025 (const qt_gsi::GenericMethod * /*decl*/, } +// void QWidget::setTabletTracking(bool enable) + + +static void _init_f_setTabletTracking_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("enable"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_setTabletTracking_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QWidget *)cls)->setTabletTracking (arg1); +} + + // void QWidget::setToolTip(const QString &) @@ -3448,6 +3483,29 @@ static void _call_f_setWindowFilePath_2025 (const qt_gsi::GenericMethod * /*decl } +// void QWidget::setWindowFlag(Qt::WindowType, bool on) + + +static void _init_f_setWindowFlag_2555 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg::target_type & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("on", true, "true"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_f_setWindowFlag_2555 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + bool arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (true, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QWidget *)cls)->setWindowFlag (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2); +} + + // void QWidget::setWindowFlags(QFlags type) @@ -4373,9 +4431,9 @@ static void _init_f_createWindowContainer_4929 (qt_gsi::GenericStaticMethod *dec { static gsi::ArgSpecBase argspec_0 ("window"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_1 ("parent", true, "nullptr"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_2 ("flags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_2); decl->set_return (); } @@ -4385,8 +4443,8 @@ static void _call_f_createWindowContainer_4929 (const qt_gsi::GenericStaticMetho __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWindow *arg1 = gsi::arg_reader() (args, heap); - QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QWidget *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write ((QWidget *)QWidget::createWindowContainer (arg1, arg2, arg3)); } @@ -4612,6 +4670,7 @@ static gsi::Methods methods_QWidget () { methods += new qt_gsi::GenericMethod ("hasFocus|:focus", "@brief Method bool QWidget::hasFocus()\n", true, &_init_f_hasFocus_c0, &_call_f_hasFocus_c0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Method bool QWidget::hasHeightForWidth()\n", true, &_init_f_hasHeightForWidth_c0, &_call_f_hasHeightForWidth_c0); methods += new qt_gsi::GenericMethod ("hasMouseTracking|:mouseTracking", "@brief Method bool QWidget::hasMouseTracking()\n", true, &_init_f_hasMouseTracking_c0, &_call_f_hasMouseTracking_c0); + methods += new qt_gsi::GenericMethod ("hasTabletTracking", "@brief Method bool QWidget::hasTabletTracking()\n", true, &_init_f_hasTabletTracking_c0, &_call_f_hasTabletTracking_c0); methods += new qt_gsi::GenericMethod (":height", "@brief Method int QWidget::height()\n", true, &_init_f_height_c0, &_call_f_height_c0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Method int QWidget::heightForWidth(int)\n", true, &_init_f_heightForWidth_c767, &_call_f_heightForWidth_c767); methods += new qt_gsi::GenericMethod ("hide", "@brief Method void QWidget::hide()\n", false, &_init_f_hide_0, &_call_f_hide_0); @@ -4667,7 +4726,7 @@ static gsi::Methods methods_QWidget () { methods += new qt_gsi::GenericMethod ("parentWidget", "@brief Method QWidget *QWidget::parentWidget()\n", true, &_init_f_parentWidget_c0, &_call_f_parentWidget_c0); methods += new qt_gsi::GenericMethod (":pos", "@brief Method QPoint QWidget::pos()\n", true, &_init_f_pos_c0, &_call_f_pos_c0); methods += new qt_gsi::GenericMethod ("previousInFocusChain", "@brief Method QWidget *QWidget::previousInFocusChain()\n", true, &_init_f_previousInFocusChain_c0, &_call_f_previousInFocusChain_c0); - methods += new qt_gsi::GenericMethod ("qt_raise", "@brief Method void QWidget::raise()\n", false, &_init_f_raise_0, &_call_f_raise_0); + methods += new qt_gsi::GenericMethod ("raise|qt_raise", "@brief Method void QWidget::raise()\n", false, &_init_f_raise_0, &_call_f_raise_0); methods += new qt_gsi::GenericMethod (":rect", "@brief Method QRect QWidget::rect()\n", true, &_init_f_rect_c0, &_call_f_rect_c0); methods += new qt_gsi::GenericMethod ("releaseKeyboard", "@brief Method void QWidget::releaseKeyboard()\n", false, &_init_f_releaseKeyboard_0, &_call_f_releaseKeyboard_0); methods += new qt_gsi::GenericMethod ("releaseMouse", "@brief Method void QWidget::releaseMouse()\n", false, &_init_f_releaseMouse_0, &_call_f_releaseMouse_0); @@ -4740,12 +4799,14 @@ static gsi::Methods methods_QWidget () { methods += new qt_gsi::GenericMethod ("setStatusTip|statusTip=", "@brief Method void QWidget::setStatusTip(const QString &)\n", false, &_init_f_setStatusTip_2025, &_call_f_setStatusTip_2025); methods += new qt_gsi::GenericMethod ("setStyle|style=", "@brief Method void QWidget::setStyle(QStyle *)\n", false, &_init_f_setStyle_1232, &_call_f_setStyle_1232); methods += new qt_gsi::GenericMethod ("setStyleSheet|styleSheet=", "@brief Method void QWidget::setStyleSheet(const QString &styleSheet)\n", false, &_init_f_setStyleSheet_2025, &_call_f_setStyleSheet_2025); + methods += new qt_gsi::GenericMethod ("setTabletTracking", "@brief Method void QWidget::setTabletTracking(bool enable)\n", false, &_init_f_setTabletTracking_864, &_call_f_setTabletTracking_864); methods += new qt_gsi::GenericMethod ("setToolTip|toolTip=", "@brief Method void QWidget::setToolTip(const QString &)\n", false, &_init_f_setToolTip_2025, &_call_f_setToolTip_2025); methods += new qt_gsi::GenericMethod ("setToolTipDuration|toolTipDuration=", "@brief Method void QWidget::setToolTipDuration(int msec)\n", false, &_init_f_setToolTipDuration_767, &_call_f_setToolTipDuration_767); methods += new qt_gsi::GenericMethod ("setUpdatesEnabled|updatesEnabled=", "@brief Method void QWidget::setUpdatesEnabled(bool enable)\n", false, &_init_f_setUpdatesEnabled_864, &_call_f_setUpdatesEnabled_864); methods += new qt_gsi::GenericMethod ("setVisible|visible=", "@brief Method void QWidget::setVisible(bool visible)\n", false, &_init_f_setVisible_864, &_call_f_setVisible_864); methods += new qt_gsi::GenericMethod ("setWhatsThis|whatsThis=", "@brief Method void QWidget::setWhatsThis(const QString &)\n", false, &_init_f_setWhatsThis_2025, &_call_f_setWhatsThis_2025); methods += new qt_gsi::GenericMethod ("setWindowFilePath|windowFilePath=", "@brief Method void QWidget::setWindowFilePath(const QString &filePath)\n", false, &_init_f_setWindowFilePath_2025, &_call_f_setWindowFilePath_2025); + methods += new qt_gsi::GenericMethod ("setWindowFlag", "@brief Method void QWidget::setWindowFlag(Qt::WindowType, bool on)\n", false, &_init_f_setWindowFlag_2555, &_call_f_setWindowFlag_2555); methods += new qt_gsi::GenericMethod ("setWindowFlags|windowFlags=", "@brief Method void QWidget::setWindowFlags(QFlags type)\n", false, &_init_f_setWindowFlags_2495, &_call_f_setWindowFlags_2495); methods += new qt_gsi::GenericMethod ("setWindowIcon|windowIcon=", "@brief Method void QWidget::setWindowIcon(const QIcon &icon)\n", false, &_init_f_setWindowIcon_1787, &_call_f_setWindowIcon_1787); methods += new qt_gsi::GenericMethod ("setWindowIconText|windowIconText=", "@brief Method void QWidget::setWindowIconText(const QString &)\n", false, &_init_f_setWindowIconText_2025, &_call_f_setWindowIconText_2025); @@ -4919,18 +4980,18 @@ class QWidget_Adaptor : public QWidget, public qt_gsi::QtObjectBase emit QWidget::destroyed(arg1); } - // [adaptor impl] bool QWidget::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QWidget::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QWidget::eventFilter(arg1, arg2); + return QWidget::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QWidget_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QWidget_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QWidget::eventFilter(arg1, arg2); + return QWidget::eventFilter(watched, event); } } @@ -5064,18 +5125,18 @@ class QWidget_Adaptor : public QWidget, public qt_gsi::QtObjectBase emit QWidget::windowTitleChanged(title); } - // [adaptor impl] void QWidget::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QWidget::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QWidget::actionEvent(arg1); + QWidget::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QWidget_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QWidget_Adaptor::cbs_actionEvent_1823_0, event); } else { - QWidget::actionEvent(arg1); + QWidget::actionEvent(event); } } @@ -5094,63 +5155,63 @@ class QWidget_Adaptor : public QWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWidget::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QWidget::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QWidget::childEvent(arg1); + QWidget::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QWidget_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QWidget_Adaptor::cbs_childEvent_1701_0, event); } else { - QWidget::childEvent(arg1); + QWidget::childEvent(event); } } - // [adaptor impl] void QWidget::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QWidget::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QWidget::closeEvent(arg1); + QWidget::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QWidget_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QWidget_Adaptor::cbs_closeEvent_1719_0, event); } else { - QWidget::closeEvent(arg1); + QWidget::closeEvent(event); } } - // [adaptor impl] void QWidget::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QWidget::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QWidget::contextMenuEvent(arg1); + QWidget::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QWidget_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QWidget_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QWidget::contextMenuEvent(arg1); + QWidget::contextMenuEvent(event); } } - // [adaptor impl] void QWidget::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QWidget::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QWidget::customEvent(arg1); + QWidget::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QWidget_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QWidget_Adaptor::cbs_customEvent_1217_0, event); } else { - QWidget::customEvent(arg1); + QWidget::customEvent(event); } } @@ -5169,108 +5230,108 @@ class QWidget_Adaptor : public QWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWidget::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QWidget::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QWidget::dragEnterEvent(arg1); + QWidget::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QWidget_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QWidget_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QWidget::dragEnterEvent(arg1); + QWidget::dragEnterEvent(event); } } - // [adaptor impl] void QWidget::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QWidget::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QWidget::dragLeaveEvent(arg1); + QWidget::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QWidget_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QWidget_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QWidget::dragLeaveEvent(arg1); + QWidget::dragLeaveEvent(event); } } - // [adaptor impl] void QWidget::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QWidget::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QWidget::dragMoveEvent(arg1); + QWidget::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QWidget_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QWidget_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QWidget::dragMoveEvent(arg1); + QWidget::dragMoveEvent(event); } } - // [adaptor impl] void QWidget::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QWidget::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QWidget::dropEvent(arg1); + QWidget::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QWidget_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QWidget_Adaptor::cbs_dropEvent_1622_0, event); } else { - QWidget::dropEvent(arg1); + QWidget::dropEvent(event); } } - // [adaptor impl] void QWidget::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QWidget::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QWidget::enterEvent(arg1); + QWidget::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QWidget_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QWidget_Adaptor::cbs_enterEvent_1217_0, event); } else { - QWidget::enterEvent(arg1); + QWidget::enterEvent(event); } } - // [adaptor impl] bool QWidget::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QWidget::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QWidget::event(arg1); + return QWidget::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QWidget_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QWidget_Adaptor::cbs_event_1217_0, _event); } else { - return QWidget::event(arg1); + return QWidget::event(_event); } } - // [adaptor impl] void QWidget::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QWidget::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QWidget::focusInEvent(arg1); + QWidget::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QWidget_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QWidget_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QWidget::focusInEvent(arg1); + QWidget::focusInEvent(event); } } @@ -5289,33 +5350,33 @@ class QWidget_Adaptor : public QWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWidget::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QWidget::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QWidget::focusOutEvent(arg1); + QWidget::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QWidget_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QWidget_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QWidget::focusOutEvent(arg1); + QWidget::focusOutEvent(event); } } - // [adaptor impl] void QWidget::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QWidget::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QWidget::hideEvent(arg1); + QWidget::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QWidget_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QWidget_Adaptor::cbs_hideEvent_1595_0, event); } else { - QWidget::hideEvent(arg1); + QWidget::hideEvent(event); } } @@ -5349,48 +5410,48 @@ class QWidget_Adaptor : public QWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWidget::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QWidget::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QWidget::keyPressEvent(arg1); + QWidget::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QWidget_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QWidget_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QWidget::keyPressEvent(arg1); + QWidget::keyPressEvent(event); } } - // [adaptor impl] void QWidget::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QWidget::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QWidget::keyReleaseEvent(arg1); + QWidget::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QWidget_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QWidget_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QWidget::keyReleaseEvent(arg1); + QWidget::keyReleaseEvent(event); } } - // [adaptor impl] void QWidget::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QWidget::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QWidget::leaveEvent(arg1); + QWidget::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QWidget_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QWidget_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QWidget::leaveEvent(arg1); + QWidget::leaveEvent(event); } } @@ -5409,78 +5470,78 @@ class QWidget_Adaptor : public QWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWidget::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QWidget::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QWidget::mouseDoubleClickEvent(arg1); + QWidget::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QWidget_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QWidget_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QWidget::mouseDoubleClickEvent(arg1); + QWidget::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QWidget::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QWidget::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QWidget::mouseMoveEvent(arg1); + QWidget::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QWidget_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QWidget_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QWidget::mouseMoveEvent(arg1); + QWidget::mouseMoveEvent(event); } } - // [adaptor impl] void QWidget::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QWidget::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QWidget::mousePressEvent(arg1); + QWidget::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QWidget_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QWidget_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QWidget::mousePressEvent(arg1); + QWidget::mousePressEvent(event); } } - // [adaptor impl] void QWidget::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QWidget::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QWidget::mouseReleaseEvent(arg1); + QWidget::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QWidget_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QWidget_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QWidget::mouseReleaseEvent(arg1); + QWidget::mouseReleaseEvent(event); } } - // [adaptor impl] void QWidget::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QWidget::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QWidget::moveEvent(arg1); + QWidget::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QWidget_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QWidget_Adaptor::cbs_moveEvent_1624_0, event); } else { - QWidget::moveEvent(arg1); + QWidget::moveEvent(event); } } @@ -5499,18 +5560,18 @@ class QWidget_Adaptor : public QWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWidget::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QWidget::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QWidget::paintEvent(arg1); + QWidget::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QWidget_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QWidget_Adaptor::cbs_paintEvent_1725_0, event); } else { - QWidget::paintEvent(arg1); + QWidget::paintEvent(event); } } @@ -5529,18 +5590,18 @@ class QWidget_Adaptor : public QWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWidget::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QWidget::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QWidget::resizeEvent(arg1); + QWidget::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QWidget_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QWidget_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QWidget::resizeEvent(arg1); + QWidget::resizeEvent(event); } } @@ -5559,63 +5620,63 @@ class QWidget_Adaptor : public QWidget, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWidget::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QWidget::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QWidget::showEvent(arg1); + QWidget::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QWidget_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QWidget_Adaptor::cbs_showEvent_1634_0, event); } else { - QWidget::showEvent(arg1); + QWidget::showEvent(event); } } - // [adaptor impl] void QWidget::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QWidget::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QWidget::tabletEvent(arg1); + QWidget::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QWidget_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QWidget_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QWidget::tabletEvent(arg1); + QWidget::tabletEvent(event); } } - // [adaptor impl] void QWidget::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QWidget::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QWidget::timerEvent(arg1); + QWidget::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QWidget_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QWidget_Adaptor::cbs_timerEvent_1730_0, event); } else { - QWidget::timerEvent(arg1); + QWidget::timerEvent(event); } } - // [adaptor impl] void QWidget::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QWidget::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QWidget::wheelEvent(arg1); + QWidget::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QWidget_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QWidget_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QWidget::wheelEvent(arg1); + QWidget::wheelEvent(event); } } @@ -5672,9 +5733,9 @@ QWidget_Adaptor::~QWidget_Adaptor() { } static void _init_ctor_QWidget_Adaptor_3702 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("f", true, "0"); + static gsi::ArgSpecBase argspec_1 ("f", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_1); decl->set_return_new (); } @@ -5683,17 +5744,17 @@ static void _call_ctor_QWidget_Adaptor_3702 (const qt_gsi::GenericStaticMethod * { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QWidget_Adaptor (arg1, arg2)); } -// void QWidget::actionEvent(QActionEvent *) +// void QWidget::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5737,11 +5798,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QWidget::childEvent(QChildEvent *) +// void QWidget::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5761,11 +5822,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QWidget::closeEvent(QCloseEvent *) +// void QWidget::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5785,11 +5846,11 @@ static void _set_callback_cbs_closeEvent_1719_0 (void *cls, const gsi::Callback } -// void QWidget::contextMenuEvent(QContextMenuEvent *) +// void QWidget::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5852,11 +5913,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QWidget::customEvent(QEvent *) +// void QWidget::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5902,7 +5963,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5911,7 +5972,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QWidget_Adaptor *)cls)->emitter_QWidget_destroyed_1302 (arg1); } @@ -5940,11 +6001,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QWidget::dragEnterEvent(QDragEnterEvent *) +// void QWidget::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5964,11 +6025,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QWidget::dragLeaveEvent(QDragLeaveEvent *) +// void QWidget::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -5988,11 +6049,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QWidget::dragMoveEvent(QDragMoveEvent *) +// void QWidget::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6012,11 +6073,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QWidget::dropEvent(QDropEvent *) +// void QWidget::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6036,11 +6097,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QWidget::enterEvent(QEvent *) +// void QWidget::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6060,11 +6121,11 @@ static void _set_callback_cbs_enterEvent_1217_0 (void *cls, const gsi::Callback } -// bool QWidget::event(QEvent *) +// bool QWidget::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6083,13 +6144,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QWidget::eventFilter(QObject *, QEvent *) +// bool QWidget::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -6109,11 +6170,11 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } -// void QWidget::focusInEvent(QFocusEvent *) +// void QWidget::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6170,11 +6231,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QWidget::focusOutEvent(QFocusEvent *) +// void QWidget::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6250,11 +6311,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QWidget::hideEvent(QHideEvent *) +// void QWidget::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6363,11 +6424,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QWidget::keyPressEvent(QKeyEvent *) +// void QWidget::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6387,11 +6448,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QWidget::keyReleaseEvent(QKeyEvent *) +// void QWidget::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6411,11 +6472,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QWidget::leaveEvent(QEvent *) +// void QWidget::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6477,11 +6538,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QWidget::mouseDoubleClickEvent(QMouseEvent *) +// void QWidget::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6501,11 +6562,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QWidget::mouseMoveEvent(QMouseEvent *) +// void QWidget::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6525,11 +6586,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QWidget::mousePressEvent(QMouseEvent *) +// void QWidget::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6549,11 +6610,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QWidget::mouseReleaseEvent(QMouseEvent *) +// void QWidget::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6573,11 +6634,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QWidget::moveEvent(QMoveEvent *) +// void QWidget::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6663,11 +6724,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QWidget::paintEvent(QPaintEvent *) +// void QWidget::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6728,11 +6789,11 @@ static void _set_callback_cbs_redirected_c1225_0 (void *cls, const gsi::Callback } -// void QWidget::resizeEvent(QResizeEvent *) +// void QWidget::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6823,11 +6884,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QWidget::showEvent(QShowEvent *) +// void QWidget::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6866,11 +6927,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QWidget::tabletEvent(QTabletEvent *) +// void QWidget::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6890,11 +6951,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QWidget::timerEvent(QTimerEvent *) +// void QWidget::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -6929,11 +6990,11 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QWidget::wheelEvent(QWheelEvent *) +// void QWidget::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -7015,51 +7076,51 @@ gsi::Class &qtdecl_QWidget (); static gsi::Methods methods_QWidget_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QWidget::QWidget(QWidget *parent, QFlags f)\nThis method creates an object of class QWidget.", &_init_ctor_QWidget_Adaptor_3702, &_call_ctor_QWidget_Adaptor_3702); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QWidget::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QWidget::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QWidget::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QWidget::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QWidget::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QWidget::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QWidget::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QWidget::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QWidget::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QWidget::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QWidget::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QWidget::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QWidget::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QWidget::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QWidget::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QWidget::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QWidget::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QWidget::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QWidget::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QWidget::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QWidget::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QWidget::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QWidget::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QWidget::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QWidget::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QWidget::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QWidget::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QWidget::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QWidget::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QWidget::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QWidget::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QWidget::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QWidget::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QWidget::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QWidget::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QWidget::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QWidget::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -7068,37 +7129,37 @@ static gsi::Methods methods_QWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@brief Virtual method QVariant QWidget::inputMethodQuery(Qt::InputMethodQuery)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("inputMethodQuery", "@hide", true, &_init_cbs_inputMethodQuery_c2420_0, &_call_cbs_inputMethodQuery_c2420_0, &_set_callback_cbs_inputMethodQuery_c2420_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QWidget::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QWidget::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QWidget::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QWidget::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QWidget::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QWidget::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QWidget::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QWidget::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QWidget::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QWidget::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QWidget::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QWidget::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QWidget::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QWidget::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QWidget::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QWidget::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QWidget::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QWidget::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QWidget::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QWidget::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QWidget::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QWidget::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QWidget::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QWidget::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QWidget::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QWidget::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QWidget::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QWidget::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QWidget::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QWidget::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -7106,16 +7167,16 @@ static gsi::Methods methods_QWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QWidget::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QWidget::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QWidget::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QWidget::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QWidget::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QWidget::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QWidget::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QWidget::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QWidget::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QWidget::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QWidget::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QWidget::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QWidget::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQWidgetAction.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQWidgetAction.cc index 541f7f598b..b91099262d 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQWidgetAction.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQWidgetAction.cc @@ -290,18 +290,18 @@ class QWidgetAction_Adaptor : public QWidgetAction, public qt_gsi::QtObjectBase emit QWidgetAction::triggered(checked); } - // [adaptor impl] void QWidgetAction::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QWidgetAction::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QWidgetAction::childEvent(arg1); + QWidgetAction::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QWidgetAction_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QWidgetAction_Adaptor::cbs_childEvent_1701_0, event); } else { - QWidgetAction::childEvent(arg1); + QWidgetAction::childEvent(event); } } @@ -320,18 +320,18 @@ class QWidgetAction_Adaptor : public QWidgetAction, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWidgetAction::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QWidgetAction::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QWidgetAction::customEvent(arg1); + QWidgetAction::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QWidgetAction_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QWidgetAction_Adaptor::cbs_customEvent_1217_0, event); } else { - QWidgetAction::customEvent(arg1); + QWidgetAction::customEvent(event); } } @@ -395,18 +395,18 @@ class QWidgetAction_Adaptor : public QWidgetAction, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWidgetAction::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QWidgetAction::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QWidgetAction::timerEvent(arg1); + QWidgetAction::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QWidgetAction_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QWidgetAction_Adaptor::cbs_timerEvent_1730_0, event); } else { - QWidgetAction::timerEvent(arg1); + QWidgetAction::timerEvent(event); } } @@ -454,11 +454,11 @@ static void _call_emitter_changed_0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QWidgetAction::childEvent(QChildEvent *) +// void QWidgetAction::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -515,11 +515,11 @@ static void _call_fp_createdWidgets_c0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QWidgetAction::customEvent(QEvent *) +// void QWidgetAction::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -567,7 +567,7 @@ static void _set_callback_cbs_deleteWidget_1315_0 (void *cls, const gsi::Callbac static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -576,7 +576,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QWidgetAction_Adaptor *)cls)->emitter_QWidgetAction_destroyed_1302 (arg1); } @@ -750,11 +750,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QWidgetAction::timerEvent(QTimerEvent *) +// void QWidgetAction::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -819,12 +819,12 @@ static gsi::Methods methods_QWidgetAction_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QWidgetAction::QWidgetAction(QObject *parent)\nThis method creates an object of class QWidgetAction.", &_init_ctor_QWidgetAction_Adaptor_1302, &_call_ctor_QWidgetAction_Adaptor_1302); methods += new qt_gsi::GenericMethod ("emit_changed", "@brief Emitter for signal void QWidgetAction::changed()\nCall this method to emit this signal.", false, &_init_emitter_changed_0, &_call_emitter_changed_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QWidgetAction::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QWidgetAction::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*createWidget", "@brief Virtual method QWidget *QWidgetAction::createWidget(QWidget *parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_createWidget_1315_0, &_call_cbs_createWidget_1315_0); methods += new qt_gsi::GenericMethod ("*createWidget", "@hide", false, &_init_cbs_createWidget_1315_0, &_call_cbs_createWidget_1315_0, &_set_callback_cbs_createWidget_1315_0); methods += new qt_gsi::GenericMethod ("*createdWidgets", "@brief Method QList QWidgetAction::createdWidgets()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createdWidgets_c0, &_call_fp_createdWidgets_c0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QWidgetAction::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QWidgetAction::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*deleteWidget", "@brief Virtual method void QWidgetAction::deleteWidget(QWidget *widget)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_deleteWidget_1315_0, &_call_cbs_deleteWidget_1315_0); methods += new qt_gsi::GenericMethod ("*deleteWidget", "@hide", false, &_init_cbs_deleteWidget_1315_0, &_call_cbs_deleteWidget_1315_0, &_set_callback_cbs_deleteWidget_1315_0); @@ -841,7 +841,7 @@ static gsi::Methods methods_QWidgetAction_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QWidgetAction::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QWidgetAction::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QWidgetAction::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QWidgetAction::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QWidgetAction::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_toggled", "@brief Emitter for signal void QWidgetAction::toggled(bool)\nCall this method to emit this signal.", false, &_init_emitter_toggled_864, &_call_emitter_toggled_864); methods += new qt_gsi::GenericMethod ("emit_triggered", "@brief Emitter for signal void QWidgetAction::triggered(bool checked)\nCall this method to emit this signal.", false, &_init_emitter_triggered_864, &_call_emitter_triggered_864); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQWizard.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQWizard.cc index 2e5561b576..becfd7e811 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQWizard.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQWizard.cc @@ -1320,18 +1320,18 @@ class QWizard_Adaptor : public QWizard, public qt_gsi::QtObjectBase emit QWizard::windowTitleChanged(title); } - // [adaptor impl] void QWizard::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QWizard::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QWizard::actionEvent(arg1); + QWizard::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QWizard_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QWizard_Adaptor::cbs_actionEvent_1823_0, event); } else { - QWizard::actionEvent(arg1); + QWizard::actionEvent(event); } } @@ -1350,18 +1350,18 @@ class QWizard_Adaptor : public QWizard, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWizard::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QWizard::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QWizard::childEvent(arg1); + QWizard::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QWizard_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QWizard_Adaptor::cbs_childEvent_1701_0, event); } else { - QWizard::childEvent(arg1); + QWizard::childEvent(event); } } @@ -1410,18 +1410,18 @@ class QWizard_Adaptor : public QWizard, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWizard::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QWizard::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QWizard::customEvent(arg1); + QWizard::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QWizard_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QWizard_Adaptor::cbs_customEvent_1217_0, event); } else { - QWizard::customEvent(arg1); + QWizard::customEvent(event); } } @@ -1455,78 +1455,78 @@ class QWizard_Adaptor : public QWizard, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWizard::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QWizard::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QWizard::dragEnterEvent(arg1); + QWizard::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QWizard_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QWizard_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QWizard::dragEnterEvent(arg1); + QWizard::dragEnterEvent(event); } } - // [adaptor impl] void QWizard::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QWizard::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QWizard::dragLeaveEvent(arg1); + QWizard::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QWizard_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QWizard_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QWizard::dragLeaveEvent(arg1); + QWizard::dragLeaveEvent(event); } } - // [adaptor impl] void QWizard::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QWizard::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QWizard::dragMoveEvent(arg1); + QWizard::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QWizard_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QWizard_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QWizard::dragMoveEvent(arg1); + QWizard::dragMoveEvent(event); } } - // [adaptor impl] void QWizard::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QWizard::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QWizard::dropEvent(arg1); + QWizard::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QWizard_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QWizard_Adaptor::cbs_dropEvent_1622_0, event); } else { - QWizard::dropEvent(arg1); + QWizard::dropEvent(event); } } - // [adaptor impl] void QWizard::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QWizard::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QWizard::enterEvent(arg1); + QWizard::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QWizard_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QWizard_Adaptor::cbs_enterEvent_1217_0, event); } else { - QWizard::enterEvent(arg1); + QWizard::enterEvent(event); } } @@ -1560,18 +1560,18 @@ class QWizard_Adaptor : public QWizard, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWizard::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QWizard::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QWizard::focusInEvent(arg1); + QWizard::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QWizard_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QWizard_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QWizard::focusInEvent(arg1); + QWizard::focusInEvent(event); } } @@ -1590,33 +1590,33 @@ class QWizard_Adaptor : public QWizard, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWizard::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QWizard::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QWizard::focusOutEvent(arg1); + QWizard::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QWizard_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QWizard_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QWizard::focusOutEvent(arg1); + QWizard::focusOutEvent(event); } } - // [adaptor impl] void QWizard::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QWizard::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QWizard::hideEvent(arg1); + QWizard::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QWizard_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QWizard_Adaptor::cbs_hideEvent_1595_0, event); } else { - QWizard::hideEvent(arg1); + QWizard::hideEvent(event); } } @@ -1680,33 +1680,33 @@ class QWizard_Adaptor : public QWizard, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWizard::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QWizard::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QWizard::keyReleaseEvent(arg1); + QWizard::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QWizard_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QWizard_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QWizard::keyReleaseEvent(arg1); + QWizard::keyReleaseEvent(event); } } - // [adaptor impl] void QWizard::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QWizard::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QWizard::leaveEvent(arg1); + QWizard::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QWizard_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QWizard_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QWizard::leaveEvent(arg1); + QWizard::leaveEvent(event); } } @@ -1725,78 +1725,78 @@ class QWizard_Adaptor : public QWizard, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWizard::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QWizard::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QWizard::mouseDoubleClickEvent(arg1); + QWizard::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QWizard_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QWizard_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QWizard::mouseDoubleClickEvent(arg1); + QWizard::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QWizard::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QWizard::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QWizard::mouseMoveEvent(arg1); + QWizard::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QWizard_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QWizard_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QWizard::mouseMoveEvent(arg1); + QWizard::mouseMoveEvent(event); } } - // [adaptor impl] void QWizard::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QWizard::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QWizard::mousePressEvent(arg1); + QWizard::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QWizard_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QWizard_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QWizard::mousePressEvent(arg1); + QWizard::mousePressEvent(event); } } - // [adaptor impl] void QWizard::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QWizard::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QWizard::mouseReleaseEvent(arg1); + QWizard::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QWizard_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QWizard_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QWizard::mouseReleaseEvent(arg1); + QWizard::mouseReleaseEvent(event); } } - // [adaptor impl] void QWizard::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QWizard::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QWizard::moveEvent(arg1); + QWizard::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QWizard_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QWizard_Adaptor::cbs_moveEvent_1624_0, event); } else { - QWizard::moveEvent(arg1); + QWizard::moveEvent(event); } } @@ -1890,48 +1890,48 @@ class QWizard_Adaptor : public QWizard, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWizard::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QWizard::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QWizard::tabletEvent(arg1); + QWizard::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QWizard_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QWizard_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QWizard::tabletEvent(arg1); + QWizard::tabletEvent(event); } } - // [adaptor impl] void QWizard::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QWizard::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QWizard::timerEvent(arg1); + QWizard::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QWizard_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QWizard_Adaptor::cbs_timerEvent_1730_0, event); } else { - QWizard::timerEvent(arg1); + QWizard::timerEvent(event); } } - // [adaptor impl] void QWizard::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QWizard::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QWizard::wheelEvent(arg1); + QWizard::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QWizard_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QWizard_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QWizard::wheelEvent(arg1); + QWizard::wheelEvent(event); } } @@ -1997,9 +1997,9 @@ QWizard_Adaptor::~QWizard_Adaptor() { } static void _init_ctor_QWizard_Adaptor_3702 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("flags", true, "0"); + static gsi::ArgSpecBase argspec_1 ("flags", true, "Qt::WindowFlags()"); decl->add_arg > (argspec_1); decl->set_return_new (); } @@ -2008,8 +2008,8 @@ static void _call_ctor_QWizard_Adaptor_3702 (const qt_gsi::GenericStaticMethod * { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::WindowFlags(), heap); ret.write (new QWizard_Adaptor (arg1, arg2)); } @@ -2048,11 +2048,11 @@ static void _call_emitter_accepted_0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QWizard::actionEvent(QActionEvent *) +// void QWizard::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2115,11 +2115,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QWizard::childEvent(QChildEvent *) +// void QWizard::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2290,11 +2290,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QWizard::customEvent(QEvent *) +// void QWizard::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2340,7 +2340,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2349,7 +2349,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QWizard_Adaptor *)cls)->emitter_QWizard_destroyed_1302 (arg1); } @@ -2402,11 +2402,11 @@ static void _set_callback_cbs_done_767_0 (void *cls, const gsi::Callback &cb) } -// void QWizard::dragEnterEvent(QDragEnterEvent *) +// void QWizard::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2426,11 +2426,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QWizard::dragLeaveEvent(QDragLeaveEvent *) +// void QWizard::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2450,11 +2450,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QWizard::dragMoveEvent(QDragMoveEvent *) +// void QWizard::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2474,11 +2474,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QWizard::dropEvent(QDropEvent *) +// void QWizard::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2498,11 +2498,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QWizard::enterEvent(QEvent *) +// void QWizard::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2608,11 +2608,11 @@ static void _call_emitter_finished_767 (const qt_gsi::GenericMethod * /*decl*/, } -// void QWizard::focusInEvent(QFocusEvent *) +// void QWizard::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2669,11 +2669,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QWizard::focusOutEvent(QFocusEvent *) +// void QWizard::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2763,11 +2763,11 @@ static void _call_emitter_helpRequested_0 (const qt_gsi::GenericMethod * /*decl* } -// void QWizard::hideEvent(QHideEvent *) +// void QWizard::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2924,11 +2924,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QWizard::keyReleaseEvent(QKeyEvent *) +// void QWizard::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2948,11 +2948,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QWizard::leaveEvent(QEvent *) +// void QWizard::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3014,11 +3014,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QWizard::mouseDoubleClickEvent(QMouseEvent *) +// void QWizard::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3038,11 +3038,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QWizard::mouseMoveEvent(QMouseEvent *) +// void QWizard::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3062,11 +3062,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QWizard::mousePressEvent(QMouseEvent *) +// void QWizard::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3086,11 +3086,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QWizard::mouseReleaseEvent(QMouseEvent *) +// void QWizard::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3110,11 +3110,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QWizard::moveEvent(QMoveEvent *) +// void QWizard::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3512,11 +3512,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QWizard::tabletEvent(QTabletEvent *) +// void QWizard::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3536,11 +3536,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QWizard::timerEvent(QTimerEvent *) +// void QWizard::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3594,11 +3594,11 @@ static void _set_callback_cbs_validateCurrentPage_0_0 (void *cls, const gsi::Cal } -// void QWizard::wheelEvent(QWheelEvent *) +// void QWizard::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -3683,12 +3683,12 @@ static gsi::Methods methods_QWizard_Adaptor () { methods += new qt_gsi::GenericMethod ("accept", "@brief Virtual method void QWizard::accept()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("accept", "@hide", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0, &_set_callback_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("emit_accepted", "@brief Emitter for signal void QWizard::accepted()\nCall this method to emit this signal.", false, &_init_emitter_accepted_0, &_call_emitter_accepted_0); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QWizard::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QWizard::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*adjustPosition", "@brief Method void QWizard::adjustPosition(QWidget *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_adjustPosition_1315, &_call_fp_adjustPosition_1315); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QWizard::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QWizard::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QWizard::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*cleanupPage", "@brief Virtual method void QWizard::cleanupPage(int id)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_cleanupPage_767_0, &_call_cbs_cleanupPage_767_0); methods += new qt_gsi::GenericMethod ("*cleanupPage", "@hide", false, &_init_cbs_cleanupPage_767_0, &_call_cbs_cleanupPage_767_0, &_set_callback_cbs_cleanupPage_767_0); @@ -3696,27 +3696,27 @@ static gsi::Methods methods_QWizard_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QWizard::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QWizard::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QWizard::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentIdChanged", "@brief Emitter for signal void QWizard::currentIdChanged(int id)\nCall this method to emit this signal.", false, &_init_emitter_currentIdChanged_767, &_call_emitter_currentIdChanged_767); methods += new qt_gsi::GenericMethod ("emit_customButtonClicked", "@brief Emitter for signal void QWizard::customButtonClicked(int which)\nCall this method to emit this signal.", false, &_init_emitter_customButtonClicked_767, &_call_emitter_customButtonClicked_767); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QWizard::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QWizard::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QWizard::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QWizard::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QWizard::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QWizard::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QWizard::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*done", "@brief Virtual method void QWizard::done(int result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0); methods += new qt_gsi::GenericMethod ("*done", "@hide", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0, &_set_callback_cbs_done_767_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QWizard::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QWizard::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QWizard::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QWizard::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QWizard::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QWizard::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QWizard::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QWizard::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QWizard::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QWizard::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QWizard::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); @@ -3725,12 +3725,12 @@ static gsi::Methods methods_QWizard_Adaptor () { methods += new qt_gsi::GenericMethod ("exec", "@brief Virtual method int QWizard::exec()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("exec", "@hide", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0, &_set_callback_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QWizard::finished(int result)\nCall this method to emit this signal.", false, &_init_emitter_finished_767, &_call_emitter_finished_767); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QWizard::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QWizard::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QWizard::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QWizard::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QWizard::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QWizard::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QWizard::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QWizard::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); @@ -3738,7 +3738,7 @@ static gsi::Methods methods_QWizard_Adaptor () { methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QWizard::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("emit_helpRequested", "@brief Emitter for signal void QWizard::helpRequested()\nCall this method to emit this signal.", false, &_init_emitter_helpRequested_0, &_call_emitter_helpRequested_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QWizard::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QWizard::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QWizard::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -3751,23 +3751,23 @@ static gsi::Methods methods_QWizard_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QWizard::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QWizard::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QWizard::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QWizard::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QWizard::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QWizard::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QWizard::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QWizard::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QWizard::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QWizard::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QWizard::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QWizard::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QWizard::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QWizard::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QWizard::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QWizard::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QWizard::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QWizard::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QWizard::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3800,14 +3800,14 @@ static gsi::Methods methods_QWizard_Adaptor () { methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QWizard::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QWizard::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QWizard::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QWizard::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QWizard::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QWizard::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); methods += new qt_gsi::GenericMethod ("validateCurrentPage", "@brief Virtual method bool QWizard::validateCurrentPage()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_validateCurrentPage_0_0, &_call_cbs_validateCurrentPage_0_0); methods += new qt_gsi::GenericMethod ("validateCurrentPage", "@hide", false, &_init_cbs_validateCurrentPage_0_0, &_call_cbs_validateCurrentPage_0_0, &_set_callback_cbs_validateCurrentPage_0_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QWizard::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QWizard::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QWizard::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QWizard::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQWizardPage.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQWizardPage.cc index 5bb81131a7..ec84d155a9 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQWizardPage.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQWizardPage.cc @@ -613,18 +613,18 @@ class QWizardPage_Adaptor : public QWizardPage, public qt_gsi::QtObjectBase emit QWizardPage::destroyed(arg1); } - // [adaptor impl] bool QWizardPage::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QWizardPage::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QWizardPage::eventFilter(arg1, arg2); + return QWizardPage::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QWizardPage_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QWizardPage_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QWizardPage::eventFilter(arg1, arg2); + return QWizardPage::eventFilter(watched, event); } } @@ -818,18 +818,18 @@ class QWizardPage_Adaptor : public QWizardPage, public qt_gsi::QtObjectBase emit QWizardPage::windowTitleChanged(title); } - // [adaptor impl] void QWizardPage::actionEvent(QActionEvent *) - void cbs_actionEvent_1823_0(QActionEvent *arg1) + // [adaptor impl] void QWizardPage::actionEvent(QActionEvent *event) + void cbs_actionEvent_1823_0(QActionEvent *event) { - QWizardPage::actionEvent(arg1); + QWizardPage::actionEvent(event); } - virtual void actionEvent(QActionEvent *arg1) + virtual void actionEvent(QActionEvent *event) { if (cb_actionEvent_1823_0.can_issue()) { - cb_actionEvent_1823_0.issue(&QWizardPage_Adaptor::cbs_actionEvent_1823_0, arg1); + cb_actionEvent_1823_0.issue(&QWizardPage_Adaptor::cbs_actionEvent_1823_0, event); } else { - QWizardPage::actionEvent(arg1); + QWizardPage::actionEvent(event); } } @@ -848,63 +848,63 @@ class QWizardPage_Adaptor : public QWizardPage, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWizardPage::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QWizardPage::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QWizardPage::childEvent(arg1); + QWizardPage::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QWizardPage_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QWizardPage_Adaptor::cbs_childEvent_1701_0, event); } else { - QWizardPage::childEvent(arg1); + QWizardPage::childEvent(event); } } - // [adaptor impl] void QWizardPage::closeEvent(QCloseEvent *) - void cbs_closeEvent_1719_0(QCloseEvent *arg1) + // [adaptor impl] void QWizardPage::closeEvent(QCloseEvent *event) + void cbs_closeEvent_1719_0(QCloseEvent *event) { - QWizardPage::closeEvent(arg1); + QWizardPage::closeEvent(event); } - virtual void closeEvent(QCloseEvent *arg1) + virtual void closeEvent(QCloseEvent *event) { if (cb_closeEvent_1719_0.can_issue()) { - cb_closeEvent_1719_0.issue(&QWizardPage_Adaptor::cbs_closeEvent_1719_0, arg1); + cb_closeEvent_1719_0.issue(&QWizardPage_Adaptor::cbs_closeEvent_1719_0, event); } else { - QWizardPage::closeEvent(arg1); + QWizardPage::closeEvent(event); } } - // [adaptor impl] void QWizardPage::contextMenuEvent(QContextMenuEvent *) - void cbs_contextMenuEvent_2363_0(QContextMenuEvent *arg1) + // [adaptor impl] void QWizardPage::contextMenuEvent(QContextMenuEvent *event) + void cbs_contextMenuEvent_2363_0(QContextMenuEvent *event) { - QWizardPage::contextMenuEvent(arg1); + QWizardPage::contextMenuEvent(event); } - virtual void contextMenuEvent(QContextMenuEvent *arg1) + virtual void contextMenuEvent(QContextMenuEvent *event) { if (cb_contextMenuEvent_2363_0.can_issue()) { - cb_contextMenuEvent_2363_0.issue(&QWizardPage_Adaptor::cbs_contextMenuEvent_2363_0, arg1); + cb_contextMenuEvent_2363_0.issue(&QWizardPage_Adaptor::cbs_contextMenuEvent_2363_0, event); } else { - QWizardPage::contextMenuEvent(arg1); + QWizardPage::contextMenuEvent(event); } } - // [adaptor impl] void QWizardPage::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QWizardPage::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QWizardPage::customEvent(arg1); + QWizardPage::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QWizardPage_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QWizardPage_Adaptor::cbs_customEvent_1217_0, event); } else { - QWizardPage::customEvent(arg1); + QWizardPage::customEvent(event); } } @@ -923,108 +923,108 @@ class QWizardPage_Adaptor : public QWizardPage, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWizardPage::dragEnterEvent(QDragEnterEvent *) - void cbs_dragEnterEvent_2109_0(QDragEnterEvent *arg1) + // [adaptor impl] void QWizardPage::dragEnterEvent(QDragEnterEvent *event) + void cbs_dragEnterEvent_2109_0(QDragEnterEvent *event) { - QWizardPage::dragEnterEvent(arg1); + QWizardPage::dragEnterEvent(event); } - virtual void dragEnterEvent(QDragEnterEvent *arg1) + virtual void dragEnterEvent(QDragEnterEvent *event) { if (cb_dragEnterEvent_2109_0.can_issue()) { - cb_dragEnterEvent_2109_0.issue(&QWizardPage_Adaptor::cbs_dragEnterEvent_2109_0, arg1); + cb_dragEnterEvent_2109_0.issue(&QWizardPage_Adaptor::cbs_dragEnterEvent_2109_0, event); } else { - QWizardPage::dragEnterEvent(arg1); + QWizardPage::dragEnterEvent(event); } } - // [adaptor impl] void QWizardPage::dragLeaveEvent(QDragLeaveEvent *) - void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *arg1) + // [adaptor impl] void QWizardPage::dragLeaveEvent(QDragLeaveEvent *event) + void cbs_dragLeaveEvent_2092_0(QDragLeaveEvent *event) { - QWizardPage::dragLeaveEvent(arg1); + QWizardPage::dragLeaveEvent(event); } - virtual void dragLeaveEvent(QDragLeaveEvent *arg1) + virtual void dragLeaveEvent(QDragLeaveEvent *event) { if (cb_dragLeaveEvent_2092_0.can_issue()) { - cb_dragLeaveEvent_2092_0.issue(&QWizardPage_Adaptor::cbs_dragLeaveEvent_2092_0, arg1); + cb_dragLeaveEvent_2092_0.issue(&QWizardPage_Adaptor::cbs_dragLeaveEvent_2092_0, event); } else { - QWizardPage::dragLeaveEvent(arg1); + QWizardPage::dragLeaveEvent(event); } } - // [adaptor impl] void QWizardPage::dragMoveEvent(QDragMoveEvent *) - void cbs_dragMoveEvent_2006_0(QDragMoveEvent *arg1) + // [adaptor impl] void QWizardPage::dragMoveEvent(QDragMoveEvent *event) + void cbs_dragMoveEvent_2006_0(QDragMoveEvent *event) { - QWizardPage::dragMoveEvent(arg1); + QWizardPage::dragMoveEvent(event); } - virtual void dragMoveEvent(QDragMoveEvent *arg1) + virtual void dragMoveEvent(QDragMoveEvent *event) { if (cb_dragMoveEvent_2006_0.can_issue()) { - cb_dragMoveEvent_2006_0.issue(&QWizardPage_Adaptor::cbs_dragMoveEvent_2006_0, arg1); + cb_dragMoveEvent_2006_0.issue(&QWizardPage_Adaptor::cbs_dragMoveEvent_2006_0, event); } else { - QWizardPage::dragMoveEvent(arg1); + QWizardPage::dragMoveEvent(event); } } - // [adaptor impl] void QWizardPage::dropEvent(QDropEvent *) - void cbs_dropEvent_1622_0(QDropEvent *arg1) + // [adaptor impl] void QWizardPage::dropEvent(QDropEvent *event) + void cbs_dropEvent_1622_0(QDropEvent *event) { - QWizardPage::dropEvent(arg1); + QWizardPage::dropEvent(event); } - virtual void dropEvent(QDropEvent *arg1) + virtual void dropEvent(QDropEvent *event) { if (cb_dropEvent_1622_0.can_issue()) { - cb_dropEvent_1622_0.issue(&QWizardPage_Adaptor::cbs_dropEvent_1622_0, arg1); + cb_dropEvent_1622_0.issue(&QWizardPage_Adaptor::cbs_dropEvent_1622_0, event); } else { - QWizardPage::dropEvent(arg1); + QWizardPage::dropEvent(event); } } - // [adaptor impl] void QWizardPage::enterEvent(QEvent *) - void cbs_enterEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QWizardPage::enterEvent(QEvent *event) + void cbs_enterEvent_1217_0(QEvent *event) { - QWizardPage::enterEvent(arg1); + QWizardPage::enterEvent(event); } - virtual void enterEvent(QEvent *arg1) + virtual void enterEvent(QEvent *event) { if (cb_enterEvent_1217_0.can_issue()) { - cb_enterEvent_1217_0.issue(&QWizardPage_Adaptor::cbs_enterEvent_1217_0, arg1); + cb_enterEvent_1217_0.issue(&QWizardPage_Adaptor::cbs_enterEvent_1217_0, event); } else { - QWizardPage::enterEvent(arg1); + QWizardPage::enterEvent(event); } } - // [adaptor impl] bool QWizardPage::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QWizardPage::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QWizardPage::event(arg1); + return QWizardPage::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QWizardPage_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QWizardPage_Adaptor::cbs_event_1217_0, _event); } else { - return QWizardPage::event(arg1); + return QWizardPage::event(_event); } } - // [adaptor impl] void QWizardPage::focusInEvent(QFocusEvent *) - void cbs_focusInEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QWizardPage::focusInEvent(QFocusEvent *event) + void cbs_focusInEvent_1729_0(QFocusEvent *event) { - QWizardPage::focusInEvent(arg1); + QWizardPage::focusInEvent(event); } - virtual void focusInEvent(QFocusEvent *arg1) + virtual void focusInEvent(QFocusEvent *event) { if (cb_focusInEvent_1729_0.can_issue()) { - cb_focusInEvent_1729_0.issue(&QWizardPage_Adaptor::cbs_focusInEvent_1729_0, arg1); + cb_focusInEvent_1729_0.issue(&QWizardPage_Adaptor::cbs_focusInEvent_1729_0, event); } else { - QWizardPage::focusInEvent(arg1); + QWizardPage::focusInEvent(event); } } @@ -1043,33 +1043,33 @@ class QWizardPage_Adaptor : public QWizardPage, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWizardPage::focusOutEvent(QFocusEvent *) - void cbs_focusOutEvent_1729_0(QFocusEvent *arg1) + // [adaptor impl] void QWizardPage::focusOutEvent(QFocusEvent *event) + void cbs_focusOutEvent_1729_0(QFocusEvent *event) { - QWizardPage::focusOutEvent(arg1); + QWizardPage::focusOutEvent(event); } - virtual void focusOutEvent(QFocusEvent *arg1) + virtual void focusOutEvent(QFocusEvent *event) { if (cb_focusOutEvent_1729_0.can_issue()) { - cb_focusOutEvent_1729_0.issue(&QWizardPage_Adaptor::cbs_focusOutEvent_1729_0, arg1); + cb_focusOutEvent_1729_0.issue(&QWizardPage_Adaptor::cbs_focusOutEvent_1729_0, event); } else { - QWizardPage::focusOutEvent(arg1); + QWizardPage::focusOutEvent(event); } } - // [adaptor impl] void QWizardPage::hideEvent(QHideEvent *) - void cbs_hideEvent_1595_0(QHideEvent *arg1) + // [adaptor impl] void QWizardPage::hideEvent(QHideEvent *event) + void cbs_hideEvent_1595_0(QHideEvent *event) { - QWizardPage::hideEvent(arg1); + QWizardPage::hideEvent(event); } - virtual void hideEvent(QHideEvent *arg1) + virtual void hideEvent(QHideEvent *event) { if (cb_hideEvent_1595_0.can_issue()) { - cb_hideEvent_1595_0.issue(&QWizardPage_Adaptor::cbs_hideEvent_1595_0, arg1); + cb_hideEvent_1595_0.issue(&QWizardPage_Adaptor::cbs_hideEvent_1595_0, event); } else { - QWizardPage::hideEvent(arg1); + QWizardPage::hideEvent(event); } } @@ -1103,48 +1103,48 @@ class QWizardPage_Adaptor : public QWizardPage, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWizardPage::keyPressEvent(QKeyEvent *) - void cbs_keyPressEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QWizardPage::keyPressEvent(QKeyEvent *event) + void cbs_keyPressEvent_1514_0(QKeyEvent *event) { - QWizardPage::keyPressEvent(arg1); + QWizardPage::keyPressEvent(event); } - virtual void keyPressEvent(QKeyEvent *arg1) + virtual void keyPressEvent(QKeyEvent *event) { if (cb_keyPressEvent_1514_0.can_issue()) { - cb_keyPressEvent_1514_0.issue(&QWizardPage_Adaptor::cbs_keyPressEvent_1514_0, arg1); + cb_keyPressEvent_1514_0.issue(&QWizardPage_Adaptor::cbs_keyPressEvent_1514_0, event); } else { - QWizardPage::keyPressEvent(arg1); + QWizardPage::keyPressEvent(event); } } - // [adaptor impl] void QWizardPage::keyReleaseEvent(QKeyEvent *) - void cbs_keyReleaseEvent_1514_0(QKeyEvent *arg1) + // [adaptor impl] void QWizardPage::keyReleaseEvent(QKeyEvent *event) + void cbs_keyReleaseEvent_1514_0(QKeyEvent *event) { - QWizardPage::keyReleaseEvent(arg1); + QWizardPage::keyReleaseEvent(event); } - virtual void keyReleaseEvent(QKeyEvent *arg1) + virtual void keyReleaseEvent(QKeyEvent *event) { if (cb_keyReleaseEvent_1514_0.can_issue()) { - cb_keyReleaseEvent_1514_0.issue(&QWizardPage_Adaptor::cbs_keyReleaseEvent_1514_0, arg1); + cb_keyReleaseEvent_1514_0.issue(&QWizardPage_Adaptor::cbs_keyReleaseEvent_1514_0, event); } else { - QWizardPage::keyReleaseEvent(arg1); + QWizardPage::keyReleaseEvent(event); } } - // [adaptor impl] void QWizardPage::leaveEvent(QEvent *) - void cbs_leaveEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QWizardPage::leaveEvent(QEvent *event) + void cbs_leaveEvent_1217_0(QEvent *event) { - QWizardPage::leaveEvent(arg1); + QWizardPage::leaveEvent(event); } - virtual void leaveEvent(QEvent *arg1) + virtual void leaveEvent(QEvent *event) { if (cb_leaveEvent_1217_0.can_issue()) { - cb_leaveEvent_1217_0.issue(&QWizardPage_Adaptor::cbs_leaveEvent_1217_0, arg1); + cb_leaveEvent_1217_0.issue(&QWizardPage_Adaptor::cbs_leaveEvent_1217_0, event); } else { - QWizardPage::leaveEvent(arg1); + QWizardPage::leaveEvent(event); } } @@ -1163,78 +1163,78 @@ class QWizardPage_Adaptor : public QWizardPage, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWizardPage::mouseDoubleClickEvent(QMouseEvent *) - void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QWizardPage::mouseDoubleClickEvent(QMouseEvent *event) + void cbs_mouseDoubleClickEvent_1738_0(QMouseEvent *event) { - QWizardPage::mouseDoubleClickEvent(arg1); + QWizardPage::mouseDoubleClickEvent(event); } - virtual void mouseDoubleClickEvent(QMouseEvent *arg1) + virtual void mouseDoubleClickEvent(QMouseEvent *event) { if (cb_mouseDoubleClickEvent_1738_0.can_issue()) { - cb_mouseDoubleClickEvent_1738_0.issue(&QWizardPage_Adaptor::cbs_mouseDoubleClickEvent_1738_0, arg1); + cb_mouseDoubleClickEvent_1738_0.issue(&QWizardPage_Adaptor::cbs_mouseDoubleClickEvent_1738_0, event); } else { - QWizardPage::mouseDoubleClickEvent(arg1); + QWizardPage::mouseDoubleClickEvent(event); } } - // [adaptor impl] void QWizardPage::mouseMoveEvent(QMouseEvent *) - void cbs_mouseMoveEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QWizardPage::mouseMoveEvent(QMouseEvent *event) + void cbs_mouseMoveEvent_1738_0(QMouseEvent *event) { - QWizardPage::mouseMoveEvent(arg1); + QWizardPage::mouseMoveEvent(event); } - virtual void mouseMoveEvent(QMouseEvent *arg1) + virtual void mouseMoveEvent(QMouseEvent *event) { if (cb_mouseMoveEvent_1738_0.can_issue()) { - cb_mouseMoveEvent_1738_0.issue(&QWizardPage_Adaptor::cbs_mouseMoveEvent_1738_0, arg1); + cb_mouseMoveEvent_1738_0.issue(&QWizardPage_Adaptor::cbs_mouseMoveEvent_1738_0, event); } else { - QWizardPage::mouseMoveEvent(arg1); + QWizardPage::mouseMoveEvent(event); } } - // [adaptor impl] void QWizardPage::mousePressEvent(QMouseEvent *) - void cbs_mousePressEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QWizardPage::mousePressEvent(QMouseEvent *event) + void cbs_mousePressEvent_1738_0(QMouseEvent *event) { - QWizardPage::mousePressEvent(arg1); + QWizardPage::mousePressEvent(event); } - virtual void mousePressEvent(QMouseEvent *arg1) + virtual void mousePressEvent(QMouseEvent *event) { if (cb_mousePressEvent_1738_0.can_issue()) { - cb_mousePressEvent_1738_0.issue(&QWizardPage_Adaptor::cbs_mousePressEvent_1738_0, arg1); + cb_mousePressEvent_1738_0.issue(&QWizardPage_Adaptor::cbs_mousePressEvent_1738_0, event); } else { - QWizardPage::mousePressEvent(arg1); + QWizardPage::mousePressEvent(event); } } - // [adaptor impl] void QWizardPage::mouseReleaseEvent(QMouseEvent *) - void cbs_mouseReleaseEvent_1738_0(QMouseEvent *arg1) + // [adaptor impl] void QWizardPage::mouseReleaseEvent(QMouseEvent *event) + void cbs_mouseReleaseEvent_1738_0(QMouseEvent *event) { - QWizardPage::mouseReleaseEvent(arg1); + QWizardPage::mouseReleaseEvent(event); } - virtual void mouseReleaseEvent(QMouseEvent *arg1) + virtual void mouseReleaseEvent(QMouseEvent *event) { if (cb_mouseReleaseEvent_1738_0.can_issue()) { - cb_mouseReleaseEvent_1738_0.issue(&QWizardPage_Adaptor::cbs_mouseReleaseEvent_1738_0, arg1); + cb_mouseReleaseEvent_1738_0.issue(&QWizardPage_Adaptor::cbs_mouseReleaseEvent_1738_0, event); } else { - QWizardPage::mouseReleaseEvent(arg1); + QWizardPage::mouseReleaseEvent(event); } } - // [adaptor impl] void QWizardPage::moveEvent(QMoveEvent *) - void cbs_moveEvent_1624_0(QMoveEvent *arg1) + // [adaptor impl] void QWizardPage::moveEvent(QMoveEvent *event) + void cbs_moveEvent_1624_0(QMoveEvent *event) { - QWizardPage::moveEvent(arg1); + QWizardPage::moveEvent(event); } - virtual void moveEvent(QMoveEvent *arg1) + virtual void moveEvent(QMoveEvent *event) { if (cb_moveEvent_1624_0.can_issue()) { - cb_moveEvent_1624_0.issue(&QWizardPage_Adaptor::cbs_moveEvent_1624_0, arg1); + cb_moveEvent_1624_0.issue(&QWizardPage_Adaptor::cbs_moveEvent_1624_0, event); } else { - QWizardPage::moveEvent(arg1); + QWizardPage::moveEvent(event); } } @@ -1253,18 +1253,18 @@ class QWizardPage_Adaptor : public QWizardPage, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWizardPage::paintEvent(QPaintEvent *) - void cbs_paintEvent_1725_0(QPaintEvent *arg1) + // [adaptor impl] void QWizardPage::paintEvent(QPaintEvent *event) + void cbs_paintEvent_1725_0(QPaintEvent *event) { - QWizardPage::paintEvent(arg1); + QWizardPage::paintEvent(event); } - virtual void paintEvent(QPaintEvent *arg1) + virtual void paintEvent(QPaintEvent *event) { if (cb_paintEvent_1725_0.can_issue()) { - cb_paintEvent_1725_0.issue(&QWizardPage_Adaptor::cbs_paintEvent_1725_0, arg1); + cb_paintEvent_1725_0.issue(&QWizardPage_Adaptor::cbs_paintEvent_1725_0, event); } else { - QWizardPage::paintEvent(arg1); + QWizardPage::paintEvent(event); } } @@ -1283,18 +1283,18 @@ class QWizardPage_Adaptor : public QWizardPage, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWizardPage::resizeEvent(QResizeEvent *) - void cbs_resizeEvent_1843_0(QResizeEvent *arg1) + // [adaptor impl] void QWizardPage::resizeEvent(QResizeEvent *event) + void cbs_resizeEvent_1843_0(QResizeEvent *event) { - QWizardPage::resizeEvent(arg1); + QWizardPage::resizeEvent(event); } - virtual void resizeEvent(QResizeEvent *arg1) + virtual void resizeEvent(QResizeEvent *event) { if (cb_resizeEvent_1843_0.can_issue()) { - cb_resizeEvent_1843_0.issue(&QWizardPage_Adaptor::cbs_resizeEvent_1843_0, arg1); + cb_resizeEvent_1843_0.issue(&QWizardPage_Adaptor::cbs_resizeEvent_1843_0, event); } else { - QWizardPage::resizeEvent(arg1); + QWizardPage::resizeEvent(event); } } @@ -1313,63 +1313,63 @@ class QWizardPage_Adaptor : public QWizardPage, public qt_gsi::QtObjectBase } } - // [adaptor impl] void QWizardPage::showEvent(QShowEvent *) - void cbs_showEvent_1634_0(QShowEvent *arg1) + // [adaptor impl] void QWizardPage::showEvent(QShowEvent *event) + void cbs_showEvent_1634_0(QShowEvent *event) { - QWizardPage::showEvent(arg1); + QWizardPage::showEvent(event); } - virtual void showEvent(QShowEvent *arg1) + virtual void showEvent(QShowEvent *event) { if (cb_showEvent_1634_0.can_issue()) { - cb_showEvent_1634_0.issue(&QWizardPage_Adaptor::cbs_showEvent_1634_0, arg1); + cb_showEvent_1634_0.issue(&QWizardPage_Adaptor::cbs_showEvent_1634_0, event); } else { - QWizardPage::showEvent(arg1); + QWizardPage::showEvent(event); } } - // [adaptor impl] void QWizardPage::tabletEvent(QTabletEvent *) - void cbs_tabletEvent_1821_0(QTabletEvent *arg1) + // [adaptor impl] void QWizardPage::tabletEvent(QTabletEvent *event) + void cbs_tabletEvent_1821_0(QTabletEvent *event) { - QWizardPage::tabletEvent(arg1); + QWizardPage::tabletEvent(event); } - virtual void tabletEvent(QTabletEvent *arg1) + virtual void tabletEvent(QTabletEvent *event) { if (cb_tabletEvent_1821_0.can_issue()) { - cb_tabletEvent_1821_0.issue(&QWizardPage_Adaptor::cbs_tabletEvent_1821_0, arg1); + cb_tabletEvent_1821_0.issue(&QWizardPage_Adaptor::cbs_tabletEvent_1821_0, event); } else { - QWizardPage::tabletEvent(arg1); + QWizardPage::tabletEvent(event); } } - // [adaptor impl] void QWizardPage::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QWizardPage::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QWizardPage::timerEvent(arg1); + QWizardPage::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QWizardPage_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QWizardPage_Adaptor::cbs_timerEvent_1730_0, event); } else { - QWizardPage::timerEvent(arg1); + QWizardPage::timerEvent(event); } } - // [adaptor impl] void QWizardPage::wheelEvent(QWheelEvent *) - void cbs_wheelEvent_1718_0(QWheelEvent *arg1) + // [adaptor impl] void QWizardPage::wheelEvent(QWheelEvent *event) + void cbs_wheelEvent_1718_0(QWheelEvent *event) { - QWizardPage::wheelEvent(arg1); + QWizardPage::wheelEvent(event); } - virtual void wheelEvent(QWheelEvent *arg1) + virtual void wheelEvent(QWheelEvent *event) { if (cb_wheelEvent_1718_0.can_issue()) { - cb_wheelEvent_1718_0.issue(&QWizardPage_Adaptor::cbs_wheelEvent_1718_0, arg1); + cb_wheelEvent_1718_0.issue(&QWizardPage_Adaptor::cbs_wheelEvent_1718_0, event); } else { - QWizardPage::wheelEvent(arg1); + QWizardPage::wheelEvent(event); } } @@ -1431,7 +1431,7 @@ QWizardPage_Adaptor::~QWizardPage_Adaptor() { } static void _init_ctor_QWizardPage_Adaptor_1315 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -1440,16 +1440,16 @@ static void _call_ctor_QWizardPage_Adaptor_1315 (const qt_gsi::GenericStaticMeth { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QWidget *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QWizardPage_Adaptor (arg1)); } -// void QWizardPage::actionEvent(QActionEvent *) +// void QWizardPage::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1493,11 +1493,11 @@ static void _set_callback_cbs_changeEvent_1217_0 (void *cls, const gsi::Callback } -// void QWizardPage::childEvent(QChildEvent *) +// void QWizardPage::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1537,11 +1537,11 @@ static void _set_callback_cbs_cleanupPage_0_0 (void *cls, const gsi::Callback &c } -// void QWizardPage::closeEvent(QCloseEvent *) +// void QWizardPage::closeEvent(QCloseEvent *event) static void _init_cbs_closeEvent_1719_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1575,11 +1575,11 @@ static void _call_emitter_completeChanged_0 (const qt_gsi::GenericMethod * /*dec } -// void QWizardPage::contextMenuEvent(QContextMenuEvent *) +// void QWizardPage::contextMenuEvent(QContextMenuEvent *event) static void _init_cbs_contextMenuEvent_2363_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1642,11 +1642,11 @@ static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::Generic } -// void QWizardPage::customEvent(QEvent *) +// void QWizardPage::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1692,7 +1692,7 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1", true, "0"); + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1701,7 +1701,7 @@ static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/ { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ((QWizardPage_Adaptor *)cls)->emitter_QWizardPage_destroyed_1302 (arg1); } @@ -1730,11 +1730,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// void QWizardPage::dragEnterEvent(QDragEnterEvent *) +// void QWizardPage::dragEnterEvent(QDragEnterEvent *event) static void _init_cbs_dragEnterEvent_2109_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1754,11 +1754,11 @@ static void _set_callback_cbs_dragEnterEvent_2109_0 (void *cls, const gsi::Callb } -// void QWizardPage::dragLeaveEvent(QDragLeaveEvent *) +// void QWizardPage::dragLeaveEvent(QDragLeaveEvent *event) static void _init_cbs_dragLeaveEvent_2092_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1778,11 +1778,11 @@ static void _set_callback_cbs_dragLeaveEvent_2092_0 (void *cls, const gsi::Callb } -// void QWizardPage::dragMoveEvent(QDragMoveEvent *) +// void QWizardPage::dragMoveEvent(QDragMoveEvent *event) static void _init_cbs_dragMoveEvent_2006_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1802,11 +1802,11 @@ static void _set_callback_cbs_dragMoveEvent_2006_0 (void *cls, const gsi::Callba } -// void QWizardPage::dropEvent(QDropEvent *) +// void QWizardPage::dropEvent(QDropEvent *event) static void _init_cbs_dropEvent_1622_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1826,11 +1826,11 @@ static void _set_callback_cbs_dropEvent_1622_0 (void *cls, const gsi::Callback & } -// void QWizardPage::enterEvent(QEvent *) +// void QWizardPage::enterEvent(QEvent *event) static void _init_cbs_enterEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1850,11 +1850,11 @@ static void _set_callback_cbs_enterEvent_1217_0 (void *cls, const gsi::Callback } -// bool QWizardPage::event(QEvent *) +// bool QWizardPage::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1873,13 +1873,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QWizardPage::eventFilter(QObject *, QEvent *) +// bool QWizardPage::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -1917,11 +1917,11 @@ static void _call_fp_field_c2025 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QWizardPage::focusInEvent(QFocusEvent *) +// void QWizardPage::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -1978,11 +1978,11 @@ static void _set_callback_cbs_focusNextPrevChild_864_0 (void *cls, const gsi::Ca } -// void QWizardPage::focusOutEvent(QFocusEvent *) +// void QWizardPage::focusOutEvent(QFocusEvent *event) static void _init_cbs_focusOutEvent_1729_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2058,11 +2058,11 @@ static void _set_callback_cbs_heightForWidth_c767_0 (void *cls, const gsi::Callb } -// void QWizardPage::hideEvent(QHideEvent *) +// void QWizardPage::hideEvent(QHideEvent *event) static void _init_cbs_hideEvent_1595_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2210,11 +2210,11 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } -// void QWizardPage::keyPressEvent(QKeyEvent *) +// void QWizardPage::keyPressEvent(QKeyEvent *event) static void _init_cbs_keyPressEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2234,11 +2234,11 @@ static void _set_callback_cbs_keyPressEvent_1514_0 (void *cls, const gsi::Callba } -// void QWizardPage::keyReleaseEvent(QKeyEvent *) +// void QWizardPage::keyReleaseEvent(QKeyEvent *event) static void _init_cbs_keyReleaseEvent_1514_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2258,11 +2258,11 @@ static void _set_callback_cbs_keyReleaseEvent_1514_0 (void *cls, const gsi::Call } -// void QWizardPage::leaveEvent(QEvent *) +// void QWizardPage::leaveEvent(QEvent *event) static void _init_cbs_leaveEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2324,11 +2324,11 @@ static void _set_callback_cbs_minimumSizeHint_c0_0 (void *cls, const gsi::Callba } -// void QWizardPage::mouseDoubleClickEvent(QMouseEvent *) +// void QWizardPage::mouseDoubleClickEvent(QMouseEvent *event) static void _init_cbs_mouseDoubleClickEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2348,11 +2348,11 @@ static void _set_callback_cbs_mouseDoubleClickEvent_1738_0 (void *cls, const gsi } -// void QWizardPage::mouseMoveEvent(QMouseEvent *) +// void QWizardPage::mouseMoveEvent(QMouseEvent *event) static void _init_cbs_mouseMoveEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2372,11 +2372,11 @@ static void _set_callback_cbs_mouseMoveEvent_1738_0 (void *cls, const gsi::Callb } -// void QWizardPage::mousePressEvent(QMouseEvent *) +// void QWizardPage::mousePressEvent(QMouseEvent *event) static void _init_cbs_mousePressEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2396,11 +2396,11 @@ static void _set_callback_cbs_mousePressEvent_1738_0 (void *cls, const gsi::Call } -// void QWizardPage::mouseReleaseEvent(QMouseEvent *) +// void QWizardPage::mouseReleaseEvent(QMouseEvent *event) static void _init_cbs_mouseReleaseEvent_1738_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2420,11 +2420,11 @@ static void _set_callback_cbs_mouseReleaseEvent_1738_0 (void *cls, const gsi::Ca } -// void QWizardPage::moveEvent(QMoveEvent *) +// void QWizardPage::moveEvent(QMoveEvent *event) static void _init_cbs_moveEvent_1624_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2529,11 +2529,11 @@ static void _set_callback_cbs_paintEngine_c0_0 (void *cls, const gsi::Callback & } -// void QWizardPage::paintEvent(QPaintEvent *) +// void QWizardPage::paintEvent(QPaintEvent *event) static void _init_cbs_paintEvent_1725_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2602,9 +2602,9 @@ static void _init_fp_registerField_6478 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("widget"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("property", true, "0"); + static gsi::ArgSpecBase argspec_2 ("property", true, "nullptr"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("changedSignal", true, "0"); + static gsi::ArgSpecBase argspec_3 ("changedSignal", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -2615,18 +2615,18 @@ static void _call_fp_registerField_6478 (const qt_gsi::GenericMethod * /*decl*/, tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); QWidget *arg2 = gsi::arg_reader() (args, heap); - const char *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - const char *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + const char *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + const char *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QWizardPage_Adaptor *)cls)->fp_QWizardPage_registerField_6478 (arg1, arg2, arg3, arg4); } -// void QWizardPage::resizeEvent(QResizeEvent *) +// void QWizardPage::resizeEvent(QResizeEvent *event) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2739,11 +2739,11 @@ static void _set_callback_cbs_sharedPainter_c0_0 (void *cls, const gsi::Callback } -// void QWizardPage::showEvent(QShowEvent *) +// void QWizardPage::showEvent(QShowEvent *event) static void _init_cbs_showEvent_1634_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2782,11 +2782,11 @@ static void _set_callback_cbs_sizeHint_c0_0 (void *cls, const gsi::Callback &cb) } -// void QWizardPage::tabletEvent(QTabletEvent *) +// void QWizardPage::tabletEvent(QTabletEvent *event) static void _init_cbs_tabletEvent_1821_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2806,11 +2806,11 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } -// void QWizardPage::timerEvent(QTimerEvent *) +// void QWizardPage::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2864,11 +2864,11 @@ static void _set_callback_cbs_validatePage_0_0 (void *cls, const gsi::Callback & } -// void QWizardPage::wheelEvent(QWheelEvent *) +// void QWizardPage::wheelEvent(QWheelEvent *event) static void _init_cbs_wheelEvent_1718_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -2964,55 +2964,55 @@ gsi::Class &qtdecl_QWizardPage (); static gsi::Methods methods_QWizardPage_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QWizardPage::QWizardPage(QWidget *parent)\nThis method creates an object of class QWizardPage.", &_init_ctor_QWizardPage_Adaptor_1315, &_call_ctor_QWizardPage_Adaptor_1315); - methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QWizardPage::actionEvent(QActionEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QWizardPage::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QWizardPage::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QWizardPage::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QWizardPage::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("cleanupPage", "@brief Virtual method void QWizardPage::cleanupPage()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_cleanupPage_0_0, &_call_cbs_cleanupPage_0_0); methods += new qt_gsi::GenericMethod ("cleanupPage", "@hide", false, &_init_cbs_cleanupPage_0_0, &_call_cbs_cleanupPage_0_0, &_set_callback_cbs_cleanupPage_0_0); - methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QWizardPage::closeEvent(QCloseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); + methods += new qt_gsi::GenericMethod ("*closeEvent", "@brief Virtual method void QWizardPage::closeEvent(QCloseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("emit_completeChanged", "@brief Emitter for signal void QWizardPage::completeChanged()\nCall this method to emit this signal.", false, &_init_emitter_completeChanged_0, &_call_emitter_completeChanged_0); - methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QWizardPage::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QWizardPage::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QWizardPage::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QWizardPage::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QWizardPage::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QWizardPage::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QWizardPage::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QWizardPage::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QWizardPage::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QWizardPage::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QWizardPage::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QWizardPage::dragEnterEvent(QDragEnterEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); + methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QWizardPage::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@hide", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0, &_set_callback_cbs_dragEnterEvent_2109_0); - methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QWizardPage::dragLeaveEvent(QDragLeaveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); + methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@brief Virtual method void QWizardPage::dragLeaveEvent(QDragLeaveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0); methods += new qt_gsi::GenericMethod ("*dragLeaveEvent", "@hide", false, &_init_cbs_dragLeaveEvent_2092_0, &_call_cbs_dragLeaveEvent_2092_0, &_set_callback_cbs_dragLeaveEvent_2092_0); - methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QWizardPage::dragMoveEvent(QDragMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); + methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@brief Virtual method void QWizardPage::dragMoveEvent(QDragMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0); methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_2006_0, &_call_cbs_dragMoveEvent_2006_0, &_set_callback_cbs_dragMoveEvent_2006_0); - methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QWizardPage::dropEvent(QDropEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); + methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QWizardPage::dropEvent(QDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_1622_0, &_call_cbs_dropEvent_1622_0, &_set_callback_cbs_dropEvent_1622_0); - methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QWizardPage::enterEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*enterEvent", "@brief Virtual method void QWizardPage::enterEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0); methods += new qt_gsi::GenericMethod ("*enterEvent", "@hide", false, &_init_cbs_enterEvent_1217_0, &_call_cbs_enterEvent_1217_0, &_set_callback_cbs_enterEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QWizardPage::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QWizardPage::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QWizardPage::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QWizardPage::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*field", "@brief Method QVariant QWizardPage::field(const QString &name)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_field_c2025, &_call_fp_field_c2025); - methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QWizardPage::focusInEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QWizardPage::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QWizardPage::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@brief Virtual method bool QWizardPage::focusNextPrevChild(bool next)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0); methods += new qt_gsi::GenericMethod ("*focusNextPrevChild", "@hide", false, &_init_cbs_focusNextPrevChild_864_0, &_call_cbs_focusNextPrevChild_864_0, &_set_callback_cbs_focusNextPrevChild_864_0); - methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QWizardPage::focusOutEvent(QFocusEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QWizardPage::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QWizardPage::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QWizardPage::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QWizardPage::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); - methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QWizardPage::hideEvent(QHideEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QWizardPage::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QWizardPage::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); @@ -3025,25 +3025,25 @@ static gsi::Methods methods_QWizardPage_Adaptor () { methods += new qt_gsi::GenericMethod ("isComplete", "@brief Virtual method bool QWizardPage::isComplete()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isComplete_c0_0, &_call_cbs_isComplete_c0_0); methods += new qt_gsi::GenericMethod ("isComplete", "@hide", true, &_init_cbs_isComplete_c0_0, &_call_cbs_isComplete_c0_0, &_set_callback_cbs_isComplete_c0_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QWizardPage::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); - methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QWizardPage::keyPressEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@brief Virtual method void QWizardPage::keyPressEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyPressEvent", "@hide", false, &_init_cbs_keyPressEvent_1514_0, &_call_cbs_keyPressEvent_1514_0, &_set_callback_cbs_keyPressEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QWizardPage::keyReleaseEvent(QKeyEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); + methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@brief Virtual method void QWizardPage::keyReleaseEvent(QKeyEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0); methods += new qt_gsi::GenericMethod ("*keyReleaseEvent", "@hide", false, &_init_cbs_keyReleaseEvent_1514_0, &_call_cbs_keyReleaseEvent_1514_0, &_set_callback_cbs_keyReleaseEvent_1514_0); - methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QWizardPage::leaveEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*leaveEvent", "@brief Virtual method void QWizardPage::leaveEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*leaveEvent", "@hide", false, &_init_cbs_leaveEvent_1217_0, &_call_cbs_leaveEvent_1217_0, &_set_callback_cbs_leaveEvent_1217_0); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QWizardPage::metric(QPaintDevice::PaintDeviceMetric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("*metric", "@hide", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0, &_set_callback_cbs_metric_c3445_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@brief Virtual method QSize QWizardPage::minimumSizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0); methods += new qt_gsi::GenericMethod ("minimumSizeHint", "@hide", true, &_init_cbs_minimumSizeHint_c0_0, &_call_cbs_minimumSizeHint_c0_0, &_set_callback_cbs_minimumSizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QWizardPage::mouseDoubleClickEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@brief Virtual method void QWizardPage::mouseDoubleClickEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseDoubleClickEvent", "@hide", false, &_init_cbs_mouseDoubleClickEvent_1738_0, &_call_cbs_mouseDoubleClickEvent_1738_0, &_set_callback_cbs_mouseDoubleClickEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QWizardPage::mouseMoveEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@brief Virtual method void QWizardPage::mouseMoveEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseMoveEvent", "@hide", false, &_init_cbs_mouseMoveEvent_1738_0, &_call_cbs_mouseMoveEvent_1738_0, &_set_callback_cbs_mouseMoveEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QWizardPage::mousePressEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@brief Virtual method void QWizardPage::mousePressEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_1738_0, &_call_cbs_mousePressEvent_1738_0, &_set_callback_cbs_mousePressEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QWizardPage::mouseReleaseEvent(QMouseEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); + methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QWizardPage::mouseReleaseEvent(QMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_1738_0, &_call_cbs_mouseReleaseEvent_1738_0, &_set_callback_cbs_mouseReleaseEvent_1738_0); - methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QWizardPage::moveEvent(QMoveEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); + methods += new qt_gsi::GenericMethod ("*moveEvent", "@brief Virtual method void QWizardPage::moveEvent(QMoveEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QWizardPage::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); @@ -3052,13 +3052,13 @@ static gsi::Methods methods_QWizardPage_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QWizardPage::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QWizardPage::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); - methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QWizardPage::paintEvent(QPaintEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QWizardPage::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QWizardPage::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QWizardPage::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*registerField", "@brief Method void QWizardPage::registerField(const QString &name, QWidget *widget, const char *property, const char *changedSignal)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_registerField_6478, &_call_fp_registerField_6478); - methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QWizardPage::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QWizardPage::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QWizardPage::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QWizardPage::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -3067,18 +3067,18 @@ static gsi::Methods methods_QWizardPage_Adaptor () { methods += new qt_gsi::GenericMethod ("setVisible", "@hide", false, &_init_cbs_setVisible_864_0, &_call_cbs_setVisible_864_0, &_set_callback_cbs_setVisible_864_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@brief Virtual method QPainter *QWizardPage::sharedPainter()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0); methods += new qt_gsi::GenericMethod ("*sharedPainter", "@hide", true, &_init_cbs_sharedPainter_c0_0, &_call_cbs_sharedPainter_c0_0, &_set_callback_cbs_sharedPainter_c0_0); - methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QWizardPage::showEvent(QShowEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); + methods += new qt_gsi::GenericMethod ("*showEvent", "@brief Virtual method void QWizardPage::showEvent(QShowEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("*showEvent", "@hide", false, &_init_cbs_showEvent_1634_0, &_call_cbs_showEvent_1634_0, &_set_callback_cbs_showEvent_1634_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@brief Virtual method QSize QWizardPage::sizeHint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); - methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QWizardPage::tabletEvent(QTabletEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QWizardPage::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QWizardPage::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QWizardPage::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QWizardPage::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); methods += new qt_gsi::GenericMethod ("validatePage", "@brief Virtual method bool QWizardPage::validatePage()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_validatePage_0_0, &_call_cbs_validatePage_0_0); methods += new qt_gsi::GenericMethod ("validatePage", "@hide", false, &_init_cbs_validatePage_0_0, &_call_cbs_validatePage_0_0, &_set_callback_cbs_validatePage_0_0); - methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QWizardPage::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QWizardPage::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QWizardPage::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QWizardPage::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQDomDocument.cc b/src/gsiqt/qt5/QtXml/gsiDeclQDomDocument.cc index 65afdb4dfb..d2badff1c7 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQDomDocument.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQDomDocument.cc @@ -492,11 +492,11 @@ static void _init_f_setContent_5697 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("namespaceProcessing"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("errorMsg", true, "0"); + static gsi::ArgSpecBase argspec_2 ("errorMsg", true, "nullptr"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("errorLine", true, "0"); + static gsi::ArgSpecBase argspec_3 ("errorLine", true, "nullptr"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("errorColumn", true, "0"); + static gsi::ArgSpecBase argspec_4 ("errorColumn", true, "nullptr"); decl->add_arg (argspec_4); decl->set_return (); } @@ -507,9 +507,9 @@ static void _call_f_setContent_5697 (const qt_gsi::GenericMethod * /*decl*/, voi tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); bool arg2 = gsi::arg_reader() (args, heap); - QString *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - int *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QString *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + int *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QDomDocument *)cls)->setContent (arg1, arg2, arg3, arg4, arg5)); } @@ -523,11 +523,11 @@ static void _init_f_setContent_5119 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("namespaceProcessing"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("errorMsg", true, "0"); + static gsi::ArgSpecBase argspec_2 ("errorMsg", true, "nullptr"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("errorLine", true, "0"); + static gsi::ArgSpecBase argspec_3 ("errorLine", true, "nullptr"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("errorColumn", true, "0"); + static gsi::ArgSpecBase argspec_4 ("errorColumn", true, "nullptr"); decl->add_arg (argspec_4); decl->set_return (); } @@ -538,9 +538,9 @@ static void _call_f_setContent_5119 (const qt_gsi::GenericMethod * /*decl*/, voi tl::Heap heap; QIODevice *arg1 = gsi::arg_reader() (args, heap); bool arg2 = gsi::arg_reader() (args, heap); - QString *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - int *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QString *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + int *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QDomDocument *)cls)->setContent (arg1, arg2, arg3, arg4, arg5)); } @@ -554,11 +554,11 @@ static void _init_f_setContent_5833 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("namespaceProcessing"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("errorMsg", true, "0"); + static gsi::ArgSpecBase argspec_2 ("errorMsg", true, "nullptr"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("errorLine", true, "0"); + static gsi::ArgSpecBase argspec_3 ("errorLine", true, "nullptr"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("errorColumn", true, "0"); + static gsi::ArgSpecBase argspec_4 ("errorColumn", true, "nullptr"); decl->add_arg (argspec_4); decl->set_return (); } @@ -569,9 +569,9 @@ static void _call_f_setContent_5833 (const qt_gsi::GenericMethod * /*decl*/, voi tl::Heap heap; QXmlInputSource *arg1 = gsi::arg_reader() (args, heap); bool arg2 = gsi::arg_reader() (args, heap); - QString *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - int *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QString *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + int *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QDomDocument *)cls)->setContent (arg1, arg2, arg3, arg4, arg5)); } @@ -583,11 +583,11 @@ static void _init_f_setContent_4941 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("text"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("errorMsg", true, "0"); + static gsi::ArgSpecBase argspec_1 ("errorMsg", true, "nullptr"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("errorLine", true, "0"); + static gsi::ArgSpecBase argspec_2 ("errorLine", true, "nullptr"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("errorColumn", true, "0"); + static gsi::ArgSpecBase argspec_3 ("errorColumn", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -597,9 +597,9 @@ static void _call_f_setContent_4941 (const qt_gsi::GenericMethod * /*decl*/, voi __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - QString *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - int *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QString *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + int *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QDomDocument *)cls)->setContent (arg1, arg2, arg3, arg4)); } @@ -611,11 +611,11 @@ static void _init_f_setContent_4363 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("dev"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("errorMsg", true, "0"); + static gsi::ArgSpecBase argspec_1 ("errorMsg", true, "nullptr"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("errorLine", true, "0"); + static gsi::ArgSpecBase argspec_2 ("errorLine", true, "nullptr"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("errorColumn", true, "0"); + static gsi::ArgSpecBase argspec_3 ("errorColumn", true, "nullptr"); decl->add_arg (argspec_3); decl->set_return (); } @@ -625,9 +625,9 @@ static void _call_f_setContent_4363 (const qt_gsi::GenericMethod * /*decl*/, voi __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QIODevice *arg1 = gsi::arg_reader() (args, heap); - QString *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - int *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QString *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + int *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QDomDocument *)cls)->setContent (arg1, arg2, arg3, arg4)); } @@ -641,11 +641,11 @@ static void _init_f_setContent_6572 (qt_gsi::GenericMethod *decl) decl->add_arg (argspec_0); static gsi::ArgSpecBase argspec_1 ("reader"); decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("errorMsg", true, "0"); + static gsi::ArgSpecBase argspec_2 ("errorMsg", true, "nullptr"); decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("errorLine", true, "0"); + static gsi::ArgSpecBase argspec_3 ("errorLine", true, "nullptr"); decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("errorColumn", true, "0"); + static gsi::ArgSpecBase argspec_4 ("errorColumn", true, "nullptr"); decl->add_arg (argspec_4); decl->set_return (); } @@ -656,9 +656,9 @@ static void _call_f_setContent_6572 (const qt_gsi::GenericMethod * /*decl*/, voi tl::Heap heap; QXmlInputSource *arg1 = gsi::arg_reader() (args, heap); QXmlReader *arg2 = gsi::arg_reader() (args, heap); - QString *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - int *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QString *arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + int *arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + int *arg5 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QDomDocument *)cls)->setContent (arg1, arg2, arg3, arg4, arg5)); } diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQXmlAttributes.cc b/src/gsiqt/qt5/QtXml/gsiDeclQXmlAttributes.cc index 3442d0d854..b4c1107347 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQXmlAttributes.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQXmlAttributes.cc @@ -170,6 +170,25 @@ static void _call_f_localName_c767 (const qt_gsi::GenericMethod * /*decl*/, void } +// QXmlAttributes &QXmlAttributes::operator=(const QXmlAttributes &) + + +static void _init_f_operator_eq__2762 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_eq__2762 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QXmlAttributes &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QXmlAttributes &)((QXmlAttributes *)cls)->operator= (arg1)); +} + + // QString QXmlAttributes::qName(int index) @@ -189,6 +208,26 @@ static void _call_f_qName_c767 (const qt_gsi::GenericMethod * /*decl*/, void *cl } +// void QXmlAttributes::swap(QXmlAttributes &other) + + +static void _init_f_swap_2067 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_swap_2067 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QXmlAttributes &arg1 = gsi::arg_reader() (args, heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QXmlAttributes *)cls)->swap (arg1); +} + + // QString QXmlAttributes::type(int index) @@ -340,7 +379,9 @@ static gsi::Methods methods_QXmlAttributes () { methods += new qt_gsi::GenericMethod ("index", "@brief Method int QXmlAttributes::index(const QString &uri, const QString &localPart)\n", true, &_init_f_index_c3942, &_call_f_index_c3942); methods += new qt_gsi::GenericMethod ("length", "@brief Method int QXmlAttributes::length()\n", true, &_init_f_length_c0, &_call_f_length_c0); methods += new qt_gsi::GenericMethod ("localName", "@brief Method QString QXmlAttributes::localName(int index)\n", true, &_init_f_localName_c767, &_call_f_localName_c767); + methods += new qt_gsi::GenericMethod ("assign", "@brief Method QXmlAttributes &QXmlAttributes::operator=(const QXmlAttributes &)\n", false, &_init_f_operator_eq__2762, &_call_f_operator_eq__2762); methods += new qt_gsi::GenericMethod ("qName", "@brief Method QString QXmlAttributes::qName(int index)\n", true, &_init_f_qName_c767, &_call_f_qName_c767); + methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QXmlAttributes::swap(QXmlAttributes &other)\n", false, &_init_f_swap_2067, &_call_f_swap_2067); methods += new qt_gsi::GenericMethod ("type", "@brief Method QString QXmlAttributes::type(int index)\n", true, &_init_f_type_c767, &_call_f_type_c767); methods += new qt_gsi::GenericMethod ("type", "@brief Method QString QXmlAttributes::type(const QString &qName)\n", true, &_init_f_type_c2025, &_call_f_type_c2025); methods += new qt_gsi::GenericMethod ("type", "@brief Method QString QXmlAttributes::type(const QString &uri, const QString &localName)\n", true, &_init_f_type_c3942, &_call_f_type_c3942); @@ -372,6 +413,12 @@ class QXmlAttributes_Adaptor : public QXmlAttributes, public qt_gsi::QtObjectBas qt_gsi::QtObjectBase::init (this); } + // [adaptor ctor] QXmlAttributes::QXmlAttributes(const QXmlAttributes &) + QXmlAttributes_Adaptor(const QXmlAttributes &arg1) : QXmlAttributes(arg1) + { + qt_gsi::QtObjectBase::init (this); + } + }; @@ -391,6 +438,24 @@ static void _call_ctor_QXmlAttributes_Adaptor_0 (const qt_gsi::GenericStaticMeth } +// Constructor QXmlAttributes::QXmlAttributes(const QXmlAttributes &) (adaptor class) + +static void _init_ctor_QXmlAttributes_Adaptor_2762 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QXmlAttributes_Adaptor_2762 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QXmlAttributes &arg1 = gsi::arg_reader() (args, heap); + ret.write (new QXmlAttributes_Adaptor (arg1)); +} + + namespace gsi { @@ -399,6 +464,7 @@ gsi::Class &qtdecl_QXmlAttributes (); static gsi::Methods methods_QXmlAttributes_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QXmlAttributes::QXmlAttributes()\nThis method creates an object of class QXmlAttributes.", &_init_ctor_QXmlAttributes_Adaptor_0, &_call_ctor_QXmlAttributes_Adaptor_0); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QXmlAttributes::QXmlAttributes(const QXmlAttributes &)\nThis method creates an object of class QXmlAttributes.", &_init_ctor_QXmlAttributes_Adaptor_2762, &_call_ctor_QXmlAttributes_Adaptor_2762); return methods; } diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQXmlReader.cc b/src/gsiqt/qt5/QtXml/gsiDeclQXmlReader.cc index a355206e9d..1696b1b7f4 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQXmlReader.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQXmlReader.cc @@ -124,7 +124,7 @@ static void _init_f_feature_c2967 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("name"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -134,7 +134,7 @@ static void _call_f_feature_c2967 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QXmlReader *)cls)->feature (arg1, arg2)); } @@ -218,7 +218,7 @@ static void _init_f_property_c2967 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("name"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -228,7 +228,7 @@ static void _call_f_property_c2967 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((void *)((QXmlReader *)cls)->property (arg1, arg2)); } diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQXmlSimpleReader.cc b/src/gsiqt/qt5/QtXml/gsiDeclQXmlSimpleReader.cc index 91b7dafbc5..42aa8c85b6 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQXmlSimpleReader.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQXmlSimpleReader.cc @@ -124,7 +124,7 @@ static void _init_f_feature_c2967 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("name"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -134,7 +134,7 @@ static void _call_f_feature_c2967 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((bool)((QXmlSimpleReader *)cls)->feature (arg1, arg2)); } @@ -255,7 +255,7 @@ static void _init_f_property_c2967 (qt_gsi::GenericMethod *decl) { static gsi::ArgSpecBase argspec_0 ("name"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "0"); + static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); decl->add_arg (argspec_1); decl->set_return (); } @@ -265,7 +265,7 @@ static void _call_f_property_c2967 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write ((void *)((QXmlSimpleReader *)cls)->property (arg1, arg2)); } diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractMessageHandler.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractMessageHandler.cc index 24c68d8845..4ffa5493cd 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractMessageHandler.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractMessageHandler.cc @@ -196,63 +196,63 @@ class QAbstractMessageHandler_Adaptor : public QAbstractMessageHandler, public q return QAbstractMessageHandler::senderSignalIndex(); } - // [adaptor impl] bool QAbstractMessageHandler::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAbstractMessageHandler::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAbstractMessageHandler::event(arg1); + return QAbstractMessageHandler::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAbstractMessageHandler_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAbstractMessageHandler_Adaptor::cbs_event_1217_0, _event); } else { - return QAbstractMessageHandler::event(arg1); + return QAbstractMessageHandler::event(_event); } } - // [adaptor impl] bool QAbstractMessageHandler::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractMessageHandler::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractMessageHandler::eventFilter(arg1, arg2); + return QAbstractMessageHandler::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractMessageHandler_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractMessageHandler_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractMessageHandler::eventFilter(arg1, arg2); + return QAbstractMessageHandler::eventFilter(watched, event); } } - // [adaptor impl] void QAbstractMessageHandler::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractMessageHandler::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractMessageHandler::childEvent(arg1); + QAbstractMessageHandler::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractMessageHandler_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractMessageHandler_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractMessageHandler::childEvent(arg1); + QAbstractMessageHandler::childEvent(event); } } - // [adaptor impl] void QAbstractMessageHandler::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractMessageHandler::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractMessageHandler::customEvent(arg1); + QAbstractMessageHandler::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractMessageHandler_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractMessageHandler_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractMessageHandler::customEvent(arg1); + QAbstractMessageHandler::customEvent(event); } } @@ -290,18 +290,18 @@ class QAbstractMessageHandler_Adaptor : public QAbstractMessageHandler, public q } } - // [adaptor impl] void QAbstractMessageHandler::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAbstractMessageHandler::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAbstractMessageHandler::timerEvent(arg1); + QAbstractMessageHandler::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAbstractMessageHandler_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAbstractMessageHandler_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAbstractMessageHandler::timerEvent(arg1); + QAbstractMessageHandler::timerEvent(event); } } @@ -320,7 +320,7 @@ QAbstractMessageHandler_Adaptor::~QAbstractMessageHandler_Adaptor() { } static void _init_ctor_QAbstractMessageHandler_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -329,16 +329,16 @@ static void _call_ctor_QAbstractMessageHandler_Adaptor_1302 (const qt_gsi::Gener { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAbstractMessageHandler_Adaptor (arg1)); } -// void QAbstractMessageHandler::childEvent(QChildEvent *) +// void QAbstractMessageHandler::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -358,11 +358,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAbstractMessageHandler::customEvent(QEvent *) +// void QAbstractMessageHandler::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -406,11 +406,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QAbstractMessageHandler::event(QEvent *) +// bool QAbstractMessageHandler::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -429,13 +429,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractMessageHandler::eventFilter(QObject *, QEvent *) +// bool QAbstractMessageHandler::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -552,11 +552,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QAbstractMessageHandler::timerEvent(QTimerEvent *) +// void QAbstractMessageHandler::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -584,15 +584,15 @@ gsi::Class &qtdecl_QAbstractMessageHandler (); static gsi::Methods methods_QAbstractMessageHandler_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractMessageHandler::QAbstractMessageHandler(QObject *parent)\nThis method creates an object of class QAbstractMessageHandler.", &_init_ctor_QAbstractMessageHandler_Adaptor_1302, &_call_ctor_QAbstractMessageHandler_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractMessageHandler::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractMessageHandler::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractMessageHandler::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractMessageHandler::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractMessageHandler::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractMessageHandler::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractMessageHandler::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractMessageHandler::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractMessageHandler::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*handleMessage", "@brief Virtual method void QAbstractMessageHandler::handleMessage(QtMsgType type, const QString &description, const QUrl &identifier, const QSourceLocation &sourceLocation)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_handleMessage_7592_0, &_call_cbs_handleMessage_7592_0); methods += new qt_gsi::GenericMethod ("*handleMessage", "@hide", false, &_init_cbs_handleMessage_7592_0, &_call_cbs_handleMessage_7592_0, &_set_callback_cbs_handleMessage_7592_0); @@ -600,7 +600,7 @@ static gsi::Methods methods_QAbstractMessageHandler_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAbstractMessageHandler::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAbstractMessageHandler::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAbstractMessageHandler::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractMessageHandler::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractMessageHandler::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractUriResolver.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractUriResolver.cc index b4ea1b1374..e98e62ebcd 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractUriResolver.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractUriResolver.cc @@ -188,33 +188,33 @@ class QAbstractUriResolver_Adaptor : public QAbstractUriResolver, public qt_gsi: return QAbstractUriResolver::senderSignalIndex(); } - // [adaptor impl] bool QAbstractUriResolver::event(QEvent *) - bool cbs_event_1217_0(QEvent *arg1) + // [adaptor impl] bool QAbstractUriResolver::event(QEvent *event) + bool cbs_event_1217_0(QEvent *_event) { - return QAbstractUriResolver::event(arg1); + return QAbstractUriResolver::event(_event); } - virtual bool event(QEvent *arg1) + virtual bool event(QEvent *_event) { if (cb_event_1217_0.can_issue()) { - return cb_event_1217_0.issue(&QAbstractUriResolver_Adaptor::cbs_event_1217_0, arg1); + return cb_event_1217_0.issue(&QAbstractUriResolver_Adaptor::cbs_event_1217_0, _event); } else { - return QAbstractUriResolver::event(arg1); + return QAbstractUriResolver::event(_event); } } - // [adaptor impl] bool QAbstractUriResolver::eventFilter(QObject *, QEvent *) - bool cbs_eventFilter_2411_0(QObject *arg1, QEvent *arg2) + // [adaptor impl] bool QAbstractUriResolver::eventFilter(QObject *watched, QEvent *event) + bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { - return QAbstractUriResolver::eventFilter(arg1, arg2); + return QAbstractUriResolver::eventFilter(watched, event); } - virtual bool eventFilter(QObject *arg1, QEvent *arg2) + virtual bool eventFilter(QObject *watched, QEvent *event) { if (cb_eventFilter_2411_0.can_issue()) { - return cb_eventFilter_2411_0.issue(&QAbstractUriResolver_Adaptor::cbs_eventFilter_2411_0, arg1, arg2); + return cb_eventFilter_2411_0.issue(&QAbstractUriResolver_Adaptor::cbs_eventFilter_2411_0, watched, event); } else { - return QAbstractUriResolver::eventFilter(arg1, arg2); + return QAbstractUriResolver::eventFilter(watched, event); } } @@ -235,33 +235,33 @@ class QAbstractUriResolver_Adaptor : public QAbstractUriResolver, public qt_gsi: } } - // [adaptor impl] void QAbstractUriResolver::childEvent(QChildEvent *) - void cbs_childEvent_1701_0(QChildEvent *arg1) + // [adaptor impl] void QAbstractUriResolver::childEvent(QChildEvent *event) + void cbs_childEvent_1701_0(QChildEvent *event) { - QAbstractUriResolver::childEvent(arg1); + QAbstractUriResolver::childEvent(event); } - virtual void childEvent(QChildEvent *arg1) + virtual void childEvent(QChildEvent *event) { if (cb_childEvent_1701_0.can_issue()) { - cb_childEvent_1701_0.issue(&QAbstractUriResolver_Adaptor::cbs_childEvent_1701_0, arg1); + cb_childEvent_1701_0.issue(&QAbstractUriResolver_Adaptor::cbs_childEvent_1701_0, event); } else { - QAbstractUriResolver::childEvent(arg1); + QAbstractUriResolver::childEvent(event); } } - // [adaptor impl] void QAbstractUriResolver::customEvent(QEvent *) - void cbs_customEvent_1217_0(QEvent *arg1) + // [adaptor impl] void QAbstractUriResolver::customEvent(QEvent *event) + void cbs_customEvent_1217_0(QEvent *event) { - QAbstractUriResolver::customEvent(arg1); + QAbstractUriResolver::customEvent(event); } - virtual void customEvent(QEvent *arg1) + virtual void customEvent(QEvent *event) { if (cb_customEvent_1217_0.can_issue()) { - cb_customEvent_1217_0.issue(&QAbstractUriResolver_Adaptor::cbs_customEvent_1217_0, arg1); + cb_customEvent_1217_0.issue(&QAbstractUriResolver_Adaptor::cbs_customEvent_1217_0, event); } else { - QAbstractUriResolver::customEvent(arg1); + QAbstractUriResolver::customEvent(event); } } @@ -280,18 +280,18 @@ class QAbstractUriResolver_Adaptor : public QAbstractUriResolver, public qt_gsi: } } - // [adaptor impl] void QAbstractUriResolver::timerEvent(QTimerEvent *) - void cbs_timerEvent_1730_0(QTimerEvent *arg1) + // [adaptor impl] void QAbstractUriResolver::timerEvent(QTimerEvent *event) + void cbs_timerEvent_1730_0(QTimerEvent *event) { - QAbstractUriResolver::timerEvent(arg1); + QAbstractUriResolver::timerEvent(event); } - virtual void timerEvent(QTimerEvent *arg1) + virtual void timerEvent(QTimerEvent *event) { if (cb_timerEvent_1730_0.can_issue()) { - cb_timerEvent_1730_0.issue(&QAbstractUriResolver_Adaptor::cbs_timerEvent_1730_0, arg1); + cb_timerEvent_1730_0.issue(&QAbstractUriResolver_Adaptor::cbs_timerEvent_1730_0, event); } else { - QAbstractUriResolver::timerEvent(arg1); + QAbstractUriResolver::timerEvent(event); } } @@ -310,7 +310,7 @@ QAbstractUriResolver_Adaptor::~QAbstractUriResolver_Adaptor() { } static void _init_ctor_QAbstractUriResolver_Adaptor_1302 (qt_gsi::GenericStaticMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("parent", true, "0"); + static gsi::ArgSpecBase argspec_0 ("parent", true, "nullptr"); decl->add_arg (argspec_0); decl->set_return_new (); } @@ -319,16 +319,16 @@ static void _call_ctor_QAbstractUriResolver_Adaptor_1302 (const qt_gsi::GenericS { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); ret.write (new QAbstractUriResolver_Adaptor (arg1)); } -// void QAbstractUriResolver::childEvent(QChildEvent *) +// void QAbstractUriResolver::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -348,11 +348,11 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } -// void QAbstractUriResolver::customEvent(QEvent *) +// void QAbstractUriResolver::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -396,11 +396,11 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } -// bool QAbstractUriResolver::event(QEvent *) +// bool QAbstractUriResolver::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -419,13 +419,13 @@ static void _set_callback_cbs_event_1217_0 (void *cls, const gsi::Callback &cb) } -// bool QAbstractUriResolver::eventFilter(QObject *, QEvent *) +// bool QAbstractUriResolver::eventFilter(QObject *watched, QEvent *event) static void _init_cbs_eventFilter_2411_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("watched"); decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); + static gsi::ArgSpecBase argspec_1 ("event"); decl->add_arg (argspec_1); decl->set_return (); } @@ -535,11 +535,11 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QAbstractUriResolver::timerEvent(QTimerEvent *) +// void QAbstractUriResolver::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); + static gsi::ArgSpecBase argspec_0 ("event"); decl->add_arg (argspec_0); decl->set_return (); } @@ -567,15 +567,15 @@ gsi::Class &qtdecl_QAbstractUriResolver (); static gsi::Methods methods_QAbstractUriResolver_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractUriResolver::QAbstractUriResolver(QObject *parent)\nThis method creates an object of class QAbstractUriResolver.", &_init_ctor_QAbstractUriResolver_Adaptor_1302, &_call_ctor_QAbstractUriResolver_Adaptor_1302); - methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractUriResolver::childEvent(QChildEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractUriResolver::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractUriResolver::customEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractUriResolver::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractUriResolver::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); - methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractUriResolver::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); + methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractUriResolver::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); - methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractUriResolver::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractUriResolver::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAbstractUriResolver::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAbstractUriResolver::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); @@ -583,7 +583,7 @@ static gsi::Methods methods_QAbstractUriResolver_Adaptor () { methods += new qt_gsi::GenericMethod ("resolve", "@hide", true, &_init_cbs_resolve_c3294_0, &_call_cbs_resolve_c3294_0, &_set_callback_cbs_resolve_c3294_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAbstractUriResolver::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAbstractUriResolver::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); - methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractUriResolver::timerEvent(QTimerEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractUriResolver::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; } diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlName.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlName.cc index 06e7214efc..ba9d329e2e 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlName.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlName.cc @@ -79,6 +79,25 @@ static void _call_ctor_QXmlName_7550 (const qt_gsi::GenericStaticMethod * /*decl } +// Constructor QXmlName::QXmlName(const QXmlName &other) + + +static void _init_ctor_QXmlName_2084 (qt_gsi::GenericStaticMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("other"); + decl->add_arg (argspec_0); + decl->set_return_new (); +} + +static void _call_ctor_QXmlName_2084 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QXmlName &arg1 = gsi::arg_reader() (args, heap); + ret.write (new QXmlName (arg1)); +} + + // bool QXmlName::isNull() @@ -238,6 +257,7 @@ static gsi::Methods methods_QXmlName () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QXmlName::QXmlName()\nThis method creates an object of class QXmlName.", &_init_ctor_QXmlName_0, &_call_ctor_QXmlName_0); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QXmlName::QXmlName(QXmlNamePool &namePool, const QString &localName, const QString &namespaceURI, const QString &prefix)\nThis method creates an object of class QXmlName.", &_init_ctor_QXmlName_7550, &_call_ctor_QXmlName_7550); + methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QXmlName::QXmlName(const QXmlName &other)\nThis method creates an object of class QXmlName.", &_init_ctor_QXmlName_2084, &_call_ctor_QXmlName_2084); methods += new qt_gsi::GenericMethod ("isNull?", "@brief Method bool QXmlName::isNull()\n", true, &_init_f_isNull_c0, &_call_f_isNull_c0); methods += new qt_gsi::GenericMethod ("namespaceUri", "@brief Method QString QXmlName::namespaceUri(const QXmlNamePool &query)\n", true, &_init_f_namespaceUri_c2494, &_call_f_namespaceUri_c2494); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QXmlName::operator!=(const QXmlName &other)\n", true, &_init_f_operator_excl__eq__c2084, &_call_f_operator_excl__eq__c2084); diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlNodeModelIndex.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlNodeModelIndex.cc index e3529b916f..536bf7eb13 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlNodeModelIndex.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlNodeModelIndex.cc @@ -164,6 +164,25 @@ static void _call_f_operator_excl__eq__c3090 (const qt_gsi::GenericMethod * /*de } +// QXmlNodeModelIndex &QXmlNodeModelIndex::operator=(const QXmlNodeModelIndex &) + + +static void _init_f_operator_eq__3090 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_f_operator_eq__3090 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QXmlNodeModelIndex &arg1 = gsi::arg_reader() (args, heap); + ret.write ((QXmlNodeModelIndex &)((QXmlNodeModelIndex *)cls)->operator= (arg1)); +} + + // bool QXmlNodeModelIndex::operator==(const QXmlNodeModelIndex &other) @@ -213,6 +232,7 @@ static gsi::Methods methods_QXmlNodeModelIndex () { methods += new qt_gsi::GenericMethod ("isNull?", "@brief Method bool QXmlNodeModelIndex::isNull()\n", true, &_init_f_isNull_c0, &_call_f_isNull_c0); methods += new qt_gsi::GenericMethod ("model", "@brief Method const QAbstractXmlNodeModel *QXmlNodeModelIndex::model()\n", true, &_init_f_model_c0, &_call_f_model_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QXmlNodeModelIndex::operator!=(const QXmlNodeModelIndex &other)\n", true, &_init_f_operator_excl__eq__c3090, &_call_f_operator_excl__eq__c3090); + methods += new qt_gsi::GenericMethod ("assign", "@brief Method QXmlNodeModelIndex &QXmlNodeModelIndex::operator=(const QXmlNodeModelIndex &)\n", false, &_init_f_operator_eq__3090, &_call_f_operator_eq__3090); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QXmlNodeModelIndex::operator==(const QXmlNodeModelIndex &other)\n", true, &_init_f_operator_eq__eq__c3090, &_call_f_operator_eq__eq__c3090); methods += new qt_gsi::GenericMethod ("reset", "@brief Method void QXmlNodeModelIndex::reset()\n", false, &_init_f_reset_0, &_call_f_reset_0); return methods; diff --git a/testdata/python/qtbinding.py b/testdata/python/qtbinding.py index 5a37d35eb7..19b5842c2c 100644 --- a/testdata/python/qtbinding.py +++ b/testdata/python/qtbinding.py @@ -649,6 +649,43 @@ def test_54(self): self.assertEqual(item.background(0).color.green, 255) self.assertEqual(item.background(0).color.blue, 0) + def test_55(self): + + # addWidget to QHBoxLayout keeps object managed + window = pya.QDialog() + layout = pya.QHBoxLayout(window) + + w = pya.QPushButton() + oid = str(w) + layout.addWidget(w) + self.assertEqual(str(layout.itemAt(0).widget()), oid) + + # try to kill the object + w = None + + # still there + w = layout.itemAt(0).widget() + self.assertEqual(w._destroyed(), False) + self.assertEqual(str(w), oid) + + # killing the window kills the layout kills the widget + window._destroy() + self.assertEqual(window._destroyed(), True) + self.assertEqual(layout._destroyed(), True) + self.assertEqual(w._destroyed(), True) + + def test_56(self): + + # Creating QImage from binary data + + bstr = b'\x01\x02\x03\x04\x11\x12\x13\x14\x21\x22\x33\x34' + b'\x31\x32\x33\x34\x41\x42\x43\x44\x51\x52\x53\x54' + b'\x61\x62\x63\x64\x71\x72\x73\x74\x81\x82\x83\x84' + b'\x91\x92\x93\x94\xa1\xa2\xa3\xa4\xb1\xb2\xb3\xb4' + + image = pya.QImage(bstr, 3, 4, pya.QImage.Format_ARGB32) + self.assertEqual("%08x" % image.pixel(0, 0), "04030201") + self.assertEqual("%08x" % image.pixel(1, 0), "14131211") + self.assertEqual("%08x" % image.pixel(0, 2), "64636261") + + # run unit tests if __name__ == '__main__': suite = unittest.TestLoader().loadTestsFromTestCase(QtBindingTest) diff --git a/testdata/ruby/qtbinding.rb b/testdata/ruby/qtbinding.rb index 356aaa29ea..7647403f5c 100644 --- a/testdata/ruby/qtbinding.rb +++ b/testdata/ruby/qtbinding.rb @@ -272,21 +272,21 @@ def test_30 label = RBA::QLabel::new(dialog) layout = RBA::QHBoxLayout::new(dialog) layout.addWidget(label) - label.destroy + label._destroy GC.start dialog = RBA::QDialog::new(mw) label = RBA::QLabel::new(dialog) layout = RBA::QHBoxLayout::new(dialog) layout.addWidget(label) - layout.destroy + layout._destroy GC.start dialog = RBA::QDialog::new(mw) label = RBA::QLabel::new(dialog) layout = RBA::QHBoxLayout::new(dialog) layout.addWidget(label) - dialog.destroy + dialog._destroy GC.start dialog = RBA::QDialog::new(mw) @@ -740,7 +740,7 @@ def test_52 img.save(buf, "PNG") assert_equal(buf.data.size > 100, true) - assert_equal(buf.data[0..7].inspect, "\"\\x89PNG\\r\\n\\x1A\\n\"") + assert_equal(buf.data[0..7].unpack("C*"), [0x89, 0x50, 0x4e, 0x47, 0x0d, 0x0a, 0x1a, 0x0a]) end @@ -767,6 +767,51 @@ def test_54 end + def test_55 + + # addWidget to QHBoxLayout keeps object managed + window = RBA::QDialog::new + layout = RBA::QHBoxLayout::new(window) + + w = RBA::QPushButton::new + oid = w.object_id + layout.addWidget(w) + assert_equal(layout.itemAt(0).widget.object_id, oid) + + # try to kill the object + w = nil + GC.start + + # still there + w = layout.itemAt(0).widget + assert_equal(w._destroyed?, false) + assert_equal(w.object_id, oid) + + # killing the window kills the layout kills the widget + window._destroy + assert_equal(window._destroyed?, true) + assert_equal(layout._destroyed?, true) + assert_equal(w._destroyed?, true) + + end + + def test_56 + + # Creating QImage from binary data + + bytes = [ 0x01, 0x02, 0x03, 0x04, 0x11, 0x12, 0x13, 0x14, 0x21, 0x22, 0x33, 0x34, + 0x31, 0x32, 0x33, 0x34, 0x41, 0x42, 0x43, 0x44, 0x51, 0x52, 0x53, 0x54, + 0x61, 0x62, 0x63, 0x64, 0x71, 0x72, 0x73, 0x74, 0x81, 0x82, 0x83, 0x84, + 0x91, 0x92, 0x93, 0x94, 0xa1, 0xa2, 0xa3, 0xa4, 0xb1, 0xb2, 0xb3, 0xb4 ].pack("C*") + + image = RBA::QImage::new(bytes, 3, 4, RBA::QImage::Format_ARGB32) + assert_equal("%08x" % image.pixel(0, 0), "04030201") + assert_equal("%08x" % image.pixel(1, 0), "14131211") + assert_equal("%08x" % image.pixel(0, 2), "64636261") + + + end + end load("test_epilogue.rb") From 494d52b40f2e31fd6bc852ec0b08128fd2681c63 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 26 Mar 2023 00:18:24 +0100 Subject: [PATCH 025/128] Make Ruby LayoutView test robust against display properties of the virtual layout view --- testdata/ruby/layLayoutView.rb | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/testdata/ruby/layLayoutView.rb b/testdata/ruby/layLayoutView.rb index 9ec0bd57c9..11f1942056 100644 --- a/testdata/ruby/layLayoutView.rb +++ b/testdata/ruby/layLayoutView.rb @@ -183,8 +183,9 @@ def test_2 assert_equal(view.has_selection?, false) assert_equal(view.selection_size, 0) - view.set_config("search-range-box", "5") - view.select_from(RBA::DBox::new(-1.0, -1.0, 1.0, 1.0)) + view.set_config("search-range-box", "0") # so the selection becomes independent from resolution and size + view.set_config("search-range", "0") + view.select_from(RBA::DBox::new(-2.5, -2.5, 2.5, 2.5)) assert_equal(selection_changed, 1) assert_equal(view.selection_size, 4) assert_equal(view.has_selection?, true) From ba279519914ed61091614792c24024147ed836ff Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 26 Mar 2023 00:19:21 +0100 Subject: [PATCH 026/128] Regenerating Qt6 bindings with the latest Qt5 enhancements --- src/gsiqt/qt6/QtCore/gsiDeclQAnyStringView.cc | 20 - src/gsiqt/qt6/QtCore/gsiDeclQCalendar.cc | 54 --- src/gsiqt/qt6/QtCore/gsiDeclQCollator.cc | 46 -- src/gsiqt/qt6/QtCore/gsiDeclQDate.cc | 98 ---- src/gsiqt/qt6/QtCore/gsiDeclQDateTime.cc | 98 ---- src/gsiqt/qt6/QtCore/gsiDeclQJsonValueRef.cc | 20 - src/gsiqt/qt6/QtCore/gsiDeclQLocale.cc | 454 ------------------ src/gsiqt/qt6/QtCore/gsiDeclQMetaType.cc | 8 +- src/gsiqt/qt6/QtCore/gsiDeclQProcess.cc | 20 - .../qt6/QtCore/gsiDeclQRegularExpression.cc | 147 ------ .../QtCore/gsiDeclQRegularExpressionMatch.cc | 120 ----- src/gsiqt/qt6/QtCore/gsiDeclQSharedMemory.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQStringMatcher.cc | 46 -- src/gsiqt/qt6/QtCore/gsiDeclQTime.cc | 89 ---- src/gsiqt/qt6/QtCore/gsiDeclQVersionNumber.cc | 23 - .../qt6/QtCore/gsiDeclQXmlStreamAttribute.cc | 80 --- .../qt6/QtCore/gsiDeclQXmlStreamAttributes.cc | 43 -- .../gsiDeclQXmlStreamEntityDeclaration.cc | 80 --- .../gsiDeclQXmlStreamNamespaceDeclaration.cc | 32 -- .../gsiDeclQXmlStreamNotationDeclaration.cc | 48 -- .../qt6/QtCore/gsiDeclQXmlStreamReader.cc | 192 -------- .../qt6/QtCore5Compat/gsiDeclQTextCodec.cc | 40 -- .../qt6/QtCore5Compat/gsiDeclQTextEncoder.cc | 20 - src/gsiqt/qt6/QtGui/gsiDeclQColor.cc | 61 --- src/gsiqt/qt6/QtGui/gsiDeclQGenericPlugin.cc | 6 +- .../qt6/QtGui/gsiDeclQGenericPluginFactory.cc | 2 +- .../qt6/QtGui/gsiDeclQIconEnginePlugin.cc | 6 +- src/gsiqt/qt6/QtGui/gsiDeclQImage.cc | 62 +++ src/gsiqt/qt6/QtGui/gsiDeclQImageIOPlugin.cc | 6 +- .../qt6/QtGui/gsiDeclQOffscreenSurface.cc | 4 +- .../QtGui/gsiDeclQPainter_PixmapFragment.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQWindow.cc | 6 +- .../QtNetwork/gsiDeclQNetworkInformation.cc | 20 - .../gsiDeclQAbstractPrintDialog.cc | 4 +- .../qt6/QtPrintSupport/gsiDeclQPrintDialog.cc | 4 +- .../gsiDeclQPrintPreviewDialog.cc | 4 +- .../gsiDeclQPrintPreviewWidget.cc | 4 +- .../qt6/QtWidgets/gsiDeclQAbstractButton.cc | 4 +- .../qt6/QtWidgets/gsiDeclQAbstractItemView.cc | 4 +- .../QtWidgets/gsiDeclQAbstractScrollArea.cc | 4 +- .../qt6/QtWidgets/gsiDeclQAbstractSlider.cc | 4 +- .../qt6/QtWidgets/gsiDeclQAbstractSpinBox.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQBoxLayout.cc | 6 + .../qt6/QtWidgets/gsiDeclQCalendarWidget.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQCheckBox.cc | 4 +- .../qt6/QtWidgets/gsiDeclQColorDialog.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQColumnView.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQComboBox.cc | 4 +- .../QtWidgets/gsiDeclQCommandLinkButton.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQDateEdit.cc | 4 +- .../qt6/QtWidgets/gsiDeclQDateTimeEdit.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQDial.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQDialog.cc | 4 +- .../qt6/QtWidgets/gsiDeclQDialogButtonBox.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQDockWidget.cc | 4 +- .../qt6/QtWidgets/gsiDeclQDoubleSpinBox.cc | 4 +- .../qt6/QtWidgets/gsiDeclQErrorMessage.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQFileDialog.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQFocusFrame.cc | 4 +- .../qt6/QtWidgets/gsiDeclQFontComboBox.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQFontDialog.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQFormLayout.cc | 12 + src/gsiqt/qt6/QtWidgets/gsiDeclQFrame.cc | 4 +- .../QtWidgets/gsiDeclQGestureRecognizer.cc | 6 +- .../qt6/QtWidgets/gsiDeclQGraphicsView.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGridLayout.cc | 4 + src/gsiqt/qt6/QtWidgets/gsiDeclQGroupBox.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQHeaderView.cc | 4 +- .../qt6/QtWidgets/gsiDeclQInputDialog.cc | 4 +- .../qt6/QtWidgets/gsiDeclQKeySequenceEdit.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQLCDNumber.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQLabel.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQLayout.cc | 1 + src/gsiqt/qt6/QtWidgets/gsiDeclQLineEdit.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQListView.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQListWidget.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQMainWindow.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQMdiArea.cc | 4 +- .../qt6/QtWidgets/gsiDeclQMdiSubWindow.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQMenu.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQMenuBar.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQMessageBox.cc | 4 +- .../qt6/QtWidgets/gsiDeclQPlainTextEdit.cc | 4 +- .../qt6/QtWidgets/gsiDeclQProgressBar.cc | 4 +- .../qt6/QtWidgets/gsiDeclQProgressDialog.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQPushButton.cc | 4 +- .../qt6/QtWidgets/gsiDeclQRadioButton.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQRubberBand.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQScrollArea.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQScrollBar.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQSizeGrip.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQSlider.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQSpinBox.cc | 4 +- .../qt6/QtWidgets/gsiDeclQSplashScreen.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQSplitter.cc | 4 +- .../qt6/QtWidgets/gsiDeclQSplitterHandle.cc | 4 +- .../qt6/QtWidgets/gsiDeclQStackedLayout.cc | 2 + .../qt6/QtWidgets/gsiDeclQStackedWidget.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStatusBar.cc | 4 +- .../qt6/QtWidgets/gsiDeclQStyleFactory.cc | 2 +- .../qt6/QtWidgets/gsiDeclQStylePlugin.cc | 6 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTabBar.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTabWidget.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTableView.cc | 4 +- .../qt6/QtWidgets/gsiDeclQTableWidget.cc | 4 +- .../qt6/QtWidgets/gsiDeclQTextBrowser.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTextEdit.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTimeEdit.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQToolBar.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQToolBox.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQToolButton.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTreeView.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTreeWidget.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQUndoView.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQWidget.cc | 6 +- src/gsiqt/qt6/QtWidgets/gsiDeclQWizard.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQWizardPage.cc | 4 +- 117 files changed, 268 insertions(+), 2032 deletions(-) diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQAnyStringView.cc b/src/gsiqt/qt6/QtCore/gsiDeclQAnyStringView.cc index 9b1c48ec2c..08d0c0db8d 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQAnyStringView.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQAnyStringView.cc @@ -126,25 +126,6 @@ static void _call_ctor_QAnyStringView_1776 (const qt_gsi::GenericStaticMethod * } -// Constructor QAnyStringView::QAnyStringView(QStringView v) - - -static void _init_ctor_QAnyStringView_1559 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("v"); - decl->add_arg (argspec_0); - decl->set_return_new (); -} - -static void _call_ctor_QAnyStringView_1559 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write (new QAnyStringView (arg1)); -} - - // QChar QAnyStringView::back() @@ -353,7 +334,6 @@ static gsi::Methods methods_QAnyStringView () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAnyStringView::QAnyStringView(const QString &str)\nThis method creates an object of class QAnyStringView.", &_init_ctor_QAnyStringView_2025, &_call_ctor_QAnyStringView_2025); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAnyStringView::QAnyStringView(QLatin1String str)\nThis method creates an object of class QAnyStringView.", &_init_ctor_QAnyStringView_1701, &_call_ctor_QAnyStringView_1701); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAnyStringView::QAnyStringView(const QChar &c)\nThis method creates an object of class QAnyStringView.", &_init_ctor_QAnyStringView_1776, &_call_ctor_QAnyStringView_1776); - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAnyStringView::QAnyStringView(QStringView v)\nThis method creates an object of class QAnyStringView.", &_init_ctor_QAnyStringView_1559, &_call_ctor_QAnyStringView_1559); methods += new qt_gsi::GenericMethod ("back", "@brief Method QChar QAnyStringView::back()\n", true, &_init_f_back_c0, &_call_f_back_c0); methods += new qt_gsi::GenericMethod ("data", "@brief Method const void *QAnyStringView::data()\n", true, &_init_f_data_c0, &_call_f_data_c0); methods += new qt_gsi::GenericMethod ("empty", "@brief Method bool QAnyStringView::empty()\n", true, &_init_f_empty_c0, &_call_f_empty_c0); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQCalendar.cc b/src/gsiqt/qt6/QtCore/gsiDeclQCalendar.cc index 21891e4d3a..83cbb95947 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQCalendar.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQCalendar.cc @@ -29,9 +29,7 @@ #include #include -#include #include -#include #include "gsiQt.h" #include "gsiQtCoreCommon.h" #include @@ -92,25 +90,6 @@ static void _call_ctor_QCalendar_1701 (const qt_gsi::GenericStaticMethod * /*dec } -// Constructor QCalendar::QCalendar(QStringView name) - - -static void _init_ctor_QCalendar_1559 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); - decl->set_return_new (); -} - -static void _call_ctor_QCalendar_1559 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write (new QCalendar (arg1)); -} - - // Constructor QCalendar::QCalendar(QCalendar::SystemId id) @@ -174,37 +153,6 @@ static void _call_f_dateFromParts_c3509 (const qt_gsi::GenericMethod * /*decl*/, } -// QString QCalendar::dateTimeToString(QStringView format, const QDateTime &datetime, QDate dateOnly, QTime timeOnly, const QLocale &locale) - - -static void _init_f_dateTimeToString_c7103 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("format"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("datetime"); - decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("dateOnly"); - decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("timeOnly"); - decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("locale"); - decl->add_arg (argspec_4); - decl->set_return (); -} - -static void _call_f_dateTimeToString_c7103 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - const QDateTime &arg2 = gsi::arg_reader() (args, heap); - QDate arg3 = gsi::arg_reader() (args, heap); - QTime arg4 = gsi::arg_reader() (args, heap); - const QLocale &arg5 = gsi::arg_reader() (args, heap); - ret.write ((QString)((QCalendar *)cls)->dateTimeToString (arg1, arg2, arg3, arg4, arg5)); -} - - // int QCalendar::dayOfWeek(QDate date) @@ -642,11 +590,9 @@ static gsi::Methods methods_QCalendar () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCalendar::QCalendar()\nThis method creates an object of class QCalendar.", &_init_ctor_QCalendar_0, &_call_ctor_QCalendar_0); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCalendar::QCalendar(QCalendar::System system)\nThis method creates an object of class QCalendar.", &_init_ctor_QCalendar_2072, &_call_ctor_QCalendar_2072); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCalendar::QCalendar(QLatin1String name)\nThis method creates an object of class QCalendar.", &_init_ctor_QCalendar_1701, &_call_ctor_QCalendar_1701); - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCalendar::QCalendar(QStringView name)\nThis method creates an object of class QCalendar.", &_init_ctor_QCalendar_1559, &_call_ctor_QCalendar_1559); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCalendar::QCalendar(QCalendar::SystemId id)\nThis method creates an object of class QCalendar.", &_init_ctor_QCalendar_2245, &_call_ctor_QCalendar_2245); methods += new qt_gsi::GenericMethod ("dateFromParts", "@brief Method QDate QCalendar::dateFromParts(int year, int month, int day)\n", true, &_init_f_dateFromParts_c2085, &_call_f_dateFromParts_c2085); methods += new qt_gsi::GenericMethod ("dateFromParts", "@brief Method QDate QCalendar::dateFromParts(const QCalendar::YearMonthDay &parts)\n", true, &_init_f_dateFromParts_c3509, &_call_f_dateFromParts_c3509); - methods += new qt_gsi::GenericMethod ("dateTimeToString", "@brief Method QString QCalendar::dateTimeToString(QStringView format, const QDateTime &datetime, QDate dateOnly, QTime timeOnly, const QLocale &locale)\n", true, &_init_f_dateTimeToString_c7103, &_call_f_dateTimeToString_c7103); methods += new qt_gsi::GenericMethod ("dayOfWeek", "@brief Method int QCalendar::dayOfWeek(QDate date)\n", true, &_init_f_dayOfWeek_c899, &_call_f_dayOfWeek_c899); methods += new qt_gsi::GenericMethod ("daysInMonth", "@brief Method int QCalendar::daysInMonth(int month, int year)\n", true, &_init_f_daysInMonth_c1426, &_call_f_daysInMonth_c1426); methods += new qt_gsi::GenericMethod ("daysInYear", "@brief Method int QCalendar::daysInYear(int year)\n", true, &_init_f_daysInYear_c767, &_call_f_daysInYear_c767); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQCollator.cc b/src/gsiqt/qt6/QtCore/gsiDeclQCollator.cc index eecb5d07a2..6ac3006470 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQCollator.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQCollator.cc @@ -155,28 +155,6 @@ static void _call_f_compare_c4770 (const qt_gsi::GenericMethod * /*decl*/, void } -// int QCollator::compare(QStringView s1, QStringView s2) - - -static void _init_f_compare_c3010 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("s1"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("s2"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_compare_c3010 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - QStringView arg2 = gsi::arg_reader() (args, heap); - ret.write ((int)((QCollator *)cls)->compare (arg1, arg2)); -} - - // bool QCollator::ignorePunctuation() @@ -244,28 +222,6 @@ static void _call_f_operator_func__c3942 (const qt_gsi::GenericMethod * /*decl*/ } -// bool QCollator::operator()(QStringView s1, QStringView s2) - - -static void _init_f_operator_func__c3010 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("s1"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("s2"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_operator_func__c3010 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - QStringView arg2 = gsi::arg_reader() (args, heap); - ret.write ((bool)((QCollator *)cls)->operator() (arg1, arg2)); -} - - // QCollator &QCollator::operator=(const QCollator &) @@ -416,12 +372,10 @@ static gsi::Methods methods_QCollator () { methods += new qt_gsi::GenericMethod (":caseSensitivity", "@brief Method Qt::CaseSensitivity QCollator::caseSensitivity()\n", true, &_init_f_caseSensitivity_c0, &_call_f_caseSensitivity_c0); methods += new qt_gsi::GenericMethod ("compare", "@brief Method int QCollator::compare(const QString &s1, const QString &s2)\n", true, &_init_f_compare_c3942, &_call_f_compare_c3942); methods += new qt_gsi::GenericMethod ("compare", "@brief Method int QCollator::compare(const QChar *s1, int len1, const QChar *s2, int len2)\n", true, &_init_f_compare_c4770, &_call_f_compare_c4770); - methods += new qt_gsi::GenericMethod ("compare", "@brief Method int QCollator::compare(QStringView s1, QStringView s2)\n", true, &_init_f_compare_c3010, &_call_f_compare_c3010); methods += new qt_gsi::GenericMethod (":ignorePunctuation", "@brief Method bool QCollator::ignorePunctuation()\n", true, &_init_f_ignorePunctuation_c0, &_call_f_ignorePunctuation_c0); methods += new qt_gsi::GenericMethod (":locale", "@brief Method QLocale QCollator::locale()\n", true, &_init_f_locale_c0, &_call_f_locale_c0); methods += new qt_gsi::GenericMethod (":numericMode", "@brief Method bool QCollator::numericMode()\n", true, &_init_f_numericMode_c0, &_call_f_numericMode_c0); methods += new qt_gsi::GenericMethod ("()", "@brief Method bool QCollator::operator()(const QString &s1, const QString &s2)\n", true, &_init_f_operator_func__c3942, &_call_f_operator_func__c3942); - methods += new qt_gsi::GenericMethod ("()", "@brief Method bool QCollator::operator()(QStringView s1, QStringView s2)\n", true, &_init_f_operator_func__c3010, &_call_f_operator_func__c3010); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QCollator &QCollator::operator=(const QCollator &)\n", false, &_init_f_operator_eq__2226, &_call_f_operator_eq__2226); methods += new qt_gsi::GenericMethod ("setCaseSensitivity|caseSensitivity=", "@brief Method void QCollator::setCaseSensitivity(Qt::CaseSensitivity cs)\n", false, &_init_f_setCaseSensitivity_2324, &_call_f_setCaseSensitivity_2324); methods += new qt_gsi::GenericMethod ("setIgnorePunctuation|ignorePunctuation=", "@brief Method void QCollator::setIgnorePunctuation(bool on)\n", false, &_init_f_setIgnorePunctuation_864, &_call_f_setIgnorePunctuation_864); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQDate.cc b/src/gsiqt/qt6/QtCore/gsiDeclQDate.cc index 0689dc9dc8..3f20ddcfa1 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQDate.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQDate.cc @@ -677,28 +677,6 @@ static void _call_f_toString_c3228 (const qt_gsi::GenericMethod * /*decl*/, void } -// QString QDate::toString(QStringView format, QCalendar cal) - - -static void _init_f_toString_c2762 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("format"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("cal", true, "QCalendar()"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_toString_c2762 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - QCalendar arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QCalendar(), heap); - ret.write ((QString)((QDate *)cls)->toString (arg1, arg2)); -} - - // int QDate::weekNumber(int *yearNum) @@ -786,78 +764,6 @@ static void _call_f_fromJulianDay_986 (const qt_gsi::GenericStaticMethod * /*dec } -// static QDate QDate::fromString(QStringView string, Qt::DateFormat format) - - -static void _init_f_fromString_3199 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("string"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "Qt::TextDate"); - decl->add_arg::target_type & > (argspec_1); - decl->set_return (); -} - -static void _call_f_fromString_3199 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::TextDate), heap); - ret.write ((QDate)QDate::fromString (arg1, qt_gsi::QtToCppAdaptor(arg2).cref())); -} - - -// static QDate QDate::fromString(QStringView string, QStringView format, QCalendar cal) - - -static void _init_f_fromString_4213 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("string"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format"); - decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("cal", true, "QCalendar()"); - decl->add_arg (argspec_2); - decl->set_return (); -} - -static void _call_f_fromString_4213 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - QStringView arg2 = gsi::arg_reader() (args, heap); - QCalendar arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QCalendar(), heap); - ret.write ((QDate)QDate::fromString (arg1, arg2, arg3)); -} - - -// static QDate QDate::fromString(const QString &string, QStringView format, QCalendar cal) - - -static void _init_f_fromString_4679 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("string"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format"); - decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("cal", true, "QCalendar()"); - decl->add_arg (argspec_2); - decl->set_return (); -} - -static void _call_f_fromString_4679 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - QStringView arg2 = gsi::arg_reader() (args, heap); - QCalendar arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QCalendar(), heap); - ret.write ((QDate)QDate::fromString (arg1, arg2, arg3)); -} - - // static QDate QDate::fromString(const QString &string, Qt::DateFormat format) @@ -988,15 +894,11 @@ static gsi::Methods methods_QDate () { methods += new qt_gsi::GenericMethod ("toJulianDay", "@brief Method qint64 QDate::toJulianDay()\n", true, &_init_f_toJulianDay_c0, &_call_f_toJulianDay_c0); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QDate::toString(Qt::DateFormat format)\n", true, &_init_f_toString_c1748, &_call_f_toString_c1748); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QDate::toString(const QString &format, QCalendar cal)\n", true, &_init_f_toString_c3228, &_call_f_toString_c3228); - methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QDate::toString(QStringView format, QCalendar cal)\n", true, &_init_f_toString_c2762, &_call_f_toString_c2762); methods += new qt_gsi::GenericMethod ("weekNumber", "@brief Method int QDate::weekNumber(int *yearNum)\n", true, &_init_f_weekNumber_c953, &_call_f_weekNumber_c953); methods += new qt_gsi::GenericMethod ("year", "@brief Method int QDate::year()\n", true, &_init_f_year_c0, &_call_f_year_c0); methods += new qt_gsi::GenericMethod ("year", "@brief Method int QDate::year(QCalendar cal)\n", true, &_init_f_year_c1311, &_call_f_year_c1311); methods += new qt_gsi::GenericStaticMethod ("currentDate", "@brief Static method QDate QDate::currentDate()\nThis method is static and can be called without an instance.", &_init_f_currentDate_0, &_call_f_currentDate_0); methods += new qt_gsi::GenericStaticMethod ("fromJulianDay", "@brief Static method QDate QDate::fromJulianDay(qint64 jd_)\nThis method is static and can be called without an instance.", &_init_f_fromJulianDay_986, &_call_f_fromJulianDay_986); - methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QDate QDate::fromString(QStringView string, Qt::DateFormat format)\nThis method is static and can be called without an instance.", &_init_f_fromString_3199, &_call_f_fromString_3199); - methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QDate QDate::fromString(QStringView string, QStringView format, QCalendar cal)\nThis method is static and can be called without an instance.", &_init_f_fromString_4213, &_call_f_fromString_4213); - methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QDate QDate::fromString(const QString &string, QStringView format, QCalendar cal)\nThis method is static and can be called without an instance.", &_init_f_fromString_4679, &_call_f_fromString_4679); methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QDate QDate::fromString(const QString &string, Qt::DateFormat format)\nThis method is static and can be called without an instance.", &_init_f_fromString_3665, &_call_f_fromString_3665); methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QDate QDate::fromString(const QString &string, const QString &format, QCalendar cal)\nThis method is static and can be called without an instance.", &_init_f_fromString_5145, &_call_f_fromString_5145); methods += new qt_gsi::GenericStaticMethod ("isLeapYear?", "@brief Static method bool QDate::isLeapYear(int year)\nThis method is static and can be called without an instance.", &_init_f_isLeapYear_767, &_call_f_isLeapYear_767); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQDateTime.cc b/src/gsiqt/qt6/QtCore/gsiDeclQDateTime.cc index 3855814143..b20fdfe2ba 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQDateTime.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQDateTime.cc @@ -697,28 +697,6 @@ static void _call_f_toString_c3228 (const qt_gsi::GenericMethod * /*decl*/, void } -// QString QDateTime::toString(QStringView format, QCalendar cal) - - -static void _init_f_toString_c2762 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("format"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("cal", true, "QCalendar()"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_toString_c2762 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - QCalendar arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QCalendar(), heap); - ret.write ((QString)((QDateTime *)cls)->toString (arg1, arg2)); -} - - // QDateTime QDateTime::toTimeSpec(Qt::TimeSpec spec) @@ -926,78 +904,6 @@ static void _call_f_fromSecsSinceEpoch_3083 (const qt_gsi::GenericStaticMethod * } -// static QDateTime QDateTime::fromString(QStringView string, Qt::DateFormat format) - - -static void _init_f_fromString_3199 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("string"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "Qt::TextDate"); - decl->add_arg::target_type & > (argspec_1); - decl->set_return (); -} - -static void _call_f_fromString_3199 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::TextDate), heap); - ret.write ((QDateTime)QDateTime::fromString (arg1, qt_gsi::QtToCppAdaptor(arg2).cref())); -} - - -// static QDateTime QDateTime::fromString(QStringView string, QStringView format, QCalendar cal) - - -static void _init_f_fromString_4213 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("string"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format"); - decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("cal", true, "QCalendar()"); - decl->add_arg (argspec_2); - decl->set_return (); -} - -static void _call_f_fromString_4213 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - QStringView arg2 = gsi::arg_reader() (args, heap); - QCalendar arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QCalendar(), heap); - ret.write ((QDateTime)QDateTime::fromString (arg1, arg2, arg3)); -} - - -// static QDateTime QDateTime::fromString(const QString &string, QStringView format, QCalendar cal) - - -static void _init_f_fromString_4679 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("string"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format"); - decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("cal", true, "QCalendar()"); - decl->add_arg (argspec_2); - decl->set_return (); -} - -static void _call_f_fromString_4679 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - QStringView arg2 = gsi::arg_reader() (args, heap); - QCalendar arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (QCalendar(), heap); - ret.write ((QDateTime)QDateTime::fromString (arg1, arg2, arg3)); -} - - // static QDateTime QDateTime::fromString(const QString &string, Qt::DateFormat format) @@ -1087,7 +993,6 @@ static gsi::Methods methods_QDateTime () { methods += new qt_gsi::GenericMethod ("toSecsSinceEpoch", "@brief Method qint64 QDateTime::toSecsSinceEpoch()\n", true, &_init_f_toSecsSinceEpoch_c0, &_call_f_toSecsSinceEpoch_c0); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QDateTime::toString(Qt::DateFormat format)\n", true, &_init_f_toString_c1748, &_call_f_toString_c1748); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QDateTime::toString(const QString &format, QCalendar cal)\n", true, &_init_f_toString_c3228, &_call_f_toString_c3228); - methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QDateTime::toString(QStringView format, QCalendar cal)\n", true, &_init_f_toString_c2762, &_call_f_toString_c2762); methods += new qt_gsi::GenericMethod ("toTimeSpec", "@brief Method QDateTime QDateTime::toTimeSpec(Qt::TimeSpec spec)\n", true, &_init_f_toTimeSpec_c1543, &_call_f_toTimeSpec_c1543); methods += new qt_gsi::GenericMethod ("toTimeZone", "@brief Method QDateTime QDateTime::toTimeZone(const QTimeZone &toZone)\n", true, &_init_f_toTimeZone_c2205, &_call_f_toTimeZone_c2205); methods += new qt_gsi::GenericMethod ("toUTC", "@brief Method QDateTime QDateTime::toUTC()\n", true, &_init_f_toUTC_c0, &_call_f_toUTC_c0); @@ -1099,9 +1004,6 @@ static gsi::Methods methods_QDateTime () { methods += new qt_gsi::GenericStaticMethod ("fromMSecsSinceEpoch", "@brief Static method QDateTime QDateTime::fromMSecsSinceEpoch(qint64 msecs, const QTimeZone &timeZone)\nThis method is static and can be called without an instance.", &_init_f_fromMSecsSinceEpoch_3083, &_call_f_fromMSecsSinceEpoch_3083); methods += new qt_gsi::GenericStaticMethod ("fromSecsSinceEpoch", "@brief Static method QDateTime QDateTime::fromSecsSinceEpoch(qint64 secs, Qt::TimeSpec spec, int offsetFromUtc)\nThis method is static and can be called without an instance.", &_init_f_fromSecsSinceEpoch_3080, &_call_f_fromSecsSinceEpoch_3080); methods += new qt_gsi::GenericStaticMethod ("fromSecsSinceEpoch", "@brief Static method QDateTime QDateTime::fromSecsSinceEpoch(qint64 secs, const QTimeZone &timeZone)\nThis method is static and can be called without an instance.", &_init_f_fromSecsSinceEpoch_3083, &_call_f_fromSecsSinceEpoch_3083); - methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QDateTime QDateTime::fromString(QStringView string, Qt::DateFormat format)\nThis method is static and can be called without an instance.", &_init_f_fromString_3199, &_call_f_fromString_3199); - methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QDateTime QDateTime::fromString(QStringView string, QStringView format, QCalendar cal)\nThis method is static and can be called without an instance.", &_init_f_fromString_4213, &_call_f_fromString_4213); - methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QDateTime QDateTime::fromString(const QString &string, QStringView format, QCalendar cal)\nThis method is static and can be called without an instance.", &_init_f_fromString_4679, &_call_f_fromString_4679); methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QDateTime QDateTime::fromString(const QString &string, Qt::DateFormat format)\nThis method is static and can be called without an instance.", &_init_f_fromString_3665, &_call_f_fromString_3665); methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QDateTime QDateTime::fromString(const QString &string, const QString &format, QCalendar cal)\nThis method is static and can be called without an instance.", &_init_f_fromString_5145, &_call_f_fromString_5145); return methods; diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQJsonValueRef.cc b/src/gsiqt/qt6/QtCore/gsiDeclQJsonValueRef.cc index ee9840c427..c623930d72 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQJsonValueRef.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQJsonValueRef.cc @@ -282,25 +282,6 @@ static void _call_f_operator_eq__eq__c2313 (const qt_gsi::GenericMethod * /*decl } -// const QJsonValue QJsonValueRef::operator[](QStringView key) - - -static void _init_f_operator_index__c1559 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("key"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_operator_index__c1559 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write ((const QJsonValue)((QJsonValueRef *)cls)->operator[] (arg1)); -} - - // const QJsonValue QJsonValueRef::operator[](QLatin1String key) @@ -514,7 +495,6 @@ static gsi::Methods methods_QJsonValueRef () { methods += new qt_gsi::GenericMethod ("assign", "@brief Method QJsonValueRef &QJsonValueRef::operator =(const QJsonValueRef &val)\n", false, &_init_f_operator_eq__2598, &_call_f_operator_eq__2598); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QJsonValueRef::operator!=(const QJsonValue &other)\n", true, &_init_f_operator_excl__eq__c2313, &_call_f_operator_excl__eq__c2313); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QJsonValueRef::operator==(const QJsonValue &other)\n", true, &_init_f_operator_eq__eq__c2313, &_call_f_operator_eq__eq__c2313); - methods += new qt_gsi::GenericMethod ("[]", "@brief Method const QJsonValue QJsonValueRef::operator[](QStringView key)\n", true, &_init_f_operator_index__c1559, &_call_f_operator_index__c1559); methods += new qt_gsi::GenericMethod ("[]", "@brief Method const QJsonValue QJsonValueRef::operator[](QLatin1String key)\n", true, &_init_f_operator_index__c1701, &_call_f_operator_index__c1701); methods += new qt_gsi::GenericMethod ("[]", "@brief Method const QJsonValue QJsonValueRef::operator[](qsizetype i)\n", true, &_init_f_operator_index__c1442, &_call_f_operator_index__c1442); methods += new qt_gsi::GenericMethod ("toArray", "@brief Method QJsonArray QJsonValueRef::toArray()\n", true, &_init_f_toArray_c0, &_call_f_toArray_c0); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQLocale.cc b/src/gsiqt/qt6/QtCore/gsiDeclQLocale.cc index 743fb82efa..645a24107c 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQLocale.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQLocale.cc @@ -610,28 +610,6 @@ static void _call_f_quoteString_c4635 (const qt_gsi::GenericMethod * /*decl*/, v } -// QString QLocale::quoteString(QStringView str, QLocale::QuotationStyle style) - - -static void _init_f_quoteString_c4169 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("str"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("style", true, "QLocale::StandardQuotation"); - decl->add_arg::target_type & > (argspec_1); - decl->set_return (); -} - -static void _call_f_quoteString_c4169 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QLocale::StandardQuotation), heap); - ret.write ((QString)((QLocale *)cls)->quoteString (arg1, qt_gsi::QtToCppAdaptor(arg2).cref())); -} - - // QLocale::Script QLocale::script() @@ -1172,28 +1150,6 @@ static void _call_f_toDouble_c2967 (const qt_gsi::GenericMethod * /*decl*/, void } -// double QLocale::toDouble(QStringView s, bool *ok) - - -static void _init_f_toDouble_c2501 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("s"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_toDouble_c2501 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); - ret.write ((double)((QLocale *)cls)->toDouble (arg1, arg2)); -} - - // float QLocale::toFloat(const QString &s, bool *ok) @@ -1216,28 +1172,6 @@ static void _call_f_toFloat_c2967 (const qt_gsi::GenericMethod * /*decl*/, void } -// float QLocale::toFloat(QStringView s, bool *ok) - - -static void _init_f_toFloat_c2501 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("s"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_toFloat_c2501 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); - ret.write ((float)((QLocale *)cls)->toFloat (arg1, arg2)); -} - - // int QLocale::toInt(const QString &s, bool *ok) @@ -1260,28 +1194,6 @@ static void _call_f_toInt_c2967 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// int QLocale::toInt(QStringView s, bool *ok) - - -static void _init_f_toInt_c2501 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("s"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_toInt_c2501 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); - ret.write ((int)((QLocale *)cls)->toInt (arg1, arg2)); -} - - // long int QLocale::toLong(const QString &s, bool *ok) @@ -1304,28 +1216,6 @@ static void _call_f_toLong_c2967 (const qt_gsi::GenericMethod * /*decl*/, void * } -// long int QLocale::toLong(QStringView s, bool *ok) - - -static void _init_f_toLong_c2501 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("s"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_toLong_c2501 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); - ret.write ((long int)((QLocale *)cls)->toLong (arg1, arg2)); -} - - // qlonglong QLocale::toLongLong(const QString &s, bool *ok) @@ -1348,28 +1238,6 @@ static void _call_f_toLongLong_c2967 (const qt_gsi::GenericMethod * /*decl*/, vo } -// qlonglong QLocale::toLongLong(QStringView s, bool *ok) - - -static void _init_f_toLongLong_c2501 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("s"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_toLongLong_c2501 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); - ret.write ((qlonglong)((QLocale *)cls)->toLongLong (arg1, arg2)); -} - - // QString QLocale::toLower(const QString &str) @@ -1411,28 +1279,6 @@ static void _call_f_toShort_c2967 (const qt_gsi::GenericMethod * /*decl*/, void } -// short int QLocale::toShort(QStringView s, bool *ok) - - -static void _init_f_toShort_c2501 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("s"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_toShort_c2501 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); - ret.write ((short int)((QLocale *)cls)->toShort (arg1, arg2)); -} - - // QString QLocale::toString(qlonglong i) @@ -1701,72 +1547,6 @@ static void _call_f_toString_c4092 (const qt_gsi::GenericMethod * /*decl*/, void } -// QString QLocale::toString(QDate date, QStringView format) - - -static void _init_f_toString_c2350 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("date"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_toString_c2350 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QDate arg1 = gsi::arg_reader() (args, heap); - QStringView arg2 = gsi::arg_reader() (args, heap); - ret.write ((QString)((QLocale *)cls)->toString (arg1, arg2)); -} - - -// QString QLocale::toString(QTime time, QStringView format) - - -static void _init_f_toString_c2367 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("time"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_toString_c2367 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QTime arg1 = gsi::arg_reader() (args, heap); - QStringView arg2 = gsi::arg_reader() (args, heap); - ret.write ((QString)((QLocale *)cls)->toString (arg1, arg2)); -} - - -// QString QLocale::toString(const QDateTime &dateTime, QStringView format) - - -static void _init_f_toString_c3626 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("dateTime"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_toString_c3626 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QDateTime &arg1 = gsi::arg_reader() (args, heap); - QStringView arg2 = gsi::arg_reader() (args, heap); - ret.write ((QString)((QLocale *)cls)->toString (arg1, arg2)); -} - - // QString QLocale::toString(QDate date, QLocale::FormatType format) @@ -1833,31 +1613,6 @@ static void _call_f_toString_c4327 (const qt_gsi::GenericMethod * /*decl*/, void } -// QString QLocale::toString(QDate date, QStringView format, QCalendar cal) - - -static void _init_f_toString_c3553 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("date"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format"); - decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("cal"); - decl->add_arg (argspec_2); - decl->set_return (); -} - -static void _call_f_toString_c3553 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QDate arg1 = gsi::arg_reader() (args, heap); - QStringView arg2 = gsi::arg_reader() (args, heap); - QCalendar arg3 = gsi::arg_reader() (args, heap); - ret.write ((QString)((QLocale *)cls)->toString (arg1, arg2, arg3)); -} - - // QString QLocale::toString(QDate date, QLocale::FormatType format, QCalendar cal) @@ -1908,31 +1663,6 @@ static void _call_f_toString_c5530 (const qt_gsi::GenericMethod * /*decl*/, void } -// QString QLocale::toString(const QDateTime &dateTime, QStringView format, QCalendar cal) - - -static void _init_f_toString_c4829 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("dateTime"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format"); - decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("cal"); - decl->add_arg (argspec_2); - decl->set_return (); -} - -static void _call_f_toString_c4829 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QDateTime &arg1 = gsi::arg_reader() (args, heap); - QStringView arg2 = gsi::arg_reader() (args, heap); - QCalendar arg3 = gsi::arg_reader() (args, heap); - ret.write ((QString)((QLocale *)cls)->toString (arg1, arg2, arg3)); -} - - // QTime QLocale::toTime(const QString &string, QLocale::FormatType) @@ -1999,28 +1729,6 @@ static void _call_f_toUInt_c2967 (const qt_gsi::GenericMethod * /*decl*/, void * } -// unsigned int QLocale::toUInt(QStringView s, bool *ok) - - -static void _init_f_toUInt_c2501 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("s"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_toUInt_c2501 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); - ret.write ((unsigned int)((QLocale *)cls)->toUInt (arg1, arg2)); -} - - // unsigned long int QLocale::toULong(const QString &s, bool *ok) @@ -2043,28 +1751,6 @@ static void _call_f_toULong_c2967 (const qt_gsi::GenericMethod * /*decl*/, void } -// unsigned long int QLocale::toULong(QStringView s, bool *ok) - - -static void _init_f_toULong_c2501 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("s"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_toULong_c2501 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); - ret.write ((unsigned long int)((QLocale *)cls)->toULong (arg1, arg2)); -} - - // qulonglong QLocale::toULongLong(const QString &s, bool *ok) @@ -2087,28 +1773,6 @@ static void _call_f_toULongLong_c2967 (const qt_gsi::GenericMethod * /*decl*/, v } -// qulonglong QLocale::toULongLong(QStringView s, bool *ok) - - -static void _init_f_toULongLong_c2501 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("s"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_toULongLong_c2501 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); - ret.write ((qulonglong)((QLocale *)cls)->toULongLong (arg1, arg2)); -} - - // unsigned short int QLocale::toUShort(const QString &s, bool *ok) @@ -2131,28 +1795,6 @@ static void _call_f_toUShort_c2967 (const qt_gsi::GenericMethod * /*decl*/, void } -// unsigned short int QLocale::toUShort(QStringView s, bool *ok) - - -static void _init_f_toUShort_c2501 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("s"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("ok", true, "nullptr"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_toUShort_c2501 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - bool *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); - ret.write ((unsigned short int)((QLocale *)cls)->toUShort (arg1, arg2)); -} - - // QString QLocale::toUpper(const QString &str) @@ -2232,82 +1874,6 @@ static void _call_f_c_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::Seri } -// static QLocale::Country QLocale::codeToCountry(QStringView countryCode) - - -static void _init_f_codeToCountry_1559 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("countryCode"); - decl->add_arg (argspec_0); - decl->set_return::target_type > (); -} - -static void _call_f_codeToCountry_1559 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(QLocale::codeToCountry (arg1))); -} - - -// static QLocale::Language QLocale::codeToLanguage(QStringView languageCode) - - -static void _init_f_codeToLanguage_1559 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("languageCode"); - decl->add_arg (argspec_0); - decl->set_return::target_type > (); -} - -static void _call_f_codeToLanguage_1559 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(QLocale::codeToLanguage (arg1))); -} - - -// static QLocale::Script QLocale::codeToScript(QStringView scriptCode) - - -static void _init_f_codeToScript_1559 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("scriptCode"); - decl->add_arg (argspec_0); - decl->set_return::target_type > (); -} - -static void _call_f_codeToScript_1559 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write::target_type > ((qt_gsi::Converter::target_type)qt_gsi::CppToQtAdaptor(QLocale::codeToScript (arg1))); -} - - -// static QLocale::Territory QLocale::codeToTerritory(QStringView territoryCode) - - -static void _init_f_codeToTerritory_1559 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("territoryCode"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_codeToTerritory_1559 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write ((QLocale::Territory)QLocale::codeToTerritory (arg1)); -} - - // static QList QLocale::countriesForLanguage(QLocale::Language lang) @@ -2578,7 +2144,6 @@ static gsi::Methods methods_QLocale () { methods += new qt_gsi::GenericMethod ("pmText", "@brief Method QString QLocale::pmText()\n", true, &_init_f_pmText_c0, &_call_f_pmText_c0); methods += new qt_gsi::GenericMethod ("positiveSign", "@brief Method QString QLocale::positiveSign()\n", true, &_init_f_positiveSign_c0, &_call_f_positiveSign_c0); methods += new qt_gsi::GenericMethod ("quoteString", "@brief Method QString QLocale::quoteString(const QString &str, QLocale::QuotationStyle style)\n", true, &_init_f_quoteString_c4635, &_call_f_quoteString_c4635); - methods += new qt_gsi::GenericMethod ("quoteString", "@brief Method QString QLocale::quoteString(QStringView str, QLocale::QuotationStyle style)\n", true, &_init_f_quoteString_c4169, &_call_f_quoteString_c4169); methods += new qt_gsi::GenericMethod ("script", "@brief Method QLocale::Script QLocale::script()\n", true, &_init_f_script_c0, &_call_f_script_c0); methods += new qt_gsi::GenericMethod ("setNumberOptions|numberOptions=", "@brief Method void QLocale::setNumberOptions(QFlags options)\n", false, &_init_f_setNumberOptions_3171, &_call_f_setNumberOptions_3171); methods += new qt_gsi::GenericMethod ("standaloneDayName", "@brief Method QString QLocale::standaloneDayName(int, QLocale::FormatType format)\n", true, &_init_f_standaloneDayName_c2919, &_call_f_standaloneDayName_c2919); @@ -2604,18 +2169,12 @@ static gsi::Methods methods_QLocale () { methods += new qt_gsi::GenericMethod ("toDateTime", "@brief Method QDateTime QLocale::toDateTime(const QString &string, QLocale::FormatType format, QCalendar cal)\n", true, &_init_f_toDateTime_c5380, &_call_f_toDateTime_c5380); methods += new qt_gsi::GenericMethod ("toDateTime", "@brief Method QDateTime QLocale::toDateTime(const QString &string, const QString &format, QCalendar cal)\n", true, &_init_f_toDateTime_c5145, &_call_f_toDateTime_c5145); methods += new qt_gsi::GenericMethod ("toDouble", "@brief Method double QLocale::toDouble(const QString &s, bool *ok)\n", true, &_init_f_toDouble_c2967, &_call_f_toDouble_c2967); - methods += new qt_gsi::GenericMethod ("toDouble", "@brief Method double QLocale::toDouble(QStringView s, bool *ok)\n", true, &_init_f_toDouble_c2501, &_call_f_toDouble_c2501); methods += new qt_gsi::GenericMethod ("toFloat", "@brief Method float QLocale::toFloat(const QString &s, bool *ok)\n", true, &_init_f_toFloat_c2967, &_call_f_toFloat_c2967); - methods += new qt_gsi::GenericMethod ("toFloat", "@brief Method float QLocale::toFloat(QStringView s, bool *ok)\n", true, &_init_f_toFloat_c2501, &_call_f_toFloat_c2501); methods += new qt_gsi::GenericMethod ("toInt", "@brief Method int QLocale::toInt(const QString &s, bool *ok)\n", true, &_init_f_toInt_c2967, &_call_f_toInt_c2967); - methods += new qt_gsi::GenericMethod ("toInt", "@brief Method int QLocale::toInt(QStringView s, bool *ok)\n", true, &_init_f_toInt_c2501, &_call_f_toInt_c2501); methods += new qt_gsi::GenericMethod ("toLong", "@brief Method long int QLocale::toLong(const QString &s, bool *ok)\n", true, &_init_f_toLong_c2967, &_call_f_toLong_c2967); - methods += new qt_gsi::GenericMethod ("toLong", "@brief Method long int QLocale::toLong(QStringView s, bool *ok)\n", true, &_init_f_toLong_c2501, &_call_f_toLong_c2501); methods += new qt_gsi::GenericMethod ("toLongLong", "@brief Method qlonglong QLocale::toLongLong(const QString &s, bool *ok)\n", true, &_init_f_toLongLong_c2967, &_call_f_toLongLong_c2967); - methods += new qt_gsi::GenericMethod ("toLongLong", "@brief Method qlonglong QLocale::toLongLong(QStringView s, bool *ok)\n", true, &_init_f_toLongLong_c2501, &_call_f_toLongLong_c2501); methods += new qt_gsi::GenericMethod ("toLower", "@brief Method QString QLocale::toLower(const QString &str)\n", true, &_init_f_toLower_c2025, &_call_f_toLower_c2025); methods += new qt_gsi::GenericMethod ("toShort", "@brief Method short int QLocale::toShort(const QString &s, bool *ok)\n", true, &_init_f_toShort_c2967, &_call_f_toShort_c2967); - methods += new qt_gsi::GenericMethod ("toShort", "@brief Method short int QLocale::toShort(QStringView s, bool *ok)\n", true, &_init_f_toShort_c2501, &_call_f_toShort_c2501); methods += new qt_gsi::GenericMethod ("toString_ll", "@brief Method QString QLocale::toString(qlonglong i)\n", true, &_init_f_toString_c1413, &_call_f_toString_c1413); methods += new qt_gsi::GenericMethod ("toString_ull", "@brief Method QString QLocale::toString(qulonglong i)\n", true, &_init_f_toString_c1530, &_call_f_toString_c1530); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(long int i)\n", true, &_init_f_toString_c1343, &_call_f_toString_c1343); @@ -2629,35 +2188,22 @@ static gsi::Methods methods_QLocale () { methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(QDate date, const QString &format)\n", true, &_init_f_toString_c2816, &_call_f_toString_c2816); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(QTime time, const QString &format)\n", true, &_init_f_toString_c2833, &_call_f_toString_c2833); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(const QDateTime &dateTime, const QString &format)\n", true, &_init_f_toString_c4092, &_call_f_toString_c4092); - methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(QDate date, QStringView format)\n", true, &_init_f_toString_c2350, &_call_f_toString_c2350); - methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(QTime time, QStringView format)\n", true, &_init_f_toString_c2367, &_call_f_toString_c2367); - methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(const QDateTime &dateTime, QStringView format)\n", true, &_init_f_toString_c3626, &_call_f_toString_c3626); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(QDate date, QLocale::FormatType format)\n", true, &_init_f_toString_c3051, &_call_f_toString_c3051); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(QTime time, QLocale::FormatType format)\n", true, &_init_f_toString_c3068, &_call_f_toString_c3068); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(const QDateTime &dateTime, QLocale::FormatType format)\n", true, &_init_f_toString_c4327, &_call_f_toString_c4327); - methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(QDate date, QStringView format, QCalendar cal)\n", true, &_init_f_toString_c3553, &_call_f_toString_c3553); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(QDate date, QLocale::FormatType format, QCalendar cal)\n", true, &_init_f_toString_c4254, &_call_f_toString_c4254); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(const QDateTime &dateTime, QLocale::FormatType format, QCalendar cal)\n", true, &_init_f_toString_c5530, &_call_f_toString_c5530); - methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QLocale::toString(const QDateTime &dateTime, QStringView format, QCalendar cal)\n", true, &_init_f_toString_c4829, &_call_f_toString_c4829); methods += new qt_gsi::GenericMethod ("toTime", "@brief Method QTime QLocale::toTime(const QString &string, QLocale::FormatType)\n", true, &_init_f_toTime_c4177, &_call_f_toTime_c4177); methods += new qt_gsi::GenericMethod ("toTime", "@brief Method QTime QLocale::toTime(const QString &string, const QString &format)\n", true, &_init_f_toTime_c3942, &_call_f_toTime_c3942); methods += new qt_gsi::GenericMethod ("toUInt", "@brief Method unsigned int QLocale::toUInt(const QString &s, bool *ok)\n", true, &_init_f_toUInt_c2967, &_call_f_toUInt_c2967); - methods += new qt_gsi::GenericMethod ("toUInt", "@brief Method unsigned int QLocale::toUInt(QStringView s, bool *ok)\n", true, &_init_f_toUInt_c2501, &_call_f_toUInt_c2501); methods += new qt_gsi::GenericMethod ("toULong", "@brief Method unsigned long int QLocale::toULong(const QString &s, bool *ok)\n", true, &_init_f_toULong_c2967, &_call_f_toULong_c2967); - methods += new qt_gsi::GenericMethod ("toULong", "@brief Method unsigned long int QLocale::toULong(QStringView s, bool *ok)\n", true, &_init_f_toULong_c2501, &_call_f_toULong_c2501); methods += new qt_gsi::GenericMethod ("toULongLong", "@brief Method qulonglong QLocale::toULongLong(const QString &s, bool *ok)\n", true, &_init_f_toULongLong_c2967, &_call_f_toULongLong_c2967); - methods += new qt_gsi::GenericMethod ("toULongLong", "@brief Method qulonglong QLocale::toULongLong(QStringView s, bool *ok)\n", true, &_init_f_toULongLong_c2501, &_call_f_toULongLong_c2501); methods += new qt_gsi::GenericMethod ("toUShort", "@brief Method unsigned short int QLocale::toUShort(const QString &s, bool *ok)\n", true, &_init_f_toUShort_c2967, &_call_f_toUShort_c2967); - methods += new qt_gsi::GenericMethod ("toUShort", "@brief Method unsigned short int QLocale::toUShort(QStringView s, bool *ok)\n", true, &_init_f_toUShort_c2501, &_call_f_toUShort_c2501); methods += new qt_gsi::GenericMethod ("toUpper", "@brief Method QString QLocale::toUpper(const QString &str)\n", true, &_init_f_toUpper_c2025, &_call_f_toUpper_c2025); methods += new qt_gsi::GenericMethod ("uiLanguages", "@brief Method QStringList QLocale::uiLanguages()\n", true, &_init_f_uiLanguages_c0, &_call_f_uiLanguages_c0); methods += new qt_gsi::GenericMethod ("weekdays", "@brief Method QList QLocale::weekdays()\n", true, &_init_f_weekdays_c0, &_call_f_weekdays_c0); methods += new qt_gsi::GenericMethod ("zeroDigit", "@brief Method QString QLocale::zeroDigit()\n", true, &_init_f_zeroDigit_c0, &_call_f_zeroDigit_c0); methods += new qt_gsi::GenericStaticMethod ("c", "@brief Static method QLocale QLocale::c()\nThis method is static and can be called without an instance.", &_init_f_c_0, &_call_f_c_0); - methods += new qt_gsi::GenericStaticMethod ("codeToCountry", "@brief Static method QLocale::Country QLocale::codeToCountry(QStringView countryCode)\nThis method is static and can be called without an instance.", &_init_f_codeToCountry_1559, &_call_f_codeToCountry_1559); - methods += new qt_gsi::GenericStaticMethod ("codeToLanguage", "@brief Static method QLocale::Language QLocale::codeToLanguage(QStringView languageCode)\nThis method is static and can be called without an instance.", &_init_f_codeToLanguage_1559, &_call_f_codeToLanguage_1559); - methods += new qt_gsi::GenericStaticMethod ("codeToScript", "@brief Static method QLocale::Script QLocale::codeToScript(QStringView scriptCode)\nThis method is static and can be called without an instance.", &_init_f_codeToScript_1559, &_call_f_codeToScript_1559); - methods += new qt_gsi::GenericStaticMethod ("codeToTerritory", "@brief Static method QLocale::Territory QLocale::codeToTerritory(QStringView territoryCode)\nThis method is static and can be called without an instance.", &_init_f_codeToTerritory_1559, &_call_f_codeToTerritory_1559); methods += new qt_gsi::GenericStaticMethod ("countriesForLanguage", "@brief Static method QList QLocale::countriesForLanguage(QLocale::Language lang)\nThis method is static and can be called without an instance.", &_init_f_countriesForLanguage_2029, &_call_f_countriesForLanguage_2029); methods += new qt_gsi::GenericStaticMethod ("countryToCode", "@brief Static method QString QLocale::countryToCode(QLocale::Country country)\nThis method is static and can be called without an instance.", &_init_f_countryToCode_1981, &_call_f_countryToCode_1981); methods += new qt_gsi::GenericStaticMethod ("countryToString", "@brief Static method QString QLocale::countryToString(QLocale::Country country)\nThis method is static and can be called without an instance.", &_init_f_countryToString_1981, &_call_f_countryToString_1981); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMetaType.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMetaType.cc index 6666750d33..f3afaca5ef 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMetaType.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMetaType.cc @@ -1080,9 +1080,9 @@ static gsi::Methods methods_QMetaType () { methods += new qt_gsi::GenericMethod ("alignOf", "@brief Method qsizetype QMetaType::alignOf()\n", true, &_init_f_alignOf_c0, &_call_f_alignOf_c0); methods += new qt_gsi::GenericMethod ("compare", "@brief Method QPartialOrdering QMetaType::compare(const void *lhs, const void *rhs)\n", true, &_init_f_compare_c3394, &_call_f_compare_c3394); methods += new qt_gsi::GenericMethod ("construct", "@brief Method void *QMetaType::construct(void *where, const void *copy)\n", true, &_init_f_construct_c2699, &_call_f_construct_c2699); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Method void *QMetaType::create(const void *copy)\n", true, &_init_f_create_c1751, &_call_f_create_c1751); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method void *QMetaType::create(const void *copy)\n", true, &_init_f_create_c1751, &_call_f_create_c1751); methods += new qt_gsi::GenericMethod ("debugStream", "@brief Method bool QMetaType::debugStream(QDebug &dbg, const void *rhs)\n", false, &_init_f_debugStream_2829, &_call_f_debugStream_2829); - methods += new qt_gsi::GenericMethod ("qt_destroy", "@brief Method void QMetaType::destroy(void *data)\n", true, &_init_f_destroy_c1056, &_call_f_destroy_c1056); + methods += new qt_gsi::GenericMethod ("destroy|qt_destroy", "@brief Method void QMetaType::destroy(void *data)\n", true, &_init_f_destroy_c1056, &_call_f_destroy_c1056); methods += new qt_gsi::GenericMethod ("destruct", "@brief Method void QMetaType::destruct(void *data)\n", true, &_init_f_destruct_c1056, &_call_f_destruct_c1056); methods += new qt_gsi::GenericMethod ("equals", "@brief Method bool QMetaType::equals(const void *lhs, const void *rhs)\n", true, &_init_f_equals_c3394, &_call_f_equals_c3394); methods += new qt_gsi::GenericMethod ("flags", "@brief Method QFlags QMetaType::flags()\n", true, &_init_f_flags_c0, &_call_f_flags_c0); @@ -1103,9 +1103,9 @@ static gsi::Methods methods_QMetaType () { methods += new qt_gsi::GenericStaticMethod ("construct", "@brief Static method void *QMetaType::construct(int type, void *where, const void *copy)\nThis method is static and can be called without an instance.", &_init_f_construct_3358, &_call_f_construct_3358); methods += new qt_gsi::GenericStaticMethod ("convert", "@brief Static method bool QMetaType::convert(QMetaType fromType, const void *from, QMetaType toType, void *to)\nThis method is static and can be called without an instance.", &_init_f_convert_5135, &_call_f_convert_5135); methods += new qt_gsi::GenericStaticMethod ("convert", "@brief Static method bool QMetaType::convert(const void *from, int fromTypeId, void *to, int toTypeId)\nThis method is static and can be called without an instance.", &_init_f_convert_4017, &_call_f_convert_4017); - methods += new qt_gsi::GenericStaticMethod ("qt_create", "@brief Static method void *QMetaType::create(int type, const void *copy)\nThis method is static and can be called without an instance.", &_init_f_create_2410, &_call_f_create_2410); + methods += new qt_gsi::GenericStaticMethod ("create|qt_create", "@brief Static method void *QMetaType::create(int type, const void *copy)\nThis method is static and can be called without an instance.", &_init_f_create_2410, &_call_f_create_2410); methods += new qt_gsi::GenericStaticMethod ("debugStream", "@brief Static method bool QMetaType::debugStream(QDebug &dbg, const void *rhs, int typeId)\nThis method is static and can be called without an instance.", &_init_f_debugStream_3488, &_call_f_debugStream_3488); - methods += new qt_gsi::GenericStaticMethod ("qt_destroy", "@brief Static method void QMetaType::destroy(int type, void *data)\nThis method is static and can be called without an instance.", &_init_f_destroy_1715, &_call_f_destroy_1715); + methods += new qt_gsi::GenericStaticMethod ("destroy|qt_destroy", "@brief Static method void QMetaType::destroy(int type, void *data)\nThis method is static and can be called without an instance.", &_init_f_destroy_1715, &_call_f_destroy_1715); methods += new qt_gsi::GenericStaticMethod ("destruct", "@brief Static method void QMetaType::destruct(int type, void *where)\nThis method is static and can be called without an instance.", &_init_f_destruct_1715, &_call_f_destruct_1715); methods += new qt_gsi::GenericStaticMethod ("equals", "@brief Static method bool QMetaType::equals(const void *lhs, const void *rhs, int typeId, int *result)\nThis method is static and can be called without an instance.", &_init_f_equals_4898, &_call_f_equals_4898); methods += new qt_gsi::GenericStaticMethod ("fromName", "@brief Static method QMetaType QMetaType::fromName(QByteArrayView name)\nThis method is static and can be called without an instance.", &_init_f_fromName_1843, &_call_f_fromName_1843); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQProcess.cc b/src/gsiqt/qt6/QtCore/gsiDeclQProcess.cc index 902d41a45c..716883d1f2 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQProcess.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQProcess.cc @@ -877,25 +877,6 @@ static void _call_f_nullDevice_0 (const qt_gsi::GenericStaticMethod * /*decl*/, } -// static QStringList QProcess::splitCommand(QStringView command) - - -static void _init_f_splitCommand_1559 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("command"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_splitCommand_1559 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write ((QStringList)QProcess::splitCommand (arg1)); -} - - // static bool QProcess::startDetached(const QString &program, const QStringList &arguments, const QString &workingDirectory, qint64 *pid) @@ -1031,7 +1012,6 @@ static gsi::Methods methods_QProcess () { methods += gsi::qt_signal::target_type & > ("stateChanged(QProcess::ProcessState)", "stateChanged", gsi::arg("state"), "@brief Signal declaration for QProcess::stateChanged(QProcess::ProcessState state)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("execute", "@brief Static method int QProcess::execute(const QString &program, const QStringList &arguments)\nThis method is static and can be called without an instance.", &_init_f_execute_4354, &_call_f_execute_4354); methods += new qt_gsi::GenericStaticMethod ("nullDevice", "@brief Static method QString QProcess::nullDevice()\nThis method is static and can be called without an instance.", &_init_f_nullDevice_0, &_call_f_nullDevice_0); - methods += new qt_gsi::GenericStaticMethod ("splitCommand", "@brief Static method QStringList QProcess::splitCommand(QStringView command)\nThis method is static and can be called without an instance.", &_init_f_splitCommand_1559, &_call_f_splitCommand_1559); methods += new qt_gsi::GenericStaticMethod ("startDetached", "@brief Static method bool QProcess::startDetached(const QString &program, const QStringList &arguments, const QString &workingDirectory, qint64 *pid)\nThis method is static and can be called without an instance.", &_init_f_startDetached_7335, &_call_f_startDetached_7335); methods += new qt_gsi::GenericStaticMethod ("systemEnvironment", "@brief Static method QStringList QProcess::systemEnvironment()\nThis method is static and can be called without an instance.", &_init_f_systemEnvironment_0, &_call_f_systemEnvironment_0); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QProcess::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQRegularExpression.cc b/src/gsiqt/qt6/QtCore/gsiDeclQRegularExpression.cc index da54fabc55..c95df12286 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQRegularExpression.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQRegularExpression.cc @@ -151,34 +151,6 @@ static void _call_f_globalMatch_c10730 (const qt_gsi::GenericMethod * /*decl*/, } -// QRegularExpressionMatchIterator QRegularExpression::globalMatch(QStringView subjectView, qsizetype offset, QRegularExpression::MatchType matchType, QFlags matchOptions) - - -static void _init_f_globalMatch_c10264 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("subjectView"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("offset", true, "0"); - decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("matchType", true, "QRegularExpression::NormalMatch"); - decl->add_arg::target_type & > (argspec_2); - static gsi::ArgSpecBase argspec_3 ("matchOptions", true, "QRegularExpression::NoMatchOption"); - decl->add_arg > (argspec_3); - decl->set_return (); -} - -static void _call_f_globalMatch_c10264 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - qsizetype arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - const qt_gsi::Converter::target_type & arg3 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QRegularExpression::NormalMatch), heap); - QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QRegularExpression::NoMatchOption, heap); - ret.write ((QRegularExpressionMatchIterator)((QRegularExpression *)cls)->globalMatch (arg1, arg2, qt_gsi::QtToCppAdaptor(arg3).cref(), arg4)); -} - - // bool QRegularExpression::isValid() @@ -222,34 +194,6 @@ static void _call_f_match_c10730 (const qt_gsi::GenericMethod * /*decl*/, void * } -// QRegularExpressionMatch QRegularExpression::match(QStringView subjectView, qsizetype offset, QRegularExpression::MatchType matchType, QFlags matchOptions) - - -static void _init_f_match_c10264 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("subjectView"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("offset", true, "0"); - decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("matchType", true, "QRegularExpression::NormalMatch"); - decl->add_arg::target_type & > (argspec_2); - static gsi::ArgSpecBase argspec_3 ("matchOptions", true, "QRegularExpression::NoMatchOption"); - decl->add_arg > (argspec_3); - decl->set_return (); -} - -static void _call_f_match_c10264 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - qsizetype arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - const qt_gsi::Converter::target_type & arg3 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QRegularExpression::NormalMatch), heap); - QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QRegularExpression::NoMatchOption, heap); - ret.write ((QRegularExpressionMatch)((QRegularExpression *)cls)->match (arg1, arg2, qt_gsi::QtToCppAdaptor(arg3).cref(), arg4)); -} - - // QStringList QRegularExpression::namedCaptureGroups() @@ -462,25 +406,6 @@ static void _call_f_anchoredPattern_2025 (const qt_gsi::GenericStaticMethod * /* } -// static QString QRegularExpression::anchoredPattern(QStringView expression) - - -static void _init_f_anchoredPattern_1559 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("expression"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_anchoredPattern_1559 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write ((QString)QRegularExpression::anchoredPattern (arg1)); -} - - // static QString QRegularExpression::escape(const QString &str) @@ -500,50 +425,6 @@ static void _call_f_escape_2025 (const qt_gsi::GenericStaticMethod * /*decl*/, g } -// static QString QRegularExpression::escape(QStringView str) - - -static void _init_f_escape_1559 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("str"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_escape_1559 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write ((QString)QRegularExpression::escape (arg1)); -} - - -// static QRegularExpression QRegularExpression::fromWildcard(QStringView pattern, Qt::CaseSensitivity cs, QFlags options) - - -static void _init_f_fromWildcard_9295 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("pattern"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("cs", true, "Qt::CaseInsensitive"); - decl->add_arg::target_type & > (argspec_1); - static gsi::ArgSpecBase argspec_2 ("options", true, "QRegularExpression::DefaultWildcardConversion"); - decl->add_arg > (argspec_2); - decl->set_return (); -} - -static void _call_f_fromWildcard_9295 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::CaseInsensitive), heap); - QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QRegularExpression::DefaultWildcardConversion, heap); - ret.write ((QRegularExpression)QRegularExpression::fromWildcard (arg1, qt_gsi::QtToCppAdaptor(arg2).cref(), arg3)); -} - - // static QString QRegularExpression::wildcardToRegularExpression(const QString &str, QFlags options) @@ -566,28 +447,6 @@ static void _call_f_wildcardToRegularExpression_7545 (const qt_gsi::GenericStati } -// static QString QRegularExpression::wildcardToRegularExpression(QStringView str, QFlags options) - - -static void _init_f_wildcardToRegularExpression_7079 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("str"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("options", true, "QRegularExpression::DefaultWildcardConversion"); - decl->add_arg > (argspec_1); - decl->set_return (); -} - -static void _call_f_wildcardToRegularExpression_7079 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - QFlags arg2 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (QRegularExpression::DefaultWildcardConversion, heap); - ret.write ((QString)QRegularExpression::wildcardToRegularExpression (arg1, arg2)); -} - - namespace gsi { @@ -600,10 +459,8 @@ static gsi::Methods methods_QRegularExpression () { methods += new qt_gsi::GenericMethod ("captureCount", "@brief Method int QRegularExpression::captureCount()\n", true, &_init_f_captureCount_c0, &_call_f_captureCount_c0); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QRegularExpression::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); methods += new qt_gsi::GenericMethod ("globalMatch", "@brief Method QRegularExpressionMatchIterator QRegularExpression::globalMatch(const QString &subject, qsizetype offset, QRegularExpression::MatchType matchType, QFlags matchOptions)\n", true, &_init_f_globalMatch_c10730, &_call_f_globalMatch_c10730); - methods += new qt_gsi::GenericMethod ("globalMatch", "@brief Method QRegularExpressionMatchIterator QRegularExpression::globalMatch(QStringView subjectView, qsizetype offset, QRegularExpression::MatchType matchType, QFlags matchOptions)\n", true, &_init_f_globalMatch_c10264, &_call_f_globalMatch_c10264); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QRegularExpression::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod ("match", "@brief Method QRegularExpressionMatch QRegularExpression::match(const QString &subject, qsizetype offset, QRegularExpression::MatchType matchType, QFlags matchOptions)\n", true, &_init_f_match_c10730, &_call_f_match_c10730); - methods += new qt_gsi::GenericMethod ("match", "@brief Method QRegularExpressionMatch QRegularExpression::match(QStringView subjectView, qsizetype offset, QRegularExpression::MatchType matchType, QFlags matchOptions)\n", true, &_init_f_match_c10264, &_call_f_match_c10264); methods += new qt_gsi::GenericMethod ("namedCaptureGroups", "@brief Method QStringList QRegularExpression::namedCaptureGroups()\n", true, &_init_f_namedCaptureGroups_c0, &_call_f_namedCaptureGroups_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QRegularExpression::operator!=(const QRegularExpression &re)\n", true, &_init_f_operator_excl__eq__c3188, &_call_f_operator_excl__eq__c3188); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QRegularExpression &QRegularExpression::operator=(const QRegularExpression &re)\n", false, &_init_f_operator_eq__3188, &_call_f_operator_eq__3188); @@ -616,12 +473,8 @@ static gsi::Methods methods_QRegularExpression () { methods += new qt_gsi::GenericMethod ("setPatternOptions|patternOptions=", "@brief Method void QRegularExpression::setPatternOptions(QFlags options)\n", false, &_init_f_setPatternOptions_4490, &_call_f_setPatternOptions_4490); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QRegularExpression::swap(QRegularExpression &other)\n", false, &_init_f_swap_2493, &_call_f_swap_2493); methods += new qt_gsi::GenericStaticMethod ("anchoredPattern", "@brief Static method QString QRegularExpression::anchoredPattern(const QString &expression)\nThis method is static and can be called without an instance.", &_init_f_anchoredPattern_2025, &_call_f_anchoredPattern_2025); - methods += new qt_gsi::GenericStaticMethod ("anchoredPattern", "@brief Static method QString QRegularExpression::anchoredPattern(QStringView expression)\nThis method is static and can be called without an instance.", &_init_f_anchoredPattern_1559, &_call_f_anchoredPattern_1559); methods += new qt_gsi::GenericStaticMethod ("escape", "@brief Static method QString QRegularExpression::escape(const QString &str)\nThis method is static and can be called without an instance.", &_init_f_escape_2025, &_call_f_escape_2025); - methods += new qt_gsi::GenericStaticMethod ("escape", "@brief Static method QString QRegularExpression::escape(QStringView str)\nThis method is static and can be called without an instance.", &_init_f_escape_1559, &_call_f_escape_1559); - methods += new qt_gsi::GenericStaticMethod ("fromWildcard", "@brief Static method QRegularExpression QRegularExpression::fromWildcard(QStringView pattern, Qt::CaseSensitivity cs, QFlags options)\nThis method is static and can be called without an instance.", &_init_f_fromWildcard_9295, &_call_f_fromWildcard_9295); methods += new qt_gsi::GenericStaticMethod ("wildcardToRegularExpression", "@brief Static method QString QRegularExpression::wildcardToRegularExpression(const QString &str, QFlags options)\nThis method is static and can be called without an instance.", &_init_f_wildcardToRegularExpression_7545, &_call_f_wildcardToRegularExpression_7545); - methods += new qt_gsi::GenericStaticMethod ("wildcardToRegularExpression", "@brief Static method QString QRegularExpression::wildcardToRegularExpression(QStringView str, QFlags options)\nThis method is static and can be called without an instance.", &_init_f_wildcardToRegularExpression_7079, &_call_f_wildcardToRegularExpression_7079); return methods; } diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQRegularExpressionMatch.cc b/src/gsiqt/qt6/QtCore/gsiDeclQRegularExpressionMatch.cc index ebeccf2424..a313cfa360 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQRegularExpressionMatch.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQRegularExpressionMatch.cc @@ -108,25 +108,6 @@ static void _call_f_captured_c2025 (const qt_gsi::GenericMethod * /*decl*/, void } -// QString QRegularExpressionMatch::captured(QStringView name) - - -static void _init_f_captured_c1559 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_captured_c1559 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write ((QString)((QRegularExpressionMatch *)cls)->captured (arg1)); -} - - // qsizetype QRegularExpressionMatch::capturedEnd(int nth) @@ -165,25 +146,6 @@ static void _call_f_capturedEnd_c2025 (const qt_gsi::GenericMethod * /*decl*/, v } -// qsizetype QRegularExpressionMatch::capturedEnd(QStringView name) - - -static void _init_f_capturedEnd_c1559 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_capturedEnd_c1559 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write ((qsizetype)((QRegularExpressionMatch *)cls)->capturedEnd (arg1)); -} - - // qsizetype QRegularExpressionMatch::capturedLength(int nth) @@ -222,25 +184,6 @@ static void _call_f_capturedLength_c2025 (const qt_gsi::GenericMethod * /*decl*/ } -// qsizetype QRegularExpressionMatch::capturedLength(QStringView name) - - -static void _init_f_capturedLength_c1559 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_capturedLength_c1559 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write ((qsizetype)((QRegularExpressionMatch *)cls)->capturedLength (arg1)); -} - - // qsizetype QRegularExpressionMatch::capturedStart(int nth) @@ -279,25 +222,6 @@ static void _call_f_capturedStart_c2025 (const qt_gsi::GenericMethod * /*decl*/, } -// qsizetype QRegularExpressionMatch::capturedStart(QStringView name) - - -static void _init_f_capturedStart_c1559 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_capturedStart_c1559 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write ((qsizetype)((QRegularExpressionMatch *)cls)->capturedStart (arg1)); -} - - // QStringList QRegularExpressionMatch::capturedTexts() @@ -313,44 +237,6 @@ static void _call_f_capturedTexts_c0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// QStringView QRegularExpressionMatch::capturedView(int nth) - - -static void _init_f_capturedView_c767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("nth", true, "0"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_capturedView_c767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - ret.write ((QStringView)((QRegularExpressionMatch *)cls)->capturedView (arg1)); -} - - -// QStringView QRegularExpressionMatch::capturedView(QStringView name) - - -static void _init_f_capturedView_c1559 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_capturedView_c1559 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write ((QStringView)((QRegularExpressionMatch *)cls)->capturedView (arg1)); -} - - // bool QRegularExpressionMatch::hasMatch() @@ -505,19 +391,13 @@ static gsi::Methods methods_QRegularExpressionMatch () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRegularExpressionMatch::QRegularExpressionMatch(const QRegularExpressionMatch &match)\nThis method creates an object of class QRegularExpressionMatch.", &_init_ctor_QRegularExpressionMatch_3681, &_call_ctor_QRegularExpressionMatch_3681); methods += new qt_gsi::GenericMethod ("captured", "@brief Method QString QRegularExpressionMatch::captured(int nth)\n", true, &_init_f_captured_c767, &_call_f_captured_c767); methods += new qt_gsi::GenericMethod ("captured", "@brief Method QString QRegularExpressionMatch::captured(const QString &name)\n", true, &_init_f_captured_c2025, &_call_f_captured_c2025); - methods += new qt_gsi::GenericMethod ("captured", "@brief Method QString QRegularExpressionMatch::captured(QStringView name)\n", true, &_init_f_captured_c1559, &_call_f_captured_c1559); methods += new qt_gsi::GenericMethod ("capturedEnd", "@brief Method qsizetype QRegularExpressionMatch::capturedEnd(int nth)\n", true, &_init_f_capturedEnd_c767, &_call_f_capturedEnd_c767); methods += new qt_gsi::GenericMethod ("capturedEnd", "@brief Method qsizetype QRegularExpressionMatch::capturedEnd(const QString &name)\n", true, &_init_f_capturedEnd_c2025, &_call_f_capturedEnd_c2025); - methods += new qt_gsi::GenericMethod ("capturedEnd", "@brief Method qsizetype QRegularExpressionMatch::capturedEnd(QStringView name)\n", true, &_init_f_capturedEnd_c1559, &_call_f_capturedEnd_c1559); methods += new qt_gsi::GenericMethod ("capturedLength", "@brief Method qsizetype QRegularExpressionMatch::capturedLength(int nth)\n", true, &_init_f_capturedLength_c767, &_call_f_capturedLength_c767); methods += new qt_gsi::GenericMethod ("capturedLength", "@brief Method qsizetype QRegularExpressionMatch::capturedLength(const QString &name)\n", true, &_init_f_capturedLength_c2025, &_call_f_capturedLength_c2025); - methods += new qt_gsi::GenericMethod ("capturedLength", "@brief Method qsizetype QRegularExpressionMatch::capturedLength(QStringView name)\n", true, &_init_f_capturedLength_c1559, &_call_f_capturedLength_c1559); methods += new qt_gsi::GenericMethod ("capturedStart", "@brief Method qsizetype QRegularExpressionMatch::capturedStart(int nth)\n", true, &_init_f_capturedStart_c767, &_call_f_capturedStart_c767); methods += new qt_gsi::GenericMethod ("capturedStart", "@brief Method qsizetype QRegularExpressionMatch::capturedStart(const QString &name)\n", true, &_init_f_capturedStart_c2025, &_call_f_capturedStart_c2025); - methods += new qt_gsi::GenericMethod ("capturedStart", "@brief Method qsizetype QRegularExpressionMatch::capturedStart(QStringView name)\n", true, &_init_f_capturedStart_c1559, &_call_f_capturedStart_c1559); methods += new qt_gsi::GenericMethod ("capturedTexts", "@brief Method QStringList QRegularExpressionMatch::capturedTexts()\n", true, &_init_f_capturedTexts_c0, &_call_f_capturedTexts_c0); - methods += new qt_gsi::GenericMethod ("capturedView", "@brief Method QStringView QRegularExpressionMatch::capturedView(int nth)\n", true, &_init_f_capturedView_c767, &_call_f_capturedView_c767); - methods += new qt_gsi::GenericMethod ("capturedView", "@brief Method QStringView QRegularExpressionMatch::capturedView(QStringView name)\n", true, &_init_f_capturedView_c1559, &_call_f_capturedView_c1559); methods += new qt_gsi::GenericMethod ("hasMatch", "@brief Method bool QRegularExpressionMatch::hasMatch()\n", true, &_init_f_hasMatch_c0, &_call_f_hasMatch_c0); methods += new qt_gsi::GenericMethod ("hasPartialMatch", "@brief Method bool QRegularExpressionMatch::hasPartialMatch()\n", true, &_init_f_hasPartialMatch_c0, &_call_f_hasPartialMatch_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QRegularExpressionMatch::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQSharedMemory.cc b/src/gsiqt/qt6/QtCore/gsiDeclQSharedMemory.cc index 8f304dee3a..5b47a4f82e 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQSharedMemory.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQSharedMemory.cc @@ -348,7 +348,7 @@ static gsi::Methods methods_QSharedMemory () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("attach", "@brief Method bool QSharedMemory::attach(QSharedMemory::AccessMode mode)\n", false, &_init_f_attach_2848, &_call_f_attach_2848); methods += new qt_gsi::GenericMethod ("constData", "@brief Method const void *QSharedMemory::constData()\n", true, &_init_f_constData_c0, &_call_f_constData_c0); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Method bool QSharedMemory::create(qsizetype size, QSharedMemory::AccessMode mode)\n", false, &_init_f_create_4182, &_call_f_create_4182); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method bool QSharedMemory::create(qsizetype size, QSharedMemory::AccessMode mode)\n", false, &_init_f_create_4182, &_call_f_create_4182); methods += new qt_gsi::GenericMethod ("data", "@brief Method void *QSharedMemory::data()\n", false, &_init_f_data_0, &_call_f_data_0); methods += new qt_gsi::GenericMethod ("data", "@brief Method const void *QSharedMemory::data()\n", true, &_init_f_data_c0, &_call_f_data_c0); methods += new qt_gsi::GenericMethod ("detach", "@brief Method bool QSharedMemory::detach()\n", false, &_init_f_detach_0, &_call_f_detach_0); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQStringMatcher.cc b/src/gsiqt/qt6/QtCore/gsiDeclQStringMatcher.cc index 076c9b8b36..7b94fa606a 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQStringMatcher.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQStringMatcher.cc @@ -72,28 +72,6 @@ static void _call_ctor_QStringMatcher_4241 (const qt_gsi::GenericStaticMethod * } -// Constructor QStringMatcher::QStringMatcher(QStringView pattern, Qt::CaseSensitivity cs) - - -static void _init_ctor_QStringMatcher_3775 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("pattern"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("cs", true, "Qt::CaseSensitive"); - decl->add_arg::target_type & > (argspec_1); - decl->set_return_new (); -} - -static void _call_ctor_QStringMatcher_3775 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::CaseSensitive), heap); - ret.write (new QStringMatcher (arg1, qt_gsi::QtToCppAdaptor(arg2).cref())); -} - - // Constructor QStringMatcher::QStringMatcher(const QStringMatcher &other) @@ -150,28 +128,6 @@ static void _call_f_indexIn_c3359 (const qt_gsi::GenericMethod * /*decl*/, void } -// qsizetype QStringMatcher::indexIn(QStringView str, qsizetype from) - - -static void _init_f_indexIn_c2893 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("str"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("from", true, "0"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_indexIn_c2893 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - qsizetype arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); - ret.write ((qsizetype)((QStringMatcher *)cls)->indexIn (arg1, arg2)); -} - - // QStringMatcher &QStringMatcher::operator=(const QStringMatcher &other) @@ -254,11 +210,9 @@ static gsi::Methods methods_QStringMatcher () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QStringMatcher::QStringMatcher()\nThis method creates an object of class QStringMatcher.", &_init_ctor_QStringMatcher_0, &_call_ctor_QStringMatcher_0); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QStringMatcher::QStringMatcher(const QString &pattern, Qt::CaseSensitivity cs)\nThis method creates an object of class QStringMatcher.", &_init_ctor_QStringMatcher_4241, &_call_ctor_QStringMatcher_4241); - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QStringMatcher::QStringMatcher(QStringView pattern, Qt::CaseSensitivity cs)\nThis method creates an object of class QStringMatcher.", &_init_ctor_QStringMatcher_3775, &_call_ctor_QStringMatcher_3775); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QStringMatcher::QStringMatcher(const QStringMatcher &other)\nThis method creates an object of class QStringMatcher.", &_init_ctor_QStringMatcher_2733, &_call_ctor_QStringMatcher_2733); methods += new qt_gsi::GenericMethod (":caseSensitivity", "@brief Method Qt::CaseSensitivity QStringMatcher::caseSensitivity()\n", true, &_init_f_caseSensitivity_c0, &_call_f_caseSensitivity_c0); methods += new qt_gsi::GenericMethod ("indexIn", "@brief Method qsizetype QStringMatcher::indexIn(const QString &str, qsizetype from)\n", true, &_init_f_indexIn_c3359, &_call_f_indexIn_c3359); - methods += new qt_gsi::GenericMethod ("indexIn", "@brief Method qsizetype QStringMatcher::indexIn(QStringView str, qsizetype from)\n", true, &_init_f_indexIn_c2893, &_call_f_indexIn_c2893); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QStringMatcher &QStringMatcher::operator=(const QStringMatcher &other)\n", false, &_init_f_operator_eq__2733, &_call_f_operator_eq__2733); methods += new qt_gsi::GenericMethod (":pattern", "@brief Method QString QStringMatcher::pattern()\n", true, &_init_f_pattern_c0, &_call_f_pattern_c0); methods += new qt_gsi::GenericMethod ("setCaseSensitivity|caseSensitivity=", "@brief Method void QStringMatcher::setCaseSensitivity(Qt::CaseSensitivity cs)\n", false, &_init_f_setCaseSensitivity_2324, &_call_f_setCaseSensitivity_2324); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQTime.cc b/src/gsiqt/qt6/QtCore/gsiDeclQTime.cc index 548f537fd6..ae1718f57f 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQTime.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQTime.cc @@ -325,25 +325,6 @@ static void _call_f_toString_c2025 (const qt_gsi::GenericMethod * /*decl*/, void } -// QString QTime::toString(QStringView format) - - -static void _init_f_toString_c1559 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("format"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_toString_c1559 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write ((QString)((QTime *)cls)->toString (arg1)); -} - - // static QTime QTime::currentTime() @@ -378,72 +359,6 @@ static void _call_f_fromMSecsSinceStartOfDay_767 (const qt_gsi::GenericStaticMet } -// static QTime QTime::fromString(QStringView string, Qt::DateFormat format) - - -static void _init_f_fromString_3199 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("string"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format", true, "Qt::TextDate"); - decl->add_arg::target_type & > (argspec_1); - decl->set_return (); -} - -static void _call_f_fromString_3199 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, Qt::TextDate), heap); - ret.write ((QTime)QTime::fromString (arg1, qt_gsi::QtToCppAdaptor(arg2).cref())); -} - - -// static QTime QTime::fromString(QStringView string, QStringView format) - - -static void _init_f_fromString_3010 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("string"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_fromString_3010 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - QStringView arg2 = gsi::arg_reader() (args, heap); - ret.write ((QTime)QTime::fromString (arg1, arg2)); -} - - -// static QTime QTime::fromString(const QString &string, QStringView format) - - -static void _init_f_fromString_3476 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("string"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("format"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_fromString_3476 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - QStringView arg2 = gsi::arg_reader() (args, heap); - ret.write ((QTime)QTime::fromString (arg1, arg2)); -} - - // static QTime QTime::fromString(const QString &string, Qt::DateFormat format) @@ -538,12 +453,8 @@ static gsi::Methods methods_QTime () { methods += new qt_gsi::GenericMethod ("setHMS", "@brief Method bool QTime::setHMS(int h, int m, int s, int ms)\n", false, &_init_f_setHMS_2744, &_call_f_setHMS_2744); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QTime::toString(Qt::DateFormat f)\n", true, &_init_f_toString_c1748, &_call_f_toString_c1748); methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QTime::toString(const QString &format)\n", true, &_init_f_toString_c2025, &_call_f_toString_c2025); - methods += new qt_gsi::GenericMethod ("toString", "@brief Method QString QTime::toString(QStringView format)\n", true, &_init_f_toString_c1559, &_call_f_toString_c1559); methods += new qt_gsi::GenericStaticMethod ("currentTime", "@brief Static method QTime QTime::currentTime()\nThis method is static and can be called without an instance.", &_init_f_currentTime_0, &_call_f_currentTime_0); methods += new qt_gsi::GenericStaticMethod ("fromMSecsSinceStartOfDay", "@brief Static method QTime QTime::fromMSecsSinceStartOfDay(int msecs)\nThis method is static and can be called without an instance.", &_init_f_fromMSecsSinceStartOfDay_767, &_call_f_fromMSecsSinceStartOfDay_767); - methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QTime QTime::fromString(QStringView string, Qt::DateFormat format)\nThis method is static and can be called without an instance.", &_init_f_fromString_3199, &_call_f_fromString_3199); - methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QTime QTime::fromString(QStringView string, QStringView format)\nThis method is static and can be called without an instance.", &_init_f_fromString_3010, &_call_f_fromString_3010); - methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QTime QTime::fromString(const QString &string, QStringView format)\nThis method is static and can be called without an instance.", &_init_f_fromString_3476, &_call_f_fromString_3476); methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QTime QTime::fromString(const QString &string, Qt::DateFormat format)\nThis method is static and can be called without an instance.", &_init_f_fromString_3665, &_call_f_fromString_3665); methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QTime QTime::fromString(const QString &string, const QString &format)\nThis method is static and can be called without an instance.", &_init_f_fromString_3942, &_call_f_fromString_3942); methods += new qt_gsi::GenericStaticMethod ("isValid?", "@brief Static method bool QTime::isValid(int h, int m, int s, int ms)\nThis method is static and can be called without an instance.", &_init_f_isValid_2744, &_call_f_isValid_2744); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQVersionNumber.cc b/src/gsiqt/qt6/QtCore/gsiDeclQVersionNumber.cc index 2e65d49838..cf2856855e 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQVersionNumber.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQVersionNumber.cc @@ -396,28 +396,6 @@ static void _call_f_fromString_2546 (const qt_gsi::GenericStaticMethod * /*decl* } -// static QVersionNumber QVersionNumber::fromString(QStringView string, int *suffixIndex) - - -static void _init_f_fromString_2404 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("string"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("suffixIndex", true, "nullptr"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_fromString_2404 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - int *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); - ret.write ((QVersionNumber)QVersionNumber::fromString (arg1, arg2)); -} - - namespace gsi { @@ -444,7 +422,6 @@ static gsi::Methods methods_QVersionNumber () { methods += new qt_gsi::GenericStaticMethod ("compare", "@brief Static method int QVersionNumber::compare(const QVersionNumber &v1, const QVersionNumber &v2)\nThis method is static and can be called without an instance.", &_init_f_compare_5398, &_call_f_compare_5398); methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QVersionNumber QVersionNumber::fromString(const QString &string, int *suffixIndex)\nThis method is static and can be called without an instance.", &_init_f_fromString_2870, &_call_f_fromString_2870); methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QVersionNumber QVersionNumber::fromString(QLatin1String string, int *suffixIndex)\nThis method is static and can be called without an instance.", &_init_f_fromString_2546, &_call_f_fromString_2546); - methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QVersionNumber QVersionNumber::fromString(QStringView string, int *suffixIndex)\nThis method is static and can be called without an instance.", &_init_f_fromString_2404, &_call_f_fromString_2404); return methods; } diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamAttribute.cc b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamAttribute.cc index 94e95794d3..626b6dc773 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamAttribute.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamAttribute.cc @@ -112,36 +112,6 @@ static void _call_f_isDefault_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// QStringView QXmlStreamAttribute::name() - - -static void _init_f_name_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_name_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamAttribute *)cls)->name ()); -} - - -// QStringView QXmlStreamAttribute::namespaceUri() - - -static void _init_f_namespaceUri_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_namespaceUri_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamAttribute *)cls)->namespaceUri ()); -} - - // bool QXmlStreamAttribute::operator!=(const QXmlStreamAttribute &other) @@ -180,51 +150,6 @@ static void _call_f_operator_eq__eq__c3267 (const qt_gsi::GenericMethod * /*decl } -// QStringView QXmlStreamAttribute::prefix() - - -static void _init_f_prefix_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_prefix_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamAttribute *)cls)->prefix ()); -} - - -// QStringView QXmlStreamAttribute::qualifiedName() - - -static void _init_f_qualifiedName_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_qualifiedName_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamAttribute *)cls)->qualifiedName ()); -} - - -// QStringView QXmlStreamAttribute::value() - - -static void _init_f_value_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_value_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamAttribute *)cls)->value ()); -} - - namespace gsi { @@ -235,13 +160,8 @@ static gsi::Methods methods_QXmlStreamAttribute () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QXmlStreamAttribute::QXmlStreamAttribute(const QString &qualifiedName, const QString &value)\nThis method creates an object of class QXmlStreamAttribute.", &_init_ctor_QXmlStreamAttribute_3942, &_call_ctor_QXmlStreamAttribute_3942); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QXmlStreamAttribute::QXmlStreamAttribute(const QString &namespaceUri, const QString &name, const QString &value)\nThis method creates an object of class QXmlStreamAttribute.", &_init_ctor_QXmlStreamAttribute_5859, &_call_ctor_QXmlStreamAttribute_5859); methods += new qt_gsi::GenericMethod ("isDefault?", "@brief Method bool QXmlStreamAttribute::isDefault()\n", true, &_init_f_isDefault_c0, &_call_f_isDefault_c0); - methods += new qt_gsi::GenericMethod ("name", "@brief Method QStringView QXmlStreamAttribute::name()\n", true, &_init_f_name_c0, &_call_f_name_c0); - methods += new qt_gsi::GenericMethod ("namespaceUri", "@brief Method QStringView QXmlStreamAttribute::namespaceUri()\n", true, &_init_f_namespaceUri_c0, &_call_f_namespaceUri_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QXmlStreamAttribute::operator!=(const QXmlStreamAttribute &other)\n", true, &_init_f_operator_excl__eq__c3267, &_call_f_operator_excl__eq__c3267); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QXmlStreamAttribute::operator==(const QXmlStreamAttribute &other)\n", true, &_init_f_operator_eq__eq__c3267, &_call_f_operator_eq__eq__c3267); - methods += new qt_gsi::GenericMethod ("prefix", "@brief Method QStringView QXmlStreamAttribute::prefix()\n", true, &_init_f_prefix_c0, &_call_f_prefix_c0); - methods += new qt_gsi::GenericMethod ("qualifiedName", "@brief Method QStringView QXmlStreamAttribute::qualifiedName()\n", true, &_init_f_qualifiedName_c0, &_call_f_qualifiedName_c0); - methods += new qt_gsi::GenericMethod ("value", "@brief Method QStringView QXmlStreamAttribute::value()\n", true, &_init_f_value_c0, &_call_f_value_c0); return methods; } diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamAttributes.cc b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamAttributes.cc index d8d95fa746..cc8fe0cc7c 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamAttributes.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamAttributes.cc @@ -140,47 +140,6 @@ static void _call_f_hasAttribute_c3942 (const qt_gsi::GenericMethod * /*decl*/, } -// QStringView QXmlStreamAttributes::value(const QString &namespaceUri, const QString &name) - - -static void _init_f_value_c3942 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("namespaceUri"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("name"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_value_c3942 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - const QString &arg2 = gsi::arg_reader() (args, heap); - ret.write ((QStringView)((QXmlStreamAttributes *)cls)->value (arg1, arg2)); -} - - -// QStringView QXmlStreamAttributes::value(const QString &qualifiedName) - - -static void _init_f_value_c2025 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("qualifiedName"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_value_c2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - ret.write ((QStringView)((QXmlStreamAttributes *)cls)->value (arg1)); -} - - namespace gsi { @@ -192,8 +151,6 @@ static gsi::Methods methods_QXmlStreamAttributes () { methods += new qt_gsi::GenericMethod ("append", "@brief Method void QXmlStreamAttributes::append(const QString &qualifiedName, const QString &value)\n", false, &_init_f_append_3942, &_call_f_append_3942); methods += new qt_gsi::GenericMethod ("hasAttribute", "@brief Method bool QXmlStreamAttributes::hasAttribute(const QString &qualifiedName)\n", true, &_init_f_hasAttribute_c2025, &_call_f_hasAttribute_c2025); methods += new qt_gsi::GenericMethod ("hasAttribute", "@brief Method bool QXmlStreamAttributes::hasAttribute(const QString &namespaceUri, const QString &name)\n", true, &_init_f_hasAttribute_c3942, &_call_f_hasAttribute_c3942); - methods += new qt_gsi::GenericMethod ("value", "@brief Method QStringView QXmlStreamAttributes::value(const QString &namespaceUri, const QString &name)\n", true, &_init_f_value_c3942, &_call_f_value_c3942); - methods += new qt_gsi::GenericMethod ("value", "@brief Method QStringView QXmlStreamAttributes::value(const QString &qualifiedName)\n", true, &_init_f_value_c2025, &_call_f_value_c2025); return methods; } diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamEntityDeclaration.cc b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamEntityDeclaration.cc index 6d71ef187d..48eda5bd22 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamEntityDeclaration.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamEntityDeclaration.cc @@ -50,36 +50,6 @@ static void _call_ctor_QXmlStreamEntityDeclaration_0 (const qt_gsi::GenericStati } -// QStringView QXmlStreamEntityDeclaration::name() - - -static void _init_f_name_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_name_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamEntityDeclaration *)cls)->name ()); -} - - -// QStringView QXmlStreamEntityDeclaration::notationName() - - -static void _init_f_notationName_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_notationName_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamEntityDeclaration *)cls)->notationName ()); -} - - // bool QXmlStreamEntityDeclaration::operator!=(const QXmlStreamEntityDeclaration &other) @@ -118,51 +88,6 @@ static void _call_f_operator_eq__eq__c4082 (const qt_gsi::GenericMethod * /*decl } -// QStringView QXmlStreamEntityDeclaration::publicId() - - -static void _init_f_publicId_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_publicId_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamEntityDeclaration *)cls)->publicId ()); -} - - -// QStringView QXmlStreamEntityDeclaration::systemId() - - -static void _init_f_systemId_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_systemId_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamEntityDeclaration *)cls)->systemId ()); -} - - -// QStringView QXmlStreamEntityDeclaration::value() - - -static void _init_f_value_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_value_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamEntityDeclaration *)cls)->value ()); -} - - namespace gsi { @@ -170,13 +95,8 @@ namespace gsi static gsi::Methods methods_QXmlStreamEntityDeclaration () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QXmlStreamEntityDeclaration::QXmlStreamEntityDeclaration()\nThis method creates an object of class QXmlStreamEntityDeclaration.", &_init_ctor_QXmlStreamEntityDeclaration_0, &_call_ctor_QXmlStreamEntityDeclaration_0); - methods += new qt_gsi::GenericMethod ("name", "@brief Method QStringView QXmlStreamEntityDeclaration::name()\n", true, &_init_f_name_c0, &_call_f_name_c0); - methods += new qt_gsi::GenericMethod ("notationName", "@brief Method QStringView QXmlStreamEntityDeclaration::notationName()\n", true, &_init_f_notationName_c0, &_call_f_notationName_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QXmlStreamEntityDeclaration::operator!=(const QXmlStreamEntityDeclaration &other)\n", true, &_init_f_operator_excl__eq__c4082, &_call_f_operator_excl__eq__c4082); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QXmlStreamEntityDeclaration::operator==(const QXmlStreamEntityDeclaration &other)\n", true, &_init_f_operator_eq__eq__c4082, &_call_f_operator_eq__eq__c4082); - methods += new qt_gsi::GenericMethod ("publicId", "@brief Method QStringView QXmlStreamEntityDeclaration::publicId()\n", true, &_init_f_publicId_c0, &_call_f_publicId_c0); - methods += new qt_gsi::GenericMethod ("systemId", "@brief Method QStringView QXmlStreamEntityDeclaration::systemId()\n", true, &_init_f_systemId_c0, &_call_f_systemId_c0); - methods += new qt_gsi::GenericMethod ("value", "@brief Method QStringView QXmlStreamEntityDeclaration::value()\n", true, &_init_f_value_c0, &_call_f_value_c0); return methods; } diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamNamespaceDeclaration.cc b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamNamespaceDeclaration.cc index 910561d089..68e3d31a58 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamNamespaceDeclaration.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamNamespaceDeclaration.cc @@ -72,21 +72,6 @@ static void _call_ctor_QXmlStreamNamespaceDeclaration_3942 (const qt_gsi::Generi } -// QStringView QXmlStreamNamespaceDeclaration::namespaceUri() - - -static void _init_f_namespaceUri_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_namespaceUri_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamNamespaceDeclaration *)cls)->namespaceUri ()); -} - - // bool QXmlStreamNamespaceDeclaration::operator!=(const QXmlStreamNamespaceDeclaration &other) @@ -125,21 +110,6 @@ static void _call_f_operator_eq__eq__c4354 (const qt_gsi::GenericMethod * /*decl } -// QStringView QXmlStreamNamespaceDeclaration::prefix() - - -static void _init_f_prefix_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_prefix_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamNamespaceDeclaration *)cls)->prefix ()); -} - - namespace gsi { @@ -148,10 +118,8 @@ static gsi::Methods methods_QXmlStreamNamespaceDeclaration () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QXmlStreamNamespaceDeclaration::QXmlStreamNamespaceDeclaration()\nThis method creates an object of class QXmlStreamNamespaceDeclaration.", &_init_ctor_QXmlStreamNamespaceDeclaration_0, &_call_ctor_QXmlStreamNamespaceDeclaration_0); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QXmlStreamNamespaceDeclaration::QXmlStreamNamespaceDeclaration(const QString &prefix, const QString &namespaceUri)\nThis method creates an object of class QXmlStreamNamespaceDeclaration.", &_init_ctor_QXmlStreamNamespaceDeclaration_3942, &_call_ctor_QXmlStreamNamespaceDeclaration_3942); - methods += new qt_gsi::GenericMethod ("namespaceUri", "@brief Method QStringView QXmlStreamNamespaceDeclaration::namespaceUri()\n", true, &_init_f_namespaceUri_c0, &_call_f_namespaceUri_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QXmlStreamNamespaceDeclaration::operator!=(const QXmlStreamNamespaceDeclaration &other)\n", true, &_init_f_operator_excl__eq__c4354, &_call_f_operator_excl__eq__c4354); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QXmlStreamNamespaceDeclaration::operator==(const QXmlStreamNamespaceDeclaration &other)\n", true, &_init_f_operator_eq__eq__c4354, &_call_f_operator_eq__eq__c4354); - methods += new qt_gsi::GenericMethod ("prefix", "@brief Method QStringView QXmlStreamNamespaceDeclaration::prefix()\n", true, &_init_f_prefix_c0, &_call_f_prefix_c0); return methods; } diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamNotationDeclaration.cc b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamNotationDeclaration.cc index 84b60c5884..c2c4d479f3 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamNotationDeclaration.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamNotationDeclaration.cc @@ -50,21 +50,6 @@ static void _call_ctor_QXmlStreamNotationDeclaration_0 (const qt_gsi::GenericSta } -// QStringView QXmlStreamNotationDeclaration::name() - - -static void _init_f_name_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_name_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamNotationDeclaration *)cls)->name ()); -} - - // bool QXmlStreamNotationDeclaration::operator!=(const QXmlStreamNotationDeclaration &other) @@ -103,36 +88,6 @@ static void _call_f_operator_eq__eq__c4289 (const qt_gsi::GenericMethod * /*decl } -// QStringView QXmlStreamNotationDeclaration::publicId() - - -static void _init_f_publicId_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_publicId_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamNotationDeclaration *)cls)->publicId ()); -} - - -// QStringView QXmlStreamNotationDeclaration::systemId() - - -static void _init_f_systemId_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_systemId_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamNotationDeclaration *)cls)->systemId ()); -} - - namespace gsi { @@ -140,11 +95,8 @@ namespace gsi static gsi::Methods methods_QXmlStreamNotationDeclaration () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QXmlStreamNotationDeclaration::QXmlStreamNotationDeclaration()\nThis method creates an object of class QXmlStreamNotationDeclaration.", &_init_ctor_QXmlStreamNotationDeclaration_0, &_call_ctor_QXmlStreamNotationDeclaration_0); - methods += new qt_gsi::GenericMethod ("name", "@brief Method QStringView QXmlStreamNotationDeclaration::name()\n", true, &_init_f_name_c0, &_call_f_name_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QXmlStreamNotationDeclaration::operator!=(const QXmlStreamNotationDeclaration &other)\n", true, &_init_f_operator_excl__eq__c4289, &_call_f_operator_excl__eq__c4289); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QXmlStreamNotationDeclaration::operator==(const QXmlStreamNotationDeclaration &other)\n", true, &_init_f_operator_eq__eq__c4289, &_call_f_operator_eq__eq__c4289); - methods += new qt_gsi::GenericMethod ("publicId", "@brief Method QStringView QXmlStreamNotationDeclaration::publicId()\n", true, &_init_f_publicId_c0, &_call_f_publicId_c0); - methods += new qt_gsi::GenericMethod ("systemId", "@brief Method QStringView QXmlStreamNotationDeclaration::systemId()\n", true, &_init_f_systemId_c0, &_call_f_systemId_c0); return methods; } diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamReader.cc b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamReader.cc index a5d956c110..6d9a9a64d8 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamReader.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamReader.cc @@ -284,81 +284,6 @@ static void _call_f_device_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// QStringView QXmlStreamReader::documentEncoding() - - -static void _init_f_documentEncoding_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_documentEncoding_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamReader *)cls)->documentEncoding ()); -} - - -// QStringView QXmlStreamReader::documentVersion() - - -static void _init_f_documentVersion_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_documentVersion_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamReader *)cls)->documentVersion ()); -} - - -// QStringView QXmlStreamReader::dtdName() - - -static void _init_f_dtdName_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_dtdName_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamReader *)cls)->dtdName ()); -} - - -// QStringView QXmlStreamReader::dtdPublicId() - - -static void _init_f_dtdPublicId_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_dtdPublicId_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamReader *)cls)->dtdPublicId ()); -} - - -// QStringView QXmlStreamReader::dtdSystemId() - - -static void _init_f_dtdSystemId_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_dtdSystemId_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamReader *)cls)->dtdSystemId ()); -} - - // QList QXmlStreamReader::entityDeclarations() @@ -644,21 +569,6 @@ static void _call_f_lineNumber_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// QStringView QXmlStreamReader::name() - - -static void _init_f_name_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_name_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamReader *)cls)->name ()); -} - - // QList QXmlStreamReader::namespaceDeclarations() @@ -689,21 +599,6 @@ static void _call_f_namespaceProcessing_c0 (const qt_gsi::GenericMethod * /*decl } -// QStringView QXmlStreamReader::namespaceUri() - - -static void _init_f_namespaceUri_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_namespaceUri_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamReader *)cls)->namespaceUri ()); -} - - // QList QXmlStreamReader::notationDeclarations() @@ -719,66 +614,6 @@ static void _call_f_notationDeclarations_c0 (const qt_gsi::GenericMethod * /*dec } -// QStringView QXmlStreamReader::prefix() - - -static void _init_f_prefix_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_prefix_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamReader *)cls)->prefix ()); -} - - -// QStringView QXmlStreamReader::processingInstructionData() - - -static void _init_f_processingInstructionData_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_processingInstructionData_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamReader *)cls)->processingInstructionData ()); -} - - -// QStringView QXmlStreamReader::processingInstructionTarget() - - -static void _init_f_processingInstructionTarget_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_processingInstructionTarget_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamReader *)cls)->processingInstructionTarget ()); -} - - -// QStringView QXmlStreamReader::qualifiedName() - - -static void _init_f_qualifiedName_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_qualifiedName_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamReader *)cls)->qualifiedName ()); -} - - // void QXmlStreamReader::raiseError(const QString &message) @@ -944,21 +779,6 @@ static void _call_f_skipCurrentElement_0 (const qt_gsi::GenericMethod * /*decl*/ } -// QStringView QXmlStreamReader::text() - - -static void _init_f_text_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_text_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((QStringView)((QXmlStreamReader *)cls)->text ()); -} - - // QString QXmlStreamReader::tokenString() @@ -1009,11 +829,6 @@ static gsi::Methods methods_QXmlStreamReader () { methods += new qt_gsi::GenericMethod ("clear", "@brief Method void QXmlStreamReader::clear()\n", false, &_init_f_clear_0, &_call_f_clear_0); methods += new qt_gsi::GenericMethod ("columnNumber", "@brief Method qint64 QXmlStreamReader::columnNumber()\n", true, &_init_f_columnNumber_c0, &_call_f_columnNumber_c0); methods += new qt_gsi::GenericMethod (":device", "@brief Method QIODevice *QXmlStreamReader::device()\n", true, &_init_f_device_c0, &_call_f_device_c0); - methods += new qt_gsi::GenericMethod ("documentEncoding", "@brief Method QStringView QXmlStreamReader::documentEncoding()\n", true, &_init_f_documentEncoding_c0, &_call_f_documentEncoding_c0); - methods += new qt_gsi::GenericMethod ("documentVersion", "@brief Method QStringView QXmlStreamReader::documentVersion()\n", true, &_init_f_documentVersion_c0, &_call_f_documentVersion_c0); - methods += new qt_gsi::GenericMethod ("dtdName", "@brief Method QStringView QXmlStreamReader::dtdName()\n", true, &_init_f_dtdName_c0, &_call_f_dtdName_c0); - methods += new qt_gsi::GenericMethod ("dtdPublicId", "@brief Method QStringView QXmlStreamReader::dtdPublicId()\n", true, &_init_f_dtdPublicId_c0, &_call_f_dtdPublicId_c0); - methods += new qt_gsi::GenericMethod ("dtdSystemId", "@brief Method QStringView QXmlStreamReader::dtdSystemId()\n", true, &_init_f_dtdSystemId_c0, &_call_f_dtdSystemId_c0); methods += new qt_gsi::GenericMethod ("entityDeclarations", "@brief Method QList QXmlStreamReader::entityDeclarations()\n", true, &_init_f_entityDeclarations_c0, &_call_f_entityDeclarations_c0); methods += new qt_gsi::GenericMethod ("entityExpansionLimit", "@brief Method int QXmlStreamReader::entityExpansionLimit()\n", true, &_init_f_entityExpansionLimit_c0, &_call_f_entityExpansionLimit_c0); methods += new qt_gsi::GenericMethod (":entityResolver", "@brief Method QXmlStreamEntityResolver *QXmlStreamReader::entityResolver()\n", true, &_init_f_entityResolver_c0, &_call_f_entityResolver_c0); @@ -1033,15 +848,9 @@ static gsi::Methods methods_QXmlStreamReader () { methods += new qt_gsi::GenericMethod ("isStartElement?", "@brief Method bool QXmlStreamReader::isStartElement()\n", true, &_init_f_isStartElement_c0, &_call_f_isStartElement_c0); methods += new qt_gsi::GenericMethod ("isWhitespace?", "@brief Method bool QXmlStreamReader::isWhitespace()\n", true, &_init_f_isWhitespace_c0, &_call_f_isWhitespace_c0); methods += new qt_gsi::GenericMethod ("lineNumber", "@brief Method qint64 QXmlStreamReader::lineNumber()\n", true, &_init_f_lineNumber_c0, &_call_f_lineNumber_c0); - methods += new qt_gsi::GenericMethod ("name", "@brief Method QStringView QXmlStreamReader::name()\n", true, &_init_f_name_c0, &_call_f_name_c0); methods += new qt_gsi::GenericMethod ("namespaceDeclarations", "@brief Method QList QXmlStreamReader::namespaceDeclarations()\n", true, &_init_f_namespaceDeclarations_c0, &_call_f_namespaceDeclarations_c0); methods += new qt_gsi::GenericMethod (":namespaceProcessing", "@brief Method bool QXmlStreamReader::namespaceProcessing()\n", true, &_init_f_namespaceProcessing_c0, &_call_f_namespaceProcessing_c0); - methods += new qt_gsi::GenericMethod ("namespaceUri", "@brief Method QStringView QXmlStreamReader::namespaceUri()\n", true, &_init_f_namespaceUri_c0, &_call_f_namespaceUri_c0); methods += new qt_gsi::GenericMethod ("notationDeclarations", "@brief Method QList QXmlStreamReader::notationDeclarations()\n", true, &_init_f_notationDeclarations_c0, &_call_f_notationDeclarations_c0); - methods += new qt_gsi::GenericMethod ("prefix", "@brief Method QStringView QXmlStreamReader::prefix()\n", true, &_init_f_prefix_c0, &_call_f_prefix_c0); - methods += new qt_gsi::GenericMethod ("processingInstructionData", "@brief Method QStringView QXmlStreamReader::processingInstructionData()\n", true, &_init_f_processingInstructionData_c0, &_call_f_processingInstructionData_c0); - methods += new qt_gsi::GenericMethod ("processingInstructionTarget", "@brief Method QStringView QXmlStreamReader::processingInstructionTarget()\n", true, &_init_f_processingInstructionTarget_c0, &_call_f_processingInstructionTarget_c0); - methods += new qt_gsi::GenericMethod ("qualifiedName", "@brief Method QStringView QXmlStreamReader::qualifiedName()\n", true, &_init_f_qualifiedName_c0, &_call_f_qualifiedName_c0); methods += new qt_gsi::GenericMethod ("raiseError", "@brief Method void QXmlStreamReader::raiseError(const QString &message)\n", false, &_init_f_raiseError_2025, &_call_f_raiseError_2025); methods += new qt_gsi::GenericMethod ("readElementText", "@brief Method QString QXmlStreamReader::readElementText(QXmlStreamReader::ReadElementTextBehaviour behaviour)\n", false, &_init_f_readElementText_4601, &_call_f_readElementText_4601); methods += new qt_gsi::GenericMethod ("readNext", "@brief Method QXmlStreamReader::TokenType QXmlStreamReader::readNext()\n", false, &_init_f_readNext_0, &_call_f_readNext_0); @@ -1051,7 +860,6 @@ static gsi::Methods methods_QXmlStreamReader () { methods += new qt_gsi::GenericMethod ("setEntityResolver|entityResolver=", "@brief Method void QXmlStreamReader::setEntityResolver(QXmlStreamEntityResolver *resolver)\n", false, &_init_f_setEntityResolver_3115, &_call_f_setEntityResolver_3115); methods += new qt_gsi::GenericMethod ("setNamespaceProcessing|namespaceProcessing=", "@brief Method void QXmlStreamReader::setNamespaceProcessing(bool)\n", false, &_init_f_setNamespaceProcessing_864, &_call_f_setNamespaceProcessing_864); methods += new qt_gsi::GenericMethod ("skipCurrentElement", "@brief Method void QXmlStreamReader::skipCurrentElement()\n", false, &_init_f_skipCurrentElement_0, &_call_f_skipCurrentElement_0); - methods += new qt_gsi::GenericMethod ("text", "@brief Method QStringView QXmlStreamReader::text()\n", true, &_init_f_text_c0, &_call_f_text_c0); methods += new qt_gsi::GenericMethod ("tokenString", "@brief Method QString QXmlStreamReader::tokenString()\n", true, &_init_f_tokenString_c0, &_call_f_tokenString_c0); methods += new qt_gsi::GenericMethod ("tokenType", "@brief Method QXmlStreamReader::TokenType QXmlStreamReader::tokenType()\n", true, &_init_f_tokenType_c0, &_call_f_tokenType_c0); return methods; diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextCodec.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextCodec.cc index 2c4584b116..63281c8eec 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextCodec.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextCodec.cc @@ -90,25 +90,6 @@ static void _call_f_canEncode_c2025 (const qt_gsi::GenericMethod * /*decl*/, voi } -// bool QTextCodec::canEncode(QStringView) - - -static void _init_f_canEncode_c1559 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_canEncode_c1559 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write ((bool)((QTextCodec *)cls)->canEncode (arg1)); -} - - // QByteArray QTextCodec::fromUnicode(const QString &uc) @@ -128,25 +109,6 @@ static void _call_f_fromUnicode_c2025 (const qt_gsi::GenericMethod * /*decl*/, v } -// QByteArray QTextCodec::fromUnicode(QStringView uc) - - -static void _init_f_fromUnicode_c1559 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("uc"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_fromUnicode_c1559 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write ((QByteArray)((QTextCodec *)cls)->fromUnicode (arg1)); -} - - // QTextDecoder *QTextCodec::makeDecoder(QTextCodec::ConversionFlags flags) @@ -467,9 +429,7 @@ static gsi::Methods methods_QTextCodec () { methods += new qt_gsi::GenericMethod ("aliases", "@brief Method QList QTextCodec::aliases()\n", true, &_init_f_aliases_c0, &_call_f_aliases_c0); methods += new qt_gsi::GenericMethod ("canEncode", "@brief Method bool QTextCodec::canEncode(QChar)\n", true, &_init_f_canEncode_c899, &_call_f_canEncode_c899); methods += new qt_gsi::GenericMethod ("canEncode", "@brief Method bool QTextCodec::canEncode(const QString &)\n", true, &_init_f_canEncode_c2025, &_call_f_canEncode_c2025); - methods += new qt_gsi::GenericMethod ("canEncode", "@brief Method bool QTextCodec::canEncode(QStringView)\n", true, &_init_f_canEncode_c1559, &_call_f_canEncode_c1559); methods += new qt_gsi::GenericMethod ("fromUnicode", "@brief Method QByteArray QTextCodec::fromUnicode(const QString &uc)\n", true, &_init_f_fromUnicode_c2025, &_call_f_fromUnicode_c2025); - methods += new qt_gsi::GenericMethod ("fromUnicode", "@brief Method QByteArray QTextCodec::fromUnicode(QStringView uc)\n", true, &_init_f_fromUnicode_c1559, &_call_f_fromUnicode_c1559); methods += new qt_gsi::GenericMethod ("makeDecoder", "@brief Method QTextDecoder *QTextCodec::makeDecoder(QTextCodec::ConversionFlags flags)\n", true, &_init_f_makeDecoder_c3087, &_call_f_makeDecoder_c3087); methods += new qt_gsi::GenericMethod ("makeEncoder", "@brief Method QTextEncoder *QTextCodec::makeEncoder(QTextCodec::ConversionFlags flags)\n", true, &_init_f_makeEncoder_c3087, &_call_f_makeEncoder_c3087); methods += new qt_gsi::GenericMethod ("mibEnum", "@brief Method int QTextCodec::mibEnum()\n", true, &_init_f_mibEnum_c0, &_call_f_mibEnum_c0); diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextEncoder.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextEncoder.cc index 653dc73cc0..628b0b4727 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextEncoder.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextEncoder.cc @@ -96,25 +96,6 @@ static void _call_f_fromUnicode_2025 (const qt_gsi::GenericMethod * /*decl*/, vo } -// QByteArray QTextEncoder::fromUnicode(QStringView str) - - -static void _init_f_fromUnicode_1559 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("str"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_fromUnicode_1559 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write ((QByteArray)((QTextEncoder *)cls)->fromUnicode (arg1)); -} - - // bool QTextEncoder::hasFailure() @@ -139,7 +120,6 @@ static gsi::Methods methods_QTextEncoder () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTextEncoder::QTextEncoder(const QTextCodec *codec)\nThis method creates an object of class QTextEncoder.", &_init_ctor_QTextEncoder_2297, &_call_ctor_QTextEncoder_2297); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTextEncoder::QTextEncoder(const QTextCodec *codec, QTextCodec::ConversionFlags flags)\nThis method creates an object of class QTextEncoder.", &_init_ctor_QTextEncoder_5276, &_call_ctor_QTextEncoder_5276); methods += new qt_gsi::GenericMethod ("fromUnicode", "@brief Method QByteArray QTextEncoder::fromUnicode(const QString &str)\n", false, &_init_f_fromUnicode_2025, &_call_f_fromUnicode_2025); - methods += new qt_gsi::GenericMethod ("fromUnicode", "@brief Method QByteArray QTextEncoder::fromUnicode(QStringView str)\n", false, &_init_f_fromUnicode_1559, &_call_f_fromUnicode_1559); methods += new qt_gsi::GenericMethod ("hasFailure", "@brief Method bool QTextEncoder::hasFailure()\n", true, &_init_f_hasFailure_c0, &_call_f_hasFailure_c0); return methods; } diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQColor.cc b/src/gsiqt/qt6/QtGui/gsiDeclQColor.cc index d5a2a34b20..085d06dad2 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQColor.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQColor.cc @@ -136,25 +136,6 @@ static void _call_ctor_QColor_1003 (const qt_gsi::GenericStaticMethod * /*decl*/ } -// Constructor QColor::QColor(QStringView name) - - -static void _init_ctor_QColor_1559 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); - decl->set_return_new (); -} - -static void _call_ctor_QColor_1559 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write (new QColor (arg1)); -} - - // Constructor QColor::QColor(const char *aname) @@ -1417,26 +1398,6 @@ static void _call_f_setNamedColor_2025 (const qt_gsi::GenericMethod * /*decl*/, } -// void QColor::setNamedColor(QStringView name) - - -static void _init_f_setNamedColor_1559 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_setNamedColor_1559 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QColor *)cls)->setNamedColor (arg1); -} - - // void QColor::setNamedColor(QLatin1String name) @@ -2114,25 +2075,6 @@ static void _call_f_isValidColor_2025 (const qt_gsi::GenericStaticMethod * /*dec } -// static bool QColor::isValidColor(QStringView) - - -static void _init_f_isValidColor_1559 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_isValidColor_1559 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write ((bool)QColor::isValidColor (arg1)); -} - - // static bool QColor::isValidColor(QLatin1String) @@ -2163,7 +2105,6 @@ static gsi::Methods methods_QColor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(int r, int g, int b, int a)\nThis method creates an object of class QColor.", &_init_ctor_QColor_2744, &_call_ctor_QColor_2744); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(unsigned int rgb)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1772, &_call_ctor_QColor_1772); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(QRgba64 rgba64)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1003, &_call_ctor_QColor_1003); - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(QStringView name)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1559, &_call_ctor_QColor_1559); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(const char *aname)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1731, &_call_ctor_QColor_1731); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(QLatin1String name)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1701, &_call_ctor_QColor_1701); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(QColor::Spec spec)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1539, &_call_ctor_QColor_1539); @@ -2228,7 +2169,6 @@ static gsi::Methods methods_QColor () { methods += new qt_gsi::GenericMethod ("setHsv", "@brief Method void QColor::setHsv(int h, int s, int v, int a)\n", false, &_init_f_setHsv_2744, &_call_f_setHsv_2744); methods += new qt_gsi::GenericMethod ("setHsvF", "@brief Method void QColor::setHsvF(float h, float s, float v, float a)\n", false, &_init_f_setHsvF_3556, &_call_f_setHsvF_3556); methods += new qt_gsi::GenericMethod ("setNamedColor", "@brief Method void QColor::setNamedColor(const QString &name)\n", false, &_init_f_setNamedColor_2025, &_call_f_setNamedColor_2025); - methods += new qt_gsi::GenericMethod ("setNamedColor", "@brief Method void QColor::setNamedColor(QStringView name)\n", false, &_init_f_setNamedColor_1559, &_call_f_setNamedColor_1559); methods += new qt_gsi::GenericMethod ("setNamedColor", "@brief Method void QColor::setNamedColor(QLatin1String name)\n", false, &_init_f_setNamedColor_1701, &_call_f_setNamedColor_1701); methods += new qt_gsi::GenericMethod ("setRed|red=", "@brief Method void QColor::setRed(int red)\n", false, &_init_f_setRed_767, &_call_f_setRed_767); methods += new qt_gsi::GenericMethod ("setRedF|redF=", "@brief Method void QColor::setRedF(float red)\n", false, &_init_f_setRedF_970, &_call_f_setRedF_970); @@ -2261,7 +2201,6 @@ static gsi::Methods methods_QColor () { methods += new qt_gsi::GenericStaticMethod ("fromRgba64", "@brief Static method QColor QColor::fromRgba64(unsigned short int r, unsigned short int g, unsigned short int b, unsigned short int a)\nThis method is static and can be called without an instance.", &_init_f_fromRgba64_9580, &_call_f_fromRgba64_9580); methods += new qt_gsi::GenericStaticMethod ("fromRgba64", "@brief Static method QColor QColor::fromRgba64(QRgba64 rgba)\nThis method is static and can be called without an instance.", &_init_f_fromRgba64_1003, &_call_f_fromRgba64_1003); methods += new qt_gsi::GenericStaticMethod ("isValidColor?", "@brief Static method bool QColor::isValidColor(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_isValidColor_2025, &_call_f_isValidColor_2025); - methods += new qt_gsi::GenericStaticMethod ("isValidColor?", "@brief Static method bool QColor::isValidColor(QStringView)\nThis method is static and can be called without an instance.", &_init_f_isValidColor_1559, &_call_f_isValidColor_1559); methods += new qt_gsi::GenericStaticMethod ("isValidColor?", "@brief Static method bool QColor::isValidColor(QLatin1String)\nThis method is static and can be called without an instance.", &_init_f_isValidColor_1701, &_call_f_isValidColor_1701); return methods; } diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQGenericPlugin.cc b/src/gsiqt/qt6/QtGui/gsiDeclQGenericPlugin.cc index 4130e9d2d1..12de05189d 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQGenericPlugin.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQGenericPlugin.cc @@ -107,7 +107,7 @@ namespace gsi static gsi::Methods methods_QGenericPlugin () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Method QObject *QGenericPlugin::create(const QString &name, const QString &spec)\n", false, &_init_f_create_3942, &_call_f_create_3942); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method QObject *QGenericPlugin::create(const QString &name, const QString &spec)\n", false, &_init_f_create_3942, &_call_f_create_3942); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QGenericPlugin::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QGenericPlugin::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QGenericPlugin::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); @@ -593,8 +593,8 @@ static gsi::Methods methods_QGenericPlugin_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QGenericPlugin::QGenericPlugin(QObject *parent)\nThis method creates an object of class QGenericPlugin.", &_init_ctor_QGenericPlugin_Adaptor_1302, &_call_ctor_QGenericPlugin_Adaptor_1302); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGenericPlugin::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Virtual method QObject *QGenericPlugin::create(const QString &name, const QString &spec)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_create_3942_0, &_call_cbs_create_3942_0); - methods += new qt_gsi::GenericMethod ("qt_create", "@hide", false, &_init_cbs_create_3942_0, &_call_cbs_create_3942_0, &_set_callback_cbs_create_3942_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Virtual method QObject *QGenericPlugin::create(const QString &name, const QString &spec)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_create_3942_0, &_call_cbs_create_3942_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@hide", false, &_init_cbs_create_3942_0, &_call_cbs_create_3942_0, &_set_callback_cbs_create_3942_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGenericPlugin::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGenericPlugin::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQGenericPluginFactory.cc b/src/gsiqt/qt6/QtGui/gsiDeclQGenericPluginFactory.cc index c8228041e2..76c191df7b 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQGenericPluginFactory.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQGenericPluginFactory.cc @@ -95,7 +95,7 @@ namespace gsi static gsi::Methods methods_QGenericPluginFactory () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QGenericPluginFactory::QGenericPluginFactory()\nThis method creates an object of class QGenericPluginFactory.", &_init_ctor_QGenericPluginFactory_0, &_call_ctor_QGenericPluginFactory_0); - methods += new qt_gsi::GenericStaticMethod ("qt_create", "@brief Static method QObject *QGenericPluginFactory::create(const QString &, const QString &)\nThis method is static and can be called without an instance.", &_init_f_create_3942, &_call_f_create_3942); + methods += new qt_gsi::GenericStaticMethod ("create|qt_create", "@brief Static method QObject *QGenericPluginFactory::create(const QString &, const QString &)\nThis method is static and can be called without an instance.", &_init_f_create_3942, &_call_f_create_3942); methods += new qt_gsi::GenericStaticMethod ("keys", "@brief Static method QStringList QGenericPluginFactory::keys()\nThis method is static and can be called without an instance.", &_init_f_keys_0, &_call_f_keys_0); return methods; } diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQIconEnginePlugin.cc b/src/gsiqt/qt6/QtGui/gsiDeclQIconEnginePlugin.cc index 41277a662d..29142397aa 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQIconEnginePlugin.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQIconEnginePlugin.cc @@ -105,7 +105,7 @@ namespace gsi static gsi::Methods methods_QIconEnginePlugin () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Method QIconEngine *QIconEnginePlugin::create(const QString &filename)\n", false, &_init_f_create_2025, &_call_f_create_2025); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method QIconEngine *QIconEnginePlugin::create(const QString &filename)\n", false, &_init_f_create_2025, &_call_f_create_2025); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QIconEnginePlugin::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QIconEnginePlugin::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QIconEnginePlugin::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); @@ -587,8 +587,8 @@ static gsi::Methods methods_QIconEnginePlugin_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QIconEnginePlugin::QIconEnginePlugin(QObject *parent)\nThis method creates an object of class QIconEnginePlugin.", &_init_ctor_QIconEnginePlugin_Adaptor_1302, &_call_ctor_QIconEnginePlugin_Adaptor_1302); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QIconEnginePlugin::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Virtual method QIconEngine *QIconEnginePlugin::create(const QString &filename)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_create_2025_1, &_call_cbs_create_2025_1); - methods += new qt_gsi::GenericMethod ("qt_create", "@hide", false, &_init_cbs_create_2025_1, &_call_cbs_create_2025_1, &_set_callback_cbs_create_2025_1); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Virtual method QIconEngine *QIconEnginePlugin::create(const QString &filename)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_create_2025_1, &_call_cbs_create_2025_1); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@hide", false, &_init_cbs_create_2025_1, &_call_cbs_create_2025_1, &_set_callback_cbs_create_2025_1); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QIconEnginePlugin::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QIconEnginePlugin::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQImage.cc b/src/gsiqt/qt6/QtGui/gsiDeclQImage.cc index 2c4b67fba5..f910851ed0 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQImage.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQImage.cc @@ -2053,6 +2053,59 @@ class QImage_Adaptor : public QImage, public qt_gsi::QtObjectBase { public: + // NOTE: QImage does not take ownership of the data, so + // we will provide a buffer to do so. This requires an additional + // copy, but as GSI is not guaranteeing the lifetime of the + // data, this is required here. + class DataHolder + { + public: + + DataHolder() : mp_data(0) { } + DataHolder(unsigned char *data) : mp_data(data) { } + + ~DataHolder() + { + if (mp_data) { + delete[](mp_data); + } + mp_data = 0; + } + + static unsigned char *alloc(const std::string &data) + { + unsigned char *ptr = new unsigned char[data.size()]; + memcpy(ptr, data.c_str(), data.size()); + return ptr; + } + + private: + unsigned char *mp_data; + }; + + static QImage_Adaptor *new_qimage_from_data1(const std::string &data, int width, int height, int bytesPerLine, QImage::Format format) + { + return new QImage_Adaptor(DataHolder::alloc(data), width, height, bytesPerLine, format); + } + + static QImage_Adaptor *new_qimage_from_data2(const std::string &data, int width, int height, QImage::Format format) + { + return new QImage_Adaptor(DataHolder::alloc(data), width, height, format); + } + + QImage_Adaptor(unsigned char *data, int width, int height, int bytesPerLine, QImage::Format format) + : QImage(data, width, height, bytesPerLine, format), m_holder(data) + { + } + + QImage_Adaptor(unsigned char *data, int width, int height, QImage::Format format) + : QImage (data, width, height, format), m_holder(data) + { + } + + DataHolder m_holder; + + virtual ~QImage_Adaptor(); // [adaptor ctor] QImage::QImage() @@ -2584,6 +2637,15 @@ static gsi::Methods methods_QImage_Adaptor () { } gsi::Class decl_QImage_Adaptor (qtdecl_QImage (), "QtGui", "QImage", + gsi::constructor("new", &QImage_Adaptor::new_qimage_from_data1, gsi::arg ("data"), gsi::arg ("width"), gsi::arg ("height"), gsi::arg ("bytesPerLine"), gsi::arg ("format"), + "@brief QImage::QImage(const uchar *data, int width, int height, int bytesPerLine)\n" + "The cleanupFunction parameter is available currently." + ) + + gsi::constructor("new", &QImage_Adaptor::new_qimage_from_data2, gsi::arg ("data"), gsi::arg ("width"), gsi::arg ("height"), gsi::arg ("format"), + "@brief QImage::QImage(const uchar *data, int width, int height)\n" + "The cleanupFunction parameter is available currently." + ) ++ methods_QImage_Adaptor (), "@qt\n@brief Binding of QImage"); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQImageIOPlugin.cc b/src/gsiqt/qt6/QtGui/gsiDeclQImageIOPlugin.cc index 80a47ecd39..441b91cd45 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQImageIOPlugin.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQImageIOPlugin.cc @@ -132,7 +132,7 @@ static gsi::Methods methods_QImageIOPlugin () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("capabilities", "@brief Method QFlags QImageIOPlugin::capabilities(QIODevice *device, const QByteArray &format)\n", true, &_init_f_capabilities_c3648, &_call_f_capabilities_c3648); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Method QImageIOHandler *QImageIOPlugin::create(QIODevice *device, const QByteArray &format)\n", true, &_init_f_create_c3648, &_call_f_create_c3648); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method QImageIOHandler *QImageIOPlugin::create(QIODevice *device, const QByteArray &format)\n", true, &_init_f_create_c3648, &_call_f_create_c3648); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QImageIOPlugin::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QImageIOPlugin::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QImageIOPlugin::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); @@ -664,8 +664,8 @@ static gsi::Methods methods_QImageIOPlugin_Adaptor () { methods += new qt_gsi::GenericMethod ("capabilities", "@hide", true, &_init_cbs_capabilities_c3648_0, &_call_cbs_capabilities_c3648_0, &_set_callback_cbs_capabilities_c3648_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QImageIOPlugin::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Virtual method QImageIOHandler *QImageIOPlugin::create(QIODevice *device, const QByteArray &format)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_create_c3648_1, &_call_cbs_create_c3648_1); - methods += new qt_gsi::GenericMethod ("qt_create", "@hide", true, &_init_cbs_create_c3648_1, &_call_cbs_create_c3648_1, &_set_callback_cbs_create_c3648_1); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Virtual method QImageIOHandler *QImageIOPlugin::create(QIODevice *device, const QByteArray &format)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_create_c3648_1, &_call_cbs_create_c3648_1); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@hide", true, &_init_cbs_create_c3648_1, &_call_cbs_create_c3648_1, &_set_callback_cbs_create_c3648_1); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QImageIOPlugin::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QImageIOPlugin::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQOffscreenSurface.cc b/src/gsiqt/qt6/QtGui/gsiDeclQOffscreenSurface.cc index 7586e9e74e..6d429b6e20 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQOffscreenSurface.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQOffscreenSurface.cc @@ -287,8 +287,8 @@ namespace gsi static gsi::Methods methods_QOffscreenSurface () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Method void QOffscreenSurface::create()\n", false, &_init_f_create_0, &_call_f_create_0); - methods += new qt_gsi::GenericMethod ("qt_destroy", "@brief Method void QOffscreenSurface::destroy()\n", false, &_init_f_destroy_0, &_call_f_destroy_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method void QOffscreenSurface::create()\n", false, &_init_f_create_0, &_call_f_create_0); + methods += new qt_gsi::GenericMethod ("destroy|qt_destroy", "@brief Method void QOffscreenSurface::destroy()\n", false, &_init_f_destroy_0, &_call_f_destroy_0); methods += new qt_gsi::GenericMethod (":format", "@brief Method QSurfaceFormat QOffscreenSurface::format()\nThis is a reimplementation of QSurface::format", true, &_init_f_format_c0, &_call_f_format_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QOffscreenSurface::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod ("requestedFormat", "@brief Method QSurfaceFormat QOffscreenSurface::requestedFormat()\n", true, &_init_f_requestedFormat_c0, &_call_f_requestedFormat_c0); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPainter_PixmapFragment.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPainter_PixmapFragment.cc index b72827f30d..e6882c597a 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPainter_PixmapFragment.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPainter_PixmapFragment.cc @@ -93,7 +93,7 @@ namespace gsi static gsi::Methods methods_QPainter_PixmapFragment () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPainter::PixmapFragment::PixmapFragment()\nThis method creates an object of class QPainter::PixmapFragment.", &_init_ctor_QPainter_PixmapFragment_0, &_call_ctor_QPainter_PixmapFragment_0); - methods += new qt_gsi::GenericStaticMethod ("qt_create", "@brief Static method QPainter::PixmapFragment QPainter::PixmapFragment::create(const QPointF &pos, const QRectF &sourceRect, double scaleX, double scaleY, double rotation, double opacity)\nThis method is static and can be called without an instance.", &_init_f_create_7592, &_call_f_create_7592); + methods += new qt_gsi::GenericStaticMethod ("create|qt_create", "@brief Static method QPainter::PixmapFragment QPainter::PixmapFragment::create(const QPointF &pos, const QRectF &sourceRect, double scaleX, double scaleY, double rotation, double opacity)\nThis method is static and can be called without an instance.", &_init_f_create_7592, &_call_f_create_7592); return methods; } diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQWindow.cc b/src/gsiqt/qt6/QtGui/gsiDeclQWindow.cc index b094968abd..aeb8f8a039 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQWindow.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQWindow.cc @@ -2068,9 +2068,9 @@ static gsi::Methods methods_QWindow () { methods += new qt_gsi::GenericMethod (":baseSize", "@brief Method QSize QWindow::baseSize()\n", true, &_init_f_baseSize_c0, &_call_f_baseSize_c0); methods += new qt_gsi::GenericMethod ("close", "@brief Method bool QWindow::close()\n", false, &_init_f_close_0, &_call_f_close_0); methods += new qt_gsi::GenericMethod (":contentOrientation", "@brief Method Qt::ScreenOrientation QWindow::contentOrientation()\n", true, &_init_f_contentOrientation_c0, &_call_f_contentOrientation_c0); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Method void QWindow::create()\n", false, &_init_f_create_0, &_call_f_create_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method void QWindow::create()\n", false, &_init_f_create_0, &_call_f_create_0); methods += new qt_gsi::GenericMethod (":cursor", "@brief Method QCursor QWindow::cursor()\n", true, &_init_f_cursor_c0, &_call_f_cursor_c0); - methods += new qt_gsi::GenericMethod ("qt_destroy", "@brief Method void QWindow::destroy()\n", false, &_init_f_destroy_0, &_call_f_destroy_0); + methods += new qt_gsi::GenericMethod ("destroy|qt_destroy", "@brief Method void QWindow::destroy()\n", false, &_init_f_destroy_0, &_call_f_destroy_0); methods += new qt_gsi::GenericMethod ("devicePixelRatio", "@brief Method double QWindow::devicePixelRatio()\n", true, &_init_f_devicePixelRatio_c0, &_call_f_devicePixelRatio_c0); methods += new qt_gsi::GenericMethod (":filePath", "@brief Method QString QWindow::filePath()\n", true, &_init_f_filePath_c0, &_call_f_filePath_c0); methods += new qt_gsi::GenericMethod (":flags", "@brief Method QFlags QWindow::flags()\n", true, &_init_f_flags_c0, &_call_f_flags_c0); @@ -2105,7 +2105,7 @@ static gsi::Methods methods_QWindow () { methods += new qt_gsi::GenericMethod (":opacity", "@brief Method double QWindow::opacity()\n", true, &_init_f_opacity_c0, &_call_f_opacity_c0); methods += new qt_gsi::GenericMethod ("parent", "@brief Method QWindow *QWindow::parent(QWindow::AncestorMode mode)\n", true, &_init_f_parent_c2485, &_call_f_parent_c2485); methods += new qt_gsi::GenericMethod (":position", "@brief Method QPoint QWindow::position()\n", true, &_init_f_position_c0, &_call_f_position_c0); - methods += new qt_gsi::GenericMethod ("qt_raise", "@brief Method void QWindow::raise()\n", false, &_init_f_raise_0, &_call_f_raise_0); + methods += new qt_gsi::GenericMethod ("raise|qt_raise", "@brief Method void QWindow::raise()\n", false, &_init_f_raise_0, &_call_f_raise_0); methods += new qt_gsi::GenericMethod ("reportContentOrientationChange", "@brief Method void QWindow::reportContentOrientationChange(Qt::ScreenOrientation orientation)\n", false, &_init_f_reportContentOrientationChange_2521, &_call_f_reportContentOrientationChange_2521); methods += new qt_gsi::GenericMethod ("requestActivate", "@brief Method void QWindow::requestActivate()\n", false, &_init_f_requestActivate_0, &_call_f_requestActivate_0); methods += new qt_gsi::GenericMethod ("requestUpdate", "@brief Method void QWindow::requestUpdate()\n", false, &_init_f_requestUpdate_0, &_call_f_requestUpdate_0); diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkInformation.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkInformation.cc index d7506e2565..6ae51042d2 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkInformation.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkInformation.cc @@ -186,25 +186,6 @@ static void _call_f_instance_0 (const qt_gsi::GenericStaticMethod * /*decl*/, gs } -// static bool QNetworkInformation::load(QStringView backend) - - -static void _init_f_load_1559 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("backend"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_load_1559 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QStringView arg1 = gsi::arg_reader() (args, heap); - ret.write ((bool)QNetworkInformation::load (arg1)); -} - - // static bool QNetworkInformation::load(QFlags features) @@ -264,7 +245,6 @@ static gsi::Methods methods_QNetworkInformation () { methods += new qt_gsi::GenericMethod ("supports", "@brief Method bool QNetworkInformation::supports(QFlags features)\n", true, &_init_f_supports_c3949, &_call_f_supports_c3949); methods += new qt_gsi::GenericStaticMethod ("availableBackends", "@brief Static method QStringList QNetworkInformation::availableBackends()\nThis method is static and can be called without an instance.", &_init_f_availableBackends_0, &_call_f_availableBackends_0); methods += new qt_gsi::GenericStaticMethod ("instance", "@brief Static method QNetworkInformation *QNetworkInformation::instance()\nThis method is static and can be called without an instance.", &_init_f_instance_0, &_call_f_instance_0); - methods += new qt_gsi::GenericStaticMethod ("load", "@brief Static method bool QNetworkInformation::load(QStringView backend)\nThis method is static and can be called without an instance.", &_init_f_load_1559, &_call_f_load_1559); methods += new qt_gsi::GenericStaticMethod ("load", "@brief Static method bool QNetworkInformation::load(QFlags features)\nThis method is static and can be called without an instance.", &_init_f_load_3949, &_call_f_load_3949); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QNetworkInformation::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; diff --git a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc index 488cd74a9a..e7dc85a78f 100644 --- a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc +++ b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc @@ -2585,10 +2585,10 @@ static gsi::Methods methods_QAbstractPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QAbstractPrintDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QAbstractPrintDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QAbstractPrintDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractPrintDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QAbstractPrintDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QAbstractPrintDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractPrintDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("done", "@brief Virtual method void QAbstractPrintDialog::done(int)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0); diff --git a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintDialog.cc b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintDialog.cc index b1b37ae074..2c8c641505 100644 --- a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintDialog.cc +++ b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintDialog.cc @@ -2665,10 +2665,10 @@ static gsi::Methods methods_QPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QPrintDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QPrintDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QPrintDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPrintDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QPrintDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QPrintDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPrintDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("done", "@brief Virtual method void QPrintDialog::done(int result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0); diff --git a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc index 1a0c28a8de..389acd458f 100644 --- a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc +++ b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc @@ -2568,10 +2568,10 @@ static gsi::Methods methods_QPrintPreviewDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QPrintPreviewDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QPrintPreviewDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QPrintPreviewDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPrintPreviewDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QPrintPreviewDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QPrintPreviewDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPrintPreviewDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("done", "@brief Virtual method void QPrintPreviewDialog::done(int result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0); diff --git a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc index 99bbf61550..01d5e303be 100644 --- a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc +++ b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc @@ -2693,10 +2693,10 @@ static gsi::Methods methods_QPrintPreviewWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QPrintPreviewWidget::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QPrintPreviewWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QPrintPreviewWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPrintPreviewWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QPrintPreviewWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QPrintPreviewWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPrintPreviewWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QPrintPreviewWidget::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractButton.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractButton.cc index 4a343b8bde..d535348017 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractButton.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractButton.cc @@ -3018,11 +3018,11 @@ static gsi::Methods methods_QAbstractButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QAbstractButton::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QAbstractButton::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QAbstractButton::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QAbstractButton::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractButton::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QAbstractButton::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QAbstractButton::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractButton::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractButton::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractItemView.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractItemView.cc index a0ef79ec3d..35a8e16b40 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractItemView.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractItemView.cc @@ -5991,7 +5991,7 @@ static gsi::Methods methods_QAbstractItemView_Adaptor () { methods += new qt_gsi::GenericMethod ("*commitData", "@hide", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0, &_set_callback_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QAbstractItemView::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QAbstractItemView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QAbstractItemView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*currentChanged", "@brief Virtual method void QAbstractItemView::currentChanged(const QModelIndex ¤t, const QModelIndex &previous)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@hide", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0, &_set_callback_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QAbstractItemView::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); @@ -5999,7 +5999,7 @@ static gsi::Methods methods_QAbstractItemView_Adaptor () { methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*dataChanged", "@brief Virtual method void QAbstractItemView::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dataChanged_6833_1, &_call_cbs_dataChanged_6833_1); methods += new qt_gsi::GenericMethod ("*dataChanged", "@hide", false, &_init_cbs_dataChanged_6833_1, &_call_cbs_dataChanged_6833_1, &_set_callback_cbs_dataChanged_6833_1); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QAbstractItemView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QAbstractItemView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractItemView::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*dirtyRegionOffset", "@brief Method QPoint QAbstractItemView::dirtyRegionOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_dirtyRegionOffset_c0, &_call_fp_dirtyRegionOffset_c0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractItemView::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractScrollArea.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractScrollArea.cc index 53c00d021a..ee4983a191 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractScrollArea.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractScrollArea.cc @@ -3007,11 +3007,11 @@ static gsi::Methods methods_QAbstractScrollArea_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QAbstractScrollArea::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QAbstractScrollArea::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QAbstractScrollArea::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QAbstractScrollArea::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractScrollArea::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QAbstractScrollArea::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QAbstractScrollArea::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractScrollArea::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractScrollArea::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractSlider.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractSlider.cc index 3bee59967e..3918a6389d 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractSlider.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractSlider.cc @@ -3023,11 +3023,11 @@ static gsi::Methods methods_QAbstractSlider_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QAbstractSlider::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QAbstractSlider::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QAbstractSlider::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QAbstractSlider::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractSlider::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QAbstractSlider::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QAbstractSlider::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractSlider::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractSlider::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractSpinBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractSpinBox.cc index 4a57af9082..0bc20f9eb3 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractSpinBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractSpinBox.cc @@ -3261,11 +3261,11 @@ static gsi::Methods methods_QAbstractSpinBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QAbstractSpinBox::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QAbstractSpinBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QAbstractSpinBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QAbstractSpinBox::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractSpinBox::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QAbstractSpinBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QAbstractSpinBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractSpinBox::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractSpinBox::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQBoxLayout.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQBoxLayout.cc index e9e552822e..e74c734c06 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQBoxLayout.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQBoxLayout.cc @@ -120,6 +120,7 @@ static void _call_f_addSpacerItem_1708 (const qt_gsi::GenericMethod * /*decl*/, __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QSpacerItem *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); __SUPPRESS_UNUSED_WARNING(ret); ((QBoxLayout *)cls)->addSpacerItem (arg1); } @@ -204,6 +205,7 @@ static void _call_f_addWidget_4616 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); int arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::Alignment(), heap); __SUPPRESS_UNUSED_WARNING(ret); @@ -308,6 +310,7 @@ static void _call_f_insertItem_2399 (const qt_gsi::GenericMethod * /*decl*/, voi tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); QLayoutItem *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); __SUPPRESS_UNUSED_WARNING(ret); ((QBoxLayout *)cls)->insertItem (arg1, arg2); } @@ -333,6 +336,7 @@ static void _call_f_insertLayout_2659 (const qt_gsi::GenericMethod * /*decl*/, v tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); QLayout *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QBoxLayout *)cls)->insertLayout (arg1, arg2, arg3); @@ -357,6 +361,7 @@ static void _call_f_insertSpacerItem_2367 (const qt_gsi::GenericMethod * /*decl* tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); QSpacerItem *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); __SUPPRESS_UNUSED_WARNING(ret); ((QBoxLayout *)cls)->insertSpacerItem (arg1, arg2); } @@ -430,6 +435,7 @@ static void _call_f_insertWidget_5275 (const qt_gsi::GenericMethod * /*decl*/, v tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); QWidget *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::Alignment(), heap); __SUPPRESS_UNUSED_WARNING(ret); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQCalendarWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQCalendarWidget.cc index 2911b9f6c4..f0398da769 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQCalendarWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQCalendarWidget.cc @@ -3329,12 +3329,12 @@ static gsi::Methods methods_QCalendarWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QCalendarWidget::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QCalendarWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QCalendarWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentPageChanged", "@brief Emitter for signal void QCalendarWidget::currentPageChanged(int year, int month)\nCall this method to emit this signal.", false, &_init_emitter_currentPageChanged_1426, &_call_emitter_currentPageChanged_1426); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QCalendarWidget::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCalendarWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QCalendarWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QCalendarWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCalendarWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCalendarWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQCheckBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQCheckBox.cc index d3130493ca..209db22c8e 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQCheckBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQCheckBox.cc @@ -2749,11 +2749,11 @@ static gsi::Methods methods_QCheckBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QCheckBox::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QCheckBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QCheckBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QCheckBox::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCheckBox::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QCheckBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QCheckBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCheckBox::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCheckBox::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQColorDialog.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQColorDialog.cc index 8db91ee7ef..f6ca949ece 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQColorDialog.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQColorDialog.cc @@ -3029,12 +3029,12 @@ static gsi::Methods methods_QColorDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_colorSelected", "@brief Emitter for signal void QColorDialog::colorSelected(const QColor &color)\nCall this method to emit this signal.", false, &_init_emitter_colorSelected_1905, &_call_emitter_colorSelected_1905); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QColorDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QColorDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QColorDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentColorChanged", "@brief Emitter for signal void QColorDialog::currentColorChanged(const QColor &color)\nCall this method to emit this signal.", false, &_init_emitter_currentColorChanged_1905, &_call_emitter_currentColorChanged_1905); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QColorDialog::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QColorDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QColorDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QColorDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QColorDialog::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QColorDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQColumnView.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQColumnView.cc index 80602bbe01..f3c6477d8f 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQColumnView.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQColumnView.cc @@ -4966,7 +4966,7 @@ static gsi::Methods methods_QColumnView_Adaptor () { methods += new qt_gsi::GenericMethod ("*commitData", "@hide", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0, &_set_callback_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QColumnView::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QColumnView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QColumnView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*createColumn", "@brief Virtual method QAbstractItemView *QColumnView::createColumn(const QModelIndex &rootIndex)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_createColumn_2395_0, &_call_cbs_createColumn_2395_0); methods += new qt_gsi::GenericMethod ("*createColumn", "@hide", false, &_init_cbs_createColumn_2395_0, &_call_cbs_createColumn_2395_0, &_set_callback_cbs_createColumn_2395_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@brief Virtual method void QColumnView::currentChanged(const QModelIndex ¤t, const QModelIndex &previous)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0); @@ -4976,7 +4976,7 @@ static gsi::Methods methods_QColumnView_Adaptor () { methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*dataChanged", "@brief Virtual method void QColumnView::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dataChanged_6833_1, &_call_cbs_dataChanged_6833_1); methods += new qt_gsi::GenericMethod ("*dataChanged", "@hide", false, &_init_cbs_dataChanged_6833_1, &_call_cbs_dataChanged_6833_1, &_set_callback_cbs_dataChanged_6833_1); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QColumnView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QColumnView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QColumnView::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*dirtyRegionOffset", "@brief Method QPoint QColumnView::dirtyRegionOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_dirtyRegionOffset_c0, &_call_fp_dirtyRegionOffset_c0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QColumnView::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQComboBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQComboBox.cc index d4d0645d02..60fbc4271f 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQComboBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQComboBox.cc @@ -4006,13 +4006,13 @@ static gsi::Methods methods_QComboBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QComboBox::contextMenuEvent(QContextMenuEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QComboBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QComboBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentIndexChanged", "@brief Emitter for signal void QComboBox::currentIndexChanged(int index)\nCall this method to emit this signal.", false, &_init_emitter_currentIndexChanged_767, &_call_emitter_currentIndexChanged_767); methods += new qt_gsi::GenericMethod ("emit_currentTextChanged", "@brief Emitter for signal void QComboBox::currentTextChanged(const QString &)\nCall this method to emit this signal.", false, &_init_emitter_currentTextChanged_2025, &_call_emitter_currentTextChanged_2025); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QComboBox::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QComboBox::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QComboBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QComboBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QComboBox::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QComboBox::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQCommandLinkButton.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQCommandLinkButton.cc index a6f60d2fd9..3f106e6b2c 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQCommandLinkButton.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQCommandLinkButton.cc @@ -2766,11 +2766,11 @@ static gsi::Methods methods_QCommandLinkButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QCommandLinkButton::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QCommandLinkButton::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QCommandLinkButton::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QCommandLinkButton::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCommandLinkButton::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QCommandLinkButton::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QCommandLinkButton::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCommandLinkButton::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCommandLinkButton::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQDateEdit.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQDateEdit.cc index 4075c4bb2d..df8d545d87 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQDateEdit.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQDateEdit.cc @@ -2854,7 +2854,7 @@ static gsi::Methods methods_QDateEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QDateEdit::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QDateEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QDateEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QDateEdit::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDateEdit::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); @@ -2862,7 +2862,7 @@ static gsi::Methods methods_QDateEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_dateTimeChanged", "@brief Emitter for signal void QDateEdit::dateTimeChanged(const QDateTime &dateTime)\nCall this method to emit this signal.", false, &_init_emitter_dateTimeChanged_2175, &_call_emitter_dateTimeChanged_2175); methods += new qt_gsi::GenericMethod ("*dateTimeFromText", "@brief Virtual method QDateTime QDateEdit::dateTimeFromText(const QString &text)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_dateTimeFromText_c2025_0, &_call_cbs_dateTimeFromText_c2025_0); methods += new qt_gsi::GenericMethod ("*dateTimeFromText", "@hide", true, &_init_cbs_dateTimeFromText_c2025_0, &_call_cbs_dateTimeFromText_c2025_0, &_set_callback_cbs_dateTimeFromText_c2025_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QDateEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QDateEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDateEdit::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDateEdit::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQDateTimeEdit.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQDateTimeEdit.cc index af7e3ae9a1..895ed2df8f 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQDateTimeEdit.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQDateTimeEdit.cc @@ -3830,7 +3830,7 @@ static gsi::Methods methods_QDateTimeEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QDateTimeEdit::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QDateTimeEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QDateTimeEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QDateTimeEdit::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDateTimeEdit::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); @@ -3838,7 +3838,7 @@ static gsi::Methods methods_QDateTimeEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_dateTimeChanged", "@brief Emitter for signal void QDateTimeEdit::dateTimeChanged(const QDateTime &dateTime)\nCall this method to emit this signal.", false, &_init_emitter_dateTimeChanged_2175, &_call_emitter_dateTimeChanged_2175); methods += new qt_gsi::GenericMethod ("*dateTimeFromText", "@brief Virtual method QDateTime QDateTimeEdit::dateTimeFromText(const QString &text)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_dateTimeFromText_c2025_0, &_call_cbs_dateTimeFromText_c2025_0); methods += new qt_gsi::GenericMethod ("*dateTimeFromText", "@hide", true, &_init_cbs_dateTimeFromText_c2025_0, &_call_cbs_dateTimeFromText_c2025_0, &_set_callback_cbs_dateTimeFromText_c2025_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QDateTimeEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QDateTimeEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDateTimeEdit::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDateTimeEdit::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQDial.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQDial.cc index 6b6d513348..46443769c4 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQDial.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQDial.cc @@ -2771,11 +2771,11 @@ static gsi::Methods methods_QDial_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QDial::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QDial::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QDial::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QDial::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDial::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QDial::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QDial::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDial::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDial::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQDialog.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQDialog.cc index b894002f1d..665147a0de 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQDialog.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQDialog.cc @@ -2859,11 +2859,11 @@ static gsi::Methods methods_QDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QDialog::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDialog::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQDialogButtonBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQDialogButtonBox.cc index 61ceee799f..3171ad6e5c 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQDialogButtonBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQDialogButtonBox.cc @@ -2825,11 +2825,11 @@ static gsi::Methods methods_QDialogButtonBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QDialogButtonBox::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QDialogButtonBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QDialogButtonBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QDialogButtonBox::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDialogButtonBox::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QDialogButtonBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QDialogButtonBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDialogButtonBox::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDialogButtonBox::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQDockWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQDockWidget.cc index e1a9694d74..f525c437e6 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQDockWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQDockWidget.cc @@ -2776,11 +2776,11 @@ static gsi::Methods methods_QDockWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QDockWidget::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QDockWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QDockWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QDockWidget::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDockWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QDockWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QDockWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDockWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDockWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQDoubleSpinBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQDoubleSpinBox.cc index 8fe28365ed..47633d1a08 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQDoubleSpinBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQDoubleSpinBox.cc @@ -3181,11 +3181,11 @@ static gsi::Methods methods_QDoubleSpinBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QDoubleSpinBox::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QDoubleSpinBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QDoubleSpinBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QDoubleSpinBox::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDoubleSpinBox::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QDoubleSpinBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QDoubleSpinBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDoubleSpinBox::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDoubleSpinBox::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQErrorMessage.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQErrorMessage.cc index 7041078d23..4a8c8e7971 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQErrorMessage.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQErrorMessage.cc @@ -2675,11 +2675,11 @@ static gsi::Methods methods_QErrorMessage_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QErrorMessage::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QErrorMessage::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QErrorMessage::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QErrorMessage::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QErrorMessage::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QErrorMessage::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QErrorMessage::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QErrorMessage::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QErrorMessage::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQFileDialog.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQFileDialog.cc index 32cee8d7d7..706c3589ec 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQFileDialog.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQFileDialog.cc @@ -4171,13 +4171,13 @@ static gsi::Methods methods_QFileDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QFileDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QFileDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QFileDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentChanged", "@brief Emitter for signal void QFileDialog::currentChanged(const QString &path)\nCall this method to emit this signal.", false, &_init_emitter_currentChanged_2025, &_call_emitter_currentChanged_2025); methods += new qt_gsi::GenericMethod ("emit_currentUrlChanged", "@brief Emitter for signal void QFileDialog::currentUrlChanged(const QUrl &url)\nCall this method to emit this signal.", false, &_init_emitter_currentUrlChanged_1701, &_call_emitter_currentUrlChanged_1701); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QFileDialog::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFileDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QFileDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QFileDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QFileDialog::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("emit_directoryEntered", "@brief Emitter for signal void QFileDialog::directoryEntered(const QString &directory)\nCall this method to emit this signal.", false, &_init_emitter_directoryEntered_2025, &_call_emitter_directoryEntered_2025); methods += new qt_gsi::GenericMethod ("emit_directoryUrlEntered", "@brief Emitter for signal void QFileDialog::directoryUrlEntered(const QUrl &directory)\nCall this method to emit this signal.", false, &_init_emitter_directoryUrlEntered_1701, &_call_emitter_directoryUrlEntered_1701); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQFocusFrame.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQFocusFrame.cc index 5823d749b0..a6c10ced95 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQFocusFrame.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQFocusFrame.cc @@ -2414,11 +2414,11 @@ static gsi::Methods methods_QFocusFrame_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QFocusFrame::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QFocusFrame::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QFocusFrame::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QFocusFrame::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFocusFrame::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QFocusFrame::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QFocusFrame::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QFocusFrame::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QFocusFrame::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQFontComboBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQFontComboBox.cc index 44a79b1ebd..bb0f179a5b 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQFontComboBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQFontComboBox.cc @@ -2774,14 +2774,14 @@ static gsi::Methods methods_QFontComboBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QFontComboBox::contextMenuEvent(QContextMenuEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QFontComboBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QFontComboBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentFontChanged", "@brief Emitter for signal void QFontComboBox::currentFontChanged(const QFont &f)\nCall this method to emit this signal.", false, &_init_emitter_currentFontChanged_1801, &_call_emitter_currentFontChanged_1801); methods += new qt_gsi::GenericMethod ("emit_currentIndexChanged", "@brief Emitter for signal void QFontComboBox::currentIndexChanged(int index)\nCall this method to emit this signal.", false, &_init_emitter_currentIndexChanged_767, &_call_emitter_currentIndexChanged_767); methods += new qt_gsi::GenericMethod ("emit_currentTextChanged", "@brief Emitter for signal void QFontComboBox::currentTextChanged(const QString &)\nCall this method to emit this signal.", false, &_init_emitter_currentTextChanged_2025, &_call_emitter_currentTextChanged_2025); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QFontComboBox::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFontComboBox::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QFontComboBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QFontComboBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QFontComboBox::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QFontComboBox::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQFontDialog.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQFontDialog.cc index 6b91c0359f..a4e1c93483 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQFontDialog.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQFontDialog.cc @@ -2949,12 +2949,12 @@ static gsi::Methods methods_QFontDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QFontDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QFontDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QFontDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentFontChanged", "@brief Emitter for signal void QFontDialog::currentFontChanged(const QFont &font)\nCall this method to emit this signal.", false, &_init_emitter_currentFontChanged_1801, &_call_emitter_currentFontChanged_1801); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QFontDialog::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFontDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QFontDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QFontDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QFontDialog::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QFontDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQFormLayout.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQFormLayout.cc index 1c77aaa883..7d8f6fa532 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQFormLayout.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQFormLayout.cc @@ -98,7 +98,9 @@ static void _call_f_addRow_2522 (const qt_gsi::GenericMethod * /*decl*/, void *c __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); QWidget *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); __SUPPRESS_UNUSED_WARNING(ret); ((QFormLayout *)cls)->addRow (arg1, arg2); } @@ -121,7 +123,9 @@ static void _call_f_addRow_2548 (const qt_gsi::GenericMethod * /*decl*/, void *c __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); QLayout *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); __SUPPRESS_UNUSED_WARNING(ret); ((QFormLayout *)cls)->addRow (arg1, arg2); } @@ -145,6 +149,7 @@ static void _call_f_addRow_3232 (const qt_gsi::GenericMethod * /*decl*/, void *c tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); QWidget *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); __SUPPRESS_UNUSED_WARNING(ret); ((QFormLayout *)cls)->addRow (arg1, arg2); } @@ -168,6 +173,7 @@ static void _call_f_addRow_3258 (const qt_gsi::GenericMethod * /*decl*/, void *c tl::Heap heap; const QString &arg1 = gsi::arg_reader() (args, heap); QLayout *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); __SUPPRESS_UNUSED_WARNING(ret); ((QFormLayout *)cls)->addRow (arg1, arg2); } @@ -188,6 +194,7 @@ static void _call_f_addRow_1315 (const qt_gsi::GenericMethod * /*decl*/, void *c __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); __SUPPRESS_UNUSED_WARNING(ret); ((QFormLayout *)cls)->addRow (arg1); } @@ -421,6 +428,7 @@ static void _call_f_insertRow_3181 (const qt_gsi::GenericMethod * /*decl*/, void int arg1 = gsi::arg_reader() (args, heap); QWidget *arg2 = gsi::arg_reader() (args, heap); QWidget *arg3 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg3); __SUPPRESS_UNUSED_WARNING(ret); ((QFormLayout *)cls)->insertRow (arg1, arg2, arg3); } @@ -447,6 +455,7 @@ static void _call_f_insertRow_3207 (const qt_gsi::GenericMethod * /*decl*/, void int arg1 = gsi::arg_reader() (args, heap); QWidget *arg2 = gsi::arg_reader() (args, heap); QLayout *arg3 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg3); __SUPPRESS_UNUSED_WARNING(ret); ((QFormLayout *)cls)->insertRow (arg1, arg2, arg3); } @@ -473,6 +482,7 @@ static void _call_f_insertRow_3891 (const qt_gsi::GenericMethod * /*decl*/, void int arg1 = gsi::arg_reader() (args, heap); const QString &arg2 = gsi::arg_reader() (args, heap); QWidget *arg3 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg3); __SUPPRESS_UNUSED_WARNING(ret); ((QFormLayout *)cls)->insertRow (arg1, arg2, arg3); } @@ -499,6 +509,7 @@ static void _call_f_insertRow_3917 (const qt_gsi::GenericMethod * /*decl*/, void int arg1 = gsi::arg_reader() (args, heap); const QString &arg2 = gsi::arg_reader() (args, heap); QLayout *arg3 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg3); __SUPPRESS_UNUSED_WARNING(ret); ((QFormLayout *)cls)->insertRow (arg1, arg2, arg3); } @@ -998,6 +1009,7 @@ static void _call_f_setWidget_4342 (const qt_gsi::GenericMethod * /*decl*/, void int arg1 = gsi::arg_reader() (args, heap); const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); QWidget *arg3 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg3); __SUPPRESS_UNUSED_WARNING(ret); ((QFormLayout *)cls)->setWidget (arg1, qt_gsi::QtToCppAdaptor(arg2).cref(), arg3); } diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQFrame.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQFrame.cc index e03ee5f59e..e8812fdf6e 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQFrame.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQFrame.cc @@ -2664,11 +2664,11 @@ static gsi::Methods methods_QFrame_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QFrame::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QFrame::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QFrame::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QFrame::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QFrame::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QFrame::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QFrame::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QFrame::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QFrame::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGestureRecognizer.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGestureRecognizer.cc index 9e44e774eb..b81cb3f6ec 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGestureRecognizer.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGestureRecognizer.cc @@ -146,7 +146,7 @@ namespace gsi static gsi::Methods methods_QGestureRecognizer () { gsi::Methods methods; - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Method QGesture *QGestureRecognizer::create(QObject *target)\n", false, &_init_f_create_1302, &_call_f_create_1302); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method QGesture *QGestureRecognizer::create(QObject *target)\n", false, &_init_f_create_1302, &_call_f_create_1302); methods += new qt_gsi::GenericMethod ("recognize", "@brief Method QFlags QGestureRecognizer::recognize(QGesture *state, QObject *watched, QEvent *event)\n", false, &_init_f_recognize_3741, &_call_f_recognize_3741); methods += new qt_gsi::GenericMethod ("reset", "@brief Method void QGestureRecognizer::reset(QGesture *state)\n", false, &_init_f_reset_1438, &_call_f_reset_1438); methods += new qt_gsi::GenericStaticMethod ("registerRecognizer", "@brief Static method Qt::GestureType QGestureRecognizer::registerRecognizer(QGestureRecognizer *recognizer)\nThis method is static and can be called without an instance.", &_init_f_registerRecognizer_2486, &_call_f_registerRecognizer_2486); @@ -328,8 +328,8 @@ gsi::Class &qtdecl_QGestureRecognizer (); static gsi::Methods methods_QGestureRecognizer_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QGestureRecognizer::QGestureRecognizer()\nThis method creates an object of class QGestureRecognizer.", &_init_ctor_QGestureRecognizer_Adaptor_0, &_call_ctor_QGestureRecognizer_Adaptor_0); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Virtual method QGesture *QGestureRecognizer::create(QObject *target)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_create_1302_0, &_call_cbs_create_1302_0); - methods += new qt_gsi::GenericMethod ("qt_create", "@hide", false, &_init_cbs_create_1302_0, &_call_cbs_create_1302_0, &_set_callback_cbs_create_1302_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Virtual method QGesture *QGestureRecognizer::create(QObject *target)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_create_1302_0, &_call_cbs_create_1302_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@hide", false, &_init_cbs_create_1302_0, &_call_cbs_create_1302_0, &_set_callback_cbs_create_1302_0); methods += new qt_gsi::GenericMethod ("recognize", "@brief Virtual method QFlags QGestureRecognizer::recognize(QGesture *state, QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_recognize_3741_0, &_call_cbs_recognize_3741_0); methods += new qt_gsi::GenericMethod ("recognize", "@hide", false, &_init_cbs_recognize_3741_0, &_call_cbs_recognize_3741_0, &_set_callback_cbs_recognize_3741_0); methods += new qt_gsi::GenericMethod ("reset", "@brief Virtual method void QGestureRecognizer::reset(QGesture *state)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_reset_1438_0, &_call_cbs_reset_1438_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsView.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsView.cc index 363bf68632..ec2ee8f57f 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsView.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsView.cc @@ -4441,11 +4441,11 @@ static gsi::Methods methods_QGraphicsView_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QGraphicsView::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QGraphicsView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QGraphicsView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QGraphicsView::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsView::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QGraphicsView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QGraphicsView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGraphicsView::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsView::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGridLayout.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGridLayout.cc index 1d0c77fec5..0aea1e4be6 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGridLayout.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGridLayout.cc @@ -86,6 +86,7 @@ static void _call_f_addItem_7018 (const qt_gsi::GenericMethod * /*decl*/, void * __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QLayoutItem *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); int arg2 = gsi::arg_reader() (args, heap); int arg3 = gsi::arg_reader() (args, heap); int arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (1, heap); @@ -177,6 +178,7 @@ static void _call_f_addWidget_1315 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); __SUPPRESS_UNUSED_WARNING(ret); ((QGridLayout *)cls)->addWidget (arg1); } @@ -203,6 +205,7 @@ static void _call_f_addWidget_5275 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); int arg2 = gsi::arg_reader() (args, heap); int arg3 = gsi::arg_reader() (args, heap); QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (Qt::Alignment(), heap); @@ -236,6 +239,7 @@ static void _call_f_addWidget_6593 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); int arg2 = gsi::arg_reader() (args, heap); int arg3 = gsi::arg_reader() (args, heap); int arg4 = gsi::arg_reader() (args, heap); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGroupBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGroupBox.cc index 99c04a06a5..d51dc734f0 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGroupBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGroupBox.cc @@ -2663,11 +2663,11 @@ static gsi::Methods methods_QGroupBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QGroupBox::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QGroupBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QGroupBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QGroupBox::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGroupBox::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QGroupBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QGroupBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGroupBox::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGroupBox::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQHeaderView.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQHeaderView.cc index f14ab9fe45..70361447a6 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQHeaderView.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQHeaderView.cc @@ -6536,7 +6536,7 @@ static gsi::Methods methods_QHeaderView_Adaptor () { methods += new qt_gsi::GenericMethod ("*commitData", "@hide", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0, &_set_callback_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QHeaderView::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QHeaderView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QHeaderView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*currentChanged", "@brief Virtual method void QHeaderView::currentChanged(const QModelIndex ¤t, const QModelIndex &old)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@hide", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0, &_set_callback_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QHeaderView::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); @@ -6544,7 +6544,7 @@ static gsi::Methods methods_QHeaderView_Adaptor () { methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*dataChanged", "@brief Virtual method void QHeaderView::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dataChanged_6833_1, &_call_cbs_dataChanged_6833_1); methods += new qt_gsi::GenericMethod ("*dataChanged", "@hide", false, &_init_cbs_dataChanged_6833_1, &_call_cbs_dataChanged_6833_1, &_set_callback_cbs_dataChanged_6833_1); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QHeaderView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QHeaderView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QHeaderView::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*dirtyRegionOffset", "@brief Method QPoint QHeaderView::dirtyRegionOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_dirtyRegionOffset_c0, &_call_fp_dirtyRegionOffset_c0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QHeaderView::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQInputDialog.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQInputDialog.cc index 75292ee855..dc7fdccd72 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQInputDialog.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQInputDialog.cc @@ -3860,11 +3860,11 @@ static gsi::Methods methods_QInputDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QInputDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QInputDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QInputDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QInputDialog::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QInputDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QInputDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QInputDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QInputDialog::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QInputDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQKeySequenceEdit.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQKeySequenceEdit.cc index e0dd49c394..ab82de67c9 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQKeySequenceEdit.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQKeySequenceEdit.cc @@ -2470,11 +2470,11 @@ static gsi::Methods methods_QKeySequenceEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QKeySequenceEdit::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QKeySequenceEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QKeySequenceEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QKeySequenceEdit::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QKeySequenceEdit::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QKeySequenceEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QKeySequenceEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QKeySequenceEdit::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QKeySequenceEdit::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQLCDNumber.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQLCDNumber.cc index f57b24680d..0e2f23a56f 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQLCDNumber.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQLCDNumber.cc @@ -2823,11 +2823,11 @@ static gsi::Methods methods_QLCDNumber_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QLCDNumber::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QLCDNumber::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QLCDNumber::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QLCDNumber::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QLCDNumber::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QLCDNumber::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QLCDNumber::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QLCDNumber::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QLCDNumber::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQLabel.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQLabel.cc index 8ef11248a5..8029c7758e 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQLabel.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQLabel.cc @@ -3209,11 +3209,11 @@ static gsi::Methods methods_QLabel_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QLabel::contextMenuEvent(QContextMenuEvent *ev)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QLabel::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QLabel::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QLabel::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QLabel::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QLabel::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QLabel::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QLabel::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QLabel::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQLayout.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQLayout.cc index f04118cd92..3cc82a5044 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQLayout.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQLayout.cc @@ -111,6 +111,7 @@ static void _call_f_addWidget_1315 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); __SUPPRESS_UNUSED_WARNING(ret); ((QLayout *)cls)->addWidget (arg1); } diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQLineEdit.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQLineEdit.cc index 078a3c8245..1942a5279a 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQLineEdit.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQLineEdit.cc @@ -3928,13 +3928,13 @@ static gsi::Methods methods_QLineEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QLineEdit::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QLineEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QLineEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_cursorPositionChanged", "@brief Emitter for signal void QLineEdit::cursorPositionChanged(int, int)\nCall this method to emit this signal.", false, &_init_emitter_cursorPositionChanged_1426, &_call_emitter_cursorPositionChanged_1426); methods += new qt_gsi::GenericMethod ("*cursorRect", "@brief Method QRect QLineEdit::cursorRect()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_cursorRect_c0, &_call_fp_cursorRect_c0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QLineEdit::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QLineEdit::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QLineEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QLineEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QLineEdit::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QLineEdit::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQListView.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQListView.cc index 539e011a42..487c5a7bd5 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQListView.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQListView.cc @@ -5426,7 +5426,7 @@ static gsi::Methods methods_QListView_Adaptor () { methods += new qt_gsi::GenericMethod ("*contentsSize", "@brief Method QSize QListView::contentsSize()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_contentsSize_c0, &_call_fp_contentsSize_c0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QListView::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QListView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QListView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*currentChanged", "@brief Virtual method void QListView::currentChanged(const QModelIndex ¤t, const QModelIndex &previous)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@hide", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0, &_set_callback_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QListView::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); @@ -5434,7 +5434,7 @@ static gsi::Methods methods_QListView_Adaptor () { methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*dataChanged", "@brief Virtual method void QListView::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dataChanged_6833_1, &_call_cbs_dataChanged_6833_1); methods += new qt_gsi::GenericMethod ("*dataChanged", "@hide", false, &_init_cbs_dataChanged_6833_1, &_call_cbs_dataChanged_6833_1, &_set_callback_cbs_dataChanged_6833_1); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QListView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QListView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QListView::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*dirtyRegionOffset", "@brief Method QPoint QListView::dirtyRegionOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_dirtyRegionOffset_c0, &_call_fp_dirtyRegionOffset_c0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QListView::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQListWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQListWidget.cc index 9ed17eb135..85d0f83db9 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQListWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQListWidget.cc @@ -5878,7 +5878,7 @@ static gsi::Methods methods_QListWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*contentsSize", "@brief Method QSize QListWidget::contentsSize()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_contentsSize_c0, &_call_fp_contentsSize_c0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QListWidget::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QListWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QListWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*currentChanged", "@brief Virtual method void QListWidget::currentChanged(const QModelIndex ¤t, const QModelIndex &previous)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@hide", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0, &_set_callback_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("emit_currentItemChanged", "@brief Emitter for signal void QListWidget::currentItemChanged(QListWidgetItem *current, QListWidgetItem *previous)\nCall this method to emit this signal.", false, &_init_emitter_currentItemChanged_4144, &_call_emitter_currentItemChanged_4144); @@ -5889,7 +5889,7 @@ static gsi::Methods methods_QListWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*dataChanged", "@brief Virtual method void QListWidget::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dataChanged_6833_1, &_call_cbs_dataChanged_6833_1); methods += new qt_gsi::GenericMethod ("*dataChanged", "@hide", false, &_init_cbs_dataChanged_6833_1, &_call_cbs_dataChanged_6833_1, &_set_callback_cbs_dataChanged_6833_1); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QListWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QListWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QListWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*dirtyRegionOffset", "@brief Method QPoint QListWidget::dirtyRegionOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_dirtyRegionOffset_c0, &_call_fp_dirtyRegionOffset_c0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QListWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQMainWindow.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQMainWindow.cc index 46f419876d..b4a233178f 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQMainWindow.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQMainWindow.cc @@ -3510,13 +3510,13 @@ static gsi::Methods methods_QMainWindow_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QMainWindow::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QMainWindow::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QMainWindow::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("createPopupMenu", "@brief Virtual method QMenu *QMainWindow::createPopupMenu()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_createPopupMenu_0_0, &_call_cbs_createPopupMenu_0_0); methods += new qt_gsi::GenericMethod ("createPopupMenu", "@hide", false, &_init_cbs_createPopupMenu_0_0, &_call_cbs_createPopupMenu_0_0, &_set_callback_cbs_createPopupMenu_0_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QMainWindow::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMainWindow::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QMainWindow::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QMainWindow::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMainWindow::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMainWindow::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQMdiArea.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQMdiArea.cc index a2e3a8f164..ad68693fe4 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQMdiArea.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQMdiArea.cc @@ -3253,11 +3253,11 @@ static gsi::Methods methods_QMdiArea_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QMdiArea::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QMdiArea::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QMdiArea::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QMdiArea::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMdiArea::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QMdiArea::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QMdiArea::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMdiArea::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMdiArea::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQMdiSubWindow.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQMdiSubWindow.cc index 4e8a1c1066..97de5e2a88 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQMdiSubWindow.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQMdiSubWindow.cc @@ -2719,11 +2719,11 @@ static gsi::Methods methods_QMdiSubWindow_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QMdiSubWindow::contextMenuEvent(QContextMenuEvent *contextMenuEvent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QMdiSubWindow::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QMdiSubWindow::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QMdiSubWindow::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMdiSubWindow::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QMdiSubWindow::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QMdiSubWindow::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMdiSubWindow::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMdiSubWindow::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQMenu.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQMenu.cc index 350b4ede81..d4c36a905d 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQMenu.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQMenu.cc @@ -3415,11 +3415,11 @@ static gsi::Methods methods_QMenu_Adaptor () { methods += new qt_gsi::GenericMethod ("*columnCount", "@brief Method int QMenu::columnCount()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_columnCount_c0, &_call_fp_columnCount_c0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QMenu::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QMenu::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QMenu::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QMenu::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMenu::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QMenu::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QMenu::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMenu::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMenu::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQMenuBar.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQMenuBar.cc index fb79a0694b..ffa8bd5c92 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQMenuBar.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQMenuBar.cc @@ -2905,11 +2905,11 @@ static gsi::Methods methods_QMenuBar_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QMenuBar::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QMenuBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QMenuBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QMenuBar::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMenuBar::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QMenuBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QMenuBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMenuBar::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMenuBar::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQMessageBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQMessageBox.cc index 55ce20dbb2..4bc375bf65 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQMessageBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQMessageBox.cc @@ -3694,11 +3694,11 @@ static gsi::Methods methods_QMessageBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QMessageBox::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QMessageBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QMessageBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QMessageBox::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMessageBox::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QMessageBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QMessageBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMessageBox::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMessageBox::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQPlainTextEdit.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQPlainTextEdit.cc index cafbac2f1f..fbbd3b6dec 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQPlainTextEdit.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQPlainTextEdit.cc @@ -4508,14 +4508,14 @@ static gsi::Methods methods_QPlainTextEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QPlainTextEdit::contextMenuEvent(QContextMenuEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("emit_copyAvailable", "@brief Emitter for signal void QPlainTextEdit::copyAvailable(bool b)\nCall this method to emit this signal.", false, &_init_emitter_copyAvailable_864, &_call_emitter_copyAvailable_864); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QPlainTextEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QPlainTextEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*createMimeDataFromSelection", "@brief Virtual method QMimeData *QPlainTextEdit::createMimeDataFromSelection()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_createMimeDataFromSelection_c0_0, &_call_cbs_createMimeDataFromSelection_c0_0); methods += new qt_gsi::GenericMethod ("*createMimeDataFromSelection", "@hide", true, &_init_cbs_createMimeDataFromSelection_c0_0, &_call_cbs_createMimeDataFromSelection_c0_0, &_set_callback_cbs_createMimeDataFromSelection_c0_0); methods += new qt_gsi::GenericMethod ("emit_cursorPositionChanged", "@brief Emitter for signal void QPlainTextEdit::cursorPositionChanged()\nCall this method to emit this signal.", false, &_init_emitter_cursorPositionChanged_0, &_call_emitter_cursorPositionChanged_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QPlainTextEdit::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPlainTextEdit::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QPlainTextEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QPlainTextEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QPlainTextEdit::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPlainTextEdit::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQProgressBar.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQProgressBar.cc index d0f70ff3d2..d82959c753 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQProgressBar.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQProgressBar.cc @@ -2876,11 +2876,11 @@ static gsi::Methods methods_QProgressBar_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QProgressBar::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QProgressBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QProgressBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QProgressBar::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QProgressBar::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QProgressBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QProgressBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QProgressBar::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QProgressBar::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQProgressDialog.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQProgressDialog.cc index bf14cb9653..e31b873f55 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQProgressDialog.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQProgressDialog.cc @@ -3194,11 +3194,11 @@ static gsi::Methods methods_QProgressDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QProgressDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QProgressDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QProgressDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QProgressDialog::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QProgressDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QProgressDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QProgressDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QProgressDialog::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QProgressDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQPushButton.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQPushButton.cc index 5643bdfc23..cf13c68a3b 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQPushButton.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQPushButton.cc @@ -2853,11 +2853,11 @@ static gsi::Methods methods_QPushButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QPushButton::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QPushButton::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QPushButton::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QPushButton::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPushButton::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QPushButton::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QPushButton::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QPushButton::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPushButton::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQRadioButton.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQRadioButton.cc index ee5acd9f45..2945cf6e91 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQRadioButton.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQRadioButton.cc @@ -2650,11 +2650,11 @@ static gsi::Methods methods_QRadioButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QRadioButton::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QRadioButton::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QRadioButton::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QRadioButton::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRadioButton::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QRadioButton::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QRadioButton::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QRadioButton::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QRadioButton::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQRubberBand.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQRubberBand.cc index 7a3bb465cf..c3e970b620 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQRubberBand.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQRubberBand.cc @@ -2537,11 +2537,11 @@ static gsi::Methods methods_QRubberBand_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QRubberBand::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QRubberBand::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QRubberBand::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QRubberBand::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRubberBand::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QRubberBand::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QRubberBand::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QRubberBand::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QRubberBand::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQScrollArea.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQScrollArea.cc index d0915d97eb..76b9105ee9 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQScrollArea.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQScrollArea.cc @@ -2855,11 +2855,11 @@ static gsi::Methods methods_QScrollArea_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QScrollArea::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QScrollArea::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QScrollArea::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QScrollArea::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QScrollArea::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QScrollArea::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QScrollArea::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QScrollArea::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QScrollArea::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQScrollBar.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQScrollBar.cc index c828e17c61..73433b19fb 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQScrollBar.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQScrollBar.cc @@ -2682,11 +2682,11 @@ static gsi::Methods methods_QScrollBar_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QScrollBar::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QScrollBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QScrollBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QScrollBar::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QScrollBar::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QScrollBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QScrollBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QScrollBar::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QScrollBar::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQSizeGrip.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQSizeGrip.cc index baa85f2e77..bc81ea10ce 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQSizeGrip.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQSizeGrip.cc @@ -2367,11 +2367,11 @@ static gsi::Methods methods_QSizeGrip_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QSizeGrip::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QSizeGrip::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QSizeGrip::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QSizeGrip::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSizeGrip::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QSizeGrip::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QSizeGrip::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSizeGrip::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSizeGrip::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQSlider.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQSlider.cc index b540701c8a..f7204d1fa7 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQSlider.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQSlider.cc @@ -2772,11 +2772,11 @@ static gsi::Methods methods_QSlider_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QSlider::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QSlider::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QSlider::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QSlider::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSlider::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QSlider::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QSlider::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSlider::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSlider::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQSpinBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQSpinBox.cc index baafd575b8..1d0ca7157c 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQSpinBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQSpinBox.cc @@ -3097,11 +3097,11 @@ static gsi::Methods methods_QSpinBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QSpinBox::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QSpinBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QSpinBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QSpinBox::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSpinBox::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QSpinBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QSpinBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSpinBox::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSpinBox::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQSplashScreen.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQSplashScreen.cc index dacabfc82a..d621cdffcd 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQSplashScreen.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQSplashScreen.cc @@ -2589,11 +2589,11 @@ static gsi::Methods methods_QSplashScreen_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QSplashScreen::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QSplashScreen::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QSplashScreen::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QSplashScreen::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSplashScreen::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QSplashScreen::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QSplashScreen::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSplashScreen::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSplashScreen::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQSplitter.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQSplitter.cc index 0921008e22..939a3036d2 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQSplitter.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQSplitter.cc @@ -3086,13 +3086,13 @@ static gsi::Methods methods_QSplitter_Adaptor () { methods += new qt_gsi::GenericMethod ("*closestLegalPosition", "@brief Method int QSplitter::closestLegalPosition(int, int)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_closestLegalPosition_1426, &_call_fp_closestLegalPosition_1426); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QSplitter::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QSplitter::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QSplitter::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*createHandle", "@brief Virtual method QSplitterHandle *QSplitter::createHandle()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_createHandle_0_0, &_call_cbs_createHandle_0_0); methods += new qt_gsi::GenericMethod ("*createHandle", "@hide", false, &_init_cbs_createHandle_0_0, &_call_cbs_createHandle_0_0, &_set_callback_cbs_createHandle_0_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QSplitter::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSplitter::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QSplitter::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QSplitter::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSplitter::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSplitter::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQSplitterHandle.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQSplitterHandle.cc index 1f2b7578b1..46c75aaf28 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQSplitterHandle.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQSplitterHandle.cc @@ -2467,11 +2467,11 @@ static gsi::Methods methods_QSplitterHandle_Adaptor () { methods += new qt_gsi::GenericMethod ("*closestLegalPosition", "@brief Method int QSplitterHandle::closestLegalPosition(int p)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_closestLegalPosition_767, &_call_fp_closestLegalPosition_767); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QSplitterHandle::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QSplitterHandle::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QSplitterHandle::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QSplitterHandle::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSplitterHandle::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QSplitterHandle::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QSplitterHandle::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSplitterHandle::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSplitterHandle::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStackedLayout.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStackedLayout.cc index 705723c463..b3faad2065 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStackedLayout.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStackedLayout.cc @@ -96,6 +96,7 @@ static void _call_f_addWidget_1315 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); ret.write ((int)((QStackedLayout *)cls)->addWidget (arg1)); } @@ -197,6 +198,7 @@ static void _call_f_insertWidget_1974 (const qt_gsi::GenericMethod * /*decl*/, v tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); QWidget *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); ret.write ((int)((QStackedLayout *)cls)->insertWidget (arg1, arg2)); } diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStackedWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStackedWidget.cc index 93a6b25691..5fb7e33a84 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStackedWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStackedWidget.cc @@ -2645,12 +2645,12 @@ static gsi::Methods methods_QStackedWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QStackedWidget::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QStackedWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QStackedWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentChanged", "@brief Emitter for signal void QStackedWidget::currentChanged(int)\nCall this method to emit this signal.", false, &_init_emitter_currentChanged_767, &_call_emitter_currentChanged_767); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QStackedWidget::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStackedWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QStackedWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QStackedWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QStackedWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QStackedWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStatusBar.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStatusBar.cc index 0dcecfddbe..d117801e6b 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStatusBar.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStatusBar.cc @@ -2616,11 +2616,11 @@ static gsi::Methods methods_QStatusBar_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QStatusBar::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QStatusBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QStatusBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QStatusBar::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStatusBar::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QStatusBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QStatusBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QStatusBar::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QStatusBar::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleFactory.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleFactory.cc index 2880a51972..a70ccaac22 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleFactory.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleFactory.cc @@ -92,7 +92,7 @@ namespace gsi static gsi::Methods methods_QStyleFactory () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QStyleFactory::QStyleFactory()\nThis method creates an object of class QStyleFactory.", &_init_ctor_QStyleFactory_0, &_call_ctor_QStyleFactory_0); - methods += new qt_gsi::GenericStaticMethod ("qt_create", "@brief Static method QStyle *QStyleFactory::create(const QString &)\nThis method is static and can be called without an instance.", &_init_f_create_2025, &_call_f_create_2025); + methods += new qt_gsi::GenericStaticMethod ("create|qt_create", "@brief Static method QStyle *QStyleFactory::create(const QString &)\nThis method is static and can be called without an instance.", &_init_f_create_2025, &_call_f_create_2025); methods += new qt_gsi::GenericStaticMethod ("keys", "@brief Static method QStringList QStyleFactory::keys()\nThis method is static and can be called without an instance.", &_init_f_keys_0, &_call_f_keys_0); return methods; } diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStylePlugin.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStylePlugin.cc index 7a94665aea..b4df362e85 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStylePlugin.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStylePlugin.cc @@ -105,7 +105,7 @@ namespace gsi static gsi::Methods methods_QStylePlugin () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Method QStyle *QStylePlugin::create(const QString &key)\n", false, &_init_f_create_2025, &_call_f_create_2025); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method QStyle *QStylePlugin::create(const QString &key)\n", false, &_init_f_create_2025, &_call_f_create_2025); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QStylePlugin::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QStylePlugin::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QStylePlugin::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); @@ -587,8 +587,8 @@ static gsi::Methods methods_QStylePlugin_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QStylePlugin::QStylePlugin(QObject *parent)\nThis method creates an object of class QStylePlugin.", &_init_ctor_QStylePlugin_Adaptor_1302, &_call_ctor_QStylePlugin_Adaptor_1302); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QStylePlugin::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); - methods += new qt_gsi::GenericMethod ("qt_create", "@brief Virtual method QStyle *QStylePlugin::create(const QString &key)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_create_2025_0, &_call_cbs_create_2025_0); - methods += new qt_gsi::GenericMethod ("qt_create", "@hide", false, &_init_cbs_create_2025_0, &_call_cbs_create_2025_0, &_set_callback_cbs_create_2025_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Virtual method QStyle *QStylePlugin::create(const QString &key)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_create_2025_0, &_call_cbs_create_2025_0); + methods += new qt_gsi::GenericMethod ("create|qt_create", "@hide", false, &_init_cbs_create_2025_0, &_call_cbs_create_2025_0, &_set_callback_cbs_create_2025_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QStylePlugin::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QStylePlugin::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTabBar.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTabBar.cc index e0539b4e28..5b4f2b8fe8 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTabBar.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTabBar.cc @@ -3855,12 +3855,12 @@ static gsi::Methods methods_QTabBar_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QTabBar::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QTabBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QTabBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentChanged", "@brief Emitter for signal void QTabBar::currentChanged(int index)\nCall this method to emit this signal.", false, &_init_emitter_currentChanged_767, &_call_emitter_currentChanged_767); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QTabBar::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTabBar::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QTabBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QTabBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTabBar::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTabBar::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTabWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTabWidget.cc index 12f3c17ab5..17ba9d3820 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTabWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTabWidget.cc @@ -3579,12 +3579,12 @@ static gsi::Methods methods_QTabWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QTabWidget::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QTabWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QTabWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentChanged", "@brief Emitter for signal void QTabWidget::currentChanged(int index)\nCall this method to emit this signal.", false, &_init_emitter_currentChanged_767, &_call_emitter_currentChanged_767); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QTabWidget::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTabWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QTabWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QTabWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTabWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTabWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTableView.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTableView.cc index 099b4b4b0d..cb63aa0287 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTableView.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTableView.cc @@ -5762,7 +5762,7 @@ static gsi::Methods methods_QTableView_Adaptor () { methods += new qt_gsi::GenericMethod ("*commitData", "@hide", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0, &_set_callback_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QTableView::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QTableView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QTableView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*currentChanged", "@brief Virtual method void QTableView::currentChanged(const QModelIndex ¤t, const QModelIndex &previous)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@hide", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0, &_set_callback_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QTableView::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); @@ -5770,7 +5770,7 @@ static gsi::Methods methods_QTableView_Adaptor () { methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*dataChanged", "@brief Virtual method void QTableView::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dataChanged_6833_1, &_call_cbs_dataChanged_6833_1); methods += new qt_gsi::GenericMethod ("*dataChanged", "@hide", false, &_init_cbs_dataChanged_6833_1, &_call_cbs_dataChanged_6833_1, &_set_callback_cbs_dataChanged_6833_1); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QTableView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QTableView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTableView::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*dirtyRegionOffset", "@brief Method QPoint QTableView::dirtyRegionOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_dirtyRegionOffset_c0, &_call_fp_dirtyRegionOffset_c0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTableView::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTableWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTableWidget.cc index e8103ae057..94709e81aa 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTableWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTableWidget.cc @@ -6509,7 +6509,7 @@ static gsi::Methods methods_QTableWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*commitData", "@hide", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0, &_set_callback_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QTableWidget::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QTableWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QTableWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentCellChanged", "@brief Emitter for signal void QTableWidget::currentCellChanged(int currentRow, int currentColumn, int previousRow, int previousColumn)\nCall this method to emit this signal.", false, &_init_emitter_currentCellChanged_2744, &_call_emitter_currentCellChanged_2744); methods += new qt_gsi::GenericMethod ("*currentChanged", "@brief Virtual method void QTableWidget::currentChanged(const QModelIndex ¤t, const QModelIndex &previous)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@hide", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0, &_set_callback_cbs_currentChanged_4682_0); @@ -6519,7 +6519,7 @@ static gsi::Methods methods_QTableWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*dataChanged", "@brief Virtual method void QTableWidget::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dataChanged_6833_1, &_call_cbs_dataChanged_6833_1); methods += new qt_gsi::GenericMethod ("*dataChanged", "@hide", false, &_init_cbs_dataChanged_6833_1, &_call_cbs_dataChanged_6833_1, &_set_callback_cbs_dataChanged_6833_1); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QTableWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QTableWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTableWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*dirtyRegionOffset", "@brief Method QPoint QTableWidget::dirtyRegionOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_dirtyRegionOffset_c0, &_call_fp_dirtyRegionOffset_c0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTableWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTextBrowser.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTextBrowser.cc index e821999e77..dfdbef412a 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTextBrowser.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTextBrowser.cc @@ -3746,7 +3746,7 @@ static gsi::Methods methods_QTextBrowser_Adaptor () { methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QTextBrowser::contextMenuEvent(QContextMenuEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("emit_copyAvailable", "@brief Emitter for signal void QTextBrowser::copyAvailable(bool b)\nCall this method to emit this signal.", false, &_init_emitter_copyAvailable_864, &_call_emitter_copyAvailable_864); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QTextBrowser::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QTextBrowser::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*createMimeDataFromSelection", "@brief Virtual method QMimeData *QTextBrowser::createMimeDataFromSelection()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_createMimeDataFromSelection_c0_0, &_call_cbs_createMimeDataFromSelection_c0_0); methods += new qt_gsi::GenericMethod ("*createMimeDataFromSelection", "@hide", true, &_init_cbs_createMimeDataFromSelection_c0_0, &_call_cbs_createMimeDataFromSelection_c0_0, &_set_callback_cbs_createMimeDataFromSelection_c0_0); methods += new qt_gsi::GenericMethod ("emit_currentCharFormatChanged", "@brief Emitter for signal void QTextBrowser::currentCharFormatChanged(const QTextCharFormat &format)\nCall this method to emit this signal.", false, &_init_emitter_currentCharFormatChanged_2814, &_call_emitter_currentCharFormatChanged_2814); @@ -3754,7 +3754,7 @@ static gsi::Methods methods_QTextBrowser_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QTextBrowser::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTextBrowser::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QTextBrowser::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QTextBrowser::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTextBrowser::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTextBrowser::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTextEdit.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTextEdit.cc index c6ebd4dc40..b1570a0d07 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTextEdit.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTextEdit.cc @@ -4767,7 +4767,7 @@ static gsi::Methods methods_QTextEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QTextEdit::contextMenuEvent(QContextMenuEvent *e)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("emit_copyAvailable", "@brief Emitter for signal void QTextEdit::copyAvailable(bool b)\nCall this method to emit this signal.", false, &_init_emitter_copyAvailable_864, &_call_emitter_copyAvailable_864); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QTextEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QTextEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*createMimeDataFromSelection", "@brief Virtual method QMimeData *QTextEdit::createMimeDataFromSelection()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_createMimeDataFromSelection_c0_0, &_call_cbs_createMimeDataFromSelection_c0_0); methods += new qt_gsi::GenericMethod ("*createMimeDataFromSelection", "@hide", true, &_init_cbs_createMimeDataFromSelection_c0_0, &_call_cbs_createMimeDataFromSelection_c0_0, &_set_callback_cbs_createMimeDataFromSelection_c0_0); methods += new qt_gsi::GenericMethod ("emit_currentCharFormatChanged", "@brief Emitter for signal void QTextEdit::currentCharFormatChanged(const QTextCharFormat &format)\nCall this method to emit this signal.", false, &_init_emitter_currentCharFormatChanged_2814, &_call_emitter_currentCharFormatChanged_2814); @@ -4775,7 +4775,7 @@ static gsi::Methods methods_QTextEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QTextEdit::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTextEdit::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QTextEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QTextEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTextEdit::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTextEdit::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTimeEdit.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTimeEdit.cc index c5a369a68d..2104e3a215 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTimeEdit.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTimeEdit.cc @@ -2854,7 +2854,7 @@ static gsi::Methods methods_QTimeEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QTimeEdit::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QTimeEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QTimeEdit::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QTimeEdit::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QTimeEdit::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); @@ -2862,7 +2862,7 @@ static gsi::Methods methods_QTimeEdit_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_dateTimeChanged", "@brief Emitter for signal void QTimeEdit::dateTimeChanged(const QDateTime &dateTime)\nCall this method to emit this signal.", false, &_init_emitter_dateTimeChanged_2175, &_call_emitter_dateTimeChanged_2175); methods += new qt_gsi::GenericMethod ("*dateTimeFromText", "@brief Virtual method QDateTime QTimeEdit::dateTimeFromText(const QString &text)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_dateTimeFromText_c2025_0, &_call_cbs_dateTimeFromText_c2025_0); methods += new qt_gsi::GenericMethod ("*dateTimeFromText", "@hide", true, &_init_cbs_dateTimeFromText_c2025_0, &_call_cbs_dateTimeFromText_c2025_0, &_set_callback_cbs_dateTimeFromText_c2025_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QTimeEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QTimeEdit::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTimeEdit::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTimeEdit::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQToolBar.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQToolBar.cc index 6c29869e83..081f1a8f6a 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQToolBar.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQToolBar.cc @@ -3185,11 +3185,11 @@ static gsi::Methods methods_QToolBar_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QToolBar::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QToolBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QToolBar::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QToolBar::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QToolBar::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QToolBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QToolBar::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QToolBar::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QToolBar::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQToolBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQToolBox.cc index b6999468a3..112080dca8 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQToolBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQToolBox.cc @@ -2946,12 +2946,12 @@ static gsi::Methods methods_QToolBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QToolBox::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QToolBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QToolBox::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentChanged", "@brief Emitter for signal void QToolBox::currentChanged(int index)\nCall this method to emit this signal.", false, &_init_emitter_currentChanged_767, &_call_emitter_currentChanged_767); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QToolBox::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QToolBox::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QToolBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QToolBox::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QToolBox::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QToolBox::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQToolButton.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQToolButton.cc index 3a218e5243..0b7a0119cc 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQToolButton.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQToolButton.cc @@ -2881,11 +2881,11 @@ static gsi::Methods methods_QToolButton_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QToolButton::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QToolButton::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QToolButton::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QToolButton::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QToolButton::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QToolButton::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QToolButton::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QToolButton::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QToolButton::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeView.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeView.cc index 7841e0c5c0..7b3fac71ef 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeView.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeView.cc @@ -6197,7 +6197,7 @@ static gsi::Methods methods_QTreeView_Adaptor () { methods += new qt_gsi::GenericMethod ("*commitData", "@hide", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0, &_set_callback_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QTreeView::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QTreeView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QTreeView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*currentChanged", "@brief Virtual method void QTreeView::currentChanged(const QModelIndex ¤t, const QModelIndex &previous)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@hide", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0, &_set_callback_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QTreeView::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); @@ -6205,7 +6205,7 @@ static gsi::Methods methods_QTreeView_Adaptor () { methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("dataChanged", "@brief Virtual method void QTreeView::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dataChanged_6833_1, &_call_cbs_dataChanged_6833_1); methods += new qt_gsi::GenericMethod ("dataChanged", "@hide", false, &_init_cbs_dataChanged_6833_1, &_call_cbs_dataChanged_6833_1, &_set_callback_cbs_dataChanged_6833_1); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QTreeView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QTreeView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTreeView::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*dirtyRegionOffset", "@brief Method QPoint QTreeView::dirtyRegionOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_dirtyRegionOffset_c0, &_call_fp_dirtyRegionOffset_c0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTreeView::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeWidget.cc index 22e151b8c5..5259b9d62e 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeWidget.cc @@ -6266,7 +6266,7 @@ static gsi::Methods methods_QTreeWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*commitData", "@hide", false, &_init_cbs_commitData_1315_0, &_call_cbs_commitData_1315_0, &_set_callback_cbs_commitData_1315_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QTreeWidget::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QTreeWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QTreeWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*currentChanged", "@brief Virtual method void QTreeWidget::currentChanged(const QModelIndex ¤t, const QModelIndex &previous)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@hide", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0, &_set_callback_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("emit_currentItemChanged", "@brief Emitter for signal void QTreeWidget::currentItemChanged(QTreeWidgetItem *current, QTreeWidgetItem *previous)\nCall this method to emit this signal.", false, &_init_emitter_currentItemChanged_4120, &_call_emitter_currentItemChanged_4120); @@ -6275,7 +6275,7 @@ static gsi::Methods methods_QTreeWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("dataChanged", "@brief Virtual method void QTreeWidget::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dataChanged_6833_1, &_call_cbs_dataChanged_6833_1); methods += new qt_gsi::GenericMethod ("dataChanged", "@hide", false, &_init_cbs_dataChanged_6833_1, &_call_cbs_dataChanged_6833_1, &_set_callback_cbs_dataChanged_6833_1); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QTreeWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QTreeWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTreeWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*dirtyRegionOffset", "@brief Method QPoint QTreeWidget::dirtyRegionOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_dirtyRegionOffset_c0, &_call_fp_dirtyRegionOffset_c0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTreeWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQUndoView.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQUndoView.cc index 878092034a..f82e1b34a6 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQUndoView.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQUndoView.cc @@ -4946,7 +4946,7 @@ static gsi::Methods methods_QUndoView_Adaptor () { methods += new qt_gsi::GenericMethod ("*contentsSize", "@brief Method QSize QUndoView::contentsSize()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_contentsSize_c0, &_call_fp_contentsSize_c0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QUndoView::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QUndoView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QUndoView::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("*currentChanged", "@brief Virtual method void QUndoView::currentChanged(const QModelIndex ¤t, const QModelIndex &previous)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("*currentChanged", "@hide", false, &_init_cbs_currentChanged_4682_0, &_call_cbs_currentChanged_4682_0, &_set_callback_cbs_currentChanged_4682_0); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QUndoView::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); @@ -4954,7 +4954,7 @@ static gsi::Methods methods_QUndoView_Adaptor () { methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*dataChanged", "@brief Virtual method void QUndoView::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dataChanged_6833_1, &_call_cbs_dataChanged_6833_1); methods += new qt_gsi::GenericMethod ("*dataChanged", "@hide", false, &_init_cbs_dataChanged_6833_1, &_call_cbs_dataChanged_6833_1, &_set_callback_cbs_dataChanged_6833_1); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QUndoView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QUndoView::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QUndoView::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*dirtyRegionOffset", "@brief Method QPoint QUndoView::dirtyRegionOffset()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_dirtyRegionOffset_c0, &_call_fp_dirtyRegionOffset_c0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QUndoView::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQWidget.cc index ca9b6e0d22..eab96994a4 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQWidget.cc @@ -4819,7 +4819,7 @@ static gsi::Methods methods_QWidget () { methods += new qt_gsi::GenericMethod ("parentWidget", "@brief Method QWidget *QWidget::parentWidget()\n", true, &_init_f_parentWidget_c0, &_call_f_parentWidget_c0); methods += new qt_gsi::GenericMethod (":pos", "@brief Method QPoint QWidget::pos()\n", true, &_init_f_pos_c0, &_call_f_pos_c0); methods += new qt_gsi::GenericMethod ("previousInFocusChain", "@brief Method QWidget *QWidget::previousInFocusChain()\n", true, &_init_f_previousInFocusChain_c0, &_call_f_previousInFocusChain_c0); - methods += new qt_gsi::GenericMethod ("qt_raise", "@brief Method void QWidget::raise()\n", false, &_init_f_raise_0, &_call_f_raise_0); + methods += new qt_gsi::GenericMethod ("raise|qt_raise", "@brief Method void QWidget::raise()\n", false, &_init_f_raise_0, &_call_f_raise_0); methods += new qt_gsi::GenericMethod (":rect", "@brief Method QRect QWidget::rect()\n", true, &_init_f_rect_c0, &_call_f_rect_c0); methods += new qt_gsi::GenericMethod ("releaseKeyboard", "@brief Method void QWidget::releaseKeyboard()\n", false, &_init_f_releaseKeyboard_0, &_call_f_releaseKeyboard_0); methods += new qt_gsi::GenericMethod ("releaseMouse", "@brief Method void QWidget::releaseMouse()\n", false, &_init_f_releaseMouse_0, &_call_f_releaseMouse_0); @@ -7184,11 +7184,11 @@ static gsi::Methods methods_QWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QWidget::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QWidget::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQWizard.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQWizard.cc index 1bb63f1f85..70428e6532 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQWizard.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQWizard.cc @@ -3677,13 +3677,13 @@ static gsi::Methods methods_QWizard_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QWizard::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QWizard::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QWizard::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_currentIdChanged", "@brief Emitter for signal void QWizard::currentIdChanged(int id)\nCall this method to emit this signal.", false, &_init_emitter_currentIdChanged_767, &_call_emitter_currentIdChanged_767); methods += new qt_gsi::GenericMethod ("emit_customButtonClicked", "@brief Emitter for signal void QWizard::customButtonClicked(int which)\nCall this method to emit this signal.", false, &_init_emitter_customButtonClicked_767, &_call_emitter_customButtonClicked_767); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QWizard::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QWizard::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QWizard::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QWizard::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QWizard::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QWizard::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQWizardPage.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQWizardPage.cc index 1a785caaa6..8b2c769e58 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQWizardPage.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQWizardPage.cc @@ -2958,11 +2958,11 @@ static gsi::Methods methods_QWizardPage_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_completeChanged", "@brief Emitter for signal void QWizardPage::completeChanged()\nCall this method to emit this signal.", false, &_init_emitter_completeChanged_0, &_call_emitter_completeChanged_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QWizardPage::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); - methods += new qt_gsi::GenericMethod ("*qt_create", "@brief Method void QWizardPage::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QWizardPage::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QWizardPage::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QWizardPage::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); - methods += new qt_gsi::GenericMethod ("*qt_destroy", "@brief Method void QWizardPage::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QWizardPage::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QWizardPage::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QWizardPage::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); From d3598181942cc3e977c3a775851e1a6ccb3686a3 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 26 Mar 2023 00:25:28 +0100 Subject: [PATCH 027/128] Regenerating signal and property caches for Qt binding generation --- scripts/mkqtdecl5/mkqtdecl.events | 532 + scripts/mkqtdecl5/mkqtdecl.properties | 30552 ++++++++++++------------ scripts/mkqtdecl6/mkqtdecl.events | 567 +- scripts/mkqtdecl6/mkqtdecl.properties | 29462 +++++++++++------------ 4 files changed, 30807 insertions(+), 30306 deletions(-) diff --git a/scripts/mkqtdecl5/mkqtdecl.events b/scripts/mkqtdecl5/mkqtdecl.events index 5c493c6a35..6cbbc4df04 100644 --- a/scripts/mkqtdecl5/mkqtdecl.events +++ b/scripts/mkqtdecl5/mkqtdecl.events @@ -272,6 +272,10 @@ event("QSignalMapper", /::mapped\s*\(.*QWidget/, "QWidget*") rename("QSignalMapper", /::mapped\s*\(.*QWidget/, "mapped_qw") event("QSignalMapper", /::mapped\s*\(.*QObject/, "QObject*") rename("QSignalMapper", /::mapped\s*\(.*QObject/, "mapped_qo") +event("QSignalMapper", /::mappedInt\s*\(/, "int") +event("QSignalMapper", /::mappedString\s*\(/, "QString") +event("QSignalMapper", /::mappedWidget\s*\(/, "QWidget*") +event("QSignalMapper", /::mappedObject\s*\(/, "QObject*") event("QSignalTransition", /::destroyed\s*\(/, "QObject*") event("QSignalTransition", /::objectNameChanged\s*\(/, "QString") event("QSignalTransition", /::triggered\s*\(/, "") @@ -281,6 +285,7 @@ event("QSignalTransition", /::senderObjectChanged\s*\(/, "") event("QSignalTransition", /::signalChanged\s*\(/, "") event("QSocketNotifier", /::destroyed\s*\(/, "QObject*") event("QSocketNotifier", /::objectNameChanged\s*\(/, "QString") +event("QSocketNotifier", /::activated\s*\(/, "QSocketDescriptor, QSocketNotifier::Type") event("QSocketNotifier", /::activated\s*\(/, "int") event("QSortFilterProxyModel", /::destroyed\s*\(/, "QObject*") event("QSortFilterProxyModel", /::objectNameChanged\s*\(/, "QString") @@ -303,6 +308,13 @@ event("QSortFilterProxyModel", /::rowsMoved\s*\(/, "QModelIndex, int, int, QMode event("QSortFilterProxyModel", /::columnsAboutToBeMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") event("QSortFilterProxyModel", /::columnsMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") event("QSortFilterProxyModel", /::sourceModelChanged\s*\(/, "") +event("QSortFilterProxyModel", /::dynamicSortFilterChanged\s*\(/, "bool") +event("QSortFilterProxyModel", /::filterCaseSensitivityChanged\s*\(/, "Qt::CaseSensitivity") +event("QSortFilterProxyModel", /::sortCaseSensitivityChanged\s*\(/, "Qt::CaseSensitivity") +event("QSortFilterProxyModel", /::sortLocaleAwareChanged\s*\(/, "bool") +event("QSortFilterProxyModel", /::sortRoleChanged\s*\(/, "int") +event("QSortFilterProxyModel", /::filterRoleChanged\s*\(/, "int") +event("QSortFilterProxyModel", /::recursiveFilteringEnabledChanged\s*\(/, "bool") event("QState", /::destroyed\s*\(/, "QObject*") event("QState", /::objectNameChanged\s*\(/, "QString") event("QState", /::entered\s*\(/, "") @@ -475,6 +487,7 @@ event("QPaintDeviceWindow", /::activeChanged\s*\(/, "") event("QPaintDeviceWindow", /::contentOrientationChanged\s*\(/, "Qt::ScreenOrientation") event("QPaintDeviceWindow", /::focusObjectChanged\s*\(/, "QObject*") event("QPaintDeviceWindow", /::opacityChanged\s*\(/, "double") +event("QPaintDeviceWindow", /::transientParentChanged\s*\(/, "QWindow*") event("QPdfWriter", /::destroyed\s*\(/, "QObject*") event("QPdfWriter", /::objectNameChanged\s*\(/, "QString") event("QPictureFormatPlugin", /::destroyed\s*\(/, "QObject*") @@ -499,6 +512,7 @@ event("QRasterWindow", /::activeChanged\s*\(/, "") event("QRasterWindow", /::contentOrientationChanged\s*\(/, "Qt::ScreenOrientation") event("QRasterWindow", /::focusObjectChanged\s*\(/, "QObject*") event("QRasterWindow", /::opacityChanged\s*\(/, "double") +event("QRasterWindow", /::transientParentChanged\s*\(/, "QWindow*") event("QRegExpValidator", /::destroyed\s*\(/, "QObject*") event("QRegExpValidator", /::objectNameChanged\s*\(/, "QString") event("QRegExpValidator", /::changed\s*\(/, "") @@ -551,6 +565,7 @@ event("QStyleHints", /::startDragDistanceChanged\s*\(/, "int") event("QStyleHints", /::startDragTimeChanged\s*\(/, "int") event("QStyleHints", /::tabFocusBehaviorChanged\s*\(/, "Qt::TabFocusBehavior") event("QStyleHints", /::useHoverEffectsChanged\s*\(/, "bool") +event("QStyleHints", /::showShortcutsInContextMenusChanged\s*\(/, "bool") event("QStyleHints", /::wheelScrollLinesChanged\s*\(/, "int") event("QStyleHints", /::mouseQuickSelectionThresholdChanged\s*\(/, "int") event("QSyntaxHighlighter", /::destroyed\s*\(/, "QObject*") @@ -600,6 +615,7 @@ event("QWindow", /::activeChanged\s*\(/, "") event("QWindow", /::contentOrientationChanged\s*\(/, "Qt::ScreenOrientation") event("QWindow", /::focusObjectChanged\s*\(/, "QObject*") event("QWindow", /::opacityChanged\s*\(/, "double") +event("QWindow", /::transientParentChanged\s*\(/, "QWindow*") event("QAbstractButton", /::destroyed\s*\(/, "QObject*") event("QAbstractButton", /::objectNameChanged\s*\(/, "QString") event("QAbstractButton", /::windowTitleChanged\s*\(/, "QString") @@ -700,6 +716,10 @@ rename("QButtonGroup", /::buttonReleased\s*\(.*QAbstractButton/, "buttonReleased event("QButtonGroup", /::buttonReleased\s*\(.*int/, "int") event("QButtonGroup", /::buttonToggled\s*\(/, "QAbstractButton*, bool") event("QButtonGroup", /::buttonToggled\s*\(/, "int, bool") +event("QButtonGroup", /::idClicked\s*\(/, "int") +event("QButtonGroup", /::idPressed\s*\(/, "int") +event("QButtonGroup", /::idReleased\s*\(/, "int") +event("QButtonGroup", /::idToggled\s*\(/, "int, bool") event("QCalendarWidget", /::destroyed\s*\(/, "QObject*") event("QCalendarWidget", /::objectNameChanged\s*\(/, "QString") event("QCalendarWidget", /::windowTitleChanged\s*\(/, "QString") @@ -756,9 +776,11 @@ event("QComboBox", /::editTextChanged\s*\(/, "QString") event("QComboBox", /::activated\s*\(.*int/, "int") event("QComboBox", /::activated\s*\(.*QString/, "QString") rename("QComboBox", /::activated\s*\(.*QString/, "activated_qs") +event("QComboBox", /::textActivated\s*\(/, "QString") event("QComboBox", /::highlighted\s*\(.*int/, "int") event("QComboBox", /::highlighted\s*\(.*QString/, "QString") rename("QComboBox", /::highlighted\s*\(.*QString/, "highlighted_qs") +event("QComboBox", /::textHighlighted\s*\(/, "QString") event("QComboBox", /::currentIndexChanged\s*\(.*int/, "int") event("QComboBox", /::currentIndexChanged\s*\(.*QString/, "QString") rename("QComboBox", /::currentIndexChanged\s*\(.*QString/, "currentIndexChanged_qs") @@ -889,6 +911,7 @@ event("QDoubleSpinBox", /::editingFinished\s*\(/, "") event("QDoubleSpinBox", /::valueChanged\s*\(.*double/, "double") event("QDoubleSpinBox", /::valueChanged\s*\(.*QString/, "QString") rename("QDoubleSpinBox", /::valueChanged\s*\(.*QString/, "valueChanged_qs") +event("QDoubleSpinBox", /::textChanged\s*\(/, "QString") event("QErrorMessage", /::destroyed\s*\(/, "QObject*") event("QErrorMessage", /::objectNameChanged\s*\(/, "QString") event("QErrorMessage", /::windowTitleChanged\s*\(/, "QString") @@ -955,9 +978,11 @@ event("QFontComboBox", /::editTextChanged\s*\(/, "QString") event("QFontComboBox", /::activated\s*\(.*int/, "int") event("QFontComboBox", /::activated\s*\(.*QString/, "QString") rename("QFontComboBox", /::activated\s*\(.*QString/, "activated_qs") +event("QFontComboBox", /::textActivated\s*\(/, "QString") event("QFontComboBox", /::highlighted\s*\(.*int/, "int") event("QFontComboBox", /::highlighted\s*\(.*QString/, "QString") rename("QFontComboBox", /::highlighted\s*\(.*QString/, "highlighted_qs") +event("QFontComboBox", /::textHighlighted\s*\(/, "QString") event("QFontComboBox", /::currentIndexChanged\s*\(.*int/, "int") event("QFontComboBox", /::currentIndexChanged\s*\(.*QString/, "QString") rename("QFontComboBox", /::currentIndexChanged\s*\(.*QString/, "currentIndexChanged_qs") @@ -1406,6 +1431,7 @@ event("QSpinBox", /::editingFinished\s*\(/, "") event("QSpinBox", /::valueChanged\s*\(.*int/, "int") event("QSpinBox", /::valueChanged\s*\(.*QString/, "QString") rename("QSpinBox", /::valueChanged\s*\(.*QString/, "valueChanged_qs") +event("QSpinBox", /::textChanged\s*\(/, "QString") event("QSplashScreen", /::destroyed\s*\(/, "QObject*") event("QSplashScreen", /::objectNameChanged\s*\(/, "QString") event("QSplashScreen", /::windowTitleChanged\s*\(/, "QString") @@ -1709,6 +1735,499 @@ event("QWizardPage", /::windowIconChanged\s*\(/, "QIcon") event("QWizardPage", /::windowIconTextChanged\s*\(/, "QString") event("QWizardPage", /::customContextMenuRequested\s*\(/, "QPoint") event("QWizardPage", /::completeChanged\s*\(/, "") +event("QAbstractMessageHandler", /::destroyed\s*\(/, "QObject*") +event("QAbstractMessageHandler", /::objectNameChanged\s*\(/, "QString") +event("QAbstractUriResolver", /::destroyed\s*\(/, "QObject*") +event("QAbstractUriResolver", /::objectNameChanged\s*\(/, "QString") +event("QGraphicsSvgItem", /::destroyed\s*\(/, "QObject*") +event("QGraphicsSvgItem", /::objectNameChanged\s*\(/, "QString") +event("QGraphicsSvgItem", /::parentChanged\s*\(/, "") +event("QGraphicsSvgItem", /::opacityChanged\s*\(/, "") +event("QGraphicsSvgItem", /::visibleChanged\s*\(/, "") +event("QGraphicsSvgItem", /::enabledChanged\s*\(/, "") +event("QGraphicsSvgItem", /::xChanged\s*\(/, "") +event("QGraphicsSvgItem", /::yChanged\s*\(/, "") +event("QGraphicsSvgItem", /::zChanged\s*\(/, "") +event("QGraphicsSvgItem", /::rotationChanged\s*\(/, "") +event("QGraphicsSvgItem", /::scaleChanged\s*\(/, "") +event("QGraphicsSvgItem", /::childrenChanged\s*\(/, "") +event("QGraphicsSvgItem", /::widthChanged\s*\(/, "") +event("QGraphicsSvgItem", /::heightChanged\s*\(/, "") +event("QSvgRenderer", /::destroyed\s*\(/, "QObject*") +event("QSvgRenderer", /::objectNameChanged\s*\(/, "QString") +event("QSvgRenderer", /::repaintNeeded\s*\(/, "") +event("QSvgWidget", /::destroyed\s*\(/, "QObject*") +event("QSvgWidget", /::objectNameChanged\s*\(/, "QString") +event("QSvgWidget", /::windowTitleChanged\s*\(/, "QString") +event("QSvgWidget", /::windowIconChanged\s*\(/, "QIcon") +event("QSvgWidget", /::windowIconTextChanged\s*\(/, "QString") +event("QSvgWidget", /::customContextMenuRequested\s*\(/, "QPoint") +event("QAbstractPrintDialog", /::destroyed\s*\(/, "QObject*") +event("QAbstractPrintDialog", /::objectNameChanged\s*\(/, "QString") +event("QAbstractPrintDialog", /::windowTitleChanged\s*\(/, "QString") +event("QAbstractPrintDialog", /::windowIconChanged\s*\(/, "QIcon") +event("QAbstractPrintDialog", /::windowIconTextChanged\s*\(/, "QString") +event("QAbstractPrintDialog", /::customContextMenuRequested\s*\(/, "QPoint") +event("QAbstractPrintDialog", /::finished\s*\(/, "int") +event("QAbstractPrintDialog", /::accepted\s*\(/, "") +event("QAbstractPrintDialog", /::rejected\s*\(/, "") +event("QPrintDialog", /::destroyed\s*\(/, "QObject*") +event("QPrintDialog", /::objectNameChanged\s*\(/, "QString") +event("QPrintDialog", /::windowTitleChanged\s*\(/, "QString") +event("QPrintDialog", /::windowIconChanged\s*\(/, "QIcon") +event("QPrintDialog", /::windowIconTextChanged\s*\(/, "QString") +event("QPrintDialog", /::customContextMenuRequested\s*\(/, "QPoint") +event("QPrintDialog", /::finished\s*\(/, "int") +event("QPrintDialog", /::accepted\s*\(/, "QPrinter*") +event("QPrintDialog", /::rejected\s*\(/, "") +event("QPrintPreviewDialog", /::destroyed\s*\(/, "QObject*") +event("QPrintPreviewDialog", /::objectNameChanged\s*\(/, "QString") +event("QPrintPreviewDialog", /::windowTitleChanged\s*\(/, "QString") +event("QPrintPreviewDialog", /::windowIconChanged\s*\(/, "QIcon") +event("QPrintPreviewDialog", /::windowIconTextChanged\s*\(/, "QString") +event("QPrintPreviewDialog", /::customContextMenuRequested\s*\(/, "QPoint") +event("QPrintPreviewDialog", /::finished\s*\(/, "int") +event("QPrintPreviewDialog", /::accepted\s*\(/, "") +event("QPrintPreviewDialog", /::rejected\s*\(/, "") +event("QPrintPreviewDialog", /::paintRequested\s*\(/, "QPrinter*") +event("QPrintPreviewWidget", /::destroyed\s*\(/, "QObject*") +event("QPrintPreviewWidget", /::objectNameChanged\s*\(/, "QString") +event("QPrintPreviewWidget", /::windowTitleChanged\s*\(/, "QString") +event("QPrintPreviewWidget", /::windowIconChanged\s*\(/, "QIcon") +event("QPrintPreviewWidget", /::windowIconTextChanged\s*\(/, "QString") +event("QPrintPreviewWidget", /::customContextMenuRequested\s*\(/, "QPoint") +event("QPrintPreviewWidget", /::paintRequested\s*\(/, "QPrinter*") +event("QPrintPreviewWidget", /::previewChanged\s*\(/, "") +event("QAbstractAudioDeviceInfo", /::destroyed\s*\(/, "QObject*") +event("QAbstractAudioDeviceInfo", /::objectNameChanged\s*\(/, "QString") +event("QAbstractAudioInput", /::destroyed\s*\(/, "QObject*") +event("QAbstractAudioInput", /::objectNameChanged\s*\(/, "QString") +event("QAbstractAudioInput", /::errorChanged\s*\(/, "QAudio::Error") +event("QAbstractAudioInput", /::stateChanged\s*\(/, "QAudio::State") +event("QAbstractAudioInput", /::notify\s*\(/, "") +event("QAbstractAudioOutput", /::destroyed\s*\(/, "QObject*") +event("QAbstractAudioOutput", /::objectNameChanged\s*\(/, "QString") +event("QAbstractAudioOutput", /::errorChanged\s*\(/, "QAudio::Error") +event("QAbstractAudioOutput", /::stateChanged\s*\(/, "QAudio::State") +event("QAbstractAudioOutput", /::notify\s*\(/, "") +event("QAbstractVideoFilter", /::destroyed\s*\(/, "QObject*") +event("QAbstractVideoFilter", /::objectNameChanged\s*\(/, "QString") +event("QAbstractVideoFilter", /::activeChanged\s*\(/, "") +event("QAbstractVideoSurface", /::destroyed\s*\(/, "QObject*") +event("QAbstractVideoSurface", /::objectNameChanged\s*\(/, "QString") +event("QAbstractVideoSurface", /::activeChanged\s*\(/, "bool") +event("QAbstractVideoSurface", /::surfaceFormatChanged\s*\(/, "QVideoSurfaceFormat") +event("QAbstractVideoSurface", /::supportedFormatsChanged\s*\(/, "") +event("QAbstractVideoSurface", /::nativeResolutionChanged\s*\(/, "QSize") +event("QAudioDecoder", /::destroyed\s*\(/, "QObject*") +event("QAudioDecoder", /::objectNameChanged\s*\(/, "QString") +event("QAudioDecoder", /::notifyIntervalChanged\s*\(/, "int") +event("QAudioDecoder", /::metaDataAvailableChanged\s*\(/, "bool") +event("QAudioDecoder", /::metaDataChanged\s*\(/, "QString, QVariant") +event("QAudioDecoder", /::availabilityChanged\s*\(/, "bool") +event("QAudioDecoder", /::availabilityChanged\s*\(/, "QMultimedia::AvailabilityStatus") +event("QAudioDecoder", /::bufferAvailableChanged\s*\(/, "bool") +event("QAudioDecoder", /::bufferReady\s*\(/, "") +event("QAudioDecoder", /::finished\s*\(/, "") +event("QAudioDecoder", /::stateChanged\s*\(/, "QAudioDecoder::State") +event("QAudioDecoder", /::formatChanged\s*\(/, "QAudioFormat") +event("QAudioDecoder", /::error\s*\(/, "QAudioDecoder::Error") +event("QAudioDecoder", /::sourceChanged\s*\(/, "") +event("QAudioDecoder", /::positionChanged\s*\(/, "qlonglong") +event("QAudioDecoder", /::durationChanged\s*\(/, "qlonglong") +event("QAudioDecoderControl", /::destroyed\s*\(/, "QObject*") +event("QAudioDecoderControl", /::objectNameChanged\s*\(/, "QString") +event("QAudioDecoderControl", /::stateChanged\s*\(/, "QAudioDecoder::State") +event("QAudioDecoderControl", /::formatChanged\s*\(/, "QAudioFormat") +event("QAudioDecoderControl", /::sourceChanged\s*\(/, "") +event("QAudioDecoderControl", /::error\s*\(/, "int, QString") +event("QAudioDecoderControl", /::bufferReady\s*\(/, "") +event("QAudioDecoderControl", /::bufferAvailableChanged\s*\(/, "bool") +event("QAudioDecoderControl", /::finished\s*\(/, "") +event("QAudioDecoderControl", /::positionChanged\s*\(/, "qlonglong") +event("QAudioDecoderControl", /::durationChanged\s*\(/, "qlonglong") +event("QAudioEncoderSettingsControl", /::destroyed\s*\(/, "QObject*") +event("QAudioEncoderSettingsControl", /::objectNameChanged\s*\(/, "QString") +event("QAudioInput", /::destroyed\s*\(/, "QObject*") +event("QAudioInput", /::objectNameChanged\s*\(/, "QString") +event("QAudioInput", /::stateChanged\s*\(/, "QAudio::State") +event("QAudioInput", /::notify\s*\(/, "") +event("QAudioInputSelectorControl", /::destroyed\s*\(/, "QObject*") +event("QAudioInputSelectorControl", /::objectNameChanged\s*\(/, "QString") +event("QAudioInputSelectorControl", /::activeInputChanged\s*\(/, "QString") +event("QAudioInputSelectorControl", /::availableInputsChanged\s*\(/, "") +event("QAudioOutput", /::destroyed\s*\(/, "QObject*") +event("QAudioOutput", /::objectNameChanged\s*\(/, "QString") +event("QAudioOutput", /::stateChanged\s*\(/, "QAudio::State") +event("QAudioOutput", /::notify\s*\(/, "") +event("QAudioOutputSelectorControl", /::destroyed\s*\(/, "QObject*") +event("QAudioOutputSelectorControl", /::objectNameChanged\s*\(/, "QString") +event("QAudioOutputSelectorControl", /::activeOutputChanged\s*\(/, "QString") +event("QAudioOutputSelectorControl", /::availableOutputsChanged\s*\(/, "") +event("QAudioProbe", /::destroyed\s*\(/, "QObject*") +event("QAudioProbe", /::objectNameChanged\s*\(/, "QString") +event("QAudioProbe", /::audioBufferProbed\s*\(/, "QAudioBuffer") +event("QAudioProbe", /::flush\s*\(/, "") +event("QAudioRecorder", /::destroyed\s*\(/, "QObject*") +event("QAudioRecorder", /::objectNameChanged\s*\(/, "QString") +event("QAudioRecorder", /::stateChanged\s*\(/, "QMediaRecorder::State") +event("QAudioRecorder", /::statusChanged\s*\(/, "QMediaRecorder::Status") +event("QAudioRecorder", /::durationChanged\s*\(/, "qlonglong") +event("QAudioRecorder", /::mutedChanged\s*\(/, "bool") +event("QAudioRecorder", /::volumeChanged\s*\(/, "double") +event("QAudioRecorder", /::actualLocationChanged\s*\(/, "QUrl") +event("QAudioRecorder", /::error\s*\(/, "QMediaRecorder::Error") +event("QAudioRecorder", /::metaDataAvailableChanged\s*\(/, "bool") +event("QAudioRecorder", /::metaDataWritableChanged\s*\(/, "bool") +event("QAudioRecorder", /::metaDataChanged\s*\(/, "QString, QVariant") +event("QAudioRecorder", /::availabilityChanged\s*\(/, "bool") +event("QAudioRecorder", /::availabilityChanged\s*\(/, "QMultimedia::AvailabilityStatus") +event("QAudioRecorder", /::audioInputChanged\s*\(/, "QString") +event("QAudioRecorder", /::availableAudioInputsChanged\s*\(/, "") +event("QAudioRoleControl", /::destroyed\s*\(/, "QObject*") +event("QAudioRoleControl", /::objectNameChanged\s*\(/, "QString") +event("QAudioRoleControl", /::audioRoleChanged\s*\(/, "QAudio::Role") +event("QAudioSystemPlugin", /::destroyed\s*\(/, "QObject*") +event("QAudioSystemPlugin", /::objectNameChanged\s*\(/, "QString") +event("QCamera", /::destroyed\s*\(/, "QObject*") +event("QCamera", /::objectNameChanged\s*\(/, "QString") +event("QCamera", /::notifyIntervalChanged\s*\(/, "int") +event("QCamera", /::metaDataAvailableChanged\s*\(/, "bool") +event("QCamera", /::metaDataChanged\s*\(/, "QString, QVariant") +event("QCamera", /::availabilityChanged\s*\(/, "bool") +event("QCamera", /::availabilityChanged\s*\(/, "QMultimedia::AvailabilityStatus") +event("QCamera", /::stateChanged\s*\(/, "QCamera::State") +event("QCamera", /::captureModeChanged\s*\(/, "QCamera::CaptureModes") +event("QCamera", /::statusChanged\s*\(/, "QCamera::Status") +event("QCamera", /::locked\s*\(/, "") +event("QCamera", /::lockFailed\s*\(/, "") +event("QCamera", /::lockStatusChanged\s*\(/, "QCamera::LockStatus, QCamera::LockChangeReason") +event("QCamera", /::lockStatusChanged\s*\(/, "QCamera::LockType, QCamera::LockStatus, QCamera::LockChangeReason") +event("QCamera", /::error\s*\(/, "QCamera::Error") +event("QCamera", /::errorOccurred\s*\(/, "QCamera::Error") +event("QCameraCaptureBufferFormatControl", /::destroyed\s*\(/, "QObject*") +event("QCameraCaptureBufferFormatControl", /::objectNameChanged\s*\(/, "QString") +event("QCameraCaptureBufferFormatControl", /::bufferFormatChanged\s*\(/, "QVideoFrame::PixelFormat") +event("QCameraCaptureDestinationControl", /::destroyed\s*\(/, "QObject*") +event("QCameraCaptureDestinationControl", /::objectNameChanged\s*\(/, "QString") +event("QCameraCaptureDestinationControl", /::captureDestinationChanged\s*\(/, "QCameraImageCapture::CaptureDestinations") +event("QCameraControl", /::destroyed\s*\(/, "QObject*") +event("QCameraControl", /::objectNameChanged\s*\(/, "QString") +event("QCameraControl", /::stateChanged\s*\(/, "QCamera::State") +event("QCameraControl", /::statusChanged\s*\(/, "QCamera::Status") +event("QCameraControl", /::error\s*\(/, "int, QString") +event("QCameraControl", /::captureModeChanged\s*\(/, "QCamera::CaptureModes") +event("QCameraExposure", /::destroyed\s*\(/, "QObject*") +event("QCameraExposure", /::objectNameChanged\s*\(/, "QString") +event("QCameraExposure", /::flashReady\s*\(/, "bool") +event("QCameraExposure", /::apertureChanged\s*\(/, "double") +event("QCameraExposure", /::apertureRangeChanged\s*\(/, "") +event("QCameraExposure", /::shutterSpeedChanged\s*\(/, "double") +event("QCameraExposure", /::shutterSpeedRangeChanged\s*\(/, "") +event("QCameraExposure", /::isoSensitivityChanged\s*\(/, "int") +event("QCameraExposure", /::exposureCompensationChanged\s*\(/, "double") +event("QCameraExposureControl", /::destroyed\s*\(/, "QObject*") +event("QCameraExposureControl", /::objectNameChanged\s*\(/, "QString") +event("QCameraExposureControl", /::requestedValueChanged\s*\(/, "int") +event("QCameraExposureControl", /::actualValueChanged\s*\(/, "int") +event("QCameraExposureControl", /::parameterRangeChanged\s*\(/, "int") +event("QCameraFeedbackControl", /::destroyed\s*\(/, "QObject*") +event("QCameraFeedbackControl", /::objectNameChanged\s*\(/, "QString") +event("QCameraFlashControl", /::destroyed\s*\(/, "QObject*") +event("QCameraFlashControl", /::objectNameChanged\s*\(/, "QString") +event("QCameraFlashControl", /::flashReady\s*\(/, "bool") +event("QCameraFocus", /::destroyed\s*\(/, "QObject*") +event("QCameraFocus", /::objectNameChanged\s*\(/, "QString") +event("QCameraFocus", /::opticalZoomChanged\s*\(/, "double") +event("QCameraFocus", /::digitalZoomChanged\s*\(/, "double") +event("QCameraFocus", /::focusZonesChanged\s*\(/, "") +event("QCameraFocus", /::maximumOpticalZoomChanged\s*\(/, "double") +event("QCameraFocus", /::maximumDigitalZoomChanged\s*\(/, "double") +event("QCameraFocusControl", /::destroyed\s*\(/, "QObject*") +event("QCameraFocusControl", /::objectNameChanged\s*\(/, "QString") +event("QCameraFocusControl", /::focusModeChanged\s*\(/, "QCameraFocus::FocusModes") +event("QCameraFocusControl", /::focusPointModeChanged\s*\(/, "QCameraFocus::FocusPointMode") +event("QCameraFocusControl", /::customFocusPointChanged\s*\(/, "QPointF") +event("QCameraFocusControl", /::focusZonesChanged\s*\(/, "") +event("QCameraImageCapture", /::destroyed\s*\(/, "QObject*") +event("QCameraImageCapture", /::objectNameChanged\s*\(/, "QString") +event("QCameraImageCapture", /::error\s*\(/, "int, QCameraImageCapture::Error, QString") +event("QCameraImageCapture", /::readyForCaptureChanged\s*\(/, "bool") +event("QCameraImageCapture", /::bufferFormatChanged\s*\(/, "QVideoFrame::PixelFormat") +event("QCameraImageCapture", /::captureDestinationChanged\s*\(/, "QCameraImageCapture::CaptureDestinations") +event("QCameraImageCapture", /::imageExposed\s*\(/, "int") +event("QCameraImageCapture", /::imageCaptured\s*\(/, "int, QImage") +event("QCameraImageCapture", /::imageMetadataAvailable\s*\(/, "int, QString, QVariant") +event("QCameraImageCapture", /::imageAvailable\s*\(/, "int, QVideoFrame") +event("QCameraImageCapture", /::imageSaved\s*\(/, "int, QString") +event("QCameraImageCaptureControl", /::destroyed\s*\(/, "QObject*") +event("QCameraImageCaptureControl", /::objectNameChanged\s*\(/, "QString") +event("QCameraImageCaptureControl", /::readyForCaptureChanged\s*\(/, "bool") +event("QCameraImageCaptureControl", /::imageExposed\s*\(/, "int") +event("QCameraImageCaptureControl", /::imageCaptured\s*\(/, "int, QImage") +event("QCameraImageCaptureControl", /::imageMetadataAvailable\s*\(/, "int, QString, QVariant") +event("QCameraImageCaptureControl", /::imageAvailable\s*\(/, "int, QVideoFrame") +event("QCameraImageCaptureControl", /::imageSaved\s*\(/, "int, QString") +event("QCameraImageCaptureControl", /::error\s*\(/, "int, int, QString") +event("QCameraImageProcessing", /::destroyed\s*\(/, "QObject*") +event("QCameraImageProcessing", /::objectNameChanged\s*\(/, "QString") +event("QCameraImageProcessingControl", /::destroyed\s*\(/, "QObject*") +event("QCameraImageProcessingControl", /::objectNameChanged\s*\(/, "QString") +event("QCameraInfoControl", /::destroyed\s*\(/, "QObject*") +event("QCameraInfoControl", /::objectNameChanged\s*\(/, "QString") +event("QCameraLocksControl", /::destroyed\s*\(/, "QObject*") +event("QCameraLocksControl", /::objectNameChanged\s*\(/, "QString") +event("QCameraLocksControl", /::lockStatusChanged\s*\(/, "QCamera::LockType, QCamera::LockStatus, QCamera::LockChangeReason") +event("QCameraViewfinderSettingsControl", /::destroyed\s*\(/, "QObject*") +event("QCameraViewfinderSettingsControl", /::objectNameChanged\s*\(/, "QString") +event("QCameraViewfinderSettingsControl2", /::destroyed\s*\(/, "QObject*") +event("QCameraViewfinderSettingsControl2", /::objectNameChanged\s*\(/, "QString") +event("QCameraZoomControl", /::destroyed\s*\(/, "QObject*") +event("QCameraZoomControl", /::objectNameChanged\s*\(/, "QString") +event("QCameraZoomControl", /::maximumOpticalZoomChanged\s*\(/, "double") +event("QCameraZoomControl", /::maximumDigitalZoomChanged\s*\(/, "double") +event("QCameraZoomControl", /::requestedOpticalZoomChanged\s*\(/, "double") +event("QCameraZoomControl", /::requestedDigitalZoomChanged\s*\(/, "double") +event("QCameraZoomControl", /::currentOpticalZoomChanged\s*\(/, "double") +event("QCameraZoomControl", /::currentDigitalZoomChanged\s*\(/, "double") +event("QCustomAudioRoleControl", /::destroyed\s*\(/, "QObject*") +event("QCustomAudioRoleControl", /::objectNameChanged\s*\(/, "QString") +event("QCustomAudioRoleControl", /::customAudioRoleChanged\s*\(/, "QString") +event("QGraphicsVideoItem", /::destroyed\s*\(/, "QObject*") +event("QGraphicsVideoItem", /::objectNameChanged\s*\(/, "QString") +event("QGraphicsVideoItem", /::parentChanged\s*\(/, "") +event("QGraphicsVideoItem", /::opacityChanged\s*\(/, "") +event("QGraphicsVideoItem", /::visibleChanged\s*\(/, "") +event("QGraphicsVideoItem", /::enabledChanged\s*\(/, "") +event("QGraphicsVideoItem", /::xChanged\s*\(/, "") +event("QGraphicsVideoItem", /::yChanged\s*\(/, "") +event("QGraphicsVideoItem", /::zChanged\s*\(/, "") +event("QGraphicsVideoItem", /::rotationChanged\s*\(/, "") +event("QGraphicsVideoItem", /::scaleChanged\s*\(/, "") +event("QGraphicsVideoItem", /::childrenChanged\s*\(/, "") +event("QGraphicsVideoItem", /::widthChanged\s*\(/, "") +event("QGraphicsVideoItem", /::heightChanged\s*\(/, "") +event("QGraphicsVideoItem", /::nativeSizeChanged\s*\(/, "QSizeF") +event("QImageEncoderControl", /::destroyed\s*\(/, "QObject*") +event("QImageEncoderControl", /::objectNameChanged\s*\(/, "QString") +event("QMediaAudioProbeControl", /::destroyed\s*\(/, "QObject*") +event("QMediaAudioProbeControl", /::objectNameChanged\s*\(/, "QString") +event("QMediaAudioProbeControl", /::audioBufferProbed\s*\(/, "QAudioBuffer") +event("QMediaAudioProbeControl", /::flush\s*\(/, "") +event("QMediaAvailabilityControl", /::destroyed\s*\(/, "QObject*") +event("QMediaAvailabilityControl", /::objectNameChanged\s*\(/, "QString") +event("QMediaAvailabilityControl", /::availabilityChanged\s*\(/, "QMultimedia::AvailabilityStatus") +event("QMediaContainerControl", /::destroyed\s*\(/, "QObject*") +event("QMediaContainerControl", /::objectNameChanged\s*\(/, "QString") +event("QMediaControl", /::destroyed\s*\(/, "QObject*") +event("QMediaControl", /::objectNameChanged\s*\(/, "QString") +event("QMediaGaplessPlaybackControl", /::destroyed\s*\(/, "QObject*") +event("QMediaGaplessPlaybackControl", /::objectNameChanged\s*\(/, "QString") +event("QMediaGaplessPlaybackControl", /::crossfadeTimeChanged\s*\(/, "double") +event("QMediaGaplessPlaybackControl", /::nextMediaChanged\s*\(/, "QMediaContent") +event("QMediaGaplessPlaybackControl", /::advancedToNextMedia\s*\(/, "") +event("QMediaNetworkAccessControl", /::destroyed\s*\(/, "QObject*") +event("QMediaNetworkAccessControl", /::objectNameChanged\s*\(/, "QString") +event("QMediaNetworkAccessControl", /::configurationChanged\s*\(/, "QNetworkConfiguration") +event("QMediaObject", /::destroyed\s*\(/, "QObject*") +event("QMediaObject", /::objectNameChanged\s*\(/, "QString") +event("QMediaObject", /::notifyIntervalChanged\s*\(/, "int") +event("QMediaObject", /::metaDataAvailableChanged\s*\(/, "bool") +event("QMediaObject", /::metaDataChanged\s*\(/, "QString, QVariant") +event("QMediaObject", /::availabilityChanged\s*\(/, "bool") +event("QMediaObject", /::availabilityChanged\s*\(/, "QMultimedia::AvailabilityStatus") +event("QMediaPlayer", /::destroyed\s*\(/, "QObject*") +event("QMediaPlayer", /::objectNameChanged\s*\(/, "QString") +event("QMediaPlayer", /::notifyIntervalChanged\s*\(/, "int") +event("QMediaPlayer", /::metaDataAvailableChanged\s*\(/, "bool") +event("QMediaPlayer", /::metaDataChanged\s*\(/, "QString, QVariant") +event("QMediaPlayer", /::availabilityChanged\s*\(/, "bool") +event("QMediaPlayer", /::availabilityChanged\s*\(/, "QMultimedia::AvailabilityStatus") +event("QMediaPlayer", /::mediaChanged\s*\(/, "QMediaContent") +event("QMediaPlayer", /::currentMediaChanged\s*\(/, "QMediaContent") +event("QMediaPlayer", /::stateChanged\s*\(/, "QMediaPlayer::State") +event("QMediaPlayer", /::mediaStatusChanged\s*\(/, "QMediaPlayer::MediaStatus") +event("QMediaPlayer", /::durationChanged\s*\(/, "qlonglong") +event("QMediaPlayer", /::positionChanged\s*\(/, "qlonglong") +event("QMediaPlayer", /::volumeChanged\s*\(/, "int") +event("QMediaPlayer", /::mutedChanged\s*\(/, "bool") +event("QMediaPlayer", /::audioAvailableChanged\s*\(/, "bool") +event("QMediaPlayer", /::videoAvailableChanged\s*\(/, "bool") +event("QMediaPlayer", /::bufferStatusChanged\s*\(/, "int") +event("QMediaPlayer", /::seekableChanged\s*\(/, "bool") +event("QMediaPlayer", /::playbackRateChanged\s*\(/, "double") +event("QMediaPlayer", /::audioRoleChanged\s*\(/, "QAudio::Role") +event("QMediaPlayer", /::customAudioRoleChanged\s*\(/, "QString") +event("QMediaPlayer", /::error\s*\(/, "QMediaPlayer::Error") +event("QMediaPlayer", /::networkConfigurationChanged\s*\(/, "QNetworkConfiguration") +event("QMediaPlayerControl", /::destroyed\s*\(/, "QObject*") +event("QMediaPlayerControl", /::objectNameChanged\s*\(/, "QString") +event("QMediaPlayerControl", /::mediaChanged\s*\(/, "QMediaContent") +event("QMediaPlayerControl", /::durationChanged\s*\(/, "qlonglong") +event("QMediaPlayerControl", /::positionChanged\s*\(/, "qlonglong") +event("QMediaPlayerControl", /::stateChanged\s*\(/, "QMediaPlayer::State") +event("QMediaPlayerControl", /::mediaStatusChanged\s*\(/, "QMediaPlayer::MediaStatus") +event("QMediaPlayerControl", /::volumeChanged\s*\(/, "int") +event("QMediaPlayerControl", /::mutedChanged\s*\(/, "bool") +event("QMediaPlayerControl", /::audioAvailableChanged\s*\(/, "bool") +event("QMediaPlayerControl", /::videoAvailableChanged\s*\(/, "bool") +event("QMediaPlayerControl", /::bufferStatusChanged\s*\(/, "int") +event("QMediaPlayerControl", /::seekableChanged\s*\(/, "bool") +event("QMediaPlayerControl", /::availablePlaybackRangesChanged\s*\(/, "QMediaTimeRange") +event("QMediaPlayerControl", /::playbackRateChanged\s*\(/, "double") +event("QMediaPlayerControl", /::error\s*\(/, "int, QString") +event("QMediaPlaylist", /::destroyed\s*\(/, "QObject*") +event("QMediaPlaylist", /::objectNameChanged\s*\(/, "QString") +event("QMediaPlaylist", /::currentIndexChanged\s*\(/, "int") +event("QMediaPlaylist", /::playbackModeChanged\s*\(/, "QMediaPlaylist::PlaybackMode") +event("QMediaPlaylist", /::currentMediaChanged\s*\(/, "QMediaContent") +event("QMediaPlaylist", /::mediaAboutToBeInserted\s*\(/, "int, int") +event("QMediaPlaylist", /::mediaInserted\s*\(/, "int, int") +event("QMediaPlaylist", /::mediaAboutToBeRemoved\s*\(/, "int, int") +event("QMediaPlaylist", /::mediaRemoved\s*\(/, "int, int") +event("QMediaPlaylist", /::mediaChanged\s*\(/, "int, int") +event("QMediaPlaylist", /::loaded\s*\(/, "") +event("QMediaPlaylist", /::loadFailed\s*\(/, "") +event("QMediaRecorder", /::destroyed\s*\(/, "QObject*") +event("QMediaRecorder", /::objectNameChanged\s*\(/, "QString") +event("QMediaRecorder", /::stateChanged\s*\(/, "QMediaRecorder::State") +event("QMediaRecorder", /::statusChanged\s*\(/, "QMediaRecorder::Status") +event("QMediaRecorder", /::durationChanged\s*\(/, "qlonglong") +event("QMediaRecorder", /::mutedChanged\s*\(/, "bool") +event("QMediaRecorder", /::volumeChanged\s*\(/, "double") +event("QMediaRecorder", /::actualLocationChanged\s*\(/, "QUrl") +event("QMediaRecorder", /::error\s*\(/, "QMediaRecorder::Error") +event("QMediaRecorder", /::metaDataAvailableChanged\s*\(/, "bool") +event("QMediaRecorder", /::metaDataWritableChanged\s*\(/, "bool") +event("QMediaRecorder", /::metaDataChanged\s*\(/, "QString, QVariant") +event("QMediaRecorder", /::availabilityChanged\s*\(/, "bool") +event("QMediaRecorder", /::availabilityChanged\s*\(/, "QMultimedia::AvailabilityStatus") +event("QMediaRecorderControl", /::destroyed\s*\(/, "QObject*") +event("QMediaRecorderControl", /::objectNameChanged\s*\(/, "QString") +event("QMediaRecorderControl", /::stateChanged\s*\(/, "QMediaRecorder::State") +event("QMediaRecorderControl", /::statusChanged\s*\(/, "QMediaRecorder::Status") +event("QMediaRecorderControl", /::durationChanged\s*\(/, "qlonglong") +event("QMediaRecorderControl", /::mutedChanged\s*\(/, "bool") +event("QMediaRecorderControl", /::volumeChanged\s*\(/, "double") +event("QMediaRecorderControl", /::actualLocationChanged\s*\(/, "QUrl") +event("QMediaRecorderControl", /::error\s*\(/, "int, QString") +event("QMediaService", /::destroyed\s*\(/, "QObject*") +event("QMediaService", /::objectNameChanged\s*\(/, "QString") +event("QMediaServiceProviderPlugin", /::destroyed\s*\(/, "QObject*") +event("QMediaServiceProviderPlugin", /::objectNameChanged\s*\(/, "QString") +event("QMediaStreamsControl", /::destroyed\s*\(/, "QObject*") +event("QMediaStreamsControl", /::objectNameChanged\s*\(/, "QString") +event("QMediaStreamsControl", /::streamsChanged\s*\(/, "") +event("QMediaStreamsControl", /::activeStreamsChanged\s*\(/, "") +event("QMediaVideoProbeControl", /::destroyed\s*\(/, "QObject*") +event("QMediaVideoProbeControl", /::objectNameChanged\s*\(/, "QString") +event("QMediaVideoProbeControl", /::videoFrameProbed\s*\(/, "QVideoFrame") +event("QMediaVideoProbeControl", /::flush\s*\(/, "") +event("QMetaDataReaderControl", /::destroyed\s*\(/, "QObject*") +event("QMetaDataReaderControl", /::objectNameChanged\s*\(/, "QString") +event("QMetaDataReaderControl", /::metaDataChanged\s*\(/, "QString, QVariant") +event("QMetaDataReaderControl", /::metaDataAvailableChanged\s*\(/, "bool") +event("QMetaDataWriterControl", /::destroyed\s*\(/, "QObject*") +event("QMetaDataWriterControl", /::objectNameChanged\s*\(/, "QString") +event("QMetaDataWriterControl", /::metaDataChanged\s*\(/, "QString, QVariant") +event("QMetaDataWriterControl", /::writableChanged\s*\(/, "bool") +event("QMetaDataWriterControl", /::metaDataAvailableChanged\s*\(/, "bool") +event("QRadioData", /::destroyed\s*\(/, "QObject*") +event("QRadioData", /::objectNameChanged\s*\(/, "QString") +event("QRadioData", /::stationIdChanged\s*\(/, "QString") +event("QRadioData", /::programTypeChanged\s*\(/, "QRadioData::ProgramType") +event("QRadioData", /::programTypeNameChanged\s*\(/, "QString") +event("QRadioData", /::stationNameChanged\s*\(/, "QString") +event("QRadioData", /::radioTextChanged\s*\(/, "QString") +event("QRadioData", /::alternativeFrequenciesEnabledChanged\s*\(/, "bool") +event("QRadioData", /::error\s*\(/, "QRadioData::Error") +event("QRadioDataControl", /::destroyed\s*\(/, "QObject*") +event("QRadioDataControl", /::objectNameChanged\s*\(/, "QString") +event("QRadioDataControl", /::stationIdChanged\s*\(/, "QString") +event("QRadioDataControl", /::programTypeChanged\s*\(/, "QRadioData::ProgramType") +event("QRadioDataControl", /::programTypeNameChanged\s*\(/, "QString") +event("QRadioDataControl", /::stationNameChanged\s*\(/, "QString") +event("QRadioDataControl", /::radioTextChanged\s*\(/, "QString") +event("QRadioDataControl", /::alternativeFrequenciesEnabledChanged\s*\(/, "bool") +event("QRadioDataControl", /::error\s*\(/, "QRadioData::Error") +event("QRadioTuner", /::destroyed\s*\(/, "QObject*") +event("QRadioTuner", /::objectNameChanged\s*\(/, "QString") +event("QRadioTuner", /::notifyIntervalChanged\s*\(/, "int") +event("QRadioTuner", /::metaDataAvailableChanged\s*\(/, "bool") +event("QRadioTuner", /::metaDataChanged\s*\(/, "QString, QVariant") +event("QRadioTuner", /::availabilityChanged\s*\(/, "bool") +event("QRadioTuner", /::availabilityChanged\s*\(/, "QMultimedia::AvailabilityStatus") +event("QRadioTuner", /::stateChanged\s*\(/, "QRadioTuner::State") +event("QRadioTuner", /::bandChanged\s*\(/, "QRadioTuner::Band") +event("QRadioTuner", /::frequencyChanged\s*\(/, "int") +event("QRadioTuner", /::stereoStatusChanged\s*\(/, "bool") +event("QRadioTuner", /::searchingChanged\s*\(/, "bool") +event("QRadioTuner", /::signalStrengthChanged\s*\(/, "int") +event("QRadioTuner", /::volumeChanged\s*\(/, "int") +event("QRadioTuner", /::mutedChanged\s*\(/, "bool") +event("QRadioTuner", /::stationFound\s*\(/, "int, QString") +event("QRadioTuner", /::antennaConnectedChanged\s*\(/, "bool") +event("QRadioTuner", /::error\s*\(/, "QRadioTuner::Error") +event("QRadioTunerControl", /::destroyed\s*\(/, "QObject*") +event("QRadioTunerControl", /::objectNameChanged\s*\(/, "QString") +event("QRadioTunerControl", /::stateChanged\s*\(/, "QRadioTuner::State") +event("QRadioTunerControl", /::bandChanged\s*\(/, "QRadioTuner::Band") +event("QRadioTunerControl", /::frequencyChanged\s*\(/, "int") +event("QRadioTunerControl", /::stereoStatusChanged\s*\(/, "bool") +event("QRadioTunerControl", /::searchingChanged\s*\(/, "bool") +event("QRadioTunerControl", /::signalStrengthChanged\s*\(/, "int") +event("QRadioTunerControl", /::volumeChanged\s*\(/, "int") +event("QRadioTunerControl", /::mutedChanged\s*\(/, "bool") +event("QRadioTunerControl", /::error\s*\(/, "QRadioTuner::Error") +event("QRadioTunerControl", /::stationFound\s*\(/, "int, QString") +event("QRadioTunerControl", /::antennaConnectedChanged\s*\(/, "bool") +event("QSound", /::destroyed\s*\(/, "QObject*") +event("QSound", /::objectNameChanged\s*\(/, "QString") +event("QSoundEffect", /::destroyed\s*\(/, "QObject*") +event("QSoundEffect", /::objectNameChanged\s*\(/, "QString") +event("QSoundEffect", /::sourceChanged\s*\(/, "") +event("QSoundEffect", /::loopCountChanged\s*\(/, "") +event("QSoundEffect", /::loopsRemainingChanged\s*\(/, "") +event("QSoundEffect", /::volumeChanged\s*\(/, "") +event("QSoundEffect", /::mutedChanged\s*\(/, "") +event("QSoundEffect", /::loadedChanged\s*\(/, "") +event("QSoundEffect", /::playingChanged\s*\(/, "") +event("QSoundEffect", /::statusChanged\s*\(/, "") +event("QSoundEffect", /::categoryChanged\s*\(/, "") +event("QVideoDeviceSelectorControl", /::destroyed\s*\(/, "QObject*") +event("QVideoDeviceSelectorControl", /::objectNameChanged\s*\(/, "QString") +event("QVideoDeviceSelectorControl", /::selectedDeviceChanged\s*\(/, "int") +event("QVideoDeviceSelectorControl", /::selectedDeviceChanged\s*\(/, "QString") +event("QVideoDeviceSelectorControl", /::devicesChanged\s*\(/, "") +event("QVideoEncoderSettingsControl", /::destroyed\s*\(/, "QObject*") +event("QVideoEncoderSettingsControl", /::objectNameChanged\s*\(/, "QString") +event("QVideoProbe", /::destroyed\s*\(/, "QObject*") +event("QVideoProbe", /::objectNameChanged\s*\(/, "QString") +event("QVideoProbe", /::videoFrameProbed\s*\(/, "QVideoFrame") +event("QVideoProbe", /::flush\s*\(/, "") +event("QVideoRendererControl", /::destroyed\s*\(/, "QObject*") +event("QVideoRendererControl", /::objectNameChanged\s*\(/, "QString") +event("QVideoWidget", /::destroyed\s*\(/, "QObject*") +event("QVideoWidget", /::objectNameChanged\s*\(/, "QString") +event("QVideoWidget", /::windowTitleChanged\s*\(/, "QString") +event("QVideoWidget", /::windowIconChanged\s*\(/, "QIcon") +event("QVideoWidget", /::windowIconTextChanged\s*\(/, "QString") +event("QVideoWidget", /::customContextMenuRequested\s*\(/, "QPoint") +event("QVideoWidget", /::fullScreenChanged\s*\(/, "bool") +event("QVideoWidget", /::brightnessChanged\s*\(/, "int") +event("QVideoWidget", /::contrastChanged\s*\(/, "int") +event("QVideoWidget", /::hueChanged\s*\(/, "int") +event("QVideoWidget", /::saturationChanged\s*\(/, "int") +event("QVideoWindowControl", /::destroyed\s*\(/, "QObject*") +event("QVideoWindowControl", /::objectNameChanged\s*\(/, "QString") +event("QVideoWindowControl", /::fullScreenChanged\s*\(/, "bool") +event("QVideoWindowControl", /::brightnessChanged\s*\(/, "int") +event("QVideoWindowControl", /::contrastChanged\s*\(/, "int") +event("QVideoWindowControl", /::hueChanged\s*\(/, "int") +event("QVideoWindowControl", /::saturationChanged\s*\(/, "int") +event("QVideoWindowControl", /::nativeSizeChanged\s*\(/, "") +event("QUiLoader", /::destroyed\s*\(/, "QObject*") +event("QUiLoader", /::objectNameChanged\s*\(/, "QString") event("QSqlDriver", /::destroyed\s*\(/, "QObject*") event("QSqlDriver", /::objectNameChanged\s*\(/, "QString") event("QSqlDriver", /::notification\s*\(/, "QString, QSqlDriver::NotificationSource, QVariant") @@ -1795,6 +2314,7 @@ event("QAbstractSocket", /::connected\s*\(/, "") event("QAbstractSocket", /::disconnected\s*\(/, "") event("QAbstractSocket", /::stateChanged\s*\(/, "QAbstractSocket::SocketState") event("QAbstractSocket", /::error\s*\(/, "QAbstractSocket::SocketError") +event("QAbstractSocket", /::errorOccurred\s*\(/, "QAbstractSocket::SocketError") event("QAbstractSocket", /::proxyAuthenticationRequired\s*\(/, "QNetworkProxy, QAuthenticator*") event("QDnsLookup", /::destroyed\s*\(/, "QObject*") event("QDnsLookup", /::objectNameChanged\s*\(/, "QString") @@ -1802,6 +2322,12 @@ event("QDnsLookup", /::finished\s*\(/, "") event("QDnsLookup", /::nameChanged\s*\(/, "QString") event("QDnsLookup", /::typeChanged\s*\(/, "Type") event("QDnsLookup", /::nameserverChanged\s*\(/, "QHostAddress") +event("QDtls", /::destroyed\s*\(/, "QObject*") +event("QDtls", /::objectNameChanged\s*\(/, "QString") +event("QDtls", /::pskRequired\s*\(/, "QSslPreSharedKeyAuthenticator*") +event("QDtls", /::handshakeTimeout\s*\(/, "") +event("QDtlsClientVerifier", /::destroyed\s*\(/, "QObject*") +event("QDtlsClientVerifier", /::objectNameChanged\s*\(/, "QString") event("QHttpMultiPart", /::destroyed\s*\(/, "QObject*") event("QHttpMultiPart", /::objectNameChanged\s*\(/, "QString") event("QLocalServer", /::destroyed\s*\(/, "QObject*") @@ -1818,6 +2344,7 @@ event("QLocalSocket", /::readChannelFinished\s*\(/, "") event("QLocalSocket", /::connected\s*\(/, "") event("QLocalSocket", /::disconnected\s*\(/, "") event("QLocalSocket", /::error\s*\(/, "QLocalSocket::LocalSocketError") +event("QLocalSocket", /::errorOccurred\s*\(/, "QLocalSocket::LocalSocketError") event("QLocalSocket", /::stateChanged\s*\(/, "QLocalSocket::LocalSocketState") event("QNetworkAccessManager", /::destroyed\s*\(/, "QObject*") event("QNetworkAccessManager", /::objectNameChanged\s*\(/, "QString") @@ -1851,6 +2378,7 @@ event("QNetworkReply", /::readChannelFinished\s*\(/, "") event("QNetworkReply", /::metaDataChanged\s*\(/, "") event("QNetworkReply", /::finished\s*\(/, "") event("QNetworkReply", /::error\s*\(/, "QNetworkReply::NetworkError") +event("QNetworkReply", /::errorOccurred\s*\(/, "QNetworkReply::NetworkError") event("QNetworkReply", /::encrypted\s*\(/, "") event("QNetworkReply", /::sslErrors\s*\(/, "QList") event("QNetworkReply", /::preSharedKeyAuthenticationRequired\s*\(/, "QSslPreSharedKeyAuthenticator*") @@ -1880,6 +2408,7 @@ event("QSslSocket", /::connected\s*\(/, "") event("QSslSocket", /::disconnected\s*\(/, "") event("QSslSocket", /::stateChanged\s*\(/, "QAbstractSocket::SocketState") event("QSslSocket", /::error\s*\(/, "QAbstractSocket::SocketError") +event("QSslSocket", /::errorOccurred\s*\(/, "QAbstractSocket::SocketError") event("QSslSocket", /::proxyAuthenticationRequired\s*\(/, "QNetworkProxy, QAuthenticator*") event("QSslSocket", /::encrypted\s*\(/, "") event("QSslSocket", /::peerVerifyError\s*\(/, "QSslError") @@ -1887,6 +2416,7 @@ event("QSslSocket", /::sslErrors\s*\(/, "QList") event("QSslSocket", /::modeChanged\s*\(/, "QSslSocket::SslMode") event("QSslSocket", /::encryptedBytesWritten\s*\(/, "qlonglong") event("QSslSocket", /::preSharedKeyAuthenticationRequired\s*\(/, "QSslPreSharedKeyAuthenticator*") +event("QSslSocket", /::newSessionTicketReceived\s*\(/, "") event("QTcpServer", /::destroyed\s*\(/, "QObject*") event("QTcpServer", /::objectNameChanged\s*\(/, "QString") event("QTcpServer", /::newConnection\s*\(/, "") @@ -1904,6 +2434,7 @@ event("QTcpSocket", /::connected\s*\(/, "") event("QTcpSocket", /::disconnected\s*\(/, "") event("QTcpSocket", /::stateChanged\s*\(/, "QAbstractSocket::SocketState") event("QTcpSocket", /::error\s*\(/, "QAbstractSocket::SocketError") +event("QTcpSocket", /::errorOccurred\s*\(/, "QAbstractSocket::SocketError") event("QTcpSocket", /::proxyAuthenticationRequired\s*\(/, "QNetworkProxy, QAuthenticator*") event("QUdpSocket", /::destroyed\s*\(/, "QObject*") event("QUdpSocket", /::objectNameChanged\s*\(/, "QString") @@ -1918,4 +2449,5 @@ event("QUdpSocket", /::connected\s*\(/, "") event("QUdpSocket", /::disconnected\s*\(/, "") event("QUdpSocket", /::stateChanged\s*\(/, "QAbstractSocket::SocketState") event("QUdpSocket", /::error\s*\(/, "QAbstractSocket::SocketError") +event("QUdpSocket", /::errorOccurred\s*\(/, "QAbstractSocket::SocketError") event("QUdpSocket", /::proxyAuthenticationRequired\s*\(/, "QNetworkProxy, QAuthenticator*") diff --git a/scripts/mkqtdecl5/mkqtdecl.properties b/scripts/mkqtdecl5/mkqtdecl.properties index 09d56240f9..9c773f47d1 100644 --- a/scripts/mkqtdecl5/mkqtdecl.properties +++ b/scripts/mkqtdecl5/mkqtdecl.properties @@ -10,773 +10,21 @@ property_reader("QAbstractAnimation", /::(currentLoop|isCurrentLoop|hasCurrentLo property_reader("QAbstractAnimation", /::(direction|isDirection|hasDirection)\s*\(/, "direction") property_writer("QAbstractAnimation", /::setDirection\s*\(/, "direction") property_reader("QAbstractAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_reader("QAbstractAudioDeviceInfo", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractAudioDeviceInfo", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractAudioInput", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractAudioInput", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractAudioOutput", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractAudioOutput", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractButton", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractButton", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractButton", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QAbstractButton", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QAbstractButton", /::setWindowModality\s*\(/, "windowModality") -property_reader("QAbstractButton", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QAbstractButton", /::setEnabled\s*\(/, "enabled") -property_reader("QAbstractButton", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QAbstractButton", /::setGeometry\s*\(/, "geometry") -property_reader("QAbstractButton", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QAbstractButton", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QAbstractButton", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QAbstractButton", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QAbstractButton", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QAbstractButton", /::setPos\s*\(/, "pos") -property_reader("QAbstractButton", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QAbstractButton", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QAbstractButton", /::setSize\s*\(/, "size") -property_reader("QAbstractButton", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QAbstractButton", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QAbstractButton", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QAbstractButton", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QAbstractButton", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QAbstractButton", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QAbstractButton", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QAbstractButton", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QAbstractButton", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QAbstractButton", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QAbstractButton", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QAbstractButton", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QAbstractButton", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QAbstractButton", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QAbstractButton", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QAbstractButton", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QAbstractButton", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QAbstractButton", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QAbstractButton", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QAbstractButton", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QAbstractButton", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QAbstractButton", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QAbstractButton", /::setBaseSize\s*\(/, "baseSize") -property_reader("QAbstractButton", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QAbstractButton", /::setPalette\s*\(/, "palette") -property_reader("QAbstractButton", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QAbstractButton", /::setFont\s*\(/, "font") -property_reader("QAbstractButton", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QAbstractButton", /::setCursor\s*\(/, "cursor") -property_reader("QAbstractButton", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QAbstractButton", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QAbstractButton", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QAbstractButton", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QAbstractButton", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QAbstractButton", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QAbstractButton", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QAbstractButton", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QAbstractButton", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QAbstractButton", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QAbstractButton", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QAbstractButton", /::setVisible\s*\(/, "visible") -property_reader("QAbstractButton", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QAbstractButton", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QAbstractButton", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QAbstractButton", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QAbstractButton", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QAbstractButton", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QAbstractButton", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QAbstractButton", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QAbstractButton", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QAbstractButton", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QAbstractButton", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QAbstractButton", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QAbstractButton", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QAbstractButton", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QAbstractButton", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QAbstractButton", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QAbstractButton", /::setWindowModified\s*\(/, "windowModified") -property_reader("QAbstractButton", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QAbstractButton", /::setToolTip\s*\(/, "toolTip") -property_reader("QAbstractButton", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QAbstractButton", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QAbstractButton", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QAbstractButton", /::setStatusTip\s*\(/, "statusTip") -property_reader("QAbstractButton", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QAbstractButton", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QAbstractButton", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QAbstractButton", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QAbstractButton", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QAbstractButton", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QAbstractButton", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QAbstractButton", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QAbstractButton", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QAbstractButton", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QAbstractButton", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QAbstractButton", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QAbstractButton", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QAbstractButton", /::setLocale\s*\(/, "locale") -property_reader("QAbstractButton", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QAbstractButton", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QAbstractButton", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QAbstractButton", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QAbstractButton", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QAbstractButton", /::setText\s*\(/, "text") -property_reader("QAbstractButton", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QAbstractButton", /::setIcon\s*\(/, "icon") -property_reader("QAbstractButton", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QAbstractButton", /::setIconSize\s*\(/, "iconSize") -property_reader("QAbstractButton", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") -property_writer("QAbstractButton", /::setShortcut\s*\(/, "shortcut") -property_reader("QAbstractButton", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") -property_writer("QAbstractButton", /::setCheckable\s*\(/, "checkable") -property_reader("QAbstractButton", /::(checked|isChecked|hasChecked)\s*\(/, "checked") -property_writer("QAbstractButton", /::setChecked\s*\(/, "checked") -property_reader("QAbstractButton", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") -property_writer("QAbstractButton", /::setAutoRepeat\s*\(/, "autoRepeat") -property_reader("QAbstractButton", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") -property_writer("QAbstractButton", /::setAutoExclusive\s*\(/, "autoExclusive") -property_reader("QAbstractButton", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") -property_writer("QAbstractButton", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") -property_reader("QAbstractButton", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") -property_writer("QAbstractButton", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") -property_reader("QAbstractButton", /::(down|isDown|hasDown)\s*\(/, "down") -property_writer("QAbstractButton", /::setDown\s*\(/, "down") property_reader("QAbstractEventDispatcher", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QAbstractEventDispatcher", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractItemDelegate", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractItemDelegate", /::setObjectName\s*\(/, "objectName") property_reader("QAbstractItemModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QAbstractItemModel", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractItemView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractItemView", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractItemView", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QAbstractItemView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QAbstractItemView", /::setWindowModality\s*\(/, "windowModality") -property_reader("QAbstractItemView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QAbstractItemView", /::setEnabled\s*\(/, "enabled") -property_reader("QAbstractItemView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QAbstractItemView", /::setGeometry\s*\(/, "geometry") -property_reader("QAbstractItemView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QAbstractItemView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QAbstractItemView", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QAbstractItemView", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QAbstractItemView", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QAbstractItemView", /::setPos\s*\(/, "pos") -property_reader("QAbstractItemView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QAbstractItemView", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QAbstractItemView", /::setSize\s*\(/, "size") -property_reader("QAbstractItemView", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QAbstractItemView", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QAbstractItemView", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QAbstractItemView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QAbstractItemView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QAbstractItemView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QAbstractItemView", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QAbstractItemView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QAbstractItemView", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QAbstractItemView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QAbstractItemView", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QAbstractItemView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QAbstractItemView", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QAbstractItemView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QAbstractItemView", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QAbstractItemView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QAbstractItemView", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QAbstractItemView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QAbstractItemView", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QAbstractItemView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QAbstractItemView", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QAbstractItemView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QAbstractItemView", /::setBaseSize\s*\(/, "baseSize") -property_reader("QAbstractItemView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QAbstractItemView", /::setPalette\s*\(/, "palette") -property_reader("QAbstractItemView", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QAbstractItemView", /::setFont\s*\(/, "font") -property_reader("QAbstractItemView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QAbstractItemView", /::setCursor\s*\(/, "cursor") -property_reader("QAbstractItemView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QAbstractItemView", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QAbstractItemView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QAbstractItemView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QAbstractItemView", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QAbstractItemView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QAbstractItemView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QAbstractItemView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QAbstractItemView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QAbstractItemView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QAbstractItemView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QAbstractItemView", /::setVisible\s*\(/, "visible") -property_reader("QAbstractItemView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QAbstractItemView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QAbstractItemView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QAbstractItemView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QAbstractItemView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QAbstractItemView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QAbstractItemView", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QAbstractItemView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QAbstractItemView", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QAbstractItemView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QAbstractItemView", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QAbstractItemView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QAbstractItemView", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QAbstractItemView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QAbstractItemView", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QAbstractItemView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QAbstractItemView", /::setWindowModified\s*\(/, "windowModified") -property_reader("QAbstractItemView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QAbstractItemView", /::setToolTip\s*\(/, "toolTip") -property_reader("QAbstractItemView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QAbstractItemView", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QAbstractItemView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QAbstractItemView", /::setStatusTip\s*\(/, "statusTip") -property_reader("QAbstractItemView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QAbstractItemView", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QAbstractItemView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QAbstractItemView", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QAbstractItemView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QAbstractItemView", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QAbstractItemView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QAbstractItemView", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QAbstractItemView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QAbstractItemView", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QAbstractItemView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QAbstractItemView", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QAbstractItemView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QAbstractItemView", /::setLocale\s*\(/, "locale") -property_reader("QAbstractItemView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QAbstractItemView", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QAbstractItemView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QAbstractItemView", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QAbstractItemView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QAbstractItemView", /::setFrameShape\s*\(/, "frameShape") -property_reader("QAbstractItemView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QAbstractItemView", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QAbstractItemView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QAbstractItemView", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QAbstractItemView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QAbstractItemView", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QAbstractItemView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QAbstractItemView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QAbstractItemView", /::setFrameRect\s*\(/, "frameRect") -property_reader("QAbstractItemView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QAbstractItemView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QAbstractItemView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QAbstractItemView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QAbstractItemView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QAbstractItemView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QAbstractItemView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") -property_writer("QAbstractItemView", /::setAutoScroll\s*\(/, "autoScroll") -property_reader("QAbstractItemView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") -property_writer("QAbstractItemView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") -property_reader("QAbstractItemView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") -property_writer("QAbstractItemView", /::setEditTriggers\s*\(/, "editTriggers") -property_reader("QAbstractItemView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") -property_writer("QAbstractItemView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") -property_reader("QAbstractItemView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") -property_writer("QAbstractItemView", /::setShowDropIndicator\s*\(/, "showDropIndicator") -property_reader("QAbstractItemView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QAbstractItemView", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QAbstractItemView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") -property_writer("QAbstractItemView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") -property_reader("QAbstractItemView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") -property_writer("QAbstractItemView", /::setDragDropMode\s*\(/, "dragDropMode") -property_reader("QAbstractItemView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") -property_writer("QAbstractItemView", /::setDefaultDropAction\s*\(/, "defaultDropAction") -property_reader("QAbstractItemView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") -property_writer("QAbstractItemView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") -property_reader("QAbstractItemView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QAbstractItemView", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QAbstractItemView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") -property_writer("QAbstractItemView", /::setSelectionBehavior\s*\(/, "selectionBehavior") -property_reader("QAbstractItemView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QAbstractItemView", /::setIconSize\s*\(/, "iconSize") -property_reader("QAbstractItemView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") -property_writer("QAbstractItemView", /::setTextElideMode\s*\(/, "textElideMode") -property_reader("QAbstractItemView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") -property_writer("QAbstractItemView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") -property_reader("QAbstractItemView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") -property_writer("QAbstractItemView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") property_reader("QAbstractListModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QAbstractListModel", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractMessageHandler", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractMessageHandler", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractNetworkCache", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractNetworkCache", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractPrintDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractPrintDialog", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractPrintDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QAbstractPrintDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QAbstractPrintDialog", /::setWindowModality\s*\(/, "windowModality") -property_reader("QAbstractPrintDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QAbstractPrintDialog", /::setEnabled\s*\(/, "enabled") -property_reader("QAbstractPrintDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QAbstractPrintDialog", /::setGeometry\s*\(/, "geometry") -property_reader("QAbstractPrintDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QAbstractPrintDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QAbstractPrintDialog", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QAbstractPrintDialog", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QAbstractPrintDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QAbstractPrintDialog", /::setPos\s*\(/, "pos") -property_reader("QAbstractPrintDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QAbstractPrintDialog", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QAbstractPrintDialog", /::setSize\s*\(/, "size") -property_reader("QAbstractPrintDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QAbstractPrintDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QAbstractPrintDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QAbstractPrintDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QAbstractPrintDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QAbstractPrintDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QAbstractPrintDialog", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QAbstractPrintDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QAbstractPrintDialog", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QAbstractPrintDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QAbstractPrintDialog", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QAbstractPrintDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QAbstractPrintDialog", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QAbstractPrintDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QAbstractPrintDialog", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QAbstractPrintDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QAbstractPrintDialog", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QAbstractPrintDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QAbstractPrintDialog", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QAbstractPrintDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QAbstractPrintDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QAbstractPrintDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QAbstractPrintDialog", /::setBaseSize\s*\(/, "baseSize") -property_reader("QAbstractPrintDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QAbstractPrintDialog", /::setPalette\s*\(/, "palette") -property_reader("QAbstractPrintDialog", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QAbstractPrintDialog", /::setFont\s*\(/, "font") -property_reader("QAbstractPrintDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QAbstractPrintDialog", /::setCursor\s*\(/, "cursor") -property_reader("QAbstractPrintDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QAbstractPrintDialog", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QAbstractPrintDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QAbstractPrintDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QAbstractPrintDialog", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QAbstractPrintDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QAbstractPrintDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QAbstractPrintDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QAbstractPrintDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QAbstractPrintDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QAbstractPrintDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QAbstractPrintDialog", /::setVisible\s*\(/, "visible") -property_reader("QAbstractPrintDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QAbstractPrintDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QAbstractPrintDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QAbstractPrintDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QAbstractPrintDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QAbstractPrintDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QAbstractPrintDialog", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QAbstractPrintDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QAbstractPrintDialog", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QAbstractPrintDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QAbstractPrintDialog", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QAbstractPrintDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QAbstractPrintDialog", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QAbstractPrintDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QAbstractPrintDialog", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QAbstractPrintDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QAbstractPrintDialog", /::setWindowModified\s*\(/, "windowModified") -property_reader("QAbstractPrintDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QAbstractPrintDialog", /::setToolTip\s*\(/, "toolTip") -property_reader("QAbstractPrintDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QAbstractPrintDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QAbstractPrintDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QAbstractPrintDialog", /::setStatusTip\s*\(/, "statusTip") -property_reader("QAbstractPrintDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QAbstractPrintDialog", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QAbstractPrintDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QAbstractPrintDialog", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QAbstractPrintDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QAbstractPrintDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QAbstractPrintDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QAbstractPrintDialog", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QAbstractPrintDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QAbstractPrintDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QAbstractPrintDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QAbstractPrintDialog", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QAbstractPrintDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QAbstractPrintDialog", /::setLocale\s*\(/, "locale") -property_reader("QAbstractPrintDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QAbstractPrintDialog", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QAbstractPrintDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QAbstractPrintDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QAbstractPrintDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QAbstractPrintDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QAbstractPrintDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QAbstractPrintDialog", /::setModal\s*\(/, "modal") property_reader("QAbstractProxyModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QAbstractProxyModel", /::setObjectName\s*\(/, "objectName") property_reader("QAbstractProxyModel", /::(sourceModel|isSourceModel|hasSourceModel)\s*\(/, "sourceModel") property_writer("QAbstractProxyModel", /::setSourceModel\s*\(/, "sourceModel") -property_reader("QAbstractScrollArea", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractScrollArea", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractScrollArea", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QAbstractScrollArea", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QAbstractScrollArea", /::setWindowModality\s*\(/, "windowModality") -property_reader("QAbstractScrollArea", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QAbstractScrollArea", /::setEnabled\s*\(/, "enabled") -property_reader("QAbstractScrollArea", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QAbstractScrollArea", /::setGeometry\s*\(/, "geometry") -property_reader("QAbstractScrollArea", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QAbstractScrollArea", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QAbstractScrollArea", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QAbstractScrollArea", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QAbstractScrollArea", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QAbstractScrollArea", /::setPos\s*\(/, "pos") -property_reader("QAbstractScrollArea", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QAbstractScrollArea", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QAbstractScrollArea", /::setSize\s*\(/, "size") -property_reader("QAbstractScrollArea", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QAbstractScrollArea", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QAbstractScrollArea", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QAbstractScrollArea", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QAbstractScrollArea", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QAbstractScrollArea", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QAbstractScrollArea", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QAbstractScrollArea", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QAbstractScrollArea", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QAbstractScrollArea", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QAbstractScrollArea", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QAbstractScrollArea", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QAbstractScrollArea", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QAbstractScrollArea", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QAbstractScrollArea", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QAbstractScrollArea", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QAbstractScrollArea", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QAbstractScrollArea", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QAbstractScrollArea", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QAbstractScrollArea", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QAbstractScrollArea", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QAbstractScrollArea", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QAbstractScrollArea", /::setBaseSize\s*\(/, "baseSize") -property_reader("QAbstractScrollArea", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QAbstractScrollArea", /::setPalette\s*\(/, "palette") -property_reader("QAbstractScrollArea", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QAbstractScrollArea", /::setFont\s*\(/, "font") -property_reader("QAbstractScrollArea", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QAbstractScrollArea", /::setCursor\s*\(/, "cursor") -property_reader("QAbstractScrollArea", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QAbstractScrollArea", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QAbstractScrollArea", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QAbstractScrollArea", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QAbstractScrollArea", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QAbstractScrollArea", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QAbstractScrollArea", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QAbstractScrollArea", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QAbstractScrollArea", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QAbstractScrollArea", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QAbstractScrollArea", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QAbstractScrollArea", /::setVisible\s*\(/, "visible") -property_reader("QAbstractScrollArea", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QAbstractScrollArea", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QAbstractScrollArea", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QAbstractScrollArea", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QAbstractScrollArea", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QAbstractScrollArea", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QAbstractScrollArea", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QAbstractScrollArea", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QAbstractScrollArea", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QAbstractScrollArea", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QAbstractScrollArea", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QAbstractScrollArea", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QAbstractScrollArea", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QAbstractScrollArea", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QAbstractScrollArea", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QAbstractScrollArea", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QAbstractScrollArea", /::setWindowModified\s*\(/, "windowModified") -property_reader("QAbstractScrollArea", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QAbstractScrollArea", /::setToolTip\s*\(/, "toolTip") -property_reader("QAbstractScrollArea", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QAbstractScrollArea", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QAbstractScrollArea", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QAbstractScrollArea", /::setStatusTip\s*\(/, "statusTip") -property_reader("QAbstractScrollArea", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QAbstractScrollArea", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QAbstractScrollArea", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QAbstractScrollArea", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QAbstractScrollArea", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QAbstractScrollArea", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QAbstractScrollArea", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QAbstractScrollArea", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QAbstractScrollArea", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QAbstractScrollArea", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QAbstractScrollArea", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QAbstractScrollArea", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QAbstractScrollArea", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QAbstractScrollArea", /::setLocale\s*\(/, "locale") -property_reader("QAbstractScrollArea", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QAbstractScrollArea", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QAbstractScrollArea", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QAbstractScrollArea", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QAbstractScrollArea", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QAbstractScrollArea", /::setFrameShape\s*\(/, "frameShape") -property_reader("QAbstractScrollArea", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QAbstractScrollArea", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QAbstractScrollArea", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QAbstractScrollArea", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QAbstractScrollArea", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QAbstractScrollArea", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QAbstractScrollArea", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QAbstractScrollArea", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QAbstractScrollArea", /::setFrameRect\s*\(/, "frameRect") -property_reader("QAbstractScrollArea", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QAbstractScrollArea", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QAbstractScrollArea", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QAbstractScrollArea", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QAbstractScrollArea", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QAbstractScrollArea", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QAbstractSlider", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractSlider", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractSlider", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QAbstractSlider", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QAbstractSlider", /::setWindowModality\s*\(/, "windowModality") -property_reader("QAbstractSlider", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QAbstractSlider", /::setEnabled\s*\(/, "enabled") -property_reader("QAbstractSlider", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QAbstractSlider", /::setGeometry\s*\(/, "geometry") -property_reader("QAbstractSlider", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QAbstractSlider", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QAbstractSlider", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QAbstractSlider", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QAbstractSlider", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QAbstractSlider", /::setPos\s*\(/, "pos") -property_reader("QAbstractSlider", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QAbstractSlider", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QAbstractSlider", /::setSize\s*\(/, "size") -property_reader("QAbstractSlider", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QAbstractSlider", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QAbstractSlider", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QAbstractSlider", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QAbstractSlider", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QAbstractSlider", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QAbstractSlider", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QAbstractSlider", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QAbstractSlider", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QAbstractSlider", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QAbstractSlider", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QAbstractSlider", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QAbstractSlider", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QAbstractSlider", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QAbstractSlider", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QAbstractSlider", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QAbstractSlider", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QAbstractSlider", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QAbstractSlider", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QAbstractSlider", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QAbstractSlider", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QAbstractSlider", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QAbstractSlider", /::setBaseSize\s*\(/, "baseSize") -property_reader("QAbstractSlider", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QAbstractSlider", /::setPalette\s*\(/, "palette") -property_reader("QAbstractSlider", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QAbstractSlider", /::setFont\s*\(/, "font") -property_reader("QAbstractSlider", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QAbstractSlider", /::setCursor\s*\(/, "cursor") -property_reader("QAbstractSlider", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QAbstractSlider", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QAbstractSlider", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QAbstractSlider", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QAbstractSlider", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QAbstractSlider", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QAbstractSlider", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QAbstractSlider", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QAbstractSlider", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QAbstractSlider", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QAbstractSlider", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QAbstractSlider", /::setVisible\s*\(/, "visible") -property_reader("QAbstractSlider", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QAbstractSlider", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QAbstractSlider", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QAbstractSlider", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QAbstractSlider", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QAbstractSlider", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QAbstractSlider", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QAbstractSlider", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QAbstractSlider", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QAbstractSlider", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QAbstractSlider", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QAbstractSlider", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QAbstractSlider", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QAbstractSlider", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QAbstractSlider", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QAbstractSlider", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QAbstractSlider", /::setWindowModified\s*\(/, "windowModified") -property_reader("QAbstractSlider", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QAbstractSlider", /::setToolTip\s*\(/, "toolTip") -property_reader("QAbstractSlider", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QAbstractSlider", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QAbstractSlider", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QAbstractSlider", /::setStatusTip\s*\(/, "statusTip") -property_reader("QAbstractSlider", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QAbstractSlider", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QAbstractSlider", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QAbstractSlider", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QAbstractSlider", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QAbstractSlider", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QAbstractSlider", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QAbstractSlider", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QAbstractSlider", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QAbstractSlider", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QAbstractSlider", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QAbstractSlider", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QAbstractSlider", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QAbstractSlider", /::setLocale\s*\(/, "locale") -property_reader("QAbstractSlider", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QAbstractSlider", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QAbstractSlider", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QAbstractSlider", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QAbstractSlider", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") -property_writer("QAbstractSlider", /::setMinimum\s*\(/, "minimum") -property_reader("QAbstractSlider", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") -property_writer("QAbstractSlider", /::setMaximum\s*\(/, "maximum") -property_reader("QAbstractSlider", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") -property_writer("QAbstractSlider", /::setSingleStep\s*\(/, "singleStep") -property_reader("QAbstractSlider", /::(pageStep|isPageStep|hasPageStep)\s*\(/, "pageStep") -property_writer("QAbstractSlider", /::setPageStep\s*\(/, "pageStep") -property_reader("QAbstractSlider", /::(value|isValue|hasValue)\s*\(/, "value") -property_writer("QAbstractSlider", /::setValue\s*\(/, "value") -property_reader("QAbstractSlider", /::(sliderPosition|isSliderPosition|hasSliderPosition)\s*\(/, "sliderPosition") -property_writer("QAbstractSlider", /::setSliderPosition\s*\(/, "sliderPosition") -property_reader("QAbstractSlider", /::(tracking|isTracking|hasTracking)\s*\(/, "tracking") -property_writer("QAbstractSlider", /::setTracking\s*\(/, "tracking") -property_reader("QAbstractSlider", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") -property_writer("QAbstractSlider", /::setOrientation\s*\(/, "orientation") -property_reader("QAbstractSlider", /::(invertedAppearance|isInvertedAppearance|hasInvertedAppearance)\s*\(/, "invertedAppearance") -property_writer("QAbstractSlider", /::setInvertedAppearance\s*\(/, "invertedAppearance") -property_reader("QAbstractSlider", /::(invertedControls|isInvertedControls|hasInvertedControls)\s*\(/, "invertedControls") -property_writer("QAbstractSlider", /::setInvertedControls\s*\(/, "invertedControls") -property_reader("QAbstractSlider", /::(sliderDown|isSliderDown|hasSliderDown)\s*\(/, "sliderDown") -property_writer("QAbstractSlider", /::setSliderDown\s*\(/, "sliderDown") -property_reader("QAbstractSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractSocket", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractSpinBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractSpinBox", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractSpinBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QAbstractSpinBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QAbstractSpinBox", /::setWindowModality\s*\(/, "windowModality") -property_reader("QAbstractSpinBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QAbstractSpinBox", /::setEnabled\s*\(/, "enabled") -property_reader("QAbstractSpinBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QAbstractSpinBox", /::setGeometry\s*\(/, "geometry") -property_reader("QAbstractSpinBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QAbstractSpinBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QAbstractSpinBox", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QAbstractSpinBox", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QAbstractSpinBox", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QAbstractSpinBox", /::setPos\s*\(/, "pos") -property_reader("QAbstractSpinBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QAbstractSpinBox", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QAbstractSpinBox", /::setSize\s*\(/, "size") -property_reader("QAbstractSpinBox", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QAbstractSpinBox", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QAbstractSpinBox", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QAbstractSpinBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QAbstractSpinBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QAbstractSpinBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QAbstractSpinBox", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QAbstractSpinBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QAbstractSpinBox", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QAbstractSpinBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QAbstractSpinBox", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QAbstractSpinBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QAbstractSpinBox", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QAbstractSpinBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QAbstractSpinBox", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QAbstractSpinBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QAbstractSpinBox", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QAbstractSpinBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QAbstractSpinBox", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QAbstractSpinBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QAbstractSpinBox", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QAbstractSpinBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QAbstractSpinBox", /::setBaseSize\s*\(/, "baseSize") -property_reader("QAbstractSpinBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QAbstractSpinBox", /::setPalette\s*\(/, "palette") -property_reader("QAbstractSpinBox", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QAbstractSpinBox", /::setFont\s*\(/, "font") -property_reader("QAbstractSpinBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QAbstractSpinBox", /::setCursor\s*\(/, "cursor") -property_reader("QAbstractSpinBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QAbstractSpinBox", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QAbstractSpinBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QAbstractSpinBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QAbstractSpinBox", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QAbstractSpinBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QAbstractSpinBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QAbstractSpinBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QAbstractSpinBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QAbstractSpinBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QAbstractSpinBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QAbstractSpinBox", /::setVisible\s*\(/, "visible") -property_reader("QAbstractSpinBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QAbstractSpinBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QAbstractSpinBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QAbstractSpinBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QAbstractSpinBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QAbstractSpinBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QAbstractSpinBox", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QAbstractSpinBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QAbstractSpinBox", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QAbstractSpinBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QAbstractSpinBox", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QAbstractSpinBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QAbstractSpinBox", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QAbstractSpinBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QAbstractSpinBox", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QAbstractSpinBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QAbstractSpinBox", /::setWindowModified\s*\(/, "windowModified") -property_reader("QAbstractSpinBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QAbstractSpinBox", /::setToolTip\s*\(/, "toolTip") -property_reader("QAbstractSpinBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QAbstractSpinBox", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QAbstractSpinBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QAbstractSpinBox", /::setStatusTip\s*\(/, "statusTip") -property_reader("QAbstractSpinBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QAbstractSpinBox", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QAbstractSpinBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QAbstractSpinBox", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QAbstractSpinBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QAbstractSpinBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QAbstractSpinBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QAbstractSpinBox", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QAbstractSpinBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QAbstractSpinBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QAbstractSpinBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QAbstractSpinBox", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QAbstractSpinBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QAbstractSpinBox", /::setLocale\s*\(/, "locale") -property_reader("QAbstractSpinBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QAbstractSpinBox", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QAbstractSpinBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QAbstractSpinBox", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QAbstractSpinBox", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") -property_writer("QAbstractSpinBox", /::setWrapping\s*\(/, "wrapping") -property_reader("QAbstractSpinBox", /::(frame|isFrame|hasFrame)\s*\(/, "frame") -property_writer("QAbstractSpinBox", /::setFrame\s*\(/, "frame") -property_reader("QAbstractSpinBox", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QAbstractSpinBox", /::setAlignment\s*\(/, "alignment") -property_reader("QAbstractSpinBox", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QAbstractSpinBox", /::setReadOnly\s*\(/, "readOnly") -property_reader("QAbstractSpinBox", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") -property_writer("QAbstractSpinBox", /::setButtonSymbols\s*\(/, "buttonSymbols") -property_reader("QAbstractSpinBox", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") -property_writer("QAbstractSpinBox", /::setSpecialValueText\s*\(/, "specialValueText") -property_reader("QAbstractSpinBox", /::(text|isText|hasText)\s*\(/, "text") -property_reader("QAbstractSpinBox", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") -property_writer("QAbstractSpinBox", /::setAccelerated\s*\(/, "accelerated") -property_reader("QAbstractSpinBox", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") -property_writer("QAbstractSpinBox", /::setCorrectionMode\s*\(/, "correctionMode") -property_reader("QAbstractSpinBox", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") -property_reader("QAbstractSpinBox", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") -property_writer("QAbstractSpinBox", /::setKeyboardTracking\s*\(/, "keyboardTracking") -property_reader("QAbstractSpinBox", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") -property_writer("QAbstractSpinBox", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") property_reader("QAbstractState", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QAbstractState", /::setObjectName\s*\(/, "objectName") property_reader("QAbstractState", /::(active|isActive|hasActive)\s*\(/, "active") property_reader("QAbstractTableModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QAbstractTableModel", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractTextDocumentLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractTextDocumentLayout", /::setObjectName\s*\(/, "objectName") property_reader("QAbstractTransition", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QAbstractTransition", /::setObjectName\s*\(/, "objectName") property_reader("QAbstractTransition", /::(sourceState|isSourceState|hasSourceState)\s*\(/, "sourceState") @@ -786,59 +34,6 @@ property_reader("QAbstractTransition", /::(targetStates|isTargetStates|hasTarget property_writer("QAbstractTransition", /::setTargetStates\s*\(/, "targetStates") property_reader("QAbstractTransition", /::(transitionType|isTransitionType|hasTransitionType)\s*\(/, "transitionType") property_writer("QAbstractTransition", /::setTransitionType\s*\(/, "transitionType") -property_reader("QAbstractUriResolver", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractUriResolver", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractVideoFilter", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractVideoFilter", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractVideoFilter", /::(active|isActive|hasActive)\s*\(/, "active") -property_writer("QAbstractVideoFilter", /::setActive\s*\(/, "active") -property_reader("QAbstractVideoSurface", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractVideoSurface", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractVideoSurface", /::(nativeResolution|isNativeResolution|hasNativeResolution)\s*\(/, "nativeResolution") -property_reader("QAction", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAction", /::setObjectName\s*\(/, "objectName") -property_reader("QAction", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") -property_writer("QAction", /::setCheckable\s*\(/, "checkable") -property_reader("QAction", /::(checked|isChecked|hasChecked)\s*\(/, "checked") -property_writer("QAction", /::setChecked\s*\(/, "checked") -property_reader("QAction", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QAction", /::setEnabled\s*\(/, "enabled") -property_reader("QAction", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QAction", /::setIcon\s*\(/, "icon") -property_reader("QAction", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QAction", /::setText\s*\(/, "text") -property_reader("QAction", /::(iconText|isIconText|hasIconText)\s*\(/, "iconText") -property_writer("QAction", /::setIconText\s*\(/, "iconText") -property_reader("QAction", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QAction", /::setToolTip\s*\(/, "toolTip") -property_reader("QAction", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QAction", /::setStatusTip\s*\(/, "statusTip") -property_reader("QAction", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QAction", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QAction", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QAction", /::setFont\s*\(/, "font") -property_reader("QAction", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") -property_writer("QAction", /::setShortcut\s*\(/, "shortcut") -property_reader("QAction", /::(shortcutContext|isShortcutContext|hasShortcutContext)\s*\(/, "shortcutContext") -property_writer("QAction", /::setShortcutContext\s*\(/, "shortcutContext") -property_reader("QAction", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") -property_writer("QAction", /::setAutoRepeat\s*\(/, "autoRepeat") -property_reader("QAction", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QAction", /::setVisible\s*\(/, "visible") -property_reader("QAction", /::(menuRole|isMenuRole|hasMenuRole)\s*\(/, "menuRole") -property_writer("QAction", /::setMenuRole\s*\(/, "menuRole") -property_reader("QAction", /::(iconVisibleInMenu|isIconVisibleInMenu|hasIconVisibleInMenu)\s*\(/, "iconVisibleInMenu") -property_writer("QAction", /::setIconVisibleInMenu\s*\(/, "iconVisibleInMenu") -property_reader("QAction", /::(priority|isPriority|hasPriority)\s*\(/, "priority") -property_writer("QAction", /::setPriority\s*\(/, "priority") -property_reader("QActionGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QActionGroup", /::setObjectName\s*\(/, "objectName") -property_reader("QActionGroup", /::(exclusive|isExclusive|hasExclusive)\s*\(/, "exclusive") -property_writer("QActionGroup", /::setExclusive\s*\(/, "exclusive") -property_reader("QActionGroup", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QActionGroup", /::setEnabled\s*\(/, "enabled") -property_reader("QActionGroup", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QActionGroup", /::setVisible\s*\(/, "visible") property_reader("QAnimationDriver", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QAnimationDriver", /::setObjectName\s*\(/, "objectName") property_reader("QAnimationGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") @@ -852,12166 +47,11874 @@ property_reader("QAnimationGroup", /::(currentLoop|isCurrentLoop|hasCurrentLoop) property_reader("QAnimationGroup", /::(direction|isDirection|hasDirection)\s*\(/, "direction") property_writer("QAnimationGroup", /::setDirection\s*\(/, "direction") property_reader("QAnimationGroup", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_reader("QApplication", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QApplication", /::setObjectName\s*\(/, "objectName") -property_reader("QApplication", /::(applicationName|isApplicationName|hasApplicationName)\s*\(/, "applicationName") -property_writer("QApplication", /::setApplicationName\s*\(/, "applicationName") -property_reader("QApplication", /::(applicationVersion|isApplicationVersion|hasApplicationVersion)\s*\(/, "applicationVersion") -property_writer("QApplication", /::setApplicationVersion\s*\(/, "applicationVersion") -property_reader("QApplication", /::(organizationName|isOrganizationName|hasOrganizationName)\s*\(/, "organizationName") -property_writer("QApplication", /::setOrganizationName\s*\(/, "organizationName") -property_reader("QApplication", /::(organizationDomain|isOrganizationDomain|hasOrganizationDomain)\s*\(/, "organizationDomain") -property_writer("QApplication", /::setOrganizationDomain\s*\(/, "organizationDomain") -property_reader("QApplication", /::(quitLockEnabled|isQuitLockEnabled|hasQuitLockEnabled)\s*\(/, "quitLockEnabled") -property_writer("QApplication", /::setQuitLockEnabled\s*\(/, "quitLockEnabled") -property_reader("QApplication", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QApplication", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QApplication", /::(applicationDisplayName|isApplicationDisplayName|hasApplicationDisplayName)\s*\(/, "applicationDisplayName") -property_writer("QApplication", /::setApplicationDisplayName\s*\(/, "applicationDisplayName") -property_reader("QApplication", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QApplication", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QApplication", /::(platformName|isPlatformName|hasPlatformName)\s*\(/, "platformName") -property_reader("QApplication", /::(quitOnLastWindowClosed|isQuitOnLastWindowClosed|hasQuitOnLastWindowClosed)\s*\(/, "quitOnLastWindowClosed") -property_writer("QApplication", /::setQuitOnLastWindowClosed\s*\(/, "quitOnLastWindowClosed") -property_reader("QApplication", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QApplication", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QApplication", /::(cursorFlashTime|isCursorFlashTime|hasCursorFlashTime)\s*\(/, "cursorFlashTime") -property_writer("QApplication", /::setCursorFlashTime\s*\(/, "cursorFlashTime") -property_reader("QApplication", /::(doubleClickInterval|isDoubleClickInterval|hasDoubleClickInterval)\s*\(/, "doubleClickInterval") -property_writer("QApplication", /::setDoubleClickInterval\s*\(/, "doubleClickInterval") -property_reader("QApplication", /::(keyboardInputInterval|isKeyboardInputInterval|hasKeyboardInputInterval)\s*\(/, "keyboardInputInterval") -property_writer("QApplication", /::setKeyboardInputInterval\s*\(/, "keyboardInputInterval") -property_reader("QApplication", /::(wheelScrollLines|isWheelScrollLines|hasWheelScrollLines)\s*\(/, "wheelScrollLines") -property_writer("QApplication", /::setWheelScrollLines\s*\(/, "wheelScrollLines") -property_reader("QApplication", /::(globalStrut|isGlobalStrut|hasGlobalStrut)\s*\(/, "globalStrut") -property_writer("QApplication", /::setGlobalStrut\s*\(/, "globalStrut") -property_reader("QApplication", /::(startDragTime|isStartDragTime|hasStartDragTime)\s*\(/, "startDragTime") -property_writer("QApplication", /::setStartDragTime\s*\(/, "startDragTime") -property_reader("QApplication", /::(startDragDistance|isStartDragDistance|hasStartDragDistance)\s*\(/, "startDragDistance") -property_writer("QApplication", /::setStartDragDistance\s*\(/, "startDragDistance") -property_reader("QApplication", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QApplication", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QApplication", /::(autoSipEnabled|isAutoSipEnabled|hasAutoSipEnabled)\s*\(/, "autoSipEnabled") -property_writer("QApplication", /::setAutoSipEnabled\s*\(/, "autoSipEnabled") -property_reader("QAudioDecoder", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAudioDecoder", /::setObjectName\s*\(/, "objectName") -property_reader("QAudioDecoder", /::(notifyInterval|isNotifyInterval|hasNotifyInterval)\s*\(/, "notifyInterval") -property_writer("QAudioDecoder", /::setNotifyInterval\s*\(/, "notifyInterval") -property_reader("QAudioDecoder", /::(sourceFilename|isSourceFilename|hasSourceFilename)\s*\(/, "sourceFilename") -property_writer("QAudioDecoder", /::setSourceFilename\s*\(/, "sourceFilename") -property_reader("QAudioDecoder", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QAudioDecoder", /::(error|isError|hasError)\s*\(/, "error") -property_reader("QAudioDecoder", /::(bufferAvailable|isBufferAvailable|hasBufferAvailable)\s*\(/, "bufferAvailable") -property_reader("QAudioDecoderControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAudioDecoderControl", /::setObjectName\s*\(/, "objectName") -property_reader("QAudioEncoderSettingsControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAudioEncoderSettingsControl", /::setObjectName\s*\(/, "objectName") -property_reader("QAudioInput", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAudioInput", /::setObjectName\s*\(/, "objectName") -property_reader("QAudioInputSelectorControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAudioInputSelectorControl", /::setObjectName\s*\(/, "objectName") -property_reader("QAudioOutput", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAudioOutput", /::setObjectName\s*\(/, "objectName") -property_reader("QAudioOutputSelectorControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAudioOutputSelectorControl", /::setObjectName\s*\(/, "objectName") -property_reader("QAudioProbe", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAudioProbe", /::setObjectName\s*\(/, "objectName") -property_reader("QAudioRecorder", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAudioRecorder", /::setObjectName\s*\(/, "objectName") -property_reader("QAudioRecorder", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QAudioRecorder", /::(status|isStatus|hasStatus)\s*\(/, "status") -property_reader("QAudioRecorder", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_reader("QAudioRecorder", /::(outputLocation|isOutputLocation|hasOutputLocation)\s*\(/, "outputLocation") -property_writer("QAudioRecorder", /::setOutputLocation\s*\(/, "outputLocation") -property_reader("QAudioRecorder", /::(actualLocation|isActualLocation|hasActualLocation)\s*\(/, "actualLocation") -property_reader("QAudioRecorder", /::(muted|isMuted|hasMuted)\s*\(/, "muted") -property_writer("QAudioRecorder", /::setMuted\s*\(/, "muted") -property_reader("QAudioRecorder", /::(volume|isVolume|hasVolume)\s*\(/, "volume") -property_writer("QAudioRecorder", /::setVolume\s*\(/, "volume") -property_reader("QAudioRecorder", /::(metaDataAvailable|isMetaDataAvailable|hasMetaDataAvailable)\s*\(/, "metaDataAvailable") -property_reader("QAudioRecorder", /::(metaDataWritable|isMetaDataWritable|hasMetaDataWritable)\s*\(/, "metaDataWritable") -property_reader("QAudioRecorder", /::(audioInput|isAudioInput|hasAudioInput)\s*\(/, "audioInput") -property_writer("QAudioRecorder", /::setAudioInput\s*\(/, "audioInput") -property_reader("QAudioSystemPlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAudioSystemPlugin", /::setObjectName\s*\(/, "objectName") -property_reader("QBoxLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QBoxLayout", /::setObjectName\s*\(/, "objectName") -property_reader("QBoxLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") -property_writer("QBoxLayout", /::setMargin\s*\(/, "margin") -property_reader("QBoxLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QBoxLayout", /::setSpacing\s*\(/, "spacing") -property_reader("QBoxLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") -property_writer("QBoxLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") property_reader("QBuffer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QBuffer", /::setObjectName\s*\(/, "objectName") -property_reader("QButtonGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QButtonGroup", /::setObjectName\s*\(/, "objectName") -property_reader("QButtonGroup", /::(exclusive|isExclusive|hasExclusive)\s*\(/, "exclusive") -property_writer("QButtonGroup", /::setExclusive\s*\(/, "exclusive") -property_reader("QCalendarWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCalendarWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QCalendarWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QCalendarWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QCalendarWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QCalendarWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QCalendarWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QCalendarWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QCalendarWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QCalendarWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QCalendarWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QCalendarWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QCalendarWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QCalendarWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QCalendarWidget", /::setPos\s*\(/, "pos") -property_reader("QCalendarWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QCalendarWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QCalendarWidget", /::setSize\s*\(/, "size") -property_reader("QCalendarWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QCalendarWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QCalendarWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QCalendarWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QCalendarWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QCalendarWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QCalendarWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QCalendarWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QCalendarWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QCalendarWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QCalendarWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QCalendarWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QCalendarWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QCalendarWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QCalendarWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QCalendarWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QCalendarWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QCalendarWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QCalendarWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QCalendarWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QCalendarWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QCalendarWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QCalendarWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QCalendarWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QCalendarWidget", /::setPalette\s*\(/, "palette") -property_reader("QCalendarWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QCalendarWidget", /::setFont\s*\(/, "font") -property_reader("QCalendarWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QCalendarWidget", /::setCursor\s*\(/, "cursor") -property_reader("QCalendarWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QCalendarWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QCalendarWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QCalendarWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QCalendarWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QCalendarWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QCalendarWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QCalendarWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QCalendarWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QCalendarWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QCalendarWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QCalendarWidget", /::setVisible\s*\(/, "visible") -property_reader("QCalendarWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QCalendarWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QCalendarWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QCalendarWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QCalendarWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QCalendarWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QCalendarWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QCalendarWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QCalendarWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QCalendarWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QCalendarWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QCalendarWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QCalendarWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QCalendarWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QCalendarWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QCalendarWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QCalendarWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QCalendarWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QCalendarWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QCalendarWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QCalendarWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QCalendarWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QCalendarWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QCalendarWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QCalendarWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QCalendarWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QCalendarWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QCalendarWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QCalendarWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QCalendarWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QCalendarWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QCalendarWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QCalendarWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QCalendarWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QCalendarWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QCalendarWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QCalendarWidget", /::setLocale\s*\(/, "locale") -property_reader("QCalendarWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QCalendarWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QCalendarWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QCalendarWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QCalendarWidget", /::(selectedDate|isSelectedDate|hasSelectedDate)\s*\(/, "selectedDate") -property_writer("QCalendarWidget", /::setSelectedDate\s*\(/, "selectedDate") -property_reader("QCalendarWidget", /::(minimumDate|isMinimumDate|hasMinimumDate)\s*\(/, "minimumDate") -property_writer("QCalendarWidget", /::setMinimumDate\s*\(/, "minimumDate") -property_reader("QCalendarWidget", /::(maximumDate|isMaximumDate|hasMaximumDate)\s*\(/, "maximumDate") -property_writer("QCalendarWidget", /::setMaximumDate\s*\(/, "maximumDate") -property_reader("QCalendarWidget", /::(firstDayOfWeek|isFirstDayOfWeek|hasFirstDayOfWeek)\s*\(/, "firstDayOfWeek") -property_writer("QCalendarWidget", /::setFirstDayOfWeek\s*\(/, "firstDayOfWeek") -property_reader("QCalendarWidget", /::(gridVisible|isGridVisible|hasGridVisible)\s*\(/, "gridVisible") -property_writer("QCalendarWidget", /::setGridVisible\s*\(/, "gridVisible") -property_reader("QCalendarWidget", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QCalendarWidget", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QCalendarWidget", /::(horizontalHeaderFormat|isHorizontalHeaderFormat|hasHorizontalHeaderFormat)\s*\(/, "horizontalHeaderFormat") -property_writer("QCalendarWidget", /::setHorizontalHeaderFormat\s*\(/, "horizontalHeaderFormat") -property_reader("QCalendarWidget", /::(verticalHeaderFormat|isVerticalHeaderFormat|hasVerticalHeaderFormat)\s*\(/, "verticalHeaderFormat") -property_writer("QCalendarWidget", /::setVerticalHeaderFormat\s*\(/, "verticalHeaderFormat") -property_reader("QCalendarWidget", /::(navigationBarVisible|isNavigationBarVisible|hasNavigationBarVisible)\s*\(/, "navigationBarVisible") -property_writer("QCalendarWidget", /::setNavigationBarVisible\s*\(/, "navigationBarVisible") -property_reader("QCalendarWidget", /::(dateEditEnabled|isDateEditEnabled|hasDateEditEnabled)\s*\(/, "dateEditEnabled") -property_writer("QCalendarWidget", /::setDateEditEnabled\s*\(/, "dateEditEnabled") -property_reader("QCalendarWidget", /::(dateEditAcceptDelay|isDateEditAcceptDelay|hasDateEditAcceptDelay)\s*\(/, "dateEditAcceptDelay") -property_writer("QCalendarWidget", /::setDateEditAcceptDelay\s*\(/, "dateEditAcceptDelay") -property_reader("QCamera", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCamera", /::setObjectName\s*\(/, "objectName") -property_reader("QCamera", /::(notifyInterval|isNotifyInterval|hasNotifyInterval)\s*\(/, "notifyInterval") -property_writer("QCamera", /::setNotifyInterval\s*\(/, "notifyInterval") -property_reader("QCamera", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QCamera", /::(status|isStatus|hasStatus)\s*\(/, "status") -property_reader("QCamera", /::(captureMode|isCaptureMode|hasCaptureMode)\s*\(/, "captureMode") -property_writer("QCamera", /::setCaptureMode\s*\(/, "captureMode") -property_reader("QCamera", /::(lockStatus|isLockStatus|hasLockStatus)\s*\(/, "lockStatus") -property_reader("QCameraCaptureBufferFormatControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraCaptureBufferFormatControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraCaptureDestinationControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraCaptureDestinationControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraExposure", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraExposure", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraExposure", /::(aperture|isAperture|hasAperture)\s*\(/, "aperture") -property_reader("QCameraExposure", /::(shutterSpeed|isShutterSpeed|hasShutterSpeed)\s*\(/, "shutterSpeed") -property_reader("QCameraExposure", /::(isoSensitivity|isIsoSensitivity|hasIsoSensitivity)\s*\(/, "isoSensitivity") -property_reader("QCameraExposure", /::(exposureCompensation|isExposureCompensation|hasExposureCompensation)\s*\(/, "exposureCompensation") -property_writer("QCameraExposure", /::setExposureCompensation\s*\(/, "exposureCompensation") -property_reader("QCameraExposure", /::(flashReady|isFlashReady|hasFlashReady)\s*\(/, "flashReady") -property_reader("QCameraExposure", /::(flashMode|isFlashMode|hasFlashMode)\s*\(/, "flashMode") -property_writer("QCameraExposure", /::setFlashMode\s*\(/, "flashMode") -property_reader("QCameraExposure", /::(exposureMode|isExposureMode|hasExposureMode)\s*\(/, "exposureMode") -property_writer("QCameraExposure", /::setExposureMode\s*\(/, "exposureMode") -property_reader("QCameraExposure", /::(meteringMode|isMeteringMode|hasMeteringMode)\s*\(/, "meteringMode") -property_writer("QCameraExposure", /::setMeteringMode\s*\(/, "meteringMode") -property_reader("QCameraExposureControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraExposureControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraFeedbackControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraFeedbackControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraFlashControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraFlashControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraFocus", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraFocus", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraFocus", /::(focusMode|isFocusMode|hasFocusMode)\s*\(/, "focusMode") -property_writer("QCameraFocus", /::setFocusMode\s*\(/, "focusMode") -property_reader("QCameraFocus", /::(focusPointMode|isFocusPointMode|hasFocusPointMode)\s*\(/, "focusPointMode") -property_writer("QCameraFocus", /::setFocusPointMode\s*\(/, "focusPointMode") -property_reader("QCameraFocus", /::(customFocusPoint|isCustomFocusPoint|hasCustomFocusPoint)\s*\(/, "customFocusPoint") -property_writer("QCameraFocus", /::setCustomFocusPoint\s*\(/, "customFocusPoint") -property_reader("QCameraFocus", /::(focusZones|isFocusZones|hasFocusZones)\s*\(/, "focusZones") -property_reader("QCameraFocus", /::(opticalZoom|isOpticalZoom|hasOpticalZoom)\s*\(/, "opticalZoom") -property_reader("QCameraFocus", /::(digitalZoom|isDigitalZoom|hasDigitalZoom)\s*\(/, "digitalZoom") -property_reader("QCameraFocusControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraFocusControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraImageCapture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraImageCapture", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraImageCapture", /::(readyForCapture|isReadyForCapture|hasReadyForCapture)\s*\(/, "readyForCapture") -property_reader("QCameraImageCaptureControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraImageCaptureControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraImageProcessing", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraImageProcessing", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraImageProcessingControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraImageProcessingControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraInfoControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraInfoControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraLocksControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraLocksControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraViewfinderSettingsControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraViewfinderSettingsControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraViewfinderSettingsControl2", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraViewfinderSettingsControl2", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraZoomControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraZoomControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCheckBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCheckBox", /::setObjectName\s*\(/, "objectName") -property_reader("QCheckBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QCheckBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QCheckBox", /::setWindowModality\s*\(/, "windowModality") -property_reader("QCheckBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QCheckBox", /::setEnabled\s*\(/, "enabled") -property_reader("QCheckBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QCheckBox", /::setGeometry\s*\(/, "geometry") -property_reader("QCheckBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QCheckBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QCheckBox", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QCheckBox", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QCheckBox", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QCheckBox", /::setPos\s*\(/, "pos") -property_reader("QCheckBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QCheckBox", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QCheckBox", /::setSize\s*\(/, "size") -property_reader("QCheckBox", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QCheckBox", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QCheckBox", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QCheckBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QCheckBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QCheckBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QCheckBox", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QCheckBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QCheckBox", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QCheckBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QCheckBox", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QCheckBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QCheckBox", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QCheckBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QCheckBox", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QCheckBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QCheckBox", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QCheckBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QCheckBox", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QCheckBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QCheckBox", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QCheckBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QCheckBox", /::setBaseSize\s*\(/, "baseSize") -property_reader("QCheckBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QCheckBox", /::setPalette\s*\(/, "palette") -property_reader("QCheckBox", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QCheckBox", /::setFont\s*\(/, "font") -property_reader("QCheckBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QCheckBox", /::setCursor\s*\(/, "cursor") -property_reader("QCheckBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QCheckBox", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QCheckBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QCheckBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QCheckBox", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QCheckBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QCheckBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QCheckBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QCheckBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QCheckBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QCheckBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QCheckBox", /::setVisible\s*\(/, "visible") -property_reader("QCheckBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QCheckBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QCheckBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QCheckBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QCheckBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QCheckBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QCheckBox", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QCheckBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QCheckBox", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QCheckBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QCheckBox", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QCheckBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QCheckBox", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QCheckBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QCheckBox", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QCheckBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QCheckBox", /::setWindowModified\s*\(/, "windowModified") -property_reader("QCheckBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QCheckBox", /::setToolTip\s*\(/, "toolTip") -property_reader("QCheckBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QCheckBox", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QCheckBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QCheckBox", /::setStatusTip\s*\(/, "statusTip") -property_reader("QCheckBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QCheckBox", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QCheckBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QCheckBox", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QCheckBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QCheckBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QCheckBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QCheckBox", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QCheckBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QCheckBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QCheckBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QCheckBox", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QCheckBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QCheckBox", /::setLocale\s*\(/, "locale") -property_reader("QCheckBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QCheckBox", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QCheckBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QCheckBox", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QCheckBox", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QCheckBox", /::setText\s*\(/, "text") -property_reader("QCheckBox", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QCheckBox", /::setIcon\s*\(/, "icon") -property_reader("QCheckBox", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QCheckBox", /::setIconSize\s*\(/, "iconSize") -property_reader("QCheckBox", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") -property_writer("QCheckBox", /::setShortcut\s*\(/, "shortcut") -property_reader("QCheckBox", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") -property_writer("QCheckBox", /::setCheckable\s*\(/, "checkable") -property_reader("QCheckBox", /::(checked|isChecked|hasChecked)\s*\(/, "checked") -property_writer("QCheckBox", /::setChecked\s*\(/, "checked") -property_reader("QCheckBox", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") -property_writer("QCheckBox", /::setAutoRepeat\s*\(/, "autoRepeat") -property_reader("QCheckBox", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") -property_writer("QCheckBox", /::setAutoExclusive\s*\(/, "autoExclusive") -property_reader("QCheckBox", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") -property_writer("QCheckBox", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") -property_reader("QCheckBox", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") -property_writer("QCheckBox", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") -property_reader("QCheckBox", /::(down|isDown|hasDown)\s*\(/, "down") -property_writer("QCheckBox", /::setDown\s*\(/, "down") -property_reader("QCheckBox", /::(tristate|isTristate|hasTristate)\s*\(/, "tristate") -property_writer("QCheckBox", /::setTristate\s*\(/, "tristate") -property_reader("QClipboard", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QClipboard", /::setObjectName\s*\(/, "objectName") -property_reader("QColorDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QColorDialog", /::setObjectName\s*\(/, "objectName") -property_reader("QColorDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QColorDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QColorDialog", /::setWindowModality\s*\(/, "windowModality") -property_reader("QColorDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QColorDialog", /::setEnabled\s*\(/, "enabled") -property_reader("QColorDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QColorDialog", /::setGeometry\s*\(/, "geometry") -property_reader("QColorDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QColorDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QColorDialog", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QColorDialog", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QColorDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QColorDialog", /::setPos\s*\(/, "pos") -property_reader("QColorDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QColorDialog", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QColorDialog", /::setSize\s*\(/, "size") -property_reader("QColorDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QColorDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QColorDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QColorDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QColorDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QColorDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QColorDialog", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QColorDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QColorDialog", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QColorDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QColorDialog", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QColorDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QColorDialog", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QColorDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QColorDialog", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QColorDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QColorDialog", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QColorDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QColorDialog", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QColorDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QColorDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QColorDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QColorDialog", /::setBaseSize\s*\(/, "baseSize") -property_reader("QColorDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QColorDialog", /::setPalette\s*\(/, "palette") -property_reader("QColorDialog", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QColorDialog", /::setFont\s*\(/, "font") -property_reader("QColorDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QColorDialog", /::setCursor\s*\(/, "cursor") -property_reader("QColorDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QColorDialog", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QColorDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QColorDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QColorDialog", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QColorDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QColorDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QColorDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QColorDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QColorDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QColorDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QColorDialog", /::setVisible\s*\(/, "visible") -property_reader("QColorDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QColorDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QColorDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QColorDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QColorDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QColorDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QColorDialog", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QColorDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QColorDialog", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QColorDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QColorDialog", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QColorDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QColorDialog", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QColorDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QColorDialog", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QColorDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QColorDialog", /::setWindowModified\s*\(/, "windowModified") -property_reader("QColorDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QColorDialog", /::setToolTip\s*\(/, "toolTip") -property_reader("QColorDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QColorDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QColorDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QColorDialog", /::setStatusTip\s*\(/, "statusTip") -property_reader("QColorDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QColorDialog", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QColorDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QColorDialog", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QColorDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QColorDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QColorDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QColorDialog", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QColorDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QColorDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QColorDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QColorDialog", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QColorDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QColorDialog", /::setLocale\s*\(/, "locale") -property_reader("QColorDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QColorDialog", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QColorDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QColorDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QColorDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QColorDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QColorDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QColorDialog", /::setModal\s*\(/, "modal") -property_reader("QColorDialog", /::(currentColor|isCurrentColor|hasCurrentColor)\s*\(/, "currentColor") -property_writer("QColorDialog", /::setCurrentColor\s*\(/, "currentColor") -property_reader("QColorDialog", /::(options|isOptions|hasOptions)\s*\(/, "options") -property_writer("QColorDialog", /::setOptions\s*\(/, "options") -property_reader("QColumnView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QColumnView", /::setObjectName\s*\(/, "objectName") -property_reader("QColumnView", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QColumnView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QColumnView", /::setWindowModality\s*\(/, "windowModality") -property_reader("QColumnView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QColumnView", /::setEnabled\s*\(/, "enabled") -property_reader("QColumnView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QColumnView", /::setGeometry\s*\(/, "geometry") -property_reader("QColumnView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QColumnView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QColumnView", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QColumnView", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QColumnView", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QColumnView", /::setPos\s*\(/, "pos") -property_reader("QColumnView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QColumnView", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QColumnView", /::setSize\s*\(/, "size") -property_reader("QColumnView", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QColumnView", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QColumnView", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QColumnView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QColumnView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QColumnView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QColumnView", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QColumnView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QColumnView", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QColumnView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QColumnView", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QColumnView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QColumnView", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QColumnView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QColumnView", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QColumnView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QColumnView", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QColumnView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QColumnView", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QColumnView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QColumnView", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QColumnView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QColumnView", /::setBaseSize\s*\(/, "baseSize") -property_reader("QColumnView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QColumnView", /::setPalette\s*\(/, "palette") -property_reader("QColumnView", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QColumnView", /::setFont\s*\(/, "font") -property_reader("QColumnView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QColumnView", /::setCursor\s*\(/, "cursor") -property_reader("QColumnView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QColumnView", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QColumnView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QColumnView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QColumnView", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QColumnView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QColumnView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QColumnView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QColumnView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QColumnView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QColumnView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QColumnView", /::setVisible\s*\(/, "visible") -property_reader("QColumnView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QColumnView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QColumnView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QColumnView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QColumnView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QColumnView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QColumnView", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QColumnView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QColumnView", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QColumnView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QColumnView", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QColumnView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QColumnView", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QColumnView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QColumnView", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QColumnView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QColumnView", /::setWindowModified\s*\(/, "windowModified") -property_reader("QColumnView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QColumnView", /::setToolTip\s*\(/, "toolTip") -property_reader("QColumnView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QColumnView", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QColumnView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QColumnView", /::setStatusTip\s*\(/, "statusTip") -property_reader("QColumnView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QColumnView", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QColumnView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QColumnView", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QColumnView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QColumnView", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QColumnView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QColumnView", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QColumnView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QColumnView", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QColumnView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QColumnView", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QColumnView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QColumnView", /::setLocale\s*\(/, "locale") -property_reader("QColumnView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QColumnView", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QColumnView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QColumnView", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QColumnView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QColumnView", /::setFrameShape\s*\(/, "frameShape") -property_reader("QColumnView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QColumnView", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QColumnView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QColumnView", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QColumnView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QColumnView", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QColumnView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QColumnView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QColumnView", /::setFrameRect\s*\(/, "frameRect") -property_reader("QColumnView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QColumnView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QColumnView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QColumnView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QColumnView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QColumnView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QColumnView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") -property_writer("QColumnView", /::setAutoScroll\s*\(/, "autoScroll") -property_reader("QColumnView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") -property_writer("QColumnView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") -property_reader("QColumnView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") -property_writer("QColumnView", /::setEditTriggers\s*\(/, "editTriggers") -property_reader("QColumnView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") -property_writer("QColumnView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") -property_reader("QColumnView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") -property_writer("QColumnView", /::setShowDropIndicator\s*\(/, "showDropIndicator") -property_reader("QColumnView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QColumnView", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QColumnView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") -property_writer("QColumnView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") -property_reader("QColumnView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") -property_writer("QColumnView", /::setDragDropMode\s*\(/, "dragDropMode") -property_reader("QColumnView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") -property_writer("QColumnView", /::setDefaultDropAction\s*\(/, "defaultDropAction") -property_reader("QColumnView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") -property_writer("QColumnView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") -property_reader("QColumnView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QColumnView", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QColumnView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") -property_writer("QColumnView", /::setSelectionBehavior\s*\(/, "selectionBehavior") -property_reader("QColumnView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QColumnView", /::setIconSize\s*\(/, "iconSize") -property_reader("QColumnView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") -property_writer("QColumnView", /::setTextElideMode\s*\(/, "textElideMode") -property_reader("QColumnView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") -property_writer("QColumnView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") -property_reader("QColumnView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") -property_writer("QColumnView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") -property_reader("QColumnView", /::(resizeGripsVisible|isResizeGripsVisible|hasResizeGripsVisible)\s*\(/, "resizeGripsVisible") -property_writer("QColumnView", /::setResizeGripsVisible\s*\(/, "resizeGripsVisible") -property_reader("QComboBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QComboBox", /::setObjectName\s*\(/, "objectName") -property_reader("QComboBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QComboBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QComboBox", /::setWindowModality\s*\(/, "windowModality") -property_reader("QComboBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QComboBox", /::setEnabled\s*\(/, "enabled") -property_reader("QComboBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QComboBox", /::setGeometry\s*\(/, "geometry") -property_reader("QComboBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QComboBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QComboBox", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QComboBox", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QComboBox", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QComboBox", /::setPos\s*\(/, "pos") -property_reader("QComboBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QComboBox", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QComboBox", /::setSize\s*\(/, "size") -property_reader("QComboBox", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QComboBox", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QComboBox", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QComboBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QComboBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QComboBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QComboBox", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QComboBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QComboBox", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QComboBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QComboBox", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QComboBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QComboBox", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QComboBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QComboBox", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QComboBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QComboBox", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QComboBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QComboBox", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QComboBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QComboBox", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QComboBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QComboBox", /::setBaseSize\s*\(/, "baseSize") -property_reader("QComboBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QComboBox", /::setPalette\s*\(/, "palette") -property_reader("QComboBox", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QComboBox", /::setFont\s*\(/, "font") -property_reader("QComboBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QComboBox", /::setCursor\s*\(/, "cursor") -property_reader("QComboBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QComboBox", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QComboBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QComboBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QComboBox", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QComboBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QComboBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QComboBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QComboBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QComboBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QComboBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QComboBox", /::setVisible\s*\(/, "visible") -property_reader("QComboBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QComboBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QComboBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QComboBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QComboBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QComboBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QComboBox", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QComboBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QComboBox", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QComboBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QComboBox", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QComboBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QComboBox", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QComboBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QComboBox", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QComboBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QComboBox", /::setWindowModified\s*\(/, "windowModified") -property_reader("QComboBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QComboBox", /::setToolTip\s*\(/, "toolTip") -property_reader("QComboBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QComboBox", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QComboBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QComboBox", /::setStatusTip\s*\(/, "statusTip") -property_reader("QComboBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QComboBox", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QComboBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QComboBox", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QComboBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QComboBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QComboBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QComboBox", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QComboBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QComboBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QComboBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QComboBox", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QComboBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QComboBox", /::setLocale\s*\(/, "locale") -property_reader("QComboBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QComboBox", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QComboBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QComboBox", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QComboBox", /::(editable|isEditable|hasEditable)\s*\(/, "editable") -property_writer("QComboBox", /::setEditable\s*\(/, "editable") -property_reader("QComboBox", /::(count|isCount|hasCount)\s*\(/, "count") -property_reader("QComboBox", /::(currentText|isCurrentText|hasCurrentText)\s*\(/, "currentText") -property_writer("QComboBox", /::setCurrentText\s*\(/, "currentText") -property_reader("QComboBox", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") -property_writer("QComboBox", /::setCurrentIndex\s*\(/, "currentIndex") -property_reader("QComboBox", /::(currentData|isCurrentData|hasCurrentData)\s*\(/, "currentData") -property_reader("QComboBox", /::(maxVisibleItems|isMaxVisibleItems|hasMaxVisibleItems)\s*\(/, "maxVisibleItems") -property_writer("QComboBox", /::setMaxVisibleItems\s*\(/, "maxVisibleItems") -property_reader("QComboBox", /::(maxCount|isMaxCount|hasMaxCount)\s*\(/, "maxCount") -property_writer("QComboBox", /::setMaxCount\s*\(/, "maxCount") -property_reader("QComboBox", /::(insertPolicy|isInsertPolicy|hasInsertPolicy)\s*\(/, "insertPolicy") -property_writer("QComboBox", /::setInsertPolicy\s*\(/, "insertPolicy") -property_reader("QComboBox", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QComboBox", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QComboBox", /::(minimumContentsLength|isMinimumContentsLength|hasMinimumContentsLength)\s*\(/, "minimumContentsLength") -property_writer("QComboBox", /::setMinimumContentsLength\s*\(/, "minimumContentsLength") -property_reader("QComboBox", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QComboBox", /::setIconSize\s*\(/, "iconSize") -property_reader("QComboBox", /::(autoCompletion|isAutoCompletion|hasAutoCompletion)\s*\(/, "autoCompletion") -property_writer("QComboBox", /::setAutoCompletion\s*\(/, "autoCompletion") -property_reader("QComboBox", /::(autoCompletionCaseSensitivity|isAutoCompletionCaseSensitivity|hasAutoCompletionCaseSensitivity)\s*\(/, "autoCompletionCaseSensitivity") -property_writer("QComboBox", /::setAutoCompletionCaseSensitivity\s*\(/, "autoCompletionCaseSensitivity") -property_reader("QComboBox", /::(duplicatesEnabled|isDuplicatesEnabled|hasDuplicatesEnabled)\s*\(/, "duplicatesEnabled") -property_writer("QComboBox", /::setDuplicatesEnabled\s*\(/, "duplicatesEnabled") -property_reader("QComboBox", /::(frame|isFrame|hasFrame)\s*\(/, "frame") -property_writer("QComboBox", /::setFrame\s*\(/, "frame") -property_reader("QComboBox", /::(modelColumn|isModelColumn|hasModelColumn)\s*\(/, "modelColumn") -property_writer("QComboBox", /::setModelColumn\s*\(/, "modelColumn") -property_reader("QCommandLinkButton", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCommandLinkButton", /::setObjectName\s*\(/, "objectName") -property_reader("QCommandLinkButton", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QCommandLinkButton", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QCommandLinkButton", /::setWindowModality\s*\(/, "windowModality") -property_reader("QCommandLinkButton", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QCommandLinkButton", /::setEnabled\s*\(/, "enabled") -property_reader("QCommandLinkButton", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QCommandLinkButton", /::setGeometry\s*\(/, "geometry") -property_reader("QCommandLinkButton", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QCommandLinkButton", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QCommandLinkButton", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QCommandLinkButton", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QCommandLinkButton", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QCommandLinkButton", /::setPos\s*\(/, "pos") -property_reader("QCommandLinkButton", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QCommandLinkButton", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QCommandLinkButton", /::setSize\s*\(/, "size") -property_reader("QCommandLinkButton", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QCommandLinkButton", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QCommandLinkButton", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QCommandLinkButton", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QCommandLinkButton", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QCommandLinkButton", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QCommandLinkButton", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QCommandLinkButton", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QCommandLinkButton", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QCommandLinkButton", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QCommandLinkButton", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QCommandLinkButton", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QCommandLinkButton", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QCommandLinkButton", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QCommandLinkButton", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QCommandLinkButton", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QCommandLinkButton", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QCommandLinkButton", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QCommandLinkButton", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QCommandLinkButton", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QCommandLinkButton", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QCommandLinkButton", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QCommandLinkButton", /::setBaseSize\s*\(/, "baseSize") -property_reader("QCommandLinkButton", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QCommandLinkButton", /::setPalette\s*\(/, "palette") -property_reader("QCommandLinkButton", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QCommandLinkButton", /::setFont\s*\(/, "font") -property_reader("QCommandLinkButton", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QCommandLinkButton", /::setCursor\s*\(/, "cursor") -property_reader("QCommandLinkButton", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QCommandLinkButton", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QCommandLinkButton", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QCommandLinkButton", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QCommandLinkButton", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QCommandLinkButton", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QCommandLinkButton", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QCommandLinkButton", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QCommandLinkButton", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QCommandLinkButton", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QCommandLinkButton", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QCommandLinkButton", /::setVisible\s*\(/, "visible") -property_reader("QCommandLinkButton", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QCommandLinkButton", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QCommandLinkButton", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QCommandLinkButton", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QCommandLinkButton", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QCommandLinkButton", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QCommandLinkButton", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QCommandLinkButton", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QCommandLinkButton", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QCommandLinkButton", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QCommandLinkButton", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QCommandLinkButton", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QCommandLinkButton", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QCommandLinkButton", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QCommandLinkButton", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QCommandLinkButton", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QCommandLinkButton", /::setWindowModified\s*\(/, "windowModified") -property_reader("QCommandLinkButton", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QCommandLinkButton", /::setToolTip\s*\(/, "toolTip") -property_reader("QCommandLinkButton", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QCommandLinkButton", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QCommandLinkButton", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QCommandLinkButton", /::setStatusTip\s*\(/, "statusTip") -property_reader("QCommandLinkButton", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QCommandLinkButton", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QCommandLinkButton", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QCommandLinkButton", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QCommandLinkButton", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QCommandLinkButton", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QCommandLinkButton", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QCommandLinkButton", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QCommandLinkButton", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QCommandLinkButton", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QCommandLinkButton", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QCommandLinkButton", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QCommandLinkButton", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QCommandLinkButton", /::setLocale\s*\(/, "locale") -property_reader("QCommandLinkButton", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QCommandLinkButton", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QCommandLinkButton", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QCommandLinkButton", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QCommandLinkButton", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QCommandLinkButton", /::setText\s*\(/, "text") -property_reader("QCommandLinkButton", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QCommandLinkButton", /::setIcon\s*\(/, "icon") -property_reader("QCommandLinkButton", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QCommandLinkButton", /::setIconSize\s*\(/, "iconSize") -property_reader("QCommandLinkButton", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") -property_writer("QCommandLinkButton", /::setShortcut\s*\(/, "shortcut") -property_reader("QCommandLinkButton", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") -property_writer("QCommandLinkButton", /::setCheckable\s*\(/, "checkable") -property_reader("QCommandLinkButton", /::(checked|isChecked|hasChecked)\s*\(/, "checked") -property_writer("QCommandLinkButton", /::setChecked\s*\(/, "checked") -property_reader("QCommandLinkButton", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") -property_writer("QCommandLinkButton", /::setAutoRepeat\s*\(/, "autoRepeat") -property_reader("QCommandLinkButton", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") -property_writer("QCommandLinkButton", /::setAutoExclusive\s*\(/, "autoExclusive") -property_reader("QCommandLinkButton", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") -property_writer("QCommandLinkButton", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") -property_reader("QCommandLinkButton", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") -property_writer("QCommandLinkButton", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") -property_reader("QCommandLinkButton", /::(down|isDown|hasDown)\s*\(/, "down") -property_writer("QCommandLinkButton", /::setDown\s*\(/, "down") -property_reader("QCommandLinkButton", /::(autoDefault|isAutoDefault|hasAutoDefault)\s*\(/, "autoDefault") -property_writer("QCommandLinkButton", /::setAutoDefault\s*\(/, "autoDefault") -property_reader("QCommandLinkButton", /::(default|isDefault|hasDefault)\s*\(/, "default") -property_writer("QCommandLinkButton", /::setDefault\s*\(/, "default") -property_reader("QCommandLinkButton", /::(flat|isFlat|hasFlat)\s*\(/, "flat") -property_writer("QCommandLinkButton", /::setFlat\s*\(/, "flat") -property_reader("QCommandLinkButton", /::(description|isDescription|hasDescription)\s*\(/, "description") -property_writer("QCommandLinkButton", /::setDescription\s*\(/, "description") -property_reader("QCommandLinkButton", /::(flat|isFlat|hasFlat)\s*\(/, "flat") -property_writer("QCommandLinkButton", /::setFlat\s*\(/, "flat") -property_reader("QCommonStyle", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCommonStyle", /::setObjectName\s*\(/, "objectName") -property_reader("QCompleter", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCompleter", /::setObjectName\s*\(/, "objectName") -property_reader("QCompleter", /::(completionPrefix|isCompletionPrefix|hasCompletionPrefix)\s*\(/, "completionPrefix") -property_writer("QCompleter", /::setCompletionPrefix\s*\(/, "completionPrefix") -property_reader("QCompleter", /::(modelSorting|isModelSorting|hasModelSorting)\s*\(/, "modelSorting") -property_writer("QCompleter", /::setModelSorting\s*\(/, "modelSorting") -property_reader("QCompleter", /::(filterMode|isFilterMode|hasFilterMode)\s*\(/, "filterMode") -property_writer("QCompleter", /::setFilterMode\s*\(/, "filterMode") -property_reader("QCompleter", /::(completionMode|isCompletionMode|hasCompletionMode)\s*\(/, "completionMode") -property_writer("QCompleter", /::setCompletionMode\s*\(/, "completionMode") -property_reader("QCompleter", /::(completionColumn|isCompletionColumn|hasCompletionColumn)\s*\(/, "completionColumn") -property_writer("QCompleter", /::setCompletionColumn\s*\(/, "completionColumn") -property_reader("QCompleter", /::(completionRole|isCompletionRole|hasCompletionRole)\s*\(/, "completionRole") -property_writer("QCompleter", /::setCompletionRole\s*\(/, "completionRole") -property_reader("QCompleter", /::(maxVisibleItems|isMaxVisibleItems|hasMaxVisibleItems)\s*\(/, "maxVisibleItems") -property_writer("QCompleter", /::setMaxVisibleItems\s*\(/, "maxVisibleItems") -property_reader("QCompleter", /::(caseSensitivity|isCaseSensitivity|hasCaseSensitivity)\s*\(/, "caseSensitivity") -property_writer("QCompleter", /::setCaseSensitivity\s*\(/, "caseSensitivity") -property_reader("QCompleter", /::(wrapAround|isWrapAround|hasWrapAround)\s*\(/, "wrapAround") -property_writer("QCompleter", /::setWrapAround\s*\(/, "wrapAround") -property_reader("QCoreApplication", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCoreApplication", /::setObjectName\s*\(/, "objectName") -property_reader("QCoreApplication", /::(applicationName|isApplicationName|hasApplicationName)\s*\(/, "applicationName") -property_writer("QCoreApplication", /::setApplicationName\s*\(/, "applicationName") -property_reader("QCoreApplication", /::(applicationVersion|isApplicationVersion|hasApplicationVersion)\s*\(/, "applicationVersion") -property_writer("QCoreApplication", /::setApplicationVersion\s*\(/, "applicationVersion") -property_reader("QCoreApplication", /::(organizationName|isOrganizationName|hasOrganizationName)\s*\(/, "organizationName") -property_writer("QCoreApplication", /::setOrganizationName\s*\(/, "organizationName") -property_reader("QCoreApplication", /::(organizationDomain|isOrganizationDomain|hasOrganizationDomain)\s*\(/, "organizationDomain") -property_writer("QCoreApplication", /::setOrganizationDomain\s*\(/, "organizationDomain") -property_reader("QCoreApplication", /::(quitLockEnabled|isQuitLockEnabled|hasQuitLockEnabled)\s*\(/, "quitLockEnabled") -property_writer("QCoreApplication", /::setQuitLockEnabled\s*\(/, "quitLockEnabled") -property_reader("QDataWidgetMapper", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDataWidgetMapper", /::setObjectName\s*\(/, "objectName") -property_reader("QDataWidgetMapper", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") -property_writer("QDataWidgetMapper", /::setCurrentIndex\s*\(/, "currentIndex") -property_reader("QDataWidgetMapper", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") -property_writer("QDataWidgetMapper", /::setOrientation\s*\(/, "orientation") -property_reader("QDataWidgetMapper", /::(submitPolicy|isSubmitPolicy|hasSubmitPolicy)\s*\(/, "submitPolicy") -property_writer("QDataWidgetMapper", /::setSubmitPolicy\s*\(/, "submitPolicy") -property_reader("QDateEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDateEdit", /::setObjectName\s*\(/, "objectName") -property_reader("QDateEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QDateEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QDateEdit", /::setWindowModality\s*\(/, "windowModality") -property_reader("QDateEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QDateEdit", /::setEnabled\s*\(/, "enabled") -property_reader("QDateEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QDateEdit", /::setGeometry\s*\(/, "geometry") -property_reader("QDateEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QDateEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QDateEdit", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QDateEdit", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QDateEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QDateEdit", /::setPos\s*\(/, "pos") -property_reader("QDateEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QDateEdit", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QDateEdit", /::setSize\s*\(/, "size") -property_reader("QDateEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QDateEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QDateEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QDateEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QDateEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QDateEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QDateEdit", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QDateEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QDateEdit", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QDateEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QDateEdit", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QDateEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QDateEdit", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QDateEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QDateEdit", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QDateEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QDateEdit", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QDateEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QDateEdit", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QDateEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QDateEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QDateEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QDateEdit", /::setBaseSize\s*\(/, "baseSize") -property_reader("QDateEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QDateEdit", /::setPalette\s*\(/, "palette") -property_reader("QDateEdit", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QDateEdit", /::setFont\s*\(/, "font") -property_reader("QDateEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QDateEdit", /::setCursor\s*\(/, "cursor") -property_reader("QDateEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QDateEdit", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QDateEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QDateEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QDateEdit", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QDateEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QDateEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QDateEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QDateEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QDateEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QDateEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QDateEdit", /::setVisible\s*\(/, "visible") -property_reader("QDateEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QDateEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QDateEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QDateEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QDateEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QDateEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QDateEdit", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QDateEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QDateEdit", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QDateEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QDateEdit", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QDateEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QDateEdit", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QDateEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QDateEdit", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QDateEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QDateEdit", /::setWindowModified\s*\(/, "windowModified") -property_reader("QDateEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QDateEdit", /::setToolTip\s*\(/, "toolTip") -property_reader("QDateEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QDateEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QDateEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QDateEdit", /::setStatusTip\s*\(/, "statusTip") -property_reader("QDateEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QDateEdit", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QDateEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QDateEdit", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QDateEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QDateEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QDateEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QDateEdit", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QDateEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QDateEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QDateEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QDateEdit", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QDateEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QDateEdit", /::setLocale\s*\(/, "locale") -property_reader("QDateEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QDateEdit", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QDateEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QDateEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QDateEdit", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") -property_writer("QDateEdit", /::setWrapping\s*\(/, "wrapping") -property_reader("QDateEdit", /::(frame|isFrame|hasFrame)\s*\(/, "frame") -property_writer("QDateEdit", /::setFrame\s*\(/, "frame") -property_reader("QDateEdit", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QDateEdit", /::setAlignment\s*\(/, "alignment") -property_reader("QDateEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QDateEdit", /::setReadOnly\s*\(/, "readOnly") -property_reader("QDateEdit", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") -property_writer("QDateEdit", /::setButtonSymbols\s*\(/, "buttonSymbols") -property_reader("QDateEdit", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") -property_writer("QDateEdit", /::setSpecialValueText\s*\(/, "specialValueText") -property_reader("QDateEdit", /::(text|isText|hasText)\s*\(/, "text") -property_reader("QDateEdit", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") -property_writer("QDateEdit", /::setAccelerated\s*\(/, "accelerated") -property_reader("QDateEdit", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") -property_writer("QDateEdit", /::setCorrectionMode\s*\(/, "correctionMode") -property_reader("QDateEdit", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") -property_reader("QDateEdit", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") -property_writer("QDateEdit", /::setKeyboardTracking\s*\(/, "keyboardTracking") -property_reader("QDateEdit", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") -property_writer("QDateEdit", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") -property_reader("QDateEdit", /::(dateTime|isDateTime|hasDateTime)\s*\(/, "dateTime") -property_writer("QDateEdit", /::setDateTime\s*\(/, "dateTime") -property_reader("QDateEdit", /::(date|isDate|hasDate)\s*\(/, "date") -property_writer("QDateEdit", /::setDate\s*\(/, "date") -property_reader("QDateEdit", /::(time|isTime|hasTime)\s*\(/, "time") -property_writer("QDateEdit", /::setTime\s*\(/, "time") -property_reader("QDateEdit", /::(maximumDateTime|isMaximumDateTime|hasMaximumDateTime)\s*\(/, "maximumDateTime") -property_writer("QDateEdit", /::setMaximumDateTime\s*\(/, "maximumDateTime") -property_reader("QDateEdit", /::(minimumDateTime|isMinimumDateTime|hasMinimumDateTime)\s*\(/, "minimumDateTime") -property_writer("QDateEdit", /::setMinimumDateTime\s*\(/, "minimumDateTime") -property_reader("QDateEdit", /::(maximumDate|isMaximumDate|hasMaximumDate)\s*\(/, "maximumDate") -property_writer("QDateEdit", /::setMaximumDate\s*\(/, "maximumDate") -property_reader("QDateEdit", /::(minimumDate|isMinimumDate|hasMinimumDate)\s*\(/, "minimumDate") -property_writer("QDateEdit", /::setMinimumDate\s*\(/, "minimumDate") -property_reader("QDateEdit", /::(maximumTime|isMaximumTime|hasMaximumTime)\s*\(/, "maximumTime") -property_writer("QDateEdit", /::setMaximumTime\s*\(/, "maximumTime") -property_reader("QDateEdit", /::(minimumTime|isMinimumTime|hasMinimumTime)\s*\(/, "minimumTime") -property_writer("QDateEdit", /::setMinimumTime\s*\(/, "minimumTime") -property_reader("QDateEdit", /::(currentSection|isCurrentSection|hasCurrentSection)\s*\(/, "currentSection") -property_writer("QDateEdit", /::setCurrentSection\s*\(/, "currentSection") -property_reader("QDateEdit", /::(displayedSections|isDisplayedSections|hasDisplayedSections)\s*\(/, "displayedSections") -property_reader("QDateEdit", /::(displayFormat|isDisplayFormat|hasDisplayFormat)\s*\(/, "displayFormat") -property_writer("QDateEdit", /::setDisplayFormat\s*\(/, "displayFormat") -property_reader("QDateEdit", /::(calendarPopup|isCalendarPopup|hasCalendarPopup)\s*\(/, "calendarPopup") -property_writer("QDateEdit", /::setCalendarPopup\s*\(/, "calendarPopup") -property_reader("QDateEdit", /::(currentSectionIndex|isCurrentSectionIndex|hasCurrentSectionIndex)\s*\(/, "currentSectionIndex") -property_writer("QDateEdit", /::setCurrentSectionIndex\s*\(/, "currentSectionIndex") -property_reader("QDateEdit", /::(sectionCount|isSectionCount|hasSectionCount)\s*\(/, "sectionCount") -property_reader("QDateEdit", /::(timeSpec|isTimeSpec|hasTimeSpec)\s*\(/, "timeSpec") -property_writer("QDateEdit", /::setTimeSpec\s*\(/, "timeSpec") -property_reader("QDateEdit", /::(date|isDate|hasDate)\s*\(/, "date") -property_writer("QDateEdit", /::setDate\s*\(/, "date") -property_reader("QDateTimeEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDateTimeEdit", /::setObjectName\s*\(/, "objectName") -property_reader("QDateTimeEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QDateTimeEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QDateTimeEdit", /::setWindowModality\s*\(/, "windowModality") -property_reader("QDateTimeEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QDateTimeEdit", /::setEnabled\s*\(/, "enabled") -property_reader("QDateTimeEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QDateTimeEdit", /::setGeometry\s*\(/, "geometry") -property_reader("QDateTimeEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QDateTimeEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QDateTimeEdit", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QDateTimeEdit", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QDateTimeEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QDateTimeEdit", /::setPos\s*\(/, "pos") -property_reader("QDateTimeEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QDateTimeEdit", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QDateTimeEdit", /::setSize\s*\(/, "size") -property_reader("QDateTimeEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QDateTimeEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QDateTimeEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QDateTimeEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QDateTimeEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QDateTimeEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QDateTimeEdit", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QDateTimeEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QDateTimeEdit", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QDateTimeEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QDateTimeEdit", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QDateTimeEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QDateTimeEdit", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QDateTimeEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QDateTimeEdit", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QDateTimeEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QDateTimeEdit", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QDateTimeEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QDateTimeEdit", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QDateTimeEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QDateTimeEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QDateTimeEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QDateTimeEdit", /::setBaseSize\s*\(/, "baseSize") -property_reader("QDateTimeEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QDateTimeEdit", /::setPalette\s*\(/, "palette") -property_reader("QDateTimeEdit", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QDateTimeEdit", /::setFont\s*\(/, "font") -property_reader("QDateTimeEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QDateTimeEdit", /::setCursor\s*\(/, "cursor") -property_reader("QDateTimeEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QDateTimeEdit", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QDateTimeEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QDateTimeEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QDateTimeEdit", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QDateTimeEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QDateTimeEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QDateTimeEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QDateTimeEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QDateTimeEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QDateTimeEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QDateTimeEdit", /::setVisible\s*\(/, "visible") -property_reader("QDateTimeEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QDateTimeEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QDateTimeEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QDateTimeEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QDateTimeEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QDateTimeEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QDateTimeEdit", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QDateTimeEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QDateTimeEdit", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QDateTimeEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QDateTimeEdit", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QDateTimeEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QDateTimeEdit", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QDateTimeEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QDateTimeEdit", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QDateTimeEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QDateTimeEdit", /::setWindowModified\s*\(/, "windowModified") -property_reader("QDateTimeEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QDateTimeEdit", /::setToolTip\s*\(/, "toolTip") -property_reader("QDateTimeEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QDateTimeEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QDateTimeEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QDateTimeEdit", /::setStatusTip\s*\(/, "statusTip") -property_reader("QDateTimeEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QDateTimeEdit", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QDateTimeEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QDateTimeEdit", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QDateTimeEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QDateTimeEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QDateTimeEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QDateTimeEdit", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QDateTimeEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QDateTimeEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QDateTimeEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QDateTimeEdit", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QDateTimeEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QDateTimeEdit", /::setLocale\s*\(/, "locale") -property_reader("QDateTimeEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QDateTimeEdit", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QDateTimeEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QDateTimeEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QDateTimeEdit", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") -property_writer("QDateTimeEdit", /::setWrapping\s*\(/, "wrapping") -property_reader("QDateTimeEdit", /::(frame|isFrame|hasFrame)\s*\(/, "frame") -property_writer("QDateTimeEdit", /::setFrame\s*\(/, "frame") -property_reader("QDateTimeEdit", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QDateTimeEdit", /::setAlignment\s*\(/, "alignment") -property_reader("QDateTimeEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QDateTimeEdit", /::setReadOnly\s*\(/, "readOnly") -property_reader("QDateTimeEdit", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") -property_writer("QDateTimeEdit", /::setButtonSymbols\s*\(/, "buttonSymbols") -property_reader("QDateTimeEdit", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") -property_writer("QDateTimeEdit", /::setSpecialValueText\s*\(/, "specialValueText") -property_reader("QDateTimeEdit", /::(text|isText|hasText)\s*\(/, "text") -property_reader("QDateTimeEdit", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") -property_writer("QDateTimeEdit", /::setAccelerated\s*\(/, "accelerated") -property_reader("QDateTimeEdit", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") -property_writer("QDateTimeEdit", /::setCorrectionMode\s*\(/, "correctionMode") -property_reader("QDateTimeEdit", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") -property_reader("QDateTimeEdit", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") -property_writer("QDateTimeEdit", /::setKeyboardTracking\s*\(/, "keyboardTracking") -property_reader("QDateTimeEdit", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") -property_writer("QDateTimeEdit", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") -property_reader("QDateTimeEdit", /::(dateTime|isDateTime|hasDateTime)\s*\(/, "dateTime") -property_writer("QDateTimeEdit", /::setDateTime\s*\(/, "dateTime") -property_reader("QDateTimeEdit", /::(date|isDate|hasDate)\s*\(/, "date") -property_writer("QDateTimeEdit", /::setDate\s*\(/, "date") -property_reader("QDateTimeEdit", /::(time|isTime|hasTime)\s*\(/, "time") -property_writer("QDateTimeEdit", /::setTime\s*\(/, "time") -property_reader("QDateTimeEdit", /::(maximumDateTime|isMaximumDateTime|hasMaximumDateTime)\s*\(/, "maximumDateTime") -property_writer("QDateTimeEdit", /::setMaximumDateTime\s*\(/, "maximumDateTime") -property_reader("QDateTimeEdit", /::(minimumDateTime|isMinimumDateTime|hasMinimumDateTime)\s*\(/, "minimumDateTime") -property_writer("QDateTimeEdit", /::setMinimumDateTime\s*\(/, "minimumDateTime") -property_reader("QDateTimeEdit", /::(maximumDate|isMaximumDate|hasMaximumDate)\s*\(/, "maximumDate") -property_writer("QDateTimeEdit", /::setMaximumDate\s*\(/, "maximumDate") -property_reader("QDateTimeEdit", /::(minimumDate|isMinimumDate|hasMinimumDate)\s*\(/, "minimumDate") -property_writer("QDateTimeEdit", /::setMinimumDate\s*\(/, "minimumDate") -property_reader("QDateTimeEdit", /::(maximumTime|isMaximumTime|hasMaximumTime)\s*\(/, "maximumTime") -property_writer("QDateTimeEdit", /::setMaximumTime\s*\(/, "maximumTime") -property_reader("QDateTimeEdit", /::(minimumTime|isMinimumTime|hasMinimumTime)\s*\(/, "minimumTime") -property_writer("QDateTimeEdit", /::setMinimumTime\s*\(/, "minimumTime") -property_reader("QDateTimeEdit", /::(currentSection|isCurrentSection|hasCurrentSection)\s*\(/, "currentSection") -property_writer("QDateTimeEdit", /::setCurrentSection\s*\(/, "currentSection") -property_reader("QDateTimeEdit", /::(displayedSections|isDisplayedSections|hasDisplayedSections)\s*\(/, "displayedSections") -property_reader("QDateTimeEdit", /::(displayFormat|isDisplayFormat|hasDisplayFormat)\s*\(/, "displayFormat") -property_writer("QDateTimeEdit", /::setDisplayFormat\s*\(/, "displayFormat") -property_reader("QDateTimeEdit", /::(calendarPopup|isCalendarPopup|hasCalendarPopup)\s*\(/, "calendarPopup") -property_writer("QDateTimeEdit", /::setCalendarPopup\s*\(/, "calendarPopup") -property_reader("QDateTimeEdit", /::(currentSectionIndex|isCurrentSectionIndex|hasCurrentSectionIndex)\s*\(/, "currentSectionIndex") -property_writer("QDateTimeEdit", /::setCurrentSectionIndex\s*\(/, "currentSectionIndex") -property_reader("QDateTimeEdit", /::(sectionCount|isSectionCount|hasSectionCount)\s*\(/, "sectionCount") -property_reader("QDateTimeEdit", /::(timeSpec|isTimeSpec|hasTimeSpec)\s*\(/, "timeSpec") -property_writer("QDateTimeEdit", /::setTimeSpec\s*\(/, "timeSpec") -property_reader("QDesktopWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDesktopWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QDesktopWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QDesktopWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QDesktopWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QDesktopWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QDesktopWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QDesktopWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QDesktopWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QDesktopWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QDesktopWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QDesktopWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QDesktopWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QDesktopWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QDesktopWidget", /::setPos\s*\(/, "pos") -property_reader("QDesktopWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QDesktopWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QDesktopWidget", /::setSize\s*\(/, "size") -property_reader("QDesktopWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QDesktopWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QDesktopWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QDesktopWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QDesktopWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QDesktopWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QDesktopWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QDesktopWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QDesktopWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QDesktopWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QDesktopWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QDesktopWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QDesktopWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QDesktopWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QDesktopWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QDesktopWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QDesktopWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QDesktopWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QDesktopWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QDesktopWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QDesktopWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QDesktopWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QDesktopWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QDesktopWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QDesktopWidget", /::setPalette\s*\(/, "palette") -property_reader("QDesktopWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QDesktopWidget", /::setFont\s*\(/, "font") -property_reader("QDesktopWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QDesktopWidget", /::setCursor\s*\(/, "cursor") -property_reader("QDesktopWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QDesktopWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QDesktopWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QDesktopWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QDesktopWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QDesktopWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QDesktopWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QDesktopWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QDesktopWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QDesktopWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QDesktopWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QDesktopWidget", /::setVisible\s*\(/, "visible") -property_reader("QDesktopWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QDesktopWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QDesktopWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QDesktopWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QDesktopWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QDesktopWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QDesktopWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QDesktopWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QDesktopWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QDesktopWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QDesktopWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QDesktopWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QDesktopWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QDesktopWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QDesktopWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QDesktopWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QDesktopWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QDesktopWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QDesktopWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QDesktopWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QDesktopWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QDesktopWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QDesktopWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QDesktopWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QDesktopWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QDesktopWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QDesktopWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QDesktopWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QDesktopWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QDesktopWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QDesktopWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QDesktopWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QDesktopWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QDesktopWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QDesktopWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QDesktopWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QDesktopWidget", /::setLocale\s*\(/, "locale") -property_reader("QDesktopWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QDesktopWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QDesktopWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QDesktopWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QDesktopWidget", /::(virtualDesktop|isVirtualDesktop|hasVirtualDesktop)\s*\(/, "virtualDesktop") -property_reader("QDesktopWidget", /::(screenCount|isScreenCount|hasScreenCount)\s*\(/, "screenCount") -property_reader("QDesktopWidget", /::(primaryScreen|isPrimaryScreen|hasPrimaryScreen)\s*\(/, "primaryScreen") -property_reader("QDial", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDial", /::setObjectName\s*\(/, "objectName") -property_reader("QDial", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QDial", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QDial", /::setWindowModality\s*\(/, "windowModality") -property_reader("QDial", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QDial", /::setEnabled\s*\(/, "enabled") -property_reader("QDial", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QDial", /::setGeometry\s*\(/, "geometry") -property_reader("QDial", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QDial", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QDial", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QDial", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QDial", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QDial", /::setPos\s*\(/, "pos") -property_reader("QDial", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QDial", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QDial", /::setSize\s*\(/, "size") -property_reader("QDial", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QDial", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QDial", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QDial", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QDial", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QDial", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QDial", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QDial", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QDial", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QDial", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QDial", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QDial", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QDial", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QDial", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QDial", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QDial", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QDial", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QDial", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QDial", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QDial", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QDial", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QDial", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QDial", /::setBaseSize\s*\(/, "baseSize") -property_reader("QDial", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QDial", /::setPalette\s*\(/, "palette") -property_reader("QDial", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QDial", /::setFont\s*\(/, "font") -property_reader("QDial", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QDial", /::setCursor\s*\(/, "cursor") -property_reader("QDial", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QDial", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QDial", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QDial", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QDial", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QDial", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QDial", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QDial", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QDial", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QDial", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QDial", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QDial", /::setVisible\s*\(/, "visible") -property_reader("QDial", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QDial", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QDial", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QDial", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QDial", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QDial", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QDial", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QDial", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QDial", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QDial", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QDial", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QDial", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QDial", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QDial", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QDial", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QDial", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QDial", /::setWindowModified\s*\(/, "windowModified") -property_reader("QDial", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QDial", /::setToolTip\s*\(/, "toolTip") -property_reader("QDial", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QDial", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QDial", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QDial", /::setStatusTip\s*\(/, "statusTip") -property_reader("QDial", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QDial", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QDial", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QDial", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QDial", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QDial", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QDial", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QDial", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QDial", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QDial", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QDial", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QDial", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QDial", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QDial", /::setLocale\s*\(/, "locale") -property_reader("QDial", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QDial", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QDial", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QDial", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QDial", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") -property_writer("QDial", /::setMinimum\s*\(/, "minimum") -property_reader("QDial", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") -property_writer("QDial", /::setMaximum\s*\(/, "maximum") -property_reader("QDial", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") -property_writer("QDial", /::setSingleStep\s*\(/, "singleStep") -property_reader("QDial", /::(pageStep|isPageStep|hasPageStep)\s*\(/, "pageStep") -property_writer("QDial", /::setPageStep\s*\(/, "pageStep") -property_reader("QDial", /::(value|isValue|hasValue)\s*\(/, "value") -property_writer("QDial", /::setValue\s*\(/, "value") -property_reader("QDial", /::(sliderPosition|isSliderPosition|hasSliderPosition)\s*\(/, "sliderPosition") -property_writer("QDial", /::setSliderPosition\s*\(/, "sliderPosition") -property_reader("QDial", /::(tracking|isTracking|hasTracking)\s*\(/, "tracking") -property_writer("QDial", /::setTracking\s*\(/, "tracking") -property_reader("QDial", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") -property_writer("QDial", /::setOrientation\s*\(/, "orientation") -property_reader("QDial", /::(invertedAppearance|isInvertedAppearance|hasInvertedAppearance)\s*\(/, "invertedAppearance") -property_writer("QDial", /::setInvertedAppearance\s*\(/, "invertedAppearance") -property_reader("QDial", /::(invertedControls|isInvertedControls|hasInvertedControls)\s*\(/, "invertedControls") -property_writer("QDial", /::setInvertedControls\s*\(/, "invertedControls") -property_reader("QDial", /::(sliderDown|isSliderDown|hasSliderDown)\s*\(/, "sliderDown") -property_writer("QDial", /::setSliderDown\s*\(/, "sliderDown") -property_reader("QDial", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") -property_writer("QDial", /::setWrapping\s*\(/, "wrapping") -property_reader("QDial", /::(notchSize|isNotchSize|hasNotchSize)\s*\(/, "notchSize") -property_reader("QDial", /::(notchTarget|isNotchTarget|hasNotchTarget)\s*\(/, "notchTarget") -property_writer("QDial", /::setNotchTarget\s*\(/, "notchTarget") -property_reader("QDial", /::(notchesVisible|isNotchesVisible|hasNotchesVisible)\s*\(/, "notchesVisible") -property_writer("QDial", /::setNotchesVisible\s*\(/, "notchesVisible") -property_reader("QDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDialog", /::setObjectName\s*\(/, "objectName") -property_reader("QDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QDialog", /::setWindowModality\s*\(/, "windowModality") -property_reader("QDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QDialog", /::setEnabled\s*\(/, "enabled") -property_reader("QDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QDialog", /::setGeometry\s*\(/, "geometry") -property_reader("QDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QDialog", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QDialog", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QDialog", /::setPos\s*\(/, "pos") -property_reader("QDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QDialog", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QDialog", /::setSize\s*\(/, "size") -property_reader("QDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QDialog", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QDialog", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QDialog", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QDialog", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QDialog", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QDialog", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QDialog", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QDialog", /::setBaseSize\s*\(/, "baseSize") -property_reader("QDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QDialog", /::setPalette\s*\(/, "palette") -property_reader("QDialog", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QDialog", /::setFont\s*\(/, "font") -property_reader("QDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QDialog", /::setCursor\s*\(/, "cursor") -property_reader("QDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QDialog", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QDialog", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QDialog", /::setVisible\s*\(/, "visible") -property_reader("QDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QDialog", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QDialog", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QDialog", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QDialog", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QDialog", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QDialog", /::setWindowModified\s*\(/, "windowModified") -property_reader("QDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QDialog", /::setToolTip\s*\(/, "toolTip") -property_reader("QDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QDialog", /::setStatusTip\s*\(/, "statusTip") -property_reader("QDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QDialog", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QDialog", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QDialog", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QDialog", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QDialog", /::setLocale\s*\(/, "locale") -property_reader("QDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QDialog", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QDialog", /::setModal\s*\(/, "modal") -property_reader("QDialogButtonBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDialogButtonBox", /::setObjectName\s*\(/, "objectName") -property_reader("QDialogButtonBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QDialogButtonBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QDialogButtonBox", /::setWindowModality\s*\(/, "windowModality") -property_reader("QDialogButtonBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QDialogButtonBox", /::setEnabled\s*\(/, "enabled") -property_reader("QDialogButtonBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QDialogButtonBox", /::setGeometry\s*\(/, "geometry") -property_reader("QDialogButtonBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QDialogButtonBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QDialogButtonBox", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QDialogButtonBox", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QDialogButtonBox", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QDialogButtonBox", /::setPos\s*\(/, "pos") -property_reader("QDialogButtonBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QDialogButtonBox", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QDialogButtonBox", /::setSize\s*\(/, "size") -property_reader("QDialogButtonBox", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QDialogButtonBox", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QDialogButtonBox", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QDialogButtonBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QDialogButtonBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QDialogButtonBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QDialogButtonBox", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QDialogButtonBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QDialogButtonBox", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QDialogButtonBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QDialogButtonBox", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QDialogButtonBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QDialogButtonBox", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QDialogButtonBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QDialogButtonBox", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QDialogButtonBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QDialogButtonBox", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QDialogButtonBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QDialogButtonBox", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QDialogButtonBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QDialogButtonBox", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QDialogButtonBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QDialogButtonBox", /::setBaseSize\s*\(/, "baseSize") -property_reader("QDialogButtonBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QDialogButtonBox", /::setPalette\s*\(/, "palette") -property_reader("QDialogButtonBox", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QDialogButtonBox", /::setFont\s*\(/, "font") -property_reader("QDialogButtonBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QDialogButtonBox", /::setCursor\s*\(/, "cursor") -property_reader("QDialogButtonBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QDialogButtonBox", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QDialogButtonBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QDialogButtonBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QDialogButtonBox", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QDialogButtonBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QDialogButtonBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QDialogButtonBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QDialogButtonBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QDialogButtonBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QDialogButtonBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QDialogButtonBox", /::setVisible\s*\(/, "visible") -property_reader("QDialogButtonBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QDialogButtonBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QDialogButtonBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QDialogButtonBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QDialogButtonBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QDialogButtonBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QDialogButtonBox", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QDialogButtonBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QDialogButtonBox", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QDialogButtonBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QDialogButtonBox", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QDialogButtonBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QDialogButtonBox", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QDialogButtonBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QDialogButtonBox", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QDialogButtonBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QDialogButtonBox", /::setWindowModified\s*\(/, "windowModified") -property_reader("QDialogButtonBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QDialogButtonBox", /::setToolTip\s*\(/, "toolTip") -property_reader("QDialogButtonBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QDialogButtonBox", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QDialogButtonBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QDialogButtonBox", /::setStatusTip\s*\(/, "statusTip") -property_reader("QDialogButtonBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QDialogButtonBox", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QDialogButtonBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QDialogButtonBox", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QDialogButtonBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QDialogButtonBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QDialogButtonBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QDialogButtonBox", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QDialogButtonBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QDialogButtonBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QDialogButtonBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QDialogButtonBox", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QDialogButtonBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QDialogButtonBox", /::setLocale\s*\(/, "locale") -property_reader("QDialogButtonBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QDialogButtonBox", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QDialogButtonBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QDialogButtonBox", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QDialogButtonBox", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") -property_writer("QDialogButtonBox", /::setOrientation\s*\(/, "orientation") -property_reader("QDialogButtonBox", /::(standardButtons|isStandardButtons|hasStandardButtons)\s*\(/, "standardButtons") -property_writer("QDialogButtonBox", /::setStandardButtons\s*\(/, "standardButtons") -property_reader("QDialogButtonBox", /::(centerButtons|isCenterButtons|hasCenterButtons)\s*\(/, "centerButtons") -property_writer("QDialogButtonBox", /::setCenterButtons\s*\(/, "centerButtons") -property_reader("QDirModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDirModel", /::setObjectName\s*\(/, "objectName") -property_reader("QDirModel", /::(resolveSymlinks|isResolveSymlinks|hasResolveSymlinks)\s*\(/, "resolveSymlinks") -property_writer("QDirModel", /::setResolveSymlinks\s*\(/, "resolveSymlinks") -property_reader("QDirModel", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QDirModel", /::setReadOnly\s*\(/, "readOnly") -property_reader("QDirModel", /::(lazyChildCount|isLazyChildCount|hasLazyChildCount)\s*\(/, "lazyChildCount") -property_writer("QDirModel", /::setLazyChildCount\s*\(/, "lazyChildCount") -property_reader("QDnsLookup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDnsLookup", /::setObjectName\s*\(/, "objectName") -property_reader("QDnsLookup", /::(error|isError|hasError)\s*\(/, "error") -property_reader("QDnsLookup", /::(errorString|isErrorString|hasErrorString)\s*\(/, "errorString") -property_reader("QDnsLookup", /::(name|isName|hasName)\s*\(/, "name") -property_writer("QDnsLookup", /::setName\s*\(/, "name") -property_reader("QDnsLookup", /::(type|isType|hasType)\s*\(/, "type") -property_writer("QDnsLookup", /::setType\s*\(/, "type") -property_reader("QDnsLookup", /::(nameserver|isNameserver|hasNameserver)\s*\(/, "nameserver") -property_writer("QDnsLookup", /::setNameserver\s*\(/, "nameserver") -property_reader("QDockWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDockWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QDockWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QDockWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QDockWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QDockWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QDockWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QDockWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QDockWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QDockWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QDockWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QDockWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QDockWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QDockWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QDockWidget", /::setPos\s*\(/, "pos") -property_reader("QDockWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QDockWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QDockWidget", /::setSize\s*\(/, "size") -property_reader("QDockWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QDockWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QDockWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QDockWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QDockWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QDockWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QDockWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QDockWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QDockWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QDockWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QDockWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QDockWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QDockWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QDockWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QDockWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QDockWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QDockWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QDockWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QDockWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QDockWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QDockWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QDockWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QDockWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QDockWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QDockWidget", /::setPalette\s*\(/, "palette") -property_reader("QDockWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QDockWidget", /::setFont\s*\(/, "font") -property_reader("QDockWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QDockWidget", /::setCursor\s*\(/, "cursor") -property_reader("QDockWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QDockWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QDockWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QDockWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QDockWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QDockWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QDockWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QDockWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QDockWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QDockWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QDockWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QDockWidget", /::setVisible\s*\(/, "visible") -property_reader("QDockWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QDockWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QDockWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QDockWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QDockWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QDockWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QDockWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QDockWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QDockWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QDockWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QDockWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QDockWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QDockWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QDockWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QDockWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QDockWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QDockWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QDockWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QDockWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QDockWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QDockWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QDockWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QDockWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QDockWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QDockWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QDockWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QDockWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QDockWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QDockWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QDockWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QDockWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QDockWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QDockWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QDockWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QDockWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QDockWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QDockWidget", /::setLocale\s*\(/, "locale") -property_reader("QDockWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QDockWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QDockWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QDockWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QDockWidget", /::(floating|isFloating|hasFloating)\s*\(/, "floating") -property_writer("QDockWidget", /::setFloating\s*\(/, "floating") -property_reader("QDockWidget", /::(features|isFeatures|hasFeatures)\s*\(/, "features") -property_writer("QDockWidget", /::setFeatures\s*\(/, "features") -property_reader("QDockWidget", /::(allowedAreas|isAllowedAreas|hasAllowedAreas)\s*\(/, "allowedAreas") -property_writer("QDockWidget", /::setAllowedAreas\s*\(/, "allowedAreas") -property_reader("QDockWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QDockWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QDoubleSpinBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDoubleSpinBox", /::setObjectName\s*\(/, "objectName") -property_reader("QDoubleSpinBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QDoubleSpinBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QDoubleSpinBox", /::setWindowModality\s*\(/, "windowModality") -property_reader("QDoubleSpinBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QDoubleSpinBox", /::setEnabled\s*\(/, "enabled") -property_reader("QDoubleSpinBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QDoubleSpinBox", /::setGeometry\s*\(/, "geometry") -property_reader("QDoubleSpinBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QDoubleSpinBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QDoubleSpinBox", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QDoubleSpinBox", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QDoubleSpinBox", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QDoubleSpinBox", /::setPos\s*\(/, "pos") -property_reader("QDoubleSpinBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QDoubleSpinBox", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QDoubleSpinBox", /::setSize\s*\(/, "size") -property_reader("QDoubleSpinBox", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QDoubleSpinBox", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QDoubleSpinBox", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QDoubleSpinBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QDoubleSpinBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QDoubleSpinBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QDoubleSpinBox", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QDoubleSpinBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QDoubleSpinBox", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QDoubleSpinBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QDoubleSpinBox", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QDoubleSpinBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QDoubleSpinBox", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QDoubleSpinBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QDoubleSpinBox", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QDoubleSpinBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QDoubleSpinBox", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QDoubleSpinBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QDoubleSpinBox", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QDoubleSpinBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QDoubleSpinBox", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QDoubleSpinBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QDoubleSpinBox", /::setBaseSize\s*\(/, "baseSize") -property_reader("QDoubleSpinBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QDoubleSpinBox", /::setPalette\s*\(/, "palette") -property_reader("QDoubleSpinBox", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QDoubleSpinBox", /::setFont\s*\(/, "font") -property_reader("QDoubleSpinBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QDoubleSpinBox", /::setCursor\s*\(/, "cursor") -property_reader("QDoubleSpinBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QDoubleSpinBox", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QDoubleSpinBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QDoubleSpinBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QDoubleSpinBox", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QDoubleSpinBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QDoubleSpinBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QDoubleSpinBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QDoubleSpinBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QDoubleSpinBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QDoubleSpinBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QDoubleSpinBox", /::setVisible\s*\(/, "visible") -property_reader("QDoubleSpinBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QDoubleSpinBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QDoubleSpinBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QDoubleSpinBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QDoubleSpinBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QDoubleSpinBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QDoubleSpinBox", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QDoubleSpinBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QDoubleSpinBox", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QDoubleSpinBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QDoubleSpinBox", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QDoubleSpinBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QDoubleSpinBox", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QDoubleSpinBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QDoubleSpinBox", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QDoubleSpinBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QDoubleSpinBox", /::setWindowModified\s*\(/, "windowModified") -property_reader("QDoubleSpinBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QDoubleSpinBox", /::setToolTip\s*\(/, "toolTip") -property_reader("QDoubleSpinBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QDoubleSpinBox", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QDoubleSpinBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QDoubleSpinBox", /::setStatusTip\s*\(/, "statusTip") -property_reader("QDoubleSpinBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QDoubleSpinBox", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QDoubleSpinBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QDoubleSpinBox", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QDoubleSpinBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QDoubleSpinBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QDoubleSpinBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QDoubleSpinBox", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QDoubleSpinBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QDoubleSpinBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QDoubleSpinBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QDoubleSpinBox", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QDoubleSpinBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QDoubleSpinBox", /::setLocale\s*\(/, "locale") -property_reader("QDoubleSpinBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QDoubleSpinBox", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QDoubleSpinBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QDoubleSpinBox", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QDoubleSpinBox", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") -property_writer("QDoubleSpinBox", /::setWrapping\s*\(/, "wrapping") -property_reader("QDoubleSpinBox", /::(frame|isFrame|hasFrame)\s*\(/, "frame") -property_writer("QDoubleSpinBox", /::setFrame\s*\(/, "frame") -property_reader("QDoubleSpinBox", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QDoubleSpinBox", /::setAlignment\s*\(/, "alignment") -property_reader("QDoubleSpinBox", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QDoubleSpinBox", /::setReadOnly\s*\(/, "readOnly") -property_reader("QDoubleSpinBox", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") -property_writer("QDoubleSpinBox", /::setButtonSymbols\s*\(/, "buttonSymbols") -property_reader("QDoubleSpinBox", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") -property_writer("QDoubleSpinBox", /::setSpecialValueText\s*\(/, "specialValueText") -property_reader("QDoubleSpinBox", /::(text|isText|hasText)\s*\(/, "text") -property_reader("QDoubleSpinBox", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") -property_writer("QDoubleSpinBox", /::setAccelerated\s*\(/, "accelerated") -property_reader("QDoubleSpinBox", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") -property_writer("QDoubleSpinBox", /::setCorrectionMode\s*\(/, "correctionMode") -property_reader("QDoubleSpinBox", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") -property_reader("QDoubleSpinBox", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") -property_writer("QDoubleSpinBox", /::setKeyboardTracking\s*\(/, "keyboardTracking") -property_reader("QDoubleSpinBox", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") -property_writer("QDoubleSpinBox", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") -property_reader("QDoubleSpinBox", /::(prefix|isPrefix|hasPrefix)\s*\(/, "prefix") -property_writer("QDoubleSpinBox", /::setPrefix\s*\(/, "prefix") -property_reader("QDoubleSpinBox", /::(suffix|isSuffix|hasSuffix)\s*\(/, "suffix") -property_writer("QDoubleSpinBox", /::setSuffix\s*\(/, "suffix") -property_reader("QDoubleSpinBox", /::(cleanText|isCleanText|hasCleanText)\s*\(/, "cleanText") -property_reader("QDoubleSpinBox", /::(decimals|isDecimals|hasDecimals)\s*\(/, "decimals") -property_writer("QDoubleSpinBox", /::setDecimals\s*\(/, "decimals") -property_reader("QDoubleSpinBox", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") -property_writer("QDoubleSpinBox", /::setMinimum\s*\(/, "minimum") -property_reader("QDoubleSpinBox", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") -property_writer("QDoubleSpinBox", /::setMaximum\s*\(/, "maximum") -property_reader("QDoubleSpinBox", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") -property_writer("QDoubleSpinBox", /::setSingleStep\s*\(/, "singleStep") -property_reader("QDoubleSpinBox", /::(value|isValue|hasValue)\s*\(/, "value") -property_writer("QDoubleSpinBox", /::setValue\s*\(/, "value") -property_reader("QDoubleValidator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDoubleValidator", /::setObjectName\s*\(/, "objectName") -property_reader("QDoubleValidator", /::(bottom|isBottom|hasBottom)\s*\(/, "bottom") -property_writer("QDoubleValidator", /::setBottom\s*\(/, "bottom") -property_reader("QDoubleValidator", /::(top|isTop|hasTop)\s*\(/, "top") -property_writer("QDoubleValidator", /::setTop\s*\(/, "top") -property_reader("QDoubleValidator", /::(decimals|isDecimals|hasDecimals)\s*\(/, "decimals") -property_writer("QDoubleValidator", /::setDecimals\s*\(/, "decimals") -property_reader("QDoubleValidator", /::(notation|isNotation|hasNotation)\s*\(/, "notation") -property_writer("QDoubleValidator", /::setNotation\s*\(/, "notation") -property_reader("QDrag", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDrag", /::setObjectName\s*\(/, "objectName") -property_reader("QErrorMessage", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QErrorMessage", /::setObjectName\s*\(/, "objectName") -property_reader("QErrorMessage", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QErrorMessage", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QErrorMessage", /::setWindowModality\s*\(/, "windowModality") -property_reader("QErrorMessage", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QErrorMessage", /::setEnabled\s*\(/, "enabled") -property_reader("QErrorMessage", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QErrorMessage", /::setGeometry\s*\(/, "geometry") -property_reader("QErrorMessage", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QErrorMessage", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QErrorMessage", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QErrorMessage", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QErrorMessage", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QErrorMessage", /::setPos\s*\(/, "pos") -property_reader("QErrorMessage", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QErrorMessage", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QErrorMessage", /::setSize\s*\(/, "size") -property_reader("QErrorMessage", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QErrorMessage", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QErrorMessage", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QErrorMessage", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QErrorMessage", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QErrorMessage", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QErrorMessage", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QErrorMessage", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QErrorMessage", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QErrorMessage", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QErrorMessage", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QErrorMessage", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QErrorMessage", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QErrorMessage", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QErrorMessage", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QErrorMessage", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QErrorMessage", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QErrorMessage", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QErrorMessage", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QErrorMessage", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QErrorMessage", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QErrorMessage", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QErrorMessage", /::setBaseSize\s*\(/, "baseSize") -property_reader("QErrorMessage", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QErrorMessage", /::setPalette\s*\(/, "palette") -property_reader("QErrorMessage", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QErrorMessage", /::setFont\s*\(/, "font") -property_reader("QErrorMessage", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QErrorMessage", /::setCursor\s*\(/, "cursor") -property_reader("QErrorMessage", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QErrorMessage", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QErrorMessage", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QErrorMessage", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QErrorMessage", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QErrorMessage", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QErrorMessage", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QErrorMessage", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QErrorMessage", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QErrorMessage", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QErrorMessage", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QErrorMessage", /::setVisible\s*\(/, "visible") -property_reader("QErrorMessage", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QErrorMessage", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QErrorMessage", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QErrorMessage", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QErrorMessage", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QErrorMessage", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QErrorMessage", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QErrorMessage", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QErrorMessage", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QErrorMessage", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QErrorMessage", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QErrorMessage", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QErrorMessage", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QErrorMessage", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QErrorMessage", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QErrorMessage", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QErrorMessage", /::setWindowModified\s*\(/, "windowModified") -property_reader("QErrorMessage", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QErrorMessage", /::setToolTip\s*\(/, "toolTip") -property_reader("QErrorMessage", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QErrorMessage", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QErrorMessage", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QErrorMessage", /::setStatusTip\s*\(/, "statusTip") -property_reader("QErrorMessage", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QErrorMessage", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QErrorMessage", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QErrorMessage", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QErrorMessage", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QErrorMessage", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QErrorMessage", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QErrorMessage", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QErrorMessage", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QErrorMessage", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QErrorMessage", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QErrorMessage", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QErrorMessage", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QErrorMessage", /::setLocale\s*\(/, "locale") -property_reader("QErrorMessage", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QErrorMessage", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QErrorMessage", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QErrorMessage", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QErrorMessage", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QErrorMessage", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QErrorMessage", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QErrorMessage", /::setModal\s*\(/, "modal") -property_reader("QEventLoop", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QEventLoop", /::setObjectName\s*\(/, "objectName") -property_reader("QEventTransition", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QEventTransition", /::setObjectName\s*\(/, "objectName") -property_reader("QEventTransition", /::(sourceState|isSourceState|hasSourceState)\s*\(/, "sourceState") -property_reader("QEventTransition", /::(targetState|isTargetState|hasTargetState)\s*\(/, "targetState") -property_writer("QEventTransition", /::setTargetState\s*\(/, "targetState") -property_reader("QEventTransition", /::(targetStates|isTargetStates|hasTargetStates)\s*\(/, "targetStates") -property_writer("QEventTransition", /::setTargetStates\s*\(/, "targetStates") -property_reader("QEventTransition", /::(transitionType|isTransitionType|hasTransitionType)\s*\(/, "transitionType") -property_writer("QEventTransition", /::setTransitionType\s*\(/, "transitionType") -property_reader("QEventTransition", /::(eventSource|isEventSource|hasEventSource)\s*\(/, "eventSource") -property_writer("QEventTransition", /::setEventSource\s*\(/, "eventSource") -property_reader("QEventTransition", /::(eventType|isEventType|hasEventType)\s*\(/, "eventType") -property_writer("QEventTransition", /::setEventType\s*\(/, "eventType") -property_reader("QFile", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFile", /::setObjectName\s*\(/, "objectName") -property_reader("QFileDevice", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFileDevice", /::setObjectName\s*\(/, "objectName") -property_reader("QFileDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFileDialog", /::setObjectName\s*\(/, "objectName") -property_reader("QFileDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QFileDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QFileDialog", /::setWindowModality\s*\(/, "windowModality") -property_reader("QFileDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QFileDialog", /::setEnabled\s*\(/, "enabled") -property_reader("QFileDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QFileDialog", /::setGeometry\s*\(/, "geometry") -property_reader("QFileDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QFileDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QFileDialog", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QFileDialog", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QFileDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QFileDialog", /::setPos\s*\(/, "pos") -property_reader("QFileDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QFileDialog", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QFileDialog", /::setSize\s*\(/, "size") -property_reader("QFileDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QFileDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QFileDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QFileDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QFileDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QFileDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QFileDialog", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QFileDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QFileDialog", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QFileDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QFileDialog", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QFileDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QFileDialog", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QFileDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QFileDialog", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QFileDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QFileDialog", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QFileDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QFileDialog", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QFileDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QFileDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QFileDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QFileDialog", /::setBaseSize\s*\(/, "baseSize") -property_reader("QFileDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QFileDialog", /::setPalette\s*\(/, "palette") -property_reader("QFileDialog", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QFileDialog", /::setFont\s*\(/, "font") -property_reader("QFileDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QFileDialog", /::setCursor\s*\(/, "cursor") -property_reader("QFileDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QFileDialog", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QFileDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QFileDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QFileDialog", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QFileDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QFileDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QFileDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QFileDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QFileDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QFileDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QFileDialog", /::setVisible\s*\(/, "visible") -property_reader("QFileDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QFileDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QFileDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QFileDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QFileDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QFileDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QFileDialog", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QFileDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QFileDialog", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QFileDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QFileDialog", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QFileDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QFileDialog", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QFileDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QFileDialog", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QFileDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QFileDialog", /::setWindowModified\s*\(/, "windowModified") -property_reader("QFileDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QFileDialog", /::setToolTip\s*\(/, "toolTip") -property_reader("QFileDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QFileDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QFileDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QFileDialog", /::setStatusTip\s*\(/, "statusTip") -property_reader("QFileDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QFileDialog", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QFileDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QFileDialog", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QFileDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QFileDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QFileDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QFileDialog", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QFileDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QFileDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QFileDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QFileDialog", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QFileDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QFileDialog", /::setLocale\s*\(/, "locale") -property_reader("QFileDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QFileDialog", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QFileDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QFileDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QFileDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QFileDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QFileDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QFileDialog", /::setModal\s*\(/, "modal") -property_reader("QFileDialog", /::(viewMode|isViewMode|hasViewMode)\s*\(/, "viewMode") -property_writer("QFileDialog", /::setViewMode\s*\(/, "viewMode") -property_reader("QFileDialog", /::(fileMode|isFileMode|hasFileMode)\s*\(/, "fileMode") -property_writer("QFileDialog", /::setFileMode\s*\(/, "fileMode") -property_reader("QFileDialog", /::(acceptMode|isAcceptMode|hasAcceptMode)\s*\(/, "acceptMode") -property_writer("QFileDialog", /::setAcceptMode\s*\(/, "acceptMode") -property_reader("QFileDialog", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QFileDialog", /::setReadOnly\s*\(/, "readOnly") -property_reader("QFileDialog", /::(resolveSymlinks|isResolveSymlinks|hasResolveSymlinks)\s*\(/, "resolveSymlinks") -property_writer("QFileDialog", /::setResolveSymlinks\s*\(/, "resolveSymlinks") -property_reader("QFileDialog", /::(confirmOverwrite|isConfirmOverwrite|hasConfirmOverwrite)\s*\(/, "confirmOverwrite") -property_writer("QFileDialog", /::setConfirmOverwrite\s*\(/, "confirmOverwrite") -property_reader("QFileDialog", /::(defaultSuffix|isDefaultSuffix|hasDefaultSuffix)\s*\(/, "defaultSuffix") -property_writer("QFileDialog", /::setDefaultSuffix\s*\(/, "defaultSuffix") -property_reader("QFileDialog", /::(nameFilterDetailsVisible|isNameFilterDetailsVisible|hasNameFilterDetailsVisible)\s*\(/, "nameFilterDetailsVisible") -property_writer("QFileDialog", /::setNameFilterDetailsVisible\s*\(/, "nameFilterDetailsVisible") -property_reader("QFileDialog", /::(options|isOptions|hasOptions)\s*\(/, "options") -property_writer("QFileDialog", /::setOptions\s*\(/, "options") -property_reader("QFileSelector", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFileSelector", /::setObjectName\s*\(/, "objectName") -property_reader("QFileSystemModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFileSystemModel", /::setObjectName\s*\(/, "objectName") -property_reader("QFileSystemModel", /::(resolveSymlinks|isResolveSymlinks|hasResolveSymlinks)\s*\(/, "resolveSymlinks") -property_writer("QFileSystemModel", /::setResolveSymlinks\s*\(/, "resolveSymlinks") -property_reader("QFileSystemModel", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QFileSystemModel", /::setReadOnly\s*\(/, "readOnly") -property_reader("QFileSystemModel", /::(nameFilterDisables|isNameFilterDisables|hasNameFilterDisables)\s*\(/, "nameFilterDisables") -property_writer("QFileSystemModel", /::setNameFilterDisables\s*\(/, "nameFilterDisables") -property_reader("QFileSystemWatcher", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFileSystemWatcher", /::setObjectName\s*\(/, "objectName") -property_reader("QFinalState", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFinalState", /::setObjectName\s*\(/, "objectName") -property_reader("QFinalState", /::(active|isActive|hasActive)\s*\(/, "active") -property_reader("QFocusFrame", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFocusFrame", /::setObjectName\s*\(/, "objectName") -property_reader("QFocusFrame", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QFocusFrame", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QFocusFrame", /::setWindowModality\s*\(/, "windowModality") -property_reader("QFocusFrame", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QFocusFrame", /::setEnabled\s*\(/, "enabled") -property_reader("QFocusFrame", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QFocusFrame", /::setGeometry\s*\(/, "geometry") -property_reader("QFocusFrame", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QFocusFrame", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QFocusFrame", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QFocusFrame", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QFocusFrame", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QFocusFrame", /::setPos\s*\(/, "pos") -property_reader("QFocusFrame", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QFocusFrame", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QFocusFrame", /::setSize\s*\(/, "size") -property_reader("QFocusFrame", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QFocusFrame", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QFocusFrame", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QFocusFrame", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QFocusFrame", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QFocusFrame", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QFocusFrame", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QFocusFrame", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QFocusFrame", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QFocusFrame", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QFocusFrame", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QFocusFrame", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QFocusFrame", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QFocusFrame", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QFocusFrame", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QFocusFrame", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QFocusFrame", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QFocusFrame", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QFocusFrame", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QFocusFrame", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QFocusFrame", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QFocusFrame", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QFocusFrame", /::setBaseSize\s*\(/, "baseSize") -property_reader("QFocusFrame", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QFocusFrame", /::setPalette\s*\(/, "palette") -property_reader("QFocusFrame", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QFocusFrame", /::setFont\s*\(/, "font") -property_reader("QFocusFrame", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QFocusFrame", /::setCursor\s*\(/, "cursor") -property_reader("QFocusFrame", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QFocusFrame", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QFocusFrame", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QFocusFrame", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QFocusFrame", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QFocusFrame", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QFocusFrame", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QFocusFrame", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QFocusFrame", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QFocusFrame", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QFocusFrame", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QFocusFrame", /::setVisible\s*\(/, "visible") -property_reader("QFocusFrame", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QFocusFrame", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QFocusFrame", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QFocusFrame", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QFocusFrame", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QFocusFrame", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QFocusFrame", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QFocusFrame", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QFocusFrame", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QFocusFrame", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QFocusFrame", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QFocusFrame", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QFocusFrame", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QFocusFrame", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QFocusFrame", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QFocusFrame", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QFocusFrame", /::setWindowModified\s*\(/, "windowModified") -property_reader("QFocusFrame", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QFocusFrame", /::setToolTip\s*\(/, "toolTip") -property_reader("QFocusFrame", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QFocusFrame", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QFocusFrame", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QFocusFrame", /::setStatusTip\s*\(/, "statusTip") -property_reader("QFocusFrame", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QFocusFrame", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QFocusFrame", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QFocusFrame", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QFocusFrame", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QFocusFrame", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QFocusFrame", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QFocusFrame", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QFocusFrame", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QFocusFrame", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QFocusFrame", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QFocusFrame", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QFocusFrame", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QFocusFrame", /::setLocale\s*\(/, "locale") -property_reader("QFocusFrame", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QFocusFrame", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QFocusFrame", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QFocusFrame", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QFontComboBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFontComboBox", /::setObjectName\s*\(/, "objectName") -property_reader("QFontComboBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QFontComboBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QFontComboBox", /::setWindowModality\s*\(/, "windowModality") -property_reader("QFontComboBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QFontComboBox", /::setEnabled\s*\(/, "enabled") -property_reader("QFontComboBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QFontComboBox", /::setGeometry\s*\(/, "geometry") -property_reader("QFontComboBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QFontComboBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QFontComboBox", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QFontComboBox", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QFontComboBox", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QFontComboBox", /::setPos\s*\(/, "pos") -property_reader("QFontComboBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QFontComboBox", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QFontComboBox", /::setSize\s*\(/, "size") -property_reader("QFontComboBox", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QFontComboBox", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QFontComboBox", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QFontComboBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QFontComboBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QFontComboBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QFontComboBox", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QFontComboBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QFontComboBox", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QFontComboBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QFontComboBox", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QFontComboBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QFontComboBox", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QFontComboBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QFontComboBox", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QFontComboBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QFontComboBox", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QFontComboBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QFontComboBox", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QFontComboBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QFontComboBox", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QFontComboBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QFontComboBox", /::setBaseSize\s*\(/, "baseSize") -property_reader("QFontComboBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QFontComboBox", /::setPalette\s*\(/, "palette") -property_reader("QFontComboBox", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QFontComboBox", /::setFont\s*\(/, "font") -property_reader("QFontComboBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QFontComboBox", /::setCursor\s*\(/, "cursor") -property_reader("QFontComboBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QFontComboBox", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QFontComboBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QFontComboBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QFontComboBox", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QFontComboBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QFontComboBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QFontComboBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QFontComboBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QFontComboBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QFontComboBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QFontComboBox", /::setVisible\s*\(/, "visible") -property_reader("QFontComboBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QFontComboBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QFontComboBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QFontComboBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QFontComboBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QFontComboBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QFontComboBox", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QFontComboBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QFontComboBox", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QFontComboBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QFontComboBox", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QFontComboBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QFontComboBox", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QFontComboBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QFontComboBox", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QFontComboBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QFontComboBox", /::setWindowModified\s*\(/, "windowModified") -property_reader("QFontComboBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QFontComboBox", /::setToolTip\s*\(/, "toolTip") -property_reader("QFontComboBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QFontComboBox", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QFontComboBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QFontComboBox", /::setStatusTip\s*\(/, "statusTip") -property_reader("QFontComboBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QFontComboBox", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QFontComboBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QFontComboBox", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QFontComboBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QFontComboBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QFontComboBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QFontComboBox", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QFontComboBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QFontComboBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QFontComboBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QFontComboBox", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QFontComboBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QFontComboBox", /::setLocale\s*\(/, "locale") -property_reader("QFontComboBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QFontComboBox", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QFontComboBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QFontComboBox", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QFontComboBox", /::(editable|isEditable|hasEditable)\s*\(/, "editable") -property_writer("QFontComboBox", /::setEditable\s*\(/, "editable") -property_reader("QFontComboBox", /::(count|isCount|hasCount)\s*\(/, "count") -property_reader("QFontComboBox", /::(currentText|isCurrentText|hasCurrentText)\s*\(/, "currentText") -property_writer("QFontComboBox", /::setCurrentText\s*\(/, "currentText") -property_reader("QFontComboBox", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") -property_writer("QFontComboBox", /::setCurrentIndex\s*\(/, "currentIndex") -property_reader("QFontComboBox", /::(currentData|isCurrentData|hasCurrentData)\s*\(/, "currentData") -property_reader("QFontComboBox", /::(maxVisibleItems|isMaxVisibleItems|hasMaxVisibleItems)\s*\(/, "maxVisibleItems") -property_writer("QFontComboBox", /::setMaxVisibleItems\s*\(/, "maxVisibleItems") -property_reader("QFontComboBox", /::(maxCount|isMaxCount|hasMaxCount)\s*\(/, "maxCount") -property_writer("QFontComboBox", /::setMaxCount\s*\(/, "maxCount") -property_reader("QFontComboBox", /::(insertPolicy|isInsertPolicy|hasInsertPolicy)\s*\(/, "insertPolicy") -property_writer("QFontComboBox", /::setInsertPolicy\s*\(/, "insertPolicy") -property_reader("QFontComboBox", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QFontComboBox", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QFontComboBox", /::(minimumContentsLength|isMinimumContentsLength|hasMinimumContentsLength)\s*\(/, "minimumContentsLength") -property_writer("QFontComboBox", /::setMinimumContentsLength\s*\(/, "minimumContentsLength") -property_reader("QFontComboBox", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QFontComboBox", /::setIconSize\s*\(/, "iconSize") -property_reader("QFontComboBox", /::(autoCompletion|isAutoCompletion|hasAutoCompletion)\s*\(/, "autoCompletion") -property_writer("QFontComboBox", /::setAutoCompletion\s*\(/, "autoCompletion") -property_reader("QFontComboBox", /::(autoCompletionCaseSensitivity|isAutoCompletionCaseSensitivity|hasAutoCompletionCaseSensitivity)\s*\(/, "autoCompletionCaseSensitivity") -property_writer("QFontComboBox", /::setAutoCompletionCaseSensitivity\s*\(/, "autoCompletionCaseSensitivity") -property_reader("QFontComboBox", /::(duplicatesEnabled|isDuplicatesEnabled|hasDuplicatesEnabled)\s*\(/, "duplicatesEnabled") -property_writer("QFontComboBox", /::setDuplicatesEnabled\s*\(/, "duplicatesEnabled") -property_reader("QFontComboBox", /::(frame|isFrame|hasFrame)\s*\(/, "frame") -property_writer("QFontComboBox", /::setFrame\s*\(/, "frame") -property_reader("QFontComboBox", /::(modelColumn|isModelColumn|hasModelColumn)\s*\(/, "modelColumn") -property_writer("QFontComboBox", /::setModelColumn\s*\(/, "modelColumn") -property_reader("QFontComboBox", /::(writingSystem|isWritingSystem|hasWritingSystem)\s*\(/, "writingSystem") -property_writer("QFontComboBox", /::setWritingSystem\s*\(/, "writingSystem") -property_reader("QFontComboBox", /::(fontFilters|isFontFilters|hasFontFilters)\s*\(/, "fontFilters") -property_writer("QFontComboBox", /::setFontFilters\s*\(/, "fontFilters") -property_reader("QFontComboBox", /::(currentFont|isCurrentFont|hasCurrentFont)\s*\(/, "currentFont") -property_writer("QFontComboBox", /::setCurrentFont\s*\(/, "currentFont") -property_reader("QFontDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFontDialog", /::setObjectName\s*\(/, "objectName") -property_reader("QFontDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QFontDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QFontDialog", /::setWindowModality\s*\(/, "windowModality") -property_reader("QFontDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QFontDialog", /::setEnabled\s*\(/, "enabled") -property_reader("QFontDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QFontDialog", /::setGeometry\s*\(/, "geometry") -property_reader("QFontDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QFontDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QFontDialog", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QFontDialog", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QFontDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QFontDialog", /::setPos\s*\(/, "pos") -property_reader("QFontDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QFontDialog", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QFontDialog", /::setSize\s*\(/, "size") -property_reader("QFontDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QFontDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QFontDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QFontDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QFontDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QFontDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QFontDialog", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QFontDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QFontDialog", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QFontDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QFontDialog", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QFontDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QFontDialog", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QFontDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QFontDialog", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QFontDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QFontDialog", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QFontDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QFontDialog", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QFontDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QFontDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QFontDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QFontDialog", /::setBaseSize\s*\(/, "baseSize") -property_reader("QFontDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QFontDialog", /::setPalette\s*\(/, "palette") -property_reader("QFontDialog", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QFontDialog", /::setFont\s*\(/, "font") -property_reader("QFontDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QFontDialog", /::setCursor\s*\(/, "cursor") -property_reader("QFontDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QFontDialog", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QFontDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QFontDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QFontDialog", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QFontDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QFontDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QFontDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QFontDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QFontDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QFontDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QFontDialog", /::setVisible\s*\(/, "visible") -property_reader("QFontDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QFontDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QFontDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QFontDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QFontDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QFontDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QFontDialog", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QFontDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QFontDialog", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QFontDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QFontDialog", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QFontDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QFontDialog", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QFontDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QFontDialog", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QFontDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QFontDialog", /::setWindowModified\s*\(/, "windowModified") -property_reader("QFontDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QFontDialog", /::setToolTip\s*\(/, "toolTip") -property_reader("QFontDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QFontDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QFontDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QFontDialog", /::setStatusTip\s*\(/, "statusTip") -property_reader("QFontDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QFontDialog", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QFontDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QFontDialog", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QFontDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QFontDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QFontDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QFontDialog", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QFontDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QFontDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QFontDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QFontDialog", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QFontDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QFontDialog", /::setLocale\s*\(/, "locale") -property_reader("QFontDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QFontDialog", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QFontDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QFontDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QFontDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QFontDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QFontDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QFontDialog", /::setModal\s*\(/, "modal") -property_reader("QFontDialog", /::(currentFont|isCurrentFont|hasCurrentFont)\s*\(/, "currentFont") -property_writer("QFontDialog", /::setCurrentFont\s*\(/, "currentFont") -property_reader("QFontDialog", /::(options|isOptions|hasOptions)\s*\(/, "options") -property_writer("QFontDialog", /::setOptions\s*\(/, "options") -property_reader("QFormLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFormLayout", /::setObjectName\s*\(/, "objectName") -property_reader("QFormLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") -property_writer("QFormLayout", /::setMargin\s*\(/, "margin") -property_reader("QFormLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QFormLayout", /::setSpacing\s*\(/, "spacing") -property_reader("QFormLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") -property_writer("QFormLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") -property_reader("QFormLayout", /::(fieldGrowthPolicy|isFieldGrowthPolicy|hasFieldGrowthPolicy)\s*\(/, "fieldGrowthPolicy") -property_writer("QFormLayout", /::setFieldGrowthPolicy\s*\(/, "fieldGrowthPolicy") -property_reader("QFormLayout", /::(rowWrapPolicy|isRowWrapPolicy|hasRowWrapPolicy)\s*\(/, "rowWrapPolicy") -property_writer("QFormLayout", /::setRowWrapPolicy\s*\(/, "rowWrapPolicy") -property_reader("QFormLayout", /::(labelAlignment|isLabelAlignment|hasLabelAlignment)\s*\(/, "labelAlignment") -property_writer("QFormLayout", /::setLabelAlignment\s*\(/, "labelAlignment") -property_reader("QFormLayout", /::(formAlignment|isFormAlignment|hasFormAlignment)\s*\(/, "formAlignment") -property_writer("QFormLayout", /::setFormAlignment\s*\(/, "formAlignment") -property_reader("QFormLayout", /::(horizontalSpacing|isHorizontalSpacing|hasHorizontalSpacing)\s*\(/, "horizontalSpacing") -property_writer("QFormLayout", /::setHorizontalSpacing\s*\(/, "horizontalSpacing") -property_reader("QFormLayout", /::(verticalSpacing|isVerticalSpacing|hasVerticalSpacing)\s*\(/, "verticalSpacing") -property_writer("QFormLayout", /::setVerticalSpacing\s*\(/, "verticalSpacing") -property_reader("QFrame", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFrame", /::setObjectName\s*\(/, "objectName") -property_reader("QFrame", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QFrame", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QFrame", /::setWindowModality\s*\(/, "windowModality") -property_reader("QFrame", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QFrame", /::setEnabled\s*\(/, "enabled") -property_reader("QFrame", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QFrame", /::setGeometry\s*\(/, "geometry") -property_reader("QFrame", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QFrame", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QFrame", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QFrame", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QFrame", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QFrame", /::setPos\s*\(/, "pos") -property_reader("QFrame", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QFrame", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QFrame", /::setSize\s*\(/, "size") -property_reader("QFrame", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QFrame", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QFrame", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QFrame", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QFrame", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QFrame", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QFrame", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QFrame", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QFrame", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QFrame", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QFrame", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QFrame", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QFrame", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QFrame", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QFrame", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QFrame", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QFrame", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QFrame", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QFrame", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QFrame", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QFrame", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QFrame", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QFrame", /::setBaseSize\s*\(/, "baseSize") -property_reader("QFrame", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QFrame", /::setPalette\s*\(/, "palette") -property_reader("QFrame", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QFrame", /::setFont\s*\(/, "font") -property_reader("QFrame", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QFrame", /::setCursor\s*\(/, "cursor") -property_reader("QFrame", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QFrame", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QFrame", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QFrame", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QFrame", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QFrame", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QFrame", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QFrame", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QFrame", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QFrame", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QFrame", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QFrame", /::setVisible\s*\(/, "visible") -property_reader("QFrame", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QFrame", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QFrame", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QFrame", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QFrame", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QFrame", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QFrame", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QFrame", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QFrame", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QFrame", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QFrame", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QFrame", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QFrame", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QFrame", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QFrame", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QFrame", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QFrame", /::setWindowModified\s*\(/, "windowModified") -property_reader("QFrame", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QFrame", /::setToolTip\s*\(/, "toolTip") -property_reader("QFrame", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QFrame", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QFrame", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QFrame", /::setStatusTip\s*\(/, "statusTip") -property_reader("QFrame", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QFrame", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QFrame", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QFrame", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QFrame", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QFrame", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QFrame", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QFrame", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QFrame", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QFrame", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QFrame", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QFrame", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QFrame", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QFrame", /::setLocale\s*\(/, "locale") -property_reader("QFrame", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QFrame", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QFrame", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QFrame", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QFrame", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QFrame", /::setFrameShape\s*\(/, "frameShape") -property_reader("QFrame", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QFrame", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QFrame", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QFrame", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QFrame", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QFrame", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QFrame", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QFrame", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QFrame", /::setFrameRect\s*\(/, "frameRect") -property_reader("QGenericPlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGenericPlugin", /::setObjectName\s*\(/, "objectName") -property_reader("QGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGesture", /::setObjectName\s*\(/, "objectName") -property_reader("QGesture", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") -property_reader("QGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") -property_writer("QGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") -property_reader("QGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") -property_writer("QGesture", /::setHotSpot\s*\(/, "hotSpot") -property_reader("QGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") -property_reader("QGraphicsAnchor", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsAnchor", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsAnchor", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QGraphicsAnchor", /::setSpacing\s*\(/, "spacing") -property_reader("QGraphicsAnchor", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QGraphicsAnchor", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QGraphicsBlurEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsBlurEffect", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsBlurEffect", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsBlurEffect", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsBlurEffect", /::(blurRadius|isBlurRadius|hasBlurRadius)\s*\(/, "blurRadius") -property_writer("QGraphicsBlurEffect", /::setBlurRadius\s*\(/, "blurRadius") -property_reader("QGraphicsBlurEffect", /::(blurHints|isBlurHints|hasBlurHints)\s*\(/, "blurHints") -property_writer("QGraphicsBlurEffect", /::setBlurHints\s*\(/, "blurHints") -property_reader("QGraphicsColorizeEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsColorizeEffect", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsColorizeEffect", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsColorizeEffect", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsColorizeEffect", /::(color|isColor|hasColor)\s*\(/, "color") -property_writer("QGraphicsColorizeEffect", /::setColor\s*\(/, "color") -property_reader("QGraphicsColorizeEffect", /::(strength|isStrength|hasStrength)\s*\(/, "strength") -property_writer("QGraphicsColorizeEffect", /::setStrength\s*\(/, "strength") -property_reader("QGraphicsDropShadowEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsDropShadowEffect", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsDropShadowEffect", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsDropShadowEffect", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsDropShadowEffect", /::(offset|isOffset|hasOffset)\s*\(/, "offset") -property_writer("QGraphicsDropShadowEffect", /::setOffset\s*\(/, "offset") -property_reader("QGraphicsDropShadowEffect", /::(xOffset|isXOffset|hasXOffset)\s*\(/, "xOffset") -property_writer("QGraphicsDropShadowEffect", /::setXOffset\s*\(/, "xOffset") -property_reader("QGraphicsDropShadowEffect", /::(yOffset|isYOffset|hasYOffset)\s*\(/, "yOffset") -property_writer("QGraphicsDropShadowEffect", /::setYOffset\s*\(/, "yOffset") -property_reader("QGraphicsDropShadowEffect", /::(blurRadius|isBlurRadius|hasBlurRadius)\s*\(/, "blurRadius") -property_writer("QGraphicsDropShadowEffect", /::setBlurRadius\s*\(/, "blurRadius") -property_reader("QGraphicsDropShadowEffect", /::(color|isColor|hasColor)\s*\(/, "color") -property_writer("QGraphicsDropShadowEffect", /::setColor\s*\(/, "color") -property_reader("QGraphicsEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsEffect", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsEffect", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsEffect", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsItemAnimation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsItemAnimation", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsObject", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsObject", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsObject", /::(parent|isParent|hasParent)\s*\(/, "parent") -property_writer("QGraphicsObject", /::setParent\s*\(/, "parent") -property_reader("QGraphicsObject", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") -property_writer("QGraphicsObject", /::setOpacity\s*\(/, "opacity") -property_reader("QGraphicsObject", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsObject", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsObject", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QGraphicsObject", /::setVisible\s*\(/, "visible") -property_reader("QGraphicsObject", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QGraphicsObject", /::setPos\s*\(/, "pos") -property_reader("QGraphicsObject", /::(x|isX|hasX)\s*\(/, "x") -property_writer("QGraphicsObject", /::setX\s*\(/, "x") -property_reader("QGraphicsObject", /::(y|isY|hasY)\s*\(/, "y") -property_writer("QGraphicsObject", /::setY\s*\(/, "y") -property_reader("QGraphicsObject", /::(z|isZ|hasZ)\s*\(/, "z") -property_writer("QGraphicsObject", /::setZ\s*\(/, "z") -property_reader("QGraphicsObject", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") -property_writer("QGraphicsObject", /::setRotation\s*\(/, "rotation") -property_reader("QGraphicsObject", /::(scale|isScale|hasScale)\s*\(/, "scale") -property_writer("QGraphicsObject", /::setScale\s*\(/, "scale") -property_reader("QGraphicsObject", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") -property_writer("QGraphicsObject", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") -property_reader("QGraphicsObject", /::(effect|isEffect|hasEffect)\s*\(/, "effect") -property_writer("QGraphicsObject", /::setEffect\s*\(/, "effect") -property_reader("QGraphicsObject", /::(children|isChildren|hasChildren)\s*\(/, "children") -property_reader("QGraphicsObject", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_writer("QGraphicsObject", /::setWidth\s*\(/, "width") -property_reader("QGraphicsObject", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_writer("QGraphicsObject", /::setHeight\s*\(/, "height") -property_reader("QGraphicsOpacityEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsOpacityEffect", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsOpacityEffect", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsOpacityEffect", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsOpacityEffect", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") -property_writer("QGraphicsOpacityEffect", /::setOpacity\s*\(/, "opacity") -property_reader("QGraphicsOpacityEffect", /::(opacityMask|isOpacityMask|hasOpacityMask)\s*\(/, "opacityMask") -property_writer("QGraphicsOpacityEffect", /::setOpacityMask\s*\(/, "opacityMask") -property_reader("QGraphicsProxyWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsProxyWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsProxyWidget", /::(parent|isParent|hasParent)\s*\(/, "parent") -property_writer("QGraphicsProxyWidget", /::setParent\s*\(/, "parent") -property_reader("QGraphicsProxyWidget", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") -property_writer("QGraphicsProxyWidget", /::setOpacity\s*\(/, "opacity") -property_reader("QGraphicsProxyWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsProxyWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsProxyWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QGraphicsProxyWidget", /::setVisible\s*\(/, "visible") -property_reader("QGraphicsProxyWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QGraphicsProxyWidget", /::setPos\s*\(/, "pos") -property_reader("QGraphicsProxyWidget", /::(x|isX|hasX)\s*\(/, "x") -property_writer("QGraphicsProxyWidget", /::setX\s*\(/, "x") -property_reader("QGraphicsProxyWidget", /::(y|isY|hasY)\s*\(/, "y") -property_writer("QGraphicsProxyWidget", /::setY\s*\(/, "y") -property_reader("QGraphicsProxyWidget", /::(z|isZ|hasZ)\s*\(/, "z") -property_writer("QGraphicsProxyWidget", /::setZ\s*\(/, "z") -property_reader("QGraphicsProxyWidget", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") -property_writer("QGraphicsProxyWidget", /::setRotation\s*\(/, "rotation") -property_reader("QGraphicsProxyWidget", /::(scale|isScale|hasScale)\s*\(/, "scale") -property_writer("QGraphicsProxyWidget", /::setScale\s*\(/, "scale") -property_reader("QGraphicsProxyWidget", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") -property_writer("QGraphicsProxyWidget", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") -property_reader("QGraphicsProxyWidget", /::(effect|isEffect|hasEffect)\s*\(/, "effect") -property_writer("QGraphicsProxyWidget", /::setEffect\s*\(/, "effect") -property_reader("QGraphicsProxyWidget", /::(children|isChildren|hasChildren)\s*\(/, "children") -property_reader("QGraphicsProxyWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_writer("QGraphicsProxyWidget", /::setWidth\s*\(/, "width") -property_reader("QGraphicsProxyWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_writer("QGraphicsProxyWidget", /::setHeight\s*\(/, "height") -property_reader("QGraphicsProxyWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QGraphicsProxyWidget", /::setPalette\s*\(/, "palette") -property_reader("QGraphicsProxyWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QGraphicsProxyWidget", /::setFont\s*\(/, "font") -property_reader("QGraphicsProxyWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QGraphicsProxyWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QGraphicsProxyWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QGraphicsProxyWidget", /::setSize\s*\(/, "size") -property_reader("QGraphicsProxyWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QGraphicsProxyWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QGraphicsProxyWidget", /::(preferredSize|isPreferredSize|hasPreferredSize)\s*\(/, "preferredSize") -property_writer("QGraphicsProxyWidget", /::setPreferredSize\s*\(/, "preferredSize") -property_reader("QGraphicsProxyWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QGraphicsProxyWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QGraphicsProxyWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QGraphicsProxyWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QGraphicsProxyWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QGraphicsProxyWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QGraphicsProxyWidget", /::(windowFlags|isWindowFlags|hasWindowFlags)\s*\(/, "windowFlags") -property_writer("QGraphicsProxyWidget", /::setWindowFlags\s*\(/, "windowFlags") -property_reader("QGraphicsProxyWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QGraphicsProxyWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QGraphicsProxyWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QGraphicsProxyWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QGraphicsProxyWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QGraphicsProxyWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QGraphicsProxyWidget", /::(layout|isLayout|hasLayout)\s*\(/, "layout") -property_writer("QGraphicsProxyWidget", /::setLayout\s*\(/, "layout") -property_reader("QGraphicsRotation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsRotation", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsRotation", /::(origin|isOrigin|hasOrigin)\s*\(/, "origin") -property_writer("QGraphicsRotation", /::setOrigin\s*\(/, "origin") -property_reader("QGraphicsRotation", /::(angle|isAngle|hasAngle)\s*\(/, "angle") -property_writer("QGraphicsRotation", /::setAngle\s*\(/, "angle") -property_reader("QGraphicsRotation", /::(axis|isAxis|hasAxis)\s*\(/, "axis") -property_writer("QGraphicsRotation", /::setAxis\s*\(/, "axis") -property_reader("QGraphicsScale", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsScale", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsScale", /::(origin|isOrigin|hasOrigin)\s*\(/, "origin") -property_writer("QGraphicsScale", /::setOrigin\s*\(/, "origin") -property_reader("QGraphicsScale", /::(xScale|isXScale|hasXScale)\s*\(/, "xScale") -property_writer("QGraphicsScale", /::setXScale\s*\(/, "xScale") -property_reader("QGraphicsScale", /::(yScale|isYScale|hasYScale)\s*\(/, "yScale") -property_writer("QGraphicsScale", /::setYScale\s*\(/, "yScale") -property_reader("QGraphicsScale", /::(zScale|isZScale|hasZScale)\s*\(/, "zScale") -property_writer("QGraphicsScale", /::setZScale\s*\(/, "zScale") -property_reader("QGraphicsScene", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsScene", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsScene", /::(backgroundBrush|isBackgroundBrush|hasBackgroundBrush)\s*\(/, "backgroundBrush") -property_writer("QGraphicsScene", /::setBackgroundBrush\s*\(/, "backgroundBrush") -property_reader("QGraphicsScene", /::(foregroundBrush|isForegroundBrush|hasForegroundBrush)\s*\(/, "foregroundBrush") -property_writer("QGraphicsScene", /::setForegroundBrush\s*\(/, "foregroundBrush") -property_reader("QGraphicsScene", /::(itemIndexMethod|isItemIndexMethod|hasItemIndexMethod)\s*\(/, "itemIndexMethod") -property_writer("QGraphicsScene", /::setItemIndexMethod\s*\(/, "itemIndexMethod") -property_reader("QGraphicsScene", /::(sceneRect|isSceneRect|hasSceneRect)\s*\(/, "sceneRect") -property_writer("QGraphicsScene", /::setSceneRect\s*\(/, "sceneRect") -property_reader("QGraphicsScene", /::(bspTreeDepth|isBspTreeDepth|hasBspTreeDepth)\s*\(/, "bspTreeDepth") -property_writer("QGraphicsScene", /::setBspTreeDepth\s*\(/, "bspTreeDepth") -property_reader("QGraphicsScene", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QGraphicsScene", /::setPalette\s*\(/, "palette") -property_reader("QGraphicsScene", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QGraphicsScene", /::setFont\s*\(/, "font") -property_reader("QGraphicsScene", /::(sortCacheEnabled|isSortCacheEnabled|hasSortCacheEnabled)\s*\(/, "sortCacheEnabled") -property_writer("QGraphicsScene", /::setSortCacheEnabled\s*\(/, "sortCacheEnabled") -property_reader("QGraphicsScene", /::(stickyFocus|isStickyFocus|hasStickyFocus)\s*\(/, "stickyFocus") -property_writer("QGraphicsScene", /::setStickyFocus\s*\(/, "stickyFocus") -property_reader("QGraphicsScene", /::(minimumRenderSize|isMinimumRenderSize|hasMinimumRenderSize)\s*\(/, "minimumRenderSize") -property_writer("QGraphicsScene", /::setMinimumRenderSize\s*\(/, "minimumRenderSize") -property_reader("QGraphicsSvgItem", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsSvgItem", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsSvgItem", /::(parent|isParent|hasParent)\s*\(/, "parent") -property_writer("QGraphicsSvgItem", /::setParent\s*\(/, "parent") -property_reader("QGraphicsSvgItem", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") -property_writer("QGraphicsSvgItem", /::setOpacity\s*\(/, "opacity") -property_reader("QGraphicsSvgItem", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsSvgItem", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsSvgItem", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QGraphicsSvgItem", /::setVisible\s*\(/, "visible") -property_reader("QGraphicsSvgItem", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QGraphicsSvgItem", /::setPos\s*\(/, "pos") -property_reader("QGraphicsSvgItem", /::(x|isX|hasX)\s*\(/, "x") -property_writer("QGraphicsSvgItem", /::setX\s*\(/, "x") -property_reader("QGraphicsSvgItem", /::(y|isY|hasY)\s*\(/, "y") -property_writer("QGraphicsSvgItem", /::setY\s*\(/, "y") -property_reader("QGraphicsSvgItem", /::(z|isZ|hasZ)\s*\(/, "z") -property_writer("QGraphicsSvgItem", /::setZ\s*\(/, "z") -property_reader("QGraphicsSvgItem", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") -property_writer("QGraphicsSvgItem", /::setRotation\s*\(/, "rotation") -property_reader("QGraphicsSvgItem", /::(scale|isScale|hasScale)\s*\(/, "scale") -property_writer("QGraphicsSvgItem", /::setScale\s*\(/, "scale") -property_reader("QGraphicsSvgItem", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") -property_writer("QGraphicsSvgItem", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") -property_reader("QGraphicsSvgItem", /::(effect|isEffect|hasEffect)\s*\(/, "effect") -property_writer("QGraphicsSvgItem", /::setEffect\s*\(/, "effect") -property_reader("QGraphicsSvgItem", /::(children|isChildren|hasChildren)\s*\(/, "children") -property_reader("QGraphicsSvgItem", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_writer("QGraphicsSvgItem", /::setWidth\s*\(/, "width") -property_reader("QGraphicsSvgItem", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_writer("QGraphicsSvgItem", /::setHeight\s*\(/, "height") -property_reader("QGraphicsSvgItem", /::(elementId|isElementId|hasElementId)\s*\(/, "elementId") -property_writer("QGraphicsSvgItem", /::setElementId\s*\(/, "elementId") -property_reader("QGraphicsSvgItem", /::(maximumCacheSize|isMaximumCacheSize|hasMaximumCacheSize)\s*\(/, "maximumCacheSize") -property_writer("QGraphicsSvgItem", /::setMaximumCacheSize\s*\(/, "maximumCacheSize") -property_reader("QGraphicsTextItem", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsTextItem", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsTextItem", /::(parent|isParent|hasParent)\s*\(/, "parent") -property_writer("QGraphicsTextItem", /::setParent\s*\(/, "parent") -property_reader("QGraphicsTextItem", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") -property_writer("QGraphicsTextItem", /::setOpacity\s*\(/, "opacity") -property_reader("QGraphicsTextItem", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsTextItem", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsTextItem", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QGraphicsTextItem", /::setVisible\s*\(/, "visible") -property_reader("QGraphicsTextItem", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QGraphicsTextItem", /::setPos\s*\(/, "pos") -property_reader("QGraphicsTextItem", /::(x|isX|hasX)\s*\(/, "x") -property_writer("QGraphicsTextItem", /::setX\s*\(/, "x") -property_reader("QGraphicsTextItem", /::(y|isY|hasY)\s*\(/, "y") -property_writer("QGraphicsTextItem", /::setY\s*\(/, "y") -property_reader("QGraphicsTextItem", /::(z|isZ|hasZ)\s*\(/, "z") -property_writer("QGraphicsTextItem", /::setZ\s*\(/, "z") -property_reader("QGraphicsTextItem", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") -property_writer("QGraphicsTextItem", /::setRotation\s*\(/, "rotation") -property_reader("QGraphicsTextItem", /::(scale|isScale|hasScale)\s*\(/, "scale") -property_writer("QGraphicsTextItem", /::setScale\s*\(/, "scale") -property_reader("QGraphicsTextItem", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") -property_writer("QGraphicsTextItem", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") -property_reader("QGraphicsTextItem", /::(effect|isEffect|hasEffect)\s*\(/, "effect") -property_writer("QGraphicsTextItem", /::setEffect\s*\(/, "effect") -property_reader("QGraphicsTextItem", /::(children|isChildren|hasChildren)\s*\(/, "children") -property_reader("QGraphicsTextItem", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_writer("QGraphicsTextItem", /::setWidth\s*\(/, "width") -property_reader("QGraphicsTextItem", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_writer("QGraphicsTextItem", /::setHeight\s*\(/, "height") -property_reader("QGraphicsTransform", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsTransform", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsVideoItem", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsVideoItem", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsVideoItem", /::(parent|isParent|hasParent)\s*\(/, "parent") -property_writer("QGraphicsVideoItem", /::setParent\s*\(/, "parent") -property_reader("QGraphicsVideoItem", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") -property_writer("QGraphicsVideoItem", /::setOpacity\s*\(/, "opacity") -property_reader("QGraphicsVideoItem", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsVideoItem", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsVideoItem", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QGraphicsVideoItem", /::setVisible\s*\(/, "visible") -property_reader("QGraphicsVideoItem", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QGraphicsVideoItem", /::setPos\s*\(/, "pos") -property_reader("QGraphicsVideoItem", /::(x|isX|hasX)\s*\(/, "x") -property_writer("QGraphicsVideoItem", /::setX\s*\(/, "x") -property_reader("QGraphicsVideoItem", /::(y|isY|hasY)\s*\(/, "y") -property_writer("QGraphicsVideoItem", /::setY\s*\(/, "y") -property_reader("QGraphicsVideoItem", /::(z|isZ|hasZ)\s*\(/, "z") -property_writer("QGraphicsVideoItem", /::setZ\s*\(/, "z") -property_reader("QGraphicsVideoItem", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") -property_writer("QGraphicsVideoItem", /::setRotation\s*\(/, "rotation") -property_reader("QGraphicsVideoItem", /::(scale|isScale|hasScale)\s*\(/, "scale") -property_writer("QGraphicsVideoItem", /::setScale\s*\(/, "scale") -property_reader("QGraphicsVideoItem", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") -property_writer("QGraphicsVideoItem", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") -property_reader("QGraphicsVideoItem", /::(effect|isEffect|hasEffect)\s*\(/, "effect") -property_writer("QGraphicsVideoItem", /::setEffect\s*\(/, "effect") -property_reader("QGraphicsVideoItem", /::(children|isChildren|hasChildren)\s*\(/, "children") -property_reader("QGraphicsVideoItem", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_writer("QGraphicsVideoItem", /::setWidth\s*\(/, "width") -property_reader("QGraphicsVideoItem", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_writer("QGraphicsVideoItem", /::setHeight\s*\(/, "height") -property_reader("QGraphicsVideoItem", /::(mediaObject|isMediaObject|hasMediaObject)\s*\(/, "mediaObject") -property_writer("QGraphicsVideoItem", /::setMediaObject\s*\(/, "mediaObject") -property_reader("QGraphicsVideoItem", /::(aspectRatioMode|isAspectRatioMode|hasAspectRatioMode)\s*\(/, "aspectRatioMode") -property_writer("QGraphicsVideoItem", /::setAspectRatioMode\s*\(/, "aspectRatioMode") -property_reader("QGraphicsVideoItem", /::(offset|isOffset|hasOffset)\s*\(/, "offset") -property_writer("QGraphicsVideoItem", /::setOffset\s*\(/, "offset") -property_reader("QGraphicsVideoItem", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QGraphicsVideoItem", /::setSize\s*\(/, "size") -property_reader("QGraphicsVideoItem", /::(nativeSize|isNativeSize|hasNativeSize)\s*\(/, "nativeSize") -property_reader("QGraphicsView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsView", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsView", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QGraphicsView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QGraphicsView", /::setWindowModality\s*\(/, "windowModality") -property_reader("QGraphicsView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsView", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QGraphicsView", /::setGeometry\s*\(/, "geometry") -property_reader("QGraphicsView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QGraphicsView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QGraphicsView", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QGraphicsView", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QGraphicsView", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QGraphicsView", /::setPos\s*\(/, "pos") -property_reader("QGraphicsView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QGraphicsView", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QGraphicsView", /::setSize\s*\(/, "size") -property_reader("QGraphicsView", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QGraphicsView", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QGraphicsView", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QGraphicsView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QGraphicsView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QGraphicsView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QGraphicsView", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QGraphicsView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QGraphicsView", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QGraphicsView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QGraphicsView", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QGraphicsView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QGraphicsView", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QGraphicsView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QGraphicsView", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QGraphicsView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QGraphicsView", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QGraphicsView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QGraphicsView", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QGraphicsView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QGraphicsView", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QGraphicsView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QGraphicsView", /::setBaseSize\s*\(/, "baseSize") -property_reader("QGraphicsView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QGraphicsView", /::setPalette\s*\(/, "palette") -property_reader("QGraphicsView", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QGraphicsView", /::setFont\s*\(/, "font") -property_reader("QGraphicsView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QGraphicsView", /::setCursor\s*\(/, "cursor") -property_reader("QGraphicsView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QGraphicsView", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QGraphicsView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QGraphicsView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QGraphicsView", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QGraphicsView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QGraphicsView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QGraphicsView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QGraphicsView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QGraphicsView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QGraphicsView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QGraphicsView", /::setVisible\s*\(/, "visible") -property_reader("QGraphicsView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QGraphicsView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QGraphicsView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QGraphicsView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QGraphicsView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QGraphicsView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QGraphicsView", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QGraphicsView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QGraphicsView", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QGraphicsView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QGraphicsView", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QGraphicsView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QGraphicsView", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QGraphicsView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QGraphicsView", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QGraphicsView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QGraphicsView", /::setWindowModified\s*\(/, "windowModified") -property_reader("QGraphicsView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QGraphicsView", /::setToolTip\s*\(/, "toolTip") -property_reader("QGraphicsView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QGraphicsView", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QGraphicsView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QGraphicsView", /::setStatusTip\s*\(/, "statusTip") -property_reader("QGraphicsView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QGraphicsView", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QGraphicsView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QGraphicsView", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QGraphicsView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QGraphicsView", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QGraphicsView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QGraphicsView", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QGraphicsView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QGraphicsView", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QGraphicsView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QGraphicsView", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QGraphicsView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QGraphicsView", /::setLocale\s*\(/, "locale") -property_reader("QGraphicsView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QGraphicsView", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QGraphicsView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QGraphicsView", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QGraphicsView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QGraphicsView", /::setFrameShape\s*\(/, "frameShape") -property_reader("QGraphicsView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QGraphicsView", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QGraphicsView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QGraphicsView", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QGraphicsView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QGraphicsView", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QGraphicsView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QGraphicsView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QGraphicsView", /::setFrameRect\s*\(/, "frameRect") -property_reader("QGraphicsView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QGraphicsView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QGraphicsView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QGraphicsView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QGraphicsView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QGraphicsView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QGraphicsView", /::(backgroundBrush|isBackgroundBrush|hasBackgroundBrush)\s*\(/, "backgroundBrush") -property_writer("QGraphicsView", /::setBackgroundBrush\s*\(/, "backgroundBrush") -property_reader("QGraphicsView", /::(foregroundBrush|isForegroundBrush|hasForegroundBrush)\s*\(/, "foregroundBrush") -property_writer("QGraphicsView", /::setForegroundBrush\s*\(/, "foregroundBrush") -property_reader("QGraphicsView", /::(interactive|isInteractive|hasInteractive)\s*\(/, "interactive") -property_writer("QGraphicsView", /::setInteractive\s*\(/, "interactive") -property_reader("QGraphicsView", /::(sceneRect|isSceneRect|hasSceneRect)\s*\(/, "sceneRect") -property_writer("QGraphicsView", /::setSceneRect\s*\(/, "sceneRect") -property_reader("QGraphicsView", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QGraphicsView", /::setAlignment\s*\(/, "alignment") -property_reader("QGraphicsView", /::(renderHints|isRenderHints|hasRenderHints)\s*\(/, "renderHints") -property_writer("QGraphicsView", /::setRenderHints\s*\(/, "renderHints") -property_reader("QGraphicsView", /::(dragMode|isDragMode|hasDragMode)\s*\(/, "dragMode") -property_writer("QGraphicsView", /::setDragMode\s*\(/, "dragMode") -property_reader("QGraphicsView", /::(cacheMode|isCacheMode|hasCacheMode)\s*\(/, "cacheMode") -property_writer("QGraphicsView", /::setCacheMode\s*\(/, "cacheMode") -property_reader("QGraphicsView", /::(transformationAnchor|isTransformationAnchor|hasTransformationAnchor)\s*\(/, "transformationAnchor") -property_writer("QGraphicsView", /::setTransformationAnchor\s*\(/, "transformationAnchor") -property_reader("QGraphicsView", /::(resizeAnchor|isResizeAnchor|hasResizeAnchor)\s*\(/, "resizeAnchor") -property_writer("QGraphicsView", /::setResizeAnchor\s*\(/, "resizeAnchor") -property_reader("QGraphicsView", /::(viewportUpdateMode|isViewportUpdateMode|hasViewportUpdateMode)\s*\(/, "viewportUpdateMode") -property_writer("QGraphicsView", /::setViewportUpdateMode\s*\(/, "viewportUpdateMode") -property_reader("QGraphicsView", /::(rubberBandSelectionMode|isRubberBandSelectionMode|hasRubberBandSelectionMode)\s*\(/, "rubberBandSelectionMode") -property_writer("QGraphicsView", /::setRubberBandSelectionMode\s*\(/, "rubberBandSelectionMode") -property_reader("QGraphicsView", /::(optimizationFlags|isOptimizationFlags|hasOptimizationFlags)\s*\(/, "optimizationFlags") -property_writer("QGraphicsView", /::setOptimizationFlags\s*\(/, "optimizationFlags") -property_reader("QGraphicsWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsWidget", /::(parent|isParent|hasParent)\s*\(/, "parent") -property_writer("QGraphicsWidget", /::setParent\s*\(/, "parent") -property_reader("QGraphicsWidget", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") -property_writer("QGraphicsWidget", /::setOpacity\s*\(/, "opacity") -property_reader("QGraphicsWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QGraphicsWidget", /::setVisible\s*\(/, "visible") -property_reader("QGraphicsWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QGraphicsWidget", /::setPos\s*\(/, "pos") -property_reader("QGraphicsWidget", /::(x|isX|hasX)\s*\(/, "x") -property_writer("QGraphicsWidget", /::setX\s*\(/, "x") -property_reader("QGraphicsWidget", /::(y|isY|hasY)\s*\(/, "y") -property_writer("QGraphicsWidget", /::setY\s*\(/, "y") -property_reader("QGraphicsWidget", /::(z|isZ|hasZ)\s*\(/, "z") -property_writer("QGraphicsWidget", /::setZ\s*\(/, "z") -property_reader("QGraphicsWidget", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") -property_writer("QGraphicsWidget", /::setRotation\s*\(/, "rotation") -property_reader("QGraphicsWidget", /::(scale|isScale|hasScale)\s*\(/, "scale") -property_writer("QGraphicsWidget", /::setScale\s*\(/, "scale") -property_reader("QGraphicsWidget", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") -property_writer("QGraphicsWidget", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") -property_reader("QGraphicsWidget", /::(effect|isEffect|hasEffect)\s*\(/, "effect") -property_writer("QGraphicsWidget", /::setEffect\s*\(/, "effect") -property_reader("QGraphicsWidget", /::(children|isChildren|hasChildren)\s*\(/, "children") -property_reader("QGraphicsWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_writer("QGraphicsWidget", /::setWidth\s*\(/, "width") -property_reader("QGraphicsWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_writer("QGraphicsWidget", /::setHeight\s*\(/, "height") -property_reader("QGraphicsWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QGraphicsWidget", /::setPalette\s*\(/, "palette") -property_reader("QGraphicsWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QGraphicsWidget", /::setFont\s*\(/, "font") -property_reader("QGraphicsWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QGraphicsWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QGraphicsWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QGraphicsWidget", /::setSize\s*\(/, "size") -property_reader("QGraphicsWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QGraphicsWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QGraphicsWidget", /::(preferredSize|isPreferredSize|hasPreferredSize)\s*\(/, "preferredSize") -property_writer("QGraphicsWidget", /::setPreferredSize\s*\(/, "preferredSize") -property_reader("QGraphicsWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QGraphicsWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QGraphicsWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QGraphicsWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QGraphicsWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QGraphicsWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QGraphicsWidget", /::(windowFlags|isWindowFlags|hasWindowFlags)\s*\(/, "windowFlags") -property_writer("QGraphicsWidget", /::setWindowFlags\s*\(/, "windowFlags") -property_reader("QGraphicsWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QGraphicsWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QGraphicsWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QGraphicsWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QGraphicsWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QGraphicsWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QGraphicsWidget", /::(layout|isLayout|hasLayout)\s*\(/, "layout") -property_writer("QGraphicsWidget", /::setLayout\s*\(/, "layout") -property_reader("QGridLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGridLayout", /::setObjectName\s*\(/, "objectName") -property_reader("QGridLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") -property_writer("QGridLayout", /::setMargin\s*\(/, "margin") -property_reader("QGridLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QGridLayout", /::setSpacing\s*\(/, "spacing") -property_reader("QGridLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") -property_writer("QGridLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") -property_reader("QGroupBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGroupBox", /::setObjectName\s*\(/, "objectName") -property_reader("QGroupBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QGroupBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QGroupBox", /::setWindowModality\s*\(/, "windowModality") -property_reader("QGroupBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGroupBox", /::setEnabled\s*\(/, "enabled") -property_reader("QGroupBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QGroupBox", /::setGeometry\s*\(/, "geometry") -property_reader("QGroupBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QGroupBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QGroupBox", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QGroupBox", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QGroupBox", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QGroupBox", /::setPos\s*\(/, "pos") -property_reader("QGroupBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QGroupBox", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QGroupBox", /::setSize\s*\(/, "size") -property_reader("QGroupBox", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QGroupBox", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QGroupBox", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QGroupBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QGroupBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QGroupBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QGroupBox", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QGroupBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QGroupBox", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QGroupBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QGroupBox", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QGroupBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QGroupBox", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QGroupBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QGroupBox", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QGroupBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QGroupBox", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QGroupBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QGroupBox", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QGroupBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QGroupBox", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QGroupBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QGroupBox", /::setBaseSize\s*\(/, "baseSize") -property_reader("QGroupBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QGroupBox", /::setPalette\s*\(/, "palette") -property_reader("QGroupBox", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QGroupBox", /::setFont\s*\(/, "font") -property_reader("QGroupBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QGroupBox", /::setCursor\s*\(/, "cursor") -property_reader("QGroupBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QGroupBox", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QGroupBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QGroupBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QGroupBox", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QGroupBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QGroupBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QGroupBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QGroupBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QGroupBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QGroupBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QGroupBox", /::setVisible\s*\(/, "visible") -property_reader("QGroupBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QGroupBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QGroupBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QGroupBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QGroupBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QGroupBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QGroupBox", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QGroupBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QGroupBox", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QGroupBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QGroupBox", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QGroupBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QGroupBox", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QGroupBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QGroupBox", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QGroupBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QGroupBox", /::setWindowModified\s*\(/, "windowModified") -property_reader("QGroupBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QGroupBox", /::setToolTip\s*\(/, "toolTip") -property_reader("QGroupBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QGroupBox", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QGroupBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QGroupBox", /::setStatusTip\s*\(/, "statusTip") -property_reader("QGroupBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QGroupBox", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QGroupBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QGroupBox", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QGroupBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QGroupBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QGroupBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QGroupBox", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QGroupBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QGroupBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QGroupBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QGroupBox", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QGroupBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QGroupBox", /::setLocale\s*\(/, "locale") -property_reader("QGroupBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QGroupBox", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QGroupBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QGroupBox", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QGroupBox", /::(title|isTitle|hasTitle)\s*\(/, "title") -property_writer("QGroupBox", /::setTitle\s*\(/, "title") -property_reader("QGroupBox", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QGroupBox", /::setAlignment\s*\(/, "alignment") -property_reader("QGroupBox", /::(flat|isFlat|hasFlat)\s*\(/, "flat") -property_writer("QGroupBox", /::setFlat\s*\(/, "flat") -property_reader("QGroupBox", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") -property_writer("QGroupBox", /::setCheckable\s*\(/, "checkable") -property_reader("QGroupBox", /::(checked|isChecked|hasChecked)\s*\(/, "checked") -property_writer("QGroupBox", /::setChecked\s*\(/, "checked") -property_reader("QGuiApplication", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGuiApplication", /::setObjectName\s*\(/, "objectName") -property_reader("QGuiApplication", /::(applicationName|isApplicationName|hasApplicationName)\s*\(/, "applicationName") -property_writer("QGuiApplication", /::setApplicationName\s*\(/, "applicationName") -property_reader("QGuiApplication", /::(applicationVersion|isApplicationVersion|hasApplicationVersion)\s*\(/, "applicationVersion") -property_writer("QGuiApplication", /::setApplicationVersion\s*\(/, "applicationVersion") -property_reader("QGuiApplication", /::(organizationName|isOrganizationName|hasOrganizationName)\s*\(/, "organizationName") -property_writer("QGuiApplication", /::setOrganizationName\s*\(/, "organizationName") -property_reader("QGuiApplication", /::(organizationDomain|isOrganizationDomain|hasOrganizationDomain)\s*\(/, "organizationDomain") -property_writer("QGuiApplication", /::setOrganizationDomain\s*\(/, "organizationDomain") -property_reader("QGuiApplication", /::(quitLockEnabled|isQuitLockEnabled|hasQuitLockEnabled)\s*\(/, "quitLockEnabled") -property_writer("QGuiApplication", /::setQuitLockEnabled\s*\(/, "quitLockEnabled") -property_reader("QGuiApplication", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QGuiApplication", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QGuiApplication", /::(applicationDisplayName|isApplicationDisplayName|hasApplicationDisplayName)\s*\(/, "applicationDisplayName") -property_writer("QGuiApplication", /::setApplicationDisplayName\s*\(/, "applicationDisplayName") -property_reader("QGuiApplication", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QGuiApplication", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QGuiApplication", /::(platformName|isPlatformName|hasPlatformName)\s*\(/, "platformName") -property_reader("QGuiApplication", /::(quitOnLastWindowClosed|isQuitOnLastWindowClosed|hasQuitOnLastWindowClosed)\s*\(/, "quitOnLastWindowClosed") -property_writer("QGuiApplication", /::setQuitOnLastWindowClosed\s*\(/, "quitOnLastWindowClosed") -property_reader("QHBoxLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QHBoxLayout", /::setObjectName\s*\(/, "objectName") -property_reader("QHBoxLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") -property_writer("QHBoxLayout", /::setMargin\s*\(/, "margin") -property_reader("QHBoxLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QHBoxLayout", /::setSpacing\s*\(/, "spacing") -property_reader("QHBoxLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") -property_writer("QHBoxLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") -property_reader("QHeaderView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QHeaderView", /::setObjectName\s*\(/, "objectName") -property_reader("QHeaderView", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QHeaderView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QHeaderView", /::setWindowModality\s*\(/, "windowModality") -property_reader("QHeaderView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QHeaderView", /::setEnabled\s*\(/, "enabled") -property_reader("QHeaderView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QHeaderView", /::setGeometry\s*\(/, "geometry") -property_reader("QHeaderView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QHeaderView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QHeaderView", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QHeaderView", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QHeaderView", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QHeaderView", /::setPos\s*\(/, "pos") -property_reader("QHeaderView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QHeaderView", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QHeaderView", /::setSize\s*\(/, "size") -property_reader("QHeaderView", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QHeaderView", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QHeaderView", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QHeaderView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QHeaderView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QHeaderView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QHeaderView", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QHeaderView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QHeaderView", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QHeaderView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QHeaderView", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QHeaderView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QHeaderView", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QHeaderView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QHeaderView", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QHeaderView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QHeaderView", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QHeaderView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QHeaderView", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QHeaderView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QHeaderView", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QHeaderView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QHeaderView", /::setBaseSize\s*\(/, "baseSize") -property_reader("QHeaderView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QHeaderView", /::setPalette\s*\(/, "palette") -property_reader("QHeaderView", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QHeaderView", /::setFont\s*\(/, "font") -property_reader("QHeaderView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QHeaderView", /::setCursor\s*\(/, "cursor") -property_reader("QHeaderView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QHeaderView", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QHeaderView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QHeaderView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QHeaderView", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QHeaderView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QHeaderView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QHeaderView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QHeaderView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QHeaderView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QHeaderView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QHeaderView", /::setVisible\s*\(/, "visible") -property_reader("QHeaderView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QHeaderView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QHeaderView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QHeaderView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QHeaderView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QHeaderView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QHeaderView", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QHeaderView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QHeaderView", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QHeaderView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QHeaderView", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QHeaderView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QHeaderView", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QHeaderView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QHeaderView", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QHeaderView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QHeaderView", /::setWindowModified\s*\(/, "windowModified") -property_reader("QHeaderView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QHeaderView", /::setToolTip\s*\(/, "toolTip") -property_reader("QHeaderView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QHeaderView", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QHeaderView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QHeaderView", /::setStatusTip\s*\(/, "statusTip") -property_reader("QHeaderView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QHeaderView", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QHeaderView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QHeaderView", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QHeaderView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QHeaderView", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QHeaderView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QHeaderView", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QHeaderView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QHeaderView", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QHeaderView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QHeaderView", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QHeaderView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QHeaderView", /::setLocale\s*\(/, "locale") -property_reader("QHeaderView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QHeaderView", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QHeaderView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QHeaderView", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QHeaderView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QHeaderView", /::setFrameShape\s*\(/, "frameShape") -property_reader("QHeaderView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QHeaderView", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QHeaderView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QHeaderView", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QHeaderView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QHeaderView", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QHeaderView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QHeaderView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QHeaderView", /::setFrameRect\s*\(/, "frameRect") -property_reader("QHeaderView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QHeaderView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QHeaderView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QHeaderView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QHeaderView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QHeaderView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QHeaderView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") -property_writer("QHeaderView", /::setAutoScroll\s*\(/, "autoScroll") -property_reader("QHeaderView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") -property_writer("QHeaderView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") -property_reader("QHeaderView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") -property_writer("QHeaderView", /::setEditTriggers\s*\(/, "editTriggers") -property_reader("QHeaderView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") -property_writer("QHeaderView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") -property_reader("QHeaderView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") -property_writer("QHeaderView", /::setShowDropIndicator\s*\(/, "showDropIndicator") -property_reader("QHeaderView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QHeaderView", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QHeaderView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") -property_writer("QHeaderView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") -property_reader("QHeaderView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") -property_writer("QHeaderView", /::setDragDropMode\s*\(/, "dragDropMode") -property_reader("QHeaderView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") -property_writer("QHeaderView", /::setDefaultDropAction\s*\(/, "defaultDropAction") -property_reader("QHeaderView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") -property_writer("QHeaderView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") -property_reader("QHeaderView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QHeaderView", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QHeaderView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") -property_writer("QHeaderView", /::setSelectionBehavior\s*\(/, "selectionBehavior") -property_reader("QHeaderView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QHeaderView", /::setIconSize\s*\(/, "iconSize") -property_reader("QHeaderView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") -property_writer("QHeaderView", /::setTextElideMode\s*\(/, "textElideMode") -property_reader("QHeaderView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") -property_writer("QHeaderView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") -property_reader("QHeaderView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") -property_writer("QHeaderView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") -property_reader("QHeaderView", /::(showSortIndicator|isShowSortIndicator|hasShowSortIndicator)\s*\(/, "showSortIndicator") -property_writer("QHeaderView", /::setShowSortIndicator\s*\(/, "showSortIndicator") -property_reader("QHeaderView", /::(highlightSections|isHighlightSections|hasHighlightSections)\s*\(/, "highlightSections") -property_writer("QHeaderView", /::setHighlightSections\s*\(/, "highlightSections") -property_reader("QHeaderView", /::(stretchLastSection|isStretchLastSection|hasStretchLastSection)\s*\(/, "stretchLastSection") -property_writer("QHeaderView", /::setStretchLastSection\s*\(/, "stretchLastSection") -property_reader("QHeaderView", /::(cascadingSectionResizes|isCascadingSectionResizes|hasCascadingSectionResizes)\s*\(/, "cascadingSectionResizes") -property_writer("QHeaderView", /::setCascadingSectionResizes\s*\(/, "cascadingSectionResizes") -property_reader("QHeaderView", /::(defaultSectionSize|isDefaultSectionSize|hasDefaultSectionSize)\s*\(/, "defaultSectionSize") -property_writer("QHeaderView", /::setDefaultSectionSize\s*\(/, "defaultSectionSize") -property_reader("QHeaderView", /::(minimumSectionSize|isMinimumSectionSize|hasMinimumSectionSize)\s*\(/, "minimumSectionSize") -property_writer("QHeaderView", /::setMinimumSectionSize\s*\(/, "minimumSectionSize") -property_reader("QHeaderView", /::(maximumSectionSize|isMaximumSectionSize|hasMaximumSectionSize)\s*\(/, "maximumSectionSize") -property_writer("QHeaderView", /::setMaximumSectionSize\s*\(/, "maximumSectionSize") -property_reader("QHeaderView", /::(defaultAlignment|isDefaultAlignment|hasDefaultAlignment)\s*\(/, "defaultAlignment") -property_writer("QHeaderView", /::setDefaultAlignment\s*\(/, "defaultAlignment") -property_reader("QHistoryState", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QHistoryState", /::setObjectName\s*\(/, "objectName") -property_reader("QHistoryState", /::(active|isActive|hasActive)\s*\(/, "active") -property_reader("QHistoryState", /::(defaultState|isDefaultState|hasDefaultState)\s*\(/, "defaultState") -property_writer("QHistoryState", /::setDefaultState\s*\(/, "defaultState") -property_reader("QHistoryState", /::(historyType|isHistoryType|hasHistoryType)\s*\(/, "historyType") -property_writer("QHistoryState", /::setHistoryType\s*\(/, "historyType") -property_reader("QHttpMultiPart", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QHttpMultiPart", /::setObjectName\s*\(/, "objectName") -property_reader("QIODevice", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QIODevice", /::setObjectName\s*\(/, "objectName") -property_reader("QIconEnginePlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QIconEnginePlugin", /::setObjectName\s*\(/, "objectName") -property_reader("QIdentityProxyModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QIdentityProxyModel", /::setObjectName\s*\(/, "objectName") -property_reader("QIdentityProxyModel", /::(sourceModel|isSourceModel|hasSourceModel)\s*\(/, "sourceModel") -property_writer("QIdentityProxyModel", /::setSourceModel\s*\(/, "sourceModel") -property_reader("QImageEncoderControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QImageEncoderControl", /::setObjectName\s*\(/, "objectName") -property_reader("QImageIOPlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QImageIOPlugin", /::setObjectName\s*\(/, "objectName") -property_reader("QInputDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QInputDialog", /::setObjectName\s*\(/, "objectName") -property_reader("QInputDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QInputDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QInputDialog", /::setWindowModality\s*\(/, "windowModality") -property_reader("QInputDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QInputDialog", /::setEnabled\s*\(/, "enabled") -property_reader("QInputDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QInputDialog", /::setGeometry\s*\(/, "geometry") -property_reader("QInputDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QInputDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QInputDialog", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QInputDialog", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QInputDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QInputDialog", /::setPos\s*\(/, "pos") -property_reader("QInputDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QInputDialog", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QInputDialog", /::setSize\s*\(/, "size") -property_reader("QInputDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QInputDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QInputDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QInputDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QInputDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QInputDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QInputDialog", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QInputDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QInputDialog", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QInputDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QInputDialog", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QInputDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QInputDialog", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QInputDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QInputDialog", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QInputDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QInputDialog", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QInputDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QInputDialog", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QInputDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QInputDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QInputDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QInputDialog", /::setBaseSize\s*\(/, "baseSize") -property_reader("QInputDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QInputDialog", /::setPalette\s*\(/, "palette") -property_reader("QInputDialog", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QInputDialog", /::setFont\s*\(/, "font") -property_reader("QInputDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QInputDialog", /::setCursor\s*\(/, "cursor") -property_reader("QInputDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QInputDialog", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QInputDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QInputDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QInputDialog", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QInputDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QInputDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QInputDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QInputDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QInputDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QInputDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QInputDialog", /::setVisible\s*\(/, "visible") -property_reader("QInputDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QInputDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QInputDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QInputDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QInputDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QInputDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QInputDialog", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QInputDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QInputDialog", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QInputDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QInputDialog", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QInputDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QInputDialog", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QInputDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QInputDialog", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QInputDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QInputDialog", /::setWindowModified\s*\(/, "windowModified") -property_reader("QInputDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QInputDialog", /::setToolTip\s*\(/, "toolTip") -property_reader("QInputDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QInputDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QInputDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QInputDialog", /::setStatusTip\s*\(/, "statusTip") -property_reader("QInputDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QInputDialog", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QInputDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QInputDialog", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QInputDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QInputDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QInputDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QInputDialog", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QInputDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QInputDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QInputDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QInputDialog", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QInputDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QInputDialog", /::setLocale\s*\(/, "locale") -property_reader("QInputDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QInputDialog", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QInputDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QInputDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QInputDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QInputDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QInputDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QInputDialog", /::setModal\s*\(/, "modal") -property_reader("QInputMethod", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QInputMethod", /::setObjectName\s*\(/, "objectName") -property_reader("QInputMethod", /::(cursorRectangle|isCursorRectangle|hasCursorRectangle)\s*\(/, "cursorRectangle") -property_reader("QInputMethod", /::(keyboardRectangle|isKeyboardRectangle|hasKeyboardRectangle)\s*\(/, "keyboardRectangle") -property_reader("QInputMethod", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_reader("QInputMethod", /::(animating|isAnimating|hasAnimating)\s*\(/, "animating") -property_reader("QInputMethod", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_reader("QInputMethod", /::(inputDirection|isInputDirection|hasInputDirection)\s*\(/, "inputDirection") -property_reader("QIntValidator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QIntValidator", /::setObjectName\s*\(/, "objectName") -property_reader("QIntValidator", /::(bottom|isBottom|hasBottom)\s*\(/, "bottom") -property_writer("QIntValidator", /::setBottom\s*\(/, "bottom") -property_reader("QIntValidator", /::(top|isTop|hasTop)\s*\(/, "top") -property_writer("QIntValidator", /::setTop\s*\(/, "top") -property_reader("QItemDelegate", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QItemDelegate", /::setObjectName\s*\(/, "objectName") -property_reader("QItemDelegate", /::(clipping|isClipping|hasClipping)\s*\(/, "clipping") -property_writer("QItemDelegate", /::setClipping\s*\(/, "clipping") -property_reader("QItemSelectionModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QItemSelectionModel", /::setObjectName\s*\(/, "objectName") -property_reader("QItemSelectionModel", /::(model|isModel|hasModel)\s*\(/, "model") -property_writer("QItemSelectionModel", /::setModel\s*\(/, "model") -property_reader("QItemSelectionModel", /::(hasSelection|isHasSelection|hasHasSelection)\s*\(/, "hasSelection") -property_reader("QItemSelectionModel", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") -property_reader("QItemSelectionModel", /::(selection|isSelection|hasSelection)\s*\(/, "selection") -property_reader("QItemSelectionModel", /::(selectedIndexes|isSelectedIndexes|hasSelectedIndexes)\s*\(/, "selectedIndexes") -property_reader("QKeySequenceEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QKeySequenceEdit", /::setObjectName\s*\(/, "objectName") -property_reader("QKeySequenceEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QKeySequenceEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QKeySequenceEdit", /::setWindowModality\s*\(/, "windowModality") -property_reader("QKeySequenceEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QKeySequenceEdit", /::setEnabled\s*\(/, "enabled") -property_reader("QKeySequenceEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QKeySequenceEdit", /::setGeometry\s*\(/, "geometry") -property_reader("QKeySequenceEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QKeySequenceEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QKeySequenceEdit", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QKeySequenceEdit", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QKeySequenceEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QKeySequenceEdit", /::setPos\s*\(/, "pos") -property_reader("QKeySequenceEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QKeySequenceEdit", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QKeySequenceEdit", /::setSize\s*\(/, "size") -property_reader("QKeySequenceEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QKeySequenceEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QKeySequenceEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QKeySequenceEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QKeySequenceEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QKeySequenceEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QKeySequenceEdit", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QKeySequenceEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QKeySequenceEdit", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QKeySequenceEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QKeySequenceEdit", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QKeySequenceEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QKeySequenceEdit", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QKeySequenceEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QKeySequenceEdit", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QKeySequenceEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QKeySequenceEdit", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QKeySequenceEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QKeySequenceEdit", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QKeySequenceEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QKeySequenceEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QKeySequenceEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QKeySequenceEdit", /::setBaseSize\s*\(/, "baseSize") -property_reader("QKeySequenceEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QKeySequenceEdit", /::setPalette\s*\(/, "palette") -property_reader("QKeySequenceEdit", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QKeySequenceEdit", /::setFont\s*\(/, "font") -property_reader("QKeySequenceEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QKeySequenceEdit", /::setCursor\s*\(/, "cursor") -property_reader("QKeySequenceEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QKeySequenceEdit", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QKeySequenceEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QKeySequenceEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QKeySequenceEdit", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QKeySequenceEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QKeySequenceEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QKeySequenceEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QKeySequenceEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QKeySequenceEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QKeySequenceEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QKeySequenceEdit", /::setVisible\s*\(/, "visible") -property_reader("QKeySequenceEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QKeySequenceEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QKeySequenceEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QKeySequenceEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QKeySequenceEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QKeySequenceEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QKeySequenceEdit", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QKeySequenceEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QKeySequenceEdit", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QKeySequenceEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QKeySequenceEdit", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QKeySequenceEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QKeySequenceEdit", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QKeySequenceEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QKeySequenceEdit", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QKeySequenceEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QKeySequenceEdit", /::setWindowModified\s*\(/, "windowModified") -property_reader("QKeySequenceEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QKeySequenceEdit", /::setToolTip\s*\(/, "toolTip") -property_reader("QKeySequenceEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QKeySequenceEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QKeySequenceEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QKeySequenceEdit", /::setStatusTip\s*\(/, "statusTip") -property_reader("QKeySequenceEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QKeySequenceEdit", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QKeySequenceEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QKeySequenceEdit", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QKeySequenceEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QKeySequenceEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QKeySequenceEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QKeySequenceEdit", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QKeySequenceEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QKeySequenceEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QKeySequenceEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QKeySequenceEdit", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QKeySequenceEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QKeySequenceEdit", /::setLocale\s*\(/, "locale") -property_reader("QKeySequenceEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QKeySequenceEdit", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QKeySequenceEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QKeySequenceEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QKeySequenceEdit", /::(keySequence|isKeySequence|hasKeySequence)\s*\(/, "keySequence") -property_writer("QKeySequenceEdit", /::setKeySequence\s*\(/, "keySequence") -property_reader("QLCDNumber", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QLCDNumber", /::setObjectName\s*\(/, "objectName") -property_reader("QLCDNumber", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QLCDNumber", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QLCDNumber", /::setWindowModality\s*\(/, "windowModality") -property_reader("QLCDNumber", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QLCDNumber", /::setEnabled\s*\(/, "enabled") -property_reader("QLCDNumber", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QLCDNumber", /::setGeometry\s*\(/, "geometry") -property_reader("QLCDNumber", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QLCDNumber", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QLCDNumber", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QLCDNumber", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QLCDNumber", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QLCDNumber", /::setPos\s*\(/, "pos") -property_reader("QLCDNumber", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QLCDNumber", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QLCDNumber", /::setSize\s*\(/, "size") -property_reader("QLCDNumber", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QLCDNumber", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QLCDNumber", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QLCDNumber", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QLCDNumber", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QLCDNumber", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QLCDNumber", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QLCDNumber", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QLCDNumber", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QLCDNumber", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QLCDNumber", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QLCDNumber", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QLCDNumber", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QLCDNumber", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QLCDNumber", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QLCDNumber", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QLCDNumber", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QLCDNumber", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QLCDNumber", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QLCDNumber", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QLCDNumber", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QLCDNumber", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QLCDNumber", /::setBaseSize\s*\(/, "baseSize") -property_reader("QLCDNumber", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QLCDNumber", /::setPalette\s*\(/, "palette") -property_reader("QLCDNumber", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QLCDNumber", /::setFont\s*\(/, "font") -property_reader("QLCDNumber", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QLCDNumber", /::setCursor\s*\(/, "cursor") -property_reader("QLCDNumber", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QLCDNumber", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QLCDNumber", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QLCDNumber", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QLCDNumber", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QLCDNumber", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QLCDNumber", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QLCDNumber", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QLCDNumber", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QLCDNumber", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QLCDNumber", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QLCDNumber", /::setVisible\s*\(/, "visible") -property_reader("QLCDNumber", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QLCDNumber", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QLCDNumber", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QLCDNumber", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QLCDNumber", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QLCDNumber", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QLCDNumber", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QLCDNumber", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QLCDNumber", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QLCDNumber", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QLCDNumber", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QLCDNumber", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QLCDNumber", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QLCDNumber", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QLCDNumber", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QLCDNumber", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QLCDNumber", /::setWindowModified\s*\(/, "windowModified") -property_reader("QLCDNumber", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QLCDNumber", /::setToolTip\s*\(/, "toolTip") -property_reader("QLCDNumber", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QLCDNumber", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QLCDNumber", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QLCDNumber", /::setStatusTip\s*\(/, "statusTip") -property_reader("QLCDNumber", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QLCDNumber", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QLCDNumber", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QLCDNumber", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QLCDNumber", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QLCDNumber", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QLCDNumber", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QLCDNumber", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QLCDNumber", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QLCDNumber", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QLCDNumber", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QLCDNumber", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QLCDNumber", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QLCDNumber", /::setLocale\s*\(/, "locale") -property_reader("QLCDNumber", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QLCDNumber", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QLCDNumber", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QLCDNumber", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QLCDNumber", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QLCDNumber", /::setFrameShape\s*\(/, "frameShape") -property_reader("QLCDNumber", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QLCDNumber", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QLCDNumber", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QLCDNumber", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QLCDNumber", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QLCDNumber", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QLCDNumber", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QLCDNumber", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QLCDNumber", /::setFrameRect\s*\(/, "frameRect") -property_reader("QLCDNumber", /::(smallDecimalPoint|isSmallDecimalPoint|hasSmallDecimalPoint)\s*\(/, "smallDecimalPoint") -property_writer("QLCDNumber", /::setSmallDecimalPoint\s*\(/, "smallDecimalPoint") -property_reader("QLCDNumber", /::(digitCount|isDigitCount|hasDigitCount)\s*\(/, "digitCount") -property_writer("QLCDNumber", /::setDigitCount\s*\(/, "digitCount") -property_reader("QLCDNumber", /::(mode|isMode|hasMode)\s*\(/, "mode") -property_writer("QLCDNumber", /::setMode\s*\(/, "mode") -property_reader("QLCDNumber", /::(segmentStyle|isSegmentStyle|hasSegmentStyle)\s*\(/, "segmentStyle") -property_writer("QLCDNumber", /::setSegmentStyle\s*\(/, "segmentStyle") -property_reader("QLCDNumber", /::(value|isValue|hasValue)\s*\(/, "value") -property_writer("QLCDNumber", /::setValue\s*\(/, "value") -property_reader("QLCDNumber", /::(intValue|isIntValue|hasIntValue)\s*\(/, "intValue") -property_writer("QLCDNumber", /::setIntValue\s*\(/, "intValue") -property_reader("QLabel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QLabel", /::setObjectName\s*\(/, "objectName") -property_reader("QLabel", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QLabel", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QLabel", /::setWindowModality\s*\(/, "windowModality") -property_reader("QLabel", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QLabel", /::setEnabled\s*\(/, "enabled") -property_reader("QLabel", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QLabel", /::setGeometry\s*\(/, "geometry") -property_reader("QLabel", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QLabel", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QLabel", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QLabel", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QLabel", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QLabel", /::setPos\s*\(/, "pos") -property_reader("QLabel", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QLabel", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QLabel", /::setSize\s*\(/, "size") -property_reader("QLabel", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QLabel", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QLabel", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QLabel", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QLabel", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QLabel", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QLabel", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QLabel", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QLabel", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QLabel", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QLabel", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QLabel", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QLabel", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QLabel", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QLabel", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QLabel", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QLabel", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QLabel", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QLabel", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QLabel", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QLabel", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QLabel", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QLabel", /::setBaseSize\s*\(/, "baseSize") -property_reader("QLabel", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QLabel", /::setPalette\s*\(/, "palette") -property_reader("QLabel", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QLabel", /::setFont\s*\(/, "font") -property_reader("QLabel", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QLabel", /::setCursor\s*\(/, "cursor") -property_reader("QLabel", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QLabel", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QLabel", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QLabel", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QLabel", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QLabel", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QLabel", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QLabel", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QLabel", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QLabel", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QLabel", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QLabel", /::setVisible\s*\(/, "visible") -property_reader("QLabel", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QLabel", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QLabel", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QLabel", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QLabel", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QLabel", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QLabel", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QLabel", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QLabel", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QLabel", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QLabel", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QLabel", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QLabel", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QLabel", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QLabel", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QLabel", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QLabel", /::setWindowModified\s*\(/, "windowModified") -property_reader("QLabel", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QLabel", /::setToolTip\s*\(/, "toolTip") -property_reader("QLabel", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QLabel", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QLabel", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QLabel", /::setStatusTip\s*\(/, "statusTip") -property_reader("QLabel", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QLabel", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QLabel", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QLabel", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QLabel", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QLabel", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QLabel", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QLabel", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QLabel", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QLabel", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QLabel", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QLabel", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QLabel", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QLabel", /::setLocale\s*\(/, "locale") -property_reader("QLabel", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QLabel", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QLabel", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QLabel", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QLabel", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QLabel", /::setFrameShape\s*\(/, "frameShape") -property_reader("QLabel", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QLabel", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QLabel", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QLabel", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QLabel", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QLabel", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QLabel", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QLabel", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QLabel", /::setFrameRect\s*\(/, "frameRect") -property_reader("QLabel", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QLabel", /::setText\s*\(/, "text") -property_reader("QLabel", /::(textFormat|isTextFormat|hasTextFormat)\s*\(/, "textFormat") -property_writer("QLabel", /::setTextFormat\s*\(/, "textFormat") -property_reader("QLabel", /::(pixmap|isPixmap|hasPixmap)\s*\(/, "pixmap") -property_writer("QLabel", /::setPixmap\s*\(/, "pixmap") -property_reader("QLabel", /::(scaledContents|isScaledContents|hasScaledContents)\s*\(/, "scaledContents") -property_writer("QLabel", /::setScaledContents\s*\(/, "scaledContents") -property_reader("QLabel", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QLabel", /::setAlignment\s*\(/, "alignment") -property_reader("QLabel", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") -property_writer("QLabel", /::setWordWrap\s*\(/, "wordWrap") -property_reader("QLabel", /::(margin|isMargin|hasMargin)\s*\(/, "margin") -property_writer("QLabel", /::setMargin\s*\(/, "margin") -property_reader("QLabel", /::(indent|isIndent|hasIndent)\s*\(/, "indent") -property_writer("QLabel", /::setIndent\s*\(/, "indent") -property_reader("QLabel", /::(openExternalLinks|isOpenExternalLinks|hasOpenExternalLinks)\s*\(/, "openExternalLinks") -property_writer("QLabel", /::setOpenExternalLinks\s*\(/, "openExternalLinks") -property_reader("QLabel", /::(textInteractionFlags|isTextInteractionFlags|hasTextInteractionFlags)\s*\(/, "textInteractionFlags") -property_writer("QLabel", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") -property_reader("QLabel", /::(hasSelectedText|isHasSelectedText|hasHasSelectedText)\s*\(/, "hasSelectedText") -property_reader("QLabel", /::(selectedText|isSelectedText|hasSelectedText)\s*\(/, "selectedText") -property_reader("QLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QLayout", /::setObjectName\s*\(/, "objectName") -property_reader("QLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") -property_writer("QLayout", /::setMargin\s*\(/, "margin") -property_reader("QLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QLayout", /::setSpacing\s*\(/, "spacing") -property_reader("QLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") -property_writer("QLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") -property_reader("QLibrary", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QLibrary", /::setObjectName\s*\(/, "objectName") -property_reader("QLibrary", /::(fileName|isFileName|hasFileName)\s*\(/, "fileName") -property_writer("QLibrary", /::setFileName\s*\(/, "fileName") -property_reader("QLibrary", /::(loadHints|isLoadHints|hasLoadHints)\s*\(/, "loadHints") -property_writer("QLibrary", /::setLoadHints\s*\(/, "loadHints") -property_reader("QLineEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QLineEdit", /::setObjectName\s*\(/, "objectName") -property_reader("QLineEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QLineEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QLineEdit", /::setWindowModality\s*\(/, "windowModality") -property_reader("QLineEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QLineEdit", /::setEnabled\s*\(/, "enabled") -property_reader("QLineEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QLineEdit", /::setGeometry\s*\(/, "geometry") -property_reader("QLineEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QLineEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QLineEdit", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QLineEdit", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QLineEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QLineEdit", /::setPos\s*\(/, "pos") -property_reader("QLineEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QLineEdit", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QLineEdit", /::setSize\s*\(/, "size") -property_reader("QLineEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QLineEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QLineEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QLineEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QLineEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QLineEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QLineEdit", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QLineEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QLineEdit", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QLineEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QLineEdit", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QLineEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QLineEdit", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QLineEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QLineEdit", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QLineEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QLineEdit", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QLineEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QLineEdit", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QLineEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QLineEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QLineEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QLineEdit", /::setBaseSize\s*\(/, "baseSize") -property_reader("QLineEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QLineEdit", /::setPalette\s*\(/, "palette") -property_reader("QLineEdit", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QLineEdit", /::setFont\s*\(/, "font") -property_reader("QLineEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QLineEdit", /::setCursor\s*\(/, "cursor") -property_reader("QLineEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QLineEdit", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QLineEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QLineEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QLineEdit", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QLineEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QLineEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QLineEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QLineEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QLineEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QLineEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QLineEdit", /::setVisible\s*\(/, "visible") -property_reader("QLineEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QLineEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QLineEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QLineEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QLineEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QLineEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QLineEdit", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QLineEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QLineEdit", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QLineEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QLineEdit", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QLineEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QLineEdit", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QLineEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QLineEdit", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QLineEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QLineEdit", /::setWindowModified\s*\(/, "windowModified") -property_reader("QLineEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QLineEdit", /::setToolTip\s*\(/, "toolTip") -property_reader("QLineEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QLineEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QLineEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QLineEdit", /::setStatusTip\s*\(/, "statusTip") -property_reader("QLineEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QLineEdit", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QLineEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QLineEdit", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QLineEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QLineEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QLineEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QLineEdit", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QLineEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QLineEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QLineEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QLineEdit", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QLineEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QLineEdit", /::setLocale\s*\(/, "locale") -property_reader("QLineEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QLineEdit", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QLineEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QLineEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QLineEdit", /::(inputMask|isInputMask|hasInputMask)\s*\(/, "inputMask") -property_writer("QLineEdit", /::setInputMask\s*\(/, "inputMask") -property_reader("QLineEdit", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QLineEdit", /::setText\s*\(/, "text") -property_reader("QLineEdit", /::(maxLength|isMaxLength|hasMaxLength)\s*\(/, "maxLength") -property_writer("QLineEdit", /::setMaxLength\s*\(/, "maxLength") -property_reader("QLineEdit", /::(frame|isFrame|hasFrame)\s*\(/, "frame") -property_writer("QLineEdit", /::setFrame\s*\(/, "frame") -property_reader("QLineEdit", /::(echoMode|isEchoMode|hasEchoMode)\s*\(/, "echoMode") -property_writer("QLineEdit", /::setEchoMode\s*\(/, "echoMode") -property_reader("QLineEdit", /::(displayText|isDisplayText|hasDisplayText)\s*\(/, "displayText") -property_reader("QLineEdit", /::(cursorPosition|isCursorPosition|hasCursorPosition)\s*\(/, "cursorPosition") -property_writer("QLineEdit", /::setCursorPosition\s*\(/, "cursorPosition") -property_reader("QLineEdit", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QLineEdit", /::setAlignment\s*\(/, "alignment") -property_reader("QLineEdit", /::(modified|isModified|hasModified)\s*\(/, "modified") -property_writer("QLineEdit", /::setModified\s*\(/, "modified") -property_reader("QLineEdit", /::(hasSelectedText|isHasSelectedText|hasHasSelectedText)\s*\(/, "hasSelectedText") -property_reader("QLineEdit", /::(selectedText|isSelectedText|hasSelectedText)\s*\(/, "selectedText") -property_reader("QLineEdit", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QLineEdit", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QLineEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QLineEdit", /::setReadOnly\s*\(/, "readOnly") -property_reader("QLineEdit", /::(undoAvailable|isUndoAvailable|hasUndoAvailable)\s*\(/, "undoAvailable") -property_reader("QLineEdit", /::(redoAvailable|isRedoAvailable|hasRedoAvailable)\s*\(/, "redoAvailable") -property_reader("QLineEdit", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") -property_reader("QLineEdit", /::(placeholderText|isPlaceholderText|hasPlaceholderText)\s*\(/, "placeholderText") -property_writer("QLineEdit", /::setPlaceholderText\s*\(/, "placeholderText") -property_reader("QLineEdit", /::(cursorMoveStyle|isCursorMoveStyle|hasCursorMoveStyle)\s*\(/, "cursorMoveStyle") -property_writer("QLineEdit", /::setCursorMoveStyle\s*\(/, "cursorMoveStyle") -property_reader("QLineEdit", /::(clearButtonEnabled|isClearButtonEnabled|hasClearButtonEnabled)\s*\(/, "clearButtonEnabled") -property_writer("QLineEdit", /::setClearButtonEnabled\s*\(/, "clearButtonEnabled") -property_reader("QListView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QListView", /::setObjectName\s*\(/, "objectName") -property_reader("QListView", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QListView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QListView", /::setWindowModality\s*\(/, "windowModality") -property_reader("QListView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QListView", /::setEnabled\s*\(/, "enabled") -property_reader("QListView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QListView", /::setGeometry\s*\(/, "geometry") -property_reader("QListView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QListView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QListView", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QListView", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QListView", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QListView", /::setPos\s*\(/, "pos") -property_reader("QListView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QListView", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QListView", /::setSize\s*\(/, "size") -property_reader("QListView", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QListView", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QListView", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QListView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QListView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QListView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QListView", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QListView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QListView", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QListView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QListView", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QListView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QListView", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QListView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QListView", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QListView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QListView", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QListView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QListView", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QListView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QListView", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QListView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QListView", /::setBaseSize\s*\(/, "baseSize") -property_reader("QListView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QListView", /::setPalette\s*\(/, "palette") -property_reader("QListView", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QListView", /::setFont\s*\(/, "font") -property_reader("QListView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QListView", /::setCursor\s*\(/, "cursor") -property_reader("QListView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QListView", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QListView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QListView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QListView", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QListView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QListView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QListView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QListView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QListView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QListView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QListView", /::setVisible\s*\(/, "visible") -property_reader("QListView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QListView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QListView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QListView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QListView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QListView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QListView", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QListView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QListView", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QListView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QListView", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QListView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QListView", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QListView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QListView", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QListView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QListView", /::setWindowModified\s*\(/, "windowModified") -property_reader("QListView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QListView", /::setToolTip\s*\(/, "toolTip") -property_reader("QListView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QListView", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QListView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QListView", /::setStatusTip\s*\(/, "statusTip") -property_reader("QListView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QListView", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QListView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QListView", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QListView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QListView", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QListView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QListView", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QListView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QListView", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QListView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QListView", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QListView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QListView", /::setLocale\s*\(/, "locale") -property_reader("QListView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QListView", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QListView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QListView", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QListView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QListView", /::setFrameShape\s*\(/, "frameShape") -property_reader("QListView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QListView", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QListView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QListView", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QListView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QListView", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QListView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QListView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QListView", /::setFrameRect\s*\(/, "frameRect") -property_reader("QListView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QListView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QListView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QListView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QListView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QListView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QListView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") -property_writer("QListView", /::setAutoScroll\s*\(/, "autoScroll") -property_reader("QListView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") -property_writer("QListView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") -property_reader("QListView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") -property_writer("QListView", /::setEditTriggers\s*\(/, "editTriggers") -property_reader("QListView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") -property_writer("QListView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") -property_reader("QListView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") -property_writer("QListView", /::setShowDropIndicator\s*\(/, "showDropIndicator") -property_reader("QListView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QListView", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QListView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") -property_writer("QListView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") -property_reader("QListView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") -property_writer("QListView", /::setDragDropMode\s*\(/, "dragDropMode") -property_reader("QListView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") -property_writer("QListView", /::setDefaultDropAction\s*\(/, "defaultDropAction") -property_reader("QListView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") -property_writer("QListView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") -property_reader("QListView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QListView", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QListView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") -property_writer("QListView", /::setSelectionBehavior\s*\(/, "selectionBehavior") -property_reader("QListView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QListView", /::setIconSize\s*\(/, "iconSize") -property_reader("QListView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") -property_writer("QListView", /::setTextElideMode\s*\(/, "textElideMode") -property_reader("QListView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") -property_writer("QListView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") -property_reader("QListView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") -property_writer("QListView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") -property_reader("QListView", /::(movement|isMovement|hasMovement)\s*\(/, "movement") -property_writer("QListView", /::setMovement\s*\(/, "movement") -property_reader("QListView", /::(flow|isFlow|hasFlow)\s*\(/, "flow") -property_writer("QListView", /::setFlow\s*\(/, "flow") -property_reader("QListView", /::(isWrapping|isIsWrapping|hasIsWrapping)\s*\(/, "isWrapping") -property_writer("QListView", /::setIsWrapping\s*\(/, "isWrapping") -property_reader("QListView", /::(resizeMode|isResizeMode|hasResizeMode)\s*\(/, "resizeMode") -property_writer("QListView", /::setResizeMode\s*\(/, "resizeMode") -property_reader("QListView", /::(layoutMode|isLayoutMode|hasLayoutMode)\s*\(/, "layoutMode") -property_writer("QListView", /::setLayoutMode\s*\(/, "layoutMode") -property_reader("QListView", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QListView", /::setSpacing\s*\(/, "spacing") -property_reader("QListView", /::(gridSize|isGridSize|hasGridSize)\s*\(/, "gridSize") -property_writer("QListView", /::setGridSize\s*\(/, "gridSize") -property_reader("QListView", /::(viewMode|isViewMode|hasViewMode)\s*\(/, "viewMode") -property_writer("QListView", /::setViewMode\s*\(/, "viewMode") -property_reader("QListView", /::(modelColumn|isModelColumn|hasModelColumn)\s*\(/, "modelColumn") -property_writer("QListView", /::setModelColumn\s*\(/, "modelColumn") -property_reader("QListView", /::(uniformItemSizes|isUniformItemSizes|hasUniformItemSizes)\s*\(/, "uniformItemSizes") -property_writer("QListView", /::setUniformItemSizes\s*\(/, "uniformItemSizes") -property_reader("QListView", /::(batchSize|isBatchSize|hasBatchSize)\s*\(/, "batchSize") -property_writer("QListView", /::setBatchSize\s*\(/, "batchSize") -property_reader("QListView", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") -property_writer("QListView", /::setWordWrap\s*\(/, "wordWrap") -property_reader("QListView", /::(selectionRectVisible|isSelectionRectVisible|hasSelectionRectVisible)\s*\(/, "selectionRectVisible") -property_writer("QListView", /::setSelectionRectVisible\s*\(/, "selectionRectVisible") -property_reader("QListWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QListWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QListWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QListWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QListWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QListWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QListWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QListWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QListWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QListWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QListWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QListWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QListWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QListWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QListWidget", /::setPos\s*\(/, "pos") -property_reader("QListWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QListWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QListWidget", /::setSize\s*\(/, "size") -property_reader("QListWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QListWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QListWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QListWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QListWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QListWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QListWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QListWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QListWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QListWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QListWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QListWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QListWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QListWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QListWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QListWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QListWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QListWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QListWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QListWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QListWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QListWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QListWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QListWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QListWidget", /::setPalette\s*\(/, "palette") -property_reader("QListWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QListWidget", /::setFont\s*\(/, "font") -property_reader("QListWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QListWidget", /::setCursor\s*\(/, "cursor") -property_reader("QListWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QListWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QListWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QListWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QListWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QListWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QListWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QListWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QListWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QListWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QListWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QListWidget", /::setVisible\s*\(/, "visible") -property_reader("QListWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QListWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QListWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QListWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QListWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QListWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QListWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QListWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QListWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QListWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QListWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QListWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QListWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QListWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QListWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QListWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QListWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QListWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QListWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QListWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QListWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QListWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QListWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QListWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QListWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QListWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QListWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QListWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QListWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QListWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QListWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QListWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QListWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QListWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QListWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QListWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QListWidget", /::setLocale\s*\(/, "locale") -property_reader("QListWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QListWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QListWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QListWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QListWidget", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QListWidget", /::setFrameShape\s*\(/, "frameShape") -property_reader("QListWidget", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QListWidget", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QListWidget", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QListWidget", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QListWidget", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QListWidget", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QListWidget", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QListWidget", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QListWidget", /::setFrameRect\s*\(/, "frameRect") -property_reader("QListWidget", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QListWidget", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QListWidget", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QListWidget", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QListWidget", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QListWidget", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QListWidget", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") -property_writer("QListWidget", /::setAutoScroll\s*\(/, "autoScroll") -property_reader("QListWidget", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") -property_writer("QListWidget", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") -property_reader("QListWidget", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") -property_writer("QListWidget", /::setEditTriggers\s*\(/, "editTriggers") -property_reader("QListWidget", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") -property_writer("QListWidget", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") -property_reader("QListWidget", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") -property_writer("QListWidget", /::setShowDropIndicator\s*\(/, "showDropIndicator") -property_reader("QListWidget", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QListWidget", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QListWidget", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") -property_writer("QListWidget", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") -property_reader("QListWidget", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") -property_writer("QListWidget", /::setDragDropMode\s*\(/, "dragDropMode") -property_reader("QListWidget", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") -property_writer("QListWidget", /::setDefaultDropAction\s*\(/, "defaultDropAction") -property_reader("QListWidget", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") -property_writer("QListWidget", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") -property_reader("QListWidget", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QListWidget", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QListWidget", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") -property_writer("QListWidget", /::setSelectionBehavior\s*\(/, "selectionBehavior") -property_reader("QListWidget", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QListWidget", /::setIconSize\s*\(/, "iconSize") -property_reader("QListWidget", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") -property_writer("QListWidget", /::setTextElideMode\s*\(/, "textElideMode") -property_reader("QListWidget", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") -property_writer("QListWidget", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") -property_reader("QListWidget", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") -property_writer("QListWidget", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") -property_reader("QListWidget", /::(movement|isMovement|hasMovement)\s*\(/, "movement") -property_writer("QListWidget", /::setMovement\s*\(/, "movement") -property_reader("QListWidget", /::(flow|isFlow|hasFlow)\s*\(/, "flow") -property_writer("QListWidget", /::setFlow\s*\(/, "flow") -property_reader("QListWidget", /::(isWrapping|isIsWrapping|hasIsWrapping)\s*\(/, "isWrapping") -property_writer("QListWidget", /::setIsWrapping\s*\(/, "isWrapping") -property_reader("QListWidget", /::(resizeMode|isResizeMode|hasResizeMode)\s*\(/, "resizeMode") -property_writer("QListWidget", /::setResizeMode\s*\(/, "resizeMode") -property_reader("QListWidget", /::(layoutMode|isLayoutMode|hasLayoutMode)\s*\(/, "layoutMode") -property_writer("QListWidget", /::setLayoutMode\s*\(/, "layoutMode") -property_reader("QListWidget", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QListWidget", /::setSpacing\s*\(/, "spacing") -property_reader("QListWidget", /::(gridSize|isGridSize|hasGridSize)\s*\(/, "gridSize") -property_writer("QListWidget", /::setGridSize\s*\(/, "gridSize") -property_reader("QListWidget", /::(viewMode|isViewMode|hasViewMode)\s*\(/, "viewMode") -property_writer("QListWidget", /::setViewMode\s*\(/, "viewMode") -property_reader("QListWidget", /::(modelColumn|isModelColumn|hasModelColumn)\s*\(/, "modelColumn") -property_writer("QListWidget", /::setModelColumn\s*\(/, "modelColumn") -property_reader("QListWidget", /::(uniformItemSizes|isUniformItemSizes|hasUniformItemSizes)\s*\(/, "uniformItemSizes") -property_writer("QListWidget", /::setUniformItemSizes\s*\(/, "uniformItemSizes") -property_reader("QListWidget", /::(batchSize|isBatchSize|hasBatchSize)\s*\(/, "batchSize") -property_writer("QListWidget", /::setBatchSize\s*\(/, "batchSize") -property_reader("QListWidget", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") -property_writer("QListWidget", /::setWordWrap\s*\(/, "wordWrap") -property_reader("QListWidget", /::(selectionRectVisible|isSelectionRectVisible|hasSelectionRectVisible)\s*\(/, "selectionRectVisible") -property_writer("QListWidget", /::setSelectionRectVisible\s*\(/, "selectionRectVisible") -property_reader("QListWidget", /::(count|isCount|hasCount)\s*\(/, "count") -property_reader("QListWidget", /::(currentRow|isCurrentRow|hasCurrentRow)\s*\(/, "currentRow") -property_writer("QListWidget", /::setCurrentRow\s*\(/, "currentRow") -property_reader("QListWidget", /::(sortingEnabled|isSortingEnabled|hasSortingEnabled)\s*\(/, "sortingEnabled") -property_writer("QListWidget", /::setSortingEnabled\s*\(/, "sortingEnabled") -property_reader("QLocalServer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QLocalServer", /::setObjectName\s*\(/, "objectName") -property_reader("QLocalServer", /::(socketOptions|isSocketOptions|hasSocketOptions)\s*\(/, "socketOptions") -property_writer("QLocalServer", /::setSocketOptions\s*\(/, "socketOptions") -property_reader("QLocalSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QLocalSocket", /::setObjectName\s*\(/, "objectName") -property_reader("QMainWindow", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMainWindow", /::setObjectName\s*\(/, "objectName") -property_reader("QMainWindow", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QMainWindow", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QMainWindow", /::setWindowModality\s*\(/, "windowModality") -property_reader("QMainWindow", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QMainWindow", /::setEnabled\s*\(/, "enabled") -property_reader("QMainWindow", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QMainWindow", /::setGeometry\s*\(/, "geometry") -property_reader("QMainWindow", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QMainWindow", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QMainWindow", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QMainWindow", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QMainWindow", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QMainWindow", /::setPos\s*\(/, "pos") -property_reader("QMainWindow", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QMainWindow", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QMainWindow", /::setSize\s*\(/, "size") -property_reader("QMainWindow", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QMainWindow", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QMainWindow", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QMainWindow", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QMainWindow", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QMainWindow", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QMainWindow", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QMainWindow", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QMainWindow", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QMainWindow", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QMainWindow", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QMainWindow", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QMainWindow", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QMainWindow", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QMainWindow", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QMainWindow", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QMainWindow", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QMainWindow", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QMainWindow", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QMainWindow", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QMainWindow", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QMainWindow", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QMainWindow", /::setBaseSize\s*\(/, "baseSize") -property_reader("QMainWindow", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QMainWindow", /::setPalette\s*\(/, "palette") -property_reader("QMainWindow", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QMainWindow", /::setFont\s*\(/, "font") -property_reader("QMainWindow", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QMainWindow", /::setCursor\s*\(/, "cursor") -property_reader("QMainWindow", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QMainWindow", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QMainWindow", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QMainWindow", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QMainWindow", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QMainWindow", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QMainWindow", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QMainWindow", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QMainWindow", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QMainWindow", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QMainWindow", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QMainWindow", /::setVisible\s*\(/, "visible") -property_reader("QMainWindow", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QMainWindow", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QMainWindow", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QMainWindow", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QMainWindow", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QMainWindow", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QMainWindow", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QMainWindow", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QMainWindow", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QMainWindow", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QMainWindow", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QMainWindow", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QMainWindow", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QMainWindow", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QMainWindow", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QMainWindow", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QMainWindow", /::setWindowModified\s*\(/, "windowModified") -property_reader("QMainWindow", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QMainWindow", /::setToolTip\s*\(/, "toolTip") -property_reader("QMainWindow", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QMainWindow", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QMainWindow", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QMainWindow", /::setStatusTip\s*\(/, "statusTip") -property_reader("QMainWindow", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QMainWindow", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QMainWindow", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QMainWindow", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QMainWindow", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QMainWindow", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QMainWindow", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QMainWindow", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QMainWindow", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QMainWindow", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QMainWindow", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QMainWindow", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QMainWindow", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QMainWindow", /::setLocale\s*\(/, "locale") -property_reader("QMainWindow", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QMainWindow", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QMainWindow", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QMainWindow", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QMainWindow", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QMainWindow", /::setIconSize\s*\(/, "iconSize") -property_reader("QMainWindow", /::(toolButtonStyle|isToolButtonStyle|hasToolButtonStyle)\s*\(/, "toolButtonStyle") -property_writer("QMainWindow", /::setToolButtonStyle\s*\(/, "toolButtonStyle") -property_reader("QMainWindow", /::(animated|isAnimated|hasAnimated)\s*\(/, "animated") -property_writer("QMainWindow", /::setAnimated\s*\(/, "animated") -property_reader("QMainWindow", /::(documentMode|isDocumentMode|hasDocumentMode)\s*\(/, "documentMode") -property_writer("QMainWindow", /::setDocumentMode\s*\(/, "documentMode") -property_reader("QMainWindow", /::(tabShape|isTabShape|hasTabShape)\s*\(/, "tabShape") -property_writer("QMainWindow", /::setTabShape\s*\(/, "tabShape") -property_reader("QMainWindow", /::(dockNestingEnabled|isDockNestingEnabled|hasDockNestingEnabled)\s*\(/, "dockNestingEnabled") -property_writer("QMainWindow", /::setDockNestingEnabled\s*\(/, "dockNestingEnabled") -property_reader("QMainWindow", /::(dockOptions|isDockOptions|hasDockOptions)\s*\(/, "dockOptions") -property_writer("QMainWindow", /::setDockOptions\s*\(/, "dockOptions") -property_reader("QMainWindow", /::(unifiedTitleAndToolBarOnMac|isUnifiedTitleAndToolBarOnMac|hasUnifiedTitleAndToolBarOnMac)\s*\(/, "unifiedTitleAndToolBarOnMac") -property_writer("QMainWindow", /::setUnifiedTitleAndToolBarOnMac\s*\(/, "unifiedTitleAndToolBarOnMac") -property_reader("QMdiArea", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMdiArea", /::setObjectName\s*\(/, "objectName") -property_reader("QMdiArea", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QMdiArea", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QMdiArea", /::setWindowModality\s*\(/, "windowModality") -property_reader("QMdiArea", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QMdiArea", /::setEnabled\s*\(/, "enabled") -property_reader("QMdiArea", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QMdiArea", /::setGeometry\s*\(/, "geometry") -property_reader("QMdiArea", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QMdiArea", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QMdiArea", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QMdiArea", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QMdiArea", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QMdiArea", /::setPos\s*\(/, "pos") -property_reader("QMdiArea", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QMdiArea", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QMdiArea", /::setSize\s*\(/, "size") -property_reader("QMdiArea", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QMdiArea", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QMdiArea", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QMdiArea", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QMdiArea", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QMdiArea", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QMdiArea", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QMdiArea", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QMdiArea", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QMdiArea", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QMdiArea", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QMdiArea", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QMdiArea", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QMdiArea", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QMdiArea", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QMdiArea", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QMdiArea", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QMdiArea", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QMdiArea", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QMdiArea", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QMdiArea", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QMdiArea", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QMdiArea", /::setBaseSize\s*\(/, "baseSize") -property_reader("QMdiArea", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QMdiArea", /::setPalette\s*\(/, "palette") -property_reader("QMdiArea", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QMdiArea", /::setFont\s*\(/, "font") -property_reader("QMdiArea", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QMdiArea", /::setCursor\s*\(/, "cursor") -property_reader("QMdiArea", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QMdiArea", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QMdiArea", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QMdiArea", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QMdiArea", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QMdiArea", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QMdiArea", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QMdiArea", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QMdiArea", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QMdiArea", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QMdiArea", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QMdiArea", /::setVisible\s*\(/, "visible") -property_reader("QMdiArea", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QMdiArea", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QMdiArea", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QMdiArea", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QMdiArea", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QMdiArea", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QMdiArea", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QMdiArea", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QMdiArea", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QMdiArea", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QMdiArea", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QMdiArea", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QMdiArea", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QMdiArea", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QMdiArea", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QMdiArea", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QMdiArea", /::setWindowModified\s*\(/, "windowModified") -property_reader("QMdiArea", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QMdiArea", /::setToolTip\s*\(/, "toolTip") -property_reader("QMdiArea", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QMdiArea", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QMdiArea", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QMdiArea", /::setStatusTip\s*\(/, "statusTip") -property_reader("QMdiArea", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QMdiArea", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QMdiArea", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QMdiArea", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QMdiArea", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QMdiArea", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QMdiArea", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QMdiArea", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QMdiArea", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QMdiArea", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QMdiArea", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QMdiArea", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QMdiArea", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QMdiArea", /::setLocale\s*\(/, "locale") -property_reader("QMdiArea", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QMdiArea", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QMdiArea", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QMdiArea", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QMdiArea", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QMdiArea", /::setFrameShape\s*\(/, "frameShape") -property_reader("QMdiArea", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QMdiArea", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QMdiArea", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QMdiArea", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QMdiArea", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QMdiArea", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QMdiArea", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QMdiArea", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QMdiArea", /::setFrameRect\s*\(/, "frameRect") -property_reader("QMdiArea", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QMdiArea", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QMdiArea", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QMdiArea", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QMdiArea", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QMdiArea", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QMdiArea", /::(background|isBackground|hasBackground)\s*\(/, "background") -property_writer("QMdiArea", /::setBackground\s*\(/, "background") -property_reader("QMdiArea", /::(activationOrder|isActivationOrder|hasActivationOrder)\s*\(/, "activationOrder") -property_writer("QMdiArea", /::setActivationOrder\s*\(/, "activationOrder") -property_reader("QMdiArea", /::(viewMode|isViewMode|hasViewMode)\s*\(/, "viewMode") -property_writer("QMdiArea", /::setViewMode\s*\(/, "viewMode") -property_reader("QMdiArea", /::(documentMode|isDocumentMode|hasDocumentMode)\s*\(/, "documentMode") -property_writer("QMdiArea", /::setDocumentMode\s*\(/, "documentMode") -property_reader("QMdiArea", /::(tabsClosable|isTabsClosable|hasTabsClosable)\s*\(/, "tabsClosable") -property_writer("QMdiArea", /::setTabsClosable\s*\(/, "tabsClosable") -property_reader("QMdiArea", /::(tabsMovable|isTabsMovable|hasTabsMovable)\s*\(/, "tabsMovable") -property_writer("QMdiArea", /::setTabsMovable\s*\(/, "tabsMovable") -property_reader("QMdiArea", /::(tabShape|isTabShape|hasTabShape)\s*\(/, "tabShape") -property_writer("QMdiArea", /::setTabShape\s*\(/, "tabShape") -property_reader("QMdiArea", /::(tabPosition|isTabPosition|hasTabPosition)\s*\(/, "tabPosition") -property_writer("QMdiArea", /::setTabPosition\s*\(/, "tabPosition") -property_reader("QMdiSubWindow", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMdiSubWindow", /::setObjectName\s*\(/, "objectName") -property_reader("QMdiSubWindow", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QMdiSubWindow", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QMdiSubWindow", /::setWindowModality\s*\(/, "windowModality") -property_reader("QMdiSubWindow", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QMdiSubWindow", /::setEnabled\s*\(/, "enabled") -property_reader("QMdiSubWindow", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QMdiSubWindow", /::setGeometry\s*\(/, "geometry") -property_reader("QMdiSubWindow", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QMdiSubWindow", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QMdiSubWindow", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QMdiSubWindow", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QMdiSubWindow", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QMdiSubWindow", /::setPos\s*\(/, "pos") -property_reader("QMdiSubWindow", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QMdiSubWindow", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QMdiSubWindow", /::setSize\s*\(/, "size") -property_reader("QMdiSubWindow", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QMdiSubWindow", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QMdiSubWindow", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QMdiSubWindow", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QMdiSubWindow", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QMdiSubWindow", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QMdiSubWindow", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QMdiSubWindow", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QMdiSubWindow", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QMdiSubWindow", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QMdiSubWindow", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QMdiSubWindow", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QMdiSubWindow", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QMdiSubWindow", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QMdiSubWindow", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QMdiSubWindow", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QMdiSubWindow", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QMdiSubWindow", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QMdiSubWindow", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QMdiSubWindow", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QMdiSubWindow", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QMdiSubWindow", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QMdiSubWindow", /::setBaseSize\s*\(/, "baseSize") -property_reader("QMdiSubWindow", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QMdiSubWindow", /::setPalette\s*\(/, "palette") -property_reader("QMdiSubWindow", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QMdiSubWindow", /::setFont\s*\(/, "font") -property_reader("QMdiSubWindow", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QMdiSubWindow", /::setCursor\s*\(/, "cursor") -property_reader("QMdiSubWindow", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QMdiSubWindow", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QMdiSubWindow", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QMdiSubWindow", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QMdiSubWindow", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QMdiSubWindow", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QMdiSubWindow", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QMdiSubWindow", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QMdiSubWindow", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QMdiSubWindow", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QMdiSubWindow", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QMdiSubWindow", /::setVisible\s*\(/, "visible") -property_reader("QMdiSubWindow", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QMdiSubWindow", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QMdiSubWindow", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QMdiSubWindow", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QMdiSubWindow", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QMdiSubWindow", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QMdiSubWindow", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QMdiSubWindow", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QMdiSubWindow", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QMdiSubWindow", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QMdiSubWindow", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QMdiSubWindow", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QMdiSubWindow", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QMdiSubWindow", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QMdiSubWindow", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QMdiSubWindow", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QMdiSubWindow", /::setWindowModified\s*\(/, "windowModified") -property_reader("QMdiSubWindow", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QMdiSubWindow", /::setToolTip\s*\(/, "toolTip") -property_reader("QMdiSubWindow", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QMdiSubWindow", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QMdiSubWindow", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QMdiSubWindow", /::setStatusTip\s*\(/, "statusTip") -property_reader("QMdiSubWindow", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QMdiSubWindow", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QMdiSubWindow", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QMdiSubWindow", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QMdiSubWindow", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QMdiSubWindow", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QMdiSubWindow", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QMdiSubWindow", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QMdiSubWindow", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QMdiSubWindow", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QMdiSubWindow", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QMdiSubWindow", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QMdiSubWindow", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QMdiSubWindow", /::setLocale\s*\(/, "locale") -property_reader("QMdiSubWindow", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QMdiSubWindow", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QMdiSubWindow", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QMdiSubWindow", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QMdiSubWindow", /::(keyboardSingleStep|isKeyboardSingleStep|hasKeyboardSingleStep)\s*\(/, "keyboardSingleStep") -property_writer("QMdiSubWindow", /::setKeyboardSingleStep\s*\(/, "keyboardSingleStep") -property_reader("QMdiSubWindow", /::(keyboardPageStep|isKeyboardPageStep|hasKeyboardPageStep)\s*\(/, "keyboardPageStep") -property_writer("QMdiSubWindow", /::setKeyboardPageStep\s*\(/, "keyboardPageStep") -property_reader("QMediaAudioProbeControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaAudioProbeControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaAvailabilityControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaAvailabilityControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaContainerControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaContainerControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaGaplessPlaybackControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaGaplessPlaybackControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaNetworkAccessControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaNetworkAccessControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaObject", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaObject", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaObject", /::(notifyInterval|isNotifyInterval|hasNotifyInterval)\s*\(/, "notifyInterval") -property_writer("QMediaObject", /::setNotifyInterval\s*\(/, "notifyInterval") -property_reader("QMediaPlayer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaPlayer", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaPlayer", /::(notifyInterval|isNotifyInterval|hasNotifyInterval)\s*\(/, "notifyInterval") -property_writer("QMediaPlayer", /::setNotifyInterval\s*\(/, "notifyInterval") -property_reader("QMediaPlayer", /::(media|isMedia|hasMedia)\s*\(/, "media") -property_writer("QMediaPlayer", /::setMedia\s*\(/, "media") -property_reader("QMediaPlayer", /::(currentMedia|isCurrentMedia|hasCurrentMedia)\s*\(/, "currentMedia") -property_reader("QMediaPlayer", /::(playlist|isPlaylist|hasPlaylist)\s*\(/, "playlist") -property_writer("QMediaPlayer", /::setPlaylist\s*\(/, "playlist") -property_reader("QMediaPlayer", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_reader("QMediaPlayer", /::(position|isPosition|hasPosition)\s*\(/, "position") -property_writer("QMediaPlayer", /::setPosition\s*\(/, "position") -property_reader("QMediaPlayer", /::(volume|isVolume|hasVolume)\s*\(/, "volume") -property_writer("QMediaPlayer", /::setVolume\s*\(/, "volume") -property_reader("QMediaPlayer", /::(muted|isMuted|hasMuted)\s*\(/, "muted") -property_writer("QMediaPlayer", /::setMuted\s*\(/, "muted") -property_reader("QMediaPlayer", /::(bufferStatus|isBufferStatus|hasBufferStatus)\s*\(/, "bufferStatus") -property_reader("QMediaPlayer", /::(audioAvailable|isAudioAvailable|hasAudioAvailable)\s*\(/, "audioAvailable") -property_reader("QMediaPlayer", /::(videoAvailable|isVideoAvailable|hasVideoAvailable)\s*\(/, "videoAvailable") -property_reader("QMediaPlayer", /::(seekable|isSeekable|hasSeekable)\s*\(/, "seekable") -property_reader("QMediaPlayer", /::(playbackRate|isPlaybackRate|hasPlaybackRate)\s*\(/, "playbackRate") -property_writer("QMediaPlayer", /::setPlaybackRate\s*\(/, "playbackRate") -property_reader("QMediaPlayer", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QMediaPlayer", /::(mediaStatus|isMediaStatus|hasMediaStatus)\s*\(/, "mediaStatus") -property_reader("QMediaPlayer", /::(error|isError|hasError)\s*\(/, "error") -property_reader("QMediaPlayerControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaPlayerControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaPlaylist", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaPlaylist", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaPlaylist", /::(playbackMode|isPlaybackMode|hasPlaybackMode)\s*\(/, "playbackMode") -property_writer("QMediaPlaylist", /::setPlaybackMode\s*\(/, "playbackMode") -property_reader("QMediaPlaylist", /::(currentMedia|isCurrentMedia|hasCurrentMedia)\s*\(/, "currentMedia") -property_reader("QMediaPlaylist", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") -property_writer("QMediaPlaylist", /::setCurrentIndex\s*\(/, "currentIndex") -property_reader("QMediaRecorder", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaRecorder", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaRecorder", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QMediaRecorder", /::(status|isStatus|hasStatus)\s*\(/, "status") -property_reader("QMediaRecorder", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_reader("QMediaRecorder", /::(outputLocation|isOutputLocation|hasOutputLocation)\s*\(/, "outputLocation") -property_writer("QMediaRecorder", /::setOutputLocation\s*\(/, "outputLocation") -property_reader("QMediaRecorder", /::(actualLocation|isActualLocation|hasActualLocation)\s*\(/, "actualLocation") -property_reader("QMediaRecorder", /::(muted|isMuted|hasMuted)\s*\(/, "muted") -property_writer("QMediaRecorder", /::setMuted\s*\(/, "muted") -property_reader("QMediaRecorder", /::(volume|isVolume|hasVolume)\s*\(/, "volume") -property_writer("QMediaRecorder", /::setVolume\s*\(/, "volume") -property_reader("QMediaRecorder", /::(metaDataAvailable|isMetaDataAvailable|hasMetaDataAvailable)\s*\(/, "metaDataAvailable") -property_reader("QMediaRecorder", /::(metaDataWritable|isMetaDataWritable|hasMetaDataWritable)\s*\(/, "metaDataWritable") -property_reader("QMediaRecorderControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaRecorderControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaService", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaService", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaServiceProviderPlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaServiceProviderPlugin", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaStreamsControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaStreamsControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaVideoProbeControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaVideoProbeControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMenu", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMenu", /::setObjectName\s*\(/, "objectName") -property_reader("QMenu", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QMenu", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QMenu", /::setWindowModality\s*\(/, "windowModality") -property_reader("QMenu", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QMenu", /::setEnabled\s*\(/, "enabled") -property_reader("QMenu", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QMenu", /::setGeometry\s*\(/, "geometry") -property_reader("QMenu", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QMenu", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QMenu", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QMenu", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QMenu", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QMenu", /::setPos\s*\(/, "pos") -property_reader("QMenu", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QMenu", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QMenu", /::setSize\s*\(/, "size") -property_reader("QMenu", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QMenu", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QMenu", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QMenu", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QMenu", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QMenu", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QMenu", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QMenu", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QMenu", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QMenu", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QMenu", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QMenu", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QMenu", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QMenu", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QMenu", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QMenu", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QMenu", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QMenu", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QMenu", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QMenu", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QMenu", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QMenu", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QMenu", /::setBaseSize\s*\(/, "baseSize") -property_reader("QMenu", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QMenu", /::setPalette\s*\(/, "palette") -property_reader("QMenu", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QMenu", /::setFont\s*\(/, "font") -property_reader("QMenu", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QMenu", /::setCursor\s*\(/, "cursor") -property_reader("QMenu", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QMenu", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QMenu", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QMenu", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QMenu", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QMenu", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QMenu", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QMenu", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QMenu", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QMenu", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QMenu", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QMenu", /::setVisible\s*\(/, "visible") -property_reader("QMenu", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QMenu", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QMenu", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QMenu", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QMenu", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QMenu", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QMenu", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QMenu", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QMenu", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QMenu", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QMenu", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QMenu", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QMenu", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QMenu", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QMenu", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QMenu", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QMenu", /::setWindowModified\s*\(/, "windowModified") -property_reader("QMenu", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QMenu", /::setToolTip\s*\(/, "toolTip") -property_reader("QMenu", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QMenu", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QMenu", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QMenu", /::setStatusTip\s*\(/, "statusTip") -property_reader("QMenu", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QMenu", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QMenu", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QMenu", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QMenu", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QMenu", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QMenu", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QMenu", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QMenu", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QMenu", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QMenu", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QMenu", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QMenu", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QMenu", /::setLocale\s*\(/, "locale") -property_reader("QMenu", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QMenu", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QMenu", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QMenu", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QMenu", /::(tearOffEnabled|isTearOffEnabled|hasTearOffEnabled)\s*\(/, "tearOffEnabled") -property_writer("QMenu", /::setTearOffEnabled\s*\(/, "tearOffEnabled") -property_reader("QMenu", /::(title|isTitle|hasTitle)\s*\(/, "title") -property_writer("QMenu", /::setTitle\s*\(/, "title") -property_reader("QMenu", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QMenu", /::setIcon\s*\(/, "icon") -property_reader("QMenu", /::(separatorsCollapsible|isSeparatorsCollapsible|hasSeparatorsCollapsible)\s*\(/, "separatorsCollapsible") -property_writer("QMenu", /::setSeparatorsCollapsible\s*\(/, "separatorsCollapsible") -property_reader("QMenu", /::(toolTipsVisible|isToolTipsVisible|hasToolTipsVisible)\s*\(/, "toolTipsVisible") -property_writer("QMenu", /::setToolTipsVisible\s*\(/, "toolTipsVisible") -property_reader("QMenuBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMenuBar", /::setObjectName\s*\(/, "objectName") -property_reader("QMenuBar", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QMenuBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QMenuBar", /::setWindowModality\s*\(/, "windowModality") -property_reader("QMenuBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QMenuBar", /::setEnabled\s*\(/, "enabled") -property_reader("QMenuBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QMenuBar", /::setGeometry\s*\(/, "geometry") -property_reader("QMenuBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QMenuBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QMenuBar", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QMenuBar", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QMenuBar", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QMenuBar", /::setPos\s*\(/, "pos") -property_reader("QMenuBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QMenuBar", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QMenuBar", /::setSize\s*\(/, "size") -property_reader("QMenuBar", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QMenuBar", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QMenuBar", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QMenuBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QMenuBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QMenuBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QMenuBar", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QMenuBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QMenuBar", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QMenuBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QMenuBar", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QMenuBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QMenuBar", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QMenuBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QMenuBar", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QMenuBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QMenuBar", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QMenuBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QMenuBar", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QMenuBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QMenuBar", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QMenuBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QMenuBar", /::setBaseSize\s*\(/, "baseSize") -property_reader("QMenuBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QMenuBar", /::setPalette\s*\(/, "palette") -property_reader("QMenuBar", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QMenuBar", /::setFont\s*\(/, "font") -property_reader("QMenuBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QMenuBar", /::setCursor\s*\(/, "cursor") -property_reader("QMenuBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QMenuBar", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QMenuBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QMenuBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QMenuBar", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QMenuBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QMenuBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QMenuBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QMenuBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QMenuBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QMenuBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QMenuBar", /::setVisible\s*\(/, "visible") -property_reader("QMenuBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QMenuBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QMenuBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QMenuBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QMenuBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QMenuBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QMenuBar", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QMenuBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QMenuBar", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QMenuBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QMenuBar", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QMenuBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QMenuBar", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QMenuBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QMenuBar", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QMenuBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QMenuBar", /::setWindowModified\s*\(/, "windowModified") -property_reader("QMenuBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QMenuBar", /::setToolTip\s*\(/, "toolTip") -property_reader("QMenuBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QMenuBar", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QMenuBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QMenuBar", /::setStatusTip\s*\(/, "statusTip") -property_reader("QMenuBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QMenuBar", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QMenuBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QMenuBar", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QMenuBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QMenuBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QMenuBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QMenuBar", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QMenuBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QMenuBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QMenuBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QMenuBar", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QMenuBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QMenuBar", /::setLocale\s*\(/, "locale") -property_reader("QMenuBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QMenuBar", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QMenuBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QMenuBar", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QMenuBar", /::(defaultUp|isDefaultUp|hasDefaultUp)\s*\(/, "defaultUp") -property_writer("QMenuBar", /::setDefaultUp\s*\(/, "defaultUp") -property_reader("QMenuBar", /::(nativeMenuBar|isNativeMenuBar|hasNativeMenuBar)\s*\(/, "nativeMenuBar") -property_writer("QMenuBar", /::setNativeMenuBar\s*\(/, "nativeMenuBar") -property_reader("QMessageBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMessageBox", /::setObjectName\s*\(/, "objectName") -property_reader("QMessageBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QMessageBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QMessageBox", /::setWindowModality\s*\(/, "windowModality") -property_reader("QMessageBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QMessageBox", /::setEnabled\s*\(/, "enabled") -property_reader("QMessageBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QMessageBox", /::setGeometry\s*\(/, "geometry") -property_reader("QMessageBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QMessageBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QMessageBox", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QMessageBox", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QMessageBox", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QMessageBox", /::setPos\s*\(/, "pos") -property_reader("QMessageBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QMessageBox", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QMessageBox", /::setSize\s*\(/, "size") -property_reader("QMessageBox", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QMessageBox", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QMessageBox", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QMessageBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QMessageBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QMessageBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QMessageBox", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QMessageBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QMessageBox", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QMessageBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QMessageBox", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QMessageBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QMessageBox", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QMessageBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QMessageBox", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QMessageBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QMessageBox", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QMessageBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QMessageBox", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QMessageBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QMessageBox", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QMessageBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QMessageBox", /::setBaseSize\s*\(/, "baseSize") -property_reader("QMessageBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QMessageBox", /::setPalette\s*\(/, "palette") -property_reader("QMessageBox", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QMessageBox", /::setFont\s*\(/, "font") -property_reader("QMessageBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QMessageBox", /::setCursor\s*\(/, "cursor") -property_reader("QMessageBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QMessageBox", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QMessageBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QMessageBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QMessageBox", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QMessageBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QMessageBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QMessageBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QMessageBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QMessageBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QMessageBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QMessageBox", /::setVisible\s*\(/, "visible") -property_reader("QMessageBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QMessageBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QMessageBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QMessageBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QMessageBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QMessageBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QMessageBox", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QMessageBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QMessageBox", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QMessageBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QMessageBox", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QMessageBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QMessageBox", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QMessageBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QMessageBox", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QMessageBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QMessageBox", /::setWindowModified\s*\(/, "windowModified") -property_reader("QMessageBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QMessageBox", /::setToolTip\s*\(/, "toolTip") -property_reader("QMessageBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QMessageBox", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QMessageBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QMessageBox", /::setStatusTip\s*\(/, "statusTip") -property_reader("QMessageBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QMessageBox", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QMessageBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QMessageBox", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QMessageBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QMessageBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QMessageBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QMessageBox", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QMessageBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QMessageBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QMessageBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QMessageBox", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QMessageBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QMessageBox", /::setLocale\s*\(/, "locale") -property_reader("QMessageBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QMessageBox", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QMessageBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QMessageBox", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QMessageBox", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QMessageBox", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QMessageBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QMessageBox", /::setModal\s*\(/, "modal") -property_reader("QMessageBox", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QMessageBox", /::setText\s*\(/, "text") -property_reader("QMessageBox", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QMessageBox", /::setIcon\s*\(/, "icon") -property_reader("QMessageBox", /::(iconPixmap|isIconPixmap|hasIconPixmap)\s*\(/, "iconPixmap") -property_writer("QMessageBox", /::setIconPixmap\s*\(/, "iconPixmap") -property_reader("QMessageBox", /::(textFormat|isTextFormat|hasTextFormat)\s*\(/, "textFormat") -property_writer("QMessageBox", /::setTextFormat\s*\(/, "textFormat") -property_reader("QMessageBox", /::(standardButtons|isStandardButtons|hasStandardButtons)\s*\(/, "standardButtons") -property_writer("QMessageBox", /::setStandardButtons\s*\(/, "standardButtons") -property_reader("QMessageBox", /::(detailedText|isDetailedText|hasDetailedText)\s*\(/, "detailedText") -property_writer("QMessageBox", /::setDetailedText\s*\(/, "detailedText") -property_reader("QMessageBox", /::(informativeText|isInformativeText|hasInformativeText)\s*\(/, "informativeText") -property_writer("QMessageBox", /::setInformativeText\s*\(/, "informativeText") -property_reader("QMessageBox", /::(textInteractionFlags|isTextInteractionFlags|hasTextInteractionFlags)\s*\(/, "textInteractionFlags") -property_writer("QMessageBox", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") -property_reader("QMetaDataReaderControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMetaDataReaderControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMetaDataWriterControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMetaDataWriterControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMimeData", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMimeData", /::setObjectName\s*\(/, "objectName") -property_reader("QMovie", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMovie", /::setObjectName\s*\(/, "objectName") -property_reader("QMovie", /::(speed|isSpeed|hasSpeed)\s*\(/, "speed") -property_writer("QMovie", /::setSpeed\s*\(/, "speed") -property_reader("QMovie", /::(cacheMode|isCacheMode|hasCacheMode)\s*\(/, "cacheMode") -property_writer("QMovie", /::setCacheMode\s*\(/, "cacheMode") -property_reader("QNetworkAccessManager", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QNetworkAccessManager", /::setObjectName\s*\(/, "objectName") -property_reader("QNetworkAccessManager", /::(networkAccessible|isNetworkAccessible|hasNetworkAccessible)\s*\(/, "networkAccessible") -property_writer("QNetworkAccessManager", /::setNetworkAccessible\s*\(/, "networkAccessible") -property_reader("QNetworkConfigurationManager", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QNetworkConfigurationManager", /::setObjectName\s*\(/, "objectName") -property_reader("QNetworkCookieJar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QNetworkCookieJar", /::setObjectName\s*\(/, "objectName") -property_reader("QNetworkDiskCache", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QNetworkDiskCache", /::setObjectName\s*\(/, "objectName") -property_reader("QNetworkReply", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QNetworkReply", /::setObjectName\s*\(/, "objectName") -property_reader("QNetworkSession", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QNetworkSession", /::setObjectName\s*\(/, "objectName") -property_reader("QOffscreenSurface", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QOffscreenSurface", /::setObjectName\s*\(/, "objectName") -property_reader("QPaintDeviceWindow", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPaintDeviceWindow", /::setObjectName\s*\(/, "objectName") -property_reader("QPaintDeviceWindow", /::(title|isTitle|hasTitle)\s*\(/, "title") -property_writer("QPaintDeviceWindow", /::setTitle\s*\(/, "title") -property_reader("QPaintDeviceWindow", /::(modality|isModality|hasModality)\s*\(/, "modality") -property_writer("QPaintDeviceWindow", /::setModality\s*\(/, "modality") -property_reader("QPaintDeviceWindow", /::(flags|isFlags|hasFlags)\s*\(/, "flags") -property_writer("QPaintDeviceWindow", /::setFlags\s*\(/, "flags") -property_reader("QPaintDeviceWindow", /::(x|isX|hasX)\s*\(/, "x") -property_writer("QPaintDeviceWindow", /::setX\s*\(/, "x") -property_reader("QPaintDeviceWindow", /::(y|isY|hasY)\s*\(/, "y") -property_writer("QPaintDeviceWindow", /::setY\s*\(/, "y") -property_reader("QPaintDeviceWindow", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_writer("QPaintDeviceWindow", /::setWidth\s*\(/, "width") -property_reader("QPaintDeviceWindow", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_writer("QPaintDeviceWindow", /::setHeight\s*\(/, "height") -property_reader("QPaintDeviceWindow", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QPaintDeviceWindow", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QPaintDeviceWindow", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QPaintDeviceWindow", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QPaintDeviceWindow", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QPaintDeviceWindow", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QPaintDeviceWindow", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QPaintDeviceWindow", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QPaintDeviceWindow", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QPaintDeviceWindow", /::setVisible\s*\(/, "visible") -property_reader("QPaintDeviceWindow", /::(active|isActive|hasActive)\s*\(/, "active") -property_reader("QPaintDeviceWindow", /::(visibility|isVisibility|hasVisibility)\s*\(/, "visibility") -property_writer("QPaintDeviceWindow", /::setVisibility\s*\(/, "visibility") -property_reader("QPaintDeviceWindow", /::(contentOrientation|isContentOrientation|hasContentOrientation)\s*\(/, "contentOrientation") -property_writer("QPaintDeviceWindow", /::setContentOrientation\s*\(/, "contentOrientation") -property_reader("QPaintDeviceWindow", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") -property_writer("QPaintDeviceWindow", /::setOpacity\s*\(/, "opacity") -property_reader("QPanGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPanGesture", /::setObjectName\s*\(/, "objectName") -property_reader("QPanGesture", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QPanGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") -property_reader("QPanGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") -property_writer("QPanGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") -property_reader("QPanGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") -property_writer("QPanGesture", /::setHotSpot\s*\(/, "hotSpot") -property_reader("QPanGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") -property_reader("QPanGesture", /::(lastOffset|isLastOffset|hasLastOffset)\s*\(/, "lastOffset") -property_writer("QPanGesture", /::setLastOffset\s*\(/, "lastOffset") -property_reader("QPanGesture", /::(offset|isOffset|hasOffset)\s*\(/, "offset") -property_writer("QPanGesture", /::setOffset\s*\(/, "offset") -property_reader("QPanGesture", /::(delta|isDelta|hasDelta)\s*\(/, "delta") -property_reader("QPanGesture", /::(acceleration|isAcceleration|hasAcceleration)\s*\(/, "acceleration") -property_writer("QPanGesture", /::setAcceleration\s*\(/, "acceleration") -property_reader("QPanGesture", /::(horizontalVelocity|isHorizontalVelocity|hasHorizontalVelocity)\s*\(/, "horizontalVelocity") -property_writer("QPanGesture", /::setHorizontalVelocity\s*\(/, "horizontalVelocity") -property_reader("QPanGesture", /::(verticalVelocity|isVerticalVelocity|hasVerticalVelocity)\s*\(/, "verticalVelocity") -property_writer("QPanGesture", /::setVerticalVelocity\s*\(/, "verticalVelocity") -property_reader("QParallelAnimationGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QParallelAnimationGroup", /::setObjectName\s*\(/, "objectName") -property_reader("QParallelAnimationGroup", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QParallelAnimationGroup", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") -property_writer("QParallelAnimationGroup", /::setLoopCount\s*\(/, "loopCount") -property_reader("QParallelAnimationGroup", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") -property_writer("QParallelAnimationGroup", /::setCurrentTime\s*\(/, "currentTime") -property_reader("QParallelAnimationGroup", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") -property_reader("QParallelAnimationGroup", /::(direction|isDirection|hasDirection)\s*\(/, "direction") -property_writer("QParallelAnimationGroup", /::setDirection\s*\(/, "direction") -property_reader("QParallelAnimationGroup", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_reader("QPauseAnimation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPauseAnimation", /::setObjectName\s*\(/, "objectName") -property_reader("QPauseAnimation", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QPauseAnimation", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") -property_writer("QPauseAnimation", /::setLoopCount\s*\(/, "loopCount") -property_reader("QPauseAnimation", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") -property_writer("QPauseAnimation", /::setCurrentTime\s*\(/, "currentTime") -property_reader("QPauseAnimation", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") -property_reader("QPauseAnimation", /::(direction|isDirection|hasDirection)\s*\(/, "direction") -property_writer("QPauseAnimation", /::setDirection\s*\(/, "direction") -property_reader("QPauseAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_reader("QPauseAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_writer("QPauseAnimation", /::setDuration\s*\(/, "duration") -property_reader("QPdfWriter", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPdfWriter", /::setObjectName\s*\(/, "objectName") -property_reader("QPictureFormatPlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPictureFormatPlugin", /::setObjectName\s*\(/, "objectName") -property_reader("QPinchGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPinchGesture", /::setObjectName\s*\(/, "objectName") -property_reader("QPinchGesture", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QPinchGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") -property_reader("QPinchGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") -property_writer("QPinchGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") -property_reader("QPinchGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") -property_writer("QPinchGesture", /::setHotSpot\s*\(/, "hotSpot") -property_reader("QPinchGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") -property_reader("QPinchGesture", /::(totalChangeFlags|isTotalChangeFlags|hasTotalChangeFlags)\s*\(/, "totalChangeFlags") -property_writer("QPinchGesture", /::setTotalChangeFlags\s*\(/, "totalChangeFlags") -property_reader("QPinchGesture", /::(changeFlags|isChangeFlags|hasChangeFlags)\s*\(/, "changeFlags") -property_writer("QPinchGesture", /::setChangeFlags\s*\(/, "changeFlags") -property_reader("QPinchGesture", /::(totalScaleFactor|isTotalScaleFactor|hasTotalScaleFactor)\s*\(/, "totalScaleFactor") -property_writer("QPinchGesture", /::setTotalScaleFactor\s*\(/, "totalScaleFactor") -property_reader("QPinchGesture", /::(lastScaleFactor|isLastScaleFactor|hasLastScaleFactor)\s*\(/, "lastScaleFactor") -property_writer("QPinchGesture", /::setLastScaleFactor\s*\(/, "lastScaleFactor") -property_reader("QPinchGesture", /::(scaleFactor|isScaleFactor|hasScaleFactor)\s*\(/, "scaleFactor") -property_writer("QPinchGesture", /::setScaleFactor\s*\(/, "scaleFactor") -property_reader("QPinchGesture", /::(totalRotationAngle|isTotalRotationAngle|hasTotalRotationAngle)\s*\(/, "totalRotationAngle") -property_writer("QPinchGesture", /::setTotalRotationAngle\s*\(/, "totalRotationAngle") -property_reader("QPinchGesture", /::(lastRotationAngle|isLastRotationAngle|hasLastRotationAngle)\s*\(/, "lastRotationAngle") -property_writer("QPinchGesture", /::setLastRotationAngle\s*\(/, "lastRotationAngle") -property_reader("QPinchGesture", /::(rotationAngle|isRotationAngle|hasRotationAngle)\s*\(/, "rotationAngle") -property_writer("QPinchGesture", /::setRotationAngle\s*\(/, "rotationAngle") -property_reader("QPinchGesture", /::(startCenterPoint|isStartCenterPoint|hasStartCenterPoint)\s*\(/, "startCenterPoint") -property_writer("QPinchGesture", /::setStartCenterPoint\s*\(/, "startCenterPoint") -property_reader("QPinchGesture", /::(lastCenterPoint|isLastCenterPoint|hasLastCenterPoint)\s*\(/, "lastCenterPoint") -property_writer("QPinchGesture", /::setLastCenterPoint\s*\(/, "lastCenterPoint") -property_reader("QPinchGesture", /::(centerPoint|isCenterPoint|hasCenterPoint)\s*\(/, "centerPoint") -property_writer("QPinchGesture", /::setCenterPoint\s*\(/, "centerPoint") -property_reader("QPlainTextDocumentLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPlainTextDocumentLayout", /::setObjectName\s*\(/, "objectName") -property_reader("QPlainTextDocumentLayout", /::(cursorWidth|isCursorWidth|hasCursorWidth)\s*\(/, "cursorWidth") -property_writer("QPlainTextDocumentLayout", /::setCursorWidth\s*\(/, "cursorWidth") -property_reader("QPlainTextEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPlainTextEdit", /::setObjectName\s*\(/, "objectName") -property_reader("QPlainTextEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QPlainTextEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QPlainTextEdit", /::setWindowModality\s*\(/, "windowModality") -property_reader("QPlainTextEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QPlainTextEdit", /::setEnabled\s*\(/, "enabled") -property_reader("QPlainTextEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QPlainTextEdit", /::setGeometry\s*\(/, "geometry") -property_reader("QPlainTextEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QPlainTextEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QPlainTextEdit", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QPlainTextEdit", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QPlainTextEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QPlainTextEdit", /::setPos\s*\(/, "pos") -property_reader("QPlainTextEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QPlainTextEdit", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QPlainTextEdit", /::setSize\s*\(/, "size") -property_reader("QPlainTextEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QPlainTextEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QPlainTextEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QPlainTextEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QPlainTextEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QPlainTextEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QPlainTextEdit", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QPlainTextEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QPlainTextEdit", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QPlainTextEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QPlainTextEdit", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QPlainTextEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QPlainTextEdit", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QPlainTextEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QPlainTextEdit", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QPlainTextEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QPlainTextEdit", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QPlainTextEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QPlainTextEdit", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QPlainTextEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QPlainTextEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QPlainTextEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QPlainTextEdit", /::setBaseSize\s*\(/, "baseSize") -property_reader("QPlainTextEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QPlainTextEdit", /::setPalette\s*\(/, "palette") -property_reader("QPlainTextEdit", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QPlainTextEdit", /::setFont\s*\(/, "font") -property_reader("QPlainTextEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QPlainTextEdit", /::setCursor\s*\(/, "cursor") -property_reader("QPlainTextEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QPlainTextEdit", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QPlainTextEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QPlainTextEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QPlainTextEdit", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QPlainTextEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QPlainTextEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QPlainTextEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QPlainTextEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QPlainTextEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QPlainTextEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QPlainTextEdit", /::setVisible\s*\(/, "visible") -property_reader("QPlainTextEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QPlainTextEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QPlainTextEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QPlainTextEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QPlainTextEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QPlainTextEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QPlainTextEdit", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QPlainTextEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QPlainTextEdit", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QPlainTextEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QPlainTextEdit", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QPlainTextEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QPlainTextEdit", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QPlainTextEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QPlainTextEdit", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QPlainTextEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QPlainTextEdit", /::setWindowModified\s*\(/, "windowModified") -property_reader("QPlainTextEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QPlainTextEdit", /::setToolTip\s*\(/, "toolTip") -property_reader("QPlainTextEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QPlainTextEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QPlainTextEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QPlainTextEdit", /::setStatusTip\s*\(/, "statusTip") -property_reader("QPlainTextEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QPlainTextEdit", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QPlainTextEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QPlainTextEdit", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QPlainTextEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QPlainTextEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QPlainTextEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QPlainTextEdit", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QPlainTextEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QPlainTextEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QPlainTextEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QPlainTextEdit", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QPlainTextEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QPlainTextEdit", /::setLocale\s*\(/, "locale") -property_reader("QPlainTextEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QPlainTextEdit", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QPlainTextEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QPlainTextEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QPlainTextEdit", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QPlainTextEdit", /::setFrameShape\s*\(/, "frameShape") -property_reader("QPlainTextEdit", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QPlainTextEdit", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QPlainTextEdit", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QPlainTextEdit", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QPlainTextEdit", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QPlainTextEdit", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QPlainTextEdit", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QPlainTextEdit", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QPlainTextEdit", /::setFrameRect\s*\(/, "frameRect") -property_reader("QPlainTextEdit", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QPlainTextEdit", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QPlainTextEdit", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QPlainTextEdit", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QPlainTextEdit", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QPlainTextEdit", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QPlainTextEdit", /::(tabChangesFocus|isTabChangesFocus|hasTabChangesFocus)\s*\(/, "tabChangesFocus") -property_writer("QPlainTextEdit", /::setTabChangesFocus\s*\(/, "tabChangesFocus") -property_reader("QPlainTextEdit", /::(documentTitle|isDocumentTitle|hasDocumentTitle)\s*\(/, "documentTitle") -property_writer("QPlainTextEdit", /::setDocumentTitle\s*\(/, "documentTitle") -property_reader("QPlainTextEdit", /::(undoRedoEnabled|isUndoRedoEnabled|hasUndoRedoEnabled)\s*\(/, "undoRedoEnabled") -property_writer("QPlainTextEdit", /::setUndoRedoEnabled\s*\(/, "undoRedoEnabled") -property_reader("QPlainTextEdit", /::(lineWrapMode|isLineWrapMode|hasLineWrapMode)\s*\(/, "lineWrapMode") -property_writer("QPlainTextEdit", /::setLineWrapMode\s*\(/, "lineWrapMode") -property_reader("QPlainTextEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QPlainTextEdit", /::setReadOnly\s*\(/, "readOnly") -property_reader("QPlainTextEdit", /::(plainText|isPlainText|hasPlainText)\s*\(/, "plainText") -property_writer("QPlainTextEdit", /::setPlainText\s*\(/, "plainText") -property_reader("QPlainTextEdit", /::(overwriteMode|isOverwriteMode|hasOverwriteMode)\s*\(/, "overwriteMode") -property_writer("QPlainTextEdit", /::setOverwriteMode\s*\(/, "overwriteMode") -property_reader("QPlainTextEdit", /::(tabStopWidth|isTabStopWidth|hasTabStopWidth)\s*\(/, "tabStopWidth") -property_writer("QPlainTextEdit", /::setTabStopWidth\s*\(/, "tabStopWidth") -property_reader("QPlainTextEdit", /::(cursorWidth|isCursorWidth|hasCursorWidth)\s*\(/, "cursorWidth") -property_writer("QPlainTextEdit", /::setCursorWidth\s*\(/, "cursorWidth") -property_reader("QPlainTextEdit", /::(textInteractionFlags|isTextInteractionFlags|hasTextInteractionFlags)\s*\(/, "textInteractionFlags") -property_writer("QPlainTextEdit", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") -property_reader("QPlainTextEdit", /::(blockCount|isBlockCount|hasBlockCount)\s*\(/, "blockCount") -property_reader("QPlainTextEdit", /::(maximumBlockCount|isMaximumBlockCount|hasMaximumBlockCount)\s*\(/, "maximumBlockCount") -property_writer("QPlainTextEdit", /::setMaximumBlockCount\s*\(/, "maximumBlockCount") -property_reader("QPlainTextEdit", /::(backgroundVisible|isBackgroundVisible|hasBackgroundVisible)\s*\(/, "backgroundVisible") -property_writer("QPlainTextEdit", /::setBackgroundVisible\s*\(/, "backgroundVisible") -property_reader("QPlainTextEdit", /::(centerOnScroll|isCenterOnScroll|hasCenterOnScroll)\s*\(/, "centerOnScroll") -property_writer("QPlainTextEdit", /::setCenterOnScroll\s*\(/, "centerOnScroll") -property_reader("QPlainTextEdit", /::(placeholderText|isPlaceholderText|hasPlaceholderText)\s*\(/, "placeholderText") -property_writer("QPlainTextEdit", /::setPlaceholderText\s*\(/, "placeholderText") -property_reader("QPluginLoader", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPluginLoader", /::setObjectName\s*\(/, "objectName") -property_reader("QPluginLoader", /::(fileName|isFileName|hasFileName)\s*\(/, "fileName") -property_writer("QPluginLoader", /::setFileName\s*\(/, "fileName") -property_reader("QPluginLoader", /::(loadHints|isLoadHints|hasLoadHints)\s*\(/, "loadHints") -property_writer("QPluginLoader", /::setLoadHints\s*\(/, "loadHints") -property_reader("QPrintDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPrintDialog", /::setObjectName\s*\(/, "objectName") -property_reader("QPrintDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QPrintDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QPrintDialog", /::setWindowModality\s*\(/, "windowModality") -property_reader("QPrintDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QPrintDialog", /::setEnabled\s*\(/, "enabled") -property_reader("QPrintDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QPrintDialog", /::setGeometry\s*\(/, "geometry") -property_reader("QPrintDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QPrintDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QPrintDialog", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QPrintDialog", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QPrintDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QPrintDialog", /::setPos\s*\(/, "pos") -property_reader("QPrintDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QPrintDialog", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QPrintDialog", /::setSize\s*\(/, "size") -property_reader("QPrintDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QPrintDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QPrintDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QPrintDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QPrintDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QPrintDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QPrintDialog", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QPrintDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QPrintDialog", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QPrintDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QPrintDialog", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QPrintDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QPrintDialog", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QPrintDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QPrintDialog", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QPrintDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QPrintDialog", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QPrintDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QPrintDialog", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QPrintDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QPrintDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QPrintDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QPrintDialog", /::setBaseSize\s*\(/, "baseSize") -property_reader("QPrintDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QPrintDialog", /::setPalette\s*\(/, "palette") -property_reader("QPrintDialog", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QPrintDialog", /::setFont\s*\(/, "font") -property_reader("QPrintDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QPrintDialog", /::setCursor\s*\(/, "cursor") -property_reader("QPrintDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QPrintDialog", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QPrintDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QPrintDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QPrintDialog", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QPrintDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QPrintDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QPrintDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QPrintDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QPrintDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QPrintDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QPrintDialog", /::setVisible\s*\(/, "visible") -property_reader("QPrintDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QPrintDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QPrintDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QPrintDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QPrintDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QPrintDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QPrintDialog", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QPrintDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QPrintDialog", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QPrintDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QPrintDialog", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QPrintDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QPrintDialog", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QPrintDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QPrintDialog", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QPrintDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QPrintDialog", /::setWindowModified\s*\(/, "windowModified") -property_reader("QPrintDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QPrintDialog", /::setToolTip\s*\(/, "toolTip") -property_reader("QPrintDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QPrintDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QPrintDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QPrintDialog", /::setStatusTip\s*\(/, "statusTip") -property_reader("QPrintDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QPrintDialog", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QPrintDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QPrintDialog", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QPrintDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QPrintDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QPrintDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QPrintDialog", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QPrintDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QPrintDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QPrintDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QPrintDialog", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QPrintDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QPrintDialog", /::setLocale\s*\(/, "locale") -property_reader("QPrintDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QPrintDialog", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QPrintDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QPrintDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QPrintDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QPrintDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QPrintDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QPrintDialog", /::setModal\s*\(/, "modal") -property_reader("QPrintDialog", /::(options|isOptions|hasOptions)\s*\(/, "options") -property_writer("QPrintDialog", /::setOptions\s*\(/, "options") -property_reader("QPrintPreviewDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPrintPreviewDialog", /::setObjectName\s*\(/, "objectName") -property_reader("QPrintPreviewDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QPrintPreviewDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QPrintPreviewDialog", /::setWindowModality\s*\(/, "windowModality") -property_reader("QPrintPreviewDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QPrintPreviewDialog", /::setEnabled\s*\(/, "enabled") -property_reader("QPrintPreviewDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QPrintPreviewDialog", /::setGeometry\s*\(/, "geometry") -property_reader("QPrintPreviewDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QPrintPreviewDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QPrintPreviewDialog", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QPrintPreviewDialog", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QPrintPreviewDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QPrintPreviewDialog", /::setPos\s*\(/, "pos") -property_reader("QPrintPreviewDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QPrintPreviewDialog", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QPrintPreviewDialog", /::setSize\s*\(/, "size") -property_reader("QPrintPreviewDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QPrintPreviewDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QPrintPreviewDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QPrintPreviewDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QPrintPreviewDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QPrintPreviewDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QPrintPreviewDialog", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QPrintPreviewDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QPrintPreviewDialog", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QPrintPreviewDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QPrintPreviewDialog", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QPrintPreviewDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QPrintPreviewDialog", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QPrintPreviewDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QPrintPreviewDialog", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QPrintPreviewDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QPrintPreviewDialog", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QPrintPreviewDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QPrintPreviewDialog", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QPrintPreviewDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QPrintPreviewDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QPrintPreviewDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QPrintPreviewDialog", /::setBaseSize\s*\(/, "baseSize") -property_reader("QPrintPreviewDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QPrintPreviewDialog", /::setPalette\s*\(/, "palette") -property_reader("QPrintPreviewDialog", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QPrintPreviewDialog", /::setFont\s*\(/, "font") -property_reader("QPrintPreviewDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QPrintPreviewDialog", /::setCursor\s*\(/, "cursor") -property_reader("QPrintPreviewDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QPrintPreviewDialog", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QPrintPreviewDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QPrintPreviewDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QPrintPreviewDialog", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QPrintPreviewDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QPrintPreviewDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QPrintPreviewDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QPrintPreviewDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QPrintPreviewDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QPrintPreviewDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QPrintPreviewDialog", /::setVisible\s*\(/, "visible") -property_reader("QPrintPreviewDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QPrintPreviewDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QPrintPreviewDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QPrintPreviewDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QPrintPreviewDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QPrintPreviewDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QPrintPreviewDialog", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QPrintPreviewDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QPrintPreviewDialog", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QPrintPreviewDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QPrintPreviewDialog", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QPrintPreviewDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QPrintPreviewDialog", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QPrintPreviewDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QPrintPreviewDialog", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QPrintPreviewDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QPrintPreviewDialog", /::setWindowModified\s*\(/, "windowModified") -property_reader("QPrintPreviewDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QPrintPreviewDialog", /::setToolTip\s*\(/, "toolTip") -property_reader("QPrintPreviewDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QPrintPreviewDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QPrintPreviewDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QPrintPreviewDialog", /::setStatusTip\s*\(/, "statusTip") -property_reader("QPrintPreviewDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QPrintPreviewDialog", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QPrintPreviewDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QPrintPreviewDialog", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QPrintPreviewDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QPrintPreviewDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QPrintPreviewDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QPrintPreviewDialog", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QPrintPreviewDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QPrintPreviewDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QPrintPreviewDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QPrintPreviewDialog", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QPrintPreviewDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QPrintPreviewDialog", /::setLocale\s*\(/, "locale") -property_reader("QPrintPreviewDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QPrintPreviewDialog", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QPrintPreviewDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QPrintPreviewDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QPrintPreviewDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QPrintPreviewDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QPrintPreviewDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QPrintPreviewDialog", /::setModal\s*\(/, "modal") -property_reader("QPrintPreviewWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPrintPreviewWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QPrintPreviewWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QPrintPreviewWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QPrintPreviewWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QPrintPreviewWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QPrintPreviewWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QPrintPreviewWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QPrintPreviewWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QPrintPreviewWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QPrintPreviewWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QPrintPreviewWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QPrintPreviewWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QPrintPreviewWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QPrintPreviewWidget", /::setPos\s*\(/, "pos") -property_reader("QPrintPreviewWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QPrintPreviewWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QPrintPreviewWidget", /::setSize\s*\(/, "size") -property_reader("QPrintPreviewWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QPrintPreviewWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QPrintPreviewWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QPrintPreviewWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QPrintPreviewWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QPrintPreviewWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QPrintPreviewWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QPrintPreviewWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QPrintPreviewWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QPrintPreviewWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QPrintPreviewWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QPrintPreviewWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QPrintPreviewWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QPrintPreviewWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QPrintPreviewWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QPrintPreviewWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QPrintPreviewWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QPrintPreviewWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QPrintPreviewWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QPrintPreviewWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QPrintPreviewWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QPrintPreviewWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QPrintPreviewWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QPrintPreviewWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QPrintPreviewWidget", /::setPalette\s*\(/, "palette") -property_reader("QPrintPreviewWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QPrintPreviewWidget", /::setFont\s*\(/, "font") -property_reader("QPrintPreviewWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QPrintPreviewWidget", /::setCursor\s*\(/, "cursor") -property_reader("QPrintPreviewWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QPrintPreviewWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QPrintPreviewWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QPrintPreviewWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QPrintPreviewWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QPrintPreviewWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QPrintPreviewWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QPrintPreviewWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QPrintPreviewWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QPrintPreviewWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QPrintPreviewWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QPrintPreviewWidget", /::setVisible\s*\(/, "visible") -property_reader("QPrintPreviewWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QPrintPreviewWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QPrintPreviewWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QPrintPreviewWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QPrintPreviewWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QPrintPreviewWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QPrintPreviewWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QPrintPreviewWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QPrintPreviewWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QPrintPreviewWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QPrintPreviewWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QPrintPreviewWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QPrintPreviewWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QPrintPreviewWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QPrintPreviewWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QPrintPreviewWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QPrintPreviewWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QPrintPreviewWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QPrintPreviewWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QPrintPreviewWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QPrintPreviewWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QPrintPreviewWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QPrintPreviewWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QPrintPreviewWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QPrintPreviewWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QPrintPreviewWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QPrintPreviewWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QPrintPreviewWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QPrintPreviewWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QPrintPreviewWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QPrintPreviewWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QPrintPreviewWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QPrintPreviewWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QPrintPreviewWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QPrintPreviewWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QPrintPreviewWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QPrintPreviewWidget", /::setLocale\s*\(/, "locale") -property_reader("QPrintPreviewWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QPrintPreviewWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QPrintPreviewWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QPrintPreviewWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QProcess", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QProcess", /::setObjectName\s*\(/, "objectName") -property_reader("QProgressBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QProgressBar", /::setObjectName\s*\(/, "objectName") -property_reader("QProgressBar", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QProgressBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QProgressBar", /::setWindowModality\s*\(/, "windowModality") -property_reader("QProgressBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QProgressBar", /::setEnabled\s*\(/, "enabled") -property_reader("QProgressBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QProgressBar", /::setGeometry\s*\(/, "geometry") -property_reader("QProgressBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QProgressBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QProgressBar", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QProgressBar", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QProgressBar", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QProgressBar", /::setPos\s*\(/, "pos") -property_reader("QProgressBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QProgressBar", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QProgressBar", /::setSize\s*\(/, "size") -property_reader("QProgressBar", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QProgressBar", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QProgressBar", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QProgressBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QProgressBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QProgressBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QProgressBar", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QProgressBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QProgressBar", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QProgressBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QProgressBar", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QProgressBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QProgressBar", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QProgressBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QProgressBar", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QProgressBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QProgressBar", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QProgressBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QProgressBar", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QProgressBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QProgressBar", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QProgressBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QProgressBar", /::setBaseSize\s*\(/, "baseSize") -property_reader("QProgressBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QProgressBar", /::setPalette\s*\(/, "palette") -property_reader("QProgressBar", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QProgressBar", /::setFont\s*\(/, "font") -property_reader("QProgressBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QProgressBar", /::setCursor\s*\(/, "cursor") -property_reader("QProgressBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QProgressBar", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QProgressBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QProgressBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QProgressBar", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QProgressBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QProgressBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QProgressBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QProgressBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QProgressBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QProgressBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QProgressBar", /::setVisible\s*\(/, "visible") -property_reader("QProgressBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QProgressBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QProgressBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QProgressBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QProgressBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QProgressBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QProgressBar", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QProgressBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QProgressBar", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QProgressBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QProgressBar", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QProgressBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QProgressBar", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QProgressBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QProgressBar", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QProgressBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QProgressBar", /::setWindowModified\s*\(/, "windowModified") -property_reader("QProgressBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QProgressBar", /::setToolTip\s*\(/, "toolTip") -property_reader("QProgressBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QProgressBar", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QProgressBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QProgressBar", /::setStatusTip\s*\(/, "statusTip") -property_reader("QProgressBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QProgressBar", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QProgressBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QProgressBar", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QProgressBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QProgressBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QProgressBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QProgressBar", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QProgressBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QProgressBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QProgressBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QProgressBar", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QProgressBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QProgressBar", /::setLocale\s*\(/, "locale") -property_reader("QProgressBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QProgressBar", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QProgressBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QProgressBar", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QProgressBar", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") -property_writer("QProgressBar", /::setMinimum\s*\(/, "minimum") -property_reader("QProgressBar", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") -property_writer("QProgressBar", /::setMaximum\s*\(/, "maximum") -property_reader("QProgressBar", /::(text|isText|hasText)\s*\(/, "text") -property_reader("QProgressBar", /::(value|isValue|hasValue)\s*\(/, "value") -property_writer("QProgressBar", /::setValue\s*\(/, "value") -property_reader("QProgressBar", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QProgressBar", /::setAlignment\s*\(/, "alignment") -property_reader("QProgressBar", /::(textVisible|isTextVisible|hasTextVisible)\s*\(/, "textVisible") -property_writer("QProgressBar", /::setTextVisible\s*\(/, "textVisible") -property_reader("QProgressBar", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") -property_writer("QProgressBar", /::setOrientation\s*\(/, "orientation") -property_reader("QProgressBar", /::(invertedAppearance|isInvertedAppearance|hasInvertedAppearance)\s*\(/, "invertedAppearance") -property_writer("QProgressBar", /::setInvertedAppearance\s*\(/, "invertedAppearance") -property_reader("QProgressBar", /::(textDirection|isTextDirection|hasTextDirection)\s*\(/, "textDirection") -property_writer("QProgressBar", /::setTextDirection\s*\(/, "textDirection") -property_reader("QProgressBar", /::(format|isFormat|hasFormat)\s*\(/, "format") -property_writer("QProgressBar", /::setFormat\s*\(/, "format") -property_reader("QProgressDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QProgressDialog", /::setObjectName\s*\(/, "objectName") -property_reader("QProgressDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QProgressDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QProgressDialog", /::setWindowModality\s*\(/, "windowModality") -property_reader("QProgressDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QProgressDialog", /::setEnabled\s*\(/, "enabled") -property_reader("QProgressDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QProgressDialog", /::setGeometry\s*\(/, "geometry") -property_reader("QProgressDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QProgressDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QProgressDialog", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QProgressDialog", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QProgressDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QProgressDialog", /::setPos\s*\(/, "pos") -property_reader("QProgressDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QProgressDialog", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QProgressDialog", /::setSize\s*\(/, "size") -property_reader("QProgressDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QProgressDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QProgressDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QProgressDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QProgressDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QProgressDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QProgressDialog", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QProgressDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QProgressDialog", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QProgressDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QProgressDialog", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QProgressDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QProgressDialog", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QProgressDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QProgressDialog", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QProgressDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QProgressDialog", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QProgressDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QProgressDialog", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QProgressDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QProgressDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QProgressDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QProgressDialog", /::setBaseSize\s*\(/, "baseSize") -property_reader("QProgressDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QProgressDialog", /::setPalette\s*\(/, "palette") -property_reader("QProgressDialog", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QProgressDialog", /::setFont\s*\(/, "font") -property_reader("QProgressDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QProgressDialog", /::setCursor\s*\(/, "cursor") -property_reader("QProgressDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QProgressDialog", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QProgressDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QProgressDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QProgressDialog", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QProgressDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QProgressDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QProgressDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QProgressDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QProgressDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QProgressDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QProgressDialog", /::setVisible\s*\(/, "visible") -property_reader("QProgressDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QProgressDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QProgressDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QProgressDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QProgressDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QProgressDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QProgressDialog", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QProgressDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QProgressDialog", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QProgressDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QProgressDialog", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QProgressDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QProgressDialog", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QProgressDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QProgressDialog", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QProgressDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QProgressDialog", /::setWindowModified\s*\(/, "windowModified") -property_reader("QProgressDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QProgressDialog", /::setToolTip\s*\(/, "toolTip") -property_reader("QProgressDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QProgressDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QProgressDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QProgressDialog", /::setStatusTip\s*\(/, "statusTip") -property_reader("QProgressDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QProgressDialog", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QProgressDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QProgressDialog", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QProgressDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QProgressDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QProgressDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QProgressDialog", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QProgressDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QProgressDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QProgressDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QProgressDialog", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QProgressDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QProgressDialog", /::setLocale\s*\(/, "locale") -property_reader("QProgressDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QProgressDialog", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QProgressDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QProgressDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QProgressDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QProgressDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QProgressDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QProgressDialog", /::setModal\s*\(/, "modal") -property_reader("QProgressDialog", /::(wasCanceled|isWasCanceled|hasWasCanceled)\s*\(/, "wasCanceled") -property_reader("QProgressDialog", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") -property_writer("QProgressDialog", /::setMinimum\s*\(/, "minimum") -property_reader("QProgressDialog", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") -property_writer("QProgressDialog", /::setMaximum\s*\(/, "maximum") -property_reader("QProgressDialog", /::(value|isValue|hasValue)\s*\(/, "value") -property_writer("QProgressDialog", /::setValue\s*\(/, "value") -property_reader("QProgressDialog", /::(autoReset|isAutoReset|hasAutoReset)\s*\(/, "autoReset") -property_writer("QProgressDialog", /::setAutoReset\s*\(/, "autoReset") -property_reader("QProgressDialog", /::(autoClose|isAutoClose|hasAutoClose)\s*\(/, "autoClose") -property_writer("QProgressDialog", /::setAutoClose\s*\(/, "autoClose") -property_reader("QProgressDialog", /::(minimumDuration|isMinimumDuration|hasMinimumDuration)\s*\(/, "minimumDuration") -property_writer("QProgressDialog", /::setMinimumDuration\s*\(/, "minimumDuration") -property_reader("QProgressDialog", /::(labelText|isLabelText|hasLabelText)\s*\(/, "labelText") -property_writer("QProgressDialog", /::setLabelText\s*\(/, "labelText") -property_reader("QPropertyAnimation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPropertyAnimation", /::setObjectName\s*\(/, "objectName") -property_reader("QPropertyAnimation", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QPropertyAnimation", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") -property_writer("QPropertyAnimation", /::setLoopCount\s*\(/, "loopCount") -property_reader("QPropertyAnimation", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") -property_writer("QPropertyAnimation", /::setCurrentTime\s*\(/, "currentTime") -property_reader("QPropertyAnimation", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") -property_reader("QPropertyAnimation", /::(direction|isDirection|hasDirection)\s*\(/, "direction") -property_writer("QPropertyAnimation", /::setDirection\s*\(/, "direction") -property_reader("QPropertyAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_reader("QPropertyAnimation", /::(startValue|isStartValue|hasStartValue)\s*\(/, "startValue") -property_writer("QPropertyAnimation", /::setStartValue\s*\(/, "startValue") -property_reader("QPropertyAnimation", /::(endValue|isEndValue|hasEndValue)\s*\(/, "endValue") -property_writer("QPropertyAnimation", /::setEndValue\s*\(/, "endValue") -property_reader("QPropertyAnimation", /::(currentValue|isCurrentValue|hasCurrentValue)\s*\(/, "currentValue") -property_reader("QPropertyAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_writer("QPropertyAnimation", /::setDuration\s*\(/, "duration") -property_reader("QPropertyAnimation", /::(easingCurve|isEasingCurve|hasEasingCurve)\s*\(/, "easingCurve") -property_writer("QPropertyAnimation", /::setEasingCurve\s*\(/, "easingCurve") -property_reader("QPropertyAnimation", /::(propertyName|isPropertyName|hasPropertyName)\s*\(/, "propertyName") -property_writer("QPropertyAnimation", /::setPropertyName\s*\(/, "propertyName") -property_reader("QPropertyAnimation", /::(targetObject|isTargetObject|hasTargetObject)\s*\(/, "targetObject") -property_writer("QPropertyAnimation", /::setTargetObject\s*\(/, "targetObject") -property_reader("QPushButton", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPushButton", /::setObjectName\s*\(/, "objectName") -property_reader("QPushButton", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QPushButton", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QPushButton", /::setWindowModality\s*\(/, "windowModality") -property_reader("QPushButton", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QPushButton", /::setEnabled\s*\(/, "enabled") -property_reader("QPushButton", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QPushButton", /::setGeometry\s*\(/, "geometry") -property_reader("QPushButton", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QPushButton", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QPushButton", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QPushButton", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QPushButton", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QPushButton", /::setPos\s*\(/, "pos") -property_reader("QPushButton", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QPushButton", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QPushButton", /::setSize\s*\(/, "size") -property_reader("QPushButton", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QPushButton", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QPushButton", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QPushButton", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QPushButton", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QPushButton", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QPushButton", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QPushButton", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QPushButton", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QPushButton", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QPushButton", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QPushButton", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QPushButton", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QPushButton", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QPushButton", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QPushButton", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QPushButton", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QPushButton", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QPushButton", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QPushButton", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QPushButton", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QPushButton", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QPushButton", /::setBaseSize\s*\(/, "baseSize") -property_reader("QPushButton", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QPushButton", /::setPalette\s*\(/, "palette") -property_reader("QPushButton", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QPushButton", /::setFont\s*\(/, "font") -property_reader("QPushButton", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QPushButton", /::setCursor\s*\(/, "cursor") -property_reader("QPushButton", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QPushButton", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QPushButton", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QPushButton", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QPushButton", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QPushButton", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QPushButton", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QPushButton", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QPushButton", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QPushButton", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QPushButton", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QPushButton", /::setVisible\s*\(/, "visible") -property_reader("QPushButton", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QPushButton", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QPushButton", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QPushButton", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QPushButton", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QPushButton", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QPushButton", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QPushButton", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QPushButton", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QPushButton", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QPushButton", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QPushButton", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QPushButton", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QPushButton", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QPushButton", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QPushButton", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QPushButton", /::setWindowModified\s*\(/, "windowModified") -property_reader("QPushButton", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QPushButton", /::setToolTip\s*\(/, "toolTip") -property_reader("QPushButton", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QPushButton", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QPushButton", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QPushButton", /::setStatusTip\s*\(/, "statusTip") -property_reader("QPushButton", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QPushButton", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QPushButton", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QPushButton", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QPushButton", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QPushButton", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QPushButton", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QPushButton", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QPushButton", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QPushButton", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QPushButton", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QPushButton", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QPushButton", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QPushButton", /::setLocale\s*\(/, "locale") -property_reader("QPushButton", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QPushButton", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QPushButton", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QPushButton", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QPushButton", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QPushButton", /::setText\s*\(/, "text") -property_reader("QPushButton", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QPushButton", /::setIcon\s*\(/, "icon") -property_reader("QPushButton", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QPushButton", /::setIconSize\s*\(/, "iconSize") -property_reader("QPushButton", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") -property_writer("QPushButton", /::setShortcut\s*\(/, "shortcut") -property_reader("QPushButton", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") -property_writer("QPushButton", /::setCheckable\s*\(/, "checkable") -property_reader("QPushButton", /::(checked|isChecked|hasChecked)\s*\(/, "checked") -property_writer("QPushButton", /::setChecked\s*\(/, "checked") -property_reader("QPushButton", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") -property_writer("QPushButton", /::setAutoRepeat\s*\(/, "autoRepeat") -property_reader("QPushButton", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") -property_writer("QPushButton", /::setAutoExclusive\s*\(/, "autoExclusive") -property_reader("QPushButton", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") -property_writer("QPushButton", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") -property_reader("QPushButton", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") -property_writer("QPushButton", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") -property_reader("QPushButton", /::(down|isDown|hasDown)\s*\(/, "down") -property_writer("QPushButton", /::setDown\s*\(/, "down") -property_reader("QPushButton", /::(autoDefault|isAutoDefault|hasAutoDefault)\s*\(/, "autoDefault") -property_writer("QPushButton", /::setAutoDefault\s*\(/, "autoDefault") -property_reader("QPushButton", /::(default|isDefault|hasDefault)\s*\(/, "default") -property_writer("QPushButton", /::setDefault\s*\(/, "default") -property_reader("QPushButton", /::(flat|isFlat|hasFlat)\s*\(/, "flat") -property_writer("QPushButton", /::setFlat\s*\(/, "flat") -property_reader("QRadioButton", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QRadioButton", /::setObjectName\s*\(/, "objectName") -property_reader("QRadioButton", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QRadioButton", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QRadioButton", /::setWindowModality\s*\(/, "windowModality") -property_reader("QRadioButton", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QRadioButton", /::setEnabled\s*\(/, "enabled") -property_reader("QRadioButton", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QRadioButton", /::setGeometry\s*\(/, "geometry") -property_reader("QRadioButton", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QRadioButton", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QRadioButton", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QRadioButton", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QRadioButton", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QRadioButton", /::setPos\s*\(/, "pos") -property_reader("QRadioButton", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QRadioButton", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QRadioButton", /::setSize\s*\(/, "size") -property_reader("QRadioButton", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QRadioButton", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QRadioButton", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QRadioButton", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QRadioButton", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QRadioButton", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QRadioButton", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QRadioButton", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QRadioButton", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QRadioButton", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QRadioButton", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QRadioButton", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QRadioButton", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QRadioButton", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QRadioButton", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QRadioButton", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QRadioButton", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QRadioButton", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QRadioButton", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QRadioButton", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QRadioButton", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QRadioButton", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QRadioButton", /::setBaseSize\s*\(/, "baseSize") -property_reader("QRadioButton", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QRadioButton", /::setPalette\s*\(/, "palette") -property_reader("QRadioButton", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QRadioButton", /::setFont\s*\(/, "font") -property_reader("QRadioButton", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QRadioButton", /::setCursor\s*\(/, "cursor") -property_reader("QRadioButton", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QRadioButton", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QRadioButton", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QRadioButton", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QRadioButton", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QRadioButton", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QRadioButton", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QRadioButton", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QRadioButton", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QRadioButton", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QRadioButton", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QRadioButton", /::setVisible\s*\(/, "visible") -property_reader("QRadioButton", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QRadioButton", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QRadioButton", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QRadioButton", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QRadioButton", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QRadioButton", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QRadioButton", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QRadioButton", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QRadioButton", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QRadioButton", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QRadioButton", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QRadioButton", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QRadioButton", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QRadioButton", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QRadioButton", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QRadioButton", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QRadioButton", /::setWindowModified\s*\(/, "windowModified") -property_reader("QRadioButton", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QRadioButton", /::setToolTip\s*\(/, "toolTip") -property_reader("QRadioButton", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QRadioButton", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QRadioButton", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QRadioButton", /::setStatusTip\s*\(/, "statusTip") -property_reader("QRadioButton", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QRadioButton", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QRadioButton", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QRadioButton", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QRadioButton", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QRadioButton", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QRadioButton", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QRadioButton", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QRadioButton", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QRadioButton", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QRadioButton", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QRadioButton", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QRadioButton", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QRadioButton", /::setLocale\s*\(/, "locale") -property_reader("QRadioButton", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QRadioButton", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QRadioButton", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QRadioButton", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QRadioButton", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QRadioButton", /::setText\s*\(/, "text") -property_reader("QRadioButton", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QRadioButton", /::setIcon\s*\(/, "icon") -property_reader("QRadioButton", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QRadioButton", /::setIconSize\s*\(/, "iconSize") -property_reader("QRadioButton", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") -property_writer("QRadioButton", /::setShortcut\s*\(/, "shortcut") -property_reader("QRadioButton", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") -property_writer("QRadioButton", /::setCheckable\s*\(/, "checkable") -property_reader("QRadioButton", /::(checked|isChecked|hasChecked)\s*\(/, "checked") -property_writer("QRadioButton", /::setChecked\s*\(/, "checked") -property_reader("QRadioButton", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") -property_writer("QRadioButton", /::setAutoRepeat\s*\(/, "autoRepeat") -property_reader("QRadioButton", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") -property_writer("QRadioButton", /::setAutoExclusive\s*\(/, "autoExclusive") -property_reader("QRadioButton", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") -property_writer("QRadioButton", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") -property_reader("QRadioButton", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") -property_writer("QRadioButton", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") -property_reader("QRadioButton", /::(down|isDown|hasDown)\s*\(/, "down") -property_writer("QRadioButton", /::setDown\s*\(/, "down") -property_reader("QRadioData", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QRadioData", /::setObjectName\s*\(/, "objectName") -property_reader("QRadioData", /::(stationId|isStationId|hasStationId)\s*\(/, "stationId") -property_reader("QRadioData", /::(programType|isProgramType|hasProgramType)\s*\(/, "programType") -property_reader("QRadioData", /::(programTypeName|isProgramTypeName|hasProgramTypeName)\s*\(/, "programTypeName") -property_reader("QRadioData", /::(stationName|isStationName|hasStationName)\s*\(/, "stationName") -property_reader("QRadioData", /::(radioText|isRadioText|hasRadioText)\s*\(/, "radioText") -property_reader("QRadioData", /::(alternativeFrequenciesEnabled|isAlternativeFrequenciesEnabled|hasAlternativeFrequenciesEnabled)\s*\(/, "alternativeFrequenciesEnabled") -property_writer("QRadioData", /::setAlternativeFrequenciesEnabled\s*\(/, "alternativeFrequenciesEnabled") -property_reader("QRadioDataControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QRadioDataControl", /::setObjectName\s*\(/, "objectName") -property_reader("QRadioTuner", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QRadioTuner", /::setObjectName\s*\(/, "objectName") -property_reader("QRadioTuner", /::(notifyInterval|isNotifyInterval|hasNotifyInterval)\s*\(/, "notifyInterval") -property_writer("QRadioTuner", /::setNotifyInterval\s*\(/, "notifyInterval") -property_reader("QRadioTuner", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QRadioTuner", /::(band|isBand|hasBand)\s*\(/, "band") -property_writer("QRadioTuner", /::setBand\s*\(/, "band") -property_reader("QRadioTuner", /::(frequency|isFrequency|hasFrequency)\s*\(/, "frequency") -property_writer("QRadioTuner", /::setFrequency\s*\(/, "frequency") -property_reader("QRadioTuner", /::(stereo|isStereo|hasStereo)\s*\(/, "stereo") -property_reader("QRadioTuner", /::(stereoMode|isStereoMode|hasStereoMode)\s*\(/, "stereoMode") -property_writer("QRadioTuner", /::setStereoMode\s*\(/, "stereoMode") -property_reader("QRadioTuner", /::(signalStrength|isSignalStrength|hasSignalStrength)\s*\(/, "signalStrength") -property_reader("QRadioTuner", /::(volume|isVolume|hasVolume)\s*\(/, "volume") -property_writer("QRadioTuner", /::setVolume\s*\(/, "volume") -property_reader("QRadioTuner", /::(muted|isMuted|hasMuted)\s*\(/, "muted") -property_writer("QRadioTuner", /::setMuted\s*\(/, "muted") -property_reader("QRadioTuner", /::(searching|isSearching|hasSearching)\s*\(/, "searching") -property_reader("QRadioTuner", /::(antennaConnected|isAntennaConnected|hasAntennaConnected)\s*\(/, "antennaConnected") -property_reader("QRadioTuner", /::(radioData|isRadioData|hasRadioData)\s*\(/, "radioData") -property_reader("QRadioTunerControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QRadioTunerControl", /::setObjectName\s*\(/, "objectName") -property_reader("QRasterWindow", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QRasterWindow", /::setObjectName\s*\(/, "objectName") -property_reader("QRasterWindow", /::(title|isTitle|hasTitle)\s*\(/, "title") -property_writer("QRasterWindow", /::setTitle\s*\(/, "title") -property_reader("QRasterWindow", /::(modality|isModality|hasModality)\s*\(/, "modality") -property_writer("QRasterWindow", /::setModality\s*\(/, "modality") -property_reader("QRasterWindow", /::(flags|isFlags|hasFlags)\s*\(/, "flags") -property_writer("QRasterWindow", /::setFlags\s*\(/, "flags") -property_reader("QRasterWindow", /::(x|isX|hasX)\s*\(/, "x") -property_writer("QRasterWindow", /::setX\s*\(/, "x") -property_reader("QRasterWindow", /::(y|isY|hasY)\s*\(/, "y") -property_writer("QRasterWindow", /::setY\s*\(/, "y") -property_reader("QRasterWindow", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_writer("QRasterWindow", /::setWidth\s*\(/, "width") -property_reader("QRasterWindow", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_writer("QRasterWindow", /::setHeight\s*\(/, "height") -property_reader("QRasterWindow", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QRasterWindow", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QRasterWindow", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QRasterWindow", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QRasterWindow", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QRasterWindow", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QRasterWindow", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QRasterWindow", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QRasterWindow", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QRasterWindow", /::setVisible\s*\(/, "visible") -property_reader("QRasterWindow", /::(active|isActive|hasActive)\s*\(/, "active") -property_reader("QRasterWindow", /::(visibility|isVisibility|hasVisibility)\s*\(/, "visibility") -property_writer("QRasterWindow", /::setVisibility\s*\(/, "visibility") -property_reader("QRasterWindow", /::(contentOrientation|isContentOrientation|hasContentOrientation)\s*\(/, "contentOrientation") -property_writer("QRasterWindow", /::setContentOrientation\s*\(/, "contentOrientation") -property_reader("QRasterWindow", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") -property_writer("QRasterWindow", /::setOpacity\s*\(/, "opacity") -property_reader("QRegExpValidator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QRegExpValidator", /::setObjectName\s*\(/, "objectName") -property_reader("QRegExpValidator", /::(regExp|isRegExp|hasRegExp)\s*\(/, "regExp") -property_writer("QRegExpValidator", /::setRegExp\s*\(/, "regExp") -property_reader("QRegularExpressionValidator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QRegularExpressionValidator", /::setObjectName\s*\(/, "objectName") -property_reader("QRegularExpressionValidator", /::(regularExpression|isRegularExpression|hasRegularExpression)\s*\(/, "regularExpression") -property_writer("QRegularExpressionValidator", /::setRegularExpression\s*\(/, "regularExpression") -property_reader("QRubberBand", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QRubberBand", /::setObjectName\s*\(/, "objectName") -property_reader("QRubberBand", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QRubberBand", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QRubberBand", /::setWindowModality\s*\(/, "windowModality") -property_reader("QRubberBand", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QRubberBand", /::setEnabled\s*\(/, "enabled") -property_reader("QRubberBand", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QRubberBand", /::setGeometry\s*\(/, "geometry") -property_reader("QRubberBand", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QRubberBand", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QRubberBand", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QRubberBand", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QRubberBand", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QRubberBand", /::setPos\s*\(/, "pos") -property_reader("QRubberBand", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QRubberBand", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QRubberBand", /::setSize\s*\(/, "size") -property_reader("QRubberBand", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QRubberBand", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QRubberBand", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QRubberBand", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QRubberBand", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QRubberBand", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QRubberBand", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QRubberBand", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QRubberBand", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QRubberBand", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QRubberBand", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QRubberBand", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QRubberBand", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QRubberBand", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QRubberBand", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QRubberBand", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QRubberBand", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QRubberBand", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QRubberBand", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QRubberBand", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QRubberBand", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QRubberBand", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QRubberBand", /::setBaseSize\s*\(/, "baseSize") -property_reader("QRubberBand", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QRubberBand", /::setPalette\s*\(/, "palette") -property_reader("QRubberBand", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QRubberBand", /::setFont\s*\(/, "font") -property_reader("QRubberBand", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QRubberBand", /::setCursor\s*\(/, "cursor") -property_reader("QRubberBand", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QRubberBand", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QRubberBand", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QRubberBand", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QRubberBand", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QRubberBand", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QRubberBand", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QRubberBand", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QRubberBand", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QRubberBand", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QRubberBand", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QRubberBand", /::setVisible\s*\(/, "visible") -property_reader("QRubberBand", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QRubberBand", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QRubberBand", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QRubberBand", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QRubberBand", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QRubberBand", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QRubberBand", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QRubberBand", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QRubberBand", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QRubberBand", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QRubberBand", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QRubberBand", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QRubberBand", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QRubberBand", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QRubberBand", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QRubberBand", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QRubberBand", /::setWindowModified\s*\(/, "windowModified") -property_reader("QRubberBand", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QRubberBand", /::setToolTip\s*\(/, "toolTip") -property_reader("QRubberBand", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QRubberBand", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QRubberBand", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QRubberBand", /::setStatusTip\s*\(/, "statusTip") -property_reader("QRubberBand", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QRubberBand", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QRubberBand", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QRubberBand", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QRubberBand", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QRubberBand", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QRubberBand", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QRubberBand", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QRubberBand", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QRubberBand", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QRubberBand", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QRubberBand", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QRubberBand", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QRubberBand", /::setLocale\s*\(/, "locale") -property_reader("QRubberBand", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QRubberBand", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QRubberBand", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QRubberBand", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QSaveFile", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSaveFile", /::setObjectName\s*\(/, "objectName") -property_reader("QScreen", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QScreen", /::setObjectName\s*\(/, "objectName") -property_reader("QScreen", /::(name|isName|hasName)\s*\(/, "name") -property_reader("QScreen", /::(depth|isDepth|hasDepth)\s*\(/, "depth") -property_reader("QScreen", /::(size|isSize|hasSize)\s*\(/, "size") -property_reader("QScreen", /::(availableSize|isAvailableSize|hasAvailableSize)\s*\(/, "availableSize") -property_reader("QScreen", /::(virtualSize|isVirtualSize|hasVirtualSize)\s*\(/, "virtualSize") -property_reader("QScreen", /::(availableVirtualSize|isAvailableVirtualSize|hasAvailableVirtualSize)\s*\(/, "availableVirtualSize") -property_reader("QScreen", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_reader("QScreen", /::(availableGeometry|isAvailableGeometry|hasAvailableGeometry)\s*\(/, "availableGeometry") -property_reader("QScreen", /::(virtualGeometry|isVirtualGeometry|hasVirtualGeometry)\s*\(/, "virtualGeometry") -property_reader("QScreen", /::(availableVirtualGeometry|isAvailableVirtualGeometry|hasAvailableVirtualGeometry)\s*\(/, "availableVirtualGeometry") -property_reader("QScreen", /::(physicalSize|isPhysicalSize|hasPhysicalSize)\s*\(/, "physicalSize") -property_reader("QScreen", /::(physicalDotsPerInchX|isPhysicalDotsPerInchX|hasPhysicalDotsPerInchX)\s*\(/, "physicalDotsPerInchX") -property_reader("QScreen", /::(physicalDotsPerInchY|isPhysicalDotsPerInchY|hasPhysicalDotsPerInchY)\s*\(/, "physicalDotsPerInchY") -property_reader("QScreen", /::(physicalDotsPerInch|isPhysicalDotsPerInch|hasPhysicalDotsPerInch)\s*\(/, "physicalDotsPerInch") -property_reader("QScreen", /::(logicalDotsPerInchX|isLogicalDotsPerInchX|hasLogicalDotsPerInchX)\s*\(/, "logicalDotsPerInchX") -property_reader("QScreen", /::(logicalDotsPerInchY|isLogicalDotsPerInchY|hasLogicalDotsPerInchY)\s*\(/, "logicalDotsPerInchY") -property_reader("QScreen", /::(logicalDotsPerInch|isLogicalDotsPerInch|hasLogicalDotsPerInch)\s*\(/, "logicalDotsPerInch") -property_reader("QScreen", /::(devicePixelRatio|isDevicePixelRatio|hasDevicePixelRatio)\s*\(/, "devicePixelRatio") -property_reader("QScreen", /::(primaryOrientation|isPrimaryOrientation|hasPrimaryOrientation)\s*\(/, "primaryOrientation") -property_reader("QScreen", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") -property_reader("QScreen", /::(nativeOrientation|isNativeOrientation|hasNativeOrientation)\s*\(/, "nativeOrientation") -property_reader("QScreen", /::(refreshRate|isRefreshRate|hasRefreshRate)\s*\(/, "refreshRate") -property_reader("QScrollArea", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QScrollArea", /::setObjectName\s*\(/, "objectName") -property_reader("QScrollArea", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QScrollArea", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QScrollArea", /::setWindowModality\s*\(/, "windowModality") -property_reader("QScrollArea", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QScrollArea", /::setEnabled\s*\(/, "enabled") -property_reader("QScrollArea", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QScrollArea", /::setGeometry\s*\(/, "geometry") -property_reader("QScrollArea", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QScrollArea", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QScrollArea", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QScrollArea", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QScrollArea", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QScrollArea", /::setPos\s*\(/, "pos") -property_reader("QScrollArea", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QScrollArea", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QScrollArea", /::setSize\s*\(/, "size") -property_reader("QScrollArea", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QScrollArea", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QScrollArea", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QScrollArea", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QScrollArea", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QScrollArea", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QScrollArea", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QScrollArea", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QScrollArea", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QScrollArea", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QScrollArea", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QScrollArea", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QScrollArea", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QScrollArea", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QScrollArea", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QScrollArea", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QScrollArea", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QScrollArea", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QScrollArea", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QScrollArea", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QScrollArea", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QScrollArea", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QScrollArea", /::setBaseSize\s*\(/, "baseSize") -property_reader("QScrollArea", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QScrollArea", /::setPalette\s*\(/, "palette") -property_reader("QScrollArea", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QScrollArea", /::setFont\s*\(/, "font") -property_reader("QScrollArea", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QScrollArea", /::setCursor\s*\(/, "cursor") -property_reader("QScrollArea", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QScrollArea", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QScrollArea", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QScrollArea", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QScrollArea", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QScrollArea", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QScrollArea", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QScrollArea", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QScrollArea", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QScrollArea", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QScrollArea", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QScrollArea", /::setVisible\s*\(/, "visible") -property_reader("QScrollArea", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QScrollArea", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QScrollArea", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QScrollArea", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QScrollArea", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QScrollArea", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QScrollArea", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QScrollArea", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QScrollArea", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QScrollArea", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QScrollArea", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QScrollArea", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QScrollArea", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QScrollArea", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QScrollArea", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QScrollArea", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QScrollArea", /::setWindowModified\s*\(/, "windowModified") -property_reader("QScrollArea", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QScrollArea", /::setToolTip\s*\(/, "toolTip") -property_reader("QScrollArea", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QScrollArea", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QScrollArea", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QScrollArea", /::setStatusTip\s*\(/, "statusTip") -property_reader("QScrollArea", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QScrollArea", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QScrollArea", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QScrollArea", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QScrollArea", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QScrollArea", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QScrollArea", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QScrollArea", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QScrollArea", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QScrollArea", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QScrollArea", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QScrollArea", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QScrollArea", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QScrollArea", /::setLocale\s*\(/, "locale") -property_reader("QScrollArea", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QScrollArea", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QScrollArea", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QScrollArea", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QScrollArea", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QScrollArea", /::setFrameShape\s*\(/, "frameShape") -property_reader("QScrollArea", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QScrollArea", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QScrollArea", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QScrollArea", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QScrollArea", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QScrollArea", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QScrollArea", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QScrollArea", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QScrollArea", /::setFrameRect\s*\(/, "frameRect") -property_reader("QScrollArea", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QScrollArea", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QScrollArea", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QScrollArea", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QScrollArea", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QScrollArea", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QScrollArea", /::(widgetResizable|isWidgetResizable|hasWidgetResizable)\s*\(/, "widgetResizable") -property_writer("QScrollArea", /::setWidgetResizable\s*\(/, "widgetResizable") -property_reader("QScrollArea", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QScrollArea", /::setAlignment\s*\(/, "alignment") -property_reader("QScrollBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QScrollBar", /::setObjectName\s*\(/, "objectName") -property_reader("QScrollBar", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QScrollBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QScrollBar", /::setWindowModality\s*\(/, "windowModality") -property_reader("QScrollBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QScrollBar", /::setEnabled\s*\(/, "enabled") -property_reader("QScrollBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QScrollBar", /::setGeometry\s*\(/, "geometry") -property_reader("QScrollBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QScrollBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QScrollBar", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QScrollBar", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QScrollBar", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QScrollBar", /::setPos\s*\(/, "pos") -property_reader("QScrollBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QScrollBar", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QScrollBar", /::setSize\s*\(/, "size") -property_reader("QScrollBar", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QScrollBar", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QScrollBar", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QScrollBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QScrollBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QScrollBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QScrollBar", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QScrollBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QScrollBar", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QScrollBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QScrollBar", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QScrollBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QScrollBar", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QScrollBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QScrollBar", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QScrollBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QScrollBar", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QScrollBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QScrollBar", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QScrollBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QScrollBar", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QScrollBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QScrollBar", /::setBaseSize\s*\(/, "baseSize") -property_reader("QScrollBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QScrollBar", /::setPalette\s*\(/, "palette") -property_reader("QScrollBar", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QScrollBar", /::setFont\s*\(/, "font") -property_reader("QScrollBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QScrollBar", /::setCursor\s*\(/, "cursor") -property_reader("QScrollBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QScrollBar", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QScrollBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QScrollBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QScrollBar", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QScrollBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QScrollBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QScrollBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QScrollBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QScrollBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QScrollBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QScrollBar", /::setVisible\s*\(/, "visible") -property_reader("QScrollBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QScrollBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QScrollBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QScrollBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QScrollBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QScrollBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QScrollBar", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QScrollBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QScrollBar", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QScrollBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QScrollBar", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QScrollBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QScrollBar", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QScrollBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QScrollBar", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QScrollBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QScrollBar", /::setWindowModified\s*\(/, "windowModified") -property_reader("QScrollBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QScrollBar", /::setToolTip\s*\(/, "toolTip") -property_reader("QScrollBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QScrollBar", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QScrollBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QScrollBar", /::setStatusTip\s*\(/, "statusTip") -property_reader("QScrollBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QScrollBar", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QScrollBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QScrollBar", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QScrollBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QScrollBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QScrollBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QScrollBar", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QScrollBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QScrollBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QScrollBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QScrollBar", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QScrollBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QScrollBar", /::setLocale\s*\(/, "locale") -property_reader("QScrollBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QScrollBar", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QScrollBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QScrollBar", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QScrollBar", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") -property_writer("QScrollBar", /::setMinimum\s*\(/, "minimum") -property_reader("QScrollBar", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") -property_writer("QScrollBar", /::setMaximum\s*\(/, "maximum") -property_reader("QScrollBar", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") -property_writer("QScrollBar", /::setSingleStep\s*\(/, "singleStep") -property_reader("QScrollBar", /::(pageStep|isPageStep|hasPageStep)\s*\(/, "pageStep") -property_writer("QScrollBar", /::setPageStep\s*\(/, "pageStep") -property_reader("QScrollBar", /::(value|isValue|hasValue)\s*\(/, "value") -property_writer("QScrollBar", /::setValue\s*\(/, "value") -property_reader("QScrollBar", /::(sliderPosition|isSliderPosition|hasSliderPosition)\s*\(/, "sliderPosition") -property_writer("QScrollBar", /::setSliderPosition\s*\(/, "sliderPosition") -property_reader("QScrollBar", /::(tracking|isTracking|hasTracking)\s*\(/, "tracking") -property_writer("QScrollBar", /::setTracking\s*\(/, "tracking") -property_reader("QScrollBar", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") -property_writer("QScrollBar", /::setOrientation\s*\(/, "orientation") -property_reader("QScrollBar", /::(invertedAppearance|isInvertedAppearance|hasInvertedAppearance)\s*\(/, "invertedAppearance") -property_writer("QScrollBar", /::setInvertedAppearance\s*\(/, "invertedAppearance") -property_reader("QScrollBar", /::(invertedControls|isInvertedControls|hasInvertedControls)\s*\(/, "invertedControls") -property_writer("QScrollBar", /::setInvertedControls\s*\(/, "invertedControls") -property_reader("QScrollBar", /::(sliderDown|isSliderDown|hasSliderDown)\s*\(/, "sliderDown") -property_writer("QScrollBar", /::setSliderDown\s*\(/, "sliderDown") -property_reader("QScroller", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QScroller", /::setObjectName\s*\(/, "objectName") -property_reader("QScroller", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QScroller", /::(scrollerProperties|isScrollerProperties|hasScrollerProperties)\s*\(/, "scrollerProperties") -property_writer("QScroller", /::setScrollerProperties\s*\(/, "scrollerProperties") -property_reader("QSequentialAnimationGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSequentialAnimationGroup", /::setObjectName\s*\(/, "objectName") -property_reader("QSequentialAnimationGroup", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QSequentialAnimationGroup", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") -property_writer("QSequentialAnimationGroup", /::setLoopCount\s*\(/, "loopCount") -property_reader("QSequentialAnimationGroup", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") -property_writer("QSequentialAnimationGroup", /::setCurrentTime\s*\(/, "currentTime") -property_reader("QSequentialAnimationGroup", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") -property_reader("QSequentialAnimationGroup", /::(direction|isDirection|hasDirection)\s*\(/, "direction") -property_writer("QSequentialAnimationGroup", /::setDirection\s*\(/, "direction") -property_reader("QSequentialAnimationGroup", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_reader("QSequentialAnimationGroup", /::(currentAnimation|isCurrentAnimation|hasCurrentAnimation)\s*\(/, "currentAnimation") -property_reader("QSessionManager", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSessionManager", /::setObjectName\s*\(/, "objectName") -property_reader("QSettings", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSettings", /::setObjectName\s*\(/, "objectName") -property_reader("QSharedMemory", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSharedMemory", /::setObjectName\s*\(/, "objectName") -property_reader("QShortcut", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QShortcut", /::setObjectName\s*\(/, "objectName") -property_reader("QShortcut", /::(key|isKey|hasKey)\s*\(/, "key") -property_writer("QShortcut", /::setKey\s*\(/, "key") -property_reader("QShortcut", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QShortcut", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QShortcut", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QShortcut", /::setEnabled\s*\(/, "enabled") -property_reader("QShortcut", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") -property_writer("QShortcut", /::setAutoRepeat\s*\(/, "autoRepeat") -property_reader("QShortcut", /::(context|isContext|hasContext)\s*\(/, "context") -property_writer("QShortcut", /::setContext\s*\(/, "context") -property_reader("QSignalMapper", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSignalMapper", /::setObjectName\s*\(/, "objectName") -property_reader("QSignalTransition", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSignalTransition", /::setObjectName\s*\(/, "objectName") -property_reader("QSignalTransition", /::(sourceState|isSourceState|hasSourceState)\s*\(/, "sourceState") -property_reader("QSignalTransition", /::(targetState|isTargetState|hasTargetState)\s*\(/, "targetState") -property_writer("QSignalTransition", /::setTargetState\s*\(/, "targetState") -property_reader("QSignalTransition", /::(targetStates|isTargetStates|hasTargetStates)\s*\(/, "targetStates") -property_writer("QSignalTransition", /::setTargetStates\s*\(/, "targetStates") -property_reader("QSignalTransition", /::(transitionType|isTransitionType|hasTransitionType)\s*\(/, "transitionType") -property_writer("QSignalTransition", /::setTransitionType\s*\(/, "transitionType") -property_reader("QSignalTransition", /::(senderObject|isSenderObject|hasSenderObject)\s*\(/, "senderObject") -property_writer("QSignalTransition", /::setSenderObject\s*\(/, "senderObject") -property_reader("QSignalTransition", /::(signal|isSignal|hasSignal)\s*\(/, "signal") -property_writer("QSignalTransition", /::setSignal\s*\(/, "signal") -property_reader("QSizeGrip", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSizeGrip", /::setObjectName\s*\(/, "objectName") -property_reader("QSizeGrip", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QSizeGrip", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QSizeGrip", /::setWindowModality\s*\(/, "windowModality") -property_reader("QSizeGrip", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QSizeGrip", /::setEnabled\s*\(/, "enabled") -property_reader("QSizeGrip", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QSizeGrip", /::setGeometry\s*\(/, "geometry") -property_reader("QSizeGrip", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QSizeGrip", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QSizeGrip", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QSizeGrip", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QSizeGrip", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QSizeGrip", /::setPos\s*\(/, "pos") -property_reader("QSizeGrip", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QSizeGrip", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QSizeGrip", /::setSize\s*\(/, "size") -property_reader("QSizeGrip", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QSizeGrip", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QSizeGrip", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QSizeGrip", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QSizeGrip", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QSizeGrip", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QSizeGrip", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QSizeGrip", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QSizeGrip", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QSizeGrip", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QSizeGrip", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QSizeGrip", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QSizeGrip", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QSizeGrip", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QSizeGrip", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QSizeGrip", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QSizeGrip", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QSizeGrip", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QSizeGrip", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QSizeGrip", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QSizeGrip", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QSizeGrip", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QSizeGrip", /::setBaseSize\s*\(/, "baseSize") -property_reader("QSizeGrip", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QSizeGrip", /::setPalette\s*\(/, "palette") -property_reader("QSizeGrip", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QSizeGrip", /::setFont\s*\(/, "font") -property_reader("QSizeGrip", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QSizeGrip", /::setCursor\s*\(/, "cursor") -property_reader("QSizeGrip", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QSizeGrip", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QSizeGrip", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QSizeGrip", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QSizeGrip", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QSizeGrip", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QSizeGrip", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QSizeGrip", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QSizeGrip", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QSizeGrip", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QSizeGrip", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QSizeGrip", /::setVisible\s*\(/, "visible") -property_reader("QSizeGrip", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QSizeGrip", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QSizeGrip", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QSizeGrip", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QSizeGrip", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QSizeGrip", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QSizeGrip", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QSizeGrip", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QSizeGrip", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QSizeGrip", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QSizeGrip", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QSizeGrip", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QSizeGrip", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QSizeGrip", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QSizeGrip", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QSizeGrip", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QSizeGrip", /::setWindowModified\s*\(/, "windowModified") -property_reader("QSizeGrip", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QSizeGrip", /::setToolTip\s*\(/, "toolTip") -property_reader("QSizeGrip", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QSizeGrip", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QSizeGrip", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QSizeGrip", /::setStatusTip\s*\(/, "statusTip") -property_reader("QSizeGrip", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QSizeGrip", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QSizeGrip", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QSizeGrip", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QSizeGrip", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QSizeGrip", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QSizeGrip", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QSizeGrip", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QSizeGrip", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QSizeGrip", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QSizeGrip", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QSizeGrip", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QSizeGrip", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QSizeGrip", /::setLocale\s*\(/, "locale") -property_reader("QSizeGrip", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QSizeGrip", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QSizeGrip", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QSizeGrip", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QSlider", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSlider", /::setObjectName\s*\(/, "objectName") -property_reader("QSlider", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QSlider", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QSlider", /::setWindowModality\s*\(/, "windowModality") -property_reader("QSlider", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QSlider", /::setEnabled\s*\(/, "enabled") -property_reader("QSlider", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QSlider", /::setGeometry\s*\(/, "geometry") -property_reader("QSlider", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QSlider", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QSlider", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QSlider", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QSlider", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QSlider", /::setPos\s*\(/, "pos") -property_reader("QSlider", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QSlider", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QSlider", /::setSize\s*\(/, "size") -property_reader("QSlider", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QSlider", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QSlider", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QSlider", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QSlider", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QSlider", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QSlider", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QSlider", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QSlider", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QSlider", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QSlider", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QSlider", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QSlider", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QSlider", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QSlider", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QSlider", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QSlider", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QSlider", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QSlider", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QSlider", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QSlider", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QSlider", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QSlider", /::setBaseSize\s*\(/, "baseSize") -property_reader("QSlider", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QSlider", /::setPalette\s*\(/, "palette") -property_reader("QSlider", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QSlider", /::setFont\s*\(/, "font") -property_reader("QSlider", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QSlider", /::setCursor\s*\(/, "cursor") -property_reader("QSlider", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QSlider", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QSlider", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QSlider", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QSlider", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QSlider", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QSlider", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QSlider", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QSlider", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QSlider", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QSlider", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QSlider", /::setVisible\s*\(/, "visible") -property_reader("QSlider", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QSlider", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QSlider", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QSlider", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QSlider", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QSlider", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QSlider", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QSlider", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QSlider", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QSlider", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QSlider", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QSlider", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QSlider", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QSlider", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QSlider", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QSlider", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QSlider", /::setWindowModified\s*\(/, "windowModified") -property_reader("QSlider", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QSlider", /::setToolTip\s*\(/, "toolTip") -property_reader("QSlider", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QSlider", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QSlider", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QSlider", /::setStatusTip\s*\(/, "statusTip") -property_reader("QSlider", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QSlider", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QSlider", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QSlider", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QSlider", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QSlider", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QSlider", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QSlider", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QSlider", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QSlider", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QSlider", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QSlider", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QSlider", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QSlider", /::setLocale\s*\(/, "locale") -property_reader("QSlider", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QSlider", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QSlider", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QSlider", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QSlider", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") -property_writer("QSlider", /::setMinimum\s*\(/, "minimum") -property_reader("QSlider", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") -property_writer("QSlider", /::setMaximum\s*\(/, "maximum") -property_reader("QSlider", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") -property_writer("QSlider", /::setSingleStep\s*\(/, "singleStep") -property_reader("QSlider", /::(pageStep|isPageStep|hasPageStep)\s*\(/, "pageStep") -property_writer("QSlider", /::setPageStep\s*\(/, "pageStep") -property_reader("QSlider", /::(value|isValue|hasValue)\s*\(/, "value") -property_writer("QSlider", /::setValue\s*\(/, "value") -property_reader("QSlider", /::(sliderPosition|isSliderPosition|hasSliderPosition)\s*\(/, "sliderPosition") -property_writer("QSlider", /::setSliderPosition\s*\(/, "sliderPosition") -property_reader("QSlider", /::(tracking|isTracking|hasTracking)\s*\(/, "tracking") -property_writer("QSlider", /::setTracking\s*\(/, "tracking") -property_reader("QSlider", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") -property_writer("QSlider", /::setOrientation\s*\(/, "orientation") -property_reader("QSlider", /::(invertedAppearance|isInvertedAppearance|hasInvertedAppearance)\s*\(/, "invertedAppearance") -property_writer("QSlider", /::setInvertedAppearance\s*\(/, "invertedAppearance") -property_reader("QSlider", /::(invertedControls|isInvertedControls|hasInvertedControls)\s*\(/, "invertedControls") -property_writer("QSlider", /::setInvertedControls\s*\(/, "invertedControls") -property_reader("QSlider", /::(sliderDown|isSliderDown|hasSliderDown)\s*\(/, "sliderDown") -property_writer("QSlider", /::setSliderDown\s*\(/, "sliderDown") -property_reader("QSlider", /::(tickPosition|isTickPosition|hasTickPosition)\s*\(/, "tickPosition") -property_writer("QSlider", /::setTickPosition\s*\(/, "tickPosition") -property_reader("QSlider", /::(tickInterval|isTickInterval|hasTickInterval)\s*\(/, "tickInterval") -property_writer("QSlider", /::setTickInterval\s*\(/, "tickInterval") -property_reader("QSocketNotifier", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSocketNotifier", /::setObjectName\s*\(/, "objectName") -property_reader("QSortFilterProxyModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSortFilterProxyModel", /::setObjectName\s*\(/, "objectName") -property_reader("QSortFilterProxyModel", /::(sourceModel|isSourceModel|hasSourceModel)\s*\(/, "sourceModel") -property_writer("QSortFilterProxyModel", /::setSourceModel\s*\(/, "sourceModel") -property_reader("QSortFilterProxyModel", /::(filterRegExp|isFilterRegExp|hasFilterRegExp)\s*\(/, "filterRegExp") -property_writer("QSortFilterProxyModel", /::setFilterRegExp\s*\(/, "filterRegExp") -property_reader("QSortFilterProxyModel", /::(filterKeyColumn|isFilterKeyColumn|hasFilterKeyColumn)\s*\(/, "filterKeyColumn") -property_writer("QSortFilterProxyModel", /::setFilterKeyColumn\s*\(/, "filterKeyColumn") -property_reader("QSortFilterProxyModel", /::(dynamicSortFilter|isDynamicSortFilter|hasDynamicSortFilter)\s*\(/, "dynamicSortFilter") -property_writer("QSortFilterProxyModel", /::setDynamicSortFilter\s*\(/, "dynamicSortFilter") -property_reader("QSortFilterProxyModel", /::(filterCaseSensitivity|isFilterCaseSensitivity|hasFilterCaseSensitivity)\s*\(/, "filterCaseSensitivity") -property_writer("QSortFilterProxyModel", /::setFilterCaseSensitivity\s*\(/, "filterCaseSensitivity") -property_reader("QSortFilterProxyModel", /::(sortCaseSensitivity|isSortCaseSensitivity|hasSortCaseSensitivity)\s*\(/, "sortCaseSensitivity") -property_writer("QSortFilterProxyModel", /::setSortCaseSensitivity\s*\(/, "sortCaseSensitivity") -property_reader("QSortFilterProxyModel", /::(isSortLocaleAware|isIsSortLocaleAware|hasIsSortLocaleAware)\s*\(/, "isSortLocaleAware") -property_writer("QSortFilterProxyModel", /::setIsSortLocaleAware\s*\(/, "isSortLocaleAware") -property_reader("QSortFilterProxyModel", /::(sortRole|isSortRole|hasSortRole)\s*\(/, "sortRole") -property_writer("QSortFilterProxyModel", /::setSortRole\s*\(/, "sortRole") -property_reader("QSortFilterProxyModel", /::(filterRole|isFilterRole|hasFilterRole)\s*\(/, "filterRole") -property_writer("QSortFilterProxyModel", /::setFilterRole\s*\(/, "filterRole") -property_reader("QSound", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSound", /::setObjectName\s*\(/, "objectName") -property_reader("QSoundEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSoundEffect", /::setObjectName\s*\(/, "objectName") -property_reader("QSoundEffect", /::(source|isSource|hasSource)\s*\(/, "source") -property_writer("QSoundEffect", /::setSource\s*\(/, "source") -property_reader("QSoundEffect", /::(loops|isLoops|hasLoops)\s*\(/, "loops") -property_writer("QSoundEffect", /::setLoops\s*\(/, "loops") -property_reader("QSoundEffect", /::(loopsRemaining|isLoopsRemaining|hasLoopsRemaining)\s*\(/, "loopsRemaining") -property_reader("QSoundEffect", /::(volume|isVolume|hasVolume)\s*\(/, "volume") -property_writer("QSoundEffect", /::setVolume\s*\(/, "volume") -property_reader("QSoundEffect", /::(muted|isMuted|hasMuted)\s*\(/, "muted") -property_writer("QSoundEffect", /::setMuted\s*\(/, "muted") -property_reader("QSoundEffect", /::(playing|isPlaying|hasPlaying)\s*\(/, "playing") -property_reader("QSoundEffect", /::(status|isStatus|hasStatus)\s*\(/, "status") -property_reader("QSoundEffect", /::(category|isCategory|hasCategory)\s*\(/, "category") -property_writer("QSoundEffect", /::setCategory\s*\(/, "category") -property_reader("QSpinBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSpinBox", /::setObjectName\s*\(/, "objectName") -property_reader("QSpinBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QSpinBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QSpinBox", /::setWindowModality\s*\(/, "windowModality") -property_reader("QSpinBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QSpinBox", /::setEnabled\s*\(/, "enabled") -property_reader("QSpinBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QSpinBox", /::setGeometry\s*\(/, "geometry") -property_reader("QSpinBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QSpinBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QSpinBox", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QSpinBox", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QSpinBox", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QSpinBox", /::setPos\s*\(/, "pos") -property_reader("QSpinBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QSpinBox", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QSpinBox", /::setSize\s*\(/, "size") -property_reader("QSpinBox", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QSpinBox", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QSpinBox", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QSpinBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QSpinBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QSpinBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QSpinBox", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QSpinBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QSpinBox", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QSpinBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QSpinBox", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QSpinBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QSpinBox", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QSpinBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QSpinBox", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QSpinBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QSpinBox", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QSpinBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QSpinBox", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QSpinBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QSpinBox", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QSpinBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QSpinBox", /::setBaseSize\s*\(/, "baseSize") -property_reader("QSpinBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QSpinBox", /::setPalette\s*\(/, "palette") -property_reader("QSpinBox", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QSpinBox", /::setFont\s*\(/, "font") -property_reader("QSpinBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QSpinBox", /::setCursor\s*\(/, "cursor") -property_reader("QSpinBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QSpinBox", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QSpinBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QSpinBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QSpinBox", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QSpinBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QSpinBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QSpinBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QSpinBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QSpinBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QSpinBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QSpinBox", /::setVisible\s*\(/, "visible") -property_reader("QSpinBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QSpinBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QSpinBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QSpinBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QSpinBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QSpinBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QSpinBox", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QSpinBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QSpinBox", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QSpinBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QSpinBox", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QSpinBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QSpinBox", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QSpinBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QSpinBox", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QSpinBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QSpinBox", /::setWindowModified\s*\(/, "windowModified") -property_reader("QSpinBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QSpinBox", /::setToolTip\s*\(/, "toolTip") -property_reader("QSpinBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QSpinBox", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QSpinBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QSpinBox", /::setStatusTip\s*\(/, "statusTip") -property_reader("QSpinBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QSpinBox", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QSpinBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QSpinBox", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QSpinBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QSpinBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QSpinBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QSpinBox", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QSpinBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QSpinBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QSpinBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QSpinBox", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QSpinBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QSpinBox", /::setLocale\s*\(/, "locale") -property_reader("QSpinBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QSpinBox", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QSpinBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QSpinBox", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QSpinBox", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") -property_writer("QSpinBox", /::setWrapping\s*\(/, "wrapping") -property_reader("QSpinBox", /::(frame|isFrame|hasFrame)\s*\(/, "frame") -property_writer("QSpinBox", /::setFrame\s*\(/, "frame") -property_reader("QSpinBox", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QSpinBox", /::setAlignment\s*\(/, "alignment") -property_reader("QSpinBox", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QSpinBox", /::setReadOnly\s*\(/, "readOnly") -property_reader("QSpinBox", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") -property_writer("QSpinBox", /::setButtonSymbols\s*\(/, "buttonSymbols") -property_reader("QSpinBox", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") -property_writer("QSpinBox", /::setSpecialValueText\s*\(/, "specialValueText") -property_reader("QSpinBox", /::(text|isText|hasText)\s*\(/, "text") -property_reader("QSpinBox", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") -property_writer("QSpinBox", /::setAccelerated\s*\(/, "accelerated") -property_reader("QSpinBox", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") -property_writer("QSpinBox", /::setCorrectionMode\s*\(/, "correctionMode") -property_reader("QSpinBox", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") -property_reader("QSpinBox", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") -property_writer("QSpinBox", /::setKeyboardTracking\s*\(/, "keyboardTracking") -property_reader("QSpinBox", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") -property_writer("QSpinBox", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") -property_reader("QSpinBox", /::(suffix|isSuffix|hasSuffix)\s*\(/, "suffix") -property_writer("QSpinBox", /::setSuffix\s*\(/, "suffix") -property_reader("QSpinBox", /::(prefix|isPrefix|hasPrefix)\s*\(/, "prefix") -property_writer("QSpinBox", /::setPrefix\s*\(/, "prefix") -property_reader("QSpinBox", /::(cleanText|isCleanText|hasCleanText)\s*\(/, "cleanText") -property_reader("QSpinBox", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") -property_writer("QSpinBox", /::setMinimum\s*\(/, "minimum") -property_reader("QSpinBox", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") -property_writer("QSpinBox", /::setMaximum\s*\(/, "maximum") -property_reader("QSpinBox", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") -property_writer("QSpinBox", /::setSingleStep\s*\(/, "singleStep") -property_reader("QSpinBox", /::(value|isValue|hasValue)\s*\(/, "value") -property_writer("QSpinBox", /::setValue\s*\(/, "value") -property_reader("QSpinBox", /::(displayIntegerBase|isDisplayIntegerBase|hasDisplayIntegerBase)\s*\(/, "displayIntegerBase") -property_writer("QSpinBox", /::setDisplayIntegerBase\s*\(/, "displayIntegerBase") -property_reader("QSplashScreen", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSplashScreen", /::setObjectName\s*\(/, "objectName") -property_reader("QSplashScreen", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QSplashScreen", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QSplashScreen", /::setWindowModality\s*\(/, "windowModality") -property_reader("QSplashScreen", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QSplashScreen", /::setEnabled\s*\(/, "enabled") -property_reader("QSplashScreen", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QSplashScreen", /::setGeometry\s*\(/, "geometry") -property_reader("QSplashScreen", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QSplashScreen", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QSplashScreen", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QSplashScreen", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QSplashScreen", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QSplashScreen", /::setPos\s*\(/, "pos") -property_reader("QSplashScreen", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QSplashScreen", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QSplashScreen", /::setSize\s*\(/, "size") -property_reader("QSplashScreen", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QSplashScreen", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QSplashScreen", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QSplashScreen", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QSplashScreen", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QSplashScreen", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QSplashScreen", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QSplashScreen", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QSplashScreen", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QSplashScreen", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QSplashScreen", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QSplashScreen", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QSplashScreen", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QSplashScreen", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QSplashScreen", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QSplashScreen", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QSplashScreen", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QSplashScreen", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QSplashScreen", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QSplashScreen", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QSplashScreen", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QSplashScreen", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QSplashScreen", /::setBaseSize\s*\(/, "baseSize") -property_reader("QSplashScreen", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QSplashScreen", /::setPalette\s*\(/, "palette") -property_reader("QSplashScreen", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QSplashScreen", /::setFont\s*\(/, "font") -property_reader("QSplashScreen", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QSplashScreen", /::setCursor\s*\(/, "cursor") -property_reader("QSplashScreen", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QSplashScreen", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QSplashScreen", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QSplashScreen", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QSplashScreen", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QSplashScreen", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QSplashScreen", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QSplashScreen", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QSplashScreen", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QSplashScreen", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QSplashScreen", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QSplashScreen", /::setVisible\s*\(/, "visible") -property_reader("QSplashScreen", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QSplashScreen", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QSplashScreen", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QSplashScreen", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QSplashScreen", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QSplashScreen", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QSplashScreen", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QSplashScreen", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QSplashScreen", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QSplashScreen", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QSplashScreen", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QSplashScreen", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QSplashScreen", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QSplashScreen", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QSplashScreen", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QSplashScreen", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QSplashScreen", /::setWindowModified\s*\(/, "windowModified") -property_reader("QSplashScreen", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QSplashScreen", /::setToolTip\s*\(/, "toolTip") -property_reader("QSplashScreen", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QSplashScreen", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QSplashScreen", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QSplashScreen", /::setStatusTip\s*\(/, "statusTip") -property_reader("QSplashScreen", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QSplashScreen", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QSplashScreen", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QSplashScreen", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QSplashScreen", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QSplashScreen", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QSplashScreen", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QSplashScreen", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QSplashScreen", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QSplashScreen", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QSplashScreen", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QSplashScreen", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QSplashScreen", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QSplashScreen", /::setLocale\s*\(/, "locale") -property_reader("QSplashScreen", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QSplashScreen", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QSplashScreen", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QSplashScreen", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QSplitter", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSplitter", /::setObjectName\s*\(/, "objectName") -property_reader("QSplitter", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QSplitter", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QSplitter", /::setWindowModality\s*\(/, "windowModality") -property_reader("QSplitter", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QSplitter", /::setEnabled\s*\(/, "enabled") -property_reader("QSplitter", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QSplitter", /::setGeometry\s*\(/, "geometry") -property_reader("QSplitter", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QSplitter", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QSplitter", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QSplitter", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QSplitter", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QSplitter", /::setPos\s*\(/, "pos") -property_reader("QSplitter", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QSplitter", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QSplitter", /::setSize\s*\(/, "size") -property_reader("QSplitter", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QSplitter", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QSplitter", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QSplitter", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QSplitter", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QSplitter", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QSplitter", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QSplitter", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QSplitter", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QSplitter", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QSplitter", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QSplitter", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QSplitter", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QSplitter", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QSplitter", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QSplitter", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QSplitter", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QSplitter", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QSplitter", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QSplitter", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QSplitter", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QSplitter", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QSplitter", /::setBaseSize\s*\(/, "baseSize") -property_reader("QSplitter", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QSplitter", /::setPalette\s*\(/, "palette") -property_reader("QSplitter", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QSplitter", /::setFont\s*\(/, "font") -property_reader("QSplitter", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QSplitter", /::setCursor\s*\(/, "cursor") -property_reader("QSplitter", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QSplitter", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QSplitter", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QSplitter", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QSplitter", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QSplitter", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QSplitter", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QSplitter", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QSplitter", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QSplitter", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QSplitter", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QSplitter", /::setVisible\s*\(/, "visible") -property_reader("QSplitter", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QSplitter", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QSplitter", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QSplitter", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QSplitter", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QSplitter", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QSplitter", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QSplitter", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QSplitter", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QSplitter", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QSplitter", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QSplitter", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QSplitter", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QSplitter", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QSplitter", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QSplitter", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QSplitter", /::setWindowModified\s*\(/, "windowModified") -property_reader("QSplitter", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QSplitter", /::setToolTip\s*\(/, "toolTip") -property_reader("QSplitter", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QSplitter", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QSplitter", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QSplitter", /::setStatusTip\s*\(/, "statusTip") -property_reader("QSplitter", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QSplitter", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QSplitter", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QSplitter", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QSplitter", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QSplitter", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QSplitter", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QSplitter", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QSplitter", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QSplitter", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QSplitter", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QSplitter", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QSplitter", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QSplitter", /::setLocale\s*\(/, "locale") -property_reader("QSplitter", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QSplitter", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QSplitter", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QSplitter", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QSplitter", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QSplitter", /::setFrameShape\s*\(/, "frameShape") -property_reader("QSplitter", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QSplitter", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QSplitter", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QSplitter", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QSplitter", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QSplitter", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QSplitter", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QSplitter", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QSplitter", /::setFrameRect\s*\(/, "frameRect") -property_reader("QSplitter", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") -property_writer("QSplitter", /::setOrientation\s*\(/, "orientation") -property_reader("QSplitter", /::(opaqueResize|isOpaqueResize|hasOpaqueResize)\s*\(/, "opaqueResize") -property_writer("QSplitter", /::setOpaqueResize\s*\(/, "opaqueResize") -property_reader("QSplitter", /::(handleWidth|isHandleWidth|hasHandleWidth)\s*\(/, "handleWidth") -property_writer("QSplitter", /::setHandleWidth\s*\(/, "handleWidth") -property_reader("QSplitter", /::(childrenCollapsible|isChildrenCollapsible|hasChildrenCollapsible)\s*\(/, "childrenCollapsible") -property_writer("QSplitter", /::setChildrenCollapsible\s*\(/, "childrenCollapsible") -property_reader("QSplitterHandle", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSplitterHandle", /::setObjectName\s*\(/, "objectName") -property_reader("QSplitterHandle", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QSplitterHandle", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QSplitterHandle", /::setWindowModality\s*\(/, "windowModality") -property_reader("QSplitterHandle", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QSplitterHandle", /::setEnabled\s*\(/, "enabled") -property_reader("QSplitterHandle", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QSplitterHandle", /::setGeometry\s*\(/, "geometry") -property_reader("QSplitterHandle", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QSplitterHandle", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QSplitterHandle", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QSplitterHandle", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QSplitterHandle", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QSplitterHandle", /::setPos\s*\(/, "pos") -property_reader("QSplitterHandle", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QSplitterHandle", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QSplitterHandle", /::setSize\s*\(/, "size") -property_reader("QSplitterHandle", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QSplitterHandle", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QSplitterHandle", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QSplitterHandle", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QSplitterHandle", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QSplitterHandle", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QSplitterHandle", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QSplitterHandle", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QSplitterHandle", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QSplitterHandle", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QSplitterHandle", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QSplitterHandle", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QSplitterHandle", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QSplitterHandle", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QSplitterHandle", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QSplitterHandle", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QSplitterHandle", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QSplitterHandle", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QSplitterHandle", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QSplitterHandle", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QSplitterHandle", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QSplitterHandle", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QSplitterHandle", /::setBaseSize\s*\(/, "baseSize") -property_reader("QSplitterHandle", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QSplitterHandle", /::setPalette\s*\(/, "palette") -property_reader("QSplitterHandle", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QSplitterHandle", /::setFont\s*\(/, "font") -property_reader("QSplitterHandle", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QSplitterHandle", /::setCursor\s*\(/, "cursor") -property_reader("QSplitterHandle", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QSplitterHandle", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QSplitterHandle", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QSplitterHandle", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QSplitterHandle", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QSplitterHandle", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QSplitterHandle", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QSplitterHandle", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QSplitterHandle", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QSplitterHandle", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QSplitterHandle", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QSplitterHandle", /::setVisible\s*\(/, "visible") -property_reader("QSplitterHandle", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QSplitterHandle", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QSplitterHandle", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QSplitterHandle", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QSplitterHandle", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QSplitterHandle", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QSplitterHandle", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QSplitterHandle", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QSplitterHandle", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QSplitterHandle", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QSplitterHandle", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QSplitterHandle", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QSplitterHandle", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QSplitterHandle", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QSplitterHandle", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QSplitterHandle", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QSplitterHandle", /::setWindowModified\s*\(/, "windowModified") -property_reader("QSplitterHandle", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QSplitterHandle", /::setToolTip\s*\(/, "toolTip") -property_reader("QSplitterHandle", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QSplitterHandle", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QSplitterHandle", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QSplitterHandle", /::setStatusTip\s*\(/, "statusTip") -property_reader("QSplitterHandle", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QSplitterHandle", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QSplitterHandle", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QSplitterHandle", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QSplitterHandle", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QSplitterHandle", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QSplitterHandle", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QSplitterHandle", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QSplitterHandle", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QSplitterHandle", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QSplitterHandle", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QSplitterHandle", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QSplitterHandle", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QSplitterHandle", /::setLocale\s*\(/, "locale") -property_reader("QSplitterHandle", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QSplitterHandle", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QSplitterHandle", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QSplitterHandle", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QSqlDriver", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSqlDriver", /::setObjectName\s*\(/, "objectName") -property_reader("QSqlQueryModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSqlQueryModel", /::setObjectName\s*\(/, "objectName") -property_reader("QSqlRelationalTableModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSqlRelationalTableModel", /::setObjectName\s*\(/, "objectName") -property_reader("QSqlTableModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSqlTableModel", /::setObjectName\s*\(/, "objectName") -property_reader("QSslSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSslSocket", /::setObjectName\s*\(/, "objectName") -property_reader("QStackedLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QStackedLayout", /::setObjectName\s*\(/, "objectName") -property_reader("QStackedLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") -property_writer("QStackedLayout", /::setMargin\s*\(/, "margin") -property_reader("QStackedLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QStackedLayout", /::setSpacing\s*\(/, "spacing") -property_reader("QStackedLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") -property_writer("QStackedLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") -property_reader("QStackedLayout", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") -property_writer("QStackedLayout", /::setCurrentIndex\s*\(/, "currentIndex") -property_reader("QStackedLayout", /::(stackingMode|isStackingMode|hasStackingMode)\s*\(/, "stackingMode") -property_writer("QStackedLayout", /::setStackingMode\s*\(/, "stackingMode") -property_reader("QStackedWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QStackedWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QStackedWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QStackedWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QStackedWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QStackedWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QStackedWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QStackedWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QStackedWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QStackedWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QStackedWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QStackedWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QStackedWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QStackedWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QStackedWidget", /::setPos\s*\(/, "pos") -property_reader("QStackedWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QStackedWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QStackedWidget", /::setSize\s*\(/, "size") -property_reader("QStackedWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QStackedWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QStackedWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QStackedWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QStackedWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QStackedWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QStackedWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QStackedWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QStackedWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QStackedWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QStackedWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QStackedWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QStackedWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QStackedWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QStackedWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QStackedWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QStackedWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QStackedWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QStackedWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QStackedWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QStackedWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QStackedWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QStackedWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QStackedWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QStackedWidget", /::setPalette\s*\(/, "palette") -property_reader("QStackedWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QStackedWidget", /::setFont\s*\(/, "font") -property_reader("QStackedWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QStackedWidget", /::setCursor\s*\(/, "cursor") -property_reader("QStackedWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QStackedWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QStackedWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QStackedWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QStackedWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QStackedWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QStackedWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QStackedWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QStackedWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QStackedWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QStackedWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QStackedWidget", /::setVisible\s*\(/, "visible") -property_reader("QStackedWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QStackedWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QStackedWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QStackedWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QStackedWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QStackedWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QStackedWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QStackedWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QStackedWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QStackedWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QStackedWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QStackedWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QStackedWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QStackedWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QStackedWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QStackedWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QStackedWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QStackedWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QStackedWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QStackedWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QStackedWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QStackedWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QStackedWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QStackedWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QStackedWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QStackedWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QStackedWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QStackedWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QStackedWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QStackedWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QStackedWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QStackedWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QStackedWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QStackedWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QStackedWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QStackedWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QStackedWidget", /::setLocale\s*\(/, "locale") -property_reader("QStackedWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QStackedWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QStackedWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QStackedWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QStackedWidget", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QStackedWidget", /::setFrameShape\s*\(/, "frameShape") -property_reader("QStackedWidget", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QStackedWidget", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QStackedWidget", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QStackedWidget", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QStackedWidget", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QStackedWidget", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QStackedWidget", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QStackedWidget", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QStackedWidget", /::setFrameRect\s*\(/, "frameRect") -property_reader("QStackedWidget", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") -property_writer("QStackedWidget", /::setCurrentIndex\s*\(/, "currentIndex") -property_reader("QStackedWidget", /::(count|isCount|hasCount)\s*\(/, "count") -property_reader("QStandardItemModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QStandardItemModel", /::setObjectName\s*\(/, "objectName") -property_reader("QStandardItemModel", /::(sortRole|isSortRole|hasSortRole)\s*\(/, "sortRole") -property_writer("QStandardItemModel", /::setSortRole\s*\(/, "sortRole") -property_reader("QState", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QState", /::setObjectName\s*\(/, "objectName") -property_reader("QState", /::(active|isActive|hasActive)\s*\(/, "active") -property_reader("QState", /::(initialState|isInitialState|hasInitialState)\s*\(/, "initialState") -property_writer("QState", /::setInitialState\s*\(/, "initialState") -property_reader("QState", /::(errorState|isErrorState|hasErrorState)\s*\(/, "errorState") -property_writer("QState", /::setErrorState\s*\(/, "errorState") -property_reader("QState", /::(childMode|isChildMode|hasChildMode)\s*\(/, "childMode") -property_writer("QState", /::setChildMode\s*\(/, "childMode") -property_reader("QStateMachine", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QStateMachine", /::setObjectName\s*\(/, "objectName") -property_reader("QStateMachine", /::(active|isActive|hasActive)\s*\(/, "active") -property_reader("QStateMachine", /::(initialState|isInitialState|hasInitialState)\s*\(/, "initialState") -property_writer("QStateMachine", /::setInitialState\s*\(/, "initialState") -property_reader("QStateMachine", /::(errorState|isErrorState|hasErrorState)\s*\(/, "errorState") -property_writer("QStateMachine", /::setErrorState\s*\(/, "errorState") -property_reader("QStateMachine", /::(childMode|isChildMode|hasChildMode)\s*\(/, "childMode") -property_writer("QStateMachine", /::setChildMode\s*\(/, "childMode") -property_reader("QStateMachine", /::(errorString|isErrorString|hasErrorString)\s*\(/, "errorString") -property_reader("QStateMachine", /::(globalRestorePolicy|isGlobalRestorePolicy|hasGlobalRestorePolicy)\s*\(/, "globalRestorePolicy") -property_writer("QStateMachine", /::setGlobalRestorePolicy\s*\(/, "globalRestorePolicy") -property_reader("QStateMachine", /::(running|isRunning|hasRunning)\s*\(/, "running") -property_writer("QStateMachine", /::setRunning\s*\(/, "running") -property_reader("QStateMachine", /::(animated|isAnimated|hasAnimated)\s*\(/, "animated") -property_writer("QStateMachine", /::setAnimated\s*\(/, "animated") -property_reader("QStatusBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QStatusBar", /::setObjectName\s*\(/, "objectName") -property_reader("QStatusBar", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QStatusBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QStatusBar", /::setWindowModality\s*\(/, "windowModality") -property_reader("QStatusBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QStatusBar", /::setEnabled\s*\(/, "enabled") -property_reader("QStatusBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QStatusBar", /::setGeometry\s*\(/, "geometry") -property_reader("QStatusBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QStatusBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QStatusBar", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QStatusBar", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QStatusBar", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QStatusBar", /::setPos\s*\(/, "pos") -property_reader("QStatusBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QStatusBar", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QStatusBar", /::setSize\s*\(/, "size") -property_reader("QStatusBar", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QStatusBar", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QStatusBar", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QStatusBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QStatusBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QStatusBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QStatusBar", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QStatusBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QStatusBar", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QStatusBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QStatusBar", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QStatusBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QStatusBar", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QStatusBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QStatusBar", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QStatusBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QStatusBar", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QStatusBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QStatusBar", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QStatusBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QStatusBar", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QStatusBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QStatusBar", /::setBaseSize\s*\(/, "baseSize") -property_reader("QStatusBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QStatusBar", /::setPalette\s*\(/, "palette") -property_reader("QStatusBar", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QStatusBar", /::setFont\s*\(/, "font") -property_reader("QStatusBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QStatusBar", /::setCursor\s*\(/, "cursor") -property_reader("QStatusBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QStatusBar", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QStatusBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QStatusBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QStatusBar", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QStatusBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QStatusBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QStatusBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QStatusBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QStatusBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QStatusBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QStatusBar", /::setVisible\s*\(/, "visible") -property_reader("QStatusBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QStatusBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QStatusBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QStatusBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QStatusBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QStatusBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QStatusBar", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QStatusBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QStatusBar", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QStatusBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QStatusBar", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QStatusBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QStatusBar", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QStatusBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QStatusBar", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QStatusBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QStatusBar", /::setWindowModified\s*\(/, "windowModified") -property_reader("QStatusBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QStatusBar", /::setToolTip\s*\(/, "toolTip") -property_reader("QStatusBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QStatusBar", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QStatusBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QStatusBar", /::setStatusTip\s*\(/, "statusTip") -property_reader("QStatusBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QStatusBar", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QStatusBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QStatusBar", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QStatusBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QStatusBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QStatusBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QStatusBar", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QStatusBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QStatusBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QStatusBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QStatusBar", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QStatusBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QStatusBar", /::setLocale\s*\(/, "locale") -property_reader("QStatusBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QStatusBar", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QStatusBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QStatusBar", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QStatusBar", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QStatusBar", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QStringListModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QStringListModel", /::setObjectName\s*\(/, "objectName") -property_reader("QStyle", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QStyle", /::setObjectName\s*\(/, "objectName") -property_reader("QStyleHints", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QStyleHints", /::setObjectName\s*\(/, "objectName") -property_reader("QStyleHints", /::(cursorFlashTime|isCursorFlashTime|hasCursorFlashTime)\s*\(/, "cursorFlashTime") -property_reader("QStyleHints", /::(fontSmoothingGamma|isFontSmoothingGamma|hasFontSmoothingGamma)\s*\(/, "fontSmoothingGamma") -property_reader("QStyleHints", /::(keyboardAutoRepeatRate|isKeyboardAutoRepeatRate|hasKeyboardAutoRepeatRate)\s*\(/, "keyboardAutoRepeatRate") -property_reader("QStyleHints", /::(keyboardInputInterval|isKeyboardInputInterval|hasKeyboardInputInterval)\s*\(/, "keyboardInputInterval") -property_reader("QStyleHints", /::(mouseDoubleClickInterval|isMouseDoubleClickInterval|hasMouseDoubleClickInterval)\s*\(/, "mouseDoubleClickInterval") -property_reader("QStyleHints", /::(mousePressAndHoldInterval|isMousePressAndHoldInterval|hasMousePressAndHoldInterval)\s*\(/, "mousePressAndHoldInterval") -property_reader("QStyleHints", /::(passwordMaskCharacter|isPasswordMaskCharacter|hasPasswordMaskCharacter)\s*\(/, "passwordMaskCharacter") -property_reader("QStyleHints", /::(passwordMaskDelay|isPasswordMaskDelay|hasPasswordMaskDelay)\s*\(/, "passwordMaskDelay") -property_reader("QStyleHints", /::(setFocusOnTouchRelease|isSetFocusOnTouchRelease|hasSetFocusOnTouchRelease)\s*\(/, "setFocusOnTouchRelease") -property_reader("QStyleHints", /::(showIsFullScreen|isShowIsFullScreen|hasShowIsFullScreen)\s*\(/, "showIsFullScreen") -property_reader("QStyleHints", /::(startDragDistance|isStartDragDistance|hasStartDragDistance)\s*\(/, "startDragDistance") -property_reader("QStyleHints", /::(startDragTime|isStartDragTime|hasStartDragTime)\s*\(/, "startDragTime") -property_reader("QStyleHints", /::(startDragVelocity|isStartDragVelocity|hasStartDragVelocity)\s*\(/, "startDragVelocity") -property_reader("QStyleHints", /::(useRtlExtensions|isUseRtlExtensions|hasUseRtlExtensions)\s*\(/, "useRtlExtensions") -property_reader("QStyleHints", /::(tabFocusBehavior|isTabFocusBehavior|hasTabFocusBehavior)\s*\(/, "tabFocusBehavior") -property_reader("QStyleHints", /::(singleClickActivation|isSingleClickActivation|hasSingleClickActivation)\s*\(/, "singleClickActivation") -property_reader("QStylePlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QStylePlugin", /::setObjectName\s*\(/, "objectName") -property_reader("QStyledItemDelegate", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QStyledItemDelegate", /::setObjectName\s*\(/, "objectName") -property_reader("QSvgRenderer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSvgRenderer", /::setObjectName\s*\(/, "objectName") -property_reader("QSvgRenderer", /::(viewBox|isViewBox|hasViewBox)\s*\(/, "viewBox") -property_writer("QSvgRenderer", /::setViewBox\s*\(/, "viewBox") -property_reader("QSvgRenderer", /::(framesPerSecond|isFramesPerSecond|hasFramesPerSecond)\s*\(/, "framesPerSecond") -property_writer("QSvgRenderer", /::setFramesPerSecond\s*\(/, "framesPerSecond") -property_reader("QSvgRenderer", /::(currentFrame|isCurrentFrame|hasCurrentFrame)\s*\(/, "currentFrame") -property_writer("QSvgRenderer", /::setCurrentFrame\s*\(/, "currentFrame") -property_reader("QSvgWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSvgWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QSvgWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QSvgWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QSvgWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QSvgWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QSvgWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QSvgWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QSvgWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QSvgWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QSvgWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QSvgWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QSvgWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QSvgWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QSvgWidget", /::setPos\s*\(/, "pos") -property_reader("QSvgWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QSvgWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QSvgWidget", /::setSize\s*\(/, "size") -property_reader("QSvgWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QSvgWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QSvgWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QSvgWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QSvgWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QSvgWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QSvgWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QSvgWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QSvgWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QSvgWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QSvgWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QSvgWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QSvgWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QSvgWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QSvgWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QSvgWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QSvgWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QSvgWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QSvgWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QSvgWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QSvgWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QSvgWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QSvgWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QSvgWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QSvgWidget", /::setPalette\s*\(/, "palette") -property_reader("QSvgWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QSvgWidget", /::setFont\s*\(/, "font") -property_reader("QSvgWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QSvgWidget", /::setCursor\s*\(/, "cursor") -property_reader("QSvgWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QSvgWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QSvgWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QSvgWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QSvgWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QSvgWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QSvgWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QSvgWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QSvgWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QSvgWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QSvgWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QSvgWidget", /::setVisible\s*\(/, "visible") -property_reader("QSvgWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QSvgWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QSvgWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QSvgWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QSvgWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QSvgWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QSvgWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QSvgWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QSvgWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QSvgWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QSvgWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QSvgWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QSvgWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QSvgWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QSvgWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QSvgWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QSvgWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QSvgWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QSvgWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QSvgWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QSvgWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QSvgWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QSvgWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QSvgWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QSvgWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QSvgWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QSvgWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QSvgWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QSvgWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QSvgWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QSvgWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QSvgWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QSvgWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QSvgWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QSvgWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QSvgWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QSvgWidget", /::setLocale\s*\(/, "locale") -property_reader("QSvgWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QSvgWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QSvgWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QSvgWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QSwipeGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSwipeGesture", /::setObjectName\s*\(/, "objectName") -property_reader("QSwipeGesture", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QSwipeGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") -property_reader("QSwipeGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") -property_writer("QSwipeGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") -property_reader("QSwipeGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") -property_writer("QSwipeGesture", /::setHotSpot\s*\(/, "hotSpot") -property_reader("QSwipeGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") -property_reader("QSwipeGesture", /::(horizontalDirection|isHorizontalDirection|hasHorizontalDirection)\s*\(/, "horizontalDirection") -property_reader("QSwipeGesture", /::(verticalDirection|isVerticalDirection|hasVerticalDirection)\s*\(/, "verticalDirection") -property_reader("QSwipeGesture", /::(swipeAngle|isSwipeAngle|hasSwipeAngle)\s*\(/, "swipeAngle") -property_writer("QSwipeGesture", /::setSwipeAngle\s*\(/, "swipeAngle") -property_reader("QSwipeGesture", /::(velocity|isVelocity|hasVelocity)\s*\(/, "velocity") -property_writer("QSwipeGesture", /::setVelocity\s*\(/, "velocity") -property_reader("QSyntaxHighlighter", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSyntaxHighlighter", /::setObjectName\s*\(/, "objectName") -property_reader("QSystemTrayIcon", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSystemTrayIcon", /::setObjectName\s*\(/, "objectName") -property_reader("QSystemTrayIcon", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QSystemTrayIcon", /::setToolTip\s*\(/, "toolTip") -property_reader("QSystemTrayIcon", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QSystemTrayIcon", /::setIcon\s*\(/, "icon") -property_reader("QSystemTrayIcon", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QSystemTrayIcon", /::setVisible\s*\(/, "visible") -property_reader("QTabBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTabBar", /::setObjectName\s*\(/, "objectName") -property_reader("QTabBar", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QTabBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QTabBar", /::setWindowModality\s*\(/, "windowModality") -property_reader("QTabBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QTabBar", /::setEnabled\s*\(/, "enabled") -property_reader("QTabBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QTabBar", /::setGeometry\s*\(/, "geometry") -property_reader("QTabBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QTabBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QTabBar", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QTabBar", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QTabBar", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QTabBar", /::setPos\s*\(/, "pos") -property_reader("QTabBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QTabBar", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QTabBar", /::setSize\s*\(/, "size") -property_reader("QTabBar", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QTabBar", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QTabBar", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QTabBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QTabBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QTabBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QTabBar", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QTabBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QTabBar", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QTabBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QTabBar", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QTabBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QTabBar", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QTabBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QTabBar", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QTabBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QTabBar", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QTabBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QTabBar", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QTabBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QTabBar", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QTabBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QTabBar", /::setBaseSize\s*\(/, "baseSize") -property_reader("QTabBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QTabBar", /::setPalette\s*\(/, "palette") -property_reader("QTabBar", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QTabBar", /::setFont\s*\(/, "font") -property_reader("QTabBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QTabBar", /::setCursor\s*\(/, "cursor") -property_reader("QTabBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QTabBar", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QTabBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QTabBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QTabBar", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QTabBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QTabBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QTabBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QTabBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QTabBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QTabBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QTabBar", /::setVisible\s*\(/, "visible") -property_reader("QTabBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QTabBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QTabBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QTabBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QTabBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QTabBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QTabBar", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QTabBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QTabBar", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QTabBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QTabBar", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QTabBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QTabBar", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QTabBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QTabBar", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QTabBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QTabBar", /::setWindowModified\s*\(/, "windowModified") -property_reader("QTabBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QTabBar", /::setToolTip\s*\(/, "toolTip") -property_reader("QTabBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QTabBar", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QTabBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QTabBar", /::setStatusTip\s*\(/, "statusTip") -property_reader("QTabBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QTabBar", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QTabBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QTabBar", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QTabBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QTabBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QTabBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QTabBar", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QTabBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QTabBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QTabBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QTabBar", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QTabBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QTabBar", /::setLocale\s*\(/, "locale") -property_reader("QTabBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QTabBar", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QTabBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QTabBar", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QTabBar", /::(shape|isShape|hasShape)\s*\(/, "shape") -property_writer("QTabBar", /::setShape\s*\(/, "shape") -property_reader("QTabBar", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") -property_writer("QTabBar", /::setCurrentIndex\s*\(/, "currentIndex") -property_reader("QTabBar", /::(count|isCount|hasCount)\s*\(/, "count") -property_reader("QTabBar", /::(drawBase|isDrawBase|hasDrawBase)\s*\(/, "drawBase") -property_writer("QTabBar", /::setDrawBase\s*\(/, "drawBase") -property_reader("QTabBar", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QTabBar", /::setIconSize\s*\(/, "iconSize") -property_reader("QTabBar", /::(elideMode|isElideMode|hasElideMode)\s*\(/, "elideMode") -property_writer("QTabBar", /::setElideMode\s*\(/, "elideMode") -property_reader("QTabBar", /::(usesScrollButtons|isUsesScrollButtons|hasUsesScrollButtons)\s*\(/, "usesScrollButtons") -property_writer("QTabBar", /::setUsesScrollButtons\s*\(/, "usesScrollButtons") -property_reader("QTabBar", /::(tabsClosable|isTabsClosable|hasTabsClosable)\s*\(/, "tabsClosable") -property_writer("QTabBar", /::setTabsClosable\s*\(/, "tabsClosable") -property_reader("QTabBar", /::(selectionBehaviorOnRemove|isSelectionBehaviorOnRemove|hasSelectionBehaviorOnRemove)\s*\(/, "selectionBehaviorOnRemove") -property_writer("QTabBar", /::setSelectionBehaviorOnRemove\s*\(/, "selectionBehaviorOnRemove") -property_reader("QTabBar", /::(expanding|isExpanding|hasExpanding)\s*\(/, "expanding") -property_writer("QTabBar", /::setExpanding\s*\(/, "expanding") -property_reader("QTabBar", /::(movable|isMovable|hasMovable)\s*\(/, "movable") -property_writer("QTabBar", /::setMovable\s*\(/, "movable") -property_reader("QTabBar", /::(documentMode|isDocumentMode|hasDocumentMode)\s*\(/, "documentMode") -property_writer("QTabBar", /::setDocumentMode\s*\(/, "documentMode") -property_reader("QTabBar", /::(autoHide|isAutoHide|hasAutoHide)\s*\(/, "autoHide") -property_writer("QTabBar", /::setAutoHide\s*\(/, "autoHide") -property_reader("QTabBar", /::(changeCurrentOnDrag|isChangeCurrentOnDrag|hasChangeCurrentOnDrag)\s*\(/, "changeCurrentOnDrag") -property_writer("QTabBar", /::setChangeCurrentOnDrag\s*\(/, "changeCurrentOnDrag") -property_reader("QTabWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTabWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QTabWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QTabWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QTabWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QTabWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QTabWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QTabWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QTabWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QTabWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QTabWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QTabWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QTabWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QTabWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QTabWidget", /::setPos\s*\(/, "pos") -property_reader("QTabWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QTabWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QTabWidget", /::setSize\s*\(/, "size") -property_reader("QTabWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QTabWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QTabWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QTabWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QTabWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QTabWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QTabWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QTabWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QTabWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QTabWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QTabWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QTabWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QTabWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QTabWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QTabWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QTabWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QTabWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QTabWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QTabWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QTabWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QTabWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QTabWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QTabWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QTabWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QTabWidget", /::setPalette\s*\(/, "palette") -property_reader("QTabWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QTabWidget", /::setFont\s*\(/, "font") -property_reader("QTabWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QTabWidget", /::setCursor\s*\(/, "cursor") -property_reader("QTabWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QTabWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QTabWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QTabWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QTabWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QTabWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QTabWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QTabWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QTabWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QTabWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QTabWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QTabWidget", /::setVisible\s*\(/, "visible") -property_reader("QTabWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QTabWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QTabWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QTabWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QTabWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QTabWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QTabWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QTabWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QTabWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QTabWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QTabWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QTabWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QTabWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QTabWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QTabWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QTabWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QTabWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QTabWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QTabWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QTabWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QTabWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QTabWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QTabWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QTabWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QTabWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QTabWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QTabWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QTabWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QTabWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QTabWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QTabWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QTabWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QTabWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QTabWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QTabWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QTabWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QTabWidget", /::setLocale\s*\(/, "locale") -property_reader("QTabWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QTabWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QTabWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QTabWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QTabWidget", /::(tabPosition|isTabPosition|hasTabPosition)\s*\(/, "tabPosition") -property_writer("QTabWidget", /::setTabPosition\s*\(/, "tabPosition") -property_reader("QTabWidget", /::(tabShape|isTabShape|hasTabShape)\s*\(/, "tabShape") -property_writer("QTabWidget", /::setTabShape\s*\(/, "tabShape") -property_reader("QTabWidget", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") -property_writer("QTabWidget", /::setCurrentIndex\s*\(/, "currentIndex") -property_reader("QTabWidget", /::(count|isCount|hasCount)\s*\(/, "count") -property_reader("QTabWidget", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QTabWidget", /::setIconSize\s*\(/, "iconSize") -property_reader("QTabWidget", /::(elideMode|isElideMode|hasElideMode)\s*\(/, "elideMode") -property_writer("QTabWidget", /::setElideMode\s*\(/, "elideMode") -property_reader("QTabWidget", /::(usesScrollButtons|isUsesScrollButtons|hasUsesScrollButtons)\s*\(/, "usesScrollButtons") -property_writer("QTabWidget", /::setUsesScrollButtons\s*\(/, "usesScrollButtons") -property_reader("QTabWidget", /::(documentMode|isDocumentMode|hasDocumentMode)\s*\(/, "documentMode") -property_writer("QTabWidget", /::setDocumentMode\s*\(/, "documentMode") -property_reader("QTabWidget", /::(tabsClosable|isTabsClosable|hasTabsClosable)\s*\(/, "tabsClosable") -property_writer("QTabWidget", /::setTabsClosable\s*\(/, "tabsClosable") -property_reader("QTabWidget", /::(movable|isMovable|hasMovable)\s*\(/, "movable") -property_writer("QTabWidget", /::setMovable\s*\(/, "movable") -property_reader("QTabWidget", /::(tabBarAutoHide|isTabBarAutoHide|hasTabBarAutoHide)\s*\(/, "tabBarAutoHide") -property_writer("QTabWidget", /::setTabBarAutoHide\s*\(/, "tabBarAutoHide") -property_reader("QTableView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTableView", /::setObjectName\s*\(/, "objectName") -property_reader("QTableView", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QTableView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QTableView", /::setWindowModality\s*\(/, "windowModality") -property_reader("QTableView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QTableView", /::setEnabled\s*\(/, "enabled") -property_reader("QTableView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QTableView", /::setGeometry\s*\(/, "geometry") -property_reader("QTableView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QTableView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QTableView", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QTableView", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QTableView", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QTableView", /::setPos\s*\(/, "pos") -property_reader("QTableView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QTableView", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QTableView", /::setSize\s*\(/, "size") -property_reader("QTableView", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QTableView", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QTableView", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QTableView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QTableView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QTableView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QTableView", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QTableView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QTableView", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QTableView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QTableView", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QTableView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QTableView", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QTableView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QTableView", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QTableView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QTableView", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QTableView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QTableView", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QTableView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QTableView", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QTableView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QTableView", /::setBaseSize\s*\(/, "baseSize") -property_reader("QTableView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QTableView", /::setPalette\s*\(/, "palette") -property_reader("QTableView", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QTableView", /::setFont\s*\(/, "font") -property_reader("QTableView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QTableView", /::setCursor\s*\(/, "cursor") -property_reader("QTableView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QTableView", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QTableView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QTableView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QTableView", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QTableView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QTableView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QTableView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QTableView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QTableView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QTableView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QTableView", /::setVisible\s*\(/, "visible") -property_reader("QTableView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QTableView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QTableView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QTableView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QTableView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QTableView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QTableView", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QTableView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QTableView", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QTableView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QTableView", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QTableView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QTableView", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QTableView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QTableView", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QTableView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QTableView", /::setWindowModified\s*\(/, "windowModified") -property_reader("QTableView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QTableView", /::setToolTip\s*\(/, "toolTip") -property_reader("QTableView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QTableView", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QTableView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QTableView", /::setStatusTip\s*\(/, "statusTip") -property_reader("QTableView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QTableView", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QTableView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QTableView", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QTableView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QTableView", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QTableView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QTableView", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QTableView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QTableView", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QTableView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QTableView", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QTableView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QTableView", /::setLocale\s*\(/, "locale") -property_reader("QTableView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QTableView", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QTableView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QTableView", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QTableView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QTableView", /::setFrameShape\s*\(/, "frameShape") -property_reader("QTableView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QTableView", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QTableView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QTableView", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QTableView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QTableView", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QTableView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QTableView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QTableView", /::setFrameRect\s*\(/, "frameRect") -property_reader("QTableView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QTableView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QTableView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QTableView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QTableView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QTableView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QTableView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") -property_writer("QTableView", /::setAutoScroll\s*\(/, "autoScroll") -property_reader("QTableView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") -property_writer("QTableView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") -property_reader("QTableView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") -property_writer("QTableView", /::setEditTriggers\s*\(/, "editTriggers") -property_reader("QTableView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") -property_writer("QTableView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") -property_reader("QTableView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") -property_writer("QTableView", /::setShowDropIndicator\s*\(/, "showDropIndicator") -property_reader("QTableView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QTableView", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QTableView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") -property_writer("QTableView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") -property_reader("QTableView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") -property_writer("QTableView", /::setDragDropMode\s*\(/, "dragDropMode") -property_reader("QTableView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") -property_writer("QTableView", /::setDefaultDropAction\s*\(/, "defaultDropAction") -property_reader("QTableView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") -property_writer("QTableView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") -property_reader("QTableView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QTableView", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QTableView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") -property_writer("QTableView", /::setSelectionBehavior\s*\(/, "selectionBehavior") -property_reader("QTableView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QTableView", /::setIconSize\s*\(/, "iconSize") -property_reader("QTableView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") -property_writer("QTableView", /::setTextElideMode\s*\(/, "textElideMode") -property_reader("QTableView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") -property_writer("QTableView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") -property_reader("QTableView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") -property_writer("QTableView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") -property_reader("QTableView", /::(showGrid|isShowGrid|hasShowGrid)\s*\(/, "showGrid") -property_writer("QTableView", /::setShowGrid\s*\(/, "showGrid") -property_reader("QTableView", /::(gridStyle|isGridStyle|hasGridStyle)\s*\(/, "gridStyle") -property_writer("QTableView", /::setGridStyle\s*\(/, "gridStyle") -property_reader("QTableView", /::(sortingEnabled|isSortingEnabled|hasSortingEnabled)\s*\(/, "sortingEnabled") -property_writer("QTableView", /::setSortingEnabled\s*\(/, "sortingEnabled") -property_reader("QTableView", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") -property_writer("QTableView", /::setWordWrap\s*\(/, "wordWrap") -property_reader("QTableView", /::(cornerButtonEnabled|isCornerButtonEnabled|hasCornerButtonEnabled)\s*\(/, "cornerButtonEnabled") -property_writer("QTableView", /::setCornerButtonEnabled\s*\(/, "cornerButtonEnabled") -property_reader("QTableWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTableWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QTableWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QTableWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QTableWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QTableWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QTableWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QTableWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QTableWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QTableWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QTableWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QTableWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QTableWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QTableWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QTableWidget", /::setPos\s*\(/, "pos") -property_reader("QTableWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QTableWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QTableWidget", /::setSize\s*\(/, "size") -property_reader("QTableWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QTableWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QTableWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QTableWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QTableWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QTableWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QTableWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QTableWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QTableWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QTableWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QTableWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QTableWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QTableWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QTableWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QTableWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QTableWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QTableWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QTableWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QTableWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QTableWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QTableWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QTableWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QTableWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QTableWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QTableWidget", /::setPalette\s*\(/, "palette") -property_reader("QTableWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QTableWidget", /::setFont\s*\(/, "font") -property_reader("QTableWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QTableWidget", /::setCursor\s*\(/, "cursor") -property_reader("QTableWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QTableWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QTableWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QTableWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QTableWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QTableWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QTableWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QTableWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QTableWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QTableWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QTableWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QTableWidget", /::setVisible\s*\(/, "visible") -property_reader("QTableWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QTableWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QTableWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QTableWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QTableWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QTableWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QTableWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QTableWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QTableWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QTableWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QTableWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QTableWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QTableWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QTableWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QTableWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QTableWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QTableWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QTableWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QTableWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QTableWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QTableWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QTableWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QTableWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QTableWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QTableWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QTableWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QTableWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QTableWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QTableWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QTableWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QTableWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QTableWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QTableWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QTableWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QTableWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QTableWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QTableWidget", /::setLocale\s*\(/, "locale") -property_reader("QTableWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QTableWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QTableWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QTableWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QTableWidget", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QTableWidget", /::setFrameShape\s*\(/, "frameShape") -property_reader("QTableWidget", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QTableWidget", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QTableWidget", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QTableWidget", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QTableWidget", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QTableWidget", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QTableWidget", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QTableWidget", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QTableWidget", /::setFrameRect\s*\(/, "frameRect") -property_reader("QTableWidget", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QTableWidget", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QTableWidget", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QTableWidget", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QTableWidget", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QTableWidget", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QTableWidget", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") -property_writer("QTableWidget", /::setAutoScroll\s*\(/, "autoScroll") -property_reader("QTableWidget", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") -property_writer("QTableWidget", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") -property_reader("QTableWidget", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") -property_writer("QTableWidget", /::setEditTriggers\s*\(/, "editTriggers") -property_reader("QTableWidget", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") -property_writer("QTableWidget", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") -property_reader("QTableWidget", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") -property_writer("QTableWidget", /::setShowDropIndicator\s*\(/, "showDropIndicator") -property_reader("QTableWidget", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QTableWidget", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QTableWidget", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") -property_writer("QTableWidget", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") -property_reader("QTableWidget", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") -property_writer("QTableWidget", /::setDragDropMode\s*\(/, "dragDropMode") -property_reader("QTableWidget", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") -property_writer("QTableWidget", /::setDefaultDropAction\s*\(/, "defaultDropAction") -property_reader("QTableWidget", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") -property_writer("QTableWidget", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") -property_reader("QTableWidget", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QTableWidget", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QTableWidget", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") -property_writer("QTableWidget", /::setSelectionBehavior\s*\(/, "selectionBehavior") -property_reader("QTableWidget", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QTableWidget", /::setIconSize\s*\(/, "iconSize") -property_reader("QTableWidget", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") -property_writer("QTableWidget", /::setTextElideMode\s*\(/, "textElideMode") -property_reader("QTableWidget", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") -property_writer("QTableWidget", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") -property_reader("QTableWidget", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") -property_writer("QTableWidget", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") -property_reader("QTableWidget", /::(showGrid|isShowGrid|hasShowGrid)\s*\(/, "showGrid") -property_writer("QTableWidget", /::setShowGrid\s*\(/, "showGrid") -property_reader("QTableWidget", /::(gridStyle|isGridStyle|hasGridStyle)\s*\(/, "gridStyle") -property_writer("QTableWidget", /::setGridStyle\s*\(/, "gridStyle") -property_reader("QTableWidget", /::(sortingEnabled|isSortingEnabled|hasSortingEnabled)\s*\(/, "sortingEnabled") -property_writer("QTableWidget", /::setSortingEnabled\s*\(/, "sortingEnabled") -property_reader("QTableWidget", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") -property_writer("QTableWidget", /::setWordWrap\s*\(/, "wordWrap") -property_reader("QTableWidget", /::(cornerButtonEnabled|isCornerButtonEnabled|hasCornerButtonEnabled)\s*\(/, "cornerButtonEnabled") -property_writer("QTableWidget", /::setCornerButtonEnabled\s*\(/, "cornerButtonEnabled") -property_reader("QTableWidget", /::(rowCount|isRowCount|hasRowCount)\s*\(/, "rowCount") -property_writer("QTableWidget", /::setRowCount\s*\(/, "rowCount") -property_reader("QTableWidget", /::(columnCount|isColumnCount|hasColumnCount)\s*\(/, "columnCount") -property_writer("QTableWidget", /::setColumnCount\s*\(/, "columnCount") -property_reader("QTapAndHoldGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTapAndHoldGesture", /::setObjectName\s*\(/, "objectName") -property_reader("QTapAndHoldGesture", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QTapAndHoldGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") -property_reader("QTapAndHoldGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") -property_writer("QTapAndHoldGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") -property_reader("QTapAndHoldGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") -property_writer("QTapAndHoldGesture", /::setHotSpot\s*\(/, "hotSpot") -property_reader("QTapAndHoldGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") -property_reader("QTapAndHoldGesture", /::(position|isPosition|hasPosition)\s*\(/, "position") -property_writer("QTapAndHoldGesture", /::setPosition\s*\(/, "position") -property_reader("QTapGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTapGesture", /::setObjectName\s*\(/, "objectName") -property_reader("QTapGesture", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QTapGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") -property_reader("QTapGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") -property_writer("QTapGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") -property_reader("QTapGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") -property_writer("QTapGesture", /::setHotSpot\s*\(/, "hotSpot") -property_reader("QTapGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") -property_reader("QTapGesture", /::(position|isPosition|hasPosition)\s*\(/, "position") -property_writer("QTapGesture", /::setPosition\s*\(/, "position") -property_reader("QTcpServer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTcpServer", /::setObjectName\s*\(/, "objectName") -property_reader("QTcpSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTcpSocket", /::setObjectName\s*\(/, "objectName") -property_reader("QTemporaryFile", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTemporaryFile", /::setObjectName\s*\(/, "objectName") -property_reader("QTextBlockGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTextBlockGroup", /::setObjectName\s*\(/, "objectName") -property_reader("QTextBrowser", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTextBrowser", /::setObjectName\s*\(/, "objectName") -property_reader("QTextBrowser", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QTextBrowser", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QTextBrowser", /::setWindowModality\s*\(/, "windowModality") -property_reader("QTextBrowser", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QTextBrowser", /::setEnabled\s*\(/, "enabled") -property_reader("QTextBrowser", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QTextBrowser", /::setGeometry\s*\(/, "geometry") -property_reader("QTextBrowser", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QTextBrowser", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QTextBrowser", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QTextBrowser", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QTextBrowser", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QTextBrowser", /::setPos\s*\(/, "pos") -property_reader("QTextBrowser", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QTextBrowser", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QTextBrowser", /::setSize\s*\(/, "size") -property_reader("QTextBrowser", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QTextBrowser", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QTextBrowser", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QTextBrowser", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QTextBrowser", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QTextBrowser", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QTextBrowser", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QTextBrowser", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QTextBrowser", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QTextBrowser", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QTextBrowser", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QTextBrowser", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QTextBrowser", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QTextBrowser", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QTextBrowser", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QTextBrowser", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QTextBrowser", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QTextBrowser", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QTextBrowser", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QTextBrowser", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QTextBrowser", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QTextBrowser", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QTextBrowser", /::setBaseSize\s*\(/, "baseSize") -property_reader("QTextBrowser", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QTextBrowser", /::setPalette\s*\(/, "palette") -property_reader("QTextBrowser", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QTextBrowser", /::setFont\s*\(/, "font") -property_reader("QTextBrowser", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QTextBrowser", /::setCursor\s*\(/, "cursor") -property_reader("QTextBrowser", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QTextBrowser", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QTextBrowser", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QTextBrowser", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QTextBrowser", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QTextBrowser", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QTextBrowser", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QTextBrowser", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QTextBrowser", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QTextBrowser", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QTextBrowser", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QTextBrowser", /::setVisible\s*\(/, "visible") -property_reader("QTextBrowser", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QTextBrowser", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QTextBrowser", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QTextBrowser", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QTextBrowser", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QTextBrowser", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QTextBrowser", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QTextBrowser", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QTextBrowser", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QTextBrowser", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QTextBrowser", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QTextBrowser", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QTextBrowser", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QTextBrowser", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QTextBrowser", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QTextBrowser", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QTextBrowser", /::setWindowModified\s*\(/, "windowModified") -property_reader("QTextBrowser", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QTextBrowser", /::setToolTip\s*\(/, "toolTip") -property_reader("QTextBrowser", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QTextBrowser", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QTextBrowser", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QTextBrowser", /::setStatusTip\s*\(/, "statusTip") -property_reader("QTextBrowser", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QTextBrowser", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QTextBrowser", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QTextBrowser", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QTextBrowser", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QTextBrowser", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QTextBrowser", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QTextBrowser", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QTextBrowser", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QTextBrowser", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QTextBrowser", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QTextBrowser", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QTextBrowser", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QTextBrowser", /::setLocale\s*\(/, "locale") -property_reader("QTextBrowser", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QTextBrowser", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QTextBrowser", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QTextBrowser", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QTextBrowser", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QTextBrowser", /::setFrameShape\s*\(/, "frameShape") -property_reader("QTextBrowser", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QTextBrowser", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QTextBrowser", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QTextBrowser", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QTextBrowser", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QTextBrowser", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QTextBrowser", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QTextBrowser", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QTextBrowser", /::setFrameRect\s*\(/, "frameRect") -property_reader("QTextBrowser", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QTextBrowser", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QTextBrowser", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QTextBrowser", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QTextBrowser", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QTextBrowser", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QTextBrowser", /::(autoFormatting|isAutoFormatting|hasAutoFormatting)\s*\(/, "autoFormatting") -property_writer("QTextBrowser", /::setAutoFormatting\s*\(/, "autoFormatting") -property_reader("QTextBrowser", /::(tabChangesFocus|isTabChangesFocus|hasTabChangesFocus)\s*\(/, "tabChangesFocus") -property_writer("QTextBrowser", /::setTabChangesFocus\s*\(/, "tabChangesFocus") -property_reader("QTextBrowser", /::(documentTitle|isDocumentTitle|hasDocumentTitle)\s*\(/, "documentTitle") -property_writer("QTextBrowser", /::setDocumentTitle\s*\(/, "documentTitle") -property_reader("QTextBrowser", /::(undoRedoEnabled|isUndoRedoEnabled|hasUndoRedoEnabled)\s*\(/, "undoRedoEnabled") -property_writer("QTextBrowser", /::setUndoRedoEnabled\s*\(/, "undoRedoEnabled") -property_reader("QTextBrowser", /::(lineWrapMode|isLineWrapMode|hasLineWrapMode)\s*\(/, "lineWrapMode") -property_writer("QTextBrowser", /::setLineWrapMode\s*\(/, "lineWrapMode") -property_reader("QTextBrowser", /::(lineWrapColumnOrWidth|isLineWrapColumnOrWidth|hasLineWrapColumnOrWidth)\s*\(/, "lineWrapColumnOrWidth") -property_writer("QTextBrowser", /::setLineWrapColumnOrWidth\s*\(/, "lineWrapColumnOrWidth") -property_reader("QTextBrowser", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QTextBrowser", /::setReadOnly\s*\(/, "readOnly") -property_reader("QTextBrowser", /::(html|isHtml|hasHtml)\s*\(/, "html") -property_writer("QTextBrowser", /::setHtml\s*\(/, "html") -property_reader("QTextBrowser", /::(plainText|isPlainText|hasPlainText)\s*\(/, "plainText") -property_writer("QTextBrowser", /::setPlainText\s*\(/, "plainText") -property_reader("QTextBrowser", /::(overwriteMode|isOverwriteMode|hasOverwriteMode)\s*\(/, "overwriteMode") -property_writer("QTextBrowser", /::setOverwriteMode\s*\(/, "overwriteMode") -property_reader("QTextBrowser", /::(tabStopWidth|isTabStopWidth|hasTabStopWidth)\s*\(/, "tabStopWidth") -property_writer("QTextBrowser", /::setTabStopWidth\s*\(/, "tabStopWidth") -property_reader("QTextBrowser", /::(acceptRichText|isAcceptRichText|hasAcceptRichText)\s*\(/, "acceptRichText") -property_writer("QTextBrowser", /::setAcceptRichText\s*\(/, "acceptRichText") -property_reader("QTextBrowser", /::(cursorWidth|isCursorWidth|hasCursorWidth)\s*\(/, "cursorWidth") -property_writer("QTextBrowser", /::setCursorWidth\s*\(/, "cursorWidth") -property_reader("QTextBrowser", /::(textInteractionFlags|isTextInteractionFlags|hasTextInteractionFlags)\s*\(/, "textInteractionFlags") -property_writer("QTextBrowser", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") -property_reader("QTextBrowser", /::(document|isDocument|hasDocument)\s*\(/, "document") -property_writer("QTextBrowser", /::setDocument\s*\(/, "document") -property_reader("QTextBrowser", /::(placeholderText|isPlaceholderText|hasPlaceholderText)\s*\(/, "placeholderText") -property_writer("QTextBrowser", /::setPlaceholderText\s*\(/, "placeholderText") -property_reader("QTextBrowser", /::(source|isSource|hasSource)\s*\(/, "source") -property_writer("QTextBrowser", /::setSource\s*\(/, "source") -property_reader("QTextBrowser", /::(searchPaths|isSearchPaths|hasSearchPaths)\s*\(/, "searchPaths") -property_writer("QTextBrowser", /::setSearchPaths\s*\(/, "searchPaths") -property_reader("QTextBrowser", /::(openExternalLinks|isOpenExternalLinks|hasOpenExternalLinks)\s*\(/, "openExternalLinks") -property_writer("QTextBrowser", /::setOpenExternalLinks\s*\(/, "openExternalLinks") -property_reader("QTextBrowser", /::(openLinks|isOpenLinks|hasOpenLinks)\s*\(/, "openLinks") -property_writer("QTextBrowser", /::setOpenLinks\s*\(/, "openLinks") -property_reader("QTextDocument", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTextDocument", /::setObjectName\s*\(/, "objectName") -property_reader("QTextDocument", /::(undoRedoEnabled|isUndoRedoEnabled|hasUndoRedoEnabled)\s*\(/, "undoRedoEnabled") -property_writer("QTextDocument", /::setUndoRedoEnabled\s*\(/, "undoRedoEnabled") -property_reader("QTextDocument", /::(modified|isModified|hasModified)\s*\(/, "modified") -property_writer("QTextDocument", /::setModified\s*\(/, "modified") -property_reader("QTextDocument", /::(pageSize|isPageSize|hasPageSize)\s*\(/, "pageSize") -property_writer("QTextDocument", /::setPageSize\s*\(/, "pageSize") -property_reader("QTextDocument", /::(defaultFont|isDefaultFont|hasDefaultFont)\s*\(/, "defaultFont") -property_writer("QTextDocument", /::setDefaultFont\s*\(/, "defaultFont") -property_reader("QTextDocument", /::(useDesignMetrics|isUseDesignMetrics|hasUseDesignMetrics)\s*\(/, "useDesignMetrics") -property_writer("QTextDocument", /::setUseDesignMetrics\s*\(/, "useDesignMetrics") -property_reader("QTextDocument", /::(size|isSize|hasSize)\s*\(/, "size") -property_reader("QTextDocument", /::(textWidth|isTextWidth|hasTextWidth)\s*\(/, "textWidth") -property_writer("QTextDocument", /::setTextWidth\s*\(/, "textWidth") -property_reader("QTextDocument", /::(blockCount|isBlockCount|hasBlockCount)\s*\(/, "blockCount") -property_reader("QTextDocument", /::(indentWidth|isIndentWidth|hasIndentWidth)\s*\(/, "indentWidth") -property_writer("QTextDocument", /::setIndentWidth\s*\(/, "indentWidth") -property_reader("QTextDocument", /::(defaultStyleSheet|isDefaultStyleSheet|hasDefaultStyleSheet)\s*\(/, "defaultStyleSheet") -property_writer("QTextDocument", /::setDefaultStyleSheet\s*\(/, "defaultStyleSheet") -property_reader("QTextDocument", /::(maximumBlockCount|isMaximumBlockCount|hasMaximumBlockCount)\s*\(/, "maximumBlockCount") -property_writer("QTextDocument", /::setMaximumBlockCount\s*\(/, "maximumBlockCount") -property_reader("QTextDocument", /::(documentMargin|isDocumentMargin|hasDocumentMargin)\s*\(/, "documentMargin") -property_writer("QTextDocument", /::setDocumentMargin\s*\(/, "documentMargin") -property_reader("QTextDocument", /::(baseUrl|isBaseUrl|hasBaseUrl)\s*\(/, "baseUrl") -property_writer("QTextDocument", /::setBaseUrl\s*\(/, "baseUrl") -property_reader("QTextEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTextEdit", /::setObjectName\s*\(/, "objectName") -property_reader("QTextEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QTextEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QTextEdit", /::setWindowModality\s*\(/, "windowModality") -property_reader("QTextEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QTextEdit", /::setEnabled\s*\(/, "enabled") -property_reader("QTextEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QTextEdit", /::setGeometry\s*\(/, "geometry") -property_reader("QTextEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QTextEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QTextEdit", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QTextEdit", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QTextEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QTextEdit", /::setPos\s*\(/, "pos") -property_reader("QTextEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QTextEdit", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QTextEdit", /::setSize\s*\(/, "size") -property_reader("QTextEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QTextEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QTextEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QTextEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QTextEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QTextEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QTextEdit", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QTextEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QTextEdit", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QTextEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QTextEdit", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QTextEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QTextEdit", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QTextEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QTextEdit", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QTextEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QTextEdit", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QTextEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QTextEdit", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QTextEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QTextEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QTextEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QTextEdit", /::setBaseSize\s*\(/, "baseSize") -property_reader("QTextEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QTextEdit", /::setPalette\s*\(/, "palette") -property_reader("QTextEdit", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QTextEdit", /::setFont\s*\(/, "font") -property_reader("QTextEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QTextEdit", /::setCursor\s*\(/, "cursor") -property_reader("QTextEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QTextEdit", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QTextEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QTextEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QTextEdit", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QTextEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QTextEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QTextEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QTextEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QTextEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QTextEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QTextEdit", /::setVisible\s*\(/, "visible") -property_reader("QTextEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QTextEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QTextEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QTextEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QTextEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QTextEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QTextEdit", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QTextEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QTextEdit", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QTextEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QTextEdit", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QTextEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QTextEdit", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QTextEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QTextEdit", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QTextEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QTextEdit", /::setWindowModified\s*\(/, "windowModified") -property_reader("QTextEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QTextEdit", /::setToolTip\s*\(/, "toolTip") -property_reader("QTextEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QTextEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QTextEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QTextEdit", /::setStatusTip\s*\(/, "statusTip") -property_reader("QTextEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QTextEdit", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QTextEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QTextEdit", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QTextEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QTextEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QTextEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QTextEdit", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QTextEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QTextEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QTextEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QTextEdit", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QTextEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QTextEdit", /::setLocale\s*\(/, "locale") -property_reader("QTextEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QTextEdit", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QTextEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QTextEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QTextEdit", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QTextEdit", /::setFrameShape\s*\(/, "frameShape") -property_reader("QTextEdit", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QTextEdit", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QTextEdit", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QTextEdit", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QTextEdit", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QTextEdit", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QTextEdit", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QTextEdit", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QTextEdit", /::setFrameRect\s*\(/, "frameRect") -property_reader("QTextEdit", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QTextEdit", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QTextEdit", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QTextEdit", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QTextEdit", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QTextEdit", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QTextEdit", /::(autoFormatting|isAutoFormatting|hasAutoFormatting)\s*\(/, "autoFormatting") -property_writer("QTextEdit", /::setAutoFormatting\s*\(/, "autoFormatting") -property_reader("QTextEdit", /::(tabChangesFocus|isTabChangesFocus|hasTabChangesFocus)\s*\(/, "tabChangesFocus") -property_writer("QTextEdit", /::setTabChangesFocus\s*\(/, "tabChangesFocus") -property_reader("QTextEdit", /::(documentTitle|isDocumentTitle|hasDocumentTitle)\s*\(/, "documentTitle") -property_writer("QTextEdit", /::setDocumentTitle\s*\(/, "documentTitle") -property_reader("QTextEdit", /::(undoRedoEnabled|isUndoRedoEnabled|hasUndoRedoEnabled)\s*\(/, "undoRedoEnabled") -property_writer("QTextEdit", /::setUndoRedoEnabled\s*\(/, "undoRedoEnabled") -property_reader("QTextEdit", /::(lineWrapMode|isLineWrapMode|hasLineWrapMode)\s*\(/, "lineWrapMode") -property_writer("QTextEdit", /::setLineWrapMode\s*\(/, "lineWrapMode") -property_reader("QTextEdit", /::(lineWrapColumnOrWidth|isLineWrapColumnOrWidth|hasLineWrapColumnOrWidth)\s*\(/, "lineWrapColumnOrWidth") -property_writer("QTextEdit", /::setLineWrapColumnOrWidth\s*\(/, "lineWrapColumnOrWidth") -property_reader("QTextEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QTextEdit", /::setReadOnly\s*\(/, "readOnly") -property_reader("QTextEdit", /::(html|isHtml|hasHtml)\s*\(/, "html") -property_writer("QTextEdit", /::setHtml\s*\(/, "html") -property_reader("QTextEdit", /::(plainText|isPlainText|hasPlainText)\s*\(/, "plainText") -property_writer("QTextEdit", /::setPlainText\s*\(/, "plainText") -property_reader("QTextEdit", /::(overwriteMode|isOverwriteMode|hasOverwriteMode)\s*\(/, "overwriteMode") -property_writer("QTextEdit", /::setOverwriteMode\s*\(/, "overwriteMode") -property_reader("QTextEdit", /::(tabStopWidth|isTabStopWidth|hasTabStopWidth)\s*\(/, "tabStopWidth") -property_writer("QTextEdit", /::setTabStopWidth\s*\(/, "tabStopWidth") -property_reader("QTextEdit", /::(acceptRichText|isAcceptRichText|hasAcceptRichText)\s*\(/, "acceptRichText") -property_writer("QTextEdit", /::setAcceptRichText\s*\(/, "acceptRichText") -property_reader("QTextEdit", /::(cursorWidth|isCursorWidth|hasCursorWidth)\s*\(/, "cursorWidth") -property_writer("QTextEdit", /::setCursorWidth\s*\(/, "cursorWidth") -property_reader("QTextEdit", /::(textInteractionFlags|isTextInteractionFlags|hasTextInteractionFlags)\s*\(/, "textInteractionFlags") -property_writer("QTextEdit", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") -property_reader("QTextEdit", /::(document|isDocument|hasDocument)\s*\(/, "document") -property_writer("QTextEdit", /::setDocument\s*\(/, "document") -property_reader("QTextEdit", /::(placeholderText|isPlaceholderText|hasPlaceholderText)\s*\(/, "placeholderText") -property_writer("QTextEdit", /::setPlaceholderText\s*\(/, "placeholderText") -property_reader("QTextFrame", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTextFrame", /::setObjectName\s*\(/, "objectName") -property_reader("QTextList", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTextList", /::setObjectName\s*\(/, "objectName") -property_reader("QTextObject", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTextObject", /::setObjectName\s*\(/, "objectName") -property_reader("QTextTable", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTextTable", /::setObjectName\s*\(/, "objectName") -property_reader("QThread", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QThread", /::setObjectName\s*\(/, "objectName") -property_reader("QThreadPool", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QThreadPool", /::setObjectName\s*\(/, "objectName") -property_reader("QThreadPool", /::(expiryTimeout|isExpiryTimeout|hasExpiryTimeout)\s*\(/, "expiryTimeout") -property_writer("QThreadPool", /::setExpiryTimeout\s*\(/, "expiryTimeout") -property_reader("QThreadPool", /::(maxThreadCount|isMaxThreadCount|hasMaxThreadCount)\s*\(/, "maxThreadCount") -property_writer("QThreadPool", /::setMaxThreadCount\s*\(/, "maxThreadCount") -property_reader("QThreadPool", /::(activeThreadCount|isActiveThreadCount|hasActiveThreadCount)\s*\(/, "activeThreadCount") -property_reader("QTimeEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTimeEdit", /::setObjectName\s*\(/, "objectName") -property_reader("QTimeEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QTimeEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QTimeEdit", /::setWindowModality\s*\(/, "windowModality") -property_reader("QTimeEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QTimeEdit", /::setEnabled\s*\(/, "enabled") -property_reader("QTimeEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QTimeEdit", /::setGeometry\s*\(/, "geometry") -property_reader("QTimeEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QTimeEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QTimeEdit", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QTimeEdit", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QTimeEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QTimeEdit", /::setPos\s*\(/, "pos") -property_reader("QTimeEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QTimeEdit", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QTimeEdit", /::setSize\s*\(/, "size") -property_reader("QTimeEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QTimeEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QTimeEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QTimeEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QTimeEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QTimeEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QTimeEdit", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QTimeEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QTimeEdit", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QTimeEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QTimeEdit", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QTimeEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QTimeEdit", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QTimeEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QTimeEdit", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QTimeEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QTimeEdit", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QTimeEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QTimeEdit", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QTimeEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QTimeEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QTimeEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QTimeEdit", /::setBaseSize\s*\(/, "baseSize") -property_reader("QTimeEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QTimeEdit", /::setPalette\s*\(/, "palette") -property_reader("QTimeEdit", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QTimeEdit", /::setFont\s*\(/, "font") -property_reader("QTimeEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QTimeEdit", /::setCursor\s*\(/, "cursor") -property_reader("QTimeEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QTimeEdit", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QTimeEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QTimeEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QTimeEdit", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QTimeEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QTimeEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QTimeEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QTimeEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QTimeEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QTimeEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QTimeEdit", /::setVisible\s*\(/, "visible") -property_reader("QTimeEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QTimeEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QTimeEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QTimeEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QTimeEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QTimeEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QTimeEdit", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QTimeEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QTimeEdit", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QTimeEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QTimeEdit", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QTimeEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QTimeEdit", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QTimeEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QTimeEdit", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QTimeEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QTimeEdit", /::setWindowModified\s*\(/, "windowModified") -property_reader("QTimeEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QTimeEdit", /::setToolTip\s*\(/, "toolTip") -property_reader("QTimeEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QTimeEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QTimeEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QTimeEdit", /::setStatusTip\s*\(/, "statusTip") -property_reader("QTimeEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QTimeEdit", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QTimeEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QTimeEdit", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QTimeEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QTimeEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QTimeEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QTimeEdit", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QTimeEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QTimeEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QTimeEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QTimeEdit", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QTimeEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QTimeEdit", /::setLocale\s*\(/, "locale") -property_reader("QTimeEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QTimeEdit", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QTimeEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QTimeEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QTimeEdit", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") -property_writer("QTimeEdit", /::setWrapping\s*\(/, "wrapping") -property_reader("QTimeEdit", /::(frame|isFrame|hasFrame)\s*\(/, "frame") -property_writer("QTimeEdit", /::setFrame\s*\(/, "frame") -property_reader("QTimeEdit", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QTimeEdit", /::setAlignment\s*\(/, "alignment") -property_reader("QTimeEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QTimeEdit", /::setReadOnly\s*\(/, "readOnly") -property_reader("QTimeEdit", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") -property_writer("QTimeEdit", /::setButtonSymbols\s*\(/, "buttonSymbols") -property_reader("QTimeEdit", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") -property_writer("QTimeEdit", /::setSpecialValueText\s*\(/, "specialValueText") -property_reader("QTimeEdit", /::(text|isText|hasText)\s*\(/, "text") -property_reader("QTimeEdit", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") -property_writer("QTimeEdit", /::setAccelerated\s*\(/, "accelerated") -property_reader("QTimeEdit", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") -property_writer("QTimeEdit", /::setCorrectionMode\s*\(/, "correctionMode") -property_reader("QTimeEdit", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") -property_reader("QTimeEdit", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") -property_writer("QTimeEdit", /::setKeyboardTracking\s*\(/, "keyboardTracking") -property_reader("QTimeEdit", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") -property_writer("QTimeEdit", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") -property_reader("QTimeEdit", /::(dateTime|isDateTime|hasDateTime)\s*\(/, "dateTime") -property_writer("QTimeEdit", /::setDateTime\s*\(/, "dateTime") -property_reader("QTimeEdit", /::(date|isDate|hasDate)\s*\(/, "date") -property_writer("QTimeEdit", /::setDate\s*\(/, "date") -property_reader("QTimeEdit", /::(time|isTime|hasTime)\s*\(/, "time") -property_writer("QTimeEdit", /::setTime\s*\(/, "time") -property_reader("QTimeEdit", /::(maximumDateTime|isMaximumDateTime|hasMaximumDateTime)\s*\(/, "maximumDateTime") -property_writer("QTimeEdit", /::setMaximumDateTime\s*\(/, "maximumDateTime") -property_reader("QTimeEdit", /::(minimumDateTime|isMinimumDateTime|hasMinimumDateTime)\s*\(/, "minimumDateTime") -property_writer("QTimeEdit", /::setMinimumDateTime\s*\(/, "minimumDateTime") -property_reader("QTimeEdit", /::(maximumDate|isMaximumDate|hasMaximumDate)\s*\(/, "maximumDate") -property_writer("QTimeEdit", /::setMaximumDate\s*\(/, "maximumDate") -property_reader("QTimeEdit", /::(minimumDate|isMinimumDate|hasMinimumDate)\s*\(/, "minimumDate") -property_writer("QTimeEdit", /::setMinimumDate\s*\(/, "minimumDate") -property_reader("QTimeEdit", /::(maximumTime|isMaximumTime|hasMaximumTime)\s*\(/, "maximumTime") -property_writer("QTimeEdit", /::setMaximumTime\s*\(/, "maximumTime") -property_reader("QTimeEdit", /::(minimumTime|isMinimumTime|hasMinimumTime)\s*\(/, "minimumTime") -property_writer("QTimeEdit", /::setMinimumTime\s*\(/, "minimumTime") -property_reader("QTimeEdit", /::(currentSection|isCurrentSection|hasCurrentSection)\s*\(/, "currentSection") -property_writer("QTimeEdit", /::setCurrentSection\s*\(/, "currentSection") -property_reader("QTimeEdit", /::(displayedSections|isDisplayedSections|hasDisplayedSections)\s*\(/, "displayedSections") -property_reader("QTimeEdit", /::(displayFormat|isDisplayFormat|hasDisplayFormat)\s*\(/, "displayFormat") -property_writer("QTimeEdit", /::setDisplayFormat\s*\(/, "displayFormat") -property_reader("QTimeEdit", /::(calendarPopup|isCalendarPopup|hasCalendarPopup)\s*\(/, "calendarPopup") -property_writer("QTimeEdit", /::setCalendarPopup\s*\(/, "calendarPopup") -property_reader("QTimeEdit", /::(currentSectionIndex|isCurrentSectionIndex|hasCurrentSectionIndex)\s*\(/, "currentSectionIndex") -property_writer("QTimeEdit", /::setCurrentSectionIndex\s*\(/, "currentSectionIndex") -property_reader("QTimeEdit", /::(sectionCount|isSectionCount|hasSectionCount)\s*\(/, "sectionCount") -property_reader("QTimeEdit", /::(timeSpec|isTimeSpec|hasTimeSpec)\s*\(/, "timeSpec") -property_writer("QTimeEdit", /::setTimeSpec\s*\(/, "timeSpec") -property_reader("QTimeEdit", /::(time|isTime|hasTime)\s*\(/, "time") -property_writer("QTimeEdit", /::setTime\s*\(/, "time") -property_reader("QTimeLine", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTimeLine", /::setObjectName\s*\(/, "objectName") -property_reader("QTimeLine", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_writer("QTimeLine", /::setDuration\s*\(/, "duration") -property_reader("QTimeLine", /::(updateInterval|isUpdateInterval|hasUpdateInterval)\s*\(/, "updateInterval") -property_writer("QTimeLine", /::setUpdateInterval\s*\(/, "updateInterval") -property_reader("QTimeLine", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") -property_writer("QTimeLine", /::setCurrentTime\s*\(/, "currentTime") -property_reader("QTimeLine", /::(direction|isDirection|hasDirection)\s*\(/, "direction") -property_writer("QTimeLine", /::setDirection\s*\(/, "direction") -property_reader("QTimeLine", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") -property_writer("QTimeLine", /::setLoopCount\s*\(/, "loopCount") -property_reader("QTimeLine", /::(curveShape|isCurveShape|hasCurveShape)\s*\(/, "curveShape") -property_writer("QTimeLine", /::setCurveShape\s*\(/, "curveShape") -property_reader("QTimeLine", /::(easingCurve|isEasingCurve|hasEasingCurve)\s*\(/, "easingCurve") -property_writer("QTimeLine", /::setEasingCurve\s*\(/, "easingCurve") -property_reader("QTimer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTimer", /::setObjectName\s*\(/, "objectName") -property_reader("QTimer", /::(singleShot|isSingleShot|hasSingleShot)\s*\(/, "singleShot") -property_writer("QTimer", /::setSingleShot\s*\(/, "singleShot") -property_reader("QTimer", /::(interval|isInterval|hasInterval)\s*\(/, "interval") -property_writer("QTimer", /::setInterval\s*\(/, "interval") -property_reader("QTimer", /::(remainingTime|isRemainingTime|hasRemainingTime)\s*\(/, "remainingTime") -property_reader("QTimer", /::(timerType|isTimerType|hasTimerType)\s*\(/, "timerType") -property_writer("QTimer", /::setTimerType\s*\(/, "timerType") -property_reader("QTimer", /::(active|isActive|hasActive)\s*\(/, "active") -property_reader("QToolBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QToolBar", /::setObjectName\s*\(/, "objectName") -property_reader("QToolBar", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QToolBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QToolBar", /::setWindowModality\s*\(/, "windowModality") -property_reader("QToolBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QToolBar", /::setEnabled\s*\(/, "enabled") -property_reader("QToolBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QToolBar", /::setGeometry\s*\(/, "geometry") -property_reader("QToolBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QToolBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QToolBar", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QToolBar", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QToolBar", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QToolBar", /::setPos\s*\(/, "pos") -property_reader("QToolBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QToolBar", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QToolBar", /::setSize\s*\(/, "size") -property_reader("QToolBar", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QToolBar", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QToolBar", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QToolBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QToolBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QToolBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QToolBar", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QToolBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QToolBar", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QToolBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QToolBar", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QToolBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QToolBar", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QToolBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QToolBar", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QToolBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QToolBar", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QToolBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QToolBar", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QToolBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QToolBar", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QToolBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QToolBar", /::setBaseSize\s*\(/, "baseSize") -property_reader("QToolBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QToolBar", /::setPalette\s*\(/, "palette") -property_reader("QToolBar", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QToolBar", /::setFont\s*\(/, "font") -property_reader("QToolBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QToolBar", /::setCursor\s*\(/, "cursor") -property_reader("QToolBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QToolBar", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QToolBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QToolBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QToolBar", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QToolBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QToolBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QToolBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QToolBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QToolBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QToolBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QToolBar", /::setVisible\s*\(/, "visible") -property_reader("QToolBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QToolBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QToolBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QToolBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QToolBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QToolBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QToolBar", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QToolBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QToolBar", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QToolBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QToolBar", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QToolBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QToolBar", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QToolBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QToolBar", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QToolBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QToolBar", /::setWindowModified\s*\(/, "windowModified") -property_reader("QToolBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QToolBar", /::setToolTip\s*\(/, "toolTip") -property_reader("QToolBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QToolBar", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QToolBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QToolBar", /::setStatusTip\s*\(/, "statusTip") -property_reader("QToolBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QToolBar", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QToolBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QToolBar", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QToolBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QToolBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QToolBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QToolBar", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QToolBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QToolBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QToolBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QToolBar", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QToolBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QToolBar", /::setLocale\s*\(/, "locale") -property_reader("QToolBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QToolBar", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QToolBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QToolBar", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QToolBar", /::(movable|isMovable|hasMovable)\s*\(/, "movable") -property_writer("QToolBar", /::setMovable\s*\(/, "movable") -property_reader("QToolBar", /::(allowedAreas|isAllowedAreas|hasAllowedAreas)\s*\(/, "allowedAreas") -property_writer("QToolBar", /::setAllowedAreas\s*\(/, "allowedAreas") -property_reader("QToolBar", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") -property_writer("QToolBar", /::setOrientation\s*\(/, "orientation") -property_reader("QToolBar", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QToolBar", /::setIconSize\s*\(/, "iconSize") -property_reader("QToolBar", /::(toolButtonStyle|isToolButtonStyle|hasToolButtonStyle)\s*\(/, "toolButtonStyle") -property_writer("QToolBar", /::setToolButtonStyle\s*\(/, "toolButtonStyle") -property_reader("QToolBar", /::(floating|isFloating|hasFloating)\s*\(/, "floating") -property_reader("QToolBar", /::(floatable|isFloatable|hasFloatable)\s*\(/, "floatable") -property_writer("QToolBar", /::setFloatable\s*\(/, "floatable") -property_reader("QToolBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QToolBox", /::setObjectName\s*\(/, "objectName") -property_reader("QToolBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QToolBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QToolBox", /::setWindowModality\s*\(/, "windowModality") -property_reader("QToolBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QToolBox", /::setEnabled\s*\(/, "enabled") -property_reader("QToolBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QToolBox", /::setGeometry\s*\(/, "geometry") -property_reader("QToolBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QToolBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QToolBox", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QToolBox", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QToolBox", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QToolBox", /::setPos\s*\(/, "pos") -property_reader("QToolBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QToolBox", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QToolBox", /::setSize\s*\(/, "size") -property_reader("QToolBox", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QToolBox", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QToolBox", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QToolBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QToolBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QToolBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QToolBox", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QToolBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QToolBox", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QToolBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QToolBox", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QToolBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QToolBox", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QToolBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QToolBox", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QToolBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QToolBox", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QToolBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QToolBox", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QToolBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QToolBox", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QToolBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QToolBox", /::setBaseSize\s*\(/, "baseSize") -property_reader("QToolBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QToolBox", /::setPalette\s*\(/, "palette") -property_reader("QToolBox", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QToolBox", /::setFont\s*\(/, "font") -property_reader("QToolBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QToolBox", /::setCursor\s*\(/, "cursor") -property_reader("QToolBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QToolBox", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QToolBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QToolBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QToolBox", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QToolBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QToolBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QToolBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QToolBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QToolBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QToolBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QToolBox", /::setVisible\s*\(/, "visible") -property_reader("QToolBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QToolBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QToolBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QToolBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QToolBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QToolBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QToolBox", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QToolBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QToolBox", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QToolBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QToolBox", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QToolBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QToolBox", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QToolBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QToolBox", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QToolBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QToolBox", /::setWindowModified\s*\(/, "windowModified") -property_reader("QToolBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QToolBox", /::setToolTip\s*\(/, "toolTip") -property_reader("QToolBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QToolBox", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QToolBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QToolBox", /::setStatusTip\s*\(/, "statusTip") -property_reader("QToolBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QToolBox", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QToolBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QToolBox", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QToolBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QToolBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QToolBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QToolBox", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QToolBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QToolBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QToolBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QToolBox", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QToolBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QToolBox", /::setLocale\s*\(/, "locale") -property_reader("QToolBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QToolBox", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QToolBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QToolBox", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QToolBox", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QToolBox", /::setFrameShape\s*\(/, "frameShape") -property_reader("QToolBox", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QToolBox", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QToolBox", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QToolBox", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QToolBox", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QToolBox", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QToolBox", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QToolBox", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QToolBox", /::setFrameRect\s*\(/, "frameRect") -property_reader("QToolBox", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") -property_writer("QToolBox", /::setCurrentIndex\s*\(/, "currentIndex") -property_reader("QToolBox", /::(count|isCount|hasCount)\s*\(/, "count") -property_reader("QToolButton", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QToolButton", /::setObjectName\s*\(/, "objectName") -property_reader("QToolButton", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QToolButton", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QToolButton", /::setWindowModality\s*\(/, "windowModality") -property_reader("QToolButton", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QToolButton", /::setEnabled\s*\(/, "enabled") -property_reader("QToolButton", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QToolButton", /::setGeometry\s*\(/, "geometry") -property_reader("QToolButton", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QToolButton", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QToolButton", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QToolButton", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QToolButton", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QToolButton", /::setPos\s*\(/, "pos") -property_reader("QToolButton", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QToolButton", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QToolButton", /::setSize\s*\(/, "size") -property_reader("QToolButton", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QToolButton", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QToolButton", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QToolButton", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QToolButton", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QToolButton", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QToolButton", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QToolButton", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QToolButton", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QToolButton", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QToolButton", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QToolButton", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QToolButton", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QToolButton", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QToolButton", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QToolButton", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QToolButton", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QToolButton", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QToolButton", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QToolButton", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QToolButton", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QToolButton", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QToolButton", /::setBaseSize\s*\(/, "baseSize") -property_reader("QToolButton", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QToolButton", /::setPalette\s*\(/, "palette") -property_reader("QToolButton", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QToolButton", /::setFont\s*\(/, "font") -property_reader("QToolButton", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QToolButton", /::setCursor\s*\(/, "cursor") -property_reader("QToolButton", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QToolButton", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QToolButton", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QToolButton", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QToolButton", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QToolButton", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QToolButton", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QToolButton", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QToolButton", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QToolButton", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QToolButton", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QToolButton", /::setVisible\s*\(/, "visible") -property_reader("QToolButton", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QToolButton", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QToolButton", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QToolButton", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QToolButton", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QToolButton", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QToolButton", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QToolButton", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QToolButton", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QToolButton", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QToolButton", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QToolButton", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QToolButton", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QToolButton", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QToolButton", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QToolButton", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QToolButton", /::setWindowModified\s*\(/, "windowModified") -property_reader("QToolButton", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QToolButton", /::setToolTip\s*\(/, "toolTip") -property_reader("QToolButton", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QToolButton", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QToolButton", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QToolButton", /::setStatusTip\s*\(/, "statusTip") -property_reader("QToolButton", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QToolButton", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QToolButton", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QToolButton", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QToolButton", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QToolButton", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QToolButton", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QToolButton", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QToolButton", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QToolButton", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QToolButton", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QToolButton", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QToolButton", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QToolButton", /::setLocale\s*\(/, "locale") -property_reader("QToolButton", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QToolButton", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QToolButton", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QToolButton", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QToolButton", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QToolButton", /::setText\s*\(/, "text") -property_reader("QToolButton", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QToolButton", /::setIcon\s*\(/, "icon") -property_reader("QToolButton", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QToolButton", /::setIconSize\s*\(/, "iconSize") -property_reader("QToolButton", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") -property_writer("QToolButton", /::setShortcut\s*\(/, "shortcut") -property_reader("QToolButton", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") -property_writer("QToolButton", /::setCheckable\s*\(/, "checkable") -property_reader("QToolButton", /::(checked|isChecked|hasChecked)\s*\(/, "checked") -property_writer("QToolButton", /::setChecked\s*\(/, "checked") -property_reader("QToolButton", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") -property_writer("QToolButton", /::setAutoRepeat\s*\(/, "autoRepeat") -property_reader("QToolButton", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") -property_writer("QToolButton", /::setAutoExclusive\s*\(/, "autoExclusive") -property_reader("QToolButton", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") -property_writer("QToolButton", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") -property_reader("QToolButton", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") -property_writer("QToolButton", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") -property_reader("QToolButton", /::(down|isDown|hasDown)\s*\(/, "down") -property_writer("QToolButton", /::setDown\s*\(/, "down") -property_reader("QToolButton", /::(popupMode|isPopupMode|hasPopupMode)\s*\(/, "popupMode") -property_writer("QToolButton", /::setPopupMode\s*\(/, "popupMode") -property_reader("QToolButton", /::(toolButtonStyle|isToolButtonStyle|hasToolButtonStyle)\s*\(/, "toolButtonStyle") -property_writer("QToolButton", /::setToolButtonStyle\s*\(/, "toolButtonStyle") -property_reader("QToolButton", /::(autoRaise|isAutoRaise|hasAutoRaise)\s*\(/, "autoRaise") -property_writer("QToolButton", /::setAutoRaise\s*\(/, "autoRaise") -property_reader("QToolButton", /::(arrowType|isArrowType|hasArrowType)\s*\(/, "arrowType") -property_writer("QToolButton", /::setArrowType\s*\(/, "arrowType") -property_reader("QTranslator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTranslator", /::setObjectName\s*\(/, "objectName") -property_reader("QTreeView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTreeView", /::setObjectName\s*\(/, "objectName") -property_reader("QTreeView", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QTreeView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QTreeView", /::setWindowModality\s*\(/, "windowModality") -property_reader("QTreeView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QTreeView", /::setEnabled\s*\(/, "enabled") -property_reader("QTreeView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QTreeView", /::setGeometry\s*\(/, "geometry") -property_reader("QTreeView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QTreeView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QTreeView", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QTreeView", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QTreeView", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QTreeView", /::setPos\s*\(/, "pos") -property_reader("QTreeView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QTreeView", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QTreeView", /::setSize\s*\(/, "size") -property_reader("QTreeView", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QTreeView", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QTreeView", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QTreeView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QTreeView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QTreeView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QTreeView", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QTreeView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QTreeView", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QTreeView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QTreeView", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QTreeView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QTreeView", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QTreeView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QTreeView", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QTreeView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QTreeView", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QTreeView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QTreeView", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QTreeView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QTreeView", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QTreeView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QTreeView", /::setBaseSize\s*\(/, "baseSize") -property_reader("QTreeView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QTreeView", /::setPalette\s*\(/, "palette") -property_reader("QTreeView", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QTreeView", /::setFont\s*\(/, "font") -property_reader("QTreeView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QTreeView", /::setCursor\s*\(/, "cursor") -property_reader("QTreeView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QTreeView", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QTreeView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QTreeView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QTreeView", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QTreeView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QTreeView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QTreeView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QTreeView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QTreeView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QTreeView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QTreeView", /::setVisible\s*\(/, "visible") -property_reader("QTreeView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QTreeView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QTreeView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QTreeView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QTreeView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QTreeView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QTreeView", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QTreeView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QTreeView", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QTreeView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QTreeView", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QTreeView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QTreeView", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QTreeView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QTreeView", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QTreeView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QTreeView", /::setWindowModified\s*\(/, "windowModified") -property_reader("QTreeView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QTreeView", /::setToolTip\s*\(/, "toolTip") -property_reader("QTreeView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QTreeView", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QTreeView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QTreeView", /::setStatusTip\s*\(/, "statusTip") -property_reader("QTreeView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QTreeView", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QTreeView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QTreeView", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QTreeView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QTreeView", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QTreeView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QTreeView", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QTreeView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QTreeView", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QTreeView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QTreeView", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QTreeView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QTreeView", /::setLocale\s*\(/, "locale") -property_reader("QTreeView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QTreeView", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QTreeView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QTreeView", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QTreeView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QTreeView", /::setFrameShape\s*\(/, "frameShape") -property_reader("QTreeView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QTreeView", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QTreeView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QTreeView", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QTreeView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QTreeView", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QTreeView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QTreeView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QTreeView", /::setFrameRect\s*\(/, "frameRect") -property_reader("QTreeView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QTreeView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QTreeView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QTreeView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QTreeView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QTreeView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QTreeView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") -property_writer("QTreeView", /::setAutoScroll\s*\(/, "autoScroll") -property_reader("QTreeView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") -property_writer("QTreeView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") -property_reader("QTreeView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") -property_writer("QTreeView", /::setEditTriggers\s*\(/, "editTriggers") -property_reader("QTreeView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") -property_writer("QTreeView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") -property_reader("QTreeView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") -property_writer("QTreeView", /::setShowDropIndicator\s*\(/, "showDropIndicator") -property_reader("QTreeView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QTreeView", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QTreeView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") -property_writer("QTreeView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") -property_reader("QTreeView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") -property_writer("QTreeView", /::setDragDropMode\s*\(/, "dragDropMode") -property_reader("QTreeView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") -property_writer("QTreeView", /::setDefaultDropAction\s*\(/, "defaultDropAction") -property_reader("QTreeView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") -property_writer("QTreeView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") -property_reader("QTreeView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QTreeView", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QTreeView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") -property_writer("QTreeView", /::setSelectionBehavior\s*\(/, "selectionBehavior") -property_reader("QTreeView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QTreeView", /::setIconSize\s*\(/, "iconSize") -property_reader("QTreeView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") -property_writer("QTreeView", /::setTextElideMode\s*\(/, "textElideMode") -property_reader("QTreeView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") -property_writer("QTreeView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") -property_reader("QTreeView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") -property_writer("QTreeView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") -property_reader("QTreeView", /::(autoExpandDelay|isAutoExpandDelay|hasAutoExpandDelay)\s*\(/, "autoExpandDelay") -property_writer("QTreeView", /::setAutoExpandDelay\s*\(/, "autoExpandDelay") -property_reader("QTreeView", /::(indentation|isIndentation|hasIndentation)\s*\(/, "indentation") -property_writer("QTreeView", /::setIndentation\s*\(/, "indentation") -property_reader("QTreeView", /::(rootIsDecorated|isRootIsDecorated|hasRootIsDecorated)\s*\(/, "rootIsDecorated") -property_writer("QTreeView", /::setRootIsDecorated\s*\(/, "rootIsDecorated") -property_reader("QTreeView", /::(uniformRowHeights|isUniformRowHeights|hasUniformRowHeights)\s*\(/, "uniformRowHeights") -property_writer("QTreeView", /::setUniformRowHeights\s*\(/, "uniformRowHeights") -property_reader("QTreeView", /::(itemsExpandable|isItemsExpandable|hasItemsExpandable)\s*\(/, "itemsExpandable") -property_writer("QTreeView", /::setItemsExpandable\s*\(/, "itemsExpandable") -property_reader("QTreeView", /::(sortingEnabled|isSortingEnabled|hasSortingEnabled)\s*\(/, "sortingEnabled") -property_writer("QTreeView", /::setSortingEnabled\s*\(/, "sortingEnabled") -property_reader("QTreeView", /::(animated|isAnimated|hasAnimated)\s*\(/, "animated") -property_writer("QTreeView", /::setAnimated\s*\(/, "animated") -property_reader("QTreeView", /::(allColumnsShowFocus|isAllColumnsShowFocus|hasAllColumnsShowFocus)\s*\(/, "allColumnsShowFocus") -property_writer("QTreeView", /::setAllColumnsShowFocus\s*\(/, "allColumnsShowFocus") -property_reader("QTreeView", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") -property_writer("QTreeView", /::setWordWrap\s*\(/, "wordWrap") -property_reader("QTreeView", /::(headerHidden|isHeaderHidden|hasHeaderHidden)\s*\(/, "headerHidden") -property_writer("QTreeView", /::setHeaderHidden\s*\(/, "headerHidden") -property_reader("QTreeView", /::(expandsOnDoubleClick|isExpandsOnDoubleClick|hasExpandsOnDoubleClick)\s*\(/, "expandsOnDoubleClick") -property_writer("QTreeView", /::setExpandsOnDoubleClick\s*\(/, "expandsOnDoubleClick") -property_reader("QTreeWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTreeWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QTreeWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QTreeWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QTreeWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QTreeWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QTreeWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QTreeWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QTreeWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QTreeWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QTreeWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QTreeWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QTreeWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QTreeWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QTreeWidget", /::setPos\s*\(/, "pos") -property_reader("QTreeWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QTreeWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QTreeWidget", /::setSize\s*\(/, "size") -property_reader("QTreeWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QTreeWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QTreeWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QTreeWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QTreeWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QTreeWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QTreeWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QTreeWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QTreeWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QTreeWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QTreeWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QTreeWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QTreeWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QTreeWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QTreeWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QTreeWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QTreeWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QTreeWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QTreeWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QTreeWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QTreeWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QTreeWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QTreeWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QTreeWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QTreeWidget", /::setPalette\s*\(/, "palette") -property_reader("QTreeWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QTreeWidget", /::setFont\s*\(/, "font") -property_reader("QTreeWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QTreeWidget", /::setCursor\s*\(/, "cursor") -property_reader("QTreeWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QTreeWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QTreeWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QTreeWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QTreeWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QTreeWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QTreeWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QTreeWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QTreeWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QTreeWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QTreeWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QTreeWidget", /::setVisible\s*\(/, "visible") -property_reader("QTreeWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QTreeWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QTreeWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QTreeWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QTreeWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QTreeWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QTreeWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QTreeWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QTreeWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QTreeWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QTreeWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QTreeWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QTreeWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QTreeWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QTreeWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QTreeWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QTreeWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QTreeWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QTreeWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QTreeWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QTreeWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QTreeWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QTreeWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QTreeWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QTreeWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QTreeWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QTreeWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QTreeWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QTreeWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QTreeWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QTreeWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QTreeWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QTreeWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QTreeWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QTreeWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QTreeWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QTreeWidget", /::setLocale\s*\(/, "locale") -property_reader("QTreeWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QTreeWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QTreeWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QTreeWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QTreeWidget", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QTreeWidget", /::setFrameShape\s*\(/, "frameShape") -property_reader("QTreeWidget", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QTreeWidget", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QTreeWidget", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QTreeWidget", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QTreeWidget", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QTreeWidget", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QTreeWidget", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QTreeWidget", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QTreeWidget", /::setFrameRect\s*\(/, "frameRect") -property_reader("QTreeWidget", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QTreeWidget", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QTreeWidget", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QTreeWidget", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QTreeWidget", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QTreeWidget", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QTreeWidget", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") -property_writer("QTreeWidget", /::setAutoScroll\s*\(/, "autoScroll") -property_reader("QTreeWidget", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") -property_writer("QTreeWidget", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") -property_reader("QTreeWidget", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") -property_writer("QTreeWidget", /::setEditTriggers\s*\(/, "editTriggers") -property_reader("QTreeWidget", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") -property_writer("QTreeWidget", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") -property_reader("QTreeWidget", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") -property_writer("QTreeWidget", /::setShowDropIndicator\s*\(/, "showDropIndicator") -property_reader("QTreeWidget", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QTreeWidget", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QTreeWidget", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") -property_writer("QTreeWidget", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") -property_reader("QTreeWidget", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") -property_writer("QTreeWidget", /::setDragDropMode\s*\(/, "dragDropMode") -property_reader("QTreeWidget", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") -property_writer("QTreeWidget", /::setDefaultDropAction\s*\(/, "defaultDropAction") -property_reader("QTreeWidget", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") -property_writer("QTreeWidget", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") -property_reader("QTreeWidget", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QTreeWidget", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QTreeWidget", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") -property_writer("QTreeWidget", /::setSelectionBehavior\s*\(/, "selectionBehavior") -property_reader("QTreeWidget", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QTreeWidget", /::setIconSize\s*\(/, "iconSize") -property_reader("QTreeWidget", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") -property_writer("QTreeWidget", /::setTextElideMode\s*\(/, "textElideMode") -property_reader("QTreeWidget", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") -property_writer("QTreeWidget", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") -property_reader("QTreeWidget", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") -property_writer("QTreeWidget", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") -property_reader("QTreeWidget", /::(autoExpandDelay|isAutoExpandDelay|hasAutoExpandDelay)\s*\(/, "autoExpandDelay") -property_writer("QTreeWidget", /::setAutoExpandDelay\s*\(/, "autoExpandDelay") -property_reader("QTreeWidget", /::(indentation|isIndentation|hasIndentation)\s*\(/, "indentation") -property_writer("QTreeWidget", /::setIndentation\s*\(/, "indentation") -property_reader("QTreeWidget", /::(rootIsDecorated|isRootIsDecorated|hasRootIsDecorated)\s*\(/, "rootIsDecorated") -property_writer("QTreeWidget", /::setRootIsDecorated\s*\(/, "rootIsDecorated") -property_reader("QTreeWidget", /::(uniformRowHeights|isUniformRowHeights|hasUniformRowHeights)\s*\(/, "uniformRowHeights") -property_writer("QTreeWidget", /::setUniformRowHeights\s*\(/, "uniformRowHeights") -property_reader("QTreeWidget", /::(itemsExpandable|isItemsExpandable|hasItemsExpandable)\s*\(/, "itemsExpandable") -property_writer("QTreeWidget", /::setItemsExpandable\s*\(/, "itemsExpandable") -property_reader("QTreeWidget", /::(sortingEnabled|isSortingEnabled|hasSortingEnabled)\s*\(/, "sortingEnabled") -property_writer("QTreeWidget", /::setSortingEnabled\s*\(/, "sortingEnabled") -property_reader("QTreeWidget", /::(animated|isAnimated|hasAnimated)\s*\(/, "animated") -property_writer("QTreeWidget", /::setAnimated\s*\(/, "animated") -property_reader("QTreeWidget", /::(allColumnsShowFocus|isAllColumnsShowFocus|hasAllColumnsShowFocus)\s*\(/, "allColumnsShowFocus") -property_writer("QTreeWidget", /::setAllColumnsShowFocus\s*\(/, "allColumnsShowFocus") -property_reader("QTreeWidget", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") -property_writer("QTreeWidget", /::setWordWrap\s*\(/, "wordWrap") -property_reader("QTreeWidget", /::(headerHidden|isHeaderHidden|hasHeaderHidden)\s*\(/, "headerHidden") -property_writer("QTreeWidget", /::setHeaderHidden\s*\(/, "headerHidden") -property_reader("QTreeWidget", /::(expandsOnDoubleClick|isExpandsOnDoubleClick|hasExpandsOnDoubleClick)\s*\(/, "expandsOnDoubleClick") -property_writer("QTreeWidget", /::setExpandsOnDoubleClick\s*\(/, "expandsOnDoubleClick") -property_reader("QTreeWidget", /::(columnCount|isColumnCount|hasColumnCount)\s*\(/, "columnCount") -property_writer("QTreeWidget", /::setColumnCount\s*\(/, "columnCount") -property_reader("QTreeWidget", /::(topLevelItemCount|isTopLevelItemCount|hasTopLevelItemCount)\s*\(/, "topLevelItemCount") -property_reader("QUdpSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QUdpSocket", /::setObjectName\s*\(/, "objectName") -property_reader("QUndoGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QUndoGroup", /::setObjectName\s*\(/, "objectName") -property_reader("QUndoStack", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QUndoStack", /::setObjectName\s*\(/, "objectName") -property_reader("QUndoStack", /::(active|isActive|hasActive)\s*\(/, "active") -property_writer("QUndoStack", /::setActive\s*\(/, "active") -property_reader("QUndoStack", /::(undoLimit|isUndoLimit|hasUndoLimit)\s*\(/, "undoLimit") -property_writer("QUndoStack", /::setUndoLimit\s*\(/, "undoLimit") -property_reader("QUndoView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QUndoView", /::setObjectName\s*\(/, "objectName") -property_reader("QUndoView", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QUndoView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QUndoView", /::setWindowModality\s*\(/, "windowModality") -property_reader("QUndoView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QUndoView", /::setEnabled\s*\(/, "enabled") -property_reader("QUndoView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QUndoView", /::setGeometry\s*\(/, "geometry") -property_reader("QUndoView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QUndoView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QUndoView", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QUndoView", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QUndoView", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QUndoView", /::setPos\s*\(/, "pos") -property_reader("QUndoView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QUndoView", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QUndoView", /::setSize\s*\(/, "size") -property_reader("QUndoView", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QUndoView", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QUndoView", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QUndoView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QUndoView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QUndoView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QUndoView", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QUndoView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QUndoView", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QUndoView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QUndoView", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QUndoView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QUndoView", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QUndoView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QUndoView", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QUndoView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QUndoView", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QUndoView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QUndoView", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QUndoView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QUndoView", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QUndoView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QUndoView", /::setBaseSize\s*\(/, "baseSize") -property_reader("QUndoView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QUndoView", /::setPalette\s*\(/, "palette") -property_reader("QUndoView", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QUndoView", /::setFont\s*\(/, "font") -property_reader("QUndoView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QUndoView", /::setCursor\s*\(/, "cursor") -property_reader("QUndoView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QUndoView", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QUndoView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QUndoView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QUndoView", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QUndoView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QUndoView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QUndoView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QUndoView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QUndoView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QUndoView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QUndoView", /::setVisible\s*\(/, "visible") -property_reader("QUndoView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QUndoView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QUndoView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QUndoView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QUndoView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QUndoView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QUndoView", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QUndoView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QUndoView", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QUndoView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QUndoView", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QUndoView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QUndoView", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QUndoView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QUndoView", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QUndoView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QUndoView", /::setWindowModified\s*\(/, "windowModified") -property_reader("QUndoView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QUndoView", /::setToolTip\s*\(/, "toolTip") -property_reader("QUndoView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QUndoView", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QUndoView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QUndoView", /::setStatusTip\s*\(/, "statusTip") -property_reader("QUndoView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QUndoView", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QUndoView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QUndoView", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QUndoView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QUndoView", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QUndoView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QUndoView", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QUndoView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QUndoView", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QUndoView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QUndoView", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QUndoView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QUndoView", /::setLocale\s*\(/, "locale") -property_reader("QUndoView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QUndoView", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QUndoView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QUndoView", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QUndoView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QUndoView", /::setFrameShape\s*\(/, "frameShape") -property_reader("QUndoView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QUndoView", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QUndoView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QUndoView", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QUndoView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QUndoView", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QUndoView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QUndoView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QUndoView", /::setFrameRect\s*\(/, "frameRect") -property_reader("QUndoView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QUndoView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QUndoView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QUndoView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QUndoView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QUndoView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QUndoView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") -property_writer("QUndoView", /::setAutoScroll\s*\(/, "autoScroll") -property_reader("QUndoView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") -property_writer("QUndoView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") -property_reader("QUndoView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") -property_writer("QUndoView", /::setEditTriggers\s*\(/, "editTriggers") -property_reader("QUndoView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") -property_writer("QUndoView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") -property_reader("QUndoView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") -property_writer("QUndoView", /::setShowDropIndicator\s*\(/, "showDropIndicator") -property_reader("QUndoView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QUndoView", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QUndoView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") -property_writer("QUndoView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") -property_reader("QUndoView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") -property_writer("QUndoView", /::setDragDropMode\s*\(/, "dragDropMode") -property_reader("QUndoView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") -property_writer("QUndoView", /::setDefaultDropAction\s*\(/, "defaultDropAction") -property_reader("QUndoView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") -property_writer("QUndoView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") -property_reader("QUndoView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QUndoView", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QUndoView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") -property_writer("QUndoView", /::setSelectionBehavior\s*\(/, "selectionBehavior") -property_reader("QUndoView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QUndoView", /::setIconSize\s*\(/, "iconSize") -property_reader("QUndoView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") -property_writer("QUndoView", /::setTextElideMode\s*\(/, "textElideMode") -property_reader("QUndoView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") -property_writer("QUndoView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") -property_reader("QUndoView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") -property_writer("QUndoView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") -property_reader("QUndoView", /::(movement|isMovement|hasMovement)\s*\(/, "movement") -property_writer("QUndoView", /::setMovement\s*\(/, "movement") -property_reader("QUndoView", /::(flow|isFlow|hasFlow)\s*\(/, "flow") -property_writer("QUndoView", /::setFlow\s*\(/, "flow") -property_reader("QUndoView", /::(isWrapping|isIsWrapping|hasIsWrapping)\s*\(/, "isWrapping") -property_writer("QUndoView", /::setIsWrapping\s*\(/, "isWrapping") -property_reader("QUndoView", /::(resizeMode|isResizeMode|hasResizeMode)\s*\(/, "resizeMode") -property_writer("QUndoView", /::setResizeMode\s*\(/, "resizeMode") -property_reader("QUndoView", /::(layoutMode|isLayoutMode|hasLayoutMode)\s*\(/, "layoutMode") -property_writer("QUndoView", /::setLayoutMode\s*\(/, "layoutMode") -property_reader("QUndoView", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QUndoView", /::setSpacing\s*\(/, "spacing") -property_reader("QUndoView", /::(gridSize|isGridSize|hasGridSize)\s*\(/, "gridSize") -property_writer("QUndoView", /::setGridSize\s*\(/, "gridSize") -property_reader("QUndoView", /::(viewMode|isViewMode|hasViewMode)\s*\(/, "viewMode") -property_writer("QUndoView", /::setViewMode\s*\(/, "viewMode") -property_reader("QUndoView", /::(modelColumn|isModelColumn|hasModelColumn)\s*\(/, "modelColumn") -property_writer("QUndoView", /::setModelColumn\s*\(/, "modelColumn") -property_reader("QUndoView", /::(uniformItemSizes|isUniformItemSizes|hasUniformItemSizes)\s*\(/, "uniformItemSizes") -property_writer("QUndoView", /::setUniformItemSizes\s*\(/, "uniformItemSizes") -property_reader("QUndoView", /::(batchSize|isBatchSize|hasBatchSize)\s*\(/, "batchSize") -property_writer("QUndoView", /::setBatchSize\s*\(/, "batchSize") -property_reader("QUndoView", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") -property_writer("QUndoView", /::setWordWrap\s*\(/, "wordWrap") -property_reader("QUndoView", /::(selectionRectVisible|isSelectionRectVisible|hasSelectionRectVisible)\s*\(/, "selectionRectVisible") -property_writer("QUndoView", /::setSelectionRectVisible\s*\(/, "selectionRectVisible") -property_reader("QUndoView", /::(emptyLabel|isEmptyLabel|hasEmptyLabel)\s*\(/, "emptyLabel") -property_writer("QUndoView", /::setEmptyLabel\s*\(/, "emptyLabel") -property_reader("QUndoView", /::(cleanIcon|isCleanIcon|hasCleanIcon)\s*\(/, "cleanIcon") -property_writer("QUndoView", /::setCleanIcon\s*\(/, "cleanIcon") -property_reader("QVBoxLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QVBoxLayout", /::setObjectName\s*\(/, "objectName") -property_reader("QVBoxLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") -property_writer("QVBoxLayout", /::setMargin\s*\(/, "margin") -property_reader("QVBoxLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QVBoxLayout", /::setSpacing\s*\(/, "spacing") -property_reader("QVBoxLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") -property_writer("QVBoxLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") -property_reader("QValidator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QValidator", /::setObjectName\s*\(/, "objectName") -property_reader("QVariantAnimation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QVariantAnimation", /::setObjectName\s*\(/, "objectName") -property_reader("QVariantAnimation", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QVariantAnimation", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") -property_writer("QVariantAnimation", /::setLoopCount\s*\(/, "loopCount") -property_reader("QVariantAnimation", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") -property_writer("QVariantAnimation", /::setCurrentTime\s*\(/, "currentTime") -property_reader("QVariantAnimation", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") -property_reader("QVariantAnimation", /::(direction|isDirection|hasDirection)\s*\(/, "direction") -property_writer("QVariantAnimation", /::setDirection\s*\(/, "direction") -property_reader("QVariantAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_reader("QVariantAnimation", /::(startValue|isStartValue|hasStartValue)\s*\(/, "startValue") -property_writer("QVariantAnimation", /::setStartValue\s*\(/, "startValue") -property_reader("QVariantAnimation", /::(endValue|isEndValue|hasEndValue)\s*\(/, "endValue") -property_writer("QVariantAnimation", /::setEndValue\s*\(/, "endValue") -property_reader("QVariantAnimation", /::(currentValue|isCurrentValue|hasCurrentValue)\s*\(/, "currentValue") -property_reader("QVariantAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_writer("QVariantAnimation", /::setDuration\s*\(/, "duration") -property_reader("QVariantAnimation", /::(easingCurve|isEasingCurve|hasEasingCurve)\s*\(/, "easingCurve") -property_writer("QVariantAnimation", /::setEasingCurve\s*\(/, "easingCurve") -property_reader("QVideoDeviceSelectorControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QVideoDeviceSelectorControl", /::setObjectName\s*\(/, "objectName") -property_reader("QVideoEncoderSettingsControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QVideoEncoderSettingsControl", /::setObjectName\s*\(/, "objectName") -property_reader("QVideoProbe", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QVideoProbe", /::setObjectName\s*\(/, "objectName") -property_reader("QVideoRendererControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QVideoRendererControl", /::setObjectName\s*\(/, "objectName") -property_reader("QVideoWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QVideoWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QVideoWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QVideoWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QVideoWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QVideoWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QVideoWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QVideoWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QVideoWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QVideoWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QVideoWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QVideoWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QVideoWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QVideoWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QVideoWidget", /::setPos\s*\(/, "pos") -property_reader("QVideoWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QVideoWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QVideoWidget", /::setSize\s*\(/, "size") -property_reader("QVideoWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QVideoWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QVideoWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QVideoWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QVideoWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QVideoWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QVideoWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QVideoWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QVideoWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QVideoWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QVideoWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QVideoWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QVideoWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QVideoWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QVideoWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QVideoWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QVideoWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QVideoWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QVideoWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QVideoWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QVideoWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QVideoWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QVideoWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QVideoWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QVideoWidget", /::setPalette\s*\(/, "palette") -property_reader("QVideoWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QVideoWidget", /::setFont\s*\(/, "font") -property_reader("QVideoWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QVideoWidget", /::setCursor\s*\(/, "cursor") -property_reader("QVideoWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QVideoWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QVideoWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QVideoWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QVideoWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QVideoWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QVideoWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QVideoWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QVideoWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QVideoWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QVideoWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QVideoWidget", /::setVisible\s*\(/, "visible") -property_reader("QVideoWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QVideoWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QVideoWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QVideoWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QVideoWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QVideoWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QVideoWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QVideoWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QVideoWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QVideoWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QVideoWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QVideoWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QVideoWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QVideoWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QVideoWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QVideoWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QVideoWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QVideoWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QVideoWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QVideoWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QVideoWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QVideoWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QVideoWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QVideoWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QVideoWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QVideoWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QVideoWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QVideoWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QVideoWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QVideoWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QVideoWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QVideoWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QVideoWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QVideoWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QVideoWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QVideoWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QVideoWidget", /::setLocale\s*\(/, "locale") -property_reader("QVideoWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QVideoWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QVideoWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QVideoWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QVideoWidget", /::(mediaObject|isMediaObject|hasMediaObject)\s*\(/, "mediaObject") -property_writer("QVideoWidget", /::setMediaObject\s*\(/, "mediaObject") -property_reader("QVideoWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_writer("QVideoWidget", /::setFullScreen\s*\(/, "fullScreen") -property_reader("QVideoWidget", /::(aspectRatioMode|isAspectRatioMode|hasAspectRatioMode)\s*\(/, "aspectRatioMode") -property_writer("QVideoWidget", /::setAspectRatioMode\s*\(/, "aspectRatioMode") -property_reader("QVideoWidget", /::(brightness|isBrightness|hasBrightness)\s*\(/, "brightness") -property_writer("QVideoWidget", /::setBrightness\s*\(/, "brightness") -property_reader("QVideoWidget", /::(contrast|isContrast|hasContrast)\s*\(/, "contrast") -property_writer("QVideoWidget", /::setContrast\s*\(/, "contrast") -property_reader("QVideoWidget", /::(hue|isHue|hasHue)\s*\(/, "hue") -property_writer("QVideoWidget", /::setHue\s*\(/, "hue") -property_reader("QVideoWidget", /::(saturation|isSaturation|hasSaturation)\s*\(/, "saturation") -property_writer("QVideoWidget", /::setSaturation\s*\(/, "saturation") -property_reader("QVideoWindowControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QVideoWindowControl", /::setObjectName\s*\(/, "objectName") -property_reader("QWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QWidget", /::setPos\s*\(/, "pos") -property_reader("QWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QWidget", /::setSize\s*\(/, "size") -property_reader("QWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QWidget", /::setPalette\s*\(/, "palette") -property_reader("QWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QWidget", /::setFont\s*\(/, "font") -property_reader("QWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QWidget", /::setCursor\s*\(/, "cursor") -property_reader("QWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QWidget", /::setVisible\s*\(/, "visible") -property_reader("QWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QWidget", /::setLocale\s*\(/, "locale") -property_reader("QWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QWidgetAction", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QWidgetAction", /::setObjectName\s*\(/, "objectName") -property_reader("QWidgetAction", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") -property_writer("QWidgetAction", /::setCheckable\s*\(/, "checkable") -property_reader("QWidgetAction", /::(checked|isChecked|hasChecked)\s*\(/, "checked") -property_writer("QWidgetAction", /::setChecked\s*\(/, "checked") -property_reader("QWidgetAction", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QWidgetAction", /::setEnabled\s*\(/, "enabled") -property_reader("QWidgetAction", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QWidgetAction", /::setIcon\s*\(/, "icon") -property_reader("QWidgetAction", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QWidgetAction", /::setText\s*\(/, "text") -property_reader("QWidgetAction", /::(iconText|isIconText|hasIconText)\s*\(/, "iconText") -property_writer("QWidgetAction", /::setIconText\s*\(/, "iconText") -property_reader("QWidgetAction", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QWidgetAction", /::setToolTip\s*\(/, "toolTip") -property_reader("QWidgetAction", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QWidgetAction", /::setStatusTip\s*\(/, "statusTip") -property_reader("QWidgetAction", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QWidgetAction", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QWidgetAction", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QWidgetAction", /::setFont\s*\(/, "font") -property_reader("QWidgetAction", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") -property_writer("QWidgetAction", /::setShortcut\s*\(/, "shortcut") -property_reader("QWidgetAction", /::(shortcutContext|isShortcutContext|hasShortcutContext)\s*\(/, "shortcutContext") -property_writer("QWidgetAction", /::setShortcutContext\s*\(/, "shortcutContext") -property_reader("QWidgetAction", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") -property_writer("QWidgetAction", /::setAutoRepeat\s*\(/, "autoRepeat") -property_reader("QWidgetAction", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QWidgetAction", /::setVisible\s*\(/, "visible") -property_reader("QWidgetAction", /::(menuRole|isMenuRole|hasMenuRole)\s*\(/, "menuRole") -property_writer("QWidgetAction", /::setMenuRole\s*\(/, "menuRole") -property_reader("QWidgetAction", /::(iconVisibleInMenu|isIconVisibleInMenu|hasIconVisibleInMenu)\s*\(/, "iconVisibleInMenu") -property_writer("QWidgetAction", /::setIconVisibleInMenu\s*\(/, "iconVisibleInMenu") -property_reader("QWidgetAction", /::(priority|isPriority|hasPriority)\s*\(/, "priority") -property_writer("QWidgetAction", /::setPriority\s*\(/, "priority") -property_reader("QWindow", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QWindow", /::setObjectName\s*\(/, "objectName") -property_reader("QWindow", /::(title|isTitle|hasTitle)\s*\(/, "title") -property_writer("QWindow", /::setTitle\s*\(/, "title") -property_reader("QWindow", /::(modality|isModality|hasModality)\s*\(/, "modality") -property_writer("QWindow", /::setModality\s*\(/, "modality") -property_reader("QWindow", /::(flags|isFlags|hasFlags)\s*\(/, "flags") -property_writer("QWindow", /::setFlags\s*\(/, "flags") -property_reader("QWindow", /::(x|isX|hasX)\s*\(/, "x") -property_writer("QWindow", /::setX\s*\(/, "x") -property_reader("QWindow", /::(y|isY|hasY)\s*\(/, "y") -property_writer("QWindow", /::setY\s*\(/, "y") -property_reader("QWindow", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_writer("QWindow", /::setWidth\s*\(/, "width") -property_reader("QWindow", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_writer("QWindow", /::setHeight\s*\(/, "height") -property_reader("QWindow", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QWindow", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QWindow", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QWindow", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QWindow", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QWindow", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QWindow", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QWindow", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QWindow", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QWindow", /::setVisible\s*\(/, "visible") -property_reader("QWindow", /::(active|isActive|hasActive)\s*\(/, "active") -property_reader("QWindow", /::(visibility|isVisibility|hasVisibility)\s*\(/, "visibility") -property_writer("QWindow", /::setVisibility\s*\(/, "visibility") -property_reader("QWindow", /::(contentOrientation|isContentOrientation|hasContentOrientation)\s*\(/, "contentOrientation") -property_writer("QWindow", /::setContentOrientation\s*\(/, "contentOrientation") -property_reader("QWindow", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") -property_writer("QWindow", /::setOpacity\s*\(/, "opacity") -property_reader("QWizard", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QWizard", /::setObjectName\s*\(/, "objectName") -property_reader("QWizard", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QWizard", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QWizard", /::setWindowModality\s*\(/, "windowModality") -property_reader("QWizard", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QWizard", /::setEnabled\s*\(/, "enabled") -property_reader("QWizard", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QWizard", /::setGeometry\s*\(/, "geometry") -property_reader("QWizard", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QWizard", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QWizard", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QWizard", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QWizard", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QWizard", /::setPos\s*\(/, "pos") -property_reader("QWizard", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QWizard", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QWizard", /::setSize\s*\(/, "size") -property_reader("QWizard", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QWizard", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QWizard", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QWizard", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QWizard", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QWizard", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QWizard", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QWizard", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QWizard", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QWizard", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QWizard", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QWizard", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QWizard", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QWizard", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QWizard", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QWizard", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QWizard", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QWizard", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QWizard", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QWizard", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QWizard", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QWizard", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QWizard", /::setBaseSize\s*\(/, "baseSize") -property_reader("QWizard", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QWizard", /::setPalette\s*\(/, "palette") -property_reader("QWizard", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QWizard", /::setFont\s*\(/, "font") -property_reader("QWizard", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QWizard", /::setCursor\s*\(/, "cursor") -property_reader("QWizard", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QWizard", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QWizard", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QWizard", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QWizard", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QWizard", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QWizard", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QWizard", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QWizard", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QWizard", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QWizard", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QWizard", /::setVisible\s*\(/, "visible") -property_reader("QWizard", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QWizard", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QWizard", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QWizard", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QWizard", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QWizard", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QWizard", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QWizard", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QWizard", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QWizard", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QWizard", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QWizard", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QWizard", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QWizard", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QWizard", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QWizard", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QWizard", /::setWindowModified\s*\(/, "windowModified") -property_reader("QWizard", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QWizard", /::setToolTip\s*\(/, "toolTip") -property_reader("QWizard", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QWizard", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QWizard", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QWizard", /::setStatusTip\s*\(/, "statusTip") -property_reader("QWizard", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QWizard", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QWizard", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QWizard", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QWizard", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QWizard", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QWizard", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QWizard", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QWizard", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QWizard", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QWizard", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QWizard", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QWizard", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QWizard", /::setLocale\s*\(/, "locale") -property_reader("QWizard", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QWizard", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QWizard", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QWizard", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QWizard", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QWizard", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QWizard", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QWizard", /::setModal\s*\(/, "modal") -property_reader("QWizard", /::(wizardStyle|isWizardStyle|hasWizardStyle)\s*\(/, "wizardStyle") -property_writer("QWizard", /::setWizardStyle\s*\(/, "wizardStyle") -property_reader("QWizard", /::(options|isOptions|hasOptions)\s*\(/, "options") -property_writer("QWizard", /::setOptions\s*\(/, "options") -property_reader("QWizard", /::(titleFormat|isTitleFormat|hasTitleFormat)\s*\(/, "titleFormat") -property_writer("QWizard", /::setTitleFormat\s*\(/, "titleFormat") -property_reader("QWizard", /::(subTitleFormat|isSubTitleFormat|hasSubTitleFormat)\s*\(/, "subTitleFormat") -property_writer("QWizard", /::setSubTitleFormat\s*\(/, "subTitleFormat") -property_reader("QWizard", /::(startId|isStartId|hasStartId)\s*\(/, "startId") -property_writer("QWizard", /::setStartId\s*\(/, "startId") -property_reader("QWizard", /::(currentId|isCurrentId|hasCurrentId)\s*\(/, "currentId") -property_reader("QWizardPage", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QWizardPage", /::setObjectName\s*\(/, "objectName") -property_reader("QWizardPage", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QWizardPage", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QWizardPage", /::setWindowModality\s*\(/, "windowModality") -property_reader("QWizardPage", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QWizardPage", /::setEnabled\s*\(/, "enabled") -property_reader("QWizardPage", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QWizardPage", /::setGeometry\s*\(/, "geometry") -property_reader("QWizardPage", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QWizardPage", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QWizardPage", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QWizardPage", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QWizardPage", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QWizardPage", /::setPos\s*\(/, "pos") -property_reader("QWizardPage", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QWizardPage", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QWizardPage", /::setSize\s*\(/, "size") -property_reader("QWizardPage", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QWizardPage", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QWizardPage", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QWizardPage", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QWizardPage", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QWizardPage", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QWizardPage", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QWizardPage", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QWizardPage", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QWizardPage", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QWizardPage", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QWizardPage", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QWizardPage", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QWizardPage", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QWizardPage", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QWizardPage", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QWizardPage", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QWizardPage", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QWizardPage", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QWizardPage", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QWizardPage", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QWizardPage", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QWizardPage", /::setBaseSize\s*\(/, "baseSize") -property_reader("QWizardPage", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QWizardPage", /::setPalette\s*\(/, "palette") -property_reader("QWizardPage", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QWizardPage", /::setFont\s*\(/, "font") -property_reader("QWizardPage", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QWizardPage", /::setCursor\s*\(/, "cursor") -property_reader("QWizardPage", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QWizardPage", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QWizardPage", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QWizardPage", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QWizardPage", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QWizardPage", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QWizardPage", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QWizardPage", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QWizardPage", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QWizardPage", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QWizardPage", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QWizardPage", /::setVisible\s*\(/, "visible") -property_reader("QWizardPage", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QWizardPage", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QWizardPage", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QWizardPage", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QWizardPage", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QWizardPage", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QWizardPage", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QWizardPage", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QWizardPage", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QWizardPage", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QWizardPage", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QWizardPage", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QWizardPage", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QWizardPage", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QWizardPage", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QWizardPage", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QWizardPage", /::setWindowModified\s*\(/, "windowModified") -property_reader("QWizardPage", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QWizardPage", /::setToolTip\s*\(/, "toolTip") -property_reader("QWizardPage", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QWizardPage", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QWizardPage", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QWizardPage", /::setStatusTip\s*\(/, "statusTip") -property_reader("QWizardPage", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QWizardPage", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QWizardPage", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QWizardPage", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QWizardPage", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QWizardPage", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QWizardPage", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QWizardPage", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QWizardPage", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QWizardPage", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QWizardPage", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QWizardPage", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QWizardPage", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QWizardPage", /::setLocale\s*\(/, "locale") -property_reader("QWizardPage", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QWizardPage", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QWizardPage", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QWizardPage", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QWizardPage", /::(title|isTitle|hasTitle)\s*\(/, "title") -property_writer("QWizardPage", /::setTitle\s*\(/, "title") -property_reader("QWizardPage", /::(subTitle|isSubTitle|hasSubTitle)\s*\(/, "subTitle") -property_writer("QWizardPage", /::setSubTitle\s*\(/, "subTitle") - -# Synthetic properties -# Property bufferSize (int) -property_reader("QAbstractAudioInput", /::bufferSize\s*\(/, "bufferSize") -property_writer("QAbstractAudioInput", /::setBufferSize\s*\(/, "bufferSize") -# Property format (QAudioFormat) -property_reader("QAbstractAudioInput", /::format\s*\(/, "format") -property_writer("QAbstractAudioInput", /::setFormat\s*\(/, "format") -# Property notifyInterval (int) -property_reader("QAbstractAudioInput", /::notifyInterval\s*\(/, "notifyInterval") -property_writer("QAbstractAudioInput", /::setNotifyInterval\s*\(/, "notifyInterval") -# Property volume (double) -property_reader("QAbstractAudioInput", /::volume\s*\(/, "volume") -property_writer("QAbstractAudioInput", /::setVolume\s*\(/, "volume") -# Property bufferSize (int) -property_reader("QAbstractAudioOutput", /::bufferSize\s*\(/, "bufferSize") -property_writer("QAbstractAudioOutput", /::setBufferSize\s*\(/, "bufferSize") -# Property category (string) -property_reader("QAbstractAudioOutput", /::category\s*\(/, "category") -property_writer("QAbstractAudioOutput", /::setCategory\s*\(/, "category") -# Property format (QAudioFormat) -property_reader("QAbstractAudioOutput", /::format\s*\(/, "format") -property_writer("QAbstractAudioOutput", /::setFormat\s*\(/, "format") -# Property notifyInterval (int) -property_reader("QAbstractAudioOutput", /::notifyInterval\s*\(/, "notifyInterval") -property_writer("QAbstractAudioOutput", /::setNotifyInterval\s*\(/, "notifyInterval") -# Property volume (double) -property_reader("QAbstractAudioOutput", /::volume\s*\(/, "volume") -property_writer("QAbstractAudioOutput", /::setVolume\s*\(/, "volume") -# Property workingDirectory (QDir) -property_reader("QAbstractFormBuilder", /::workingDirectory\s*\(/, "workingDirectory") -property_writer("QAbstractFormBuilder", /::setWorkingDirectory\s*\(/, "workingDirectory") -# Property brush (QBrush) -property_reader("QAbstractGraphicsShapeItem", /::brush\s*\(/, "brush") -property_writer("QAbstractGraphicsShapeItem", /::setBrush\s*\(/, "brush") -# Property pen (QPen) -property_reader("QAbstractGraphicsShapeItem", /::pen\s*\(/, "pen") -property_writer("QAbstractGraphicsShapeItem", /::setPen\s*\(/, "pen") -# Property parent (QObject_Native *) -property_reader("QAbstractItemModel", /::parent\s*\(/, "parent") -property_writer("QObject", /::setParent\s*\(/, "parent") -# Property currentIndex (QModelIndex) -property_reader("QAbstractItemView", /::currentIndex\s*\(/, "currentIndex") -property_writer("QAbstractItemView", /::setCurrentIndex\s*\(/, "currentIndex") -# Property itemDelegate (QAbstractItemDelegate_Native *) -property_reader("QAbstractItemView", /::itemDelegate\s*\(/, "itemDelegate") -property_writer("QAbstractItemView", /::setItemDelegate\s*\(/, "itemDelegate") -# Property model (QAbstractItemModel_Native *) -property_reader("QAbstractItemView", /::model\s*\(/, "model") -property_writer("QAbstractItemView", /::setModel\s*\(/, "model") -# Property rootIndex (QModelIndex) -property_reader("QAbstractItemView", /::rootIndex\s*\(/, "rootIndex") -property_writer("QAbstractItemView", /::setRootIndex\s*\(/, "rootIndex") -# Property selectionModel (QItemSelectionModel_Native *) -property_reader("QAbstractItemView", /::selectionModel\s*\(/, "selectionModel") -property_writer("QAbstractItemView", /::setSelectionModel\s*\(/, "selectionModel") -# Property parent (QObject_Native *) -property_reader("QAbstractListModel", /::parent\s*\(/, "parent") -property_writer("QObject", /::setParent\s*\(/, "parent") -# Property enabledOptions (QAbstractPrintDialog_QFlags_PrintDialogOption) -property_reader("QAbstractPrintDialog", /::enabledOptions\s*\(/, "enabledOptions") -property_writer("QAbstractPrintDialog", /::setEnabledOptions\s*\(/, "enabledOptions") -# Property printRange (QAbstractPrintDialog_PrintRange) -property_reader("QAbstractPrintDialog", /::printRange\s*\(/, "printRange") -property_writer("QAbstractPrintDialog", /::setPrintRange\s*\(/, "printRange") -# Property cornerWidget (QWidget_Native *) -property_reader("QAbstractScrollArea", /::cornerWidget\s*\(/, "cornerWidget") -property_writer("QAbstractScrollArea", /::setCornerWidget\s*\(/, "cornerWidget") -# Property horizontalScrollBar (QScrollBar_Native *) -property_reader("QAbstractScrollArea", /::horizontalScrollBar\s*\(/, "horizontalScrollBar") -property_writer("QAbstractScrollArea", /::setHorizontalScrollBar\s*\(/, "horizontalScrollBar") -# Property verticalScrollBar (QScrollBar_Native *) -property_reader("QAbstractScrollArea", /::verticalScrollBar\s*\(/, "verticalScrollBar") -property_writer("QAbstractScrollArea", /::setVerticalScrollBar\s*\(/, "verticalScrollBar") -# Property viewport (QWidget_Native *) -property_reader("QAbstractScrollArea", /::viewport\s*\(/, "viewport") -property_writer("QAbstractScrollArea", /::setViewport\s*\(/, "viewport") -# Property pauseMode (QAbstractSocket_QFlags_PauseMode) -property_reader("QAbstractSocket", /::pauseMode\s*\(/, "pauseMode") -property_writer("QAbstractSocket", /::setPauseMode\s*\(/, "pauseMode") -# Property proxy (QNetworkProxy) -property_reader("QAbstractSocket", /::proxy\s*\(/, "proxy") -property_writer("QAbstractSocket", /::setProxy\s*\(/, "proxy") -# Property readBufferSize (long long) -property_reader("QAbstractSocket", /::readBufferSize\s*\(/, "readBufferSize") -property_writer("QAbstractSocket", /::setReadBufferSize\s*\(/, "readBufferSize") -# Property groupSeparatorShown (bool) -property_reader("QAbstractSpinBox", /::isGroupSeparatorShown\s*\(/, "groupSeparatorShown") -property_writer("QAbstractSpinBox", /::setGroupSeparatorShown\s*\(/, "groupSeparatorShown") -# Property parent (QObject_Native *) -property_reader("QAbstractTableModel", /::parent\s*\(/, "parent") -property_writer("QObject", /::setParent\s*\(/, "parent") -# Property paintDevice (QPaintDevice_Native *) -property_reader("QAbstractTextDocumentLayout", /::paintDevice\s*\(/, "paintDevice") -property_writer("QAbstractTextDocumentLayout", /::setPaintDevice\s*\(/, "paintDevice") -# Property active (bool) -property_reader("QAccessible", /::isActive\s*\(/, "active") -property_writer("QAccessible", /::setActive\s*\(/, "active") -# Property child (int) -property_reader("QAccessibleEvent", /::child\s*\(/, "child") -property_writer("QAccessibleEvent", /::setChild\s*\(/, "child") -# Property firstColumn (int) -property_reader("QAccessibleTableModelChangeEvent", /::firstColumn\s*\(/, "firstColumn") -property_writer("QAccessibleTableModelChangeEvent", /::setFirstColumn\s*\(/, "firstColumn") -# Property firstRow (int) -property_reader("QAccessibleTableModelChangeEvent", /::firstRow\s*\(/, "firstRow") -property_writer("QAccessibleTableModelChangeEvent", /::setFirstRow\s*\(/, "firstRow") -# Property lastColumn (int) -property_reader("QAccessibleTableModelChangeEvent", /::lastColumn\s*\(/, "lastColumn") -property_writer("QAccessibleTableModelChangeEvent", /::setLastColumn\s*\(/, "lastColumn") -# Property lastRow (int) -property_reader("QAccessibleTableModelChangeEvent", /::lastRow\s*\(/, "lastRow") -property_writer("QAccessibleTableModelChangeEvent", /::setLastRow\s*\(/, "lastRow") -# Property modelChangeType (QAccessibleTableModelChangeEvent_ModelChangeType) -property_reader("QAccessibleTableModelChangeEvent", /::modelChangeType\s*\(/, "modelChangeType") -property_writer("QAccessibleTableModelChangeEvent", /::setModelChangeType\s*\(/, "modelChangeType") -# Property cursorPosition (int) -property_reader("QAccessibleTextCursorEvent", /::cursorPosition\s*\(/, "cursorPosition") -property_writer("QAccessibleTextCursorEvent", /::setCursorPosition\s*\(/, "cursorPosition") -# Property cursorPosition (int) -property_reader("QAccessibleTextInterface", /::cursorPosition\s*\(/, "cursorPosition") -property_writer("QAccessibleTextInterface", /::setCursorPosition\s*\(/, "cursorPosition") -# Property value (variant) -property_reader("QAccessibleValueChangeEvent", /::value\s*\(/, "value") -property_writer("QAccessibleValueChangeEvent", /::setValue\s*\(/, "value") -# Property currentValue (variant) -property_reader("QAccessibleValueInterface", /::currentValue\s*\(/, "currentValue") -property_writer("QAccessibleValueInterface", /::setCurrentValue\s*\(/, "currentValue") -# Property actionGroup (QActionGroup_Native *) -property_reader("QAction", /::actionGroup\s*\(/, "actionGroup") -property_writer("QAction", /::setActionGroup\s*\(/, "actionGroup") -# Property data (variant) -property_reader("QAction", /::data\s*\(/, "data") -property_writer("QAction", /::setData\s*\(/, "data") -# Property menu (QMenu_Native *) -property_reader("QAction", /::menu\s*\(/, "menu") -property_writer("QAction", /::setMenu\s*\(/, "menu") -# Property separator (bool) -property_reader("QAction", /::isSeparator\s*\(/, "separator") -property_writer("QAction", /::setSeparator\s*\(/, "separator") -# Property shortcuts (QKeySequence[]) -property_reader("QAction", /::shortcuts\s*\(/, "shortcuts") -property_writer("QAction", /::setShortcuts\s*\(/, "shortcuts") -# Property startTime (long long) -property_reader("QAnimationDriver", /::startTime\s*\(/, "startTime") -property_writer("QAnimationDriver", /::setStartTime\s*\(/, "startTime") -# Property activeWindow (QWidget_Native *) -property_reader("QApplication", /::activeWindow\s*\(/, "activeWindow") -property_writer("QApplication", /::setActiveWindow\s*\(/, "activeWindow") -# Property colorSpec (int) -property_reader("QApplication", /::colorSpec\s*\(/, "colorSpec") -property_writer("QApplication", /::setColorSpec\s*\(/, "colorSpec") -# Property font (QFont) -property_reader("QApplication", /::font\s*\(/, "font") -property_writer("QApplication", /::setFont\s*\(/, "font") -# Property palette (QPalette) -property_reader("QApplication", /::palette\s*\(/, "palette") -property_writer("QApplication", /::setPalette\s*\(/, "palette") -# Property style (QStyle_Native *) -property_reader("QApplication", /::style\s*\(/, "style") -property_writer("QApplication", /::setStyle\s*\(/, "style") -# Property audioFormat (QAudioFormat) -property_reader("QAudioDecoder", /::audioFormat\s*\(/, "audioFormat") -property_writer("QAudioDecoder", /::setAudioFormat\s*\(/, "audioFormat") -# Property sourceDevice (QIODevice *) -property_reader("QAudioDecoder", /::sourceDevice\s*\(/, "sourceDevice") -property_writer("QAudioDecoder", /::setSourceDevice\s*\(/, "sourceDevice") -# Property audioFormat (QAudioFormat) -property_reader("QAudioDecoderControl", /::audioFormat\s*\(/, "audioFormat") -property_writer("QAudioDecoderControl", /::setAudioFormat\s*\(/, "audioFormat") -# Property sourceDevice (QIODevice *) -property_reader("QAudioDecoderControl", /::sourceDevice\s*\(/, "sourceDevice") -property_writer("QAudioDecoderControl", /::setSourceDevice\s*\(/, "sourceDevice") -# Property sourceFilename (string) -property_reader("QAudioDecoderControl", /::sourceFilename\s*\(/, "sourceFilename") -property_writer("QAudioDecoderControl", /::setSourceFilename\s*\(/, "sourceFilename") -# Property bitRate (int) -property_reader("QAudioEncoderSettings", /::bitRate\s*\(/, "bitRate") -property_writer("QAudioEncoderSettings", /::setBitRate\s*\(/, "bitRate") -# Property channelCount (int) -property_reader("QAudioEncoderSettings", /::channelCount\s*\(/, "channelCount") -property_writer("QAudioEncoderSettings", /::setChannelCount\s*\(/, "channelCount") -# Property codec (string) -property_reader("QAudioEncoderSettings", /::codec\s*\(/, "codec") -property_writer("QAudioEncoderSettings", /::setCodec\s*\(/, "codec") -# Property encodingMode (QMultimedia_EncodingMode) -property_reader("QAudioEncoderSettings", /::encodingMode\s*\(/, "encodingMode") -property_writer("QAudioEncoderSettings", /::setEncodingMode\s*\(/, "encodingMode") -# Property encodingOptions (map) -property_reader("QAudioEncoderSettings", /::encodingOptions\s*\(/, "encodingOptions") -property_writer("QAudioEncoderSettings", /::setEncodingOptions\s*\(/, "encodingOptions") -# Property quality (QMultimedia_EncodingQuality) -property_reader("QAudioEncoderSettings", /::quality\s*\(/, "quality") -property_writer("QAudioEncoderSettings", /::setQuality\s*\(/, "quality") -# Property sampleRate (int) -property_reader("QAudioEncoderSettings", /::sampleRate\s*\(/, "sampleRate") -property_writer("QAudioEncoderSettings", /::setSampleRate\s*\(/, "sampleRate") -# Property audioSettings (QAudioEncoderSettings) -property_reader("QAudioEncoderSettingsControl", /::audioSettings\s*\(/, "audioSettings") -property_writer("QAudioEncoderSettingsControl", /::setAudioSettings\s*\(/, "audioSettings") -# Property byteOrder (QAudioFormat_Endian) -property_reader("QAudioFormat", /::byteOrder\s*\(/, "byteOrder") -property_writer("QAudioFormat", /::setByteOrder\s*\(/, "byteOrder") -# Property channelCount (int) -property_reader("QAudioFormat", /::channelCount\s*\(/, "channelCount") -property_writer("QAudioFormat", /::setChannelCount\s*\(/, "channelCount") -# Property codec (string) -property_reader("QAudioFormat", /::codec\s*\(/, "codec") -property_writer("QAudioFormat", /::setCodec\s*\(/, "codec") -# Property sampleRate (int) -property_reader("QAudioFormat", /::sampleRate\s*\(/, "sampleRate") -property_writer("QAudioFormat", /::setSampleRate\s*\(/, "sampleRate") -# Property sampleSize (int) -property_reader("QAudioFormat", /::sampleSize\s*\(/, "sampleSize") -property_writer("QAudioFormat", /::setSampleSize\s*\(/, "sampleSize") -# Property sampleType (QAudioFormat_SampleType) -property_reader("QAudioFormat", /::sampleType\s*\(/, "sampleType") -property_writer("QAudioFormat", /::setSampleType\s*\(/, "sampleType") -# Property bufferSize (int) -property_reader("QAudioInput", /::bufferSize\s*\(/, "bufferSize") -property_writer("QAudioInput", /::setBufferSize\s*\(/, "bufferSize") -# Property notifyInterval (int) -property_reader("QAudioInput", /::notifyInterval\s*\(/, "notifyInterval") -property_writer("QAudioInput", /::setNotifyInterval\s*\(/, "notifyInterval") -# Property volume (double) -property_reader("QAudioInput", /::volume\s*\(/, "volume") -property_writer("QAudioInput", /::setVolume\s*\(/, "volume") -# Property activeInput (string) -property_reader("QAudioInputSelectorControl", /::activeInput\s*\(/, "activeInput") -property_writer("QAudioInputSelectorControl", /::setActiveInput\s*\(/, "activeInput") -# Property bufferSize (int) -property_reader("QAudioOutput", /::bufferSize\s*\(/, "bufferSize") -property_writer("QAudioOutput", /::setBufferSize\s*\(/, "bufferSize") -# Property category (string) -property_reader("QAudioOutput", /::category\s*\(/, "category") -property_writer("QAudioOutput", /::setCategory\s*\(/, "category") -# Property notifyInterval (int) -property_reader("QAudioOutput", /::notifyInterval\s*\(/, "notifyInterval") -property_writer("QAudioOutput", /::setNotifyInterval\s*\(/, "notifyInterval") -# Property volume (double) -property_reader("QAudioOutput", /::volume\s*\(/, "volume") -property_writer("QAudioOutput", /::setVolume\s*\(/, "volume") -# Property activeOutput (string) -property_reader("QAudioOutputSelectorControl", /::activeOutput\s*\(/, "activeOutput") -property_writer("QAudioOutputSelectorControl", /::setActiveOutput\s*\(/, "activeOutput") -# Property password (string) -property_reader("QAuthenticator", /::password\s*\(/, "password") -property_writer("QAuthenticator", /::setPassword\s*\(/, "password") -# Property realm (string) -property_reader("QAuthenticator", /::realm\s*\(/, "realm") -property_writer("QAuthenticator", /::setRealm\s*\(/, "realm") -# Property user (string) -property_reader("QAuthenticator", /::user\s*\(/, "user") -property_writer("QAuthenticator", /::setUser\s*\(/, "user") -# Property direction (QBoxLayout_Direction) -property_reader("QBoxLayout", /::direction\s*\(/, "direction") -property_writer("QBoxLayout", /::setDirection\s*\(/, "direction") -# Property geometry (QRect) -property_reader("QLayout", /::geometry\s*\(/, "geometry") -property_writer("QBoxLayout", /::setGeometry\s*\(/, "geometry") -# Property color (QColor) -property_reader("QBrush", /::color\s*\(/, "color") -property_writer("QBrush", /::setColor\s*\(/, "color") -# Property matrix (QMatrix) -property_reader("QBrush", /::matrix\s*\(/, "matrix") -property_writer("QBrush", /::setMatrix\s*\(/, "matrix") -# Property style (Qt_BrushStyle) -property_reader("QBrush", /::style\s*\(/, "style") -property_writer("QBrush", /::setStyle\s*\(/, "style") -# Property texture (QPixmap_Native) -property_reader("QBrush", /::texture\s*\(/, "texture") -property_writer("QBrush", /::setTexture\s*\(/, "texture") -# Property textureImage (QImage_Native) -property_reader("QBrush", /::textureImage\s*\(/, "textureImage") -property_writer("QBrush", /::setTextureImage\s*\(/, "textureImage") -# Property transform (QTransform) -property_reader("QBrush", /::transform\s*\(/, "transform") -property_writer("QBrush", /::setTransform\s*\(/, "transform") -# Property data (string) -property_reader("QBuffer", /::data\s*\(/, "data") -property_writer("QBuffer", /::setData\s*\(/, "data") -# Property pattern (string) -property_reader("QByteArrayMatcher", /::pattern\s*\(/, "pattern") -property_writer("QByteArrayMatcher", /::setPattern\s*\(/, "pattern") -# Property headerTextFormat (QTextCharFormat) -property_reader("QCalendarWidget", /::headerTextFormat\s*\(/, "headerTextFormat") -property_writer("QCalendarWidget", /::setHeaderTextFormat\s*\(/, "headerTextFormat") -# Property viewfinderSettings (QCameraViewfinderSettings) -property_reader("QCamera", /::viewfinderSettings\s*\(/, "viewfinderSettings") -property_writer("QCamera", /::setViewfinderSettings\s*\(/, "viewfinderSettings") -# Property bufferFormat (QVideoFrame_PixelFormat) -property_reader("QCameraCaptureBufferFormatControl", /::bufferFormat\s*\(/, "bufferFormat") -property_writer("QCameraCaptureBufferFormatControl", /::setBufferFormat\s*\(/, "bufferFormat") -# Property captureDestination (QCameraImageCapture_QFlags_CaptureDestination) -property_reader("QCameraCaptureDestinationControl", /::captureDestination\s*\(/, "captureDestination") -property_writer("QCameraCaptureDestinationControl", /::setCaptureDestination\s*\(/, "captureDestination") -# Property captureMode (QCamera_QFlags_CaptureMode) -property_reader("QCameraControl", /::captureMode\s*\(/, "captureMode") -property_writer("QCameraControl", /::setCaptureMode\s*\(/, "captureMode") -# Property state (QCamera_State) -property_reader("QCameraControl", /::state\s*\(/, "state") -property_writer("QCameraControl", /::setState\s*\(/, "state") -# Property spotMeteringPoint (QPointF) -property_reader("QCameraExposure", /::spotMeteringPoint\s*\(/, "spotMeteringPoint") -property_writer("QCameraExposure", /::setSpotMeteringPoint\s*\(/, "spotMeteringPoint") -# Property flashMode (QCameraExposure_QFlags_FlashMode) -property_reader("QCameraFlashControl", /::flashMode\s*\(/, "flashMode") -property_writer("QCameraFlashControl", /::setFlashMode\s*\(/, "flashMode") -# Property customFocusPoint (QPointF) -property_reader("QCameraFocusControl", /::customFocusPoint\s*\(/, "customFocusPoint") -property_writer("QCameraFocusControl", /::setCustomFocusPoint\s*\(/, "customFocusPoint") -# Property focusMode (QCameraFocus_QFlags_FocusMode) -property_reader("QCameraFocusControl", /::focusMode\s*\(/, "focusMode") -property_writer("QCameraFocusControl", /::setFocusMode\s*\(/, "focusMode") -# Property focusPointMode (QCameraFocus_FocusPointMode) -property_reader("QCameraFocusControl", /::focusPointMode\s*\(/, "focusPointMode") -property_writer("QCameraFocusControl", /::setFocusPointMode\s*\(/, "focusPointMode") -# Property status (QCameraFocusZone_FocusZoneStatus) -property_reader("QCameraFocusZone", /::status\s*\(/, "status") -property_writer("QCameraFocusZone", /::setStatus\s*\(/, "status") -# Property bufferFormat (QVideoFrame_PixelFormat) -property_reader("QCameraImageCapture", /::bufferFormat\s*\(/, "bufferFormat") -property_writer("QCameraImageCapture", /::setBufferFormat\s*\(/, "bufferFormat") -# Property captureDestination (QCameraImageCapture_QFlags_CaptureDestination) -property_reader("QCameraImageCapture", /::captureDestination\s*\(/, "captureDestination") -property_writer("QCameraImageCapture", /::setCaptureDestination\s*\(/, "captureDestination") -# Property encodingSettings (QImageEncoderSettings) -property_reader("QCameraImageCapture", /::encodingSettings\s*\(/, "encodingSettings") -property_writer("QCameraImageCapture", /::setEncodingSettings\s*\(/, "encodingSettings") -# Property driveMode (QCameraImageCapture_DriveMode) -property_reader("QCameraImageCaptureControl", /::driveMode\s*\(/, "driveMode") -property_writer("QCameraImageCaptureControl", /::setDriveMode\s*\(/, "driveMode") -# Property colorFilter (QCameraImageProcessing_ColorFilter) -property_reader("QCameraImageProcessing", /::colorFilter\s*\(/, "colorFilter") -property_writer("QCameraImageProcessing", /::setColorFilter\s*\(/, "colorFilter") -# Property contrast (double) -property_reader("QCameraImageProcessing", /::contrast\s*\(/, "contrast") -property_writer("QCameraImageProcessing", /::setContrast\s*\(/, "contrast") -# Property denoisingLevel (double) -property_reader("QCameraImageProcessing", /::denoisingLevel\s*\(/, "denoisingLevel") -property_writer("QCameraImageProcessing", /::setDenoisingLevel\s*\(/, "denoisingLevel") -# Property manualWhiteBalance (double) -property_reader("QCameraImageProcessing", /::manualWhiteBalance\s*\(/, "manualWhiteBalance") -property_writer("QCameraImageProcessing", /::setManualWhiteBalance\s*\(/, "manualWhiteBalance") -# Property saturation (double) -property_reader("QCameraImageProcessing", /::saturation\s*\(/, "saturation") -property_writer("QCameraImageProcessing", /::setSaturation\s*\(/, "saturation") -# Property sharpeningLevel (double) -property_reader("QCameraImageProcessing", /::sharpeningLevel\s*\(/, "sharpeningLevel") -property_writer("QCameraImageProcessing", /::setSharpeningLevel\s*\(/, "sharpeningLevel") -# Property whiteBalanceMode (QCameraImageProcessing_WhiteBalanceMode) -property_reader("QCameraImageProcessing", /::whiteBalanceMode\s*\(/, "whiteBalanceMode") -property_writer("QCameraImageProcessing", /::setWhiteBalanceMode\s*\(/, "whiteBalanceMode") -# Property maximumFrameRate (double) -property_reader("QCameraViewfinderSettings", /::maximumFrameRate\s*\(/, "maximumFrameRate") -property_writer("QCameraViewfinderSettings", /::setMaximumFrameRate\s*\(/, "maximumFrameRate") -# Property minimumFrameRate (double) -property_reader("QCameraViewfinderSettings", /::minimumFrameRate\s*\(/, "minimumFrameRate") -property_writer("QCameraViewfinderSettings", /::setMinimumFrameRate\s*\(/, "minimumFrameRate") -# Property pixelAspectRatio (QSize) -property_reader("QCameraViewfinderSettings", /::pixelAspectRatio\s*\(/, "pixelAspectRatio") -property_writer("QCameraViewfinderSettings", /::setPixelAspectRatio\s*\(/, "pixelAspectRatio") -# Property pixelFormat (QVideoFrame_PixelFormat) -property_reader("QCameraViewfinderSettings", /::pixelFormat\s*\(/, "pixelFormat") -property_writer("QCameraViewfinderSettings", /::setPixelFormat\s*\(/, "pixelFormat") -# Property resolution (QSize) -property_reader("QCameraViewfinderSettings", /::resolution\s*\(/, "resolution") -property_writer("QCameraViewfinderSettings", /::setResolution\s*\(/, "resolution") -# Property viewfinderSettings (QCameraViewfinderSettings) -property_reader("QCameraViewfinderSettingsControl2", /::viewfinderSettings\s*\(/, "viewfinderSettings") -property_writer("QCameraViewfinderSettingsControl2", /::setViewfinderSettings\s*\(/, "viewfinderSettings") -# Property checkState (Qt_CheckState) -property_reader("QCheckBox", /::checkState\s*\(/, "checkState") -property_writer("QCheckBox", /::setCheckState\s*\(/, "checkState") -# Property image (QImage_Native) -property_reader("QClipboard", /::image\s*\(/, "image") -property_writer("QClipboard", /::setImage\s*\(/, "image") -# Property mimeData (QMimeData_Native *) -property_reader("QClipboard", /::mimeData\s*\(/, "mimeData") -property_writer("QClipboard", /::setMimeData\s*\(/, "mimeData") -# Property pixmap (QPixmap_Native) -property_reader("QClipboard", /::pixmap\s*\(/, "pixmap") -property_writer("QClipboard", /::setPixmap\s*\(/, "pixmap") -# Property text (string) -property_reader("QClipboard", /::text\s*\(/, "text") -property_writer("QClipboard", /::setText\s*\(/, "text") -# Property caseSensitivity (Qt_CaseSensitivity) -property_reader("QCollator", /::caseSensitivity\s*\(/, "caseSensitivity") -property_writer("QCollator", /::setCaseSensitivity\s*\(/, "caseSensitivity") -# Property ignorePunctuation (bool) -property_reader("QCollator", /::ignorePunctuation\s*\(/, "ignorePunctuation") -property_writer("QCollator", /::setIgnorePunctuation\s*\(/, "ignorePunctuation") -# Property locale (QLocale) -property_reader("QCollator", /::locale\s*\(/, "locale") -property_writer("QCollator", /::setLocale\s*\(/, "locale") -# Property numericMode (bool) -property_reader("QCollator", /::numericMode\s*\(/, "numericMode") -property_writer("QCollator", /::setNumericMode\s*\(/, "numericMode") -# Property alpha (int) -property_reader("QColor", /::alpha\s*\(/, "alpha") -property_writer("QColor", /::setAlpha\s*\(/, "alpha") -# Property alphaF (double) -property_reader("QColor", /::alphaF\s*\(/, "alphaF") -property_writer("QColor", /::setAlphaF\s*\(/, "alphaF") -# Property blue (int) -property_reader("QColor", /::blue\s*\(/, "blue") -property_writer("QColor", /::setBlue\s*\(/, "blue") -# Property blueF (double) -property_reader("QColor", /::blueF\s*\(/, "blueF") -property_writer("QColor", /::setBlueF\s*\(/, "blueF") -# Property green (int) -property_reader("QColor", /::green\s*\(/, "green") -property_writer("QColor", /::setGreen\s*\(/, "green") -# Property greenF (double) -property_reader("QColor", /::greenF\s*\(/, "greenF") -property_writer("QColor", /::setGreenF\s*\(/, "greenF") -# Property red (int) -property_reader("QColor", /::red\s*\(/, "red") -property_writer("QColor", /::setRed\s*\(/, "red") -# Property redF (double) -property_reader("QColor", /::redF\s*\(/, "redF") -property_writer("QColor", /::setRedF\s*\(/, "redF") -# Property rgb (unsigned int) -property_reader("QColor", /::rgb\s*\(/, "rgb") -property_writer("QColor", /::setRgb\s*\(/, "rgb") -# Property rgba (unsigned int) -property_reader("QColor", /::rgba\s*\(/, "rgba") -property_writer("QColor", /::setRgba\s*\(/, "rgba") -# Property columnWidths (int[]) -property_reader("QColumnView", /::columnWidths\s*\(/, "columnWidths") -property_writer("QColumnView", /::setColumnWidths\s*\(/, "columnWidths") -# Property model (QAbstractItemModel_Native *) -property_reader("QAbstractItemView", /::model\s*\(/, "model") -property_writer("QColumnView", /::setModel\s*\(/, "model") -# Property previewWidget (QWidget_Native *) -property_reader("QColumnView", /::previewWidget\s*\(/, "previewWidget") -property_writer("QColumnView", /::setPreviewWidget\s*\(/, "previewWidget") -# Property rootIndex (QModelIndex) -property_reader("QAbstractItemView", /::rootIndex\s*\(/, "rootIndex") -property_writer("QColumnView", /::setRootIndex\s*\(/, "rootIndex") -# Property selectionModel (QItemSelectionModel_Native *) -property_reader("QAbstractItemView", /::selectionModel\s*\(/, "selectionModel") -property_writer("QColumnView", /::setSelectionModel\s*\(/, "selectionModel") -# Property completer (QCompleter_Native *) -property_reader("QComboBox", /::completer\s*\(/, "completer") -property_writer("QComboBox", /::setCompleter\s*\(/, "completer") -# Property itemDelegate (QAbstractItemDelegate_Native *) -property_reader("QComboBox", /::itemDelegate\s*\(/, "itemDelegate") -property_writer("QComboBox", /::setItemDelegate\s*\(/, "itemDelegate") -# Property lineEdit (QLineEdit_Native *) -property_reader("QComboBox", /::lineEdit\s*\(/, "lineEdit") -property_writer("QComboBox", /::setLineEdit\s*\(/, "lineEdit") -# Property model (QAbstractItemModel_Native *) -property_reader("QComboBox", /::model\s*\(/, "model") -property_writer("QComboBox", /::setModel\s*\(/, "model") -# Property rootModelIndex (QModelIndex) -property_reader("QComboBox", /::rootModelIndex\s*\(/, "rootModelIndex") -property_writer("QComboBox", /::setRootModelIndex\s*\(/, "rootModelIndex") -# Property validator (QValidator_Native *) -property_reader("QComboBox", /::validator\s*\(/, "validator") -property_writer("QComboBox", /::setValidator\s*\(/, "validator") -# Property view (QAbstractItemView_Native *) -property_reader("QComboBox", /::view\s*\(/, "view") -property_writer("QComboBox", /::setView\s*\(/, "view") -# Property defaultValues (string[]) -property_reader("QCommandLineOption", /::defaultValues\s*\(/, "defaultValues") -property_writer("QCommandLineOption", /::setDefaultValues\s*\(/, "defaultValues") -# Property description (string) -property_reader("QCommandLineOption", /::description\s*\(/, "description") -property_writer("QCommandLineOption", /::setDescription\s*\(/, "description") -# Property valueName (string) -property_reader("QCommandLineOption", /::valueName\s*\(/, "valueName") -property_writer("QCommandLineOption", /::setValueName\s*\(/, "valueName") -# Property applicationDescription (string) -property_reader("QCommandLineParser", /::applicationDescription\s*\(/, "applicationDescription") -property_writer("QCommandLineParser", /::setApplicationDescription\s*\(/, "applicationDescription") -# Property model (QAbstractItemModel_Native *) -property_reader("QCompleter", /::model\s*\(/, "model") -property_writer("QCompleter", /::setModel\s*\(/, "model") -# Property popup (QAbstractItemView_Native *) -property_reader("QCompleter", /::popup\s*\(/, "popup") -property_writer("QCompleter", /::setPopup\s*\(/, "popup") -# Property widget (QWidget_Native *) -property_reader("QCompleter", /::widget\s*\(/, "widget") -property_writer("QCompleter", /::setWidget\s*\(/, "widget") -# Property angle (double) -property_reader("QConicalGradient", /::angle\s*\(/, "angle") -property_writer("QConicalGradient", /::setAngle\s*\(/, "angle") -# Property center (QPointF) -property_reader("QConicalGradient", /::center\s*\(/, "center") -property_writer("QConicalGradient", /::setCenter\s*\(/, "center") -# Property eventDispatcher (QAbstractEventDispatcher_Native *) -property_reader("QCoreApplication", /::eventDispatcher\s*\(/, "eventDispatcher") -property_writer("QCoreApplication", /::setEventDispatcher\s*\(/, "eventDispatcher") -# Property libraryPaths (string[]) -property_reader("QCoreApplication", /::libraryPaths\s*\(/, "libraryPaths") -property_writer("QCoreApplication", /::setLibraryPaths\s*\(/, "libraryPaths") -# Property setuidAllowed (bool) -property_reader("QCoreApplication", /::isSetuidAllowed\s*\(/, "setuidAllowed") -property_writer("QCoreApplication", /::setSetuidAllowed\s*\(/, "setuidAllowed") -# Property pos (QPoint) -property_reader("QCursor", /::pos\s*\(/, "pos") -property_writer("QCursor", /::setPos\s*\(/, "pos") -# Property shape (Qt_CursorShape) -property_reader("QCursor", /::shape\s*\(/, "shape") -property_writer("QCursor", /::setShape\s*\(/, "shape") -# Property byteOrder (QDataStream_ByteOrder) -property_reader("QDataStream", /::byteOrder\s*\(/, "byteOrder") -property_writer("QDataStream", /::setByteOrder\s*\(/, "byteOrder") -# Property device (QIODevice *) -property_reader("QDataStream", /::device\s*\(/, "device") -property_writer("QDataStream", /::setDevice\s*\(/, "device") -# Property floatingPointPrecision (QDataStream_FloatingPointPrecision) -property_reader("QDataStream", /::floatingPointPrecision\s*\(/, "floatingPointPrecision") -property_writer("QDataStream", /::setFloatingPointPrecision\s*\(/, "floatingPointPrecision") -# Property status (QDataStream_Status) -property_reader("QDataStream", /::status\s*\(/, "status") -property_writer("QDataStream", /::setStatus\s*\(/, "status") -# Property version (int) -property_reader("QDataStream", /::version\s*\(/, "version") -property_writer("QDataStream", /::setVersion\s*\(/, "version") -# Property itemDelegate (QAbstractItemDelegate_Native *) -property_reader("QDataWidgetMapper", /::itemDelegate\s*\(/, "itemDelegate") -property_writer("QDataWidgetMapper", /::setItemDelegate\s*\(/, "itemDelegate") -# Property model (QAbstractItemModel_Native *) -property_reader("QDataWidgetMapper", /::model\s*\(/, "model") -property_writer("QDataWidgetMapper", /::setModel\s*\(/, "model") -# Property rootIndex (QModelIndex) -property_reader("QDataWidgetMapper", /::rootIndex\s*\(/, "rootIndex") -property_writer("QDataWidgetMapper", /::setRootIndex\s*\(/, "rootIndex") -# Property date (QDate) -property_reader("QDateTime", /::date\s*\(/, "date") -property_writer("QDateTime", /::setDate\s*\(/, "date") -# Property offsetFromUtc (int) -property_reader("QDateTime", /::offsetFromUtc\s*\(/, "offsetFromUtc") -property_writer("QDateTime", /::setOffsetFromUtc\s*\(/, "offsetFromUtc") -# Property time (QTime) -property_reader("QDateTime", /::time\s*\(/, "time") -property_writer("QDateTime", /::setTime\s*\(/, "time") -# Property timeSpec (Qt_TimeSpec) -property_reader("QDateTime", /::timeSpec\s*\(/, "timeSpec") -property_writer("QDateTime", /::setTimeSpec\s*\(/, "timeSpec") -# Property timeZone (QTimeZone) -property_reader("QDateTime", /::timeZone\s*\(/, "timeZone") -property_writer("QDateTime", /::setTimeZone\s*\(/, "timeZone") -# Property utcOffset (int) -property_reader("QDateTime", /::utcOffset\s*\(/, "utcOffset") -property_writer("QDateTime", /::setUtcOffset\s*\(/, "utcOffset") -# Property calendarWidget (QCalendarWidget_Native *) -property_reader("QDateTimeEdit", /::calendarWidget\s*\(/, "calendarWidget") -property_writer("QDateTimeEdit", /::setCalendarWidget\s*\(/, "calendarWidget") -# Property autoInsertSpaces (bool) -property_reader("QDebug", /::autoInsertSpaces\s*\(/, "autoInsertSpaces") -property_writer("QDebug", /::setAutoInsertSpaces\s*\(/, "autoInsertSpaces") -# Property extension (QWidget_Native *) -property_reader("QDialog", /::extension\s*\(/, "extension") -property_writer("QDialog", /::setExtension\s*\(/, "extension") -# Property orientation (Qt_Orientation) -property_reader("QDialog", /::orientation\s*\(/, "orientation") -property_writer("QDialog", /::setOrientation\s*\(/, "orientation") -# Property result (int) -property_reader("QDialog", /::result\s*\(/, "result") -property_writer("QDialog", /::setResult\s*\(/, "result") -# Property filter (QDir_QFlags_Filter) -property_reader("QDir", /::filter\s*\(/, "filter") -property_writer("QDir", /::setFilter\s*\(/, "filter") -# Property nameFilters (string[]) -property_reader("QDir", /::nameFilters\s*\(/, "nameFilters") -property_writer("QDir", /::setNameFilters\s*\(/, "nameFilters") -# Property path (string) -property_reader("QDir", /::path\s*\(/, "path") -property_writer("QDir", /::setPath\s*\(/, "path") -# Property sorting (QDir_QFlags_SortFlag) -property_reader("QDir", /::sorting\s*\(/, "sorting") -property_writer("QDir", /::setSorting\s*\(/, "sorting") -# Property filter (QDir_QFlags_Filter) -property_reader("QDirModel", /::filter\s*\(/, "filter") -property_writer("QDirModel", /::setFilter\s*\(/, "filter") -# Property iconProvider (QFileIconProvider_Native *) -property_reader("QDirModel", /::iconProvider\s*\(/, "iconProvider") -property_writer("QDirModel", /::setIconProvider\s*\(/, "iconProvider") -# Property nameFilters (string[]) -property_reader("QDirModel", /::nameFilters\s*\(/, "nameFilters") -property_writer("QDirModel", /::setNameFilters\s*\(/, "nameFilters") -# Property parent (QObject_Native *) -property_reader("QDirModel", /::parent\s*\(/, "parent") -property_writer("QObject", /::setParent\s*\(/, "parent") -# Property sorting (QDir_QFlags_SortFlag) -property_reader("QDirModel", /::sorting\s*\(/, "sorting") -property_writer("QDirModel", /::setSorting\s*\(/, "sorting") -# Property titleBarWidget (QWidget_Native *) -property_reader("QDockWidget", /::titleBarWidget\s*\(/, "titleBarWidget") -property_writer("QDockWidget", /::setTitleBarWidget\s*\(/, "titleBarWidget") -# Property widget (QWidget_Native *) -property_reader("QDockWidget", /::widget\s*\(/, "widget") -property_writer("QDockWidget", /::setWidget\s*\(/, "widget") -# Property value (string) -property_reader("QDomAttr", /::value\s*\(/, "value") -property_writer("QDomAttr", /::setValue\s*\(/, "value") -# Property data (string) -property_reader("QDomCharacterData", /::data\s*\(/, "data") -property_writer("QDomCharacterData", /::setData\s*\(/, "data") -# Property tagName (string) -property_reader("QDomElement", /::tagName\s*\(/, "tagName") -property_writer("QDomElement", /::setTagName\s*\(/, "tagName") -# Property invalidDataPolicy (QDomImplementation_InvalidDataPolicy) -property_reader("QDomImplementation", /::invalidDataPolicy\s*\(/, "invalidDataPolicy") -property_writer("QDomImplementation", /::setInvalidDataPolicy\s*\(/, "invalidDataPolicy") -# Property nodeValue (string) -property_reader("QDomNode", /::nodeValue\s*\(/, "nodeValue") -property_writer("QDomNode", /::setNodeValue\s*\(/, "nodeValue") -# Property prefix (string) -property_reader("QDomNode", /::prefix\s*\(/, "prefix") -property_writer("QDomNode", /::setPrefix\s*\(/, "prefix") -# Property data (string) -property_reader("QDomProcessingInstruction", /::data\s*\(/, "data") -property_writer("QDomProcessingInstruction", /::setData\s*\(/, "data") -# Property hotSpot (QPoint) -property_reader("QDrag", /::hotSpot\s*\(/, "hotSpot") -property_writer("QDrag", /::setHotSpot\s*\(/, "hotSpot") -# Property mimeData (QMimeData_Native *) -property_reader("QDrag", /::mimeData\s*\(/, "mimeData") -property_writer("QDrag", /::setMimeData\s*\(/, "mimeData") -# Property pixmap (QPixmap_Native) -property_reader("QDrag", /::pixmap\s*\(/, "pixmap") -property_writer("QDrag", /::setPixmap\s*\(/, "pixmap") -# Property dropAction (Qt_DropAction) -property_reader("QDropEvent", /::dropAction\s*\(/, "dropAction") -property_writer("QDropEvent", /::setDropAction\s*\(/, "dropAction") -# Property amplitude (double) -property_reader("QEasingCurve", /::amplitude\s*\(/, "amplitude") -property_writer("QEasingCurve", /::setAmplitude\s*\(/, "amplitude") -# Property overshoot (double) -property_reader("QEasingCurve", /::overshoot\s*\(/, "overshoot") -property_writer("QEasingCurve", /::setOvershoot\s*\(/, "overshoot") -# Property period (double) -property_reader("QEasingCurve", /::period\s*\(/, "period") -property_writer("QEasingCurve", /::setPeriod\s*\(/, "period") -# Property type (QEasingCurve_Type) -property_reader("QEasingCurve", /::type\s*\(/, "type") -property_writer("QEasingCurve", /::setType\s*\(/, "type") -# Property accepted (bool) -property_reader("QEvent", /::isAccepted\s*\(/, "accepted") -property_writer("QEvent", /::setAccepted\s*\(/, "accepted") -# Property fileName (string) -property_reader("QFile", /::fileName\s*\(/, "fileName") -property_writer("QFile", /::setFileName\s*\(/, "fileName") -# Property directoryUrl (QUrl) -property_reader("QFileDialog", /::directoryUrl\s*\(/, "directoryUrl") -property_writer("QFileDialog", /::setDirectoryUrl\s*\(/, "directoryUrl") -# Property filter (QDir_QFlags_Filter) -property_reader("QFileDialog", /::filter\s*\(/, "filter") -property_writer("QFileDialog", /::setFilter\s*\(/, "filter") -# Property history (string[]) -property_reader("QFileDialog", /::history\s*\(/, "history") -property_writer("QFileDialog", /::setHistory\s*\(/, "history") -# Property iconProvider (QFileIconProvider_Native *) -property_reader("QFileDialog", /::iconProvider\s*\(/, "iconProvider") -property_writer("QFileDialog", /::setIconProvider\s*\(/, "iconProvider") -# Property itemDelegate (QAbstractItemDelegate_Native *) -property_reader("QFileDialog", /::itemDelegate\s*\(/, "itemDelegate") -property_writer("QFileDialog", /::setItemDelegate\s*\(/, "itemDelegate") -# Property mimeTypeFilters (string[]) -property_reader("QFileDialog", /::mimeTypeFilters\s*\(/, "mimeTypeFilters") -property_writer("QFileDialog", /::setMimeTypeFilters\s*\(/, "mimeTypeFilters") -# Property nameFilters (string[]) -property_reader("QFileDialog", /::nameFilters\s*\(/, "nameFilters") -property_writer("QFileDialog", /::setNameFilters\s*\(/, "nameFilters") -# Property proxyModel (QAbstractProxyModel_Native *) -property_reader("QFileDialog", /::proxyModel\s*\(/, "proxyModel") -property_writer("QFileDialog", /::setProxyModel\s*\(/, "proxyModel") -# Property sidebarUrls (QUrl[]) -property_reader("QFileDialog", /::sidebarUrls\s*\(/, "sidebarUrls") -property_writer("QFileDialog", /::setSidebarUrls\s*\(/, "sidebarUrls") -# Property options (QFileIconProvider_QFlags_Option) -property_reader("QFileIconProvider", /::options\s*\(/, "options") -property_writer("QFileIconProvider", /::setOptions\s*\(/, "options") -# Property caching (bool) -property_reader("QFileInfo", /::caching\s*\(/, "caching") -property_writer("QFileInfo", /::setCaching\s*\(/, "caching") -# Property extraSelectors (string[]) -property_reader("QFileSelector", /::extraSelectors\s*\(/, "extraSelectors") -property_writer("QFileSelector", /::setExtraSelectors\s*\(/, "extraSelectors") -# Property filter (QDir_QFlags_Filter) -property_reader("QFileSystemModel", /::filter\s*\(/, "filter") -property_writer("QFileSystemModel", /::setFilter\s*\(/, "filter") -# Property iconProvider (QFileIconProvider_Native *) -property_reader("QFileSystemModel", /::iconProvider\s*\(/, "iconProvider") -property_writer("QFileSystemModel", /::setIconProvider\s*\(/, "iconProvider") -# Property nameFilters (string[]) -property_reader("QFileSystemModel", /::nameFilters\s*\(/, "nameFilters") -property_writer("QFileSystemModel", /::setNameFilters\s*\(/, "nameFilters") -# Property widget (QWidget_Native *) -property_reader("QFocusFrame", /::widget\s*\(/, "widget") -property_writer("QFocusFrame", /::setWidget\s*\(/, "widget") -# Property bold (bool) -property_reader("QFont", /::bold\s*\(/, "bold") -property_writer("QFont", /::setBold\s*\(/, "bold") -# Property capitalization (QFont_Capitalization) -property_reader("QFont", /::capitalization\s*\(/, "capitalization") -property_writer("QFont", /::setCapitalization\s*\(/, "capitalization") -# Property family (string) -property_reader("QFont", /::family\s*\(/, "family") -property_writer("QFont", /::setFamily\s*\(/, "family") -# Property fixedPitch (bool) -property_reader("QFont", /::fixedPitch\s*\(/, "fixedPitch") -property_writer("QFont", /::setFixedPitch\s*\(/, "fixedPitch") -# Property hintingPreference (QFont_HintingPreference) -property_reader("QFont", /::hintingPreference\s*\(/, "hintingPreference") -property_writer("QFont", /::setHintingPreference\s*\(/, "hintingPreference") -# Property italic (bool) -property_reader("QFont", /::italic\s*\(/, "italic") -property_writer("QFont", /::setItalic\s*\(/, "italic") -# Property kerning (bool) -property_reader("QFont", /::kerning\s*\(/, "kerning") -property_writer("QFont", /::setKerning\s*\(/, "kerning") -# Property overline (bool) -property_reader("QFont", /::overline\s*\(/, "overline") -property_writer("QFont", /::setOverline\s*\(/, "overline") -# Property pixelSize (int) -property_reader("QFont", /::pixelSize\s*\(/, "pixelSize") -property_writer("QFont", /::setPixelSize\s*\(/, "pixelSize") -# Property pointSize (int) -property_reader("QFont", /::pointSize\s*\(/, "pointSize") -property_writer("QFont", /::setPointSize\s*\(/, "pointSize") -# Property pointSizeF (double) -property_reader("QFont", /::pointSizeF\s*\(/, "pointSizeF") -property_writer("QFont", /::setPointSizeF\s*\(/, "pointSizeF") -# Property rawMode (bool) -property_reader("QFont", /::rawMode\s*\(/, "rawMode") -property_writer("QFont", /::setRawMode\s*\(/, "rawMode") -# Property rawName (string) -property_reader("QFont", /::rawName\s*\(/, "rawName") -property_writer("QFont", /::setRawName\s*\(/, "rawName") -# Property stretch (int) -property_reader("QFont", /::stretch\s*\(/, "stretch") -property_writer("QFont", /::setStretch\s*\(/, "stretch") -# Property strikeOut (bool) -property_reader("QFont", /::strikeOut\s*\(/, "strikeOut") -property_writer("QFont", /::setStrikeOut\s*\(/, "strikeOut") -# Property style (QFont_Style) -property_reader("QFont", /::style\s*\(/, "style") -property_writer("QFont", /::setStyle\s*\(/, "style") -# Property styleHint (QFont_StyleHint) -property_reader("QFont", /::styleHint\s*\(/, "styleHint") -property_writer("QFont", /::setStyleHint\s*\(/, "styleHint") -# Property styleName (string) -property_reader("QFont", /::styleName\s*\(/, "styleName") -property_writer("QFont", /::setStyleName\s*\(/, "styleName") -# Property styleStrategy (QFont_StyleStrategy) -property_reader("QFont", /::styleStrategy\s*\(/, "styleStrategy") -property_writer("QFont", /::setStyleStrategy\s*\(/, "styleStrategy") -# Property underline (bool) -property_reader("QFont", /::underline\s*\(/, "underline") -property_writer("QFont", /::setUnderline\s*\(/, "underline") -# Property weight (int) -property_reader("QFont", /::weight\s*\(/, "weight") -property_writer("QFont", /::setWeight\s*\(/, "weight") -# Property wordSpacing (double) -property_reader("QFont", /::wordSpacing\s*\(/, "wordSpacing") -property_writer("QFont", /::setWordSpacing\s*\(/, "wordSpacing") -# Property geometry (QRect) -property_reader("QLayout", /::geometry\s*\(/, "geometry") -property_writer("QFormLayout", /::setGeometry\s*\(/, "geometry") -# Property frameStyle (int) -property_reader("QFrame", /::frameStyle\s*\(/, "frameStyle") -property_writer("QFrame", /::setFrameStyle\s*\(/, "frameStyle") -# Property accepted (bool) -property_reader("QGestureEvent", /::isAccepted\s*\(/, "accepted") -property_writer("QGestureEvent", /::setAccepted\s*\(/, "accepted") -# Property widget (QWidget_Native *) -property_reader("QGestureEvent", /::widget\s*\(/, "widget") -property_writer("QGestureEvent", /::setWidget\s*\(/, "widget") -# Property boundingRect (QRectF) -property_reader("QGlyphRun", /::boundingRect\s*\(/, "boundingRect") -property_writer("QGlyphRun", /::setBoundingRect\s*\(/, "boundingRect") -# Property flags (QGlyphRun_QFlags_GlyphRunFlag) -property_reader("QGlyphRun", /::flags\s*\(/, "flags") -property_writer("QGlyphRun", /::setFlags\s*\(/, "flags") -# Property glyphIndexes (unsigned int[]) -property_reader("QGlyphRun", /::glyphIndexes\s*\(/, "glyphIndexes") -property_writer("QGlyphRun", /::setGlyphIndexes\s*\(/, "glyphIndexes") -# Property overline (bool) -property_reader("QGlyphRun", /::overline\s*\(/, "overline") -property_writer("QGlyphRun", /::setOverline\s*\(/, "overline") -# Property positions (QPointF[]) -property_reader("QGlyphRun", /::positions\s*\(/, "positions") -property_writer("QGlyphRun", /::setPositions\s*\(/, "positions") -# Property rawFont (QRawFont) -property_reader("QGlyphRun", /::rawFont\s*\(/, "rawFont") -property_writer("QGlyphRun", /::setRawFont\s*\(/, "rawFont") -# Property rightToLeft (bool) -property_reader("QGlyphRun", /::isRightToLeft\s*\(/, "rightToLeft") -property_writer("QGlyphRun", /::setRightToLeft\s*\(/, "rightToLeft") -# Property strikeOut (bool) -property_reader("QGlyphRun", /::strikeOut\s*\(/, "strikeOut") -property_writer("QGlyphRun", /::setStrikeOut\s*\(/, "strikeOut") -# Property underline (bool) -property_reader("QGlyphRun", /::underline\s*\(/, "underline") -property_writer("QGlyphRun", /::setUnderline\s*\(/, "underline") -# Property coordinateMode (QGradient_CoordinateMode) -property_reader("QGradient", /::coordinateMode\s*\(/, "coordinateMode") -property_writer("QGradient", /::setCoordinateMode\s*\(/, "coordinateMode") -# Property interpolationMode (QGradient_InterpolationMode) -property_reader("QGradient", /::interpolationMode\s*\(/, "interpolationMode") -property_writer("QGradient", /::setInterpolationMode\s*\(/, "interpolationMode") -# Property spread (QGradient_Spread) -property_reader("QGradient", /::spread\s*\(/, "spread") -property_writer("QGradient", /::setSpread\s*\(/, "spread") -# Property stops (QPair_double_QColor[]) -property_reader("QGradient", /::stops\s*\(/, "stops") -property_writer("QGradient", /::setStops\s*\(/, "stops") -# Property geometry (QRectF) -property_reader("QGraphicsLayoutItem", /::geometry\s*\(/, "geometry") -property_writer("QGraphicsAnchorLayout", /::setGeometry\s*\(/, "geometry") -# Property horizontalSpacing (double) -property_reader("QGraphicsAnchorLayout", /::horizontalSpacing\s*\(/, "horizontalSpacing") -property_writer("QGraphicsAnchorLayout", /::setHorizontalSpacing\s*\(/, "horizontalSpacing") -# Property verticalSpacing (double) -property_reader("QGraphicsAnchorLayout", /::verticalSpacing\s*\(/, "verticalSpacing") -property_writer("QGraphicsAnchorLayout", /::setVerticalSpacing\s*\(/, "verticalSpacing") -# Property rect (QRectF) -property_reader("QGraphicsEllipseItem", /::rect\s*\(/, "rect") -property_writer("QGraphicsEllipseItem", /::setRect\s*\(/, "rect") -# Property spanAngle (int) -property_reader("QGraphicsEllipseItem", /::spanAngle\s*\(/, "spanAngle") -property_writer("QGraphicsEllipseItem", /::setSpanAngle\s*\(/, "spanAngle") -# Property startAngle (int) -property_reader("QGraphicsEllipseItem", /::startAngle\s*\(/, "startAngle") -property_writer("QGraphicsEllipseItem", /::setStartAngle\s*\(/, "startAngle") -# Property geometry (QRectF) -property_reader("QGraphicsLayoutItem", /::geometry\s*\(/, "geometry") -property_writer("QGraphicsGridLayout", /::setGeometry\s*\(/, "geometry") -# Property horizontalSpacing (double) -property_reader("QGraphicsGridLayout", /::horizontalSpacing\s*\(/, "horizontalSpacing") -property_writer("QGraphicsGridLayout", /::setHorizontalSpacing\s*\(/, "horizontalSpacing") -# Property verticalSpacing (double) -property_reader("QGraphicsGridLayout", /::verticalSpacing\s*\(/, "verticalSpacing") -property_writer("QGraphicsGridLayout", /::setVerticalSpacing\s*\(/, "verticalSpacing") -# Property acceptDrops (bool) -property_reader("QGraphicsItem", /::acceptDrops\s*\(/, "acceptDrops") -property_writer("QGraphicsItem", /::setAcceptDrops\s*\(/, "acceptDrops") -# Property acceptHoverEvents (bool) -property_reader("QGraphicsItem", /::acceptHoverEvents\s*\(/, "acceptHoverEvents") -property_writer("QGraphicsItem", /::setAcceptHoverEvents\s*\(/, "acceptHoverEvents") -# Property acceptTouchEvents (bool) -property_reader("QGraphicsItem", /::acceptTouchEvents\s*\(/, "acceptTouchEvents") -property_writer("QGraphicsItem", /::setAcceptTouchEvents\s*\(/, "acceptTouchEvents") -# Property acceptedMouseButtons (Qt_QFlags_MouseButton) -property_reader("QGraphicsItem", /::acceptedMouseButtons\s*\(/, "acceptedMouseButtons") -property_writer("QGraphicsItem", /::setAcceptedMouseButtons\s*\(/, "acceptedMouseButtons") -# Property active (bool) -property_reader("QGraphicsItem", /::isActive\s*\(/, "active") -property_writer("QGraphicsItem", /::setActive\s*\(/, "active") -# Property boundingRegionGranularity (double) -property_reader("QGraphicsItem", /::boundingRegionGranularity\s*\(/, "boundingRegionGranularity") -property_writer("QGraphicsItem", /::setBoundingRegionGranularity\s*\(/, "boundingRegionGranularity") -# Property cacheMode (QGraphicsItem_CacheMode) -property_reader("QGraphicsItem", /::cacheMode\s*\(/, "cacheMode") -property_writer("QGraphicsItem", /::setCacheMode\s*\(/, "cacheMode") -# Property cursor (QCursor) -property_reader("QGraphicsItem", /::cursor\s*\(/, "cursor") -property_writer("QGraphicsItem", /::setCursor\s*\(/, "cursor") -# Property enabled (bool) -property_reader("QGraphicsItem", /::isEnabled\s*\(/, "enabled") -property_writer("QGraphicsItem", /::setEnabled\s*\(/, "enabled") -# Property filtersChildEvents (bool) -property_reader("QGraphicsItem", /::filtersChildEvents\s*\(/, "filtersChildEvents") -property_writer("QGraphicsItem", /::setFiltersChildEvents\s*\(/, "filtersChildEvents") -# Property flags (QGraphicsItem_QFlags_GraphicsItemFlag) -property_reader("QGraphicsItem", /::flags\s*\(/, "flags") -property_writer("QGraphicsItem", /::setFlags\s*\(/, "flags") -# Property focusProxy (QGraphicsItem_Native *) -property_reader("QGraphicsItem", /::focusProxy\s*\(/, "focusProxy") -property_writer("QGraphicsItem", /::setFocusProxy\s*\(/, "focusProxy") -# Property graphicsEffect (QGraphicsEffect_Native *) -property_reader("QGraphicsItem", /::graphicsEffect\s*\(/, "graphicsEffect") -property_writer("QGraphicsItem", /::setGraphicsEffect\s*\(/, "graphicsEffect") -# Property group (QGraphicsItemGroup_Native *) -property_reader("QGraphicsItem", /::group\s*\(/, "group") -property_writer("QGraphicsItem", /::setGroup\s*\(/, "group") -# Property handlesChildEvents (bool) -property_reader("QGraphicsItem", /::handlesChildEvents\s*\(/, "handlesChildEvents") -property_writer("QGraphicsItem", /::setHandlesChildEvents\s*\(/, "handlesChildEvents") -# Property inputMethodHints (Qt_QFlags_InputMethodHint) -property_reader("QGraphicsItem", /::inputMethodHints\s*\(/, "inputMethodHints") -property_writer("QGraphicsItem", /::setInputMethodHints\s*\(/, "inputMethodHints") -# Property matrix (QMatrix) -property_reader("QGraphicsItem", /::matrix\s*\(/, "matrix") -property_writer("QGraphicsItem", /::setMatrix\s*\(/, "matrix") -# Property opacity (double) -property_reader("QGraphicsItem", /::opacity\s*\(/, "opacity") -property_writer("QGraphicsItem", /::setOpacity\s*\(/, "opacity") -# Property panelModality (QGraphicsItem_PanelModality) -property_reader("QGraphicsItem", /::panelModality\s*\(/, "panelModality") -property_writer("QGraphicsItem", /::setPanelModality\s*\(/, "panelModality") -# Property parentItem (QGraphicsItem_Native *) -property_reader("QGraphicsItem", /::parentItem\s*\(/, "parentItem") -property_writer("QGraphicsItem", /::setParentItem\s*\(/, "parentItem") -# Property pos (QPointF) -property_reader("QGraphicsItem", /::pos\s*\(/, "pos") -property_writer("QGraphicsItem", /::setPos\s*\(/, "pos") -# Property rotation (double) -property_reader("QGraphicsItem", /::rotation\s*\(/, "rotation") -property_writer("QGraphicsItem", /::setRotation\s*\(/, "rotation") -# Property scale (double) -property_reader("QGraphicsItem", /::scale\s*\(/, "scale") -property_writer("QGraphicsItem", /::setScale\s*\(/, "scale") -# Property selected (bool) -property_reader("QGraphicsItem", /::isSelected\s*\(/, "selected") -property_writer("QGraphicsItem", /::setSelected\s*\(/, "selected") -# Property toolTip (string) -property_reader("QGraphicsItem", /::toolTip\s*\(/, "toolTip") -property_writer("QGraphicsItem", /::setToolTip\s*\(/, "toolTip") -# Property transform (QTransform) -property_reader("QGraphicsItem", /::transform\s*\(/, "transform") -property_writer("QGraphicsItem", /::setTransform\s*\(/, "transform") -# Property transformOriginPoint (QPointF) -property_reader("QGraphicsItem", /::transformOriginPoint\s*\(/, "transformOriginPoint") -property_writer("QGraphicsItem", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") -# Property transformations (QGraphicsTransform_Native *[]) -property_reader("QGraphicsItem", /::transformations\s*\(/, "transformations") -property_writer("QGraphicsItem", /::setTransformations\s*\(/, "transformations") -# Property visible (bool) -property_reader("QGraphicsItem", /::isVisible\s*\(/, "visible") -property_writer("QGraphicsItem", /::setVisible\s*\(/, "visible") -# Property x (double) -property_reader("QGraphicsItem", /::x\s*\(/, "x") -property_writer("QGraphicsItem", /::setX\s*\(/, "x") -# Property y (double) -property_reader("QGraphicsItem", /::y\s*\(/, "y") -property_writer("QGraphicsItem", /::setY\s*\(/, "y") -# Property zValue (double) -property_reader("QGraphicsItem", /::zValue\s*\(/, "zValue") -property_writer("QGraphicsItem", /::setZValue\s*\(/, "zValue") -# Property item (QGraphicsItem_Native *) -property_reader("QGraphicsItemAnimation", /::item\s*\(/, "item") -property_writer("QGraphicsItemAnimation", /::setItem\s*\(/, "item") -# Property timeLine (QTimeLine_Native *) -property_reader("QGraphicsItemAnimation", /::timeLine\s*\(/, "timeLine") -property_writer("QGraphicsItemAnimation", /::setTimeLine\s*\(/, "timeLine") -# Property instantInvalidatePropagation (bool) -property_reader("QGraphicsLayout", /::instantInvalidatePropagation\s*\(/, "instantInvalidatePropagation") -property_writer("QGraphicsLayout", /::setInstantInvalidatePropagation\s*\(/, "instantInvalidatePropagation") -# Property geometry (QRectF) -property_reader("QGraphicsLayoutItem", /::geometry\s*\(/, "geometry") -property_writer("QGraphicsLayoutItem", /::setGeometry\s*\(/, "geometry") -# Property maximumHeight (double) -property_reader("QGraphicsLayoutItem", /::maximumHeight\s*\(/, "maximumHeight") -property_writer("QGraphicsLayoutItem", /::setMaximumHeight\s*\(/, "maximumHeight") -# Property maximumSize (QSizeF) -property_reader("QGraphicsLayoutItem", /::maximumSize\s*\(/, "maximumSize") -property_writer("QGraphicsLayoutItem", /::setMaximumSize\s*\(/, "maximumSize") -# Property maximumWidth (double) -property_reader("QGraphicsLayoutItem", /::maximumWidth\s*\(/, "maximumWidth") -property_writer("QGraphicsLayoutItem", /::setMaximumWidth\s*\(/, "maximumWidth") -# Property minimumHeight (double) -property_reader("QGraphicsLayoutItem", /::minimumHeight\s*\(/, "minimumHeight") -property_writer("QGraphicsLayoutItem", /::setMinimumHeight\s*\(/, "minimumHeight") -# Property minimumSize (QSizeF) -property_reader("QGraphicsLayoutItem", /::minimumSize\s*\(/, "minimumSize") -property_writer("QGraphicsLayoutItem", /::setMinimumSize\s*\(/, "minimumSize") -# Property minimumWidth (double) -property_reader("QGraphicsLayoutItem", /::minimumWidth\s*\(/, "minimumWidth") -property_writer("QGraphicsLayoutItem", /::setMinimumWidth\s*\(/, "minimumWidth") -# Property parentLayoutItem (QGraphicsLayoutItem_Native *) -property_reader("QGraphicsLayoutItem", /::parentLayoutItem\s*\(/, "parentLayoutItem") -property_writer("QGraphicsLayoutItem", /::setParentLayoutItem\s*\(/, "parentLayoutItem") -# Property preferredHeight (double) -property_reader("QGraphicsLayoutItem", /::preferredHeight\s*\(/, "preferredHeight") -property_writer("QGraphicsLayoutItem", /::setPreferredHeight\s*\(/, "preferredHeight") -# Property preferredSize (QSizeF) -property_reader("QGraphicsLayoutItem", /::preferredSize\s*\(/, "preferredSize") -property_writer("QGraphicsLayoutItem", /::setPreferredSize\s*\(/, "preferredSize") -# Property preferredWidth (double) -property_reader("QGraphicsLayoutItem", /::preferredWidth\s*\(/, "preferredWidth") -property_writer("QGraphicsLayoutItem", /::setPreferredWidth\s*\(/, "preferredWidth") -# Property sizePolicy (QSizePolicy) -property_reader("QGraphicsLayoutItem", /::sizePolicy\s*\(/, "sizePolicy") -property_writer("QGraphicsLayoutItem", /::setSizePolicy\s*\(/, "sizePolicy") -# Property line (QLineF) -property_reader("QGraphicsLineItem", /::line\s*\(/, "line") -property_writer("QGraphicsLineItem", /::setLine\s*\(/, "line") -# Property pen (QPen) -property_reader("QGraphicsLineItem", /::pen\s*\(/, "pen") -property_writer("QGraphicsLineItem", /::setPen\s*\(/, "pen") -# Property geometry (QRectF) -property_reader("QGraphicsLayoutItem", /::geometry\s*\(/, "geometry") -property_writer("QGraphicsLinearLayout", /::setGeometry\s*\(/, "geometry") -# Property orientation (Qt_Orientation) -property_reader("QGraphicsLinearLayout", /::orientation\s*\(/, "orientation") -property_writer("QGraphicsLinearLayout", /::setOrientation\s*\(/, "orientation") -# Property spacing (double) -property_reader("QGraphicsLinearLayout", /::spacing\s*\(/, "spacing") -property_writer("QGraphicsLinearLayout", /::setSpacing\s*\(/, "spacing") -# Property path (QPainterPath) -property_reader("QGraphicsPathItem", /::path\s*\(/, "path") -property_writer("QGraphicsPathItem", /::setPath\s*\(/, "path") -# Property offset (QPointF) -property_reader("QGraphicsPixmapItem", /::offset\s*\(/, "offset") -property_writer("QGraphicsPixmapItem", /::setOffset\s*\(/, "offset") -# Property pixmap (QPixmap_Native) -property_reader("QGraphicsPixmapItem", /::pixmap\s*\(/, "pixmap") -property_writer("QGraphicsPixmapItem", /::setPixmap\s*\(/, "pixmap") -# Property shapeMode (QGraphicsPixmapItem_ShapeMode) -property_reader("QGraphicsPixmapItem", /::shapeMode\s*\(/, "shapeMode") -property_writer("QGraphicsPixmapItem", /::setShapeMode\s*\(/, "shapeMode") -# Property transformationMode (Qt_TransformationMode) -property_reader("QGraphicsPixmapItem", /::transformationMode\s*\(/, "transformationMode") -property_writer("QGraphicsPixmapItem", /::setTransformationMode\s*\(/, "transformationMode") -# Property fillRule (Qt_FillRule) -property_reader("QGraphicsPolygonItem", /::fillRule\s*\(/, "fillRule") -property_writer("QGraphicsPolygonItem", /::setFillRule\s*\(/, "fillRule") -# Property polygon (QPolygonF) -property_reader("QGraphicsPolygonItem", /::polygon\s*\(/, "polygon") -property_writer("QGraphicsPolygonItem", /::setPolygon\s*\(/, "polygon") -# Property widget (QWidget_Native *) -property_reader("QGraphicsProxyWidget", /::widget\s*\(/, "widget") -property_writer("QGraphicsProxyWidget", /::setWidget\s*\(/, "widget") -# Property rect (QRectF) -property_reader("QGraphicsRectItem", /::rect\s*\(/, "rect") -property_writer("QGraphicsRectItem", /::setRect\s*\(/, "rect") -# Property activePanel (QGraphicsItem_Native *) -property_reader("QGraphicsScene", /::activePanel\s*\(/, "activePanel") -property_writer("QGraphicsScene", /::setActivePanel\s*\(/, "activePanel") -# Property activeWindow (QGraphicsWidget_Native *) -property_reader("QGraphicsScene", /::activeWindow\s*\(/, "activeWindow") -property_writer("QGraphicsScene", /::setActiveWindow\s*\(/, "activeWindow") -# Property focusItem (QGraphicsItem_Native *) -property_reader("QGraphicsScene", /::focusItem\s*\(/, "focusItem") -property_writer("QGraphicsScene", /::setFocusItem\s*\(/, "focusItem") -# Property selectionArea (QPainterPath) -property_reader("QGraphicsScene", /::selectionArea\s*\(/, "selectionArea") -property_writer("QGraphicsScene", /::setSelectionArea\s*\(/, "selectionArea") -# Property style (QStyle_Native *) -property_reader("QGraphicsScene", /::style\s*\(/, "style") -property_writer("QGraphicsScene", /::setStyle\s*\(/, "style") -# Property modifiers (Qt_QFlags_KeyboardModifier) -property_reader("QGraphicsSceneContextMenuEvent", /::modifiers\s*\(/, "modifiers") -property_writer("QGraphicsSceneContextMenuEvent", /::setModifiers\s*\(/, "modifiers") -# Property pos (QPointF) -property_reader("QGraphicsSceneContextMenuEvent", /::pos\s*\(/, "pos") -property_writer("QGraphicsSceneContextMenuEvent", /::setPos\s*\(/, "pos") -# Property reason (QGraphicsSceneContextMenuEvent_Reason) -property_reader("QGraphicsSceneContextMenuEvent", /::reason\s*\(/, "reason") -property_writer("QGraphicsSceneContextMenuEvent", /::setReason\s*\(/, "reason") -# Property scenePos (QPointF) -property_reader("QGraphicsSceneContextMenuEvent", /::scenePos\s*\(/, "scenePos") -property_writer("QGraphicsSceneContextMenuEvent", /::setScenePos\s*\(/, "scenePos") -# Property screenPos (QPoint) -property_reader("QGraphicsSceneContextMenuEvent", /::screenPos\s*\(/, "screenPos") -property_writer("QGraphicsSceneContextMenuEvent", /::setScreenPos\s*\(/, "screenPos") -# Property buttons (Qt_QFlags_MouseButton) -property_reader("QGraphicsSceneDragDropEvent", /::buttons\s*\(/, "buttons") -property_writer("QGraphicsSceneDragDropEvent", /::setButtons\s*\(/, "buttons") -# Property dropAction (Qt_DropAction) -property_reader("QGraphicsSceneDragDropEvent", /::dropAction\s*\(/, "dropAction") -property_writer("QGraphicsSceneDragDropEvent", /::setDropAction\s*\(/, "dropAction") -# Property mimeData (QMimeData_Native *) -property_reader("QGraphicsSceneDragDropEvent", /::mimeData\s*\(/, "mimeData") -property_writer("QGraphicsSceneDragDropEvent", /::setMimeData\s*\(/, "mimeData") -# Property modifiers (Qt_QFlags_KeyboardModifier) -property_reader("QGraphicsSceneDragDropEvent", /::modifiers\s*\(/, "modifiers") -property_writer("QGraphicsSceneDragDropEvent", /::setModifiers\s*\(/, "modifiers") -# Property pos (QPointF) -property_reader("QGraphicsSceneDragDropEvent", /::pos\s*\(/, "pos") -property_writer("QGraphicsSceneDragDropEvent", /::setPos\s*\(/, "pos") -# Property possibleActions (Qt_QFlags_DropAction) -property_reader("QGraphicsSceneDragDropEvent", /::possibleActions\s*\(/, "possibleActions") -property_writer("QGraphicsSceneDragDropEvent", /::setPossibleActions\s*\(/, "possibleActions") -# Property proposedAction (Qt_DropAction) -property_reader("QGraphicsSceneDragDropEvent", /::proposedAction\s*\(/, "proposedAction") -property_writer("QGraphicsSceneDragDropEvent", /::setProposedAction\s*\(/, "proposedAction") -# Property scenePos (QPointF) -property_reader("QGraphicsSceneDragDropEvent", /::scenePos\s*\(/, "scenePos") -property_writer("QGraphicsSceneDragDropEvent", /::setScenePos\s*\(/, "scenePos") -# Property screenPos (QPoint) -property_reader("QGraphicsSceneDragDropEvent", /::screenPos\s*\(/, "screenPos") -property_writer("QGraphicsSceneDragDropEvent", /::setScreenPos\s*\(/, "screenPos") -# Property source (QWidget_Native *) -property_reader("QGraphicsSceneDragDropEvent", /::source\s*\(/, "source") -property_writer("QGraphicsSceneDragDropEvent", /::setSource\s*\(/, "source") -# Property widget (QWidget_Native *) -property_reader("QGraphicsSceneEvent", /::widget\s*\(/, "widget") -property_writer("QGraphicsSceneEvent", /::setWidget\s*\(/, "widget") -# Property scenePos (QPointF) -property_reader("QGraphicsSceneHelpEvent", /::scenePos\s*\(/, "scenePos") -property_writer("QGraphicsSceneHelpEvent", /::setScenePos\s*\(/, "scenePos") -# Property screenPos (QPoint) -property_reader("QGraphicsSceneHelpEvent", /::screenPos\s*\(/, "screenPos") -property_writer("QGraphicsSceneHelpEvent", /::setScreenPos\s*\(/, "screenPos") -# Property lastPos (QPointF) -property_reader("QGraphicsSceneHoverEvent", /::lastPos\s*\(/, "lastPos") -property_writer("QGraphicsSceneHoverEvent", /::setLastPos\s*\(/, "lastPos") -# Property lastScenePos (QPointF) -property_reader("QGraphicsSceneHoverEvent", /::lastScenePos\s*\(/, "lastScenePos") -property_writer("QGraphicsSceneHoverEvent", /::setLastScenePos\s*\(/, "lastScenePos") -# Property lastScreenPos (QPoint) -property_reader("QGraphicsSceneHoverEvent", /::lastScreenPos\s*\(/, "lastScreenPos") -property_writer("QGraphicsSceneHoverEvent", /::setLastScreenPos\s*\(/, "lastScreenPos") -# Property modifiers (Qt_QFlags_KeyboardModifier) -property_reader("QGraphicsSceneHoverEvent", /::modifiers\s*\(/, "modifiers") -property_writer("QGraphicsSceneHoverEvent", /::setModifiers\s*\(/, "modifiers") -# Property pos (QPointF) -property_reader("QGraphicsSceneHoverEvent", /::pos\s*\(/, "pos") -property_writer("QGraphicsSceneHoverEvent", /::setPos\s*\(/, "pos") -# Property scenePos (QPointF) -property_reader("QGraphicsSceneHoverEvent", /::scenePos\s*\(/, "scenePos") -property_writer("QGraphicsSceneHoverEvent", /::setScenePos\s*\(/, "scenePos") -# Property screenPos (QPoint) -property_reader("QGraphicsSceneHoverEvent", /::screenPos\s*\(/, "screenPos") -property_writer("QGraphicsSceneHoverEvent", /::setScreenPos\s*\(/, "screenPos") -# Property button (Qt_MouseButton) -property_reader("QGraphicsSceneMouseEvent", /::button\s*\(/, "button") -property_writer("QGraphicsSceneMouseEvent", /::setButton\s*\(/, "button") -# Property buttons (Qt_QFlags_MouseButton) -property_reader("QGraphicsSceneMouseEvent", /::buttons\s*\(/, "buttons") -property_writer("QGraphicsSceneMouseEvent", /::setButtons\s*\(/, "buttons") -# Property flags (Qt_QFlags_MouseEventFlag) -property_reader("QGraphicsSceneMouseEvent", /::flags\s*\(/, "flags") -property_writer("QGraphicsSceneMouseEvent", /::setFlags\s*\(/, "flags") -# Property lastPos (QPointF) -property_reader("QGraphicsSceneMouseEvent", /::lastPos\s*\(/, "lastPos") -property_writer("QGraphicsSceneMouseEvent", /::setLastPos\s*\(/, "lastPos") -# Property lastScenePos (QPointF) -property_reader("QGraphicsSceneMouseEvent", /::lastScenePos\s*\(/, "lastScenePos") -property_writer("QGraphicsSceneMouseEvent", /::setLastScenePos\s*\(/, "lastScenePos") -# Property lastScreenPos (QPoint) -property_reader("QGraphicsSceneMouseEvent", /::lastScreenPos\s*\(/, "lastScreenPos") -property_writer("QGraphicsSceneMouseEvent", /::setLastScreenPos\s*\(/, "lastScreenPos") -# Property modifiers (Qt_QFlags_KeyboardModifier) -property_reader("QGraphicsSceneMouseEvent", /::modifiers\s*\(/, "modifiers") -property_writer("QGraphicsSceneMouseEvent", /::setModifiers\s*\(/, "modifiers") -# Property pos (QPointF) -property_reader("QGraphicsSceneMouseEvent", /::pos\s*\(/, "pos") -property_writer("QGraphicsSceneMouseEvent", /::setPos\s*\(/, "pos") -# Property scenePos (QPointF) -property_reader("QGraphicsSceneMouseEvent", /::scenePos\s*\(/, "scenePos") -property_writer("QGraphicsSceneMouseEvent", /::setScenePos\s*\(/, "scenePos") -# Property screenPos (QPoint) -property_reader("QGraphicsSceneMouseEvent", /::screenPos\s*\(/, "screenPos") -property_writer("QGraphicsSceneMouseEvent", /::setScreenPos\s*\(/, "screenPos") -# Property source (Qt_MouseEventSource) -property_reader("QGraphicsSceneMouseEvent", /::source\s*\(/, "source") -property_writer("QGraphicsSceneMouseEvent", /::setSource\s*\(/, "source") -# Property newPos (QPointF) -property_reader("QGraphicsSceneMoveEvent", /::newPos\s*\(/, "newPos") -property_writer("QGraphicsSceneMoveEvent", /::setNewPos\s*\(/, "newPos") -# Property oldPos (QPointF) -property_reader("QGraphicsSceneMoveEvent", /::oldPos\s*\(/, "oldPos") -property_writer("QGraphicsSceneMoveEvent", /::setOldPos\s*\(/, "oldPos") -# Property newSize (QSizeF) -property_reader("QGraphicsSceneResizeEvent", /::newSize\s*\(/, "newSize") -property_writer("QGraphicsSceneResizeEvent", /::setNewSize\s*\(/, "newSize") -# Property oldSize (QSizeF) -property_reader("QGraphicsSceneResizeEvent", /::oldSize\s*\(/, "oldSize") -property_writer("QGraphicsSceneResizeEvent", /::setOldSize\s*\(/, "oldSize") -# Property buttons (Qt_QFlags_MouseButton) -property_reader("QGraphicsSceneWheelEvent", /::buttons\s*\(/, "buttons") -property_writer("QGraphicsSceneWheelEvent", /::setButtons\s*\(/, "buttons") -# Property delta (int) -property_reader("QGraphicsSceneWheelEvent", /::delta\s*\(/, "delta") -property_writer("QGraphicsSceneWheelEvent", /::setDelta\s*\(/, "delta") -# Property modifiers (Qt_QFlags_KeyboardModifier) -property_reader("QGraphicsSceneWheelEvent", /::modifiers\s*\(/, "modifiers") -property_writer("QGraphicsSceneWheelEvent", /::setModifiers\s*\(/, "modifiers") -# Property orientation (Qt_Orientation) -property_reader("QGraphicsSceneWheelEvent", /::orientation\s*\(/, "orientation") -property_writer("QGraphicsSceneWheelEvent", /::setOrientation\s*\(/, "orientation") -# Property pos (QPointF) -property_reader("QGraphicsSceneWheelEvent", /::pos\s*\(/, "pos") -property_writer("QGraphicsSceneWheelEvent", /::setPos\s*\(/, "pos") -# Property scenePos (QPointF) -property_reader("QGraphicsSceneWheelEvent", /::scenePos\s*\(/, "scenePos") -property_writer("QGraphicsSceneWheelEvent", /::setScenePos\s*\(/, "scenePos") -# Property screenPos (QPoint) -property_reader("QGraphicsSceneWheelEvent", /::screenPos\s*\(/, "screenPos") -property_writer("QGraphicsSceneWheelEvent", /::setScreenPos\s*\(/, "screenPos") -# Property font (QFont) -property_reader("QGraphicsSimpleTextItem", /::font\s*\(/, "font") -property_writer("QGraphicsSimpleTextItem", /::setFont\s*\(/, "font") -# Property text (string) -property_reader("QGraphicsSimpleTextItem", /::text\s*\(/, "text") -property_writer("QGraphicsSimpleTextItem", /::setText\s*\(/, "text") -# Property cachingEnabled (bool) -property_reader("QGraphicsSvgItem", /::isCachingEnabled\s*\(/, "cachingEnabled") -property_writer("QGraphicsSvgItem", /::setCachingEnabled\s*\(/, "cachingEnabled") -# Property defaultTextColor (QColor) -property_reader("QGraphicsTextItem", /::defaultTextColor\s*\(/, "defaultTextColor") -property_writer("QGraphicsTextItem", /::setDefaultTextColor\s*\(/, "defaultTextColor") -# Property document (QTextDocument_Native *) -property_reader("QGraphicsTextItem", /::document\s*\(/, "document") -property_writer("QGraphicsTextItem", /::setDocument\s*\(/, "document") -# Property font (QFont) -property_reader("QGraphicsTextItem", /::font\s*\(/, "font") -property_writer("QGraphicsTextItem", /::setFont\s*\(/, "font") -# Property openExternalLinks (bool) -property_reader("QGraphicsTextItem", /::openExternalLinks\s*\(/, "openExternalLinks") -property_writer("QGraphicsTextItem", /::setOpenExternalLinks\s*\(/, "openExternalLinks") -# Property tabChangesFocus (bool) -property_reader("QGraphicsTextItem", /::tabChangesFocus\s*\(/, "tabChangesFocus") -property_writer("QGraphicsTextItem", /::setTabChangesFocus\s*\(/, "tabChangesFocus") -# Property textCursor (QTextCursor) -property_reader("QGraphicsTextItem", /::textCursor\s*\(/, "textCursor") -property_writer("QGraphicsTextItem", /::setTextCursor\s*\(/, "textCursor") -# Property textInteractionFlags (Qt_QFlags_TextInteractionFlag) -property_reader("QGraphicsTextItem", /::textInteractionFlags\s*\(/, "textInteractionFlags") -property_writer("QGraphicsTextItem", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") -# Property textWidth (double) -property_reader("QGraphicsTextItem", /::textWidth\s*\(/, "textWidth") -property_writer("QGraphicsTextItem", /::setTextWidth\s*\(/, "textWidth") -# Property matrix (QMatrix) -property_reader("QGraphicsView", /::matrix\s*\(/, "matrix") -property_writer("QGraphicsView", /::setMatrix\s*\(/, "matrix") -# Property scene (QGraphicsScene_Native *) -property_reader("QGraphicsView", /::scene\s*\(/, "scene") -property_writer("QGraphicsView", /::setScene\s*\(/, "scene") -# Property transform (QTransform) -property_reader("QGraphicsView", /::transform\s*\(/, "transform") -property_writer("QGraphicsView", /::setTransform\s*\(/, "transform") -# Property style (QStyle_Native *) -property_reader("QGraphicsWidget", /::style\s*\(/, "style") -property_writer("QGraphicsWidget", /::setStyle\s*\(/, "style") -# Property geometry (QRect) -property_reader("QLayout", /::geometry\s*\(/, "geometry") -property_writer("QGridLayout", /::setGeometry\s*\(/, "geometry") -# Property horizontalSpacing (int) -property_reader("QGridLayout", /::horizontalSpacing\s*\(/, "horizontalSpacing") -property_writer("QGridLayout", /::setHorizontalSpacing\s*\(/, "horizontalSpacing") -# Property originCorner (Qt_Corner) -property_reader("QGridLayout", /::originCorner\s*\(/, "originCorner") -property_writer("QGridLayout", /::setOriginCorner\s*\(/, "originCorner") -# Property verticalSpacing (int) -property_reader("QGridLayout", /::verticalSpacing\s*\(/, "verticalSpacing") -property_writer("QGridLayout", /::setVerticalSpacing\s*\(/, "verticalSpacing") -# Property desktopSettingsAware (bool) -property_reader("QGuiApplication", /::desktopSettingsAware\s*\(/, "desktopSettingsAware") -property_writer("QGuiApplication", /::setDesktopSettingsAware\s*\(/, "desktopSettingsAware") -# Property font (QFont) -property_reader("QGuiApplication", /::font\s*\(/, "font") -property_writer("QGuiApplication", /::setFont\s*\(/, "font") -# Property palette (QPalette) -property_reader("QGuiApplication", /::palette\s*\(/, "palette") -property_writer("QGuiApplication", /::setPalette\s*\(/, "palette") -# Property model (QAbstractItemModel_Native *) -property_reader("QAbstractItemView", /::model\s*\(/, "model") -property_writer("QHeaderView", /::setModel\s*\(/, "model") -# Property offset (int) -property_reader("QHeaderView", /::offset\s*\(/, "offset") -property_writer("QHeaderView", /::setOffset\s*\(/, "offset") -# Property resizeContentsPrecision (int) -property_reader("QHeaderView", /::resizeContentsPrecision\s*\(/, "resizeContentsPrecision") -property_writer("QHeaderView", /::setResizeContentsPrecision\s*\(/, "resizeContentsPrecision") -# Property sectionsClickable (bool) -property_reader("QHeaderView", /::sectionsClickable\s*\(/, "sectionsClickable") -property_writer("QHeaderView", /::setSectionsClickable\s*\(/, "sectionsClickable") -# Property sectionsMovable (bool) -property_reader("QHeaderView", /::sectionsMovable\s*\(/, "sectionsMovable") -property_writer("QHeaderView", /::setSectionsMovable\s*\(/, "sectionsMovable") -# Property sortIndicatorShown (bool) -property_reader("QHeaderView", /::isSortIndicatorShown\s*\(/, "sortIndicatorShown") -property_writer("QHeaderView", /::setSortIndicatorShown\s*\(/, "sortIndicatorShown") -# Property scopeId (string) -property_reader("QHostAddress", /::scopeId\s*\(/, "scopeId") -property_writer("QHostAddress", /::setScopeId\s*\(/, "scopeId") -# Property addresses (QHostAddress[]) -property_reader("QHostInfo", /::addresses\s*\(/, "addresses") -property_writer("QHostInfo", /::setAddresses\s*\(/, "addresses") -# Property error (QHostInfo_HostInfoError) -property_reader("QHostInfo", /::error\s*\(/, "error") -property_writer("QHostInfo", /::setError\s*\(/, "error") -# Property errorString (string) -property_reader("QHostInfo", /::errorString\s*\(/, "errorString") -property_writer("QHostInfo", /::setErrorString\s*\(/, "errorString") -# Property hostName (string) -property_reader("QHostInfo", /::hostName\s*\(/, "hostName") -property_writer("QHostInfo", /::setHostName\s*\(/, "hostName") -# Property lookupId (int) -property_reader("QHostInfo", /::lookupId\s*\(/, "lookupId") -property_writer("QHostInfo", /::setLookupId\s*\(/, "lookupId") -# Property boundary (string) -property_reader("QHttpMultiPart", /::boundary\s*\(/, "boundary") -property_writer("QHttpMultiPart", /::setBoundary\s*\(/, "boundary") -# Property textModeEnabled (bool) -property_reader("QIODevice", /::isTextModeEnabled\s*\(/, "textModeEnabled") -property_writer("QIODevice", /::setTextModeEnabled\s*\(/, "textModeEnabled") -# Property themeName (string) -property_reader("QIcon", /::themeName\s*\(/, "themeName") -property_writer("QIcon", /::setThemeName\s*\(/, "themeName") -# Property themeSearchPaths (string[]) -property_reader("QIcon", /::themeSearchPaths\s*\(/, "themeSearchPaths") -property_writer("QIcon", /::setThemeSearchPaths\s*\(/, "themeSearchPaths") -# Property alphaChannel (QImage_Native) -property_reader("QImage", /::alphaChannel\s*\(/, "alphaChannel") -property_writer("QImage", /::setAlphaChannel\s*\(/, "alphaChannel") -# Property colorCount (int) -property_reader("QImage", /::colorCount\s*\(/, "colorCount") -property_writer("QImage", /::setColorCount\s*\(/, "colorCount") -# Property devicePixelRatio (double) -property_reader("QImage", /::devicePixelRatio\s*\(/, "devicePixelRatio") -property_writer("QImage", /::setDevicePixelRatio\s*\(/, "devicePixelRatio") -# Property dotsPerMeterX (int) -property_reader("QImage", /::dotsPerMeterX\s*\(/, "dotsPerMeterX") -property_writer("QImage", /::setDotsPerMeterX\s*\(/, "dotsPerMeterX") -# Property dotsPerMeterY (int) -property_reader("QImage", /::dotsPerMeterY\s*\(/, "dotsPerMeterY") -property_writer("QImage", /::setDotsPerMeterY\s*\(/, "dotsPerMeterY") -# Property offset (QPoint) -property_reader("QImage", /::offset\s*\(/, "offset") -property_writer("QImage", /::setOffset\s*\(/, "offset") -# Property imageSettings (QImageEncoderSettings) -property_reader("QImageEncoderControl", /::imageSettings\s*\(/, "imageSettings") -property_writer("QImageEncoderControl", /::setImageSettings\s*\(/, "imageSettings") -# Property codec (string) -property_reader("QImageEncoderSettings", /::codec\s*\(/, "codec") -property_writer("QImageEncoderSettings", /::setCodec\s*\(/, "codec") -# Property encodingOptions (map) -property_reader("QImageEncoderSettings", /::encodingOptions\s*\(/, "encodingOptions") -property_writer("QImageEncoderSettings", /::setEncodingOptions\s*\(/, "encodingOptions") -# Property quality (QMultimedia_EncodingQuality) -property_reader("QImageEncoderSettings", /::quality\s*\(/, "quality") -property_writer("QImageEncoderSettings", /::setQuality\s*\(/, "quality") -# Property resolution (QSize) -property_reader("QImageEncoderSettings", /::resolution\s*\(/, "resolution") -property_writer("QImageEncoderSettings", /::setResolution\s*\(/, "resolution") -# Property device (QIODevice *) -property_reader("QImageIOHandler", /::device\s*\(/, "device") -property_writer("QImageIOHandler", /::setDevice\s*\(/, "device") -# Property format (string) -property_reader("QImageIOHandler", /::format\s*\(/, "format") -property_writer("QImageIOHandler", /::setFormat\s*\(/, "format") -# Property autoDetectImageFormat (bool) -property_reader("QImageReader", /::autoDetectImageFormat\s*\(/, "autoDetectImageFormat") -property_writer("QImageReader", /::setAutoDetectImageFormat\s*\(/, "autoDetectImageFormat") -# Property autoTransform (bool) -property_reader("QImageReader", /::autoTransform\s*\(/, "autoTransform") -property_writer("QImageReader", /::setAutoTransform\s*\(/, "autoTransform") -# Property backgroundColor (QColor) -property_reader("QImageReader", /::backgroundColor\s*\(/, "backgroundColor") -property_writer("QImageReader", /::setBackgroundColor\s*\(/, "backgroundColor") -# Property clipRect (QRect) -property_reader("QImageReader", /::clipRect\s*\(/, "clipRect") -property_writer("QImageReader", /::setClipRect\s*\(/, "clipRect") -# Property decideFormatFromContent (bool) -property_reader("QImageReader", /::decideFormatFromContent\s*\(/, "decideFormatFromContent") -property_writer("QImageReader", /::setDecideFormatFromContent\s*\(/, "decideFormatFromContent") -# Property device (QIODevice *) -property_reader("QImageReader", /::device\s*\(/, "device") -property_writer("QImageReader", /::setDevice\s*\(/, "device") -# Property fileName (string) -property_reader("QImageReader", /::fileName\s*\(/, "fileName") -property_writer("QImageReader", /::setFileName\s*\(/, "fileName") -# Property format (string) -property_reader("QImageReader", /::format\s*\(/, "format") -property_writer("QImageReader", /::setFormat\s*\(/, "format") -# Property quality (int) -property_reader("QImageReader", /::quality\s*\(/, "quality") -property_writer("QImageReader", /::setQuality\s*\(/, "quality") -# Property scaledClipRect (QRect) -property_reader("QImageReader", /::scaledClipRect\s*\(/, "scaledClipRect") -property_writer("QImageReader", /::setScaledClipRect\s*\(/, "scaledClipRect") -# Property scaledSize (QSize) -property_reader("QImageReader", /::scaledSize\s*\(/, "scaledSize") -property_writer("QImageReader", /::setScaledSize\s*\(/, "scaledSize") -# Property compression (int) -property_reader("QImageWriter", /::compression\s*\(/, "compression") -property_writer("QImageWriter", /::setCompression\s*\(/, "compression") +property_reader("QCoreApplication", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCoreApplication", /::setObjectName\s*\(/, "objectName") +property_reader("QCoreApplication", /::(applicationName|isApplicationName|hasApplicationName)\s*\(/, "applicationName") +property_writer("QCoreApplication", /::setApplicationName\s*\(/, "applicationName") +property_reader("QCoreApplication", /::(applicationVersion|isApplicationVersion|hasApplicationVersion)\s*\(/, "applicationVersion") +property_writer("QCoreApplication", /::setApplicationVersion\s*\(/, "applicationVersion") +property_reader("QCoreApplication", /::(organizationName|isOrganizationName|hasOrganizationName)\s*\(/, "organizationName") +property_writer("QCoreApplication", /::setOrganizationName\s*\(/, "organizationName") +property_reader("QCoreApplication", /::(organizationDomain|isOrganizationDomain|hasOrganizationDomain)\s*\(/, "organizationDomain") +property_writer("QCoreApplication", /::setOrganizationDomain\s*\(/, "organizationDomain") +property_reader("QCoreApplication", /::(quitLockEnabled|isQuitLockEnabled|hasQuitLockEnabled)\s*\(/, "quitLockEnabled") +property_writer("QCoreApplication", /::setQuitLockEnabled\s*\(/, "quitLockEnabled") +property_reader("QEventLoop", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QEventLoop", /::setObjectName\s*\(/, "objectName") +property_reader("QEventTransition", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QEventTransition", /::setObjectName\s*\(/, "objectName") +property_reader("QEventTransition", /::(sourceState|isSourceState|hasSourceState)\s*\(/, "sourceState") +property_reader("QEventTransition", /::(targetState|isTargetState|hasTargetState)\s*\(/, "targetState") +property_writer("QEventTransition", /::setTargetState\s*\(/, "targetState") +property_reader("QEventTransition", /::(targetStates|isTargetStates|hasTargetStates)\s*\(/, "targetStates") +property_writer("QEventTransition", /::setTargetStates\s*\(/, "targetStates") +property_reader("QEventTransition", /::(transitionType|isTransitionType|hasTransitionType)\s*\(/, "transitionType") +property_writer("QEventTransition", /::setTransitionType\s*\(/, "transitionType") +property_reader("QEventTransition", /::(eventSource|isEventSource|hasEventSource)\s*\(/, "eventSource") +property_writer("QEventTransition", /::setEventSource\s*\(/, "eventSource") +property_reader("QEventTransition", /::(eventType|isEventType|hasEventType)\s*\(/, "eventType") +property_writer("QEventTransition", /::setEventType\s*\(/, "eventType") +property_reader("QFile", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFile", /::setObjectName\s*\(/, "objectName") +property_reader("QFileDevice", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFileDevice", /::setObjectName\s*\(/, "objectName") +property_reader("QFileSelector", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFileSelector", /::setObjectName\s*\(/, "objectName") +property_reader("QFileSystemWatcher", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFileSystemWatcher", /::setObjectName\s*\(/, "objectName") +property_reader("QFinalState", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFinalState", /::setObjectName\s*\(/, "objectName") +property_reader("QFinalState", /::(active|isActive|hasActive)\s*\(/, "active") +property_reader("QHistoryState", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QHistoryState", /::setObjectName\s*\(/, "objectName") +property_reader("QHistoryState", /::(active|isActive|hasActive)\s*\(/, "active") +property_reader("QHistoryState", /::(defaultState|isDefaultState|hasDefaultState)\s*\(/, "defaultState") +property_writer("QHistoryState", /::setDefaultState\s*\(/, "defaultState") +property_reader("QHistoryState", /::(defaultTransition|isDefaultTransition|hasDefaultTransition)\s*\(/, "defaultTransition") +property_writer("QHistoryState", /::setDefaultTransition\s*\(/, "defaultTransition") +property_reader("QHistoryState", /::(historyType|isHistoryType|hasHistoryType)\s*\(/, "historyType") +property_writer("QHistoryState", /::setHistoryType\s*\(/, "historyType") +property_reader("QIODevice", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QIODevice", /::setObjectName\s*\(/, "objectName") +property_reader("QIdentityProxyModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QIdentityProxyModel", /::setObjectName\s*\(/, "objectName") +property_reader("QIdentityProxyModel", /::(sourceModel|isSourceModel|hasSourceModel)\s*\(/, "sourceModel") +property_writer("QIdentityProxyModel", /::setSourceModel\s*\(/, "sourceModel") +property_reader("QItemSelectionModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QItemSelectionModel", /::setObjectName\s*\(/, "objectName") +property_reader("QItemSelectionModel", /::(model|isModel|hasModel)\s*\(/, "model") +property_writer("QItemSelectionModel", /::setModel\s*\(/, "model") +property_reader("QItemSelectionModel", /::(hasSelection|isHasSelection|hasHasSelection)\s*\(/, "hasSelection") +property_reader("QItemSelectionModel", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") +property_reader("QItemSelectionModel", /::(selection|isSelection|hasSelection)\s*\(/, "selection") +property_reader("QItemSelectionModel", /::(selectedIndexes|isSelectedIndexes|hasSelectedIndexes)\s*\(/, "selectedIndexes") +property_reader("QLibrary", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QLibrary", /::setObjectName\s*\(/, "objectName") +property_reader("QLibrary", /::(fileName|isFileName|hasFileName)\s*\(/, "fileName") +property_writer("QLibrary", /::setFileName\s*\(/, "fileName") +property_reader("QLibrary", /::(loadHints|isLoadHints|hasLoadHints)\s*\(/, "loadHints") +property_writer("QLibrary", /::setLoadHints\s*\(/, "loadHints") +property_reader("QMimeData", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMimeData", /::setObjectName\s*\(/, "objectName") +property_reader("QParallelAnimationGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QParallelAnimationGroup", /::setObjectName\s*\(/, "objectName") +property_reader("QParallelAnimationGroup", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QParallelAnimationGroup", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") +property_writer("QParallelAnimationGroup", /::setLoopCount\s*\(/, "loopCount") +property_reader("QParallelAnimationGroup", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") +property_writer("QParallelAnimationGroup", /::setCurrentTime\s*\(/, "currentTime") +property_reader("QParallelAnimationGroup", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") +property_reader("QParallelAnimationGroup", /::(direction|isDirection|hasDirection)\s*\(/, "direction") +property_writer("QParallelAnimationGroup", /::setDirection\s*\(/, "direction") +property_reader("QParallelAnimationGroup", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_reader("QPauseAnimation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPauseAnimation", /::setObjectName\s*\(/, "objectName") +property_reader("QPauseAnimation", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QPauseAnimation", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") +property_writer("QPauseAnimation", /::setLoopCount\s*\(/, "loopCount") +property_reader("QPauseAnimation", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") +property_writer("QPauseAnimation", /::setCurrentTime\s*\(/, "currentTime") +property_reader("QPauseAnimation", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") +property_reader("QPauseAnimation", /::(direction|isDirection|hasDirection)\s*\(/, "direction") +property_writer("QPauseAnimation", /::setDirection\s*\(/, "direction") +property_reader("QPauseAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_reader("QPauseAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_writer("QPauseAnimation", /::setDuration\s*\(/, "duration") +property_reader("QPluginLoader", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPluginLoader", /::setObjectName\s*\(/, "objectName") +property_reader("QPluginLoader", /::(fileName|isFileName|hasFileName)\s*\(/, "fileName") +property_writer("QPluginLoader", /::setFileName\s*\(/, "fileName") +property_reader("QPluginLoader", /::(loadHints|isLoadHints|hasLoadHints)\s*\(/, "loadHints") +property_writer("QPluginLoader", /::setLoadHints\s*\(/, "loadHints") +property_reader("QProcess", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QProcess", /::setObjectName\s*\(/, "objectName") +property_reader("QPropertyAnimation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPropertyAnimation", /::setObjectName\s*\(/, "objectName") +property_reader("QPropertyAnimation", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QPropertyAnimation", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") +property_writer("QPropertyAnimation", /::setLoopCount\s*\(/, "loopCount") +property_reader("QPropertyAnimation", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") +property_writer("QPropertyAnimation", /::setCurrentTime\s*\(/, "currentTime") +property_reader("QPropertyAnimation", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") +property_reader("QPropertyAnimation", /::(direction|isDirection|hasDirection)\s*\(/, "direction") +property_writer("QPropertyAnimation", /::setDirection\s*\(/, "direction") +property_reader("QPropertyAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_reader("QPropertyAnimation", /::(startValue|isStartValue|hasStartValue)\s*\(/, "startValue") +property_writer("QPropertyAnimation", /::setStartValue\s*\(/, "startValue") +property_reader("QPropertyAnimation", /::(endValue|isEndValue|hasEndValue)\s*\(/, "endValue") +property_writer("QPropertyAnimation", /::setEndValue\s*\(/, "endValue") +property_reader("QPropertyAnimation", /::(currentValue|isCurrentValue|hasCurrentValue)\s*\(/, "currentValue") +property_reader("QPropertyAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_writer("QPropertyAnimation", /::setDuration\s*\(/, "duration") +property_reader("QPropertyAnimation", /::(easingCurve|isEasingCurve|hasEasingCurve)\s*\(/, "easingCurve") +property_writer("QPropertyAnimation", /::setEasingCurve\s*\(/, "easingCurve") +property_reader("QPropertyAnimation", /::(propertyName|isPropertyName|hasPropertyName)\s*\(/, "propertyName") +property_writer("QPropertyAnimation", /::setPropertyName\s*\(/, "propertyName") +property_reader("QPropertyAnimation", /::(targetObject|isTargetObject|hasTargetObject)\s*\(/, "targetObject") +property_writer("QPropertyAnimation", /::setTargetObject\s*\(/, "targetObject") +property_reader("QSaveFile", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSaveFile", /::setObjectName\s*\(/, "objectName") +property_reader("QSequentialAnimationGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSequentialAnimationGroup", /::setObjectName\s*\(/, "objectName") +property_reader("QSequentialAnimationGroup", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QSequentialAnimationGroup", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") +property_writer("QSequentialAnimationGroup", /::setLoopCount\s*\(/, "loopCount") +property_reader("QSequentialAnimationGroup", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") +property_writer("QSequentialAnimationGroup", /::setCurrentTime\s*\(/, "currentTime") +property_reader("QSequentialAnimationGroup", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") +property_reader("QSequentialAnimationGroup", /::(direction|isDirection|hasDirection)\s*\(/, "direction") +property_writer("QSequentialAnimationGroup", /::setDirection\s*\(/, "direction") +property_reader("QSequentialAnimationGroup", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_reader("QSequentialAnimationGroup", /::(currentAnimation|isCurrentAnimation|hasCurrentAnimation)\s*\(/, "currentAnimation") +property_reader("QSettings", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSettings", /::setObjectName\s*\(/, "objectName") +property_reader("QSharedMemory", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSharedMemory", /::setObjectName\s*\(/, "objectName") +property_reader("QSignalMapper", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSignalMapper", /::setObjectName\s*\(/, "objectName") +property_reader("QSignalTransition", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSignalTransition", /::setObjectName\s*\(/, "objectName") +property_reader("QSignalTransition", /::(sourceState|isSourceState|hasSourceState)\s*\(/, "sourceState") +property_reader("QSignalTransition", /::(targetState|isTargetState|hasTargetState)\s*\(/, "targetState") +property_writer("QSignalTransition", /::setTargetState\s*\(/, "targetState") +property_reader("QSignalTransition", /::(targetStates|isTargetStates|hasTargetStates)\s*\(/, "targetStates") +property_writer("QSignalTransition", /::setTargetStates\s*\(/, "targetStates") +property_reader("QSignalTransition", /::(transitionType|isTransitionType|hasTransitionType)\s*\(/, "transitionType") +property_writer("QSignalTransition", /::setTransitionType\s*\(/, "transitionType") +property_reader("QSignalTransition", /::(senderObject|isSenderObject|hasSenderObject)\s*\(/, "senderObject") +property_writer("QSignalTransition", /::setSenderObject\s*\(/, "senderObject") +property_reader("QSignalTransition", /::(signal|isSignal|hasSignal)\s*\(/, "signal") +property_writer("QSignalTransition", /::setSignal\s*\(/, "signal") +property_reader("QSocketNotifier", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSocketNotifier", /::setObjectName\s*\(/, "objectName") +property_reader("QSortFilterProxyModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSortFilterProxyModel", /::setObjectName\s*\(/, "objectName") +property_reader("QSortFilterProxyModel", /::(sourceModel|isSourceModel|hasSourceModel)\s*\(/, "sourceModel") +property_writer("QSortFilterProxyModel", /::setSourceModel\s*\(/, "sourceModel") +property_reader("QSortFilterProxyModel", /::(filterRegExp|isFilterRegExp|hasFilterRegExp)\s*\(/, "filterRegExp") +property_writer("QSortFilterProxyModel", /::setFilterRegExp\s*\(/, "filterRegExp") +property_reader("QSortFilterProxyModel", /::(filterRegularExpression|isFilterRegularExpression|hasFilterRegularExpression)\s*\(/, "filterRegularExpression") +property_writer("QSortFilterProxyModel", /::setFilterRegularExpression\s*\(/, "filterRegularExpression") +property_reader("QSortFilterProxyModel", /::(filterKeyColumn|isFilterKeyColumn|hasFilterKeyColumn)\s*\(/, "filterKeyColumn") +property_writer("QSortFilterProxyModel", /::setFilterKeyColumn\s*\(/, "filterKeyColumn") +property_reader("QSortFilterProxyModel", /::(dynamicSortFilter|isDynamicSortFilter|hasDynamicSortFilter)\s*\(/, "dynamicSortFilter") +property_writer("QSortFilterProxyModel", /::setDynamicSortFilter\s*\(/, "dynamicSortFilter") +property_reader("QSortFilterProxyModel", /::(filterCaseSensitivity|isFilterCaseSensitivity|hasFilterCaseSensitivity)\s*\(/, "filterCaseSensitivity") +property_writer("QSortFilterProxyModel", /::setFilterCaseSensitivity\s*\(/, "filterCaseSensitivity") +property_reader("QSortFilterProxyModel", /::(sortCaseSensitivity|isSortCaseSensitivity|hasSortCaseSensitivity)\s*\(/, "sortCaseSensitivity") +property_writer("QSortFilterProxyModel", /::setSortCaseSensitivity\s*\(/, "sortCaseSensitivity") +property_reader("QSortFilterProxyModel", /::(isSortLocaleAware|isIsSortLocaleAware|hasIsSortLocaleAware)\s*\(/, "isSortLocaleAware") +property_writer("QSortFilterProxyModel", /::setIsSortLocaleAware\s*\(/, "isSortLocaleAware") +property_reader("QSortFilterProxyModel", /::(sortRole|isSortRole|hasSortRole)\s*\(/, "sortRole") +property_writer("QSortFilterProxyModel", /::setSortRole\s*\(/, "sortRole") +property_reader("QSortFilterProxyModel", /::(filterRole|isFilterRole|hasFilterRole)\s*\(/, "filterRole") +property_writer("QSortFilterProxyModel", /::setFilterRole\s*\(/, "filterRole") +property_reader("QSortFilterProxyModel", /::(recursiveFilteringEnabled|isRecursiveFilteringEnabled|hasRecursiveFilteringEnabled)\s*\(/, "recursiveFilteringEnabled") +property_writer("QSortFilterProxyModel", /::setRecursiveFilteringEnabled\s*\(/, "recursiveFilteringEnabled") +property_reader("QState", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QState", /::setObjectName\s*\(/, "objectName") +property_reader("QState", /::(active|isActive|hasActive)\s*\(/, "active") +property_reader("QState", /::(initialState|isInitialState|hasInitialState)\s*\(/, "initialState") +property_writer("QState", /::setInitialState\s*\(/, "initialState") +property_reader("QState", /::(errorState|isErrorState|hasErrorState)\s*\(/, "errorState") +property_writer("QState", /::setErrorState\s*\(/, "errorState") +property_reader("QState", /::(childMode|isChildMode|hasChildMode)\s*\(/, "childMode") +property_writer("QState", /::setChildMode\s*\(/, "childMode") +property_reader("QStateMachine", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QStateMachine", /::setObjectName\s*\(/, "objectName") +property_reader("QStateMachine", /::(active|isActive|hasActive)\s*\(/, "active") +property_reader("QStateMachine", /::(initialState|isInitialState|hasInitialState)\s*\(/, "initialState") +property_writer("QStateMachine", /::setInitialState\s*\(/, "initialState") +property_reader("QStateMachine", /::(errorState|isErrorState|hasErrorState)\s*\(/, "errorState") +property_writer("QStateMachine", /::setErrorState\s*\(/, "errorState") +property_reader("QStateMachine", /::(childMode|isChildMode|hasChildMode)\s*\(/, "childMode") +property_writer("QStateMachine", /::setChildMode\s*\(/, "childMode") +property_reader("QStateMachine", /::(errorString|isErrorString|hasErrorString)\s*\(/, "errorString") +property_reader("QStateMachine", /::(globalRestorePolicy|isGlobalRestorePolicy|hasGlobalRestorePolicy)\s*\(/, "globalRestorePolicy") +property_writer("QStateMachine", /::setGlobalRestorePolicy\s*\(/, "globalRestorePolicy") +property_reader("QStateMachine", /::(running|isRunning|hasRunning)\s*\(/, "running") +property_writer("QStateMachine", /::setRunning\s*\(/, "running") +property_reader("QStateMachine", /::(animated|isAnimated|hasAnimated)\s*\(/, "animated") +property_writer("QStateMachine", /::setAnimated\s*\(/, "animated") +property_reader("QStringListModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QStringListModel", /::setObjectName\s*\(/, "objectName") +property_reader("QTemporaryFile", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTemporaryFile", /::setObjectName\s*\(/, "objectName") +property_reader("QThread", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QThread", /::setObjectName\s*\(/, "objectName") +property_reader("QThreadPool", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QThreadPool", /::setObjectName\s*\(/, "objectName") +property_reader("QThreadPool", /::(expiryTimeout|isExpiryTimeout|hasExpiryTimeout)\s*\(/, "expiryTimeout") +property_writer("QThreadPool", /::setExpiryTimeout\s*\(/, "expiryTimeout") +property_reader("QThreadPool", /::(maxThreadCount|isMaxThreadCount|hasMaxThreadCount)\s*\(/, "maxThreadCount") +property_writer("QThreadPool", /::setMaxThreadCount\s*\(/, "maxThreadCount") +property_reader("QThreadPool", /::(activeThreadCount|isActiveThreadCount|hasActiveThreadCount)\s*\(/, "activeThreadCount") +property_reader("QThreadPool", /::(stackSize|isStackSize|hasStackSize)\s*\(/, "stackSize") +property_writer("QThreadPool", /::setStackSize\s*\(/, "stackSize") +property_reader("QTimeLine", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTimeLine", /::setObjectName\s*\(/, "objectName") +property_reader("QTimeLine", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_writer("QTimeLine", /::setDuration\s*\(/, "duration") +property_reader("QTimeLine", /::(updateInterval|isUpdateInterval|hasUpdateInterval)\s*\(/, "updateInterval") +property_writer("QTimeLine", /::setUpdateInterval\s*\(/, "updateInterval") +property_reader("QTimeLine", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") +property_writer("QTimeLine", /::setCurrentTime\s*\(/, "currentTime") +property_reader("QTimeLine", /::(direction|isDirection|hasDirection)\s*\(/, "direction") +property_writer("QTimeLine", /::setDirection\s*\(/, "direction") +property_reader("QTimeLine", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") +property_writer("QTimeLine", /::setLoopCount\s*\(/, "loopCount") +property_reader("QTimeLine", /::(curveShape|isCurveShape|hasCurveShape)\s*\(/, "curveShape") +property_writer("QTimeLine", /::setCurveShape\s*\(/, "curveShape") +property_reader("QTimeLine", /::(easingCurve|isEasingCurve|hasEasingCurve)\s*\(/, "easingCurve") +property_writer("QTimeLine", /::setEasingCurve\s*\(/, "easingCurve") +property_reader("QTimer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTimer", /::setObjectName\s*\(/, "objectName") +property_reader("QTimer", /::(singleShot|isSingleShot|hasSingleShot)\s*\(/, "singleShot") +property_writer("QTimer", /::setSingleShot\s*\(/, "singleShot") +property_reader("QTimer", /::(interval|isInterval|hasInterval)\s*\(/, "interval") +property_writer("QTimer", /::setInterval\s*\(/, "interval") +property_reader("QTimer", /::(remainingTime|isRemainingTime|hasRemainingTime)\s*\(/, "remainingTime") +property_reader("QTimer", /::(timerType|isTimerType|hasTimerType)\s*\(/, "timerType") +property_writer("QTimer", /::setTimerType\s*\(/, "timerType") +property_reader("QTimer", /::(active|isActive|hasActive)\s*\(/, "active") +property_reader("QTranslator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTranslator", /::setObjectName\s*\(/, "objectName") +property_reader("QVariantAnimation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QVariantAnimation", /::setObjectName\s*\(/, "objectName") +property_reader("QVariantAnimation", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QVariantAnimation", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") +property_writer("QVariantAnimation", /::setLoopCount\s*\(/, "loopCount") +property_reader("QVariantAnimation", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") +property_writer("QVariantAnimation", /::setCurrentTime\s*\(/, "currentTime") +property_reader("QVariantAnimation", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") +property_reader("QVariantAnimation", /::(direction|isDirection|hasDirection)\s*\(/, "direction") +property_writer("QVariantAnimation", /::setDirection\s*\(/, "direction") +property_reader("QVariantAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_reader("QVariantAnimation", /::(startValue|isStartValue|hasStartValue)\s*\(/, "startValue") +property_writer("QVariantAnimation", /::setStartValue\s*\(/, "startValue") +property_reader("QVariantAnimation", /::(endValue|isEndValue|hasEndValue)\s*\(/, "endValue") +property_writer("QVariantAnimation", /::setEndValue\s*\(/, "endValue") +property_reader("QVariantAnimation", /::(currentValue|isCurrentValue|hasCurrentValue)\s*\(/, "currentValue") +property_reader("QVariantAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_writer("QVariantAnimation", /::setDuration\s*\(/, "duration") +property_reader("QVariantAnimation", /::(easingCurve|isEasingCurve|hasEasingCurve)\s*\(/, "easingCurve") +property_writer("QVariantAnimation", /::setEasingCurve\s*\(/, "easingCurve") +property_reader("QAbstractTextDocumentLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractTextDocumentLayout", /::setObjectName\s*\(/, "objectName") +property_reader("QClipboard", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QClipboard", /::setObjectName\s*\(/, "objectName") +property_reader("QDoubleValidator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDoubleValidator", /::setObjectName\s*\(/, "objectName") +property_reader("QDoubleValidator", /::(bottom|isBottom|hasBottom)\s*\(/, "bottom") +property_writer("QDoubleValidator", /::setBottom\s*\(/, "bottom") +property_reader("QDoubleValidator", /::(top|isTop|hasTop)\s*\(/, "top") +property_writer("QDoubleValidator", /::setTop\s*\(/, "top") +property_reader("QDoubleValidator", /::(decimals|isDecimals|hasDecimals)\s*\(/, "decimals") +property_writer("QDoubleValidator", /::setDecimals\s*\(/, "decimals") +property_reader("QDoubleValidator", /::(notation|isNotation|hasNotation)\s*\(/, "notation") +property_writer("QDoubleValidator", /::setNotation\s*\(/, "notation") +property_reader("QDrag", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDrag", /::setObjectName\s*\(/, "objectName") +property_reader("QGenericPlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGenericPlugin", /::setObjectName\s*\(/, "objectName") +property_reader("QGuiApplication", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGuiApplication", /::setObjectName\s*\(/, "objectName") +property_reader("QGuiApplication", /::(applicationName|isApplicationName|hasApplicationName)\s*\(/, "applicationName") +property_writer("QGuiApplication", /::setApplicationName\s*\(/, "applicationName") +property_reader("QGuiApplication", /::(applicationVersion|isApplicationVersion|hasApplicationVersion)\s*\(/, "applicationVersion") +property_writer("QGuiApplication", /::setApplicationVersion\s*\(/, "applicationVersion") +property_reader("QGuiApplication", /::(organizationName|isOrganizationName|hasOrganizationName)\s*\(/, "organizationName") +property_writer("QGuiApplication", /::setOrganizationName\s*\(/, "organizationName") +property_reader("QGuiApplication", /::(organizationDomain|isOrganizationDomain|hasOrganizationDomain)\s*\(/, "organizationDomain") +property_writer("QGuiApplication", /::setOrganizationDomain\s*\(/, "organizationDomain") +property_reader("QGuiApplication", /::(quitLockEnabled|isQuitLockEnabled|hasQuitLockEnabled)\s*\(/, "quitLockEnabled") +property_writer("QGuiApplication", /::setQuitLockEnabled\s*\(/, "quitLockEnabled") +property_reader("QGuiApplication", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QGuiApplication", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QGuiApplication", /::(applicationDisplayName|isApplicationDisplayName|hasApplicationDisplayName)\s*\(/, "applicationDisplayName") +property_writer("QGuiApplication", /::setApplicationDisplayName\s*\(/, "applicationDisplayName") +property_reader("QGuiApplication", /::(desktopFileName|isDesktopFileName|hasDesktopFileName)\s*\(/, "desktopFileName") +property_writer("QGuiApplication", /::setDesktopFileName\s*\(/, "desktopFileName") +property_reader("QGuiApplication", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QGuiApplication", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QGuiApplication", /::(platformName|isPlatformName|hasPlatformName)\s*\(/, "platformName") +property_reader("QGuiApplication", /::(quitOnLastWindowClosed|isQuitOnLastWindowClosed|hasQuitOnLastWindowClosed)\s*\(/, "quitOnLastWindowClosed") +property_writer("QGuiApplication", /::setQuitOnLastWindowClosed\s*\(/, "quitOnLastWindowClosed") +property_reader("QGuiApplication", /::(primaryScreen|isPrimaryScreen|hasPrimaryScreen)\s*\(/, "primaryScreen") +property_reader("QIconEnginePlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QIconEnginePlugin", /::setObjectName\s*\(/, "objectName") +property_reader("QImageIOPlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QImageIOPlugin", /::setObjectName\s*\(/, "objectName") +property_reader("QInputMethod", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QInputMethod", /::setObjectName\s*\(/, "objectName") +property_reader("QInputMethod", /::(cursorRectangle|isCursorRectangle|hasCursorRectangle)\s*\(/, "cursorRectangle") +property_reader("QInputMethod", /::(anchorRectangle|isAnchorRectangle|hasAnchorRectangle)\s*\(/, "anchorRectangle") +property_reader("QInputMethod", /::(keyboardRectangle|isKeyboardRectangle|hasKeyboardRectangle)\s*\(/, "keyboardRectangle") +property_reader("QInputMethod", /::(inputItemClipRectangle|isInputItemClipRectangle|hasInputItemClipRectangle)\s*\(/, "inputItemClipRectangle") +property_reader("QInputMethod", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_reader("QInputMethod", /::(animating|isAnimating|hasAnimating)\s*\(/, "animating") +property_reader("QInputMethod", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_reader("QInputMethod", /::(inputDirection|isInputDirection|hasInputDirection)\s*\(/, "inputDirection") +property_reader("QIntValidator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QIntValidator", /::setObjectName\s*\(/, "objectName") +property_reader("QIntValidator", /::(bottom|isBottom|hasBottom)\s*\(/, "bottom") +property_writer("QIntValidator", /::setBottom\s*\(/, "bottom") +property_reader("QIntValidator", /::(top|isTop|hasTop)\s*\(/, "top") +property_writer("QIntValidator", /::setTop\s*\(/, "top") +property_reader("QMovie", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMovie", /::setObjectName\s*\(/, "objectName") +property_reader("QMovie", /::(speed|isSpeed|hasSpeed)\s*\(/, "speed") +property_writer("QMovie", /::setSpeed\s*\(/, "speed") +property_reader("QMovie", /::(cacheMode|isCacheMode|hasCacheMode)\s*\(/, "cacheMode") +property_writer("QMovie", /::setCacheMode\s*\(/, "cacheMode") +property_reader("QOffscreenSurface", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QOffscreenSurface", /::setObjectName\s*\(/, "objectName") +property_reader("QPaintDeviceWindow", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPaintDeviceWindow", /::setObjectName\s*\(/, "objectName") +property_reader("QPaintDeviceWindow", /::(title|isTitle|hasTitle)\s*\(/, "title") +property_writer("QPaintDeviceWindow", /::setTitle\s*\(/, "title") +property_reader("QPaintDeviceWindow", /::(modality|isModality|hasModality)\s*\(/, "modality") +property_writer("QPaintDeviceWindow", /::setModality\s*\(/, "modality") +property_reader("QPaintDeviceWindow", /::(flags|isFlags|hasFlags)\s*\(/, "flags") +property_writer("QPaintDeviceWindow", /::setFlags\s*\(/, "flags") +property_reader("QPaintDeviceWindow", /::(x|isX|hasX)\s*\(/, "x") +property_writer("QPaintDeviceWindow", /::setX\s*\(/, "x") +property_reader("QPaintDeviceWindow", /::(y|isY|hasY)\s*\(/, "y") +property_writer("QPaintDeviceWindow", /::setY\s*\(/, "y") +property_reader("QPaintDeviceWindow", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_writer("QPaintDeviceWindow", /::setWidth\s*\(/, "width") +property_reader("QPaintDeviceWindow", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_writer("QPaintDeviceWindow", /::setHeight\s*\(/, "height") +property_reader("QPaintDeviceWindow", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QPaintDeviceWindow", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QPaintDeviceWindow", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QPaintDeviceWindow", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QPaintDeviceWindow", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QPaintDeviceWindow", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QPaintDeviceWindow", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QPaintDeviceWindow", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QPaintDeviceWindow", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QPaintDeviceWindow", /::setVisible\s*\(/, "visible") +property_reader("QPaintDeviceWindow", /::(active|isActive|hasActive)\s*\(/, "active") +property_reader("QPaintDeviceWindow", /::(visibility|isVisibility|hasVisibility)\s*\(/, "visibility") +property_writer("QPaintDeviceWindow", /::setVisibility\s*\(/, "visibility") +property_reader("QPaintDeviceWindow", /::(contentOrientation|isContentOrientation|hasContentOrientation)\s*\(/, "contentOrientation") +property_writer("QPaintDeviceWindow", /::setContentOrientation\s*\(/, "contentOrientation") +property_reader("QPaintDeviceWindow", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") +property_writer("QPaintDeviceWindow", /::setOpacity\s*\(/, "opacity") +property_reader("QPaintDeviceWindow", /::(transientParent|isTransientParent|hasTransientParent)\s*\(/, "transientParent") +property_writer("QPaintDeviceWindow", /::setTransientParent\s*\(/, "transientParent") +property_reader("QPdfWriter", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPdfWriter", /::setObjectName\s*\(/, "objectName") +property_reader("QPictureFormatPlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPictureFormatPlugin", /::setObjectName\s*\(/, "objectName") +property_reader("QRasterWindow", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QRasterWindow", /::setObjectName\s*\(/, "objectName") +property_reader("QRasterWindow", /::(title|isTitle|hasTitle)\s*\(/, "title") +property_writer("QRasterWindow", /::setTitle\s*\(/, "title") +property_reader("QRasterWindow", /::(modality|isModality|hasModality)\s*\(/, "modality") +property_writer("QRasterWindow", /::setModality\s*\(/, "modality") +property_reader("QRasterWindow", /::(flags|isFlags|hasFlags)\s*\(/, "flags") +property_writer("QRasterWindow", /::setFlags\s*\(/, "flags") +property_reader("QRasterWindow", /::(x|isX|hasX)\s*\(/, "x") +property_writer("QRasterWindow", /::setX\s*\(/, "x") +property_reader("QRasterWindow", /::(y|isY|hasY)\s*\(/, "y") +property_writer("QRasterWindow", /::setY\s*\(/, "y") +property_reader("QRasterWindow", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_writer("QRasterWindow", /::setWidth\s*\(/, "width") +property_reader("QRasterWindow", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_writer("QRasterWindow", /::setHeight\s*\(/, "height") +property_reader("QRasterWindow", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QRasterWindow", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QRasterWindow", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QRasterWindow", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QRasterWindow", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QRasterWindow", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QRasterWindow", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QRasterWindow", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QRasterWindow", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QRasterWindow", /::setVisible\s*\(/, "visible") +property_reader("QRasterWindow", /::(active|isActive|hasActive)\s*\(/, "active") +property_reader("QRasterWindow", /::(visibility|isVisibility|hasVisibility)\s*\(/, "visibility") +property_writer("QRasterWindow", /::setVisibility\s*\(/, "visibility") +property_reader("QRasterWindow", /::(contentOrientation|isContentOrientation|hasContentOrientation)\s*\(/, "contentOrientation") +property_writer("QRasterWindow", /::setContentOrientation\s*\(/, "contentOrientation") +property_reader("QRasterWindow", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") +property_writer("QRasterWindow", /::setOpacity\s*\(/, "opacity") +property_reader("QRasterWindow", /::(transientParent|isTransientParent|hasTransientParent)\s*\(/, "transientParent") +property_writer("QRasterWindow", /::setTransientParent\s*\(/, "transientParent") +property_reader("QRegExpValidator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QRegExpValidator", /::setObjectName\s*\(/, "objectName") +property_reader("QRegExpValidator", /::(regExp|isRegExp|hasRegExp)\s*\(/, "regExp") +property_writer("QRegExpValidator", /::setRegExp\s*\(/, "regExp") +property_reader("QRegularExpressionValidator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QRegularExpressionValidator", /::setObjectName\s*\(/, "objectName") +property_reader("QRegularExpressionValidator", /::(regularExpression|isRegularExpression|hasRegularExpression)\s*\(/, "regularExpression") +property_writer("QRegularExpressionValidator", /::setRegularExpression\s*\(/, "regularExpression") +property_reader("QScreen", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QScreen", /::setObjectName\s*\(/, "objectName") +property_reader("QScreen", /::(name|isName|hasName)\s*\(/, "name") +property_reader("QScreen", /::(manufacturer|isManufacturer|hasManufacturer)\s*\(/, "manufacturer") +property_reader("QScreen", /::(model|isModel|hasModel)\s*\(/, "model") +property_reader("QScreen", /::(serialNumber|isSerialNumber|hasSerialNumber)\s*\(/, "serialNumber") +property_reader("QScreen", /::(depth|isDepth|hasDepth)\s*\(/, "depth") +property_reader("QScreen", /::(size|isSize|hasSize)\s*\(/, "size") +property_reader("QScreen", /::(availableSize|isAvailableSize|hasAvailableSize)\s*\(/, "availableSize") +property_reader("QScreen", /::(virtualSize|isVirtualSize|hasVirtualSize)\s*\(/, "virtualSize") +property_reader("QScreen", /::(availableVirtualSize|isAvailableVirtualSize|hasAvailableVirtualSize)\s*\(/, "availableVirtualSize") +property_reader("QScreen", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_reader("QScreen", /::(availableGeometry|isAvailableGeometry|hasAvailableGeometry)\s*\(/, "availableGeometry") +property_reader("QScreen", /::(virtualGeometry|isVirtualGeometry|hasVirtualGeometry)\s*\(/, "virtualGeometry") +property_reader("QScreen", /::(availableVirtualGeometry|isAvailableVirtualGeometry|hasAvailableVirtualGeometry)\s*\(/, "availableVirtualGeometry") +property_reader("QScreen", /::(physicalSize|isPhysicalSize|hasPhysicalSize)\s*\(/, "physicalSize") +property_reader("QScreen", /::(physicalDotsPerInchX|isPhysicalDotsPerInchX|hasPhysicalDotsPerInchX)\s*\(/, "physicalDotsPerInchX") +property_reader("QScreen", /::(physicalDotsPerInchY|isPhysicalDotsPerInchY|hasPhysicalDotsPerInchY)\s*\(/, "physicalDotsPerInchY") +property_reader("QScreen", /::(physicalDotsPerInch|isPhysicalDotsPerInch|hasPhysicalDotsPerInch)\s*\(/, "physicalDotsPerInch") +property_reader("QScreen", /::(logicalDotsPerInchX|isLogicalDotsPerInchX|hasLogicalDotsPerInchX)\s*\(/, "logicalDotsPerInchX") +property_reader("QScreen", /::(logicalDotsPerInchY|isLogicalDotsPerInchY|hasLogicalDotsPerInchY)\s*\(/, "logicalDotsPerInchY") +property_reader("QScreen", /::(logicalDotsPerInch|isLogicalDotsPerInch|hasLogicalDotsPerInch)\s*\(/, "logicalDotsPerInch") +property_reader("QScreen", /::(devicePixelRatio|isDevicePixelRatio|hasDevicePixelRatio)\s*\(/, "devicePixelRatio") +property_reader("QScreen", /::(primaryOrientation|isPrimaryOrientation|hasPrimaryOrientation)\s*\(/, "primaryOrientation") +property_reader("QScreen", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") +property_reader("QScreen", /::(nativeOrientation|isNativeOrientation|hasNativeOrientation)\s*\(/, "nativeOrientation") +property_reader("QScreen", /::(refreshRate|isRefreshRate|hasRefreshRate)\s*\(/, "refreshRate") +property_reader("QSessionManager", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSessionManager", /::setObjectName\s*\(/, "objectName") +property_reader("QStandardItemModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QStandardItemModel", /::setObjectName\s*\(/, "objectName") +property_reader("QStandardItemModel", /::(sortRole|isSortRole|hasSortRole)\s*\(/, "sortRole") +property_writer("QStandardItemModel", /::setSortRole\s*\(/, "sortRole") +property_reader("QStyleHints", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QStyleHints", /::setObjectName\s*\(/, "objectName") +property_reader("QStyleHints", /::(cursorFlashTime|isCursorFlashTime|hasCursorFlashTime)\s*\(/, "cursorFlashTime") +property_reader("QStyleHints", /::(fontSmoothingGamma|isFontSmoothingGamma|hasFontSmoothingGamma)\s*\(/, "fontSmoothingGamma") +property_reader("QStyleHints", /::(keyboardAutoRepeatRate|isKeyboardAutoRepeatRate|hasKeyboardAutoRepeatRate)\s*\(/, "keyboardAutoRepeatRate") +property_reader("QStyleHints", /::(keyboardInputInterval|isKeyboardInputInterval|hasKeyboardInputInterval)\s*\(/, "keyboardInputInterval") +property_reader("QStyleHints", /::(mouseDoubleClickInterval|isMouseDoubleClickInterval|hasMouseDoubleClickInterval)\s*\(/, "mouseDoubleClickInterval") +property_reader("QStyleHints", /::(mousePressAndHoldInterval|isMousePressAndHoldInterval|hasMousePressAndHoldInterval)\s*\(/, "mousePressAndHoldInterval") +property_reader("QStyleHints", /::(passwordMaskCharacter|isPasswordMaskCharacter|hasPasswordMaskCharacter)\s*\(/, "passwordMaskCharacter") +property_reader("QStyleHints", /::(passwordMaskDelay|isPasswordMaskDelay|hasPasswordMaskDelay)\s*\(/, "passwordMaskDelay") +property_reader("QStyleHints", /::(setFocusOnTouchRelease|isSetFocusOnTouchRelease|hasSetFocusOnTouchRelease)\s*\(/, "setFocusOnTouchRelease") +property_reader("QStyleHints", /::(showIsFullScreen|isShowIsFullScreen|hasShowIsFullScreen)\s*\(/, "showIsFullScreen") +property_reader("QStyleHints", /::(showIsMaximized|isShowIsMaximized|hasShowIsMaximized)\s*\(/, "showIsMaximized") +property_reader("QStyleHints", /::(showShortcutsInContextMenus|isShowShortcutsInContextMenus|hasShowShortcutsInContextMenus)\s*\(/, "showShortcutsInContextMenus") +property_writer("QStyleHints", /::setShowShortcutsInContextMenus\s*\(/, "showShortcutsInContextMenus") +property_reader("QStyleHints", /::(startDragDistance|isStartDragDistance|hasStartDragDistance)\s*\(/, "startDragDistance") +property_reader("QStyleHints", /::(startDragTime|isStartDragTime|hasStartDragTime)\s*\(/, "startDragTime") +property_reader("QStyleHints", /::(startDragVelocity|isStartDragVelocity|hasStartDragVelocity)\s*\(/, "startDragVelocity") +property_reader("QStyleHints", /::(useRtlExtensions|isUseRtlExtensions|hasUseRtlExtensions)\s*\(/, "useRtlExtensions") +property_reader("QStyleHints", /::(tabFocusBehavior|isTabFocusBehavior|hasTabFocusBehavior)\s*\(/, "tabFocusBehavior") +property_reader("QStyleHints", /::(singleClickActivation|isSingleClickActivation|hasSingleClickActivation)\s*\(/, "singleClickActivation") +property_reader("QStyleHints", /::(useHoverEffects|isUseHoverEffects|hasUseHoverEffects)\s*\(/, "useHoverEffects") +property_writer("QStyleHints", /::setUseHoverEffects\s*\(/, "useHoverEffects") +property_reader("QStyleHints", /::(wheelScrollLines|isWheelScrollLines|hasWheelScrollLines)\s*\(/, "wheelScrollLines") +property_reader("QStyleHints", /::(mouseQuickSelectionThreshold|isMouseQuickSelectionThreshold|hasMouseQuickSelectionThreshold)\s*\(/, "mouseQuickSelectionThreshold") +property_writer("QStyleHints", /::setMouseQuickSelectionThreshold\s*\(/, "mouseQuickSelectionThreshold") +property_reader("QStyleHints", /::(mouseDoubleClickDistance|isMouseDoubleClickDistance|hasMouseDoubleClickDistance)\s*\(/, "mouseDoubleClickDistance") +property_reader("QStyleHints", /::(touchDoubleTapDistance|isTouchDoubleTapDistance|hasTouchDoubleTapDistance)\s*\(/, "touchDoubleTapDistance") +property_reader("QSyntaxHighlighter", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSyntaxHighlighter", /::setObjectName\s*\(/, "objectName") +property_reader("QTextBlockGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTextBlockGroup", /::setObjectName\s*\(/, "objectName") +property_reader("QTextDocument", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTextDocument", /::setObjectName\s*\(/, "objectName") +property_reader("QTextDocument", /::(undoRedoEnabled|isUndoRedoEnabled|hasUndoRedoEnabled)\s*\(/, "undoRedoEnabled") +property_writer("QTextDocument", /::setUndoRedoEnabled\s*\(/, "undoRedoEnabled") +property_reader("QTextDocument", /::(modified|isModified|hasModified)\s*\(/, "modified") +property_writer("QTextDocument", /::setModified\s*\(/, "modified") +property_reader("QTextDocument", /::(pageSize|isPageSize|hasPageSize)\s*\(/, "pageSize") +property_writer("QTextDocument", /::setPageSize\s*\(/, "pageSize") +property_reader("QTextDocument", /::(defaultFont|isDefaultFont|hasDefaultFont)\s*\(/, "defaultFont") +property_writer("QTextDocument", /::setDefaultFont\s*\(/, "defaultFont") +property_reader("QTextDocument", /::(useDesignMetrics|isUseDesignMetrics|hasUseDesignMetrics)\s*\(/, "useDesignMetrics") +property_writer("QTextDocument", /::setUseDesignMetrics\s*\(/, "useDesignMetrics") +property_reader("QTextDocument", /::(size|isSize|hasSize)\s*\(/, "size") +property_reader("QTextDocument", /::(textWidth|isTextWidth|hasTextWidth)\s*\(/, "textWidth") +property_writer("QTextDocument", /::setTextWidth\s*\(/, "textWidth") +property_reader("QTextDocument", /::(blockCount|isBlockCount|hasBlockCount)\s*\(/, "blockCount") +property_reader("QTextDocument", /::(indentWidth|isIndentWidth|hasIndentWidth)\s*\(/, "indentWidth") +property_writer("QTextDocument", /::setIndentWidth\s*\(/, "indentWidth") +property_reader("QTextDocument", /::(defaultStyleSheet|isDefaultStyleSheet|hasDefaultStyleSheet)\s*\(/, "defaultStyleSheet") +property_writer("QTextDocument", /::setDefaultStyleSheet\s*\(/, "defaultStyleSheet") +property_reader("QTextDocument", /::(maximumBlockCount|isMaximumBlockCount|hasMaximumBlockCount)\s*\(/, "maximumBlockCount") +property_writer("QTextDocument", /::setMaximumBlockCount\s*\(/, "maximumBlockCount") +property_reader("QTextDocument", /::(documentMargin|isDocumentMargin|hasDocumentMargin)\s*\(/, "documentMargin") +property_writer("QTextDocument", /::setDocumentMargin\s*\(/, "documentMargin") +property_reader("QTextDocument", /::(baseUrl|isBaseUrl|hasBaseUrl)\s*\(/, "baseUrl") +property_writer("QTextDocument", /::setBaseUrl\s*\(/, "baseUrl") +property_reader("QTextFrame", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTextFrame", /::setObjectName\s*\(/, "objectName") +property_reader("QTextList", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTextList", /::setObjectName\s*\(/, "objectName") +property_reader("QTextObject", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTextObject", /::setObjectName\s*\(/, "objectName") +property_reader("QTextTable", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTextTable", /::setObjectName\s*\(/, "objectName") +property_reader("QValidator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QValidator", /::setObjectName\s*\(/, "objectName") +property_reader("QWindow", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QWindow", /::setObjectName\s*\(/, "objectName") +property_reader("QWindow", /::(title|isTitle|hasTitle)\s*\(/, "title") +property_writer("QWindow", /::setTitle\s*\(/, "title") +property_reader("QWindow", /::(modality|isModality|hasModality)\s*\(/, "modality") +property_writer("QWindow", /::setModality\s*\(/, "modality") +property_reader("QWindow", /::(flags|isFlags|hasFlags)\s*\(/, "flags") +property_writer("QWindow", /::setFlags\s*\(/, "flags") +property_reader("QWindow", /::(x|isX|hasX)\s*\(/, "x") +property_writer("QWindow", /::setX\s*\(/, "x") +property_reader("QWindow", /::(y|isY|hasY)\s*\(/, "y") +property_writer("QWindow", /::setY\s*\(/, "y") +property_reader("QWindow", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_writer("QWindow", /::setWidth\s*\(/, "width") +property_reader("QWindow", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_writer("QWindow", /::setHeight\s*\(/, "height") +property_reader("QWindow", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QWindow", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QWindow", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QWindow", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QWindow", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QWindow", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QWindow", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QWindow", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QWindow", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QWindow", /::setVisible\s*\(/, "visible") +property_reader("QWindow", /::(active|isActive|hasActive)\s*\(/, "active") +property_reader("QWindow", /::(visibility|isVisibility|hasVisibility)\s*\(/, "visibility") +property_writer("QWindow", /::setVisibility\s*\(/, "visibility") +property_reader("QWindow", /::(contentOrientation|isContentOrientation|hasContentOrientation)\s*\(/, "contentOrientation") +property_writer("QWindow", /::setContentOrientation\s*\(/, "contentOrientation") +property_reader("QWindow", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") +property_writer("QWindow", /::setOpacity\s*\(/, "opacity") +property_reader("QWindow", /::(transientParent|isTransientParent|hasTransientParent)\s*\(/, "transientParent") +property_writer("QWindow", /::setTransientParent\s*\(/, "transientParent") +property_reader("QAbstractButton", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractButton", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractButton", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QAbstractButton", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QAbstractButton", /::setWindowModality\s*\(/, "windowModality") +property_reader("QAbstractButton", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QAbstractButton", /::setEnabled\s*\(/, "enabled") +property_reader("QAbstractButton", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QAbstractButton", /::setGeometry\s*\(/, "geometry") +property_reader("QAbstractButton", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QAbstractButton", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QAbstractButton", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QAbstractButton", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QAbstractButton", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QAbstractButton", /::setPos\s*\(/, "pos") +property_reader("QAbstractButton", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QAbstractButton", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QAbstractButton", /::setSize\s*\(/, "size") +property_reader("QAbstractButton", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QAbstractButton", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QAbstractButton", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QAbstractButton", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QAbstractButton", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QAbstractButton", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QAbstractButton", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QAbstractButton", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QAbstractButton", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QAbstractButton", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QAbstractButton", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QAbstractButton", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QAbstractButton", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QAbstractButton", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QAbstractButton", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QAbstractButton", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QAbstractButton", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QAbstractButton", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QAbstractButton", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QAbstractButton", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QAbstractButton", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QAbstractButton", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QAbstractButton", /::setBaseSize\s*\(/, "baseSize") +property_reader("QAbstractButton", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QAbstractButton", /::setPalette\s*\(/, "palette") +property_reader("QAbstractButton", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QAbstractButton", /::setFont\s*\(/, "font") +property_reader("QAbstractButton", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QAbstractButton", /::setCursor\s*\(/, "cursor") +property_reader("QAbstractButton", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QAbstractButton", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QAbstractButton", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QAbstractButton", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QAbstractButton", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QAbstractButton", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QAbstractButton", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QAbstractButton", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QAbstractButton", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QAbstractButton", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QAbstractButton", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QAbstractButton", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QAbstractButton", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QAbstractButton", /::setVisible\s*\(/, "visible") +property_reader("QAbstractButton", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QAbstractButton", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QAbstractButton", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QAbstractButton", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QAbstractButton", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QAbstractButton", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QAbstractButton", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QAbstractButton", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QAbstractButton", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QAbstractButton", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QAbstractButton", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QAbstractButton", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QAbstractButton", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QAbstractButton", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QAbstractButton", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QAbstractButton", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QAbstractButton", /::setWindowModified\s*\(/, "windowModified") +property_reader("QAbstractButton", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QAbstractButton", /::setToolTip\s*\(/, "toolTip") +property_reader("QAbstractButton", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QAbstractButton", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QAbstractButton", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QAbstractButton", /::setStatusTip\s*\(/, "statusTip") +property_reader("QAbstractButton", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QAbstractButton", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QAbstractButton", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QAbstractButton", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QAbstractButton", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QAbstractButton", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QAbstractButton", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QAbstractButton", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QAbstractButton", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QAbstractButton", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QAbstractButton", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QAbstractButton", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QAbstractButton", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QAbstractButton", /::setLocale\s*\(/, "locale") +property_reader("QAbstractButton", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QAbstractButton", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QAbstractButton", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QAbstractButton", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QAbstractButton", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QAbstractButton", /::setText\s*\(/, "text") +property_reader("QAbstractButton", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QAbstractButton", /::setIcon\s*\(/, "icon") +property_reader("QAbstractButton", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QAbstractButton", /::setIconSize\s*\(/, "iconSize") +property_reader("QAbstractButton", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") +property_writer("QAbstractButton", /::setShortcut\s*\(/, "shortcut") +property_reader("QAbstractButton", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") +property_writer("QAbstractButton", /::setCheckable\s*\(/, "checkable") +property_reader("QAbstractButton", /::(checked|isChecked|hasChecked)\s*\(/, "checked") +property_writer("QAbstractButton", /::setChecked\s*\(/, "checked") +property_reader("QAbstractButton", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") +property_writer("QAbstractButton", /::setAutoRepeat\s*\(/, "autoRepeat") +property_reader("QAbstractButton", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") +property_writer("QAbstractButton", /::setAutoExclusive\s*\(/, "autoExclusive") +property_reader("QAbstractButton", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") +property_writer("QAbstractButton", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") +property_reader("QAbstractButton", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") +property_writer("QAbstractButton", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") +property_reader("QAbstractButton", /::(down|isDown|hasDown)\s*\(/, "down") +property_writer("QAbstractButton", /::setDown\s*\(/, "down") +property_reader("QAbstractItemDelegate", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractItemDelegate", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractItemView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractItemView", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractItemView", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QAbstractItemView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QAbstractItemView", /::setWindowModality\s*\(/, "windowModality") +property_reader("QAbstractItemView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QAbstractItemView", /::setEnabled\s*\(/, "enabled") +property_reader("QAbstractItemView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QAbstractItemView", /::setGeometry\s*\(/, "geometry") +property_reader("QAbstractItemView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QAbstractItemView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QAbstractItemView", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QAbstractItemView", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QAbstractItemView", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QAbstractItemView", /::setPos\s*\(/, "pos") +property_reader("QAbstractItemView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QAbstractItemView", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QAbstractItemView", /::setSize\s*\(/, "size") +property_reader("QAbstractItemView", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QAbstractItemView", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QAbstractItemView", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QAbstractItemView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QAbstractItemView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QAbstractItemView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QAbstractItemView", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QAbstractItemView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QAbstractItemView", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QAbstractItemView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QAbstractItemView", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QAbstractItemView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QAbstractItemView", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QAbstractItemView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QAbstractItemView", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QAbstractItemView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QAbstractItemView", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QAbstractItemView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QAbstractItemView", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QAbstractItemView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QAbstractItemView", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QAbstractItemView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QAbstractItemView", /::setBaseSize\s*\(/, "baseSize") +property_reader("QAbstractItemView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QAbstractItemView", /::setPalette\s*\(/, "palette") +property_reader("QAbstractItemView", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QAbstractItemView", /::setFont\s*\(/, "font") +property_reader("QAbstractItemView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QAbstractItemView", /::setCursor\s*\(/, "cursor") +property_reader("QAbstractItemView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QAbstractItemView", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QAbstractItemView", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QAbstractItemView", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QAbstractItemView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QAbstractItemView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QAbstractItemView", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QAbstractItemView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QAbstractItemView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QAbstractItemView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QAbstractItemView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QAbstractItemView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QAbstractItemView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QAbstractItemView", /::setVisible\s*\(/, "visible") +property_reader("QAbstractItemView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QAbstractItemView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QAbstractItemView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QAbstractItemView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QAbstractItemView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QAbstractItemView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QAbstractItemView", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QAbstractItemView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QAbstractItemView", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QAbstractItemView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QAbstractItemView", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QAbstractItemView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QAbstractItemView", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QAbstractItemView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QAbstractItemView", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QAbstractItemView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QAbstractItemView", /::setWindowModified\s*\(/, "windowModified") +property_reader("QAbstractItemView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QAbstractItemView", /::setToolTip\s*\(/, "toolTip") +property_reader("QAbstractItemView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QAbstractItemView", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QAbstractItemView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QAbstractItemView", /::setStatusTip\s*\(/, "statusTip") +property_reader("QAbstractItemView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QAbstractItemView", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QAbstractItemView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QAbstractItemView", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QAbstractItemView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QAbstractItemView", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QAbstractItemView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QAbstractItemView", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QAbstractItemView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QAbstractItemView", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QAbstractItemView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QAbstractItemView", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QAbstractItemView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QAbstractItemView", /::setLocale\s*\(/, "locale") +property_reader("QAbstractItemView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QAbstractItemView", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QAbstractItemView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QAbstractItemView", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QAbstractItemView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QAbstractItemView", /::setFrameShape\s*\(/, "frameShape") +property_reader("QAbstractItemView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QAbstractItemView", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QAbstractItemView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QAbstractItemView", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QAbstractItemView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QAbstractItemView", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QAbstractItemView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QAbstractItemView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QAbstractItemView", /::setFrameRect\s*\(/, "frameRect") +property_reader("QAbstractItemView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QAbstractItemView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QAbstractItemView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QAbstractItemView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QAbstractItemView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QAbstractItemView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QAbstractItemView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") +property_writer("QAbstractItemView", /::setAutoScroll\s*\(/, "autoScroll") +property_reader("QAbstractItemView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") +property_writer("QAbstractItemView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") +property_reader("QAbstractItemView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") +property_writer("QAbstractItemView", /::setEditTriggers\s*\(/, "editTriggers") +property_reader("QAbstractItemView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") +property_writer("QAbstractItemView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") +property_reader("QAbstractItemView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") +property_writer("QAbstractItemView", /::setShowDropIndicator\s*\(/, "showDropIndicator") +property_reader("QAbstractItemView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QAbstractItemView", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QAbstractItemView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") +property_writer("QAbstractItemView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") +property_reader("QAbstractItemView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") +property_writer("QAbstractItemView", /::setDragDropMode\s*\(/, "dragDropMode") +property_reader("QAbstractItemView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") +property_writer("QAbstractItemView", /::setDefaultDropAction\s*\(/, "defaultDropAction") +property_reader("QAbstractItemView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") +property_writer("QAbstractItemView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") +property_reader("QAbstractItemView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QAbstractItemView", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QAbstractItemView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") +property_writer("QAbstractItemView", /::setSelectionBehavior\s*\(/, "selectionBehavior") +property_reader("QAbstractItemView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QAbstractItemView", /::setIconSize\s*\(/, "iconSize") +property_reader("QAbstractItemView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") +property_writer("QAbstractItemView", /::setTextElideMode\s*\(/, "textElideMode") +property_reader("QAbstractItemView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") +property_writer("QAbstractItemView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") +property_reader("QAbstractItemView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") +property_writer("QAbstractItemView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") +property_reader("QAbstractScrollArea", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractScrollArea", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractScrollArea", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QAbstractScrollArea", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QAbstractScrollArea", /::setWindowModality\s*\(/, "windowModality") +property_reader("QAbstractScrollArea", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QAbstractScrollArea", /::setEnabled\s*\(/, "enabled") +property_reader("QAbstractScrollArea", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QAbstractScrollArea", /::setGeometry\s*\(/, "geometry") +property_reader("QAbstractScrollArea", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QAbstractScrollArea", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QAbstractScrollArea", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QAbstractScrollArea", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QAbstractScrollArea", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QAbstractScrollArea", /::setPos\s*\(/, "pos") +property_reader("QAbstractScrollArea", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QAbstractScrollArea", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QAbstractScrollArea", /::setSize\s*\(/, "size") +property_reader("QAbstractScrollArea", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QAbstractScrollArea", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QAbstractScrollArea", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QAbstractScrollArea", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QAbstractScrollArea", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QAbstractScrollArea", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QAbstractScrollArea", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QAbstractScrollArea", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QAbstractScrollArea", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QAbstractScrollArea", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QAbstractScrollArea", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QAbstractScrollArea", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QAbstractScrollArea", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QAbstractScrollArea", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QAbstractScrollArea", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QAbstractScrollArea", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QAbstractScrollArea", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QAbstractScrollArea", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QAbstractScrollArea", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QAbstractScrollArea", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QAbstractScrollArea", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QAbstractScrollArea", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QAbstractScrollArea", /::setBaseSize\s*\(/, "baseSize") +property_reader("QAbstractScrollArea", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QAbstractScrollArea", /::setPalette\s*\(/, "palette") +property_reader("QAbstractScrollArea", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QAbstractScrollArea", /::setFont\s*\(/, "font") +property_reader("QAbstractScrollArea", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QAbstractScrollArea", /::setCursor\s*\(/, "cursor") +property_reader("QAbstractScrollArea", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QAbstractScrollArea", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QAbstractScrollArea", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QAbstractScrollArea", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QAbstractScrollArea", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QAbstractScrollArea", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QAbstractScrollArea", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QAbstractScrollArea", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QAbstractScrollArea", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QAbstractScrollArea", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QAbstractScrollArea", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QAbstractScrollArea", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QAbstractScrollArea", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QAbstractScrollArea", /::setVisible\s*\(/, "visible") +property_reader("QAbstractScrollArea", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QAbstractScrollArea", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QAbstractScrollArea", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QAbstractScrollArea", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QAbstractScrollArea", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QAbstractScrollArea", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QAbstractScrollArea", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QAbstractScrollArea", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QAbstractScrollArea", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QAbstractScrollArea", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QAbstractScrollArea", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QAbstractScrollArea", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QAbstractScrollArea", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QAbstractScrollArea", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QAbstractScrollArea", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QAbstractScrollArea", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QAbstractScrollArea", /::setWindowModified\s*\(/, "windowModified") +property_reader("QAbstractScrollArea", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QAbstractScrollArea", /::setToolTip\s*\(/, "toolTip") +property_reader("QAbstractScrollArea", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QAbstractScrollArea", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QAbstractScrollArea", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QAbstractScrollArea", /::setStatusTip\s*\(/, "statusTip") +property_reader("QAbstractScrollArea", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QAbstractScrollArea", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QAbstractScrollArea", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QAbstractScrollArea", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QAbstractScrollArea", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QAbstractScrollArea", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QAbstractScrollArea", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QAbstractScrollArea", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QAbstractScrollArea", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QAbstractScrollArea", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QAbstractScrollArea", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QAbstractScrollArea", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QAbstractScrollArea", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QAbstractScrollArea", /::setLocale\s*\(/, "locale") +property_reader("QAbstractScrollArea", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QAbstractScrollArea", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QAbstractScrollArea", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QAbstractScrollArea", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QAbstractScrollArea", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QAbstractScrollArea", /::setFrameShape\s*\(/, "frameShape") +property_reader("QAbstractScrollArea", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QAbstractScrollArea", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QAbstractScrollArea", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QAbstractScrollArea", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QAbstractScrollArea", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QAbstractScrollArea", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QAbstractScrollArea", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QAbstractScrollArea", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QAbstractScrollArea", /::setFrameRect\s*\(/, "frameRect") +property_reader("QAbstractScrollArea", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QAbstractScrollArea", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QAbstractScrollArea", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QAbstractScrollArea", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QAbstractScrollArea", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QAbstractScrollArea", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QAbstractSlider", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractSlider", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractSlider", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QAbstractSlider", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QAbstractSlider", /::setWindowModality\s*\(/, "windowModality") +property_reader("QAbstractSlider", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QAbstractSlider", /::setEnabled\s*\(/, "enabled") +property_reader("QAbstractSlider", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QAbstractSlider", /::setGeometry\s*\(/, "geometry") +property_reader("QAbstractSlider", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QAbstractSlider", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QAbstractSlider", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QAbstractSlider", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QAbstractSlider", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QAbstractSlider", /::setPos\s*\(/, "pos") +property_reader("QAbstractSlider", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QAbstractSlider", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QAbstractSlider", /::setSize\s*\(/, "size") +property_reader("QAbstractSlider", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QAbstractSlider", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QAbstractSlider", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QAbstractSlider", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QAbstractSlider", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QAbstractSlider", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QAbstractSlider", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QAbstractSlider", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QAbstractSlider", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QAbstractSlider", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QAbstractSlider", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QAbstractSlider", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QAbstractSlider", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QAbstractSlider", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QAbstractSlider", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QAbstractSlider", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QAbstractSlider", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QAbstractSlider", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QAbstractSlider", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QAbstractSlider", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QAbstractSlider", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QAbstractSlider", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QAbstractSlider", /::setBaseSize\s*\(/, "baseSize") +property_reader("QAbstractSlider", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QAbstractSlider", /::setPalette\s*\(/, "palette") +property_reader("QAbstractSlider", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QAbstractSlider", /::setFont\s*\(/, "font") +property_reader("QAbstractSlider", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QAbstractSlider", /::setCursor\s*\(/, "cursor") +property_reader("QAbstractSlider", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QAbstractSlider", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QAbstractSlider", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QAbstractSlider", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QAbstractSlider", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QAbstractSlider", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QAbstractSlider", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QAbstractSlider", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QAbstractSlider", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QAbstractSlider", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QAbstractSlider", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QAbstractSlider", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QAbstractSlider", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QAbstractSlider", /::setVisible\s*\(/, "visible") +property_reader("QAbstractSlider", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QAbstractSlider", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QAbstractSlider", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QAbstractSlider", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QAbstractSlider", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QAbstractSlider", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QAbstractSlider", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QAbstractSlider", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QAbstractSlider", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QAbstractSlider", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QAbstractSlider", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QAbstractSlider", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QAbstractSlider", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QAbstractSlider", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QAbstractSlider", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QAbstractSlider", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QAbstractSlider", /::setWindowModified\s*\(/, "windowModified") +property_reader("QAbstractSlider", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QAbstractSlider", /::setToolTip\s*\(/, "toolTip") +property_reader("QAbstractSlider", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QAbstractSlider", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QAbstractSlider", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QAbstractSlider", /::setStatusTip\s*\(/, "statusTip") +property_reader("QAbstractSlider", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QAbstractSlider", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QAbstractSlider", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QAbstractSlider", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QAbstractSlider", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QAbstractSlider", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QAbstractSlider", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QAbstractSlider", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QAbstractSlider", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QAbstractSlider", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QAbstractSlider", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QAbstractSlider", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QAbstractSlider", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QAbstractSlider", /::setLocale\s*\(/, "locale") +property_reader("QAbstractSlider", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QAbstractSlider", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QAbstractSlider", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QAbstractSlider", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QAbstractSlider", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") +property_writer("QAbstractSlider", /::setMinimum\s*\(/, "minimum") +property_reader("QAbstractSlider", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") +property_writer("QAbstractSlider", /::setMaximum\s*\(/, "maximum") +property_reader("QAbstractSlider", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") +property_writer("QAbstractSlider", /::setSingleStep\s*\(/, "singleStep") +property_reader("QAbstractSlider", /::(pageStep|isPageStep|hasPageStep)\s*\(/, "pageStep") +property_writer("QAbstractSlider", /::setPageStep\s*\(/, "pageStep") +property_reader("QAbstractSlider", /::(value|isValue|hasValue)\s*\(/, "value") +property_writer("QAbstractSlider", /::setValue\s*\(/, "value") +property_reader("QAbstractSlider", /::(sliderPosition|isSliderPosition|hasSliderPosition)\s*\(/, "sliderPosition") +property_writer("QAbstractSlider", /::setSliderPosition\s*\(/, "sliderPosition") +property_reader("QAbstractSlider", /::(tracking|isTracking|hasTracking)\s*\(/, "tracking") +property_writer("QAbstractSlider", /::setTracking\s*\(/, "tracking") +property_reader("QAbstractSlider", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") +property_writer("QAbstractSlider", /::setOrientation\s*\(/, "orientation") +property_reader("QAbstractSlider", /::(invertedAppearance|isInvertedAppearance|hasInvertedAppearance)\s*\(/, "invertedAppearance") +property_writer("QAbstractSlider", /::setInvertedAppearance\s*\(/, "invertedAppearance") +property_reader("QAbstractSlider", /::(invertedControls|isInvertedControls|hasInvertedControls)\s*\(/, "invertedControls") +property_writer("QAbstractSlider", /::setInvertedControls\s*\(/, "invertedControls") +property_reader("QAbstractSlider", /::(sliderDown|isSliderDown|hasSliderDown)\s*\(/, "sliderDown") +property_writer("QAbstractSlider", /::setSliderDown\s*\(/, "sliderDown") +property_reader("QAbstractSpinBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractSpinBox", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractSpinBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QAbstractSpinBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QAbstractSpinBox", /::setWindowModality\s*\(/, "windowModality") +property_reader("QAbstractSpinBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QAbstractSpinBox", /::setEnabled\s*\(/, "enabled") +property_reader("QAbstractSpinBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QAbstractSpinBox", /::setGeometry\s*\(/, "geometry") +property_reader("QAbstractSpinBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QAbstractSpinBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QAbstractSpinBox", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QAbstractSpinBox", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QAbstractSpinBox", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QAbstractSpinBox", /::setPos\s*\(/, "pos") +property_reader("QAbstractSpinBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QAbstractSpinBox", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QAbstractSpinBox", /::setSize\s*\(/, "size") +property_reader("QAbstractSpinBox", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QAbstractSpinBox", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QAbstractSpinBox", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QAbstractSpinBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QAbstractSpinBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QAbstractSpinBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QAbstractSpinBox", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QAbstractSpinBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QAbstractSpinBox", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QAbstractSpinBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QAbstractSpinBox", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QAbstractSpinBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QAbstractSpinBox", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QAbstractSpinBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QAbstractSpinBox", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QAbstractSpinBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QAbstractSpinBox", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QAbstractSpinBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QAbstractSpinBox", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QAbstractSpinBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QAbstractSpinBox", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QAbstractSpinBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QAbstractSpinBox", /::setBaseSize\s*\(/, "baseSize") +property_reader("QAbstractSpinBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QAbstractSpinBox", /::setPalette\s*\(/, "palette") +property_reader("QAbstractSpinBox", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QAbstractSpinBox", /::setFont\s*\(/, "font") +property_reader("QAbstractSpinBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QAbstractSpinBox", /::setCursor\s*\(/, "cursor") +property_reader("QAbstractSpinBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QAbstractSpinBox", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QAbstractSpinBox", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QAbstractSpinBox", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QAbstractSpinBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QAbstractSpinBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QAbstractSpinBox", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QAbstractSpinBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QAbstractSpinBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QAbstractSpinBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QAbstractSpinBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QAbstractSpinBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QAbstractSpinBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QAbstractSpinBox", /::setVisible\s*\(/, "visible") +property_reader("QAbstractSpinBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QAbstractSpinBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QAbstractSpinBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QAbstractSpinBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QAbstractSpinBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QAbstractSpinBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QAbstractSpinBox", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QAbstractSpinBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QAbstractSpinBox", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QAbstractSpinBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QAbstractSpinBox", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QAbstractSpinBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QAbstractSpinBox", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QAbstractSpinBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QAbstractSpinBox", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QAbstractSpinBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QAbstractSpinBox", /::setWindowModified\s*\(/, "windowModified") +property_reader("QAbstractSpinBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QAbstractSpinBox", /::setToolTip\s*\(/, "toolTip") +property_reader("QAbstractSpinBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QAbstractSpinBox", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QAbstractSpinBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QAbstractSpinBox", /::setStatusTip\s*\(/, "statusTip") +property_reader("QAbstractSpinBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QAbstractSpinBox", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QAbstractSpinBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QAbstractSpinBox", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QAbstractSpinBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QAbstractSpinBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QAbstractSpinBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QAbstractSpinBox", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QAbstractSpinBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QAbstractSpinBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QAbstractSpinBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QAbstractSpinBox", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QAbstractSpinBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QAbstractSpinBox", /::setLocale\s*\(/, "locale") +property_reader("QAbstractSpinBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QAbstractSpinBox", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QAbstractSpinBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QAbstractSpinBox", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QAbstractSpinBox", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") +property_writer("QAbstractSpinBox", /::setWrapping\s*\(/, "wrapping") +property_reader("QAbstractSpinBox", /::(frame|isFrame|hasFrame)\s*\(/, "frame") +property_writer("QAbstractSpinBox", /::setFrame\s*\(/, "frame") +property_reader("QAbstractSpinBox", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QAbstractSpinBox", /::setAlignment\s*\(/, "alignment") +property_reader("QAbstractSpinBox", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QAbstractSpinBox", /::setReadOnly\s*\(/, "readOnly") +property_reader("QAbstractSpinBox", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") +property_writer("QAbstractSpinBox", /::setButtonSymbols\s*\(/, "buttonSymbols") +property_reader("QAbstractSpinBox", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") +property_writer("QAbstractSpinBox", /::setSpecialValueText\s*\(/, "specialValueText") +property_reader("QAbstractSpinBox", /::(text|isText|hasText)\s*\(/, "text") +property_reader("QAbstractSpinBox", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") +property_writer("QAbstractSpinBox", /::setAccelerated\s*\(/, "accelerated") +property_reader("QAbstractSpinBox", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") +property_writer("QAbstractSpinBox", /::setCorrectionMode\s*\(/, "correctionMode") +property_reader("QAbstractSpinBox", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") +property_reader("QAbstractSpinBox", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") +property_writer("QAbstractSpinBox", /::setKeyboardTracking\s*\(/, "keyboardTracking") +property_reader("QAbstractSpinBox", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") +property_writer("QAbstractSpinBox", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") +property_reader("QAction", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAction", /::setObjectName\s*\(/, "objectName") +property_reader("QAction", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") +property_writer("QAction", /::setCheckable\s*\(/, "checkable") +property_reader("QAction", /::(checked|isChecked|hasChecked)\s*\(/, "checked") +property_writer("QAction", /::setChecked\s*\(/, "checked") +property_reader("QAction", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QAction", /::setEnabled\s*\(/, "enabled") +property_reader("QAction", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QAction", /::setIcon\s*\(/, "icon") +property_reader("QAction", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QAction", /::setText\s*\(/, "text") +property_reader("QAction", /::(iconText|isIconText|hasIconText)\s*\(/, "iconText") +property_writer("QAction", /::setIconText\s*\(/, "iconText") +property_reader("QAction", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QAction", /::setToolTip\s*\(/, "toolTip") +property_reader("QAction", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QAction", /::setStatusTip\s*\(/, "statusTip") +property_reader("QAction", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QAction", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QAction", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QAction", /::setFont\s*\(/, "font") +property_reader("QAction", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") +property_writer("QAction", /::setShortcut\s*\(/, "shortcut") +property_reader("QAction", /::(shortcutContext|isShortcutContext|hasShortcutContext)\s*\(/, "shortcutContext") +property_writer("QAction", /::setShortcutContext\s*\(/, "shortcutContext") +property_reader("QAction", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") +property_writer("QAction", /::setAutoRepeat\s*\(/, "autoRepeat") +property_reader("QAction", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QAction", /::setVisible\s*\(/, "visible") +property_reader("QAction", /::(menuRole|isMenuRole|hasMenuRole)\s*\(/, "menuRole") +property_writer("QAction", /::setMenuRole\s*\(/, "menuRole") +property_reader("QAction", /::(iconVisibleInMenu|isIconVisibleInMenu|hasIconVisibleInMenu)\s*\(/, "iconVisibleInMenu") +property_writer("QAction", /::setIconVisibleInMenu\s*\(/, "iconVisibleInMenu") +property_reader("QAction", /::(shortcutVisibleInContextMenu|isShortcutVisibleInContextMenu|hasShortcutVisibleInContextMenu)\s*\(/, "shortcutVisibleInContextMenu") +property_writer("QAction", /::setShortcutVisibleInContextMenu\s*\(/, "shortcutVisibleInContextMenu") +property_reader("QAction", /::(priority|isPriority|hasPriority)\s*\(/, "priority") +property_writer("QAction", /::setPriority\s*\(/, "priority") +property_reader("QActionGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QActionGroup", /::setObjectName\s*\(/, "objectName") +property_reader("QActionGroup", /::(exclusionPolicy|isExclusionPolicy|hasExclusionPolicy)\s*\(/, "exclusionPolicy") +property_writer("QActionGroup", /::setExclusionPolicy\s*\(/, "exclusionPolicy") +property_reader("QActionGroup", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QActionGroup", /::setEnabled\s*\(/, "enabled") +property_reader("QActionGroup", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QActionGroup", /::setVisible\s*\(/, "visible") +property_reader("QApplication", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QApplication", /::setObjectName\s*\(/, "objectName") +property_reader("QApplication", /::(applicationName|isApplicationName|hasApplicationName)\s*\(/, "applicationName") +property_writer("QApplication", /::setApplicationName\s*\(/, "applicationName") +property_reader("QApplication", /::(applicationVersion|isApplicationVersion|hasApplicationVersion)\s*\(/, "applicationVersion") +property_writer("QApplication", /::setApplicationVersion\s*\(/, "applicationVersion") +property_reader("QApplication", /::(organizationName|isOrganizationName|hasOrganizationName)\s*\(/, "organizationName") +property_writer("QApplication", /::setOrganizationName\s*\(/, "organizationName") +property_reader("QApplication", /::(organizationDomain|isOrganizationDomain|hasOrganizationDomain)\s*\(/, "organizationDomain") +property_writer("QApplication", /::setOrganizationDomain\s*\(/, "organizationDomain") +property_reader("QApplication", /::(quitLockEnabled|isQuitLockEnabled|hasQuitLockEnabled)\s*\(/, "quitLockEnabled") +property_writer("QApplication", /::setQuitLockEnabled\s*\(/, "quitLockEnabled") +property_reader("QApplication", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QApplication", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QApplication", /::(applicationDisplayName|isApplicationDisplayName|hasApplicationDisplayName)\s*\(/, "applicationDisplayName") +property_writer("QApplication", /::setApplicationDisplayName\s*\(/, "applicationDisplayName") +property_reader("QApplication", /::(desktopFileName|isDesktopFileName|hasDesktopFileName)\s*\(/, "desktopFileName") +property_writer("QApplication", /::setDesktopFileName\s*\(/, "desktopFileName") +property_reader("QApplication", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QApplication", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QApplication", /::(platformName|isPlatformName|hasPlatformName)\s*\(/, "platformName") +property_reader("QApplication", /::(quitOnLastWindowClosed|isQuitOnLastWindowClosed|hasQuitOnLastWindowClosed)\s*\(/, "quitOnLastWindowClosed") +property_writer("QApplication", /::setQuitOnLastWindowClosed\s*\(/, "quitOnLastWindowClosed") +property_reader("QApplication", /::(primaryScreen|isPrimaryScreen|hasPrimaryScreen)\s*\(/, "primaryScreen") +property_reader("QApplication", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QApplication", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QApplication", /::(cursorFlashTime|isCursorFlashTime|hasCursorFlashTime)\s*\(/, "cursorFlashTime") +property_writer("QApplication", /::setCursorFlashTime\s*\(/, "cursorFlashTime") +property_reader("QApplication", /::(doubleClickInterval|isDoubleClickInterval|hasDoubleClickInterval)\s*\(/, "doubleClickInterval") +property_writer("QApplication", /::setDoubleClickInterval\s*\(/, "doubleClickInterval") +property_reader("QApplication", /::(keyboardInputInterval|isKeyboardInputInterval|hasKeyboardInputInterval)\s*\(/, "keyboardInputInterval") +property_writer("QApplication", /::setKeyboardInputInterval\s*\(/, "keyboardInputInterval") +property_reader("QApplication", /::(wheelScrollLines|isWheelScrollLines|hasWheelScrollLines)\s*\(/, "wheelScrollLines") +property_writer("QApplication", /::setWheelScrollLines\s*\(/, "wheelScrollLines") +property_reader("QApplication", /::(globalStrut|isGlobalStrut|hasGlobalStrut)\s*\(/, "globalStrut") +property_writer("QApplication", /::setGlobalStrut\s*\(/, "globalStrut") +property_reader("QApplication", /::(startDragTime|isStartDragTime|hasStartDragTime)\s*\(/, "startDragTime") +property_writer("QApplication", /::setStartDragTime\s*\(/, "startDragTime") +property_reader("QApplication", /::(startDragDistance|isStartDragDistance|hasStartDragDistance)\s*\(/, "startDragDistance") +property_writer("QApplication", /::setStartDragDistance\s*\(/, "startDragDistance") +property_reader("QApplication", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QApplication", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QApplication", /::(autoSipEnabled|isAutoSipEnabled|hasAutoSipEnabled)\s*\(/, "autoSipEnabled") +property_writer("QApplication", /::setAutoSipEnabled\s*\(/, "autoSipEnabled") +property_reader("QBoxLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QBoxLayout", /::setObjectName\s*\(/, "objectName") +property_reader("QBoxLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") +property_writer("QBoxLayout", /::setMargin\s*\(/, "margin") +property_reader("QBoxLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QBoxLayout", /::setSpacing\s*\(/, "spacing") +property_reader("QBoxLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") +property_writer("QBoxLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") +property_reader("QButtonGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QButtonGroup", /::setObjectName\s*\(/, "objectName") +property_reader("QButtonGroup", /::(exclusive|isExclusive|hasExclusive)\s*\(/, "exclusive") +property_writer("QButtonGroup", /::setExclusive\s*\(/, "exclusive") +property_reader("QCalendarWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCalendarWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QCalendarWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QCalendarWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QCalendarWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QCalendarWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QCalendarWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QCalendarWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QCalendarWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QCalendarWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QCalendarWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QCalendarWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QCalendarWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QCalendarWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QCalendarWidget", /::setPos\s*\(/, "pos") +property_reader("QCalendarWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QCalendarWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QCalendarWidget", /::setSize\s*\(/, "size") +property_reader("QCalendarWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QCalendarWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QCalendarWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QCalendarWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QCalendarWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QCalendarWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QCalendarWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QCalendarWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QCalendarWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QCalendarWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QCalendarWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QCalendarWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QCalendarWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QCalendarWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QCalendarWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QCalendarWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QCalendarWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QCalendarWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QCalendarWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QCalendarWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QCalendarWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QCalendarWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QCalendarWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QCalendarWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QCalendarWidget", /::setPalette\s*\(/, "palette") +property_reader("QCalendarWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QCalendarWidget", /::setFont\s*\(/, "font") +property_reader("QCalendarWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QCalendarWidget", /::setCursor\s*\(/, "cursor") +property_reader("QCalendarWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QCalendarWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QCalendarWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QCalendarWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QCalendarWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QCalendarWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QCalendarWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QCalendarWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QCalendarWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QCalendarWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QCalendarWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QCalendarWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QCalendarWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QCalendarWidget", /::setVisible\s*\(/, "visible") +property_reader("QCalendarWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QCalendarWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QCalendarWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QCalendarWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QCalendarWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QCalendarWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QCalendarWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QCalendarWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QCalendarWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QCalendarWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QCalendarWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QCalendarWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QCalendarWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QCalendarWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QCalendarWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QCalendarWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QCalendarWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QCalendarWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QCalendarWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QCalendarWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QCalendarWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QCalendarWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QCalendarWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QCalendarWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QCalendarWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QCalendarWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QCalendarWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QCalendarWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QCalendarWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QCalendarWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QCalendarWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QCalendarWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QCalendarWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QCalendarWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QCalendarWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QCalendarWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QCalendarWidget", /::setLocale\s*\(/, "locale") +property_reader("QCalendarWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QCalendarWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QCalendarWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QCalendarWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QCalendarWidget", /::(selectedDate|isSelectedDate|hasSelectedDate)\s*\(/, "selectedDate") +property_writer("QCalendarWidget", /::setSelectedDate\s*\(/, "selectedDate") +property_reader("QCalendarWidget", /::(minimumDate|isMinimumDate|hasMinimumDate)\s*\(/, "minimumDate") +property_writer("QCalendarWidget", /::setMinimumDate\s*\(/, "minimumDate") +property_reader("QCalendarWidget", /::(maximumDate|isMaximumDate|hasMaximumDate)\s*\(/, "maximumDate") +property_writer("QCalendarWidget", /::setMaximumDate\s*\(/, "maximumDate") +property_reader("QCalendarWidget", /::(firstDayOfWeek|isFirstDayOfWeek|hasFirstDayOfWeek)\s*\(/, "firstDayOfWeek") +property_writer("QCalendarWidget", /::setFirstDayOfWeek\s*\(/, "firstDayOfWeek") +property_reader("QCalendarWidget", /::(gridVisible|isGridVisible|hasGridVisible)\s*\(/, "gridVisible") +property_writer("QCalendarWidget", /::setGridVisible\s*\(/, "gridVisible") +property_reader("QCalendarWidget", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QCalendarWidget", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QCalendarWidget", /::(horizontalHeaderFormat|isHorizontalHeaderFormat|hasHorizontalHeaderFormat)\s*\(/, "horizontalHeaderFormat") +property_writer("QCalendarWidget", /::setHorizontalHeaderFormat\s*\(/, "horizontalHeaderFormat") +property_reader("QCalendarWidget", /::(verticalHeaderFormat|isVerticalHeaderFormat|hasVerticalHeaderFormat)\s*\(/, "verticalHeaderFormat") +property_writer("QCalendarWidget", /::setVerticalHeaderFormat\s*\(/, "verticalHeaderFormat") +property_reader("QCalendarWidget", /::(navigationBarVisible|isNavigationBarVisible|hasNavigationBarVisible)\s*\(/, "navigationBarVisible") +property_writer("QCalendarWidget", /::setNavigationBarVisible\s*\(/, "navigationBarVisible") +property_reader("QCalendarWidget", /::(dateEditEnabled|isDateEditEnabled|hasDateEditEnabled)\s*\(/, "dateEditEnabled") +property_writer("QCalendarWidget", /::setDateEditEnabled\s*\(/, "dateEditEnabled") +property_reader("QCalendarWidget", /::(dateEditAcceptDelay|isDateEditAcceptDelay|hasDateEditAcceptDelay)\s*\(/, "dateEditAcceptDelay") +property_writer("QCalendarWidget", /::setDateEditAcceptDelay\s*\(/, "dateEditAcceptDelay") +property_reader("QCheckBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCheckBox", /::setObjectName\s*\(/, "objectName") +property_reader("QCheckBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QCheckBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QCheckBox", /::setWindowModality\s*\(/, "windowModality") +property_reader("QCheckBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QCheckBox", /::setEnabled\s*\(/, "enabled") +property_reader("QCheckBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QCheckBox", /::setGeometry\s*\(/, "geometry") +property_reader("QCheckBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QCheckBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QCheckBox", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QCheckBox", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QCheckBox", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QCheckBox", /::setPos\s*\(/, "pos") +property_reader("QCheckBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QCheckBox", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QCheckBox", /::setSize\s*\(/, "size") +property_reader("QCheckBox", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QCheckBox", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QCheckBox", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QCheckBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QCheckBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QCheckBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QCheckBox", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QCheckBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QCheckBox", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QCheckBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QCheckBox", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QCheckBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QCheckBox", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QCheckBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QCheckBox", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QCheckBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QCheckBox", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QCheckBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QCheckBox", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QCheckBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QCheckBox", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QCheckBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QCheckBox", /::setBaseSize\s*\(/, "baseSize") +property_reader("QCheckBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QCheckBox", /::setPalette\s*\(/, "palette") +property_reader("QCheckBox", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QCheckBox", /::setFont\s*\(/, "font") +property_reader("QCheckBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QCheckBox", /::setCursor\s*\(/, "cursor") +property_reader("QCheckBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QCheckBox", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QCheckBox", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QCheckBox", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QCheckBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QCheckBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QCheckBox", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QCheckBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QCheckBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QCheckBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QCheckBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QCheckBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QCheckBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QCheckBox", /::setVisible\s*\(/, "visible") +property_reader("QCheckBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QCheckBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QCheckBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QCheckBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QCheckBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QCheckBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QCheckBox", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QCheckBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QCheckBox", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QCheckBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QCheckBox", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QCheckBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QCheckBox", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QCheckBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QCheckBox", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QCheckBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QCheckBox", /::setWindowModified\s*\(/, "windowModified") +property_reader("QCheckBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QCheckBox", /::setToolTip\s*\(/, "toolTip") +property_reader("QCheckBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QCheckBox", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QCheckBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QCheckBox", /::setStatusTip\s*\(/, "statusTip") +property_reader("QCheckBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QCheckBox", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QCheckBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QCheckBox", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QCheckBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QCheckBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QCheckBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QCheckBox", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QCheckBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QCheckBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QCheckBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QCheckBox", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QCheckBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QCheckBox", /::setLocale\s*\(/, "locale") +property_reader("QCheckBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QCheckBox", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QCheckBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QCheckBox", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QCheckBox", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QCheckBox", /::setText\s*\(/, "text") +property_reader("QCheckBox", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QCheckBox", /::setIcon\s*\(/, "icon") +property_reader("QCheckBox", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QCheckBox", /::setIconSize\s*\(/, "iconSize") +property_reader("QCheckBox", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") +property_writer("QCheckBox", /::setShortcut\s*\(/, "shortcut") +property_reader("QCheckBox", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") +property_writer("QCheckBox", /::setCheckable\s*\(/, "checkable") +property_reader("QCheckBox", /::(checked|isChecked|hasChecked)\s*\(/, "checked") +property_writer("QCheckBox", /::setChecked\s*\(/, "checked") +property_reader("QCheckBox", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") +property_writer("QCheckBox", /::setAutoRepeat\s*\(/, "autoRepeat") +property_reader("QCheckBox", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") +property_writer("QCheckBox", /::setAutoExclusive\s*\(/, "autoExclusive") +property_reader("QCheckBox", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") +property_writer("QCheckBox", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") +property_reader("QCheckBox", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") +property_writer("QCheckBox", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") +property_reader("QCheckBox", /::(down|isDown|hasDown)\s*\(/, "down") +property_writer("QCheckBox", /::setDown\s*\(/, "down") +property_reader("QCheckBox", /::(tristate|isTristate|hasTristate)\s*\(/, "tristate") +property_writer("QCheckBox", /::setTristate\s*\(/, "tristate") +property_reader("QColorDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QColorDialog", /::setObjectName\s*\(/, "objectName") +property_reader("QColorDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QColorDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QColorDialog", /::setWindowModality\s*\(/, "windowModality") +property_reader("QColorDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QColorDialog", /::setEnabled\s*\(/, "enabled") +property_reader("QColorDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QColorDialog", /::setGeometry\s*\(/, "geometry") +property_reader("QColorDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QColorDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QColorDialog", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QColorDialog", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QColorDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QColorDialog", /::setPos\s*\(/, "pos") +property_reader("QColorDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QColorDialog", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QColorDialog", /::setSize\s*\(/, "size") +property_reader("QColorDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QColorDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QColorDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QColorDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QColorDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QColorDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QColorDialog", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QColorDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QColorDialog", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QColorDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QColorDialog", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QColorDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QColorDialog", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QColorDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QColorDialog", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QColorDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QColorDialog", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QColorDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QColorDialog", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QColorDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QColorDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QColorDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QColorDialog", /::setBaseSize\s*\(/, "baseSize") +property_reader("QColorDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QColorDialog", /::setPalette\s*\(/, "palette") +property_reader("QColorDialog", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QColorDialog", /::setFont\s*\(/, "font") +property_reader("QColorDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QColorDialog", /::setCursor\s*\(/, "cursor") +property_reader("QColorDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QColorDialog", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QColorDialog", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QColorDialog", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QColorDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QColorDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QColorDialog", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QColorDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QColorDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QColorDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QColorDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QColorDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QColorDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QColorDialog", /::setVisible\s*\(/, "visible") +property_reader("QColorDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QColorDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QColorDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QColorDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QColorDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QColorDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QColorDialog", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QColorDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QColorDialog", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QColorDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QColorDialog", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QColorDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QColorDialog", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QColorDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QColorDialog", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QColorDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QColorDialog", /::setWindowModified\s*\(/, "windowModified") +property_reader("QColorDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QColorDialog", /::setToolTip\s*\(/, "toolTip") +property_reader("QColorDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QColorDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QColorDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QColorDialog", /::setStatusTip\s*\(/, "statusTip") +property_reader("QColorDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QColorDialog", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QColorDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QColorDialog", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QColorDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QColorDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QColorDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QColorDialog", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QColorDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QColorDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QColorDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QColorDialog", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QColorDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QColorDialog", /::setLocale\s*\(/, "locale") +property_reader("QColorDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QColorDialog", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QColorDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QColorDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QColorDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QColorDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QColorDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QColorDialog", /::setModal\s*\(/, "modal") +property_reader("QColorDialog", /::(currentColor|isCurrentColor|hasCurrentColor)\s*\(/, "currentColor") +property_writer("QColorDialog", /::setCurrentColor\s*\(/, "currentColor") +property_reader("QColorDialog", /::(options|isOptions|hasOptions)\s*\(/, "options") +property_writer("QColorDialog", /::setOptions\s*\(/, "options") +property_reader("QColumnView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QColumnView", /::setObjectName\s*\(/, "objectName") +property_reader("QColumnView", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QColumnView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QColumnView", /::setWindowModality\s*\(/, "windowModality") +property_reader("QColumnView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QColumnView", /::setEnabled\s*\(/, "enabled") +property_reader("QColumnView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QColumnView", /::setGeometry\s*\(/, "geometry") +property_reader("QColumnView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QColumnView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QColumnView", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QColumnView", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QColumnView", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QColumnView", /::setPos\s*\(/, "pos") +property_reader("QColumnView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QColumnView", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QColumnView", /::setSize\s*\(/, "size") +property_reader("QColumnView", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QColumnView", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QColumnView", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QColumnView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QColumnView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QColumnView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QColumnView", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QColumnView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QColumnView", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QColumnView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QColumnView", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QColumnView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QColumnView", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QColumnView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QColumnView", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QColumnView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QColumnView", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QColumnView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QColumnView", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QColumnView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QColumnView", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QColumnView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QColumnView", /::setBaseSize\s*\(/, "baseSize") +property_reader("QColumnView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QColumnView", /::setPalette\s*\(/, "palette") +property_reader("QColumnView", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QColumnView", /::setFont\s*\(/, "font") +property_reader("QColumnView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QColumnView", /::setCursor\s*\(/, "cursor") +property_reader("QColumnView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QColumnView", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QColumnView", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QColumnView", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QColumnView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QColumnView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QColumnView", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QColumnView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QColumnView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QColumnView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QColumnView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QColumnView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QColumnView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QColumnView", /::setVisible\s*\(/, "visible") +property_reader("QColumnView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QColumnView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QColumnView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QColumnView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QColumnView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QColumnView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QColumnView", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QColumnView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QColumnView", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QColumnView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QColumnView", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QColumnView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QColumnView", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QColumnView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QColumnView", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QColumnView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QColumnView", /::setWindowModified\s*\(/, "windowModified") +property_reader("QColumnView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QColumnView", /::setToolTip\s*\(/, "toolTip") +property_reader("QColumnView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QColumnView", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QColumnView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QColumnView", /::setStatusTip\s*\(/, "statusTip") +property_reader("QColumnView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QColumnView", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QColumnView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QColumnView", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QColumnView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QColumnView", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QColumnView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QColumnView", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QColumnView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QColumnView", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QColumnView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QColumnView", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QColumnView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QColumnView", /::setLocale\s*\(/, "locale") +property_reader("QColumnView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QColumnView", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QColumnView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QColumnView", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QColumnView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QColumnView", /::setFrameShape\s*\(/, "frameShape") +property_reader("QColumnView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QColumnView", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QColumnView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QColumnView", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QColumnView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QColumnView", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QColumnView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QColumnView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QColumnView", /::setFrameRect\s*\(/, "frameRect") +property_reader("QColumnView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QColumnView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QColumnView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QColumnView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QColumnView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QColumnView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QColumnView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") +property_writer("QColumnView", /::setAutoScroll\s*\(/, "autoScroll") +property_reader("QColumnView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") +property_writer("QColumnView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") +property_reader("QColumnView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") +property_writer("QColumnView", /::setEditTriggers\s*\(/, "editTriggers") +property_reader("QColumnView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") +property_writer("QColumnView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") +property_reader("QColumnView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") +property_writer("QColumnView", /::setShowDropIndicator\s*\(/, "showDropIndicator") +property_reader("QColumnView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QColumnView", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QColumnView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") +property_writer("QColumnView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") +property_reader("QColumnView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") +property_writer("QColumnView", /::setDragDropMode\s*\(/, "dragDropMode") +property_reader("QColumnView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") +property_writer("QColumnView", /::setDefaultDropAction\s*\(/, "defaultDropAction") +property_reader("QColumnView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") +property_writer("QColumnView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") +property_reader("QColumnView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QColumnView", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QColumnView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") +property_writer("QColumnView", /::setSelectionBehavior\s*\(/, "selectionBehavior") +property_reader("QColumnView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QColumnView", /::setIconSize\s*\(/, "iconSize") +property_reader("QColumnView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") +property_writer("QColumnView", /::setTextElideMode\s*\(/, "textElideMode") +property_reader("QColumnView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") +property_writer("QColumnView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") +property_reader("QColumnView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") +property_writer("QColumnView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") +property_reader("QColumnView", /::(resizeGripsVisible|isResizeGripsVisible|hasResizeGripsVisible)\s*\(/, "resizeGripsVisible") +property_writer("QColumnView", /::setResizeGripsVisible\s*\(/, "resizeGripsVisible") +property_reader("QComboBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QComboBox", /::setObjectName\s*\(/, "objectName") +property_reader("QComboBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QComboBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QComboBox", /::setWindowModality\s*\(/, "windowModality") +property_reader("QComboBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QComboBox", /::setEnabled\s*\(/, "enabled") +property_reader("QComboBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QComboBox", /::setGeometry\s*\(/, "geometry") +property_reader("QComboBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QComboBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QComboBox", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QComboBox", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QComboBox", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QComboBox", /::setPos\s*\(/, "pos") +property_reader("QComboBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QComboBox", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QComboBox", /::setSize\s*\(/, "size") +property_reader("QComboBox", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QComboBox", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QComboBox", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QComboBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QComboBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QComboBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QComboBox", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QComboBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QComboBox", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QComboBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QComboBox", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QComboBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QComboBox", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QComboBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QComboBox", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QComboBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QComboBox", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QComboBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QComboBox", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QComboBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QComboBox", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QComboBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QComboBox", /::setBaseSize\s*\(/, "baseSize") +property_reader("QComboBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QComboBox", /::setPalette\s*\(/, "palette") +property_reader("QComboBox", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QComboBox", /::setFont\s*\(/, "font") +property_reader("QComboBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QComboBox", /::setCursor\s*\(/, "cursor") +property_reader("QComboBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QComboBox", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QComboBox", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QComboBox", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QComboBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QComboBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QComboBox", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QComboBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QComboBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QComboBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QComboBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QComboBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QComboBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QComboBox", /::setVisible\s*\(/, "visible") +property_reader("QComboBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QComboBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QComboBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QComboBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QComboBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QComboBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QComboBox", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QComboBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QComboBox", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QComboBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QComboBox", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QComboBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QComboBox", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QComboBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QComboBox", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QComboBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QComboBox", /::setWindowModified\s*\(/, "windowModified") +property_reader("QComboBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QComboBox", /::setToolTip\s*\(/, "toolTip") +property_reader("QComboBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QComboBox", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QComboBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QComboBox", /::setStatusTip\s*\(/, "statusTip") +property_reader("QComboBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QComboBox", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QComboBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QComboBox", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QComboBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QComboBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QComboBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QComboBox", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QComboBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QComboBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QComboBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QComboBox", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QComboBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QComboBox", /::setLocale\s*\(/, "locale") +property_reader("QComboBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QComboBox", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QComboBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QComboBox", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QComboBox", /::(editable|isEditable|hasEditable)\s*\(/, "editable") +property_writer("QComboBox", /::setEditable\s*\(/, "editable") +property_reader("QComboBox", /::(count|isCount|hasCount)\s*\(/, "count") +property_reader("QComboBox", /::(currentText|isCurrentText|hasCurrentText)\s*\(/, "currentText") +property_writer("QComboBox", /::setCurrentText\s*\(/, "currentText") +property_reader("QComboBox", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") +property_writer("QComboBox", /::setCurrentIndex\s*\(/, "currentIndex") +property_reader("QComboBox", /::(currentData|isCurrentData|hasCurrentData)\s*\(/, "currentData") +property_reader("QComboBox", /::(maxVisibleItems|isMaxVisibleItems|hasMaxVisibleItems)\s*\(/, "maxVisibleItems") +property_writer("QComboBox", /::setMaxVisibleItems\s*\(/, "maxVisibleItems") +property_reader("QComboBox", /::(maxCount|isMaxCount|hasMaxCount)\s*\(/, "maxCount") +property_writer("QComboBox", /::setMaxCount\s*\(/, "maxCount") +property_reader("QComboBox", /::(insertPolicy|isInsertPolicy|hasInsertPolicy)\s*\(/, "insertPolicy") +property_writer("QComboBox", /::setInsertPolicy\s*\(/, "insertPolicy") +property_reader("QComboBox", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QComboBox", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QComboBox", /::(minimumContentsLength|isMinimumContentsLength|hasMinimumContentsLength)\s*\(/, "minimumContentsLength") +property_writer("QComboBox", /::setMinimumContentsLength\s*\(/, "minimumContentsLength") +property_reader("QComboBox", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QComboBox", /::setIconSize\s*\(/, "iconSize") +property_reader("QComboBox", /::(placeholderText|isPlaceholderText|hasPlaceholderText)\s*\(/, "placeholderText") +property_writer("QComboBox", /::setPlaceholderText\s*\(/, "placeholderText") +property_reader("QComboBox", /::(autoCompletion|isAutoCompletion|hasAutoCompletion)\s*\(/, "autoCompletion") +property_writer("QComboBox", /::setAutoCompletion\s*\(/, "autoCompletion") +property_reader("QComboBox", /::(autoCompletionCaseSensitivity|isAutoCompletionCaseSensitivity|hasAutoCompletionCaseSensitivity)\s*\(/, "autoCompletionCaseSensitivity") +property_writer("QComboBox", /::setAutoCompletionCaseSensitivity\s*\(/, "autoCompletionCaseSensitivity") +property_reader("QComboBox", /::(duplicatesEnabled|isDuplicatesEnabled|hasDuplicatesEnabled)\s*\(/, "duplicatesEnabled") +property_writer("QComboBox", /::setDuplicatesEnabled\s*\(/, "duplicatesEnabled") +property_reader("QComboBox", /::(frame|isFrame|hasFrame)\s*\(/, "frame") +property_writer("QComboBox", /::setFrame\s*\(/, "frame") +property_reader("QComboBox", /::(modelColumn|isModelColumn|hasModelColumn)\s*\(/, "modelColumn") +property_writer("QComboBox", /::setModelColumn\s*\(/, "modelColumn") +property_reader("QCommandLinkButton", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCommandLinkButton", /::setObjectName\s*\(/, "objectName") +property_reader("QCommandLinkButton", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QCommandLinkButton", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QCommandLinkButton", /::setWindowModality\s*\(/, "windowModality") +property_reader("QCommandLinkButton", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QCommandLinkButton", /::setEnabled\s*\(/, "enabled") +property_reader("QCommandLinkButton", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QCommandLinkButton", /::setGeometry\s*\(/, "geometry") +property_reader("QCommandLinkButton", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QCommandLinkButton", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QCommandLinkButton", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QCommandLinkButton", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QCommandLinkButton", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QCommandLinkButton", /::setPos\s*\(/, "pos") +property_reader("QCommandLinkButton", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QCommandLinkButton", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QCommandLinkButton", /::setSize\s*\(/, "size") +property_reader("QCommandLinkButton", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QCommandLinkButton", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QCommandLinkButton", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QCommandLinkButton", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QCommandLinkButton", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QCommandLinkButton", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QCommandLinkButton", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QCommandLinkButton", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QCommandLinkButton", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QCommandLinkButton", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QCommandLinkButton", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QCommandLinkButton", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QCommandLinkButton", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QCommandLinkButton", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QCommandLinkButton", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QCommandLinkButton", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QCommandLinkButton", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QCommandLinkButton", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QCommandLinkButton", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QCommandLinkButton", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QCommandLinkButton", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QCommandLinkButton", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QCommandLinkButton", /::setBaseSize\s*\(/, "baseSize") +property_reader("QCommandLinkButton", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QCommandLinkButton", /::setPalette\s*\(/, "palette") +property_reader("QCommandLinkButton", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QCommandLinkButton", /::setFont\s*\(/, "font") +property_reader("QCommandLinkButton", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QCommandLinkButton", /::setCursor\s*\(/, "cursor") +property_reader("QCommandLinkButton", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QCommandLinkButton", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QCommandLinkButton", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QCommandLinkButton", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QCommandLinkButton", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QCommandLinkButton", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QCommandLinkButton", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QCommandLinkButton", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QCommandLinkButton", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QCommandLinkButton", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QCommandLinkButton", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QCommandLinkButton", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QCommandLinkButton", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QCommandLinkButton", /::setVisible\s*\(/, "visible") +property_reader("QCommandLinkButton", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QCommandLinkButton", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QCommandLinkButton", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QCommandLinkButton", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QCommandLinkButton", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QCommandLinkButton", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QCommandLinkButton", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QCommandLinkButton", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QCommandLinkButton", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QCommandLinkButton", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QCommandLinkButton", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QCommandLinkButton", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QCommandLinkButton", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QCommandLinkButton", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QCommandLinkButton", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QCommandLinkButton", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QCommandLinkButton", /::setWindowModified\s*\(/, "windowModified") +property_reader("QCommandLinkButton", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QCommandLinkButton", /::setToolTip\s*\(/, "toolTip") +property_reader("QCommandLinkButton", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QCommandLinkButton", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QCommandLinkButton", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QCommandLinkButton", /::setStatusTip\s*\(/, "statusTip") +property_reader("QCommandLinkButton", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QCommandLinkButton", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QCommandLinkButton", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QCommandLinkButton", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QCommandLinkButton", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QCommandLinkButton", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QCommandLinkButton", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QCommandLinkButton", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QCommandLinkButton", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QCommandLinkButton", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QCommandLinkButton", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QCommandLinkButton", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QCommandLinkButton", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QCommandLinkButton", /::setLocale\s*\(/, "locale") +property_reader("QCommandLinkButton", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QCommandLinkButton", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QCommandLinkButton", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QCommandLinkButton", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QCommandLinkButton", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QCommandLinkButton", /::setText\s*\(/, "text") +property_reader("QCommandLinkButton", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QCommandLinkButton", /::setIcon\s*\(/, "icon") +property_reader("QCommandLinkButton", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QCommandLinkButton", /::setIconSize\s*\(/, "iconSize") +property_reader("QCommandLinkButton", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") +property_writer("QCommandLinkButton", /::setShortcut\s*\(/, "shortcut") +property_reader("QCommandLinkButton", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") +property_writer("QCommandLinkButton", /::setCheckable\s*\(/, "checkable") +property_reader("QCommandLinkButton", /::(checked|isChecked|hasChecked)\s*\(/, "checked") +property_writer("QCommandLinkButton", /::setChecked\s*\(/, "checked") +property_reader("QCommandLinkButton", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") +property_writer("QCommandLinkButton", /::setAutoRepeat\s*\(/, "autoRepeat") +property_reader("QCommandLinkButton", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") +property_writer("QCommandLinkButton", /::setAutoExclusive\s*\(/, "autoExclusive") +property_reader("QCommandLinkButton", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") +property_writer("QCommandLinkButton", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") +property_reader("QCommandLinkButton", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") +property_writer("QCommandLinkButton", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") +property_reader("QCommandLinkButton", /::(down|isDown|hasDown)\s*\(/, "down") +property_writer("QCommandLinkButton", /::setDown\s*\(/, "down") +property_reader("QCommandLinkButton", /::(autoDefault|isAutoDefault|hasAutoDefault)\s*\(/, "autoDefault") +property_writer("QCommandLinkButton", /::setAutoDefault\s*\(/, "autoDefault") +property_reader("QCommandLinkButton", /::(default|isDefault|hasDefault)\s*\(/, "default") +property_writer("QCommandLinkButton", /::setDefault\s*\(/, "default") +property_reader("QCommandLinkButton", /::(flat|isFlat|hasFlat)\s*\(/, "flat") +property_writer("QCommandLinkButton", /::setFlat\s*\(/, "flat") +property_reader("QCommandLinkButton", /::(description|isDescription|hasDescription)\s*\(/, "description") +property_writer("QCommandLinkButton", /::setDescription\s*\(/, "description") +property_reader("QCommandLinkButton", /::(flat|isFlat|hasFlat)\s*\(/, "flat") +property_writer("QCommandLinkButton", /::setFlat\s*\(/, "flat") +property_reader("QCommonStyle", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCommonStyle", /::setObjectName\s*\(/, "objectName") +property_reader("QCompleter", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCompleter", /::setObjectName\s*\(/, "objectName") +property_reader("QCompleter", /::(completionPrefix|isCompletionPrefix|hasCompletionPrefix)\s*\(/, "completionPrefix") +property_writer("QCompleter", /::setCompletionPrefix\s*\(/, "completionPrefix") +property_reader("QCompleter", /::(modelSorting|isModelSorting|hasModelSorting)\s*\(/, "modelSorting") +property_writer("QCompleter", /::setModelSorting\s*\(/, "modelSorting") +property_reader("QCompleter", /::(filterMode|isFilterMode|hasFilterMode)\s*\(/, "filterMode") +property_writer("QCompleter", /::setFilterMode\s*\(/, "filterMode") +property_reader("QCompleter", /::(completionMode|isCompletionMode|hasCompletionMode)\s*\(/, "completionMode") +property_writer("QCompleter", /::setCompletionMode\s*\(/, "completionMode") +property_reader("QCompleter", /::(completionColumn|isCompletionColumn|hasCompletionColumn)\s*\(/, "completionColumn") +property_writer("QCompleter", /::setCompletionColumn\s*\(/, "completionColumn") +property_reader("QCompleter", /::(completionRole|isCompletionRole|hasCompletionRole)\s*\(/, "completionRole") +property_writer("QCompleter", /::setCompletionRole\s*\(/, "completionRole") +property_reader("QCompleter", /::(maxVisibleItems|isMaxVisibleItems|hasMaxVisibleItems)\s*\(/, "maxVisibleItems") +property_writer("QCompleter", /::setMaxVisibleItems\s*\(/, "maxVisibleItems") +property_reader("QCompleter", /::(caseSensitivity|isCaseSensitivity|hasCaseSensitivity)\s*\(/, "caseSensitivity") +property_writer("QCompleter", /::setCaseSensitivity\s*\(/, "caseSensitivity") +property_reader("QCompleter", /::(wrapAround|isWrapAround|hasWrapAround)\s*\(/, "wrapAround") +property_writer("QCompleter", /::setWrapAround\s*\(/, "wrapAround") +property_reader("QDataWidgetMapper", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDataWidgetMapper", /::setObjectName\s*\(/, "objectName") +property_reader("QDataWidgetMapper", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") +property_writer("QDataWidgetMapper", /::setCurrentIndex\s*\(/, "currentIndex") +property_reader("QDataWidgetMapper", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") +property_writer("QDataWidgetMapper", /::setOrientation\s*\(/, "orientation") +property_reader("QDataWidgetMapper", /::(submitPolicy|isSubmitPolicy|hasSubmitPolicy)\s*\(/, "submitPolicy") +property_writer("QDataWidgetMapper", /::setSubmitPolicy\s*\(/, "submitPolicy") +property_reader("QDateEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDateEdit", /::setObjectName\s*\(/, "objectName") +property_reader("QDateEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QDateEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QDateEdit", /::setWindowModality\s*\(/, "windowModality") +property_reader("QDateEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QDateEdit", /::setEnabled\s*\(/, "enabled") +property_reader("QDateEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QDateEdit", /::setGeometry\s*\(/, "geometry") +property_reader("QDateEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QDateEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QDateEdit", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QDateEdit", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QDateEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QDateEdit", /::setPos\s*\(/, "pos") +property_reader("QDateEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QDateEdit", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QDateEdit", /::setSize\s*\(/, "size") +property_reader("QDateEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QDateEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QDateEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QDateEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QDateEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QDateEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QDateEdit", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QDateEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QDateEdit", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QDateEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QDateEdit", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QDateEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QDateEdit", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QDateEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QDateEdit", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QDateEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QDateEdit", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QDateEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QDateEdit", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QDateEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QDateEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QDateEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QDateEdit", /::setBaseSize\s*\(/, "baseSize") +property_reader("QDateEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QDateEdit", /::setPalette\s*\(/, "palette") +property_reader("QDateEdit", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QDateEdit", /::setFont\s*\(/, "font") +property_reader("QDateEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QDateEdit", /::setCursor\s*\(/, "cursor") +property_reader("QDateEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QDateEdit", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QDateEdit", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QDateEdit", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QDateEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QDateEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QDateEdit", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QDateEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QDateEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QDateEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QDateEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QDateEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QDateEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QDateEdit", /::setVisible\s*\(/, "visible") +property_reader("QDateEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QDateEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QDateEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QDateEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QDateEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QDateEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QDateEdit", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QDateEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QDateEdit", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QDateEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QDateEdit", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QDateEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QDateEdit", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QDateEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QDateEdit", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QDateEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QDateEdit", /::setWindowModified\s*\(/, "windowModified") +property_reader("QDateEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QDateEdit", /::setToolTip\s*\(/, "toolTip") +property_reader("QDateEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QDateEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QDateEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QDateEdit", /::setStatusTip\s*\(/, "statusTip") +property_reader("QDateEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QDateEdit", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QDateEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QDateEdit", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QDateEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QDateEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QDateEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QDateEdit", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QDateEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QDateEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QDateEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QDateEdit", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QDateEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QDateEdit", /::setLocale\s*\(/, "locale") +property_reader("QDateEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QDateEdit", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QDateEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QDateEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QDateEdit", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") +property_writer("QDateEdit", /::setWrapping\s*\(/, "wrapping") +property_reader("QDateEdit", /::(frame|isFrame|hasFrame)\s*\(/, "frame") +property_writer("QDateEdit", /::setFrame\s*\(/, "frame") +property_reader("QDateEdit", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QDateEdit", /::setAlignment\s*\(/, "alignment") +property_reader("QDateEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QDateEdit", /::setReadOnly\s*\(/, "readOnly") +property_reader("QDateEdit", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") +property_writer("QDateEdit", /::setButtonSymbols\s*\(/, "buttonSymbols") +property_reader("QDateEdit", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") +property_writer("QDateEdit", /::setSpecialValueText\s*\(/, "specialValueText") +property_reader("QDateEdit", /::(text|isText|hasText)\s*\(/, "text") +property_reader("QDateEdit", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") +property_writer("QDateEdit", /::setAccelerated\s*\(/, "accelerated") +property_reader("QDateEdit", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") +property_writer("QDateEdit", /::setCorrectionMode\s*\(/, "correctionMode") +property_reader("QDateEdit", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") +property_reader("QDateEdit", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") +property_writer("QDateEdit", /::setKeyboardTracking\s*\(/, "keyboardTracking") +property_reader("QDateEdit", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") +property_writer("QDateEdit", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") +property_reader("QDateEdit", /::(dateTime|isDateTime|hasDateTime)\s*\(/, "dateTime") +property_writer("QDateEdit", /::setDateTime\s*\(/, "dateTime") +property_reader("QDateEdit", /::(date|isDate|hasDate)\s*\(/, "date") +property_writer("QDateEdit", /::setDate\s*\(/, "date") +property_reader("QDateEdit", /::(time|isTime|hasTime)\s*\(/, "time") +property_writer("QDateEdit", /::setTime\s*\(/, "time") +property_reader("QDateEdit", /::(maximumDateTime|isMaximumDateTime|hasMaximumDateTime)\s*\(/, "maximumDateTime") +property_writer("QDateEdit", /::setMaximumDateTime\s*\(/, "maximumDateTime") +property_reader("QDateEdit", /::(minimumDateTime|isMinimumDateTime|hasMinimumDateTime)\s*\(/, "minimumDateTime") +property_writer("QDateEdit", /::setMinimumDateTime\s*\(/, "minimumDateTime") +property_reader("QDateEdit", /::(maximumDate|isMaximumDate|hasMaximumDate)\s*\(/, "maximumDate") +property_writer("QDateEdit", /::setMaximumDate\s*\(/, "maximumDate") +property_reader("QDateEdit", /::(minimumDate|isMinimumDate|hasMinimumDate)\s*\(/, "minimumDate") +property_writer("QDateEdit", /::setMinimumDate\s*\(/, "minimumDate") +property_reader("QDateEdit", /::(maximumTime|isMaximumTime|hasMaximumTime)\s*\(/, "maximumTime") +property_writer("QDateEdit", /::setMaximumTime\s*\(/, "maximumTime") +property_reader("QDateEdit", /::(minimumTime|isMinimumTime|hasMinimumTime)\s*\(/, "minimumTime") +property_writer("QDateEdit", /::setMinimumTime\s*\(/, "minimumTime") +property_reader("QDateEdit", /::(currentSection|isCurrentSection|hasCurrentSection)\s*\(/, "currentSection") +property_writer("QDateEdit", /::setCurrentSection\s*\(/, "currentSection") +property_reader("QDateEdit", /::(displayedSections|isDisplayedSections|hasDisplayedSections)\s*\(/, "displayedSections") +property_reader("QDateEdit", /::(displayFormat|isDisplayFormat|hasDisplayFormat)\s*\(/, "displayFormat") +property_writer("QDateEdit", /::setDisplayFormat\s*\(/, "displayFormat") +property_reader("QDateEdit", /::(calendarPopup|isCalendarPopup|hasCalendarPopup)\s*\(/, "calendarPopup") +property_writer("QDateEdit", /::setCalendarPopup\s*\(/, "calendarPopup") +property_reader("QDateEdit", /::(currentSectionIndex|isCurrentSectionIndex|hasCurrentSectionIndex)\s*\(/, "currentSectionIndex") +property_writer("QDateEdit", /::setCurrentSectionIndex\s*\(/, "currentSectionIndex") +property_reader("QDateEdit", /::(sectionCount|isSectionCount|hasSectionCount)\s*\(/, "sectionCount") +property_reader("QDateEdit", /::(timeSpec|isTimeSpec|hasTimeSpec)\s*\(/, "timeSpec") +property_writer("QDateEdit", /::setTimeSpec\s*\(/, "timeSpec") +property_reader("QDateEdit", /::(date|isDate|hasDate)\s*\(/, "date") +property_writer("QDateEdit", /::setDate\s*\(/, "date") +property_reader("QDateTimeEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDateTimeEdit", /::setObjectName\s*\(/, "objectName") +property_reader("QDateTimeEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QDateTimeEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QDateTimeEdit", /::setWindowModality\s*\(/, "windowModality") +property_reader("QDateTimeEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QDateTimeEdit", /::setEnabled\s*\(/, "enabled") +property_reader("QDateTimeEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QDateTimeEdit", /::setGeometry\s*\(/, "geometry") +property_reader("QDateTimeEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QDateTimeEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QDateTimeEdit", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QDateTimeEdit", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QDateTimeEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QDateTimeEdit", /::setPos\s*\(/, "pos") +property_reader("QDateTimeEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QDateTimeEdit", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QDateTimeEdit", /::setSize\s*\(/, "size") +property_reader("QDateTimeEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QDateTimeEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QDateTimeEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QDateTimeEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QDateTimeEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QDateTimeEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QDateTimeEdit", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QDateTimeEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QDateTimeEdit", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QDateTimeEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QDateTimeEdit", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QDateTimeEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QDateTimeEdit", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QDateTimeEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QDateTimeEdit", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QDateTimeEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QDateTimeEdit", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QDateTimeEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QDateTimeEdit", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QDateTimeEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QDateTimeEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QDateTimeEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QDateTimeEdit", /::setBaseSize\s*\(/, "baseSize") +property_reader("QDateTimeEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QDateTimeEdit", /::setPalette\s*\(/, "palette") +property_reader("QDateTimeEdit", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QDateTimeEdit", /::setFont\s*\(/, "font") +property_reader("QDateTimeEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QDateTimeEdit", /::setCursor\s*\(/, "cursor") +property_reader("QDateTimeEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QDateTimeEdit", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QDateTimeEdit", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QDateTimeEdit", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QDateTimeEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QDateTimeEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QDateTimeEdit", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QDateTimeEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QDateTimeEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QDateTimeEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QDateTimeEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QDateTimeEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QDateTimeEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QDateTimeEdit", /::setVisible\s*\(/, "visible") +property_reader("QDateTimeEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QDateTimeEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QDateTimeEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QDateTimeEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QDateTimeEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QDateTimeEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QDateTimeEdit", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QDateTimeEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QDateTimeEdit", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QDateTimeEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QDateTimeEdit", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QDateTimeEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QDateTimeEdit", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QDateTimeEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QDateTimeEdit", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QDateTimeEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QDateTimeEdit", /::setWindowModified\s*\(/, "windowModified") +property_reader("QDateTimeEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QDateTimeEdit", /::setToolTip\s*\(/, "toolTip") +property_reader("QDateTimeEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QDateTimeEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QDateTimeEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QDateTimeEdit", /::setStatusTip\s*\(/, "statusTip") +property_reader("QDateTimeEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QDateTimeEdit", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QDateTimeEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QDateTimeEdit", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QDateTimeEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QDateTimeEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QDateTimeEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QDateTimeEdit", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QDateTimeEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QDateTimeEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QDateTimeEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QDateTimeEdit", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QDateTimeEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QDateTimeEdit", /::setLocale\s*\(/, "locale") +property_reader("QDateTimeEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QDateTimeEdit", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QDateTimeEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QDateTimeEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QDateTimeEdit", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") +property_writer("QDateTimeEdit", /::setWrapping\s*\(/, "wrapping") +property_reader("QDateTimeEdit", /::(frame|isFrame|hasFrame)\s*\(/, "frame") +property_writer("QDateTimeEdit", /::setFrame\s*\(/, "frame") +property_reader("QDateTimeEdit", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QDateTimeEdit", /::setAlignment\s*\(/, "alignment") +property_reader("QDateTimeEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QDateTimeEdit", /::setReadOnly\s*\(/, "readOnly") +property_reader("QDateTimeEdit", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") +property_writer("QDateTimeEdit", /::setButtonSymbols\s*\(/, "buttonSymbols") +property_reader("QDateTimeEdit", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") +property_writer("QDateTimeEdit", /::setSpecialValueText\s*\(/, "specialValueText") +property_reader("QDateTimeEdit", /::(text|isText|hasText)\s*\(/, "text") +property_reader("QDateTimeEdit", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") +property_writer("QDateTimeEdit", /::setAccelerated\s*\(/, "accelerated") +property_reader("QDateTimeEdit", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") +property_writer("QDateTimeEdit", /::setCorrectionMode\s*\(/, "correctionMode") +property_reader("QDateTimeEdit", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") +property_reader("QDateTimeEdit", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") +property_writer("QDateTimeEdit", /::setKeyboardTracking\s*\(/, "keyboardTracking") +property_reader("QDateTimeEdit", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") +property_writer("QDateTimeEdit", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") +property_reader("QDateTimeEdit", /::(dateTime|isDateTime|hasDateTime)\s*\(/, "dateTime") +property_writer("QDateTimeEdit", /::setDateTime\s*\(/, "dateTime") +property_reader("QDateTimeEdit", /::(date|isDate|hasDate)\s*\(/, "date") +property_writer("QDateTimeEdit", /::setDate\s*\(/, "date") +property_reader("QDateTimeEdit", /::(time|isTime|hasTime)\s*\(/, "time") +property_writer("QDateTimeEdit", /::setTime\s*\(/, "time") +property_reader("QDateTimeEdit", /::(maximumDateTime|isMaximumDateTime|hasMaximumDateTime)\s*\(/, "maximumDateTime") +property_writer("QDateTimeEdit", /::setMaximumDateTime\s*\(/, "maximumDateTime") +property_reader("QDateTimeEdit", /::(minimumDateTime|isMinimumDateTime|hasMinimumDateTime)\s*\(/, "minimumDateTime") +property_writer("QDateTimeEdit", /::setMinimumDateTime\s*\(/, "minimumDateTime") +property_reader("QDateTimeEdit", /::(maximumDate|isMaximumDate|hasMaximumDate)\s*\(/, "maximumDate") +property_writer("QDateTimeEdit", /::setMaximumDate\s*\(/, "maximumDate") +property_reader("QDateTimeEdit", /::(minimumDate|isMinimumDate|hasMinimumDate)\s*\(/, "minimumDate") +property_writer("QDateTimeEdit", /::setMinimumDate\s*\(/, "minimumDate") +property_reader("QDateTimeEdit", /::(maximumTime|isMaximumTime|hasMaximumTime)\s*\(/, "maximumTime") +property_writer("QDateTimeEdit", /::setMaximumTime\s*\(/, "maximumTime") +property_reader("QDateTimeEdit", /::(minimumTime|isMinimumTime|hasMinimumTime)\s*\(/, "minimumTime") +property_writer("QDateTimeEdit", /::setMinimumTime\s*\(/, "minimumTime") +property_reader("QDateTimeEdit", /::(currentSection|isCurrentSection|hasCurrentSection)\s*\(/, "currentSection") +property_writer("QDateTimeEdit", /::setCurrentSection\s*\(/, "currentSection") +property_reader("QDateTimeEdit", /::(displayedSections|isDisplayedSections|hasDisplayedSections)\s*\(/, "displayedSections") +property_reader("QDateTimeEdit", /::(displayFormat|isDisplayFormat|hasDisplayFormat)\s*\(/, "displayFormat") +property_writer("QDateTimeEdit", /::setDisplayFormat\s*\(/, "displayFormat") +property_reader("QDateTimeEdit", /::(calendarPopup|isCalendarPopup|hasCalendarPopup)\s*\(/, "calendarPopup") +property_writer("QDateTimeEdit", /::setCalendarPopup\s*\(/, "calendarPopup") +property_reader("QDateTimeEdit", /::(currentSectionIndex|isCurrentSectionIndex|hasCurrentSectionIndex)\s*\(/, "currentSectionIndex") +property_writer("QDateTimeEdit", /::setCurrentSectionIndex\s*\(/, "currentSectionIndex") +property_reader("QDateTimeEdit", /::(sectionCount|isSectionCount|hasSectionCount)\s*\(/, "sectionCount") +property_reader("QDateTimeEdit", /::(timeSpec|isTimeSpec|hasTimeSpec)\s*\(/, "timeSpec") +property_writer("QDateTimeEdit", /::setTimeSpec\s*\(/, "timeSpec") +property_reader("QDesktopWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDesktopWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QDesktopWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QDesktopWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QDesktopWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QDesktopWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QDesktopWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QDesktopWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QDesktopWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QDesktopWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QDesktopWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QDesktopWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QDesktopWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QDesktopWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QDesktopWidget", /::setPos\s*\(/, "pos") +property_reader("QDesktopWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QDesktopWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QDesktopWidget", /::setSize\s*\(/, "size") +property_reader("QDesktopWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QDesktopWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QDesktopWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QDesktopWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QDesktopWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QDesktopWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QDesktopWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QDesktopWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QDesktopWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QDesktopWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QDesktopWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QDesktopWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QDesktopWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QDesktopWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QDesktopWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QDesktopWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QDesktopWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QDesktopWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QDesktopWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QDesktopWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QDesktopWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QDesktopWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QDesktopWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QDesktopWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QDesktopWidget", /::setPalette\s*\(/, "palette") +property_reader("QDesktopWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QDesktopWidget", /::setFont\s*\(/, "font") +property_reader("QDesktopWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QDesktopWidget", /::setCursor\s*\(/, "cursor") +property_reader("QDesktopWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QDesktopWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QDesktopWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QDesktopWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QDesktopWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QDesktopWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QDesktopWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QDesktopWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QDesktopWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QDesktopWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QDesktopWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QDesktopWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QDesktopWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QDesktopWidget", /::setVisible\s*\(/, "visible") +property_reader("QDesktopWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QDesktopWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QDesktopWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QDesktopWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QDesktopWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QDesktopWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QDesktopWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QDesktopWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QDesktopWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QDesktopWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QDesktopWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QDesktopWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QDesktopWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QDesktopWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QDesktopWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QDesktopWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QDesktopWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QDesktopWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QDesktopWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QDesktopWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QDesktopWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QDesktopWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QDesktopWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QDesktopWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QDesktopWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QDesktopWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QDesktopWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QDesktopWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QDesktopWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QDesktopWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QDesktopWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QDesktopWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QDesktopWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QDesktopWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QDesktopWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QDesktopWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QDesktopWidget", /::setLocale\s*\(/, "locale") +property_reader("QDesktopWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QDesktopWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QDesktopWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QDesktopWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QDesktopWidget", /::(virtualDesktop|isVirtualDesktop|hasVirtualDesktop)\s*\(/, "virtualDesktop") +property_reader("QDesktopWidget", /::(screenCount|isScreenCount|hasScreenCount)\s*\(/, "screenCount") +property_reader("QDesktopWidget", /::(primaryScreen|isPrimaryScreen|hasPrimaryScreen)\s*\(/, "primaryScreen") +property_reader("QDial", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDial", /::setObjectName\s*\(/, "objectName") +property_reader("QDial", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QDial", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QDial", /::setWindowModality\s*\(/, "windowModality") +property_reader("QDial", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QDial", /::setEnabled\s*\(/, "enabled") +property_reader("QDial", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QDial", /::setGeometry\s*\(/, "geometry") +property_reader("QDial", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QDial", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QDial", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QDial", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QDial", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QDial", /::setPos\s*\(/, "pos") +property_reader("QDial", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QDial", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QDial", /::setSize\s*\(/, "size") +property_reader("QDial", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QDial", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QDial", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QDial", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QDial", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QDial", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QDial", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QDial", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QDial", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QDial", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QDial", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QDial", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QDial", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QDial", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QDial", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QDial", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QDial", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QDial", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QDial", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QDial", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QDial", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QDial", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QDial", /::setBaseSize\s*\(/, "baseSize") +property_reader("QDial", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QDial", /::setPalette\s*\(/, "palette") +property_reader("QDial", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QDial", /::setFont\s*\(/, "font") +property_reader("QDial", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QDial", /::setCursor\s*\(/, "cursor") +property_reader("QDial", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QDial", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QDial", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QDial", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QDial", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QDial", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QDial", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QDial", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QDial", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QDial", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QDial", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QDial", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QDial", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QDial", /::setVisible\s*\(/, "visible") +property_reader("QDial", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QDial", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QDial", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QDial", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QDial", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QDial", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QDial", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QDial", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QDial", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QDial", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QDial", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QDial", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QDial", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QDial", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QDial", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QDial", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QDial", /::setWindowModified\s*\(/, "windowModified") +property_reader("QDial", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QDial", /::setToolTip\s*\(/, "toolTip") +property_reader("QDial", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QDial", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QDial", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QDial", /::setStatusTip\s*\(/, "statusTip") +property_reader("QDial", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QDial", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QDial", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QDial", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QDial", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QDial", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QDial", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QDial", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QDial", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QDial", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QDial", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QDial", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QDial", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QDial", /::setLocale\s*\(/, "locale") +property_reader("QDial", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QDial", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QDial", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QDial", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QDial", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") +property_writer("QDial", /::setMinimum\s*\(/, "minimum") +property_reader("QDial", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") +property_writer("QDial", /::setMaximum\s*\(/, "maximum") +property_reader("QDial", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") +property_writer("QDial", /::setSingleStep\s*\(/, "singleStep") +property_reader("QDial", /::(pageStep|isPageStep|hasPageStep)\s*\(/, "pageStep") +property_writer("QDial", /::setPageStep\s*\(/, "pageStep") +property_reader("QDial", /::(value|isValue|hasValue)\s*\(/, "value") +property_writer("QDial", /::setValue\s*\(/, "value") +property_reader("QDial", /::(sliderPosition|isSliderPosition|hasSliderPosition)\s*\(/, "sliderPosition") +property_writer("QDial", /::setSliderPosition\s*\(/, "sliderPosition") +property_reader("QDial", /::(tracking|isTracking|hasTracking)\s*\(/, "tracking") +property_writer("QDial", /::setTracking\s*\(/, "tracking") +property_reader("QDial", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") +property_writer("QDial", /::setOrientation\s*\(/, "orientation") +property_reader("QDial", /::(invertedAppearance|isInvertedAppearance|hasInvertedAppearance)\s*\(/, "invertedAppearance") +property_writer("QDial", /::setInvertedAppearance\s*\(/, "invertedAppearance") +property_reader("QDial", /::(invertedControls|isInvertedControls|hasInvertedControls)\s*\(/, "invertedControls") +property_writer("QDial", /::setInvertedControls\s*\(/, "invertedControls") +property_reader("QDial", /::(sliderDown|isSliderDown|hasSliderDown)\s*\(/, "sliderDown") +property_writer("QDial", /::setSliderDown\s*\(/, "sliderDown") +property_reader("QDial", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") +property_writer("QDial", /::setWrapping\s*\(/, "wrapping") +property_reader("QDial", /::(notchSize|isNotchSize|hasNotchSize)\s*\(/, "notchSize") +property_reader("QDial", /::(notchTarget|isNotchTarget|hasNotchTarget)\s*\(/, "notchTarget") +property_writer("QDial", /::setNotchTarget\s*\(/, "notchTarget") +property_reader("QDial", /::(notchesVisible|isNotchesVisible|hasNotchesVisible)\s*\(/, "notchesVisible") +property_writer("QDial", /::setNotchesVisible\s*\(/, "notchesVisible") +property_reader("QDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDialog", /::setObjectName\s*\(/, "objectName") +property_reader("QDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QDialog", /::setWindowModality\s*\(/, "windowModality") +property_reader("QDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QDialog", /::setEnabled\s*\(/, "enabled") +property_reader("QDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QDialog", /::setGeometry\s*\(/, "geometry") +property_reader("QDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QDialog", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QDialog", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QDialog", /::setPos\s*\(/, "pos") +property_reader("QDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QDialog", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QDialog", /::setSize\s*\(/, "size") +property_reader("QDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QDialog", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QDialog", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QDialog", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QDialog", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QDialog", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QDialog", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QDialog", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QDialog", /::setBaseSize\s*\(/, "baseSize") +property_reader("QDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QDialog", /::setPalette\s*\(/, "palette") +property_reader("QDialog", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QDialog", /::setFont\s*\(/, "font") +property_reader("QDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QDialog", /::setCursor\s*\(/, "cursor") +property_reader("QDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QDialog", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QDialog", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QDialog", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QDialog", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QDialog", /::setVisible\s*\(/, "visible") +property_reader("QDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QDialog", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QDialog", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QDialog", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QDialog", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QDialog", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QDialog", /::setWindowModified\s*\(/, "windowModified") +property_reader("QDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QDialog", /::setToolTip\s*\(/, "toolTip") +property_reader("QDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QDialog", /::setStatusTip\s*\(/, "statusTip") +property_reader("QDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QDialog", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QDialog", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QDialog", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QDialog", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QDialog", /::setLocale\s*\(/, "locale") +property_reader("QDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QDialog", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QDialog", /::setModal\s*\(/, "modal") +property_reader("QDialogButtonBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDialogButtonBox", /::setObjectName\s*\(/, "objectName") +property_reader("QDialogButtonBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QDialogButtonBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QDialogButtonBox", /::setWindowModality\s*\(/, "windowModality") +property_reader("QDialogButtonBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QDialogButtonBox", /::setEnabled\s*\(/, "enabled") +property_reader("QDialogButtonBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QDialogButtonBox", /::setGeometry\s*\(/, "geometry") +property_reader("QDialogButtonBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QDialogButtonBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QDialogButtonBox", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QDialogButtonBox", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QDialogButtonBox", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QDialogButtonBox", /::setPos\s*\(/, "pos") +property_reader("QDialogButtonBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QDialogButtonBox", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QDialogButtonBox", /::setSize\s*\(/, "size") +property_reader("QDialogButtonBox", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QDialogButtonBox", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QDialogButtonBox", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QDialogButtonBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QDialogButtonBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QDialogButtonBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QDialogButtonBox", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QDialogButtonBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QDialogButtonBox", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QDialogButtonBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QDialogButtonBox", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QDialogButtonBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QDialogButtonBox", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QDialogButtonBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QDialogButtonBox", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QDialogButtonBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QDialogButtonBox", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QDialogButtonBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QDialogButtonBox", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QDialogButtonBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QDialogButtonBox", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QDialogButtonBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QDialogButtonBox", /::setBaseSize\s*\(/, "baseSize") +property_reader("QDialogButtonBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QDialogButtonBox", /::setPalette\s*\(/, "palette") +property_reader("QDialogButtonBox", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QDialogButtonBox", /::setFont\s*\(/, "font") +property_reader("QDialogButtonBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QDialogButtonBox", /::setCursor\s*\(/, "cursor") +property_reader("QDialogButtonBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QDialogButtonBox", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QDialogButtonBox", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QDialogButtonBox", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QDialogButtonBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QDialogButtonBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QDialogButtonBox", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QDialogButtonBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QDialogButtonBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QDialogButtonBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QDialogButtonBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QDialogButtonBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QDialogButtonBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QDialogButtonBox", /::setVisible\s*\(/, "visible") +property_reader("QDialogButtonBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QDialogButtonBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QDialogButtonBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QDialogButtonBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QDialogButtonBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QDialogButtonBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QDialogButtonBox", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QDialogButtonBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QDialogButtonBox", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QDialogButtonBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QDialogButtonBox", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QDialogButtonBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QDialogButtonBox", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QDialogButtonBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QDialogButtonBox", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QDialogButtonBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QDialogButtonBox", /::setWindowModified\s*\(/, "windowModified") +property_reader("QDialogButtonBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QDialogButtonBox", /::setToolTip\s*\(/, "toolTip") +property_reader("QDialogButtonBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QDialogButtonBox", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QDialogButtonBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QDialogButtonBox", /::setStatusTip\s*\(/, "statusTip") +property_reader("QDialogButtonBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QDialogButtonBox", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QDialogButtonBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QDialogButtonBox", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QDialogButtonBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QDialogButtonBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QDialogButtonBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QDialogButtonBox", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QDialogButtonBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QDialogButtonBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QDialogButtonBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QDialogButtonBox", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QDialogButtonBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QDialogButtonBox", /::setLocale\s*\(/, "locale") +property_reader("QDialogButtonBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QDialogButtonBox", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QDialogButtonBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QDialogButtonBox", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QDialogButtonBox", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") +property_writer("QDialogButtonBox", /::setOrientation\s*\(/, "orientation") +property_reader("QDialogButtonBox", /::(standardButtons|isStandardButtons|hasStandardButtons)\s*\(/, "standardButtons") +property_writer("QDialogButtonBox", /::setStandardButtons\s*\(/, "standardButtons") +property_reader("QDialogButtonBox", /::(centerButtons|isCenterButtons|hasCenterButtons)\s*\(/, "centerButtons") +property_writer("QDialogButtonBox", /::setCenterButtons\s*\(/, "centerButtons") +property_reader("QDirModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDirModel", /::setObjectName\s*\(/, "objectName") +property_reader("QDirModel", /::(resolveSymlinks|isResolveSymlinks|hasResolveSymlinks)\s*\(/, "resolveSymlinks") +property_writer("QDirModel", /::setResolveSymlinks\s*\(/, "resolveSymlinks") +property_reader("QDirModel", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QDirModel", /::setReadOnly\s*\(/, "readOnly") +property_reader("QDirModel", /::(lazyChildCount|isLazyChildCount|hasLazyChildCount)\s*\(/, "lazyChildCount") +property_writer("QDirModel", /::setLazyChildCount\s*\(/, "lazyChildCount") +property_reader("QDockWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDockWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QDockWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QDockWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QDockWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QDockWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QDockWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QDockWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QDockWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QDockWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QDockWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QDockWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QDockWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QDockWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QDockWidget", /::setPos\s*\(/, "pos") +property_reader("QDockWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QDockWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QDockWidget", /::setSize\s*\(/, "size") +property_reader("QDockWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QDockWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QDockWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QDockWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QDockWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QDockWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QDockWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QDockWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QDockWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QDockWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QDockWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QDockWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QDockWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QDockWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QDockWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QDockWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QDockWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QDockWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QDockWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QDockWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QDockWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QDockWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QDockWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QDockWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QDockWidget", /::setPalette\s*\(/, "palette") +property_reader("QDockWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QDockWidget", /::setFont\s*\(/, "font") +property_reader("QDockWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QDockWidget", /::setCursor\s*\(/, "cursor") +property_reader("QDockWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QDockWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QDockWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QDockWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QDockWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QDockWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QDockWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QDockWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QDockWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QDockWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QDockWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QDockWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QDockWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QDockWidget", /::setVisible\s*\(/, "visible") +property_reader("QDockWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QDockWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QDockWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QDockWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QDockWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QDockWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QDockWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QDockWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QDockWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QDockWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QDockWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QDockWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QDockWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QDockWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QDockWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QDockWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QDockWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QDockWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QDockWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QDockWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QDockWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QDockWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QDockWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QDockWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QDockWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QDockWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QDockWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QDockWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QDockWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QDockWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QDockWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QDockWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QDockWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QDockWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QDockWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QDockWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QDockWidget", /::setLocale\s*\(/, "locale") +property_reader("QDockWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QDockWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QDockWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QDockWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QDockWidget", /::(floating|isFloating|hasFloating)\s*\(/, "floating") +property_writer("QDockWidget", /::setFloating\s*\(/, "floating") +property_reader("QDockWidget", /::(features|isFeatures|hasFeatures)\s*\(/, "features") +property_writer("QDockWidget", /::setFeatures\s*\(/, "features") +property_reader("QDockWidget", /::(allowedAreas|isAllowedAreas|hasAllowedAreas)\s*\(/, "allowedAreas") +property_writer("QDockWidget", /::setAllowedAreas\s*\(/, "allowedAreas") +property_reader("QDockWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QDockWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QDoubleSpinBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDoubleSpinBox", /::setObjectName\s*\(/, "objectName") +property_reader("QDoubleSpinBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QDoubleSpinBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QDoubleSpinBox", /::setWindowModality\s*\(/, "windowModality") +property_reader("QDoubleSpinBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QDoubleSpinBox", /::setEnabled\s*\(/, "enabled") +property_reader("QDoubleSpinBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QDoubleSpinBox", /::setGeometry\s*\(/, "geometry") +property_reader("QDoubleSpinBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QDoubleSpinBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QDoubleSpinBox", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QDoubleSpinBox", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QDoubleSpinBox", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QDoubleSpinBox", /::setPos\s*\(/, "pos") +property_reader("QDoubleSpinBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QDoubleSpinBox", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QDoubleSpinBox", /::setSize\s*\(/, "size") +property_reader("QDoubleSpinBox", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QDoubleSpinBox", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QDoubleSpinBox", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QDoubleSpinBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QDoubleSpinBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QDoubleSpinBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QDoubleSpinBox", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QDoubleSpinBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QDoubleSpinBox", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QDoubleSpinBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QDoubleSpinBox", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QDoubleSpinBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QDoubleSpinBox", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QDoubleSpinBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QDoubleSpinBox", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QDoubleSpinBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QDoubleSpinBox", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QDoubleSpinBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QDoubleSpinBox", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QDoubleSpinBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QDoubleSpinBox", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QDoubleSpinBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QDoubleSpinBox", /::setBaseSize\s*\(/, "baseSize") +property_reader("QDoubleSpinBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QDoubleSpinBox", /::setPalette\s*\(/, "palette") +property_reader("QDoubleSpinBox", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QDoubleSpinBox", /::setFont\s*\(/, "font") +property_reader("QDoubleSpinBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QDoubleSpinBox", /::setCursor\s*\(/, "cursor") +property_reader("QDoubleSpinBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QDoubleSpinBox", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QDoubleSpinBox", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QDoubleSpinBox", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QDoubleSpinBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QDoubleSpinBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QDoubleSpinBox", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QDoubleSpinBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QDoubleSpinBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QDoubleSpinBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QDoubleSpinBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QDoubleSpinBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QDoubleSpinBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QDoubleSpinBox", /::setVisible\s*\(/, "visible") +property_reader("QDoubleSpinBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QDoubleSpinBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QDoubleSpinBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QDoubleSpinBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QDoubleSpinBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QDoubleSpinBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QDoubleSpinBox", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QDoubleSpinBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QDoubleSpinBox", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QDoubleSpinBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QDoubleSpinBox", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QDoubleSpinBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QDoubleSpinBox", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QDoubleSpinBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QDoubleSpinBox", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QDoubleSpinBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QDoubleSpinBox", /::setWindowModified\s*\(/, "windowModified") +property_reader("QDoubleSpinBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QDoubleSpinBox", /::setToolTip\s*\(/, "toolTip") +property_reader("QDoubleSpinBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QDoubleSpinBox", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QDoubleSpinBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QDoubleSpinBox", /::setStatusTip\s*\(/, "statusTip") +property_reader("QDoubleSpinBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QDoubleSpinBox", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QDoubleSpinBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QDoubleSpinBox", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QDoubleSpinBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QDoubleSpinBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QDoubleSpinBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QDoubleSpinBox", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QDoubleSpinBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QDoubleSpinBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QDoubleSpinBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QDoubleSpinBox", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QDoubleSpinBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QDoubleSpinBox", /::setLocale\s*\(/, "locale") +property_reader("QDoubleSpinBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QDoubleSpinBox", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QDoubleSpinBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QDoubleSpinBox", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QDoubleSpinBox", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") +property_writer("QDoubleSpinBox", /::setWrapping\s*\(/, "wrapping") +property_reader("QDoubleSpinBox", /::(frame|isFrame|hasFrame)\s*\(/, "frame") +property_writer("QDoubleSpinBox", /::setFrame\s*\(/, "frame") +property_reader("QDoubleSpinBox", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QDoubleSpinBox", /::setAlignment\s*\(/, "alignment") +property_reader("QDoubleSpinBox", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QDoubleSpinBox", /::setReadOnly\s*\(/, "readOnly") +property_reader("QDoubleSpinBox", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") +property_writer("QDoubleSpinBox", /::setButtonSymbols\s*\(/, "buttonSymbols") +property_reader("QDoubleSpinBox", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") +property_writer("QDoubleSpinBox", /::setSpecialValueText\s*\(/, "specialValueText") +property_reader("QDoubleSpinBox", /::(text|isText|hasText)\s*\(/, "text") +property_reader("QDoubleSpinBox", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") +property_writer("QDoubleSpinBox", /::setAccelerated\s*\(/, "accelerated") +property_reader("QDoubleSpinBox", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") +property_writer("QDoubleSpinBox", /::setCorrectionMode\s*\(/, "correctionMode") +property_reader("QDoubleSpinBox", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") +property_reader("QDoubleSpinBox", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") +property_writer("QDoubleSpinBox", /::setKeyboardTracking\s*\(/, "keyboardTracking") +property_reader("QDoubleSpinBox", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") +property_writer("QDoubleSpinBox", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") +property_reader("QDoubleSpinBox", /::(prefix|isPrefix|hasPrefix)\s*\(/, "prefix") +property_writer("QDoubleSpinBox", /::setPrefix\s*\(/, "prefix") +property_reader("QDoubleSpinBox", /::(suffix|isSuffix|hasSuffix)\s*\(/, "suffix") +property_writer("QDoubleSpinBox", /::setSuffix\s*\(/, "suffix") +property_reader("QDoubleSpinBox", /::(cleanText|isCleanText|hasCleanText)\s*\(/, "cleanText") +property_reader("QDoubleSpinBox", /::(decimals|isDecimals|hasDecimals)\s*\(/, "decimals") +property_writer("QDoubleSpinBox", /::setDecimals\s*\(/, "decimals") +property_reader("QDoubleSpinBox", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") +property_writer("QDoubleSpinBox", /::setMinimum\s*\(/, "minimum") +property_reader("QDoubleSpinBox", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") +property_writer("QDoubleSpinBox", /::setMaximum\s*\(/, "maximum") +property_reader("QDoubleSpinBox", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") +property_writer("QDoubleSpinBox", /::setSingleStep\s*\(/, "singleStep") +property_reader("QDoubleSpinBox", /::(stepType|isStepType|hasStepType)\s*\(/, "stepType") +property_writer("QDoubleSpinBox", /::setStepType\s*\(/, "stepType") +property_reader("QDoubleSpinBox", /::(value|isValue|hasValue)\s*\(/, "value") +property_writer("QDoubleSpinBox", /::setValue\s*\(/, "value") +property_reader("QErrorMessage", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QErrorMessage", /::setObjectName\s*\(/, "objectName") +property_reader("QErrorMessage", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QErrorMessage", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QErrorMessage", /::setWindowModality\s*\(/, "windowModality") +property_reader("QErrorMessage", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QErrorMessage", /::setEnabled\s*\(/, "enabled") +property_reader("QErrorMessage", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QErrorMessage", /::setGeometry\s*\(/, "geometry") +property_reader("QErrorMessage", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QErrorMessage", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QErrorMessage", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QErrorMessage", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QErrorMessage", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QErrorMessage", /::setPos\s*\(/, "pos") +property_reader("QErrorMessage", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QErrorMessage", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QErrorMessage", /::setSize\s*\(/, "size") +property_reader("QErrorMessage", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QErrorMessage", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QErrorMessage", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QErrorMessage", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QErrorMessage", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QErrorMessage", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QErrorMessage", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QErrorMessage", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QErrorMessage", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QErrorMessage", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QErrorMessage", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QErrorMessage", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QErrorMessage", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QErrorMessage", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QErrorMessage", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QErrorMessage", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QErrorMessage", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QErrorMessage", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QErrorMessage", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QErrorMessage", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QErrorMessage", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QErrorMessage", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QErrorMessage", /::setBaseSize\s*\(/, "baseSize") +property_reader("QErrorMessage", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QErrorMessage", /::setPalette\s*\(/, "palette") +property_reader("QErrorMessage", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QErrorMessage", /::setFont\s*\(/, "font") +property_reader("QErrorMessage", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QErrorMessage", /::setCursor\s*\(/, "cursor") +property_reader("QErrorMessage", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QErrorMessage", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QErrorMessage", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QErrorMessage", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QErrorMessage", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QErrorMessage", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QErrorMessage", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QErrorMessage", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QErrorMessage", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QErrorMessage", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QErrorMessage", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QErrorMessage", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QErrorMessage", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QErrorMessage", /::setVisible\s*\(/, "visible") +property_reader("QErrorMessage", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QErrorMessage", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QErrorMessage", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QErrorMessage", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QErrorMessage", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QErrorMessage", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QErrorMessage", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QErrorMessage", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QErrorMessage", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QErrorMessage", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QErrorMessage", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QErrorMessage", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QErrorMessage", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QErrorMessage", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QErrorMessage", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QErrorMessage", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QErrorMessage", /::setWindowModified\s*\(/, "windowModified") +property_reader("QErrorMessage", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QErrorMessage", /::setToolTip\s*\(/, "toolTip") +property_reader("QErrorMessage", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QErrorMessage", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QErrorMessage", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QErrorMessage", /::setStatusTip\s*\(/, "statusTip") +property_reader("QErrorMessage", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QErrorMessage", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QErrorMessage", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QErrorMessage", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QErrorMessage", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QErrorMessage", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QErrorMessage", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QErrorMessage", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QErrorMessage", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QErrorMessage", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QErrorMessage", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QErrorMessage", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QErrorMessage", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QErrorMessage", /::setLocale\s*\(/, "locale") +property_reader("QErrorMessage", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QErrorMessage", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QErrorMessage", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QErrorMessage", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QErrorMessage", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QErrorMessage", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QErrorMessage", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QErrorMessage", /::setModal\s*\(/, "modal") +property_reader("QFileDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFileDialog", /::setObjectName\s*\(/, "objectName") +property_reader("QFileDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QFileDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QFileDialog", /::setWindowModality\s*\(/, "windowModality") +property_reader("QFileDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QFileDialog", /::setEnabled\s*\(/, "enabled") +property_reader("QFileDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QFileDialog", /::setGeometry\s*\(/, "geometry") +property_reader("QFileDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QFileDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QFileDialog", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QFileDialog", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QFileDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QFileDialog", /::setPos\s*\(/, "pos") +property_reader("QFileDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QFileDialog", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QFileDialog", /::setSize\s*\(/, "size") +property_reader("QFileDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QFileDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QFileDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QFileDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QFileDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QFileDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QFileDialog", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QFileDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QFileDialog", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QFileDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QFileDialog", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QFileDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QFileDialog", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QFileDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QFileDialog", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QFileDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QFileDialog", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QFileDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QFileDialog", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QFileDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QFileDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QFileDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QFileDialog", /::setBaseSize\s*\(/, "baseSize") +property_reader("QFileDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QFileDialog", /::setPalette\s*\(/, "palette") +property_reader("QFileDialog", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QFileDialog", /::setFont\s*\(/, "font") +property_reader("QFileDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QFileDialog", /::setCursor\s*\(/, "cursor") +property_reader("QFileDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QFileDialog", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QFileDialog", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QFileDialog", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QFileDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QFileDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QFileDialog", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QFileDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QFileDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QFileDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QFileDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QFileDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QFileDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QFileDialog", /::setVisible\s*\(/, "visible") +property_reader("QFileDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QFileDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QFileDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QFileDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QFileDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QFileDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QFileDialog", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QFileDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QFileDialog", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QFileDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QFileDialog", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QFileDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QFileDialog", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QFileDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QFileDialog", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QFileDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QFileDialog", /::setWindowModified\s*\(/, "windowModified") +property_reader("QFileDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QFileDialog", /::setToolTip\s*\(/, "toolTip") +property_reader("QFileDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QFileDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QFileDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QFileDialog", /::setStatusTip\s*\(/, "statusTip") +property_reader("QFileDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QFileDialog", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QFileDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QFileDialog", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QFileDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QFileDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QFileDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QFileDialog", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QFileDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QFileDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QFileDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QFileDialog", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QFileDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QFileDialog", /::setLocale\s*\(/, "locale") +property_reader("QFileDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QFileDialog", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QFileDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QFileDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QFileDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QFileDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QFileDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QFileDialog", /::setModal\s*\(/, "modal") +property_reader("QFileDialog", /::(viewMode|isViewMode|hasViewMode)\s*\(/, "viewMode") +property_writer("QFileDialog", /::setViewMode\s*\(/, "viewMode") +property_reader("QFileDialog", /::(fileMode|isFileMode|hasFileMode)\s*\(/, "fileMode") +property_writer("QFileDialog", /::setFileMode\s*\(/, "fileMode") +property_reader("QFileDialog", /::(acceptMode|isAcceptMode|hasAcceptMode)\s*\(/, "acceptMode") +property_writer("QFileDialog", /::setAcceptMode\s*\(/, "acceptMode") +property_reader("QFileDialog", /::(defaultSuffix|isDefaultSuffix|hasDefaultSuffix)\s*\(/, "defaultSuffix") +property_writer("QFileDialog", /::setDefaultSuffix\s*\(/, "defaultSuffix") +property_reader("QFileDialog", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QFileDialog", /::setReadOnly\s*\(/, "readOnly") +property_reader("QFileDialog", /::(confirmOverwrite|isConfirmOverwrite|hasConfirmOverwrite)\s*\(/, "confirmOverwrite") +property_writer("QFileDialog", /::setConfirmOverwrite\s*\(/, "confirmOverwrite") +property_reader("QFileDialog", /::(resolveSymlinks|isResolveSymlinks|hasResolveSymlinks)\s*\(/, "resolveSymlinks") +property_writer("QFileDialog", /::setResolveSymlinks\s*\(/, "resolveSymlinks") +property_reader("QFileDialog", /::(nameFilterDetailsVisible|isNameFilterDetailsVisible|hasNameFilterDetailsVisible)\s*\(/, "nameFilterDetailsVisible") +property_writer("QFileDialog", /::setNameFilterDetailsVisible\s*\(/, "nameFilterDetailsVisible") +property_reader("QFileDialog", /::(options|isOptions|hasOptions)\s*\(/, "options") +property_writer("QFileDialog", /::setOptions\s*\(/, "options") +property_reader("QFileDialog", /::(supportedSchemes|isSupportedSchemes|hasSupportedSchemes)\s*\(/, "supportedSchemes") +property_writer("QFileDialog", /::setSupportedSchemes\s*\(/, "supportedSchemes") +property_reader("QFileSystemModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFileSystemModel", /::setObjectName\s*\(/, "objectName") +property_reader("QFileSystemModel", /::(resolveSymlinks|isResolveSymlinks|hasResolveSymlinks)\s*\(/, "resolveSymlinks") +property_writer("QFileSystemModel", /::setResolveSymlinks\s*\(/, "resolveSymlinks") +property_reader("QFileSystemModel", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QFileSystemModel", /::setReadOnly\s*\(/, "readOnly") +property_reader("QFileSystemModel", /::(nameFilterDisables|isNameFilterDisables|hasNameFilterDisables)\s*\(/, "nameFilterDisables") +property_writer("QFileSystemModel", /::setNameFilterDisables\s*\(/, "nameFilterDisables") +property_reader("QFileSystemModel", /::(options|isOptions|hasOptions)\s*\(/, "options") +property_writer("QFileSystemModel", /::setOptions\s*\(/, "options") +property_reader("QFocusFrame", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFocusFrame", /::setObjectName\s*\(/, "objectName") +property_reader("QFocusFrame", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QFocusFrame", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QFocusFrame", /::setWindowModality\s*\(/, "windowModality") +property_reader("QFocusFrame", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QFocusFrame", /::setEnabled\s*\(/, "enabled") +property_reader("QFocusFrame", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QFocusFrame", /::setGeometry\s*\(/, "geometry") +property_reader("QFocusFrame", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QFocusFrame", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QFocusFrame", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QFocusFrame", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QFocusFrame", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QFocusFrame", /::setPos\s*\(/, "pos") +property_reader("QFocusFrame", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QFocusFrame", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QFocusFrame", /::setSize\s*\(/, "size") +property_reader("QFocusFrame", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QFocusFrame", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QFocusFrame", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QFocusFrame", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QFocusFrame", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QFocusFrame", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QFocusFrame", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QFocusFrame", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QFocusFrame", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QFocusFrame", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QFocusFrame", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QFocusFrame", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QFocusFrame", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QFocusFrame", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QFocusFrame", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QFocusFrame", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QFocusFrame", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QFocusFrame", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QFocusFrame", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QFocusFrame", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QFocusFrame", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QFocusFrame", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QFocusFrame", /::setBaseSize\s*\(/, "baseSize") +property_reader("QFocusFrame", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QFocusFrame", /::setPalette\s*\(/, "palette") +property_reader("QFocusFrame", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QFocusFrame", /::setFont\s*\(/, "font") +property_reader("QFocusFrame", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QFocusFrame", /::setCursor\s*\(/, "cursor") +property_reader("QFocusFrame", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QFocusFrame", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QFocusFrame", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QFocusFrame", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QFocusFrame", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QFocusFrame", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QFocusFrame", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QFocusFrame", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QFocusFrame", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QFocusFrame", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QFocusFrame", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QFocusFrame", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QFocusFrame", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QFocusFrame", /::setVisible\s*\(/, "visible") +property_reader("QFocusFrame", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QFocusFrame", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QFocusFrame", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QFocusFrame", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QFocusFrame", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QFocusFrame", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QFocusFrame", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QFocusFrame", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QFocusFrame", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QFocusFrame", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QFocusFrame", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QFocusFrame", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QFocusFrame", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QFocusFrame", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QFocusFrame", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QFocusFrame", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QFocusFrame", /::setWindowModified\s*\(/, "windowModified") +property_reader("QFocusFrame", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QFocusFrame", /::setToolTip\s*\(/, "toolTip") +property_reader("QFocusFrame", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QFocusFrame", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QFocusFrame", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QFocusFrame", /::setStatusTip\s*\(/, "statusTip") +property_reader("QFocusFrame", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QFocusFrame", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QFocusFrame", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QFocusFrame", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QFocusFrame", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QFocusFrame", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QFocusFrame", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QFocusFrame", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QFocusFrame", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QFocusFrame", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QFocusFrame", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QFocusFrame", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QFocusFrame", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QFocusFrame", /::setLocale\s*\(/, "locale") +property_reader("QFocusFrame", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QFocusFrame", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QFocusFrame", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QFocusFrame", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QFontComboBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFontComboBox", /::setObjectName\s*\(/, "objectName") +property_reader("QFontComboBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QFontComboBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QFontComboBox", /::setWindowModality\s*\(/, "windowModality") +property_reader("QFontComboBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QFontComboBox", /::setEnabled\s*\(/, "enabled") +property_reader("QFontComboBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QFontComboBox", /::setGeometry\s*\(/, "geometry") +property_reader("QFontComboBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QFontComboBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QFontComboBox", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QFontComboBox", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QFontComboBox", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QFontComboBox", /::setPos\s*\(/, "pos") +property_reader("QFontComboBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QFontComboBox", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QFontComboBox", /::setSize\s*\(/, "size") +property_reader("QFontComboBox", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QFontComboBox", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QFontComboBox", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QFontComboBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QFontComboBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QFontComboBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QFontComboBox", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QFontComboBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QFontComboBox", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QFontComboBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QFontComboBox", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QFontComboBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QFontComboBox", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QFontComboBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QFontComboBox", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QFontComboBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QFontComboBox", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QFontComboBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QFontComboBox", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QFontComboBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QFontComboBox", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QFontComboBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QFontComboBox", /::setBaseSize\s*\(/, "baseSize") +property_reader("QFontComboBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QFontComboBox", /::setPalette\s*\(/, "palette") +property_reader("QFontComboBox", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QFontComboBox", /::setFont\s*\(/, "font") +property_reader("QFontComboBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QFontComboBox", /::setCursor\s*\(/, "cursor") +property_reader("QFontComboBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QFontComboBox", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QFontComboBox", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QFontComboBox", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QFontComboBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QFontComboBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QFontComboBox", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QFontComboBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QFontComboBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QFontComboBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QFontComboBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QFontComboBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QFontComboBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QFontComboBox", /::setVisible\s*\(/, "visible") +property_reader("QFontComboBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QFontComboBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QFontComboBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QFontComboBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QFontComboBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QFontComboBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QFontComboBox", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QFontComboBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QFontComboBox", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QFontComboBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QFontComboBox", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QFontComboBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QFontComboBox", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QFontComboBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QFontComboBox", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QFontComboBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QFontComboBox", /::setWindowModified\s*\(/, "windowModified") +property_reader("QFontComboBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QFontComboBox", /::setToolTip\s*\(/, "toolTip") +property_reader("QFontComboBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QFontComboBox", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QFontComboBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QFontComboBox", /::setStatusTip\s*\(/, "statusTip") +property_reader("QFontComboBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QFontComboBox", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QFontComboBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QFontComboBox", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QFontComboBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QFontComboBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QFontComboBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QFontComboBox", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QFontComboBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QFontComboBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QFontComboBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QFontComboBox", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QFontComboBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QFontComboBox", /::setLocale\s*\(/, "locale") +property_reader("QFontComboBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QFontComboBox", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QFontComboBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QFontComboBox", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QFontComboBox", /::(editable|isEditable|hasEditable)\s*\(/, "editable") +property_writer("QFontComboBox", /::setEditable\s*\(/, "editable") +property_reader("QFontComboBox", /::(count|isCount|hasCount)\s*\(/, "count") +property_reader("QFontComboBox", /::(currentText|isCurrentText|hasCurrentText)\s*\(/, "currentText") +property_writer("QFontComboBox", /::setCurrentText\s*\(/, "currentText") +property_reader("QFontComboBox", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") +property_writer("QFontComboBox", /::setCurrentIndex\s*\(/, "currentIndex") +property_reader("QFontComboBox", /::(currentData|isCurrentData|hasCurrentData)\s*\(/, "currentData") +property_reader("QFontComboBox", /::(maxVisibleItems|isMaxVisibleItems|hasMaxVisibleItems)\s*\(/, "maxVisibleItems") +property_writer("QFontComboBox", /::setMaxVisibleItems\s*\(/, "maxVisibleItems") +property_reader("QFontComboBox", /::(maxCount|isMaxCount|hasMaxCount)\s*\(/, "maxCount") +property_writer("QFontComboBox", /::setMaxCount\s*\(/, "maxCount") +property_reader("QFontComboBox", /::(insertPolicy|isInsertPolicy|hasInsertPolicy)\s*\(/, "insertPolicy") +property_writer("QFontComboBox", /::setInsertPolicy\s*\(/, "insertPolicy") +property_reader("QFontComboBox", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QFontComboBox", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QFontComboBox", /::(minimumContentsLength|isMinimumContentsLength|hasMinimumContentsLength)\s*\(/, "minimumContentsLength") +property_writer("QFontComboBox", /::setMinimumContentsLength\s*\(/, "minimumContentsLength") +property_reader("QFontComboBox", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QFontComboBox", /::setIconSize\s*\(/, "iconSize") +property_reader("QFontComboBox", /::(placeholderText|isPlaceholderText|hasPlaceholderText)\s*\(/, "placeholderText") +property_writer("QFontComboBox", /::setPlaceholderText\s*\(/, "placeholderText") +property_reader("QFontComboBox", /::(autoCompletion|isAutoCompletion|hasAutoCompletion)\s*\(/, "autoCompletion") +property_writer("QFontComboBox", /::setAutoCompletion\s*\(/, "autoCompletion") +property_reader("QFontComboBox", /::(autoCompletionCaseSensitivity|isAutoCompletionCaseSensitivity|hasAutoCompletionCaseSensitivity)\s*\(/, "autoCompletionCaseSensitivity") +property_writer("QFontComboBox", /::setAutoCompletionCaseSensitivity\s*\(/, "autoCompletionCaseSensitivity") +property_reader("QFontComboBox", /::(duplicatesEnabled|isDuplicatesEnabled|hasDuplicatesEnabled)\s*\(/, "duplicatesEnabled") +property_writer("QFontComboBox", /::setDuplicatesEnabled\s*\(/, "duplicatesEnabled") +property_reader("QFontComboBox", /::(frame|isFrame|hasFrame)\s*\(/, "frame") +property_writer("QFontComboBox", /::setFrame\s*\(/, "frame") +property_reader("QFontComboBox", /::(modelColumn|isModelColumn|hasModelColumn)\s*\(/, "modelColumn") +property_writer("QFontComboBox", /::setModelColumn\s*\(/, "modelColumn") +property_reader("QFontComboBox", /::(writingSystem|isWritingSystem|hasWritingSystem)\s*\(/, "writingSystem") +property_writer("QFontComboBox", /::setWritingSystem\s*\(/, "writingSystem") +property_reader("QFontComboBox", /::(fontFilters|isFontFilters|hasFontFilters)\s*\(/, "fontFilters") +property_writer("QFontComboBox", /::setFontFilters\s*\(/, "fontFilters") +property_reader("QFontComboBox", /::(currentFont|isCurrentFont|hasCurrentFont)\s*\(/, "currentFont") +property_writer("QFontComboBox", /::setCurrentFont\s*\(/, "currentFont") +property_reader("QFontDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFontDialog", /::setObjectName\s*\(/, "objectName") +property_reader("QFontDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QFontDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QFontDialog", /::setWindowModality\s*\(/, "windowModality") +property_reader("QFontDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QFontDialog", /::setEnabled\s*\(/, "enabled") +property_reader("QFontDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QFontDialog", /::setGeometry\s*\(/, "geometry") +property_reader("QFontDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QFontDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QFontDialog", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QFontDialog", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QFontDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QFontDialog", /::setPos\s*\(/, "pos") +property_reader("QFontDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QFontDialog", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QFontDialog", /::setSize\s*\(/, "size") +property_reader("QFontDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QFontDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QFontDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QFontDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QFontDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QFontDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QFontDialog", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QFontDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QFontDialog", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QFontDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QFontDialog", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QFontDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QFontDialog", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QFontDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QFontDialog", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QFontDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QFontDialog", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QFontDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QFontDialog", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QFontDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QFontDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QFontDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QFontDialog", /::setBaseSize\s*\(/, "baseSize") +property_reader("QFontDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QFontDialog", /::setPalette\s*\(/, "palette") +property_reader("QFontDialog", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QFontDialog", /::setFont\s*\(/, "font") +property_reader("QFontDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QFontDialog", /::setCursor\s*\(/, "cursor") +property_reader("QFontDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QFontDialog", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QFontDialog", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QFontDialog", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QFontDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QFontDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QFontDialog", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QFontDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QFontDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QFontDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QFontDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QFontDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QFontDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QFontDialog", /::setVisible\s*\(/, "visible") +property_reader("QFontDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QFontDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QFontDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QFontDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QFontDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QFontDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QFontDialog", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QFontDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QFontDialog", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QFontDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QFontDialog", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QFontDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QFontDialog", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QFontDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QFontDialog", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QFontDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QFontDialog", /::setWindowModified\s*\(/, "windowModified") +property_reader("QFontDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QFontDialog", /::setToolTip\s*\(/, "toolTip") +property_reader("QFontDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QFontDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QFontDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QFontDialog", /::setStatusTip\s*\(/, "statusTip") +property_reader("QFontDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QFontDialog", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QFontDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QFontDialog", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QFontDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QFontDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QFontDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QFontDialog", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QFontDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QFontDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QFontDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QFontDialog", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QFontDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QFontDialog", /::setLocale\s*\(/, "locale") +property_reader("QFontDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QFontDialog", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QFontDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QFontDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QFontDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QFontDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QFontDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QFontDialog", /::setModal\s*\(/, "modal") +property_reader("QFontDialog", /::(currentFont|isCurrentFont|hasCurrentFont)\s*\(/, "currentFont") +property_writer("QFontDialog", /::setCurrentFont\s*\(/, "currentFont") +property_reader("QFontDialog", /::(options|isOptions|hasOptions)\s*\(/, "options") +property_writer("QFontDialog", /::setOptions\s*\(/, "options") +property_reader("QFormLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFormLayout", /::setObjectName\s*\(/, "objectName") +property_reader("QFormLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") +property_writer("QFormLayout", /::setMargin\s*\(/, "margin") +property_reader("QFormLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QFormLayout", /::setSpacing\s*\(/, "spacing") +property_reader("QFormLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") +property_writer("QFormLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") +property_reader("QFormLayout", /::(fieldGrowthPolicy|isFieldGrowthPolicy|hasFieldGrowthPolicy)\s*\(/, "fieldGrowthPolicy") +property_writer("QFormLayout", /::setFieldGrowthPolicy\s*\(/, "fieldGrowthPolicy") +property_reader("QFormLayout", /::(rowWrapPolicy|isRowWrapPolicy|hasRowWrapPolicy)\s*\(/, "rowWrapPolicy") +property_writer("QFormLayout", /::setRowWrapPolicy\s*\(/, "rowWrapPolicy") +property_reader("QFormLayout", /::(labelAlignment|isLabelAlignment|hasLabelAlignment)\s*\(/, "labelAlignment") +property_writer("QFormLayout", /::setLabelAlignment\s*\(/, "labelAlignment") +property_reader("QFormLayout", /::(formAlignment|isFormAlignment|hasFormAlignment)\s*\(/, "formAlignment") +property_writer("QFormLayout", /::setFormAlignment\s*\(/, "formAlignment") +property_reader("QFormLayout", /::(horizontalSpacing|isHorizontalSpacing|hasHorizontalSpacing)\s*\(/, "horizontalSpacing") +property_writer("QFormLayout", /::setHorizontalSpacing\s*\(/, "horizontalSpacing") +property_reader("QFormLayout", /::(verticalSpacing|isVerticalSpacing|hasVerticalSpacing)\s*\(/, "verticalSpacing") +property_writer("QFormLayout", /::setVerticalSpacing\s*\(/, "verticalSpacing") +property_reader("QFrame", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFrame", /::setObjectName\s*\(/, "objectName") +property_reader("QFrame", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QFrame", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QFrame", /::setWindowModality\s*\(/, "windowModality") +property_reader("QFrame", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QFrame", /::setEnabled\s*\(/, "enabled") +property_reader("QFrame", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QFrame", /::setGeometry\s*\(/, "geometry") +property_reader("QFrame", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QFrame", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QFrame", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QFrame", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QFrame", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QFrame", /::setPos\s*\(/, "pos") +property_reader("QFrame", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QFrame", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QFrame", /::setSize\s*\(/, "size") +property_reader("QFrame", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QFrame", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QFrame", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QFrame", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QFrame", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QFrame", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QFrame", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QFrame", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QFrame", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QFrame", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QFrame", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QFrame", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QFrame", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QFrame", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QFrame", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QFrame", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QFrame", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QFrame", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QFrame", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QFrame", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QFrame", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QFrame", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QFrame", /::setBaseSize\s*\(/, "baseSize") +property_reader("QFrame", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QFrame", /::setPalette\s*\(/, "palette") +property_reader("QFrame", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QFrame", /::setFont\s*\(/, "font") +property_reader("QFrame", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QFrame", /::setCursor\s*\(/, "cursor") +property_reader("QFrame", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QFrame", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QFrame", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QFrame", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QFrame", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QFrame", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QFrame", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QFrame", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QFrame", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QFrame", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QFrame", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QFrame", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QFrame", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QFrame", /::setVisible\s*\(/, "visible") +property_reader("QFrame", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QFrame", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QFrame", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QFrame", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QFrame", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QFrame", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QFrame", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QFrame", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QFrame", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QFrame", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QFrame", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QFrame", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QFrame", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QFrame", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QFrame", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QFrame", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QFrame", /::setWindowModified\s*\(/, "windowModified") +property_reader("QFrame", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QFrame", /::setToolTip\s*\(/, "toolTip") +property_reader("QFrame", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QFrame", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QFrame", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QFrame", /::setStatusTip\s*\(/, "statusTip") +property_reader("QFrame", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QFrame", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QFrame", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QFrame", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QFrame", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QFrame", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QFrame", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QFrame", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QFrame", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QFrame", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QFrame", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QFrame", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QFrame", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QFrame", /::setLocale\s*\(/, "locale") +property_reader("QFrame", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QFrame", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QFrame", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QFrame", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QFrame", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QFrame", /::setFrameShape\s*\(/, "frameShape") +property_reader("QFrame", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QFrame", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QFrame", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QFrame", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QFrame", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QFrame", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QFrame", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QFrame", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QFrame", /::setFrameRect\s*\(/, "frameRect") +property_reader("QGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGesture", /::setObjectName\s*\(/, "objectName") +property_reader("QGesture", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") +property_reader("QGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") +property_writer("QGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") +property_reader("QGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") +property_writer("QGesture", /::setHotSpot\s*\(/, "hotSpot") +property_reader("QGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") +property_reader("QGraphicsAnchor", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsAnchor", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsAnchor", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QGraphicsAnchor", /::setSpacing\s*\(/, "spacing") +property_reader("QGraphicsAnchor", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QGraphicsAnchor", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QGraphicsBlurEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsBlurEffect", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsBlurEffect", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsBlurEffect", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsBlurEffect", /::(blurRadius|isBlurRadius|hasBlurRadius)\s*\(/, "blurRadius") +property_writer("QGraphicsBlurEffect", /::setBlurRadius\s*\(/, "blurRadius") +property_reader("QGraphicsBlurEffect", /::(blurHints|isBlurHints|hasBlurHints)\s*\(/, "blurHints") +property_writer("QGraphicsBlurEffect", /::setBlurHints\s*\(/, "blurHints") +property_reader("QGraphicsColorizeEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsColorizeEffect", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsColorizeEffect", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsColorizeEffect", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsColorizeEffect", /::(color|isColor|hasColor)\s*\(/, "color") +property_writer("QGraphicsColorizeEffect", /::setColor\s*\(/, "color") +property_reader("QGraphicsColorizeEffect", /::(strength|isStrength|hasStrength)\s*\(/, "strength") +property_writer("QGraphicsColorizeEffect", /::setStrength\s*\(/, "strength") +property_reader("QGraphicsDropShadowEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsDropShadowEffect", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsDropShadowEffect", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsDropShadowEffect", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsDropShadowEffect", /::(offset|isOffset|hasOffset)\s*\(/, "offset") +property_writer("QGraphicsDropShadowEffect", /::setOffset\s*\(/, "offset") +property_reader("QGraphicsDropShadowEffect", /::(xOffset|isXOffset|hasXOffset)\s*\(/, "xOffset") +property_writer("QGraphicsDropShadowEffect", /::setXOffset\s*\(/, "xOffset") +property_reader("QGraphicsDropShadowEffect", /::(yOffset|isYOffset|hasYOffset)\s*\(/, "yOffset") +property_writer("QGraphicsDropShadowEffect", /::setYOffset\s*\(/, "yOffset") +property_reader("QGraphicsDropShadowEffect", /::(blurRadius|isBlurRadius|hasBlurRadius)\s*\(/, "blurRadius") +property_writer("QGraphicsDropShadowEffect", /::setBlurRadius\s*\(/, "blurRadius") +property_reader("QGraphicsDropShadowEffect", /::(color|isColor|hasColor)\s*\(/, "color") +property_writer("QGraphicsDropShadowEffect", /::setColor\s*\(/, "color") +property_reader("QGraphicsEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsEffect", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsEffect", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsEffect", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsItemAnimation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsItemAnimation", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsObject", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsObject", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsObject", /::(parent|isParent|hasParent)\s*\(/, "parent") +property_writer("QGraphicsObject", /::setParent\s*\(/, "parent") +property_reader("QGraphicsObject", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") +property_writer("QGraphicsObject", /::setOpacity\s*\(/, "opacity") +property_reader("QGraphicsObject", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsObject", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsObject", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QGraphicsObject", /::setVisible\s*\(/, "visible") +property_reader("QGraphicsObject", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QGraphicsObject", /::setPos\s*\(/, "pos") +property_reader("QGraphicsObject", /::(x|isX|hasX)\s*\(/, "x") +property_writer("QGraphicsObject", /::setX\s*\(/, "x") +property_reader("QGraphicsObject", /::(y|isY|hasY)\s*\(/, "y") +property_writer("QGraphicsObject", /::setY\s*\(/, "y") +property_reader("QGraphicsObject", /::(z|isZ|hasZ)\s*\(/, "z") +property_writer("QGraphicsObject", /::setZ\s*\(/, "z") +property_reader("QGraphicsObject", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") +property_writer("QGraphicsObject", /::setRotation\s*\(/, "rotation") +property_reader("QGraphicsObject", /::(scale|isScale|hasScale)\s*\(/, "scale") +property_writer("QGraphicsObject", /::setScale\s*\(/, "scale") +property_reader("QGraphicsObject", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") +property_writer("QGraphicsObject", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") +property_reader("QGraphicsObject", /::(effect|isEffect|hasEffect)\s*\(/, "effect") +property_writer("QGraphicsObject", /::setEffect\s*\(/, "effect") +property_reader("QGraphicsObject", /::(children|isChildren|hasChildren)\s*\(/, "children") +property_reader("QGraphicsObject", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_writer("QGraphicsObject", /::setWidth\s*\(/, "width") +property_reader("QGraphicsObject", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_writer("QGraphicsObject", /::setHeight\s*\(/, "height") +property_reader("QGraphicsOpacityEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsOpacityEffect", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsOpacityEffect", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsOpacityEffect", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsOpacityEffect", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") +property_writer("QGraphicsOpacityEffect", /::setOpacity\s*\(/, "opacity") +property_reader("QGraphicsOpacityEffect", /::(opacityMask|isOpacityMask|hasOpacityMask)\s*\(/, "opacityMask") +property_writer("QGraphicsOpacityEffect", /::setOpacityMask\s*\(/, "opacityMask") +property_reader("QGraphicsProxyWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsProxyWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsProxyWidget", /::(parent|isParent|hasParent)\s*\(/, "parent") +property_writer("QGraphicsProxyWidget", /::setParent\s*\(/, "parent") +property_reader("QGraphicsProxyWidget", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") +property_writer("QGraphicsProxyWidget", /::setOpacity\s*\(/, "opacity") +property_reader("QGraphicsProxyWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsProxyWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsProxyWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QGraphicsProxyWidget", /::setVisible\s*\(/, "visible") +property_reader("QGraphicsProxyWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QGraphicsProxyWidget", /::setPos\s*\(/, "pos") +property_reader("QGraphicsProxyWidget", /::(x|isX|hasX)\s*\(/, "x") +property_writer("QGraphicsProxyWidget", /::setX\s*\(/, "x") +property_reader("QGraphicsProxyWidget", /::(y|isY|hasY)\s*\(/, "y") +property_writer("QGraphicsProxyWidget", /::setY\s*\(/, "y") +property_reader("QGraphicsProxyWidget", /::(z|isZ|hasZ)\s*\(/, "z") +property_writer("QGraphicsProxyWidget", /::setZ\s*\(/, "z") +property_reader("QGraphicsProxyWidget", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") +property_writer("QGraphicsProxyWidget", /::setRotation\s*\(/, "rotation") +property_reader("QGraphicsProxyWidget", /::(scale|isScale|hasScale)\s*\(/, "scale") +property_writer("QGraphicsProxyWidget", /::setScale\s*\(/, "scale") +property_reader("QGraphicsProxyWidget", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") +property_writer("QGraphicsProxyWidget", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") +property_reader("QGraphicsProxyWidget", /::(effect|isEffect|hasEffect)\s*\(/, "effect") +property_writer("QGraphicsProxyWidget", /::setEffect\s*\(/, "effect") +property_reader("QGraphicsProxyWidget", /::(children|isChildren|hasChildren)\s*\(/, "children") +property_reader("QGraphicsProxyWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_writer("QGraphicsProxyWidget", /::setWidth\s*\(/, "width") +property_reader("QGraphicsProxyWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_writer("QGraphicsProxyWidget", /::setHeight\s*\(/, "height") +property_reader("QGraphicsProxyWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QGraphicsProxyWidget", /::setPalette\s*\(/, "palette") +property_reader("QGraphicsProxyWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QGraphicsProxyWidget", /::setFont\s*\(/, "font") +property_reader("QGraphicsProxyWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QGraphicsProxyWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QGraphicsProxyWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QGraphicsProxyWidget", /::setSize\s*\(/, "size") +property_reader("QGraphicsProxyWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QGraphicsProxyWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QGraphicsProxyWidget", /::(preferredSize|isPreferredSize|hasPreferredSize)\s*\(/, "preferredSize") +property_writer("QGraphicsProxyWidget", /::setPreferredSize\s*\(/, "preferredSize") +property_reader("QGraphicsProxyWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QGraphicsProxyWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QGraphicsProxyWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QGraphicsProxyWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QGraphicsProxyWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QGraphicsProxyWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QGraphicsProxyWidget", /::(windowFlags|isWindowFlags|hasWindowFlags)\s*\(/, "windowFlags") +property_writer("QGraphicsProxyWidget", /::setWindowFlags\s*\(/, "windowFlags") +property_reader("QGraphicsProxyWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QGraphicsProxyWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QGraphicsProxyWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QGraphicsProxyWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QGraphicsProxyWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QGraphicsProxyWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QGraphicsProxyWidget", /::(layout|isLayout|hasLayout)\s*\(/, "layout") +property_writer("QGraphicsProxyWidget", /::setLayout\s*\(/, "layout") +property_reader("QGraphicsRotation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsRotation", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsRotation", /::(origin|isOrigin|hasOrigin)\s*\(/, "origin") +property_writer("QGraphicsRotation", /::setOrigin\s*\(/, "origin") +property_reader("QGraphicsRotation", /::(angle|isAngle|hasAngle)\s*\(/, "angle") +property_writer("QGraphicsRotation", /::setAngle\s*\(/, "angle") +property_reader("QGraphicsRotation", /::(axis|isAxis|hasAxis)\s*\(/, "axis") +property_writer("QGraphicsRotation", /::setAxis\s*\(/, "axis") +property_reader("QGraphicsScale", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsScale", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsScale", /::(origin|isOrigin|hasOrigin)\s*\(/, "origin") +property_writer("QGraphicsScale", /::setOrigin\s*\(/, "origin") +property_reader("QGraphicsScale", /::(xScale|isXScale|hasXScale)\s*\(/, "xScale") +property_writer("QGraphicsScale", /::setXScale\s*\(/, "xScale") +property_reader("QGraphicsScale", /::(yScale|isYScale|hasYScale)\s*\(/, "yScale") +property_writer("QGraphicsScale", /::setYScale\s*\(/, "yScale") +property_reader("QGraphicsScale", /::(zScale|isZScale|hasZScale)\s*\(/, "zScale") +property_writer("QGraphicsScale", /::setZScale\s*\(/, "zScale") +property_reader("QGraphicsScene", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsScene", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsScene", /::(backgroundBrush|isBackgroundBrush|hasBackgroundBrush)\s*\(/, "backgroundBrush") +property_writer("QGraphicsScene", /::setBackgroundBrush\s*\(/, "backgroundBrush") +property_reader("QGraphicsScene", /::(foregroundBrush|isForegroundBrush|hasForegroundBrush)\s*\(/, "foregroundBrush") +property_writer("QGraphicsScene", /::setForegroundBrush\s*\(/, "foregroundBrush") +property_reader("QGraphicsScene", /::(itemIndexMethod|isItemIndexMethod|hasItemIndexMethod)\s*\(/, "itemIndexMethod") +property_writer("QGraphicsScene", /::setItemIndexMethod\s*\(/, "itemIndexMethod") +property_reader("QGraphicsScene", /::(sceneRect|isSceneRect|hasSceneRect)\s*\(/, "sceneRect") +property_writer("QGraphicsScene", /::setSceneRect\s*\(/, "sceneRect") +property_reader("QGraphicsScene", /::(bspTreeDepth|isBspTreeDepth|hasBspTreeDepth)\s*\(/, "bspTreeDepth") +property_writer("QGraphicsScene", /::setBspTreeDepth\s*\(/, "bspTreeDepth") +property_reader("QGraphicsScene", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QGraphicsScene", /::setPalette\s*\(/, "palette") +property_reader("QGraphicsScene", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QGraphicsScene", /::setFont\s*\(/, "font") +property_reader("QGraphicsScene", /::(sortCacheEnabled|isSortCacheEnabled|hasSortCacheEnabled)\s*\(/, "sortCacheEnabled") +property_writer("QGraphicsScene", /::setSortCacheEnabled\s*\(/, "sortCacheEnabled") +property_reader("QGraphicsScene", /::(stickyFocus|isStickyFocus|hasStickyFocus)\s*\(/, "stickyFocus") +property_writer("QGraphicsScene", /::setStickyFocus\s*\(/, "stickyFocus") +property_reader("QGraphicsScene", /::(minimumRenderSize|isMinimumRenderSize|hasMinimumRenderSize)\s*\(/, "minimumRenderSize") +property_writer("QGraphicsScene", /::setMinimumRenderSize\s*\(/, "minimumRenderSize") +property_reader("QGraphicsScene", /::(focusOnTouch|isFocusOnTouch|hasFocusOnTouch)\s*\(/, "focusOnTouch") +property_writer("QGraphicsScene", /::setFocusOnTouch\s*\(/, "focusOnTouch") +property_reader("QGraphicsTextItem", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsTextItem", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsTextItem", /::(parent|isParent|hasParent)\s*\(/, "parent") +property_writer("QGraphicsTextItem", /::setParent\s*\(/, "parent") +property_reader("QGraphicsTextItem", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") +property_writer("QGraphicsTextItem", /::setOpacity\s*\(/, "opacity") +property_reader("QGraphicsTextItem", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsTextItem", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsTextItem", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QGraphicsTextItem", /::setVisible\s*\(/, "visible") +property_reader("QGraphicsTextItem", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QGraphicsTextItem", /::setPos\s*\(/, "pos") +property_reader("QGraphicsTextItem", /::(x|isX|hasX)\s*\(/, "x") +property_writer("QGraphicsTextItem", /::setX\s*\(/, "x") +property_reader("QGraphicsTextItem", /::(y|isY|hasY)\s*\(/, "y") +property_writer("QGraphicsTextItem", /::setY\s*\(/, "y") +property_reader("QGraphicsTextItem", /::(z|isZ|hasZ)\s*\(/, "z") +property_writer("QGraphicsTextItem", /::setZ\s*\(/, "z") +property_reader("QGraphicsTextItem", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") +property_writer("QGraphicsTextItem", /::setRotation\s*\(/, "rotation") +property_reader("QGraphicsTextItem", /::(scale|isScale|hasScale)\s*\(/, "scale") +property_writer("QGraphicsTextItem", /::setScale\s*\(/, "scale") +property_reader("QGraphicsTextItem", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") +property_writer("QGraphicsTextItem", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") +property_reader("QGraphicsTextItem", /::(effect|isEffect|hasEffect)\s*\(/, "effect") +property_writer("QGraphicsTextItem", /::setEffect\s*\(/, "effect") +property_reader("QGraphicsTextItem", /::(children|isChildren|hasChildren)\s*\(/, "children") +property_reader("QGraphicsTextItem", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_writer("QGraphicsTextItem", /::setWidth\s*\(/, "width") +property_reader("QGraphicsTextItem", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_writer("QGraphicsTextItem", /::setHeight\s*\(/, "height") +property_reader("QGraphicsTransform", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsTransform", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsView", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsView", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QGraphicsView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QGraphicsView", /::setWindowModality\s*\(/, "windowModality") +property_reader("QGraphicsView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsView", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QGraphicsView", /::setGeometry\s*\(/, "geometry") +property_reader("QGraphicsView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QGraphicsView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QGraphicsView", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QGraphicsView", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QGraphicsView", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QGraphicsView", /::setPos\s*\(/, "pos") +property_reader("QGraphicsView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QGraphicsView", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QGraphicsView", /::setSize\s*\(/, "size") +property_reader("QGraphicsView", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QGraphicsView", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QGraphicsView", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QGraphicsView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QGraphicsView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QGraphicsView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QGraphicsView", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QGraphicsView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QGraphicsView", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QGraphicsView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QGraphicsView", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QGraphicsView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QGraphicsView", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QGraphicsView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QGraphicsView", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QGraphicsView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QGraphicsView", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QGraphicsView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QGraphicsView", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QGraphicsView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QGraphicsView", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QGraphicsView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QGraphicsView", /::setBaseSize\s*\(/, "baseSize") +property_reader("QGraphicsView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QGraphicsView", /::setPalette\s*\(/, "palette") +property_reader("QGraphicsView", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QGraphicsView", /::setFont\s*\(/, "font") +property_reader("QGraphicsView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QGraphicsView", /::setCursor\s*\(/, "cursor") +property_reader("QGraphicsView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QGraphicsView", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QGraphicsView", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QGraphicsView", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QGraphicsView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QGraphicsView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QGraphicsView", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QGraphicsView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QGraphicsView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QGraphicsView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QGraphicsView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QGraphicsView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QGraphicsView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QGraphicsView", /::setVisible\s*\(/, "visible") +property_reader("QGraphicsView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QGraphicsView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QGraphicsView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QGraphicsView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QGraphicsView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QGraphicsView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QGraphicsView", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QGraphicsView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QGraphicsView", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QGraphicsView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QGraphicsView", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QGraphicsView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QGraphicsView", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QGraphicsView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QGraphicsView", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QGraphicsView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QGraphicsView", /::setWindowModified\s*\(/, "windowModified") +property_reader("QGraphicsView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QGraphicsView", /::setToolTip\s*\(/, "toolTip") +property_reader("QGraphicsView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QGraphicsView", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QGraphicsView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QGraphicsView", /::setStatusTip\s*\(/, "statusTip") +property_reader("QGraphicsView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QGraphicsView", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QGraphicsView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QGraphicsView", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QGraphicsView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QGraphicsView", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QGraphicsView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QGraphicsView", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QGraphicsView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QGraphicsView", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QGraphicsView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QGraphicsView", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QGraphicsView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QGraphicsView", /::setLocale\s*\(/, "locale") +property_reader("QGraphicsView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QGraphicsView", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QGraphicsView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QGraphicsView", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QGraphicsView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QGraphicsView", /::setFrameShape\s*\(/, "frameShape") +property_reader("QGraphicsView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QGraphicsView", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QGraphicsView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QGraphicsView", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QGraphicsView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QGraphicsView", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QGraphicsView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QGraphicsView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QGraphicsView", /::setFrameRect\s*\(/, "frameRect") +property_reader("QGraphicsView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QGraphicsView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QGraphicsView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QGraphicsView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QGraphicsView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QGraphicsView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QGraphicsView", /::(backgroundBrush|isBackgroundBrush|hasBackgroundBrush)\s*\(/, "backgroundBrush") +property_writer("QGraphicsView", /::setBackgroundBrush\s*\(/, "backgroundBrush") +property_reader("QGraphicsView", /::(foregroundBrush|isForegroundBrush|hasForegroundBrush)\s*\(/, "foregroundBrush") +property_writer("QGraphicsView", /::setForegroundBrush\s*\(/, "foregroundBrush") +property_reader("QGraphicsView", /::(interactive|isInteractive|hasInteractive)\s*\(/, "interactive") +property_writer("QGraphicsView", /::setInteractive\s*\(/, "interactive") +property_reader("QGraphicsView", /::(sceneRect|isSceneRect|hasSceneRect)\s*\(/, "sceneRect") +property_writer("QGraphicsView", /::setSceneRect\s*\(/, "sceneRect") +property_reader("QGraphicsView", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QGraphicsView", /::setAlignment\s*\(/, "alignment") +property_reader("QGraphicsView", /::(renderHints|isRenderHints|hasRenderHints)\s*\(/, "renderHints") +property_writer("QGraphicsView", /::setRenderHints\s*\(/, "renderHints") +property_reader("QGraphicsView", /::(dragMode|isDragMode|hasDragMode)\s*\(/, "dragMode") +property_writer("QGraphicsView", /::setDragMode\s*\(/, "dragMode") +property_reader("QGraphicsView", /::(cacheMode|isCacheMode|hasCacheMode)\s*\(/, "cacheMode") +property_writer("QGraphicsView", /::setCacheMode\s*\(/, "cacheMode") +property_reader("QGraphicsView", /::(transformationAnchor|isTransformationAnchor|hasTransformationAnchor)\s*\(/, "transformationAnchor") +property_writer("QGraphicsView", /::setTransformationAnchor\s*\(/, "transformationAnchor") +property_reader("QGraphicsView", /::(resizeAnchor|isResizeAnchor|hasResizeAnchor)\s*\(/, "resizeAnchor") +property_writer("QGraphicsView", /::setResizeAnchor\s*\(/, "resizeAnchor") +property_reader("QGraphicsView", /::(viewportUpdateMode|isViewportUpdateMode|hasViewportUpdateMode)\s*\(/, "viewportUpdateMode") +property_writer("QGraphicsView", /::setViewportUpdateMode\s*\(/, "viewportUpdateMode") +property_reader("QGraphicsView", /::(rubberBandSelectionMode|isRubberBandSelectionMode|hasRubberBandSelectionMode)\s*\(/, "rubberBandSelectionMode") +property_writer("QGraphicsView", /::setRubberBandSelectionMode\s*\(/, "rubberBandSelectionMode") +property_reader("QGraphicsView", /::(optimizationFlags|isOptimizationFlags|hasOptimizationFlags)\s*\(/, "optimizationFlags") +property_writer("QGraphicsView", /::setOptimizationFlags\s*\(/, "optimizationFlags") +property_reader("QGraphicsWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsWidget", /::(parent|isParent|hasParent)\s*\(/, "parent") +property_writer("QGraphicsWidget", /::setParent\s*\(/, "parent") +property_reader("QGraphicsWidget", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") +property_writer("QGraphicsWidget", /::setOpacity\s*\(/, "opacity") +property_reader("QGraphicsWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QGraphicsWidget", /::setVisible\s*\(/, "visible") +property_reader("QGraphicsWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QGraphicsWidget", /::setPos\s*\(/, "pos") +property_reader("QGraphicsWidget", /::(x|isX|hasX)\s*\(/, "x") +property_writer("QGraphicsWidget", /::setX\s*\(/, "x") +property_reader("QGraphicsWidget", /::(y|isY|hasY)\s*\(/, "y") +property_writer("QGraphicsWidget", /::setY\s*\(/, "y") +property_reader("QGraphicsWidget", /::(z|isZ|hasZ)\s*\(/, "z") +property_writer("QGraphicsWidget", /::setZ\s*\(/, "z") +property_reader("QGraphicsWidget", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") +property_writer("QGraphicsWidget", /::setRotation\s*\(/, "rotation") +property_reader("QGraphicsWidget", /::(scale|isScale|hasScale)\s*\(/, "scale") +property_writer("QGraphicsWidget", /::setScale\s*\(/, "scale") +property_reader("QGraphicsWidget", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") +property_writer("QGraphicsWidget", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") +property_reader("QGraphicsWidget", /::(effect|isEffect|hasEffect)\s*\(/, "effect") +property_writer("QGraphicsWidget", /::setEffect\s*\(/, "effect") +property_reader("QGraphicsWidget", /::(children|isChildren|hasChildren)\s*\(/, "children") +property_reader("QGraphicsWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_writer("QGraphicsWidget", /::setWidth\s*\(/, "width") +property_reader("QGraphicsWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_writer("QGraphicsWidget", /::setHeight\s*\(/, "height") +property_reader("QGraphicsWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QGraphicsWidget", /::setPalette\s*\(/, "palette") +property_reader("QGraphicsWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QGraphicsWidget", /::setFont\s*\(/, "font") +property_reader("QGraphicsWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QGraphicsWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QGraphicsWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QGraphicsWidget", /::setSize\s*\(/, "size") +property_reader("QGraphicsWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QGraphicsWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QGraphicsWidget", /::(preferredSize|isPreferredSize|hasPreferredSize)\s*\(/, "preferredSize") +property_writer("QGraphicsWidget", /::setPreferredSize\s*\(/, "preferredSize") +property_reader("QGraphicsWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QGraphicsWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QGraphicsWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QGraphicsWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QGraphicsWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QGraphicsWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QGraphicsWidget", /::(windowFlags|isWindowFlags|hasWindowFlags)\s*\(/, "windowFlags") +property_writer("QGraphicsWidget", /::setWindowFlags\s*\(/, "windowFlags") +property_reader("QGraphicsWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QGraphicsWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QGraphicsWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QGraphicsWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QGraphicsWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QGraphicsWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QGraphicsWidget", /::(layout|isLayout|hasLayout)\s*\(/, "layout") +property_writer("QGraphicsWidget", /::setLayout\s*\(/, "layout") +property_reader("QGridLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGridLayout", /::setObjectName\s*\(/, "objectName") +property_reader("QGridLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") +property_writer("QGridLayout", /::setMargin\s*\(/, "margin") +property_reader("QGridLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QGridLayout", /::setSpacing\s*\(/, "spacing") +property_reader("QGridLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") +property_writer("QGridLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") +property_reader("QGroupBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGroupBox", /::setObjectName\s*\(/, "objectName") +property_reader("QGroupBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QGroupBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QGroupBox", /::setWindowModality\s*\(/, "windowModality") +property_reader("QGroupBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGroupBox", /::setEnabled\s*\(/, "enabled") +property_reader("QGroupBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QGroupBox", /::setGeometry\s*\(/, "geometry") +property_reader("QGroupBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QGroupBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QGroupBox", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QGroupBox", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QGroupBox", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QGroupBox", /::setPos\s*\(/, "pos") +property_reader("QGroupBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QGroupBox", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QGroupBox", /::setSize\s*\(/, "size") +property_reader("QGroupBox", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QGroupBox", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QGroupBox", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QGroupBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QGroupBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QGroupBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QGroupBox", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QGroupBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QGroupBox", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QGroupBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QGroupBox", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QGroupBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QGroupBox", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QGroupBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QGroupBox", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QGroupBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QGroupBox", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QGroupBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QGroupBox", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QGroupBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QGroupBox", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QGroupBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QGroupBox", /::setBaseSize\s*\(/, "baseSize") +property_reader("QGroupBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QGroupBox", /::setPalette\s*\(/, "palette") +property_reader("QGroupBox", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QGroupBox", /::setFont\s*\(/, "font") +property_reader("QGroupBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QGroupBox", /::setCursor\s*\(/, "cursor") +property_reader("QGroupBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QGroupBox", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QGroupBox", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QGroupBox", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QGroupBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QGroupBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QGroupBox", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QGroupBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QGroupBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QGroupBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QGroupBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QGroupBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QGroupBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QGroupBox", /::setVisible\s*\(/, "visible") +property_reader("QGroupBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QGroupBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QGroupBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QGroupBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QGroupBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QGroupBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QGroupBox", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QGroupBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QGroupBox", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QGroupBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QGroupBox", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QGroupBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QGroupBox", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QGroupBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QGroupBox", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QGroupBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QGroupBox", /::setWindowModified\s*\(/, "windowModified") +property_reader("QGroupBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QGroupBox", /::setToolTip\s*\(/, "toolTip") +property_reader("QGroupBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QGroupBox", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QGroupBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QGroupBox", /::setStatusTip\s*\(/, "statusTip") +property_reader("QGroupBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QGroupBox", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QGroupBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QGroupBox", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QGroupBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QGroupBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QGroupBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QGroupBox", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QGroupBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QGroupBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QGroupBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QGroupBox", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QGroupBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QGroupBox", /::setLocale\s*\(/, "locale") +property_reader("QGroupBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QGroupBox", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QGroupBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QGroupBox", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QGroupBox", /::(title|isTitle|hasTitle)\s*\(/, "title") +property_writer("QGroupBox", /::setTitle\s*\(/, "title") +property_reader("QGroupBox", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QGroupBox", /::setAlignment\s*\(/, "alignment") +property_reader("QGroupBox", /::(flat|isFlat|hasFlat)\s*\(/, "flat") +property_writer("QGroupBox", /::setFlat\s*\(/, "flat") +property_reader("QGroupBox", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") +property_writer("QGroupBox", /::setCheckable\s*\(/, "checkable") +property_reader("QGroupBox", /::(checked|isChecked|hasChecked)\s*\(/, "checked") +property_writer("QGroupBox", /::setChecked\s*\(/, "checked") +property_reader("QHBoxLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QHBoxLayout", /::setObjectName\s*\(/, "objectName") +property_reader("QHBoxLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") +property_writer("QHBoxLayout", /::setMargin\s*\(/, "margin") +property_reader("QHBoxLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QHBoxLayout", /::setSpacing\s*\(/, "spacing") +property_reader("QHBoxLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") +property_writer("QHBoxLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") +property_reader("QHeaderView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QHeaderView", /::setObjectName\s*\(/, "objectName") +property_reader("QHeaderView", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QHeaderView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QHeaderView", /::setWindowModality\s*\(/, "windowModality") +property_reader("QHeaderView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QHeaderView", /::setEnabled\s*\(/, "enabled") +property_reader("QHeaderView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QHeaderView", /::setGeometry\s*\(/, "geometry") +property_reader("QHeaderView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QHeaderView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QHeaderView", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QHeaderView", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QHeaderView", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QHeaderView", /::setPos\s*\(/, "pos") +property_reader("QHeaderView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QHeaderView", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QHeaderView", /::setSize\s*\(/, "size") +property_reader("QHeaderView", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QHeaderView", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QHeaderView", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QHeaderView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QHeaderView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QHeaderView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QHeaderView", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QHeaderView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QHeaderView", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QHeaderView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QHeaderView", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QHeaderView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QHeaderView", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QHeaderView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QHeaderView", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QHeaderView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QHeaderView", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QHeaderView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QHeaderView", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QHeaderView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QHeaderView", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QHeaderView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QHeaderView", /::setBaseSize\s*\(/, "baseSize") +property_reader("QHeaderView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QHeaderView", /::setPalette\s*\(/, "palette") +property_reader("QHeaderView", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QHeaderView", /::setFont\s*\(/, "font") +property_reader("QHeaderView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QHeaderView", /::setCursor\s*\(/, "cursor") +property_reader("QHeaderView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QHeaderView", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QHeaderView", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QHeaderView", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QHeaderView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QHeaderView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QHeaderView", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QHeaderView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QHeaderView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QHeaderView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QHeaderView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QHeaderView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QHeaderView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QHeaderView", /::setVisible\s*\(/, "visible") +property_reader("QHeaderView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QHeaderView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QHeaderView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QHeaderView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QHeaderView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QHeaderView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QHeaderView", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QHeaderView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QHeaderView", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QHeaderView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QHeaderView", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QHeaderView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QHeaderView", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QHeaderView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QHeaderView", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QHeaderView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QHeaderView", /::setWindowModified\s*\(/, "windowModified") +property_reader("QHeaderView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QHeaderView", /::setToolTip\s*\(/, "toolTip") +property_reader("QHeaderView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QHeaderView", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QHeaderView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QHeaderView", /::setStatusTip\s*\(/, "statusTip") +property_reader("QHeaderView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QHeaderView", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QHeaderView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QHeaderView", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QHeaderView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QHeaderView", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QHeaderView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QHeaderView", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QHeaderView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QHeaderView", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QHeaderView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QHeaderView", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QHeaderView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QHeaderView", /::setLocale\s*\(/, "locale") +property_reader("QHeaderView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QHeaderView", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QHeaderView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QHeaderView", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QHeaderView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QHeaderView", /::setFrameShape\s*\(/, "frameShape") +property_reader("QHeaderView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QHeaderView", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QHeaderView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QHeaderView", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QHeaderView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QHeaderView", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QHeaderView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QHeaderView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QHeaderView", /::setFrameRect\s*\(/, "frameRect") +property_reader("QHeaderView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QHeaderView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QHeaderView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QHeaderView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QHeaderView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QHeaderView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QHeaderView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") +property_writer("QHeaderView", /::setAutoScroll\s*\(/, "autoScroll") +property_reader("QHeaderView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") +property_writer("QHeaderView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") +property_reader("QHeaderView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") +property_writer("QHeaderView", /::setEditTriggers\s*\(/, "editTriggers") +property_reader("QHeaderView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") +property_writer("QHeaderView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") +property_reader("QHeaderView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") +property_writer("QHeaderView", /::setShowDropIndicator\s*\(/, "showDropIndicator") +property_reader("QHeaderView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QHeaderView", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QHeaderView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") +property_writer("QHeaderView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") +property_reader("QHeaderView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") +property_writer("QHeaderView", /::setDragDropMode\s*\(/, "dragDropMode") +property_reader("QHeaderView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") +property_writer("QHeaderView", /::setDefaultDropAction\s*\(/, "defaultDropAction") +property_reader("QHeaderView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") +property_writer("QHeaderView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") +property_reader("QHeaderView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QHeaderView", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QHeaderView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") +property_writer("QHeaderView", /::setSelectionBehavior\s*\(/, "selectionBehavior") +property_reader("QHeaderView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QHeaderView", /::setIconSize\s*\(/, "iconSize") +property_reader("QHeaderView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") +property_writer("QHeaderView", /::setTextElideMode\s*\(/, "textElideMode") +property_reader("QHeaderView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") +property_writer("QHeaderView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") +property_reader("QHeaderView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") +property_writer("QHeaderView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") +property_reader("QHeaderView", /::(firstSectionMovable|isFirstSectionMovable|hasFirstSectionMovable)\s*\(/, "firstSectionMovable") +property_writer("QHeaderView", /::setFirstSectionMovable\s*\(/, "firstSectionMovable") +property_reader("QHeaderView", /::(showSortIndicator|isShowSortIndicator|hasShowSortIndicator)\s*\(/, "showSortIndicator") +property_writer("QHeaderView", /::setShowSortIndicator\s*\(/, "showSortIndicator") +property_reader("QHeaderView", /::(highlightSections|isHighlightSections|hasHighlightSections)\s*\(/, "highlightSections") +property_writer("QHeaderView", /::setHighlightSections\s*\(/, "highlightSections") +property_reader("QHeaderView", /::(stretchLastSection|isStretchLastSection|hasStretchLastSection)\s*\(/, "stretchLastSection") +property_writer("QHeaderView", /::setStretchLastSection\s*\(/, "stretchLastSection") +property_reader("QHeaderView", /::(cascadingSectionResizes|isCascadingSectionResizes|hasCascadingSectionResizes)\s*\(/, "cascadingSectionResizes") +property_writer("QHeaderView", /::setCascadingSectionResizes\s*\(/, "cascadingSectionResizes") +property_reader("QHeaderView", /::(defaultSectionSize|isDefaultSectionSize|hasDefaultSectionSize)\s*\(/, "defaultSectionSize") +property_writer("QHeaderView", /::setDefaultSectionSize\s*\(/, "defaultSectionSize") +property_reader("QHeaderView", /::(minimumSectionSize|isMinimumSectionSize|hasMinimumSectionSize)\s*\(/, "minimumSectionSize") +property_writer("QHeaderView", /::setMinimumSectionSize\s*\(/, "minimumSectionSize") +property_reader("QHeaderView", /::(maximumSectionSize|isMaximumSectionSize|hasMaximumSectionSize)\s*\(/, "maximumSectionSize") +property_writer("QHeaderView", /::setMaximumSectionSize\s*\(/, "maximumSectionSize") +property_reader("QHeaderView", /::(defaultAlignment|isDefaultAlignment|hasDefaultAlignment)\s*\(/, "defaultAlignment") +property_writer("QHeaderView", /::setDefaultAlignment\s*\(/, "defaultAlignment") +property_reader("QInputDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QInputDialog", /::setObjectName\s*\(/, "objectName") +property_reader("QInputDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QInputDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QInputDialog", /::setWindowModality\s*\(/, "windowModality") +property_reader("QInputDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QInputDialog", /::setEnabled\s*\(/, "enabled") +property_reader("QInputDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QInputDialog", /::setGeometry\s*\(/, "geometry") +property_reader("QInputDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QInputDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QInputDialog", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QInputDialog", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QInputDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QInputDialog", /::setPos\s*\(/, "pos") +property_reader("QInputDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QInputDialog", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QInputDialog", /::setSize\s*\(/, "size") +property_reader("QInputDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QInputDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QInputDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QInputDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QInputDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QInputDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QInputDialog", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QInputDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QInputDialog", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QInputDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QInputDialog", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QInputDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QInputDialog", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QInputDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QInputDialog", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QInputDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QInputDialog", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QInputDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QInputDialog", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QInputDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QInputDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QInputDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QInputDialog", /::setBaseSize\s*\(/, "baseSize") +property_reader("QInputDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QInputDialog", /::setPalette\s*\(/, "palette") +property_reader("QInputDialog", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QInputDialog", /::setFont\s*\(/, "font") +property_reader("QInputDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QInputDialog", /::setCursor\s*\(/, "cursor") +property_reader("QInputDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QInputDialog", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QInputDialog", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QInputDialog", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QInputDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QInputDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QInputDialog", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QInputDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QInputDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QInputDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QInputDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QInputDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QInputDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QInputDialog", /::setVisible\s*\(/, "visible") +property_reader("QInputDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QInputDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QInputDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QInputDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QInputDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QInputDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QInputDialog", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QInputDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QInputDialog", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QInputDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QInputDialog", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QInputDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QInputDialog", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QInputDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QInputDialog", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QInputDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QInputDialog", /::setWindowModified\s*\(/, "windowModified") +property_reader("QInputDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QInputDialog", /::setToolTip\s*\(/, "toolTip") +property_reader("QInputDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QInputDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QInputDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QInputDialog", /::setStatusTip\s*\(/, "statusTip") +property_reader("QInputDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QInputDialog", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QInputDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QInputDialog", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QInputDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QInputDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QInputDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QInputDialog", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QInputDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QInputDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QInputDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QInputDialog", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QInputDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QInputDialog", /::setLocale\s*\(/, "locale") +property_reader("QInputDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QInputDialog", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QInputDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QInputDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QInputDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QInputDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QInputDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QInputDialog", /::setModal\s*\(/, "modal") +property_reader("QItemDelegate", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QItemDelegate", /::setObjectName\s*\(/, "objectName") +property_reader("QItemDelegate", /::(clipping|isClipping|hasClipping)\s*\(/, "clipping") +property_writer("QItemDelegate", /::setClipping\s*\(/, "clipping") +property_reader("QKeySequenceEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QKeySequenceEdit", /::setObjectName\s*\(/, "objectName") +property_reader("QKeySequenceEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QKeySequenceEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QKeySequenceEdit", /::setWindowModality\s*\(/, "windowModality") +property_reader("QKeySequenceEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QKeySequenceEdit", /::setEnabled\s*\(/, "enabled") +property_reader("QKeySequenceEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QKeySequenceEdit", /::setGeometry\s*\(/, "geometry") +property_reader("QKeySequenceEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QKeySequenceEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QKeySequenceEdit", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QKeySequenceEdit", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QKeySequenceEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QKeySequenceEdit", /::setPos\s*\(/, "pos") +property_reader("QKeySequenceEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QKeySequenceEdit", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QKeySequenceEdit", /::setSize\s*\(/, "size") +property_reader("QKeySequenceEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QKeySequenceEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QKeySequenceEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QKeySequenceEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QKeySequenceEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QKeySequenceEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QKeySequenceEdit", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QKeySequenceEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QKeySequenceEdit", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QKeySequenceEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QKeySequenceEdit", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QKeySequenceEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QKeySequenceEdit", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QKeySequenceEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QKeySequenceEdit", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QKeySequenceEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QKeySequenceEdit", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QKeySequenceEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QKeySequenceEdit", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QKeySequenceEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QKeySequenceEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QKeySequenceEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QKeySequenceEdit", /::setBaseSize\s*\(/, "baseSize") +property_reader("QKeySequenceEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QKeySequenceEdit", /::setPalette\s*\(/, "palette") +property_reader("QKeySequenceEdit", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QKeySequenceEdit", /::setFont\s*\(/, "font") +property_reader("QKeySequenceEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QKeySequenceEdit", /::setCursor\s*\(/, "cursor") +property_reader("QKeySequenceEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QKeySequenceEdit", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QKeySequenceEdit", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QKeySequenceEdit", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QKeySequenceEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QKeySequenceEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QKeySequenceEdit", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QKeySequenceEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QKeySequenceEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QKeySequenceEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QKeySequenceEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QKeySequenceEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QKeySequenceEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QKeySequenceEdit", /::setVisible\s*\(/, "visible") +property_reader("QKeySequenceEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QKeySequenceEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QKeySequenceEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QKeySequenceEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QKeySequenceEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QKeySequenceEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QKeySequenceEdit", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QKeySequenceEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QKeySequenceEdit", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QKeySequenceEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QKeySequenceEdit", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QKeySequenceEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QKeySequenceEdit", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QKeySequenceEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QKeySequenceEdit", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QKeySequenceEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QKeySequenceEdit", /::setWindowModified\s*\(/, "windowModified") +property_reader("QKeySequenceEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QKeySequenceEdit", /::setToolTip\s*\(/, "toolTip") +property_reader("QKeySequenceEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QKeySequenceEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QKeySequenceEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QKeySequenceEdit", /::setStatusTip\s*\(/, "statusTip") +property_reader("QKeySequenceEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QKeySequenceEdit", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QKeySequenceEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QKeySequenceEdit", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QKeySequenceEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QKeySequenceEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QKeySequenceEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QKeySequenceEdit", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QKeySequenceEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QKeySequenceEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QKeySequenceEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QKeySequenceEdit", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QKeySequenceEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QKeySequenceEdit", /::setLocale\s*\(/, "locale") +property_reader("QKeySequenceEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QKeySequenceEdit", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QKeySequenceEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QKeySequenceEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QKeySequenceEdit", /::(keySequence|isKeySequence|hasKeySequence)\s*\(/, "keySequence") +property_writer("QKeySequenceEdit", /::setKeySequence\s*\(/, "keySequence") +property_reader("QLCDNumber", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QLCDNumber", /::setObjectName\s*\(/, "objectName") +property_reader("QLCDNumber", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QLCDNumber", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QLCDNumber", /::setWindowModality\s*\(/, "windowModality") +property_reader("QLCDNumber", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QLCDNumber", /::setEnabled\s*\(/, "enabled") +property_reader("QLCDNumber", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QLCDNumber", /::setGeometry\s*\(/, "geometry") +property_reader("QLCDNumber", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QLCDNumber", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QLCDNumber", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QLCDNumber", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QLCDNumber", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QLCDNumber", /::setPos\s*\(/, "pos") +property_reader("QLCDNumber", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QLCDNumber", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QLCDNumber", /::setSize\s*\(/, "size") +property_reader("QLCDNumber", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QLCDNumber", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QLCDNumber", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QLCDNumber", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QLCDNumber", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QLCDNumber", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QLCDNumber", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QLCDNumber", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QLCDNumber", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QLCDNumber", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QLCDNumber", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QLCDNumber", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QLCDNumber", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QLCDNumber", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QLCDNumber", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QLCDNumber", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QLCDNumber", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QLCDNumber", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QLCDNumber", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QLCDNumber", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QLCDNumber", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QLCDNumber", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QLCDNumber", /::setBaseSize\s*\(/, "baseSize") +property_reader("QLCDNumber", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QLCDNumber", /::setPalette\s*\(/, "palette") +property_reader("QLCDNumber", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QLCDNumber", /::setFont\s*\(/, "font") +property_reader("QLCDNumber", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QLCDNumber", /::setCursor\s*\(/, "cursor") +property_reader("QLCDNumber", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QLCDNumber", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QLCDNumber", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QLCDNumber", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QLCDNumber", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QLCDNumber", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QLCDNumber", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QLCDNumber", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QLCDNumber", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QLCDNumber", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QLCDNumber", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QLCDNumber", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QLCDNumber", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QLCDNumber", /::setVisible\s*\(/, "visible") +property_reader("QLCDNumber", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QLCDNumber", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QLCDNumber", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QLCDNumber", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QLCDNumber", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QLCDNumber", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QLCDNumber", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QLCDNumber", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QLCDNumber", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QLCDNumber", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QLCDNumber", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QLCDNumber", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QLCDNumber", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QLCDNumber", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QLCDNumber", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QLCDNumber", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QLCDNumber", /::setWindowModified\s*\(/, "windowModified") +property_reader("QLCDNumber", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QLCDNumber", /::setToolTip\s*\(/, "toolTip") +property_reader("QLCDNumber", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QLCDNumber", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QLCDNumber", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QLCDNumber", /::setStatusTip\s*\(/, "statusTip") +property_reader("QLCDNumber", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QLCDNumber", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QLCDNumber", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QLCDNumber", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QLCDNumber", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QLCDNumber", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QLCDNumber", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QLCDNumber", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QLCDNumber", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QLCDNumber", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QLCDNumber", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QLCDNumber", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QLCDNumber", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QLCDNumber", /::setLocale\s*\(/, "locale") +property_reader("QLCDNumber", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QLCDNumber", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QLCDNumber", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QLCDNumber", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QLCDNumber", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QLCDNumber", /::setFrameShape\s*\(/, "frameShape") +property_reader("QLCDNumber", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QLCDNumber", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QLCDNumber", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QLCDNumber", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QLCDNumber", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QLCDNumber", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QLCDNumber", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QLCDNumber", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QLCDNumber", /::setFrameRect\s*\(/, "frameRect") +property_reader("QLCDNumber", /::(smallDecimalPoint|isSmallDecimalPoint|hasSmallDecimalPoint)\s*\(/, "smallDecimalPoint") +property_writer("QLCDNumber", /::setSmallDecimalPoint\s*\(/, "smallDecimalPoint") +property_reader("QLCDNumber", /::(digitCount|isDigitCount|hasDigitCount)\s*\(/, "digitCount") +property_writer("QLCDNumber", /::setDigitCount\s*\(/, "digitCount") +property_reader("QLCDNumber", /::(mode|isMode|hasMode)\s*\(/, "mode") +property_writer("QLCDNumber", /::setMode\s*\(/, "mode") +property_reader("QLCDNumber", /::(segmentStyle|isSegmentStyle|hasSegmentStyle)\s*\(/, "segmentStyle") +property_writer("QLCDNumber", /::setSegmentStyle\s*\(/, "segmentStyle") +property_reader("QLCDNumber", /::(value|isValue|hasValue)\s*\(/, "value") +property_writer("QLCDNumber", /::setValue\s*\(/, "value") +property_reader("QLCDNumber", /::(intValue|isIntValue|hasIntValue)\s*\(/, "intValue") +property_writer("QLCDNumber", /::setIntValue\s*\(/, "intValue") +property_reader("QLabel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QLabel", /::setObjectName\s*\(/, "objectName") +property_reader("QLabel", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QLabel", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QLabel", /::setWindowModality\s*\(/, "windowModality") +property_reader("QLabel", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QLabel", /::setEnabled\s*\(/, "enabled") +property_reader("QLabel", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QLabel", /::setGeometry\s*\(/, "geometry") +property_reader("QLabel", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QLabel", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QLabel", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QLabel", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QLabel", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QLabel", /::setPos\s*\(/, "pos") +property_reader("QLabel", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QLabel", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QLabel", /::setSize\s*\(/, "size") +property_reader("QLabel", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QLabel", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QLabel", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QLabel", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QLabel", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QLabel", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QLabel", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QLabel", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QLabel", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QLabel", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QLabel", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QLabel", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QLabel", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QLabel", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QLabel", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QLabel", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QLabel", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QLabel", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QLabel", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QLabel", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QLabel", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QLabel", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QLabel", /::setBaseSize\s*\(/, "baseSize") +property_reader("QLabel", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QLabel", /::setPalette\s*\(/, "palette") +property_reader("QLabel", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QLabel", /::setFont\s*\(/, "font") +property_reader("QLabel", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QLabel", /::setCursor\s*\(/, "cursor") +property_reader("QLabel", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QLabel", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QLabel", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QLabel", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QLabel", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QLabel", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QLabel", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QLabel", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QLabel", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QLabel", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QLabel", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QLabel", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QLabel", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QLabel", /::setVisible\s*\(/, "visible") +property_reader("QLabel", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QLabel", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QLabel", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QLabel", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QLabel", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QLabel", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QLabel", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QLabel", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QLabel", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QLabel", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QLabel", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QLabel", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QLabel", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QLabel", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QLabel", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QLabel", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QLabel", /::setWindowModified\s*\(/, "windowModified") +property_reader("QLabel", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QLabel", /::setToolTip\s*\(/, "toolTip") +property_reader("QLabel", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QLabel", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QLabel", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QLabel", /::setStatusTip\s*\(/, "statusTip") +property_reader("QLabel", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QLabel", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QLabel", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QLabel", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QLabel", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QLabel", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QLabel", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QLabel", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QLabel", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QLabel", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QLabel", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QLabel", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QLabel", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QLabel", /::setLocale\s*\(/, "locale") +property_reader("QLabel", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QLabel", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QLabel", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QLabel", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QLabel", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QLabel", /::setFrameShape\s*\(/, "frameShape") +property_reader("QLabel", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QLabel", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QLabel", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QLabel", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QLabel", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QLabel", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QLabel", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QLabel", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QLabel", /::setFrameRect\s*\(/, "frameRect") +property_reader("QLabel", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QLabel", /::setText\s*\(/, "text") +property_reader("QLabel", /::(textFormat|isTextFormat|hasTextFormat)\s*\(/, "textFormat") +property_writer("QLabel", /::setTextFormat\s*\(/, "textFormat") +property_reader("QLabel", /::(pixmap|isPixmap|hasPixmap)\s*\(/, "pixmap") +property_writer("QLabel", /::setPixmap\s*\(/, "pixmap") +property_reader("QLabel", /::(scaledContents|isScaledContents|hasScaledContents)\s*\(/, "scaledContents") +property_writer("QLabel", /::setScaledContents\s*\(/, "scaledContents") +property_reader("QLabel", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QLabel", /::setAlignment\s*\(/, "alignment") +property_reader("QLabel", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") +property_writer("QLabel", /::setWordWrap\s*\(/, "wordWrap") +property_reader("QLabel", /::(margin|isMargin|hasMargin)\s*\(/, "margin") +property_writer("QLabel", /::setMargin\s*\(/, "margin") +property_reader("QLabel", /::(indent|isIndent|hasIndent)\s*\(/, "indent") +property_writer("QLabel", /::setIndent\s*\(/, "indent") +property_reader("QLabel", /::(openExternalLinks|isOpenExternalLinks|hasOpenExternalLinks)\s*\(/, "openExternalLinks") +property_writer("QLabel", /::setOpenExternalLinks\s*\(/, "openExternalLinks") +property_reader("QLabel", /::(textInteractionFlags|isTextInteractionFlags|hasTextInteractionFlags)\s*\(/, "textInteractionFlags") +property_writer("QLabel", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") +property_reader("QLabel", /::(hasSelectedText|isHasSelectedText|hasHasSelectedText)\s*\(/, "hasSelectedText") +property_reader("QLabel", /::(selectedText|isSelectedText|hasSelectedText)\s*\(/, "selectedText") +property_reader("QLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QLayout", /::setObjectName\s*\(/, "objectName") +property_reader("QLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") +property_writer("QLayout", /::setMargin\s*\(/, "margin") +property_reader("QLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QLayout", /::setSpacing\s*\(/, "spacing") +property_reader("QLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") +property_writer("QLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") +property_reader("QLineEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QLineEdit", /::setObjectName\s*\(/, "objectName") +property_reader("QLineEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QLineEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QLineEdit", /::setWindowModality\s*\(/, "windowModality") +property_reader("QLineEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QLineEdit", /::setEnabled\s*\(/, "enabled") +property_reader("QLineEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QLineEdit", /::setGeometry\s*\(/, "geometry") +property_reader("QLineEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QLineEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QLineEdit", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QLineEdit", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QLineEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QLineEdit", /::setPos\s*\(/, "pos") +property_reader("QLineEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QLineEdit", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QLineEdit", /::setSize\s*\(/, "size") +property_reader("QLineEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QLineEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QLineEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QLineEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QLineEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QLineEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QLineEdit", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QLineEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QLineEdit", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QLineEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QLineEdit", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QLineEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QLineEdit", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QLineEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QLineEdit", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QLineEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QLineEdit", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QLineEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QLineEdit", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QLineEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QLineEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QLineEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QLineEdit", /::setBaseSize\s*\(/, "baseSize") +property_reader("QLineEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QLineEdit", /::setPalette\s*\(/, "palette") +property_reader("QLineEdit", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QLineEdit", /::setFont\s*\(/, "font") +property_reader("QLineEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QLineEdit", /::setCursor\s*\(/, "cursor") +property_reader("QLineEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QLineEdit", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QLineEdit", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QLineEdit", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QLineEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QLineEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QLineEdit", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QLineEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QLineEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QLineEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QLineEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QLineEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QLineEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QLineEdit", /::setVisible\s*\(/, "visible") +property_reader("QLineEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QLineEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QLineEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QLineEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QLineEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QLineEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QLineEdit", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QLineEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QLineEdit", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QLineEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QLineEdit", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QLineEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QLineEdit", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QLineEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QLineEdit", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QLineEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QLineEdit", /::setWindowModified\s*\(/, "windowModified") +property_reader("QLineEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QLineEdit", /::setToolTip\s*\(/, "toolTip") +property_reader("QLineEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QLineEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QLineEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QLineEdit", /::setStatusTip\s*\(/, "statusTip") +property_reader("QLineEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QLineEdit", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QLineEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QLineEdit", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QLineEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QLineEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QLineEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QLineEdit", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QLineEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QLineEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QLineEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QLineEdit", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QLineEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QLineEdit", /::setLocale\s*\(/, "locale") +property_reader("QLineEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QLineEdit", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QLineEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QLineEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QLineEdit", /::(inputMask|isInputMask|hasInputMask)\s*\(/, "inputMask") +property_writer("QLineEdit", /::setInputMask\s*\(/, "inputMask") +property_reader("QLineEdit", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QLineEdit", /::setText\s*\(/, "text") +property_reader("QLineEdit", /::(maxLength|isMaxLength|hasMaxLength)\s*\(/, "maxLength") +property_writer("QLineEdit", /::setMaxLength\s*\(/, "maxLength") +property_reader("QLineEdit", /::(frame|isFrame|hasFrame)\s*\(/, "frame") +property_writer("QLineEdit", /::setFrame\s*\(/, "frame") +property_reader("QLineEdit", /::(echoMode|isEchoMode|hasEchoMode)\s*\(/, "echoMode") +property_writer("QLineEdit", /::setEchoMode\s*\(/, "echoMode") +property_reader("QLineEdit", /::(displayText|isDisplayText|hasDisplayText)\s*\(/, "displayText") +property_reader("QLineEdit", /::(cursorPosition|isCursorPosition|hasCursorPosition)\s*\(/, "cursorPosition") +property_writer("QLineEdit", /::setCursorPosition\s*\(/, "cursorPosition") +property_reader("QLineEdit", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QLineEdit", /::setAlignment\s*\(/, "alignment") +property_reader("QLineEdit", /::(modified|isModified|hasModified)\s*\(/, "modified") +property_writer("QLineEdit", /::setModified\s*\(/, "modified") +property_reader("QLineEdit", /::(hasSelectedText|isHasSelectedText|hasHasSelectedText)\s*\(/, "hasSelectedText") +property_reader("QLineEdit", /::(selectedText|isSelectedText|hasSelectedText)\s*\(/, "selectedText") +property_reader("QLineEdit", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QLineEdit", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QLineEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QLineEdit", /::setReadOnly\s*\(/, "readOnly") +property_reader("QLineEdit", /::(undoAvailable|isUndoAvailable|hasUndoAvailable)\s*\(/, "undoAvailable") +property_reader("QLineEdit", /::(redoAvailable|isRedoAvailable|hasRedoAvailable)\s*\(/, "redoAvailable") +property_reader("QLineEdit", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") +property_reader("QLineEdit", /::(placeholderText|isPlaceholderText|hasPlaceholderText)\s*\(/, "placeholderText") +property_writer("QLineEdit", /::setPlaceholderText\s*\(/, "placeholderText") +property_reader("QLineEdit", /::(cursorMoveStyle|isCursorMoveStyle|hasCursorMoveStyle)\s*\(/, "cursorMoveStyle") +property_writer("QLineEdit", /::setCursorMoveStyle\s*\(/, "cursorMoveStyle") +property_reader("QLineEdit", /::(clearButtonEnabled|isClearButtonEnabled|hasClearButtonEnabled)\s*\(/, "clearButtonEnabled") +property_writer("QLineEdit", /::setClearButtonEnabled\s*\(/, "clearButtonEnabled") +property_reader("QListView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QListView", /::setObjectName\s*\(/, "objectName") +property_reader("QListView", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QListView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QListView", /::setWindowModality\s*\(/, "windowModality") +property_reader("QListView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QListView", /::setEnabled\s*\(/, "enabled") +property_reader("QListView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QListView", /::setGeometry\s*\(/, "geometry") +property_reader("QListView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QListView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QListView", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QListView", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QListView", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QListView", /::setPos\s*\(/, "pos") +property_reader("QListView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QListView", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QListView", /::setSize\s*\(/, "size") +property_reader("QListView", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QListView", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QListView", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QListView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QListView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QListView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QListView", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QListView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QListView", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QListView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QListView", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QListView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QListView", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QListView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QListView", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QListView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QListView", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QListView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QListView", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QListView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QListView", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QListView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QListView", /::setBaseSize\s*\(/, "baseSize") +property_reader("QListView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QListView", /::setPalette\s*\(/, "palette") +property_reader("QListView", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QListView", /::setFont\s*\(/, "font") +property_reader("QListView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QListView", /::setCursor\s*\(/, "cursor") +property_reader("QListView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QListView", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QListView", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QListView", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QListView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QListView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QListView", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QListView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QListView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QListView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QListView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QListView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QListView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QListView", /::setVisible\s*\(/, "visible") +property_reader("QListView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QListView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QListView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QListView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QListView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QListView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QListView", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QListView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QListView", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QListView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QListView", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QListView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QListView", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QListView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QListView", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QListView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QListView", /::setWindowModified\s*\(/, "windowModified") +property_reader("QListView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QListView", /::setToolTip\s*\(/, "toolTip") +property_reader("QListView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QListView", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QListView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QListView", /::setStatusTip\s*\(/, "statusTip") +property_reader("QListView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QListView", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QListView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QListView", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QListView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QListView", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QListView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QListView", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QListView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QListView", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QListView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QListView", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QListView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QListView", /::setLocale\s*\(/, "locale") +property_reader("QListView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QListView", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QListView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QListView", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QListView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QListView", /::setFrameShape\s*\(/, "frameShape") +property_reader("QListView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QListView", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QListView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QListView", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QListView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QListView", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QListView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QListView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QListView", /::setFrameRect\s*\(/, "frameRect") +property_reader("QListView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QListView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QListView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QListView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QListView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QListView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QListView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") +property_writer("QListView", /::setAutoScroll\s*\(/, "autoScroll") +property_reader("QListView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") +property_writer("QListView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") +property_reader("QListView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") +property_writer("QListView", /::setEditTriggers\s*\(/, "editTriggers") +property_reader("QListView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") +property_writer("QListView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") +property_reader("QListView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") +property_writer("QListView", /::setShowDropIndicator\s*\(/, "showDropIndicator") +property_reader("QListView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QListView", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QListView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") +property_writer("QListView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") +property_reader("QListView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") +property_writer("QListView", /::setDragDropMode\s*\(/, "dragDropMode") +property_reader("QListView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") +property_writer("QListView", /::setDefaultDropAction\s*\(/, "defaultDropAction") +property_reader("QListView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") +property_writer("QListView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") +property_reader("QListView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QListView", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QListView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") +property_writer("QListView", /::setSelectionBehavior\s*\(/, "selectionBehavior") +property_reader("QListView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QListView", /::setIconSize\s*\(/, "iconSize") +property_reader("QListView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") +property_writer("QListView", /::setTextElideMode\s*\(/, "textElideMode") +property_reader("QListView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") +property_writer("QListView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") +property_reader("QListView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") +property_writer("QListView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") +property_reader("QListView", /::(movement|isMovement|hasMovement)\s*\(/, "movement") +property_writer("QListView", /::setMovement\s*\(/, "movement") +property_reader("QListView", /::(flow|isFlow|hasFlow)\s*\(/, "flow") +property_writer("QListView", /::setFlow\s*\(/, "flow") +property_reader("QListView", /::(isWrapping|isIsWrapping|hasIsWrapping)\s*\(/, "isWrapping") +property_writer("QListView", /::setIsWrapping\s*\(/, "isWrapping") +property_reader("QListView", /::(resizeMode|isResizeMode|hasResizeMode)\s*\(/, "resizeMode") +property_writer("QListView", /::setResizeMode\s*\(/, "resizeMode") +property_reader("QListView", /::(layoutMode|isLayoutMode|hasLayoutMode)\s*\(/, "layoutMode") +property_writer("QListView", /::setLayoutMode\s*\(/, "layoutMode") +property_reader("QListView", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QListView", /::setSpacing\s*\(/, "spacing") +property_reader("QListView", /::(gridSize|isGridSize|hasGridSize)\s*\(/, "gridSize") +property_writer("QListView", /::setGridSize\s*\(/, "gridSize") +property_reader("QListView", /::(viewMode|isViewMode|hasViewMode)\s*\(/, "viewMode") +property_writer("QListView", /::setViewMode\s*\(/, "viewMode") +property_reader("QListView", /::(modelColumn|isModelColumn|hasModelColumn)\s*\(/, "modelColumn") +property_writer("QListView", /::setModelColumn\s*\(/, "modelColumn") +property_reader("QListView", /::(uniformItemSizes|isUniformItemSizes|hasUniformItemSizes)\s*\(/, "uniformItemSizes") +property_writer("QListView", /::setUniformItemSizes\s*\(/, "uniformItemSizes") +property_reader("QListView", /::(batchSize|isBatchSize|hasBatchSize)\s*\(/, "batchSize") +property_writer("QListView", /::setBatchSize\s*\(/, "batchSize") +property_reader("QListView", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") +property_writer("QListView", /::setWordWrap\s*\(/, "wordWrap") +property_reader("QListView", /::(selectionRectVisible|isSelectionRectVisible|hasSelectionRectVisible)\s*\(/, "selectionRectVisible") +property_writer("QListView", /::setSelectionRectVisible\s*\(/, "selectionRectVisible") +property_reader("QListView", /::(itemAlignment|isItemAlignment|hasItemAlignment)\s*\(/, "itemAlignment") +property_writer("QListView", /::setItemAlignment\s*\(/, "itemAlignment") +property_reader("QListWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QListWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QListWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QListWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QListWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QListWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QListWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QListWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QListWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QListWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QListWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QListWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QListWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QListWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QListWidget", /::setPos\s*\(/, "pos") +property_reader("QListWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QListWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QListWidget", /::setSize\s*\(/, "size") +property_reader("QListWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QListWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QListWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QListWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QListWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QListWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QListWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QListWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QListWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QListWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QListWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QListWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QListWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QListWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QListWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QListWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QListWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QListWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QListWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QListWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QListWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QListWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QListWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QListWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QListWidget", /::setPalette\s*\(/, "palette") +property_reader("QListWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QListWidget", /::setFont\s*\(/, "font") +property_reader("QListWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QListWidget", /::setCursor\s*\(/, "cursor") +property_reader("QListWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QListWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QListWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QListWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QListWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QListWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QListWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QListWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QListWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QListWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QListWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QListWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QListWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QListWidget", /::setVisible\s*\(/, "visible") +property_reader("QListWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QListWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QListWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QListWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QListWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QListWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QListWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QListWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QListWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QListWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QListWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QListWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QListWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QListWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QListWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QListWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QListWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QListWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QListWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QListWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QListWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QListWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QListWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QListWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QListWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QListWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QListWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QListWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QListWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QListWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QListWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QListWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QListWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QListWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QListWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QListWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QListWidget", /::setLocale\s*\(/, "locale") +property_reader("QListWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QListWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QListWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QListWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QListWidget", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QListWidget", /::setFrameShape\s*\(/, "frameShape") +property_reader("QListWidget", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QListWidget", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QListWidget", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QListWidget", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QListWidget", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QListWidget", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QListWidget", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QListWidget", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QListWidget", /::setFrameRect\s*\(/, "frameRect") +property_reader("QListWidget", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QListWidget", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QListWidget", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QListWidget", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QListWidget", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QListWidget", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QListWidget", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") +property_writer("QListWidget", /::setAutoScroll\s*\(/, "autoScroll") +property_reader("QListWidget", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") +property_writer("QListWidget", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") +property_reader("QListWidget", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") +property_writer("QListWidget", /::setEditTriggers\s*\(/, "editTriggers") +property_reader("QListWidget", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") +property_writer("QListWidget", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") +property_reader("QListWidget", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") +property_writer("QListWidget", /::setShowDropIndicator\s*\(/, "showDropIndicator") +property_reader("QListWidget", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QListWidget", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QListWidget", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") +property_writer("QListWidget", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") +property_reader("QListWidget", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") +property_writer("QListWidget", /::setDragDropMode\s*\(/, "dragDropMode") +property_reader("QListWidget", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") +property_writer("QListWidget", /::setDefaultDropAction\s*\(/, "defaultDropAction") +property_reader("QListWidget", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") +property_writer("QListWidget", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") +property_reader("QListWidget", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QListWidget", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QListWidget", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") +property_writer("QListWidget", /::setSelectionBehavior\s*\(/, "selectionBehavior") +property_reader("QListWidget", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QListWidget", /::setIconSize\s*\(/, "iconSize") +property_reader("QListWidget", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") +property_writer("QListWidget", /::setTextElideMode\s*\(/, "textElideMode") +property_reader("QListWidget", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") +property_writer("QListWidget", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") +property_reader("QListWidget", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") +property_writer("QListWidget", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") +property_reader("QListWidget", /::(movement|isMovement|hasMovement)\s*\(/, "movement") +property_writer("QListWidget", /::setMovement\s*\(/, "movement") +property_reader("QListWidget", /::(flow|isFlow|hasFlow)\s*\(/, "flow") +property_writer("QListWidget", /::setFlow\s*\(/, "flow") +property_reader("QListWidget", /::(isWrapping|isIsWrapping|hasIsWrapping)\s*\(/, "isWrapping") +property_writer("QListWidget", /::setIsWrapping\s*\(/, "isWrapping") +property_reader("QListWidget", /::(resizeMode|isResizeMode|hasResizeMode)\s*\(/, "resizeMode") +property_writer("QListWidget", /::setResizeMode\s*\(/, "resizeMode") +property_reader("QListWidget", /::(layoutMode|isLayoutMode|hasLayoutMode)\s*\(/, "layoutMode") +property_writer("QListWidget", /::setLayoutMode\s*\(/, "layoutMode") +property_reader("QListWidget", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QListWidget", /::setSpacing\s*\(/, "spacing") +property_reader("QListWidget", /::(gridSize|isGridSize|hasGridSize)\s*\(/, "gridSize") +property_writer("QListWidget", /::setGridSize\s*\(/, "gridSize") +property_reader("QListWidget", /::(viewMode|isViewMode|hasViewMode)\s*\(/, "viewMode") +property_writer("QListWidget", /::setViewMode\s*\(/, "viewMode") +property_reader("QListWidget", /::(modelColumn|isModelColumn|hasModelColumn)\s*\(/, "modelColumn") +property_writer("QListWidget", /::setModelColumn\s*\(/, "modelColumn") +property_reader("QListWidget", /::(uniformItemSizes|isUniformItemSizes|hasUniformItemSizes)\s*\(/, "uniformItemSizes") +property_writer("QListWidget", /::setUniformItemSizes\s*\(/, "uniformItemSizes") +property_reader("QListWidget", /::(batchSize|isBatchSize|hasBatchSize)\s*\(/, "batchSize") +property_writer("QListWidget", /::setBatchSize\s*\(/, "batchSize") +property_reader("QListWidget", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") +property_writer("QListWidget", /::setWordWrap\s*\(/, "wordWrap") +property_reader("QListWidget", /::(selectionRectVisible|isSelectionRectVisible|hasSelectionRectVisible)\s*\(/, "selectionRectVisible") +property_writer("QListWidget", /::setSelectionRectVisible\s*\(/, "selectionRectVisible") +property_reader("QListWidget", /::(itemAlignment|isItemAlignment|hasItemAlignment)\s*\(/, "itemAlignment") +property_writer("QListWidget", /::setItemAlignment\s*\(/, "itemAlignment") +property_reader("QListWidget", /::(count|isCount|hasCount)\s*\(/, "count") +property_reader("QListWidget", /::(currentRow|isCurrentRow|hasCurrentRow)\s*\(/, "currentRow") +property_writer("QListWidget", /::setCurrentRow\s*\(/, "currentRow") +property_reader("QListWidget", /::(sortingEnabled|isSortingEnabled|hasSortingEnabled)\s*\(/, "sortingEnabled") +property_writer("QListWidget", /::setSortingEnabled\s*\(/, "sortingEnabled") +property_reader("QMainWindow", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMainWindow", /::setObjectName\s*\(/, "objectName") +property_reader("QMainWindow", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QMainWindow", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QMainWindow", /::setWindowModality\s*\(/, "windowModality") +property_reader("QMainWindow", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QMainWindow", /::setEnabled\s*\(/, "enabled") +property_reader("QMainWindow", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QMainWindow", /::setGeometry\s*\(/, "geometry") +property_reader("QMainWindow", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QMainWindow", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QMainWindow", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QMainWindow", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QMainWindow", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QMainWindow", /::setPos\s*\(/, "pos") +property_reader("QMainWindow", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QMainWindow", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QMainWindow", /::setSize\s*\(/, "size") +property_reader("QMainWindow", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QMainWindow", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QMainWindow", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QMainWindow", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QMainWindow", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QMainWindow", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QMainWindow", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QMainWindow", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QMainWindow", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QMainWindow", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QMainWindow", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QMainWindow", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QMainWindow", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QMainWindow", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QMainWindow", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QMainWindow", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QMainWindow", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QMainWindow", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QMainWindow", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QMainWindow", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QMainWindow", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QMainWindow", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QMainWindow", /::setBaseSize\s*\(/, "baseSize") +property_reader("QMainWindow", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QMainWindow", /::setPalette\s*\(/, "palette") +property_reader("QMainWindow", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QMainWindow", /::setFont\s*\(/, "font") +property_reader("QMainWindow", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QMainWindow", /::setCursor\s*\(/, "cursor") +property_reader("QMainWindow", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QMainWindow", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QMainWindow", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QMainWindow", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QMainWindow", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QMainWindow", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QMainWindow", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QMainWindow", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QMainWindow", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QMainWindow", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QMainWindow", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QMainWindow", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QMainWindow", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QMainWindow", /::setVisible\s*\(/, "visible") +property_reader("QMainWindow", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QMainWindow", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QMainWindow", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QMainWindow", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QMainWindow", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QMainWindow", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QMainWindow", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QMainWindow", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QMainWindow", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QMainWindow", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QMainWindow", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QMainWindow", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QMainWindow", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QMainWindow", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QMainWindow", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QMainWindow", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QMainWindow", /::setWindowModified\s*\(/, "windowModified") +property_reader("QMainWindow", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QMainWindow", /::setToolTip\s*\(/, "toolTip") +property_reader("QMainWindow", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QMainWindow", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QMainWindow", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QMainWindow", /::setStatusTip\s*\(/, "statusTip") +property_reader("QMainWindow", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QMainWindow", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QMainWindow", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QMainWindow", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QMainWindow", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QMainWindow", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QMainWindow", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QMainWindow", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QMainWindow", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QMainWindow", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QMainWindow", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QMainWindow", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QMainWindow", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QMainWindow", /::setLocale\s*\(/, "locale") +property_reader("QMainWindow", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QMainWindow", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QMainWindow", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QMainWindow", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QMainWindow", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QMainWindow", /::setIconSize\s*\(/, "iconSize") +property_reader("QMainWindow", /::(toolButtonStyle|isToolButtonStyle|hasToolButtonStyle)\s*\(/, "toolButtonStyle") +property_writer("QMainWindow", /::setToolButtonStyle\s*\(/, "toolButtonStyle") +property_reader("QMainWindow", /::(animated|isAnimated|hasAnimated)\s*\(/, "animated") +property_writer("QMainWindow", /::setAnimated\s*\(/, "animated") +property_reader("QMainWindow", /::(documentMode|isDocumentMode|hasDocumentMode)\s*\(/, "documentMode") +property_writer("QMainWindow", /::setDocumentMode\s*\(/, "documentMode") +property_reader("QMainWindow", /::(tabShape|isTabShape|hasTabShape)\s*\(/, "tabShape") +property_writer("QMainWindow", /::setTabShape\s*\(/, "tabShape") +property_reader("QMainWindow", /::(dockNestingEnabled|isDockNestingEnabled|hasDockNestingEnabled)\s*\(/, "dockNestingEnabled") +property_writer("QMainWindow", /::setDockNestingEnabled\s*\(/, "dockNestingEnabled") +property_reader("QMainWindow", /::(dockOptions|isDockOptions|hasDockOptions)\s*\(/, "dockOptions") +property_writer("QMainWindow", /::setDockOptions\s*\(/, "dockOptions") +property_reader("QMainWindow", /::(unifiedTitleAndToolBarOnMac|isUnifiedTitleAndToolBarOnMac|hasUnifiedTitleAndToolBarOnMac)\s*\(/, "unifiedTitleAndToolBarOnMac") +property_writer("QMainWindow", /::setUnifiedTitleAndToolBarOnMac\s*\(/, "unifiedTitleAndToolBarOnMac") +property_reader("QMdiArea", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMdiArea", /::setObjectName\s*\(/, "objectName") +property_reader("QMdiArea", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QMdiArea", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QMdiArea", /::setWindowModality\s*\(/, "windowModality") +property_reader("QMdiArea", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QMdiArea", /::setEnabled\s*\(/, "enabled") +property_reader("QMdiArea", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QMdiArea", /::setGeometry\s*\(/, "geometry") +property_reader("QMdiArea", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QMdiArea", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QMdiArea", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QMdiArea", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QMdiArea", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QMdiArea", /::setPos\s*\(/, "pos") +property_reader("QMdiArea", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QMdiArea", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QMdiArea", /::setSize\s*\(/, "size") +property_reader("QMdiArea", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QMdiArea", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QMdiArea", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QMdiArea", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QMdiArea", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QMdiArea", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QMdiArea", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QMdiArea", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QMdiArea", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QMdiArea", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QMdiArea", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QMdiArea", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QMdiArea", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QMdiArea", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QMdiArea", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QMdiArea", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QMdiArea", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QMdiArea", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QMdiArea", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QMdiArea", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QMdiArea", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QMdiArea", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QMdiArea", /::setBaseSize\s*\(/, "baseSize") +property_reader("QMdiArea", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QMdiArea", /::setPalette\s*\(/, "palette") +property_reader("QMdiArea", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QMdiArea", /::setFont\s*\(/, "font") +property_reader("QMdiArea", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QMdiArea", /::setCursor\s*\(/, "cursor") +property_reader("QMdiArea", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QMdiArea", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QMdiArea", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QMdiArea", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QMdiArea", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QMdiArea", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QMdiArea", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QMdiArea", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QMdiArea", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QMdiArea", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QMdiArea", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QMdiArea", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QMdiArea", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QMdiArea", /::setVisible\s*\(/, "visible") +property_reader("QMdiArea", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QMdiArea", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QMdiArea", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QMdiArea", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QMdiArea", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QMdiArea", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QMdiArea", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QMdiArea", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QMdiArea", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QMdiArea", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QMdiArea", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QMdiArea", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QMdiArea", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QMdiArea", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QMdiArea", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QMdiArea", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QMdiArea", /::setWindowModified\s*\(/, "windowModified") +property_reader("QMdiArea", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QMdiArea", /::setToolTip\s*\(/, "toolTip") +property_reader("QMdiArea", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QMdiArea", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QMdiArea", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QMdiArea", /::setStatusTip\s*\(/, "statusTip") +property_reader("QMdiArea", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QMdiArea", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QMdiArea", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QMdiArea", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QMdiArea", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QMdiArea", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QMdiArea", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QMdiArea", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QMdiArea", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QMdiArea", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QMdiArea", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QMdiArea", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QMdiArea", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QMdiArea", /::setLocale\s*\(/, "locale") +property_reader("QMdiArea", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QMdiArea", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QMdiArea", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QMdiArea", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QMdiArea", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QMdiArea", /::setFrameShape\s*\(/, "frameShape") +property_reader("QMdiArea", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QMdiArea", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QMdiArea", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QMdiArea", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QMdiArea", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QMdiArea", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QMdiArea", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QMdiArea", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QMdiArea", /::setFrameRect\s*\(/, "frameRect") +property_reader("QMdiArea", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QMdiArea", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QMdiArea", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QMdiArea", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QMdiArea", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QMdiArea", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QMdiArea", /::(background|isBackground|hasBackground)\s*\(/, "background") +property_writer("QMdiArea", /::setBackground\s*\(/, "background") +property_reader("QMdiArea", /::(activationOrder|isActivationOrder|hasActivationOrder)\s*\(/, "activationOrder") +property_writer("QMdiArea", /::setActivationOrder\s*\(/, "activationOrder") +property_reader("QMdiArea", /::(viewMode|isViewMode|hasViewMode)\s*\(/, "viewMode") +property_writer("QMdiArea", /::setViewMode\s*\(/, "viewMode") +property_reader("QMdiArea", /::(documentMode|isDocumentMode|hasDocumentMode)\s*\(/, "documentMode") +property_writer("QMdiArea", /::setDocumentMode\s*\(/, "documentMode") +property_reader("QMdiArea", /::(tabsClosable|isTabsClosable|hasTabsClosable)\s*\(/, "tabsClosable") +property_writer("QMdiArea", /::setTabsClosable\s*\(/, "tabsClosable") +property_reader("QMdiArea", /::(tabsMovable|isTabsMovable|hasTabsMovable)\s*\(/, "tabsMovable") +property_writer("QMdiArea", /::setTabsMovable\s*\(/, "tabsMovable") +property_reader("QMdiArea", /::(tabShape|isTabShape|hasTabShape)\s*\(/, "tabShape") +property_writer("QMdiArea", /::setTabShape\s*\(/, "tabShape") +property_reader("QMdiArea", /::(tabPosition|isTabPosition|hasTabPosition)\s*\(/, "tabPosition") +property_writer("QMdiArea", /::setTabPosition\s*\(/, "tabPosition") +property_reader("QMdiSubWindow", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMdiSubWindow", /::setObjectName\s*\(/, "objectName") +property_reader("QMdiSubWindow", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QMdiSubWindow", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QMdiSubWindow", /::setWindowModality\s*\(/, "windowModality") +property_reader("QMdiSubWindow", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QMdiSubWindow", /::setEnabled\s*\(/, "enabled") +property_reader("QMdiSubWindow", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QMdiSubWindow", /::setGeometry\s*\(/, "geometry") +property_reader("QMdiSubWindow", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QMdiSubWindow", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QMdiSubWindow", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QMdiSubWindow", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QMdiSubWindow", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QMdiSubWindow", /::setPos\s*\(/, "pos") +property_reader("QMdiSubWindow", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QMdiSubWindow", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QMdiSubWindow", /::setSize\s*\(/, "size") +property_reader("QMdiSubWindow", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QMdiSubWindow", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QMdiSubWindow", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QMdiSubWindow", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QMdiSubWindow", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QMdiSubWindow", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QMdiSubWindow", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QMdiSubWindow", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QMdiSubWindow", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QMdiSubWindow", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QMdiSubWindow", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QMdiSubWindow", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QMdiSubWindow", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QMdiSubWindow", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QMdiSubWindow", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QMdiSubWindow", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QMdiSubWindow", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QMdiSubWindow", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QMdiSubWindow", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QMdiSubWindow", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QMdiSubWindow", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QMdiSubWindow", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QMdiSubWindow", /::setBaseSize\s*\(/, "baseSize") +property_reader("QMdiSubWindow", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QMdiSubWindow", /::setPalette\s*\(/, "palette") +property_reader("QMdiSubWindow", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QMdiSubWindow", /::setFont\s*\(/, "font") +property_reader("QMdiSubWindow", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QMdiSubWindow", /::setCursor\s*\(/, "cursor") +property_reader("QMdiSubWindow", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QMdiSubWindow", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QMdiSubWindow", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QMdiSubWindow", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QMdiSubWindow", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QMdiSubWindow", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QMdiSubWindow", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QMdiSubWindow", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QMdiSubWindow", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QMdiSubWindow", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QMdiSubWindow", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QMdiSubWindow", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QMdiSubWindow", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QMdiSubWindow", /::setVisible\s*\(/, "visible") +property_reader("QMdiSubWindow", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QMdiSubWindow", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QMdiSubWindow", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QMdiSubWindow", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QMdiSubWindow", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QMdiSubWindow", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QMdiSubWindow", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QMdiSubWindow", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QMdiSubWindow", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QMdiSubWindow", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QMdiSubWindow", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QMdiSubWindow", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QMdiSubWindow", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QMdiSubWindow", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QMdiSubWindow", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QMdiSubWindow", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QMdiSubWindow", /::setWindowModified\s*\(/, "windowModified") +property_reader("QMdiSubWindow", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QMdiSubWindow", /::setToolTip\s*\(/, "toolTip") +property_reader("QMdiSubWindow", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QMdiSubWindow", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QMdiSubWindow", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QMdiSubWindow", /::setStatusTip\s*\(/, "statusTip") +property_reader("QMdiSubWindow", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QMdiSubWindow", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QMdiSubWindow", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QMdiSubWindow", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QMdiSubWindow", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QMdiSubWindow", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QMdiSubWindow", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QMdiSubWindow", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QMdiSubWindow", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QMdiSubWindow", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QMdiSubWindow", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QMdiSubWindow", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QMdiSubWindow", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QMdiSubWindow", /::setLocale\s*\(/, "locale") +property_reader("QMdiSubWindow", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QMdiSubWindow", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QMdiSubWindow", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QMdiSubWindow", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QMdiSubWindow", /::(keyboardSingleStep|isKeyboardSingleStep|hasKeyboardSingleStep)\s*\(/, "keyboardSingleStep") +property_writer("QMdiSubWindow", /::setKeyboardSingleStep\s*\(/, "keyboardSingleStep") +property_reader("QMdiSubWindow", /::(keyboardPageStep|isKeyboardPageStep|hasKeyboardPageStep)\s*\(/, "keyboardPageStep") +property_writer("QMdiSubWindow", /::setKeyboardPageStep\s*\(/, "keyboardPageStep") +property_reader("QMenu", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMenu", /::setObjectName\s*\(/, "objectName") +property_reader("QMenu", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QMenu", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QMenu", /::setWindowModality\s*\(/, "windowModality") +property_reader("QMenu", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QMenu", /::setEnabled\s*\(/, "enabled") +property_reader("QMenu", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QMenu", /::setGeometry\s*\(/, "geometry") +property_reader("QMenu", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QMenu", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QMenu", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QMenu", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QMenu", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QMenu", /::setPos\s*\(/, "pos") +property_reader("QMenu", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QMenu", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QMenu", /::setSize\s*\(/, "size") +property_reader("QMenu", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QMenu", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QMenu", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QMenu", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QMenu", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QMenu", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QMenu", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QMenu", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QMenu", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QMenu", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QMenu", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QMenu", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QMenu", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QMenu", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QMenu", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QMenu", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QMenu", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QMenu", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QMenu", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QMenu", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QMenu", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QMenu", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QMenu", /::setBaseSize\s*\(/, "baseSize") +property_reader("QMenu", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QMenu", /::setPalette\s*\(/, "palette") +property_reader("QMenu", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QMenu", /::setFont\s*\(/, "font") +property_reader("QMenu", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QMenu", /::setCursor\s*\(/, "cursor") +property_reader("QMenu", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QMenu", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QMenu", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QMenu", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QMenu", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QMenu", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QMenu", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QMenu", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QMenu", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QMenu", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QMenu", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QMenu", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QMenu", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QMenu", /::setVisible\s*\(/, "visible") +property_reader("QMenu", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QMenu", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QMenu", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QMenu", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QMenu", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QMenu", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QMenu", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QMenu", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QMenu", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QMenu", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QMenu", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QMenu", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QMenu", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QMenu", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QMenu", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QMenu", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QMenu", /::setWindowModified\s*\(/, "windowModified") +property_reader("QMenu", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QMenu", /::setToolTip\s*\(/, "toolTip") +property_reader("QMenu", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QMenu", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QMenu", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QMenu", /::setStatusTip\s*\(/, "statusTip") +property_reader("QMenu", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QMenu", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QMenu", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QMenu", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QMenu", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QMenu", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QMenu", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QMenu", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QMenu", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QMenu", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QMenu", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QMenu", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QMenu", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QMenu", /::setLocale\s*\(/, "locale") +property_reader("QMenu", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QMenu", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QMenu", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QMenu", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QMenu", /::(tearOffEnabled|isTearOffEnabled|hasTearOffEnabled)\s*\(/, "tearOffEnabled") +property_writer("QMenu", /::setTearOffEnabled\s*\(/, "tearOffEnabled") +property_reader("QMenu", /::(title|isTitle|hasTitle)\s*\(/, "title") +property_writer("QMenu", /::setTitle\s*\(/, "title") +property_reader("QMenu", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QMenu", /::setIcon\s*\(/, "icon") +property_reader("QMenu", /::(separatorsCollapsible|isSeparatorsCollapsible|hasSeparatorsCollapsible)\s*\(/, "separatorsCollapsible") +property_writer("QMenu", /::setSeparatorsCollapsible\s*\(/, "separatorsCollapsible") +property_reader("QMenu", /::(toolTipsVisible|isToolTipsVisible|hasToolTipsVisible)\s*\(/, "toolTipsVisible") +property_writer("QMenu", /::setToolTipsVisible\s*\(/, "toolTipsVisible") +property_reader("QMenuBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMenuBar", /::setObjectName\s*\(/, "objectName") +property_reader("QMenuBar", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QMenuBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QMenuBar", /::setWindowModality\s*\(/, "windowModality") +property_reader("QMenuBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QMenuBar", /::setEnabled\s*\(/, "enabled") +property_reader("QMenuBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QMenuBar", /::setGeometry\s*\(/, "geometry") +property_reader("QMenuBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QMenuBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QMenuBar", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QMenuBar", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QMenuBar", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QMenuBar", /::setPos\s*\(/, "pos") +property_reader("QMenuBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QMenuBar", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QMenuBar", /::setSize\s*\(/, "size") +property_reader("QMenuBar", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QMenuBar", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QMenuBar", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QMenuBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QMenuBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QMenuBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QMenuBar", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QMenuBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QMenuBar", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QMenuBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QMenuBar", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QMenuBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QMenuBar", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QMenuBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QMenuBar", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QMenuBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QMenuBar", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QMenuBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QMenuBar", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QMenuBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QMenuBar", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QMenuBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QMenuBar", /::setBaseSize\s*\(/, "baseSize") +property_reader("QMenuBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QMenuBar", /::setPalette\s*\(/, "palette") +property_reader("QMenuBar", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QMenuBar", /::setFont\s*\(/, "font") +property_reader("QMenuBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QMenuBar", /::setCursor\s*\(/, "cursor") +property_reader("QMenuBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QMenuBar", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QMenuBar", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QMenuBar", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QMenuBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QMenuBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QMenuBar", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QMenuBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QMenuBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QMenuBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QMenuBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QMenuBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QMenuBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QMenuBar", /::setVisible\s*\(/, "visible") +property_reader("QMenuBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QMenuBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QMenuBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QMenuBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QMenuBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QMenuBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QMenuBar", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QMenuBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QMenuBar", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QMenuBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QMenuBar", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QMenuBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QMenuBar", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QMenuBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QMenuBar", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QMenuBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QMenuBar", /::setWindowModified\s*\(/, "windowModified") +property_reader("QMenuBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QMenuBar", /::setToolTip\s*\(/, "toolTip") +property_reader("QMenuBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QMenuBar", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QMenuBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QMenuBar", /::setStatusTip\s*\(/, "statusTip") +property_reader("QMenuBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QMenuBar", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QMenuBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QMenuBar", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QMenuBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QMenuBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QMenuBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QMenuBar", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QMenuBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QMenuBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QMenuBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QMenuBar", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QMenuBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QMenuBar", /::setLocale\s*\(/, "locale") +property_reader("QMenuBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QMenuBar", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QMenuBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QMenuBar", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QMenuBar", /::(defaultUp|isDefaultUp|hasDefaultUp)\s*\(/, "defaultUp") +property_writer("QMenuBar", /::setDefaultUp\s*\(/, "defaultUp") +property_reader("QMenuBar", /::(nativeMenuBar|isNativeMenuBar|hasNativeMenuBar)\s*\(/, "nativeMenuBar") +property_writer("QMenuBar", /::setNativeMenuBar\s*\(/, "nativeMenuBar") +property_reader("QMessageBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMessageBox", /::setObjectName\s*\(/, "objectName") +property_reader("QMessageBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QMessageBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QMessageBox", /::setWindowModality\s*\(/, "windowModality") +property_reader("QMessageBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QMessageBox", /::setEnabled\s*\(/, "enabled") +property_reader("QMessageBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QMessageBox", /::setGeometry\s*\(/, "geometry") +property_reader("QMessageBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QMessageBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QMessageBox", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QMessageBox", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QMessageBox", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QMessageBox", /::setPos\s*\(/, "pos") +property_reader("QMessageBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QMessageBox", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QMessageBox", /::setSize\s*\(/, "size") +property_reader("QMessageBox", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QMessageBox", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QMessageBox", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QMessageBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QMessageBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QMessageBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QMessageBox", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QMessageBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QMessageBox", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QMessageBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QMessageBox", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QMessageBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QMessageBox", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QMessageBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QMessageBox", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QMessageBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QMessageBox", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QMessageBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QMessageBox", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QMessageBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QMessageBox", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QMessageBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QMessageBox", /::setBaseSize\s*\(/, "baseSize") +property_reader("QMessageBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QMessageBox", /::setPalette\s*\(/, "palette") +property_reader("QMessageBox", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QMessageBox", /::setFont\s*\(/, "font") +property_reader("QMessageBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QMessageBox", /::setCursor\s*\(/, "cursor") +property_reader("QMessageBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QMessageBox", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QMessageBox", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QMessageBox", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QMessageBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QMessageBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QMessageBox", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QMessageBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QMessageBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QMessageBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QMessageBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QMessageBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QMessageBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QMessageBox", /::setVisible\s*\(/, "visible") +property_reader("QMessageBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QMessageBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QMessageBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QMessageBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QMessageBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QMessageBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QMessageBox", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QMessageBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QMessageBox", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QMessageBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QMessageBox", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QMessageBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QMessageBox", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QMessageBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QMessageBox", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QMessageBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QMessageBox", /::setWindowModified\s*\(/, "windowModified") +property_reader("QMessageBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QMessageBox", /::setToolTip\s*\(/, "toolTip") +property_reader("QMessageBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QMessageBox", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QMessageBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QMessageBox", /::setStatusTip\s*\(/, "statusTip") +property_reader("QMessageBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QMessageBox", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QMessageBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QMessageBox", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QMessageBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QMessageBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QMessageBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QMessageBox", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QMessageBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QMessageBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QMessageBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QMessageBox", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QMessageBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QMessageBox", /::setLocale\s*\(/, "locale") +property_reader("QMessageBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QMessageBox", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QMessageBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QMessageBox", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QMessageBox", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QMessageBox", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QMessageBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QMessageBox", /::setModal\s*\(/, "modal") +property_reader("QMessageBox", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QMessageBox", /::setText\s*\(/, "text") +property_reader("QMessageBox", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QMessageBox", /::setIcon\s*\(/, "icon") +property_reader("QMessageBox", /::(iconPixmap|isIconPixmap|hasIconPixmap)\s*\(/, "iconPixmap") +property_writer("QMessageBox", /::setIconPixmap\s*\(/, "iconPixmap") +property_reader("QMessageBox", /::(textFormat|isTextFormat|hasTextFormat)\s*\(/, "textFormat") +property_writer("QMessageBox", /::setTextFormat\s*\(/, "textFormat") +property_reader("QMessageBox", /::(standardButtons|isStandardButtons|hasStandardButtons)\s*\(/, "standardButtons") +property_writer("QMessageBox", /::setStandardButtons\s*\(/, "standardButtons") +property_reader("QMessageBox", /::(detailedText|isDetailedText|hasDetailedText)\s*\(/, "detailedText") +property_writer("QMessageBox", /::setDetailedText\s*\(/, "detailedText") +property_reader("QMessageBox", /::(informativeText|isInformativeText|hasInformativeText)\s*\(/, "informativeText") +property_writer("QMessageBox", /::setInformativeText\s*\(/, "informativeText") +property_reader("QMessageBox", /::(textInteractionFlags|isTextInteractionFlags|hasTextInteractionFlags)\s*\(/, "textInteractionFlags") +property_writer("QMessageBox", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") +property_reader("QPanGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPanGesture", /::setObjectName\s*\(/, "objectName") +property_reader("QPanGesture", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QPanGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") +property_reader("QPanGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") +property_writer("QPanGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") +property_reader("QPanGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") +property_writer("QPanGesture", /::setHotSpot\s*\(/, "hotSpot") +property_reader("QPanGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") +property_reader("QPanGesture", /::(lastOffset|isLastOffset|hasLastOffset)\s*\(/, "lastOffset") +property_writer("QPanGesture", /::setLastOffset\s*\(/, "lastOffset") +property_reader("QPanGesture", /::(offset|isOffset|hasOffset)\s*\(/, "offset") +property_writer("QPanGesture", /::setOffset\s*\(/, "offset") +property_reader("QPanGesture", /::(delta|isDelta|hasDelta)\s*\(/, "delta") +property_reader("QPanGesture", /::(acceleration|isAcceleration|hasAcceleration)\s*\(/, "acceleration") +property_writer("QPanGesture", /::setAcceleration\s*\(/, "acceleration") +property_reader("QPanGesture", /::(horizontalVelocity|isHorizontalVelocity|hasHorizontalVelocity)\s*\(/, "horizontalVelocity") +property_writer("QPanGesture", /::setHorizontalVelocity\s*\(/, "horizontalVelocity") +property_reader("QPanGesture", /::(verticalVelocity|isVerticalVelocity|hasVerticalVelocity)\s*\(/, "verticalVelocity") +property_writer("QPanGesture", /::setVerticalVelocity\s*\(/, "verticalVelocity") +property_reader("QPinchGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPinchGesture", /::setObjectName\s*\(/, "objectName") +property_reader("QPinchGesture", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QPinchGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") +property_reader("QPinchGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") +property_writer("QPinchGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") +property_reader("QPinchGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") +property_writer("QPinchGesture", /::setHotSpot\s*\(/, "hotSpot") +property_reader("QPinchGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") +property_reader("QPinchGesture", /::(totalChangeFlags|isTotalChangeFlags|hasTotalChangeFlags)\s*\(/, "totalChangeFlags") +property_writer("QPinchGesture", /::setTotalChangeFlags\s*\(/, "totalChangeFlags") +property_reader("QPinchGesture", /::(changeFlags|isChangeFlags|hasChangeFlags)\s*\(/, "changeFlags") +property_writer("QPinchGesture", /::setChangeFlags\s*\(/, "changeFlags") +property_reader("QPinchGesture", /::(totalScaleFactor|isTotalScaleFactor|hasTotalScaleFactor)\s*\(/, "totalScaleFactor") +property_writer("QPinchGesture", /::setTotalScaleFactor\s*\(/, "totalScaleFactor") +property_reader("QPinchGesture", /::(lastScaleFactor|isLastScaleFactor|hasLastScaleFactor)\s*\(/, "lastScaleFactor") +property_writer("QPinchGesture", /::setLastScaleFactor\s*\(/, "lastScaleFactor") +property_reader("QPinchGesture", /::(scaleFactor|isScaleFactor|hasScaleFactor)\s*\(/, "scaleFactor") +property_writer("QPinchGesture", /::setScaleFactor\s*\(/, "scaleFactor") +property_reader("QPinchGesture", /::(totalRotationAngle|isTotalRotationAngle|hasTotalRotationAngle)\s*\(/, "totalRotationAngle") +property_writer("QPinchGesture", /::setTotalRotationAngle\s*\(/, "totalRotationAngle") +property_reader("QPinchGesture", /::(lastRotationAngle|isLastRotationAngle|hasLastRotationAngle)\s*\(/, "lastRotationAngle") +property_writer("QPinchGesture", /::setLastRotationAngle\s*\(/, "lastRotationAngle") +property_reader("QPinchGesture", /::(rotationAngle|isRotationAngle|hasRotationAngle)\s*\(/, "rotationAngle") +property_writer("QPinchGesture", /::setRotationAngle\s*\(/, "rotationAngle") +property_reader("QPinchGesture", /::(startCenterPoint|isStartCenterPoint|hasStartCenterPoint)\s*\(/, "startCenterPoint") +property_writer("QPinchGesture", /::setStartCenterPoint\s*\(/, "startCenterPoint") +property_reader("QPinchGesture", /::(lastCenterPoint|isLastCenterPoint|hasLastCenterPoint)\s*\(/, "lastCenterPoint") +property_writer("QPinchGesture", /::setLastCenterPoint\s*\(/, "lastCenterPoint") +property_reader("QPinchGesture", /::(centerPoint|isCenterPoint|hasCenterPoint)\s*\(/, "centerPoint") +property_writer("QPinchGesture", /::setCenterPoint\s*\(/, "centerPoint") +property_reader("QPlainTextDocumentLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPlainTextDocumentLayout", /::setObjectName\s*\(/, "objectName") +property_reader("QPlainTextDocumentLayout", /::(cursorWidth|isCursorWidth|hasCursorWidth)\s*\(/, "cursorWidth") +property_writer("QPlainTextDocumentLayout", /::setCursorWidth\s*\(/, "cursorWidth") +property_reader("QPlainTextEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPlainTextEdit", /::setObjectName\s*\(/, "objectName") +property_reader("QPlainTextEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QPlainTextEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QPlainTextEdit", /::setWindowModality\s*\(/, "windowModality") +property_reader("QPlainTextEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QPlainTextEdit", /::setEnabled\s*\(/, "enabled") +property_reader("QPlainTextEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QPlainTextEdit", /::setGeometry\s*\(/, "geometry") +property_reader("QPlainTextEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QPlainTextEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QPlainTextEdit", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QPlainTextEdit", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QPlainTextEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QPlainTextEdit", /::setPos\s*\(/, "pos") +property_reader("QPlainTextEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QPlainTextEdit", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QPlainTextEdit", /::setSize\s*\(/, "size") +property_reader("QPlainTextEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QPlainTextEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QPlainTextEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QPlainTextEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QPlainTextEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QPlainTextEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QPlainTextEdit", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QPlainTextEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QPlainTextEdit", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QPlainTextEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QPlainTextEdit", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QPlainTextEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QPlainTextEdit", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QPlainTextEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QPlainTextEdit", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QPlainTextEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QPlainTextEdit", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QPlainTextEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QPlainTextEdit", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QPlainTextEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QPlainTextEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QPlainTextEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QPlainTextEdit", /::setBaseSize\s*\(/, "baseSize") +property_reader("QPlainTextEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QPlainTextEdit", /::setPalette\s*\(/, "palette") +property_reader("QPlainTextEdit", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QPlainTextEdit", /::setFont\s*\(/, "font") +property_reader("QPlainTextEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QPlainTextEdit", /::setCursor\s*\(/, "cursor") +property_reader("QPlainTextEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QPlainTextEdit", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QPlainTextEdit", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QPlainTextEdit", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QPlainTextEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QPlainTextEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QPlainTextEdit", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QPlainTextEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QPlainTextEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QPlainTextEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QPlainTextEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QPlainTextEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QPlainTextEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QPlainTextEdit", /::setVisible\s*\(/, "visible") +property_reader("QPlainTextEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QPlainTextEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QPlainTextEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QPlainTextEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QPlainTextEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QPlainTextEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QPlainTextEdit", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QPlainTextEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QPlainTextEdit", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QPlainTextEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QPlainTextEdit", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QPlainTextEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QPlainTextEdit", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QPlainTextEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QPlainTextEdit", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QPlainTextEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QPlainTextEdit", /::setWindowModified\s*\(/, "windowModified") +property_reader("QPlainTextEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QPlainTextEdit", /::setToolTip\s*\(/, "toolTip") +property_reader("QPlainTextEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QPlainTextEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QPlainTextEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QPlainTextEdit", /::setStatusTip\s*\(/, "statusTip") +property_reader("QPlainTextEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QPlainTextEdit", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QPlainTextEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QPlainTextEdit", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QPlainTextEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QPlainTextEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QPlainTextEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QPlainTextEdit", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QPlainTextEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QPlainTextEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QPlainTextEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QPlainTextEdit", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QPlainTextEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QPlainTextEdit", /::setLocale\s*\(/, "locale") +property_reader("QPlainTextEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QPlainTextEdit", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QPlainTextEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QPlainTextEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QPlainTextEdit", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QPlainTextEdit", /::setFrameShape\s*\(/, "frameShape") +property_reader("QPlainTextEdit", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QPlainTextEdit", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QPlainTextEdit", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QPlainTextEdit", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QPlainTextEdit", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QPlainTextEdit", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QPlainTextEdit", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QPlainTextEdit", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QPlainTextEdit", /::setFrameRect\s*\(/, "frameRect") +property_reader("QPlainTextEdit", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QPlainTextEdit", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QPlainTextEdit", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QPlainTextEdit", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QPlainTextEdit", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QPlainTextEdit", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QPlainTextEdit", /::(tabChangesFocus|isTabChangesFocus|hasTabChangesFocus)\s*\(/, "tabChangesFocus") +property_writer("QPlainTextEdit", /::setTabChangesFocus\s*\(/, "tabChangesFocus") +property_reader("QPlainTextEdit", /::(documentTitle|isDocumentTitle|hasDocumentTitle)\s*\(/, "documentTitle") +property_writer("QPlainTextEdit", /::setDocumentTitle\s*\(/, "documentTitle") +property_reader("QPlainTextEdit", /::(undoRedoEnabled|isUndoRedoEnabled|hasUndoRedoEnabled)\s*\(/, "undoRedoEnabled") +property_writer("QPlainTextEdit", /::setUndoRedoEnabled\s*\(/, "undoRedoEnabled") +property_reader("QPlainTextEdit", /::(lineWrapMode|isLineWrapMode|hasLineWrapMode)\s*\(/, "lineWrapMode") +property_writer("QPlainTextEdit", /::setLineWrapMode\s*\(/, "lineWrapMode") +property_reader("QPlainTextEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QPlainTextEdit", /::setReadOnly\s*\(/, "readOnly") +property_reader("QPlainTextEdit", /::(plainText|isPlainText|hasPlainText)\s*\(/, "plainText") +property_writer("QPlainTextEdit", /::setPlainText\s*\(/, "plainText") +property_reader("QPlainTextEdit", /::(overwriteMode|isOverwriteMode|hasOverwriteMode)\s*\(/, "overwriteMode") +property_writer("QPlainTextEdit", /::setOverwriteMode\s*\(/, "overwriteMode") +property_reader("QPlainTextEdit", /::(tabStopWidth|isTabStopWidth|hasTabStopWidth)\s*\(/, "tabStopWidth") +property_writer("QPlainTextEdit", /::setTabStopWidth\s*\(/, "tabStopWidth") +property_reader("QPlainTextEdit", /::(tabStopDistance|isTabStopDistance|hasTabStopDistance)\s*\(/, "tabStopDistance") +property_writer("QPlainTextEdit", /::setTabStopDistance\s*\(/, "tabStopDistance") +property_reader("QPlainTextEdit", /::(cursorWidth|isCursorWidth|hasCursorWidth)\s*\(/, "cursorWidth") +property_writer("QPlainTextEdit", /::setCursorWidth\s*\(/, "cursorWidth") +property_reader("QPlainTextEdit", /::(textInteractionFlags|isTextInteractionFlags|hasTextInteractionFlags)\s*\(/, "textInteractionFlags") +property_writer("QPlainTextEdit", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") +property_reader("QPlainTextEdit", /::(blockCount|isBlockCount|hasBlockCount)\s*\(/, "blockCount") +property_reader("QPlainTextEdit", /::(maximumBlockCount|isMaximumBlockCount|hasMaximumBlockCount)\s*\(/, "maximumBlockCount") +property_writer("QPlainTextEdit", /::setMaximumBlockCount\s*\(/, "maximumBlockCount") +property_reader("QPlainTextEdit", /::(backgroundVisible|isBackgroundVisible|hasBackgroundVisible)\s*\(/, "backgroundVisible") +property_writer("QPlainTextEdit", /::setBackgroundVisible\s*\(/, "backgroundVisible") +property_reader("QPlainTextEdit", /::(centerOnScroll|isCenterOnScroll|hasCenterOnScroll)\s*\(/, "centerOnScroll") +property_writer("QPlainTextEdit", /::setCenterOnScroll\s*\(/, "centerOnScroll") +property_reader("QPlainTextEdit", /::(placeholderText|isPlaceholderText|hasPlaceholderText)\s*\(/, "placeholderText") +property_writer("QPlainTextEdit", /::setPlaceholderText\s*\(/, "placeholderText") +property_reader("QProgressBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QProgressBar", /::setObjectName\s*\(/, "objectName") +property_reader("QProgressBar", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QProgressBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QProgressBar", /::setWindowModality\s*\(/, "windowModality") +property_reader("QProgressBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QProgressBar", /::setEnabled\s*\(/, "enabled") +property_reader("QProgressBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QProgressBar", /::setGeometry\s*\(/, "geometry") +property_reader("QProgressBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QProgressBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QProgressBar", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QProgressBar", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QProgressBar", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QProgressBar", /::setPos\s*\(/, "pos") +property_reader("QProgressBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QProgressBar", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QProgressBar", /::setSize\s*\(/, "size") +property_reader("QProgressBar", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QProgressBar", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QProgressBar", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QProgressBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QProgressBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QProgressBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QProgressBar", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QProgressBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QProgressBar", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QProgressBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QProgressBar", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QProgressBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QProgressBar", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QProgressBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QProgressBar", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QProgressBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QProgressBar", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QProgressBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QProgressBar", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QProgressBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QProgressBar", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QProgressBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QProgressBar", /::setBaseSize\s*\(/, "baseSize") +property_reader("QProgressBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QProgressBar", /::setPalette\s*\(/, "palette") +property_reader("QProgressBar", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QProgressBar", /::setFont\s*\(/, "font") +property_reader("QProgressBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QProgressBar", /::setCursor\s*\(/, "cursor") +property_reader("QProgressBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QProgressBar", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QProgressBar", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QProgressBar", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QProgressBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QProgressBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QProgressBar", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QProgressBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QProgressBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QProgressBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QProgressBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QProgressBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QProgressBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QProgressBar", /::setVisible\s*\(/, "visible") +property_reader("QProgressBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QProgressBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QProgressBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QProgressBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QProgressBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QProgressBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QProgressBar", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QProgressBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QProgressBar", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QProgressBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QProgressBar", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QProgressBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QProgressBar", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QProgressBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QProgressBar", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QProgressBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QProgressBar", /::setWindowModified\s*\(/, "windowModified") +property_reader("QProgressBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QProgressBar", /::setToolTip\s*\(/, "toolTip") +property_reader("QProgressBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QProgressBar", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QProgressBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QProgressBar", /::setStatusTip\s*\(/, "statusTip") +property_reader("QProgressBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QProgressBar", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QProgressBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QProgressBar", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QProgressBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QProgressBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QProgressBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QProgressBar", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QProgressBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QProgressBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QProgressBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QProgressBar", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QProgressBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QProgressBar", /::setLocale\s*\(/, "locale") +property_reader("QProgressBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QProgressBar", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QProgressBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QProgressBar", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QProgressBar", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") +property_writer("QProgressBar", /::setMinimum\s*\(/, "minimum") +property_reader("QProgressBar", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") +property_writer("QProgressBar", /::setMaximum\s*\(/, "maximum") +property_reader("QProgressBar", /::(text|isText|hasText)\s*\(/, "text") +property_reader("QProgressBar", /::(value|isValue|hasValue)\s*\(/, "value") +property_writer("QProgressBar", /::setValue\s*\(/, "value") +property_reader("QProgressBar", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QProgressBar", /::setAlignment\s*\(/, "alignment") +property_reader("QProgressBar", /::(textVisible|isTextVisible|hasTextVisible)\s*\(/, "textVisible") +property_writer("QProgressBar", /::setTextVisible\s*\(/, "textVisible") +property_reader("QProgressBar", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") +property_writer("QProgressBar", /::setOrientation\s*\(/, "orientation") +property_reader("QProgressBar", /::(invertedAppearance|isInvertedAppearance|hasInvertedAppearance)\s*\(/, "invertedAppearance") +property_writer("QProgressBar", /::setInvertedAppearance\s*\(/, "invertedAppearance") +property_reader("QProgressBar", /::(textDirection|isTextDirection|hasTextDirection)\s*\(/, "textDirection") +property_writer("QProgressBar", /::setTextDirection\s*\(/, "textDirection") +property_reader("QProgressBar", /::(format|isFormat|hasFormat)\s*\(/, "format") +property_writer("QProgressBar", /::setFormat\s*\(/, "format") +property_reader("QProgressDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QProgressDialog", /::setObjectName\s*\(/, "objectName") +property_reader("QProgressDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QProgressDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QProgressDialog", /::setWindowModality\s*\(/, "windowModality") +property_reader("QProgressDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QProgressDialog", /::setEnabled\s*\(/, "enabled") +property_reader("QProgressDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QProgressDialog", /::setGeometry\s*\(/, "geometry") +property_reader("QProgressDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QProgressDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QProgressDialog", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QProgressDialog", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QProgressDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QProgressDialog", /::setPos\s*\(/, "pos") +property_reader("QProgressDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QProgressDialog", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QProgressDialog", /::setSize\s*\(/, "size") +property_reader("QProgressDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QProgressDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QProgressDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QProgressDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QProgressDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QProgressDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QProgressDialog", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QProgressDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QProgressDialog", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QProgressDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QProgressDialog", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QProgressDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QProgressDialog", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QProgressDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QProgressDialog", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QProgressDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QProgressDialog", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QProgressDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QProgressDialog", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QProgressDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QProgressDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QProgressDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QProgressDialog", /::setBaseSize\s*\(/, "baseSize") +property_reader("QProgressDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QProgressDialog", /::setPalette\s*\(/, "palette") +property_reader("QProgressDialog", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QProgressDialog", /::setFont\s*\(/, "font") +property_reader("QProgressDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QProgressDialog", /::setCursor\s*\(/, "cursor") +property_reader("QProgressDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QProgressDialog", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QProgressDialog", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QProgressDialog", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QProgressDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QProgressDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QProgressDialog", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QProgressDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QProgressDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QProgressDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QProgressDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QProgressDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QProgressDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QProgressDialog", /::setVisible\s*\(/, "visible") +property_reader("QProgressDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QProgressDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QProgressDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QProgressDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QProgressDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QProgressDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QProgressDialog", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QProgressDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QProgressDialog", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QProgressDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QProgressDialog", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QProgressDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QProgressDialog", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QProgressDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QProgressDialog", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QProgressDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QProgressDialog", /::setWindowModified\s*\(/, "windowModified") +property_reader("QProgressDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QProgressDialog", /::setToolTip\s*\(/, "toolTip") +property_reader("QProgressDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QProgressDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QProgressDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QProgressDialog", /::setStatusTip\s*\(/, "statusTip") +property_reader("QProgressDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QProgressDialog", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QProgressDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QProgressDialog", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QProgressDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QProgressDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QProgressDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QProgressDialog", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QProgressDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QProgressDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QProgressDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QProgressDialog", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QProgressDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QProgressDialog", /::setLocale\s*\(/, "locale") +property_reader("QProgressDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QProgressDialog", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QProgressDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QProgressDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QProgressDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QProgressDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QProgressDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QProgressDialog", /::setModal\s*\(/, "modal") +property_reader("QProgressDialog", /::(wasCanceled|isWasCanceled|hasWasCanceled)\s*\(/, "wasCanceled") +property_reader("QProgressDialog", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") +property_writer("QProgressDialog", /::setMinimum\s*\(/, "minimum") +property_reader("QProgressDialog", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") +property_writer("QProgressDialog", /::setMaximum\s*\(/, "maximum") +property_reader("QProgressDialog", /::(value|isValue|hasValue)\s*\(/, "value") +property_writer("QProgressDialog", /::setValue\s*\(/, "value") +property_reader("QProgressDialog", /::(autoReset|isAutoReset|hasAutoReset)\s*\(/, "autoReset") +property_writer("QProgressDialog", /::setAutoReset\s*\(/, "autoReset") +property_reader("QProgressDialog", /::(autoClose|isAutoClose|hasAutoClose)\s*\(/, "autoClose") +property_writer("QProgressDialog", /::setAutoClose\s*\(/, "autoClose") +property_reader("QProgressDialog", /::(minimumDuration|isMinimumDuration|hasMinimumDuration)\s*\(/, "minimumDuration") +property_writer("QProgressDialog", /::setMinimumDuration\s*\(/, "minimumDuration") +property_reader("QProgressDialog", /::(labelText|isLabelText|hasLabelText)\s*\(/, "labelText") +property_writer("QProgressDialog", /::setLabelText\s*\(/, "labelText") +property_reader("QPushButton", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPushButton", /::setObjectName\s*\(/, "objectName") +property_reader("QPushButton", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QPushButton", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QPushButton", /::setWindowModality\s*\(/, "windowModality") +property_reader("QPushButton", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QPushButton", /::setEnabled\s*\(/, "enabled") +property_reader("QPushButton", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QPushButton", /::setGeometry\s*\(/, "geometry") +property_reader("QPushButton", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QPushButton", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QPushButton", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QPushButton", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QPushButton", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QPushButton", /::setPos\s*\(/, "pos") +property_reader("QPushButton", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QPushButton", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QPushButton", /::setSize\s*\(/, "size") +property_reader("QPushButton", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QPushButton", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QPushButton", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QPushButton", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QPushButton", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QPushButton", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QPushButton", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QPushButton", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QPushButton", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QPushButton", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QPushButton", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QPushButton", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QPushButton", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QPushButton", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QPushButton", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QPushButton", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QPushButton", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QPushButton", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QPushButton", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QPushButton", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QPushButton", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QPushButton", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QPushButton", /::setBaseSize\s*\(/, "baseSize") +property_reader("QPushButton", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QPushButton", /::setPalette\s*\(/, "palette") +property_reader("QPushButton", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QPushButton", /::setFont\s*\(/, "font") +property_reader("QPushButton", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QPushButton", /::setCursor\s*\(/, "cursor") +property_reader("QPushButton", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QPushButton", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QPushButton", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QPushButton", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QPushButton", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QPushButton", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QPushButton", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QPushButton", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QPushButton", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QPushButton", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QPushButton", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QPushButton", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QPushButton", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QPushButton", /::setVisible\s*\(/, "visible") +property_reader("QPushButton", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QPushButton", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QPushButton", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QPushButton", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QPushButton", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QPushButton", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QPushButton", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QPushButton", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QPushButton", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QPushButton", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QPushButton", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QPushButton", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QPushButton", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QPushButton", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QPushButton", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QPushButton", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QPushButton", /::setWindowModified\s*\(/, "windowModified") +property_reader("QPushButton", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QPushButton", /::setToolTip\s*\(/, "toolTip") +property_reader("QPushButton", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QPushButton", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QPushButton", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QPushButton", /::setStatusTip\s*\(/, "statusTip") +property_reader("QPushButton", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QPushButton", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QPushButton", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QPushButton", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QPushButton", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QPushButton", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QPushButton", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QPushButton", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QPushButton", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QPushButton", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QPushButton", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QPushButton", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QPushButton", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QPushButton", /::setLocale\s*\(/, "locale") +property_reader("QPushButton", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QPushButton", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QPushButton", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QPushButton", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QPushButton", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QPushButton", /::setText\s*\(/, "text") +property_reader("QPushButton", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QPushButton", /::setIcon\s*\(/, "icon") +property_reader("QPushButton", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QPushButton", /::setIconSize\s*\(/, "iconSize") +property_reader("QPushButton", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") +property_writer("QPushButton", /::setShortcut\s*\(/, "shortcut") +property_reader("QPushButton", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") +property_writer("QPushButton", /::setCheckable\s*\(/, "checkable") +property_reader("QPushButton", /::(checked|isChecked|hasChecked)\s*\(/, "checked") +property_writer("QPushButton", /::setChecked\s*\(/, "checked") +property_reader("QPushButton", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") +property_writer("QPushButton", /::setAutoRepeat\s*\(/, "autoRepeat") +property_reader("QPushButton", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") +property_writer("QPushButton", /::setAutoExclusive\s*\(/, "autoExclusive") +property_reader("QPushButton", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") +property_writer("QPushButton", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") +property_reader("QPushButton", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") +property_writer("QPushButton", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") +property_reader("QPushButton", /::(down|isDown|hasDown)\s*\(/, "down") +property_writer("QPushButton", /::setDown\s*\(/, "down") +property_reader("QPushButton", /::(autoDefault|isAutoDefault|hasAutoDefault)\s*\(/, "autoDefault") +property_writer("QPushButton", /::setAutoDefault\s*\(/, "autoDefault") +property_reader("QPushButton", /::(default|isDefault|hasDefault)\s*\(/, "default") +property_writer("QPushButton", /::setDefault\s*\(/, "default") +property_reader("QPushButton", /::(flat|isFlat|hasFlat)\s*\(/, "flat") +property_writer("QPushButton", /::setFlat\s*\(/, "flat") +property_reader("QRadioButton", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QRadioButton", /::setObjectName\s*\(/, "objectName") +property_reader("QRadioButton", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QRadioButton", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QRadioButton", /::setWindowModality\s*\(/, "windowModality") +property_reader("QRadioButton", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QRadioButton", /::setEnabled\s*\(/, "enabled") +property_reader("QRadioButton", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QRadioButton", /::setGeometry\s*\(/, "geometry") +property_reader("QRadioButton", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QRadioButton", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QRadioButton", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QRadioButton", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QRadioButton", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QRadioButton", /::setPos\s*\(/, "pos") +property_reader("QRadioButton", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QRadioButton", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QRadioButton", /::setSize\s*\(/, "size") +property_reader("QRadioButton", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QRadioButton", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QRadioButton", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QRadioButton", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QRadioButton", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QRadioButton", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QRadioButton", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QRadioButton", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QRadioButton", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QRadioButton", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QRadioButton", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QRadioButton", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QRadioButton", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QRadioButton", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QRadioButton", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QRadioButton", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QRadioButton", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QRadioButton", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QRadioButton", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QRadioButton", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QRadioButton", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QRadioButton", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QRadioButton", /::setBaseSize\s*\(/, "baseSize") +property_reader("QRadioButton", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QRadioButton", /::setPalette\s*\(/, "palette") +property_reader("QRadioButton", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QRadioButton", /::setFont\s*\(/, "font") +property_reader("QRadioButton", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QRadioButton", /::setCursor\s*\(/, "cursor") +property_reader("QRadioButton", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QRadioButton", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QRadioButton", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QRadioButton", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QRadioButton", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QRadioButton", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QRadioButton", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QRadioButton", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QRadioButton", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QRadioButton", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QRadioButton", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QRadioButton", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QRadioButton", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QRadioButton", /::setVisible\s*\(/, "visible") +property_reader("QRadioButton", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QRadioButton", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QRadioButton", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QRadioButton", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QRadioButton", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QRadioButton", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QRadioButton", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QRadioButton", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QRadioButton", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QRadioButton", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QRadioButton", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QRadioButton", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QRadioButton", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QRadioButton", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QRadioButton", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QRadioButton", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QRadioButton", /::setWindowModified\s*\(/, "windowModified") +property_reader("QRadioButton", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QRadioButton", /::setToolTip\s*\(/, "toolTip") +property_reader("QRadioButton", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QRadioButton", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QRadioButton", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QRadioButton", /::setStatusTip\s*\(/, "statusTip") +property_reader("QRadioButton", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QRadioButton", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QRadioButton", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QRadioButton", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QRadioButton", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QRadioButton", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QRadioButton", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QRadioButton", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QRadioButton", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QRadioButton", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QRadioButton", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QRadioButton", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QRadioButton", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QRadioButton", /::setLocale\s*\(/, "locale") +property_reader("QRadioButton", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QRadioButton", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QRadioButton", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QRadioButton", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QRadioButton", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QRadioButton", /::setText\s*\(/, "text") +property_reader("QRadioButton", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QRadioButton", /::setIcon\s*\(/, "icon") +property_reader("QRadioButton", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QRadioButton", /::setIconSize\s*\(/, "iconSize") +property_reader("QRadioButton", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") +property_writer("QRadioButton", /::setShortcut\s*\(/, "shortcut") +property_reader("QRadioButton", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") +property_writer("QRadioButton", /::setCheckable\s*\(/, "checkable") +property_reader("QRadioButton", /::(checked|isChecked|hasChecked)\s*\(/, "checked") +property_writer("QRadioButton", /::setChecked\s*\(/, "checked") +property_reader("QRadioButton", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") +property_writer("QRadioButton", /::setAutoRepeat\s*\(/, "autoRepeat") +property_reader("QRadioButton", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") +property_writer("QRadioButton", /::setAutoExclusive\s*\(/, "autoExclusive") +property_reader("QRadioButton", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") +property_writer("QRadioButton", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") +property_reader("QRadioButton", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") +property_writer("QRadioButton", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") +property_reader("QRadioButton", /::(down|isDown|hasDown)\s*\(/, "down") +property_writer("QRadioButton", /::setDown\s*\(/, "down") +property_reader("QRubberBand", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QRubberBand", /::setObjectName\s*\(/, "objectName") +property_reader("QRubberBand", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QRubberBand", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QRubberBand", /::setWindowModality\s*\(/, "windowModality") +property_reader("QRubberBand", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QRubberBand", /::setEnabled\s*\(/, "enabled") +property_reader("QRubberBand", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QRubberBand", /::setGeometry\s*\(/, "geometry") +property_reader("QRubberBand", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QRubberBand", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QRubberBand", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QRubberBand", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QRubberBand", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QRubberBand", /::setPos\s*\(/, "pos") +property_reader("QRubberBand", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QRubberBand", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QRubberBand", /::setSize\s*\(/, "size") +property_reader("QRubberBand", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QRubberBand", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QRubberBand", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QRubberBand", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QRubberBand", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QRubberBand", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QRubberBand", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QRubberBand", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QRubberBand", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QRubberBand", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QRubberBand", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QRubberBand", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QRubberBand", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QRubberBand", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QRubberBand", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QRubberBand", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QRubberBand", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QRubberBand", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QRubberBand", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QRubberBand", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QRubberBand", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QRubberBand", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QRubberBand", /::setBaseSize\s*\(/, "baseSize") +property_reader("QRubberBand", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QRubberBand", /::setPalette\s*\(/, "palette") +property_reader("QRubberBand", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QRubberBand", /::setFont\s*\(/, "font") +property_reader("QRubberBand", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QRubberBand", /::setCursor\s*\(/, "cursor") +property_reader("QRubberBand", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QRubberBand", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QRubberBand", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QRubberBand", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QRubberBand", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QRubberBand", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QRubberBand", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QRubberBand", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QRubberBand", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QRubberBand", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QRubberBand", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QRubberBand", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QRubberBand", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QRubberBand", /::setVisible\s*\(/, "visible") +property_reader("QRubberBand", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QRubberBand", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QRubberBand", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QRubberBand", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QRubberBand", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QRubberBand", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QRubberBand", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QRubberBand", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QRubberBand", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QRubberBand", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QRubberBand", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QRubberBand", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QRubberBand", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QRubberBand", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QRubberBand", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QRubberBand", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QRubberBand", /::setWindowModified\s*\(/, "windowModified") +property_reader("QRubberBand", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QRubberBand", /::setToolTip\s*\(/, "toolTip") +property_reader("QRubberBand", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QRubberBand", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QRubberBand", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QRubberBand", /::setStatusTip\s*\(/, "statusTip") +property_reader("QRubberBand", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QRubberBand", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QRubberBand", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QRubberBand", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QRubberBand", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QRubberBand", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QRubberBand", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QRubberBand", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QRubberBand", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QRubberBand", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QRubberBand", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QRubberBand", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QRubberBand", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QRubberBand", /::setLocale\s*\(/, "locale") +property_reader("QRubberBand", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QRubberBand", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QRubberBand", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QRubberBand", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QScrollArea", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QScrollArea", /::setObjectName\s*\(/, "objectName") +property_reader("QScrollArea", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QScrollArea", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QScrollArea", /::setWindowModality\s*\(/, "windowModality") +property_reader("QScrollArea", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QScrollArea", /::setEnabled\s*\(/, "enabled") +property_reader("QScrollArea", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QScrollArea", /::setGeometry\s*\(/, "geometry") +property_reader("QScrollArea", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QScrollArea", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QScrollArea", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QScrollArea", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QScrollArea", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QScrollArea", /::setPos\s*\(/, "pos") +property_reader("QScrollArea", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QScrollArea", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QScrollArea", /::setSize\s*\(/, "size") +property_reader("QScrollArea", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QScrollArea", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QScrollArea", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QScrollArea", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QScrollArea", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QScrollArea", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QScrollArea", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QScrollArea", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QScrollArea", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QScrollArea", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QScrollArea", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QScrollArea", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QScrollArea", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QScrollArea", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QScrollArea", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QScrollArea", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QScrollArea", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QScrollArea", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QScrollArea", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QScrollArea", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QScrollArea", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QScrollArea", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QScrollArea", /::setBaseSize\s*\(/, "baseSize") +property_reader("QScrollArea", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QScrollArea", /::setPalette\s*\(/, "palette") +property_reader("QScrollArea", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QScrollArea", /::setFont\s*\(/, "font") +property_reader("QScrollArea", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QScrollArea", /::setCursor\s*\(/, "cursor") +property_reader("QScrollArea", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QScrollArea", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QScrollArea", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QScrollArea", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QScrollArea", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QScrollArea", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QScrollArea", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QScrollArea", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QScrollArea", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QScrollArea", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QScrollArea", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QScrollArea", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QScrollArea", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QScrollArea", /::setVisible\s*\(/, "visible") +property_reader("QScrollArea", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QScrollArea", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QScrollArea", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QScrollArea", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QScrollArea", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QScrollArea", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QScrollArea", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QScrollArea", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QScrollArea", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QScrollArea", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QScrollArea", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QScrollArea", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QScrollArea", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QScrollArea", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QScrollArea", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QScrollArea", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QScrollArea", /::setWindowModified\s*\(/, "windowModified") +property_reader("QScrollArea", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QScrollArea", /::setToolTip\s*\(/, "toolTip") +property_reader("QScrollArea", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QScrollArea", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QScrollArea", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QScrollArea", /::setStatusTip\s*\(/, "statusTip") +property_reader("QScrollArea", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QScrollArea", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QScrollArea", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QScrollArea", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QScrollArea", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QScrollArea", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QScrollArea", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QScrollArea", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QScrollArea", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QScrollArea", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QScrollArea", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QScrollArea", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QScrollArea", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QScrollArea", /::setLocale\s*\(/, "locale") +property_reader("QScrollArea", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QScrollArea", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QScrollArea", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QScrollArea", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QScrollArea", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QScrollArea", /::setFrameShape\s*\(/, "frameShape") +property_reader("QScrollArea", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QScrollArea", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QScrollArea", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QScrollArea", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QScrollArea", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QScrollArea", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QScrollArea", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QScrollArea", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QScrollArea", /::setFrameRect\s*\(/, "frameRect") +property_reader("QScrollArea", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QScrollArea", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QScrollArea", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QScrollArea", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QScrollArea", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QScrollArea", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QScrollArea", /::(widgetResizable|isWidgetResizable|hasWidgetResizable)\s*\(/, "widgetResizable") +property_writer("QScrollArea", /::setWidgetResizable\s*\(/, "widgetResizable") +property_reader("QScrollArea", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QScrollArea", /::setAlignment\s*\(/, "alignment") +property_reader("QScrollBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QScrollBar", /::setObjectName\s*\(/, "objectName") +property_reader("QScrollBar", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QScrollBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QScrollBar", /::setWindowModality\s*\(/, "windowModality") +property_reader("QScrollBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QScrollBar", /::setEnabled\s*\(/, "enabled") +property_reader("QScrollBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QScrollBar", /::setGeometry\s*\(/, "geometry") +property_reader("QScrollBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QScrollBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QScrollBar", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QScrollBar", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QScrollBar", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QScrollBar", /::setPos\s*\(/, "pos") +property_reader("QScrollBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QScrollBar", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QScrollBar", /::setSize\s*\(/, "size") +property_reader("QScrollBar", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QScrollBar", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QScrollBar", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QScrollBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QScrollBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QScrollBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QScrollBar", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QScrollBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QScrollBar", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QScrollBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QScrollBar", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QScrollBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QScrollBar", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QScrollBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QScrollBar", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QScrollBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QScrollBar", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QScrollBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QScrollBar", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QScrollBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QScrollBar", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QScrollBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QScrollBar", /::setBaseSize\s*\(/, "baseSize") +property_reader("QScrollBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QScrollBar", /::setPalette\s*\(/, "palette") +property_reader("QScrollBar", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QScrollBar", /::setFont\s*\(/, "font") +property_reader("QScrollBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QScrollBar", /::setCursor\s*\(/, "cursor") +property_reader("QScrollBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QScrollBar", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QScrollBar", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QScrollBar", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QScrollBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QScrollBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QScrollBar", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QScrollBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QScrollBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QScrollBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QScrollBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QScrollBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QScrollBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QScrollBar", /::setVisible\s*\(/, "visible") +property_reader("QScrollBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QScrollBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QScrollBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QScrollBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QScrollBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QScrollBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QScrollBar", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QScrollBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QScrollBar", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QScrollBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QScrollBar", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QScrollBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QScrollBar", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QScrollBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QScrollBar", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QScrollBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QScrollBar", /::setWindowModified\s*\(/, "windowModified") +property_reader("QScrollBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QScrollBar", /::setToolTip\s*\(/, "toolTip") +property_reader("QScrollBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QScrollBar", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QScrollBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QScrollBar", /::setStatusTip\s*\(/, "statusTip") +property_reader("QScrollBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QScrollBar", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QScrollBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QScrollBar", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QScrollBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QScrollBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QScrollBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QScrollBar", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QScrollBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QScrollBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QScrollBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QScrollBar", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QScrollBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QScrollBar", /::setLocale\s*\(/, "locale") +property_reader("QScrollBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QScrollBar", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QScrollBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QScrollBar", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QScrollBar", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") +property_writer("QScrollBar", /::setMinimum\s*\(/, "minimum") +property_reader("QScrollBar", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") +property_writer("QScrollBar", /::setMaximum\s*\(/, "maximum") +property_reader("QScrollBar", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") +property_writer("QScrollBar", /::setSingleStep\s*\(/, "singleStep") +property_reader("QScrollBar", /::(pageStep|isPageStep|hasPageStep)\s*\(/, "pageStep") +property_writer("QScrollBar", /::setPageStep\s*\(/, "pageStep") +property_reader("QScrollBar", /::(value|isValue|hasValue)\s*\(/, "value") +property_writer("QScrollBar", /::setValue\s*\(/, "value") +property_reader("QScrollBar", /::(sliderPosition|isSliderPosition|hasSliderPosition)\s*\(/, "sliderPosition") +property_writer("QScrollBar", /::setSliderPosition\s*\(/, "sliderPosition") +property_reader("QScrollBar", /::(tracking|isTracking|hasTracking)\s*\(/, "tracking") +property_writer("QScrollBar", /::setTracking\s*\(/, "tracking") +property_reader("QScrollBar", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") +property_writer("QScrollBar", /::setOrientation\s*\(/, "orientation") +property_reader("QScrollBar", /::(invertedAppearance|isInvertedAppearance|hasInvertedAppearance)\s*\(/, "invertedAppearance") +property_writer("QScrollBar", /::setInvertedAppearance\s*\(/, "invertedAppearance") +property_reader("QScrollBar", /::(invertedControls|isInvertedControls|hasInvertedControls)\s*\(/, "invertedControls") +property_writer("QScrollBar", /::setInvertedControls\s*\(/, "invertedControls") +property_reader("QScrollBar", /::(sliderDown|isSliderDown|hasSliderDown)\s*\(/, "sliderDown") +property_writer("QScrollBar", /::setSliderDown\s*\(/, "sliderDown") +property_reader("QScroller", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QScroller", /::setObjectName\s*\(/, "objectName") +property_reader("QScroller", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QScroller", /::(scrollerProperties|isScrollerProperties|hasScrollerProperties)\s*\(/, "scrollerProperties") +property_writer("QScroller", /::setScrollerProperties\s*\(/, "scrollerProperties") +property_reader("QShortcut", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QShortcut", /::setObjectName\s*\(/, "objectName") +property_reader("QShortcut", /::(key|isKey|hasKey)\s*\(/, "key") +property_writer("QShortcut", /::setKey\s*\(/, "key") +property_reader("QShortcut", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QShortcut", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QShortcut", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QShortcut", /::setEnabled\s*\(/, "enabled") +property_reader("QShortcut", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") +property_writer("QShortcut", /::setAutoRepeat\s*\(/, "autoRepeat") +property_reader("QShortcut", /::(context|isContext|hasContext)\s*\(/, "context") +property_writer("QShortcut", /::setContext\s*\(/, "context") +property_reader("QSizeGrip", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSizeGrip", /::setObjectName\s*\(/, "objectName") +property_reader("QSizeGrip", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QSizeGrip", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QSizeGrip", /::setWindowModality\s*\(/, "windowModality") +property_reader("QSizeGrip", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QSizeGrip", /::setEnabled\s*\(/, "enabled") +property_reader("QSizeGrip", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QSizeGrip", /::setGeometry\s*\(/, "geometry") +property_reader("QSizeGrip", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QSizeGrip", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QSizeGrip", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QSizeGrip", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QSizeGrip", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QSizeGrip", /::setPos\s*\(/, "pos") +property_reader("QSizeGrip", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QSizeGrip", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QSizeGrip", /::setSize\s*\(/, "size") +property_reader("QSizeGrip", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QSizeGrip", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QSizeGrip", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QSizeGrip", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QSizeGrip", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QSizeGrip", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QSizeGrip", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QSizeGrip", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QSizeGrip", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QSizeGrip", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QSizeGrip", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QSizeGrip", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QSizeGrip", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QSizeGrip", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QSizeGrip", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QSizeGrip", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QSizeGrip", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QSizeGrip", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QSizeGrip", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QSizeGrip", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QSizeGrip", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QSizeGrip", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QSizeGrip", /::setBaseSize\s*\(/, "baseSize") +property_reader("QSizeGrip", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QSizeGrip", /::setPalette\s*\(/, "palette") +property_reader("QSizeGrip", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QSizeGrip", /::setFont\s*\(/, "font") +property_reader("QSizeGrip", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QSizeGrip", /::setCursor\s*\(/, "cursor") +property_reader("QSizeGrip", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QSizeGrip", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QSizeGrip", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QSizeGrip", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QSizeGrip", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QSizeGrip", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QSizeGrip", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QSizeGrip", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QSizeGrip", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QSizeGrip", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QSizeGrip", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QSizeGrip", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QSizeGrip", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QSizeGrip", /::setVisible\s*\(/, "visible") +property_reader("QSizeGrip", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QSizeGrip", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QSizeGrip", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QSizeGrip", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QSizeGrip", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QSizeGrip", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QSizeGrip", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QSizeGrip", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QSizeGrip", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QSizeGrip", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QSizeGrip", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QSizeGrip", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QSizeGrip", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QSizeGrip", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QSizeGrip", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QSizeGrip", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QSizeGrip", /::setWindowModified\s*\(/, "windowModified") +property_reader("QSizeGrip", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QSizeGrip", /::setToolTip\s*\(/, "toolTip") +property_reader("QSizeGrip", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QSizeGrip", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QSizeGrip", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QSizeGrip", /::setStatusTip\s*\(/, "statusTip") +property_reader("QSizeGrip", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QSizeGrip", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QSizeGrip", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QSizeGrip", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QSizeGrip", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QSizeGrip", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QSizeGrip", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QSizeGrip", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QSizeGrip", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QSizeGrip", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QSizeGrip", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QSizeGrip", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QSizeGrip", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QSizeGrip", /::setLocale\s*\(/, "locale") +property_reader("QSizeGrip", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QSizeGrip", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QSizeGrip", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QSizeGrip", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QSlider", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSlider", /::setObjectName\s*\(/, "objectName") +property_reader("QSlider", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QSlider", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QSlider", /::setWindowModality\s*\(/, "windowModality") +property_reader("QSlider", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QSlider", /::setEnabled\s*\(/, "enabled") +property_reader("QSlider", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QSlider", /::setGeometry\s*\(/, "geometry") +property_reader("QSlider", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QSlider", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QSlider", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QSlider", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QSlider", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QSlider", /::setPos\s*\(/, "pos") +property_reader("QSlider", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QSlider", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QSlider", /::setSize\s*\(/, "size") +property_reader("QSlider", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QSlider", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QSlider", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QSlider", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QSlider", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QSlider", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QSlider", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QSlider", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QSlider", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QSlider", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QSlider", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QSlider", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QSlider", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QSlider", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QSlider", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QSlider", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QSlider", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QSlider", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QSlider", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QSlider", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QSlider", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QSlider", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QSlider", /::setBaseSize\s*\(/, "baseSize") +property_reader("QSlider", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QSlider", /::setPalette\s*\(/, "palette") +property_reader("QSlider", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QSlider", /::setFont\s*\(/, "font") +property_reader("QSlider", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QSlider", /::setCursor\s*\(/, "cursor") +property_reader("QSlider", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QSlider", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QSlider", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QSlider", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QSlider", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QSlider", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QSlider", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QSlider", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QSlider", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QSlider", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QSlider", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QSlider", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QSlider", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QSlider", /::setVisible\s*\(/, "visible") +property_reader("QSlider", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QSlider", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QSlider", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QSlider", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QSlider", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QSlider", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QSlider", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QSlider", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QSlider", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QSlider", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QSlider", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QSlider", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QSlider", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QSlider", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QSlider", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QSlider", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QSlider", /::setWindowModified\s*\(/, "windowModified") +property_reader("QSlider", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QSlider", /::setToolTip\s*\(/, "toolTip") +property_reader("QSlider", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QSlider", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QSlider", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QSlider", /::setStatusTip\s*\(/, "statusTip") +property_reader("QSlider", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QSlider", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QSlider", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QSlider", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QSlider", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QSlider", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QSlider", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QSlider", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QSlider", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QSlider", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QSlider", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QSlider", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QSlider", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QSlider", /::setLocale\s*\(/, "locale") +property_reader("QSlider", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QSlider", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QSlider", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QSlider", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QSlider", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") +property_writer("QSlider", /::setMinimum\s*\(/, "minimum") +property_reader("QSlider", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") +property_writer("QSlider", /::setMaximum\s*\(/, "maximum") +property_reader("QSlider", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") +property_writer("QSlider", /::setSingleStep\s*\(/, "singleStep") +property_reader("QSlider", /::(pageStep|isPageStep|hasPageStep)\s*\(/, "pageStep") +property_writer("QSlider", /::setPageStep\s*\(/, "pageStep") +property_reader("QSlider", /::(value|isValue|hasValue)\s*\(/, "value") +property_writer("QSlider", /::setValue\s*\(/, "value") +property_reader("QSlider", /::(sliderPosition|isSliderPosition|hasSliderPosition)\s*\(/, "sliderPosition") +property_writer("QSlider", /::setSliderPosition\s*\(/, "sliderPosition") +property_reader("QSlider", /::(tracking|isTracking|hasTracking)\s*\(/, "tracking") +property_writer("QSlider", /::setTracking\s*\(/, "tracking") +property_reader("QSlider", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") +property_writer("QSlider", /::setOrientation\s*\(/, "orientation") +property_reader("QSlider", /::(invertedAppearance|isInvertedAppearance|hasInvertedAppearance)\s*\(/, "invertedAppearance") +property_writer("QSlider", /::setInvertedAppearance\s*\(/, "invertedAppearance") +property_reader("QSlider", /::(invertedControls|isInvertedControls|hasInvertedControls)\s*\(/, "invertedControls") +property_writer("QSlider", /::setInvertedControls\s*\(/, "invertedControls") +property_reader("QSlider", /::(sliderDown|isSliderDown|hasSliderDown)\s*\(/, "sliderDown") +property_writer("QSlider", /::setSliderDown\s*\(/, "sliderDown") +property_reader("QSlider", /::(tickPosition|isTickPosition|hasTickPosition)\s*\(/, "tickPosition") +property_writer("QSlider", /::setTickPosition\s*\(/, "tickPosition") +property_reader("QSlider", /::(tickInterval|isTickInterval|hasTickInterval)\s*\(/, "tickInterval") +property_writer("QSlider", /::setTickInterval\s*\(/, "tickInterval") +property_reader("QSpinBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSpinBox", /::setObjectName\s*\(/, "objectName") +property_reader("QSpinBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QSpinBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QSpinBox", /::setWindowModality\s*\(/, "windowModality") +property_reader("QSpinBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QSpinBox", /::setEnabled\s*\(/, "enabled") +property_reader("QSpinBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QSpinBox", /::setGeometry\s*\(/, "geometry") +property_reader("QSpinBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QSpinBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QSpinBox", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QSpinBox", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QSpinBox", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QSpinBox", /::setPos\s*\(/, "pos") +property_reader("QSpinBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QSpinBox", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QSpinBox", /::setSize\s*\(/, "size") +property_reader("QSpinBox", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QSpinBox", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QSpinBox", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QSpinBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QSpinBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QSpinBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QSpinBox", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QSpinBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QSpinBox", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QSpinBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QSpinBox", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QSpinBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QSpinBox", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QSpinBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QSpinBox", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QSpinBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QSpinBox", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QSpinBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QSpinBox", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QSpinBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QSpinBox", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QSpinBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QSpinBox", /::setBaseSize\s*\(/, "baseSize") +property_reader("QSpinBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QSpinBox", /::setPalette\s*\(/, "palette") +property_reader("QSpinBox", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QSpinBox", /::setFont\s*\(/, "font") +property_reader("QSpinBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QSpinBox", /::setCursor\s*\(/, "cursor") +property_reader("QSpinBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QSpinBox", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QSpinBox", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QSpinBox", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QSpinBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QSpinBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QSpinBox", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QSpinBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QSpinBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QSpinBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QSpinBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QSpinBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QSpinBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QSpinBox", /::setVisible\s*\(/, "visible") +property_reader("QSpinBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QSpinBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QSpinBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QSpinBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QSpinBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QSpinBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QSpinBox", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QSpinBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QSpinBox", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QSpinBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QSpinBox", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QSpinBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QSpinBox", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QSpinBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QSpinBox", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QSpinBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QSpinBox", /::setWindowModified\s*\(/, "windowModified") +property_reader("QSpinBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QSpinBox", /::setToolTip\s*\(/, "toolTip") +property_reader("QSpinBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QSpinBox", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QSpinBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QSpinBox", /::setStatusTip\s*\(/, "statusTip") +property_reader("QSpinBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QSpinBox", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QSpinBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QSpinBox", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QSpinBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QSpinBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QSpinBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QSpinBox", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QSpinBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QSpinBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QSpinBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QSpinBox", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QSpinBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QSpinBox", /::setLocale\s*\(/, "locale") +property_reader("QSpinBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QSpinBox", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QSpinBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QSpinBox", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QSpinBox", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") +property_writer("QSpinBox", /::setWrapping\s*\(/, "wrapping") +property_reader("QSpinBox", /::(frame|isFrame|hasFrame)\s*\(/, "frame") +property_writer("QSpinBox", /::setFrame\s*\(/, "frame") +property_reader("QSpinBox", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QSpinBox", /::setAlignment\s*\(/, "alignment") +property_reader("QSpinBox", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QSpinBox", /::setReadOnly\s*\(/, "readOnly") +property_reader("QSpinBox", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") +property_writer("QSpinBox", /::setButtonSymbols\s*\(/, "buttonSymbols") +property_reader("QSpinBox", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") +property_writer("QSpinBox", /::setSpecialValueText\s*\(/, "specialValueText") +property_reader("QSpinBox", /::(text|isText|hasText)\s*\(/, "text") +property_reader("QSpinBox", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") +property_writer("QSpinBox", /::setAccelerated\s*\(/, "accelerated") +property_reader("QSpinBox", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") +property_writer("QSpinBox", /::setCorrectionMode\s*\(/, "correctionMode") +property_reader("QSpinBox", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") +property_reader("QSpinBox", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") +property_writer("QSpinBox", /::setKeyboardTracking\s*\(/, "keyboardTracking") +property_reader("QSpinBox", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") +property_writer("QSpinBox", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") +property_reader("QSpinBox", /::(suffix|isSuffix|hasSuffix)\s*\(/, "suffix") +property_writer("QSpinBox", /::setSuffix\s*\(/, "suffix") +property_reader("QSpinBox", /::(prefix|isPrefix|hasPrefix)\s*\(/, "prefix") +property_writer("QSpinBox", /::setPrefix\s*\(/, "prefix") +property_reader("QSpinBox", /::(cleanText|isCleanText|hasCleanText)\s*\(/, "cleanText") +property_reader("QSpinBox", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") +property_writer("QSpinBox", /::setMinimum\s*\(/, "minimum") +property_reader("QSpinBox", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") +property_writer("QSpinBox", /::setMaximum\s*\(/, "maximum") +property_reader("QSpinBox", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") +property_writer("QSpinBox", /::setSingleStep\s*\(/, "singleStep") +property_reader("QSpinBox", /::(stepType|isStepType|hasStepType)\s*\(/, "stepType") +property_writer("QSpinBox", /::setStepType\s*\(/, "stepType") +property_reader("QSpinBox", /::(value|isValue|hasValue)\s*\(/, "value") +property_writer("QSpinBox", /::setValue\s*\(/, "value") +property_reader("QSpinBox", /::(displayIntegerBase|isDisplayIntegerBase|hasDisplayIntegerBase)\s*\(/, "displayIntegerBase") +property_writer("QSpinBox", /::setDisplayIntegerBase\s*\(/, "displayIntegerBase") +property_reader("QSplashScreen", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSplashScreen", /::setObjectName\s*\(/, "objectName") +property_reader("QSplashScreen", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QSplashScreen", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QSplashScreen", /::setWindowModality\s*\(/, "windowModality") +property_reader("QSplashScreen", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QSplashScreen", /::setEnabled\s*\(/, "enabled") +property_reader("QSplashScreen", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QSplashScreen", /::setGeometry\s*\(/, "geometry") +property_reader("QSplashScreen", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QSplashScreen", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QSplashScreen", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QSplashScreen", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QSplashScreen", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QSplashScreen", /::setPos\s*\(/, "pos") +property_reader("QSplashScreen", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QSplashScreen", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QSplashScreen", /::setSize\s*\(/, "size") +property_reader("QSplashScreen", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QSplashScreen", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QSplashScreen", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QSplashScreen", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QSplashScreen", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QSplashScreen", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QSplashScreen", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QSplashScreen", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QSplashScreen", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QSplashScreen", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QSplashScreen", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QSplashScreen", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QSplashScreen", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QSplashScreen", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QSplashScreen", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QSplashScreen", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QSplashScreen", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QSplashScreen", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QSplashScreen", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QSplashScreen", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QSplashScreen", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QSplashScreen", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QSplashScreen", /::setBaseSize\s*\(/, "baseSize") +property_reader("QSplashScreen", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QSplashScreen", /::setPalette\s*\(/, "palette") +property_reader("QSplashScreen", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QSplashScreen", /::setFont\s*\(/, "font") +property_reader("QSplashScreen", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QSplashScreen", /::setCursor\s*\(/, "cursor") +property_reader("QSplashScreen", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QSplashScreen", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QSplashScreen", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QSplashScreen", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QSplashScreen", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QSplashScreen", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QSplashScreen", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QSplashScreen", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QSplashScreen", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QSplashScreen", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QSplashScreen", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QSplashScreen", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QSplashScreen", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QSplashScreen", /::setVisible\s*\(/, "visible") +property_reader("QSplashScreen", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QSplashScreen", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QSplashScreen", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QSplashScreen", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QSplashScreen", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QSplashScreen", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QSplashScreen", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QSplashScreen", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QSplashScreen", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QSplashScreen", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QSplashScreen", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QSplashScreen", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QSplashScreen", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QSplashScreen", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QSplashScreen", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QSplashScreen", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QSplashScreen", /::setWindowModified\s*\(/, "windowModified") +property_reader("QSplashScreen", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QSplashScreen", /::setToolTip\s*\(/, "toolTip") +property_reader("QSplashScreen", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QSplashScreen", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QSplashScreen", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QSplashScreen", /::setStatusTip\s*\(/, "statusTip") +property_reader("QSplashScreen", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QSplashScreen", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QSplashScreen", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QSplashScreen", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QSplashScreen", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QSplashScreen", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QSplashScreen", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QSplashScreen", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QSplashScreen", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QSplashScreen", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QSplashScreen", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QSplashScreen", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QSplashScreen", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QSplashScreen", /::setLocale\s*\(/, "locale") +property_reader("QSplashScreen", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QSplashScreen", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QSplashScreen", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QSplashScreen", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QSplitter", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSplitter", /::setObjectName\s*\(/, "objectName") +property_reader("QSplitter", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QSplitter", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QSplitter", /::setWindowModality\s*\(/, "windowModality") +property_reader("QSplitter", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QSplitter", /::setEnabled\s*\(/, "enabled") +property_reader("QSplitter", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QSplitter", /::setGeometry\s*\(/, "geometry") +property_reader("QSplitter", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QSplitter", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QSplitter", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QSplitter", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QSplitter", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QSplitter", /::setPos\s*\(/, "pos") +property_reader("QSplitter", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QSplitter", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QSplitter", /::setSize\s*\(/, "size") +property_reader("QSplitter", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QSplitter", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QSplitter", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QSplitter", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QSplitter", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QSplitter", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QSplitter", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QSplitter", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QSplitter", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QSplitter", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QSplitter", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QSplitter", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QSplitter", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QSplitter", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QSplitter", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QSplitter", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QSplitter", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QSplitter", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QSplitter", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QSplitter", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QSplitter", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QSplitter", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QSplitter", /::setBaseSize\s*\(/, "baseSize") +property_reader("QSplitter", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QSplitter", /::setPalette\s*\(/, "palette") +property_reader("QSplitter", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QSplitter", /::setFont\s*\(/, "font") +property_reader("QSplitter", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QSplitter", /::setCursor\s*\(/, "cursor") +property_reader("QSplitter", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QSplitter", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QSplitter", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QSplitter", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QSplitter", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QSplitter", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QSplitter", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QSplitter", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QSplitter", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QSplitter", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QSplitter", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QSplitter", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QSplitter", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QSplitter", /::setVisible\s*\(/, "visible") +property_reader("QSplitter", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QSplitter", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QSplitter", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QSplitter", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QSplitter", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QSplitter", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QSplitter", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QSplitter", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QSplitter", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QSplitter", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QSplitter", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QSplitter", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QSplitter", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QSplitter", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QSplitter", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QSplitter", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QSplitter", /::setWindowModified\s*\(/, "windowModified") +property_reader("QSplitter", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QSplitter", /::setToolTip\s*\(/, "toolTip") +property_reader("QSplitter", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QSplitter", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QSplitter", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QSplitter", /::setStatusTip\s*\(/, "statusTip") +property_reader("QSplitter", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QSplitter", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QSplitter", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QSplitter", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QSplitter", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QSplitter", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QSplitter", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QSplitter", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QSplitter", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QSplitter", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QSplitter", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QSplitter", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QSplitter", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QSplitter", /::setLocale\s*\(/, "locale") +property_reader("QSplitter", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QSplitter", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QSplitter", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QSplitter", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QSplitter", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QSplitter", /::setFrameShape\s*\(/, "frameShape") +property_reader("QSplitter", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QSplitter", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QSplitter", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QSplitter", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QSplitter", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QSplitter", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QSplitter", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QSplitter", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QSplitter", /::setFrameRect\s*\(/, "frameRect") +property_reader("QSplitter", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") +property_writer("QSplitter", /::setOrientation\s*\(/, "orientation") +property_reader("QSplitter", /::(opaqueResize|isOpaqueResize|hasOpaqueResize)\s*\(/, "opaqueResize") +property_writer("QSplitter", /::setOpaqueResize\s*\(/, "opaqueResize") +property_reader("QSplitter", /::(handleWidth|isHandleWidth|hasHandleWidth)\s*\(/, "handleWidth") +property_writer("QSplitter", /::setHandleWidth\s*\(/, "handleWidth") +property_reader("QSplitter", /::(childrenCollapsible|isChildrenCollapsible|hasChildrenCollapsible)\s*\(/, "childrenCollapsible") +property_writer("QSplitter", /::setChildrenCollapsible\s*\(/, "childrenCollapsible") +property_reader("QSplitterHandle", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSplitterHandle", /::setObjectName\s*\(/, "objectName") +property_reader("QSplitterHandle", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QSplitterHandle", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QSplitterHandle", /::setWindowModality\s*\(/, "windowModality") +property_reader("QSplitterHandle", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QSplitterHandle", /::setEnabled\s*\(/, "enabled") +property_reader("QSplitterHandle", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QSplitterHandle", /::setGeometry\s*\(/, "geometry") +property_reader("QSplitterHandle", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QSplitterHandle", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QSplitterHandle", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QSplitterHandle", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QSplitterHandle", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QSplitterHandle", /::setPos\s*\(/, "pos") +property_reader("QSplitterHandle", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QSplitterHandle", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QSplitterHandle", /::setSize\s*\(/, "size") +property_reader("QSplitterHandle", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QSplitterHandle", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QSplitterHandle", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QSplitterHandle", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QSplitterHandle", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QSplitterHandle", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QSplitterHandle", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QSplitterHandle", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QSplitterHandle", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QSplitterHandle", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QSplitterHandle", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QSplitterHandle", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QSplitterHandle", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QSplitterHandle", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QSplitterHandle", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QSplitterHandle", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QSplitterHandle", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QSplitterHandle", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QSplitterHandle", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QSplitterHandle", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QSplitterHandle", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QSplitterHandle", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QSplitterHandle", /::setBaseSize\s*\(/, "baseSize") +property_reader("QSplitterHandle", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QSplitterHandle", /::setPalette\s*\(/, "palette") +property_reader("QSplitterHandle", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QSplitterHandle", /::setFont\s*\(/, "font") +property_reader("QSplitterHandle", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QSplitterHandle", /::setCursor\s*\(/, "cursor") +property_reader("QSplitterHandle", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QSplitterHandle", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QSplitterHandle", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QSplitterHandle", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QSplitterHandle", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QSplitterHandle", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QSplitterHandle", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QSplitterHandle", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QSplitterHandle", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QSplitterHandle", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QSplitterHandle", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QSplitterHandle", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QSplitterHandle", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QSplitterHandle", /::setVisible\s*\(/, "visible") +property_reader("QSplitterHandle", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QSplitterHandle", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QSplitterHandle", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QSplitterHandle", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QSplitterHandle", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QSplitterHandle", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QSplitterHandle", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QSplitterHandle", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QSplitterHandle", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QSplitterHandle", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QSplitterHandle", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QSplitterHandle", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QSplitterHandle", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QSplitterHandle", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QSplitterHandle", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QSplitterHandle", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QSplitterHandle", /::setWindowModified\s*\(/, "windowModified") +property_reader("QSplitterHandle", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QSplitterHandle", /::setToolTip\s*\(/, "toolTip") +property_reader("QSplitterHandle", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QSplitterHandle", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QSplitterHandle", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QSplitterHandle", /::setStatusTip\s*\(/, "statusTip") +property_reader("QSplitterHandle", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QSplitterHandle", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QSplitterHandle", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QSplitterHandle", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QSplitterHandle", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QSplitterHandle", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QSplitterHandle", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QSplitterHandle", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QSplitterHandle", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QSplitterHandle", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QSplitterHandle", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QSplitterHandle", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QSplitterHandle", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QSplitterHandle", /::setLocale\s*\(/, "locale") +property_reader("QSplitterHandle", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QSplitterHandle", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QSplitterHandle", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QSplitterHandle", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QStackedLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QStackedLayout", /::setObjectName\s*\(/, "objectName") +property_reader("QStackedLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") +property_writer("QStackedLayout", /::setMargin\s*\(/, "margin") +property_reader("QStackedLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QStackedLayout", /::setSpacing\s*\(/, "spacing") +property_reader("QStackedLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") +property_writer("QStackedLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") +property_reader("QStackedLayout", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") +property_writer("QStackedLayout", /::setCurrentIndex\s*\(/, "currentIndex") +property_reader("QStackedLayout", /::(stackingMode|isStackingMode|hasStackingMode)\s*\(/, "stackingMode") +property_writer("QStackedLayout", /::setStackingMode\s*\(/, "stackingMode") +property_reader("QStackedWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QStackedWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QStackedWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QStackedWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QStackedWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QStackedWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QStackedWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QStackedWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QStackedWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QStackedWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QStackedWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QStackedWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QStackedWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QStackedWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QStackedWidget", /::setPos\s*\(/, "pos") +property_reader("QStackedWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QStackedWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QStackedWidget", /::setSize\s*\(/, "size") +property_reader("QStackedWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QStackedWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QStackedWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QStackedWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QStackedWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QStackedWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QStackedWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QStackedWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QStackedWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QStackedWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QStackedWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QStackedWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QStackedWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QStackedWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QStackedWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QStackedWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QStackedWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QStackedWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QStackedWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QStackedWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QStackedWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QStackedWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QStackedWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QStackedWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QStackedWidget", /::setPalette\s*\(/, "palette") +property_reader("QStackedWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QStackedWidget", /::setFont\s*\(/, "font") +property_reader("QStackedWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QStackedWidget", /::setCursor\s*\(/, "cursor") +property_reader("QStackedWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QStackedWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QStackedWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QStackedWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QStackedWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QStackedWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QStackedWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QStackedWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QStackedWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QStackedWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QStackedWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QStackedWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QStackedWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QStackedWidget", /::setVisible\s*\(/, "visible") +property_reader("QStackedWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QStackedWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QStackedWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QStackedWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QStackedWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QStackedWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QStackedWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QStackedWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QStackedWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QStackedWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QStackedWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QStackedWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QStackedWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QStackedWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QStackedWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QStackedWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QStackedWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QStackedWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QStackedWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QStackedWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QStackedWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QStackedWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QStackedWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QStackedWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QStackedWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QStackedWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QStackedWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QStackedWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QStackedWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QStackedWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QStackedWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QStackedWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QStackedWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QStackedWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QStackedWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QStackedWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QStackedWidget", /::setLocale\s*\(/, "locale") +property_reader("QStackedWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QStackedWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QStackedWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QStackedWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QStackedWidget", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QStackedWidget", /::setFrameShape\s*\(/, "frameShape") +property_reader("QStackedWidget", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QStackedWidget", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QStackedWidget", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QStackedWidget", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QStackedWidget", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QStackedWidget", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QStackedWidget", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QStackedWidget", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QStackedWidget", /::setFrameRect\s*\(/, "frameRect") +property_reader("QStackedWidget", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") +property_writer("QStackedWidget", /::setCurrentIndex\s*\(/, "currentIndex") +property_reader("QStackedWidget", /::(count|isCount|hasCount)\s*\(/, "count") +property_reader("QStatusBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QStatusBar", /::setObjectName\s*\(/, "objectName") +property_reader("QStatusBar", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QStatusBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QStatusBar", /::setWindowModality\s*\(/, "windowModality") +property_reader("QStatusBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QStatusBar", /::setEnabled\s*\(/, "enabled") +property_reader("QStatusBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QStatusBar", /::setGeometry\s*\(/, "geometry") +property_reader("QStatusBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QStatusBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QStatusBar", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QStatusBar", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QStatusBar", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QStatusBar", /::setPos\s*\(/, "pos") +property_reader("QStatusBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QStatusBar", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QStatusBar", /::setSize\s*\(/, "size") +property_reader("QStatusBar", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QStatusBar", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QStatusBar", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QStatusBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QStatusBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QStatusBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QStatusBar", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QStatusBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QStatusBar", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QStatusBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QStatusBar", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QStatusBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QStatusBar", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QStatusBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QStatusBar", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QStatusBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QStatusBar", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QStatusBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QStatusBar", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QStatusBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QStatusBar", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QStatusBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QStatusBar", /::setBaseSize\s*\(/, "baseSize") +property_reader("QStatusBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QStatusBar", /::setPalette\s*\(/, "palette") +property_reader("QStatusBar", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QStatusBar", /::setFont\s*\(/, "font") +property_reader("QStatusBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QStatusBar", /::setCursor\s*\(/, "cursor") +property_reader("QStatusBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QStatusBar", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QStatusBar", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QStatusBar", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QStatusBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QStatusBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QStatusBar", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QStatusBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QStatusBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QStatusBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QStatusBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QStatusBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QStatusBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QStatusBar", /::setVisible\s*\(/, "visible") +property_reader("QStatusBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QStatusBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QStatusBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QStatusBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QStatusBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QStatusBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QStatusBar", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QStatusBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QStatusBar", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QStatusBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QStatusBar", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QStatusBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QStatusBar", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QStatusBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QStatusBar", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QStatusBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QStatusBar", /::setWindowModified\s*\(/, "windowModified") +property_reader("QStatusBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QStatusBar", /::setToolTip\s*\(/, "toolTip") +property_reader("QStatusBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QStatusBar", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QStatusBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QStatusBar", /::setStatusTip\s*\(/, "statusTip") +property_reader("QStatusBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QStatusBar", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QStatusBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QStatusBar", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QStatusBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QStatusBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QStatusBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QStatusBar", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QStatusBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QStatusBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QStatusBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QStatusBar", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QStatusBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QStatusBar", /::setLocale\s*\(/, "locale") +property_reader("QStatusBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QStatusBar", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QStatusBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QStatusBar", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QStatusBar", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QStatusBar", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QStyle", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QStyle", /::setObjectName\s*\(/, "objectName") +property_reader("QStylePlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QStylePlugin", /::setObjectName\s*\(/, "objectName") +property_reader("QStyledItemDelegate", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QStyledItemDelegate", /::setObjectName\s*\(/, "objectName") +property_reader("QSwipeGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSwipeGesture", /::setObjectName\s*\(/, "objectName") +property_reader("QSwipeGesture", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QSwipeGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") +property_reader("QSwipeGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") +property_writer("QSwipeGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") +property_reader("QSwipeGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") +property_writer("QSwipeGesture", /::setHotSpot\s*\(/, "hotSpot") +property_reader("QSwipeGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") +property_reader("QSwipeGesture", /::(horizontalDirection|isHorizontalDirection|hasHorizontalDirection)\s*\(/, "horizontalDirection") +property_reader("QSwipeGesture", /::(verticalDirection|isVerticalDirection|hasVerticalDirection)\s*\(/, "verticalDirection") +property_reader("QSwipeGesture", /::(swipeAngle|isSwipeAngle|hasSwipeAngle)\s*\(/, "swipeAngle") +property_writer("QSwipeGesture", /::setSwipeAngle\s*\(/, "swipeAngle") +property_reader("QSwipeGesture", /::(velocity|isVelocity|hasVelocity)\s*\(/, "velocity") +property_writer("QSwipeGesture", /::setVelocity\s*\(/, "velocity") +property_reader("QSystemTrayIcon", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSystemTrayIcon", /::setObjectName\s*\(/, "objectName") +property_reader("QSystemTrayIcon", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QSystemTrayIcon", /::setToolTip\s*\(/, "toolTip") +property_reader("QSystemTrayIcon", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QSystemTrayIcon", /::setIcon\s*\(/, "icon") +property_reader("QSystemTrayIcon", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QSystemTrayIcon", /::setVisible\s*\(/, "visible") +property_reader("QTabBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTabBar", /::setObjectName\s*\(/, "objectName") +property_reader("QTabBar", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QTabBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QTabBar", /::setWindowModality\s*\(/, "windowModality") +property_reader("QTabBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QTabBar", /::setEnabled\s*\(/, "enabled") +property_reader("QTabBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QTabBar", /::setGeometry\s*\(/, "geometry") +property_reader("QTabBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QTabBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QTabBar", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QTabBar", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QTabBar", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QTabBar", /::setPos\s*\(/, "pos") +property_reader("QTabBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QTabBar", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QTabBar", /::setSize\s*\(/, "size") +property_reader("QTabBar", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QTabBar", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QTabBar", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QTabBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QTabBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QTabBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QTabBar", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QTabBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QTabBar", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QTabBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QTabBar", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QTabBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QTabBar", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QTabBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QTabBar", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QTabBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QTabBar", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QTabBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QTabBar", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QTabBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QTabBar", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QTabBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QTabBar", /::setBaseSize\s*\(/, "baseSize") +property_reader("QTabBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QTabBar", /::setPalette\s*\(/, "palette") +property_reader("QTabBar", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QTabBar", /::setFont\s*\(/, "font") +property_reader("QTabBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QTabBar", /::setCursor\s*\(/, "cursor") +property_reader("QTabBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QTabBar", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QTabBar", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QTabBar", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QTabBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QTabBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QTabBar", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QTabBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QTabBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QTabBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QTabBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QTabBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QTabBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QTabBar", /::setVisible\s*\(/, "visible") +property_reader("QTabBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QTabBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QTabBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QTabBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QTabBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QTabBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QTabBar", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QTabBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QTabBar", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QTabBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QTabBar", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QTabBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QTabBar", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QTabBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QTabBar", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QTabBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QTabBar", /::setWindowModified\s*\(/, "windowModified") +property_reader("QTabBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QTabBar", /::setToolTip\s*\(/, "toolTip") +property_reader("QTabBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QTabBar", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QTabBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QTabBar", /::setStatusTip\s*\(/, "statusTip") +property_reader("QTabBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QTabBar", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QTabBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QTabBar", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QTabBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QTabBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QTabBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QTabBar", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QTabBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QTabBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QTabBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QTabBar", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QTabBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QTabBar", /::setLocale\s*\(/, "locale") +property_reader("QTabBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QTabBar", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QTabBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QTabBar", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QTabBar", /::(shape|isShape|hasShape)\s*\(/, "shape") +property_writer("QTabBar", /::setShape\s*\(/, "shape") +property_reader("QTabBar", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") +property_writer("QTabBar", /::setCurrentIndex\s*\(/, "currentIndex") +property_reader("QTabBar", /::(count|isCount|hasCount)\s*\(/, "count") +property_reader("QTabBar", /::(drawBase|isDrawBase|hasDrawBase)\s*\(/, "drawBase") +property_writer("QTabBar", /::setDrawBase\s*\(/, "drawBase") +property_reader("QTabBar", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QTabBar", /::setIconSize\s*\(/, "iconSize") +property_reader("QTabBar", /::(elideMode|isElideMode|hasElideMode)\s*\(/, "elideMode") +property_writer("QTabBar", /::setElideMode\s*\(/, "elideMode") +property_reader("QTabBar", /::(usesScrollButtons|isUsesScrollButtons|hasUsesScrollButtons)\s*\(/, "usesScrollButtons") +property_writer("QTabBar", /::setUsesScrollButtons\s*\(/, "usesScrollButtons") +property_reader("QTabBar", /::(tabsClosable|isTabsClosable|hasTabsClosable)\s*\(/, "tabsClosable") +property_writer("QTabBar", /::setTabsClosable\s*\(/, "tabsClosable") +property_reader("QTabBar", /::(selectionBehaviorOnRemove|isSelectionBehaviorOnRemove|hasSelectionBehaviorOnRemove)\s*\(/, "selectionBehaviorOnRemove") +property_writer("QTabBar", /::setSelectionBehaviorOnRemove\s*\(/, "selectionBehaviorOnRemove") +property_reader("QTabBar", /::(expanding|isExpanding|hasExpanding)\s*\(/, "expanding") +property_writer("QTabBar", /::setExpanding\s*\(/, "expanding") +property_reader("QTabBar", /::(movable|isMovable|hasMovable)\s*\(/, "movable") +property_writer("QTabBar", /::setMovable\s*\(/, "movable") +property_reader("QTabBar", /::(documentMode|isDocumentMode|hasDocumentMode)\s*\(/, "documentMode") +property_writer("QTabBar", /::setDocumentMode\s*\(/, "documentMode") +property_reader("QTabBar", /::(autoHide|isAutoHide|hasAutoHide)\s*\(/, "autoHide") +property_writer("QTabBar", /::setAutoHide\s*\(/, "autoHide") +property_reader("QTabBar", /::(changeCurrentOnDrag|isChangeCurrentOnDrag|hasChangeCurrentOnDrag)\s*\(/, "changeCurrentOnDrag") +property_writer("QTabBar", /::setChangeCurrentOnDrag\s*\(/, "changeCurrentOnDrag") +property_reader("QTabWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTabWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QTabWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QTabWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QTabWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QTabWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QTabWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QTabWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QTabWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QTabWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QTabWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QTabWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QTabWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QTabWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QTabWidget", /::setPos\s*\(/, "pos") +property_reader("QTabWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QTabWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QTabWidget", /::setSize\s*\(/, "size") +property_reader("QTabWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QTabWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QTabWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QTabWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QTabWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QTabWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QTabWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QTabWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QTabWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QTabWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QTabWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QTabWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QTabWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QTabWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QTabWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QTabWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QTabWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QTabWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QTabWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QTabWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QTabWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QTabWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QTabWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QTabWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QTabWidget", /::setPalette\s*\(/, "palette") +property_reader("QTabWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QTabWidget", /::setFont\s*\(/, "font") +property_reader("QTabWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QTabWidget", /::setCursor\s*\(/, "cursor") +property_reader("QTabWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QTabWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QTabWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QTabWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QTabWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QTabWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QTabWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QTabWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QTabWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QTabWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QTabWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QTabWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QTabWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QTabWidget", /::setVisible\s*\(/, "visible") +property_reader("QTabWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QTabWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QTabWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QTabWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QTabWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QTabWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QTabWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QTabWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QTabWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QTabWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QTabWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QTabWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QTabWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QTabWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QTabWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QTabWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QTabWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QTabWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QTabWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QTabWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QTabWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QTabWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QTabWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QTabWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QTabWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QTabWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QTabWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QTabWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QTabWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QTabWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QTabWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QTabWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QTabWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QTabWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QTabWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QTabWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QTabWidget", /::setLocale\s*\(/, "locale") +property_reader("QTabWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QTabWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QTabWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QTabWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QTabWidget", /::(tabPosition|isTabPosition|hasTabPosition)\s*\(/, "tabPosition") +property_writer("QTabWidget", /::setTabPosition\s*\(/, "tabPosition") +property_reader("QTabWidget", /::(tabShape|isTabShape|hasTabShape)\s*\(/, "tabShape") +property_writer("QTabWidget", /::setTabShape\s*\(/, "tabShape") +property_reader("QTabWidget", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") +property_writer("QTabWidget", /::setCurrentIndex\s*\(/, "currentIndex") +property_reader("QTabWidget", /::(count|isCount|hasCount)\s*\(/, "count") +property_reader("QTabWidget", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QTabWidget", /::setIconSize\s*\(/, "iconSize") +property_reader("QTabWidget", /::(elideMode|isElideMode|hasElideMode)\s*\(/, "elideMode") +property_writer("QTabWidget", /::setElideMode\s*\(/, "elideMode") +property_reader("QTabWidget", /::(usesScrollButtons|isUsesScrollButtons|hasUsesScrollButtons)\s*\(/, "usesScrollButtons") +property_writer("QTabWidget", /::setUsesScrollButtons\s*\(/, "usesScrollButtons") +property_reader("QTabWidget", /::(documentMode|isDocumentMode|hasDocumentMode)\s*\(/, "documentMode") +property_writer("QTabWidget", /::setDocumentMode\s*\(/, "documentMode") +property_reader("QTabWidget", /::(tabsClosable|isTabsClosable|hasTabsClosable)\s*\(/, "tabsClosable") +property_writer("QTabWidget", /::setTabsClosable\s*\(/, "tabsClosable") +property_reader("QTabWidget", /::(movable|isMovable|hasMovable)\s*\(/, "movable") +property_writer("QTabWidget", /::setMovable\s*\(/, "movable") +property_reader("QTabWidget", /::(tabBarAutoHide|isTabBarAutoHide|hasTabBarAutoHide)\s*\(/, "tabBarAutoHide") +property_writer("QTabWidget", /::setTabBarAutoHide\s*\(/, "tabBarAutoHide") +property_reader("QTableView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTableView", /::setObjectName\s*\(/, "objectName") +property_reader("QTableView", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QTableView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QTableView", /::setWindowModality\s*\(/, "windowModality") +property_reader("QTableView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QTableView", /::setEnabled\s*\(/, "enabled") +property_reader("QTableView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QTableView", /::setGeometry\s*\(/, "geometry") +property_reader("QTableView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QTableView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QTableView", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QTableView", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QTableView", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QTableView", /::setPos\s*\(/, "pos") +property_reader("QTableView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QTableView", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QTableView", /::setSize\s*\(/, "size") +property_reader("QTableView", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QTableView", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QTableView", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QTableView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QTableView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QTableView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QTableView", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QTableView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QTableView", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QTableView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QTableView", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QTableView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QTableView", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QTableView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QTableView", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QTableView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QTableView", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QTableView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QTableView", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QTableView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QTableView", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QTableView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QTableView", /::setBaseSize\s*\(/, "baseSize") +property_reader("QTableView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QTableView", /::setPalette\s*\(/, "palette") +property_reader("QTableView", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QTableView", /::setFont\s*\(/, "font") +property_reader("QTableView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QTableView", /::setCursor\s*\(/, "cursor") +property_reader("QTableView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QTableView", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QTableView", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QTableView", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QTableView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QTableView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QTableView", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QTableView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QTableView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QTableView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QTableView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QTableView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QTableView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QTableView", /::setVisible\s*\(/, "visible") +property_reader("QTableView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QTableView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QTableView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QTableView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QTableView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QTableView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QTableView", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QTableView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QTableView", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QTableView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QTableView", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QTableView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QTableView", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QTableView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QTableView", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QTableView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QTableView", /::setWindowModified\s*\(/, "windowModified") +property_reader("QTableView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QTableView", /::setToolTip\s*\(/, "toolTip") +property_reader("QTableView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QTableView", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QTableView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QTableView", /::setStatusTip\s*\(/, "statusTip") +property_reader("QTableView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QTableView", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QTableView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QTableView", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QTableView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QTableView", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QTableView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QTableView", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QTableView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QTableView", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QTableView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QTableView", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QTableView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QTableView", /::setLocale\s*\(/, "locale") +property_reader("QTableView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QTableView", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QTableView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QTableView", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QTableView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QTableView", /::setFrameShape\s*\(/, "frameShape") +property_reader("QTableView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QTableView", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QTableView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QTableView", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QTableView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QTableView", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QTableView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QTableView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QTableView", /::setFrameRect\s*\(/, "frameRect") +property_reader("QTableView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QTableView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QTableView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QTableView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QTableView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QTableView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QTableView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") +property_writer("QTableView", /::setAutoScroll\s*\(/, "autoScroll") +property_reader("QTableView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") +property_writer("QTableView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") +property_reader("QTableView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") +property_writer("QTableView", /::setEditTriggers\s*\(/, "editTriggers") +property_reader("QTableView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") +property_writer("QTableView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") +property_reader("QTableView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") +property_writer("QTableView", /::setShowDropIndicator\s*\(/, "showDropIndicator") +property_reader("QTableView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QTableView", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QTableView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") +property_writer("QTableView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") +property_reader("QTableView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") +property_writer("QTableView", /::setDragDropMode\s*\(/, "dragDropMode") +property_reader("QTableView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") +property_writer("QTableView", /::setDefaultDropAction\s*\(/, "defaultDropAction") +property_reader("QTableView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") +property_writer("QTableView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") +property_reader("QTableView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QTableView", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QTableView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") +property_writer("QTableView", /::setSelectionBehavior\s*\(/, "selectionBehavior") +property_reader("QTableView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QTableView", /::setIconSize\s*\(/, "iconSize") +property_reader("QTableView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") +property_writer("QTableView", /::setTextElideMode\s*\(/, "textElideMode") +property_reader("QTableView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") +property_writer("QTableView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") +property_reader("QTableView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") +property_writer("QTableView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") +property_reader("QTableView", /::(showGrid|isShowGrid|hasShowGrid)\s*\(/, "showGrid") +property_writer("QTableView", /::setShowGrid\s*\(/, "showGrid") +property_reader("QTableView", /::(gridStyle|isGridStyle|hasGridStyle)\s*\(/, "gridStyle") +property_writer("QTableView", /::setGridStyle\s*\(/, "gridStyle") +property_reader("QTableView", /::(sortingEnabled|isSortingEnabled|hasSortingEnabled)\s*\(/, "sortingEnabled") +property_writer("QTableView", /::setSortingEnabled\s*\(/, "sortingEnabled") +property_reader("QTableView", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") +property_writer("QTableView", /::setWordWrap\s*\(/, "wordWrap") +property_reader("QTableView", /::(cornerButtonEnabled|isCornerButtonEnabled|hasCornerButtonEnabled)\s*\(/, "cornerButtonEnabled") +property_writer("QTableView", /::setCornerButtonEnabled\s*\(/, "cornerButtonEnabled") +property_reader("QTableWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTableWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QTableWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QTableWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QTableWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QTableWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QTableWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QTableWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QTableWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QTableWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QTableWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QTableWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QTableWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QTableWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QTableWidget", /::setPos\s*\(/, "pos") +property_reader("QTableWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QTableWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QTableWidget", /::setSize\s*\(/, "size") +property_reader("QTableWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QTableWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QTableWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QTableWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QTableWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QTableWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QTableWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QTableWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QTableWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QTableWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QTableWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QTableWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QTableWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QTableWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QTableWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QTableWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QTableWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QTableWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QTableWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QTableWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QTableWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QTableWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QTableWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QTableWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QTableWidget", /::setPalette\s*\(/, "palette") +property_reader("QTableWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QTableWidget", /::setFont\s*\(/, "font") +property_reader("QTableWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QTableWidget", /::setCursor\s*\(/, "cursor") +property_reader("QTableWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QTableWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QTableWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QTableWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QTableWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QTableWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QTableWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QTableWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QTableWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QTableWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QTableWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QTableWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QTableWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QTableWidget", /::setVisible\s*\(/, "visible") +property_reader("QTableWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QTableWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QTableWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QTableWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QTableWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QTableWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QTableWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QTableWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QTableWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QTableWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QTableWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QTableWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QTableWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QTableWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QTableWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QTableWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QTableWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QTableWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QTableWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QTableWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QTableWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QTableWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QTableWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QTableWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QTableWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QTableWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QTableWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QTableWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QTableWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QTableWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QTableWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QTableWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QTableWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QTableWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QTableWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QTableWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QTableWidget", /::setLocale\s*\(/, "locale") +property_reader("QTableWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QTableWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QTableWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QTableWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QTableWidget", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QTableWidget", /::setFrameShape\s*\(/, "frameShape") +property_reader("QTableWidget", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QTableWidget", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QTableWidget", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QTableWidget", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QTableWidget", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QTableWidget", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QTableWidget", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QTableWidget", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QTableWidget", /::setFrameRect\s*\(/, "frameRect") +property_reader("QTableWidget", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QTableWidget", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QTableWidget", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QTableWidget", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QTableWidget", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QTableWidget", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QTableWidget", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") +property_writer("QTableWidget", /::setAutoScroll\s*\(/, "autoScroll") +property_reader("QTableWidget", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") +property_writer("QTableWidget", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") +property_reader("QTableWidget", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") +property_writer("QTableWidget", /::setEditTriggers\s*\(/, "editTriggers") +property_reader("QTableWidget", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") +property_writer("QTableWidget", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") +property_reader("QTableWidget", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") +property_writer("QTableWidget", /::setShowDropIndicator\s*\(/, "showDropIndicator") +property_reader("QTableWidget", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QTableWidget", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QTableWidget", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") +property_writer("QTableWidget", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") +property_reader("QTableWidget", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") +property_writer("QTableWidget", /::setDragDropMode\s*\(/, "dragDropMode") +property_reader("QTableWidget", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") +property_writer("QTableWidget", /::setDefaultDropAction\s*\(/, "defaultDropAction") +property_reader("QTableWidget", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") +property_writer("QTableWidget", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") +property_reader("QTableWidget", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QTableWidget", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QTableWidget", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") +property_writer("QTableWidget", /::setSelectionBehavior\s*\(/, "selectionBehavior") +property_reader("QTableWidget", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QTableWidget", /::setIconSize\s*\(/, "iconSize") +property_reader("QTableWidget", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") +property_writer("QTableWidget", /::setTextElideMode\s*\(/, "textElideMode") +property_reader("QTableWidget", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") +property_writer("QTableWidget", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") +property_reader("QTableWidget", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") +property_writer("QTableWidget", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") +property_reader("QTableWidget", /::(showGrid|isShowGrid|hasShowGrid)\s*\(/, "showGrid") +property_writer("QTableWidget", /::setShowGrid\s*\(/, "showGrid") +property_reader("QTableWidget", /::(gridStyle|isGridStyle|hasGridStyle)\s*\(/, "gridStyle") +property_writer("QTableWidget", /::setGridStyle\s*\(/, "gridStyle") +property_reader("QTableWidget", /::(sortingEnabled|isSortingEnabled|hasSortingEnabled)\s*\(/, "sortingEnabled") +property_writer("QTableWidget", /::setSortingEnabled\s*\(/, "sortingEnabled") +property_reader("QTableWidget", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") +property_writer("QTableWidget", /::setWordWrap\s*\(/, "wordWrap") +property_reader("QTableWidget", /::(cornerButtonEnabled|isCornerButtonEnabled|hasCornerButtonEnabled)\s*\(/, "cornerButtonEnabled") +property_writer("QTableWidget", /::setCornerButtonEnabled\s*\(/, "cornerButtonEnabled") +property_reader("QTableWidget", /::(rowCount|isRowCount|hasRowCount)\s*\(/, "rowCount") +property_writer("QTableWidget", /::setRowCount\s*\(/, "rowCount") +property_reader("QTableWidget", /::(columnCount|isColumnCount|hasColumnCount)\s*\(/, "columnCount") +property_writer("QTableWidget", /::setColumnCount\s*\(/, "columnCount") +property_reader("QTapAndHoldGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTapAndHoldGesture", /::setObjectName\s*\(/, "objectName") +property_reader("QTapAndHoldGesture", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QTapAndHoldGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") +property_reader("QTapAndHoldGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") +property_writer("QTapAndHoldGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") +property_reader("QTapAndHoldGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") +property_writer("QTapAndHoldGesture", /::setHotSpot\s*\(/, "hotSpot") +property_reader("QTapAndHoldGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") +property_reader("QTapAndHoldGesture", /::(position|isPosition|hasPosition)\s*\(/, "position") +property_writer("QTapAndHoldGesture", /::setPosition\s*\(/, "position") +property_reader("QTapGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTapGesture", /::setObjectName\s*\(/, "objectName") +property_reader("QTapGesture", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QTapGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") +property_reader("QTapGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") +property_writer("QTapGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") +property_reader("QTapGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") +property_writer("QTapGesture", /::setHotSpot\s*\(/, "hotSpot") +property_reader("QTapGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") +property_reader("QTapGesture", /::(position|isPosition|hasPosition)\s*\(/, "position") +property_writer("QTapGesture", /::setPosition\s*\(/, "position") +property_reader("QTextBrowser", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTextBrowser", /::setObjectName\s*\(/, "objectName") +property_reader("QTextBrowser", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QTextBrowser", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QTextBrowser", /::setWindowModality\s*\(/, "windowModality") +property_reader("QTextBrowser", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QTextBrowser", /::setEnabled\s*\(/, "enabled") +property_reader("QTextBrowser", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QTextBrowser", /::setGeometry\s*\(/, "geometry") +property_reader("QTextBrowser", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QTextBrowser", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QTextBrowser", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QTextBrowser", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QTextBrowser", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QTextBrowser", /::setPos\s*\(/, "pos") +property_reader("QTextBrowser", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QTextBrowser", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QTextBrowser", /::setSize\s*\(/, "size") +property_reader("QTextBrowser", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QTextBrowser", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QTextBrowser", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QTextBrowser", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QTextBrowser", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QTextBrowser", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QTextBrowser", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QTextBrowser", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QTextBrowser", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QTextBrowser", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QTextBrowser", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QTextBrowser", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QTextBrowser", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QTextBrowser", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QTextBrowser", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QTextBrowser", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QTextBrowser", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QTextBrowser", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QTextBrowser", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QTextBrowser", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QTextBrowser", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QTextBrowser", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QTextBrowser", /::setBaseSize\s*\(/, "baseSize") +property_reader("QTextBrowser", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QTextBrowser", /::setPalette\s*\(/, "palette") +property_reader("QTextBrowser", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QTextBrowser", /::setFont\s*\(/, "font") +property_reader("QTextBrowser", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QTextBrowser", /::setCursor\s*\(/, "cursor") +property_reader("QTextBrowser", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QTextBrowser", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QTextBrowser", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QTextBrowser", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QTextBrowser", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QTextBrowser", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QTextBrowser", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QTextBrowser", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QTextBrowser", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QTextBrowser", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QTextBrowser", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QTextBrowser", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QTextBrowser", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QTextBrowser", /::setVisible\s*\(/, "visible") +property_reader("QTextBrowser", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QTextBrowser", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QTextBrowser", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QTextBrowser", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QTextBrowser", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QTextBrowser", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QTextBrowser", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QTextBrowser", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QTextBrowser", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QTextBrowser", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QTextBrowser", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QTextBrowser", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QTextBrowser", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QTextBrowser", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QTextBrowser", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QTextBrowser", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QTextBrowser", /::setWindowModified\s*\(/, "windowModified") +property_reader("QTextBrowser", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QTextBrowser", /::setToolTip\s*\(/, "toolTip") +property_reader("QTextBrowser", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QTextBrowser", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QTextBrowser", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QTextBrowser", /::setStatusTip\s*\(/, "statusTip") +property_reader("QTextBrowser", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QTextBrowser", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QTextBrowser", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QTextBrowser", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QTextBrowser", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QTextBrowser", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QTextBrowser", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QTextBrowser", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QTextBrowser", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QTextBrowser", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QTextBrowser", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QTextBrowser", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QTextBrowser", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QTextBrowser", /::setLocale\s*\(/, "locale") +property_reader("QTextBrowser", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QTextBrowser", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QTextBrowser", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QTextBrowser", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QTextBrowser", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QTextBrowser", /::setFrameShape\s*\(/, "frameShape") +property_reader("QTextBrowser", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QTextBrowser", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QTextBrowser", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QTextBrowser", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QTextBrowser", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QTextBrowser", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QTextBrowser", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QTextBrowser", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QTextBrowser", /::setFrameRect\s*\(/, "frameRect") +property_reader("QTextBrowser", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QTextBrowser", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QTextBrowser", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QTextBrowser", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QTextBrowser", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QTextBrowser", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QTextBrowser", /::(autoFormatting|isAutoFormatting|hasAutoFormatting)\s*\(/, "autoFormatting") +property_writer("QTextBrowser", /::setAutoFormatting\s*\(/, "autoFormatting") +property_reader("QTextBrowser", /::(tabChangesFocus|isTabChangesFocus|hasTabChangesFocus)\s*\(/, "tabChangesFocus") +property_writer("QTextBrowser", /::setTabChangesFocus\s*\(/, "tabChangesFocus") +property_reader("QTextBrowser", /::(documentTitle|isDocumentTitle|hasDocumentTitle)\s*\(/, "documentTitle") +property_writer("QTextBrowser", /::setDocumentTitle\s*\(/, "documentTitle") +property_reader("QTextBrowser", /::(undoRedoEnabled|isUndoRedoEnabled|hasUndoRedoEnabled)\s*\(/, "undoRedoEnabled") +property_writer("QTextBrowser", /::setUndoRedoEnabled\s*\(/, "undoRedoEnabled") +property_reader("QTextBrowser", /::(lineWrapMode|isLineWrapMode|hasLineWrapMode)\s*\(/, "lineWrapMode") +property_writer("QTextBrowser", /::setLineWrapMode\s*\(/, "lineWrapMode") +property_reader("QTextBrowser", /::(lineWrapColumnOrWidth|isLineWrapColumnOrWidth|hasLineWrapColumnOrWidth)\s*\(/, "lineWrapColumnOrWidth") +property_writer("QTextBrowser", /::setLineWrapColumnOrWidth\s*\(/, "lineWrapColumnOrWidth") +property_reader("QTextBrowser", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QTextBrowser", /::setReadOnly\s*\(/, "readOnly") +property_reader("QTextBrowser", /::(markdown|isMarkdown|hasMarkdown)\s*\(/, "markdown") +property_writer("QTextBrowser", /::setMarkdown\s*\(/, "markdown") +property_reader("QTextBrowser", /::(html|isHtml|hasHtml)\s*\(/, "html") +property_writer("QTextBrowser", /::setHtml\s*\(/, "html") +property_reader("QTextBrowser", /::(plainText|isPlainText|hasPlainText)\s*\(/, "plainText") +property_writer("QTextBrowser", /::setPlainText\s*\(/, "plainText") +property_reader("QTextBrowser", /::(overwriteMode|isOverwriteMode|hasOverwriteMode)\s*\(/, "overwriteMode") +property_writer("QTextBrowser", /::setOverwriteMode\s*\(/, "overwriteMode") +property_reader("QTextBrowser", /::(tabStopWidth|isTabStopWidth|hasTabStopWidth)\s*\(/, "tabStopWidth") +property_writer("QTextBrowser", /::setTabStopWidth\s*\(/, "tabStopWidth") +property_reader("QTextBrowser", /::(tabStopDistance|isTabStopDistance|hasTabStopDistance)\s*\(/, "tabStopDistance") +property_writer("QTextBrowser", /::setTabStopDistance\s*\(/, "tabStopDistance") +property_reader("QTextBrowser", /::(acceptRichText|isAcceptRichText|hasAcceptRichText)\s*\(/, "acceptRichText") +property_writer("QTextBrowser", /::setAcceptRichText\s*\(/, "acceptRichText") +property_reader("QTextBrowser", /::(cursorWidth|isCursorWidth|hasCursorWidth)\s*\(/, "cursorWidth") +property_writer("QTextBrowser", /::setCursorWidth\s*\(/, "cursorWidth") +property_reader("QTextBrowser", /::(textInteractionFlags|isTextInteractionFlags|hasTextInteractionFlags)\s*\(/, "textInteractionFlags") +property_writer("QTextBrowser", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") +property_reader("QTextBrowser", /::(document|isDocument|hasDocument)\s*\(/, "document") +property_writer("QTextBrowser", /::setDocument\s*\(/, "document") +property_reader("QTextBrowser", /::(placeholderText|isPlaceholderText|hasPlaceholderText)\s*\(/, "placeholderText") +property_writer("QTextBrowser", /::setPlaceholderText\s*\(/, "placeholderText") +property_reader("QTextBrowser", /::(source|isSource|hasSource)\s*\(/, "source") +property_writer("QTextBrowser", /::setSource\s*\(/, "source") +property_reader("QTextBrowser", /::(sourceType|isSourceType|hasSourceType)\s*\(/, "sourceType") +property_reader("QTextBrowser", /::(searchPaths|isSearchPaths|hasSearchPaths)\s*\(/, "searchPaths") +property_writer("QTextBrowser", /::setSearchPaths\s*\(/, "searchPaths") +property_reader("QTextBrowser", /::(openExternalLinks|isOpenExternalLinks|hasOpenExternalLinks)\s*\(/, "openExternalLinks") +property_writer("QTextBrowser", /::setOpenExternalLinks\s*\(/, "openExternalLinks") +property_reader("QTextBrowser", /::(openLinks|isOpenLinks|hasOpenLinks)\s*\(/, "openLinks") +property_writer("QTextBrowser", /::setOpenLinks\s*\(/, "openLinks") +property_reader("QTextEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTextEdit", /::setObjectName\s*\(/, "objectName") +property_reader("QTextEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QTextEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QTextEdit", /::setWindowModality\s*\(/, "windowModality") +property_reader("QTextEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QTextEdit", /::setEnabled\s*\(/, "enabled") +property_reader("QTextEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QTextEdit", /::setGeometry\s*\(/, "geometry") +property_reader("QTextEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QTextEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QTextEdit", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QTextEdit", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QTextEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QTextEdit", /::setPos\s*\(/, "pos") +property_reader("QTextEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QTextEdit", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QTextEdit", /::setSize\s*\(/, "size") +property_reader("QTextEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QTextEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QTextEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QTextEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QTextEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QTextEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QTextEdit", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QTextEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QTextEdit", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QTextEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QTextEdit", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QTextEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QTextEdit", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QTextEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QTextEdit", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QTextEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QTextEdit", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QTextEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QTextEdit", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QTextEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QTextEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QTextEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QTextEdit", /::setBaseSize\s*\(/, "baseSize") +property_reader("QTextEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QTextEdit", /::setPalette\s*\(/, "palette") +property_reader("QTextEdit", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QTextEdit", /::setFont\s*\(/, "font") +property_reader("QTextEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QTextEdit", /::setCursor\s*\(/, "cursor") +property_reader("QTextEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QTextEdit", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QTextEdit", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QTextEdit", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QTextEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QTextEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QTextEdit", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QTextEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QTextEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QTextEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QTextEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QTextEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QTextEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QTextEdit", /::setVisible\s*\(/, "visible") +property_reader("QTextEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QTextEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QTextEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QTextEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QTextEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QTextEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QTextEdit", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QTextEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QTextEdit", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QTextEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QTextEdit", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QTextEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QTextEdit", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QTextEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QTextEdit", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QTextEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QTextEdit", /::setWindowModified\s*\(/, "windowModified") +property_reader("QTextEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QTextEdit", /::setToolTip\s*\(/, "toolTip") +property_reader("QTextEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QTextEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QTextEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QTextEdit", /::setStatusTip\s*\(/, "statusTip") +property_reader("QTextEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QTextEdit", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QTextEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QTextEdit", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QTextEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QTextEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QTextEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QTextEdit", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QTextEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QTextEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QTextEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QTextEdit", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QTextEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QTextEdit", /::setLocale\s*\(/, "locale") +property_reader("QTextEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QTextEdit", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QTextEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QTextEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QTextEdit", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QTextEdit", /::setFrameShape\s*\(/, "frameShape") +property_reader("QTextEdit", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QTextEdit", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QTextEdit", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QTextEdit", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QTextEdit", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QTextEdit", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QTextEdit", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QTextEdit", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QTextEdit", /::setFrameRect\s*\(/, "frameRect") +property_reader("QTextEdit", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QTextEdit", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QTextEdit", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QTextEdit", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QTextEdit", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QTextEdit", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QTextEdit", /::(autoFormatting|isAutoFormatting|hasAutoFormatting)\s*\(/, "autoFormatting") +property_writer("QTextEdit", /::setAutoFormatting\s*\(/, "autoFormatting") +property_reader("QTextEdit", /::(tabChangesFocus|isTabChangesFocus|hasTabChangesFocus)\s*\(/, "tabChangesFocus") +property_writer("QTextEdit", /::setTabChangesFocus\s*\(/, "tabChangesFocus") +property_reader("QTextEdit", /::(documentTitle|isDocumentTitle|hasDocumentTitle)\s*\(/, "documentTitle") +property_writer("QTextEdit", /::setDocumentTitle\s*\(/, "documentTitle") +property_reader("QTextEdit", /::(undoRedoEnabled|isUndoRedoEnabled|hasUndoRedoEnabled)\s*\(/, "undoRedoEnabled") +property_writer("QTextEdit", /::setUndoRedoEnabled\s*\(/, "undoRedoEnabled") +property_reader("QTextEdit", /::(lineWrapMode|isLineWrapMode|hasLineWrapMode)\s*\(/, "lineWrapMode") +property_writer("QTextEdit", /::setLineWrapMode\s*\(/, "lineWrapMode") +property_reader("QTextEdit", /::(lineWrapColumnOrWidth|isLineWrapColumnOrWidth|hasLineWrapColumnOrWidth)\s*\(/, "lineWrapColumnOrWidth") +property_writer("QTextEdit", /::setLineWrapColumnOrWidth\s*\(/, "lineWrapColumnOrWidth") +property_reader("QTextEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QTextEdit", /::setReadOnly\s*\(/, "readOnly") +property_reader("QTextEdit", /::(markdown|isMarkdown|hasMarkdown)\s*\(/, "markdown") +property_writer("QTextEdit", /::setMarkdown\s*\(/, "markdown") +property_reader("QTextEdit", /::(html|isHtml|hasHtml)\s*\(/, "html") +property_writer("QTextEdit", /::setHtml\s*\(/, "html") +property_reader("QTextEdit", /::(plainText|isPlainText|hasPlainText)\s*\(/, "plainText") +property_writer("QTextEdit", /::setPlainText\s*\(/, "plainText") +property_reader("QTextEdit", /::(overwriteMode|isOverwriteMode|hasOverwriteMode)\s*\(/, "overwriteMode") +property_writer("QTextEdit", /::setOverwriteMode\s*\(/, "overwriteMode") +property_reader("QTextEdit", /::(tabStopWidth|isTabStopWidth|hasTabStopWidth)\s*\(/, "tabStopWidth") +property_writer("QTextEdit", /::setTabStopWidth\s*\(/, "tabStopWidth") +property_reader("QTextEdit", /::(tabStopDistance|isTabStopDistance|hasTabStopDistance)\s*\(/, "tabStopDistance") +property_writer("QTextEdit", /::setTabStopDistance\s*\(/, "tabStopDistance") +property_reader("QTextEdit", /::(acceptRichText|isAcceptRichText|hasAcceptRichText)\s*\(/, "acceptRichText") +property_writer("QTextEdit", /::setAcceptRichText\s*\(/, "acceptRichText") +property_reader("QTextEdit", /::(cursorWidth|isCursorWidth|hasCursorWidth)\s*\(/, "cursorWidth") +property_writer("QTextEdit", /::setCursorWidth\s*\(/, "cursorWidth") +property_reader("QTextEdit", /::(textInteractionFlags|isTextInteractionFlags|hasTextInteractionFlags)\s*\(/, "textInteractionFlags") +property_writer("QTextEdit", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") +property_reader("QTextEdit", /::(document|isDocument|hasDocument)\s*\(/, "document") +property_writer("QTextEdit", /::setDocument\s*\(/, "document") +property_reader("QTextEdit", /::(placeholderText|isPlaceholderText|hasPlaceholderText)\s*\(/, "placeholderText") +property_writer("QTextEdit", /::setPlaceholderText\s*\(/, "placeholderText") +property_reader("QTimeEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTimeEdit", /::setObjectName\s*\(/, "objectName") +property_reader("QTimeEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QTimeEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QTimeEdit", /::setWindowModality\s*\(/, "windowModality") +property_reader("QTimeEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QTimeEdit", /::setEnabled\s*\(/, "enabled") +property_reader("QTimeEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QTimeEdit", /::setGeometry\s*\(/, "geometry") +property_reader("QTimeEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QTimeEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QTimeEdit", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QTimeEdit", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QTimeEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QTimeEdit", /::setPos\s*\(/, "pos") +property_reader("QTimeEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QTimeEdit", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QTimeEdit", /::setSize\s*\(/, "size") +property_reader("QTimeEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QTimeEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QTimeEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QTimeEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QTimeEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QTimeEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QTimeEdit", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QTimeEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QTimeEdit", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QTimeEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QTimeEdit", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QTimeEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QTimeEdit", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QTimeEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QTimeEdit", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QTimeEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QTimeEdit", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QTimeEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QTimeEdit", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QTimeEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QTimeEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QTimeEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QTimeEdit", /::setBaseSize\s*\(/, "baseSize") +property_reader("QTimeEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QTimeEdit", /::setPalette\s*\(/, "palette") +property_reader("QTimeEdit", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QTimeEdit", /::setFont\s*\(/, "font") +property_reader("QTimeEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QTimeEdit", /::setCursor\s*\(/, "cursor") +property_reader("QTimeEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QTimeEdit", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QTimeEdit", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QTimeEdit", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QTimeEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QTimeEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QTimeEdit", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QTimeEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QTimeEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QTimeEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QTimeEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QTimeEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QTimeEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QTimeEdit", /::setVisible\s*\(/, "visible") +property_reader("QTimeEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QTimeEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QTimeEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QTimeEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QTimeEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QTimeEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QTimeEdit", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QTimeEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QTimeEdit", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QTimeEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QTimeEdit", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QTimeEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QTimeEdit", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QTimeEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QTimeEdit", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QTimeEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QTimeEdit", /::setWindowModified\s*\(/, "windowModified") +property_reader("QTimeEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QTimeEdit", /::setToolTip\s*\(/, "toolTip") +property_reader("QTimeEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QTimeEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QTimeEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QTimeEdit", /::setStatusTip\s*\(/, "statusTip") +property_reader("QTimeEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QTimeEdit", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QTimeEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QTimeEdit", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QTimeEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QTimeEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QTimeEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QTimeEdit", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QTimeEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QTimeEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QTimeEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QTimeEdit", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QTimeEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QTimeEdit", /::setLocale\s*\(/, "locale") +property_reader("QTimeEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QTimeEdit", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QTimeEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QTimeEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QTimeEdit", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") +property_writer("QTimeEdit", /::setWrapping\s*\(/, "wrapping") +property_reader("QTimeEdit", /::(frame|isFrame|hasFrame)\s*\(/, "frame") +property_writer("QTimeEdit", /::setFrame\s*\(/, "frame") +property_reader("QTimeEdit", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QTimeEdit", /::setAlignment\s*\(/, "alignment") +property_reader("QTimeEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QTimeEdit", /::setReadOnly\s*\(/, "readOnly") +property_reader("QTimeEdit", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") +property_writer("QTimeEdit", /::setButtonSymbols\s*\(/, "buttonSymbols") +property_reader("QTimeEdit", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") +property_writer("QTimeEdit", /::setSpecialValueText\s*\(/, "specialValueText") +property_reader("QTimeEdit", /::(text|isText|hasText)\s*\(/, "text") +property_reader("QTimeEdit", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") +property_writer("QTimeEdit", /::setAccelerated\s*\(/, "accelerated") +property_reader("QTimeEdit", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") +property_writer("QTimeEdit", /::setCorrectionMode\s*\(/, "correctionMode") +property_reader("QTimeEdit", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") +property_reader("QTimeEdit", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") +property_writer("QTimeEdit", /::setKeyboardTracking\s*\(/, "keyboardTracking") +property_reader("QTimeEdit", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") +property_writer("QTimeEdit", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") +property_reader("QTimeEdit", /::(dateTime|isDateTime|hasDateTime)\s*\(/, "dateTime") +property_writer("QTimeEdit", /::setDateTime\s*\(/, "dateTime") +property_reader("QTimeEdit", /::(date|isDate|hasDate)\s*\(/, "date") +property_writer("QTimeEdit", /::setDate\s*\(/, "date") +property_reader("QTimeEdit", /::(time|isTime|hasTime)\s*\(/, "time") +property_writer("QTimeEdit", /::setTime\s*\(/, "time") +property_reader("QTimeEdit", /::(maximumDateTime|isMaximumDateTime|hasMaximumDateTime)\s*\(/, "maximumDateTime") +property_writer("QTimeEdit", /::setMaximumDateTime\s*\(/, "maximumDateTime") +property_reader("QTimeEdit", /::(minimumDateTime|isMinimumDateTime|hasMinimumDateTime)\s*\(/, "minimumDateTime") +property_writer("QTimeEdit", /::setMinimumDateTime\s*\(/, "minimumDateTime") +property_reader("QTimeEdit", /::(maximumDate|isMaximumDate|hasMaximumDate)\s*\(/, "maximumDate") +property_writer("QTimeEdit", /::setMaximumDate\s*\(/, "maximumDate") +property_reader("QTimeEdit", /::(minimumDate|isMinimumDate|hasMinimumDate)\s*\(/, "minimumDate") +property_writer("QTimeEdit", /::setMinimumDate\s*\(/, "minimumDate") +property_reader("QTimeEdit", /::(maximumTime|isMaximumTime|hasMaximumTime)\s*\(/, "maximumTime") +property_writer("QTimeEdit", /::setMaximumTime\s*\(/, "maximumTime") +property_reader("QTimeEdit", /::(minimumTime|isMinimumTime|hasMinimumTime)\s*\(/, "minimumTime") +property_writer("QTimeEdit", /::setMinimumTime\s*\(/, "minimumTime") +property_reader("QTimeEdit", /::(currentSection|isCurrentSection|hasCurrentSection)\s*\(/, "currentSection") +property_writer("QTimeEdit", /::setCurrentSection\s*\(/, "currentSection") +property_reader("QTimeEdit", /::(displayedSections|isDisplayedSections|hasDisplayedSections)\s*\(/, "displayedSections") +property_reader("QTimeEdit", /::(displayFormat|isDisplayFormat|hasDisplayFormat)\s*\(/, "displayFormat") +property_writer("QTimeEdit", /::setDisplayFormat\s*\(/, "displayFormat") +property_reader("QTimeEdit", /::(calendarPopup|isCalendarPopup|hasCalendarPopup)\s*\(/, "calendarPopup") +property_writer("QTimeEdit", /::setCalendarPopup\s*\(/, "calendarPopup") +property_reader("QTimeEdit", /::(currentSectionIndex|isCurrentSectionIndex|hasCurrentSectionIndex)\s*\(/, "currentSectionIndex") +property_writer("QTimeEdit", /::setCurrentSectionIndex\s*\(/, "currentSectionIndex") +property_reader("QTimeEdit", /::(sectionCount|isSectionCount|hasSectionCount)\s*\(/, "sectionCount") +property_reader("QTimeEdit", /::(timeSpec|isTimeSpec|hasTimeSpec)\s*\(/, "timeSpec") +property_writer("QTimeEdit", /::setTimeSpec\s*\(/, "timeSpec") +property_reader("QTimeEdit", /::(time|isTime|hasTime)\s*\(/, "time") +property_writer("QTimeEdit", /::setTime\s*\(/, "time") +property_reader("QToolBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QToolBar", /::setObjectName\s*\(/, "objectName") +property_reader("QToolBar", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QToolBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QToolBar", /::setWindowModality\s*\(/, "windowModality") +property_reader("QToolBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QToolBar", /::setEnabled\s*\(/, "enabled") +property_reader("QToolBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QToolBar", /::setGeometry\s*\(/, "geometry") +property_reader("QToolBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QToolBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QToolBar", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QToolBar", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QToolBar", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QToolBar", /::setPos\s*\(/, "pos") +property_reader("QToolBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QToolBar", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QToolBar", /::setSize\s*\(/, "size") +property_reader("QToolBar", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QToolBar", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QToolBar", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QToolBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QToolBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QToolBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QToolBar", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QToolBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QToolBar", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QToolBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QToolBar", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QToolBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QToolBar", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QToolBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QToolBar", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QToolBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QToolBar", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QToolBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QToolBar", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QToolBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QToolBar", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QToolBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QToolBar", /::setBaseSize\s*\(/, "baseSize") +property_reader("QToolBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QToolBar", /::setPalette\s*\(/, "palette") +property_reader("QToolBar", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QToolBar", /::setFont\s*\(/, "font") +property_reader("QToolBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QToolBar", /::setCursor\s*\(/, "cursor") +property_reader("QToolBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QToolBar", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QToolBar", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QToolBar", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QToolBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QToolBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QToolBar", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QToolBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QToolBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QToolBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QToolBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QToolBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QToolBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QToolBar", /::setVisible\s*\(/, "visible") +property_reader("QToolBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QToolBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QToolBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QToolBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QToolBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QToolBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QToolBar", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QToolBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QToolBar", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QToolBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QToolBar", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QToolBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QToolBar", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QToolBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QToolBar", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QToolBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QToolBar", /::setWindowModified\s*\(/, "windowModified") +property_reader("QToolBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QToolBar", /::setToolTip\s*\(/, "toolTip") +property_reader("QToolBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QToolBar", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QToolBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QToolBar", /::setStatusTip\s*\(/, "statusTip") +property_reader("QToolBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QToolBar", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QToolBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QToolBar", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QToolBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QToolBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QToolBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QToolBar", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QToolBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QToolBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QToolBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QToolBar", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QToolBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QToolBar", /::setLocale\s*\(/, "locale") +property_reader("QToolBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QToolBar", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QToolBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QToolBar", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QToolBar", /::(movable|isMovable|hasMovable)\s*\(/, "movable") +property_writer("QToolBar", /::setMovable\s*\(/, "movable") +property_reader("QToolBar", /::(allowedAreas|isAllowedAreas|hasAllowedAreas)\s*\(/, "allowedAreas") +property_writer("QToolBar", /::setAllowedAreas\s*\(/, "allowedAreas") +property_reader("QToolBar", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") +property_writer("QToolBar", /::setOrientation\s*\(/, "orientation") +property_reader("QToolBar", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QToolBar", /::setIconSize\s*\(/, "iconSize") +property_reader("QToolBar", /::(toolButtonStyle|isToolButtonStyle|hasToolButtonStyle)\s*\(/, "toolButtonStyle") +property_writer("QToolBar", /::setToolButtonStyle\s*\(/, "toolButtonStyle") +property_reader("QToolBar", /::(floating|isFloating|hasFloating)\s*\(/, "floating") +property_reader("QToolBar", /::(floatable|isFloatable|hasFloatable)\s*\(/, "floatable") +property_writer("QToolBar", /::setFloatable\s*\(/, "floatable") +property_reader("QToolBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QToolBox", /::setObjectName\s*\(/, "objectName") +property_reader("QToolBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QToolBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QToolBox", /::setWindowModality\s*\(/, "windowModality") +property_reader("QToolBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QToolBox", /::setEnabled\s*\(/, "enabled") +property_reader("QToolBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QToolBox", /::setGeometry\s*\(/, "geometry") +property_reader("QToolBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QToolBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QToolBox", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QToolBox", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QToolBox", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QToolBox", /::setPos\s*\(/, "pos") +property_reader("QToolBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QToolBox", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QToolBox", /::setSize\s*\(/, "size") +property_reader("QToolBox", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QToolBox", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QToolBox", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QToolBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QToolBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QToolBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QToolBox", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QToolBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QToolBox", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QToolBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QToolBox", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QToolBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QToolBox", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QToolBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QToolBox", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QToolBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QToolBox", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QToolBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QToolBox", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QToolBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QToolBox", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QToolBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QToolBox", /::setBaseSize\s*\(/, "baseSize") +property_reader("QToolBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QToolBox", /::setPalette\s*\(/, "palette") +property_reader("QToolBox", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QToolBox", /::setFont\s*\(/, "font") +property_reader("QToolBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QToolBox", /::setCursor\s*\(/, "cursor") +property_reader("QToolBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QToolBox", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QToolBox", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QToolBox", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QToolBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QToolBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QToolBox", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QToolBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QToolBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QToolBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QToolBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QToolBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QToolBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QToolBox", /::setVisible\s*\(/, "visible") +property_reader("QToolBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QToolBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QToolBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QToolBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QToolBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QToolBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QToolBox", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QToolBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QToolBox", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QToolBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QToolBox", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QToolBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QToolBox", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QToolBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QToolBox", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QToolBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QToolBox", /::setWindowModified\s*\(/, "windowModified") +property_reader("QToolBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QToolBox", /::setToolTip\s*\(/, "toolTip") +property_reader("QToolBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QToolBox", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QToolBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QToolBox", /::setStatusTip\s*\(/, "statusTip") +property_reader("QToolBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QToolBox", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QToolBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QToolBox", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QToolBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QToolBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QToolBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QToolBox", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QToolBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QToolBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QToolBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QToolBox", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QToolBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QToolBox", /::setLocale\s*\(/, "locale") +property_reader("QToolBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QToolBox", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QToolBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QToolBox", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QToolBox", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QToolBox", /::setFrameShape\s*\(/, "frameShape") +property_reader("QToolBox", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QToolBox", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QToolBox", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QToolBox", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QToolBox", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QToolBox", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QToolBox", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QToolBox", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QToolBox", /::setFrameRect\s*\(/, "frameRect") +property_reader("QToolBox", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") +property_writer("QToolBox", /::setCurrentIndex\s*\(/, "currentIndex") +property_reader("QToolBox", /::(count|isCount|hasCount)\s*\(/, "count") +property_reader("QToolButton", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QToolButton", /::setObjectName\s*\(/, "objectName") +property_reader("QToolButton", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QToolButton", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QToolButton", /::setWindowModality\s*\(/, "windowModality") +property_reader("QToolButton", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QToolButton", /::setEnabled\s*\(/, "enabled") +property_reader("QToolButton", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QToolButton", /::setGeometry\s*\(/, "geometry") +property_reader("QToolButton", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QToolButton", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QToolButton", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QToolButton", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QToolButton", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QToolButton", /::setPos\s*\(/, "pos") +property_reader("QToolButton", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QToolButton", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QToolButton", /::setSize\s*\(/, "size") +property_reader("QToolButton", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QToolButton", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QToolButton", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QToolButton", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QToolButton", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QToolButton", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QToolButton", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QToolButton", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QToolButton", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QToolButton", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QToolButton", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QToolButton", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QToolButton", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QToolButton", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QToolButton", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QToolButton", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QToolButton", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QToolButton", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QToolButton", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QToolButton", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QToolButton", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QToolButton", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QToolButton", /::setBaseSize\s*\(/, "baseSize") +property_reader("QToolButton", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QToolButton", /::setPalette\s*\(/, "palette") +property_reader("QToolButton", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QToolButton", /::setFont\s*\(/, "font") +property_reader("QToolButton", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QToolButton", /::setCursor\s*\(/, "cursor") +property_reader("QToolButton", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QToolButton", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QToolButton", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QToolButton", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QToolButton", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QToolButton", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QToolButton", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QToolButton", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QToolButton", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QToolButton", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QToolButton", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QToolButton", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QToolButton", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QToolButton", /::setVisible\s*\(/, "visible") +property_reader("QToolButton", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QToolButton", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QToolButton", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QToolButton", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QToolButton", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QToolButton", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QToolButton", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QToolButton", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QToolButton", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QToolButton", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QToolButton", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QToolButton", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QToolButton", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QToolButton", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QToolButton", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QToolButton", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QToolButton", /::setWindowModified\s*\(/, "windowModified") +property_reader("QToolButton", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QToolButton", /::setToolTip\s*\(/, "toolTip") +property_reader("QToolButton", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QToolButton", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QToolButton", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QToolButton", /::setStatusTip\s*\(/, "statusTip") +property_reader("QToolButton", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QToolButton", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QToolButton", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QToolButton", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QToolButton", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QToolButton", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QToolButton", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QToolButton", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QToolButton", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QToolButton", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QToolButton", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QToolButton", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QToolButton", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QToolButton", /::setLocale\s*\(/, "locale") +property_reader("QToolButton", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QToolButton", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QToolButton", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QToolButton", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QToolButton", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QToolButton", /::setText\s*\(/, "text") +property_reader("QToolButton", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QToolButton", /::setIcon\s*\(/, "icon") +property_reader("QToolButton", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QToolButton", /::setIconSize\s*\(/, "iconSize") +property_reader("QToolButton", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") +property_writer("QToolButton", /::setShortcut\s*\(/, "shortcut") +property_reader("QToolButton", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") +property_writer("QToolButton", /::setCheckable\s*\(/, "checkable") +property_reader("QToolButton", /::(checked|isChecked|hasChecked)\s*\(/, "checked") +property_writer("QToolButton", /::setChecked\s*\(/, "checked") +property_reader("QToolButton", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") +property_writer("QToolButton", /::setAutoRepeat\s*\(/, "autoRepeat") +property_reader("QToolButton", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") +property_writer("QToolButton", /::setAutoExclusive\s*\(/, "autoExclusive") +property_reader("QToolButton", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") +property_writer("QToolButton", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") +property_reader("QToolButton", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") +property_writer("QToolButton", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") +property_reader("QToolButton", /::(down|isDown|hasDown)\s*\(/, "down") +property_writer("QToolButton", /::setDown\s*\(/, "down") +property_reader("QToolButton", /::(popupMode|isPopupMode|hasPopupMode)\s*\(/, "popupMode") +property_writer("QToolButton", /::setPopupMode\s*\(/, "popupMode") +property_reader("QToolButton", /::(toolButtonStyle|isToolButtonStyle|hasToolButtonStyle)\s*\(/, "toolButtonStyle") +property_writer("QToolButton", /::setToolButtonStyle\s*\(/, "toolButtonStyle") +property_reader("QToolButton", /::(autoRaise|isAutoRaise|hasAutoRaise)\s*\(/, "autoRaise") +property_writer("QToolButton", /::setAutoRaise\s*\(/, "autoRaise") +property_reader("QToolButton", /::(arrowType|isArrowType|hasArrowType)\s*\(/, "arrowType") +property_writer("QToolButton", /::setArrowType\s*\(/, "arrowType") +property_reader("QTreeView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTreeView", /::setObjectName\s*\(/, "objectName") +property_reader("QTreeView", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QTreeView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QTreeView", /::setWindowModality\s*\(/, "windowModality") +property_reader("QTreeView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QTreeView", /::setEnabled\s*\(/, "enabled") +property_reader("QTreeView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QTreeView", /::setGeometry\s*\(/, "geometry") +property_reader("QTreeView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QTreeView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QTreeView", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QTreeView", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QTreeView", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QTreeView", /::setPos\s*\(/, "pos") +property_reader("QTreeView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QTreeView", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QTreeView", /::setSize\s*\(/, "size") +property_reader("QTreeView", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QTreeView", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QTreeView", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QTreeView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QTreeView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QTreeView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QTreeView", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QTreeView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QTreeView", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QTreeView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QTreeView", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QTreeView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QTreeView", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QTreeView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QTreeView", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QTreeView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QTreeView", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QTreeView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QTreeView", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QTreeView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QTreeView", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QTreeView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QTreeView", /::setBaseSize\s*\(/, "baseSize") +property_reader("QTreeView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QTreeView", /::setPalette\s*\(/, "palette") +property_reader("QTreeView", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QTreeView", /::setFont\s*\(/, "font") +property_reader("QTreeView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QTreeView", /::setCursor\s*\(/, "cursor") +property_reader("QTreeView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QTreeView", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QTreeView", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QTreeView", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QTreeView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QTreeView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QTreeView", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QTreeView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QTreeView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QTreeView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QTreeView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QTreeView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QTreeView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QTreeView", /::setVisible\s*\(/, "visible") +property_reader("QTreeView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QTreeView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QTreeView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QTreeView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QTreeView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QTreeView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QTreeView", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QTreeView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QTreeView", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QTreeView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QTreeView", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QTreeView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QTreeView", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QTreeView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QTreeView", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QTreeView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QTreeView", /::setWindowModified\s*\(/, "windowModified") +property_reader("QTreeView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QTreeView", /::setToolTip\s*\(/, "toolTip") +property_reader("QTreeView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QTreeView", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QTreeView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QTreeView", /::setStatusTip\s*\(/, "statusTip") +property_reader("QTreeView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QTreeView", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QTreeView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QTreeView", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QTreeView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QTreeView", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QTreeView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QTreeView", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QTreeView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QTreeView", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QTreeView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QTreeView", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QTreeView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QTreeView", /::setLocale\s*\(/, "locale") +property_reader("QTreeView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QTreeView", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QTreeView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QTreeView", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QTreeView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QTreeView", /::setFrameShape\s*\(/, "frameShape") +property_reader("QTreeView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QTreeView", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QTreeView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QTreeView", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QTreeView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QTreeView", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QTreeView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QTreeView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QTreeView", /::setFrameRect\s*\(/, "frameRect") +property_reader("QTreeView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QTreeView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QTreeView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QTreeView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QTreeView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QTreeView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QTreeView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") +property_writer("QTreeView", /::setAutoScroll\s*\(/, "autoScroll") +property_reader("QTreeView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") +property_writer("QTreeView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") +property_reader("QTreeView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") +property_writer("QTreeView", /::setEditTriggers\s*\(/, "editTriggers") +property_reader("QTreeView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") +property_writer("QTreeView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") +property_reader("QTreeView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") +property_writer("QTreeView", /::setShowDropIndicator\s*\(/, "showDropIndicator") +property_reader("QTreeView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QTreeView", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QTreeView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") +property_writer("QTreeView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") +property_reader("QTreeView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") +property_writer("QTreeView", /::setDragDropMode\s*\(/, "dragDropMode") +property_reader("QTreeView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") +property_writer("QTreeView", /::setDefaultDropAction\s*\(/, "defaultDropAction") +property_reader("QTreeView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") +property_writer("QTreeView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") +property_reader("QTreeView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QTreeView", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QTreeView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") +property_writer("QTreeView", /::setSelectionBehavior\s*\(/, "selectionBehavior") +property_reader("QTreeView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QTreeView", /::setIconSize\s*\(/, "iconSize") +property_reader("QTreeView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") +property_writer("QTreeView", /::setTextElideMode\s*\(/, "textElideMode") +property_reader("QTreeView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") +property_writer("QTreeView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") +property_reader("QTreeView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") +property_writer("QTreeView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") +property_reader("QTreeView", /::(autoExpandDelay|isAutoExpandDelay|hasAutoExpandDelay)\s*\(/, "autoExpandDelay") +property_writer("QTreeView", /::setAutoExpandDelay\s*\(/, "autoExpandDelay") +property_reader("QTreeView", /::(indentation|isIndentation|hasIndentation)\s*\(/, "indentation") +property_writer("QTreeView", /::setIndentation\s*\(/, "indentation") +property_reader("QTreeView", /::(rootIsDecorated|isRootIsDecorated|hasRootIsDecorated)\s*\(/, "rootIsDecorated") +property_writer("QTreeView", /::setRootIsDecorated\s*\(/, "rootIsDecorated") +property_reader("QTreeView", /::(uniformRowHeights|isUniformRowHeights|hasUniformRowHeights)\s*\(/, "uniformRowHeights") +property_writer("QTreeView", /::setUniformRowHeights\s*\(/, "uniformRowHeights") +property_reader("QTreeView", /::(itemsExpandable|isItemsExpandable|hasItemsExpandable)\s*\(/, "itemsExpandable") +property_writer("QTreeView", /::setItemsExpandable\s*\(/, "itemsExpandable") +property_reader("QTreeView", /::(sortingEnabled|isSortingEnabled|hasSortingEnabled)\s*\(/, "sortingEnabled") +property_writer("QTreeView", /::setSortingEnabled\s*\(/, "sortingEnabled") +property_reader("QTreeView", /::(animated|isAnimated|hasAnimated)\s*\(/, "animated") +property_writer("QTreeView", /::setAnimated\s*\(/, "animated") +property_reader("QTreeView", /::(allColumnsShowFocus|isAllColumnsShowFocus|hasAllColumnsShowFocus)\s*\(/, "allColumnsShowFocus") +property_writer("QTreeView", /::setAllColumnsShowFocus\s*\(/, "allColumnsShowFocus") +property_reader("QTreeView", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") +property_writer("QTreeView", /::setWordWrap\s*\(/, "wordWrap") +property_reader("QTreeView", /::(headerHidden|isHeaderHidden|hasHeaderHidden)\s*\(/, "headerHidden") +property_writer("QTreeView", /::setHeaderHidden\s*\(/, "headerHidden") +property_reader("QTreeView", /::(expandsOnDoubleClick|isExpandsOnDoubleClick|hasExpandsOnDoubleClick)\s*\(/, "expandsOnDoubleClick") +property_writer("QTreeView", /::setExpandsOnDoubleClick\s*\(/, "expandsOnDoubleClick") +property_reader("QTreeWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTreeWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QTreeWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QTreeWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QTreeWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QTreeWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QTreeWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QTreeWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QTreeWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QTreeWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QTreeWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QTreeWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QTreeWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QTreeWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QTreeWidget", /::setPos\s*\(/, "pos") +property_reader("QTreeWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QTreeWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QTreeWidget", /::setSize\s*\(/, "size") +property_reader("QTreeWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QTreeWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QTreeWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QTreeWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QTreeWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QTreeWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QTreeWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QTreeWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QTreeWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QTreeWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QTreeWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QTreeWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QTreeWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QTreeWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QTreeWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QTreeWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QTreeWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QTreeWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QTreeWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QTreeWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QTreeWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QTreeWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QTreeWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QTreeWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QTreeWidget", /::setPalette\s*\(/, "palette") +property_reader("QTreeWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QTreeWidget", /::setFont\s*\(/, "font") +property_reader("QTreeWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QTreeWidget", /::setCursor\s*\(/, "cursor") +property_reader("QTreeWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QTreeWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QTreeWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QTreeWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QTreeWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QTreeWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QTreeWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QTreeWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QTreeWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QTreeWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QTreeWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QTreeWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QTreeWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QTreeWidget", /::setVisible\s*\(/, "visible") +property_reader("QTreeWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QTreeWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QTreeWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QTreeWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QTreeWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QTreeWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QTreeWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QTreeWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QTreeWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QTreeWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QTreeWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QTreeWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QTreeWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QTreeWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QTreeWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QTreeWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QTreeWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QTreeWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QTreeWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QTreeWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QTreeWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QTreeWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QTreeWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QTreeWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QTreeWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QTreeWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QTreeWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QTreeWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QTreeWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QTreeWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QTreeWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QTreeWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QTreeWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QTreeWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QTreeWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QTreeWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QTreeWidget", /::setLocale\s*\(/, "locale") +property_reader("QTreeWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QTreeWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QTreeWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QTreeWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QTreeWidget", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QTreeWidget", /::setFrameShape\s*\(/, "frameShape") +property_reader("QTreeWidget", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QTreeWidget", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QTreeWidget", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QTreeWidget", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QTreeWidget", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QTreeWidget", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QTreeWidget", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QTreeWidget", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QTreeWidget", /::setFrameRect\s*\(/, "frameRect") +property_reader("QTreeWidget", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QTreeWidget", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QTreeWidget", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QTreeWidget", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QTreeWidget", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QTreeWidget", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QTreeWidget", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") +property_writer("QTreeWidget", /::setAutoScroll\s*\(/, "autoScroll") +property_reader("QTreeWidget", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") +property_writer("QTreeWidget", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") +property_reader("QTreeWidget", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") +property_writer("QTreeWidget", /::setEditTriggers\s*\(/, "editTriggers") +property_reader("QTreeWidget", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") +property_writer("QTreeWidget", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") +property_reader("QTreeWidget", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") +property_writer("QTreeWidget", /::setShowDropIndicator\s*\(/, "showDropIndicator") +property_reader("QTreeWidget", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QTreeWidget", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QTreeWidget", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") +property_writer("QTreeWidget", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") +property_reader("QTreeWidget", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") +property_writer("QTreeWidget", /::setDragDropMode\s*\(/, "dragDropMode") +property_reader("QTreeWidget", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") +property_writer("QTreeWidget", /::setDefaultDropAction\s*\(/, "defaultDropAction") +property_reader("QTreeWidget", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") +property_writer("QTreeWidget", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") +property_reader("QTreeWidget", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QTreeWidget", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QTreeWidget", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") +property_writer("QTreeWidget", /::setSelectionBehavior\s*\(/, "selectionBehavior") +property_reader("QTreeWidget", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QTreeWidget", /::setIconSize\s*\(/, "iconSize") +property_reader("QTreeWidget", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") +property_writer("QTreeWidget", /::setTextElideMode\s*\(/, "textElideMode") +property_reader("QTreeWidget", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") +property_writer("QTreeWidget", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") +property_reader("QTreeWidget", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") +property_writer("QTreeWidget", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") +property_reader("QTreeWidget", /::(autoExpandDelay|isAutoExpandDelay|hasAutoExpandDelay)\s*\(/, "autoExpandDelay") +property_writer("QTreeWidget", /::setAutoExpandDelay\s*\(/, "autoExpandDelay") +property_reader("QTreeWidget", /::(indentation|isIndentation|hasIndentation)\s*\(/, "indentation") +property_writer("QTreeWidget", /::setIndentation\s*\(/, "indentation") +property_reader("QTreeWidget", /::(rootIsDecorated|isRootIsDecorated|hasRootIsDecorated)\s*\(/, "rootIsDecorated") +property_writer("QTreeWidget", /::setRootIsDecorated\s*\(/, "rootIsDecorated") +property_reader("QTreeWidget", /::(uniformRowHeights|isUniformRowHeights|hasUniformRowHeights)\s*\(/, "uniformRowHeights") +property_writer("QTreeWidget", /::setUniformRowHeights\s*\(/, "uniformRowHeights") +property_reader("QTreeWidget", /::(itemsExpandable|isItemsExpandable|hasItemsExpandable)\s*\(/, "itemsExpandable") +property_writer("QTreeWidget", /::setItemsExpandable\s*\(/, "itemsExpandable") +property_reader("QTreeWidget", /::(sortingEnabled|isSortingEnabled|hasSortingEnabled)\s*\(/, "sortingEnabled") +property_writer("QTreeWidget", /::setSortingEnabled\s*\(/, "sortingEnabled") +property_reader("QTreeWidget", /::(animated|isAnimated|hasAnimated)\s*\(/, "animated") +property_writer("QTreeWidget", /::setAnimated\s*\(/, "animated") +property_reader("QTreeWidget", /::(allColumnsShowFocus|isAllColumnsShowFocus|hasAllColumnsShowFocus)\s*\(/, "allColumnsShowFocus") +property_writer("QTreeWidget", /::setAllColumnsShowFocus\s*\(/, "allColumnsShowFocus") +property_reader("QTreeWidget", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") +property_writer("QTreeWidget", /::setWordWrap\s*\(/, "wordWrap") +property_reader("QTreeWidget", /::(headerHidden|isHeaderHidden|hasHeaderHidden)\s*\(/, "headerHidden") +property_writer("QTreeWidget", /::setHeaderHidden\s*\(/, "headerHidden") +property_reader("QTreeWidget", /::(expandsOnDoubleClick|isExpandsOnDoubleClick|hasExpandsOnDoubleClick)\s*\(/, "expandsOnDoubleClick") +property_writer("QTreeWidget", /::setExpandsOnDoubleClick\s*\(/, "expandsOnDoubleClick") +property_reader("QTreeWidget", /::(columnCount|isColumnCount|hasColumnCount)\s*\(/, "columnCount") +property_writer("QTreeWidget", /::setColumnCount\s*\(/, "columnCount") +property_reader("QTreeWidget", /::(topLevelItemCount|isTopLevelItemCount|hasTopLevelItemCount)\s*\(/, "topLevelItemCount") +property_reader("QUndoGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QUndoGroup", /::setObjectName\s*\(/, "objectName") +property_reader("QUndoStack", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QUndoStack", /::setObjectName\s*\(/, "objectName") +property_reader("QUndoStack", /::(active|isActive|hasActive)\s*\(/, "active") +property_writer("QUndoStack", /::setActive\s*\(/, "active") +property_reader("QUndoStack", /::(undoLimit|isUndoLimit|hasUndoLimit)\s*\(/, "undoLimit") +property_writer("QUndoStack", /::setUndoLimit\s*\(/, "undoLimit") +property_reader("QUndoStack", /::(canUndo|isCanUndo|hasCanUndo)\s*\(/, "canUndo") +property_reader("QUndoStack", /::(canRedo|isCanRedo|hasCanRedo)\s*\(/, "canRedo") +property_reader("QUndoStack", /::(undoText|isUndoText|hasUndoText)\s*\(/, "undoText") +property_reader("QUndoStack", /::(redoText|isRedoText|hasRedoText)\s*\(/, "redoText") +property_reader("QUndoStack", /::(clean|isClean|hasClean)\s*\(/, "clean") +property_reader("QUndoView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QUndoView", /::setObjectName\s*\(/, "objectName") +property_reader("QUndoView", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QUndoView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QUndoView", /::setWindowModality\s*\(/, "windowModality") +property_reader("QUndoView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QUndoView", /::setEnabled\s*\(/, "enabled") +property_reader("QUndoView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QUndoView", /::setGeometry\s*\(/, "geometry") +property_reader("QUndoView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QUndoView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QUndoView", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QUndoView", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QUndoView", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QUndoView", /::setPos\s*\(/, "pos") +property_reader("QUndoView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QUndoView", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QUndoView", /::setSize\s*\(/, "size") +property_reader("QUndoView", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QUndoView", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QUndoView", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QUndoView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QUndoView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QUndoView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QUndoView", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QUndoView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QUndoView", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QUndoView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QUndoView", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QUndoView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QUndoView", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QUndoView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QUndoView", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QUndoView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QUndoView", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QUndoView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QUndoView", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QUndoView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QUndoView", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QUndoView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QUndoView", /::setBaseSize\s*\(/, "baseSize") +property_reader("QUndoView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QUndoView", /::setPalette\s*\(/, "palette") +property_reader("QUndoView", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QUndoView", /::setFont\s*\(/, "font") +property_reader("QUndoView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QUndoView", /::setCursor\s*\(/, "cursor") +property_reader("QUndoView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QUndoView", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QUndoView", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QUndoView", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QUndoView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QUndoView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QUndoView", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QUndoView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QUndoView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QUndoView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QUndoView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QUndoView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QUndoView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QUndoView", /::setVisible\s*\(/, "visible") +property_reader("QUndoView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QUndoView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QUndoView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QUndoView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QUndoView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QUndoView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QUndoView", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QUndoView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QUndoView", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QUndoView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QUndoView", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QUndoView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QUndoView", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QUndoView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QUndoView", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QUndoView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QUndoView", /::setWindowModified\s*\(/, "windowModified") +property_reader("QUndoView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QUndoView", /::setToolTip\s*\(/, "toolTip") +property_reader("QUndoView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QUndoView", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QUndoView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QUndoView", /::setStatusTip\s*\(/, "statusTip") +property_reader("QUndoView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QUndoView", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QUndoView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QUndoView", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QUndoView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QUndoView", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QUndoView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QUndoView", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QUndoView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QUndoView", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QUndoView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QUndoView", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QUndoView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QUndoView", /::setLocale\s*\(/, "locale") +property_reader("QUndoView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QUndoView", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QUndoView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QUndoView", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QUndoView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QUndoView", /::setFrameShape\s*\(/, "frameShape") +property_reader("QUndoView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QUndoView", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QUndoView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QUndoView", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QUndoView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QUndoView", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QUndoView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QUndoView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QUndoView", /::setFrameRect\s*\(/, "frameRect") +property_reader("QUndoView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QUndoView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QUndoView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QUndoView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QUndoView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QUndoView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QUndoView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") +property_writer("QUndoView", /::setAutoScroll\s*\(/, "autoScroll") +property_reader("QUndoView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") +property_writer("QUndoView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") +property_reader("QUndoView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") +property_writer("QUndoView", /::setEditTriggers\s*\(/, "editTriggers") +property_reader("QUndoView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") +property_writer("QUndoView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") +property_reader("QUndoView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") +property_writer("QUndoView", /::setShowDropIndicator\s*\(/, "showDropIndicator") +property_reader("QUndoView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QUndoView", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QUndoView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") +property_writer("QUndoView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") +property_reader("QUndoView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") +property_writer("QUndoView", /::setDragDropMode\s*\(/, "dragDropMode") +property_reader("QUndoView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") +property_writer("QUndoView", /::setDefaultDropAction\s*\(/, "defaultDropAction") +property_reader("QUndoView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") +property_writer("QUndoView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") +property_reader("QUndoView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QUndoView", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QUndoView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") +property_writer("QUndoView", /::setSelectionBehavior\s*\(/, "selectionBehavior") +property_reader("QUndoView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QUndoView", /::setIconSize\s*\(/, "iconSize") +property_reader("QUndoView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") +property_writer("QUndoView", /::setTextElideMode\s*\(/, "textElideMode") +property_reader("QUndoView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") +property_writer("QUndoView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") +property_reader("QUndoView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") +property_writer("QUndoView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") +property_reader("QUndoView", /::(movement|isMovement|hasMovement)\s*\(/, "movement") +property_writer("QUndoView", /::setMovement\s*\(/, "movement") +property_reader("QUndoView", /::(flow|isFlow|hasFlow)\s*\(/, "flow") +property_writer("QUndoView", /::setFlow\s*\(/, "flow") +property_reader("QUndoView", /::(isWrapping|isIsWrapping|hasIsWrapping)\s*\(/, "isWrapping") +property_writer("QUndoView", /::setIsWrapping\s*\(/, "isWrapping") +property_reader("QUndoView", /::(resizeMode|isResizeMode|hasResizeMode)\s*\(/, "resizeMode") +property_writer("QUndoView", /::setResizeMode\s*\(/, "resizeMode") +property_reader("QUndoView", /::(layoutMode|isLayoutMode|hasLayoutMode)\s*\(/, "layoutMode") +property_writer("QUndoView", /::setLayoutMode\s*\(/, "layoutMode") +property_reader("QUndoView", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QUndoView", /::setSpacing\s*\(/, "spacing") +property_reader("QUndoView", /::(gridSize|isGridSize|hasGridSize)\s*\(/, "gridSize") +property_writer("QUndoView", /::setGridSize\s*\(/, "gridSize") +property_reader("QUndoView", /::(viewMode|isViewMode|hasViewMode)\s*\(/, "viewMode") +property_writer("QUndoView", /::setViewMode\s*\(/, "viewMode") +property_reader("QUndoView", /::(modelColumn|isModelColumn|hasModelColumn)\s*\(/, "modelColumn") +property_writer("QUndoView", /::setModelColumn\s*\(/, "modelColumn") +property_reader("QUndoView", /::(uniformItemSizes|isUniformItemSizes|hasUniformItemSizes)\s*\(/, "uniformItemSizes") +property_writer("QUndoView", /::setUniformItemSizes\s*\(/, "uniformItemSizes") +property_reader("QUndoView", /::(batchSize|isBatchSize|hasBatchSize)\s*\(/, "batchSize") +property_writer("QUndoView", /::setBatchSize\s*\(/, "batchSize") +property_reader("QUndoView", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") +property_writer("QUndoView", /::setWordWrap\s*\(/, "wordWrap") +property_reader("QUndoView", /::(selectionRectVisible|isSelectionRectVisible|hasSelectionRectVisible)\s*\(/, "selectionRectVisible") +property_writer("QUndoView", /::setSelectionRectVisible\s*\(/, "selectionRectVisible") +property_reader("QUndoView", /::(itemAlignment|isItemAlignment|hasItemAlignment)\s*\(/, "itemAlignment") +property_writer("QUndoView", /::setItemAlignment\s*\(/, "itemAlignment") +property_reader("QUndoView", /::(emptyLabel|isEmptyLabel|hasEmptyLabel)\s*\(/, "emptyLabel") +property_writer("QUndoView", /::setEmptyLabel\s*\(/, "emptyLabel") +property_reader("QUndoView", /::(cleanIcon|isCleanIcon|hasCleanIcon)\s*\(/, "cleanIcon") +property_writer("QUndoView", /::setCleanIcon\s*\(/, "cleanIcon") +property_reader("QVBoxLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QVBoxLayout", /::setObjectName\s*\(/, "objectName") +property_reader("QVBoxLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") +property_writer("QVBoxLayout", /::setMargin\s*\(/, "margin") +property_reader("QVBoxLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QVBoxLayout", /::setSpacing\s*\(/, "spacing") +property_reader("QVBoxLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") +property_writer("QVBoxLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") +property_reader("QWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QWidget", /::setPos\s*\(/, "pos") +property_reader("QWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QWidget", /::setSize\s*\(/, "size") +property_reader("QWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QWidget", /::setPalette\s*\(/, "palette") +property_reader("QWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QWidget", /::setFont\s*\(/, "font") +property_reader("QWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QWidget", /::setCursor\s*\(/, "cursor") +property_reader("QWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QWidget", /::setVisible\s*\(/, "visible") +property_reader("QWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QWidget", /::setLocale\s*\(/, "locale") +property_reader("QWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QWidgetAction", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QWidgetAction", /::setObjectName\s*\(/, "objectName") +property_reader("QWidgetAction", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") +property_writer("QWidgetAction", /::setCheckable\s*\(/, "checkable") +property_reader("QWidgetAction", /::(checked|isChecked|hasChecked)\s*\(/, "checked") +property_writer("QWidgetAction", /::setChecked\s*\(/, "checked") +property_reader("QWidgetAction", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QWidgetAction", /::setEnabled\s*\(/, "enabled") +property_reader("QWidgetAction", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QWidgetAction", /::setIcon\s*\(/, "icon") +property_reader("QWidgetAction", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QWidgetAction", /::setText\s*\(/, "text") +property_reader("QWidgetAction", /::(iconText|isIconText|hasIconText)\s*\(/, "iconText") +property_writer("QWidgetAction", /::setIconText\s*\(/, "iconText") +property_reader("QWidgetAction", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QWidgetAction", /::setToolTip\s*\(/, "toolTip") +property_reader("QWidgetAction", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QWidgetAction", /::setStatusTip\s*\(/, "statusTip") +property_reader("QWidgetAction", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QWidgetAction", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QWidgetAction", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QWidgetAction", /::setFont\s*\(/, "font") +property_reader("QWidgetAction", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") +property_writer("QWidgetAction", /::setShortcut\s*\(/, "shortcut") +property_reader("QWidgetAction", /::(shortcutContext|isShortcutContext|hasShortcutContext)\s*\(/, "shortcutContext") +property_writer("QWidgetAction", /::setShortcutContext\s*\(/, "shortcutContext") +property_reader("QWidgetAction", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") +property_writer("QWidgetAction", /::setAutoRepeat\s*\(/, "autoRepeat") +property_reader("QWidgetAction", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QWidgetAction", /::setVisible\s*\(/, "visible") +property_reader("QWidgetAction", /::(menuRole|isMenuRole|hasMenuRole)\s*\(/, "menuRole") +property_writer("QWidgetAction", /::setMenuRole\s*\(/, "menuRole") +property_reader("QWidgetAction", /::(iconVisibleInMenu|isIconVisibleInMenu|hasIconVisibleInMenu)\s*\(/, "iconVisibleInMenu") +property_writer("QWidgetAction", /::setIconVisibleInMenu\s*\(/, "iconVisibleInMenu") +property_reader("QWidgetAction", /::(shortcutVisibleInContextMenu|isShortcutVisibleInContextMenu|hasShortcutVisibleInContextMenu)\s*\(/, "shortcutVisibleInContextMenu") +property_writer("QWidgetAction", /::setShortcutVisibleInContextMenu\s*\(/, "shortcutVisibleInContextMenu") +property_reader("QWidgetAction", /::(priority|isPriority|hasPriority)\s*\(/, "priority") +property_writer("QWidgetAction", /::setPriority\s*\(/, "priority") +property_reader("QWizard", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QWizard", /::setObjectName\s*\(/, "objectName") +property_reader("QWizard", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QWizard", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QWizard", /::setWindowModality\s*\(/, "windowModality") +property_reader("QWizard", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QWizard", /::setEnabled\s*\(/, "enabled") +property_reader("QWizard", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QWizard", /::setGeometry\s*\(/, "geometry") +property_reader("QWizard", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QWizard", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QWizard", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QWizard", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QWizard", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QWizard", /::setPos\s*\(/, "pos") +property_reader("QWizard", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QWizard", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QWizard", /::setSize\s*\(/, "size") +property_reader("QWizard", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QWizard", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QWizard", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QWizard", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QWizard", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QWizard", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QWizard", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QWizard", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QWizard", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QWizard", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QWizard", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QWizard", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QWizard", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QWizard", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QWizard", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QWizard", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QWizard", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QWizard", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QWizard", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QWizard", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QWizard", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QWizard", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QWizard", /::setBaseSize\s*\(/, "baseSize") +property_reader("QWizard", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QWizard", /::setPalette\s*\(/, "palette") +property_reader("QWizard", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QWizard", /::setFont\s*\(/, "font") +property_reader("QWizard", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QWizard", /::setCursor\s*\(/, "cursor") +property_reader("QWizard", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QWizard", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QWizard", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QWizard", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QWizard", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QWizard", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QWizard", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QWizard", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QWizard", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QWizard", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QWizard", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QWizard", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QWizard", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QWizard", /::setVisible\s*\(/, "visible") +property_reader("QWizard", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QWizard", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QWizard", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QWizard", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QWizard", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QWizard", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QWizard", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QWizard", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QWizard", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QWizard", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QWizard", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QWizard", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QWizard", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QWizard", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QWizard", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QWizard", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QWizard", /::setWindowModified\s*\(/, "windowModified") +property_reader("QWizard", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QWizard", /::setToolTip\s*\(/, "toolTip") +property_reader("QWizard", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QWizard", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QWizard", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QWizard", /::setStatusTip\s*\(/, "statusTip") +property_reader("QWizard", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QWizard", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QWizard", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QWizard", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QWizard", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QWizard", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QWizard", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QWizard", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QWizard", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QWizard", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QWizard", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QWizard", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QWizard", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QWizard", /::setLocale\s*\(/, "locale") +property_reader("QWizard", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QWizard", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QWizard", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QWizard", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QWizard", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QWizard", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QWizard", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QWizard", /::setModal\s*\(/, "modal") +property_reader("QWizard", /::(wizardStyle|isWizardStyle|hasWizardStyle)\s*\(/, "wizardStyle") +property_writer("QWizard", /::setWizardStyle\s*\(/, "wizardStyle") +property_reader("QWizard", /::(options|isOptions|hasOptions)\s*\(/, "options") +property_writer("QWizard", /::setOptions\s*\(/, "options") +property_reader("QWizard", /::(titleFormat|isTitleFormat|hasTitleFormat)\s*\(/, "titleFormat") +property_writer("QWizard", /::setTitleFormat\s*\(/, "titleFormat") +property_reader("QWizard", /::(subTitleFormat|isSubTitleFormat|hasSubTitleFormat)\s*\(/, "subTitleFormat") +property_writer("QWizard", /::setSubTitleFormat\s*\(/, "subTitleFormat") +property_reader("QWizard", /::(startId|isStartId|hasStartId)\s*\(/, "startId") +property_writer("QWizard", /::setStartId\s*\(/, "startId") +property_reader("QWizard", /::(currentId|isCurrentId|hasCurrentId)\s*\(/, "currentId") +property_reader("QWizardPage", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QWizardPage", /::setObjectName\s*\(/, "objectName") +property_reader("QWizardPage", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QWizardPage", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QWizardPage", /::setWindowModality\s*\(/, "windowModality") +property_reader("QWizardPage", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QWizardPage", /::setEnabled\s*\(/, "enabled") +property_reader("QWizardPage", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QWizardPage", /::setGeometry\s*\(/, "geometry") +property_reader("QWizardPage", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QWizardPage", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QWizardPage", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QWizardPage", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QWizardPage", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QWizardPage", /::setPos\s*\(/, "pos") +property_reader("QWizardPage", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QWizardPage", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QWizardPage", /::setSize\s*\(/, "size") +property_reader("QWizardPage", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QWizardPage", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QWizardPage", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QWizardPage", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QWizardPage", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QWizardPage", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QWizardPage", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QWizardPage", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QWizardPage", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QWizardPage", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QWizardPage", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QWizardPage", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QWizardPage", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QWizardPage", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QWizardPage", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QWizardPage", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QWizardPage", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QWizardPage", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QWizardPage", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QWizardPage", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QWizardPage", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QWizardPage", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QWizardPage", /::setBaseSize\s*\(/, "baseSize") +property_reader("QWizardPage", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QWizardPage", /::setPalette\s*\(/, "palette") +property_reader("QWizardPage", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QWizardPage", /::setFont\s*\(/, "font") +property_reader("QWizardPage", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QWizardPage", /::setCursor\s*\(/, "cursor") +property_reader("QWizardPage", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QWizardPage", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QWizardPage", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QWizardPage", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QWizardPage", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QWizardPage", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QWizardPage", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QWizardPage", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QWizardPage", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QWizardPage", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QWizardPage", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QWizardPage", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QWizardPage", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QWizardPage", /::setVisible\s*\(/, "visible") +property_reader("QWizardPage", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QWizardPage", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QWizardPage", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QWizardPage", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QWizardPage", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QWizardPage", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QWizardPage", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QWizardPage", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QWizardPage", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QWizardPage", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QWizardPage", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QWizardPage", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QWizardPage", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QWizardPage", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QWizardPage", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QWizardPage", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QWizardPage", /::setWindowModified\s*\(/, "windowModified") +property_reader("QWizardPage", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QWizardPage", /::setToolTip\s*\(/, "toolTip") +property_reader("QWizardPage", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QWizardPage", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QWizardPage", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QWizardPage", /::setStatusTip\s*\(/, "statusTip") +property_reader("QWizardPage", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QWizardPage", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QWizardPage", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QWizardPage", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QWizardPage", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QWizardPage", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QWizardPage", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QWizardPage", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QWizardPage", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QWizardPage", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QWizardPage", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QWizardPage", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QWizardPage", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QWizardPage", /::setLocale\s*\(/, "locale") +property_reader("QWizardPage", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QWizardPage", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QWizardPage", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QWizardPage", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QWizardPage", /::(title|isTitle|hasTitle)\s*\(/, "title") +property_writer("QWizardPage", /::setTitle\s*\(/, "title") +property_reader("QWizardPage", /::(subTitle|isSubTitle|hasSubTitle)\s*\(/, "subTitle") +property_writer("QWizardPage", /::setSubTitle\s*\(/, "subTitle") +property_reader("QAbstractMessageHandler", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractMessageHandler", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractUriResolver", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractUriResolver", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsSvgItem", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsSvgItem", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsSvgItem", /::(parent|isParent|hasParent)\s*\(/, "parent") +property_writer("QGraphicsSvgItem", /::setParent\s*\(/, "parent") +property_reader("QGraphicsSvgItem", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") +property_writer("QGraphicsSvgItem", /::setOpacity\s*\(/, "opacity") +property_reader("QGraphicsSvgItem", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsSvgItem", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsSvgItem", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QGraphicsSvgItem", /::setVisible\s*\(/, "visible") +property_reader("QGraphicsSvgItem", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QGraphicsSvgItem", /::setPos\s*\(/, "pos") +property_reader("QGraphicsSvgItem", /::(x|isX|hasX)\s*\(/, "x") +property_writer("QGraphicsSvgItem", /::setX\s*\(/, "x") +property_reader("QGraphicsSvgItem", /::(y|isY|hasY)\s*\(/, "y") +property_writer("QGraphicsSvgItem", /::setY\s*\(/, "y") +property_reader("QGraphicsSvgItem", /::(z|isZ|hasZ)\s*\(/, "z") +property_writer("QGraphicsSvgItem", /::setZ\s*\(/, "z") +property_reader("QGraphicsSvgItem", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") +property_writer("QGraphicsSvgItem", /::setRotation\s*\(/, "rotation") +property_reader("QGraphicsSvgItem", /::(scale|isScale|hasScale)\s*\(/, "scale") +property_writer("QGraphicsSvgItem", /::setScale\s*\(/, "scale") +property_reader("QGraphicsSvgItem", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") +property_writer("QGraphicsSvgItem", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") +property_reader("QGraphicsSvgItem", /::(effect|isEffect|hasEffect)\s*\(/, "effect") +property_writer("QGraphicsSvgItem", /::setEffect\s*\(/, "effect") +property_reader("QGraphicsSvgItem", /::(children|isChildren|hasChildren)\s*\(/, "children") +property_reader("QGraphicsSvgItem", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_writer("QGraphicsSvgItem", /::setWidth\s*\(/, "width") +property_reader("QGraphicsSvgItem", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_writer("QGraphicsSvgItem", /::setHeight\s*\(/, "height") +property_reader("QGraphicsSvgItem", /::(elementId|isElementId|hasElementId)\s*\(/, "elementId") +property_writer("QGraphicsSvgItem", /::setElementId\s*\(/, "elementId") +property_reader("QGraphicsSvgItem", /::(maximumCacheSize|isMaximumCacheSize|hasMaximumCacheSize)\s*\(/, "maximumCacheSize") +property_writer("QGraphicsSvgItem", /::setMaximumCacheSize\s*\(/, "maximumCacheSize") +property_reader("QSvgRenderer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSvgRenderer", /::setObjectName\s*\(/, "objectName") +property_reader("QSvgRenderer", /::(viewBox|isViewBox|hasViewBox)\s*\(/, "viewBox") +property_writer("QSvgRenderer", /::setViewBox\s*\(/, "viewBox") +property_reader("QSvgRenderer", /::(framesPerSecond|isFramesPerSecond|hasFramesPerSecond)\s*\(/, "framesPerSecond") +property_writer("QSvgRenderer", /::setFramesPerSecond\s*\(/, "framesPerSecond") +property_reader("QSvgRenderer", /::(currentFrame|isCurrentFrame|hasCurrentFrame)\s*\(/, "currentFrame") +property_writer("QSvgRenderer", /::setCurrentFrame\s*\(/, "currentFrame") +property_reader("QSvgRenderer", /::(aspectRatioMode|isAspectRatioMode|hasAspectRatioMode)\s*\(/, "aspectRatioMode") +property_writer("QSvgRenderer", /::setAspectRatioMode\s*\(/, "aspectRatioMode") +property_reader("QSvgWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSvgWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QSvgWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QSvgWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QSvgWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QSvgWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QSvgWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QSvgWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QSvgWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QSvgWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QSvgWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QSvgWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QSvgWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QSvgWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QSvgWidget", /::setPos\s*\(/, "pos") +property_reader("QSvgWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QSvgWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QSvgWidget", /::setSize\s*\(/, "size") +property_reader("QSvgWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QSvgWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QSvgWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QSvgWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QSvgWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QSvgWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QSvgWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QSvgWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QSvgWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QSvgWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QSvgWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QSvgWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QSvgWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QSvgWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QSvgWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QSvgWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QSvgWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QSvgWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QSvgWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QSvgWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QSvgWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QSvgWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QSvgWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QSvgWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QSvgWidget", /::setPalette\s*\(/, "palette") +property_reader("QSvgWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QSvgWidget", /::setFont\s*\(/, "font") +property_reader("QSvgWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QSvgWidget", /::setCursor\s*\(/, "cursor") +property_reader("QSvgWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QSvgWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QSvgWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QSvgWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QSvgWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QSvgWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QSvgWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QSvgWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QSvgWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QSvgWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QSvgWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QSvgWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QSvgWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QSvgWidget", /::setVisible\s*\(/, "visible") +property_reader("QSvgWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QSvgWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QSvgWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QSvgWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QSvgWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QSvgWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QSvgWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QSvgWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QSvgWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QSvgWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QSvgWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QSvgWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QSvgWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QSvgWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QSvgWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QSvgWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QSvgWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QSvgWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QSvgWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QSvgWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QSvgWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QSvgWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QSvgWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QSvgWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QSvgWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QSvgWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QSvgWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QSvgWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QSvgWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QSvgWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QSvgWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QSvgWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QSvgWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QSvgWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QSvgWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QSvgWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QSvgWidget", /::setLocale\s*\(/, "locale") +property_reader("QSvgWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QSvgWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QSvgWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QSvgWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QAbstractPrintDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractPrintDialog", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractPrintDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QAbstractPrintDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QAbstractPrintDialog", /::setWindowModality\s*\(/, "windowModality") +property_reader("QAbstractPrintDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QAbstractPrintDialog", /::setEnabled\s*\(/, "enabled") +property_reader("QAbstractPrintDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QAbstractPrintDialog", /::setGeometry\s*\(/, "geometry") +property_reader("QAbstractPrintDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QAbstractPrintDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QAbstractPrintDialog", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QAbstractPrintDialog", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QAbstractPrintDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QAbstractPrintDialog", /::setPos\s*\(/, "pos") +property_reader("QAbstractPrintDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QAbstractPrintDialog", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QAbstractPrintDialog", /::setSize\s*\(/, "size") +property_reader("QAbstractPrintDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QAbstractPrintDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QAbstractPrintDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QAbstractPrintDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QAbstractPrintDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QAbstractPrintDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QAbstractPrintDialog", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QAbstractPrintDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QAbstractPrintDialog", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QAbstractPrintDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QAbstractPrintDialog", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QAbstractPrintDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QAbstractPrintDialog", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QAbstractPrintDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QAbstractPrintDialog", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QAbstractPrintDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QAbstractPrintDialog", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QAbstractPrintDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QAbstractPrintDialog", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QAbstractPrintDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QAbstractPrintDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QAbstractPrintDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QAbstractPrintDialog", /::setBaseSize\s*\(/, "baseSize") +property_reader("QAbstractPrintDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QAbstractPrintDialog", /::setPalette\s*\(/, "palette") +property_reader("QAbstractPrintDialog", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QAbstractPrintDialog", /::setFont\s*\(/, "font") +property_reader("QAbstractPrintDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QAbstractPrintDialog", /::setCursor\s*\(/, "cursor") +property_reader("QAbstractPrintDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QAbstractPrintDialog", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QAbstractPrintDialog", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QAbstractPrintDialog", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QAbstractPrintDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QAbstractPrintDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QAbstractPrintDialog", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QAbstractPrintDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QAbstractPrintDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QAbstractPrintDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QAbstractPrintDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QAbstractPrintDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QAbstractPrintDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QAbstractPrintDialog", /::setVisible\s*\(/, "visible") +property_reader("QAbstractPrintDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QAbstractPrintDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QAbstractPrintDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QAbstractPrintDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QAbstractPrintDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QAbstractPrintDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QAbstractPrintDialog", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QAbstractPrintDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QAbstractPrintDialog", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QAbstractPrintDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QAbstractPrintDialog", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QAbstractPrintDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QAbstractPrintDialog", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QAbstractPrintDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QAbstractPrintDialog", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QAbstractPrintDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QAbstractPrintDialog", /::setWindowModified\s*\(/, "windowModified") +property_reader("QAbstractPrintDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QAbstractPrintDialog", /::setToolTip\s*\(/, "toolTip") +property_reader("QAbstractPrintDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QAbstractPrintDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QAbstractPrintDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QAbstractPrintDialog", /::setStatusTip\s*\(/, "statusTip") +property_reader("QAbstractPrintDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QAbstractPrintDialog", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QAbstractPrintDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QAbstractPrintDialog", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QAbstractPrintDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QAbstractPrintDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QAbstractPrintDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QAbstractPrintDialog", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QAbstractPrintDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QAbstractPrintDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QAbstractPrintDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QAbstractPrintDialog", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QAbstractPrintDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QAbstractPrintDialog", /::setLocale\s*\(/, "locale") +property_reader("QAbstractPrintDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QAbstractPrintDialog", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QAbstractPrintDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QAbstractPrintDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QAbstractPrintDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QAbstractPrintDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QAbstractPrintDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QAbstractPrintDialog", /::setModal\s*\(/, "modal") +property_reader("QPrintDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPrintDialog", /::setObjectName\s*\(/, "objectName") +property_reader("QPrintDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QPrintDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QPrintDialog", /::setWindowModality\s*\(/, "windowModality") +property_reader("QPrintDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QPrintDialog", /::setEnabled\s*\(/, "enabled") +property_reader("QPrintDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QPrintDialog", /::setGeometry\s*\(/, "geometry") +property_reader("QPrintDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QPrintDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QPrintDialog", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QPrintDialog", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QPrintDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QPrintDialog", /::setPos\s*\(/, "pos") +property_reader("QPrintDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QPrintDialog", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QPrintDialog", /::setSize\s*\(/, "size") +property_reader("QPrintDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QPrintDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QPrintDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QPrintDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QPrintDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QPrintDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QPrintDialog", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QPrintDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QPrintDialog", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QPrintDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QPrintDialog", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QPrintDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QPrintDialog", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QPrintDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QPrintDialog", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QPrintDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QPrintDialog", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QPrintDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QPrintDialog", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QPrintDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QPrintDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QPrintDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QPrintDialog", /::setBaseSize\s*\(/, "baseSize") +property_reader("QPrintDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QPrintDialog", /::setPalette\s*\(/, "palette") +property_reader("QPrintDialog", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QPrintDialog", /::setFont\s*\(/, "font") +property_reader("QPrintDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QPrintDialog", /::setCursor\s*\(/, "cursor") +property_reader("QPrintDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QPrintDialog", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QPrintDialog", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QPrintDialog", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QPrintDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QPrintDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QPrintDialog", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QPrintDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QPrintDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QPrintDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QPrintDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QPrintDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QPrintDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QPrintDialog", /::setVisible\s*\(/, "visible") +property_reader("QPrintDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QPrintDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QPrintDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QPrintDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QPrintDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QPrintDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QPrintDialog", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QPrintDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QPrintDialog", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QPrintDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QPrintDialog", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QPrintDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QPrintDialog", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QPrintDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QPrintDialog", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QPrintDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QPrintDialog", /::setWindowModified\s*\(/, "windowModified") +property_reader("QPrintDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QPrintDialog", /::setToolTip\s*\(/, "toolTip") +property_reader("QPrintDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QPrintDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QPrintDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QPrintDialog", /::setStatusTip\s*\(/, "statusTip") +property_reader("QPrintDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QPrintDialog", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QPrintDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QPrintDialog", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QPrintDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QPrintDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QPrintDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QPrintDialog", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QPrintDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QPrintDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QPrintDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QPrintDialog", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QPrintDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QPrintDialog", /::setLocale\s*\(/, "locale") +property_reader("QPrintDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QPrintDialog", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QPrintDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QPrintDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QPrintDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QPrintDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QPrintDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QPrintDialog", /::setModal\s*\(/, "modal") +property_reader("QPrintDialog", /::(options|isOptions|hasOptions)\s*\(/, "options") +property_writer("QPrintDialog", /::setOptions\s*\(/, "options") +property_reader("QPrintPreviewDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPrintPreviewDialog", /::setObjectName\s*\(/, "objectName") +property_reader("QPrintPreviewDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QPrintPreviewDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QPrintPreviewDialog", /::setWindowModality\s*\(/, "windowModality") +property_reader("QPrintPreviewDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QPrintPreviewDialog", /::setEnabled\s*\(/, "enabled") +property_reader("QPrintPreviewDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QPrintPreviewDialog", /::setGeometry\s*\(/, "geometry") +property_reader("QPrintPreviewDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QPrintPreviewDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QPrintPreviewDialog", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QPrintPreviewDialog", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QPrintPreviewDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QPrintPreviewDialog", /::setPos\s*\(/, "pos") +property_reader("QPrintPreviewDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QPrintPreviewDialog", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QPrintPreviewDialog", /::setSize\s*\(/, "size") +property_reader("QPrintPreviewDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QPrintPreviewDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QPrintPreviewDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QPrintPreviewDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QPrintPreviewDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QPrintPreviewDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QPrintPreviewDialog", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QPrintPreviewDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QPrintPreviewDialog", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QPrintPreviewDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QPrintPreviewDialog", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QPrintPreviewDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QPrintPreviewDialog", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QPrintPreviewDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QPrintPreviewDialog", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QPrintPreviewDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QPrintPreviewDialog", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QPrintPreviewDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QPrintPreviewDialog", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QPrintPreviewDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QPrintPreviewDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QPrintPreviewDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QPrintPreviewDialog", /::setBaseSize\s*\(/, "baseSize") +property_reader("QPrintPreviewDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QPrintPreviewDialog", /::setPalette\s*\(/, "palette") +property_reader("QPrintPreviewDialog", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QPrintPreviewDialog", /::setFont\s*\(/, "font") +property_reader("QPrintPreviewDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QPrintPreviewDialog", /::setCursor\s*\(/, "cursor") +property_reader("QPrintPreviewDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QPrintPreviewDialog", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QPrintPreviewDialog", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QPrintPreviewDialog", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QPrintPreviewDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QPrintPreviewDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QPrintPreviewDialog", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QPrintPreviewDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QPrintPreviewDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QPrintPreviewDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QPrintPreviewDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QPrintPreviewDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QPrintPreviewDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QPrintPreviewDialog", /::setVisible\s*\(/, "visible") +property_reader("QPrintPreviewDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QPrintPreviewDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QPrintPreviewDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QPrintPreviewDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QPrintPreviewDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QPrintPreviewDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QPrintPreviewDialog", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QPrintPreviewDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QPrintPreviewDialog", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QPrintPreviewDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QPrintPreviewDialog", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QPrintPreviewDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QPrintPreviewDialog", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QPrintPreviewDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QPrintPreviewDialog", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QPrintPreviewDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QPrintPreviewDialog", /::setWindowModified\s*\(/, "windowModified") +property_reader("QPrintPreviewDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QPrintPreviewDialog", /::setToolTip\s*\(/, "toolTip") +property_reader("QPrintPreviewDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QPrintPreviewDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QPrintPreviewDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QPrintPreviewDialog", /::setStatusTip\s*\(/, "statusTip") +property_reader("QPrintPreviewDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QPrintPreviewDialog", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QPrintPreviewDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QPrintPreviewDialog", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QPrintPreviewDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QPrintPreviewDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QPrintPreviewDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QPrintPreviewDialog", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QPrintPreviewDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QPrintPreviewDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QPrintPreviewDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QPrintPreviewDialog", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QPrintPreviewDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QPrintPreviewDialog", /::setLocale\s*\(/, "locale") +property_reader("QPrintPreviewDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QPrintPreviewDialog", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QPrintPreviewDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QPrintPreviewDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QPrintPreviewDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QPrintPreviewDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QPrintPreviewDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QPrintPreviewDialog", /::setModal\s*\(/, "modal") +property_reader("QPrintPreviewWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPrintPreviewWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QPrintPreviewWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QPrintPreviewWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QPrintPreviewWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QPrintPreviewWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QPrintPreviewWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QPrintPreviewWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QPrintPreviewWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QPrintPreviewWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QPrintPreviewWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QPrintPreviewWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QPrintPreviewWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QPrintPreviewWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QPrintPreviewWidget", /::setPos\s*\(/, "pos") +property_reader("QPrintPreviewWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QPrintPreviewWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QPrintPreviewWidget", /::setSize\s*\(/, "size") +property_reader("QPrintPreviewWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QPrintPreviewWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QPrintPreviewWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QPrintPreviewWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QPrintPreviewWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QPrintPreviewWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QPrintPreviewWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QPrintPreviewWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QPrintPreviewWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QPrintPreviewWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QPrintPreviewWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QPrintPreviewWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QPrintPreviewWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QPrintPreviewWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QPrintPreviewWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QPrintPreviewWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QPrintPreviewWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QPrintPreviewWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QPrintPreviewWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QPrintPreviewWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QPrintPreviewWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QPrintPreviewWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QPrintPreviewWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QPrintPreviewWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QPrintPreviewWidget", /::setPalette\s*\(/, "palette") +property_reader("QPrintPreviewWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QPrintPreviewWidget", /::setFont\s*\(/, "font") +property_reader("QPrintPreviewWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QPrintPreviewWidget", /::setCursor\s*\(/, "cursor") +property_reader("QPrintPreviewWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QPrintPreviewWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QPrintPreviewWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QPrintPreviewWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QPrintPreviewWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QPrintPreviewWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QPrintPreviewWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QPrintPreviewWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QPrintPreviewWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QPrintPreviewWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QPrintPreviewWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QPrintPreviewWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QPrintPreviewWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QPrintPreviewWidget", /::setVisible\s*\(/, "visible") +property_reader("QPrintPreviewWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QPrintPreviewWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QPrintPreviewWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QPrintPreviewWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QPrintPreviewWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QPrintPreviewWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QPrintPreviewWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QPrintPreviewWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QPrintPreviewWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QPrintPreviewWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QPrintPreviewWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QPrintPreviewWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QPrintPreviewWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QPrintPreviewWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QPrintPreviewWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QPrintPreviewWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QPrintPreviewWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QPrintPreviewWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QPrintPreviewWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QPrintPreviewWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QPrintPreviewWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QPrintPreviewWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QPrintPreviewWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QPrintPreviewWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QPrintPreviewWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QPrintPreviewWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QPrintPreviewWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QPrintPreviewWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QPrintPreviewWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QPrintPreviewWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QPrintPreviewWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QPrintPreviewWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QPrintPreviewWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QPrintPreviewWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QPrintPreviewWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QPrintPreviewWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QPrintPreviewWidget", /::setLocale\s*\(/, "locale") +property_reader("QPrintPreviewWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QPrintPreviewWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QPrintPreviewWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QPrintPreviewWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QAbstractAudioDeviceInfo", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractAudioDeviceInfo", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractAudioInput", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractAudioInput", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractAudioOutput", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractAudioOutput", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractVideoFilter", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractVideoFilter", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractVideoFilter", /::(active|isActive|hasActive)\s*\(/, "active") +property_writer("QAbstractVideoFilter", /::setActive\s*\(/, "active") +property_reader("QAbstractVideoSurface", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractVideoSurface", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractVideoSurface", /::(nativeResolution|isNativeResolution|hasNativeResolution)\s*\(/, "nativeResolution") +property_reader("QAudioDecoder", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAudioDecoder", /::setObjectName\s*\(/, "objectName") +property_reader("QAudioDecoder", /::(notifyInterval|isNotifyInterval|hasNotifyInterval)\s*\(/, "notifyInterval") +property_writer("QAudioDecoder", /::setNotifyInterval\s*\(/, "notifyInterval") +property_reader("QAudioDecoder", /::(sourceFilename|isSourceFilename|hasSourceFilename)\s*\(/, "sourceFilename") +property_writer("QAudioDecoder", /::setSourceFilename\s*\(/, "sourceFilename") +property_reader("QAudioDecoder", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QAudioDecoder", /::(error|isError|hasError)\s*\(/, "error") +property_reader("QAudioDecoder", /::(bufferAvailable|isBufferAvailable|hasBufferAvailable)\s*\(/, "bufferAvailable") +property_reader("QAudioDecoderControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAudioDecoderControl", /::setObjectName\s*\(/, "objectName") +property_reader("QAudioEncoderSettingsControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAudioEncoderSettingsControl", /::setObjectName\s*\(/, "objectName") +property_reader("QAudioInput", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAudioInput", /::setObjectName\s*\(/, "objectName") +property_reader("QAudioInputSelectorControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAudioInputSelectorControl", /::setObjectName\s*\(/, "objectName") +property_reader("QAudioOutput", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAudioOutput", /::setObjectName\s*\(/, "objectName") +property_reader("QAudioOutputSelectorControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAudioOutputSelectorControl", /::setObjectName\s*\(/, "objectName") +property_reader("QAudioProbe", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAudioProbe", /::setObjectName\s*\(/, "objectName") +property_reader("QAudioRecorder", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAudioRecorder", /::setObjectName\s*\(/, "objectName") +property_reader("QAudioRecorder", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QAudioRecorder", /::(status|isStatus|hasStatus)\s*\(/, "status") +property_reader("QAudioRecorder", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_reader("QAudioRecorder", /::(outputLocation|isOutputLocation|hasOutputLocation)\s*\(/, "outputLocation") +property_writer("QAudioRecorder", /::setOutputLocation\s*\(/, "outputLocation") +property_reader("QAudioRecorder", /::(actualLocation|isActualLocation|hasActualLocation)\s*\(/, "actualLocation") +property_reader("QAudioRecorder", /::(muted|isMuted|hasMuted)\s*\(/, "muted") +property_writer("QAudioRecorder", /::setMuted\s*\(/, "muted") +property_reader("QAudioRecorder", /::(volume|isVolume|hasVolume)\s*\(/, "volume") +property_writer("QAudioRecorder", /::setVolume\s*\(/, "volume") +property_reader("QAudioRecorder", /::(metaDataAvailable|isMetaDataAvailable|hasMetaDataAvailable)\s*\(/, "metaDataAvailable") +property_reader("QAudioRecorder", /::(metaDataWritable|isMetaDataWritable|hasMetaDataWritable)\s*\(/, "metaDataWritable") +property_reader("QAudioRecorder", /::(audioInput|isAudioInput|hasAudioInput)\s*\(/, "audioInput") +property_writer("QAudioRecorder", /::setAudioInput\s*\(/, "audioInput") +property_reader("QAudioRoleControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAudioRoleControl", /::setObjectName\s*\(/, "objectName") +property_reader("QAudioSystemPlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAudioSystemPlugin", /::setObjectName\s*\(/, "objectName") +property_reader("QCamera", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCamera", /::setObjectName\s*\(/, "objectName") +property_reader("QCamera", /::(notifyInterval|isNotifyInterval|hasNotifyInterval)\s*\(/, "notifyInterval") +property_writer("QCamera", /::setNotifyInterval\s*\(/, "notifyInterval") +property_reader("QCamera", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QCamera", /::(status|isStatus|hasStatus)\s*\(/, "status") +property_reader("QCamera", /::(captureMode|isCaptureMode|hasCaptureMode)\s*\(/, "captureMode") +property_writer("QCamera", /::setCaptureMode\s*\(/, "captureMode") +property_reader("QCamera", /::(lockStatus|isLockStatus|hasLockStatus)\s*\(/, "lockStatus") +property_reader("QCameraCaptureBufferFormatControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCameraCaptureBufferFormatControl", /::setObjectName\s*\(/, "objectName") +property_reader("QCameraCaptureDestinationControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCameraCaptureDestinationControl", /::setObjectName\s*\(/, "objectName") +property_reader("QCameraControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCameraControl", /::setObjectName\s*\(/, "objectName") +property_reader("QCameraExposure", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCameraExposure", /::setObjectName\s*\(/, "objectName") +property_reader("QCameraExposure", /::(aperture|isAperture|hasAperture)\s*\(/, "aperture") +property_reader("QCameraExposure", /::(shutterSpeed|isShutterSpeed|hasShutterSpeed)\s*\(/, "shutterSpeed") +property_reader("QCameraExposure", /::(isoSensitivity|isIsoSensitivity|hasIsoSensitivity)\s*\(/, "isoSensitivity") +property_reader("QCameraExposure", /::(exposureCompensation|isExposureCompensation|hasExposureCompensation)\s*\(/, "exposureCompensation") +property_writer("QCameraExposure", /::setExposureCompensation\s*\(/, "exposureCompensation") +property_reader("QCameraExposure", /::(flashReady|isFlashReady|hasFlashReady)\s*\(/, "flashReady") +property_reader("QCameraExposure", /::(flashMode|isFlashMode|hasFlashMode)\s*\(/, "flashMode") +property_writer("QCameraExposure", /::setFlashMode\s*\(/, "flashMode") +property_reader("QCameraExposure", /::(exposureMode|isExposureMode|hasExposureMode)\s*\(/, "exposureMode") +property_writer("QCameraExposure", /::setExposureMode\s*\(/, "exposureMode") +property_reader("QCameraExposure", /::(meteringMode|isMeteringMode|hasMeteringMode)\s*\(/, "meteringMode") +property_writer("QCameraExposure", /::setMeteringMode\s*\(/, "meteringMode") +property_reader("QCameraExposureControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCameraExposureControl", /::setObjectName\s*\(/, "objectName") +property_reader("QCameraFeedbackControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCameraFeedbackControl", /::setObjectName\s*\(/, "objectName") +property_reader("QCameraFlashControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCameraFlashControl", /::setObjectName\s*\(/, "objectName") +property_reader("QCameraFocus", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCameraFocus", /::setObjectName\s*\(/, "objectName") +property_reader("QCameraFocus", /::(focusMode|isFocusMode|hasFocusMode)\s*\(/, "focusMode") +property_writer("QCameraFocus", /::setFocusMode\s*\(/, "focusMode") +property_reader("QCameraFocus", /::(focusPointMode|isFocusPointMode|hasFocusPointMode)\s*\(/, "focusPointMode") +property_writer("QCameraFocus", /::setFocusPointMode\s*\(/, "focusPointMode") +property_reader("QCameraFocus", /::(customFocusPoint|isCustomFocusPoint|hasCustomFocusPoint)\s*\(/, "customFocusPoint") +property_writer("QCameraFocus", /::setCustomFocusPoint\s*\(/, "customFocusPoint") +property_reader("QCameraFocus", /::(focusZones|isFocusZones|hasFocusZones)\s*\(/, "focusZones") +property_reader("QCameraFocus", /::(opticalZoom|isOpticalZoom|hasOpticalZoom)\s*\(/, "opticalZoom") +property_reader("QCameraFocus", /::(digitalZoom|isDigitalZoom|hasDigitalZoom)\s*\(/, "digitalZoom") +property_reader("QCameraFocusControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCameraFocusControl", /::setObjectName\s*\(/, "objectName") +property_reader("QCameraImageCapture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCameraImageCapture", /::setObjectName\s*\(/, "objectName") +property_reader("QCameraImageCapture", /::(readyForCapture|isReadyForCapture|hasReadyForCapture)\s*\(/, "readyForCapture") +property_reader("QCameraImageCaptureControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCameraImageCaptureControl", /::setObjectName\s*\(/, "objectName") +property_reader("QCameraImageProcessing", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCameraImageProcessing", /::setObjectName\s*\(/, "objectName") +property_reader("QCameraImageProcessingControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCameraImageProcessingControl", /::setObjectName\s*\(/, "objectName") +property_reader("QCameraInfoControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCameraInfoControl", /::setObjectName\s*\(/, "objectName") +property_reader("QCameraLocksControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCameraLocksControl", /::setObjectName\s*\(/, "objectName") +property_reader("QCameraViewfinderSettingsControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCameraViewfinderSettingsControl", /::setObjectName\s*\(/, "objectName") +property_reader("QCameraViewfinderSettingsControl2", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCameraViewfinderSettingsControl2", /::setObjectName\s*\(/, "objectName") +property_reader("QCameraZoomControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCameraZoomControl", /::setObjectName\s*\(/, "objectName") +property_reader("QCustomAudioRoleControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCustomAudioRoleControl", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsVideoItem", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsVideoItem", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsVideoItem", /::(parent|isParent|hasParent)\s*\(/, "parent") +property_writer("QGraphicsVideoItem", /::setParent\s*\(/, "parent") +property_reader("QGraphicsVideoItem", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") +property_writer("QGraphicsVideoItem", /::setOpacity\s*\(/, "opacity") +property_reader("QGraphicsVideoItem", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsVideoItem", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsVideoItem", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QGraphicsVideoItem", /::setVisible\s*\(/, "visible") +property_reader("QGraphicsVideoItem", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QGraphicsVideoItem", /::setPos\s*\(/, "pos") +property_reader("QGraphicsVideoItem", /::(x|isX|hasX)\s*\(/, "x") +property_writer("QGraphicsVideoItem", /::setX\s*\(/, "x") +property_reader("QGraphicsVideoItem", /::(y|isY|hasY)\s*\(/, "y") +property_writer("QGraphicsVideoItem", /::setY\s*\(/, "y") +property_reader("QGraphicsVideoItem", /::(z|isZ|hasZ)\s*\(/, "z") +property_writer("QGraphicsVideoItem", /::setZ\s*\(/, "z") +property_reader("QGraphicsVideoItem", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") +property_writer("QGraphicsVideoItem", /::setRotation\s*\(/, "rotation") +property_reader("QGraphicsVideoItem", /::(scale|isScale|hasScale)\s*\(/, "scale") +property_writer("QGraphicsVideoItem", /::setScale\s*\(/, "scale") +property_reader("QGraphicsVideoItem", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") +property_writer("QGraphicsVideoItem", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") +property_reader("QGraphicsVideoItem", /::(effect|isEffect|hasEffect)\s*\(/, "effect") +property_writer("QGraphicsVideoItem", /::setEffect\s*\(/, "effect") +property_reader("QGraphicsVideoItem", /::(children|isChildren|hasChildren)\s*\(/, "children") +property_reader("QGraphicsVideoItem", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_writer("QGraphicsVideoItem", /::setWidth\s*\(/, "width") +property_reader("QGraphicsVideoItem", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_writer("QGraphicsVideoItem", /::setHeight\s*\(/, "height") +property_reader("QGraphicsVideoItem", /::(mediaObject|isMediaObject|hasMediaObject)\s*\(/, "mediaObject") +property_writer("QGraphicsVideoItem", /::setMediaObject\s*\(/, "mediaObject") +property_reader("QGraphicsVideoItem", /::(aspectRatioMode|isAspectRatioMode|hasAspectRatioMode)\s*\(/, "aspectRatioMode") +property_writer("QGraphicsVideoItem", /::setAspectRatioMode\s*\(/, "aspectRatioMode") +property_reader("QGraphicsVideoItem", /::(offset|isOffset|hasOffset)\s*\(/, "offset") +property_writer("QGraphicsVideoItem", /::setOffset\s*\(/, "offset") +property_reader("QGraphicsVideoItem", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QGraphicsVideoItem", /::setSize\s*\(/, "size") +property_reader("QGraphicsVideoItem", /::(nativeSize|isNativeSize|hasNativeSize)\s*\(/, "nativeSize") +property_reader("QGraphicsVideoItem", /::(videoSurface|isVideoSurface|hasVideoSurface)\s*\(/, "videoSurface") +property_reader("QImageEncoderControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QImageEncoderControl", /::setObjectName\s*\(/, "objectName") +property_reader("QMediaAudioProbeControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMediaAudioProbeControl", /::setObjectName\s*\(/, "objectName") +property_reader("QMediaAvailabilityControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMediaAvailabilityControl", /::setObjectName\s*\(/, "objectName") +property_reader("QMediaContainerControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMediaContainerControl", /::setObjectName\s*\(/, "objectName") +property_reader("QMediaControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMediaControl", /::setObjectName\s*\(/, "objectName") +property_reader("QMediaGaplessPlaybackControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMediaGaplessPlaybackControl", /::setObjectName\s*\(/, "objectName") +property_reader("QMediaNetworkAccessControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMediaNetworkAccessControl", /::setObjectName\s*\(/, "objectName") +property_reader("QMediaObject", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMediaObject", /::setObjectName\s*\(/, "objectName") +property_reader("QMediaObject", /::(notifyInterval|isNotifyInterval|hasNotifyInterval)\s*\(/, "notifyInterval") +property_writer("QMediaObject", /::setNotifyInterval\s*\(/, "notifyInterval") +property_reader("QMediaPlayer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMediaPlayer", /::setObjectName\s*\(/, "objectName") +property_reader("QMediaPlayer", /::(notifyInterval|isNotifyInterval|hasNotifyInterval)\s*\(/, "notifyInterval") +property_writer("QMediaPlayer", /::setNotifyInterval\s*\(/, "notifyInterval") +property_reader("QMediaPlayer", /::(media|isMedia|hasMedia)\s*\(/, "media") +property_writer("QMediaPlayer", /::setMedia\s*\(/, "media") +property_reader("QMediaPlayer", /::(currentMedia|isCurrentMedia|hasCurrentMedia)\s*\(/, "currentMedia") +property_reader("QMediaPlayer", /::(playlist|isPlaylist|hasPlaylist)\s*\(/, "playlist") +property_writer("QMediaPlayer", /::setPlaylist\s*\(/, "playlist") +property_reader("QMediaPlayer", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_reader("QMediaPlayer", /::(position|isPosition|hasPosition)\s*\(/, "position") +property_writer("QMediaPlayer", /::setPosition\s*\(/, "position") +property_reader("QMediaPlayer", /::(volume|isVolume|hasVolume)\s*\(/, "volume") +property_writer("QMediaPlayer", /::setVolume\s*\(/, "volume") +property_reader("QMediaPlayer", /::(muted|isMuted|hasMuted)\s*\(/, "muted") +property_writer("QMediaPlayer", /::setMuted\s*\(/, "muted") +property_reader("QMediaPlayer", /::(bufferStatus|isBufferStatus|hasBufferStatus)\s*\(/, "bufferStatus") +property_reader("QMediaPlayer", /::(audioAvailable|isAudioAvailable|hasAudioAvailable)\s*\(/, "audioAvailable") +property_reader("QMediaPlayer", /::(videoAvailable|isVideoAvailable|hasVideoAvailable)\s*\(/, "videoAvailable") +property_reader("QMediaPlayer", /::(seekable|isSeekable|hasSeekable)\s*\(/, "seekable") +property_reader("QMediaPlayer", /::(playbackRate|isPlaybackRate|hasPlaybackRate)\s*\(/, "playbackRate") +property_writer("QMediaPlayer", /::setPlaybackRate\s*\(/, "playbackRate") +property_reader("QMediaPlayer", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QMediaPlayer", /::(mediaStatus|isMediaStatus|hasMediaStatus)\s*\(/, "mediaStatus") +property_reader("QMediaPlayer", /::(audioRole|isAudioRole|hasAudioRole)\s*\(/, "audioRole") +property_writer("QMediaPlayer", /::setAudioRole\s*\(/, "audioRole") +property_reader("QMediaPlayer", /::(customAudioRole|isCustomAudioRole|hasCustomAudioRole)\s*\(/, "customAudioRole") +property_writer("QMediaPlayer", /::setCustomAudioRole\s*\(/, "customAudioRole") +property_reader("QMediaPlayer", /::(error|isError|hasError)\s*\(/, "error") +property_reader("QMediaPlayerControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMediaPlayerControl", /::setObjectName\s*\(/, "objectName") +property_reader("QMediaPlaylist", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMediaPlaylist", /::setObjectName\s*\(/, "objectName") +property_reader("QMediaPlaylist", /::(playbackMode|isPlaybackMode|hasPlaybackMode)\s*\(/, "playbackMode") +property_writer("QMediaPlaylist", /::setPlaybackMode\s*\(/, "playbackMode") +property_reader("QMediaPlaylist", /::(currentMedia|isCurrentMedia|hasCurrentMedia)\s*\(/, "currentMedia") +property_reader("QMediaPlaylist", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") +property_writer("QMediaPlaylist", /::setCurrentIndex\s*\(/, "currentIndex") +property_reader("QMediaRecorder", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMediaRecorder", /::setObjectName\s*\(/, "objectName") +property_reader("QMediaRecorder", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QMediaRecorder", /::(status|isStatus|hasStatus)\s*\(/, "status") +property_reader("QMediaRecorder", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_reader("QMediaRecorder", /::(outputLocation|isOutputLocation|hasOutputLocation)\s*\(/, "outputLocation") +property_writer("QMediaRecorder", /::setOutputLocation\s*\(/, "outputLocation") +property_reader("QMediaRecorder", /::(actualLocation|isActualLocation|hasActualLocation)\s*\(/, "actualLocation") +property_reader("QMediaRecorder", /::(muted|isMuted|hasMuted)\s*\(/, "muted") +property_writer("QMediaRecorder", /::setMuted\s*\(/, "muted") +property_reader("QMediaRecorder", /::(volume|isVolume|hasVolume)\s*\(/, "volume") +property_writer("QMediaRecorder", /::setVolume\s*\(/, "volume") +property_reader("QMediaRecorder", /::(metaDataAvailable|isMetaDataAvailable|hasMetaDataAvailable)\s*\(/, "metaDataAvailable") +property_reader("QMediaRecorder", /::(metaDataWritable|isMetaDataWritable|hasMetaDataWritable)\s*\(/, "metaDataWritable") +property_reader("QMediaRecorderControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMediaRecorderControl", /::setObjectName\s*\(/, "objectName") +property_reader("QMediaService", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMediaService", /::setObjectName\s*\(/, "objectName") +property_reader("QMediaServiceProviderPlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMediaServiceProviderPlugin", /::setObjectName\s*\(/, "objectName") +property_reader("QMediaStreamsControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMediaStreamsControl", /::setObjectName\s*\(/, "objectName") +property_reader("QMediaVideoProbeControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMediaVideoProbeControl", /::setObjectName\s*\(/, "objectName") +property_reader("QMetaDataReaderControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMetaDataReaderControl", /::setObjectName\s*\(/, "objectName") +property_reader("QMetaDataWriterControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMetaDataWriterControl", /::setObjectName\s*\(/, "objectName") +property_reader("QRadioData", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QRadioData", /::setObjectName\s*\(/, "objectName") +property_reader("QRadioData", /::(stationId|isStationId|hasStationId)\s*\(/, "stationId") +property_reader("QRadioData", /::(programType|isProgramType|hasProgramType)\s*\(/, "programType") +property_reader("QRadioData", /::(programTypeName|isProgramTypeName|hasProgramTypeName)\s*\(/, "programTypeName") +property_reader("QRadioData", /::(stationName|isStationName|hasStationName)\s*\(/, "stationName") +property_reader("QRadioData", /::(radioText|isRadioText|hasRadioText)\s*\(/, "radioText") +property_reader("QRadioData", /::(alternativeFrequenciesEnabled|isAlternativeFrequenciesEnabled|hasAlternativeFrequenciesEnabled)\s*\(/, "alternativeFrequenciesEnabled") +property_writer("QRadioData", /::setAlternativeFrequenciesEnabled\s*\(/, "alternativeFrequenciesEnabled") +property_reader("QRadioDataControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QRadioDataControl", /::setObjectName\s*\(/, "objectName") +property_reader("QRadioTuner", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QRadioTuner", /::setObjectName\s*\(/, "objectName") +property_reader("QRadioTuner", /::(notifyInterval|isNotifyInterval|hasNotifyInterval)\s*\(/, "notifyInterval") +property_writer("QRadioTuner", /::setNotifyInterval\s*\(/, "notifyInterval") +property_reader("QRadioTuner", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QRadioTuner", /::(band|isBand|hasBand)\s*\(/, "band") +property_writer("QRadioTuner", /::setBand\s*\(/, "band") +property_reader("QRadioTuner", /::(frequency|isFrequency|hasFrequency)\s*\(/, "frequency") +property_writer("QRadioTuner", /::setFrequency\s*\(/, "frequency") +property_reader("QRadioTuner", /::(stereo|isStereo|hasStereo)\s*\(/, "stereo") +property_reader("QRadioTuner", /::(stereoMode|isStereoMode|hasStereoMode)\s*\(/, "stereoMode") +property_writer("QRadioTuner", /::setStereoMode\s*\(/, "stereoMode") +property_reader("QRadioTuner", /::(signalStrength|isSignalStrength|hasSignalStrength)\s*\(/, "signalStrength") +property_reader("QRadioTuner", /::(volume|isVolume|hasVolume)\s*\(/, "volume") +property_writer("QRadioTuner", /::setVolume\s*\(/, "volume") +property_reader("QRadioTuner", /::(muted|isMuted|hasMuted)\s*\(/, "muted") +property_writer("QRadioTuner", /::setMuted\s*\(/, "muted") +property_reader("QRadioTuner", /::(searching|isSearching|hasSearching)\s*\(/, "searching") +property_reader("QRadioTuner", /::(antennaConnected|isAntennaConnected|hasAntennaConnected)\s*\(/, "antennaConnected") +property_reader("QRadioTuner", /::(radioData|isRadioData|hasRadioData)\s*\(/, "radioData") +property_reader("QRadioTunerControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QRadioTunerControl", /::setObjectName\s*\(/, "objectName") +property_reader("QSound", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSound", /::setObjectName\s*\(/, "objectName") +property_reader("QSoundEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSoundEffect", /::setObjectName\s*\(/, "objectName") +property_reader("QSoundEffect", /::(source|isSource|hasSource)\s*\(/, "source") +property_writer("QSoundEffect", /::setSource\s*\(/, "source") +property_reader("QSoundEffect", /::(loops|isLoops|hasLoops)\s*\(/, "loops") +property_writer("QSoundEffect", /::setLoops\s*\(/, "loops") +property_reader("QSoundEffect", /::(loopsRemaining|isLoopsRemaining|hasLoopsRemaining)\s*\(/, "loopsRemaining") +property_reader("QSoundEffect", /::(volume|isVolume|hasVolume)\s*\(/, "volume") +property_writer("QSoundEffect", /::setVolume\s*\(/, "volume") +property_reader("QSoundEffect", /::(muted|isMuted|hasMuted)\s*\(/, "muted") +property_writer("QSoundEffect", /::setMuted\s*\(/, "muted") +property_reader("QSoundEffect", /::(playing|isPlaying|hasPlaying)\s*\(/, "playing") +property_reader("QSoundEffect", /::(status|isStatus|hasStatus)\s*\(/, "status") +property_reader("QSoundEffect", /::(category|isCategory|hasCategory)\s*\(/, "category") +property_writer("QSoundEffect", /::setCategory\s*\(/, "category") +property_reader("QVideoDeviceSelectorControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QVideoDeviceSelectorControl", /::setObjectName\s*\(/, "objectName") +property_reader("QVideoEncoderSettingsControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QVideoEncoderSettingsControl", /::setObjectName\s*\(/, "objectName") +property_reader("QVideoProbe", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QVideoProbe", /::setObjectName\s*\(/, "objectName") +property_reader("QVideoRendererControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QVideoRendererControl", /::setObjectName\s*\(/, "objectName") +property_reader("QVideoWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QVideoWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QVideoWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QVideoWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QVideoWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QVideoWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QVideoWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QVideoWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QVideoWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QVideoWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QVideoWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QVideoWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QVideoWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QVideoWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QVideoWidget", /::setPos\s*\(/, "pos") +property_reader("QVideoWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QVideoWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QVideoWidget", /::setSize\s*\(/, "size") +property_reader("QVideoWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QVideoWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QVideoWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QVideoWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QVideoWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QVideoWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QVideoWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QVideoWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QVideoWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QVideoWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QVideoWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QVideoWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QVideoWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QVideoWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QVideoWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QVideoWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QVideoWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QVideoWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QVideoWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QVideoWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QVideoWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QVideoWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QVideoWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QVideoWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QVideoWidget", /::setPalette\s*\(/, "palette") +property_reader("QVideoWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QVideoWidget", /::setFont\s*\(/, "font") +property_reader("QVideoWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QVideoWidget", /::setCursor\s*\(/, "cursor") +property_reader("QVideoWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QVideoWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QVideoWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QVideoWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QVideoWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QVideoWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QVideoWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QVideoWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QVideoWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QVideoWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QVideoWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QVideoWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QVideoWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QVideoWidget", /::setVisible\s*\(/, "visible") +property_reader("QVideoWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QVideoWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QVideoWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QVideoWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QVideoWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QVideoWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QVideoWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QVideoWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QVideoWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QVideoWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QVideoWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QVideoWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QVideoWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QVideoWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QVideoWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QVideoWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QVideoWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QVideoWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QVideoWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QVideoWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QVideoWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QVideoWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QVideoWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QVideoWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QVideoWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QVideoWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QVideoWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QVideoWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QVideoWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QVideoWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QVideoWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QVideoWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QVideoWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QVideoWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QVideoWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QVideoWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QVideoWidget", /::setLocale\s*\(/, "locale") +property_reader("QVideoWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QVideoWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QVideoWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QVideoWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QVideoWidget", /::(mediaObject|isMediaObject|hasMediaObject)\s*\(/, "mediaObject") +property_writer("QVideoWidget", /::setMediaObject\s*\(/, "mediaObject") +property_reader("QVideoWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_writer("QVideoWidget", /::setFullScreen\s*\(/, "fullScreen") +property_reader("QVideoWidget", /::(aspectRatioMode|isAspectRatioMode|hasAspectRatioMode)\s*\(/, "aspectRatioMode") +property_writer("QVideoWidget", /::setAspectRatioMode\s*\(/, "aspectRatioMode") +property_reader("QVideoWidget", /::(brightness|isBrightness|hasBrightness)\s*\(/, "brightness") +property_writer("QVideoWidget", /::setBrightness\s*\(/, "brightness") +property_reader("QVideoWidget", /::(contrast|isContrast|hasContrast)\s*\(/, "contrast") +property_writer("QVideoWidget", /::setContrast\s*\(/, "contrast") +property_reader("QVideoWidget", /::(hue|isHue|hasHue)\s*\(/, "hue") +property_writer("QVideoWidget", /::setHue\s*\(/, "hue") +property_reader("QVideoWidget", /::(saturation|isSaturation|hasSaturation)\s*\(/, "saturation") +property_writer("QVideoWidget", /::setSaturation\s*\(/, "saturation") +property_reader("QVideoWidget", /::(videoSurface|isVideoSurface|hasVideoSurface)\s*\(/, "videoSurface") +property_reader("QVideoWindowControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QVideoWindowControl", /::setObjectName\s*\(/, "objectName") +property_reader("QUiLoader", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QUiLoader", /::setObjectName\s*\(/, "objectName") +property_reader("QSqlDriver", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSqlDriver", /::setObjectName\s*\(/, "objectName") +property_reader("QSqlQueryModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSqlQueryModel", /::setObjectName\s*\(/, "objectName") +property_reader("QSqlRelationalTableModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSqlRelationalTableModel", /::setObjectName\s*\(/, "objectName") +property_reader("QSqlTableModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSqlTableModel", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractNetworkCache", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractNetworkCache", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractSocket", /::setObjectName\s*\(/, "objectName") +property_reader("QDnsLookup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDnsLookup", /::setObjectName\s*\(/, "objectName") +property_reader("QDnsLookup", /::(error|isError|hasError)\s*\(/, "error") +property_reader("QDnsLookup", /::(errorString|isErrorString|hasErrorString)\s*\(/, "errorString") +property_reader("QDnsLookup", /::(name|isName|hasName)\s*\(/, "name") +property_writer("QDnsLookup", /::setName\s*\(/, "name") +property_reader("QDnsLookup", /::(type|isType|hasType)\s*\(/, "type") +property_writer("QDnsLookup", /::setType\s*\(/, "type") +property_reader("QDnsLookup", /::(nameserver|isNameserver|hasNameserver)\s*\(/, "nameserver") +property_writer("QDnsLookup", /::setNameserver\s*\(/, "nameserver") +property_reader("QDtls", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDtls", /::setObjectName\s*\(/, "objectName") +property_reader("QDtlsClientVerifier", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDtlsClientVerifier", /::setObjectName\s*\(/, "objectName") +property_reader("QHttpMultiPart", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QHttpMultiPart", /::setObjectName\s*\(/, "objectName") +property_reader("QLocalServer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QLocalServer", /::setObjectName\s*\(/, "objectName") +property_reader("QLocalServer", /::(socketOptions|isSocketOptions|hasSocketOptions)\s*\(/, "socketOptions") +property_writer("QLocalServer", /::setSocketOptions\s*\(/, "socketOptions") +property_reader("QLocalSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QLocalSocket", /::setObjectName\s*\(/, "objectName") +property_reader("QNetworkAccessManager", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QNetworkAccessManager", /::setObjectName\s*\(/, "objectName") +property_reader("QNetworkAccessManager", /::(networkAccessible|isNetworkAccessible|hasNetworkAccessible)\s*\(/, "networkAccessible") +property_writer("QNetworkAccessManager", /::setNetworkAccessible\s*\(/, "networkAccessible") +property_reader("QNetworkConfigurationManager", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QNetworkConfigurationManager", /::setObjectName\s*\(/, "objectName") +property_reader("QNetworkCookieJar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QNetworkCookieJar", /::setObjectName\s*\(/, "objectName") +property_reader("QNetworkDiskCache", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QNetworkDiskCache", /::setObjectName\s*\(/, "objectName") +property_reader("QNetworkReply", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QNetworkReply", /::setObjectName\s*\(/, "objectName") +property_reader("QNetworkSession", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QNetworkSession", /::setObjectName\s*\(/, "objectName") +property_reader("QSslSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSslSocket", /::setObjectName\s*\(/, "objectName") +property_reader("QTcpServer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTcpServer", /::setObjectName\s*\(/, "objectName") +property_reader("QTcpSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTcpSocket", /::setObjectName\s*\(/, "objectName") +property_reader("QUdpSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QUdpSocket", /::setObjectName\s*\(/, "objectName") + +# Synthetic properties +# Property parent (QObject_Native *) +property_reader("QAbstractItemModel", /::parent\s*\(/, "parent") +property_writer("QObject", /::setParent\s*\(/, "parent") +# Property parent (QObject_Native *) +property_reader("QAbstractListModel", /::parent\s*\(/, "parent") +property_writer("QObject", /::setParent\s*\(/, "parent") +# Property parent (QObject_Native *) +property_reader("QAbstractTableModel", /::parent\s*\(/, "parent") +property_writer("QObject", /::setParent\s*\(/, "parent") +# Property startTime (long long) +property_reader("QAnimationDriver", /::startTime\s*\(/, "startTime") +property_writer("QAnimationDriver", /::setStartTime\s*\(/, "startTime") +# Property data (byte array) +property_reader("QBuffer", /::data\s*\(/, "data") +property_writer("QBuffer", /::setData\s*\(/, "data") +# Property pattern (byte array) +property_reader("QByteArrayMatcher", /::pattern\s*\(/, "pattern") +property_writer("QByteArrayMatcher", /::setPattern\s*\(/, "pattern") +# Property caseSensitivity (Qt_CaseSensitivity) +property_reader("QCollator", /::caseSensitivity\s*\(/, "caseSensitivity") +property_writer("QCollator", /::setCaseSensitivity\s*\(/, "caseSensitivity") +# Property ignorePunctuation (bool) +property_reader("QCollator", /::ignorePunctuation\s*\(/, "ignorePunctuation") +property_writer("QCollator", /::setIgnorePunctuation\s*\(/, "ignorePunctuation") +# Property locale (QLocale) +property_reader("QCollator", /::locale\s*\(/, "locale") +property_writer("QCollator", /::setLocale\s*\(/, "locale") +# Property numericMode (bool) +property_reader("QCollator", /::numericMode\s*\(/, "numericMode") +property_writer("QCollator", /::setNumericMode\s*\(/, "numericMode") +# Property defaultValues (string[]) +property_reader("QCommandLineOption", /::defaultValues\s*\(/, "defaultValues") +property_writer("QCommandLineOption", /::setDefaultValues\s*\(/, "defaultValues") # Property description (string) -property_reader("QImageWriter", /::description\s*\(/, "description") -property_writer("QImageWriter", /::setDescription\s*\(/, "description") +property_reader("QCommandLineOption", /::description\s*\(/, "description") +property_writer("QCommandLineOption", /::setDescription\s*\(/, "description") +# Property flags (QCommandLineOption_QFlags_Flag) +property_reader("QCommandLineOption", /::flags\s*\(/, "flags") +property_writer("QCommandLineOption", /::setFlags\s*\(/, "flags") +# Property hidden (bool) +property_reader("QCommandLineOption", /::isHidden\s*\(/, "hidden") +property_writer("QCommandLineOption", /::setHidden\s*\(/, "hidden") +# Property valueName (string) +property_reader("QCommandLineOption", /::valueName\s*\(/, "valueName") +property_writer("QCommandLineOption", /::setValueName\s*\(/, "valueName") +# Property applicationDescription (string) +property_reader("QCommandLineParser", /::applicationDescription\s*\(/, "applicationDescription") +property_writer("QCommandLineParser", /::setApplicationDescription\s*\(/, "applicationDescription") +# Property eventDispatcher (QAbstractEventDispatcher_Native *) +property_reader("QCoreApplication", /::eventDispatcher\s*\(/, "eventDispatcher") +property_writer("QCoreApplication", /::setEventDispatcher\s*\(/, "eventDispatcher") +# Property libraryPaths (string[]) +property_reader("QCoreApplication", /::libraryPaths\s*\(/, "libraryPaths") +property_writer("QCoreApplication", /::setLibraryPaths\s*\(/, "libraryPaths") +# Property setuidAllowed (bool) +property_reader("QCoreApplication", /::isSetuidAllowed\s*\(/, "setuidAllowed") +property_writer("QCoreApplication", /::setSetuidAllowed\s*\(/, "setuidAllowed") +# Property byteOrder (QDataStream_ByteOrder) +property_reader("QDataStream", /::byteOrder\s*\(/, "byteOrder") +property_writer("QDataStream", /::setByteOrder\s*\(/, "byteOrder") # Property device (QIODevice *) -property_reader("QImageWriter", /::device\s*\(/, "device") -property_writer("QImageWriter", /::setDevice\s*\(/, "device") -# Property fileName (string) -property_reader("QImageWriter", /::fileName\s*\(/, "fileName") -property_writer("QImageWriter", /::setFileName\s*\(/, "fileName") -# Property format (string) -property_reader("QImageWriter", /::format\s*\(/, "format") -property_writer("QImageWriter", /::setFormat\s*\(/, "format") -# Property gamma (float) -property_reader("QImageWriter", /::gamma\s*\(/, "gamma") -property_writer("QImageWriter", /::setGamma\s*\(/, "gamma") -# Property optimizedWrite (bool) -property_reader("QImageWriter", /::optimizedWrite\s*\(/, "optimizedWrite") -property_writer("QImageWriter", /::setOptimizedWrite\s*\(/, "optimizedWrite") -# Property progressiveScanWrite (bool) -property_reader("QImageWriter", /::progressiveScanWrite\s*\(/, "progressiveScanWrite") -property_writer("QImageWriter", /::setProgressiveScanWrite\s*\(/, "progressiveScanWrite") -# Property quality (int) -property_reader("QImageWriter", /::quality\s*\(/, "quality") -property_writer("QImageWriter", /::setQuality\s*\(/, "quality") -# Property subType (string) -property_reader("QImageWriter", /::subType\s*\(/, "subType") -property_writer("QImageWriter", /::setSubType\s*\(/, "subType") -# Property transformation (QImageIOHandler_QFlags_Transformation) -property_reader("QImageWriter", /::transformation\s*\(/, "transformation") -property_writer("QImageWriter", /::setTransformation\s*\(/, "transformation") -# Property cancelButtonText (string) -property_reader("QInputDialog", /::cancelButtonText\s*\(/, "cancelButtonText") -property_writer("QInputDialog", /::setCancelButtonText\s*\(/, "cancelButtonText") -# Property comboBoxEditable (bool) -property_reader("QInputDialog", /::isComboBoxEditable\s*\(/, "comboBoxEditable") -property_writer("QInputDialog", /::setComboBoxEditable\s*\(/, "comboBoxEditable") -# Property comboBoxItems (string[]) -property_reader("QInputDialog", /::comboBoxItems\s*\(/, "comboBoxItems") -property_writer("QInputDialog", /::setComboBoxItems\s*\(/, "comboBoxItems") -# Property doubleDecimals (int) -property_reader("QInputDialog", /::doubleDecimals\s*\(/, "doubleDecimals") -property_writer("QInputDialog", /::setDoubleDecimals\s*\(/, "doubleDecimals") -# Property doubleMaximum (double) -property_reader("QInputDialog", /::doubleMaximum\s*\(/, "doubleMaximum") -property_writer("QInputDialog", /::setDoubleMaximum\s*\(/, "doubleMaximum") -# Property doubleMinimum (double) -property_reader("QInputDialog", /::doubleMinimum\s*\(/, "doubleMinimum") -property_writer("QInputDialog", /::setDoubleMinimum\s*\(/, "doubleMinimum") -# Property doubleValue (double) -property_reader("QInputDialog", /::doubleValue\s*\(/, "doubleValue") -property_writer("QInputDialog", /::setDoubleValue\s*\(/, "doubleValue") -# Property inputMode (QInputDialog_InputMode) -property_reader("QInputDialog", /::inputMode\s*\(/, "inputMode") -property_writer("QInputDialog", /::setInputMode\s*\(/, "inputMode") -# Property intMaximum (int) -property_reader("QInputDialog", /::intMaximum\s*\(/, "intMaximum") -property_writer("QInputDialog", /::setIntMaximum\s*\(/, "intMaximum") -# Property intMinimum (int) -property_reader("QInputDialog", /::intMinimum\s*\(/, "intMinimum") -property_writer("QInputDialog", /::setIntMinimum\s*\(/, "intMinimum") -# Property intStep (int) -property_reader("QInputDialog", /::intStep\s*\(/, "intStep") -property_writer("QInputDialog", /::setIntStep\s*\(/, "intStep") -# Property intValue (int) -property_reader("QInputDialog", /::intValue\s*\(/, "intValue") -property_writer("QInputDialog", /::setIntValue\s*\(/, "intValue") -# Property labelText (string) -property_reader("QInputDialog", /::labelText\s*\(/, "labelText") -property_writer("QInputDialog", /::setLabelText\s*\(/, "labelText") -# Property okButtonText (string) -property_reader("QInputDialog", /::okButtonText\s*\(/, "okButtonText") -property_writer("QInputDialog", /::setOkButtonText\s*\(/, "okButtonText") -# Property options (QInputDialog_QFlags_InputDialogOption) -property_reader("QInputDialog", /::options\s*\(/, "options") -property_writer("QInputDialog", /::setOptions\s*\(/, "options") -# Property textEchoMode (QLineEdit_EchoMode) -property_reader("QInputDialog", /::textEchoMode\s*\(/, "textEchoMode") -property_writer("QInputDialog", /::setTextEchoMode\s*\(/, "textEchoMode") -# Property textValue (string) -property_reader("QInputDialog", /::textValue\s*\(/, "textValue") -property_writer("QInputDialog", /::setTextValue\s*\(/, "textValue") -# Property modifiers (Qt_QFlags_KeyboardModifier) -property_reader("QInputEvent", /::modifiers\s*\(/, "modifiers") -property_writer("QInputEvent", /::setModifiers\s*\(/, "modifiers") -# Property timestamp (unsigned long) -property_reader("QInputEvent", /::timestamp\s*\(/, "timestamp") -property_writer("QInputEvent", /::setTimestamp\s*\(/, "timestamp") -# Property inputItemRectangle (QRectF) -property_reader("QInputMethod", /::inputItemRectangle\s*\(/, "inputItemRectangle") -property_writer("QInputMethod", /::setInputItemRectangle\s*\(/, "inputItemRectangle") -# Property inputItemTransform (QTransform) -property_reader("QInputMethod", /::inputItemTransform\s*\(/, "inputItemTransform") -property_writer("QInputMethod", /::setInputItemTransform\s*\(/, "inputItemTransform") -# Property commitString (string) -property_reader("QInputMethodEvent", /::commitString\s*\(/, "commitString") -property_writer("QInputMethodEvent", /::setCommitString\s*\(/, "commitString") -# Property itemEditorFactory (QItemEditorFactory_Native *) -property_reader("QItemDelegate", /::itemEditorFactory\s*\(/, "itemEditorFactory") -property_writer("QItemDelegate", /::setItemEditorFactory\s*\(/, "itemEditorFactory") -# Property defaultFactory (QItemEditorFactory_Native *) -property_reader("QItemEditorFactory", /::defaultFactory\s*\(/, "defaultFactory") -property_writer("QItemEditorFactory", /::setDefaultFactory\s*\(/, "defaultFactory") +property_reader("QDataStream", /::device\s*\(/, "device") +property_writer("QDataStream", /::setDevice\s*\(/, "device") +# Property floatingPointPrecision (QDataStream_FloatingPointPrecision) +property_reader("QDataStream", /::floatingPointPrecision\s*\(/, "floatingPointPrecision") +property_writer("QDataStream", /::setFloatingPointPrecision\s*\(/, "floatingPointPrecision") +# Property status (QDataStream_Status) +property_reader("QDataStream", /::status\s*\(/, "status") +property_writer("QDataStream", /::setStatus\s*\(/, "status") +# Property version (int) +property_reader("QDataStream", /::version\s*\(/, "version") +property_writer("QDataStream", /::setVersion\s*\(/, "version") +# Property date (QDate) +property_reader("QDateTime", /::date\s*\(/, "date") +property_writer("QDateTime", /::setDate\s*\(/, "date") +# Property offsetFromUtc (int) +property_reader("QDateTime", /::offsetFromUtc\s*\(/, "offsetFromUtc") +property_writer("QDateTime", /::setOffsetFromUtc\s*\(/, "offsetFromUtc") +# Property time (QTime) +property_reader("QDateTime", /::time\s*\(/, "time") +property_writer("QDateTime", /::setTime\s*\(/, "time") +# Property timeSpec (Qt_TimeSpec) +property_reader("QDateTime", /::timeSpec\s*\(/, "timeSpec") +property_writer("QDateTime", /::setTimeSpec\s*\(/, "timeSpec") +# Property timeZone (QTimeZone) +property_reader("QDateTime", /::timeZone\s*\(/, "timeZone") +property_writer("QDateTime", /::setTimeZone\s*\(/, "timeZone") +# Property utcOffset (int) +property_reader("QDateTime", /::utcOffset\s*\(/, "utcOffset") +property_writer("QDateTime", /::setUtcOffset\s*\(/, "utcOffset") +# Property deadline (long long) +property_reader("QDeadlineTimer", /::deadline\s*\(/, "deadline") +property_writer("QDeadlineTimer", /::setDeadline\s*\(/, "deadline") +# Property remainingTime (long long) +property_reader("QDeadlineTimer", /::remainingTime\s*\(/, "remainingTime") +property_writer("QDeadlineTimer", /::setRemainingTime\s*\(/, "remainingTime") +# Property timerType (Qt_TimerType) +property_reader("QDeadlineTimer", /::timerType\s*\(/, "timerType") +property_writer("QDeadlineTimer", /::setTimerType\s*\(/, "timerType") +# Property autoInsertSpaces (bool) +property_reader("QDebug", /::autoInsertSpaces\s*\(/, "autoInsertSpaces") +property_writer("QDebug", /::setAutoInsertSpaces\s*\(/, "autoInsertSpaces") +# Property verbosity (int) +property_reader("QDebug", /::verbosity\s*\(/, "verbosity") +property_writer("QDebug", /::setVerbosity\s*\(/, "verbosity") +# Property filter (QDir_QFlags_Filter) +property_reader("QDir", /::filter\s*\(/, "filter") +property_writer("QDir", /::setFilter\s*\(/, "filter") +# Property nameFilters (string[]) +property_reader("QDir", /::nameFilters\s*\(/, "nameFilters") +property_writer("QDir", /::setNameFilters\s*\(/, "nameFilters") +# Property path (string) +property_reader("QDir", /::path\s*\(/, "path") +property_writer("QDir", /::setPath\s*\(/, "path") +# Property sorting (QDir_QFlags_SortFlag) +property_reader("QDir", /::sorting\s*\(/, "sorting") +property_writer("QDir", /::setSorting\s*\(/, "sorting") +# Property amplitude (double) +property_reader("QEasingCurve", /::amplitude\s*\(/, "amplitude") +property_writer("QEasingCurve", /::setAmplitude\s*\(/, "amplitude") +# Property overshoot (double) +property_reader("QEasingCurve", /::overshoot\s*\(/, "overshoot") +property_writer("QEasingCurve", /::setOvershoot\s*\(/, "overshoot") +# Property period (double) +property_reader("QEasingCurve", /::period\s*\(/, "period") +property_writer("QEasingCurve", /::setPeriod\s*\(/, "period") +# Property type (QEasingCurve_Type) +property_reader("QEasingCurve", /::type\s*\(/, "type") +property_writer("QEasingCurve", /::setType\s*\(/, "type") +# Property accepted (bool) +property_reader("QEvent", /::isAccepted\s*\(/, "accepted") +property_writer("QEvent", /::setAccepted\s*\(/, "accepted") +# Property fileName (string) +property_reader("QFile", /::fileName\s*\(/, "fileName") +property_writer("QFile", /::setFileName\s*\(/, "fileName") +# Property caching (bool) +property_reader("QFileInfo", /::caching\s*\(/, "caching") +property_writer("QFileInfo", /::setCaching\s*\(/, "caching") +# Property extraSelectors (string[]) +property_reader("QFileSelector", /::extraSelectors\s*\(/, "extraSelectors") +property_writer("QFileSelector", /::setExtraSelectors\s*\(/, "extraSelectors") +# Property currentReadChannel (int) +property_reader("QIODevice", /::currentReadChannel\s*\(/, "currentReadChannel") +property_writer("QIODevice", /::setCurrentReadChannel\s*\(/, "currentReadChannel") +# Property currentWriteChannel (int) +property_reader("QIODevice", /::currentWriteChannel\s*\(/, "currentWriteChannel") +property_writer("QIODevice", /::setCurrentWriteChannel\s*\(/, "currentWriteChannel") +# Property textModeEnabled (bool) +property_reader("QIODevice", /::isTextModeEnabled\s*\(/, "textModeEnabled") +property_writer("QIODevice", /::setTextModeEnabled\s*\(/, "textModeEnabled") +# Property parent (QObject_Native *) +property_reader("QIdentityProxyModel", /::parent\s*\(/, "parent") +property_writer("QObject", /::setParent\s*\(/, "parent") # Property array (QJsonArray) property_reader("QJsonDocument", /::array\s*\(/, "array") property_writer("QJsonDocument", /::setArray\s*\(/, "array") -# Property modifiers (Qt_QFlags_KeyboardModifier) -property_reader("QKeyEvent", /::modifiers\s*\(/, "modifiers") -property_writer("QInputEvent", /::setModifiers\s*\(/, "modifiers") -# Property buddy (QWidget_Native *) -property_reader("QLabel", /::buddy\s*\(/, "buddy") -property_writer("QLabel", /::setBuddy\s*\(/, "buddy") -# Property movie (QMovie_Native *) -property_reader("QLabel", /::movie\s*\(/, "movie") -property_writer("QLabel", /::setMovie\s*\(/, "movie") -# Property contentsMargins (QMargins) -property_reader("QLayout", /::contentsMargins\s*\(/, "contentsMargins") -property_writer("QLayout", /::setContentsMargins\s*\(/, "contentsMargins") -# Property enabled (bool) -property_reader("QLayout", /::isEnabled\s*\(/, "enabled") -property_writer("QLayout", /::setEnabled\s*\(/, "enabled") -# Property geometry (QRect) -property_reader("QLayout", /::geometry\s*\(/, "geometry") -property_writer("QLayout", /::setGeometry\s*\(/, "geometry") -# Property menuBar (QWidget_Native *) -property_reader("QLayout", /::menuBar\s*\(/, "menuBar") -property_writer("QLayout", /::setMenuBar\s*\(/, "menuBar") -# Property alignment (Qt_QFlags_AlignmentFlag) -property_reader("QLayoutItem", /::alignment\s*\(/, "alignment") -property_writer("QLayoutItem", /::setAlignment\s*\(/, "alignment") -# Property geometry (QRect) -property_reader("QLayoutItem", /::geometry\s*\(/, "geometry") -property_writer("QLayoutItem", /::setGeometry\s*\(/, "geometry") # Property p1 (QPoint) property_reader("QLine", /::p1\s*\(/, "p1") property_writer("QLine", /::setP1\s*\(/, "p1") # Property p2 (QPoint) property_reader("QLine", /::p2\s*\(/, "p2") property_writer("QLine", /::setP2\s*\(/, "p2") -# Property completer (QCompleter_Native *) -property_reader("QLineEdit", /::completer\s*\(/, "completer") -property_writer("QLineEdit", /::setCompleter\s*\(/, "completer") -# Property textMargins (QMargins) -property_reader("QLineEdit", /::textMargins\s*\(/, "textMargins") -property_writer("QLineEdit", /::setTextMargins\s*\(/, "textMargins") -# Property validator (QValidator_Native *) -property_reader("QLineEdit", /::validator\s*\(/, "validator") -property_writer("QLineEdit", /::setValidator\s*\(/, "validator") # Property angle (double) property_reader("QLineF", /::angle\s*\(/, "angle") property_writer("QLineF", /::setAngle\s*\(/, "angle") @@ -13024,93 +11927,12 @@ property_writer("QLineF", /::setP1\s*\(/, "p1") # Property p2 (QPointF) property_reader("QLineF", /::p2\s*\(/, "p2") property_writer("QLineF", /::setP2\s*\(/, "p2") -# Property finalStop (QPointF) -property_reader("QLinearGradient", /::finalStop\s*\(/, "finalStop") -property_writer("QLinearGradient", /::setFinalStop\s*\(/, "finalStop") -# Property start (QPointF) -property_reader("QLinearGradient", /::start\s*\(/, "start") -property_writer("QLinearGradient", /::setStart\s*\(/, "start") -# Property rootIndex (QModelIndex) -property_reader("QAbstractItemView", /::rootIndex\s*\(/, "rootIndex") -property_writer("QListView", /::setRootIndex\s*\(/, "rootIndex") -# Property currentItem (QListWidgetItem_Native *) -property_reader("QListWidget", /::currentItem\s*\(/, "currentItem") -property_writer("QListWidget", /::setCurrentItem\s*\(/, "currentItem") -# Property background (QBrush) -property_reader("QListWidgetItem", /::background\s*\(/, "background") -property_writer("QListWidgetItem", /::setBackground\s*\(/, "background") -# Property backgroundColor (QColor) -property_reader("QListWidgetItem", /::backgroundColor\s*\(/, "backgroundColor") -property_writer("QListWidgetItem", /::setBackgroundColor\s*\(/, "backgroundColor") -# Property checkState (Qt_CheckState) -property_reader("QListWidgetItem", /::checkState\s*\(/, "checkState") -property_writer("QListWidgetItem", /::setCheckState\s*\(/, "checkState") -# Property flags (Qt_QFlags_ItemFlag) -property_reader("QListWidgetItem", /::flags\s*\(/, "flags") -property_writer("QListWidgetItem", /::setFlags\s*\(/, "flags") -# Property font (QFont) -property_reader("QListWidgetItem", /::font\s*\(/, "font") -property_writer("QListWidgetItem", /::setFont\s*\(/, "font") -# Property foreground (QBrush) -property_reader("QListWidgetItem", /::foreground\s*\(/, "foreground") -property_writer("QListWidgetItem", /::setForeground\s*\(/, "foreground") -# Property hidden (bool) -property_reader("QListWidgetItem", /::isHidden\s*\(/, "hidden") -property_writer("QListWidgetItem", /::setHidden\s*\(/, "hidden") -# Property icon (QIcon) -property_reader("QListWidgetItem", /::icon\s*\(/, "icon") -property_writer("QListWidgetItem", /::setIcon\s*\(/, "icon") -# Property selected (bool) -property_reader("QListWidgetItem", /::isSelected\s*\(/, "selected") -property_writer("QListWidgetItem", /::setSelected\s*\(/, "selected") -# Property sizeHint (QSize) -property_reader("QListWidgetItem", /::sizeHint\s*\(/, "sizeHint") -property_writer("QListWidgetItem", /::setSizeHint\s*\(/, "sizeHint") -# Property statusTip (string) -property_reader("QListWidgetItem", /::statusTip\s*\(/, "statusTip") -property_writer("QListWidgetItem", /::setStatusTip\s*\(/, "statusTip") -# Property text (string) -property_reader("QListWidgetItem", /::text\s*\(/, "text") -property_writer("QListWidgetItem", /::setText\s*\(/, "text") -# Property textAlignment (int) -property_reader("QListWidgetItem", /::textAlignment\s*\(/, "textAlignment") -property_writer("QListWidgetItem", /::setTextAlignment\s*\(/, "textAlignment") -# Property textColor (QColor) -property_reader("QListWidgetItem", /::textColor\s*\(/, "textColor") -property_writer("QListWidgetItem", /::setTextColor\s*\(/, "textColor") -# Property toolTip (string) -property_reader("QListWidgetItem", /::toolTip\s*\(/, "toolTip") -property_writer("QListWidgetItem", /::setToolTip\s*\(/, "toolTip") -# Property whatsThis (string) -property_reader("QListWidgetItem", /::whatsThis\s*\(/, "whatsThis") -property_writer("QListWidgetItem", /::setWhatsThis\s*\(/, "whatsThis") -# Property maxPendingConnections (int) -property_reader("QLocalServer", /::maxPendingConnections\s*\(/, "maxPendingConnections") -property_writer("QLocalServer", /::setMaxPendingConnections\s*\(/, "maxPendingConnections") -# Property readBufferSize (long long) -property_reader("QLocalSocket", /::readBufferSize\s*\(/, "readBufferSize") -property_writer("QLocalSocket", /::setReadBufferSize\s*\(/, "readBufferSize") -# Property serverName (string) -property_reader("QLocalSocket", /::serverName\s*\(/, "serverName") -property_writer("QLocalSocket", /::setServerName\s*\(/, "serverName") # Property numberOptions (QLocale_QFlags_NumberOption) property_reader("QLocale", /::numberOptions\s*\(/, "numberOptions") property_writer("QLocale", /::setNumberOptions\s*\(/, "numberOptions") # Property staleLockTime (int) property_reader("QLockFile", /::staleLockTime\s*\(/, "staleLockTime") property_writer("QLockFile", /::setStaleLockTime\s*\(/, "staleLockTime") -# Property centralWidget (QWidget_Native *) -property_reader("QMainWindow", /::centralWidget\s*\(/, "centralWidget") -property_writer("QMainWindow", /::setCentralWidget\s*\(/, "centralWidget") -# Property menuBar (QMenuBar_Native *) -property_reader("QMainWindow", /::menuBar\s*\(/, "menuBar") -property_writer("QMainWindow", /::setMenuBar\s*\(/, "menuBar") -# Property menuWidget (QWidget_Native *) -property_reader("QMainWindow", /::menuWidget\s*\(/, "menuWidget") -property_writer("QMainWindow", /::setMenuWidget\s*\(/, "menuWidget") -# Property statusBar (QStatusBar_Native *) -property_reader("QMainWindow", /::statusBar\s*\(/, "statusBar") -property_writer("QMainWindow", /::setStatusBar\s*\(/, "statusBar") # Property color (QMapNodeBase_Color) property_reader("QMapNodeBase", /::color\s*\(/, "color") property_writer("QMapNodeBase", /::setColor\s*\(/, "color") @@ -13141,261 +11963,747 @@ property_writer("QMarginsF", /::setRight\s*\(/, "right") # Property top (double) property_reader("QMarginsF", /::top\s*\(/, "top") property_writer("QMarginsF", /::setTop\s*\(/, "top") -# Property activeSubWindow (QMdiSubWindow_Native *) -property_reader("QMdiArea", /::activeSubWindow\s*\(/, "activeSubWindow") -property_writer("QMdiArea", /::setActiveSubWindow\s*\(/, "activeSubWindow") -# Property systemMenu (QMenu_Native *) -property_reader("QMdiSubWindow", /::systemMenu\s*\(/, "systemMenu") -property_writer("QMdiSubWindow", /::setSystemMenu\s*\(/, "systemMenu") -# Property widget (QWidget_Native *) -property_reader("QMdiSubWindow", /::widget\s*\(/, "widget") -property_writer("QMdiSubWindow", /::setWidget\s*\(/, "widget") -# Property containerFormat (string) -property_reader("QMediaContainerControl", /::containerFormat\s*\(/, "containerFormat") -property_writer("QMediaContainerControl", /::setContainerFormat\s*\(/, "containerFormat") -# Property crossfadeTime (double) -property_reader("QMediaGaplessPlaybackControl", /::crossfadeTime\s*\(/, "crossfadeTime") -property_writer("QMediaGaplessPlaybackControl", /::setCrossfadeTime\s*\(/, "crossfadeTime") -# Property nextMedia (QMediaContent) -property_reader("QMediaGaplessPlaybackControl", /::nextMedia\s*\(/, "nextMedia") -property_writer("QMediaGaplessPlaybackControl", /::setNextMedia\s*\(/, "nextMedia") -# Property muted (bool) -property_reader("QMediaPlayerControl", /::isMuted\s*\(/, "muted") -property_writer("QMediaPlayerControl", /::setMuted\s*\(/, "muted") -# Property playbackRate (double) -property_reader("QMediaPlayerControl", /::playbackRate\s*\(/, "playbackRate") -property_writer("QMediaPlayerControl", /::setPlaybackRate\s*\(/, "playbackRate") -# Property position (long long) -property_reader("QMediaPlayerControl", /::position\s*\(/, "position") -property_writer("QMediaPlayerControl", /::setPosition\s*\(/, "position") -# Property volume (int) -property_reader("QMediaPlayerControl", /::volume\s*\(/, "volume") -property_writer("QMediaPlayerControl", /::setVolume\s*\(/, "volume") -# Property audioSettings (QAudioEncoderSettings) -property_reader("QMediaRecorder", /::audioSettings\s*\(/, "audioSettings") -property_writer("QMediaRecorder", /::setAudioSettings\s*\(/, "audioSettings") -# Property containerFormat (string) -property_reader("QMediaRecorder", /::containerFormat\s*\(/, "containerFormat") -property_writer("QMediaRecorder", /::setContainerFormat\s*\(/, "containerFormat") -# Property videoSettings (QVideoEncoderSettings) -property_reader("QMediaRecorder", /::videoSettings\s*\(/, "videoSettings") -property_writer("QMediaRecorder", /::setVideoSettings\s*\(/, "videoSettings") -# Property muted (bool) -property_reader("QMediaRecorderControl", /::isMuted\s*\(/, "muted") -property_writer("QMediaRecorderControl", /::setMuted\s*\(/, "muted") -# Property state (QMediaRecorder_State) -property_reader("QMediaRecorderControl", /::state\s*\(/, "state") -property_writer("QMediaRecorderControl", /::setState\s*\(/, "state") -# Property volume (double) -property_reader("QMediaRecorderControl", /::volume\s*\(/, "volume") -property_writer("QMediaRecorderControl", /::setVolume\s*\(/, "volume") -# Property audioBitRate (int) -property_reader("QMediaResource", /::audioBitRate\s*\(/, "audioBitRate") -property_writer("QMediaResource", /::setAudioBitRate\s*\(/, "audioBitRate") -# Property audioCodec (string) -property_reader("QMediaResource", /::audioCodec\s*\(/, "audioCodec") -property_writer("QMediaResource", /::setAudioCodec\s*\(/, "audioCodec") -# Property channelCount (int) -property_reader("QMediaResource", /::channelCount\s*\(/, "channelCount") -property_writer("QMediaResource", /::setChannelCount\s*\(/, "channelCount") -# Property dataSize (long long) -property_reader("QMediaResource", /::dataSize\s*\(/, "dataSize") -property_writer("QMediaResource", /::setDataSize\s*\(/, "dataSize") -# Property language (string) -property_reader("QMediaResource", /::language\s*\(/, "language") -property_writer("QMediaResource", /::setLanguage\s*\(/, "language") -# Property resolution (QSize) -property_reader("QMediaResource", /::resolution\s*\(/, "resolution") -property_writer("QMediaResource", /::setResolution\s*\(/, "resolution") -# Property sampleRate (int) -property_reader("QMediaResource", /::sampleRate\s*\(/, "sampleRate") -property_writer("QMediaResource", /::setSampleRate\s*\(/, "sampleRate") -# Property videoBitRate (int) -property_reader("QMediaResource", /::videoBitRate\s*\(/, "videoBitRate") -property_writer("QMediaResource", /::setVideoBitRate\s*\(/, "videoBitRate") -# Property videoCodec (string) -property_reader("QMediaResource", /::videoCodec\s*\(/, "videoCodec") -property_writer("QMediaResource", /::setVideoCodec\s*\(/, "videoCodec") -# Property activeAction (QAction_Native *) -property_reader("QMenu", /::activeAction\s*\(/, "activeAction") -property_writer("QMenu", /::setActiveAction\s*\(/, "activeAction") -# Property defaultAction (QAction_Native *) -property_reader("QMenu", /::defaultAction\s*\(/, "defaultAction") -property_writer("QMenu", /::setDefaultAction\s*\(/, "defaultAction") -# Property activeAction (QAction_Native *) -property_reader("QMenuBar", /::activeAction\s*\(/, "activeAction") -property_writer("QMenuBar", /::setActiveAction\s*\(/, "activeAction") -# Property cornerWidget (QWidget_Native *) -property_reader("QMenuBar", /::cornerWidget\s*\(/, "cornerWidget") -property_writer("QMenuBar", /::setCornerWidget\s*\(/, "cornerWidget") -# Property checkBox (QCheckBox_Native *) -property_reader("QMessageBox", /::checkBox\s*\(/, "checkBox") -property_writer("QMessageBox", /::setCheckBox\s*\(/, "checkBox") -# Property defaultButton (QPushButton_Native *) -property_reader("QMessageBox", /::defaultButton\s*\(/, "defaultButton") -property_writer("QMessageBox", /::setDefaultButton\s*\(/, "defaultButton") -# Property escapeButton (QAbstractButton_Native *) -property_reader("QMessageBox", /::escapeButton\s*\(/, "escapeButton") -property_writer("QMessageBox", /::setEscapeButton\s*\(/, "escapeButton") # Property colorData (variant) property_reader("QMimeData", /::colorData\s*\(/, "colorData") property_writer("QMimeData", /::setColorData\s*\(/, "colorData") # Property imageData (variant) property_reader("QMimeData", /::imageData\s*\(/, "imageData") property_writer("QMimeData", /::setImageData\s*\(/, "imageData") +# Property objectName (string) +property_reader("QObject", /::objectName\s*\(/, "objectName") +property_writer("QObject", /::setObjectName\s*\(/, "objectName") +# Property parent (QObject_Native *) +property_reader("QObject", /::parent\s*\(/, "parent") +property_writer("QObject", /::setParent\s*\(/, "parent") +# Property x (int) +property_reader("QPoint", /::x\s*\(/, "x") +property_writer("QPoint", /::setX\s*\(/, "x") +# Property y (int) +property_reader("QPoint", /::y\s*\(/, "y") +property_writer("QPoint", /::setY\s*\(/, "y") +# Property x (double) +property_reader("QPointF", /::x\s*\(/, "x") +property_writer("QPointF", /::setX\s*\(/, "x") +# Property y (double) +property_reader("QPointF", /::y\s*\(/, "y") +property_writer("QPointF", /::setY\s*\(/, "y") +# Property arguments (string[]) +property_reader("QProcess", /::arguments\s*\(/, "arguments") +property_writer("QProcess", /::setArguments\s*\(/, "arguments") +# Property environment (string[]) +property_reader("QProcess", /::environment\s*\(/, "environment") +property_writer("QProcess", /::setEnvironment\s*\(/, "environment") +# Property inputChannelMode (QProcess_InputChannelMode) +property_reader("QProcess", /::inputChannelMode\s*\(/, "inputChannelMode") +property_writer("QProcess", /::setInputChannelMode\s*\(/, "inputChannelMode") +# Property processChannelMode (QProcess_ProcessChannelMode) +property_reader("QProcess", /::processChannelMode\s*\(/, "processChannelMode") +property_writer("QProcess", /::setProcessChannelMode\s*\(/, "processChannelMode") +# Property processEnvironment (QProcessEnvironment) +property_reader("QProcess", /::processEnvironment\s*\(/, "processEnvironment") +property_writer("QProcess", /::setProcessEnvironment\s*\(/, "processEnvironment") +# Property program (string) +property_reader("QProcess", /::program\s*\(/, "program") +property_writer("QProcess", /::setProgram\s*\(/, "program") +# Property readChannel (QProcess_ProcessChannel) +property_reader("QProcess", /::readChannel\s*\(/, "readChannel") +property_writer("QProcess", /::setReadChannel\s*\(/, "readChannel") +# Property readChannelMode (QProcess_ProcessChannelMode) +property_reader("QProcess", /::readChannelMode\s*\(/, "readChannelMode") +property_writer("QProcess", /::setReadChannelMode\s*\(/, "readChannelMode") +# Property workingDirectory (string) +property_reader("QProcess", /::workingDirectory\s*\(/, "workingDirectory") +property_writer("QProcess", /::setWorkingDirectory\s*\(/, "workingDirectory") +# Property bottom (int) +property_reader("QRect", /::bottom\s*\(/, "bottom") +property_writer("QRect", /::setBottom\s*\(/, "bottom") +# Property bottomLeft (QPoint) +property_reader("QRect", /::bottomLeft\s*\(/, "bottomLeft") +property_writer("QRect", /::setBottomLeft\s*\(/, "bottomLeft") +# Property bottomRight (QPoint) +property_reader("QRect", /::bottomRight\s*\(/, "bottomRight") +property_writer("QRect", /::setBottomRight\s*\(/, "bottomRight") +# Property height (int) +property_reader("QRect", /::height\s*\(/, "height") +property_writer("QRect", /::setHeight\s*\(/, "height") +# Property left (int) +property_reader("QRect", /::left\s*\(/, "left") +property_writer("QRect", /::setLeft\s*\(/, "left") +# Property right (int) +property_reader("QRect", /::right\s*\(/, "right") +property_writer("QRect", /::setRight\s*\(/, "right") +# Property size (QSize) +property_reader("QRect", /::size\s*\(/, "size") +property_writer("QRect", /::setSize\s*\(/, "size") +# Property top (int) +property_reader("QRect", /::top\s*\(/, "top") +property_writer("QRect", /::setTop\s*\(/, "top") +# Property topLeft (QPoint) +property_reader("QRect", /::topLeft\s*\(/, "topLeft") +property_writer("QRect", /::setTopLeft\s*\(/, "topLeft") +# Property topRight (QPoint) +property_reader("QRect", /::topRight\s*\(/, "topRight") +property_writer("QRect", /::setTopRight\s*\(/, "topRight") +# Property width (int) +property_reader("QRect", /::width\s*\(/, "width") +property_writer("QRect", /::setWidth\s*\(/, "width") +# Property x (int) +property_reader("QRect", /::x\s*\(/, "x") +property_writer("QRect", /::setX\s*\(/, "x") +# Property y (int) +property_reader("QRect", /::y\s*\(/, "y") +property_writer("QRect", /::setY\s*\(/, "y") +# Property bottom (double) +property_reader("QRectF", /::bottom\s*\(/, "bottom") +property_writer("QRectF", /::setBottom\s*\(/, "bottom") +# Property bottomLeft (QPointF) +property_reader("QRectF", /::bottomLeft\s*\(/, "bottomLeft") +property_writer("QRectF", /::setBottomLeft\s*\(/, "bottomLeft") +# Property bottomRight (QPointF) +property_reader("QRectF", /::bottomRight\s*\(/, "bottomRight") +property_writer("QRectF", /::setBottomRight\s*\(/, "bottomRight") +# Property height (double) +property_reader("QRectF", /::height\s*\(/, "height") +property_writer("QRectF", /::setHeight\s*\(/, "height") +# Property left (double) +property_reader("QRectF", /::left\s*\(/, "left") +property_writer("QRectF", /::setLeft\s*\(/, "left") +# Property right (double) +property_reader("QRectF", /::right\s*\(/, "right") +property_writer("QRectF", /::setRight\s*\(/, "right") +# Property size (QSizeF) +property_reader("QRectF", /::size\s*\(/, "size") +property_writer("QRectF", /::setSize\s*\(/, "size") +# Property top (double) +property_reader("QRectF", /::top\s*\(/, "top") +property_writer("QRectF", /::setTop\s*\(/, "top") +# Property topLeft (QPointF) +property_reader("QRectF", /::topLeft\s*\(/, "topLeft") +property_writer("QRectF", /::setTopLeft\s*\(/, "topLeft") +# Property topRight (QPointF) +property_reader("QRectF", /::topRight\s*\(/, "topRight") +property_writer("QRectF", /::setTopRight\s*\(/, "topRight") +# Property width (double) +property_reader("QRectF", /::width\s*\(/, "width") +property_writer("QRectF", /::setWidth\s*\(/, "width") +# Property x (double) +property_reader("QRectF", /::x\s*\(/, "x") +property_writer("QRectF", /::setX\s*\(/, "x") +# Property y (double) +property_reader("QRectF", /::y\s*\(/, "y") +property_writer("QRectF", /::setY\s*\(/, "y") +# Property caseSensitivity (Qt_CaseSensitivity) +property_reader("QRegExp", /::caseSensitivity\s*\(/, "caseSensitivity") +property_writer("QRegExp", /::setCaseSensitivity\s*\(/, "caseSensitivity") +# Property minimal (bool) +property_reader("QRegExp", /::isMinimal\s*\(/, "minimal") +property_writer("QRegExp", /::setMinimal\s*\(/, "minimal") +# Property pattern (string) +property_reader("QRegExp", /::pattern\s*\(/, "pattern") +property_writer("QRegExp", /::setPattern\s*\(/, "pattern") +# Property patternSyntax (QRegExp_PatternSyntax) +property_reader("QRegExp", /::patternSyntax\s*\(/, "patternSyntax") +property_writer("QRegExp", /::setPatternSyntax\s*\(/, "patternSyntax") +# Property pattern (string) +property_reader("QRegularExpression", /::pattern\s*\(/, "pattern") +property_writer("QRegularExpression", /::setPattern\s*\(/, "pattern") +# Property patternOptions (QRegularExpression_QFlags_PatternOption) +property_reader("QRegularExpression", /::patternOptions\s*\(/, "patternOptions") +property_writer("QRegularExpression", /::setPatternOptions\s*\(/, "patternOptions") +# Property fileName (string) +property_reader("QResource", /::fileName\s*\(/, "fileName") +property_writer("QResource", /::setFileName\s*\(/, "fileName") +# Property locale (QLocale) +property_reader("QResource", /::locale\s*\(/, "locale") +property_writer("QResource", /::setLocale\s*\(/, "locale") +# Property autoDelete (bool) +property_reader("QRunnable", /::autoDelete\s*\(/, "autoDelete") +property_writer("QRunnable", /::setAutoDelete\s*\(/, "autoDelete") +# Property directWriteFallback (bool) +property_reader("QSaveFile", /::directWriteFallback\s*\(/, "directWriteFallback") +property_writer("QSaveFile", /::setDirectWriteFallback\s*\(/, "directWriteFallback") +# Property fileName (string) +property_reader("QSaveFile", /::fileName\s*\(/, "fileName") +property_writer("QSaveFile", /::setFileName\s*\(/, "fileName") +# Property atomicSyncRequired (bool) +property_reader("QSettings", /::isAtomicSyncRequired\s*\(/, "atomicSyncRequired") +property_writer("QSettings", /::setAtomicSyncRequired\s*\(/, "atomicSyncRequired") +# Property defaultFormat (QSettings_Format) +property_reader("QSettings", /::defaultFormat\s*\(/, "defaultFormat") +property_writer("QSettings", /::setDefaultFormat\s*\(/, "defaultFormat") +# Property fallbacksEnabled (bool) +property_reader("QSettings", /::fallbacksEnabled\s*\(/, "fallbacksEnabled") +property_writer("QSettings", /::setFallbacksEnabled\s*\(/, "fallbacksEnabled") +# Property key (string) +property_reader("QSharedMemory", /::key\s*\(/, "key") +property_writer("QSharedMemory", /::setKey\s*\(/, "key") +# Property nativeKey (string) +property_reader("QSharedMemory", /::nativeKey\s*\(/, "nativeKey") +property_writer("QSharedMemory", /::setNativeKey\s*\(/, "nativeKey") +# Property height (int) +property_reader("QSize", /::height\s*\(/, "height") +property_writer("QSize", /::setHeight\s*\(/, "height") +# Property width (int) +property_reader("QSize", /::width\s*\(/, "width") +property_writer("QSize", /::setWidth\s*\(/, "width") +# Property height (double) +property_reader("QSizeF", /::height\s*\(/, "height") +property_writer("QSizeF", /::setHeight\s*\(/, "height") +# Property width (double) +property_reader("QSizeF", /::width\s*\(/, "width") +property_writer("QSizeF", /::setWidth\s*\(/, "width") +# Property enabled (bool) +property_reader("QSocketNotifier", /::isEnabled\s*\(/, "enabled") +property_writer("QSocketNotifier", /::setEnabled\s*\(/, "enabled") +# Property parent (QObject_Native *) +property_reader("QSortFilterProxyModel", /::parent\s*\(/, "parent") +property_writer("QObject", /::setParent\s*\(/, "parent") +# Property testModeEnabled (bool) +property_reader("QStandardPaths", /::isTestModeEnabled\s*\(/, "testModeEnabled") +property_writer("QStandardPaths", /::setTestModeEnabled\s*\(/, "testModeEnabled") +# Property stringList (string[]) +property_reader("QStringListModel", /::stringList\s*\(/, "stringList") +property_writer("QStringListModel", /::setStringList\s*\(/, "stringList") +# Property caseSensitivity (Qt_CaseSensitivity) +property_reader("QStringMatcher", /::caseSensitivity\s*\(/, "caseSensitivity") +property_writer("QStringMatcher", /::setCaseSensitivity\s*\(/, "caseSensitivity") +# Property pattern (string) +property_reader("QStringMatcher", /::pattern\s*\(/, "pattern") +property_writer("QStringMatcher", /::setPattern\s*\(/, "pattern") +# Property key (string) +property_reader("QSystemSemaphore", /::key\s*\(/, "key") +property_writer("QSystemSemaphore", /::setKey\s*\(/, "key") +# Property autoRemove (bool) +property_reader("QTemporaryDir", /::autoRemove\s*\(/, "autoRemove") +property_writer("QTemporaryDir", /::setAutoRemove\s*\(/, "autoRemove") +# Property autoRemove (bool) +property_reader("QTemporaryFile", /::autoRemove\s*\(/, "autoRemove") +property_writer("QTemporaryFile", /::setAutoRemove\s*\(/, "autoRemove") +# Property fileName (string) +property_reader("QTemporaryFile", /::fileName\s*\(/, "fileName") +property_writer("QFile", /::setFileName\s*\(/, "fileName") +# Property fileTemplate (string) +property_reader("QTemporaryFile", /::fileTemplate\s*\(/, "fileTemplate") +property_writer("QTemporaryFile", /::setFileTemplate\s*\(/, "fileTemplate") +# Property position (int) +property_reader("QTextBoundaryFinder", /::position\s*\(/, "position") +property_writer("QTextBoundaryFinder", /::setPosition\s*\(/, "position") +# Property codecForLocale (QTextCodec_Native *) +property_reader("QTextCodec", /::codecForLocale\s*\(/, "codecForLocale") +property_writer("QTextCodec", /::setCodecForLocale\s*\(/, "codecForLocale") +# Property autoDetectUnicode (bool) +property_reader("QTextStream", /::autoDetectUnicode\s*\(/, "autoDetectUnicode") +property_writer("QTextStream", /::setAutoDetectUnicode\s*\(/, "autoDetectUnicode") +# Property codec (QTextCodec_Native *) +property_reader("QTextStream", /::codec\s*\(/, "codec") +property_writer("QTextStream", /::setCodec\s*\(/, "codec") +# Property device (QIODevice *) +property_reader("QTextStream", /::device\s*\(/, "device") +property_writer("QTextStream", /::setDevice\s*\(/, "device") +# Property fieldAlignment (QTextStream_FieldAlignment) +property_reader("QTextStream", /::fieldAlignment\s*\(/, "fieldAlignment") +property_writer("QTextStream", /::setFieldAlignment\s*\(/, "fieldAlignment") +# Property fieldWidth (int) +property_reader("QTextStream", /::fieldWidth\s*\(/, "fieldWidth") +property_writer("QTextStream", /::setFieldWidth\s*\(/, "fieldWidth") +# Property generateByteOrderMark (bool) +property_reader("QTextStream", /::generateByteOrderMark\s*\(/, "generateByteOrderMark") +property_writer("QTextStream", /::setGenerateByteOrderMark\s*\(/, "generateByteOrderMark") +# Property integerBase (int) +property_reader("QTextStream", /::integerBase\s*\(/, "integerBase") +property_writer("QTextStream", /::setIntegerBase\s*\(/, "integerBase") +# Property locale (QLocale) +property_reader("QTextStream", /::locale\s*\(/, "locale") +property_writer("QTextStream", /::setLocale\s*\(/, "locale") +# Property numberFlags (QTextStream_QFlags_NumberFlag) +property_reader("QTextStream", /::numberFlags\s*\(/, "numberFlags") +property_writer("QTextStream", /::setNumberFlags\s*\(/, "numberFlags") +# Property padChar (unsigned int) +property_reader("QTextStream", /::padChar\s*\(/, "padChar") +property_writer("QTextStream", /::setPadChar\s*\(/, "padChar") +# Property realNumberNotation (QTextStream_RealNumberNotation) +property_reader("QTextStream", /::realNumberNotation\s*\(/, "realNumberNotation") +property_writer("QTextStream", /::setRealNumberNotation\s*\(/, "realNumberNotation") +# Property realNumberPrecision (int) +property_reader("QTextStream", /::realNumberPrecision\s*\(/, "realNumberPrecision") +property_writer("QTextStream", /::setRealNumberPrecision\s*\(/, "realNumberPrecision") +# Property status (QTextStream_Status) +property_reader("QTextStream", /::status\s*\(/, "status") +property_writer("QTextStream", /::setStatus\s*\(/, "status") +# Property string (string *) +property_reader("QTextStream", /::string\s*\(/, "string") +property_writer("QTextStream", /::setString\s*\(/, "string") +# Property eventDispatcher (QAbstractEventDispatcher_Native *) +property_reader("QThread", /::eventDispatcher\s*\(/, "eventDispatcher") +property_writer("QThread", /::setEventDispatcher\s*\(/, "eventDispatcher") +# Property priority (QThread_Priority) +property_reader("QThread", /::priority\s*\(/, "priority") +property_writer("QThread", /::setPriority\s*\(/, "priority") +# Property stackSize (unsigned int) +property_reader("QThread", /::stackSize\s*\(/, "stackSize") +property_writer("QThread", /::setStackSize\s*\(/, "stackSize") +# Property endFrame (int) +property_reader("QTimeLine", /::endFrame\s*\(/, "endFrame") +property_writer("QTimeLine", /::setEndFrame\s*\(/, "endFrame") +# Property startFrame (int) +property_reader("QTimeLine", /::startFrame\s*\(/, "startFrame") +property_writer("QTimeLine", /::setStartFrame\s*\(/, "startFrame") +# Property authority (string) +property_reader("QUrl", /::authority\s*\(/, "authority") +property_writer("QUrl", /::setAuthority\s*\(/, "authority") +# Property fragment (string) +property_reader("QUrl", /::fragment\s*\(/, "fragment") +property_writer("QUrl", /::setFragment\s*\(/, "fragment") +# Property host (string) +property_reader("QUrl", /::host\s*\(/, "host") +property_writer("QUrl", /::setHost\s*\(/, "host") +# Property idnWhitelist (string[]) +property_reader("QUrl", /::idnWhitelist\s*\(/, "idnWhitelist") +property_writer("QUrl", /::setIdnWhitelist\s*\(/, "idnWhitelist") +# Property password (string) +property_reader("QUrl", /::password\s*\(/, "password") +property_writer("QUrl", /::setPassword\s*\(/, "password") +# Property path (string) +property_reader("QUrl", /::path\s*\(/, "path") +property_writer("QUrl", /::setPath\s*\(/, "path") +# Property port (int) +property_reader("QUrl", /::port\s*\(/, "port") +property_writer("QUrl", /::setPort\s*\(/, "port") +# Property scheme (string) +property_reader("QUrl", /::scheme\s*\(/, "scheme") +property_writer("QUrl", /::setScheme\s*\(/, "scheme") +# Property url (string) +property_reader("QUrl", /::url\s*\(/, "url") +property_writer("QUrl", /::setUrl\s*\(/, "url") +# Property userInfo (string) +property_reader("QUrl", /::userInfo\s*\(/, "userInfo") +property_writer("QUrl", /::setUserInfo\s*\(/, "userInfo") +# Property userName (string) +property_reader("QUrl", /::userName\s*\(/, "userName") +property_writer("QUrl", /::setUserName\s*\(/, "userName") +# Property query (string) +property_reader("QUrlQuery", /::query\s*\(/, "query") +property_writer("QUrlQuery", /::setQuery\s*\(/, "query") +# Property queryItems (QPair_QString_QString[]) +property_reader("QUrlQuery", /::queryItems\s*\(/, "queryItems") +property_writer("QUrlQuery", /::setQueryItems\s*\(/, "queryItems") +# Property keyValues (QPair_double_QVariant[]) +property_reader("QVariantAnimation", /::keyValues\s*\(/, "keyValues") +property_writer("QVariantAnimation", /::setKeyValues\s*\(/, "keyValues") +# Property device (QIODevice *) +property_reader("QXmlStreamReader", /::device\s*\(/, "device") +property_writer("QXmlStreamReader", /::setDevice\s*\(/, "device") +# Property entityResolver (QXmlStreamEntityResolver_Native *) +property_reader("QXmlStreamReader", /::entityResolver\s*\(/, "entityResolver") +property_writer("QXmlStreamReader", /::setEntityResolver\s*\(/, "entityResolver") +# Property namespaceProcessing (bool) +property_reader("QXmlStreamReader", /::namespaceProcessing\s*\(/, "namespaceProcessing") +property_writer("QXmlStreamReader", /::setNamespaceProcessing\s*\(/, "namespaceProcessing") +# Property autoFormatting (bool) +property_reader("QXmlStreamWriter", /::autoFormatting\s*\(/, "autoFormatting") +property_writer("QXmlStreamWriter", /::setAutoFormatting\s*\(/, "autoFormatting") +# Property autoFormattingIndent (int) +property_reader("QXmlStreamWriter", /::autoFormattingIndent\s*\(/, "autoFormattingIndent") +property_writer("QXmlStreamWriter", /::setAutoFormattingIndent\s*\(/, "autoFormattingIndent") +# Property codec (QTextCodec_Native *) +property_reader("QXmlStreamWriter", /::codec\s*\(/, "codec") +property_writer("QXmlStreamWriter", /::setCodec\s*\(/, "codec") +# Property device (QIODevice *) +property_reader("QXmlStreamWriter", /::device\s*\(/, "device") +property_writer("QXmlStreamWriter", /::setDevice\s*\(/, "device") +# Property paintDevice (QPaintDevice_Native *) +property_reader("QAbstractTextDocumentLayout", /::paintDevice\s*\(/, "paintDevice") +property_writer("QAbstractTextDocumentLayout", /::setPaintDevice\s*\(/, "paintDevice") +# Property active (bool) +property_reader("QAccessible", /::isActive\s*\(/, "active") +property_writer("QAccessible", /::setActive\s*\(/, "active") +# Property child (int) +property_reader("QAccessibleEvent", /::child\s*\(/, "child") +property_writer("QAccessibleEvent", /::setChild\s*\(/, "child") +# Property firstColumn (int) +property_reader("QAccessibleTableModelChangeEvent", /::firstColumn\s*\(/, "firstColumn") +property_writer("QAccessibleTableModelChangeEvent", /::setFirstColumn\s*\(/, "firstColumn") +# Property firstRow (int) +property_reader("QAccessibleTableModelChangeEvent", /::firstRow\s*\(/, "firstRow") +property_writer("QAccessibleTableModelChangeEvent", /::setFirstRow\s*\(/, "firstRow") +# Property lastColumn (int) +property_reader("QAccessibleTableModelChangeEvent", /::lastColumn\s*\(/, "lastColumn") +property_writer("QAccessibleTableModelChangeEvent", /::setLastColumn\s*\(/, "lastColumn") +# Property lastRow (int) +property_reader("QAccessibleTableModelChangeEvent", /::lastRow\s*\(/, "lastRow") +property_writer("QAccessibleTableModelChangeEvent", /::setLastRow\s*\(/, "lastRow") +# Property modelChangeType (QAccessibleTableModelChangeEvent_ModelChangeType) +property_reader("QAccessibleTableModelChangeEvent", /::modelChangeType\s*\(/, "modelChangeType") +property_writer("QAccessibleTableModelChangeEvent", /::setModelChangeType\s*\(/, "modelChangeType") +# Property cursorPosition (int) +property_reader("QAccessibleTextCursorEvent", /::cursorPosition\s*\(/, "cursorPosition") +property_writer("QAccessibleTextCursorEvent", /::setCursorPosition\s*\(/, "cursorPosition") +# Property cursorPosition (int) +property_reader("QAccessibleTextInterface", /::cursorPosition\s*\(/, "cursorPosition") +property_writer("QAccessibleTextInterface", /::setCursorPosition\s*\(/, "cursorPosition") +# Property value (variant) +property_reader("QAccessibleValueChangeEvent", /::value\s*\(/, "value") +property_writer("QAccessibleValueChangeEvent", /::setValue\s*\(/, "value") +# Property currentValue (variant) +property_reader("QAccessibleValueInterface", /::currentValue\s*\(/, "currentValue") +property_writer("QAccessibleValueInterface", /::setCurrentValue\s*\(/, "currentValue") +# Property color (QColor) +property_reader("QBrush", /::color\s*\(/, "color") +property_writer("QBrush", /::setColor\s*\(/, "color") +# Property matrix (QMatrix) +property_reader("QBrush", /::matrix\s*\(/, "matrix") +property_writer("QBrush", /::setMatrix\s*\(/, "matrix") +# Property style (Qt_BrushStyle) +property_reader("QBrush", /::style\s*\(/, "style") +property_writer("QBrush", /::setStyle\s*\(/, "style") +# Property texture (QPixmap_Native) +property_reader("QBrush", /::texture\s*\(/, "texture") +property_writer("QBrush", /::setTexture\s*\(/, "texture") +# Property textureImage (QImage_Native) +property_reader("QBrush", /::textureImage\s*\(/, "textureImage") +property_writer("QBrush", /::setTextureImage\s*\(/, "textureImage") +# Property transform (QTransform) +property_reader("QBrush", /::transform\s*\(/, "transform") +property_writer("QBrush", /::setTransform\s*\(/, "transform") +# Property image (QImage_Native) +property_reader("QClipboard", /::image\s*\(/, "image") +property_writer("QClipboard", /::setImage\s*\(/, "image") +# Property mimeData (QMimeData_Native *) +property_reader("QClipboard", /::mimeData\s*\(/, "mimeData") +property_writer("QClipboard", /::setMimeData\s*\(/, "mimeData") +# Property pixmap (QPixmap_Native) +property_reader("QClipboard", /::pixmap\s*\(/, "pixmap") +property_writer("QClipboard", /::setPixmap\s*\(/, "pixmap") +# Property text (string) +property_reader("QClipboard", /::text\s*\(/, "text") +property_writer("QClipboard", /::setText\s*\(/, "text") +# Property alpha (int) +property_reader("QColor", /::alpha\s*\(/, "alpha") +property_writer("QColor", /::setAlpha\s*\(/, "alpha") +# Property alphaF (double) +property_reader("QColor", /::alphaF\s*\(/, "alphaF") +property_writer("QColor", /::setAlphaF\s*\(/, "alphaF") +# Property blue (int) +property_reader("QColor", /::blue\s*\(/, "blue") +property_writer("QColor", /::setBlue\s*\(/, "blue") +# Property blueF (double) +property_reader("QColor", /::blueF\s*\(/, "blueF") +property_writer("QColor", /::setBlueF\s*\(/, "blueF") +# Property green (int) +property_reader("QColor", /::green\s*\(/, "green") +property_writer("QColor", /::setGreen\s*\(/, "green") +# Property greenF (double) +property_reader("QColor", /::greenF\s*\(/, "greenF") +property_writer("QColor", /::setGreenF\s*\(/, "greenF") +# Property red (int) +property_reader("QColor", /::red\s*\(/, "red") +property_writer("QColor", /::setRed\s*\(/, "red") +# Property redF (double) +property_reader("QColor", /::redF\s*\(/, "redF") +property_writer("QColor", /::setRedF\s*\(/, "redF") +# Property rgb (unsigned int) +property_reader("QColor", /::rgb\s*\(/, "rgb") +property_writer("QColor", /::setRgb\s*\(/, "rgb") +# Property rgba (unsigned int) +property_reader("QColor", /::rgba\s*\(/, "rgba") +property_writer("QColor", /::setRgba\s*\(/, "rgba") +# Property rgba64 (QRgba64) +property_reader("QColor", /::rgba64\s*\(/, "rgba64") +property_writer("QColor", /::setRgba64\s*\(/, "rgba64") +# Property angle (double) +property_reader("QConicalGradient", /::angle\s*\(/, "angle") +property_writer("QConicalGradient", /::setAngle\s*\(/, "angle") +# Property center (QPointF) +property_reader("QConicalGradient", /::center\s*\(/, "center") +property_writer("QConicalGradient", /::setCenter\s*\(/, "center") +# Property pos (QPoint) +property_reader("QCursor", /::pos\s*\(/, "pos") +property_writer("QCursor", /::setPos\s*\(/, "pos") +# Property shape (Qt_CursorShape) +property_reader("QCursor", /::shape\s*\(/, "shape") +property_writer("QCursor", /::setShape\s*\(/, "shape") +# Property hotSpot (QPoint) +property_reader("QDrag", /::hotSpot\s*\(/, "hotSpot") +property_writer("QDrag", /::setHotSpot\s*\(/, "hotSpot") +# Property mimeData (QMimeData_Native *) +property_reader("QDrag", /::mimeData\s*\(/, "mimeData") +property_writer("QDrag", /::setMimeData\s*\(/, "mimeData") +# Property pixmap (QPixmap_Native) +property_reader("QDrag", /::pixmap\s*\(/, "pixmap") +property_writer("QDrag", /::setPixmap\s*\(/, "pixmap") +# Property dropAction (Qt_DropAction) +property_reader("QDropEvent", /::dropAction\s*\(/, "dropAction") +property_writer("QDropEvent", /::setDropAction\s*\(/, "dropAction") +# Property bold (bool) +property_reader("QFont", /::bold\s*\(/, "bold") +property_writer("QFont", /::setBold\s*\(/, "bold") +# Property capitalization (QFont_Capitalization) +property_reader("QFont", /::capitalization\s*\(/, "capitalization") +property_writer("QFont", /::setCapitalization\s*\(/, "capitalization") +# Property family (string) +property_reader("QFont", /::family\s*\(/, "family") +property_writer("QFont", /::setFamily\s*\(/, "family") +# Property fixedPitch (bool) +property_reader("QFont", /::fixedPitch\s*\(/, "fixedPitch") +property_writer("QFont", /::setFixedPitch\s*\(/, "fixedPitch") +# Property hintingPreference (QFont_HintingPreference) +property_reader("QFont", /::hintingPreference\s*\(/, "hintingPreference") +property_writer("QFont", /::setHintingPreference\s*\(/, "hintingPreference") +# Property italic (bool) +property_reader("QFont", /::italic\s*\(/, "italic") +property_writer("QFont", /::setItalic\s*\(/, "italic") +# Property kerning (bool) +property_reader("QFont", /::kerning\s*\(/, "kerning") +property_writer("QFont", /::setKerning\s*\(/, "kerning") +# Property overline (bool) +property_reader("QFont", /::overline\s*\(/, "overline") +property_writer("QFont", /::setOverline\s*\(/, "overline") +# Property pixelSize (int) +property_reader("QFont", /::pixelSize\s*\(/, "pixelSize") +property_writer("QFont", /::setPixelSize\s*\(/, "pixelSize") +# Property pointSize (int) +property_reader("QFont", /::pointSize\s*\(/, "pointSize") +property_writer("QFont", /::setPointSize\s*\(/, "pointSize") +# Property pointSizeF (double) +property_reader("QFont", /::pointSizeF\s*\(/, "pointSizeF") +property_writer("QFont", /::setPointSizeF\s*\(/, "pointSizeF") +# Property rawMode (bool) +property_reader("QFont", /::rawMode\s*\(/, "rawMode") +property_writer("QFont", /::setRawMode\s*\(/, "rawMode") +# Property rawName (string) +property_reader("QFont", /::rawName\s*\(/, "rawName") +property_writer("QFont", /::setRawName\s*\(/, "rawName") +# Property stretch (int) +property_reader("QFont", /::stretch\s*\(/, "stretch") +property_writer("QFont", /::setStretch\s*\(/, "stretch") +# Property strikeOut (bool) +property_reader("QFont", /::strikeOut\s*\(/, "strikeOut") +property_writer("QFont", /::setStrikeOut\s*\(/, "strikeOut") +# Property style (QFont_Style) +property_reader("QFont", /::style\s*\(/, "style") +property_writer("QFont", /::setStyle\s*\(/, "style") +# Property styleHint (QFont_StyleHint) +property_reader("QFont", /::styleHint\s*\(/, "styleHint") +property_writer("QFont", /::setStyleHint\s*\(/, "styleHint") +# Property styleName (string) +property_reader("QFont", /::styleName\s*\(/, "styleName") +property_writer("QFont", /::setStyleName\s*\(/, "styleName") +# Property styleStrategy (QFont_StyleStrategy) +property_reader("QFont", /::styleStrategy\s*\(/, "styleStrategy") +property_writer("QFont", /::setStyleStrategy\s*\(/, "styleStrategy") +# Property underline (bool) +property_reader("QFont", /::underline\s*\(/, "underline") +property_writer("QFont", /::setUnderline\s*\(/, "underline") +# Property weight (int) +property_reader("QFont", /::weight\s*\(/, "weight") +property_writer("QFont", /::setWeight\s*\(/, "weight") +# Property wordSpacing (double) +property_reader("QFont", /::wordSpacing\s*\(/, "wordSpacing") +property_writer("QFont", /::setWordSpacing\s*\(/, "wordSpacing") +# Property boundingRect (QRectF) +property_reader("QGlyphRun", /::boundingRect\s*\(/, "boundingRect") +property_writer("QGlyphRun", /::setBoundingRect\s*\(/, "boundingRect") +# Property flags (QGlyphRun_QFlags_GlyphRunFlag) +property_reader("QGlyphRun", /::flags\s*\(/, "flags") +property_writer("QGlyphRun", /::setFlags\s*\(/, "flags") +# Property glyphIndexes (unsigned int[]) +property_reader("QGlyphRun", /::glyphIndexes\s*\(/, "glyphIndexes") +property_writer("QGlyphRun", /::setGlyphIndexes\s*\(/, "glyphIndexes") +# Property overline (bool) +property_reader("QGlyphRun", /::overline\s*\(/, "overline") +property_writer("QGlyphRun", /::setOverline\s*\(/, "overline") +# Property positions (QPointF[]) +property_reader("QGlyphRun", /::positions\s*\(/, "positions") +property_writer("QGlyphRun", /::setPositions\s*\(/, "positions") +# Property rawFont (QRawFont) +property_reader("QGlyphRun", /::rawFont\s*\(/, "rawFont") +property_writer("QGlyphRun", /::setRawFont\s*\(/, "rawFont") +# Property rightToLeft (bool) +property_reader("QGlyphRun", /::isRightToLeft\s*\(/, "rightToLeft") +property_writer("QGlyphRun", /::setRightToLeft\s*\(/, "rightToLeft") +# Property strikeOut (bool) +property_reader("QGlyphRun", /::strikeOut\s*\(/, "strikeOut") +property_writer("QGlyphRun", /::setStrikeOut\s*\(/, "strikeOut") +# Property underline (bool) +property_reader("QGlyphRun", /::underline\s*\(/, "underline") +property_writer("QGlyphRun", /::setUnderline\s*\(/, "underline") +# Property coordinateMode (QGradient_CoordinateMode) +property_reader("QGradient", /::coordinateMode\s*\(/, "coordinateMode") +property_writer("QGradient", /::setCoordinateMode\s*\(/, "coordinateMode") +# Property interpolationMode (QGradient_InterpolationMode) +property_reader("QGradient", /::interpolationMode\s*\(/, "interpolationMode") +property_writer("QGradient", /::setInterpolationMode\s*\(/, "interpolationMode") +# Property spread (QGradient_Spread) +property_reader("QGradient", /::spread\s*\(/, "spread") +property_writer("QGradient", /::setSpread\s*\(/, "spread") +# Property stops (QPair_double_QColor[]) +property_reader("QGradient", /::stops\s*\(/, "stops") +property_writer("QGradient", /::setStops\s*\(/, "stops") +# Property desktopSettingsAware (bool) +property_reader("QGuiApplication", /::desktopSettingsAware\s*\(/, "desktopSettingsAware") +property_writer("QGuiApplication", /::setDesktopSettingsAware\s*\(/, "desktopSettingsAware") +# Property fallbackSessionManagementEnabled (bool) +property_reader("QGuiApplication", /::isFallbackSessionManagementEnabled\s*\(/, "fallbackSessionManagementEnabled") +property_writer("QGuiApplication", /::setFallbackSessionManagementEnabled\s*\(/, "fallbackSessionManagementEnabled") +# Property font (QFont) +property_reader("QGuiApplication", /::font\s*\(/, "font") +property_writer("QGuiApplication", /::setFont\s*\(/, "font") +# Property palette (QPalette) +property_reader("QGuiApplication", /::palette\s*\(/, "palette") +property_writer("QGuiApplication", /::setPalette\s*\(/, "palette") +# Property fallbackSearchPaths (string[]) +property_reader("QIcon", /::fallbackSearchPaths\s*\(/, "fallbackSearchPaths") +property_writer("QIcon", /::setFallbackSearchPaths\s*\(/, "fallbackSearchPaths") +# Property fallbackThemeName (string) +property_reader("QIcon", /::fallbackThemeName\s*\(/, "fallbackThemeName") +property_writer("QIcon", /::setFallbackThemeName\s*\(/, "fallbackThemeName") +# Property themeName (string) +property_reader("QIcon", /::themeName\s*\(/, "themeName") +property_writer("QIcon", /::setThemeName\s*\(/, "themeName") +# Property themeSearchPaths (string[]) +property_reader("QIcon", /::themeSearchPaths\s*\(/, "themeSearchPaths") +property_writer("QIcon", /::setThemeSearchPaths\s*\(/, "themeSearchPaths") +# Property alphaChannel (QImage_Native) +property_reader("QImage", /::alphaChannel\s*\(/, "alphaChannel") +property_writer("QImage", /::setAlphaChannel\s*\(/, "alphaChannel") +# Property colorCount (int) +property_reader("QImage", /::colorCount\s*\(/, "colorCount") +property_writer("QImage", /::setColorCount\s*\(/, "colorCount") +# Property devicePixelRatio (double) +property_reader("QImage", /::devicePixelRatio\s*\(/, "devicePixelRatio") +property_writer("QImage", /::setDevicePixelRatio\s*\(/, "devicePixelRatio") +# Property dotsPerMeterX (int) +property_reader("QImage", /::dotsPerMeterX\s*\(/, "dotsPerMeterX") +property_writer("QImage", /::setDotsPerMeterX\s*\(/, "dotsPerMeterX") +# Property dotsPerMeterY (int) +property_reader("QImage", /::dotsPerMeterY\s*\(/, "dotsPerMeterY") +property_writer("QImage", /::setDotsPerMeterY\s*\(/, "dotsPerMeterY") +# Property offset (QPoint) +property_reader("QImage", /::offset\s*\(/, "offset") +property_writer("QImage", /::setOffset\s*\(/, "offset") +# Property device (QIODevice *) +property_reader("QImageIOHandler", /::device\s*\(/, "device") +property_writer("QImageIOHandler", /::setDevice\s*\(/, "device") +# Property format (byte array) +property_reader("QImageIOHandler", /::format\s*\(/, "format") +property_writer("QImageIOHandler", /::setFormat\s*\(/, "format") +# Property autoDetectImageFormat (bool) +property_reader("QImageReader", /::autoDetectImageFormat\s*\(/, "autoDetectImageFormat") +property_writer("QImageReader", /::setAutoDetectImageFormat\s*\(/, "autoDetectImageFormat") +# Property autoTransform (bool) +property_reader("QImageReader", /::autoTransform\s*\(/, "autoTransform") +property_writer("QImageReader", /::setAutoTransform\s*\(/, "autoTransform") # Property backgroundColor (QColor) -property_reader("QMovie", /::backgroundColor\s*\(/, "backgroundColor") -property_writer("QMovie", /::setBackgroundColor\s*\(/, "backgroundColor") +property_reader("QImageReader", /::backgroundColor\s*\(/, "backgroundColor") +property_writer("QImageReader", /::setBackgroundColor\s*\(/, "backgroundColor") +# Property clipRect (QRect) +property_reader("QImageReader", /::clipRect\s*\(/, "clipRect") +property_writer("QImageReader", /::setClipRect\s*\(/, "clipRect") +# Property decideFormatFromContent (bool) +property_reader("QImageReader", /::decideFormatFromContent\s*\(/, "decideFormatFromContent") +property_writer("QImageReader", /::setDecideFormatFromContent\s*\(/, "decideFormatFromContent") # Property device (QIODevice *) -property_reader("QMovie", /::device\s*\(/, "device") -property_writer("QMovie", /::setDevice\s*\(/, "device") +property_reader("QImageReader", /::device\s*\(/, "device") +property_writer("QImageReader", /::setDevice\s*\(/, "device") # Property fileName (string) -property_reader("QMovie", /::fileName\s*\(/, "fileName") -property_writer("QMovie", /::setFileName\s*\(/, "fileName") -# Property format (string) -property_reader("QMovie", /::format\s*\(/, "format") -property_writer("QMovie", /::setFormat\s*\(/, "format") +property_reader("QImageReader", /::fileName\s*\(/, "fileName") +property_writer("QImageReader", /::setFileName\s*\(/, "fileName") +# Property format (byte array) +property_reader("QImageReader", /::format\s*\(/, "format") +property_writer("QImageReader", /::setFormat\s*\(/, "format") +# Property gamma (float) +property_reader("QImageReader", /::gamma\s*\(/, "gamma") +property_writer("QImageReader", /::setGamma\s*\(/, "gamma") +# Property quality (int) +property_reader("QImageReader", /::quality\s*\(/, "quality") +property_writer("QImageReader", /::setQuality\s*\(/, "quality") +# Property scaledClipRect (QRect) +property_reader("QImageReader", /::scaledClipRect\s*\(/, "scaledClipRect") +property_writer("QImageReader", /::setScaledClipRect\s*\(/, "scaledClipRect") # Property scaledSize (QSize) -property_reader("QMovie", /::scaledSize\s*\(/, "scaledSize") -property_writer("QMovie", /::setScaledSize\s*\(/, "scaledSize") -# Property cache (QAbstractNetworkCache_Native *) -property_reader("QNetworkAccessManager", /::cache\s*\(/, "cache") -property_writer("QNetworkAccessManager", /::setCache\s*\(/, "cache") -# Property configuration (QNetworkConfiguration) -property_reader("QNetworkAccessManager", /::configuration\s*\(/, "configuration") -property_writer("QNetworkAccessManager", /::setConfiguration\s*\(/, "configuration") -# Property cookieJar (QNetworkCookieJar_Native *) -property_reader("QNetworkAccessManager", /::cookieJar\s*\(/, "cookieJar") -property_writer("QNetworkAccessManager", /::setCookieJar\s*\(/, "cookieJar") -# Property proxy (QNetworkProxy) -property_reader("QNetworkAccessManager", /::proxy\s*\(/, "proxy") -property_writer("QNetworkAccessManager", /::setProxy\s*\(/, "proxy") -# Property proxyFactory (QNetworkProxyFactory_Native *) -property_reader("QNetworkAccessManager", /::proxyFactory\s*\(/, "proxyFactory") -property_writer("QNetworkAccessManager", /::setProxyFactory\s*\(/, "proxyFactory") -# Property broadcast (QHostAddress) -property_reader("QNetworkAddressEntry", /::broadcast\s*\(/, "broadcast") -property_writer("QNetworkAddressEntry", /::setBroadcast\s*\(/, "broadcast") -# Property ip (QHostAddress) -property_reader("QNetworkAddressEntry", /::ip\s*\(/, "ip") -property_writer("QNetworkAddressEntry", /::setIp\s*\(/, "ip") -# Property netmask (QHostAddress) -property_reader("QNetworkAddressEntry", /::netmask\s*\(/, "netmask") -property_writer("QNetworkAddressEntry", /::setNetmask\s*\(/, "netmask") -# Property prefixLength (int) -property_reader("QNetworkAddressEntry", /::prefixLength\s*\(/, "prefixLength") -property_writer("QNetworkAddressEntry", /::setPrefixLength\s*\(/, "prefixLength") -# Property expirationDate (QDateTime) -property_reader("QNetworkCacheMetaData", /::expirationDate\s*\(/, "expirationDate") -property_writer("QNetworkCacheMetaData", /::setExpirationDate\s*\(/, "expirationDate") -# Property lastModified (QDateTime) -property_reader("QNetworkCacheMetaData", /::lastModified\s*\(/, "lastModified") -property_writer("QNetworkCacheMetaData", /::setLastModified\s*\(/, "lastModified") -# Property rawHeaders (QPair_QByteArray_QByteArray[]) -property_reader("QNetworkCacheMetaData", /::rawHeaders\s*\(/, "rawHeaders") -property_writer("QNetworkCacheMetaData", /::setRawHeaders\s*\(/, "rawHeaders") -# Property saveToDisk (bool) -property_reader("QNetworkCacheMetaData", /::saveToDisk\s*\(/, "saveToDisk") -property_writer("QNetworkCacheMetaData", /::setSaveToDisk\s*\(/, "saveToDisk") -# Property url (QUrl) -property_reader("QNetworkCacheMetaData", /::url\s*\(/, "url") -property_writer("QNetworkCacheMetaData", /::setUrl\s*\(/, "url") -# Property domain (string) -property_reader("QNetworkCookie", /::domain\s*\(/, "domain") -property_writer("QNetworkCookie", /::setDomain\s*\(/, "domain") -# Property expirationDate (QDateTime) -property_reader("QNetworkCookie", /::expirationDate\s*\(/, "expirationDate") -property_writer("QNetworkCookie", /::setExpirationDate\s*\(/, "expirationDate") -# Property httpOnly (bool) -property_reader("QNetworkCookie", /::isHttpOnly\s*\(/, "httpOnly") -property_writer("QNetworkCookie", /::setHttpOnly\s*\(/, "httpOnly") -# Property name (string) -property_reader("QNetworkCookie", /::name\s*\(/, "name") -property_writer("QNetworkCookie", /::setName\s*\(/, "name") -# Property path (string) -property_reader("QNetworkCookie", /::path\s*\(/, "path") -property_writer("QNetworkCookie", /::setPath\s*\(/, "path") -# Property secure (bool) -property_reader("QNetworkCookie", /::isSecure\s*\(/, "secure") -property_writer("QNetworkCookie", /::setSecure\s*\(/, "secure") -# Property value (string) -property_reader("QNetworkCookie", /::value\s*\(/, "value") -property_writer("QNetworkCookie", /::setValue\s*\(/, "value") -# Property cacheDirectory (string) -property_reader("QNetworkDiskCache", /::cacheDirectory\s*\(/, "cacheDirectory") -property_writer("QNetworkDiskCache", /::setCacheDirectory\s*\(/, "cacheDirectory") -# Property maximumCacheSize (long long) -property_reader("QNetworkDiskCache", /::maximumCacheSize\s*\(/, "maximumCacheSize") -property_writer("QNetworkDiskCache", /::setMaximumCacheSize\s*\(/, "maximumCacheSize") -# Property applicationProxy (QNetworkProxy) -property_reader("QNetworkProxy", /::applicationProxy\s*\(/, "applicationProxy") -property_writer("QNetworkProxy", /::setApplicationProxy\s*\(/, "applicationProxy") -# Property capabilities (QNetworkProxy_QFlags_Capability) -property_reader("QNetworkProxy", /::capabilities\s*\(/, "capabilities") -property_writer("QNetworkProxy", /::setCapabilities\s*\(/, "capabilities") -# Property hostName (string) -property_reader("QNetworkProxy", /::hostName\s*\(/, "hostName") -property_writer("QNetworkProxy", /::setHostName\s*\(/, "hostName") -# Property password (string) -property_reader("QNetworkProxy", /::password\s*\(/, "password") -property_writer("QNetworkProxy", /::setPassword\s*\(/, "password") -# Property port (unsigned short) -property_reader("QNetworkProxy", /::port\s*\(/, "port") -property_writer("QNetworkProxy", /::setPort\s*\(/, "port") -# Property type (QNetworkProxy_ProxyType) -property_reader("QNetworkProxy", /::type\s*\(/, "type") -property_writer("QNetworkProxy", /::setType\s*\(/, "type") -# Property user (string) -property_reader("QNetworkProxy", /::user\s*\(/, "user") -property_writer("QNetworkProxy", /::setUser\s*\(/, "user") -# Property localPort (int) -property_reader("QNetworkProxyQuery", /::localPort\s*\(/, "localPort") -property_writer("QNetworkProxyQuery", /::setLocalPort\s*\(/, "localPort") -# Property networkConfiguration (QNetworkConfiguration) -property_reader("QNetworkProxyQuery", /::networkConfiguration\s*\(/, "networkConfiguration") -property_writer("QNetworkProxyQuery", /::setNetworkConfiguration\s*\(/, "networkConfiguration") -# Property peerHostName (string) -property_reader("QNetworkProxyQuery", /::peerHostName\s*\(/, "peerHostName") -property_writer("QNetworkProxyQuery", /::setPeerHostName\s*\(/, "peerHostName") -# Property peerPort (int) -property_reader("QNetworkProxyQuery", /::peerPort\s*\(/, "peerPort") -property_writer("QNetworkProxyQuery", /::setPeerPort\s*\(/, "peerPort") -# Property protocolTag (string) -property_reader("QNetworkProxyQuery", /::protocolTag\s*\(/, "protocolTag") -property_writer("QNetworkProxyQuery", /::setProtocolTag\s*\(/, "protocolTag") -# Property queryType (QNetworkProxyQuery_QueryType) -property_reader("QNetworkProxyQuery", /::queryType\s*\(/, "queryType") -property_writer("QNetworkProxyQuery", /::setQueryType\s*\(/, "queryType") -# Property url (QUrl) -property_reader("QNetworkProxyQuery", /::url\s*\(/, "url") -property_writer("QNetworkProxyQuery", /::setUrl\s*\(/, "url") -# Property readBufferSize (long long) -property_reader("QNetworkReply", /::readBufferSize\s*\(/, "readBufferSize") -property_writer("QNetworkReply", /::setReadBufferSize\s*\(/, "readBufferSize") -# Property sslConfiguration (QSslConfiguration) -property_reader("QNetworkReply", /::sslConfiguration\s*\(/, "sslConfiguration") -property_writer("QNetworkReply", /::setSslConfiguration\s*\(/, "sslConfiguration") -# Property originatingObject (QObject_Native *) -property_reader("QNetworkRequest", /::originatingObject\s*\(/, "originatingObject") -property_writer("QNetworkRequest", /::setOriginatingObject\s*\(/, "originatingObject") -# Property priority (QNetworkRequest_Priority) -property_reader("QNetworkRequest", /::priority\s*\(/, "priority") -property_writer("QNetworkRequest", /::setPriority\s*\(/, "priority") -# Property sslConfiguration (QSslConfiguration) -property_reader("QNetworkRequest", /::sslConfiguration\s*\(/, "sslConfiguration") -property_writer("QNetworkRequest", /::setSslConfiguration\s*\(/, "sslConfiguration") -# Property url (QUrl) -property_reader("QNetworkRequest", /::url\s*\(/, "url") -property_writer("QNetworkRequest", /::setUrl\s*\(/, "url") -# Property objectName (string) -property_reader("QObject", /::objectName\s*\(/, "objectName") -property_writer("QObject", /::setObjectName\s*\(/, "objectName") -# Property parent (QObject_Native *) -property_reader("QObject", /::parent\s*\(/, "parent") -property_writer("QObject", /::setParent\s*\(/, "parent") +property_reader("QImageReader", /::scaledSize\s*\(/, "scaledSize") +property_writer("QImageReader", /::setScaledSize\s*\(/, "scaledSize") +# Property compression (int) +property_reader("QImageWriter", /::compression\s*\(/, "compression") +property_writer("QImageWriter", /::setCompression\s*\(/, "compression") +# Property description (string) +property_reader("QImageWriter", /::description\s*\(/, "description") +property_writer("QImageWriter", /::setDescription\s*\(/, "description") +# Property device (QIODevice *) +property_reader("QImageWriter", /::device\s*\(/, "device") +property_writer("QImageWriter", /::setDevice\s*\(/, "device") +# Property fileName (string) +property_reader("QImageWriter", /::fileName\s*\(/, "fileName") +property_writer("QImageWriter", /::setFileName\s*\(/, "fileName") +# Property format (byte array) +property_reader("QImageWriter", /::format\s*\(/, "format") +property_writer("QImageWriter", /::setFormat\s*\(/, "format") +# Property gamma (float) +property_reader("QImageWriter", /::gamma\s*\(/, "gamma") +property_writer("QImageWriter", /::setGamma\s*\(/, "gamma") +# Property optimizedWrite (bool) +property_reader("QImageWriter", /::optimizedWrite\s*\(/, "optimizedWrite") +property_writer("QImageWriter", /::setOptimizedWrite\s*\(/, "optimizedWrite") +# Property progressiveScanWrite (bool) +property_reader("QImageWriter", /::progressiveScanWrite\s*\(/, "progressiveScanWrite") +property_writer("QImageWriter", /::setProgressiveScanWrite\s*\(/, "progressiveScanWrite") +# Property quality (int) +property_reader("QImageWriter", /::quality\s*\(/, "quality") +property_writer("QImageWriter", /::setQuality\s*\(/, "quality") +# Property subType (byte array) +property_reader("QImageWriter", /::subType\s*\(/, "subType") +property_writer("QImageWriter", /::setSubType\s*\(/, "subType") +# Property transformation (QImageIOHandler_QFlags_Transformation) +property_reader("QImageWriter", /::transformation\s*\(/, "transformation") +property_writer("QImageWriter", /::setTransformation\s*\(/, "transformation") +# Property modifiers (Qt_QFlags_KeyboardModifier) +property_reader("QInputEvent", /::modifiers\s*\(/, "modifiers") +property_writer("QInputEvent", /::setModifiers\s*\(/, "modifiers") +# Property timestamp (unsigned long) +property_reader("QInputEvent", /::timestamp\s*\(/, "timestamp") +property_writer("QInputEvent", /::setTimestamp\s*\(/, "timestamp") +# Property inputItemRectangle (QRectF) +property_reader("QInputMethod", /::inputItemRectangle\s*\(/, "inputItemRectangle") +property_writer("QInputMethod", /::setInputItemRectangle\s*\(/, "inputItemRectangle") +# Property inputItemTransform (QTransform) +property_reader("QInputMethod", /::inputItemTransform\s*\(/, "inputItemTransform") +property_writer("QInputMethod", /::setInputItemTransform\s*\(/, "inputItemTransform") +# Property commitString (string) +property_reader("QInputMethodEvent", /::commitString\s*\(/, "commitString") +property_writer("QInputMethodEvent", /::setCommitString\s*\(/, "commitString") +# Property modifiers (Qt_QFlags_KeyboardModifier) +property_reader("QKeyEvent", /::modifiers\s*\(/, "modifiers") +property_writer("QInputEvent", /::setModifiers\s*\(/, "modifiers") +# Property finalStop (QPointF) +property_reader("QLinearGradient", /::finalStop\s*\(/, "finalStop") +property_writer("QLinearGradient", /::setFinalStop\s*\(/, "finalStop") +# Property start (QPointF) +property_reader("QLinearGradient", /::start\s*\(/, "start") +property_writer("QLinearGradient", /::setStart\s*\(/, "start") +# Property localPos (QPointF) +property_reader("QMouseEvent", /::localPos\s*\(/, "localPos") +property_writer("QMouseEvent", /::setLocalPos\s*\(/, "localPos") +# Property backgroundColor (QColor) +property_reader("QMovie", /::backgroundColor\s*\(/, "backgroundColor") +property_writer("QMovie", /::setBackgroundColor\s*\(/, "backgroundColor") +# Property device (QIODevice *) +property_reader("QMovie", /::device\s*\(/, "device") +property_writer("QMovie", /::setDevice\s*\(/, "device") +# Property fileName (string) +property_reader("QMovie", /::fileName\s*\(/, "fileName") +property_writer("QMovie", /::setFileName\s*\(/, "fileName") +# Property format (byte array) +property_reader("QMovie", /::format\s*\(/, "format") +property_writer("QMovie", /::setFormat\s*\(/, "format") +# Property scaledSize (QSize) +property_reader("QMovie", /::scaledSize\s*\(/, "scaledSize") +property_writer("QMovie", /::setScaledSize\s*\(/, "scaledSize") # Property format (QSurfaceFormat) property_reader("QOffscreenSurface", /::format\s*\(/, "format") property_writer("QOffscreenSurface", /::setFormat\s*\(/, "format") +# Property nativeHandle (void *) +property_reader("QOffscreenSurface", /::nativeHandle\s*\(/, "nativeHandle") +property_writer("QOffscreenSurface", /::setNativeHandle\s*\(/, "nativeHandle") # Property screen (QScreen_Native *) property_reader("QOffscreenSurface", /::screen\s*\(/, "screen") property_writer("QOffscreenSurface", /::setScreen\s*\(/, "screen") @@ -13486,414 +12794,150 @@ property_writer("QPainter", /::setViewTransformEnabled\s*\(/, "viewTransformEnab # Property viewport (QRect) property_reader("QPainter", /::viewport\s*\(/, "viewport") property_writer("QPainter", /::setViewport\s*\(/, "viewport") -# Property window (QRect) -property_reader("QPainter", /::window\s*\(/, "window") -property_writer("QPainter", /::setWindow\s*\(/, "window") -# Property worldMatrix (QMatrix) -property_reader("QPainter", /::worldMatrix\s*\(/, "worldMatrix") -property_writer("QPainter", /::setWorldMatrix\s*\(/, "worldMatrix") -# Property worldMatrixEnabled (bool) -property_reader("QPainter", /::worldMatrixEnabled\s*\(/, "worldMatrixEnabled") -property_writer("QPainter", /::setWorldMatrixEnabled\s*\(/, "worldMatrixEnabled") -# Property worldTransform (QTransform) -property_reader("QPainter", /::worldTransform\s*\(/, "worldTransform") -property_writer("QPainter", /::setWorldTransform\s*\(/, "worldTransform") -# Property fillRule (Qt_FillRule) -property_reader("QPainterPath", /::fillRule\s*\(/, "fillRule") -property_writer("QPainterPath", /::setFillRule\s*\(/, "fillRule") -# Property capStyle (Qt_PenCapStyle) -property_reader("QPainterPathStroker", /::capStyle\s*\(/, "capStyle") -property_writer("QPainterPathStroker", /::setCapStyle\s*\(/, "capStyle") -# Property curveThreshold (double) -property_reader("QPainterPathStroker", /::curveThreshold\s*\(/, "curveThreshold") -property_writer("QPainterPathStroker", /::setCurveThreshold\s*\(/, "curveThreshold") -# Property dashOffset (double) -property_reader("QPainterPathStroker", /::dashOffset\s*\(/, "dashOffset") -property_writer("QPainterPathStroker", /::setDashOffset\s*\(/, "dashOffset") -# Property joinStyle (Qt_PenJoinStyle) -property_reader("QPainterPathStroker", /::joinStyle\s*\(/, "joinStyle") -property_writer("QPainterPathStroker", /::setJoinStyle\s*\(/, "joinStyle") -# Property miterLimit (double) -property_reader("QPainterPathStroker", /::miterLimit\s*\(/, "miterLimit") -property_writer("QPainterPathStroker", /::setMiterLimit\s*\(/, "miterLimit") -# Property width (double) -property_reader("QPainterPathStroker", /::width\s*\(/, "width") -property_writer("QPainterPathStroker", /::setWidth\s*\(/, "width") -# Property currentColorGroup (QPalette_ColorGroup) -property_reader("QPalette", /::currentColorGroup\s*\(/, "currentColorGroup") -property_writer("QPalette", /::setCurrentColorGroup\s*\(/, "currentColorGroup") -# Property creator (string) -property_reader("QPdfWriter", /::creator\s*\(/, "creator") -property_writer("QPdfWriter", /::setCreator\s*\(/, "creator") -# Property resolution (int) -property_reader("QPdfWriter", /::resolution\s*\(/, "resolution") -property_writer("QPdfWriter", /::setResolution\s*\(/, "resolution") -# Property title (string) -property_reader("QPdfWriter", /::title\s*\(/, "title") -property_writer("QPdfWriter", /::setTitle\s*\(/, "title") -# Property brush (QBrush) -property_reader("QPen", /::brush\s*\(/, "brush") -property_writer("QPen", /::setBrush\s*\(/, "brush") -# Property capStyle (Qt_PenCapStyle) -property_reader("QPen", /::capStyle\s*\(/, "capStyle") -property_writer("QPen", /::setCapStyle\s*\(/, "capStyle") -# Property color (QColor) -property_reader("QPen", /::color\s*\(/, "color") -property_writer("QPen", /::setColor\s*\(/, "color") -# Property cosmetic (bool) -property_reader("QPen", /::isCosmetic\s*\(/, "cosmetic") -property_writer("QPen", /::setCosmetic\s*\(/, "cosmetic") -# Property dashOffset (double) -property_reader("QPen", /::dashOffset\s*\(/, "dashOffset") -property_writer("QPen", /::setDashOffset\s*\(/, "dashOffset") -# Property dashPattern (double[]) -property_reader("QPen", /::dashPattern\s*\(/, "dashPattern") -property_writer("QPen", /::setDashPattern\s*\(/, "dashPattern") -# Property joinStyle (Qt_PenJoinStyle) -property_reader("QPen", /::joinStyle\s*\(/, "joinStyle") -property_writer("QPen", /::setJoinStyle\s*\(/, "joinStyle") -# Property miterLimit (double) -property_reader("QPen", /::miterLimit\s*\(/, "miterLimit") -property_writer("QPen", /::setMiterLimit\s*\(/, "miterLimit") -# Property style (Qt_PenStyle) -property_reader("QPen", /::style\s*\(/, "style") -property_writer("QPen", /::setStyle\s*\(/, "style") -# Property width (int) -property_reader("QPen", /::width\s*\(/, "width") -property_writer("QPen", /::setWidth\s*\(/, "width") -# Property widthF (double) -property_reader("QPen", /::widthF\s*\(/, "widthF") -property_writer("QPen", /::setWidthF\s*\(/, "widthF") -# Property boundingRect (QRect) -property_reader("QPicture", /::boundingRect\s*\(/, "boundingRect") -property_writer("QPicture", /::setBoundingRect\s*\(/, "boundingRect") -# Property devicePixelRatio (double) -property_reader("QPixmap", /::devicePixelRatio\s*\(/, "devicePixelRatio") -property_writer("QPixmap", /::setDevicePixelRatio\s*\(/, "devicePixelRatio") -# Property mask (QBitmap_Native) -property_reader("QPixmap", /::mask\s*\(/, "mask") -property_writer("QPixmap", /::setMask\s*\(/, "mask") -# Property cacheLimit (int) -property_reader("QPixmapCache", /::cacheLimit\s*\(/, "cacheLimit") -property_writer("QPixmapCache", /::setCacheLimit\s*\(/, "cacheLimit") -# Property currentCharFormat (QTextCharFormat) -property_reader("QPlainTextEdit", /::currentCharFormat\s*\(/, "currentCharFormat") -property_writer("QPlainTextEdit", /::setCurrentCharFormat\s*\(/, "currentCharFormat") -# Property document (QTextDocument_Native *) -property_reader("QPlainTextEdit", /::document\s*\(/, "document") -property_writer("QPlainTextEdit", /::setDocument\s*\(/, "document") -# Property extraSelections (QTextEdit_ExtraSelection[]) -property_reader("QPlainTextEdit", /::extraSelections\s*\(/, "extraSelections") -property_writer("QPlainTextEdit", /::setExtraSelections\s*\(/, "extraSelections") -# Property textCursor (QTextCursor) -property_reader("QPlainTextEdit", /::textCursor\s*\(/, "textCursor") -property_writer("QPlainTextEdit", /::setTextCursor\s*\(/, "textCursor") -# Property wordWrapMode (QTextOption_WrapMode) -property_reader("QPlainTextEdit", /::wordWrapMode\s*\(/, "wordWrapMode") -property_writer("QPlainTextEdit", /::setWordWrapMode\s*\(/, "wordWrapMode") -# Property x (int) -property_reader("QPoint", /::x\s*\(/, "x") -property_writer("QPoint", /::setX\s*\(/, "x") -# Property y (int) -property_reader("QPoint", /::y\s*\(/, "y") -property_writer("QPoint", /::setY\s*\(/, "y") -# Property x (double) -property_reader("QPointF", /::x\s*\(/, "x") -property_writer("QPointF", /::setX\s*\(/, "x") -# Property y (double) -property_reader("QPointF", /::y\s*\(/, "y") -property_writer("QPointF", /::setY\s*\(/, "y") -# Property currentPage (int) -property_reader("QPrintPreviewWidget", /::currentPage\s*\(/, "currentPage") -property_writer("QPrintPreviewWidget", /::setCurrentPage\s*\(/, "currentPage") -# Property orientation (QPrinter_Orientation) -property_reader("QPrintPreviewWidget", /::orientation\s*\(/, "orientation") -property_writer("QPrintPreviewWidget", /::setOrientation\s*\(/, "orientation") -# Property viewMode (QPrintPreviewWidget_ViewMode) -property_reader("QPrintPreviewWidget", /::viewMode\s*\(/, "viewMode") -property_writer("QPrintPreviewWidget", /::setViewMode\s*\(/, "viewMode") -# Property zoomFactor (double) -property_reader("QPrintPreviewWidget", /::zoomFactor\s*\(/, "zoomFactor") -property_writer("QPrintPreviewWidget", /::setZoomFactor\s*\(/, "zoomFactor") -# Property zoomMode (QPrintPreviewWidget_ZoomMode) -property_reader("QPrintPreviewWidget", /::zoomMode\s*\(/, "zoomMode") -property_writer("QPrintPreviewWidget", /::setZoomMode\s*\(/, "zoomMode") -# Property collateCopies (bool) -property_reader("QPrinter", /::collateCopies\s*\(/, "collateCopies") -property_writer("QPrinter", /::setCollateCopies\s*\(/, "collateCopies") -# Property colorMode (QPrinter_ColorMode) -property_reader("QPrinter", /::colorMode\s*\(/, "colorMode") -property_writer("QPrinter", /::setColorMode\s*\(/, "colorMode") -# Property copyCount (int) -property_reader("QPrinter", /::copyCount\s*\(/, "copyCount") -property_writer("QPrinter", /::setCopyCount\s*\(/, "copyCount") -# Property creator (string) -property_reader("QPrinter", /::creator\s*\(/, "creator") -property_writer("QPrinter", /::setCreator\s*\(/, "creator") -# Property docName (string) -property_reader("QPrinter", /::docName\s*\(/, "docName") -property_writer("QPrinter", /::setDocName\s*\(/, "docName") -# Property doubleSidedPrinting (bool) -property_reader("QPrinter", /::doubleSidedPrinting\s*\(/, "doubleSidedPrinting") -property_writer("QPrinter", /::setDoubleSidedPrinting\s*\(/, "doubleSidedPrinting") -# Property duplex (QPrinter_DuplexMode) -property_reader("QPrinter", /::duplex\s*\(/, "duplex") -property_writer("QPrinter", /::setDuplex\s*\(/, "duplex") -# Property fontEmbeddingEnabled (bool) -property_reader("QPrinter", /::fontEmbeddingEnabled\s*\(/, "fontEmbeddingEnabled") -property_writer("QPrinter", /::setFontEmbeddingEnabled\s*\(/, "fontEmbeddingEnabled") -# Property fullPage (bool) -property_reader("QPrinter", /::fullPage\s*\(/, "fullPage") -property_writer("QPrinter", /::setFullPage\s*\(/, "fullPage") -# Property margins (QPagedPaintDevice_Margins) -property_reader("QPagedPaintDevice", /::margins\s*\(/, "margins") -property_writer("QPrinter", /::setMargins\s*\(/, "margins") -# Property numCopies (int) -property_reader("QPrinter", /::numCopies\s*\(/, "numCopies") -property_writer("QPrinter", /::setNumCopies\s*\(/, "numCopies") -# Property orientation (QPrinter_Orientation) -property_reader("QPrinter", /::orientation\s*\(/, "orientation") -property_writer("QPrinter", /::setOrientation\s*\(/, "orientation") -# Property outputFileName (string) -property_reader("QPrinter", /::outputFileName\s*\(/, "outputFileName") -property_writer("QPrinter", /::setOutputFileName\s*\(/, "outputFileName") -# Property outputFormat (QPrinter_OutputFormat) -property_reader("QPrinter", /::outputFormat\s*\(/, "outputFormat") -property_writer("QPrinter", /::setOutputFormat\s*\(/, "outputFormat") -# Property pageOrder (QPrinter_PageOrder) -property_reader("QPrinter", /::pageOrder\s*\(/, "pageOrder") -property_writer("QPrinter", /::setPageOrder\s*\(/, "pageOrder") -# Property pageSize (QPagedPaintDevice_PageSize) -property_reader("QPrinter", /::pageSize\s*\(/, "pageSize") -property_writer("QPrinter", /::setPageSize\s*\(/, "pageSize") -# Property pageSizeMM (QSizeF) -property_reader("QPagedPaintDevice", /::pageSizeMM\s*\(/, "pageSizeMM") -property_writer("QPrinter", /::setPageSizeMM\s*\(/, "pageSizeMM") -# Property paperName (string) -property_reader("QPrinter", /::paperName\s*\(/, "paperName") -property_writer("QPrinter", /::setPaperName\s*\(/, "paperName") -# Property paperSize (QPagedPaintDevice_PageSize) -property_reader("QPrinter", /::paperSize\s*\(/, "paperSize") -property_writer("QPrinter", /::setPaperSize\s*\(/, "paperSize") -# Property paperSource (QPrinter_PaperSource) -property_reader("QPrinter", /::paperSource\s*\(/, "paperSource") -property_writer("QPrinter", /::setPaperSource\s*\(/, "paperSource") -# Property printProgram (string) -property_reader("QPrinter", /::printProgram\s*\(/, "printProgram") -property_writer("QPrinter", /::setPrintProgram\s*\(/, "printProgram") -# Property printRange (QPrinter_PrintRange) -property_reader("QPrinter", /::printRange\s*\(/, "printRange") -property_writer("QPrinter", /::setPrintRange\s*\(/, "printRange") -# Property printerName (string) -property_reader("QPrinter", /::printerName\s*\(/, "printerName") -property_writer("QPrinter", /::setPrinterName\s*\(/, "printerName") +# Property window (QRect) +property_reader("QPainter", /::window\s*\(/, "window") +property_writer("QPainter", /::setWindow\s*\(/, "window") +# Property worldMatrix (QMatrix) +property_reader("QPainter", /::worldMatrix\s*\(/, "worldMatrix") +property_writer("QPainter", /::setWorldMatrix\s*\(/, "worldMatrix") +# Property worldMatrixEnabled (bool) +property_reader("QPainter", /::worldMatrixEnabled\s*\(/, "worldMatrixEnabled") +property_writer("QPainter", /::setWorldMatrixEnabled\s*\(/, "worldMatrixEnabled") +# Property worldTransform (QTransform) +property_reader("QPainter", /::worldTransform\s*\(/, "worldTransform") +property_writer("QPainter", /::setWorldTransform\s*\(/, "worldTransform") +# Property fillRule (Qt_FillRule) +property_reader("QPainterPath", /::fillRule\s*\(/, "fillRule") +property_writer("QPainterPath", /::setFillRule\s*\(/, "fillRule") +# Property capStyle (Qt_PenCapStyle) +property_reader("QPainterPathStroker", /::capStyle\s*\(/, "capStyle") +property_writer("QPainterPathStroker", /::setCapStyle\s*\(/, "capStyle") +# Property curveThreshold (double) +property_reader("QPainterPathStroker", /::curveThreshold\s*\(/, "curveThreshold") +property_writer("QPainterPathStroker", /::setCurveThreshold\s*\(/, "curveThreshold") +# Property dashOffset (double) +property_reader("QPainterPathStroker", /::dashOffset\s*\(/, "dashOffset") +property_writer("QPainterPathStroker", /::setDashOffset\s*\(/, "dashOffset") +# Property joinStyle (Qt_PenJoinStyle) +property_reader("QPainterPathStroker", /::joinStyle\s*\(/, "joinStyle") +property_writer("QPainterPathStroker", /::setJoinStyle\s*\(/, "joinStyle") +# Property miterLimit (double) +property_reader("QPainterPathStroker", /::miterLimit\s*\(/, "miterLimit") +property_writer("QPainterPathStroker", /::setMiterLimit\s*\(/, "miterLimit") +# Property width (double) +property_reader("QPainterPathStroker", /::width\s*\(/, "width") +property_writer("QPainterPathStroker", /::setWidth\s*\(/, "width") +# Property currentColorGroup (QPalette_ColorGroup) +property_reader("QPalette", /::currentColorGroup\s*\(/, "currentColorGroup") +property_writer("QPalette", /::setCurrentColorGroup\s*\(/, "currentColorGroup") +# Property creator (string) +property_reader("QPdfWriter", /::creator\s*\(/, "creator") +property_writer("QPdfWriter", /::setCreator\s*\(/, "creator") +# Property pdfVersion (QPagedPaintDevice_PdfVersion) +property_reader("QPdfWriter", /::pdfVersion\s*\(/, "pdfVersion") +property_writer("QPdfWriter", /::setPdfVersion\s*\(/, "pdfVersion") # Property resolution (int) -property_reader("QPrinter", /::resolution\s*\(/, "resolution") -property_writer("QPrinter", /::setResolution\s*\(/, "resolution") -# Property winPageSize (int) -property_reader("QPrinter", /::winPageSize\s*\(/, "winPageSize") -property_writer("QPrinter", /::setWinPageSize\s*\(/, "winPageSize") -# Property arguments (string[]) -property_reader("QProcess", /::arguments\s*\(/, "arguments") -property_writer("QProcess", /::setArguments\s*\(/, "arguments") -# Property environment (string[]) -property_reader("QProcess", /::environment\s*\(/, "environment") -property_writer("QProcess", /::setEnvironment\s*\(/, "environment") -# Property inputChannelMode (QProcess_InputChannelMode) -property_reader("QProcess", /::inputChannelMode\s*\(/, "inputChannelMode") -property_writer("QProcess", /::setInputChannelMode\s*\(/, "inputChannelMode") -# Property processChannelMode (QProcess_ProcessChannelMode) -property_reader("QProcess", /::processChannelMode\s*\(/, "processChannelMode") -property_writer("QProcess", /::setProcessChannelMode\s*\(/, "processChannelMode") -# Property processEnvironment (QProcessEnvironment) -property_reader("QProcess", /::processEnvironment\s*\(/, "processEnvironment") -property_writer("QProcess", /::setProcessEnvironment\s*\(/, "processEnvironment") -# Property program (string) -property_reader("QProcess", /::program\s*\(/, "program") -property_writer("QProcess", /::setProgram\s*\(/, "program") -# Property readChannel (QProcess_ProcessChannel) -property_reader("QProcess", /::readChannel\s*\(/, "readChannel") -property_writer("QProcess", /::setReadChannel\s*\(/, "readChannel") -# Property readChannelMode (QProcess_ProcessChannelMode) -property_reader("QProcess", /::readChannelMode\s*\(/, "readChannelMode") -property_writer("QProcess", /::setReadChannelMode\s*\(/, "readChannelMode") -# Property workingDirectory (string) -property_reader("QProcess", /::workingDirectory\s*\(/, "workingDirectory") -property_writer("QProcess", /::setWorkingDirectory\s*\(/, "workingDirectory") -# Property menu (QMenu_Native *) -property_reader("QPushButton", /::menu\s*\(/, "menu") -property_writer("QPushButton", /::setMenu\s*\(/, "menu") -# Property scalar (float) -property_reader("QQuaternion", /::scalar\s*\(/, "scalar") -property_writer("QQuaternion", /::setScalar\s*\(/, "scalar") -# Property vector (QVector3D) -property_reader("QQuaternion", /::vector\s*\(/, "vector") -property_writer("QQuaternion", /::setVector\s*\(/, "vector") -# Property x (float) -property_reader("QQuaternion", /::x\s*\(/, "x") -property_writer("QQuaternion", /::setX\s*\(/, "x") -# Property y (float) -property_reader("QQuaternion", /::y\s*\(/, "y") -property_writer("QQuaternion", /::setY\s*\(/, "y") -# Property z (float) -property_reader("QQuaternion", /::z\s*\(/, "z") -property_writer("QQuaternion", /::setZ\s*\(/, "z") -# Property center (QPointF) -property_reader("QRadialGradient", /::center\s*\(/, "center") -property_writer("QRadialGradient", /::setCenter\s*\(/, "center") -# Property centerRadius (double) -property_reader("QRadialGradient", /::centerRadius\s*\(/, "centerRadius") -property_writer("QRadialGradient", /::setCenterRadius\s*\(/, "centerRadius") -# Property focalPoint (QPointF) -property_reader("QRadialGradient", /::focalPoint\s*\(/, "focalPoint") -property_writer("QRadialGradient", /::setFocalPoint\s*\(/, "focalPoint") -# Property focalRadius (double) -property_reader("QRadialGradient", /::focalRadius\s*\(/, "focalRadius") -property_writer("QRadialGradient", /::setFocalRadius\s*\(/, "focalRadius") -# Property radius (double) -property_reader("QRadialGradient", /::radius\s*\(/, "radius") -property_writer("QRadialGradient", /::setRadius\s*\(/, "radius") -# Property alternativeFrequenciesEnabled (bool) -property_reader("QRadioDataControl", /::isAlternativeFrequenciesEnabled\s*\(/, "alternativeFrequenciesEnabled") -property_writer("QRadioDataControl", /::setAlternativeFrequenciesEnabled\s*\(/, "alternativeFrequenciesEnabled") -# Property band (QRadioTuner_Band) -property_reader("QRadioTunerControl", /::band\s*\(/, "band") -property_writer("QRadioTunerControl", /::setBand\s*\(/, "band") -# Property frequency (int) -property_reader("QRadioTunerControl", /::frequency\s*\(/, "frequency") -property_writer("QRadioTunerControl", /::setFrequency\s*\(/, "frequency") -# Property muted (bool) -property_reader("QRadioTunerControl", /::isMuted\s*\(/, "muted") -property_writer("QRadioTunerControl", /::setMuted\s*\(/, "muted") -# Property stereoMode (QRadioTuner_StereoMode) -property_reader("QRadioTunerControl", /::stereoMode\s*\(/, "stereoMode") -property_writer("QRadioTunerControl", /::setStereoMode\s*\(/, "stereoMode") -# Property volume (int) -property_reader("QRadioTunerControl", /::volume\s*\(/, "volume") -property_writer("QRadioTunerControl", /::setVolume\s*\(/, "volume") -# Property pixelSize (double) -property_reader("QRawFont", /::pixelSize\s*\(/, "pixelSize") -property_writer("QRawFont", /::setPixelSize\s*\(/, "pixelSize") -# Property bottom (int) -property_reader("QRect", /::bottom\s*\(/, "bottom") -property_writer("QRect", /::setBottom\s*\(/, "bottom") -# Property bottomLeft (QPoint) -property_reader("QRect", /::bottomLeft\s*\(/, "bottomLeft") -property_writer("QRect", /::setBottomLeft\s*\(/, "bottomLeft") -# Property bottomRight (QPoint) -property_reader("QRect", /::bottomRight\s*\(/, "bottomRight") -property_writer("QRect", /::setBottomRight\s*\(/, "bottomRight") -# Property height (int) -property_reader("QRect", /::height\s*\(/, "height") -property_writer("QRect", /::setHeight\s*\(/, "height") -# Property left (int) -property_reader("QRect", /::left\s*\(/, "left") -property_writer("QRect", /::setLeft\s*\(/, "left") -# Property right (int) -property_reader("QRect", /::right\s*\(/, "right") -property_writer("QRect", /::setRight\s*\(/, "right") -# Property size (QSize) -property_reader("QRect", /::size\s*\(/, "size") -property_writer("QRect", /::setSize\s*\(/, "size") -# Property top (int) -property_reader("QRect", /::top\s*\(/, "top") -property_writer("QRect", /::setTop\s*\(/, "top") -# Property topLeft (QPoint) -property_reader("QRect", /::topLeft\s*\(/, "topLeft") -property_writer("QRect", /::setTopLeft\s*\(/, "topLeft") -# Property topRight (QPoint) -property_reader("QRect", /::topRight\s*\(/, "topRight") -property_writer("QRect", /::setTopRight\s*\(/, "topRight") +property_reader("QPdfWriter", /::resolution\s*\(/, "resolution") +property_writer("QPdfWriter", /::setResolution\s*\(/, "resolution") +# Property title (string) +property_reader("QPdfWriter", /::title\s*\(/, "title") +property_writer("QPdfWriter", /::setTitle\s*\(/, "title") +# Property brush (QBrush) +property_reader("QPen", /::brush\s*\(/, "brush") +property_writer("QPen", /::setBrush\s*\(/, "brush") +# Property capStyle (Qt_PenCapStyle) +property_reader("QPen", /::capStyle\s*\(/, "capStyle") +property_writer("QPen", /::setCapStyle\s*\(/, "capStyle") +# Property color (QColor) +property_reader("QPen", /::color\s*\(/, "color") +property_writer("QPen", /::setColor\s*\(/, "color") +# Property cosmetic (bool) +property_reader("QPen", /::isCosmetic\s*\(/, "cosmetic") +property_writer("QPen", /::setCosmetic\s*\(/, "cosmetic") +# Property dashOffset (double) +property_reader("QPen", /::dashOffset\s*\(/, "dashOffset") +property_writer("QPen", /::setDashOffset\s*\(/, "dashOffset") +# Property dashPattern (double[]) +property_reader("QPen", /::dashPattern\s*\(/, "dashPattern") +property_writer("QPen", /::setDashPattern\s*\(/, "dashPattern") +# Property joinStyle (Qt_PenJoinStyle) +property_reader("QPen", /::joinStyle\s*\(/, "joinStyle") +property_writer("QPen", /::setJoinStyle\s*\(/, "joinStyle") +# Property miterLimit (double) +property_reader("QPen", /::miterLimit\s*\(/, "miterLimit") +property_writer("QPen", /::setMiterLimit\s*\(/, "miterLimit") +# Property style (Qt_PenStyle) +property_reader("QPen", /::style\s*\(/, "style") +property_writer("QPen", /::setStyle\s*\(/, "style") # Property width (int) -property_reader("QRect", /::width\s*\(/, "width") -property_writer("QRect", /::setWidth\s*\(/, "width") -# Property x (int) -property_reader("QRect", /::x\s*\(/, "x") -property_writer("QRect", /::setX\s*\(/, "x") -# Property y (int) -property_reader("QRect", /::y\s*\(/, "y") -property_writer("QRect", /::setY\s*\(/, "y") -# Property bottom (double) -property_reader("QRectF", /::bottom\s*\(/, "bottom") -property_writer("QRectF", /::setBottom\s*\(/, "bottom") -# Property bottomLeft (QPointF) -property_reader("QRectF", /::bottomLeft\s*\(/, "bottomLeft") -property_writer("QRectF", /::setBottomLeft\s*\(/, "bottomLeft") -# Property bottomRight (QPointF) -property_reader("QRectF", /::bottomRight\s*\(/, "bottomRight") -property_writer("QRectF", /::setBottomRight\s*\(/, "bottomRight") -# Property height (double) -property_reader("QRectF", /::height\s*\(/, "height") -property_writer("QRectF", /::setHeight\s*\(/, "height") -# Property left (double) -property_reader("QRectF", /::left\s*\(/, "left") -property_writer("QRectF", /::setLeft\s*\(/, "left") -# Property right (double) -property_reader("QRectF", /::right\s*\(/, "right") -property_writer("QRectF", /::setRight\s*\(/, "right") -# Property size (QSizeF) -property_reader("QRectF", /::size\s*\(/, "size") -property_writer("QRectF", /::setSize\s*\(/, "size") -# Property top (double) -property_reader("QRectF", /::top\s*\(/, "top") -property_writer("QRectF", /::setTop\s*\(/, "top") -# Property topLeft (QPointF) -property_reader("QRectF", /::topLeft\s*\(/, "topLeft") -property_writer("QRectF", /::setTopLeft\s*\(/, "topLeft") -# Property topRight (QPointF) -property_reader("QRectF", /::topRight\s*\(/, "topRight") -property_writer("QRectF", /::setTopRight\s*\(/, "topRight") -# Property width (double) -property_reader("QRectF", /::width\s*\(/, "width") -property_writer("QRectF", /::setWidth\s*\(/, "width") -# Property x (double) -property_reader("QRectF", /::x\s*\(/, "x") -property_writer("QRectF", /::setX\s*\(/, "x") -# Property y (double) -property_reader("QRectF", /::y\s*\(/, "y") -property_writer("QRectF", /::setY\s*\(/, "y") -# Property caseSensitivity (Qt_CaseSensitivity) -property_reader("QRegExp", /::caseSensitivity\s*\(/, "caseSensitivity") -property_writer("QRegExp", /::setCaseSensitivity\s*\(/, "caseSensitivity") -# Property minimal (bool) -property_reader("QRegExp", /::isMinimal\s*\(/, "minimal") -property_writer("QRegExp", /::setMinimal\s*\(/, "minimal") -# Property pattern (string) -property_reader("QRegExp", /::pattern\s*\(/, "pattern") -property_writer("QRegExp", /::setPattern\s*\(/, "pattern") -# Property patternSyntax (QRegExp_PatternSyntax) -property_reader("QRegExp", /::patternSyntax\s*\(/, "patternSyntax") -property_writer("QRegExp", /::setPatternSyntax\s*\(/, "patternSyntax") +property_reader("QPen", /::width\s*\(/, "width") +property_writer("QPen", /::setWidth\s*\(/, "width") +# Property widthF (double) +property_reader("QPen", /::widthF\s*\(/, "widthF") +property_writer("QPen", /::setWidthF\s*\(/, "widthF") +# Property boundingRect (QRect) +property_reader("QPicture", /::boundingRect\s*\(/, "boundingRect") +property_writer("QPicture", /::setBoundingRect\s*\(/, "boundingRect") +# Property devicePixelRatio (double) +property_reader("QPixmap", /::devicePixelRatio\s*\(/, "devicePixelRatio") +property_writer("QPixmap", /::setDevicePixelRatio\s*\(/, "devicePixelRatio") +# Property mask (QBitmap_Native) +property_reader("QPixmap", /::mask\s*\(/, "mask") +property_writer("QPixmap", /::setMask\s*\(/, "mask") +# Property cacheLimit (int) +property_reader("QPixmapCache", /::cacheLimit\s*\(/, "cacheLimit") +property_writer("QPixmapCache", /::setCacheLimit\s*\(/, "cacheLimit") +# Property scalar (float) +property_reader("QQuaternion", /::scalar\s*\(/, "scalar") +property_writer("QQuaternion", /::setScalar\s*\(/, "scalar") +# Property vector (QVector3D) +property_reader("QQuaternion", /::vector\s*\(/, "vector") +property_writer("QQuaternion", /::setVector\s*\(/, "vector") +# Property x (float) +property_reader("QQuaternion", /::x\s*\(/, "x") +property_writer("QQuaternion", /::setX\s*\(/, "x") +# Property y (float) +property_reader("QQuaternion", /::y\s*\(/, "y") +property_writer("QQuaternion", /::setY\s*\(/, "y") +# Property z (float) +property_reader("QQuaternion", /::z\s*\(/, "z") +property_writer("QQuaternion", /::setZ\s*\(/, "z") +# Property center (QPointF) +property_reader("QRadialGradient", /::center\s*\(/, "center") +property_writer("QRadialGradient", /::setCenter\s*\(/, "center") +# Property centerRadius (double) +property_reader("QRadialGradient", /::centerRadius\s*\(/, "centerRadius") +property_writer("QRadialGradient", /::setCenterRadius\s*\(/, "centerRadius") +# Property focalPoint (QPointF) +property_reader("QRadialGradient", /::focalPoint\s*\(/, "focalPoint") +property_writer("QRadialGradient", /::setFocalPoint\s*\(/, "focalPoint") +# Property focalRadius (double) +property_reader("QRadialGradient", /::focalRadius\s*\(/, "focalRadius") +property_writer("QRadialGradient", /::setFocalRadius\s*\(/, "focalRadius") +# Property radius (double) +property_reader("QRadialGradient", /::radius\s*\(/, "radius") +property_writer("QRadialGradient", /::setRadius\s*\(/, "radius") +# Property pixelSize (double) +property_reader("QRawFont", /::pixelSize\s*\(/, "pixelSize") +property_writer("QRawFont", /::setPixelSize\s*\(/, "pixelSize") # Property rects (QRect[]) property_reader("QRegion", /::rects\s*\(/, "rects") property_writer("QRegion", /::setRects\s*\(/, "rects") -# Property pattern (string) -property_reader("QRegularExpression", /::pattern\s*\(/, "pattern") -property_writer("QRegularExpression", /::setPattern\s*\(/, "pattern") -# Property patternOptions (QRegularExpression_QFlags_PatternOption) -property_reader("QRegularExpression", /::patternOptions\s*\(/, "patternOptions") -property_writer("QRegularExpression", /::setPatternOptions\s*\(/, "patternOptions") -# Property fileName (string) -property_reader("QResource", /::fileName\s*\(/, "fileName") -property_writer("QResource", /::setFileName\s*\(/, "fileName") -# Property locale (QLocale) -property_reader("QResource", /::locale\s*\(/, "locale") -property_writer("QResource", /::setLocale\s*\(/, "locale") -# Property autoDelete (bool) -property_reader("QRunnable", /::autoDelete\s*\(/, "autoDelete") -property_writer("QRunnable", /::setAutoDelete\s*\(/, "autoDelete") -# Property directWriteFallback (bool) -property_reader("QSaveFile", /::directWriteFallback\s*\(/, "directWriteFallback") -property_writer("QSaveFile", /::setDirectWriteFallback\s*\(/, "directWriteFallback") -# Property fileName (string) -property_reader("QSaveFile", /::fileName\s*\(/, "fileName") -property_writer("QSaveFile", /::setFileName\s*\(/, "fileName") +# Property alpha (unsigned short) +property_reader("QRgba64", /::alpha\s*\(/, "alpha") +property_writer("QRgba64", /::setAlpha\s*\(/, "alpha") +# Property blue (unsigned short) +property_reader("QRgba64", /::blue\s*\(/, "blue") +property_writer("QRgba64", /::setBlue\s*\(/, "blue") +# Property green (unsigned short) +property_reader("QRgba64", /::green\s*\(/, "green") +property_writer("QRgba64", /::setGreen\s*\(/, "green") +# Property red (unsigned short) +property_reader("QRgba64", /::red\s*\(/, "red") +property_writer("QRgba64", /::setRed\s*\(/, "red") # Property orientationUpdateMask (Qt_QFlags_ScreenOrientation) property_reader("QScreen", /::orientationUpdateMask\s*\(/, "orientationUpdateMask") property_writer("QScreen", /::setOrientationUpdateMask\s*\(/, "orientationUpdateMask") -# Property widget (QWidget_Native *) -property_reader("QScrollArea", /::widget\s*\(/, "widget") -property_writer("QScrollArea", /::setWidget\s*\(/, "widget") # Property contentPos (QPointF) property_reader("QScrollPrepareEvent", /::contentPos\s*\(/, "contentPos") property_writer("QScrollPrepareEvent", /::setContentPos\s*\(/, "contentPos") @@ -13912,1098 +12956,1752 @@ property_writer("QSessionManager", /::setRestartCommand\s*\(/, "restartCommand") # Property restartHint (QSessionManager_RestartHint) property_reader("QSessionManager", /::restartHint\s*\(/, "restartHint") property_writer("QSessionManager", /::setRestartHint\s*\(/, "restartHint") -# Property defaultFormat (QSettings_Format) -property_reader("QSettings", /::defaultFormat\s*\(/, "defaultFormat") -property_writer("QSettings", /::setDefaultFormat\s*\(/, "defaultFormat") -# Property fallbacksEnabled (bool) -property_reader("QSettings", /::fallbacksEnabled\s*\(/, "fallbacksEnabled") -property_writer("QSettings", /::setFallbacksEnabled\s*\(/, "fallbacksEnabled") -# Property key (string) -property_reader("QSharedMemory", /::key\s*\(/, "key") -property_writer("QSharedMemory", /::setKey\s*\(/, "key") -# Property nativeKey (string) -property_reader("QSharedMemory", /::nativeKey\s*\(/, "nativeKey") -property_writer("QSharedMemory", /::setNativeKey\s*\(/, "nativeKey") -# Property height (int) -property_reader("QSize", /::height\s*\(/, "height") -property_writer("QSize", /::setHeight\s*\(/, "height") -# Property width (int) -property_reader("QSize", /::width\s*\(/, "width") -property_writer("QSize", /::setWidth\s*\(/, "width") -# Property height (double) -property_reader("QSizeF", /::height\s*\(/, "height") -property_writer("QSizeF", /::setHeight\s*\(/, "height") -# Property width (double) -property_reader("QSizeF", /::width\s*\(/, "width") -property_writer("QSizeF", /::setWidth\s*\(/, "width") -# Property controlType (QSizePolicy_ControlType) -property_reader("QSizePolicy", /::controlType\s*\(/, "controlType") -property_writer("QSizePolicy", /::setControlType\s*\(/, "controlType") -# Property heightForWidth (bool) -property_reader("QSizePolicy", /::hasHeightForWidth\s*\(/, "heightForWidth") -property_writer("QSizePolicy", /::setHeightForWidth\s*\(/, "heightForWidth") -# Property horizontalPolicy (QSizePolicy_Policy) -property_reader("QSizePolicy", /::horizontalPolicy\s*\(/, "horizontalPolicy") -property_writer("QSizePolicy", /::setHorizontalPolicy\s*\(/, "horizontalPolicy") -# Property horizontalStretch (int) -property_reader("QSizePolicy", /::horizontalStretch\s*\(/, "horizontalStretch") -property_writer("QSizePolicy", /::setHorizontalStretch\s*\(/, "horizontalStretch") -# Property retainSizeWhenHidden (bool) -property_reader("QSizePolicy", /::retainSizeWhenHidden\s*\(/, "retainSizeWhenHidden") -property_writer("QSizePolicy", /::setRetainSizeWhenHidden\s*\(/, "retainSizeWhenHidden") -# Property verticalPolicy (QSizePolicy_Policy) -property_reader("QSizePolicy", /::verticalPolicy\s*\(/, "verticalPolicy") -property_writer("QSizePolicy", /::setVerticalPolicy\s*\(/, "verticalPolicy") -# Property verticalStretch (int) -property_reader("QSizePolicy", /::verticalStretch\s*\(/, "verticalStretch") -property_writer("QSizePolicy", /::setVerticalStretch\s*\(/, "verticalStretch") -# Property widthForHeight (bool) -property_reader("QSizePolicy", /::hasWidthForHeight\s*\(/, "widthForHeight") -property_writer("QSizePolicy", /::setWidthForHeight\s*\(/, "widthForHeight") +# Property accessibleDescription (string) +property_reader("QStandardItem", /::accessibleDescription\s*\(/, "accessibleDescription") +property_writer("QStandardItem", /::setAccessibleDescription\s*\(/, "accessibleDescription") +# Property accessibleText (string) +property_reader("QStandardItem", /::accessibleText\s*\(/, "accessibleText") +property_writer("QStandardItem", /::setAccessibleText\s*\(/, "accessibleText") +# Property autoTristate (bool) +property_reader("QStandardItem", /::isAutoTristate\s*\(/, "autoTristate") +property_writer("QStandardItem", /::setAutoTristate\s*\(/, "autoTristate") +# Property background (QBrush) +property_reader("QStandardItem", /::background\s*\(/, "background") +property_writer("QStandardItem", /::setBackground\s*\(/, "background") +# Property checkState (Qt_CheckState) +property_reader("QStandardItem", /::checkState\s*\(/, "checkState") +property_writer("QStandardItem", /::setCheckState\s*\(/, "checkState") +# Property checkable (bool) +property_reader("QStandardItem", /::isCheckable\s*\(/, "checkable") +property_writer("QStandardItem", /::setCheckable\s*\(/, "checkable") +# Property columnCount (int) +property_reader("QStandardItem", /::columnCount\s*\(/, "columnCount") +property_writer("QStandardItem", /::setColumnCount\s*\(/, "columnCount") +# Property data (variant) +property_reader("QStandardItem", /::data\s*\(/, "data") +property_writer("QStandardItem", /::setData\s*\(/, "data") +# Property dragEnabled (bool) +property_reader("QStandardItem", /::isDragEnabled\s*\(/, "dragEnabled") +property_writer("QStandardItem", /::setDragEnabled\s*\(/, "dragEnabled") +# Property dropEnabled (bool) +property_reader("QStandardItem", /::isDropEnabled\s*\(/, "dropEnabled") +property_writer("QStandardItem", /::setDropEnabled\s*\(/, "dropEnabled") +# Property editable (bool) +property_reader("QStandardItem", /::isEditable\s*\(/, "editable") +property_writer("QStandardItem", /::setEditable\s*\(/, "editable") # Property enabled (bool) -property_reader("QSocketNotifier", /::isEnabled\s*\(/, "enabled") -property_writer("QSocketNotifier", /::setEnabled\s*\(/, "enabled") -# Property parent (QObject_Native *) -property_reader("QSortFilterProxyModel", /::parent\s*\(/, "parent") -property_writer("QObject", /::setParent\s*\(/, "parent") -# Property loops (int) -property_reader("QSound", /::loops\s*\(/, "loops") -property_writer("QSound", /::setLoops\s*\(/, "loops") -# Property loopCount (int) -property_reader("QSoundEffect", /::loopCount\s*\(/, "loopCount") -property_writer("QSoundEffect", /::setLoopCount\s*\(/, "loopCount") -# Property column (long long) -property_reader("QSourceLocation", /::column\s*\(/, "column") -property_writer("QSourceLocation", /::setColumn\s*\(/, "column") -# Property line (long long) -property_reader("QSourceLocation", /::line\s*\(/, "line") -property_writer("QSourceLocation", /::setLine\s*\(/, "line") -# Property uri (QUrl) -property_reader("QSourceLocation", /::uri\s*\(/, "uri") -property_writer("QSourceLocation", /::setUri\s*\(/, "uri") -# Property geometry (QRect) -property_reader("QSpacerItem", /::geometry\s*\(/, "geometry") -property_writer("QSpacerItem", /::setGeometry\s*\(/, "geometry") -# Property pixmap (QPixmap_Native) -property_reader("QSplashScreen", /::pixmap\s*\(/, "pixmap") -property_writer("QSplashScreen", /::setPixmap\s*\(/, "pixmap") -# Property sizes (int[]) -property_reader("QSplitter", /::sizes\s*\(/, "sizes") -property_writer("QSplitter", /::setSizes\s*\(/, "sizes") -# Property orientation (Qt_Orientation) -property_reader("QSplitterHandle", /::orientation\s*\(/, "orientation") -property_writer("QSplitterHandle", /::setOrientation\s*\(/, "orientation") -# Property connectOptions (string) -property_reader("QSqlDatabase", /::connectOptions\s*\(/, "connectOptions") -property_writer("QSqlDatabase", /::setConnectOptions\s*\(/, "connectOptions") -# Property databaseName (string) -property_reader("QSqlDatabase", /::databaseName\s*\(/, "databaseName") -property_writer("QSqlDatabase", /::setDatabaseName\s*\(/, "databaseName") -# Property hostName (string) -property_reader("QSqlDatabase", /::hostName\s*\(/, "hostName") -property_writer("QSqlDatabase", /::setHostName\s*\(/, "hostName") -# Property numericalPrecisionPolicy (QSql_NumericalPrecisionPolicy) -property_reader("QSqlDatabase", /::numericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") -property_writer("QSqlDatabase", /::setNumericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") -# Property password (string) -property_reader("QSqlDatabase", /::password\s*\(/, "password") -property_writer("QSqlDatabase", /::setPassword\s*\(/, "password") -# Property port (int) -property_reader("QSqlDatabase", /::port\s*\(/, "port") -property_writer("QSqlDatabase", /::setPort\s*\(/, "port") -# Property userName (string) -property_reader("QSqlDatabase", /::userName\s*\(/, "userName") -property_writer("QSqlDatabase", /::setUserName\s*\(/, "userName") -# Property numericalPrecisionPolicy (QSql_NumericalPrecisionPolicy) -property_reader("QSqlDriver", /::numericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") -property_writer("QSqlDriver", /::setNumericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") -# Property databaseText (string) -property_reader("QSqlError", /::databaseText\s*\(/, "databaseText") -property_writer("QSqlError", /::setDatabaseText\s*\(/, "databaseText") -# Property driverText (string) -property_reader("QSqlError", /::driverText\s*\(/, "driverText") -property_writer("QSqlError", /::setDriverText\s*\(/, "driverText") -# Property number (int) -property_reader("QSqlError", /::number\s*\(/, "number") -property_writer("QSqlError", /::setNumber\s*\(/, "number") -# Property type (QSqlError_ErrorType) -property_reader("QSqlError", /::type\s*\(/, "type") -property_writer("QSqlError", /::setType\s*\(/, "type") -# Property autoValue (bool) -property_reader("QSqlField", /::isAutoValue\s*\(/, "autoValue") -property_writer("QSqlField", /::setAutoValue\s*\(/, "autoValue") -# Property defaultValue (variant) -property_reader("QSqlField", /::defaultValue\s*\(/, "defaultValue") -property_writer("QSqlField", /::setDefaultValue\s*\(/, "defaultValue") -# Property generated (bool) -property_reader("QSqlField", /::isGenerated\s*\(/, "generated") -property_writer("QSqlField", /::setGenerated\s*\(/, "generated") -# Property length (int) -property_reader("QSqlField", /::length\s*\(/, "length") -property_writer("QSqlField", /::setLength\s*\(/, "length") -# Property name (string) -property_reader("QSqlField", /::name\s*\(/, "name") -property_writer("QSqlField", /::setName\s*\(/, "name") -# Property precision (int) -property_reader("QSqlField", /::precision\s*\(/, "precision") -property_writer("QSqlField", /::setPrecision\s*\(/, "precision") -# Property readOnly (bool) -property_reader("QSqlField", /::isReadOnly\s*\(/, "readOnly") -property_writer("QSqlField", /::setReadOnly\s*\(/, "readOnly") -# Property requiredStatus (QSqlField_RequiredStatus) -property_reader("QSqlField", /::requiredStatus\s*\(/, "requiredStatus") -property_writer("QSqlField", /::setRequiredStatus\s*\(/, "requiredStatus") -# Property type (QVariant_Type) -property_reader("QSqlField", /::type\s*\(/, "type") -property_writer("QSqlField", /::setType\s*\(/, "type") -# Property value (variant) -property_reader("QSqlField", /::value\s*\(/, "value") -property_writer("QSqlField", /::setValue\s*\(/, "value") -# Property cursorName (string) -property_reader("QSqlIndex", /::cursorName\s*\(/, "cursorName") -property_writer("QSqlIndex", /::setCursorName\s*\(/, "cursorName") +property_reader("QStandardItem", /::isEnabled\s*\(/, "enabled") +property_writer("QStandardItem", /::setEnabled\s*\(/, "enabled") +# Property flags (Qt_QFlags_ItemFlag) +property_reader("QStandardItem", /::flags\s*\(/, "flags") +property_writer("QStandardItem", /::setFlags\s*\(/, "flags") +# Property font (QFont) +property_reader("QStandardItem", /::font\s*\(/, "font") +property_writer("QStandardItem", /::setFont\s*\(/, "font") +# Property foreground (QBrush) +property_reader("QStandardItem", /::foreground\s*\(/, "foreground") +property_writer("QStandardItem", /::setForeground\s*\(/, "foreground") +# Property icon (QIcon) +property_reader("QStandardItem", /::icon\s*\(/, "icon") +property_writer("QStandardItem", /::setIcon\s*\(/, "icon") +# Property rowCount (int) +property_reader("QStandardItem", /::rowCount\s*\(/, "rowCount") +property_writer("QStandardItem", /::setRowCount\s*\(/, "rowCount") +# Property selectable (bool) +property_reader("QStandardItem", /::isSelectable\s*\(/, "selectable") +property_writer("QStandardItem", /::setSelectable\s*\(/, "selectable") +# Property sizeHint (QSize) +property_reader("QStandardItem", /::sizeHint\s*\(/, "sizeHint") +property_writer("QStandardItem", /::setSizeHint\s*\(/, "sizeHint") +# Property statusTip (string) +property_reader("QStandardItem", /::statusTip\s*\(/, "statusTip") +property_writer("QStandardItem", /::setStatusTip\s*\(/, "statusTip") +# Property text (string) +property_reader("QStandardItem", /::text\s*\(/, "text") +property_writer("QStandardItem", /::setText\s*\(/, "text") +# Property textAlignment (Qt_QFlags_AlignmentFlag) +property_reader("QStandardItem", /::textAlignment\s*\(/, "textAlignment") +property_writer("QStandardItem", /::setTextAlignment\s*\(/, "textAlignment") +# Property toolTip (string) +property_reader("QStandardItem", /::toolTip\s*\(/, "toolTip") +property_writer("QStandardItem", /::setToolTip\s*\(/, "toolTip") +# Property tristate (bool) +property_reader("QStandardItem", /::isTristate\s*\(/, "tristate") +property_writer("QStandardItem", /::setTristate\s*\(/, "tristate") +# Property userTristate (bool) +property_reader("QStandardItem", /::isUserTristate\s*\(/, "userTristate") +property_writer("QStandardItem", /::setUserTristate\s*\(/, "userTristate") +# Property whatsThis (string) +property_reader("QStandardItem", /::whatsThis\s*\(/, "whatsThis") +property_writer("QStandardItem", /::setWhatsThis\s*\(/, "whatsThis") +# Property columnCount (int) +property_reader("QStandardItemModel", /::columnCount\s*\(/, "columnCount") +property_writer("QStandardItemModel", /::setColumnCount\s*\(/, "columnCount") +# Property itemPrototype (QStandardItem_Native *) +property_reader("QStandardItemModel", /::itemPrototype\s*\(/, "itemPrototype") +property_writer("QStandardItemModel", /::setItemPrototype\s*\(/, "itemPrototype") +# Property parent (QObject_Native *) +property_reader("QStandardItemModel", /::parent\s*\(/, "parent") +property_writer("QObject", /::setParent\s*\(/, "parent") +# Property rowCount (int) +property_reader("QStandardItemModel", /::rowCount\s*\(/, "rowCount") +property_writer("QStandardItemModel", /::setRowCount\s*\(/, "rowCount") +# Property performanceHint (QStaticText_PerformanceHint) +property_reader("QStaticText", /::performanceHint\s*\(/, "performanceHint") +property_writer("QStaticText", /::setPerformanceHint\s*\(/, "performanceHint") +# Property text (string) +property_reader("QStaticText", /::text\s*\(/, "text") +property_writer("QStaticText", /::setText\s*\(/, "text") +# Property textFormat (Qt_TextFormat) +property_reader("QStaticText", /::textFormat\s*\(/, "textFormat") +property_writer("QStaticText", /::setTextFormat\s*\(/, "textFormat") +# Property textOption (QTextOption) +property_reader("QStaticText", /::textOption\s*\(/, "textOption") +property_writer("QStaticText", /::setTextOption\s*\(/, "textOption") +# Property textWidth (double) +property_reader("QStaticText", /::textWidth\s*\(/, "textWidth") +property_writer("QStaticText", /::setTextWidth\s*\(/, "textWidth") +# Property alphaBufferSize (int) +property_reader("QSurfaceFormat", /::alphaBufferSize\s*\(/, "alphaBufferSize") +property_writer("QSurfaceFormat", /::setAlphaBufferSize\s*\(/, "alphaBufferSize") +# Property blueBufferSize (int) +property_reader("QSurfaceFormat", /::blueBufferSize\s*\(/, "blueBufferSize") +property_writer("QSurfaceFormat", /::setBlueBufferSize\s*\(/, "blueBufferSize") +# Property colorSpace (QSurfaceFormat_ColorSpace) +property_reader("QSurfaceFormat", /::colorSpace\s*\(/, "colorSpace") +property_writer("QSurfaceFormat", /::setColorSpace\s*\(/, "colorSpace") +# Property defaultFormat (QSurfaceFormat) +property_reader("QSurfaceFormat", /::defaultFormat\s*\(/, "defaultFormat") +property_writer("QSurfaceFormat", /::setDefaultFormat\s*\(/, "defaultFormat") +# Property depthBufferSize (int) +property_reader("QSurfaceFormat", /::depthBufferSize\s*\(/, "depthBufferSize") +property_writer("QSurfaceFormat", /::setDepthBufferSize\s*\(/, "depthBufferSize") +# Property greenBufferSize (int) +property_reader("QSurfaceFormat", /::greenBufferSize\s*\(/, "greenBufferSize") +property_writer("QSurfaceFormat", /::setGreenBufferSize\s*\(/, "greenBufferSize") +# Property majorVersion (int) +property_reader("QSurfaceFormat", /::majorVersion\s*\(/, "majorVersion") +property_writer("QSurfaceFormat", /::setMajorVersion\s*\(/, "majorVersion") +# Property minorVersion (int) +property_reader("QSurfaceFormat", /::minorVersion\s*\(/, "minorVersion") +property_writer("QSurfaceFormat", /::setMinorVersion\s*\(/, "minorVersion") +# Property options (QSurfaceFormat_QFlags_FormatOption) +property_reader("QSurfaceFormat", /::options\s*\(/, "options") +property_writer("QSurfaceFormat", /::setOptions\s*\(/, "options") +# Property profile (QSurfaceFormat_OpenGLContextProfile) +property_reader("QSurfaceFormat", /::profile\s*\(/, "profile") +property_writer("QSurfaceFormat", /::setProfile\s*\(/, "profile") +# Property redBufferSize (int) +property_reader("QSurfaceFormat", /::redBufferSize\s*\(/, "redBufferSize") +property_writer("QSurfaceFormat", /::setRedBufferSize\s*\(/, "redBufferSize") +# Property renderableType (QSurfaceFormat_RenderableType) +property_reader("QSurfaceFormat", /::renderableType\s*\(/, "renderableType") +property_writer("QSurfaceFormat", /::setRenderableType\s*\(/, "renderableType") +# Property samples (int) +property_reader("QSurfaceFormat", /::samples\s*\(/, "samples") +property_writer("QSurfaceFormat", /::setSamples\s*\(/, "samples") +# Property stencilBufferSize (int) +property_reader("QSurfaceFormat", /::stencilBufferSize\s*\(/, "stencilBufferSize") +property_writer("QSurfaceFormat", /::setStencilBufferSize\s*\(/, "stencilBufferSize") +# Property stereo (bool) +property_reader("QSurfaceFormat", /::stereo\s*\(/, "stereo") +property_writer("QSurfaceFormat", /::setStereo\s*\(/, "stereo") +# Property swapBehavior (QSurfaceFormat_SwapBehavior) +property_reader("QSurfaceFormat", /::swapBehavior\s*\(/, "swapBehavior") +property_writer("QSurfaceFormat", /::setSwapBehavior\s*\(/, "swapBehavior") +# Property swapInterval (int) +property_reader("QSurfaceFormat", /::swapInterval\s*\(/, "swapInterval") +property_writer("QSurfaceFormat", /::setSwapInterval\s*\(/, "swapInterval") +# Property document (QTextDocument_Native *) +property_reader("QSyntaxHighlighter", /::document\s*\(/, "document") +property_writer("QSyntaxHighlighter", /::setDocument\s*\(/, "document") +# Property lineCount (int) +property_reader("QTextBlock", /::lineCount\s*\(/, "lineCount") +property_writer("QTextBlock", /::setLineCount\s*\(/, "lineCount") +# Property revision (int) +property_reader("QTextBlock", /::revision\s*\(/, "revision") +property_writer("QTextBlock", /::setRevision\s*\(/, "revision") +# Property userData (QTextBlockUserData_Native *) +property_reader("QTextBlock", /::userData\s*\(/, "userData") +property_writer("QTextBlock", /::setUserData\s*\(/, "userData") +# Property userState (int) +property_reader("QTextBlock", /::userState\s*\(/, "userState") +property_writer("QTextBlock", /::setUserState\s*\(/, "userState") +# Property visible (bool) +property_reader("QTextBlock", /::isVisible\s*\(/, "visible") +property_writer("QTextBlock", /::setVisible\s*\(/, "visible") +# Property alignment (Qt_QFlags_AlignmentFlag) +property_reader("QTextBlockFormat", /::alignment\s*\(/, "alignment") +property_writer("QTextBlockFormat", /::setAlignment\s*\(/, "alignment") +# Property bottomMargin (double) +property_reader("QTextBlockFormat", /::bottomMargin\s*\(/, "bottomMargin") +property_writer("QTextBlockFormat", /::setBottomMargin\s*\(/, "bottomMargin") +# Property headingLevel (int) +property_reader("QTextBlockFormat", /::headingLevel\s*\(/, "headingLevel") +property_writer("QTextBlockFormat", /::setHeadingLevel\s*\(/, "headingLevel") +# Property indent (int) +property_reader("QTextBlockFormat", /::indent\s*\(/, "indent") +property_writer("QTextBlockFormat", /::setIndent\s*\(/, "indent") +# Property leftMargin (double) +property_reader("QTextBlockFormat", /::leftMargin\s*\(/, "leftMargin") +property_writer("QTextBlockFormat", /::setLeftMargin\s*\(/, "leftMargin") +# Property nonBreakableLines (bool) +property_reader("QTextBlockFormat", /::nonBreakableLines\s*\(/, "nonBreakableLines") +property_writer("QTextBlockFormat", /::setNonBreakableLines\s*\(/, "nonBreakableLines") +# Property pageBreakPolicy (QTextFormat_QFlags_PageBreakFlag) +property_reader("QTextBlockFormat", /::pageBreakPolicy\s*\(/, "pageBreakPolicy") +property_writer("QTextBlockFormat", /::setPageBreakPolicy\s*\(/, "pageBreakPolicy") +# Property rightMargin (double) +property_reader("QTextBlockFormat", /::rightMargin\s*\(/, "rightMargin") +property_writer("QTextBlockFormat", /::setRightMargin\s*\(/, "rightMargin") +# Property tabPositions (QTextOption_Tab[]) +property_reader("QTextBlockFormat", /::tabPositions\s*\(/, "tabPositions") +property_writer("QTextBlockFormat", /::setTabPositions\s*\(/, "tabPositions") +# Property textIndent (double) +property_reader("QTextBlockFormat", /::textIndent\s*\(/, "textIndent") +property_writer("QTextBlockFormat", /::setTextIndent\s*\(/, "textIndent") +# Property topMargin (double) +property_reader("QTextBlockFormat", /::topMargin\s*\(/, "topMargin") +property_writer("QTextBlockFormat", /::setTopMargin\s*\(/, "topMargin") +# Property anchor (bool) +property_reader("QTextCharFormat", /::isAnchor\s*\(/, "anchor") +property_writer("QTextCharFormat", /::setAnchor\s*\(/, "anchor") +# Property anchorHref (string) +property_reader("QTextCharFormat", /::anchorHref\s*\(/, "anchorHref") +property_writer("QTextCharFormat", /::setAnchorHref\s*\(/, "anchorHref") +# Property anchorName (string) +property_reader("QTextCharFormat", /::anchorName\s*\(/, "anchorName") +property_writer("QTextCharFormat", /::setAnchorName\s*\(/, "anchorName") +# Property anchorNames (string[]) +property_reader("QTextCharFormat", /::anchorNames\s*\(/, "anchorNames") +property_writer("QTextCharFormat", /::setAnchorNames\s*\(/, "anchorNames") +# Property font (QFont) +property_reader("QTextCharFormat", /::font\s*\(/, "font") +property_writer("QTextCharFormat", /::setFont\s*\(/, "font") +# Property fontCapitalization (QFont_Capitalization) +property_reader("QTextCharFormat", /::fontCapitalization\s*\(/, "fontCapitalization") +property_writer("QTextCharFormat", /::setFontCapitalization\s*\(/, "fontCapitalization") +# Property fontFamily (string) +property_reader("QTextCharFormat", /::fontFamily\s*\(/, "fontFamily") +property_writer("QTextCharFormat", /::setFontFamily\s*\(/, "fontFamily") +# Property fontFixedPitch (bool) +property_reader("QTextCharFormat", /::fontFixedPitch\s*\(/, "fontFixedPitch") +property_writer("QTextCharFormat", /::setFontFixedPitch\s*\(/, "fontFixedPitch") +# Property fontHintingPreference (QFont_HintingPreference) +property_reader("QTextCharFormat", /::fontHintingPreference\s*\(/, "fontHintingPreference") +property_writer("QTextCharFormat", /::setFontHintingPreference\s*\(/, "fontHintingPreference") +# Property fontItalic (bool) +property_reader("QTextCharFormat", /::fontItalic\s*\(/, "fontItalic") +property_writer("QTextCharFormat", /::setFontItalic\s*\(/, "fontItalic") +# Property fontKerning (bool) +property_reader("QTextCharFormat", /::fontKerning\s*\(/, "fontKerning") +property_writer("QTextCharFormat", /::setFontKerning\s*\(/, "fontKerning") +# Property fontLetterSpacing (double) +property_reader("QTextCharFormat", /::fontLetterSpacing\s*\(/, "fontLetterSpacing") +property_writer("QTextCharFormat", /::setFontLetterSpacing\s*\(/, "fontLetterSpacing") +# Property fontLetterSpacingType (QFont_SpacingType) +property_reader("QTextCharFormat", /::fontLetterSpacingType\s*\(/, "fontLetterSpacingType") +property_writer("QTextCharFormat", /::setFontLetterSpacingType\s*\(/, "fontLetterSpacingType") +# Property fontOverline (bool) +property_reader("QTextCharFormat", /::fontOverline\s*\(/, "fontOverline") +property_writer("QTextCharFormat", /::setFontOverline\s*\(/, "fontOverline") +# Property fontPointSize (double) +property_reader("QTextCharFormat", /::fontPointSize\s*\(/, "fontPointSize") +property_writer("QTextCharFormat", /::setFontPointSize\s*\(/, "fontPointSize") +# Property fontStretch (int) +property_reader("QTextCharFormat", /::fontStretch\s*\(/, "fontStretch") +property_writer("QTextCharFormat", /::setFontStretch\s*\(/, "fontStretch") +# Property fontStrikeOut (bool) +property_reader("QTextCharFormat", /::fontStrikeOut\s*\(/, "fontStrikeOut") +property_writer("QTextCharFormat", /::setFontStrikeOut\s*\(/, "fontStrikeOut") +# Property fontStyleHint (QFont_StyleHint) +property_reader("QTextCharFormat", /::fontStyleHint\s*\(/, "fontStyleHint") +property_writer("QTextCharFormat", /::setFontStyleHint\s*\(/, "fontStyleHint") +# Property fontStyleStrategy (QFont_StyleStrategy) +property_reader("QTextCharFormat", /::fontStyleStrategy\s*\(/, "fontStyleStrategy") +property_writer("QTextCharFormat", /::setFontStyleStrategy\s*\(/, "fontStyleStrategy") +# Property fontUnderline (bool) +property_reader("QTextCharFormat", /::fontUnderline\s*\(/, "fontUnderline") +property_writer("QTextCharFormat", /::setFontUnderline\s*\(/, "fontUnderline") +# Property fontWeight (int) +property_reader("QTextCharFormat", /::fontWeight\s*\(/, "fontWeight") +property_writer("QTextCharFormat", /::setFontWeight\s*\(/, "fontWeight") +# Property fontWordSpacing (double) +property_reader("QTextCharFormat", /::fontWordSpacing\s*\(/, "fontWordSpacing") +property_writer("QTextCharFormat", /::setFontWordSpacing\s*\(/, "fontWordSpacing") +# Property tableCellColumnSpan (int) +property_reader("QTextCharFormat", /::tableCellColumnSpan\s*\(/, "tableCellColumnSpan") +property_writer("QTextCharFormat", /::setTableCellColumnSpan\s*\(/, "tableCellColumnSpan") +# Property tableCellRowSpan (int) +property_reader("QTextCharFormat", /::tableCellRowSpan\s*\(/, "tableCellRowSpan") +property_writer("QTextCharFormat", /::setTableCellRowSpan\s*\(/, "tableCellRowSpan") +# Property textOutline (QPen) +property_reader("QTextCharFormat", /::textOutline\s*\(/, "textOutline") +property_writer("QTextCharFormat", /::setTextOutline\s*\(/, "textOutline") +# Property toolTip (string) +property_reader("QTextCharFormat", /::toolTip\s*\(/, "toolTip") +property_writer("QTextCharFormat", /::setToolTip\s*\(/, "toolTip") +# Property underlineColor (QColor) +property_reader("QTextCharFormat", /::underlineColor\s*\(/, "underlineColor") +property_writer("QTextCharFormat", /::setUnderlineColor\s*\(/, "underlineColor") +# Property underlineStyle (QTextCharFormat_UnderlineStyle) +property_reader("QTextCharFormat", /::underlineStyle\s*\(/, "underlineStyle") +property_writer("QTextCharFormat", /::setUnderlineStyle\s*\(/, "underlineStyle") +# Property verticalAlignment (QTextCharFormat_VerticalAlignment) +property_reader("QTextCharFormat", /::verticalAlignment\s*\(/, "verticalAlignment") +property_writer("QTextCharFormat", /::setVerticalAlignment\s*\(/, "verticalAlignment") +# Property blockCharFormat (QTextCharFormat) +property_reader("QTextCursor", /::blockCharFormat\s*\(/, "blockCharFormat") +property_writer("QTextCursor", /::setBlockCharFormat\s*\(/, "blockCharFormat") +# Property blockFormat (QTextBlockFormat) +property_reader("QTextCursor", /::blockFormat\s*\(/, "blockFormat") +property_writer("QTextCursor", /::setBlockFormat\s*\(/, "blockFormat") +# Property charFormat (QTextCharFormat) +property_reader("QTextCursor", /::charFormat\s*\(/, "charFormat") +property_writer("QTextCursor", /::setCharFormat\s*\(/, "charFormat") +# Property keepPositionOnInsert (bool) +property_reader("QTextCursor", /::keepPositionOnInsert\s*\(/, "keepPositionOnInsert") +property_writer("QTextCursor", /::setKeepPositionOnInsert\s*\(/, "keepPositionOnInsert") +# Property position (int) +property_reader("QTextCursor", /::position\s*\(/, "position") +property_writer("QTextCursor", /::setPosition\s*\(/, "position") +# Property verticalMovementX (int) +property_reader("QTextCursor", /::verticalMovementX\s*\(/, "verticalMovementX") +property_writer("QTextCursor", /::setVerticalMovementX\s*\(/, "verticalMovementX") +# Property visualNavigation (bool) +property_reader("QTextCursor", /::visualNavigation\s*\(/, "visualNavigation") +property_writer("QTextCursor", /::setVisualNavigation\s*\(/, "visualNavigation") +# Property defaultCursorMoveStyle (Qt_CursorMoveStyle) +property_reader("QTextDocument", /::defaultCursorMoveStyle\s*\(/, "defaultCursorMoveStyle") +property_writer("QTextDocument", /::setDefaultCursorMoveStyle\s*\(/, "defaultCursorMoveStyle") +# Property defaultTextOption (QTextOption) +property_reader("QTextDocument", /::defaultTextOption\s*\(/, "defaultTextOption") +property_writer("QTextDocument", /::setDefaultTextOption\s*\(/, "defaultTextOption") +# Property documentLayout (QAbstractTextDocumentLayout_Native *) +property_reader("QTextDocument", /::documentLayout\s*\(/, "documentLayout") +property_writer("QTextDocument", /::setDocumentLayout\s*\(/, "documentLayout") +# Property codec (QTextCodec_Native *) +property_reader("QTextDocumentWriter", /::codec\s*\(/, "codec") +property_writer("QTextDocumentWriter", /::setCodec\s*\(/, "codec") +# Property device (QIODevice *) +property_reader("QTextDocumentWriter", /::device\s*\(/, "device") +property_writer("QTextDocumentWriter", /::setDevice\s*\(/, "device") +# Property fileName (string) +property_reader("QTextDocumentWriter", /::fileName\s*\(/, "fileName") +property_writer("QTextDocumentWriter", /::setFileName\s*\(/, "fileName") +# Property format (byte array) +property_reader("QTextDocumentWriter", /::format\s*\(/, "format") +property_writer("QTextDocumentWriter", /::setFormat\s*\(/, "format") +# Property background (QBrush) +property_reader("QTextFormat", /::background\s*\(/, "background") +property_writer("QTextFormat", /::setBackground\s*\(/, "background") +# Property foreground (QBrush) +property_reader("QTextFormat", /::foreground\s*\(/, "foreground") +property_writer("QTextFormat", /::setForeground\s*\(/, "foreground") +# Property layoutDirection (Qt_LayoutDirection) +property_reader("QTextFormat", /::layoutDirection\s*\(/, "layoutDirection") +property_writer("QTextFormat", /::setLayoutDirection\s*\(/, "layoutDirection") +# Property objectIndex (int) +property_reader("QTextFormat", /::objectIndex\s*\(/, "objectIndex") +property_writer("QTextFormat", /::setObjectIndex\s*\(/, "objectIndex") +# Property objectType (int) +property_reader("QTextFormat", /::objectType\s*\(/, "objectType") +property_writer("QTextFormat", /::setObjectType\s*\(/, "objectType") +# Property frameFormat (QTextFrameFormat) +property_reader("QTextFrame", /::frameFormat\s*\(/, "frameFormat") +property_writer("QTextFrame", /::setFrameFormat\s*\(/, "frameFormat") +# Property border (double) +property_reader("QTextFrameFormat", /::border\s*\(/, "border") +property_writer("QTextFrameFormat", /::setBorder\s*\(/, "border") +# Property borderBrush (QBrush) +property_reader("QTextFrameFormat", /::borderBrush\s*\(/, "borderBrush") +property_writer("QTextFrameFormat", /::setBorderBrush\s*\(/, "borderBrush") +# Property borderStyle (QTextFrameFormat_BorderStyle) +property_reader("QTextFrameFormat", /::borderStyle\s*\(/, "borderStyle") +property_writer("QTextFrameFormat", /::setBorderStyle\s*\(/, "borderStyle") +# Property bottomMargin (double) +property_reader("QTextFrameFormat", /::bottomMargin\s*\(/, "bottomMargin") +property_writer("QTextFrameFormat", /::setBottomMargin\s*\(/, "bottomMargin") +# Property leftMargin (double) +property_reader("QTextFrameFormat", /::leftMargin\s*\(/, "leftMargin") +property_writer("QTextFrameFormat", /::setLeftMargin\s*\(/, "leftMargin") +# Property margin (double) +property_reader("QTextFrameFormat", /::margin\s*\(/, "margin") +property_writer("QTextFrameFormat", /::setMargin\s*\(/, "margin") +# Property padding (double) +property_reader("QTextFrameFormat", /::padding\s*\(/, "padding") +property_writer("QTextFrameFormat", /::setPadding\s*\(/, "padding") +# Property pageBreakPolicy (QTextFormat_QFlags_PageBreakFlag) +property_reader("QTextFrameFormat", /::pageBreakPolicy\s*\(/, "pageBreakPolicy") +property_writer("QTextFrameFormat", /::setPageBreakPolicy\s*\(/, "pageBreakPolicy") +# Property position (QTextFrameFormat_Position) +property_reader("QTextFrameFormat", /::position\s*\(/, "position") +property_writer("QTextFrameFormat", /::setPosition\s*\(/, "position") +# Property rightMargin (double) +property_reader("QTextFrameFormat", /::rightMargin\s*\(/, "rightMargin") +property_writer("QTextFrameFormat", /::setRightMargin\s*\(/, "rightMargin") +# Property topMargin (double) +property_reader("QTextFrameFormat", /::topMargin\s*\(/, "topMargin") +property_writer("QTextFrameFormat", /::setTopMargin\s*\(/, "topMargin") +# Property height (double) +property_reader("QTextImageFormat", /::height\s*\(/, "height") +property_writer("QTextImageFormat", /::setHeight\s*\(/, "height") # Property name (string) -property_reader("QSqlIndex", /::name\s*\(/, "name") -property_writer("QSqlIndex", /::setName\s*\(/, "name") -# Property forwardOnly (bool) -property_reader("QSqlQuery", /::isForwardOnly\s*\(/, "forwardOnly") -property_writer("QSqlQuery", /::setForwardOnly\s*\(/, "forwardOnly") -# Property numericalPrecisionPolicy (QSql_NumericalPrecisionPolicy) -property_reader("QSqlQuery", /::numericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") -property_writer("QSqlQuery", /::setNumericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") -# Property query (QSqlQuery) -property_reader("QSqlQueryModel", /::query\s*\(/, "query") -property_writer("QSqlQueryModel", /::setQuery\s*\(/, "query") -# Property editStrategy (QSqlTableModel_EditStrategy) -property_reader("QSqlTableModel", /::editStrategy\s*\(/, "editStrategy") -property_writer("QSqlTableModel", /::setEditStrategy\s*\(/, "editStrategy") -# Property filter (string) -property_reader("QSqlTableModel", /::filter\s*\(/, "filter") -property_writer("QSqlTableModel", /::setFilter\s*\(/, "filter") -# Property allowedNextProtocols (string[]) -property_reader("QSslConfiguration", /::allowedNextProtocols\s*\(/, "allowedNextProtocols") -property_writer("QSslConfiguration", /::setAllowedNextProtocols\s*\(/, "allowedNextProtocols") -# Property caCertificates (QSslCertificate[]) -property_reader("QSslConfiguration", /::caCertificates\s*\(/, "caCertificates") -property_writer("QSslConfiguration", /::setCaCertificates\s*\(/, "caCertificates") -# Property ciphers (QSslCipher[]) -property_reader("QSslConfiguration", /::ciphers\s*\(/, "ciphers") -property_writer("QSslConfiguration", /::setCiphers\s*\(/, "ciphers") -# Property defaultConfiguration (QSslConfiguration) -property_reader("QSslConfiguration", /::defaultConfiguration\s*\(/, "defaultConfiguration") -property_writer("QSslConfiguration", /::setDefaultConfiguration\s*\(/, "defaultConfiguration") -# Property ellipticCurves (QSslEllipticCurve[]) -property_reader("QSslConfiguration", /::ellipticCurves\s*\(/, "ellipticCurves") -property_writer("QSslConfiguration", /::setEllipticCurves\s*\(/, "ellipticCurves") -# Property localCertificate (QSslCertificate) -property_reader("QSslConfiguration", /::localCertificate\s*\(/, "localCertificate") -property_writer("QSslConfiguration", /::setLocalCertificate\s*\(/, "localCertificate") -# Property localCertificateChain (QSslCertificate[]) -property_reader("QSslConfiguration", /::localCertificateChain\s*\(/, "localCertificateChain") -property_writer("QSslConfiguration", /::setLocalCertificateChain\s*\(/, "localCertificateChain") -# Property peerVerifyDepth (int) -property_reader("QSslConfiguration", /::peerVerifyDepth\s*\(/, "peerVerifyDepth") -property_writer("QSslConfiguration", /::setPeerVerifyDepth\s*\(/, "peerVerifyDepth") -# Property peerVerifyMode (QSslSocket_PeerVerifyMode) -property_reader("QSslConfiguration", /::peerVerifyMode\s*\(/, "peerVerifyMode") -property_writer("QSslConfiguration", /::setPeerVerifyMode\s*\(/, "peerVerifyMode") -# Property privateKey (QSslKey) -property_reader("QSslConfiguration", /::privateKey\s*\(/, "privateKey") -property_writer("QSslConfiguration", /::setPrivateKey\s*\(/, "privateKey") -# Property protocol (QSsl_SslProtocol) -property_reader("QSslConfiguration", /::protocol\s*\(/, "protocol") -property_writer("QSslConfiguration", /::setProtocol\s*\(/, "protocol") -# Property sessionTicket (string) -property_reader("QSslConfiguration", /::sessionTicket\s*\(/, "sessionTicket") -property_writer("QSslConfiguration", /::setSessionTicket\s*\(/, "sessionTicket") -# Property identity (string) -property_reader("QSslPreSharedKeyAuthenticator", /::identity\s*\(/, "identity") -property_writer("QSslPreSharedKeyAuthenticator", /::setIdentity\s*\(/, "identity") -# Property preSharedKey (string) -property_reader("QSslPreSharedKeyAuthenticator", /::preSharedKey\s*\(/, "preSharedKey") -property_writer("QSslPreSharedKeyAuthenticator", /::setPreSharedKey\s*\(/, "preSharedKey") -# Property caCertificates (QSslCertificate[]) -property_reader("QSslSocket", /::caCertificates\s*\(/, "caCertificates") -property_writer("QSslSocket", /::setCaCertificates\s*\(/, "caCertificates") -# Property ciphers (QSslCipher[]) -property_reader("QSslSocket", /::ciphers\s*\(/, "ciphers") -property_writer("QSslSocket", /::setCiphers\s*\(/, "ciphers") -# Property defaultCaCertificates (QSslCertificate[]) -property_reader("QSslSocket", /::defaultCaCertificates\s*\(/, "defaultCaCertificates") -property_writer("QSslSocket", /::setDefaultCaCertificates\s*\(/, "defaultCaCertificates") -# Property defaultCiphers (QSslCipher[]) -property_reader("QSslSocket", /::defaultCiphers\s*\(/, "defaultCiphers") -property_writer("QSslSocket", /::setDefaultCiphers\s*\(/, "defaultCiphers") -# Property localCertificate (QSslCertificate) -property_reader("QSslSocket", /::localCertificate\s*\(/, "localCertificate") -property_writer("QSslSocket", /::setLocalCertificate\s*\(/, "localCertificate") -# Property localCertificateChain (QSslCertificate[]) -property_reader("QSslSocket", /::localCertificateChain\s*\(/, "localCertificateChain") -property_writer("QSslSocket", /::setLocalCertificateChain\s*\(/, "localCertificateChain") -# Property peerVerifyDepth (int) -property_reader("QSslSocket", /::peerVerifyDepth\s*\(/, "peerVerifyDepth") -property_writer("QSslSocket", /::setPeerVerifyDepth\s*\(/, "peerVerifyDepth") -# Property peerVerifyMode (QSslSocket_PeerVerifyMode) -property_reader("QSslSocket", /::peerVerifyMode\s*\(/, "peerVerifyMode") -property_writer("QSslSocket", /::setPeerVerifyMode\s*\(/, "peerVerifyMode") -# Property peerVerifyName (string) -property_reader("QSslSocket", /::peerVerifyName\s*\(/, "peerVerifyName") -property_writer("QSslSocket", /::setPeerVerifyName\s*\(/, "peerVerifyName") -# Property privateKey (QSslKey) -property_reader("QSslSocket", /::privateKey\s*\(/, "privateKey") -property_writer("QSslSocket", /::setPrivateKey\s*\(/, "privateKey") -# Property protocol (QSsl_SslProtocol) -property_reader("QSslSocket", /::protocol\s*\(/, "protocol") -property_writer("QSslSocket", /::setProtocol\s*\(/, "protocol") -# Property readBufferSize (long long) -property_reader("QAbstractSocket", /::readBufferSize\s*\(/, "readBufferSize") -property_writer("QSslSocket", /::setReadBufferSize\s*\(/, "readBufferSize") -# Property sslConfiguration (QSslConfiguration) -property_reader("QSslSocket", /::sslConfiguration\s*\(/, "sslConfiguration") -property_writer("QSslSocket", /::setSslConfiguration\s*\(/, "sslConfiguration") -# Property currentWidget (QWidget_Native *) -property_reader("QStackedLayout", /::currentWidget\s*\(/, "currentWidget") -property_writer("QStackedLayout", /::setCurrentWidget\s*\(/, "currentWidget") +property_reader("QTextImageFormat", /::name\s*\(/, "name") +property_writer("QTextImageFormat", /::setName\s*\(/, "name") +# Property quality (int) +property_reader("QTextImageFormat", /::quality\s*\(/, "quality") +property_writer("QTextImageFormat", /::setQuality\s*\(/, "quality") +# Property width (double) +property_reader("QTextImageFormat", /::width\s*\(/, "width") +property_writer("QTextImageFormat", /::setWidth\s*\(/, "width") +# Property ascent (double) +property_reader("QTextInlineObject", /::ascent\s*\(/, "ascent") +property_writer("QTextInlineObject", /::setAscent\s*\(/, "ascent") +# Property descent (double) +property_reader("QTextInlineObject", /::descent\s*\(/, "descent") +property_writer("QTextInlineObject", /::setDescent\s*\(/, "descent") +# Property width (double) +property_reader("QTextInlineObject", /::width\s*\(/, "width") +property_writer("QTextInlineObject", /::setWidth\s*\(/, "width") +# Property additionalFormats (QTextLayout_FormatRange[]) +property_reader("QTextLayout", /::additionalFormats\s*\(/, "additionalFormats") +property_writer("QTextLayout", /::setAdditionalFormats\s*\(/, "additionalFormats") +# Property cacheEnabled (bool) +property_reader("QTextLayout", /::cacheEnabled\s*\(/, "cacheEnabled") +property_writer("QTextLayout", /::setCacheEnabled\s*\(/, "cacheEnabled") +# Property cursorMoveStyle (Qt_CursorMoveStyle) +property_reader("QTextLayout", /::cursorMoveStyle\s*\(/, "cursorMoveStyle") +property_writer("QTextLayout", /::setCursorMoveStyle\s*\(/, "cursorMoveStyle") +# Property font (QFont) +property_reader("QTextLayout", /::font\s*\(/, "font") +property_writer("QTextLayout", /::setFont\s*\(/, "font") +# Property formats (QTextLayout_FormatRange[]) +property_reader("QTextLayout", /::formats\s*\(/, "formats") +property_writer("QTextLayout", /::setFormats\s*\(/, "formats") +# Property position (QPointF) +property_reader("QTextLayout", /::position\s*\(/, "position") +property_writer("QTextLayout", /::setPosition\s*\(/, "position") +# Property text (string) +property_reader("QTextLayout", /::text\s*\(/, "text") +property_writer("QTextLayout", /::setText\s*\(/, "text") +# Property textOption (QTextOption) +property_reader("QTextLayout", /::textOption\s*\(/, "textOption") +property_writer("QTextLayout", /::setTextOption\s*\(/, "textOption") +# Property leadingIncluded (bool) +property_reader("QTextLine", /::leadingIncluded\s*\(/, "leadingIncluded") +property_writer("QTextLine", /::setLeadingIncluded\s*\(/, "leadingIncluded") +# Property position (QPointF) +property_reader("QTextLine", /::position\s*\(/, "position") +property_writer("QTextLine", /::setPosition\s*\(/, "position") +# Property format (QTextListFormat) +property_reader("QTextList", /::format\s*\(/, "format") +property_writer("QTextList", /::setFormat\s*\(/, "format") +# Property indent (int) +property_reader("QTextListFormat", /::indent\s*\(/, "indent") +property_writer("QTextListFormat", /::setIndent\s*\(/, "indent") +# Property numberPrefix (string) +property_reader("QTextListFormat", /::numberPrefix\s*\(/, "numberPrefix") +property_writer("QTextListFormat", /::setNumberPrefix\s*\(/, "numberPrefix") +# Property numberSuffix (string) +property_reader("QTextListFormat", /::numberSuffix\s*\(/, "numberSuffix") +property_writer("QTextListFormat", /::setNumberSuffix\s*\(/, "numberSuffix") +# Property style (QTextListFormat_Style) +property_reader("QTextListFormat", /::style\s*\(/, "style") +property_writer("QTextListFormat", /::setStyle\s*\(/, "style") +# Property alignment (Qt_QFlags_AlignmentFlag) +property_reader("QTextOption", /::alignment\s*\(/, "alignment") +property_writer("QTextOption", /::setAlignment\s*\(/, "alignment") +# Property flags (QTextOption_QFlags_Flag) +property_reader("QTextOption", /::flags\s*\(/, "flags") +property_writer("QTextOption", /::setFlags\s*\(/, "flags") +# Property tabArray (double[]) +property_reader("QTextOption", /::tabArray\s*\(/, "tabArray") +property_writer("QTextOption", /::setTabArray\s*\(/, "tabArray") +# Property tabStop (double) +property_reader("QTextOption", /::tabStop\s*\(/, "tabStop") +property_writer("QTextOption", /::setTabStop\s*\(/, "tabStop") +# Property tabStopDistance (double) +property_reader("QTextOption", /::tabStopDistance\s*\(/, "tabStopDistance") +property_writer("QTextOption", /::setTabStopDistance\s*\(/, "tabStopDistance") +# Property tabs (QTextOption_Tab[]) +property_reader("QTextOption", /::tabs\s*\(/, "tabs") +property_writer("QTextOption", /::setTabs\s*\(/, "tabs") +# Property textDirection (Qt_LayoutDirection) +property_reader("QTextOption", /::textDirection\s*\(/, "textDirection") +property_writer("QTextOption", /::setTextDirection\s*\(/, "textDirection") +# Property useDesignMetrics (bool) +property_reader("QTextOption", /::useDesignMetrics\s*\(/, "useDesignMetrics") +property_writer("QTextOption", /::setUseDesignMetrics\s*\(/, "useDesignMetrics") +# Property wrapMode (QTextOption_WrapMode) +property_reader("QTextOption", /::wrapMode\s*\(/, "wrapMode") +property_writer("QTextOption", /::setWrapMode\s*\(/, "wrapMode") +# Property format (QTextTableFormat) +property_reader("QTextTable", /::format\s*\(/, "format") +property_writer("QTextTable", /::setFormat\s*\(/, "format") +# Property format (QTextCharFormat) +property_reader("QTextTableCell", /::format\s*\(/, "format") +property_writer("QTextTableCell", /::setFormat\s*\(/, "format") +# Property bottomPadding (double) +property_reader("QTextTableCellFormat", /::bottomPadding\s*\(/, "bottomPadding") +property_writer("QTextTableCellFormat", /::setBottomPadding\s*\(/, "bottomPadding") +# Property leftPadding (double) +property_reader("QTextTableCellFormat", /::leftPadding\s*\(/, "leftPadding") +property_writer("QTextTableCellFormat", /::setLeftPadding\s*\(/, "leftPadding") +# Property rightPadding (double) +property_reader("QTextTableCellFormat", /::rightPadding\s*\(/, "rightPadding") +property_writer("QTextTableCellFormat", /::setRightPadding\s*\(/, "rightPadding") +# Property topPadding (double) +property_reader("QTextTableCellFormat", /::topPadding\s*\(/, "topPadding") +property_writer("QTextTableCellFormat", /::setTopPadding\s*\(/, "topPadding") +# Property alignment (Qt_QFlags_AlignmentFlag) +property_reader("QTextTableFormat", /::alignment\s*\(/, "alignment") +property_writer("QTextTableFormat", /::setAlignment\s*\(/, "alignment") +# Property cellPadding (double) +property_reader("QTextTableFormat", /::cellPadding\s*\(/, "cellPadding") +property_writer("QTextTableFormat", /::setCellPadding\s*\(/, "cellPadding") +# Property cellSpacing (double) +property_reader("QTextTableFormat", /::cellSpacing\s*\(/, "cellSpacing") +property_writer("QTextTableFormat", /::setCellSpacing\s*\(/, "cellSpacing") +# Property columnWidthConstraints (QTextLength[]) +property_reader("QTextTableFormat", /::columnWidthConstraints\s*\(/, "columnWidthConstraints") +property_writer("QTextTableFormat", /::setColumnWidthConstraints\s*\(/, "columnWidthConstraints") +# Property columns (int) +property_reader("QTextTableFormat", /::columns\s*\(/, "columns") +property_writer("QTextTableFormat", /::setColumns\s*\(/, "columns") +# Property headerRowCount (int) +property_reader("QTextTableFormat", /::headerRowCount\s*\(/, "headerRowCount") +property_writer("QTextTableFormat", /::setHeaderRowCount\s*\(/, "headerRowCount") +# Property capabilities (QTouchDevice_QFlags_CapabilityFlag) +property_reader("QTouchDevice", /::capabilities\s*\(/, "capabilities") +property_writer("QTouchDevice", /::setCapabilities\s*\(/, "capabilities") +# Property maximumTouchPoints (int) +property_reader("QTouchDevice", /::maximumTouchPoints\s*\(/, "maximumTouchPoints") +property_writer("QTouchDevice", /::setMaximumTouchPoints\s*\(/, "maximumTouchPoints") +# Property name (string) +property_reader("QTouchDevice", /::name\s*\(/, "name") +property_writer("QTouchDevice", /::setName\s*\(/, "name") +# Property type (QTouchDevice_DeviceType) +property_reader("QTouchDevice", /::type\s*\(/, "type") +property_writer("QTouchDevice", /::setType\s*\(/, "type") +# Property device (QTouchDevice *) +property_reader("QTouchEvent", /::device\s*\(/, "device") +property_writer("QTouchEvent", /::setDevice\s*\(/, "device") +# Property target (QObject_Native *) +property_reader("QTouchEvent", /::target\s*\(/, "target") +property_writer("QTouchEvent", /::setTarget\s*\(/, "target") +# Property touchPointStates (Qt_QFlags_TouchPointState) +property_reader("QTouchEvent", /::touchPointStates\s*\(/, "touchPointStates") +property_writer("QTouchEvent", /::setTouchPointStates\s*\(/, "touchPointStates") +# Property touchPoints (QTouchEvent_TouchPoint[]) +property_reader("QTouchEvent", /::touchPoints\s*\(/, "touchPoints") +property_writer("QTouchEvent", /::setTouchPoints\s*\(/, "touchPoints") +# Property window (QWindow_Native *) +property_reader("QTouchEvent", /::window\s*\(/, "window") +property_writer("QTouchEvent", /::setWindow\s*\(/, "window") +# Property ellipseDiameters (QSizeF) +property_reader("QTouchEvent_TouchPoint", /::ellipseDiameters\s*\(/, "ellipseDiameters") +property_writer("QTouchEvent_TouchPoint", /::setEllipseDiameters\s*\(/, "ellipseDiameters") +# Property flags (QTouchEvent_TouchPoint_QFlags_InfoFlag) +property_reader("QTouchEvent_TouchPoint", /::flags\s*\(/, "flags") +property_writer("QTouchEvent_TouchPoint", /::setFlags\s*\(/, "flags") +# Property id (int) +property_reader("QTouchEvent_TouchPoint", /::id\s*\(/, "id") +property_writer("QTouchEvent_TouchPoint", /::setId\s*\(/, "id") +# Property lastNormalizedPos (QPointF) +property_reader("QTouchEvent_TouchPoint", /::lastNormalizedPos\s*\(/, "lastNormalizedPos") +property_writer("QTouchEvent_TouchPoint", /::setLastNormalizedPos\s*\(/, "lastNormalizedPos") +# Property lastPos (QPointF) +property_reader("QTouchEvent_TouchPoint", /::lastPos\s*\(/, "lastPos") +property_writer("QTouchEvent_TouchPoint", /::setLastPos\s*\(/, "lastPos") +# Property lastScenePos (QPointF) +property_reader("QTouchEvent_TouchPoint", /::lastScenePos\s*\(/, "lastScenePos") +property_writer("QTouchEvent_TouchPoint", /::setLastScenePos\s*\(/, "lastScenePos") +# Property lastScreenPos (QPointF) +property_reader("QTouchEvent_TouchPoint", /::lastScreenPos\s*\(/, "lastScreenPos") +property_writer("QTouchEvent_TouchPoint", /::setLastScreenPos\s*\(/, "lastScreenPos") +# Property normalizedPos (QPointF) +property_reader("QTouchEvent_TouchPoint", /::normalizedPos\s*\(/, "normalizedPos") +property_writer("QTouchEvent_TouchPoint", /::setNormalizedPos\s*\(/, "normalizedPos") +# Property pos (QPointF) +property_reader("QTouchEvent_TouchPoint", /::pos\s*\(/, "pos") +property_writer("QTouchEvent_TouchPoint", /::setPos\s*\(/, "pos") +# Property pressure (double) +property_reader("QTouchEvent_TouchPoint", /::pressure\s*\(/, "pressure") +property_writer("QTouchEvent_TouchPoint", /::setPressure\s*\(/, "pressure") +# Property rawScreenPositions (QPointF[]) +property_reader("QTouchEvent_TouchPoint", /::rawScreenPositions\s*\(/, "rawScreenPositions") +property_writer("QTouchEvent_TouchPoint", /::setRawScreenPositions\s*\(/, "rawScreenPositions") +# Property rect (QRectF) +property_reader("QTouchEvent_TouchPoint", /::rect\s*\(/, "rect") +property_writer("QTouchEvent_TouchPoint", /::setRect\s*\(/, "rect") +# Property rotation (double) +property_reader("QTouchEvent_TouchPoint", /::rotation\s*\(/, "rotation") +property_writer("QTouchEvent_TouchPoint", /::setRotation\s*\(/, "rotation") +# Property scenePos (QPointF) +property_reader("QTouchEvent_TouchPoint", /::scenePos\s*\(/, "scenePos") +property_writer("QTouchEvent_TouchPoint", /::setScenePos\s*\(/, "scenePos") +# Property sceneRect (QRectF) +property_reader("QTouchEvent_TouchPoint", /::sceneRect\s*\(/, "sceneRect") +property_writer("QTouchEvent_TouchPoint", /::setSceneRect\s*\(/, "sceneRect") +# Property screenPos (QPointF) +property_reader("QTouchEvent_TouchPoint", /::screenPos\s*\(/, "screenPos") +property_writer("QTouchEvent_TouchPoint", /::setScreenPos\s*\(/, "screenPos") +# Property screenRect (QRectF) +property_reader("QTouchEvent_TouchPoint", /::screenRect\s*\(/, "screenRect") +property_writer("QTouchEvent_TouchPoint", /::setScreenRect\s*\(/, "screenRect") +# Property startNormalizedPos (QPointF) +property_reader("QTouchEvent_TouchPoint", /::startNormalizedPos\s*\(/, "startNormalizedPos") +property_writer("QTouchEvent_TouchPoint", /::setStartNormalizedPos\s*\(/, "startNormalizedPos") +# Property startPos (QPointF) +property_reader("QTouchEvent_TouchPoint", /::startPos\s*\(/, "startPos") +property_writer("QTouchEvent_TouchPoint", /::setStartPos\s*\(/, "startPos") +# Property startScenePos (QPointF) +property_reader("QTouchEvent_TouchPoint", /::startScenePos\s*\(/, "startScenePos") +property_writer("QTouchEvent_TouchPoint", /::setStartScenePos\s*\(/, "startScenePos") +# Property startScreenPos (QPointF) +property_reader("QTouchEvent_TouchPoint", /::startScreenPos\s*\(/, "startScreenPos") +property_writer("QTouchEvent_TouchPoint", /::setStartScreenPos\s*\(/, "startScreenPos") +# Property velocity (QVector2D) +property_reader("QTouchEvent_TouchPoint", /::velocity\s*\(/, "velocity") +property_writer("QTouchEvent_TouchPoint", /::setVelocity\s*\(/, "velocity") +# Property locale (QLocale) +property_reader("QValidator", /::locale\s*\(/, "locale") +property_writer("QValidator", /::setLocale\s*\(/, "locale") +# Property x (float) +property_reader("QVector2D", /::x\s*\(/, "x") +property_writer("QVector2D", /::setX\s*\(/, "x") +# Property y (float) +property_reader("QVector2D", /::y\s*\(/, "y") +property_writer("QVector2D", /::setY\s*\(/, "y") +# Property x (float) +property_reader("QVector3D", /::x\s*\(/, "x") +property_writer("QVector3D", /::setX\s*\(/, "x") +# Property y (float) +property_reader("QVector3D", /::y\s*\(/, "y") +property_writer("QVector3D", /::setY\s*\(/, "y") +# Property z (float) +property_reader("QVector3D", /::z\s*\(/, "z") +property_writer("QVector3D", /::setZ\s*\(/, "z") +# Property w (float) +property_reader("QVector4D", /::w\s*\(/, "w") +property_writer("QVector4D", /::setW\s*\(/, "w") +# Property x (float) +property_reader("QVector4D", /::x\s*\(/, "x") +property_writer("QVector4D", /::setX\s*\(/, "x") +# Property y (float) +property_reader("QVector4D", /::y\s*\(/, "y") +property_writer("QVector4D", /::setY\s*\(/, "y") +# Property z (float) +property_reader("QVector4D", /::z\s*\(/, "z") +property_writer("QVector4D", /::setZ\s*\(/, "z") +# Property baseSize (QSize) +property_reader("QWindow", /::baseSize\s*\(/, "baseSize") +property_writer("QWindow", /::setBaseSize\s*\(/, "baseSize") +# Property cursor (QCursor) +property_reader("QWindow", /::cursor\s*\(/, "cursor") +property_writer("QWindow", /::setCursor\s*\(/, "cursor") +# Property filePath (string) +property_reader("QWindow", /::filePath\s*\(/, "filePath") +property_writer("QWindow", /::setFilePath\s*\(/, "filePath") +# Property format (QSurfaceFormat) +property_reader("QWindow", /::format\s*\(/, "format") +property_writer("QWindow", /::setFormat\s*\(/, "format") +# Property framePosition (QPoint) +property_reader("QWindow", /::framePosition\s*\(/, "framePosition") +property_writer("QWindow", /::setFramePosition\s*\(/, "framePosition") +# Property geometry (QRect) +property_reader("QWindow", /::geometry\s*\(/, "geometry") +property_writer("QWindow", /::setGeometry\s*\(/, "geometry") +# Property icon (QIcon) +property_reader("QWindow", /::icon\s*\(/, "icon") +property_writer("QWindow", /::setIcon\s*\(/, "icon") +# Property mask (QRegion) +property_reader("QWindow", /::mask\s*\(/, "mask") +property_writer("QWindow", /::setMask\s*\(/, "mask") +# Property maximumSize (QSize) +property_reader("QWindow", /::maximumSize\s*\(/, "maximumSize") +property_writer("QWindow", /::setMaximumSize\s*\(/, "maximumSize") +# Property minimumSize (QSize) +property_reader("QWindow", /::minimumSize\s*\(/, "minimumSize") +property_writer("QWindow", /::setMinimumSize\s*\(/, "minimumSize") +# Property parent (QWindow_Native *) +property_reader("QWindow", /::parent\s*\(/, "parent") +property_writer("QWindow", /::setParent\s*\(/, "parent") +# Property position (QPoint) +property_reader("QWindow", /::position\s*\(/, "position") +property_writer("QWindow", /::setPosition\s*\(/, "position") +# Property screen (QScreen_Native *) +property_reader("QWindow", /::screen\s*\(/, "screen") +property_writer("QWindow", /::setScreen\s*\(/, "screen") +# Property sizeIncrement (QSize) +property_reader("QWindow", /::sizeIncrement\s*\(/, "sizeIncrement") +property_writer("QWindow", /::setSizeIncrement\s*\(/, "sizeIncrement") +# Property surfaceType (QSurface_SurfaceType) +property_reader("QWindow", /::surfaceType\s*\(/, "surfaceType") +property_writer("QWindow", /::setSurfaceType\s*\(/, "surfaceType") +# Property windowState (Qt_WindowState) +property_reader("QWindow", /::windowState\s*\(/, "windowState") +property_writer("QWindow", /::setWindowState\s*\(/, "windowState") +# Property windowStates (Qt_QFlags_WindowState) +property_reader("QWindow", /::windowStates\s*\(/, "windowStates") +property_writer("QWindow", /::setWindowStates\s*\(/, "windowStates") +# Property brush (QBrush) +property_reader("QAbstractGraphicsShapeItem", /::brush\s*\(/, "brush") +property_writer("QAbstractGraphicsShapeItem", /::setBrush\s*\(/, "brush") +# Property pen (QPen) +property_reader("QAbstractGraphicsShapeItem", /::pen\s*\(/, "pen") +property_writer("QAbstractGraphicsShapeItem", /::setPen\s*\(/, "pen") +# Property currentIndex (QModelIndex) +property_reader("QAbstractItemView", /::currentIndex\s*\(/, "currentIndex") +property_writer("QAbstractItemView", /::setCurrentIndex\s*\(/, "currentIndex") +# Property itemDelegate (QAbstractItemDelegate_Native *) +property_reader("QAbstractItemView", /::itemDelegate\s*\(/, "itemDelegate") +property_writer("QAbstractItemView", /::setItemDelegate\s*\(/, "itemDelegate") +# Property model (QAbstractItemModel_Native *) +property_reader("QAbstractItemView", /::model\s*\(/, "model") +property_writer("QAbstractItemView", /::setModel\s*\(/, "model") +# Property rootIndex (QModelIndex) +property_reader("QAbstractItemView", /::rootIndex\s*\(/, "rootIndex") +property_writer("QAbstractItemView", /::setRootIndex\s*\(/, "rootIndex") +# Property selectionModel (QItemSelectionModel_Native *) +property_reader("QAbstractItemView", /::selectionModel\s*\(/, "selectionModel") +property_writer("QAbstractItemView", /::setSelectionModel\s*\(/, "selectionModel") +# Property cornerWidget (QWidget_Native *) +property_reader("QAbstractScrollArea", /::cornerWidget\s*\(/, "cornerWidget") +property_writer("QAbstractScrollArea", /::setCornerWidget\s*\(/, "cornerWidget") +# Property horizontalScrollBar (QScrollBar_Native *) +property_reader("QAbstractScrollArea", /::horizontalScrollBar\s*\(/, "horizontalScrollBar") +property_writer("QAbstractScrollArea", /::setHorizontalScrollBar\s*\(/, "horizontalScrollBar") +# Property verticalScrollBar (QScrollBar_Native *) +property_reader("QAbstractScrollArea", /::verticalScrollBar\s*\(/, "verticalScrollBar") +property_writer("QAbstractScrollArea", /::setVerticalScrollBar\s*\(/, "verticalScrollBar") +# Property viewport (QWidget_Native *) +property_reader("QAbstractScrollArea", /::viewport\s*\(/, "viewport") +property_writer("QAbstractScrollArea", /::setViewport\s*\(/, "viewport") +# Property groupSeparatorShown (bool) +property_reader("QAbstractSpinBox", /::isGroupSeparatorShown\s*\(/, "groupSeparatorShown") +property_writer("QAbstractSpinBox", /::setGroupSeparatorShown\s*\(/, "groupSeparatorShown") +# Property actionGroup (QActionGroup_Native *) +property_reader("QAction", /::actionGroup\s*\(/, "actionGroup") +property_writer("QAction", /::setActionGroup\s*\(/, "actionGroup") +# Property data (variant) +property_reader("QAction", /::data\s*\(/, "data") +property_writer("QAction", /::setData\s*\(/, "data") +# Property menu (QMenu_Native *) +property_reader("QAction", /::menu\s*\(/, "menu") +property_writer("QAction", /::setMenu\s*\(/, "menu") +# Property separator (bool) +property_reader("QAction", /::isSeparator\s*\(/, "separator") +property_writer("QAction", /::setSeparator\s*\(/, "separator") +# Property shortcuts (QKeySequence[]) +property_reader("QAction", /::shortcuts\s*\(/, "shortcuts") +property_writer("QAction", /::setShortcuts\s*\(/, "shortcuts") +# Property exclusive (bool) +property_reader("QActionGroup", /::isExclusive\s*\(/, "exclusive") +property_writer("QActionGroup", /::setExclusive\s*\(/, "exclusive") +# Property activeWindow (QWidget_Native *) +property_reader("QApplication", /::activeWindow\s*\(/, "activeWindow") +property_writer("QApplication", /::setActiveWindow\s*\(/, "activeWindow") +# Property colorSpec (int) +property_reader("QApplication", /::colorSpec\s*\(/, "colorSpec") +property_writer("QApplication", /::setColorSpec\s*\(/, "colorSpec") +# Property font (QFont) +property_reader("QApplication", /::font\s*\(/, "font") +property_writer("QApplication", /::setFont\s*\(/, "font") +# Property palette (QPalette) +property_reader("QApplication", /::palette\s*\(/, "palette") +property_writer("QApplication", /::setPalette\s*\(/, "palette") +# Property style (QStyle_Native *) +property_reader("QApplication", /::style\s*\(/, "style") +property_writer("QApplication", /::setStyle\s*\(/, "style") +# Property direction (QBoxLayout_Direction) +property_reader("QBoxLayout", /::direction\s*\(/, "direction") +property_writer("QBoxLayout", /::setDirection\s*\(/, "direction") # Property geometry (QRect) property_reader("QLayout", /::geometry\s*\(/, "geometry") -property_writer("QStackedLayout", /::setGeometry\s*\(/, "geometry") -# Property currentWidget (QWidget_Native *) -property_reader("QStackedWidget", /::currentWidget\s*\(/, "currentWidget") -property_writer("QStackedWidget", /::setCurrentWidget\s*\(/, "currentWidget") -# Property accessibleDescription (string) -property_reader("QStandardItem", /::accessibleDescription\s*\(/, "accessibleDescription") -property_writer("QStandardItem", /::setAccessibleDescription\s*\(/, "accessibleDescription") -# Property accessibleText (string) -property_reader("QStandardItem", /::accessibleText\s*\(/, "accessibleText") -property_writer("QStandardItem", /::setAccessibleText\s*\(/, "accessibleText") -# Property background (QBrush) -property_reader("QStandardItem", /::background\s*\(/, "background") -property_writer("QStandardItem", /::setBackground\s*\(/, "background") +property_writer("QBoxLayout", /::setGeometry\s*\(/, "geometry") +# Property headerTextFormat (QTextCharFormat) +property_reader("QCalendarWidget", /::headerTextFormat\s*\(/, "headerTextFormat") +property_writer("QCalendarWidget", /::setHeaderTextFormat\s*\(/, "headerTextFormat") # Property checkState (Qt_CheckState) -property_reader("QStandardItem", /::checkState\s*\(/, "checkState") -property_writer("QStandardItem", /::setCheckState\s*\(/, "checkState") -# Property checkable (bool) -property_reader("QStandardItem", /::isCheckable\s*\(/, "checkable") -property_writer("QStandardItem", /::setCheckable\s*\(/, "checkable") -# Property columnCount (int) -property_reader("QStandardItem", /::columnCount\s*\(/, "columnCount") -property_writer("QStandardItem", /::setColumnCount\s*\(/, "columnCount") -# Property data (variant) -property_reader("QStandardItem", /::data\s*\(/, "data") -property_writer("QStandardItem", /::setData\s*\(/, "data") -# Property dragEnabled (bool) -property_reader("QStandardItem", /::isDragEnabled\s*\(/, "dragEnabled") -property_writer("QStandardItem", /::setDragEnabled\s*\(/, "dragEnabled") -# Property dropEnabled (bool) -property_reader("QStandardItem", /::isDropEnabled\s*\(/, "dropEnabled") -property_writer("QStandardItem", /::setDropEnabled\s*\(/, "dropEnabled") -# Property editable (bool) -property_reader("QStandardItem", /::isEditable\s*\(/, "editable") -property_writer("QStandardItem", /::setEditable\s*\(/, "editable") -# Property enabled (bool) -property_reader("QStandardItem", /::isEnabled\s*\(/, "enabled") -property_writer("QStandardItem", /::setEnabled\s*\(/, "enabled") -# Property flags (Qt_QFlags_ItemFlag) -property_reader("QStandardItem", /::flags\s*\(/, "flags") -property_writer("QStandardItem", /::setFlags\s*\(/, "flags") -# Property font (QFont) -property_reader("QStandardItem", /::font\s*\(/, "font") -property_writer("QStandardItem", /::setFont\s*\(/, "font") -# Property foreground (QBrush) -property_reader("QStandardItem", /::foreground\s*\(/, "foreground") -property_writer("QStandardItem", /::setForeground\s*\(/, "foreground") -# Property icon (QIcon) -property_reader("QStandardItem", /::icon\s*\(/, "icon") -property_writer("QStandardItem", /::setIcon\s*\(/, "icon") -# Property rowCount (int) -property_reader("QStandardItem", /::rowCount\s*\(/, "rowCount") -property_writer("QStandardItem", /::setRowCount\s*\(/, "rowCount") -# Property selectable (bool) -property_reader("QStandardItem", /::isSelectable\s*\(/, "selectable") -property_writer("QStandardItem", /::setSelectable\s*\(/, "selectable") -# Property sizeHint (QSize) -property_reader("QStandardItem", /::sizeHint\s*\(/, "sizeHint") -property_writer("QStandardItem", /::setSizeHint\s*\(/, "sizeHint") -# Property statusTip (string) -property_reader("QStandardItem", /::statusTip\s*\(/, "statusTip") -property_writer("QStandardItem", /::setStatusTip\s*\(/, "statusTip") -# Property text (string) -property_reader("QStandardItem", /::text\s*\(/, "text") -property_writer("QStandardItem", /::setText\s*\(/, "text") -# Property textAlignment (Qt_QFlags_AlignmentFlag) -property_reader("QStandardItem", /::textAlignment\s*\(/, "textAlignment") -property_writer("QStandardItem", /::setTextAlignment\s*\(/, "textAlignment") -# Property toolTip (string) -property_reader("QStandardItem", /::toolTip\s*\(/, "toolTip") -property_writer("QStandardItem", /::setToolTip\s*\(/, "toolTip") -# Property tristate (bool) -property_reader("QStandardItem", /::isTristate\s*\(/, "tristate") -property_writer("QStandardItem", /::setTristate\s*\(/, "tristate") -# Property whatsThis (string) -property_reader("QStandardItem", /::whatsThis\s*\(/, "whatsThis") -property_writer("QStandardItem", /::setWhatsThis\s*\(/, "whatsThis") -# Property columnCount (int) -property_reader("QStandardItemModel", /::columnCount\s*\(/, "columnCount") -property_writer("QStandardItemModel", /::setColumnCount\s*\(/, "columnCount") -# Property itemPrototype (QStandardItem_Native *) -property_reader("QStandardItemModel", /::itemPrototype\s*\(/, "itemPrototype") -property_writer("QStandardItemModel", /::setItemPrototype\s*\(/, "itemPrototype") -# Property parent (QObject_Native *) -property_reader("QStandardItemModel", /::parent\s*\(/, "parent") -property_writer("QObject", /::setParent\s*\(/, "parent") -# Property rowCount (int) -property_reader("QStandardItemModel", /::rowCount\s*\(/, "rowCount") -property_writer("QStandardItemModel", /::setRowCount\s*\(/, "rowCount") -# Property testModeEnabled (bool) -property_reader("QStandardPaths", /::isTestModeEnabled\s*\(/, "testModeEnabled") -property_writer("QStandardPaths", /::setTestModeEnabled\s*\(/, "testModeEnabled") -# Property performanceHint (QStaticText_PerformanceHint) -property_reader("QStaticText", /::performanceHint\s*\(/, "performanceHint") -property_writer("QStaticText", /::setPerformanceHint\s*\(/, "performanceHint") -# Property text (string) -property_reader("QStaticText", /::text\s*\(/, "text") -property_writer("QStaticText", /::setText\s*\(/, "text") -# Property textFormat (Qt_TextFormat) -property_reader("QStaticText", /::textFormat\s*\(/, "textFormat") -property_writer("QStaticText", /::setTextFormat\s*\(/, "textFormat") -# Property textOption (QTextOption) -property_reader("QStaticText", /::textOption\s*\(/, "textOption") -property_writer("QStaticText", /::setTextOption\s*\(/, "textOption") -# Property textWidth (double) -property_reader("QStaticText", /::textWidth\s*\(/, "textWidth") -property_writer("QStaticText", /::setTextWidth\s*\(/, "textWidth") -# Property stringList (string[]) -property_reader("QStringListModel", /::stringList\s*\(/, "stringList") -property_writer("QStringListModel", /::setStringList\s*\(/, "stringList") -# Property caseSensitivity (Qt_CaseSensitivity) -property_reader("QStringMatcher", /::caseSensitivity\s*\(/, "caseSensitivity") -property_writer("QStringMatcher", /::setCaseSensitivity\s*\(/, "caseSensitivity") -# Property pattern (string) -property_reader("QStringMatcher", /::pattern\s*\(/, "pattern") -property_writer("QStringMatcher", /::setPattern\s*\(/, "pattern") -# Property itemEditorFactory (QItemEditorFactory_Native *) -property_reader("QStyledItemDelegate", /::itemEditorFactory\s*\(/, "itemEditorFactory") -property_writer("QStyledItemDelegate", /::setItemEditorFactory\s*\(/, "itemEditorFactory") -# Property alphaBufferSize (int) -property_reader("QSurfaceFormat", /::alphaBufferSize\s*\(/, "alphaBufferSize") -property_writer("QSurfaceFormat", /::setAlphaBufferSize\s*\(/, "alphaBufferSize") -# Property blueBufferSize (int) -property_reader("QSurfaceFormat", /::blueBufferSize\s*\(/, "blueBufferSize") -property_writer("QSurfaceFormat", /::setBlueBufferSize\s*\(/, "blueBufferSize") -# Property defaultFormat (QSurfaceFormat) -property_reader("QSurfaceFormat", /::defaultFormat\s*\(/, "defaultFormat") -property_writer("QSurfaceFormat", /::setDefaultFormat\s*\(/, "defaultFormat") -# Property depthBufferSize (int) -property_reader("QSurfaceFormat", /::depthBufferSize\s*\(/, "depthBufferSize") -property_writer("QSurfaceFormat", /::setDepthBufferSize\s*\(/, "depthBufferSize") -# Property greenBufferSize (int) -property_reader("QSurfaceFormat", /::greenBufferSize\s*\(/, "greenBufferSize") -property_writer("QSurfaceFormat", /::setGreenBufferSize\s*\(/, "greenBufferSize") -# Property majorVersion (int) -property_reader("QSurfaceFormat", /::majorVersion\s*\(/, "majorVersion") -property_writer("QSurfaceFormat", /::setMajorVersion\s*\(/, "majorVersion") -# Property minorVersion (int) -property_reader("QSurfaceFormat", /::minorVersion\s*\(/, "minorVersion") -property_writer("QSurfaceFormat", /::setMinorVersion\s*\(/, "minorVersion") -# Property options (QSurfaceFormat_QFlags_FormatOption) -property_reader("QSurfaceFormat", /::options\s*\(/, "options") -property_writer("QSurfaceFormat", /::setOptions\s*\(/, "options") -# Property profile (QSurfaceFormat_OpenGLContextProfile) -property_reader("QSurfaceFormat", /::profile\s*\(/, "profile") -property_writer("QSurfaceFormat", /::setProfile\s*\(/, "profile") -# Property redBufferSize (int) -property_reader("QSurfaceFormat", /::redBufferSize\s*\(/, "redBufferSize") -property_writer("QSurfaceFormat", /::setRedBufferSize\s*\(/, "redBufferSize") -# Property renderableType (QSurfaceFormat_RenderableType) -property_reader("QSurfaceFormat", /::renderableType\s*\(/, "renderableType") -property_writer("QSurfaceFormat", /::setRenderableType\s*\(/, "renderableType") -# Property samples (int) -property_reader("QSurfaceFormat", /::samples\s*\(/, "samples") -property_writer("QSurfaceFormat", /::setSamples\s*\(/, "samples") -# Property stencilBufferSize (int) -property_reader("QSurfaceFormat", /::stencilBufferSize\s*\(/, "stencilBufferSize") -property_writer("QSurfaceFormat", /::setStencilBufferSize\s*\(/, "stencilBufferSize") -# Property stereo (bool) -property_reader("QSurfaceFormat", /::stereo\s*\(/, "stereo") -property_writer("QSurfaceFormat", /::setStereo\s*\(/, "stereo") -# Property swapBehavior (QSurfaceFormat_SwapBehavior) -property_reader("QSurfaceFormat", /::swapBehavior\s*\(/, "swapBehavior") -property_writer("QSurfaceFormat", /::setSwapBehavior\s*\(/, "swapBehavior") -# Property swapInterval (int) -property_reader("QSurfaceFormat", /::swapInterval\s*\(/, "swapInterval") -property_writer("QSurfaceFormat", /::setSwapInterval\s*\(/, "swapInterval") -# Property description (string) -property_reader("QSvgGenerator", /::description\s*\(/, "description") -property_writer("QSvgGenerator", /::setDescription\s*\(/, "description") -# Property fileName (string) -property_reader("QSvgGenerator", /::fileName\s*\(/, "fileName") -property_writer("QSvgGenerator", /::setFileName\s*\(/, "fileName") -# Property outputDevice (QIODevice *) -property_reader("QSvgGenerator", /::outputDevice\s*\(/, "outputDevice") -property_writer("QSvgGenerator", /::setOutputDevice\s*\(/, "outputDevice") -# Property resolution (int) -property_reader("QSvgGenerator", /::resolution\s*\(/, "resolution") -property_writer("QSvgGenerator", /::setResolution\s*\(/, "resolution") -# Property size (QSize) -property_reader("QSvgGenerator", /::size\s*\(/, "size") -property_writer("QSvgGenerator", /::setSize\s*\(/, "size") -# Property title (string) -property_reader("QSvgGenerator", /::title\s*\(/, "title") -property_writer("QSvgGenerator", /::setTitle\s*\(/, "title") -# Property viewBox (QRect) -property_reader("QSvgGenerator", /::viewBox\s*\(/, "viewBox") -property_writer("QSvgGenerator", /::setViewBox\s*\(/, "viewBox") -# Property document (QTextDocument_Native *) -property_reader("QSyntaxHighlighter", /::document\s*\(/, "document") -property_writer("QSyntaxHighlighter", /::setDocument\s*\(/, "document") -# Property key (string) -property_reader("QSystemSemaphore", /::key\s*\(/, "key") -property_writer("QSystemSemaphore", /::setKey\s*\(/, "key") -# Property contextMenu (QMenu_Native *) -property_reader("QSystemTrayIcon", /::contextMenu\s*\(/, "contextMenu") -property_writer("QSystemTrayIcon", /::setContextMenu\s*\(/, "contextMenu") -# Property cornerWidget (QWidget_Native *) -property_reader("QTabWidget", /::cornerWidget\s*\(/, "cornerWidget") -property_writer("QTabWidget", /::setCornerWidget\s*\(/, "cornerWidget") -# Property currentWidget (QWidget_Native *) -property_reader("QTabWidget", /::currentWidget\s*\(/, "currentWidget") -property_writer("QTabWidget", /::setCurrentWidget\s*\(/, "currentWidget") -# Property horizontalHeader (QHeaderView_Native *) -property_reader("QTableView", /::horizontalHeader\s*\(/, "horizontalHeader") -property_writer("QTableView", /::setHorizontalHeader\s*\(/, "horizontalHeader") +property_reader("QCheckBox", /::checkState\s*\(/, "checkState") +property_writer("QCheckBox", /::setCheckState\s*\(/, "checkState") +# Property columnWidths (int[]) +property_reader("QColumnView", /::columnWidths\s*\(/, "columnWidths") +property_writer("QColumnView", /::setColumnWidths\s*\(/, "columnWidths") +# Property model (QAbstractItemModel_Native *) +property_reader("QAbstractItemView", /::model\s*\(/, "model") +property_writer("QColumnView", /::setModel\s*\(/, "model") +# Property previewWidget (QWidget_Native *) +property_reader("QColumnView", /::previewWidget\s*\(/, "previewWidget") +property_writer("QColumnView", /::setPreviewWidget\s*\(/, "previewWidget") +# Property rootIndex (QModelIndex) +property_reader("QAbstractItemView", /::rootIndex\s*\(/, "rootIndex") +property_writer("QColumnView", /::setRootIndex\s*\(/, "rootIndex") +# Property selectionModel (QItemSelectionModel_Native *) +property_reader("QAbstractItemView", /::selectionModel\s*\(/, "selectionModel") +property_writer("QColumnView", /::setSelectionModel\s*\(/, "selectionModel") +# Property completer (QCompleter_Native *) +property_reader("QComboBox", /::completer\s*\(/, "completer") +property_writer("QComboBox", /::setCompleter\s*\(/, "completer") +# Property itemDelegate (QAbstractItemDelegate_Native *) +property_reader("QComboBox", /::itemDelegate\s*\(/, "itemDelegate") +property_writer("QComboBox", /::setItemDelegate\s*\(/, "itemDelegate") +# Property lineEdit (QLineEdit_Native *) +property_reader("QComboBox", /::lineEdit\s*\(/, "lineEdit") +property_writer("QComboBox", /::setLineEdit\s*\(/, "lineEdit") +# Property model (QAbstractItemModel_Native *) +property_reader("QComboBox", /::model\s*\(/, "model") +property_writer("QComboBox", /::setModel\s*\(/, "model") +# Property rootModelIndex (QModelIndex) +property_reader("QComboBox", /::rootModelIndex\s*\(/, "rootModelIndex") +property_writer("QComboBox", /::setRootModelIndex\s*\(/, "rootModelIndex") +# Property validator (QValidator_Native *) +property_reader("QComboBox", /::validator\s*\(/, "validator") +property_writer("QComboBox", /::setValidator\s*\(/, "validator") +# Property view (QAbstractItemView_Native *) +property_reader("QComboBox", /::view\s*\(/, "view") +property_writer("QComboBox", /::setView\s*\(/, "view") # Property model (QAbstractItemModel_Native *) -property_reader("QAbstractItemView", /::model\s*\(/, "model") -property_writer("QTableView", /::setModel\s*\(/, "model") +property_reader("QCompleter", /::model\s*\(/, "model") +property_writer("QCompleter", /::setModel\s*\(/, "model") +# Property popup (QAbstractItemView_Native *) +property_reader("QCompleter", /::popup\s*\(/, "popup") +property_writer("QCompleter", /::setPopup\s*\(/, "popup") +# Property widget (QWidget_Native *) +property_reader("QCompleter", /::widget\s*\(/, "widget") +property_writer("QCompleter", /::setWidget\s*\(/, "widget") +# Property itemDelegate (QAbstractItemDelegate_Native *) +property_reader("QDataWidgetMapper", /::itemDelegate\s*\(/, "itemDelegate") +property_writer("QDataWidgetMapper", /::setItemDelegate\s*\(/, "itemDelegate") +# Property model (QAbstractItemModel_Native *) +property_reader("QDataWidgetMapper", /::model\s*\(/, "model") +property_writer("QDataWidgetMapper", /::setModel\s*\(/, "model") # Property rootIndex (QModelIndex) -property_reader("QAbstractItemView", /::rootIndex\s*\(/, "rootIndex") -property_writer("QTableView", /::setRootIndex\s*\(/, "rootIndex") -# Property selectionModel (QItemSelectionModel_Native *) -property_reader("QAbstractItemView", /::selectionModel\s*\(/, "selectionModel") -property_writer("QTableView", /::setSelectionModel\s*\(/, "selectionModel") -# Property verticalHeader (QHeaderView_Native *) -property_reader("QTableView", /::verticalHeader\s*\(/, "verticalHeader") -property_writer("QTableView", /::setVerticalHeader\s*\(/, "verticalHeader") -# Property currentItem (QTableWidgetItem_Native *) -property_reader("QTableWidget", /::currentItem\s*\(/, "currentItem") -property_writer("QTableWidget", /::setCurrentItem\s*\(/, "currentItem") -# Property itemPrototype (QTableWidgetItem_Native *) -property_reader("QTableWidget", /::itemPrototype\s*\(/, "itemPrototype") -property_writer("QTableWidget", /::setItemPrototype\s*\(/, "itemPrototype") -# Property background (QBrush) -property_reader("QTableWidgetItem", /::background\s*\(/, "background") -property_writer("QTableWidgetItem", /::setBackground\s*\(/, "background") -# Property backgroundColor (QColor) -property_reader("QTableWidgetItem", /::backgroundColor\s*\(/, "backgroundColor") -property_writer("QTableWidgetItem", /::setBackgroundColor\s*\(/, "backgroundColor") -# Property checkState (Qt_CheckState) -property_reader("QTableWidgetItem", /::checkState\s*\(/, "checkState") -property_writer("QTableWidgetItem", /::setCheckState\s*\(/, "checkState") -# Property flags (Qt_QFlags_ItemFlag) -property_reader("QTableWidgetItem", /::flags\s*\(/, "flags") -property_writer("QTableWidgetItem", /::setFlags\s*\(/, "flags") -# Property font (QFont) -property_reader("QTableWidgetItem", /::font\s*\(/, "font") -property_writer("QTableWidgetItem", /::setFont\s*\(/, "font") -# Property foreground (QBrush) -property_reader("QTableWidgetItem", /::foreground\s*\(/, "foreground") -property_writer("QTableWidgetItem", /::setForeground\s*\(/, "foreground") -# Property icon (QIcon) -property_reader("QTableWidgetItem", /::icon\s*\(/, "icon") -property_writer("QTableWidgetItem", /::setIcon\s*\(/, "icon") -# Property selected (bool) -property_reader("QTableWidgetItem", /::isSelected\s*\(/, "selected") -property_writer("QTableWidgetItem", /::setSelected\s*\(/, "selected") -# Property sizeHint (QSize) -property_reader("QTableWidgetItem", /::sizeHint\s*\(/, "sizeHint") -property_writer("QTableWidgetItem", /::setSizeHint\s*\(/, "sizeHint") -# Property statusTip (string) -property_reader("QTableWidgetItem", /::statusTip\s*\(/, "statusTip") -property_writer("QTableWidgetItem", /::setStatusTip\s*\(/, "statusTip") -# Property text (string) -property_reader("QTableWidgetItem", /::text\s*\(/, "text") -property_writer("QTableWidgetItem", /::setText\s*\(/, "text") -# Property textAlignment (int) -property_reader("QTableWidgetItem", /::textAlignment\s*\(/, "textAlignment") -property_writer("QTableWidgetItem", /::setTextAlignment\s*\(/, "textAlignment") -# Property textColor (QColor) -property_reader("QTableWidgetItem", /::textColor\s*\(/, "textColor") -property_writer("QTableWidgetItem", /::setTextColor\s*\(/, "textColor") -# Property toolTip (string) -property_reader("QTableWidgetItem", /::toolTip\s*\(/, "toolTip") -property_writer("QTableWidgetItem", /::setToolTip\s*\(/, "toolTip") -# Property whatsThis (string) -property_reader("QTableWidgetItem", /::whatsThis\s*\(/, "whatsThis") -property_writer("QTableWidgetItem", /::setWhatsThis\s*\(/, "whatsThis") -# Property timeout (int) -property_reader("QTapAndHoldGesture", /::timeout\s*\(/, "timeout") -property_writer("QTapAndHoldGesture", /::setTimeout\s*\(/, "timeout") -# Property maxPendingConnections (int) -property_reader("QTcpServer", /::maxPendingConnections\s*\(/, "maxPendingConnections") -property_writer("QTcpServer", /::setMaxPendingConnections\s*\(/, "maxPendingConnections") -# Property proxy (QNetworkProxy) -property_reader("QTcpServer", /::proxy\s*\(/, "proxy") -property_writer("QTcpServer", /::setProxy\s*\(/, "proxy") -# Property autoRemove (bool) -property_reader("QTemporaryDir", /::autoRemove\s*\(/, "autoRemove") -property_writer("QTemporaryDir", /::setAutoRemove\s*\(/, "autoRemove") -# Property autoRemove (bool) -property_reader("QTemporaryFile", /::autoRemove\s*\(/, "autoRemove") -property_writer("QTemporaryFile", /::setAutoRemove\s*\(/, "autoRemove") -# Property fileName (string) -property_reader("QTemporaryFile", /::fileName\s*\(/, "fileName") -property_writer("QFile", /::setFileName\s*\(/, "fileName") -# Property fileTemplate (string) -property_reader("QTemporaryFile", /::fileTemplate\s*\(/, "fileTemplate") -property_writer("QTemporaryFile", /::setFileTemplate\s*\(/, "fileTemplate") -# Property lineCount (int) -property_reader("QTextBlock", /::lineCount\s*\(/, "lineCount") -property_writer("QTextBlock", /::setLineCount\s*\(/, "lineCount") -# Property revision (int) -property_reader("QTextBlock", /::revision\s*\(/, "revision") -property_writer("QTextBlock", /::setRevision\s*\(/, "revision") -# Property userData (QTextBlockUserData_Native *) -property_reader("QTextBlock", /::userData\s*\(/, "userData") -property_writer("QTextBlock", /::setUserData\s*\(/, "userData") -# Property userState (int) -property_reader("QTextBlock", /::userState\s*\(/, "userState") -property_writer("QTextBlock", /::setUserState\s*\(/, "userState") -# Property visible (bool) -property_reader("QTextBlock", /::isVisible\s*\(/, "visible") -property_writer("QTextBlock", /::setVisible\s*\(/, "visible") -# Property alignment (Qt_QFlags_AlignmentFlag) -property_reader("QTextBlockFormat", /::alignment\s*\(/, "alignment") -property_writer("QTextBlockFormat", /::setAlignment\s*\(/, "alignment") -# Property bottomMargin (double) -property_reader("QTextBlockFormat", /::bottomMargin\s*\(/, "bottomMargin") -property_writer("QTextBlockFormat", /::setBottomMargin\s*\(/, "bottomMargin") -# Property indent (int) -property_reader("QTextBlockFormat", /::indent\s*\(/, "indent") -property_writer("QTextBlockFormat", /::setIndent\s*\(/, "indent") -# Property leftMargin (double) -property_reader("QTextBlockFormat", /::leftMargin\s*\(/, "leftMargin") -property_writer("QTextBlockFormat", /::setLeftMargin\s*\(/, "leftMargin") -# Property nonBreakableLines (bool) -property_reader("QTextBlockFormat", /::nonBreakableLines\s*\(/, "nonBreakableLines") -property_writer("QTextBlockFormat", /::setNonBreakableLines\s*\(/, "nonBreakableLines") -# Property pageBreakPolicy (QTextFormat_QFlags_PageBreakFlag) -property_reader("QTextBlockFormat", /::pageBreakPolicy\s*\(/, "pageBreakPolicy") -property_writer("QTextBlockFormat", /::setPageBreakPolicy\s*\(/, "pageBreakPolicy") -# Property rightMargin (double) -property_reader("QTextBlockFormat", /::rightMargin\s*\(/, "rightMargin") -property_writer("QTextBlockFormat", /::setRightMargin\s*\(/, "rightMargin") -# Property tabPositions (QTextOption_Tab[]) -property_reader("QTextBlockFormat", /::tabPositions\s*\(/, "tabPositions") -property_writer("QTextBlockFormat", /::setTabPositions\s*\(/, "tabPositions") -# Property textIndent (double) -property_reader("QTextBlockFormat", /::textIndent\s*\(/, "textIndent") -property_writer("QTextBlockFormat", /::setTextIndent\s*\(/, "textIndent") -# Property topMargin (double) -property_reader("QTextBlockFormat", /::topMargin\s*\(/, "topMargin") -property_writer("QTextBlockFormat", /::setTopMargin\s*\(/, "topMargin") -# Property position (int) -property_reader("QTextBoundaryFinder", /::position\s*\(/, "position") -property_writer("QTextBoundaryFinder", /::setPosition\s*\(/, "position") -# Property anchor (bool) -property_reader("QTextCharFormat", /::isAnchor\s*\(/, "anchor") -property_writer("QTextCharFormat", /::setAnchor\s*\(/, "anchor") -# Property anchorHref (string) -property_reader("QTextCharFormat", /::anchorHref\s*\(/, "anchorHref") -property_writer("QTextCharFormat", /::setAnchorHref\s*\(/, "anchorHref") -# Property anchorName (string) -property_reader("QTextCharFormat", /::anchorName\s*\(/, "anchorName") -property_writer("QTextCharFormat", /::setAnchorName\s*\(/, "anchorName") -# Property anchorNames (string[]) -property_reader("QTextCharFormat", /::anchorNames\s*\(/, "anchorNames") -property_writer("QTextCharFormat", /::setAnchorNames\s*\(/, "anchorNames") -# Property font (QFont) -property_reader("QTextCharFormat", /::font\s*\(/, "font") -property_writer("QTextCharFormat", /::setFont\s*\(/, "font") -# Property fontCapitalization (QFont_Capitalization) -property_reader("QTextCharFormat", /::fontCapitalization\s*\(/, "fontCapitalization") -property_writer("QTextCharFormat", /::setFontCapitalization\s*\(/, "fontCapitalization") -# Property fontFamily (string) -property_reader("QTextCharFormat", /::fontFamily\s*\(/, "fontFamily") -property_writer("QTextCharFormat", /::setFontFamily\s*\(/, "fontFamily") -# Property fontFixedPitch (bool) -property_reader("QTextCharFormat", /::fontFixedPitch\s*\(/, "fontFixedPitch") -property_writer("QTextCharFormat", /::setFontFixedPitch\s*\(/, "fontFixedPitch") -# Property fontHintingPreference (QFont_HintingPreference) -property_reader("QTextCharFormat", /::fontHintingPreference\s*\(/, "fontHintingPreference") -property_writer("QTextCharFormat", /::setFontHintingPreference\s*\(/, "fontHintingPreference") -# Property fontItalic (bool) -property_reader("QTextCharFormat", /::fontItalic\s*\(/, "fontItalic") -property_writer("QTextCharFormat", /::setFontItalic\s*\(/, "fontItalic") -# Property fontKerning (bool) -property_reader("QTextCharFormat", /::fontKerning\s*\(/, "fontKerning") -property_writer("QTextCharFormat", /::setFontKerning\s*\(/, "fontKerning") -# Property fontLetterSpacing (double) -property_reader("QTextCharFormat", /::fontLetterSpacing\s*\(/, "fontLetterSpacing") -property_writer("QTextCharFormat", /::setFontLetterSpacing\s*\(/, "fontLetterSpacing") -# Property fontLetterSpacingType (QFont_SpacingType) -property_reader("QTextCharFormat", /::fontLetterSpacingType\s*\(/, "fontLetterSpacingType") -property_writer("QTextCharFormat", /::setFontLetterSpacingType\s*\(/, "fontLetterSpacingType") -# Property fontOverline (bool) -property_reader("QTextCharFormat", /::fontOverline\s*\(/, "fontOverline") -property_writer("QTextCharFormat", /::setFontOverline\s*\(/, "fontOverline") -# Property fontPointSize (double) -property_reader("QTextCharFormat", /::fontPointSize\s*\(/, "fontPointSize") -property_writer("QTextCharFormat", /::setFontPointSize\s*\(/, "fontPointSize") -# Property fontStretch (int) -property_reader("QTextCharFormat", /::fontStretch\s*\(/, "fontStretch") -property_writer("QTextCharFormat", /::setFontStretch\s*\(/, "fontStretch") -# Property fontStrikeOut (bool) -property_reader("QTextCharFormat", /::fontStrikeOut\s*\(/, "fontStrikeOut") -property_writer("QTextCharFormat", /::setFontStrikeOut\s*\(/, "fontStrikeOut") -# Property fontStyleHint (QFont_StyleHint) -property_reader("QTextCharFormat", /::fontStyleHint\s*\(/, "fontStyleHint") -property_writer("QTextCharFormat", /::setFontStyleHint\s*\(/, "fontStyleHint") -# Property fontStyleStrategy (QFont_StyleStrategy) -property_reader("QTextCharFormat", /::fontStyleStrategy\s*\(/, "fontStyleStrategy") -property_writer("QTextCharFormat", /::setFontStyleStrategy\s*\(/, "fontStyleStrategy") -# Property fontUnderline (bool) -property_reader("QTextCharFormat", /::fontUnderline\s*\(/, "fontUnderline") -property_writer("QTextCharFormat", /::setFontUnderline\s*\(/, "fontUnderline") -# Property fontWeight (int) -property_reader("QTextCharFormat", /::fontWeight\s*\(/, "fontWeight") -property_writer("QTextCharFormat", /::setFontWeight\s*\(/, "fontWeight") -# Property fontWordSpacing (double) -property_reader("QTextCharFormat", /::fontWordSpacing\s*\(/, "fontWordSpacing") -property_writer("QTextCharFormat", /::setFontWordSpacing\s*\(/, "fontWordSpacing") -# Property tableCellColumnSpan (int) -property_reader("QTextCharFormat", /::tableCellColumnSpan\s*\(/, "tableCellColumnSpan") -property_writer("QTextCharFormat", /::setTableCellColumnSpan\s*\(/, "tableCellColumnSpan") -# Property tableCellRowSpan (int) -property_reader("QTextCharFormat", /::tableCellRowSpan\s*\(/, "tableCellRowSpan") -property_writer("QTextCharFormat", /::setTableCellRowSpan\s*\(/, "tableCellRowSpan") -# Property textOutline (QPen) -property_reader("QTextCharFormat", /::textOutline\s*\(/, "textOutline") -property_writer("QTextCharFormat", /::setTextOutline\s*\(/, "textOutline") +property_reader("QDataWidgetMapper", /::rootIndex\s*\(/, "rootIndex") +property_writer("QDataWidgetMapper", /::setRootIndex\s*\(/, "rootIndex") +# Property calendarWidget (QCalendarWidget_Native *) +property_reader("QDateTimeEdit", /::calendarWidget\s*\(/, "calendarWidget") +property_writer("QDateTimeEdit", /::setCalendarWidget\s*\(/, "calendarWidget") +# Property extension (QWidget_Native *) +property_reader("QDialog", /::extension\s*\(/, "extension") +property_writer("QDialog", /::setExtension\s*\(/, "extension") +# Property orientation (Qt_Orientation) +property_reader("QDialog", /::orientation\s*\(/, "orientation") +property_writer("QDialog", /::setOrientation\s*\(/, "orientation") +# Property result (int) +property_reader("QDialog", /::result\s*\(/, "result") +property_writer("QDialog", /::setResult\s*\(/, "result") +# Property filter (QDir_QFlags_Filter) +property_reader("QDirModel", /::filter\s*\(/, "filter") +property_writer("QDirModel", /::setFilter\s*\(/, "filter") +# Property iconProvider (QFileIconProvider_Native *) +property_reader("QDirModel", /::iconProvider\s*\(/, "iconProvider") +property_writer("QDirModel", /::setIconProvider\s*\(/, "iconProvider") +# Property nameFilters (string[]) +property_reader("QDirModel", /::nameFilters\s*\(/, "nameFilters") +property_writer("QDirModel", /::setNameFilters\s*\(/, "nameFilters") +# Property parent (QObject_Native *) +property_reader("QDirModel", /::parent\s*\(/, "parent") +property_writer("QObject", /::setParent\s*\(/, "parent") +# Property sorting (QDir_QFlags_SortFlag) +property_reader("QDirModel", /::sorting\s*\(/, "sorting") +property_writer("QDirModel", /::setSorting\s*\(/, "sorting") +# Property titleBarWidget (QWidget_Native *) +property_reader("QDockWidget", /::titleBarWidget\s*\(/, "titleBarWidget") +property_writer("QDockWidget", /::setTitleBarWidget\s*\(/, "titleBarWidget") +# Property widget (QWidget_Native *) +property_reader("QDockWidget", /::widget\s*\(/, "widget") +property_writer("QDockWidget", /::setWidget\s*\(/, "widget") +# Property directoryUrl (QUrl) +property_reader("QFileDialog", /::directoryUrl\s*\(/, "directoryUrl") +property_writer("QFileDialog", /::setDirectoryUrl\s*\(/, "directoryUrl") +# Property filter (QDir_QFlags_Filter) +property_reader("QFileDialog", /::filter\s*\(/, "filter") +property_writer("QFileDialog", /::setFilter\s*\(/, "filter") +# Property history (string[]) +property_reader("QFileDialog", /::history\s*\(/, "history") +property_writer("QFileDialog", /::setHistory\s*\(/, "history") +# Property iconProvider (QFileIconProvider_Native *) +property_reader("QFileDialog", /::iconProvider\s*\(/, "iconProvider") +property_writer("QFileDialog", /::setIconProvider\s*\(/, "iconProvider") +# Property itemDelegate (QAbstractItemDelegate_Native *) +property_reader("QFileDialog", /::itemDelegate\s*\(/, "itemDelegate") +property_writer("QFileDialog", /::setItemDelegate\s*\(/, "itemDelegate") +# Property mimeTypeFilters (string[]) +property_reader("QFileDialog", /::mimeTypeFilters\s*\(/, "mimeTypeFilters") +property_writer("QFileDialog", /::setMimeTypeFilters\s*\(/, "mimeTypeFilters") +# Property nameFilters (string[]) +property_reader("QFileDialog", /::nameFilters\s*\(/, "nameFilters") +property_writer("QFileDialog", /::setNameFilters\s*\(/, "nameFilters") +# Property proxyModel (QAbstractProxyModel_Native *) +property_reader("QFileDialog", /::proxyModel\s*\(/, "proxyModel") +property_writer("QFileDialog", /::setProxyModel\s*\(/, "proxyModel") +# Property sidebarUrls (QUrl[]) +property_reader("QFileDialog", /::sidebarUrls\s*\(/, "sidebarUrls") +property_writer("QFileDialog", /::setSidebarUrls\s*\(/, "sidebarUrls") +# Property options (QFileIconProvider_QFlags_Option) +property_reader("QFileIconProvider", /::options\s*\(/, "options") +property_writer("QFileIconProvider", /::setOptions\s*\(/, "options") +# Property filter (QDir_QFlags_Filter) +property_reader("QFileSystemModel", /::filter\s*\(/, "filter") +property_writer("QFileSystemModel", /::setFilter\s*\(/, "filter") +# Property iconProvider (QFileIconProvider_Native *) +property_reader("QFileSystemModel", /::iconProvider\s*\(/, "iconProvider") +property_writer("QFileSystemModel", /::setIconProvider\s*\(/, "iconProvider") +# Property nameFilters (string[]) +property_reader("QFileSystemModel", /::nameFilters\s*\(/, "nameFilters") +property_writer("QFileSystemModel", /::setNameFilters\s*\(/, "nameFilters") +# Property parent (QObject_Native *) +property_reader("QFileSystemModel", /::parent\s*\(/, "parent") +property_writer("QObject", /::setParent\s*\(/, "parent") +# Property widget (QWidget_Native *) +property_reader("QFocusFrame", /::widget\s*\(/, "widget") +property_writer("QFocusFrame", /::setWidget\s*\(/, "widget") +# Property geometry (QRect) +property_reader("QLayout", /::geometry\s*\(/, "geometry") +property_writer("QFormLayout", /::setGeometry\s*\(/, "geometry") +# Property frameStyle (int) +property_reader("QFrame", /::frameStyle\s*\(/, "frameStyle") +property_writer("QFrame", /::setFrameStyle\s*\(/, "frameStyle") +# Property accepted (bool) +property_reader("QGestureEvent", /::isAccepted\s*\(/, "accepted") +property_writer("QGestureEvent", /::setAccepted\s*\(/, "accepted") +# Property widget (QWidget_Native *) +property_reader("QGestureEvent", /::widget\s*\(/, "widget") +property_writer("QGestureEvent", /::setWidget\s*\(/, "widget") +# Property geometry (QRectF) +property_reader("QGraphicsLayoutItem", /::geometry\s*\(/, "geometry") +property_writer("QGraphicsAnchorLayout", /::setGeometry\s*\(/, "geometry") +# Property horizontalSpacing (double) +property_reader("QGraphicsAnchorLayout", /::horizontalSpacing\s*\(/, "horizontalSpacing") +property_writer("QGraphicsAnchorLayout", /::setHorizontalSpacing\s*\(/, "horizontalSpacing") +# Property verticalSpacing (double) +property_reader("QGraphicsAnchorLayout", /::verticalSpacing\s*\(/, "verticalSpacing") +property_writer("QGraphicsAnchorLayout", /::setVerticalSpacing\s*\(/, "verticalSpacing") +# Property rect (QRectF) +property_reader("QGraphicsEllipseItem", /::rect\s*\(/, "rect") +property_writer("QGraphicsEllipseItem", /::setRect\s*\(/, "rect") +# Property spanAngle (int) +property_reader("QGraphicsEllipseItem", /::spanAngle\s*\(/, "spanAngle") +property_writer("QGraphicsEllipseItem", /::setSpanAngle\s*\(/, "spanAngle") +# Property startAngle (int) +property_reader("QGraphicsEllipseItem", /::startAngle\s*\(/, "startAngle") +property_writer("QGraphicsEllipseItem", /::setStartAngle\s*\(/, "startAngle") +# Property geometry (QRectF) +property_reader("QGraphicsLayoutItem", /::geometry\s*\(/, "geometry") +property_writer("QGraphicsGridLayout", /::setGeometry\s*\(/, "geometry") +# Property horizontalSpacing (double) +property_reader("QGraphicsGridLayout", /::horizontalSpacing\s*\(/, "horizontalSpacing") +property_writer("QGraphicsGridLayout", /::setHorizontalSpacing\s*\(/, "horizontalSpacing") +# Property verticalSpacing (double) +property_reader("QGraphicsGridLayout", /::verticalSpacing\s*\(/, "verticalSpacing") +property_writer("QGraphicsGridLayout", /::setVerticalSpacing\s*\(/, "verticalSpacing") +# Property acceptDrops (bool) +property_reader("QGraphicsItem", /::acceptDrops\s*\(/, "acceptDrops") +property_writer("QGraphicsItem", /::setAcceptDrops\s*\(/, "acceptDrops") +# Property acceptHoverEvents (bool) +property_reader("QGraphicsItem", /::acceptHoverEvents\s*\(/, "acceptHoverEvents") +property_writer("QGraphicsItem", /::setAcceptHoverEvents\s*\(/, "acceptHoverEvents") +# Property acceptTouchEvents (bool) +property_reader("QGraphicsItem", /::acceptTouchEvents\s*\(/, "acceptTouchEvents") +property_writer("QGraphicsItem", /::setAcceptTouchEvents\s*\(/, "acceptTouchEvents") +# Property acceptedMouseButtons (Qt_QFlags_MouseButton) +property_reader("QGraphicsItem", /::acceptedMouseButtons\s*\(/, "acceptedMouseButtons") +property_writer("QGraphicsItem", /::setAcceptedMouseButtons\s*\(/, "acceptedMouseButtons") +# Property active (bool) +property_reader("QGraphicsItem", /::isActive\s*\(/, "active") +property_writer("QGraphicsItem", /::setActive\s*\(/, "active") +# Property boundingRegionGranularity (double) +property_reader("QGraphicsItem", /::boundingRegionGranularity\s*\(/, "boundingRegionGranularity") +property_writer("QGraphicsItem", /::setBoundingRegionGranularity\s*\(/, "boundingRegionGranularity") +# Property cacheMode (QGraphicsItem_CacheMode) +property_reader("QGraphicsItem", /::cacheMode\s*\(/, "cacheMode") +property_writer("QGraphicsItem", /::setCacheMode\s*\(/, "cacheMode") +# Property cursor (QCursor) +property_reader("QGraphicsItem", /::cursor\s*\(/, "cursor") +property_writer("QGraphicsItem", /::setCursor\s*\(/, "cursor") +# Property enabled (bool) +property_reader("QGraphicsItem", /::isEnabled\s*\(/, "enabled") +property_writer("QGraphicsItem", /::setEnabled\s*\(/, "enabled") +# Property filtersChildEvents (bool) +property_reader("QGraphicsItem", /::filtersChildEvents\s*\(/, "filtersChildEvents") +property_writer("QGraphicsItem", /::setFiltersChildEvents\s*\(/, "filtersChildEvents") +# Property flags (QGraphicsItem_QFlags_GraphicsItemFlag) +property_reader("QGraphicsItem", /::flags\s*\(/, "flags") +property_writer("QGraphicsItem", /::setFlags\s*\(/, "flags") +# Property focusProxy (QGraphicsItem_Native *) +property_reader("QGraphicsItem", /::focusProxy\s*\(/, "focusProxy") +property_writer("QGraphicsItem", /::setFocusProxy\s*\(/, "focusProxy") +# Property graphicsEffect (QGraphicsEffect_Native *) +property_reader("QGraphicsItem", /::graphicsEffect\s*\(/, "graphicsEffect") +property_writer("QGraphicsItem", /::setGraphicsEffect\s*\(/, "graphicsEffect") +# Property group (QGraphicsItemGroup_Native *) +property_reader("QGraphicsItem", /::group\s*\(/, "group") +property_writer("QGraphicsItem", /::setGroup\s*\(/, "group") +# Property handlesChildEvents (bool) +property_reader("QGraphicsItem", /::handlesChildEvents\s*\(/, "handlesChildEvents") +property_writer("QGraphicsItem", /::setHandlesChildEvents\s*\(/, "handlesChildEvents") +# Property inputMethodHints (Qt_QFlags_InputMethodHint) +property_reader("QGraphicsItem", /::inputMethodHints\s*\(/, "inputMethodHints") +property_writer("QGraphicsItem", /::setInputMethodHints\s*\(/, "inputMethodHints") +# Property matrix (QMatrix) +property_reader("QGraphicsItem", /::matrix\s*\(/, "matrix") +property_writer("QGraphicsItem", /::setMatrix\s*\(/, "matrix") +# Property opacity (double) +property_reader("QGraphicsItem", /::opacity\s*\(/, "opacity") +property_writer("QGraphicsItem", /::setOpacity\s*\(/, "opacity") +# Property panelModality (QGraphicsItem_PanelModality) +property_reader("QGraphicsItem", /::panelModality\s*\(/, "panelModality") +property_writer("QGraphicsItem", /::setPanelModality\s*\(/, "panelModality") +# Property parentItem (QGraphicsItem_Native *) +property_reader("QGraphicsItem", /::parentItem\s*\(/, "parentItem") +property_writer("QGraphicsItem", /::setParentItem\s*\(/, "parentItem") +# Property pos (QPointF) +property_reader("QGraphicsItem", /::pos\s*\(/, "pos") +property_writer("QGraphicsItem", /::setPos\s*\(/, "pos") +# Property rotation (double) +property_reader("QGraphicsItem", /::rotation\s*\(/, "rotation") +property_writer("QGraphicsItem", /::setRotation\s*\(/, "rotation") +# Property scale (double) +property_reader("QGraphicsItem", /::scale\s*\(/, "scale") +property_writer("QGraphicsItem", /::setScale\s*\(/, "scale") +# Property selected (bool) +property_reader("QGraphicsItem", /::isSelected\s*\(/, "selected") +property_writer("QGraphicsItem", /::setSelected\s*\(/, "selected") # Property toolTip (string) -property_reader("QTextCharFormat", /::toolTip\s*\(/, "toolTip") -property_writer("QTextCharFormat", /::setToolTip\s*\(/, "toolTip") -# Property underlineColor (QColor) -property_reader("QTextCharFormat", /::underlineColor\s*\(/, "underlineColor") -property_writer("QTextCharFormat", /::setUnderlineColor\s*\(/, "underlineColor") -# Property underlineStyle (QTextCharFormat_UnderlineStyle) -property_reader("QTextCharFormat", /::underlineStyle\s*\(/, "underlineStyle") -property_writer("QTextCharFormat", /::setUnderlineStyle\s*\(/, "underlineStyle") -# Property verticalAlignment (QTextCharFormat_VerticalAlignment) -property_reader("QTextCharFormat", /::verticalAlignment\s*\(/, "verticalAlignment") -property_writer("QTextCharFormat", /::setVerticalAlignment\s*\(/, "verticalAlignment") -# Property codecForLocale (QTextCodec_Native *) -property_reader("QTextCodec", /::codecForLocale\s*\(/, "codecForLocale") -property_writer("QTextCodec", /::setCodecForLocale\s*\(/, "codecForLocale") -# Property blockCharFormat (QTextCharFormat) -property_reader("QTextCursor", /::blockCharFormat\s*\(/, "blockCharFormat") -property_writer("QTextCursor", /::setBlockCharFormat\s*\(/, "blockCharFormat") -# Property blockFormat (QTextBlockFormat) -property_reader("QTextCursor", /::blockFormat\s*\(/, "blockFormat") -property_writer("QTextCursor", /::setBlockFormat\s*\(/, "blockFormat") -# Property charFormat (QTextCharFormat) -property_reader("QTextCursor", /::charFormat\s*\(/, "charFormat") -property_writer("QTextCursor", /::setCharFormat\s*\(/, "charFormat") -# Property keepPositionOnInsert (bool) -property_reader("QTextCursor", /::keepPositionOnInsert\s*\(/, "keepPositionOnInsert") -property_writer("QTextCursor", /::setKeepPositionOnInsert\s*\(/, "keepPositionOnInsert") -# Property position (int) -property_reader("QTextCursor", /::position\s*\(/, "position") -property_writer("QTextCursor", /::setPosition\s*\(/, "position") -# Property verticalMovementX (int) -property_reader("QTextCursor", /::verticalMovementX\s*\(/, "verticalMovementX") -property_writer("QTextCursor", /::setVerticalMovementX\s*\(/, "verticalMovementX") -# Property visualNavigation (bool) -property_reader("QTextCursor", /::visualNavigation\s*\(/, "visualNavigation") -property_writer("QTextCursor", /::setVisualNavigation\s*\(/, "visualNavigation") -# Property defaultCursorMoveStyle (Qt_CursorMoveStyle) -property_reader("QTextDocument", /::defaultCursorMoveStyle\s*\(/, "defaultCursorMoveStyle") -property_writer("QTextDocument", /::setDefaultCursorMoveStyle\s*\(/, "defaultCursorMoveStyle") -# Property defaultTextOption (QTextOption) -property_reader("QTextDocument", /::defaultTextOption\s*\(/, "defaultTextOption") -property_writer("QTextDocument", /::setDefaultTextOption\s*\(/, "defaultTextOption") -# Property documentLayout (QAbstractTextDocumentLayout_Native *) -property_reader("QTextDocument", /::documentLayout\s*\(/, "documentLayout") -property_writer("QTextDocument", /::setDocumentLayout\s*\(/, "documentLayout") -# Property codec (QTextCodec_Native *) -property_reader("QTextDocumentWriter", /::codec\s*\(/, "codec") -property_writer("QTextDocumentWriter", /::setCodec\s*\(/, "codec") -# Property device (QIODevice *) -property_reader("QTextDocumentWriter", /::device\s*\(/, "device") -property_writer("QTextDocumentWriter", /::setDevice\s*\(/, "device") -# Property fileName (string) -property_reader("QTextDocumentWriter", /::fileName\s*\(/, "fileName") -property_writer("QTextDocumentWriter", /::setFileName\s*\(/, "fileName") -# Property format (string) -property_reader("QTextDocumentWriter", /::format\s*\(/, "format") -property_writer("QTextDocumentWriter", /::setFormat\s*\(/, "format") -# Property alignment (Qt_QFlags_AlignmentFlag) -property_reader("QTextEdit", /::alignment\s*\(/, "alignment") -property_writer("QTextEdit", /::setAlignment\s*\(/, "alignment") -# Property currentCharFormat (QTextCharFormat) -property_reader("QTextEdit", /::currentCharFormat\s*\(/, "currentCharFormat") -property_writer("QTextEdit", /::setCurrentCharFormat\s*\(/, "currentCharFormat") -# Property currentFont (QFont) -property_reader("QTextEdit", /::currentFont\s*\(/, "currentFont") -property_writer("QTextEdit", /::setCurrentFont\s*\(/, "currentFont") -# Property extraSelections (QTextEdit_ExtraSelection[]) -property_reader("QTextEdit", /::extraSelections\s*\(/, "extraSelections") -property_writer("QTextEdit", /::setExtraSelections\s*\(/, "extraSelections") -# Property fontFamily (string) -property_reader("QTextEdit", /::fontFamily\s*\(/, "fontFamily") -property_writer("QTextEdit", /::setFontFamily\s*\(/, "fontFamily") -# Property fontItalic (bool) -property_reader("QTextEdit", /::fontItalic\s*\(/, "fontItalic") -property_writer("QTextEdit", /::setFontItalic\s*\(/, "fontItalic") -# Property fontPointSize (double) -property_reader("QTextEdit", /::fontPointSize\s*\(/, "fontPointSize") -property_writer("QTextEdit", /::setFontPointSize\s*\(/, "fontPointSize") -# Property fontUnderline (bool) -property_reader("QTextEdit", /::fontUnderline\s*\(/, "fontUnderline") -property_writer("QTextEdit", /::setFontUnderline\s*\(/, "fontUnderline") -# Property fontWeight (int) -property_reader("QTextEdit", /::fontWeight\s*\(/, "fontWeight") -property_writer("QTextEdit", /::setFontWeight\s*\(/, "fontWeight") -# Property textBackgroundColor (QColor) -property_reader("QTextEdit", /::textBackgroundColor\s*\(/, "textBackgroundColor") -property_writer("QTextEdit", /::setTextBackgroundColor\s*\(/, "textBackgroundColor") -# Property textColor (QColor) -property_reader("QTextEdit", /::textColor\s*\(/, "textColor") -property_writer("QTextEdit", /::setTextColor\s*\(/, "textColor") +property_reader("QGraphicsItem", /::toolTip\s*\(/, "toolTip") +property_writer("QGraphicsItem", /::setToolTip\s*\(/, "toolTip") +# Property transform (QTransform) +property_reader("QGraphicsItem", /::transform\s*\(/, "transform") +property_writer("QGraphicsItem", /::setTransform\s*\(/, "transform") +# Property transformOriginPoint (QPointF) +property_reader("QGraphicsItem", /::transformOriginPoint\s*\(/, "transformOriginPoint") +property_writer("QGraphicsItem", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") +# Property transformations (QGraphicsTransform_Native *[]) +property_reader("QGraphicsItem", /::transformations\s*\(/, "transformations") +property_writer("QGraphicsItem", /::setTransformations\s*\(/, "transformations") +# Property visible (bool) +property_reader("QGraphicsItem", /::isVisible\s*\(/, "visible") +property_writer("QGraphicsItem", /::setVisible\s*\(/, "visible") +# Property x (double) +property_reader("QGraphicsItem", /::x\s*\(/, "x") +property_writer("QGraphicsItem", /::setX\s*\(/, "x") +# Property y (double) +property_reader("QGraphicsItem", /::y\s*\(/, "y") +property_writer("QGraphicsItem", /::setY\s*\(/, "y") +# Property zValue (double) +property_reader("QGraphicsItem", /::zValue\s*\(/, "zValue") +property_writer("QGraphicsItem", /::setZValue\s*\(/, "zValue") +# Property item (QGraphicsItem_Native *) +property_reader("QGraphicsItemAnimation", /::item\s*\(/, "item") +property_writer("QGraphicsItemAnimation", /::setItem\s*\(/, "item") +# Property timeLine (QTimeLine_Native *) +property_reader("QGraphicsItemAnimation", /::timeLine\s*\(/, "timeLine") +property_writer("QGraphicsItemAnimation", /::setTimeLine\s*\(/, "timeLine") +# Property instantInvalidatePropagation (bool) +property_reader("QGraphicsLayout", /::instantInvalidatePropagation\s*\(/, "instantInvalidatePropagation") +property_writer("QGraphicsLayout", /::setInstantInvalidatePropagation\s*\(/, "instantInvalidatePropagation") +# Property geometry (QRectF) +property_reader("QGraphicsLayoutItem", /::geometry\s*\(/, "geometry") +property_writer("QGraphicsLayoutItem", /::setGeometry\s*\(/, "geometry") +# Property maximumHeight (double) +property_reader("QGraphicsLayoutItem", /::maximumHeight\s*\(/, "maximumHeight") +property_writer("QGraphicsLayoutItem", /::setMaximumHeight\s*\(/, "maximumHeight") +# Property maximumSize (QSizeF) +property_reader("QGraphicsLayoutItem", /::maximumSize\s*\(/, "maximumSize") +property_writer("QGraphicsLayoutItem", /::setMaximumSize\s*\(/, "maximumSize") +# Property maximumWidth (double) +property_reader("QGraphicsLayoutItem", /::maximumWidth\s*\(/, "maximumWidth") +property_writer("QGraphicsLayoutItem", /::setMaximumWidth\s*\(/, "maximumWidth") +# Property minimumHeight (double) +property_reader("QGraphicsLayoutItem", /::minimumHeight\s*\(/, "minimumHeight") +property_writer("QGraphicsLayoutItem", /::setMinimumHeight\s*\(/, "minimumHeight") +# Property minimumSize (QSizeF) +property_reader("QGraphicsLayoutItem", /::minimumSize\s*\(/, "minimumSize") +property_writer("QGraphicsLayoutItem", /::setMinimumSize\s*\(/, "minimumSize") +# Property minimumWidth (double) +property_reader("QGraphicsLayoutItem", /::minimumWidth\s*\(/, "minimumWidth") +property_writer("QGraphicsLayoutItem", /::setMinimumWidth\s*\(/, "minimumWidth") +# Property parentLayoutItem (QGraphicsLayoutItem_Native *) +property_reader("QGraphicsLayoutItem", /::parentLayoutItem\s*\(/, "parentLayoutItem") +property_writer("QGraphicsLayoutItem", /::setParentLayoutItem\s*\(/, "parentLayoutItem") +# Property preferredHeight (double) +property_reader("QGraphicsLayoutItem", /::preferredHeight\s*\(/, "preferredHeight") +property_writer("QGraphicsLayoutItem", /::setPreferredHeight\s*\(/, "preferredHeight") +# Property preferredSize (QSizeF) +property_reader("QGraphicsLayoutItem", /::preferredSize\s*\(/, "preferredSize") +property_writer("QGraphicsLayoutItem", /::setPreferredSize\s*\(/, "preferredSize") +# Property preferredWidth (double) +property_reader("QGraphicsLayoutItem", /::preferredWidth\s*\(/, "preferredWidth") +property_writer("QGraphicsLayoutItem", /::setPreferredWidth\s*\(/, "preferredWidth") +# Property sizePolicy (QSizePolicy) +property_reader("QGraphicsLayoutItem", /::sizePolicy\s*\(/, "sizePolicy") +property_writer("QGraphicsLayoutItem", /::setSizePolicy\s*\(/, "sizePolicy") +# Property line (QLineF) +property_reader("QGraphicsLineItem", /::line\s*\(/, "line") +property_writer("QGraphicsLineItem", /::setLine\s*\(/, "line") +# Property pen (QPen) +property_reader("QGraphicsLineItem", /::pen\s*\(/, "pen") +property_writer("QGraphicsLineItem", /::setPen\s*\(/, "pen") +# Property geometry (QRectF) +property_reader("QGraphicsLayoutItem", /::geometry\s*\(/, "geometry") +property_writer("QGraphicsLinearLayout", /::setGeometry\s*\(/, "geometry") +# Property orientation (Qt_Orientation) +property_reader("QGraphicsLinearLayout", /::orientation\s*\(/, "orientation") +property_writer("QGraphicsLinearLayout", /::setOrientation\s*\(/, "orientation") +# Property spacing (double) +property_reader("QGraphicsLinearLayout", /::spacing\s*\(/, "spacing") +property_writer("QGraphicsLinearLayout", /::setSpacing\s*\(/, "spacing") +# Property path (QPainterPath) +property_reader("QGraphicsPathItem", /::path\s*\(/, "path") +property_writer("QGraphicsPathItem", /::setPath\s*\(/, "path") +# Property offset (QPointF) +property_reader("QGraphicsPixmapItem", /::offset\s*\(/, "offset") +property_writer("QGraphicsPixmapItem", /::setOffset\s*\(/, "offset") +# Property pixmap (QPixmap_Native) +property_reader("QGraphicsPixmapItem", /::pixmap\s*\(/, "pixmap") +property_writer("QGraphicsPixmapItem", /::setPixmap\s*\(/, "pixmap") +# Property shapeMode (QGraphicsPixmapItem_ShapeMode) +property_reader("QGraphicsPixmapItem", /::shapeMode\s*\(/, "shapeMode") +property_writer("QGraphicsPixmapItem", /::setShapeMode\s*\(/, "shapeMode") +# Property transformationMode (Qt_TransformationMode) +property_reader("QGraphicsPixmapItem", /::transformationMode\s*\(/, "transformationMode") +property_writer("QGraphicsPixmapItem", /::setTransformationMode\s*\(/, "transformationMode") +# Property fillRule (Qt_FillRule) +property_reader("QGraphicsPolygonItem", /::fillRule\s*\(/, "fillRule") +property_writer("QGraphicsPolygonItem", /::setFillRule\s*\(/, "fillRule") +# Property polygon (QPolygonF) +property_reader("QGraphicsPolygonItem", /::polygon\s*\(/, "polygon") +property_writer("QGraphicsPolygonItem", /::setPolygon\s*\(/, "polygon") +# Property widget (QWidget_Native *) +property_reader("QGraphicsProxyWidget", /::widget\s*\(/, "widget") +property_writer("QGraphicsProxyWidget", /::setWidget\s*\(/, "widget") +# Property rect (QRectF) +property_reader("QGraphicsRectItem", /::rect\s*\(/, "rect") +property_writer("QGraphicsRectItem", /::setRect\s*\(/, "rect") +# Property activePanel (QGraphicsItem_Native *) +property_reader("QGraphicsScene", /::activePanel\s*\(/, "activePanel") +property_writer("QGraphicsScene", /::setActivePanel\s*\(/, "activePanel") +# Property activeWindow (QGraphicsWidget_Native *) +property_reader("QGraphicsScene", /::activeWindow\s*\(/, "activeWindow") +property_writer("QGraphicsScene", /::setActiveWindow\s*\(/, "activeWindow") +# Property focusItem (QGraphicsItem_Native *) +property_reader("QGraphicsScene", /::focusItem\s*\(/, "focusItem") +property_writer("QGraphicsScene", /::setFocusItem\s*\(/, "focusItem") +# Property selectionArea (QPainterPath) +property_reader("QGraphicsScene", /::selectionArea\s*\(/, "selectionArea") +property_writer("QGraphicsScene", /::setSelectionArea\s*\(/, "selectionArea") +# Property style (QStyle_Native *) +property_reader("QGraphicsScene", /::style\s*\(/, "style") +property_writer("QGraphicsScene", /::setStyle\s*\(/, "style") +# Property modifiers (Qt_QFlags_KeyboardModifier) +property_reader("QGraphicsSceneContextMenuEvent", /::modifiers\s*\(/, "modifiers") +property_writer("QGraphicsSceneContextMenuEvent", /::setModifiers\s*\(/, "modifiers") +# Property pos (QPointF) +property_reader("QGraphicsSceneContextMenuEvent", /::pos\s*\(/, "pos") +property_writer("QGraphicsSceneContextMenuEvent", /::setPos\s*\(/, "pos") +# Property reason (QGraphicsSceneContextMenuEvent_Reason) +property_reader("QGraphicsSceneContextMenuEvent", /::reason\s*\(/, "reason") +property_writer("QGraphicsSceneContextMenuEvent", /::setReason\s*\(/, "reason") +# Property scenePos (QPointF) +property_reader("QGraphicsSceneContextMenuEvent", /::scenePos\s*\(/, "scenePos") +property_writer("QGraphicsSceneContextMenuEvent", /::setScenePos\s*\(/, "scenePos") +# Property screenPos (QPoint) +property_reader("QGraphicsSceneContextMenuEvent", /::screenPos\s*\(/, "screenPos") +property_writer("QGraphicsSceneContextMenuEvent", /::setScreenPos\s*\(/, "screenPos") +# Property buttons (Qt_QFlags_MouseButton) +property_reader("QGraphicsSceneDragDropEvent", /::buttons\s*\(/, "buttons") +property_writer("QGraphicsSceneDragDropEvent", /::setButtons\s*\(/, "buttons") +# Property dropAction (Qt_DropAction) +property_reader("QGraphicsSceneDragDropEvent", /::dropAction\s*\(/, "dropAction") +property_writer("QGraphicsSceneDragDropEvent", /::setDropAction\s*\(/, "dropAction") +# Property mimeData (QMimeData_Native *) +property_reader("QGraphicsSceneDragDropEvent", /::mimeData\s*\(/, "mimeData") +property_writer("QGraphicsSceneDragDropEvent", /::setMimeData\s*\(/, "mimeData") +# Property modifiers (Qt_QFlags_KeyboardModifier) +property_reader("QGraphicsSceneDragDropEvent", /::modifiers\s*\(/, "modifiers") +property_writer("QGraphicsSceneDragDropEvent", /::setModifiers\s*\(/, "modifiers") +# Property pos (QPointF) +property_reader("QGraphicsSceneDragDropEvent", /::pos\s*\(/, "pos") +property_writer("QGraphicsSceneDragDropEvent", /::setPos\s*\(/, "pos") +# Property possibleActions (Qt_QFlags_DropAction) +property_reader("QGraphicsSceneDragDropEvent", /::possibleActions\s*\(/, "possibleActions") +property_writer("QGraphicsSceneDragDropEvent", /::setPossibleActions\s*\(/, "possibleActions") +# Property proposedAction (Qt_DropAction) +property_reader("QGraphicsSceneDragDropEvent", /::proposedAction\s*\(/, "proposedAction") +property_writer("QGraphicsSceneDragDropEvent", /::setProposedAction\s*\(/, "proposedAction") +# Property scenePos (QPointF) +property_reader("QGraphicsSceneDragDropEvent", /::scenePos\s*\(/, "scenePos") +property_writer("QGraphicsSceneDragDropEvent", /::setScenePos\s*\(/, "scenePos") +# Property screenPos (QPoint) +property_reader("QGraphicsSceneDragDropEvent", /::screenPos\s*\(/, "screenPos") +property_writer("QGraphicsSceneDragDropEvent", /::setScreenPos\s*\(/, "screenPos") +# Property source (QWidget_Native *) +property_reader("QGraphicsSceneDragDropEvent", /::source\s*\(/, "source") +property_writer("QGraphicsSceneDragDropEvent", /::setSource\s*\(/, "source") +# Property widget (QWidget_Native *) +property_reader("QGraphicsSceneEvent", /::widget\s*\(/, "widget") +property_writer("QGraphicsSceneEvent", /::setWidget\s*\(/, "widget") +# Property scenePos (QPointF) +property_reader("QGraphicsSceneHelpEvent", /::scenePos\s*\(/, "scenePos") +property_writer("QGraphicsSceneHelpEvent", /::setScenePos\s*\(/, "scenePos") +# Property screenPos (QPoint) +property_reader("QGraphicsSceneHelpEvent", /::screenPos\s*\(/, "screenPos") +property_writer("QGraphicsSceneHelpEvent", /::setScreenPos\s*\(/, "screenPos") +# Property lastPos (QPointF) +property_reader("QGraphicsSceneHoverEvent", /::lastPos\s*\(/, "lastPos") +property_writer("QGraphicsSceneHoverEvent", /::setLastPos\s*\(/, "lastPos") +# Property lastScenePos (QPointF) +property_reader("QGraphicsSceneHoverEvent", /::lastScenePos\s*\(/, "lastScenePos") +property_writer("QGraphicsSceneHoverEvent", /::setLastScenePos\s*\(/, "lastScenePos") +# Property lastScreenPos (QPoint) +property_reader("QGraphicsSceneHoverEvent", /::lastScreenPos\s*\(/, "lastScreenPos") +property_writer("QGraphicsSceneHoverEvent", /::setLastScreenPos\s*\(/, "lastScreenPos") +# Property modifiers (Qt_QFlags_KeyboardModifier) +property_reader("QGraphicsSceneHoverEvent", /::modifiers\s*\(/, "modifiers") +property_writer("QGraphicsSceneHoverEvent", /::setModifiers\s*\(/, "modifiers") +# Property pos (QPointF) +property_reader("QGraphicsSceneHoverEvent", /::pos\s*\(/, "pos") +property_writer("QGraphicsSceneHoverEvent", /::setPos\s*\(/, "pos") +# Property scenePos (QPointF) +property_reader("QGraphicsSceneHoverEvent", /::scenePos\s*\(/, "scenePos") +property_writer("QGraphicsSceneHoverEvent", /::setScenePos\s*\(/, "scenePos") +# Property screenPos (QPoint) +property_reader("QGraphicsSceneHoverEvent", /::screenPos\s*\(/, "screenPos") +property_writer("QGraphicsSceneHoverEvent", /::setScreenPos\s*\(/, "screenPos") +# Property button (Qt_MouseButton) +property_reader("QGraphicsSceneMouseEvent", /::button\s*\(/, "button") +property_writer("QGraphicsSceneMouseEvent", /::setButton\s*\(/, "button") +# Property buttons (Qt_QFlags_MouseButton) +property_reader("QGraphicsSceneMouseEvent", /::buttons\s*\(/, "buttons") +property_writer("QGraphicsSceneMouseEvent", /::setButtons\s*\(/, "buttons") +# Property flags (Qt_QFlags_MouseEventFlag) +property_reader("QGraphicsSceneMouseEvent", /::flags\s*\(/, "flags") +property_writer("QGraphicsSceneMouseEvent", /::setFlags\s*\(/, "flags") +# Property lastPos (QPointF) +property_reader("QGraphicsSceneMouseEvent", /::lastPos\s*\(/, "lastPos") +property_writer("QGraphicsSceneMouseEvent", /::setLastPos\s*\(/, "lastPos") +# Property lastScenePos (QPointF) +property_reader("QGraphicsSceneMouseEvent", /::lastScenePos\s*\(/, "lastScenePos") +property_writer("QGraphicsSceneMouseEvent", /::setLastScenePos\s*\(/, "lastScenePos") +# Property lastScreenPos (QPoint) +property_reader("QGraphicsSceneMouseEvent", /::lastScreenPos\s*\(/, "lastScreenPos") +property_writer("QGraphicsSceneMouseEvent", /::setLastScreenPos\s*\(/, "lastScreenPos") +# Property modifiers (Qt_QFlags_KeyboardModifier) +property_reader("QGraphicsSceneMouseEvent", /::modifiers\s*\(/, "modifiers") +property_writer("QGraphicsSceneMouseEvent", /::setModifiers\s*\(/, "modifiers") +# Property pos (QPointF) +property_reader("QGraphicsSceneMouseEvent", /::pos\s*\(/, "pos") +property_writer("QGraphicsSceneMouseEvent", /::setPos\s*\(/, "pos") +# Property scenePos (QPointF) +property_reader("QGraphicsSceneMouseEvent", /::scenePos\s*\(/, "scenePos") +property_writer("QGraphicsSceneMouseEvent", /::setScenePos\s*\(/, "scenePos") +# Property screenPos (QPoint) +property_reader("QGraphicsSceneMouseEvent", /::screenPos\s*\(/, "screenPos") +property_writer("QGraphicsSceneMouseEvent", /::setScreenPos\s*\(/, "screenPos") +# Property source (Qt_MouseEventSource) +property_reader("QGraphicsSceneMouseEvent", /::source\s*\(/, "source") +property_writer("QGraphicsSceneMouseEvent", /::setSource\s*\(/, "source") +# Property newPos (QPointF) +property_reader("QGraphicsSceneMoveEvent", /::newPos\s*\(/, "newPos") +property_writer("QGraphicsSceneMoveEvent", /::setNewPos\s*\(/, "newPos") +# Property oldPos (QPointF) +property_reader("QGraphicsSceneMoveEvent", /::oldPos\s*\(/, "oldPos") +property_writer("QGraphicsSceneMoveEvent", /::setOldPos\s*\(/, "oldPos") +# Property newSize (QSizeF) +property_reader("QGraphicsSceneResizeEvent", /::newSize\s*\(/, "newSize") +property_writer("QGraphicsSceneResizeEvent", /::setNewSize\s*\(/, "newSize") +# Property oldSize (QSizeF) +property_reader("QGraphicsSceneResizeEvent", /::oldSize\s*\(/, "oldSize") +property_writer("QGraphicsSceneResizeEvent", /::setOldSize\s*\(/, "oldSize") +# Property buttons (Qt_QFlags_MouseButton) +property_reader("QGraphicsSceneWheelEvent", /::buttons\s*\(/, "buttons") +property_writer("QGraphicsSceneWheelEvent", /::setButtons\s*\(/, "buttons") +# Property delta (int) +property_reader("QGraphicsSceneWheelEvent", /::delta\s*\(/, "delta") +property_writer("QGraphicsSceneWheelEvent", /::setDelta\s*\(/, "delta") +# Property modifiers (Qt_QFlags_KeyboardModifier) +property_reader("QGraphicsSceneWheelEvent", /::modifiers\s*\(/, "modifiers") +property_writer("QGraphicsSceneWheelEvent", /::setModifiers\s*\(/, "modifiers") +# Property orientation (Qt_Orientation) +property_reader("QGraphicsSceneWheelEvent", /::orientation\s*\(/, "orientation") +property_writer("QGraphicsSceneWheelEvent", /::setOrientation\s*\(/, "orientation") +# Property pos (QPointF) +property_reader("QGraphicsSceneWheelEvent", /::pos\s*\(/, "pos") +property_writer("QGraphicsSceneWheelEvent", /::setPos\s*\(/, "pos") +# Property scenePos (QPointF) +property_reader("QGraphicsSceneWheelEvent", /::scenePos\s*\(/, "scenePos") +property_writer("QGraphicsSceneWheelEvent", /::setScenePos\s*\(/, "scenePos") +# Property screenPos (QPoint) +property_reader("QGraphicsSceneWheelEvent", /::screenPos\s*\(/, "screenPos") +property_writer("QGraphicsSceneWheelEvent", /::setScreenPos\s*\(/, "screenPos") +# Property font (QFont) +property_reader("QGraphicsSimpleTextItem", /::font\s*\(/, "font") +property_writer("QGraphicsSimpleTextItem", /::setFont\s*\(/, "font") +# Property text (string) +property_reader("QGraphicsSimpleTextItem", /::text\s*\(/, "text") +property_writer("QGraphicsSimpleTextItem", /::setText\s*\(/, "text") +# Property defaultTextColor (QColor) +property_reader("QGraphicsTextItem", /::defaultTextColor\s*\(/, "defaultTextColor") +property_writer("QGraphicsTextItem", /::setDefaultTextColor\s*\(/, "defaultTextColor") +# Property document (QTextDocument_Native *) +property_reader("QGraphicsTextItem", /::document\s*\(/, "document") +property_writer("QGraphicsTextItem", /::setDocument\s*\(/, "document") +# Property font (QFont) +property_reader("QGraphicsTextItem", /::font\s*\(/, "font") +property_writer("QGraphicsTextItem", /::setFont\s*\(/, "font") +# Property openExternalLinks (bool) +property_reader("QGraphicsTextItem", /::openExternalLinks\s*\(/, "openExternalLinks") +property_writer("QGraphicsTextItem", /::setOpenExternalLinks\s*\(/, "openExternalLinks") +# Property tabChangesFocus (bool) +property_reader("QGraphicsTextItem", /::tabChangesFocus\s*\(/, "tabChangesFocus") +property_writer("QGraphicsTextItem", /::setTabChangesFocus\s*\(/, "tabChangesFocus") # Property textCursor (QTextCursor) -property_reader("QTextEdit", /::textCursor\s*\(/, "textCursor") -property_writer("QTextEdit", /::setTextCursor\s*\(/, "textCursor") -# Property wordWrapMode (QTextOption_WrapMode) -property_reader("QTextEdit", /::wordWrapMode\s*\(/, "wordWrapMode") -property_writer("QTextEdit", /::setWordWrapMode\s*\(/, "wordWrapMode") +property_reader("QGraphicsTextItem", /::textCursor\s*\(/, "textCursor") +property_writer("QGraphicsTextItem", /::setTextCursor\s*\(/, "textCursor") +# Property textInteractionFlags (Qt_QFlags_TextInteractionFlag) +property_reader("QGraphicsTextItem", /::textInteractionFlags\s*\(/, "textInteractionFlags") +property_writer("QGraphicsTextItem", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") +# Property textWidth (double) +property_reader("QGraphicsTextItem", /::textWidth\s*\(/, "textWidth") +property_writer("QGraphicsTextItem", /::setTextWidth\s*\(/, "textWidth") +# Property matrix (QMatrix) +property_reader("QGraphicsView", /::matrix\s*\(/, "matrix") +property_writer("QGraphicsView", /::setMatrix\s*\(/, "matrix") +# Property scene (QGraphicsScene_Native *) +property_reader("QGraphicsView", /::scene\s*\(/, "scene") +property_writer("QGraphicsView", /::setScene\s*\(/, "scene") +# Property transform (QTransform) +property_reader("QGraphicsView", /::transform\s*\(/, "transform") +property_writer("QGraphicsView", /::setTransform\s*\(/, "transform") +# Property style (QStyle_Native *) +property_reader("QGraphicsWidget", /::style\s*\(/, "style") +property_writer("QGraphicsWidget", /::setStyle\s*\(/, "style") +# Property geometry (QRect) +property_reader("QLayout", /::geometry\s*\(/, "geometry") +property_writer("QGridLayout", /::setGeometry\s*\(/, "geometry") +# Property horizontalSpacing (int) +property_reader("QGridLayout", /::horizontalSpacing\s*\(/, "horizontalSpacing") +property_writer("QGridLayout", /::setHorizontalSpacing\s*\(/, "horizontalSpacing") +# Property originCorner (Qt_Corner) +property_reader("QGridLayout", /::originCorner\s*\(/, "originCorner") +property_writer("QGridLayout", /::setOriginCorner\s*\(/, "originCorner") +# Property verticalSpacing (int) +property_reader("QGridLayout", /::verticalSpacing\s*\(/, "verticalSpacing") +property_writer("QGridLayout", /::setVerticalSpacing\s*\(/, "verticalSpacing") +# Property model (QAbstractItemModel_Native *) +property_reader("QAbstractItemView", /::model\s*\(/, "model") +property_writer("QHeaderView", /::setModel\s*\(/, "model") +# Property offset (int) +property_reader("QHeaderView", /::offset\s*\(/, "offset") +property_writer("QHeaderView", /::setOffset\s*\(/, "offset") +# Property resizeContentsPrecision (int) +property_reader("QHeaderView", /::resizeContentsPrecision\s*\(/, "resizeContentsPrecision") +property_writer("QHeaderView", /::setResizeContentsPrecision\s*\(/, "resizeContentsPrecision") +# Property sectionsClickable (bool) +property_reader("QHeaderView", /::sectionsClickable\s*\(/, "sectionsClickable") +property_writer("QHeaderView", /::setSectionsClickable\s*\(/, "sectionsClickable") +# Property sectionsMovable (bool) +property_reader("QHeaderView", /::sectionsMovable\s*\(/, "sectionsMovable") +property_writer("QHeaderView", /::setSectionsMovable\s*\(/, "sectionsMovable") +# Property sortIndicatorShown (bool) +property_reader("QHeaderView", /::isSortIndicatorShown\s*\(/, "sortIndicatorShown") +property_writer("QHeaderView", /::setSortIndicatorShown\s*\(/, "sortIndicatorShown") +# Property cancelButtonText (string) +property_reader("QInputDialog", /::cancelButtonText\s*\(/, "cancelButtonText") +property_writer("QInputDialog", /::setCancelButtonText\s*\(/, "cancelButtonText") +# Property comboBoxEditable (bool) +property_reader("QInputDialog", /::isComboBoxEditable\s*\(/, "comboBoxEditable") +property_writer("QInputDialog", /::setComboBoxEditable\s*\(/, "comboBoxEditable") +# Property comboBoxItems (string[]) +property_reader("QInputDialog", /::comboBoxItems\s*\(/, "comboBoxItems") +property_writer("QInputDialog", /::setComboBoxItems\s*\(/, "comboBoxItems") +# Property doubleDecimals (int) +property_reader("QInputDialog", /::doubleDecimals\s*\(/, "doubleDecimals") +property_writer("QInputDialog", /::setDoubleDecimals\s*\(/, "doubleDecimals") +# Property doubleMaximum (double) +property_reader("QInputDialog", /::doubleMaximum\s*\(/, "doubleMaximum") +property_writer("QInputDialog", /::setDoubleMaximum\s*\(/, "doubleMaximum") +# Property doubleMinimum (double) +property_reader("QInputDialog", /::doubleMinimum\s*\(/, "doubleMinimum") +property_writer("QInputDialog", /::setDoubleMinimum\s*\(/, "doubleMinimum") +# Property doubleStep (double) +property_reader("QInputDialog", /::doubleStep\s*\(/, "doubleStep") +property_writer("QInputDialog", /::setDoubleStep\s*\(/, "doubleStep") +# Property doubleValue (double) +property_reader("QInputDialog", /::doubleValue\s*\(/, "doubleValue") +property_writer("QInputDialog", /::setDoubleValue\s*\(/, "doubleValue") +# Property inputMode (QInputDialog_InputMode) +property_reader("QInputDialog", /::inputMode\s*\(/, "inputMode") +property_writer("QInputDialog", /::setInputMode\s*\(/, "inputMode") +# Property intMaximum (int) +property_reader("QInputDialog", /::intMaximum\s*\(/, "intMaximum") +property_writer("QInputDialog", /::setIntMaximum\s*\(/, "intMaximum") +# Property intMinimum (int) +property_reader("QInputDialog", /::intMinimum\s*\(/, "intMinimum") +property_writer("QInputDialog", /::setIntMinimum\s*\(/, "intMinimum") +# Property intStep (int) +property_reader("QInputDialog", /::intStep\s*\(/, "intStep") +property_writer("QInputDialog", /::setIntStep\s*\(/, "intStep") +# Property intValue (int) +property_reader("QInputDialog", /::intValue\s*\(/, "intValue") +property_writer("QInputDialog", /::setIntValue\s*\(/, "intValue") +# Property labelText (string) +property_reader("QInputDialog", /::labelText\s*\(/, "labelText") +property_writer("QInputDialog", /::setLabelText\s*\(/, "labelText") +# Property okButtonText (string) +property_reader("QInputDialog", /::okButtonText\s*\(/, "okButtonText") +property_writer("QInputDialog", /::setOkButtonText\s*\(/, "okButtonText") +# Property options (QInputDialog_QFlags_InputDialogOption) +property_reader("QInputDialog", /::options\s*\(/, "options") +property_writer("QInputDialog", /::setOptions\s*\(/, "options") +# Property textEchoMode (QLineEdit_EchoMode) +property_reader("QInputDialog", /::textEchoMode\s*\(/, "textEchoMode") +property_writer("QInputDialog", /::setTextEchoMode\s*\(/, "textEchoMode") +# Property textValue (string) +property_reader("QInputDialog", /::textValue\s*\(/, "textValue") +property_writer("QInputDialog", /::setTextValue\s*\(/, "textValue") +# Property itemEditorFactory (QItemEditorFactory_Native *) +property_reader("QItemDelegate", /::itemEditorFactory\s*\(/, "itemEditorFactory") +property_writer("QItemDelegate", /::setItemEditorFactory\s*\(/, "itemEditorFactory") +# Property defaultFactory (QItemEditorFactory_Native *) +property_reader("QItemEditorFactory", /::defaultFactory\s*\(/, "defaultFactory") +property_writer("QItemEditorFactory", /::setDefaultFactory\s*\(/, "defaultFactory") +# Property buddy (QWidget_Native *) +property_reader("QLabel", /::buddy\s*\(/, "buddy") +property_writer("QLabel", /::setBuddy\s*\(/, "buddy") +# Property movie (QMovie_Native *) +property_reader("QLabel", /::movie\s*\(/, "movie") +property_writer("QLabel", /::setMovie\s*\(/, "movie") +# Property contentsMargins (QMargins) +property_reader("QLayout", /::contentsMargins\s*\(/, "contentsMargins") +property_writer("QLayout", /::setContentsMargins\s*\(/, "contentsMargins") +# Property enabled (bool) +property_reader("QLayout", /::isEnabled\s*\(/, "enabled") +property_writer("QLayout", /::setEnabled\s*\(/, "enabled") +# Property geometry (QRect) +property_reader("QLayout", /::geometry\s*\(/, "geometry") +property_writer("QLayout", /::setGeometry\s*\(/, "geometry") +# Property menuBar (QWidget_Native *) +property_reader("QLayout", /::menuBar\s*\(/, "menuBar") +property_writer("QLayout", /::setMenuBar\s*\(/, "menuBar") +# Property alignment (Qt_QFlags_AlignmentFlag) +property_reader("QLayoutItem", /::alignment\s*\(/, "alignment") +property_writer("QLayoutItem", /::setAlignment\s*\(/, "alignment") +# Property geometry (QRect) +property_reader("QLayoutItem", /::geometry\s*\(/, "geometry") +property_writer("QLayoutItem", /::setGeometry\s*\(/, "geometry") +# Property completer (QCompleter_Native *) +property_reader("QLineEdit", /::completer\s*\(/, "completer") +property_writer("QLineEdit", /::setCompleter\s*\(/, "completer") +# Property textMargins (QMargins) +property_reader("QLineEdit", /::textMargins\s*\(/, "textMargins") +property_writer("QLineEdit", /::setTextMargins\s*\(/, "textMargins") +# Property validator (QValidator_Native *) +property_reader("QLineEdit", /::validator\s*\(/, "validator") +property_writer("QLineEdit", /::setValidator\s*\(/, "validator") +# Property rootIndex (QModelIndex) +property_reader("QAbstractItemView", /::rootIndex\s*\(/, "rootIndex") +property_writer("QListView", /::setRootIndex\s*\(/, "rootIndex") +# Property currentItem (QListWidgetItem_Native *) +property_reader("QListWidget", /::currentItem\s*\(/, "currentItem") +property_writer("QListWidget", /::setCurrentItem\s*\(/, "currentItem") +# Property selectionModel (QItemSelectionModel_Native *) +property_reader("QAbstractItemView", /::selectionModel\s*\(/, "selectionModel") +property_writer("QListWidget", /::setSelectionModel\s*\(/, "selectionModel") # Property background (QBrush) -property_reader("QTextFormat", /::background\s*\(/, "background") -property_writer("QTextFormat", /::setBackground\s*\(/, "background") -# Property foreground (QBrush) -property_reader("QTextFormat", /::foreground\s*\(/, "foreground") -property_writer("QTextFormat", /::setForeground\s*\(/, "foreground") -# Property layoutDirection (Qt_LayoutDirection) -property_reader("QTextFormat", /::layoutDirection\s*\(/, "layoutDirection") -property_writer("QTextFormat", /::setLayoutDirection\s*\(/, "layoutDirection") -# Property objectIndex (int) -property_reader("QTextFormat", /::objectIndex\s*\(/, "objectIndex") -property_writer("QTextFormat", /::setObjectIndex\s*\(/, "objectIndex") -# Property objectType (int) -property_reader("QTextFormat", /::objectType\s*\(/, "objectType") -property_writer("QTextFormat", /::setObjectType\s*\(/, "objectType") -# Property frameFormat (QTextFrameFormat) -property_reader("QTextFrame", /::frameFormat\s*\(/, "frameFormat") -property_writer("QTextFrame", /::setFrameFormat\s*\(/, "frameFormat") -# Property border (double) -property_reader("QTextFrameFormat", /::border\s*\(/, "border") -property_writer("QTextFrameFormat", /::setBorder\s*\(/, "border") -# Property borderBrush (QBrush) -property_reader("QTextFrameFormat", /::borderBrush\s*\(/, "borderBrush") -property_writer("QTextFrameFormat", /::setBorderBrush\s*\(/, "borderBrush") -# Property borderStyle (QTextFrameFormat_BorderStyle) -property_reader("QTextFrameFormat", /::borderStyle\s*\(/, "borderStyle") -property_writer("QTextFrameFormat", /::setBorderStyle\s*\(/, "borderStyle") -# Property bottomMargin (double) -property_reader("QTextFrameFormat", /::bottomMargin\s*\(/, "bottomMargin") -property_writer("QTextFrameFormat", /::setBottomMargin\s*\(/, "bottomMargin") -# Property leftMargin (double) -property_reader("QTextFrameFormat", /::leftMargin\s*\(/, "leftMargin") -property_writer("QTextFrameFormat", /::setLeftMargin\s*\(/, "leftMargin") -# Property margin (double) -property_reader("QTextFrameFormat", /::margin\s*\(/, "margin") -property_writer("QTextFrameFormat", /::setMargin\s*\(/, "margin") -# Property padding (double) -property_reader("QTextFrameFormat", /::padding\s*\(/, "padding") -property_writer("QTextFrameFormat", /::setPadding\s*\(/, "padding") -# Property pageBreakPolicy (QTextFormat_QFlags_PageBreakFlag) -property_reader("QTextFrameFormat", /::pageBreakPolicy\s*\(/, "pageBreakPolicy") -property_writer("QTextFrameFormat", /::setPageBreakPolicy\s*\(/, "pageBreakPolicy") -# Property position (QTextFrameFormat_Position) -property_reader("QTextFrameFormat", /::position\s*\(/, "position") -property_writer("QTextFrameFormat", /::setPosition\s*\(/, "position") -# Property rightMargin (double) -property_reader("QTextFrameFormat", /::rightMargin\s*\(/, "rightMargin") -property_writer("QTextFrameFormat", /::setRightMargin\s*\(/, "rightMargin") -# Property topMargin (double) -property_reader("QTextFrameFormat", /::topMargin\s*\(/, "topMargin") -property_writer("QTextFrameFormat", /::setTopMargin\s*\(/, "topMargin") -# Property height (double) -property_reader("QTextImageFormat", /::height\s*\(/, "height") -property_writer("QTextImageFormat", /::setHeight\s*\(/, "height") -# Property name (string) -property_reader("QTextImageFormat", /::name\s*\(/, "name") -property_writer("QTextImageFormat", /::setName\s*\(/, "name") -# Property width (double) -property_reader("QTextImageFormat", /::width\s*\(/, "width") -property_writer("QTextImageFormat", /::setWidth\s*\(/, "width") -# Property ascent (double) -property_reader("QTextInlineObject", /::ascent\s*\(/, "ascent") -property_writer("QTextInlineObject", /::setAscent\s*\(/, "ascent") -# Property descent (double) -property_reader("QTextInlineObject", /::descent\s*\(/, "descent") -property_writer("QTextInlineObject", /::setDescent\s*\(/, "descent") -# Property width (double) -property_reader("QTextInlineObject", /::width\s*\(/, "width") -property_writer("QTextInlineObject", /::setWidth\s*\(/, "width") -# Property additionalFormats (QTextLayout_FormatRange[]) -property_reader("QTextLayout", /::additionalFormats\s*\(/, "additionalFormats") -property_writer("QTextLayout", /::setAdditionalFormats\s*\(/, "additionalFormats") -# Property cacheEnabled (bool) -property_reader("QTextLayout", /::cacheEnabled\s*\(/, "cacheEnabled") -property_writer("QTextLayout", /::setCacheEnabled\s*\(/, "cacheEnabled") -# Property cursorMoveStyle (Qt_CursorMoveStyle) -property_reader("QTextLayout", /::cursorMoveStyle\s*\(/, "cursorMoveStyle") -property_writer("QTextLayout", /::setCursorMoveStyle\s*\(/, "cursorMoveStyle") +property_reader("QListWidgetItem", /::background\s*\(/, "background") +property_writer("QListWidgetItem", /::setBackground\s*\(/, "background") +# Property backgroundColor (QColor) +property_reader("QListWidgetItem", /::backgroundColor\s*\(/, "backgroundColor") +property_writer("QListWidgetItem", /::setBackgroundColor\s*\(/, "backgroundColor") +# Property checkState (Qt_CheckState) +property_reader("QListWidgetItem", /::checkState\s*\(/, "checkState") +property_writer("QListWidgetItem", /::setCheckState\s*\(/, "checkState") +# Property flags (Qt_QFlags_ItemFlag) +property_reader("QListWidgetItem", /::flags\s*\(/, "flags") +property_writer("QListWidgetItem", /::setFlags\s*\(/, "flags") # Property font (QFont) -property_reader("QTextLayout", /::font\s*\(/, "font") -property_writer("QTextLayout", /::setFont\s*\(/, "font") -# Property position (QPointF) -property_reader("QTextLayout", /::position\s*\(/, "position") -property_writer("QTextLayout", /::setPosition\s*\(/, "position") +property_reader("QListWidgetItem", /::font\s*\(/, "font") +property_writer("QListWidgetItem", /::setFont\s*\(/, "font") +# Property foreground (QBrush) +property_reader("QListWidgetItem", /::foreground\s*\(/, "foreground") +property_writer("QListWidgetItem", /::setForeground\s*\(/, "foreground") +# Property hidden (bool) +property_reader("QListWidgetItem", /::isHidden\s*\(/, "hidden") +property_writer("QListWidgetItem", /::setHidden\s*\(/, "hidden") +# Property icon (QIcon) +property_reader("QListWidgetItem", /::icon\s*\(/, "icon") +property_writer("QListWidgetItem", /::setIcon\s*\(/, "icon") +# Property selected (bool) +property_reader("QListWidgetItem", /::isSelected\s*\(/, "selected") +property_writer("QListWidgetItem", /::setSelected\s*\(/, "selected") +# Property sizeHint (QSize) +property_reader("QListWidgetItem", /::sizeHint\s*\(/, "sizeHint") +property_writer("QListWidgetItem", /::setSizeHint\s*\(/, "sizeHint") +# Property statusTip (string) +property_reader("QListWidgetItem", /::statusTip\s*\(/, "statusTip") +property_writer("QListWidgetItem", /::setStatusTip\s*\(/, "statusTip") # Property text (string) -property_reader("QTextLayout", /::text\s*\(/, "text") -property_writer("QTextLayout", /::setText\s*\(/, "text") -# Property textOption (QTextOption) -property_reader("QTextLayout", /::textOption\s*\(/, "textOption") -property_writer("QTextLayout", /::setTextOption\s*\(/, "textOption") -# Property leadingIncluded (bool) -property_reader("QTextLine", /::leadingIncluded\s*\(/, "leadingIncluded") -property_writer("QTextLine", /::setLeadingIncluded\s*\(/, "leadingIncluded") -# Property position (QPointF) -property_reader("QTextLine", /::position\s*\(/, "position") -property_writer("QTextLine", /::setPosition\s*\(/, "position") -# Property format (QTextListFormat) -property_reader("QTextList", /::format\s*\(/, "format") -property_writer("QTextList", /::setFormat\s*\(/, "format") -# Property indent (int) -property_reader("QTextListFormat", /::indent\s*\(/, "indent") -property_writer("QTextListFormat", /::setIndent\s*\(/, "indent") -# Property numberPrefix (string) -property_reader("QTextListFormat", /::numberPrefix\s*\(/, "numberPrefix") -property_writer("QTextListFormat", /::setNumberPrefix\s*\(/, "numberPrefix") -# Property numberSuffix (string) -property_reader("QTextListFormat", /::numberSuffix\s*\(/, "numberSuffix") -property_writer("QTextListFormat", /::setNumberSuffix\s*\(/, "numberSuffix") -# Property style (QTextListFormat_Style) -property_reader("QTextListFormat", /::style\s*\(/, "style") -property_writer("QTextListFormat", /::setStyle\s*\(/, "style") -# Property alignment (Qt_QFlags_AlignmentFlag) -property_reader("QTextOption", /::alignment\s*\(/, "alignment") -property_writer("QTextOption", /::setAlignment\s*\(/, "alignment") -# Property flags (QTextOption_QFlags_Flag) -property_reader("QTextOption", /::flags\s*\(/, "flags") -property_writer("QTextOption", /::setFlags\s*\(/, "flags") -# Property tabArray (double[]) -property_reader("QTextOption", /::tabArray\s*\(/, "tabArray") -property_writer("QTextOption", /::setTabArray\s*\(/, "tabArray") -# Property tabStop (double) -property_reader("QTextOption", /::tabStop\s*\(/, "tabStop") -property_writer("QTextOption", /::setTabStop\s*\(/, "tabStop") -# Property tabs (QTextOption_Tab[]) -property_reader("QTextOption", /::tabs\s*\(/, "tabs") -property_writer("QTextOption", /::setTabs\s*\(/, "tabs") -# Property textDirection (Qt_LayoutDirection) -property_reader("QTextOption", /::textDirection\s*\(/, "textDirection") -property_writer("QTextOption", /::setTextDirection\s*\(/, "textDirection") -# Property useDesignMetrics (bool) -property_reader("QTextOption", /::useDesignMetrics\s*\(/, "useDesignMetrics") -property_writer("QTextOption", /::setUseDesignMetrics\s*\(/, "useDesignMetrics") -# Property wrapMode (QTextOption_WrapMode) -property_reader("QTextOption", /::wrapMode\s*\(/, "wrapMode") -property_writer("QTextOption", /::setWrapMode\s*\(/, "wrapMode") -# Property autoDetectUnicode (bool) -property_reader("QTextStream", /::autoDetectUnicode\s*\(/, "autoDetectUnicode") -property_writer("QTextStream", /::setAutoDetectUnicode\s*\(/, "autoDetectUnicode") -# Property codec (QTextCodec_Native *) -property_reader("QTextStream", /::codec\s*\(/, "codec") -property_writer("QTextStream", /::setCodec\s*\(/, "codec") -# Property device (QIODevice *) -property_reader("QTextStream", /::device\s*\(/, "device") -property_writer("QTextStream", /::setDevice\s*\(/, "device") -# Property fieldAlignment (QTextStream_FieldAlignment) -property_reader("QTextStream", /::fieldAlignment\s*\(/, "fieldAlignment") -property_writer("QTextStream", /::setFieldAlignment\s*\(/, "fieldAlignment") -# Property fieldWidth (int) -property_reader("QTextStream", /::fieldWidth\s*\(/, "fieldWidth") -property_writer("QTextStream", /::setFieldWidth\s*\(/, "fieldWidth") -# Property generateByteOrderMark (bool) -property_reader("QTextStream", /::generateByteOrderMark\s*\(/, "generateByteOrderMark") -property_writer("QTextStream", /::setGenerateByteOrderMark\s*\(/, "generateByteOrderMark") -# Property integerBase (int) -property_reader("QTextStream", /::integerBase\s*\(/, "integerBase") -property_writer("QTextStream", /::setIntegerBase\s*\(/, "integerBase") -# Property locale (QLocale) -property_reader("QTextStream", /::locale\s*\(/, "locale") -property_writer("QTextStream", /::setLocale\s*\(/, "locale") -# Property numberFlags (QTextStream_QFlags_NumberFlag) -property_reader("QTextStream", /::numberFlags\s*\(/, "numberFlags") -property_writer("QTextStream", /::setNumberFlags\s*\(/, "numberFlags") -# Property padChar (unsigned int) -property_reader("QTextStream", /::padChar\s*\(/, "padChar") -property_writer("QTextStream", /::setPadChar\s*\(/, "padChar") -# Property realNumberNotation (QTextStream_RealNumberNotation) -property_reader("QTextStream", /::realNumberNotation\s*\(/, "realNumberNotation") -property_writer("QTextStream", /::setRealNumberNotation\s*\(/, "realNumberNotation") -# Property realNumberPrecision (int) -property_reader("QTextStream", /::realNumberPrecision\s*\(/, "realNumberPrecision") -property_writer("QTextStream", /::setRealNumberPrecision\s*\(/, "realNumberPrecision") -# Property status (QTextStream_Status) -property_reader("QTextStream", /::status\s*\(/, "status") -property_writer("QTextStream", /::setStatus\s*\(/, "status") -# Property string (string *) -property_reader("QTextStream", /::string\s*\(/, "string") -property_writer("QTextStream", /::setString\s*\(/, "string") -# Property format (QTextTableFormat) -property_reader("QTextTable", /::format\s*\(/, "format") -property_writer("QTextTable", /::setFormat\s*\(/, "format") -# Property format (QTextCharFormat) -property_reader("QTextTableCell", /::format\s*\(/, "format") -property_writer("QTextTableCell", /::setFormat\s*\(/, "format") -# Property bottomPadding (double) -property_reader("QTextTableCellFormat", /::bottomPadding\s*\(/, "bottomPadding") -property_writer("QTextTableCellFormat", /::setBottomPadding\s*\(/, "bottomPadding") -# Property leftPadding (double) -property_reader("QTextTableCellFormat", /::leftPadding\s*\(/, "leftPadding") -property_writer("QTextTableCellFormat", /::setLeftPadding\s*\(/, "leftPadding") -# Property rightPadding (double) -property_reader("QTextTableCellFormat", /::rightPadding\s*\(/, "rightPadding") -property_writer("QTextTableCellFormat", /::setRightPadding\s*\(/, "rightPadding") -# Property topPadding (double) -property_reader("QTextTableCellFormat", /::topPadding\s*\(/, "topPadding") -property_writer("QTextTableCellFormat", /::setTopPadding\s*\(/, "topPadding") +property_reader("QListWidgetItem", /::text\s*\(/, "text") +property_writer("QListWidgetItem", /::setText\s*\(/, "text") +# Property textAlignment (int) +property_reader("QListWidgetItem", /::textAlignment\s*\(/, "textAlignment") +property_writer("QListWidgetItem", /::setTextAlignment\s*\(/, "textAlignment") +# Property textColor (QColor) +property_reader("QListWidgetItem", /::textColor\s*\(/, "textColor") +property_writer("QListWidgetItem", /::setTextColor\s*\(/, "textColor") +# Property toolTip (string) +property_reader("QListWidgetItem", /::toolTip\s*\(/, "toolTip") +property_writer("QListWidgetItem", /::setToolTip\s*\(/, "toolTip") +# Property whatsThis (string) +property_reader("QListWidgetItem", /::whatsThis\s*\(/, "whatsThis") +property_writer("QListWidgetItem", /::setWhatsThis\s*\(/, "whatsThis") +# Property centralWidget (QWidget_Native *) +property_reader("QMainWindow", /::centralWidget\s*\(/, "centralWidget") +property_writer("QMainWindow", /::setCentralWidget\s*\(/, "centralWidget") +# Property menuBar (QMenuBar_Native *) +property_reader("QMainWindow", /::menuBar\s*\(/, "menuBar") +property_writer("QMainWindow", /::setMenuBar\s*\(/, "menuBar") +# Property menuWidget (QWidget_Native *) +property_reader("QMainWindow", /::menuWidget\s*\(/, "menuWidget") +property_writer("QMainWindow", /::setMenuWidget\s*\(/, "menuWidget") +# Property statusBar (QStatusBar_Native *) +property_reader("QMainWindow", /::statusBar\s*\(/, "statusBar") +property_writer("QMainWindow", /::setStatusBar\s*\(/, "statusBar") +# Property activeSubWindow (QMdiSubWindow_Native *) +property_reader("QMdiArea", /::activeSubWindow\s*\(/, "activeSubWindow") +property_writer("QMdiArea", /::setActiveSubWindow\s*\(/, "activeSubWindow") +# Property systemMenu (QMenu_Native *) +property_reader("QMdiSubWindow", /::systemMenu\s*\(/, "systemMenu") +property_writer("QMdiSubWindow", /::setSystemMenu\s*\(/, "systemMenu") +# Property widget (QWidget_Native *) +property_reader("QMdiSubWindow", /::widget\s*\(/, "widget") +property_writer("QMdiSubWindow", /::setWidget\s*\(/, "widget") +# Property activeAction (QAction_Native *) +property_reader("QMenu", /::activeAction\s*\(/, "activeAction") +property_writer("QMenu", /::setActiveAction\s*\(/, "activeAction") +# Property defaultAction (QAction_Native *) +property_reader("QMenu", /::defaultAction\s*\(/, "defaultAction") +property_writer("QMenu", /::setDefaultAction\s*\(/, "defaultAction") +# Property activeAction (QAction_Native *) +property_reader("QMenuBar", /::activeAction\s*\(/, "activeAction") +property_writer("QMenuBar", /::setActiveAction\s*\(/, "activeAction") +# Property cornerWidget (QWidget_Native *) +property_reader("QMenuBar", /::cornerWidget\s*\(/, "cornerWidget") +property_writer("QMenuBar", /::setCornerWidget\s*\(/, "cornerWidget") +# Property checkBox (QCheckBox_Native *) +property_reader("QMessageBox", /::checkBox\s*\(/, "checkBox") +property_writer("QMessageBox", /::setCheckBox\s*\(/, "checkBox") +# Property defaultButton (QPushButton_Native *) +property_reader("QMessageBox", /::defaultButton\s*\(/, "defaultButton") +property_writer("QMessageBox", /::setDefaultButton\s*\(/, "defaultButton") +# Property escapeButton (QAbstractButton_Native *) +property_reader("QMessageBox", /::escapeButton\s*\(/, "escapeButton") +property_writer("QMessageBox", /::setEscapeButton\s*\(/, "escapeButton") +# Property currentCharFormat (QTextCharFormat) +property_reader("QPlainTextEdit", /::currentCharFormat\s*\(/, "currentCharFormat") +property_writer("QPlainTextEdit", /::setCurrentCharFormat\s*\(/, "currentCharFormat") +# Property document (QTextDocument_Native *) +property_reader("QPlainTextEdit", /::document\s*\(/, "document") +property_writer("QPlainTextEdit", /::setDocument\s*\(/, "document") +# Property extraSelections (QTextEdit_ExtraSelection[]) +property_reader("QPlainTextEdit", /::extraSelections\s*\(/, "extraSelections") +property_writer("QPlainTextEdit", /::setExtraSelections\s*\(/, "extraSelections") +# Property textCursor (QTextCursor) +property_reader("QPlainTextEdit", /::textCursor\s*\(/, "textCursor") +property_writer("QPlainTextEdit", /::setTextCursor\s*\(/, "textCursor") +# Property wordWrapMode (QTextOption_WrapMode) +property_reader("QPlainTextEdit", /::wordWrapMode\s*\(/, "wordWrapMode") +property_writer("QPlainTextEdit", /::setWordWrapMode\s*\(/, "wordWrapMode") +# Property menu (QMenu_Native *) +property_reader("QPushButton", /::menu\s*\(/, "menu") +property_writer("QPushButton", /::setMenu\s*\(/, "menu") +# Property widget (QWidget_Native *) +property_reader("QScrollArea", /::widget\s*\(/, "widget") +property_writer("QScrollArea", /::setWidget\s*\(/, "widget") +# Property controlType (QSizePolicy_ControlType) +property_reader("QSizePolicy", /::controlType\s*\(/, "controlType") +property_writer("QSizePolicy", /::setControlType\s*\(/, "controlType") +# Property heightForWidth (bool) +property_reader("QSizePolicy", /::hasHeightForWidth\s*\(/, "heightForWidth") +property_writer("QSizePolicy", /::setHeightForWidth\s*\(/, "heightForWidth") +# Property horizontalPolicy (QSizePolicy_Policy) +property_reader("QSizePolicy", /::horizontalPolicy\s*\(/, "horizontalPolicy") +property_writer("QSizePolicy", /::setHorizontalPolicy\s*\(/, "horizontalPolicy") +# Property horizontalStretch (int) +property_reader("QSizePolicy", /::horizontalStretch\s*\(/, "horizontalStretch") +property_writer("QSizePolicy", /::setHorizontalStretch\s*\(/, "horizontalStretch") +# Property retainSizeWhenHidden (bool) +property_reader("QSizePolicy", /::retainSizeWhenHidden\s*\(/, "retainSizeWhenHidden") +property_writer("QSizePolicy", /::setRetainSizeWhenHidden\s*\(/, "retainSizeWhenHidden") +# Property verticalPolicy (QSizePolicy_Policy) +property_reader("QSizePolicy", /::verticalPolicy\s*\(/, "verticalPolicy") +property_writer("QSizePolicy", /::setVerticalPolicy\s*\(/, "verticalPolicy") +# Property verticalStretch (int) +property_reader("QSizePolicy", /::verticalStretch\s*\(/, "verticalStretch") +property_writer("QSizePolicy", /::setVerticalStretch\s*\(/, "verticalStretch") +# Property widthForHeight (bool) +property_reader("QSizePolicy", /::hasWidthForHeight\s*\(/, "widthForHeight") +property_writer("QSizePolicy", /::setWidthForHeight\s*\(/, "widthForHeight") +# Property geometry (QRect) +property_reader("QSpacerItem", /::geometry\s*\(/, "geometry") +property_writer("QSpacerItem", /::setGeometry\s*\(/, "geometry") +# Property pixmap (QPixmap_Native) +property_reader("QSplashScreen", /::pixmap\s*\(/, "pixmap") +property_writer("QSplashScreen", /::setPixmap\s*\(/, "pixmap") +# Property sizes (int[]) +property_reader("QSplitter", /::sizes\s*\(/, "sizes") +property_writer("QSplitter", /::setSizes\s*\(/, "sizes") +# Property orientation (Qt_Orientation) +property_reader("QSplitterHandle", /::orientation\s*\(/, "orientation") +property_writer("QSplitterHandle", /::setOrientation\s*\(/, "orientation") +# Property currentWidget (QWidget_Native *) +property_reader("QStackedLayout", /::currentWidget\s*\(/, "currentWidget") +property_writer("QStackedLayout", /::setCurrentWidget\s*\(/, "currentWidget") +# Property geometry (QRect) +property_reader("QLayout", /::geometry\s*\(/, "geometry") +property_writer("QStackedLayout", /::setGeometry\s*\(/, "geometry") +# Property currentWidget (QWidget_Native *) +property_reader("QStackedWidget", /::currentWidget\s*\(/, "currentWidget") +property_writer("QStackedWidget", /::setCurrentWidget\s*\(/, "currentWidget") +# Property itemEditorFactory (QItemEditorFactory_Native *) +property_reader("QStyledItemDelegate", /::itemEditorFactory\s*\(/, "itemEditorFactory") +property_writer("QStyledItemDelegate", /::setItemEditorFactory\s*\(/, "itemEditorFactory") +# Property contextMenu (QMenu_Native *) +property_reader("QSystemTrayIcon", /::contextMenu\s*\(/, "contextMenu") +property_writer("QSystemTrayIcon", /::setContextMenu\s*\(/, "contextMenu") +# Property cornerWidget (QWidget_Native *) +property_reader("QTabWidget", /::cornerWidget\s*\(/, "cornerWidget") +property_writer("QTabWidget", /::setCornerWidget\s*\(/, "cornerWidget") +# Property currentWidget (QWidget_Native *) +property_reader("QTabWidget", /::currentWidget\s*\(/, "currentWidget") +property_writer("QTabWidget", /::setCurrentWidget\s*\(/, "currentWidget") +# Property horizontalHeader (QHeaderView_Native *) +property_reader("QTableView", /::horizontalHeader\s*\(/, "horizontalHeader") +property_writer("QTableView", /::setHorizontalHeader\s*\(/, "horizontalHeader") +# Property model (QAbstractItemModel_Native *) +property_reader("QAbstractItemView", /::model\s*\(/, "model") +property_writer("QTableView", /::setModel\s*\(/, "model") +# Property rootIndex (QModelIndex) +property_reader("QAbstractItemView", /::rootIndex\s*\(/, "rootIndex") +property_writer("QTableView", /::setRootIndex\s*\(/, "rootIndex") +# Property selectionModel (QItemSelectionModel_Native *) +property_reader("QAbstractItemView", /::selectionModel\s*\(/, "selectionModel") +property_writer("QTableView", /::setSelectionModel\s*\(/, "selectionModel") +# Property verticalHeader (QHeaderView_Native *) +property_reader("QTableView", /::verticalHeader\s*\(/, "verticalHeader") +property_writer("QTableView", /::setVerticalHeader\s*\(/, "verticalHeader") +# Property currentItem (QTableWidgetItem_Native *) +property_reader("QTableWidget", /::currentItem\s*\(/, "currentItem") +property_writer("QTableWidget", /::setCurrentItem\s*\(/, "currentItem") +# Property itemPrototype (QTableWidgetItem_Native *) +property_reader("QTableWidget", /::itemPrototype\s*\(/, "itemPrototype") +property_writer("QTableWidget", /::setItemPrototype\s*\(/, "itemPrototype") +# Property background (QBrush) +property_reader("QTableWidgetItem", /::background\s*\(/, "background") +property_writer("QTableWidgetItem", /::setBackground\s*\(/, "background") +# Property backgroundColor (QColor) +property_reader("QTableWidgetItem", /::backgroundColor\s*\(/, "backgroundColor") +property_writer("QTableWidgetItem", /::setBackgroundColor\s*\(/, "backgroundColor") +# Property checkState (Qt_CheckState) +property_reader("QTableWidgetItem", /::checkState\s*\(/, "checkState") +property_writer("QTableWidgetItem", /::setCheckState\s*\(/, "checkState") +# Property flags (Qt_QFlags_ItemFlag) +property_reader("QTableWidgetItem", /::flags\s*\(/, "flags") +property_writer("QTableWidgetItem", /::setFlags\s*\(/, "flags") +# Property font (QFont) +property_reader("QTableWidgetItem", /::font\s*\(/, "font") +property_writer("QTableWidgetItem", /::setFont\s*\(/, "font") +# Property foreground (QBrush) +property_reader("QTableWidgetItem", /::foreground\s*\(/, "foreground") +property_writer("QTableWidgetItem", /::setForeground\s*\(/, "foreground") +# Property icon (QIcon) +property_reader("QTableWidgetItem", /::icon\s*\(/, "icon") +property_writer("QTableWidgetItem", /::setIcon\s*\(/, "icon") +# Property selected (bool) +property_reader("QTableWidgetItem", /::isSelected\s*\(/, "selected") +property_writer("QTableWidgetItem", /::setSelected\s*\(/, "selected") +# Property sizeHint (QSize) +property_reader("QTableWidgetItem", /::sizeHint\s*\(/, "sizeHint") +property_writer("QTableWidgetItem", /::setSizeHint\s*\(/, "sizeHint") +# Property statusTip (string) +property_reader("QTableWidgetItem", /::statusTip\s*\(/, "statusTip") +property_writer("QTableWidgetItem", /::setStatusTip\s*\(/, "statusTip") +# Property text (string) +property_reader("QTableWidgetItem", /::text\s*\(/, "text") +property_writer("QTableWidgetItem", /::setText\s*\(/, "text") +# Property textAlignment (int) +property_reader("QTableWidgetItem", /::textAlignment\s*\(/, "textAlignment") +property_writer("QTableWidgetItem", /::setTextAlignment\s*\(/, "textAlignment") +# Property textColor (QColor) +property_reader("QTableWidgetItem", /::textColor\s*\(/, "textColor") +property_writer("QTableWidgetItem", /::setTextColor\s*\(/, "textColor") +# Property toolTip (string) +property_reader("QTableWidgetItem", /::toolTip\s*\(/, "toolTip") +property_writer("QTableWidgetItem", /::setToolTip\s*\(/, "toolTip") +# Property whatsThis (string) +property_reader("QTableWidgetItem", /::whatsThis\s*\(/, "whatsThis") +property_writer("QTableWidgetItem", /::setWhatsThis\s*\(/, "whatsThis") +# Property timeout (int) +property_reader("QTapAndHoldGesture", /::timeout\s*\(/, "timeout") +property_writer("QTapAndHoldGesture", /::setTimeout\s*\(/, "timeout") # Property alignment (Qt_QFlags_AlignmentFlag) -property_reader("QTextTableFormat", /::alignment\s*\(/, "alignment") -property_writer("QTextTableFormat", /::setAlignment\s*\(/, "alignment") -# Property cellPadding (double) -property_reader("QTextTableFormat", /::cellPadding\s*\(/, "cellPadding") -property_writer("QTextTableFormat", /::setCellPadding\s*\(/, "cellPadding") -# Property cellSpacing (double) -property_reader("QTextTableFormat", /::cellSpacing\s*\(/, "cellSpacing") -property_writer("QTextTableFormat", /::setCellSpacing\s*\(/, "cellSpacing") -# Property columnWidthConstraints (QTextLength[]) -property_reader("QTextTableFormat", /::columnWidthConstraints\s*\(/, "columnWidthConstraints") -property_writer("QTextTableFormat", /::setColumnWidthConstraints\s*\(/, "columnWidthConstraints") -# Property columns (int) -property_reader("QTextTableFormat", /::columns\s*\(/, "columns") -property_writer("QTextTableFormat", /::setColumns\s*\(/, "columns") -# Property headerRowCount (int) -property_reader("QTextTableFormat", /::headerRowCount\s*\(/, "headerRowCount") -property_writer("QTextTableFormat", /::setHeaderRowCount\s*\(/, "headerRowCount") -# Property eventDispatcher (QAbstractEventDispatcher_Native *) -property_reader("QThread", /::eventDispatcher\s*\(/, "eventDispatcher") -property_writer("QThread", /::setEventDispatcher\s*\(/, "eventDispatcher") -# Property priority (QThread_Priority) -property_reader("QThread", /::priority\s*\(/, "priority") -property_writer("QThread", /::setPriority\s*\(/, "priority") -# Property stackSize (unsigned int) -property_reader("QThread", /::stackSize\s*\(/, "stackSize") -property_writer("QThread", /::setStackSize\s*\(/, "stackSize") -# Property endFrame (int) -property_reader("QTimeLine", /::endFrame\s*\(/, "endFrame") -property_writer("QTimeLine", /::setEndFrame\s*\(/, "endFrame") -# Property startFrame (int) -property_reader("QTimeLine", /::startFrame\s*\(/, "startFrame") -property_writer("QTimeLine", /::setStartFrame\s*\(/, "startFrame") +property_reader("QTextEdit", /::alignment\s*\(/, "alignment") +property_writer("QTextEdit", /::setAlignment\s*\(/, "alignment") +# Property currentCharFormat (QTextCharFormat) +property_reader("QTextEdit", /::currentCharFormat\s*\(/, "currentCharFormat") +property_writer("QTextEdit", /::setCurrentCharFormat\s*\(/, "currentCharFormat") +# Property currentFont (QFont) +property_reader("QTextEdit", /::currentFont\s*\(/, "currentFont") +property_writer("QTextEdit", /::setCurrentFont\s*\(/, "currentFont") +# Property extraSelections (QTextEdit_ExtraSelection[]) +property_reader("QTextEdit", /::extraSelections\s*\(/, "extraSelections") +property_writer("QTextEdit", /::setExtraSelections\s*\(/, "extraSelections") +# Property fontFamily (string) +property_reader("QTextEdit", /::fontFamily\s*\(/, "fontFamily") +property_writer("QTextEdit", /::setFontFamily\s*\(/, "fontFamily") +# Property fontItalic (bool) +property_reader("QTextEdit", /::fontItalic\s*\(/, "fontItalic") +property_writer("QTextEdit", /::setFontItalic\s*\(/, "fontItalic") +# Property fontPointSize (double) +property_reader("QTextEdit", /::fontPointSize\s*\(/, "fontPointSize") +property_writer("QTextEdit", /::setFontPointSize\s*\(/, "fontPointSize") +# Property fontUnderline (bool) +property_reader("QTextEdit", /::fontUnderline\s*\(/, "fontUnderline") +property_writer("QTextEdit", /::setFontUnderline\s*\(/, "fontUnderline") +# Property fontWeight (int) +property_reader("QTextEdit", /::fontWeight\s*\(/, "fontWeight") +property_writer("QTextEdit", /::setFontWeight\s*\(/, "fontWeight") +# Property textBackgroundColor (QColor) +property_reader("QTextEdit", /::textBackgroundColor\s*\(/, "textBackgroundColor") +property_writer("QTextEdit", /::setTextBackgroundColor\s*\(/, "textBackgroundColor") +# Property textColor (QColor) +property_reader("QTextEdit", /::textColor\s*\(/, "textColor") +property_writer("QTextEdit", /::setTextColor\s*\(/, "textColor") +# Property textCursor (QTextCursor) +property_reader("QTextEdit", /::textCursor\s*\(/, "textCursor") +property_writer("QTextEdit", /::setTextCursor\s*\(/, "textCursor") +# Property wordWrapMode (QTextOption_WrapMode) +property_reader("QTextEdit", /::wordWrapMode\s*\(/, "wordWrapMode") +property_writer("QTextEdit", /::setWordWrapMode\s*\(/, "wordWrapMode") # Property currentWidget (QWidget_Native *) property_reader("QToolBox", /::currentWidget\s*\(/, "currentWidget") property_writer("QToolBox", /::setCurrentWidget\s*\(/, "currentWidget") # Property defaultAction (QAction_Native *) -property_reader("QToolButton", /::defaultAction\s*\(/, "defaultAction") -property_writer("QToolButton", /::setDefaultAction\s*\(/, "defaultAction") -# Property menu (QMenu_Native *) -property_reader("QToolButton", /::menu\s*\(/, "menu") -property_writer("QToolButton", /::setMenu\s*\(/, "menu") -# Property font (QFont) -property_reader("QToolTip", /::font\s*\(/, "font") -property_writer("QToolTip", /::setFont\s*\(/, "font") -# Property palette (QPalette) -property_reader("QToolTip", /::palette\s*\(/, "palette") -property_writer("QToolTip", /::setPalette\s*\(/, "palette") -# Property capabilities (QTouchDevice_QFlags_CapabilityFlag) -property_reader("QTouchDevice", /::capabilities\s*\(/, "capabilities") -property_writer("QTouchDevice", /::setCapabilities\s*\(/, "capabilities") -# Property maximumTouchPoints (int) -property_reader("QTouchDevice", /::maximumTouchPoints\s*\(/, "maximumTouchPoints") -property_writer("QTouchDevice", /::setMaximumTouchPoints\s*\(/, "maximumTouchPoints") -# Property name (string) -property_reader("QTouchDevice", /::name\s*\(/, "name") -property_writer("QTouchDevice", /::setName\s*\(/, "name") -# Property type (QTouchDevice_DeviceType) -property_reader("QTouchDevice", /::type\s*\(/, "type") -property_writer("QTouchDevice", /::setType\s*\(/, "type") -# Property device (QTouchDevice *) -property_reader("QTouchEvent", /::device\s*\(/, "device") -property_writer("QTouchEvent", /::setDevice\s*\(/, "device") -# Property target (QObject_Native *) -property_reader("QTouchEvent", /::target\s*\(/, "target") -property_writer("QTouchEvent", /::setTarget\s*\(/, "target") -# Property touchPointStates (Qt_QFlags_TouchPointState) -property_reader("QTouchEvent", /::touchPointStates\s*\(/, "touchPointStates") -property_writer("QTouchEvent", /::setTouchPointStates\s*\(/, "touchPointStates") -# Property touchPoints (QTouchEvent_TouchPoint[]) -property_reader("QTouchEvent", /::touchPoints\s*\(/, "touchPoints") -property_writer("QTouchEvent", /::setTouchPoints\s*\(/, "touchPoints") -# Property window (QWindow_Native *) -property_reader("QTouchEvent", /::window\s*\(/, "window") -property_writer("QTouchEvent", /::setWindow\s*\(/, "window") -# Property flags (QTouchEvent_TouchPoint_QFlags_InfoFlag) -property_reader("QTouchEvent_TouchPoint", /::flags\s*\(/, "flags") -property_writer("QTouchEvent_TouchPoint", /::setFlags\s*\(/, "flags") -# Property id (int) -property_reader("QTouchEvent_TouchPoint", /::id\s*\(/, "id") -property_writer("QTouchEvent_TouchPoint", /::setId\s*\(/, "id") -# Property lastNormalizedPos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::lastNormalizedPos\s*\(/, "lastNormalizedPos") -property_writer("QTouchEvent_TouchPoint", /::setLastNormalizedPos\s*\(/, "lastNormalizedPos") -# Property lastPos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::lastPos\s*\(/, "lastPos") -property_writer("QTouchEvent_TouchPoint", /::setLastPos\s*\(/, "lastPos") -# Property lastScenePos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::lastScenePos\s*\(/, "lastScenePos") -property_writer("QTouchEvent_TouchPoint", /::setLastScenePos\s*\(/, "lastScenePos") -# Property lastScreenPos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::lastScreenPos\s*\(/, "lastScreenPos") -property_writer("QTouchEvent_TouchPoint", /::setLastScreenPos\s*\(/, "lastScreenPos") -# Property normalizedPos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::normalizedPos\s*\(/, "normalizedPos") -property_writer("QTouchEvent_TouchPoint", /::setNormalizedPos\s*\(/, "normalizedPos") -# Property pos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::pos\s*\(/, "pos") -property_writer("QTouchEvent_TouchPoint", /::setPos\s*\(/, "pos") -# Property pressure (double) -property_reader("QTouchEvent_TouchPoint", /::pressure\s*\(/, "pressure") -property_writer("QTouchEvent_TouchPoint", /::setPressure\s*\(/, "pressure") -# Property rawScreenPositions (QPointF[]) -property_reader("QTouchEvent_TouchPoint", /::rawScreenPositions\s*\(/, "rawScreenPositions") -property_writer("QTouchEvent_TouchPoint", /::setRawScreenPositions\s*\(/, "rawScreenPositions") -# Property rect (QRectF) -property_reader("QTouchEvent_TouchPoint", /::rect\s*\(/, "rect") -property_writer("QTouchEvent_TouchPoint", /::setRect\s*\(/, "rect") -# Property scenePos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::scenePos\s*\(/, "scenePos") -property_writer("QTouchEvent_TouchPoint", /::setScenePos\s*\(/, "scenePos") -# Property sceneRect (QRectF) -property_reader("QTouchEvent_TouchPoint", /::sceneRect\s*\(/, "sceneRect") -property_writer("QTouchEvent_TouchPoint", /::setSceneRect\s*\(/, "sceneRect") -# Property screenPos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::screenPos\s*\(/, "screenPos") -property_writer("QTouchEvent_TouchPoint", /::setScreenPos\s*\(/, "screenPos") -# Property screenRect (QRectF) -property_reader("QTouchEvent_TouchPoint", /::screenRect\s*\(/, "screenRect") -property_writer("QTouchEvent_TouchPoint", /::setScreenRect\s*\(/, "screenRect") -# Property startNormalizedPos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::startNormalizedPos\s*\(/, "startNormalizedPos") -property_writer("QTouchEvent_TouchPoint", /::setStartNormalizedPos\s*\(/, "startNormalizedPos") -# Property startPos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::startPos\s*\(/, "startPos") -property_writer("QTouchEvent_TouchPoint", /::setStartPos\s*\(/, "startPos") -# Property startScenePos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::startScenePos\s*\(/, "startScenePos") -property_writer("QTouchEvent_TouchPoint", /::setStartScenePos\s*\(/, "startScenePos") -# Property startScreenPos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::startScreenPos\s*\(/, "startScreenPos") -property_writer("QTouchEvent_TouchPoint", /::setStartScreenPos\s*\(/, "startScreenPos") -# Property velocity (QVector2D) -property_reader("QTouchEvent_TouchPoint", /::velocity\s*\(/, "velocity") -property_writer("QTouchEvent_TouchPoint", /::setVelocity\s*\(/, "velocity") +property_reader("QToolButton", /::defaultAction\s*\(/, "defaultAction") +property_writer("QToolButton", /::setDefaultAction\s*\(/, "defaultAction") +# Property menu (QMenu_Native *) +property_reader("QToolButton", /::menu\s*\(/, "menu") +property_writer("QToolButton", /::setMenu\s*\(/, "menu") +# Property font (QFont) +property_reader("QToolTip", /::font\s*\(/, "font") +property_writer("QToolTip", /::setFont\s*\(/, "font") +# Property palette (QPalette) +property_reader("QToolTip", /::palette\s*\(/, "palette") +property_writer("QToolTip", /::setPalette\s*\(/, "palette") # Property header (QHeaderView_Native *) property_reader("QTreeView", /::header\s*\(/, "header") property_writer("QTreeView", /::setHeader\s*\(/, "header") @@ -15049,9 +14747,9 @@ property_writer("QTreeWidgetItem", /::setHidden\s*\(/, "hidden") # Property selected (bool) property_reader("QTreeWidgetItem", /::isSelected\s*\(/, "selected") property_writer("QTreeWidgetItem", /::setSelected\s*\(/, "selected") -# Property multicastInterface (QNetworkInterface) -property_reader("QUdpSocket", /::multicastInterface\s*\(/, "multicastInterface") -property_writer("QUdpSocket", /::setMulticastInterface\s*\(/, "multicastInterface") +# Property obsolete (bool) +property_reader("QUndoCommand", /::isObsolete\s*\(/, "obsolete") +property_writer("QUndoCommand", /::setObsolete\s*\(/, "obsolete") # Property text (string) property_reader("QUndoCommand", /::text\s*\(/, "text") property_writer("QUndoCommand", /::setText\s*\(/, "text") @@ -15067,276 +14765,1059 @@ property_writer("QUndoView", /::setGroup\s*\(/, "group") # Property stack (QUndoStack_Native *) property_reader("QUndoView", /::stack\s*\(/, "stack") property_writer("QUndoView", /::setStack\s*\(/, "stack") -# Property authority (string) -property_reader("QUrl", /::authority\s*\(/, "authority") -property_writer("QUrl", /::setAuthority\s*\(/, "authority") -# Property fragment (string) -property_reader("QUrl", /::fragment\s*\(/, "fragment") -property_writer("QUrl", /::setFragment\s*\(/, "fragment") -# Property host (string) -property_reader("QUrl", /::host\s*\(/, "host") -property_writer("QUrl", /::setHost\s*\(/, "host") -# Property idnWhitelist (string[]) -property_reader("QUrl", /::idnWhitelist\s*\(/, "idnWhitelist") -property_writer("QUrl", /::setIdnWhitelist\s*\(/, "idnWhitelist") -# Property password (string) -property_reader("QUrl", /::password\s*\(/, "password") -property_writer("QUrl", /::setPassword\s*\(/, "password") -# Property path (string) -property_reader("QUrl", /::path\s*\(/, "path") -property_writer("QUrl", /::setPath\s*\(/, "path") -# Property port (int) -property_reader("QUrl", /::port\s*\(/, "port") -property_writer("QUrl", /::setPort\s*\(/, "port") -# Property scheme (string) -property_reader("QUrl", /::scheme\s*\(/, "scheme") -property_writer("QUrl", /::setScheme\s*\(/, "scheme") -# Property url (string) -property_reader("QUrl", /::url\s*\(/, "url") -property_writer("QUrl", /::setUrl\s*\(/, "url") -# Property userInfo (string) -property_reader("QUrl", /::userInfo\s*\(/, "userInfo") -property_writer("QUrl", /::setUserInfo\s*\(/, "userInfo") -# Property userName (string) -property_reader("QUrl", /::userName\s*\(/, "userName") -property_writer("QUrl", /::setUserName\s*\(/, "userName") -# Property query (string) -property_reader("QUrlQuery", /::query\s*\(/, "query") -property_writer("QUrlQuery", /::setQuery\s*\(/, "query") -# Property queryItems (QPair_QString_QString[]) -property_reader("QUrlQuery", /::queryItems\s*\(/, "queryItems") -property_writer("QUrlQuery", /::setQueryItems\s*\(/, "queryItems") -# Property locale (QLocale) -property_reader("QValidator", /::locale\s*\(/, "locale") -property_writer("QValidator", /::setLocale\s*\(/, "locale") -# Property keyValues (QPair_double_QVariant[]) -property_reader("QVariantAnimation", /::keyValues\s*\(/, "keyValues") -property_writer("QVariantAnimation", /::setKeyValues\s*\(/, "keyValues") -# Property x (float) -property_reader("QVector2D", /::x\s*\(/, "x") -property_writer("QVector2D", /::setX\s*\(/, "x") -# Property y (float) -property_reader("QVector2D", /::y\s*\(/, "y") -property_writer("QVector2D", /::setY\s*\(/, "y") -# Property x (float) -property_reader("QVector3D", /::x\s*\(/, "x") -property_writer("QVector3D", /::setX\s*\(/, "x") -# Property y (float) -property_reader("QVector3D", /::y\s*\(/, "y") -property_writer("QVector3D", /::setY\s*\(/, "y") -# Property z (float) -property_reader("QVector3D", /::z\s*\(/, "z") -property_writer("QVector3D", /::setZ\s*\(/, "z") -# Property w (float) -property_reader("QVector4D", /::w\s*\(/, "w") -property_writer("QVector4D", /::setW\s*\(/, "w") -# Property x (float) -property_reader("QVector4D", /::x\s*\(/, "x") -property_writer("QVector4D", /::setX\s*\(/, "x") -# Property y (float) -property_reader("QVector4D", /::y\s*\(/, "y") -property_writer("QVector4D", /::setY\s*\(/, "y") -# Property z (float) -property_reader("QVector4D", /::z\s*\(/, "z") -property_writer("QVector4D", /::setZ\s*\(/, "z") -# Property selectedDevice (int) -property_reader("QVideoDeviceSelectorControl", /::selectedDevice\s*\(/, "selectedDevice") -property_writer("QVideoDeviceSelectorControl", /::setSelectedDevice\s*\(/, "selectedDevice") +# Property backgroundRole (QPalette_ColorRole) +property_reader("QWidget", /::backgroundRole\s*\(/, "backgroundRole") +property_writer("QWidget", /::setBackgroundRole\s*\(/, "backgroundRole") +# Property contentsMargins (QMargins) +property_reader("QWidget", /::contentsMargins\s*\(/, "contentsMargins") +property_writer("QWidget", /::setContentsMargins\s*\(/, "contentsMargins") +# Property focusProxy (QWidget_Native *) +property_reader("QWidget", /::focusProxy\s*\(/, "focusProxy") +property_writer("QWidget", /::setFocusProxy\s*\(/, "focusProxy") +# Property foregroundRole (QPalette_ColorRole) +property_reader("QWidget", /::foregroundRole\s*\(/, "foregroundRole") +property_writer("QWidget", /::setForegroundRole\s*\(/, "foregroundRole") +# Property graphicsEffect (QGraphicsEffect_Native *) +property_reader("QWidget", /::graphicsEffect\s*\(/, "graphicsEffect") +property_writer("QWidget", /::setGraphicsEffect\s*\(/, "graphicsEffect") +# Property hidden (bool) +property_reader("QWidget", /::isHidden\s*\(/, "hidden") +property_writer("QWidget", /::setHidden\s*\(/, "hidden") +# Property layout (QLayout_Native *) +property_reader("QWidget", /::layout\s*\(/, "layout") +property_writer("QWidget", /::setLayout\s*\(/, "layout") +# Property style (QStyle_Native *) +property_reader("QWidget", /::style\s*\(/, "style") +property_writer("QWidget", /::setStyle\s*\(/, "style") +# Property windowFlags (Qt_QFlags_WindowType) +property_reader("QWidget", /::windowFlags\s*\(/, "windowFlags") +property_writer("QWidget", /::setWindowFlags\s*\(/, "windowFlags") +# Property windowRole (string) +property_reader("QWidget", /::windowRole\s*\(/, "windowRole") +property_writer("QWidget", /::setWindowRole\s*\(/, "windowRole") +# Property windowState (Qt_QFlags_WindowState) +property_reader("QWidget", /::windowState\s*\(/, "windowState") +property_writer("QWidget", /::setWindowState\s*\(/, "windowState") +# Property defaultWidget (QWidget_Native *) +property_reader("QWidgetAction", /::defaultWidget\s*\(/, "defaultWidget") +property_writer("QWidgetAction", /::setDefaultWidget\s*\(/, "defaultWidget") +# Property geometry (QRect) +property_reader("QWidgetItem", /::geometry\s*\(/, "geometry") +property_writer("QWidgetItem", /::setGeometry\s*\(/, "geometry") +# Property sideWidget (QWidget_Native *) +property_reader("QWizard", /::sideWidget\s*\(/, "sideWidget") +property_writer("QWizard", /::setSideWidget\s*\(/, "sideWidget") +# Property commitPage (bool) +property_reader("QWizardPage", /::isCommitPage\s*\(/, "commitPage") +property_writer("QWizardPage", /::setCommitPage\s*\(/, "commitPage") +# Property finalPage (bool) +property_reader("QWizardPage", /::isFinalPage\s*\(/, "finalPage") +property_writer("QWizardPage", /::setFinalPage\s*\(/, "finalPage") +# Property column (long long) +property_reader("QSourceLocation", /::column\s*\(/, "column") +property_writer("QSourceLocation", /::setColumn\s*\(/, "column") +# Property line (long long) +property_reader("QSourceLocation", /::line\s*\(/, "line") +property_writer("QSourceLocation", /::setLine\s*\(/, "line") +# Property uri (QUrl) +property_reader("QSourceLocation", /::uri\s*\(/, "uri") +property_writer("QSourceLocation", /::setUri\s*\(/, "uri") +# Property indentationDepth (int) +property_reader("QXmlFormatter", /::indentationDepth\s*\(/, "indentationDepth") +property_writer("QXmlFormatter", /::setIndentationDepth\s*\(/, "indentationDepth") +# Property initialTemplateName (QXmlName) +property_reader("QXmlQuery", /::initialTemplateName\s*\(/, "initialTemplateName") +property_writer("QXmlQuery", /::setInitialTemplateName\s*\(/, "initialTemplateName") +# Property messageHandler (QAbstractMessageHandler_Native *) +property_reader("QXmlQuery", /::messageHandler\s*\(/, "messageHandler") +property_writer("QXmlQuery", /::setMessageHandler\s*\(/, "messageHandler") +# Property networkAccessManager (QNetworkAccessManager_Native *) +property_reader("QXmlQuery", /::networkAccessManager\s*\(/, "networkAccessManager") +property_writer("QXmlQuery", /::setNetworkAccessManager\s*\(/, "networkAccessManager") +# Property uriResolver (QAbstractUriResolver_Native *) +property_reader("QXmlQuery", /::uriResolver\s*\(/, "uriResolver") +property_writer("QXmlQuery", /::setUriResolver\s*\(/, "uriResolver") +# Property messageHandler (QAbstractMessageHandler_Native *) +property_reader("QXmlSchema", /::messageHandler\s*\(/, "messageHandler") +property_writer("QXmlSchema", /::setMessageHandler\s*\(/, "messageHandler") +# Property networkAccessManager (QNetworkAccessManager_Native *) +property_reader("QXmlSchema", /::networkAccessManager\s*\(/, "networkAccessManager") +property_writer("QXmlSchema", /::setNetworkAccessManager\s*\(/, "networkAccessManager") +# Property uriResolver (QAbstractUriResolver_Native *) +property_reader("QXmlSchema", /::uriResolver\s*\(/, "uriResolver") +property_writer("QXmlSchema", /::setUriResolver\s*\(/, "uriResolver") +# Property messageHandler (QAbstractMessageHandler_Native *) +property_reader("QXmlSchemaValidator", /::messageHandler\s*\(/, "messageHandler") +property_writer("QXmlSchemaValidator", /::setMessageHandler\s*\(/, "messageHandler") +# Property networkAccessManager (QNetworkAccessManager_Native *) +property_reader("QXmlSchemaValidator", /::networkAccessManager\s*\(/, "networkAccessManager") +property_writer("QXmlSchemaValidator", /::setNetworkAccessManager\s*\(/, "networkAccessManager") +# Property schema (QXmlSchema) +property_reader("QXmlSchemaValidator", /::schema\s*\(/, "schema") +property_writer("QXmlSchemaValidator", /::setSchema\s*\(/, "schema") +# Property uriResolver (QAbstractUriResolver_Native *) +property_reader("QXmlSchemaValidator", /::uriResolver\s*\(/, "uriResolver") +property_writer("QXmlSchemaValidator", /::setUriResolver\s*\(/, "uriResolver") +# Property codec (QTextCodec_Native *) +property_reader("QXmlSerializer", /::codec\s*\(/, "codec") +property_writer("QXmlSerializer", /::setCodec\s*\(/, "codec") +# Property cachingEnabled (bool) +property_reader("QGraphicsSvgItem", /::isCachingEnabled\s*\(/, "cachingEnabled") +property_writer("QGraphicsSvgItem", /::setCachingEnabled\s*\(/, "cachingEnabled") +# Property description (string) +property_reader("QSvgGenerator", /::description\s*\(/, "description") +property_writer("QSvgGenerator", /::setDescription\s*\(/, "description") +# Property fileName (string) +property_reader("QSvgGenerator", /::fileName\s*\(/, "fileName") +property_writer("QSvgGenerator", /::setFileName\s*\(/, "fileName") +# Property outputDevice (QIODevice *) +property_reader("QSvgGenerator", /::outputDevice\s*\(/, "outputDevice") +property_writer("QSvgGenerator", /::setOutputDevice\s*\(/, "outputDevice") +# Property resolution (int) +property_reader("QSvgGenerator", /::resolution\s*\(/, "resolution") +property_writer("QSvgGenerator", /::setResolution\s*\(/, "resolution") +# Property size (QSize) +property_reader("QSvgGenerator", /::size\s*\(/, "size") +property_writer("QSvgGenerator", /::setSize\s*\(/, "size") +# Property title (string) +property_reader("QSvgGenerator", /::title\s*\(/, "title") +property_writer("QSvgGenerator", /::setTitle\s*\(/, "title") +# Property viewBox (QRect) +property_reader("QSvgGenerator", /::viewBox\s*\(/, "viewBox") +property_writer("QSvgGenerator", /::setViewBox\s*\(/, "viewBox") +# Property enabledOptions (QAbstractPrintDialog_QFlags_PrintDialogOption) +property_reader("QAbstractPrintDialog", /::enabledOptions\s*\(/, "enabledOptions") +property_writer("QAbstractPrintDialog", /::setEnabledOptions\s*\(/, "enabledOptions") +# Property printRange (QAbstractPrintDialog_PrintRange) +property_reader("QAbstractPrintDialog", /::printRange\s*\(/, "printRange") +property_writer("QAbstractPrintDialog", /::setPrintRange\s*\(/, "printRange") +# Property currentPage (int) +property_reader("QPrintPreviewWidget", /::currentPage\s*\(/, "currentPage") +property_writer("QPrintPreviewWidget", /::setCurrentPage\s*\(/, "currentPage") +# Property orientation (QPrinter_Orientation) +property_reader("QPrintPreviewWidget", /::orientation\s*\(/, "orientation") +property_writer("QPrintPreviewWidget", /::setOrientation\s*\(/, "orientation") +# Property viewMode (QPrintPreviewWidget_ViewMode) +property_reader("QPrintPreviewWidget", /::viewMode\s*\(/, "viewMode") +property_writer("QPrintPreviewWidget", /::setViewMode\s*\(/, "viewMode") +# Property zoomFactor (double) +property_reader("QPrintPreviewWidget", /::zoomFactor\s*\(/, "zoomFactor") +property_writer("QPrintPreviewWidget", /::setZoomFactor\s*\(/, "zoomFactor") +# Property zoomMode (QPrintPreviewWidget_ZoomMode) +property_reader("QPrintPreviewWidget", /::zoomMode\s*\(/, "zoomMode") +property_writer("QPrintPreviewWidget", /::setZoomMode\s*\(/, "zoomMode") +# Property collateCopies (bool) +property_reader("QPrinter", /::collateCopies\s*\(/, "collateCopies") +property_writer("QPrinter", /::setCollateCopies\s*\(/, "collateCopies") +# Property colorMode (QPrinter_ColorMode) +property_reader("QPrinter", /::colorMode\s*\(/, "colorMode") +property_writer("QPrinter", /::setColorMode\s*\(/, "colorMode") +# Property copyCount (int) +property_reader("QPrinter", /::copyCount\s*\(/, "copyCount") +property_writer("QPrinter", /::setCopyCount\s*\(/, "copyCount") +# Property creator (string) +property_reader("QPrinter", /::creator\s*\(/, "creator") +property_writer("QPrinter", /::setCreator\s*\(/, "creator") +# Property docName (string) +property_reader("QPrinter", /::docName\s*\(/, "docName") +property_writer("QPrinter", /::setDocName\s*\(/, "docName") +# Property doubleSidedPrinting (bool) +property_reader("QPrinter", /::doubleSidedPrinting\s*\(/, "doubleSidedPrinting") +property_writer("QPrinter", /::setDoubleSidedPrinting\s*\(/, "doubleSidedPrinting") +# Property duplex (QPrinter_DuplexMode) +property_reader("QPrinter", /::duplex\s*\(/, "duplex") +property_writer("QPrinter", /::setDuplex\s*\(/, "duplex") +# Property fontEmbeddingEnabled (bool) +property_reader("QPrinter", /::fontEmbeddingEnabled\s*\(/, "fontEmbeddingEnabled") +property_writer("QPrinter", /::setFontEmbeddingEnabled\s*\(/, "fontEmbeddingEnabled") +# Property fullPage (bool) +property_reader("QPrinter", /::fullPage\s*\(/, "fullPage") +property_writer("QPrinter", /::setFullPage\s*\(/, "fullPage") +# Property margins (QPagedPaintDevice_Margins) +property_reader("QPagedPaintDevice", /::margins\s*\(/, "margins") +property_writer("QPrinter", /::setMargins\s*\(/, "margins") +# Property numCopies (int) +property_reader("QPrinter", /::numCopies\s*\(/, "numCopies") +property_writer("QPrinter", /::setNumCopies\s*\(/, "numCopies") +# Property orientation (QPrinter_Orientation) +property_reader("QPrinter", /::orientation\s*\(/, "orientation") +property_writer("QPrinter", /::setOrientation\s*\(/, "orientation") +# Property outputFileName (string) +property_reader("QPrinter", /::outputFileName\s*\(/, "outputFileName") +property_writer("QPrinter", /::setOutputFileName\s*\(/, "outputFileName") +# Property outputFormat (QPrinter_OutputFormat) +property_reader("QPrinter", /::outputFormat\s*\(/, "outputFormat") +property_writer("QPrinter", /::setOutputFormat\s*\(/, "outputFormat") +# Property pageOrder (QPrinter_PageOrder) +property_reader("QPrinter", /::pageOrder\s*\(/, "pageOrder") +property_writer("QPrinter", /::setPageOrder\s*\(/, "pageOrder") +# Property pageSize (QPagedPaintDevice_PageSize) +property_reader("QPrinter", /::pageSize\s*\(/, "pageSize") +property_writer("QPrinter", /::setPageSize\s*\(/, "pageSize") +# Property pageSizeMM (QSizeF) +property_reader("QPagedPaintDevice", /::pageSizeMM\s*\(/, "pageSizeMM") +property_writer("QPrinter", /::setPageSizeMM\s*\(/, "pageSizeMM") +# Property paperName (string) +property_reader("QPrinter", /::paperName\s*\(/, "paperName") +property_writer("QPrinter", /::setPaperName\s*\(/, "paperName") +# Property paperSize (QPagedPaintDevice_PageSize) +property_reader("QPrinter", /::paperSize\s*\(/, "paperSize") +property_writer("QPrinter", /::setPaperSize\s*\(/, "paperSize") +# Property paperSource (QPrinter_PaperSource) +property_reader("QPrinter", /::paperSource\s*\(/, "paperSource") +property_writer("QPrinter", /::setPaperSource\s*\(/, "paperSource") +# Property pdfVersion (QPagedPaintDevice_PdfVersion) +property_reader("QPrinter", /::pdfVersion\s*\(/, "pdfVersion") +property_writer("QPrinter", /::setPdfVersion\s*\(/, "pdfVersion") +# Property printProgram (string) +property_reader("QPrinter", /::printProgram\s*\(/, "printProgram") +property_writer("QPrinter", /::setPrintProgram\s*\(/, "printProgram") +# Property printRange (QPrinter_PrintRange) +property_reader("QPrinter", /::printRange\s*\(/, "printRange") +property_writer("QPrinter", /::setPrintRange\s*\(/, "printRange") +# Property printerName (string) +property_reader("QPrinter", /::printerName\s*\(/, "printerName") +property_writer("QPrinter", /::setPrinterName\s*\(/, "printerName") +# Property resolution (int) +property_reader("QPrinter", /::resolution\s*\(/, "resolution") +property_writer("QPrinter", /::setResolution\s*\(/, "resolution") +# Property winPageSize (int) +property_reader("QPrinter", /::winPageSize\s*\(/, "winPageSize") +property_writer("QPrinter", /::setWinPageSize\s*\(/, "winPageSize") +# Property bufferSize (int) +property_reader("QAbstractAudioInput", /::bufferSize\s*\(/, "bufferSize") +property_writer("QAbstractAudioInput", /::setBufferSize\s*\(/, "bufferSize") +# Property format (QAudioFormat) +property_reader("QAbstractAudioInput", /::format\s*\(/, "format") +property_writer("QAbstractAudioInput", /::setFormat\s*\(/, "format") +# Property notifyInterval (int) +property_reader("QAbstractAudioInput", /::notifyInterval\s*\(/, "notifyInterval") +property_writer("QAbstractAudioInput", /::setNotifyInterval\s*\(/, "notifyInterval") +# Property volume (double) +property_reader("QAbstractAudioInput", /::volume\s*\(/, "volume") +property_writer("QAbstractAudioInput", /::setVolume\s*\(/, "volume") +# Property bufferSize (int) +property_reader("QAbstractAudioOutput", /::bufferSize\s*\(/, "bufferSize") +property_writer("QAbstractAudioOutput", /::setBufferSize\s*\(/, "bufferSize") +# Property category (string) +property_reader("QAbstractAudioOutput", /::category\s*\(/, "category") +property_writer("QAbstractAudioOutput", /::setCategory\s*\(/, "category") +# Property format (QAudioFormat) +property_reader("QAbstractAudioOutput", /::format\s*\(/, "format") +property_writer("QAbstractAudioOutput", /::setFormat\s*\(/, "format") +# Property notifyInterval (int) +property_reader("QAbstractAudioOutput", /::notifyInterval\s*\(/, "notifyInterval") +property_writer("QAbstractAudioOutput", /::setNotifyInterval\s*\(/, "notifyInterval") +# Property volume (double) +property_reader("QAbstractAudioOutput", /::volume\s*\(/, "volume") +property_writer("QAbstractAudioOutput", /::setVolume\s*\(/, "volume") +# Property audioFormat (QAudioFormat) +property_reader("QAudioDecoder", /::audioFormat\s*\(/, "audioFormat") +property_writer("QAudioDecoder", /::setAudioFormat\s*\(/, "audioFormat") +# Property sourceDevice (QIODevice *) +property_reader("QAudioDecoder", /::sourceDevice\s*\(/, "sourceDevice") +property_writer("QAudioDecoder", /::setSourceDevice\s*\(/, "sourceDevice") +# Property audioFormat (QAudioFormat) +property_reader("QAudioDecoderControl", /::audioFormat\s*\(/, "audioFormat") +property_writer("QAudioDecoderControl", /::setAudioFormat\s*\(/, "audioFormat") +# Property sourceDevice (QIODevice *) +property_reader("QAudioDecoderControl", /::sourceDevice\s*\(/, "sourceDevice") +property_writer("QAudioDecoderControl", /::setSourceDevice\s*\(/, "sourceDevice") +# Property sourceFilename (string) +property_reader("QAudioDecoderControl", /::sourceFilename\s*\(/, "sourceFilename") +property_writer("QAudioDecoderControl", /::setSourceFilename\s*\(/, "sourceFilename") # Property bitRate (int) -property_reader("QVideoEncoderSettings", /::bitRate\s*\(/, "bitRate") -property_writer("QVideoEncoderSettings", /::setBitRate\s*\(/, "bitRate") +property_reader("QAudioEncoderSettings", /::bitRate\s*\(/, "bitRate") +property_writer("QAudioEncoderSettings", /::setBitRate\s*\(/, "bitRate") +# Property channelCount (int) +property_reader("QAudioEncoderSettings", /::channelCount\s*\(/, "channelCount") +property_writer("QAudioEncoderSettings", /::setChannelCount\s*\(/, "channelCount") # Property codec (string) -property_reader("QVideoEncoderSettings", /::codec\s*\(/, "codec") -property_writer("QVideoEncoderSettings", /::setCodec\s*\(/, "codec") +property_reader("QAudioEncoderSettings", /::codec\s*\(/, "codec") +property_writer("QAudioEncoderSettings", /::setCodec\s*\(/, "codec") # Property encodingMode (QMultimedia_EncodingMode) -property_reader("QVideoEncoderSettings", /::encodingMode\s*\(/, "encodingMode") -property_writer("QVideoEncoderSettings", /::setEncodingMode\s*\(/, "encodingMode") +property_reader("QAudioEncoderSettings", /::encodingMode\s*\(/, "encodingMode") +property_writer("QAudioEncoderSettings", /::setEncodingMode\s*\(/, "encodingMode") # Property encodingOptions (map) -property_reader("QVideoEncoderSettings", /::encodingOptions\s*\(/, "encodingOptions") -property_writer("QVideoEncoderSettings", /::setEncodingOptions\s*\(/, "encodingOptions") -# Property frameRate (double) -property_reader("QVideoEncoderSettings", /::frameRate\s*\(/, "frameRate") -property_writer("QVideoEncoderSettings", /::setFrameRate\s*\(/, "frameRate") +property_reader("QAudioEncoderSettings", /::encodingOptions\s*\(/, "encodingOptions") +property_writer("QAudioEncoderSettings", /::setEncodingOptions\s*\(/, "encodingOptions") +# Property quality (QMultimedia_EncodingQuality) +property_reader("QAudioEncoderSettings", /::quality\s*\(/, "quality") +property_writer("QAudioEncoderSettings", /::setQuality\s*\(/, "quality") +# Property sampleRate (int) +property_reader("QAudioEncoderSettings", /::sampleRate\s*\(/, "sampleRate") +property_writer("QAudioEncoderSettings", /::setSampleRate\s*\(/, "sampleRate") +# Property audioSettings (QAudioEncoderSettings) +property_reader("QAudioEncoderSettingsControl", /::audioSettings\s*\(/, "audioSettings") +property_writer("QAudioEncoderSettingsControl", /::setAudioSettings\s*\(/, "audioSettings") +# Property byteOrder (QAudioFormat_Endian) +property_reader("QAudioFormat", /::byteOrder\s*\(/, "byteOrder") +property_writer("QAudioFormat", /::setByteOrder\s*\(/, "byteOrder") +# Property channelCount (int) +property_reader("QAudioFormat", /::channelCount\s*\(/, "channelCount") +property_writer("QAudioFormat", /::setChannelCount\s*\(/, "channelCount") +# Property codec (string) +property_reader("QAudioFormat", /::codec\s*\(/, "codec") +property_writer("QAudioFormat", /::setCodec\s*\(/, "codec") +# Property sampleRate (int) +property_reader("QAudioFormat", /::sampleRate\s*\(/, "sampleRate") +property_writer("QAudioFormat", /::setSampleRate\s*\(/, "sampleRate") +# Property sampleSize (int) +property_reader("QAudioFormat", /::sampleSize\s*\(/, "sampleSize") +property_writer("QAudioFormat", /::setSampleSize\s*\(/, "sampleSize") +# Property sampleType (QAudioFormat_SampleType) +property_reader("QAudioFormat", /::sampleType\s*\(/, "sampleType") +property_writer("QAudioFormat", /::setSampleType\s*\(/, "sampleType") +# Property bufferSize (int) +property_reader("QAudioInput", /::bufferSize\s*\(/, "bufferSize") +property_writer("QAudioInput", /::setBufferSize\s*\(/, "bufferSize") +# Property notifyInterval (int) +property_reader("QAudioInput", /::notifyInterval\s*\(/, "notifyInterval") +property_writer("QAudioInput", /::setNotifyInterval\s*\(/, "notifyInterval") +# Property volume (double) +property_reader("QAudioInput", /::volume\s*\(/, "volume") +property_writer("QAudioInput", /::setVolume\s*\(/, "volume") +# Property activeInput (string) +property_reader("QAudioInputSelectorControl", /::activeInput\s*\(/, "activeInput") +property_writer("QAudioInputSelectorControl", /::setActiveInput\s*\(/, "activeInput") +# Property bufferSize (int) +property_reader("QAudioOutput", /::bufferSize\s*\(/, "bufferSize") +property_writer("QAudioOutput", /::setBufferSize\s*\(/, "bufferSize") +# Property category (string) +property_reader("QAudioOutput", /::category\s*\(/, "category") +property_writer("QAudioOutput", /::setCategory\s*\(/, "category") +# Property notifyInterval (int) +property_reader("QAudioOutput", /::notifyInterval\s*\(/, "notifyInterval") +property_writer("QAudioOutput", /::setNotifyInterval\s*\(/, "notifyInterval") +# Property volume (double) +property_reader("QAudioOutput", /::volume\s*\(/, "volume") +property_writer("QAudioOutput", /::setVolume\s*\(/, "volume") +# Property activeOutput (string) +property_reader("QAudioOutputSelectorControl", /::activeOutput\s*\(/, "activeOutput") +property_writer("QAudioOutputSelectorControl", /::setActiveOutput\s*\(/, "activeOutput") +# Property audioRole (QAudio_Role) +property_reader("QAudioRoleControl", /::audioRole\s*\(/, "audioRole") +property_writer("QAudioRoleControl", /::setAudioRole\s*\(/, "audioRole") +# Property viewfinderSettings (QCameraViewfinderSettings) +property_reader("QCamera", /::viewfinderSettings\s*\(/, "viewfinderSettings") +property_writer("QCamera", /::setViewfinderSettings\s*\(/, "viewfinderSettings") +# Property bufferFormat (QVideoFrame_PixelFormat) +property_reader("QCameraCaptureBufferFormatControl", /::bufferFormat\s*\(/, "bufferFormat") +property_writer("QCameraCaptureBufferFormatControl", /::setBufferFormat\s*\(/, "bufferFormat") +# Property captureDestination (QCameraImageCapture_QFlags_CaptureDestination) +property_reader("QCameraCaptureDestinationControl", /::captureDestination\s*\(/, "captureDestination") +property_writer("QCameraCaptureDestinationControl", /::setCaptureDestination\s*\(/, "captureDestination") +# Property captureMode (QCamera_QFlags_CaptureMode) +property_reader("QCameraControl", /::captureMode\s*\(/, "captureMode") +property_writer("QCameraControl", /::setCaptureMode\s*\(/, "captureMode") +# Property state (QCamera_State) +property_reader("QCameraControl", /::state\s*\(/, "state") +property_writer("QCameraControl", /::setState\s*\(/, "state") +# Property spotMeteringPoint (QPointF) +property_reader("QCameraExposure", /::spotMeteringPoint\s*\(/, "spotMeteringPoint") +property_writer("QCameraExposure", /::setSpotMeteringPoint\s*\(/, "spotMeteringPoint") +# Property flashMode (QCameraExposure_QFlags_FlashMode) +property_reader("QCameraFlashControl", /::flashMode\s*\(/, "flashMode") +property_writer("QCameraFlashControl", /::setFlashMode\s*\(/, "flashMode") +# Property customFocusPoint (QPointF) +property_reader("QCameraFocusControl", /::customFocusPoint\s*\(/, "customFocusPoint") +property_writer("QCameraFocusControl", /::setCustomFocusPoint\s*\(/, "customFocusPoint") +# Property focusMode (QCameraFocus_QFlags_FocusMode) +property_reader("QCameraFocusControl", /::focusMode\s*\(/, "focusMode") +property_writer("QCameraFocusControl", /::setFocusMode\s*\(/, "focusMode") +# Property focusPointMode (QCameraFocus_FocusPointMode) +property_reader("QCameraFocusControl", /::focusPointMode\s*\(/, "focusPointMode") +property_writer("QCameraFocusControl", /::setFocusPointMode\s*\(/, "focusPointMode") +# Property status (QCameraFocusZone_FocusZoneStatus) +property_reader("QCameraFocusZone", /::status\s*\(/, "status") +property_writer("QCameraFocusZone", /::setStatus\s*\(/, "status") +# Property bufferFormat (QVideoFrame_PixelFormat) +property_reader("QCameraImageCapture", /::bufferFormat\s*\(/, "bufferFormat") +property_writer("QCameraImageCapture", /::setBufferFormat\s*\(/, "bufferFormat") +# Property captureDestination (QCameraImageCapture_QFlags_CaptureDestination) +property_reader("QCameraImageCapture", /::captureDestination\s*\(/, "captureDestination") +property_writer("QCameraImageCapture", /::setCaptureDestination\s*\(/, "captureDestination") +# Property encodingSettings (QImageEncoderSettings) +property_reader("QCameraImageCapture", /::encodingSettings\s*\(/, "encodingSettings") +property_writer("QCameraImageCapture", /::setEncodingSettings\s*\(/, "encodingSettings") +# Property driveMode (QCameraImageCapture_DriveMode) +property_reader("QCameraImageCaptureControl", /::driveMode\s*\(/, "driveMode") +property_writer("QCameraImageCaptureControl", /::setDriveMode\s*\(/, "driveMode") +# Property brightness (double) +property_reader("QCameraImageProcessing", /::brightness\s*\(/, "brightness") +property_writer("QCameraImageProcessing", /::setBrightness\s*\(/, "brightness") +# Property colorFilter (QCameraImageProcessing_ColorFilter) +property_reader("QCameraImageProcessing", /::colorFilter\s*\(/, "colorFilter") +property_writer("QCameraImageProcessing", /::setColorFilter\s*\(/, "colorFilter") +# Property contrast (double) +property_reader("QCameraImageProcessing", /::contrast\s*\(/, "contrast") +property_writer("QCameraImageProcessing", /::setContrast\s*\(/, "contrast") +# Property denoisingLevel (double) +property_reader("QCameraImageProcessing", /::denoisingLevel\s*\(/, "denoisingLevel") +property_writer("QCameraImageProcessing", /::setDenoisingLevel\s*\(/, "denoisingLevel") +# Property manualWhiteBalance (double) +property_reader("QCameraImageProcessing", /::manualWhiteBalance\s*\(/, "manualWhiteBalance") +property_writer("QCameraImageProcessing", /::setManualWhiteBalance\s*\(/, "manualWhiteBalance") +# Property saturation (double) +property_reader("QCameraImageProcessing", /::saturation\s*\(/, "saturation") +property_writer("QCameraImageProcessing", /::setSaturation\s*\(/, "saturation") +# Property sharpeningLevel (double) +property_reader("QCameraImageProcessing", /::sharpeningLevel\s*\(/, "sharpeningLevel") +property_writer("QCameraImageProcessing", /::setSharpeningLevel\s*\(/, "sharpeningLevel") +# Property whiteBalanceMode (QCameraImageProcessing_WhiteBalanceMode) +property_reader("QCameraImageProcessing", /::whiteBalanceMode\s*\(/, "whiteBalanceMode") +property_writer("QCameraImageProcessing", /::setWhiteBalanceMode\s*\(/, "whiteBalanceMode") +# Property maximumFrameRate (double) +property_reader("QCameraViewfinderSettings", /::maximumFrameRate\s*\(/, "maximumFrameRate") +property_writer("QCameraViewfinderSettings", /::setMaximumFrameRate\s*\(/, "maximumFrameRate") +# Property minimumFrameRate (double) +property_reader("QCameraViewfinderSettings", /::minimumFrameRate\s*\(/, "minimumFrameRate") +property_writer("QCameraViewfinderSettings", /::setMinimumFrameRate\s*\(/, "minimumFrameRate") +# Property pixelAspectRatio (QSize) +property_reader("QCameraViewfinderSettings", /::pixelAspectRatio\s*\(/, "pixelAspectRatio") +property_writer("QCameraViewfinderSettings", /::setPixelAspectRatio\s*\(/, "pixelAspectRatio") +# Property pixelFormat (QVideoFrame_PixelFormat) +property_reader("QCameraViewfinderSettings", /::pixelFormat\s*\(/, "pixelFormat") +property_writer("QCameraViewfinderSettings", /::setPixelFormat\s*\(/, "pixelFormat") +# Property resolution (QSize) +property_reader("QCameraViewfinderSettings", /::resolution\s*\(/, "resolution") +property_writer("QCameraViewfinderSettings", /::setResolution\s*\(/, "resolution") +# Property viewfinderSettings (QCameraViewfinderSettings) +property_reader("QCameraViewfinderSettingsControl2", /::viewfinderSettings\s*\(/, "viewfinderSettings") +property_writer("QCameraViewfinderSettingsControl2", /::setViewfinderSettings\s*\(/, "viewfinderSettings") +# Property customAudioRole (string) +property_reader("QCustomAudioRoleControl", /::customAudioRole\s*\(/, "customAudioRole") +property_writer("QCustomAudioRoleControl", /::setCustomAudioRole\s*\(/, "customAudioRole") +# Property imageSettings (QImageEncoderSettings) +property_reader("QImageEncoderControl", /::imageSettings\s*\(/, "imageSettings") +property_writer("QImageEncoderControl", /::setImageSettings\s*\(/, "imageSettings") +# Property codec (string) +property_reader("QImageEncoderSettings", /::codec\s*\(/, "codec") +property_writer("QImageEncoderSettings", /::setCodec\s*\(/, "codec") +# Property encodingOptions (map) +property_reader("QImageEncoderSettings", /::encodingOptions\s*\(/, "encodingOptions") +property_writer("QImageEncoderSettings", /::setEncodingOptions\s*\(/, "encodingOptions") # Property quality (QMultimedia_EncodingQuality) -property_reader("QVideoEncoderSettings", /::quality\s*\(/, "quality") -property_writer("QVideoEncoderSettings", /::setQuality\s*\(/, "quality") +property_reader("QImageEncoderSettings", /::quality\s*\(/, "quality") +property_writer("QImageEncoderSettings", /::setQuality\s*\(/, "quality") # Property resolution (QSize) -property_reader("QVideoEncoderSettings", /::resolution\s*\(/, "resolution") -property_writer("QVideoEncoderSettings", /::setResolution\s*\(/, "resolution") +property_reader("QImageEncoderSettings", /::resolution\s*\(/, "resolution") +property_writer("QImageEncoderSettings", /::setResolution\s*\(/, "resolution") +# Property containerFormat (string) +property_reader("QMediaContainerControl", /::containerFormat\s*\(/, "containerFormat") +property_writer("QMediaContainerControl", /::setContainerFormat\s*\(/, "containerFormat") +# Property crossfadeTime (double) +property_reader("QMediaGaplessPlaybackControl", /::crossfadeTime\s*\(/, "crossfadeTime") +property_writer("QMediaGaplessPlaybackControl", /::setCrossfadeTime\s*\(/, "crossfadeTime") +# Property nextMedia (QMediaContent) +property_reader("QMediaGaplessPlaybackControl", /::nextMedia\s*\(/, "nextMedia") +property_writer("QMediaGaplessPlaybackControl", /::setNextMedia\s*\(/, "nextMedia") +# Property muted (bool) +property_reader("QMediaPlayerControl", /::isMuted\s*\(/, "muted") +property_writer("QMediaPlayerControl", /::setMuted\s*\(/, "muted") +# Property playbackRate (double) +property_reader("QMediaPlayerControl", /::playbackRate\s*\(/, "playbackRate") +property_writer("QMediaPlayerControl", /::setPlaybackRate\s*\(/, "playbackRate") +# Property position (long long) +property_reader("QMediaPlayerControl", /::position\s*\(/, "position") +property_writer("QMediaPlayerControl", /::setPosition\s*\(/, "position") +# Property volume (int) +property_reader("QMediaPlayerControl", /::volume\s*\(/, "volume") +property_writer("QMediaPlayerControl", /::setVolume\s*\(/, "volume") +# Property audioSettings (QAudioEncoderSettings) +property_reader("QMediaRecorder", /::audioSettings\s*\(/, "audioSettings") +property_writer("QMediaRecorder", /::setAudioSettings\s*\(/, "audioSettings") +# Property containerFormat (string) +property_reader("QMediaRecorder", /::containerFormat\s*\(/, "containerFormat") +property_writer("QMediaRecorder", /::setContainerFormat\s*\(/, "containerFormat") # Property videoSettings (QVideoEncoderSettings) -property_reader("QVideoEncoderSettingsControl", /::videoSettings\s*\(/, "videoSettings") -property_writer("QVideoEncoderSettingsControl", /::setVideoSettings\s*\(/, "videoSettings") -# Property endTime (long long) -property_reader("QVideoFrame", /::endTime\s*\(/, "endTime") -property_writer("QVideoFrame", /::setEndTime\s*\(/, "endTime") -# Property fieldType (QVideoFrame_FieldType) -property_reader("QVideoFrame", /::fieldType\s*\(/, "fieldType") -property_writer("QVideoFrame", /::setFieldType\s*\(/, "fieldType") -# Property startTime (long long) -property_reader("QVideoFrame", /::startTime\s*\(/, "startTime") -property_writer("QVideoFrame", /::setStartTime\s*\(/, "startTime") -# Property surface (QAbstractVideoSurface_Native *) -property_reader("QVideoRendererControl", /::surface\s*\(/, "surface") -property_writer("QVideoRendererControl", /::setSurface\s*\(/, "surface") -# Property frameRate (double) -property_reader("QVideoSurfaceFormat", /::frameRate\s*\(/, "frameRate") -property_writer("QVideoSurfaceFormat", /::setFrameRate\s*\(/, "frameRate") -# Property frameSize (QSize) -property_reader("QVideoSurfaceFormat", /::frameSize\s*\(/, "frameSize") -property_writer("QVideoSurfaceFormat", /::setFrameSize\s*\(/, "frameSize") -# Property pixelAspectRatio (QSize) -property_reader("QVideoSurfaceFormat", /::pixelAspectRatio\s*\(/, "pixelAspectRatio") -property_writer("QVideoSurfaceFormat", /::setPixelAspectRatio\s*\(/, "pixelAspectRatio") -# Property scanLineDirection (QVideoSurfaceFormat_Direction) -property_reader("QVideoSurfaceFormat", /::scanLineDirection\s*\(/, "scanLineDirection") -property_writer("QVideoSurfaceFormat", /::setScanLineDirection\s*\(/, "scanLineDirection") -# Property viewport (QRect) -property_reader("QVideoSurfaceFormat", /::viewport\s*\(/, "viewport") -property_writer("QVideoSurfaceFormat", /::setViewport\s*\(/, "viewport") -# Property yCbCrColorSpace (QVideoSurfaceFormat_YCbCrColorSpace) -property_reader("QVideoSurfaceFormat", /::yCbCrColorSpace\s*\(/, "yCbCrColorSpace") -property_writer("QVideoSurfaceFormat", /::setYCbCrColorSpace\s*\(/, "yCbCrColorSpace") -# Property aspectRatioMode (Qt_AspectRatioMode) -property_reader("QVideoWindowControl", /::aspectRatioMode\s*\(/, "aspectRatioMode") -property_writer("QVideoWindowControl", /::setAspectRatioMode\s*\(/, "aspectRatioMode") -# Property brightness (int) -property_reader("QVideoWindowControl", /::brightness\s*\(/, "brightness") -property_writer("QVideoWindowControl", /::setBrightness\s*\(/, "brightness") -# Property contrast (int) -property_reader("QVideoWindowControl", /::contrast\s*\(/, "contrast") -property_writer("QVideoWindowControl", /::setContrast\s*\(/, "contrast") -# Property displayRect (QRect) -property_reader("QVideoWindowControl", /::displayRect\s*\(/, "displayRect") -property_writer("QVideoWindowControl", /::setDisplayRect\s*\(/, "displayRect") -# Property fullScreen (bool) -property_reader("QVideoWindowControl", /::isFullScreen\s*\(/, "fullScreen") -property_writer("QVideoWindowControl", /::setFullScreen\s*\(/, "fullScreen") -# Property hue (int) -property_reader("QVideoWindowControl", /::hue\s*\(/, "hue") -property_writer("QVideoWindowControl", /::setHue\s*\(/, "hue") -# Property saturation (int) -property_reader("QVideoWindowControl", /::saturation\s*\(/, "saturation") -property_writer("QVideoWindowControl", /::setSaturation\s*\(/, "saturation") -# Property winId (unsigned long long) -property_reader("QVideoWindowControl", /::winId\s*\(/, "winId") -property_writer("QVideoWindowControl", /::setWinId\s*\(/, "winId") -# Property backgroundRole (QPalette_ColorRole) -property_reader("QWidget", /::backgroundRole\s*\(/, "backgroundRole") -property_writer("QWidget", /::setBackgroundRole\s*\(/, "backgroundRole") -# Property contentsMargins (QMargins) -property_reader("QWidget", /::contentsMargins\s*\(/, "contentsMargins") -property_writer("QWidget", /::setContentsMargins\s*\(/, "contentsMargins") -# Property focusProxy (QWidget_Native *) -property_reader("QWidget", /::focusProxy\s*\(/, "focusProxy") -property_writer("QWidget", /::setFocusProxy\s*\(/, "focusProxy") -# Property foregroundRole (QPalette_ColorRole) -property_reader("QWidget", /::foregroundRole\s*\(/, "foregroundRole") -property_writer("QWidget", /::setForegroundRole\s*\(/, "foregroundRole") -# Property graphicsEffect (QGraphicsEffect_Native *) -property_reader("QWidget", /::graphicsEffect\s*\(/, "graphicsEffect") -property_writer("QWidget", /::setGraphicsEffect\s*\(/, "graphicsEffect") -# Property hidden (bool) -property_reader("QWidget", /::isHidden\s*\(/, "hidden") -property_writer("QWidget", /::setHidden\s*\(/, "hidden") -# Property layout (QLayout_Native *) -property_reader("QWidget", /::layout\s*\(/, "layout") -property_writer("QWidget", /::setLayout\s*\(/, "layout") -# Property style (QStyle_Native *) -property_reader("QWidget", /::style\s*\(/, "style") -property_writer("QWidget", /::setStyle\s*\(/, "style") -# Property windowFlags (Qt_QFlags_WindowType) -property_reader("QWidget", /::windowFlags\s*\(/, "windowFlags") -property_writer("QWidget", /::setWindowFlags\s*\(/, "windowFlags") -# Property windowRole (string) -property_reader("QWidget", /::windowRole\s*\(/, "windowRole") -property_writer("QWidget", /::setWindowRole\s*\(/, "windowRole") -# Property windowState (Qt_QFlags_WindowState) -property_reader("QWidget", /::windowState\s*\(/, "windowState") -property_writer("QWidget", /::setWindowState\s*\(/, "windowState") -# Property defaultWidget (QWidget_Native *) -property_reader("QWidgetAction", /::defaultWidget\s*\(/, "defaultWidget") -property_writer("QWidgetAction", /::setDefaultWidget\s*\(/, "defaultWidget") -# Property geometry (QRect) -property_reader("QWidgetItem", /::geometry\s*\(/, "geometry") -property_writer("QWidgetItem", /::setGeometry\s*\(/, "geometry") -# Property baseSize (QSize) -property_reader("QWindow", /::baseSize\s*\(/, "baseSize") -property_writer("QWindow", /::setBaseSize\s*\(/, "baseSize") -# Property cursor (QCursor) -property_reader("QWindow", /::cursor\s*\(/, "cursor") -property_writer("QWindow", /::setCursor\s*\(/, "cursor") -# Property filePath (string) -property_reader("QWindow", /::filePath\s*\(/, "filePath") -property_writer("QWindow", /::setFilePath\s*\(/, "filePath") -# Property format (QSurfaceFormat) -property_reader("QWindow", /::format\s*\(/, "format") -property_writer("QWindow", /::setFormat\s*\(/, "format") -# Property framePosition (QPoint) -property_reader("QWindow", /::framePosition\s*\(/, "framePosition") -property_writer("QWindow", /::setFramePosition\s*\(/, "framePosition") -# Property geometry (QRect) -property_reader("QWindow", /::geometry\s*\(/, "geometry") -property_writer("QWindow", /::setGeometry\s*\(/, "geometry") -# Property icon (QIcon) -property_reader("QWindow", /::icon\s*\(/, "icon") -property_writer("QWindow", /::setIcon\s*\(/, "icon") -# Property mask (QRegion) -property_reader("QWindow", /::mask\s*\(/, "mask") -property_writer("QWindow", /::setMask\s*\(/, "mask") -# Property maximumSize (QSize) -property_reader("QWindow", /::maximumSize\s*\(/, "maximumSize") -property_writer("QWindow", /::setMaximumSize\s*\(/, "maximumSize") -# Property minimumSize (QSize) -property_reader("QWindow", /::minimumSize\s*\(/, "minimumSize") -property_writer("QWindow", /::setMinimumSize\s*\(/, "minimumSize") -# Property parent (QWindow_Native *) -property_reader("QWindow", /::parent\s*\(/, "parent") -property_writer("QWindow", /::setParent\s*\(/, "parent") -# Property position (QPoint) -property_reader("QWindow", /::position\s*\(/, "position") -property_writer("QWindow", /::setPosition\s*\(/, "position") -# Property screen (QScreen_Native *) -property_reader("QWindow", /::screen\s*\(/, "screen") -property_writer("QWindow", /::setScreen\s*\(/, "screen") -# Property sizeIncrement (QSize) -property_reader("QWindow", /::sizeIncrement\s*\(/, "sizeIncrement") -property_writer("QWindow", /::setSizeIncrement\s*\(/, "sizeIncrement") -# Property surfaceType (QSurface_SurfaceType) -property_reader("QWindow", /::surfaceType\s*\(/, "surfaceType") -property_writer("QWindow", /::setSurfaceType\s*\(/, "surfaceType") -# Property transientParent (QWindow_Native *) -property_reader("QWindow", /::transientParent\s*\(/, "transientParent") -property_writer("QWindow", /::setTransientParent\s*\(/, "transientParent") -# Property windowState (Qt_WindowState) -property_reader("QWindow", /::windowState\s*\(/, "windowState") -property_writer("QWindow", /::setWindowState\s*\(/, "windowState") -# Property sideWidget (QWidget_Native *) -property_reader("QWizard", /::sideWidget\s*\(/, "sideWidget") -property_writer("QWizard", /::setSideWidget\s*\(/, "sideWidget") -# Property commitPage (bool) -property_reader("QWizardPage", /::isCommitPage\s*\(/, "commitPage") -property_writer("QWizardPage", /::setCommitPage\s*\(/, "commitPage") -# Property finalPage (bool) -property_reader("QWizardPage", /::isFinalPage\s*\(/, "finalPage") -property_writer("QWizardPage", /::setFinalPage\s*\(/, "finalPage") -# Property indentationDepth (int) -property_reader("QXmlFormatter", /::indentationDepth\s*\(/, "indentationDepth") -property_writer("QXmlFormatter", /::setIndentationDepth\s*\(/, "indentationDepth") +property_reader("QMediaRecorder", /::videoSettings\s*\(/, "videoSettings") +property_writer("QMediaRecorder", /::setVideoSettings\s*\(/, "videoSettings") +# Property muted (bool) +property_reader("QMediaRecorderControl", /::isMuted\s*\(/, "muted") +property_writer("QMediaRecorderControl", /::setMuted\s*\(/, "muted") +# Property state (QMediaRecorder_State) +property_reader("QMediaRecorderControl", /::state\s*\(/, "state") +property_writer("QMediaRecorderControl", /::setState\s*\(/, "state") +# Property volume (double) +property_reader("QMediaRecorderControl", /::volume\s*\(/, "volume") +property_writer("QMediaRecorderControl", /::setVolume\s*\(/, "volume") +# Property audioBitRate (int) +property_reader("QMediaResource", /::audioBitRate\s*\(/, "audioBitRate") +property_writer("QMediaResource", /::setAudioBitRate\s*\(/, "audioBitRate") +# Property audioCodec (string) +property_reader("QMediaResource", /::audioCodec\s*\(/, "audioCodec") +property_writer("QMediaResource", /::setAudioCodec\s*\(/, "audioCodec") +# Property channelCount (int) +property_reader("QMediaResource", /::channelCount\s*\(/, "channelCount") +property_writer("QMediaResource", /::setChannelCount\s*\(/, "channelCount") +# Property dataSize (long long) +property_reader("QMediaResource", /::dataSize\s*\(/, "dataSize") +property_writer("QMediaResource", /::setDataSize\s*\(/, "dataSize") +# Property language (string) +property_reader("QMediaResource", /::language\s*\(/, "language") +property_writer("QMediaResource", /::setLanguage\s*\(/, "language") +# Property resolution (QSize) +property_reader("QMediaResource", /::resolution\s*\(/, "resolution") +property_writer("QMediaResource", /::setResolution\s*\(/, "resolution") +# Property sampleRate (int) +property_reader("QMediaResource", /::sampleRate\s*\(/, "sampleRate") +property_writer("QMediaResource", /::setSampleRate\s*\(/, "sampleRate") +# Property videoBitRate (int) +property_reader("QMediaResource", /::videoBitRate\s*\(/, "videoBitRate") +property_writer("QMediaResource", /::setVideoBitRate\s*\(/, "videoBitRate") +# Property videoCodec (string) +property_reader("QMediaResource", /::videoCodec\s*\(/, "videoCodec") +property_writer("QMediaResource", /::setVideoCodec\s*\(/, "videoCodec") +# Property alternativeFrequenciesEnabled (bool) +property_reader("QRadioDataControl", /::isAlternativeFrequenciesEnabled\s*\(/, "alternativeFrequenciesEnabled") +property_writer("QRadioDataControl", /::setAlternativeFrequenciesEnabled\s*\(/, "alternativeFrequenciesEnabled") +# Property band (QRadioTuner_Band) +property_reader("QRadioTunerControl", /::band\s*\(/, "band") +property_writer("QRadioTunerControl", /::setBand\s*\(/, "band") +# Property frequency (int) +property_reader("QRadioTunerControl", /::frequency\s*\(/, "frequency") +property_writer("QRadioTunerControl", /::setFrequency\s*\(/, "frequency") +# Property muted (bool) +property_reader("QRadioTunerControl", /::isMuted\s*\(/, "muted") +property_writer("QRadioTunerControl", /::setMuted\s*\(/, "muted") +# Property stereoMode (QRadioTuner_StereoMode) +property_reader("QRadioTunerControl", /::stereoMode\s*\(/, "stereoMode") +property_writer("QRadioTunerControl", /::setStereoMode\s*\(/, "stereoMode") +# Property volume (int) +property_reader("QRadioTunerControl", /::volume\s*\(/, "volume") +property_writer("QRadioTunerControl", /::setVolume\s*\(/, "volume") +# Property loops (int) +property_reader("QSound", /::loops\s*\(/, "loops") +property_writer("QSound", /::setLoops\s*\(/, "loops") +# Property loopCount (int) +property_reader("QSoundEffect", /::loopCount\s*\(/, "loopCount") +property_writer("QSoundEffect", /::setLoopCount\s*\(/, "loopCount") +# Property selectedDevice (int) +property_reader("QVideoDeviceSelectorControl", /::selectedDevice\s*\(/, "selectedDevice") +property_writer("QVideoDeviceSelectorControl", /::setSelectedDevice\s*\(/, "selectedDevice") +# Property bitRate (int) +property_reader("QVideoEncoderSettings", /::bitRate\s*\(/, "bitRate") +property_writer("QVideoEncoderSettings", /::setBitRate\s*\(/, "bitRate") +# Property codec (string) +property_reader("QVideoEncoderSettings", /::codec\s*\(/, "codec") +property_writer("QVideoEncoderSettings", /::setCodec\s*\(/, "codec") +# Property encodingMode (QMultimedia_EncodingMode) +property_reader("QVideoEncoderSettings", /::encodingMode\s*\(/, "encodingMode") +property_writer("QVideoEncoderSettings", /::setEncodingMode\s*\(/, "encodingMode") +# Property encodingOptions (map) +property_reader("QVideoEncoderSettings", /::encodingOptions\s*\(/, "encodingOptions") +property_writer("QVideoEncoderSettings", /::setEncodingOptions\s*\(/, "encodingOptions") +# Property frameRate (double) +property_reader("QVideoEncoderSettings", /::frameRate\s*\(/, "frameRate") +property_writer("QVideoEncoderSettings", /::setFrameRate\s*\(/, "frameRate") +# Property quality (QMultimedia_EncodingQuality) +property_reader("QVideoEncoderSettings", /::quality\s*\(/, "quality") +property_writer("QVideoEncoderSettings", /::setQuality\s*\(/, "quality") +# Property resolution (QSize) +property_reader("QVideoEncoderSettings", /::resolution\s*\(/, "resolution") +property_writer("QVideoEncoderSettings", /::setResolution\s*\(/, "resolution") +# Property videoSettings (QVideoEncoderSettings) +property_reader("QVideoEncoderSettingsControl", /::videoSettings\s*\(/, "videoSettings") +property_writer("QVideoEncoderSettingsControl", /::setVideoSettings\s*\(/, "videoSettings") +# Property endTime (long long) +property_reader("QVideoFrame", /::endTime\s*\(/, "endTime") +property_writer("QVideoFrame", /::setEndTime\s*\(/, "endTime") +# Property fieldType (QVideoFrame_FieldType) +property_reader("QVideoFrame", /::fieldType\s*\(/, "fieldType") +property_writer("QVideoFrame", /::setFieldType\s*\(/, "fieldType") +# Property startTime (long long) +property_reader("QVideoFrame", /::startTime\s*\(/, "startTime") +property_writer("QVideoFrame", /::setStartTime\s*\(/, "startTime") +# Property surface (QAbstractVideoSurface_Native *) +property_reader("QVideoRendererControl", /::surface\s*\(/, "surface") +property_writer("QVideoRendererControl", /::setSurface\s*\(/, "surface") +# Property frameRate (double) +property_reader("QVideoSurfaceFormat", /::frameRate\s*\(/, "frameRate") +property_writer("QVideoSurfaceFormat", /::setFrameRate\s*\(/, "frameRate") +# Property frameSize (QSize) +property_reader("QVideoSurfaceFormat", /::frameSize\s*\(/, "frameSize") +property_writer("QVideoSurfaceFormat", /::setFrameSize\s*\(/, "frameSize") +# Property mirrored (bool) +property_reader("QVideoSurfaceFormat", /::isMirrored\s*\(/, "mirrored") +property_writer("QVideoSurfaceFormat", /::setMirrored\s*\(/, "mirrored") +# Property pixelAspectRatio (QSize) +property_reader("QVideoSurfaceFormat", /::pixelAspectRatio\s*\(/, "pixelAspectRatio") +property_writer("QVideoSurfaceFormat", /::setPixelAspectRatio\s*\(/, "pixelAspectRatio") +# Property scanLineDirection (QVideoSurfaceFormat_Direction) +property_reader("QVideoSurfaceFormat", /::scanLineDirection\s*\(/, "scanLineDirection") +property_writer("QVideoSurfaceFormat", /::setScanLineDirection\s*\(/, "scanLineDirection") +# Property viewport (QRect) +property_reader("QVideoSurfaceFormat", /::viewport\s*\(/, "viewport") +property_writer("QVideoSurfaceFormat", /::setViewport\s*\(/, "viewport") +# Property yCbCrColorSpace (QVideoSurfaceFormat_YCbCrColorSpace) +property_reader("QVideoSurfaceFormat", /::yCbCrColorSpace\s*\(/, "yCbCrColorSpace") +property_writer("QVideoSurfaceFormat", /::setYCbCrColorSpace\s*\(/, "yCbCrColorSpace") +# Property aspectRatioMode (Qt_AspectRatioMode) +property_reader("QVideoWindowControl", /::aspectRatioMode\s*\(/, "aspectRatioMode") +property_writer("QVideoWindowControl", /::setAspectRatioMode\s*\(/, "aspectRatioMode") +# Property brightness (int) +property_reader("QVideoWindowControl", /::brightness\s*\(/, "brightness") +property_writer("QVideoWindowControl", /::setBrightness\s*\(/, "brightness") +# Property contrast (int) +property_reader("QVideoWindowControl", /::contrast\s*\(/, "contrast") +property_writer("QVideoWindowControl", /::setContrast\s*\(/, "contrast") +# Property displayRect (QRect) +property_reader("QVideoWindowControl", /::displayRect\s*\(/, "displayRect") +property_writer("QVideoWindowControl", /::setDisplayRect\s*\(/, "displayRect") +# Property fullScreen (bool) +property_reader("QVideoWindowControl", /::isFullScreen\s*\(/, "fullScreen") +property_writer("QVideoWindowControl", /::setFullScreen\s*\(/, "fullScreen") +# Property hue (int) +property_reader("QVideoWindowControl", /::hue\s*\(/, "hue") +property_writer("QVideoWindowControl", /::setHue\s*\(/, "hue") +# Property saturation (int) +property_reader("QVideoWindowControl", /::saturation\s*\(/, "saturation") +property_writer("QVideoWindowControl", /::setSaturation\s*\(/, "saturation") +# Property winId (unsigned long long) +property_reader("QVideoWindowControl", /::winId\s*\(/, "winId") +property_writer("QVideoWindowControl", /::setWinId\s*\(/, "winId") +# Property languageChangeEnabled (bool) +property_reader("QUiLoader", /::isLanguageChangeEnabled\s*\(/, "languageChangeEnabled") +property_writer("QUiLoader", /::setLanguageChangeEnabled\s*\(/, "languageChangeEnabled") +# Property translationEnabled (bool) +property_reader("QUiLoader", /::isTranslationEnabled\s*\(/, "translationEnabled") +property_writer("QUiLoader", /::setTranslationEnabled\s*\(/, "translationEnabled") +# Property workingDirectory (QDir) +property_reader("QUiLoader", /::workingDirectory\s*\(/, "workingDirectory") +property_writer("QUiLoader", /::setWorkingDirectory\s*\(/, "workingDirectory") +# Property workingDirectory (QDir) +property_reader("QAbstractFormBuilder", /::workingDirectory\s*\(/, "workingDirectory") +property_writer("QAbstractFormBuilder", /::setWorkingDirectory\s*\(/, "workingDirectory") +# Property connectOptions (string) +property_reader("QSqlDatabase", /::connectOptions\s*\(/, "connectOptions") +property_writer("QSqlDatabase", /::setConnectOptions\s*\(/, "connectOptions") +# Property databaseName (string) +property_reader("QSqlDatabase", /::databaseName\s*\(/, "databaseName") +property_writer("QSqlDatabase", /::setDatabaseName\s*\(/, "databaseName") +# Property hostName (string) +property_reader("QSqlDatabase", /::hostName\s*\(/, "hostName") +property_writer("QSqlDatabase", /::setHostName\s*\(/, "hostName") +# Property numericalPrecisionPolicy (QSql_NumericalPrecisionPolicy) +property_reader("QSqlDatabase", /::numericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") +property_writer("QSqlDatabase", /::setNumericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") +# Property password (string) +property_reader("QSqlDatabase", /::password\s*\(/, "password") +property_writer("QSqlDatabase", /::setPassword\s*\(/, "password") +# Property port (int) +property_reader("QSqlDatabase", /::port\s*\(/, "port") +property_writer("QSqlDatabase", /::setPort\s*\(/, "port") +# Property userName (string) +property_reader("QSqlDatabase", /::userName\s*\(/, "userName") +property_writer("QSqlDatabase", /::setUserName\s*\(/, "userName") +# Property numericalPrecisionPolicy (QSql_NumericalPrecisionPolicy) +property_reader("QSqlDriver", /::numericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") +property_writer("QSqlDriver", /::setNumericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") +# Property databaseText (string) +property_reader("QSqlError", /::databaseText\s*\(/, "databaseText") +property_writer("QSqlError", /::setDatabaseText\s*\(/, "databaseText") +# Property driverText (string) +property_reader("QSqlError", /::driverText\s*\(/, "driverText") +property_writer("QSqlError", /::setDriverText\s*\(/, "driverText") +# Property number (int) +property_reader("QSqlError", /::number\s*\(/, "number") +property_writer("QSqlError", /::setNumber\s*\(/, "number") +# Property type (QSqlError_ErrorType) +property_reader("QSqlError", /::type\s*\(/, "type") +property_writer("QSqlError", /::setType\s*\(/, "type") +# Property autoValue (bool) +property_reader("QSqlField", /::isAutoValue\s*\(/, "autoValue") +property_writer("QSqlField", /::setAutoValue\s*\(/, "autoValue") +# Property defaultValue (variant) +property_reader("QSqlField", /::defaultValue\s*\(/, "defaultValue") +property_writer("QSqlField", /::setDefaultValue\s*\(/, "defaultValue") +# Property generated (bool) +property_reader("QSqlField", /::isGenerated\s*\(/, "generated") +property_writer("QSqlField", /::setGenerated\s*\(/, "generated") +# Property length (int) +property_reader("QSqlField", /::length\s*\(/, "length") +property_writer("QSqlField", /::setLength\s*\(/, "length") +# Property name (string) +property_reader("QSqlField", /::name\s*\(/, "name") +property_writer("QSqlField", /::setName\s*\(/, "name") +# Property precision (int) +property_reader("QSqlField", /::precision\s*\(/, "precision") +property_writer("QSqlField", /::setPrecision\s*\(/, "precision") +# Property readOnly (bool) +property_reader("QSqlField", /::isReadOnly\s*\(/, "readOnly") +property_writer("QSqlField", /::setReadOnly\s*\(/, "readOnly") +# Property requiredStatus (QSqlField_RequiredStatus) +property_reader("QSqlField", /::requiredStatus\s*\(/, "requiredStatus") +property_writer("QSqlField", /::setRequiredStatus\s*\(/, "requiredStatus") +# Property tableName (string) +property_reader("QSqlField", /::tableName\s*\(/, "tableName") +property_writer("QSqlField", /::setTableName\s*\(/, "tableName") +# Property type (QVariant_Type) +property_reader("QSqlField", /::type\s*\(/, "type") +property_writer("QSqlField", /::setType\s*\(/, "type") +# Property value (variant) +property_reader("QSqlField", /::value\s*\(/, "value") +property_writer("QSqlField", /::setValue\s*\(/, "value") +# Property cursorName (string) +property_reader("QSqlIndex", /::cursorName\s*\(/, "cursorName") +property_writer("QSqlIndex", /::setCursorName\s*\(/, "cursorName") +# Property name (string) +property_reader("QSqlIndex", /::name\s*\(/, "name") +property_writer("QSqlIndex", /::setName\s*\(/, "name") +# Property forwardOnly (bool) +property_reader("QSqlQuery", /::isForwardOnly\s*\(/, "forwardOnly") +property_writer("QSqlQuery", /::setForwardOnly\s*\(/, "forwardOnly") +# Property numericalPrecisionPolicy (QSql_NumericalPrecisionPolicy) +property_reader("QSqlQuery", /::numericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") +property_writer("QSqlQuery", /::setNumericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") +# Property query (QSqlQuery) +property_reader("QSqlQueryModel", /::query\s*\(/, "query") +property_writer("QSqlQueryModel", /::setQuery\s*\(/, "query") +# Property editStrategy (QSqlTableModel_EditStrategy) +property_reader("QSqlTableModel", /::editStrategy\s*\(/, "editStrategy") +property_writer("QSqlTableModel", /::setEditStrategy\s*\(/, "editStrategy") +# Property filter (string) +property_reader("QSqlTableModel", /::filter\s*\(/, "filter") +property_writer("QSqlTableModel", /::setFilter\s*\(/, "filter") +# Property pauseMode (QAbstractSocket_QFlags_PauseMode) +property_reader("QAbstractSocket", /::pauseMode\s*\(/, "pauseMode") +property_writer("QAbstractSocket", /::setPauseMode\s*\(/, "pauseMode") +# Property proxy (QNetworkProxy) +property_reader("QAbstractSocket", /::proxy\s*\(/, "proxy") +property_writer("QAbstractSocket", /::setProxy\s*\(/, "proxy") +# Property readBufferSize (long long) +property_reader("QAbstractSocket", /::readBufferSize\s*\(/, "readBufferSize") +property_writer("QAbstractSocket", /::setReadBufferSize\s*\(/, "readBufferSize") +# Property password (string) +property_reader("QAuthenticator", /::password\s*\(/, "password") +property_writer("QAuthenticator", /::setPassword\s*\(/, "password") +# Property realm (string) +property_reader("QAuthenticator", /::realm\s*\(/, "realm") +property_writer("QAuthenticator", /::setRealm\s*\(/, "realm") +# Property user (string) +property_reader("QAuthenticator", /::user\s*\(/, "user") +property_writer("QAuthenticator", /::setUser\s*\(/, "user") +# Property mtuHint (unsigned short) +property_reader("QDtls", /::mtuHint\s*\(/, "mtuHint") +property_writer("QDtls", /::setMtuHint\s*\(/, "mtuHint") +# Property scopeId (string) +property_reader("QHostAddress", /::scopeId\s*\(/, "scopeId") +property_writer("QHostAddress", /::setScopeId\s*\(/, "scopeId") +# Property addresses (QHostAddress[]) +property_reader("QHostInfo", /::addresses\s*\(/, "addresses") +property_writer("QHostInfo", /::setAddresses\s*\(/, "addresses") +# Property error (QHostInfo_HostInfoError) +property_reader("QHostInfo", /::error\s*\(/, "error") +property_writer("QHostInfo", /::setError\s*\(/, "error") +# Property errorString (string) +property_reader("QHostInfo", /::errorString\s*\(/, "errorString") +property_writer("QHostInfo", /::setErrorString\s*\(/, "errorString") +# Property hostName (string) +property_reader("QHostInfo", /::hostName\s*\(/, "hostName") +property_writer("QHostInfo", /::setHostName\s*\(/, "hostName") +# Property lookupId (int) +property_reader("QHostInfo", /::lookupId\s*\(/, "lookupId") +property_writer("QHostInfo", /::setLookupId\s*\(/, "lookupId") +# Property expiry (QDateTime) +property_reader("QHstsPolicy", /::expiry\s*\(/, "expiry") +property_writer("QHstsPolicy", /::setExpiry\s*\(/, "expiry") +# Property host (string) +property_reader("QHstsPolicy", /::host\s*\(/, "host") +property_writer("QHstsPolicy", /::setHost\s*\(/, "host") +# Property includesSubDomains (bool) +property_reader("QHstsPolicy", /::includesSubDomains\s*\(/, "includesSubDomains") +property_writer("QHstsPolicy", /::setIncludesSubDomains\s*\(/, "includesSubDomains") +# Property boundary (byte array) +property_reader("QHttpMultiPart", /::boundary\s*\(/, "boundary") +property_writer("QHttpMultiPart", /::setBoundary\s*\(/, "boundary") +# Property maxPendingConnections (int) +property_reader("QLocalServer", /::maxPendingConnections\s*\(/, "maxPendingConnections") +property_writer("QLocalServer", /::setMaxPendingConnections\s*\(/, "maxPendingConnections") +# Property readBufferSize (long long) +property_reader("QLocalSocket", /::readBufferSize\s*\(/, "readBufferSize") +property_writer("QLocalSocket", /::setReadBufferSize\s*\(/, "readBufferSize") +# Property serverName (string) +property_reader("QLocalSocket", /::serverName\s*\(/, "serverName") +property_writer("QLocalSocket", /::setServerName\s*\(/, "serverName") +# Property cache (QAbstractNetworkCache_Native *) +property_reader("QNetworkAccessManager", /::cache\s*\(/, "cache") +property_writer("QNetworkAccessManager", /::setCache\s*\(/, "cache") +# Property configuration (QNetworkConfiguration) +property_reader("QNetworkAccessManager", /::configuration\s*\(/, "configuration") +property_writer("QNetworkAccessManager", /::setConfiguration\s*\(/, "configuration") +# Property cookieJar (QNetworkCookieJar_Native *) +property_reader("QNetworkAccessManager", /::cookieJar\s*\(/, "cookieJar") +property_writer("QNetworkAccessManager", /::setCookieJar\s*\(/, "cookieJar") +# Property proxy (QNetworkProxy) +property_reader("QNetworkAccessManager", /::proxy\s*\(/, "proxy") +property_writer("QNetworkAccessManager", /::setProxy\s*\(/, "proxy") +# Property proxyFactory (QNetworkProxyFactory_Native *) +property_reader("QNetworkAccessManager", /::proxyFactory\s*\(/, "proxyFactory") +property_writer("QNetworkAccessManager", /::setProxyFactory\s*\(/, "proxyFactory") +# Property redirectPolicy (QNetworkRequest_RedirectPolicy) +property_reader("QNetworkAccessManager", /::redirectPolicy\s*\(/, "redirectPolicy") +property_writer("QNetworkAccessManager", /::setRedirectPolicy\s*\(/, "redirectPolicy") +# Property strictTransportSecurityEnabled (bool) +property_reader("QNetworkAccessManager", /::isStrictTransportSecurityEnabled\s*\(/, "strictTransportSecurityEnabled") +property_writer("QNetworkAccessManager", /::setStrictTransportSecurityEnabled\s*\(/, "strictTransportSecurityEnabled") +# Property broadcast (QHostAddress) +property_reader("QNetworkAddressEntry", /::broadcast\s*\(/, "broadcast") +property_writer("QNetworkAddressEntry", /::setBroadcast\s*\(/, "broadcast") +# Property dnsEligibility (QNetworkAddressEntry_DnsEligibilityStatus) +property_reader("QNetworkAddressEntry", /::dnsEligibility\s*\(/, "dnsEligibility") +property_writer("QNetworkAddressEntry", /::setDnsEligibility\s*\(/, "dnsEligibility") +# Property ip (QHostAddress) +property_reader("QNetworkAddressEntry", /::ip\s*\(/, "ip") +property_writer("QNetworkAddressEntry", /::setIp\s*\(/, "ip") +# Property netmask (QHostAddress) +property_reader("QNetworkAddressEntry", /::netmask\s*\(/, "netmask") +property_writer("QNetworkAddressEntry", /::setNetmask\s*\(/, "netmask") +# Property prefixLength (int) +property_reader("QNetworkAddressEntry", /::prefixLength\s*\(/, "prefixLength") +property_writer("QNetworkAddressEntry", /::setPrefixLength\s*\(/, "prefixLength") +# Property expirationDate (QDateTime) +property_reader("QNetworkCacheMetaData", /::expirationDate\s*\(/, "expirationDate") +property_writer("QNetworkCacheMetaData", /::setExpirationDate\s*\(/, "expirationDate") +# Property lastModified (QDateTime) +property_reader("QNetworkCacheMetaData", /::lastModified\s*\(/, "lastModified") +property_writer("QNetworkCacheMetaData", /::setLastModified\s*\(/, "lastModified") +# Property rawHeaders (QPair_QByteArray_QByteArray[]) +property_reader("QNetworkCacheMetaData", /::rawHeaders\s*\(/, "rawHeaders") +property_writer("QNetworkCacheMetaData", /::setRawHeaders\s*\(/, "rawHeaders") +# Property saveToDisk (bool) +property_reader("QNetworkCacheMetaData", /::saveToDisk\s*\(/, "saveToDisk") +property_writer("QNetworkCacheMetaData", /::setSaveToDisk\s*\(/, "saveToDisk") +# Property url (QUrl) +property_reader("QNetworkCacheMetaData", /::url\s*\(/, "url") +property_writer("QNetworkCacheMetaData", /::setUrl\s*\(/, "url") +# Property domain (string) +property_reader("QNetworkCookie", /::domain\s*\(/, "domain") +property_writer("QNetworkCookie", /::setDomain\s*\(/, "domain") +# Property expirationDate (QDateTime) +property_reader("QNetworkCookie", /::expirationDate\s*\(/, "expirationDate") +property_writer("QNetworkCookie", /::setExpirationDate\s*\(/, "expirationDate") +# Property httpOnly (bool) +property_reader("QNetworkCookie", /::isHttpOnly\s*\(/, "httpOnly") +property_writer("QNetworkCookie", /::setHttpOnly\s*\(/, "httpOnly") +# Property name (byte array) +property_reader("QNetworkCookie", /::name\s*\(/, "name") +property_writer("QNetworkCookie", /::setName\s*\(/, "name") +# Property path (string) +property_reader("QNetworkCookie", /::path\s*\(/, "path") +property_writer("QNetworkCookie", /::setPath\s*\(/, "path") +# Property secure (bool) +property_reader("QNetworkCookie", /::isSecure\s*\(/, "secure") +property_writer("QNetworkCookie", /::setSecure\s*\(/, "secure") +# Property value (byte array) +property_reader("QNetworkCookie", /::value\s*\(/, "value") +property_writer("QNetworkCookie", /::setValue\s*\(/, "value") +# Property data (byte array) +property_reader("QNetworkDatagram", /::data\s*\(/, "data") +property_writer("QNetworkDatagram", /::setData\s*\(/, "data") +# Property hopLimit (int) +property_reader("QNetworkDatagram", /::hopLimit\s*\(/, "hopLimit") +property_writer("QNetworkDatagram", /::setHopLimit\s*\(/, "hopLimit") +# Property interfaceIndex (unsigned int) +property_reader("QNetworkDatagram", /::interfaceIndex\s*\(/, "interfaceIndex") +property_writer("QNetworkDatagram", /::setInterfaceIndex\s*\(/, "interfaceIndex") +# Property cacheDirectory (string) +property_reader("QNetworkDiskCache", /::cacheDirectory\s*\(/, "cacheDirectory") +property_writer("QNetworkDiskCache", /::setCacheDirectory\s*\(/, "cacheDirectory") +# Property maximumCacheSize (long long) +property_reader("QNetworkDiskCache", /::maximumCacheSize\s*\(/, "maximumCacheSize") +property_writer("QNetworkDiskCache", /::setMaximumCacheSize\s*\(/, "maximumCacheSize") +# Property applicationProxy (QNetworkProxy) +property_reader("QNetworkProxy", /::applicationProxy\s*\(/, "applicationProxy") +property_writer("QNetworkProxy", /::setApplicationProxy\s*\(/, "applicationProxy") +# Property capabilities (QNetworkProxy_QFlags_Capability) +property_reader("QNetworkProxy", /::capabilities\s*\(/, "capabilities") +property_writer("QNetworkProxy", /::setCapabilities\s*\(/, "capabilities") +# Property hostName (string) +property_reader("QNetworkProxy", /::hostName\s*\(/, "hostName") +property_writer("QNetworkProxy", /::setHostName\s*\(/, "hostName") +# Property password (string) +property_reader("QNetworkProxy", /::password\s*\(/, "password") +property_writer("QNetworkProxy", /::setPassword\s*\(/, "password") +# Property port (unsigned short) +property_reader("QNetworkProxy", /::port\s*\(/, "port") +property_writer("QNetworkProxy", /::setPort\s*\(/, "port") +# Property type (QNetworkProxy_ProxyType) +property_reader("QNetworkProxy", /::type\s*\(/, "type") +property_writer("QNetworkProxy", /::setType\s*\(/, "type") +# Property user (string) +property_reader("QNetworkProxy", /::user\s*\(/, "user") +property_writer("QNetworkProxy", /::setUser\s*\(/, "user") +# Property localPort (int) +property_reader("QNetworkProxyQuery", /::localPort\s*\(/, "localPort") +property_writer("QNetworkProxyQuery", /::setLocalPort\s*\(/, "localPort") +# Property networkConfiguration (QNetworkConfiguration) +property_reader("QNetworkProxyQuery", /::networkConfiguration\s*\(/, "networkConfiguration") +property_writer("QNetworkProxyQuery", /::setNetworkConfiguration\s*\(/, "networkConfiguration") +# Property peerHostName (string) +property_reader("QNetworkProxyQuery", /::peerHostName\s*\(/, "peerHostName") +property_writer("QNetworkProxyQuery", /::setPeerHostName\s*\(/, "peerHostName") +# Property peerPort (int) +property_reader("QNetworkProxyQuery", /::peerPort\s*\(/, "peerPort") +property_writer("QNetworkProxyQuery", /::setPeerPort\s*\(/, "peerPort") +# Property protocolTag (string) +property_reader("QNetworkProxyQuery", /::protocolTag\s*\(/, "protocolTag") +property_writer("QNetworkProxyQuery", /::setProtocolTag\s*\(/, "protocolTag") +# Property queryType (QNetworkProxyQuery_QueryType) +property_reader("QNetworkProxyQuery", /::queryType\s*\(/, "queryType") +property_writer("QNetworkProxyQuery", /::setQueryType\s*\(/, "queryType") +# Property url (QUrl) +property_reader("QNetworkProxyQuery", /::url\s*\(/, "url") +property_writer("QNetworkProxyQuery", /::setUrl\s*\(/, "url") +# Property readBufferSize (long long) +property_reader("QNetworkReply", /::readBufferSize\s*\(/, "readBufferSize") +property_writer("QNetworkReply", /::setReadBufferSize\s*\(/, "readBufferSize") +# Property sslConfiguration (QSslConfiguration) +property_reader("QNetworkReply", /::sslConfiguration\s*\(/, "sslConfiguration") +property_writer("QNetworkReply", /::setSslConfiguration\s*\(/, "sslConfiguration") +# Property maximumRedirectsAllowed (int) +property_reader("QNetworkRequest", /::maximumRedirectsAllowed\s*\(/, "maximumRedirectsAllowed") +property_writer("QNetworkRequest", /::setMaximumRedirectsAllowed\s*\(/, "maximumRedirectsAllowed") +# Property originatingObject (QObject_Native *) +property_reader("QNetworkRequest", /::originatingObject\s*\(/, "originatingObject") +property_writer("QNetworkRequest", /::setOriginatingObject\s*\(/, "originatingObject") +# Property priority (QNetworkRequest_Priority) +property_reader("QNetworkRequest", /::priority\s*\(/, "priority") +property_writer("QNetworkRequest", /::setPriority\s*\(/, "priority") +# Property sslConfiguration (QSslConfiguration) +property_reader("QNetworkRequest", /::sslConfiguration\s*\(/, "sslConfiguration") +property_writer("QNetworkRequest", /::setSslConfiguration\s*\(/, "sslConfiguration") +# Property url (QUrl) +property_reader("QNetworkRequest", /::url\s*\(/, "url") +property_writer("QNetworkRequest", /::setUrl\s*\(/, "url") +# Property allowedNextProtocols (byte array[]) +property_reader("QSslConfiguration", /::allowedNextProtocols\s*\(/, "allowedNextProtocols") +property_writer("QSslConfiguration", /::setAllowedNextProtocols\s*\(/, "allowedNextProtocols") +# Property backendConfiguration (map) +property_reader("QSslConfiguration", /::backendConfiguration\s*\(/, "backendConfiguration") +property_writer("QSslConfiguration", /::setBackendConfiguration\s*\(/, "backendConfiguration") +# Property caCertificates (QSslCertificate[]) +property_reader("QSslConfiguration", /::caCertificates\s*\(/, "caCertificates") +property_writer("QSslConfiguration", /::setCaCertificates\s*\(/, "caCertificates") +# Property ciphers (QSslCipher[]) +property_reader("QSslConfiguration", /::ciphers\s*\(/, "ciphers") +property_writer("QSslConfiguration", /::setCiphers\s*\(/, "ciphers") +# Property defaultConfiguration (QSslConfiguration) +property_reader("QSslConfiguration", /::defaultConfiguration\s*\(/, "defaultConfiguration") +property_writer("QSslConfiguration", /::setDefaultConfiguration\s*\(/, "defaultConfiguration") +# Property defaultDtlsConfiguration (QSslConfiguration) +property_reader("QSslConfiguration", /::defaultDtlsConfiguration\s*\(/, "defaultDtlsConfiguration") +property_writer("QSslConfiguration", /::setDefaultDtlsConfiguration\s*\(/, "defaultDtlsConfiguration") +# Property diffieHellmanParameters (QSslDiffieHellmanParameters) +property_reader("QSslConfiguration", /::diffieHellmanParameters\s*\(/, "diffieHellmanParameters") +property_writer("QSslConfiguration", /::setDiffieHellmanParameters\s*\(/, "diffieHellmanParameters") +# Property dtlsCookieVerificationEnabled (bool) +property_reader("QSslConfiguration", /::dtlsCookieVerificationEnabled\s*\(/, "dtlsCookieVerificationEnabled") +property_writer("QSslConfiguration", /::setDtlsCookieVerificationEnabled\s*\(/, "dtlsCookieVerificationEnabled") +# Property ellipticCurves (QSslEllipticCurve[]) +property_reader("QSslConfiguration", /::ellipticCurves\s*\(/, "ellipticCurves") +property_writer("QSslConfiguration", /::setEllipticCurves\s*\(/, "ellipticCurves") +# Property localCertificate (QSslCertificate) +property_reader("QSslConfiguration", /::localCertificate\s*\(/, "localCertificate") +property_writer("QSslConfiguration", /::setLocalCertificate\s*\(/, "localCertificate") +# Property localCertificateChain (QSslCertificate[]) +property_reader("QSslConfiguration", /::localCertificateChain\s*\(/, "localCertificateChain") +property_writer("QSslConfiguration", /::setLocalCertificateChain\s*\(/, "localCertificateChain") +# Property peerVerifyDepth (int) +property_reader("QSslConfiguration", /::peerVerifyDepth\s*\(/, "peerVerifyDepth") +property_writer("QSslConfiguration", /::setPeerVerifyDepth\s*\(/, "peerVerifyDepth") +# Property peerVerifyMode (QSslSocket_PeerVerifyMode) +property_reader("QSslConfiguration", /::peerVerifyMode\s*\(/, "peerVerifyMode") +property_writer("QSslConfiguration", /::setPeerVerifyMode\s*\(/, "peerVerifyMode") +# Property preSharedKeyIdentityHint (byte array) +property_reader("QSslConfiguration", /::preSharedKeyIdentityHint\s*\(/, "preSharedKeyIdentityHint") +property_writer("QSslConfiguration", /::setPreSharedKeyIdentityHint\s*\(/, "preSharedKeyIdentityHint") +# Property privateKey (QSslKey) +property_reader("QSslConfiguration", /::privateKey\s*\(/, "privateKey") +property_writer("QSslConfiguration", /::setPrivateKey\s*\(/, "privateKey") +# Property protocol (QSsl_SslProtocol) +property_reader("QSslConfiguration", /::protocol\s*\(/, "protocol") +property_writer("QSslConfiguration", /::setProtocol\s*\(/, "protocol") +# Property sessionTicket (byte array) +property_reader("QSslConfiguration", /::sessionTicket\s*\(/, "sessionTicket") +property_writer("QSslConfiguration", /::setSessionTicket\s*\(/, "sessionTicket") +# Property identity (byte array) +property_reader("QSslPreSharedKeyAuthenticator", /::identity\s*\(/, "identity") +property_writer("QSslPreSharedKeyAuthenticator", /::setIdentity\s*\(/, "identity") +# Property preSharedKey (byte array) +property_reader("QSslPreSharedKeyAuthenticator", /::preSharedKey\s*\(/, "preSharedKey") +property_writer("QSslPreSharedKeyAuthenticator", /::setPreSharedKey\s*\(/, "preSharedKey") +# Property caCertificates (QSslCertificate[]) +property_reader("QSslSocket", /::caCertificates\s*\(/, "caCertificates") +property_writer("QSslSocket", /::setCaCertificates\s*\(/, "caCertificates") +# Property ciphers (QSslCipher[]) +property_reader("QSslSocket", /::ciphers\s*\(/, "ciphers") +property_writer("QSslSocket", /::setCiphers\s*\(/, "ciphers") +# Property defaultCaCertificates (QSslCertificate[]) +property_reader("QSslSocket", /::defaultCaCertificates\s*\(/, "defaultCaCertificates") +property_writer("QSslSocket", /::setDefaultCaCertificates\s*\(/, "defaultCaCertificates") +# Property defaultCiphers (QSslCipher[]) +property_reader("QSslSocket", /::defaultCiphers\s*\(/, "defaultCiphers") +property_writer("QSslSocket", /::setDefaultCiphers\s*\(/, "defaultCiphers") +# Property localCertificate (QSslCertificate) +property_reader("QSslSocket", /::localCertificate\s*\(/, "localCertificate") +property_writer("QSslSocket", /::setLocalCertificate\s*\(/, "localCertificate") +# Property localCertificateChain (QSslCertificate[]) +property_reader("QSslSocket", /::localCertificateChain\s*\(/, "localCertificateChain") +property_writer("QSslSocket", /::setLocalCertificateChain\s*\(/, "localCertificateChain") +# Property peerVerifyDepth (int) +property_reader("QSslSocket", /::peerVerifyDepth\s*\(/, "peerVerifyDepth") +property_writer("QSslSocket", /::setPeerVerifyDepth\s*\(/, "peerVerifyDepth") +# Property peerVerifyMode (QSslSocket_PeerVerifyMode) +property_reader("QSslSocket", /::peerVerifyMode\s*\(/, "peerVerifyMode") +property_writer("QSslSocket", /::setPeerVerifyMode\s*\(/, "peerVerifyMode") +# Property peerVerifyName (string) +property_reader("QSslSocket", /::peerVerifyName\s*\(/, "peerVerifyName") +property_writer("QSslSocket", /::setPeerVerifyName\s*\(/, "peerVerifyName") +# Property privateKey (QSslKey) +property_reader("QSslSocket", /::privateKey\s*\(/, "privateKey") +property_writer("QSslSocket", /::setPrivateKey\s*\(/, "privateKey") +# Property protocol (QSsl_SslProtocol) +property_reader("QSslSocket", /::protocol\s*\(/, "protocol") +property_writer("QSslSocket", /::setProtocol\s*\(/, "protocol") +# Property readBufferSize (long long) +property_reader("QAbstractSocket", /::readBufferSize\s*\(/, "readBufferSize") +property_writer("QSslSocket", /::setReadBufferSize\s*\(/, "readBufferSize") +# Property sslConfiguration (QSslConfiguration) +property_reader("QSslSocket", /::sslConfiguration\s*\(/, "sslConfiguration") +property_writer("QSslSocket", /::setSslConfiguration\s*\(/, "sslConfiguration") +# Property maxPendingConnections (int) +property_reader("QTcpServer", /::maxPendingConnections\s*\(/, "maxPendingConnections") +property_writer("QTcpServer", /::setMaxPendingConnections\s*\(/, "maxPendingConnections") +# Property proxy (QNetworkProxy) +property_reader("QTcpServer", /::proxy\s*\(/, "proxy") +property_writer("QTcpServer", /::setProxy\s*\(/, "proxy") +# Property multicastInterface (QNetworkInterface) +property_reader("QUdpSocket", /::multicastInterface\s*\(/, "multicastInterface") +property_writer("QUdpSocket", /::setMulticastInterface\s*\(/, "multicastInterface") +# Property value (string) +property_reader("QDomAttr", /::value\s*\(/, "value") +property_writer("QDomAttr", /::setValue\s*\(/, "value") +# Property data (string) +property_reader("QDomCharacterData", /::data\s*\(/, "data") +property_writer("QDomCharacterData", /::setData\s*\(/, "data") +# Property tagName (string) +property_reader("QDomElement", /::tagName\s*\(/, "tagName") +property_writer("QDomElement", /::setTagName\s*\(/, "tagName") +# Property invalidDataPolicy (QDomImplementation_InvalidDataPolicy) +property_reader("QDomImplementation", /::invalidDataPolicy\s*\(/, "invalidDataPolicy") +property_writer("QDomImplementation", /::setInvalidDataPolicy\s*\(/, "invalidDataPolicy") +# Property nodeValue (string) +property_reader("QDomNode", /::nodeValue\s*\(/, "nodeValue") +property_writer("QDomNode", /::setNodeValue\s*\(/, "nodeValue") +# Property prefix (string) +property_reader("QDomNode", /::prefix\s*\(/, "prefix") +property_writer("QDomNode", /::setPrefix\s*\(/, "prefix") +# Property data (string) +property_reader("QDomProcessingInstruction", /::data\s*\(/, "data") +property_writer("QDomProcessingInstruction", /::setData\s*\(/, "data") # Property data (string) property_reader("QXmlInputSource", /::data\s*\(/, "data") property_writer("QXmlInputSource", /::setData\s*\(/, "data") -# Property initialTemplateName (QXmlName) -property_reader("QXmlQuery", /::initialTemplateName\s*\(/, "initialTemplateName") -property_writer("QXmlQuery", /::setInitialTemplateName\s*\(/, "initialTemplateName") -# Property messageHandler (QAbstractMessageHandler_Native *) -property_reader("QXmlQuery", /::messageHandler\s*\(/, "messageHandler") -property_writer("QXmlQuery", /::setMessageHandler\s*\(/, "messageHandler") -# Property networkAccessManager (QNetworkAccessManager_Native *) -property_reader("QXmlQuery", /::networkAccessManager\s*\(/, "networkAccessManager") -property_writer("QXmlQuery", /::setNetworkAccessManager\s*\(/, "networkAccessManager") -# Property uriResolver (QAbstractUriResolver_Native *) -property_reader("QXmlQuery", /::uriResolver\s*\(/, "uriResolver") -property_writer("QXmlQuery", /::setUriResolver\s*\(/, "uriResolver") # Property contentHandler (QXmlContentHandler_Native *) property_reader("QXmlReader", /::contentHandler\s*\(/, "contentHandler") property_writer("QXmlReader", /::setContentHandler\s*\(/, "contentHandler") @@ -15352,30 +15833,6 @@ property_writer("QXmlReader", /::setErrorHandler\s*\(/, "errorHandler") # Property lexicalHandler (QXmlLexicalHandler_Native *) property_reader("QXmlReader", /::lexicalHandler\s*\(/, "lexicalHandler") property_writer("QXmlReader", /::setLexicalHandler\s*\(/, "lexicalHandler") -# Property messageHandler (QAbstractMessageHandler_Native *) -property_reader("QXmlSchema", /::messageHandler\s*\(/, "messageHandler") -property_writer("QXmlSchema", /::setMessageHandler\s*\(/, "messageHandler") -# Property networkAccessManager (QNetworkAccessManager_Native *) -property_reader("QXmlSchema", /::networkAccessManager\s*\(/, "networkAccessManager") -property_writer("QXmlSchema", /::setNetworkAccessManager\s*\(/, "networkAccessManager") -# Property uriResolver (QAbstractUriResolver_Native *) -property_reader("QXmlSchema", /::uriResolver\s*\(/, "uriResolver") -property_writer("QXmlSchema", /::setUriResolver\s*\(/, "uriResolver") -# Property messageHandler (QAbstractMessageHandler_Native *) -property_reader("QXmlSchemaValidator", /::messageHandler\s*\(/, "messageHandler") -property_writer("QXmlSchemaValidator", /::setMessageHandler\s*\(/, "messageHandler") -# Property networkAccessManager (QNetworkAccessManager_Native *) -property_reader("QXmlSchemaValidator", /::networkAccessManager\s*\(/, "networkAccessManager") -property_writer("QXmlSchemaValidator", /::setNetworkAccessManager\s*\(/, "networkAccessManager") -# Property schema (QXmlSchema) -property_reader("QXmlSchemaValidator", /::schema\s*\(/, "schema") -property_writer("QXmlSchemaValidator", /::setSchema\s*\(/, "schema") -# Property uriResolver (QAbstractUriResolver_Native *) -property_reader("QXmlSchemaValidator", /::uriResolver\s*\(/, "uriResolver") -property_writer("QXmlSchemaValidator", /::setUriResolver\s*\(/, "uriResolver") -# Property codec (QTextCodec_Native *) -property_reader("QXmlSerializer", /::codec\s*\(/, "codec") -property_writer("QXmlSerializer", /::setCodec\s*\(/, "codec") # Property contentHandler (QXmlContentHandler_Native *) property_reader("QXmlSimpleReader", /::contentHandler\s*\(/, "contentHandler") property_writer("QXmlSimpleReader", /::setContentHandler\s*\(/, "contentHandler") @@ -15391,24 +15848,3 @@ property_writer("QXmlSimpleReader", /::setErrorHandler\s*\(/, "errorHandler") # Property lexicalHandler (QXmlLexicalHandler_Native *) property_reader("QXmlSimpleReader", /::lexicalHandler\s*\(/, "lexicalHandler") property_writer("QXmlSimpleReader", /::setLexicalHandler\s*\(/, "lexicalHandler") -# Property device (QIODevice *) -property_reader("QXmlStreamReader", /::device\s*\(/, "device") -property_writer("QXmlStreamReader", /::setDevice\s*\(/, "device") -# Property entityResolver (QXmlStreamEntityResolver_Native *) -property_reader("QXmlStreamReader", /::entityResolver\s*\(/, "entityResolver") -property_writer("QXmlStreamReader", /::setEntityResolver\s*\(/, "entityResolver") -# Property namespaceProcessing (bool) -property_reader("QXmlStreamReader", /::namespaceProcessing\s*\(/, "namespaceProcessing") -property_writer("QXmlStreamReader", /::setNamespaceProcessing\s*\(/, "namespaceProcessing") -# Property autoFormatting (bool) -property_reader("QXmlStreamWriter", /::autoFormatting\s*\(/, "autoFormatting") -property_writer("QXmlStreamWriter", /::setAutoFormatting\s*\(/, "autoFormatting") -# Property autoFormattingIndent (int) -property_reader("QXmlStreamWriter", /::autoFormattingIndent\s*\(/, "autoFormattingIndent") -property_writer("QXmlStreamWriter", /::setAutoFormattingIndent\s*\(/, "autoFormattingIndent") -# Property codec (QTextCodec_Native *) -property_reader("QXmlStreamWriter", /::codec\s*\(/, "codec") -property_writer("QXmlStreamWriter", /::setCodec\s*\(/, "codec") -# Property device (QIODevice *) -property_reader("QXmlStreamWriter", /::device\s*\(/, "device") -property_writer("QXmlStreamWriter", /::setDevice\s*\(/, "device") diff --git a/scripts/mkqtdecl6/mkqtdecl.events b/scripts/mkqtdecl6/mkqtdecl.events index 5c493c6a35..d2f7ccf7c6 100644 --- a/scripts/mkqtdecl6/mkqtdecl.events +++ b/scripts/mkqtdecl6/mkqtdecl.events @@ -10,7 +10,7 @@ event("QAbstractEventDispatcher", /::aboutToBlock\s*\(/, "") event("QAbstractEventDispatcher", /::awake\s*\(/, "") event("QAbstractItemModel", /::destroyed\s*\(/, "QObject*") event("QAbstractItemModel", /::objectNameChanged\s*\(/, "QString") -event("QAbstractItemModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QVector") +event("QAbstractItemModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QList") event("QAbstractItemModel", /::headerDataChanged\s*\(/, "Qt::Orientation, int, int") event("QAbstractItemModel", /::layoutChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") event("QAbstractItemModel", /::layoutAboutToBeChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") @@ -30,7 +30,7 @@ event("QAbstractItemModel", /::columnsAboutToBeMoved\s*\(/, "QModelIndex, int, i event("QAbstractItemModel", /::columnsMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") event("QAbstractListModel", /::destroyed\s*\(/, "QObject*") event("QAbstractListModel", /::objectNameChanged\s*\(/, "QString") -event("QAbstractListModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QVector") +event("QAbstractListModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QList") event("QAbstractListModel", /::headerDataChanged\s*\(/, "Qt::Orientation, int, int") event("QAbstractListModel", /::layoutChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") event("QAbstractListModel", /::layoutAboutToBeChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") @@ -50,7 +50,7 @@ event("QAbstractListModel", /::columnsAboutToBeMoved\s*\(/, "QModelIndex, int, i event("QAbstractListModel", /::columnsMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") event("QAbstractProxyModel", /::destroyed\s*\(/, "QObject*") event("QAbstractProxyModel", /::objectNameChanged\s*\(/, "QString") -event("QAbstractProxyModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QVector") +event("QAbstractProxyModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QList") event("QAbstractProxyModel", /::headerDataChanged\s*\(/, "Qt::Orientation, int, int") event("QAbstractProxyModel", /::layoutChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") event("QAbstractProxyModel", /::layoutAboutToBeChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") @@ -69,14 +69,9 @@ event("QAbstractProxyModel", /::rowsMoved\s*\(/, "QModelIndex, int, int, QModelI event("QAbstractProxyModel", /::columnsAboutToBeMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") event("QAbstractProxyModel", /::columnsMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") event("QAbstractProxyModel", /::sourceModelChanged\s*\(/, "") -event("QAbstractState", /::destroyed\s*\(/, "QObject*") -event("QAbstractState", /::objectNameChanged\s*\(/, "QString") -event("QAbstractState", /::entered\s*\(/, "") -event("QAbstractState", /::exited\s*\(/, "") -event("QAbstractState", /::activeChanged\s*\(/, "bool") event("QAbstractTableModel", /::destroyed\s*\(/, "QObject*") event("QAbstractTableModel", /::objectNameChanged\s*\(/, "QString") -event("QAbstractTableModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QVector") +event("QAbstractTableModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QList") event("QAbstractTableModel", /::headerDataChanged\s*\(/, "Qt::Orientation, int, int") event("QAbstractTableModel", /::layoutChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") event("QAbstractTableModel", /::layoutAboutToBeChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") @@ -94,11 +89,6 @@ event("QAbstractTableModel", /::rowsAboutToBeMoved\s*\(/, "QModelIndex, int, int event("QAbstractTableModel", /::rowsMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") event("QAbstractTableModel", /::columnsAboutToBeMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") event("QAbstractTableModel", /::columnsMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") -event("QAbstractTransition", /::destroyed\s*\(/, "QObject*") -event("QAbstractTransition", /::objectNameChanged\s*\(/, "QString") -event("QAbstractTransition", /::triggered\s*\(/, "") -event("QAbstractTransition", /::targetStateChanged\s*\(/, "") -event("QAbstractTransition", /::targetStatesChanged\s*\(/, "") event("QAnimationDriver", /::destroyed\s*\(/, "QObject*") event("QAnimationDriver", /::objectNameChanged\s*\(/, "QString") event("QAnimationDriver", /::started\s*\(/, "") @@ -117,6 +107,26 @@ event("QBuffer", /::bytesWritten\s*\(/, "qlonglong") event("QBuffer", /::channelBytesWritten\s*\(/, "int, qlonglong") event("QBuffer", /::aboutToClose\s*\(/, "") event("QBuffer", /::readChannelFinished\s*\(/, "") +event("QConcatenateTablesProxyModel", /::destroyed\s*\(/, "QObject*") +event("QConcatenateTablesProxyModel", /::objectNameChanged\s*\(/, "QString") +event("QConcatenateTablesProxyModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QList") +event("QConcatenateTablesProxyModel", /::headerDataChanged\s*\(/, "Qt::Orientation, int, int") +event("QConcatenateTablesProxyModel", /::layoutChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") +event("QConcatenateTablesProxyModel", /::layoutAboutToBeChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") +event("QConcatenateTablesProxyModel", /::rowsAboutToBeInserted\s*\(/, "QModelIndex, int, int") +event("QConcatenateTablesProxyModel", /::rowsInserted\s*\(/, "QModelIndex, int, int") +event("QConcatenateTablesProxyModel", /::rowsAboutToBeRemoved\s*\(/, "QModelIndex, int, int") +event("QConcatenateTablesProxyModel", /::rowsRemoved\s*\(/, "QModelIndex, int, int") +event("QConcatenateTablesProxyModel", /::columnsAboutToBeInserted\s*\(/, "QModelIndex, int, int") +event("QConcatenateTablesProxyModel", /::columnsInserted\s*\(/, "QModelIndex, int, int") +event("QConcatenateTablesProxyModel", /::columnsAboutToBeRemoved\s*\(/, "QModelIndex, int, int") +event("QConcatenateTablesProxyModel", /::columnsRemoved\s*\(/, "QModelIndex, int, int") +event("QConcatenateTablesProxyModel", /::modelAboutToBeReset\s*\(/, "") +event("QConcatenateTablesProxyModel", /::modelReset\s*\(/, "") +event("QConcatenateTablesProxyModel", /::rowsAboutToBeMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") +event("QConcatenateTablesProxyModel", /::rowsMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") +event("QConcatenateTablesProxyModel", /::columnsAboutToBeMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") +event("QConcatenateTablesProxyModel", /::columnsMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") event("QCoreApplication", /::destroyed\s*\(/, "QObject*") event("QCoreApplication", /::objectNameChanged\s*\(/, "QString") event("QCoreApplication", /::aboutToQuit\s*\(/, "") @@ -126,11 +136,6 @@ event("QCoreApplication", /::applicationNameChanged\s*\(/, "") event("QCoreApplication", /::applicationVersionChanged\s*\(/, "") event("QEventLoop", /::destroyed\s*\(/, "QObject*") event("QEventLoop", /::objectNameChanged\s*\(/, "QString") -event("QEventTransition", /::destroyed\s*\(/, "QObject*") -event("QEventTransition", /::objectNameChanged\s*\(/, "QString") -event("QEventTransition", /::triggered\s*\(/, "") -event("QEventTransition", /::targetStateChanged\s*\(/, "") -event("QEventTransition", /::targetStatesChanged\s*\(/, "") event("QFile", /::destroyed\s*\(/, "QObject*") event("QFile", /::objectNameChanged\s*\(/, "QString") event("QFile", /::readyRead\s*\(/, "") @@ -153,19 +158,6 @@ event("QFileSystemWatcher", /::destroyed\s*\(/, "QObject*") event("QFileSystemWatcher", /::objectNameChanged\s*\(/, "QString") event("QFileSystemWatcher", /::fileChanged\s*\(/, "QString") event("QFileSystemWatcher", /::directoryChanged\s*\(/, "QString") -event("QFinalState", /::destroyed\s*\(/, "QObject*") -event("QFinalState", /::objectNameChanged\s*\(/, "QString") -event("QFinalState", /::entered\s*\(/, "") -event("QFinalState", /::exited\s*\(/, "") -event("QFinalState", /::activeChanged\s*\(/, "bool") -event("QHistoryState", /::destroyed\s*\(/, "QObject*") -event("QHistoryState", /::objectNameChanged\s*\(/, "QString") -event("QHistoryState", /::entered\s*\(/, "") -event("QHistoryState", /::exited\s*\(/, "") -event("QHistoryState", /::activeChanged\s*\(/, "bool") -event("QHistoryState", /::defaultTransitionChanged\s*\(/, "") -event("QHistoryState", /::defaultStateChanged\s*\(/, "") -event("QHistoryState", /::historyTypeChanged\s*\(/, "") event("QIODevice", /::destroyed\s*\(/, "QObject*") event("QIODevice", /::objectNameChanged\s*\(/, "QString") event("QIODevice", /::readyRead\s*\(/, "") @@ -176,7 +168,7 @@ event("QIODevice", /::aboutToClose\s*\(/, "") event("QIODevice", /::readChannelFinished\s*\(/, "") event("QIdentityProxyModel", /::destroyed\s*\(/, "QObject*") event("QIdentityProxyModel", /::objectNameChanged\s*\(/, "QString") -event("QIdentityProxyModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QVector") +event("QIdentityProxyModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QList") event("QIdentityProxyModel", /::headerDataChanged\s*\(/, "Qt::Orientation, int, int") event("QIdentityProxyModel", /::layoutChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") event("QIdentityProxyModel", /::layoutAboutToBeChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") @@ -232,7 +224,6 @@ event("QProcess", /::aboutToClose\s*\(/, "") event("QProcess", /::readChannelFinished\s*\(/, "") event("QProcess", /::started\s*\(/, "") event("QProcess", /::finished\s*\(/, "int, QProcess::ExitStatus") -event("QProcess", /::error\s*\(/, "QProcess::ProcessError") event("QProcess", /::errorOccurred\s*\(/, "QProcess::ProcessError") event("QProcess", /::stateChanged\s*\(/, "QProcess::ProcessState") event("QProcess", /::readyReadStandardOutput\s*\(/, "") @@ -265,26 +256,16 @@ event("QSharedMemory", /::destroyed\s*\(/, "QObject*") event("QSharedMemory", /::objectNameChanged\s*\(/, "QString") event("QSignalMapper", /::destroyed\s*\(/, "QObject*") event("QSignalMapper", /::objectNameChanged\s*\(/, "QString") -event("QSignalMapper", /::mapped\s*\(.*int/, "int") -event("QSignalMapper", /::mapped\s*\(.*QString/, "QString") -rename("QSignalMapper", /::mapped\s*\(.*QString/, "mapped_qs") -event("QSignalMapper", /::mapped\s*\(.*QWidget/, "QWidget*") -rename("QSignalMapper", /::mapped\s*\(.*QWidget/, "mapped_qw") -event("QSignalMapper", /::mapped\s*\(.*QObject/, "QObject*") -rename("QSignalMapper", /::mapped\s*\(.*QObject/, "mapped_qo") -event("QSignalTransition", /::destroyed\s*\(/, "QObject*") -event("QSignalTransition", /::objectNameChanged\s*\(/, "QString") -event("QSignalTransition", /::triggered\s*\(/, "") -event("QSignalTransition", /::targetStateChanged\s*\(/, "") -event("QSignalTransition", /::targetStatesChanged\s*\(/, "") -event("QSignalTransition", /::senderObjectChanged\s*\(/, "") -event("QSignalTransition", /::signalChanged\s*\(/, "") +event("QSignalMapper", /::mappedInt\s*\(/, "int") +event("QSignalMapper", /::mappedString\s*\(/, "QString") +event("QSignalMapper", /::mappedObject\s*\(/, "QObject*") event("QSocketNotifier", /::destroyed\s*\(/, "QObject*") event("QSocketNotifier", /::objectNameChanged\s*\(/, "QString") +event("QSocketNotifier", /::activated\s*\(/, "QSocketDescriptor, QSocketNotifier::Type") event("QSocketNotifier", /::activated\s*\(/, "int") event("QSortFilterProxyModel", /::destroyed\s*\(/, "QObject*") event("QSortFilterProxyModel", /::objectNameChanged\s*\(/, "QString") -event("QSortFilterProxyModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QVector") +event("QSortFilterProxyModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QList") event("QSortFilterProxyModel", /::headerDataChanged\s*\(/, "Qt::Orientation, int, int") event("QSortFilterProxyModel", /::layoutChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") event("QSortFilterProxyModel", /::layoutAboutToBeChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") @@ -303,32 +284,17 @@ event("QSortFilterProxyModel", /::rowsMoved\s*\(/, "QModelIndex, int, int, QMode event("QSortFilterProxyModel", /::columnsAboutToBeMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") event("QSortFilterProxyModel", /::columnsMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") event("QSortFilterProxyModel", /::sourceModelChanged\s*\(/, "") -event("QState", /::destroyed\s*\(/, "QObject*") -event("QState", /::objectNameChanged\s*\(/, "QString") -event("QState", /::entered\s*\(/, "") -event("QState", /::exited\s*\(/, "") -event("QState", /::activeChanged\s*\(/, "bool") -event("QState", /::finished\s*\(/, "") -event("QState", /::propertiesAssigned\s*\(/, "") -event("QState", /::childModeChanged\s*\(/, "") -event("QState", /::initialStateChanged\s*\(/, "") -event("QState", /::errorStateChanged\s*\(/, "") -event("QStateMachine", /::destroyed\s*\(/, "QObject*") -event("QStateMachine", /::objectNameChanged\s*\(/, "QString") -event("QStateMachine", /::entered\s*\(/, "") -event("QStateMachine", /::exited\s*\(/, "") -event("QStateMachine", /::activeChanged\s*\(/, "bool") -event("QStateMachine", /::finished\s*\(/, "") -event("QStateMachine", /::propertiesAssigned\s*\(/, "") -event("QStateMachine", /::childModeChanged\s*\(/, "") -event("QStateMachine", /::initialStateChanged\s*\(/, "") -event("QStateMachine", /::errorStateChanged\s*\(/, "") -event("QStateMachine", /::started\s*\(/, "") -event("QStateMachine", /::stopped\s*\(/, "") -event("QStateMachine", /::runningChanged\s*\(/, "bool") +event("QSortFilterProxyModel", /::dynamicSortFilterChanged\s*\(/, "bool") +event("QSortFilterProxyModel", /::filterCaseSensitivityChanged\s*\(/, "Qt::CaseSensitivity") +event("QSortFilterProxyModel", /::sortCaseSensitivityChanged\s*\(/, "Qt::CaseSensitivity") +event("QSortFilterProxyModel", /::sortLocaleAwareChanged\s*\(/, "bool") +event("QSortFilterProxyModel", /::sortRoleChanged\s*\(/, "int") +event("QSortFilterProxyModel", /::filterRoleChanged\s*\(/, "int") +event("QSortFilterProxyModel", /::recursiveFilteringEnabledChanged\s*\(/, "bool") +event("QSortFilterProxyModel", /::autoAcceptChildRowsChanged\s*\(/, "bool") event("QStringListModel", /::destroyed\s*\(/, "QObject*") event("QStringListModel", /::objectNameChanged\s*\(/, "QString") -event("QStringListModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QVector") +event("QStringListModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QList") event("QStringListModel", /::headerDataChanged\s*\(/, "Qt::Orientation, int, int") event("QStringListModel", /::layoutChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") event("QStringListModel", /::layoutAboutToBeChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") @@ -371,6 +337,27 @@ event("QTimer", /::objectNameChanged\s*\(/, "QString") event("QTimer", /::timeout\s*\(/, "") event("QTranslator", /::destroyed\s*\(/, "QObject*") event("QTranslator", /::objectNameChanged\s*\(/, "QString") +event("QTransposeProxyModel", /::destroyed\s*\(/, "QObject*") +event("QTransposeProxyModel", /::objectNameChanged\s*\(/, "QString") +event("QTransposeProxyModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QList") +event("QTransposeProxyModel", /::headerDataChanged\s*\(/, "Qt::Orientation, int, int") +event("QTransposeProxyModel", /::layoutChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") +event("QTransposeProxyModel", /::layoutAboutToBeChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") +event("QTransposeProxyModel", /::rowsAboutToBeInserted\s*\(/, "QModelIndex, int, int") +event("QTransposeProxyModel", /::rowsInserted\s*\(/, "QModelIndex, int, int") +event("QTransposeProxyModel", /::rowsAboutToBeRemoved\s*\(/, "QModelIndex, int, int") +event("QTransposeProxyModel", /::rowsRemoved\s*\(/, "QModelIndex, int, int") +event("QTransposeProxyModel", /::columnsAboutToBeInserted\s*\(/, "QModelIndex, int, int") +event("QTransposeProxyModel", /::columnsInserted\s*\(/, "QModelIndex, int, int") +event("QTransposeProxyModel", /::columnsAboutToBeRemoved\s*\(/, "QModelIndex, int, int") +event("QTransposeProxyModel", /::columnsRemoved\s*\(/, "QModelIndex, int, int") +event("QTransposeProxyModel", /::modelAboutToBeReset\s*\(/, "") +event("QTransposeProxyModel", /::modelReset\s*\(/, "") +event("QTransposeProxyModel", /::rowsAboutToBeMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") +event("QTransposeProxyModel", /::rowsMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") +event("QTransposeProxyModel", /::columnsAboutToBeMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") +event("QTransposeProxyModel", /::columnsMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") +event("QTransposeProxyModel", /::sourceModelChanged\s*\(/, "") event("QVariantAnimation", /::destroyed\s*\(/, "QObject*") event("QVariantAnimation", /::objectNameChanged\s*\(/, "QString") event("QVariantAnimation", /::finished\s*\(/, "") @@ -384,6 +371,19 @@ event("QAbstractTextDocumentLayout", /::update\s*\(/, "QRectF") event("QAbstractTextDocumentLayout", /::updateBlock\s*\(/, "QTextBlock") event("QAbstractTextDocumentLayout", /::documentSizeChanged\s*\(/, "QSizeF") event("QAbstractTextDocumentLayout", /::pageCountChanged\s*\(/, "int") +event("QAction", /::destroyed\s*\(/, "QObject*") +event("QAction", /::objectNameChanged\s*\(/, "QString") +event("QAction", /::changed\s*\(/, "") +event("QAction", /::enabledChanged\s*\(/, "bool") +event("QAction", /::checkableChanged\s*\(/, "bool") +event("QAction", /::visibleChanged\s*\(/, "") +event("QAction", /::triggered\s*\(/, "bool") +event("QAction", /::hovered\s*\(/, "") +event("QAction", /::toggled\s*\(/, "bool") +event("QActionGroup", /::destroyed\s*\(/, "QObject*") +event("QActionGroup", /::objectNameChanged\s*\(/, "QString") +event("QActionGroup", /::triggered\s*\(/, "QAction*") +event("QActionGroup", /::hovered\s*\(/, "QAction*") event("QClipboard", /::destroyed\s*\(/, "QObject*") event("QClipboard", /::objectNameChanged\s*\(/, "QString") event("QClipboard", /::changed\s*\(/, "QClipboard::Mode") @@ -401,6 +401,29 @@ event("QDrag", /::destroyed\s*\(/, "QObject*") event("QDrag", /::objectNameChanged\s*\(/, "QString") event("QDrag", /::actionChanged\s*\(/, "Qt::DropAction") event("QDrag", /::targetChanged\s*\(/, "QObject*") +event("QFileSystemModel", /::destroyed\s*\(/, "QObject*") +event("QFileSystemModel", /::objectNameChanged\s*\(/, "QString") +event("QFileSystemModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QList") +event("QFileSystemModel", /::headerDataChanged\s*\(/, "Qt::Orientation, int, int") +event("QFileSystemModel", /::layoutChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") +event("QFileSystemModel", /::layoutAboutToBeChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") +event("QFileSystemModel", /::rowsAboutToBeInserted\s*\(/, "QModelIndex, int, int") +event("QFileSystemModel", /::rowsInserted\s*\(/, "QModelIndex, int, int") +event("QFileSystemModel", /::rowsAboutToBeRemoved\s*\(/, "QModelIndex, int, int") +event("QFileSystemModel", /::rowsRemoved\s*\(/, "QModelIndex, int, int") +event("QFileSystemModel", /::columnsAboutToBeInserted\s*\(/, "QModelIndex, int, int") +event("QFileSystemModel", /::columnsInserted\s*\(/, "QModelIndex, int, int") +event("QFileSystemModel", /::columnsAboutToBeRemoved\s*\(/, "QModelIndex, int, int") +event("QFileSystemModel", /::columnsRemoved\s*\(/, "QModelIndex, int, int") +event("QFileSystemModel", /::modelAboutToBeReset\s*\(/, "") +event("QFileSystemModel", /::modelReset\s*\(/, "") +event("QFileSystemModel", /::rowsAboutToBeMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") +event("QFileSystemModel", /::rowsMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") +event("QFileSystemModel", /::columnsAboutToBeMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") +event("QFileSystemModel", /::columnsMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") +event("QFileSystemModel", /::rootPathChanged\s*\(/, "QString") +event("QFileSystemModel", /::fileRenamed\s*\(/, "QString, QString, QString") +event("QFileSystemModel", /::directoryLoaded\s*\(/, "QString") event("QGenericPlugin", /::destroyed\s*\(/, "QObject*") event("QGenericPlugin", /::objectNameChanged\s*\(/, "QString") event("QGuiApplication", /::destroyed\s*\(/, "QObject*") @@ -421,13 +444,16 @@ event("QGuiApplication", /::applicationStateChanged\s*\(/, "Qt::ApplicationState event("QGuiApplication", /::layoutDirectionChanged\s*\(/, "Qt::LayoutDirection") event("QGuiApplication", /::commitDataRequest\s*\(/, "QSessionManager&") event("QGuiApplication", /::saveStateRequest\s*\(/, "QSessionManager&") -event("QGuiApplication", /::paletteChanged\s*\(/, "QPalette") event("QGuiApplication", /::applicationDisplayNameChanged\s*\(/, "") +event("QGuiApplication", /::paletteChanged\s*\(/, "QPalette") event("QGuiApplication", /::fontChanged\s*\(/, "QFont") event("QIconEnginePlugin", /::destroyed\s*\(/, "QObject*") event("QIconEnginePlugin", /::objectNameChanged\s*\(/, "QString") event("QImageIOPlugin", /::destroyed\s*\(/, "QObject*") event("QImageIOPlugin", /::objectNameChanged\s*\(/, "QString") +event("QInputDevice", /::destroyed\s*\(/, "QObject*") +event("QInputDevice", /::objectNameChanged\s*\(/, "QString") +event("QInputDevice", /::availableVirtualGeometryChanged\s*\(/, "QRect") event("QInputMethod", /::destroyed\s*\(/, "QObject*") event("QInputMethod", /::objectNameChanged\s*\(/, "QString") event("QInputMethod", /::cursorRectangleChanged\s*\(/, "") @@ -475,10 +501,13 @@ event("QPaintDeviceWindow", /::activeChanged\s*\(/, "") event("QPaintDeviceWindow", /::contentOrientationChanged\s*\(/, "Qt::ScreenOrientation") event("QPaintDeviceWindow", /::focusObjectChanged\s*\(/, "QObject*") event("QPaintDeviceWindow", /::opacityChanged\s*\(/, "double") +event("QPaintDeviceWindow", /::transientParentChanged\s*\(/, "QWindow*") event("QPdfWriter", /::destroyed\s*\(/, "QObject*") event("QPdfWriter", /::objectNameChanged\s*\(/, "QString") -event("QPictureFormatPlugin", /::destroyed\s*\(/, "QObject*") -event("QPictureFormatPlugin", /::objectNameChanged\s*\(/, "QString") +event("QPointingDevice", /::destroyed\s*\(/, "QObject*") +event("QPointingDevice", /::objectNameChanged\s*\(/, "QString") +event("QPointingDevice", /::availableVirtualGeometryChanged\s*\(/, "QRect") +event("QPointingDevice", /::grabChanged\s*\(/, "QObject*, GrabTransition, const QPointerEvent*, QEventPoint") event("QRasterWindow", /::destroyed\s*\(/, "QObject*") event("QRasterWindow", /::objectNameChanged\s*\(/, "QString") event("QRasterWindow", /::screenChanged\s*\(/, "QScreen*") @@ -499,10 +528,7 @@ event("QRasterWindow", /::activeChanged\s*\(/, "") event("QRasterWindow", /::contentOrientationChanged\s*\(/, "Qt::ScreenOrientation") event("QRasterWindow", /::focusObjectChanged\s*\(/, "QObject*") event("QRasterWindow", /::opacityChanged\s*\(/, "double") -event("QRegExpValidator", /::destroyed\s*\(/, "QObject*") -event("QRegExpValidator", /::objectNameChanged\s*\(/, "QString") -event("QRegExpValidator", /::changed\s*\(/, "") -event("QRegExpValidator", /::regExpChanged\s*\(/, "QRegExp") +event("QRasterWindow", /::transientParentChanged\s*\(/, "QWindow*") event("QRegularExpressionValidator", /::destroyed\s*\(/, "QObject*") event("QRegularExpressionValidator", /::objectNameChanged\s*\(/, "QString") event("QRegularExpressionValidator", /::changed\s*\(/, "") @@ -520,9 +546,13 @@ event("QScreen", /::orientationChanged\s*\(/, "Qt::ScreenOrientation") event("QScreen", /::refreshRateChanged\s*\(/, "double") event("QSessionManager", /::destroyed\s*\(/, "QObject*") event("QSessionManager", /::objectNameChanged\s*\(/, "QString") +event("QShortcut", /::destroyed\s*\(/, "QObject*") +event("QShortcut", /::objectNameChanged\s*\(/, "QString") +event("QShortcut", /::activated\s*\(/, "") +event("QShortcut", /::activatedAmbiguously\s*\(/, "") event("QStandardItemModel", /::destroyed\s*\(/, "QObject*") event("QStandardItemModel", /::objectNameChanged\s*\(/, "QString") -event("QStandardItemModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QVector") +event("QStandardItemModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QList") event("QStandardItemModel", /::headerDataChanged\s*\(/, "Qt::Orientation, int, int") event("QStandardItemModel", /::layoutChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") event("QStandardItemModel", /::layoutAboutToBeChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") @@ -551,6 +581,7 @@ event("QStyleHints", /::startDragDistanceChanged\s*\(/, "int") event("QStyleHints", /::startDragTimeChanged\s*\(/, "int") event("QStyleHints", /::tabFocusBehaviorChanged\s*\(/, "Qt::TabFocusBehavior") event("QStyleHints", /::useHoverEffectsChanged\s*\(/, "bool") +event("QStyleHints", /::showShortcutsInContextMenusChanged\s*\(/, "bool") event("QStyleHints", /::wheelScrollLinesChanged\s*\(/, "int") event("QStyleHints", /::mouseQuickSelectionThresholdChanged\s*\(/, "int") event("QSyntaxHighlighter", /::destroyed\s*\(/, "QObject*") @@ -577,6 +608,23 @@ event("QTextObject", /::destroyed\s*\(/, "QObject*") event("QTextObject", /::objectNameChanged\s*\(/, "QString") event("QTextTable", /::destroyed\s*\(/, "QObject*") event("QTextTable", /::objectNameChanged\s*\(/, "QString") +event("QUndoGroup", /::destroyed\s*\(/, "QObject*") +event("QUndoGroup", /::objectNameChanged\s*\(/, "QString") +event("QUndoGroup", /::activeStackChanged\s*\(/, "QUndoStack*") +event("QUndoGroup", /::indexChanged\s*\(/, "int") +event("QUndoGroup", /::cleanChanged\s*\(/, "bool") +event("QUndoGroup", /::canUndoChanged\s*\(/, "bool") +event("QUndoGroup", /::canRedoChanged\s*\(/, "bool") +event("QUndoGroup", /::undoTextChanged\s*\(/, "QString") +event("QUndoGroup", /::redoTextChanged\s*\(/, "QString") +event("QUndoStack", /::destroyed\s*\(/, "QObject*") +event("QUndoStack", /::objectNameChanged\s*\(/, "QString") +event("QUndoStack", /::indexChanged\s*\(/, "int") +event("QUndoStack", /::cleanChanged\s*\(/, "bool") +event("QUndoStack", /::canUndoChanged\s*\(/, "bool") +event("QUndoStack", /::canRedoChanged\s*\(/, "bool") +event("QUndoStack", /::undoTextChanged\s*\(/, "QString") +event("QUndoStack", /::redoTextChanged\s*\(/, "QString") event("QValidator", /::destroyed\s*\(/, "QObject*") event("QValidator", /::objectNameChanged\s*\(/, "QString") event("QValidator", /::changed\s*\(/, "") @@ -600,6 +648,7 @@ event("QWindow", /::activeChanged\s*\(/, "") event("QWindow", /::contentOrientationChanged\s*\(/, "Qt::ScreenOrientation") event("QWindow", /::focusObjectChanged\s*\(/, "QObject*") event("QWindow", /::opacityChanged\s*\(/, "double") +event("QWindow", /::transientParentChanged\s*\(/, "QWindow*") event("QAbstractButton", /::destroyed\s*\(/, "QObject*") event("QAbstractButton", /::objectNameChanged\s*\(/, "QString") event("QAbstractButton", /::windowTitleChanged\s*\(/, "QString") @@ -653,16 +702,6 @@ event("QAbstractSpinBox", /::windowIconChanged\s*\(/, "QIcon") event("QAbstractSpinBox", /::windowIconTextChanged\s*\(/, "QString") event("QAbstractSpinBox", /::customContextMenuRequested\s*\(/, "QPoint") event("QAbstractSpinBox", /::editingFinished\s*\(/, "") -event("QAction", /::destroyed\s*\(/, "QObject*") -event("QAction", /::objectNameChanged\s*\(/, "QString") -event("QAction", /::changed\s*\(/, "") -event("QAction", /::triggered\s*\(/, "bool") -event("QAction", /::hovered\s*\(/, "") -event("QAction", /::toggled\s*\(/, "bool") -event("QActionGroup", /::destroyed\s*\(/, "QObject*") -event("QActionGroup", /::objectNameChanged\s*\(/, "QString") -event("QActionGroup", /::triggered\s*\(/, "QAction*") -event("QActionGroup", /::hovered\s*\(/, "QAction*") event("QApplication", /::destroyed\s*\(/, "QObject*") event("QApplication", /::objectNameChanged\s*\(/, "QString") event("QApplication", /::aboutToQuit\s*\(/, "") @@ -681,8 +720,8 @@ event("QApplication", /::applicationStateChanged\s*\(/, "Qt::ApplicationState") event("QApplication", /::layoutDirectionChanged\s*\(/, "Qt::LayoutDirection") event("QApplication", /::commitDataRequest\s*\(/, "QSessionManager&") event("QApplication", /::saveStateRequest\s*\(/, "QSessionManager&") -event("QApplication", /::paletteChanged\s*\(/, "QPalette") event("QApplication", /::applicationDisplayNameChanged\s*\(/, "") +event("QApplication", /::paletteChanged\s*\(/, "QPalette") event("QApplication", /::fontChanged\s*\(/, "QFont") event("QApplication", /::focusChanged\s*\(/, "QWidget*, QWidget*") event("QBoxLayout", /::destroyed\s*\(/, "QObject*") @@ -691,15 +730,15 @@ event("QButtonGroup", /::destroyed\s*\(/, "QObject*") event("QButtonGroup", /::objectNameChanged\s*\(/, "QString") event("QButtonGroup", /::buttonClicked\s*\(.*QAbstractButton/, "QAbstractButton*") rename("QButtonGroup", /::buttonClicked\s*\(.*QAbstractButton/, "buttonClicked_qab") -event("QButtonGroup", /::buttonClicked\s*\(.*int/, "int") event("QButtonGroup", /::buttonPressed\s*\(.*QAbstractButton/, "QAbstractButton*") rename("QButtonGroup", /::buttonPressed\s*\(.*QAbstractButton/, "buttonPressed_qab") -event("QButtonGroup", /::buttonPressed\s*\(.*int/, "int") event("QButtonGroup", /::buttonReleased\s*\(.*QAbstractButton/, "QAbstractButton*") rename("QButtonGroup", /::buttonReleased\s*\(.*QAbstractButton/, "buttonReleased_qab") -event("QButtonGroup", /::buttonReleased\s*\(.*int/, "int") event("QButtonGroup", /::buttonToggled\s*\(/, "QAbstractButton*, bool") -event("QButtonGroup", /::buttonToggled\s*\(/, "int, bool") +event("QButtonGroup", /::idClicked\s*\(/, "int") +event("QButtonGroup", /::idPressed\s*\(/, "int") +event("QButtonGroup", /::idReleased\s*\(/, "int") +event("QButtonGroup", /::idToggled\s*\(/, "int, bool") event("QCalendarWidget", /::destroyed\s*\(/, "QObject*") event("QCalendarWidget", /::objectNameChanged\s*\(/, "QString") event("QCalendarWidget", /::windowTitleChanged\s*\(/, "QString") @@ -754,14 +793,10 @@ event("QComboBox", /::windowIconTextChanged\s*\(/, "QString") event("QComboBox", /::customContextMenuRequested\s*\(/, "QPoint") event("QComboBox", /::editTextChanged\s*\(/, "QString") event("QComboBox", /::activated\s*\(.*int/, "int") -event("QComboBox", /::activated\s*\(.*QString/, "QString") -rename("QComboBox", /::activated\s*\(.*QString/, "activated_qs") +event("QComboBox", /::textActivated\s*\(/, "QString") event("QComboBox", /::highlighted\s*\(.*int/, "int") -event("QComboBox", /::highlighted\s*\(.*QString/, "QString") -rename("QComboBox", /::highlighted\s*\(.*QString/, "highlighted_qs") +event("QComboBox", /::textHighlighted\s*\(/, "QString") event("QComboBox", /::currentIndexChanged\s*\(.*int/, "int") -event("QComboBox", /::currentIndexChanged\s*\(.*QString/, "QString") -rename("QComboBox", /::currentIndexChanged\s*\(.*QString/, "currentIndexChanged_qs") event("QComboBox", /::currentTextChanged\s*\(/, "QString") event("QCommandLinkButton", /::destroyed\s*\(/, "QObject*") event("QCommandLinkButton", /::objectNameChanged\s*\(/, "QString") @@ -807,16 +842,6 @@ event("QDateTimeEdit", /::editingFinished\s*\(/, "") event("QDateTimeEdit", /::dateTimeChanged\s*\(/, "QDateTime") event("QDateTimeEdit", /::timeChanged\s*\(/, "QTime") event("QDateTimeEdit", /::dateChanged\s*\(/, "QDate") -event("QDesktopWidget", /::destroyed\s*\(/, "QObject*") -event("QDesktopWidget", /::objectNameChanged\s*\(/, "QString") -event("QDesktopWidget", /::windowTitleChanged\s*\(/, "QString") -event("QDesktopWidget", /::windowIconChanged\s*\(/, "QIcon") -event("QDesktopWidget", /::windowIconTextChanged\s*\(/, "QString") -event("QDesktopWidget", /::customContextMenuRequested\s*\(/, "QPoint") -event("QDesktopWidget", /::resized\s*\(/, "int") -event("QDesktopWidget", /::workAreaResized\s*\(/, "int") -event("QDesktopWidget", /::screenCountChanged\s*\(/, "int") -event("QDesktopWidget", /::primaryScreenChanged\s*\(/, "") event("QDial", /::destroyed\s*\(/, "QObject*") event("QDial", /::objectNameChanged\s*\(/, "QString") event("QDial", /::windowTitleChanged\s*\(/, "QString") @@ -848,26 +873,6 @@ event("QDialogButtonBox", /::clicked\s*\(/, "QAbstractButton*") event("QDialogButtonBox", /::accepted\s*\(/, "") event("QDialogButtonBox", /::helpRequested\s*\(/, "") event("QDialogButtonBox", /::rejected\s*\(/, "") -event("QDirModel", /::destroyed\s*\(/, "QObject*") -event("QDirModel", /::objectNameChanged\s*\(/, "QString") -event("QDirModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QVector") -event("QDirModel", /::headerDataChanged\s*\(/, "Qt::Orientation, int, int") -event("QDirModel", /::layoutChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") -event("QDirModel", /::layoutAboutToBeChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") -event("QDirModel", /::rowsAboutToBeInserted\s*\(/, "QModelIndex, int, int") -event("QDirModel", /::rowsInserted\s*\(/, "QModelIndex, int, int") -event("QDirModel", /::rowsAboutToBeRemoved\s*\(/, "QModelIndex, int, int") -event("QDirModel", /::rowsRemoved\s*\(/, "QModelIndex, int, int") -event("QDirModel", /::columnsAboutToBeInserted\s*\(/, "QModelIndex, int, int") -event("QDirModel", /::columnsInserted\s*\(/, "QModelIndex, int, int") -event("QDirModel", /::columnsAboutToBeRemoved\s*\(/, "QModelIndex, int, int") -event("QDirModel", /::columnsRemoved\s*\(/, "QModelIndex, int, int") -event("QDirModel", /::modelAboutToBeReset\s*\(/, "") -event("QDirModel", /::modelReset\s*\(/, "") -event("QDirModel", /::rowsAboutToBeMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") -event("QDirModel", /::rowsMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") -event("QDirModel", /::columnsAboutToBeMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") -event("QDirModel", /::columnsMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") event("QDockWidget", /::destroyed\s*\(/, "QObject*") event("QDockWidget", /::objectNameChanged\s*\(/, "QString") event("QDockWidget", /::windowTitleChanged\s*\(/, "QString") @@ -887,8 +892,7 @@ event("QDoubleSpinBox", /::windowIconTextChanged\s*\(/, "QString") event("QDoubleSpinBox", /::customContextMenuRequested\s*\(/, "QPoint") event("QDoubleSpinBox", /::editingFinished\s*\(/, "") event("QDoubleSpinBox", /::valueChanged\s*\(.*double/, "double") -event("QDoubleSpinBox", /::valueChanged\s*\(.*QString/, "QString") -rename("QDoubleSpinBox", /::valueChanged\s*\(.*QString/, "valueChanged_qs") +event("QDoubleSpinBox", /::textChanged\s*\(/, "QString") event("QErrorMessage", /::destroyed\s*\(/, "QObject*") event("QErrorMessage", /::objectNameChanged\s*\(/, "QString") event("QErrorMessage", /::windowTitleChanged\s*\(/, "QString") @@ -916,29 +920,6 @@ event("QFileDialog", /::urlsSelected\s*\(/, "QList") event("QFileDialog", /::currentUrlChanged\s*\(/, "QUrl") event("QFileDialog", /::directoryUrlEntered\s*\(/, "QUrl") event("QFileDialog", /::filterSelected\s*\(/, "QString") -event("QFileSystemModel", /::destroyed\s*\(/, "QObject*") -event("QFileSystemModel", /::objectNameChanged\s*\(/, "QString") -event("QFileSystemModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QVector") -event("QFileSystemModel", /::headerDataChanged\s*\(/, "Qt::Orientation, int, int") -event("QFileSystemModel", /::layoutChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") -event("QFileSystemModel", /::layoutAboutToBeChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") -event("QFileSystemModel", /::rowsAboutToBeInserted\s*\(/, "QModelIndex, int, int") -event("QFileSystemModel", /::rowsInserted\s*\(/, "QModelIndex, int, int") -event("QFileSystemModel", /::rowsAboutToBeRemoved\s*\(/, "QModelIndex, int, int") -event("QFileSystemModel", /::rowsRemoved\s*\(/, "QModelIndex, int, int") -event("QFileSystemModel", /::columnsAboutToBeInserted\s*\(/, "QModelIndex, int, int") -event("QFileSystemModel", /::columnsInserted\s*\(/, "QModelIndex, int, int") -event("QFileSystemModel", /::columnsAboutToBeRemoved\s*\(/, "QModelIndex, int, int") -event("QFileSystemModel", /::columnsRemoved\s*\(/, "QModelIndex, int, int") -event("QFileSystemModel", /::modelAboutToBeReset\s*\(/, "") -event("QFileSystemModel", /::modelReset\s*\(/, "") -event("QFileSystemModel", /::rowsAboutToBeMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") -event("QFileSystemModel", /::rowsMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") -event("QFileSystemModel", /::columnsAboutToBeMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") -event("QFileSystemModel", /::columnsMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") -event("QFileSystemModel", /::rootPathChanged\s*\(/, "QString") -event("QFileSystemModel", /::fileRenamed\s*\(/, "QString, QString, QString") -event("QFileSystemModel", /::directoryLoaded\s*\(/, "QString") event("QFocusFrame", /::destroyed\s*\(/, "QObject*") event("QFocusFrame", /::objectNameChanged\s*\(/, "QString") event("QFocusFrame", /::windowTitleChanged\s*\(/, "QString") @@ -953,14 +934,10 @@ event("QFontComboBox", /::windowIconTextChanged\s*\(/, "QString") event("QFontComboBox", /::customContextMenuRequested\s*\(/, "QPoint") event("QFontComboBox", /::editTextChanged\s*\(/, "QString") event("QFontComboBox", /::activated\s*\(.*int/, "int") -event("QFontComboBox", /::activated\s*\(.*QString/, "QString") -rename("QFontComboBox", /::activated\s*\(.*QString/, "activated_qs") +event("QFontComboBox", /::textActivated\s*\(/, "QString") event("QFontComboBox", /::highlighted\s*\(.*int/, "int") -event("QFontComboBox", /::highlighted\s*\(.*QString/, "QString") -rename("QFontComboBox", /::highlighted\s*\(.*QString/, "highlighted_qs") +event("QFontComboBox", /::textHighlighted\s*\(/, "QString") event("QFontComboBox", /::currentIndexChanged\s*\(.*int/, "int") -event("QFontComboBox", /::currentIndexChanged\s*\(.*QString/, "QString") -rename("QFontComboBox", /::currentIndexChanged\s*\(.*QString/, "currentIndexChanged_qs") event("QFontComboBox", /::currentTextChanged\s*\(/, "QString") event("QFontComboBox", /::currentFontChanged\s*\(/, "QFont") event("QFontDialog", /::destroyed\s*\(/, "QObject*") @@ -1136,6 +1113,7 @@ event("QHeaderView", /::sectionCountChanged\s*\(/, "int, int") event("QHeaderView", /::sectionHandleDoubleClicked\s*\(/, "int") event("QHeaderView", /::geometriesChanged\s*\(/, "") event("QHeaderView", /::sortIndicatorChanged\s*\(/, "int, Qt::SortOrder") +event("QHeaderView", /::sortIndicatorClearableChanged\s*\(/, "bool") event("QInputDialog", /::destroyed\s*\(/, "QObject*") event("QInputDialog", /::objectNameChanged\s*\(/, "QString") event("QInputDialog", /::windowTitleChanged\s*\(/, "QString") @@ -1374,10 +1352,6 @@ event("QScroller", /::destroyed\s*\(/, "QObject*") event("QScroller", /::objectNameChanged\s*\(/, "QString") event("QScroller", /::stateChanged\s*\(/, "QScroller::State") event("QScroller", /::scrollerPropertiesChanged\s*\(/, "QScrollerProperties") -event("QShortcut", /::destroyed\s*\(/, "QObject*") -event("QShortcut", /::objectNameChanged\s*\(/, "QString") -event("QShortcut", /::activated\s*\(/, "") -event("QShortcut", /::activatedAmbiguously\s*\(/, "") event("QSizeGrip", /::destroyed\s*\(/, "QObject*") event("QSizeGrip", /::objectNameChanged\s*\(/, "QString") event("QSizeGrip", /::windowTitleChanged\s*\(/, "QString") @@ -1404,8 +1378,7 @@ event("QSpinBox", /::windowIconTextChanged\s*\(/, "QString") event("QSpinBox", /::customContextMenuRequested\s*\(/, "QPoint") event("QSpinBox", /::editingFinished\s*\(/, "") event("QSpinBox", /::valueChanged\s*\(.*int/, "int") -event("QSpinBox", /::valueChanged\s*\(.*QString/, "QString") -rename("QSpinBox", /::valueChanged\s*\(.*QString/, "valueChanged_qs") +event("QSpinBox", /::textChanged\s*\(/, "QString") event("QSplashScreen", /::destroyed\s*\(/, "QObject*") event("QSplashScreen", /::objectNameChanged\s*\(/, "QString") event("QSplashScreen", /::windowTitleChanged\s*\(/, "QString") @@ -1544,8 +1517,6 @@ event("QTextBrowser", /::forwardAvailable\s*\(/, "bool") event("QTextBrowser", /::historyChanged\s*\(/, "") event("QTextBrowser", /::sourceChanged\s*\(/, "QUrl") event("QTextBrowser", /::highlighted\s*\(.*QUrl/, "QUrl") -event("QTextBrowser", /::highlighted\s*\(.*QString/, "QString") -rename("QTextBrowser", /::highlighted\s*\(.*QString/, "highlighted_qs") event("QTextBrowser", /::anchorClicked\s*\(/, "QUrl") event("QTextEdit", /::destroyed\s*\(/, "QObject*") event("QTextEdit", /::objectNameChanged\s*\(/, "QString") @@ -1643,23 +1614,6 @@ event("QTreeWidget", /::itemExpanded\s*\(/, "QTreeWidgetItem*") event("QTreeWidget", /::itemCollapsed\s*\(/, "QTreeWidgetItem*") event("QTreeWidget", /::currentItemChanged\s*\(/, "QTreeWidgetItem*, QTreeWidgetItem*") event("QTreeWidget", /::itemSelectionChanged\s*\(/, "") -event("QUndoGroup", /::destroyed\s*\(/, "QObject*") -event("QUndoGroup", /::objectNameChanged\s*\(/, "QString") -event("QUndoGroup", /::activeStackChanged\s*\(/, "QUndoStack*") -event("QUndoGroup", /::indexChanged\s*\(/, "int") -event("QUndoGroup", /::cleanChanged\s*\(/, "bool") -event("QUndoGroup", /::canUndoChanged\s*\(/, "bool") -event("QUndoGroup", /::canRedoChanged\s*\(/, "bool") -event("QUndoGroup", /::undoTextChanged\s*\(/, "QString") -event("QUndoGroup", /::redoTextChanged\s*\(/, "QString") -event("QUndoStack", /::destroyed\s*\(/, "QObject*") -event("QUndoStack", /::objectNameChanged\s*\(/, "QString") -event("QUndoStack", /::indexChanged\s*\(/, "int") -event("QUndoStack", /::cleanChanged\s*\(/, "bool") -event("QUndoStack", /::canUndoChanged\s*\(/, "bool") -event("QUndoStack", /::canRedoChanged\s*\(/, "bool") -event("QUndoStack", /::undoTextChanged\s*\(/, "QString") -event("QUndoStack", /::redoTextChanged\s*\(/, "QString") event("QUndoView", /::destroyed\s*\(/, "QObject*") event("QUndoView", /::objectNameChanged\s*\(/, "QString") event("QUndoView", /::windowTitleChanged\s*\(/, "QString") @@ -1685,6 +1639,9 @@ event("QWidget", /::customContextMenuRequested\s*\(/, "QPoint") event("QWidgetAction", /::destroyed\s*\(/, "QObject*") event("QWidgetAction", /::objectNameChanged\s*\(/, "QString") event("QWidgetAction", /::changed\s*\(/, "") +event("QWidgetAction", /::enabledChanged\s*\(/, "bool") +event("QWidgetAction", /::checkableChanged\s*\(/, "bool") +event("QWidgetAction", /::visibleChanged\s*\(/, "") event("QWidgetAction", /::triggered\s*\(/, "bool") event("QWidgetAction", /::hovered\s*\(/, "") event("QWidgetAction", /::toggled\s*\(/, "bool") @@ -1709,12 +1666,191 @@ event("QWizardPage", /::windowIconChanged\s*\(/, "QIcon") event("QWizardPage", /::windowIconTextChanged\s*\(/, "QString") event("QWizardPage", /::customContextMenuRequested\s*\(/, "QPoint") event("QWizardPage", /::completeChanged\s*\(/, "") +event("QSvgRenderer", /::destroyed\s*\(/, "QObject*") +event("QSvgRenderer", /::objectNameChanged\s*\(/, "QString") +event("QSvgRenderer", /::repaintNeeded\s*\(/, "") +event("QAbstractPrintDialog", /::destroyed\s*\(/, "QObject*") +event("QAbstractPrintDialog", /::objectNameChanged\s*\(/, "QString") +event("QAbstractPrintDialog", /::windowTitleChanged\s*\(/, "QString") +event("QAbstractPrintDialog", /::windowIconChanged\s*\(/, "QIcon") +event("QAbstractPrintDialog", /::windowIconTextChanged\s*\(/, "QString") +event("QAbstractPrintDialog", /::customContextMenuRequested\s*\(/, "QPoint") +event("QAbstractPrintDialog", /::finished\s*\(/, "int") +event("QAbstractPrintDialog", /::accepted\s*\(/, "") +event("QAbstractPrintDialog", /::rejected\s*\(/, "") +event("QPrintDialog", /::destroyed\s*\(/, "QObject*") +event("QPrintDialog", /::objectNameChanged\s*\(/, "QString") +event("QPrintDialog", /::windowTitleChanged\s*\(/, "QString") +event("QPrintDialog", /::windowIconChanged\s*\(/, "QIcon") +event("QPrintDialog", /::windowIconTextChanged\s*\(/, "QString") +event("QPrintDialog", /::customContextMenuRequested\s*\(/, "QPoint") +event("QPrintDialog", /::finished\s*\(/, "int") +event("QPrintDialog", /::accepted\s*\(/, "QPrinter*") +event("QPrintDialog", /::rejected\s*\(/, "") +event("QPrintPreviewDialog", /::destroyed\s*\(/, "QObject*") +event("QPrintPreviewDialog", /::objectNameChanged\s*\(/, "QString") +event("QPrintPreviewDialog", /::windowTitleChanged\s*\(/, "QString") +event("QPrintPreviewDialog", /::windowIconChanged\s*\(/, "QIcon") +event("QPrintPreviewDialog", /::windowIconTextChanged\s*\(/, "QString") +event("QPrintPreviewDialog", /::customContextMenuRequested\s*\(/, "QPoint") +event("QPrintPreviewDialog", /::finished\s*\(/, "int") +event("QPrintPreviewDialog", /::accepted\s*\(/, "") +event("QPrintPreviewDialog", /::rejected\s*\(/, "") +event("QPrintPreviewDialog", /::paintRequested\s*\(/, "QPrinter*") +event("QPrintPreviewWidget", /::destroyed\s*\(/, "QObject*") +event("QPrintPreviewWidget", /::objectNameChanged\s*\(/, "QString") +event("QPrintPreviewWidget", /::windowTitleChanged\s*\(/, "QString") +event("QPrintPreviewWidget", /::windowIconChanged\s*\(/, "QIcon") +event("QPrintPreviewWidget", /::windowIconTextChanged\s*\(/, "QString") +event("QPrintPreviewWidget", /::customContextMenuRequested\s*\(/, "QPoint") +event("QPrintPreviewWidget", /::paintRequested\s*\(/, "QPrinter*") +event("QPrintPreviewWidget", /::previewChanged\s*\(/, "") +event("QAudioDecoder", /::destroyed\s*\(/, "QObject*") +event("QAudioDecoder", /::objectNameChanged\s*\(/, "QString") +event("QAudioDecoder", /::bufferAvailableChanged\s*\(/, "bool") +event("QAudioDecoder", /::bufferReady\s*\(/, "") +event("QAudioDecoder", /::finished\s*\(/, "") +event("QAudioDecoder", /::isDecodingChanged\s*\(/, "bool") +event("QAudioDecoder", /::formatChanged\s*\(/, "QAudioFormat") +event("QAudioDecoder", /::error\s*\(/, "QAudioDecoder::Error") +event("QAudioDecoder", /::sourceChanged\s*\(/, "") +event("QAudioDecoder", /::positionChanged\s*\(/, "qlonglong") +event("QAudioDecoder", /::durationChanged\s*\(/, "qlonglong") +event("QAudioInput", /::destroyed\s*\(/, "QObject*") +event("QAudioInput", /::objectNameChanged\s*\(/, "QString") +event("QAudioInput", /::deviceChanged\s*\(/, "") +event("QAudioInput", /::volumeChanged\s*\(/, "float") +event("QAudioInput", /::mutedChanged\s*\(/, "bool") +event("QAudioOutput", /::destroyed\s*\(/, "QObject*") +event("QAudioOutput", /::objectNameChanged\s*\(/, "QString") +event("QAudioOutput", /::deviceChanged\s*\(/, "") +event("QAudioOutput", /::volumeChanged\s*\(/, "float") +event("QAudioOutput", /::mutedChanged\s*\(/, "bool") +event("QAudioSink", /::destroyed\s*\(/, "QObject*") +event("QAudioSink", /::objectNameChanged\s*\(/, "QString") +event("QAudioSink", /::stateChanged\s*\(/, "QAudio::State") +event("QAudioSource", /::destroyed\s*\(/, "QObject*") +event("QAudioSource", /::objectNameChanged\s*\(/, "QString") +event("QAudioSource", /::stateChanged\s*\(/, "QAudio::State") +event("QCamera", /::destroyed\s*\(/, "QObject*") +event("QCamera", /::objectNameChanged\s*\(/, "QString") +event("QCamera", /::activeChanged\s*\(/, "bool") +event("QCamera", /::errorChanged\s*\(/, "") +event("QCamera", /::errorOccurred\s*\(/, "QCamera::Error, QString") +event("QCamera", /::cameraDeviceChanged\s*\(/, "") +event("QCamera", /::cameraFormatChanged\s*\(/, "") +event("QCamera", /::supportedFeaturesChanged\s*\(/, "") +event("QCamera", /::focusModeChanged\s*\(/, "") +event("QCamera", /::zoomFactorChanged\s*\(/, "float") +event("QCamera", /::minimumZoomFactorChanged\s*\(/, "float") +event("QCamera", /::maximumZoomFactorChanged\s*\(/, "float") +event("QCamera", /::focusDistanceChanged\s*\(/, "float") +event("QCamera", /::focusPointChanged\s*\(/, "") +event("QCamera", /::customFocusPointChanged\s*\(/, "") +event("QCamera", /::flashReady\s*\(/, "bool") +event("QCamera", /::flashModeChanged\s*\(/, "") +event("QCamera", /::torchModeChanged\s*\(/, "") +event("QCamera", /::exposureTimeChanged\s*\(/, "float") +event("QCamera", /::manualExposureTimeChanged\s*\(/, "float") +event("QCamera", /::isoSensitivityChanged\s*\(/, "int") +event("QCamera", /::manualIsoSensitivityChanged\s*\(/, "int") +event("QCamera", /::exposureCompensationChanged\s*\(/, "float") +event("QCamera", /::exposureModeChanged\s*\(/, "") +event("QCamera", /::whiteBalanceModeChanged\s*\(/, "") +event("QCamera", /::colorTemperatureChanged\s*\(/, "") +event("QCamera", /::brightnessChanged\s*\(/, "") +event("QCamera", /::contrastChanged\s*\(/, "") +event("QCamera", /::saturationChanged\s*\(/, "") +event("QCamera", /::hueChanged\s*\(/, "") +event("QImageCapture", /::destroyed\s*\(/, "QObject*") +event("QImageCapture", /::objectNameChanged\s*\(/, "QString") +event("QImageCapture", /::errorChanged\s*\(/, "") +event("QImageCapture", /::errorOccurred\s*\(/, "int, QImageCapture::Error, QString") +event("QImageCapture", /::readyForCaptureChanged\s*\(/, "bool") +event("QImageCapture", /::metaDataChanged\s*\(/, "") +event("QImageCapture", /::fileFormatChanged\s*\(/, "") +event("QImageCapture", /::qualityChanged\s*\(/, "") +event("QImageCapture", /::resolutionChanged\s*\(/, "") +event("QImageCapture", /::imageExposed\s*\(/, "int") +event("QImageCapture", /::imageCaptured\s*\(/, "int, QImage") +event("QImageCapture", /::imageMetadataAvailable\s*\(/, "int, QMediaMetaData") +event("QImageCapture", /::imageAvailable\s*\(/, "int, QVideoFrame") +event("QImageCapture", /::imageSaved\s*\(/, "int, QString") +event("QMediaCaptureSession", /::destroyed\s*\(/, "QObject*") +event("QMediaCaptureSession", /::objectNameChanged\s*\(/, "QString") +event("QMediaCaptureSession", /::audioInputChanged\s*\(/, "") +event("QMediaCaptureSession", /::cameraChanged\s*\(/, "") +event("QMediaCaptureSession", /::imageCaptureChanged\s*\(/, "") +event("QMediaCaptureSession", /::recorderChanged\s*\(/, "") +event("QMediaCaptureSession", /::videoOutputChanged\s*\(/, "") +event("QMediaCaptureSession", /::audioOutputChanged\s*\(/, "") +event("QMediaDevices", /::destroyed\s*\(/, "QObject*") +event("QMediaDevices", /::objectNameChanged\s*\(/, "QString") +event("QMediaDevices", /::audioInputsChanged\s*\(/, "") +event("QMediaDevices", /::audioOutputsChanged\s*\(/, "") +event("QMediaDevices", /::videoInputsChanged\s*\(/, "") +event("QMediaPlayer", /::destroyed\s*\(/, "QObject*") +event("QMediaPlayer", /::objectNameChanged\s*\(/, "QString") +event("QMediaPlayer", /::sourceChanged\s*\(/, "QUrl") +event("QMediaPlayer", /::playbackStateChanged\s*\(/, "QMediaPlayer::PlaybackState") +event("QMediaPlayer", /::mediaStatusChanged\s*\(/, "QMediaPlayer::MediaStatus") +event("QMediaPlayer", /::durationChanged\s*\(/, "qlonglong") +event("QMediaPlayer", /::positionChanged\s*\(/, "qlonglong") +event("QMediaPlayer", /::hasAudioChanged\s*\(/, "bool") +event("QMediaPlayer", /::hasVideoChanged\s*\(/, "bool") +event("QMediaPlayer", /::bufferProgressChanged\s*\(/, "float") +event("QMediaPlayer", /::seekableChanged\s*\(/, "bool") +event("QMediaPlayer", /::playbackRateChanged\s*\(/, "double") +event("QMediaPlayer", /::loopsChanged\s*\(/, "") +event("QMediaPlayer", /::metaDataChanged\s*\(/, "") +event("QMediaPlayer", /::videoOutputChanged\s*\(/, "") +event("QMediaPlayer", /::audioOutputChanged\s*\(/, "") +event("QMediaPlayer", /::tracksChanged\s*\(/, "") +event("QMediaPlayer", /::activeTracksChanged\s*\(/, "") +event("QMediaPlayer", /::errorChanged\s*\(/, "") +event("QMediaPlayer", /::errorOccurred\s*\(/, "QMediaPlayer::Error, QString") +event("QMediaRecorder", /::destroyed\s*\(/, "QObject*") +event("QMediaRecorder", /::objectNameChanged\s*\(/, "QString") +event("QMediaRecorder", /::recorderStateChanged\s*\(/, "RecorderState") +event("QMediaRecorder", /::durationChanged\s*\(/, "qlonglong") +event("QMediaRecorder", /::actualLocationChanged\s*\(/, "QUrl") +event("QMediaRecorder", /::encoderSettingsChanged\s*\(/, "") +event("QMediaRecorder", /::errorOccurred\s*\(/, "Error, QString") +event("QMediaRecorder", /::errorChanged\s*\(/, "") +event("QMediaRecorder", /::metaDataChanged\s*\(/, "") +event("QMediaRecorder", /::mediaFormatChanged\s*\(/, "") +event("QMediaRecorder", /::encodingModeChanged\s*\(/, "") +event("QMediaRecorder", /::qualityChanged\s*\(/, "") +event("QMediaRecorder", /::videoResolutionChanged\s*\(/, "") +event("QMediaRecorder", /::videoFrameRateChanged\s*\(/, "") +event("QMediaRecorder", /::videoBitRateChanged\s*\(/, "") +event("QMediaRecorder", /::audioBitRateChanged\s*\(/, "") +event("QMediaRecorder", /::audioChannelCountChanged\s*\(/, "") +event("QMediaRecorder", /::audioSampleRateChanged\s*\(/, "") +event("QSoundEffect", /::destroyed\s*\(/, "QObject*") +event("QSoundEffect", /::objectNameChanged\s*\(/, "QString") +event("QSoundEffect", /::sourceChanged\s*\(/, "") +event("QSoundEffect", /::loopCountChanged\s*\(/, "") +event("QSoundEffect", /::loopsRemainingChanged\s*\(/, "") +event("QSoundEffect", /::volumeChanged\s*\(/, "") +event("QSoundEffect", /::mutedChanged\s*\(/, "") +event("QSoundEffect", /::loadedChanged\s*\(/, "") +event("QSoundEffect", /::playingChanged\s*\(/, "") +event("QSoundEffect", /::statusChanged\s*\(/, "") +event("QSoundEffect", /::audioDeviceChanged\s*\(/, "") +event("QVideoSink", /::destroyed\s*\(/, "QObject*") +event("QVideoSink", /::objectNameChanged\s*\(/, "QString") +event("QVideoSink", /::videoFrameChanged\s*\(/, "QVideoFrame") +event("QVideoSink", /::subtitleTextChanged\s*\(/, "QString") +event("QVideoSink", /::videoSizeChanged\s*\(/, "") +event("QUiLoader", /::destroyed\s*\(/, "QObject*") +event("QUiLoader", /::objectNameChanged\s*\(/, "QString") event("QSqlDriver", /::destroyed\s*\(/, "QObject*") event("QSqlDriver", /::objectNameChanged\s*\(/, "QString") event("QSqlDriver", /::notification\s*\(/, "QString, QSqlDriver::NotificationSource, QVariant") event("QSqlQueryModel", /::destroyed\s*\(/, "QObject*") event("QSqlQueryModel", /::objectNameChanged\s*\(/, "QString") -event("QSqlQueryModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QVector") +event("QSqlQueryModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QList") event("QSqlQueryModel", /::headerDataChanged\s*\(/, "Qt::Orientation, int, int") event("QSqlQueryModel", /::layoutChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") event("QSqlQueryModel", /::layoutAboutToBeChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") @@ -1734,7 +1870,7 @@ event("QSqlQueryModel", /::columnsAboutToBeMoved\s*\(/, "QModelIndex, int, int, event("QSqlQueryModel", /::columnsMoved\s*\(/, "QModelIndex, int, int, QModelIndex, int") event("QSqlRelationalTableModel", /::destroyed\s*\(/, "QObject*") event("QSqlRelationalTableModel", /::objectNameChanged\s*\(/, "QString") -event("QSqlRelationalTableModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QVector") +event("QSqlRelationalTableModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QList") event("QSqlRelationalTableModel", /::headerDataChanged\s*\(/, "Qt::Orientation, int, int") event("QSqlRelationalTableModel", /::layoutChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") event("QSqlRelationalTableModel", /::layoutAboutToBeChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") @@ -1758,7 +1894,7 @@ event("QSqlRelationalTableModel", /::beforeUpdate\s*\(/, "int, QSqlRecord&") event("QSqlRelationalTableModel", /::beforeDelete\s*\(/, "int") event("QSqlTableModel", /::destroyed\s*\(/, "QObject*") event("QSqlTableModel", /::objectNameChanged\s*\(/, "QString") -event("QSqlTableModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QVector") +event("QSqlTableModel", /::dataChanged\s*\(/, "QModelIndex, QModelIndex, QList") event("QSqlTableModel", /::headerDataChanged\s*\(/, "Qt::Orientation, int, int") event("QSqlTableModel", /::layoutChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") event("QSqlTableModel", /::layoutAboutToBeChanged\s*\(/, "QList, QAbstractItemModel::LayoutChangeHint") @@ -1794,7 +1930,7 @@ event("QAbstractSocket", /::hostFound\s*\(/, "") event("QAbstractSocket", /::connected\s*\(/, "") event("QAbstractSocket", /::disconnected\s*\(/, "") event("QAbstractSocket", /::stateChanged\s*\(/, "QAbstractSocket::SocketState") -event("QAbstractSocket", /::error\s*\(/, "QAbstractSocket::SocketError") +event("QAbstractSocket", /::errorOccurred\s*\(/, "QAbstractSocket::SocketError") event("QAbstractSocket", /::proxyAuthenticationRequired\s*\(/, "QNetworkProxy, QAuthenticator*") event("QDnsLookup", /::destroyed\s*\(/, "QObject*") event("QDnsLookup", /::objectNameChanged\s*\(/, "QString") @@ -1802,6 +1938,12 @@ event("QDnsLookup", /::finished\s*\(/, "") event("QDnsLookup", /::nameChanged\s*\(/, "QString") event("QDnsLookup", /::typeChanged\s*\(/, "Type") event("QDnsLookup", /::nameserverChanged\s*\(/, "QHostAddress") +event("QDtls", /::destroyed\s*\(/, "QObject*") +event("QDtls", /::objectNameChanged\s*\(/, "QString") +event("QDtls", /::pskRequired\s*\(/, "QSslPreSharedKeyAuthenticator*") +event("QDtls", /::handshakeTimeout\s*\(/, "") +event("QDtlsClientVerifier", /::destroyed\s*\(/, "QObject*") +event("QDtlsClientVerifier", /::objectNameChanged\s*\(/, "QString") event("QHttpMultiPart", /::destroyed\s*\(/, "QObject*") event("QHttpMultiPart", /::objectNameChanged\s*\(/, "QString") event("QLocalServer", /::destroyed\s*\(/, "QObject*") @@ -1817,7 +1959,7 @@ event("QLocalSocket", /::aboutToClose\s*\(/, "") event("QLocalSocket", /::readChannelFinished\s*\(/, "") event("QLocalSocket", /::connected\s*\(/, "") event("QLocalSocket", /::disconnected\s*\(/, "") -event("QLocalSocket", /::error\s*\(/, "QLocalSocket::LocalSocketError") +event("QLocalSocket", /::errorOccurred\s*\(/, "QLocalSocket::LocalSocketError") event("QLocalSocket", /::stateChanged\s*\(/, "QLocalSocket::LocalSocketState") event("QNetworkAccessManager", /::destroyed\s*\(/, "QObject*") event("QNetworkAccessManager", /::objectNameChanged\s*\(/, "QString") @@ -1827,19 +1969,16 @@ event("QNetworkAccessManager", /::finished\s*\(/, "QNetworkReply*") event("QNetworkAccessManager", /::encrypted\s*\(/, "QNetworkReply*") event("QNetworkAccessManager", /::sslErrors\s*\(/, "QNetworkReply*, QList") event("QNetworkAccessManager", /::preSharedKeyAuthenticationRequired\s*\(/, "QNetworkReply*, QSslPreSharedKeyAuthenticator*") -event("QNetworkAccessManager", /::networkSessionConnected\s*\(/, "") -event("QNetworkAccessManager", /::networkAccessibleChanged\s*\(/, "QNetworkAccessManager::NetworkAccessibility") -event("QNetworkConfigurationManager", /::destroyed\s*\(/, "QObject*") -event("QNetworkConfigurationManager", /::objectNameChanged\s*\(/, "QString") -event("QNetworkConfigurationManager", /::configurationAdded\s*\(/, "QNetworkConfiguration") -event("QNetworkConfigurationManager", /::configurationRemoved\s*\(/, "QNetworkConfiguration") -event("QNetworkConfigurationManager", /::configurationChanged\s*\(/, "QNetworkConfiguration") -event("QNetworkConfigurationManager", /::onlineStateChanged\s*\(/, "bool") -event("QNetworkConfigurationManager", /::updateCompleted\s*\(/, "") event("QNetworkCookieJar", /::destroyed\s*\(/, "QObject*") event("QNetworkCookieJar", /::objectNameChanged\s*\(/, "QString") event("QNetworkDiskCache", /::destroyed\s*\(/, "QObject*") event("QNetworkDiskCache", /::objectNameChanged\s*\(/, "QString") +event("QNetworkInformation", /::destroyed\s*\(/, "QObject*") +event("QNetworkInformation", /::objectNameChanged\s*\(/, "QString") +event("QNetworkInformation", /::reachabilityChanged\s*\(/, "Reachability") +event("QNetworkInformation", /::isBehindCaptivePortalChanged\s*\(/, "bool") +event("QNetworkInformation", /::transportMediumChanged\s*\(/, "TransportMedium") +event("QNetworkInformation", /::isMeteredChanged\s*\(/, "bool") event("QNetworkReply", /::destroyed\s*\(/, "QObject*") event("QNetworkReply", /::objectNameChanged\s*\(/, "QString") event("QNetworkReply", /::readyRead\s*\(/, "") @@ -1848,9 +1987,11 @@ event("QNetworkReply", /::bytesWritten\s*\(/, "qlonglong") event("QNetworkReply", /::channelBytesWritten\s*\(/, "int, qlonglong") event("QNetworkReply", /::aboutToClose\s*\(/, "") event("QNetworkReply", /::readChannelFinished\s*\(/, "") +event("QNetworkReply", /::socketStartedConnecting\s*\(/, "") +event("QNetworkReply", /::requestSent\s*\(/, "") event("QNetworkReply", /::metaDataChanged\s*\(/, "") event("QNetworkReply", /::finished\s*\(/, "") -event("QNetworkReply", /::error\s*\(/, "QNetworkReply::NetworkError") +event("QNetworkReply", /::errorOccurred\s*\(/, "QNetworkReply::NetworkError") event("QNetworkReply", /::encrypted\s*\(/, "") event("QNetworkReply", /::sslErrors\s*\(/, "QList") event("QNetworkReply", /::preSharedKeyAuthenticationRequired\s*\(/, "QSslPreSharedKeyAuthenticator*") @@ -1858,15 +1999,6 @@ event("QNetworkReply", /::redirected\s*\(/, "QUrl") event("QNetworkReply", /::redirectAllowed\s*\(/, "") event("QNetworkReply", /::uploadProgress\s*\(/, "qlonglong, qlonglong") event("QNetworkReply", /::downloadProgress\s*\(/, "qlonglong, qlonglong") -event("QNetworkSession", /::destroyed\s*\(/, "QObject*") -event("QNetworkSession", /::objectNameChanged\s*\(/, "QString") -event("QNetworkSession", /::stateChanged\s*\(/, "QNetworkSession::State") -event("QNetworkSession", /::opened\s*\(/, "") -event("QNetworkSession", /::closed\s*\(/, "") -event("QNetworkSession", /::error\s*\(/, "QNetworkSession::SessionError") -event("QNetworkSession", /::preferredConfigurationChanged\s*\(/, "QNetworkConfiguration, bool") -event("QNetworkSession", /::newConfigurationActivated\s*\(/, "") -event("QNetworkSession", /::usagePoliciesChanged\s*\(/, "QNetworkSession::UsagePolicies") event("QSslSocket", /::destroyed\s*\(/, "QObject*") event("QSslSocket", /::objectNameChanged\s*\(/, "QString") event("QSslSocket", /::readyRead\s*\(/, "") @@ -1879,7 +2011,7 @@ event("QSslSocket", /::hostFound\s*\(/, "") event("QSslSocket", /::connected\s*\(/, "") event("QSslSocket", /::disconnected\s*\(/, "") event("QSslSocket", /::stateChanged\s*\(/, "QAbstractSocket::SocketState") -event("QSslSocket", /::error\s*\(/, "QAbstractSocket::SocketError") +event("QSslSocket", /::errorOccurred\s*\(/, "QAbstractSocket::SocketError") event("QSslSocket", /::proxyAuthenticationRequired\s*\(/, "QNetworkProxy, QAuthenticator*") event("QSslSocket", /::encrypted\s*\(/, "") event("QSslSocket", /::peerVerifyError\s*\(/, "QSslError") @@ -1887,9 +2019,14 @@ event("QSslSocket", /::sslErrors\s*\(/, "QList") event("QSslSocket", /::modeChanged\s*\(/, "QSslSocket::SslMode") event("QSslSocket", /::encryptedBytesWritten\s*\(/, "qlonglong") event("QSslSocket", /::preSharedKeyAuthenticationRequired\s*\(/, "QSslPreSharedKeyAuthenticator*") +event("QSslSocket", /::newSessionTicketReceived\s*\(/, "") +event("QSslSocket", /::alertSent\s*\(/, "QSsl::AlertLevel, QSsl::AlertType, QString") +event("QSslSocket", /::alertReceived\s*\(/, "QSsl::AlertLevel, QSsl::AlertType, QString") +event("QSslSocket", /::handshakeInterruptedOnError\s*\(/, "QSslError") event("QTcpServer", /::destroyed\s*\(/, "QObject*") event("QTcpServer", /::objectNameChanged\s*\(/, "QString") event("QTcpServer", /::newConnection\s*\(/, "") +event("QTcpServer", /::pendingConnectionAvailable\s*\(/, "") event("QTcpServer", /::acceptError\s*\(/, "QAbstractSocket::SocketError") event("QTcpSocket", /::destroyed\s*\(/, "QObject*") event("QTcpSocket", /::objectNameChanged\s*\(/, "QString") @@ -1903,7 +2040,7 @@ event("QTcpSocket", /::hostFound\s*\(/, "") event("QTcpSocket", /::connected\s*\(/, "") event("QTcpSocket", /::disconnected\s*\(/, "") event("QTcpSocket", /::stateChanged\s*\(/, "QAbstractSocket::SocketState") -event("QTcpSocket", /::error\s*\(/, "QAbstractSocket::SocketError") +event("QTcpSocket", /::errorOccurred\s*\(/, "QAbstractSocket::SocketError") event("QTcpSocket", /::proxyAuthenticationRequired\s*\(/, "QNetworkProxy, QAuthenticator*") event("QUdpSocket", /::destroyed\s*\(/, "QObject*") event("QUdpSocket", /::objectNameChanged\s*\(/, "QString") @@ -1917,5 +2054,5 @@ event("QUdpSocket", /::hostFound\s*\(/, "") event("QUdpSocket", /::connected\s*\(/, "") event("QUdpSocket", /::disconnected\s*\(/, "") event("QUdpSocket", /::stateChanged\s*\(/, "QAbstractSocket::SocketState") -event("QUdpSocket", /::error\s*\(/, "QAbstractSocket::SocketError") +event("QUdpSocket", /::errorOccurred\s*\(/, "QAbstractSocket::SocketError") event("QUdpSocket", /::proxyAuthenticationRequired\s*\(/, "QNetworkProxy, QAuthenticator*") diff --git a/scripts/mkqtdecl6/mkqtdecl.properties b/scripts/mkqtdecl6/mkqtdecl.properties index 09d56240f9..91f79965f8 100644 --- a/scripts/mkqtdecl6/mkqtdecl.properties +++ b/scripts/mkqtdecl6/mkqtdecl.properties @@ -10,815 +10,274 @@ property_reader("QAbstractAnimation", /::(currentLoop|isCurrentLoop|hasCurrentLo property_reader("QAbstractAnimation", /::(direction|isDirection|hasDirection)\s*\(/, "direction") property_writer("QAbstractAnimation", /::setDirection\s*\(/, "direction") property_reader("QAbstractAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_reader("QAbstractAudioDeviceInfo", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractAudioDeviceInfo", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractAudioInput", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractAudioInput", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractAudioOutput", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractAudioOutput", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractButton", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractButton", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractButton", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QAbstractButton", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QAbstractButton", /::setWindowModality\s*\(/, "windowModality") -property_reader("QAbstractButton", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QAbstractButton", /::setEnabled\s*\(/, "enabled") -property_reader("QAbstractButton", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QAbstractButton", /::setGeometry\s*\(/, "geometry") -property_reader("QAbstractButton", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QAbstractButton", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QAbstractButton", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QAbstractButton", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QAbstractButton", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QAbstractButton", /::setPos\s*\(/, "pos") -property_reader("QAbstractButton", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QAbstractButton", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QAbstractButton", /::setSize\s*\(/, "size") -property_reader("QAbstractButton", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QAbstractButton", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QAbstractButton", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QAbstractButton", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QAbstractButton", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QAbstractButton", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QAbstractButton", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QAbstractButton", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QAbstractButton", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QAbstractButton", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QAbstractButton", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QAbstractButton", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QAbstractButton", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QAbstractButton", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QAbstractButton", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QAbstractButton", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QAbstractButton", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QAbstractButton", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QAbstractButton", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QAbstractButton", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QAbstractButton", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QAbstractButton", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QAbstractButton", /::setBaseSize\s*\(/, "baseSize") -property_reader("QAbstractButton", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QAbstractButton", /::setPalette\s*\(/, "palette") -property_reader("QAbstractButton", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QAbstractButton", /::setFont\s*\(/, "font") -property_reader("QAbstractButton", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QAbstractButton", /::setCursor\s*\(/, "cursor") -property_reader("QAbstractButton", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QAbstractButton", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QAbstractButton", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QAbstractButton", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QAbstractButton", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QAbstractButton", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QAbstractButton", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QAbstractButton", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QAbstractButton", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QAbstractButton", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QAbstractButton", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QAbstractButton", /::setVisible\s*\(/, "visible") -property_reader("QAbstractButton", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QAbstractButton", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QAbstractButton", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QAbstractButton", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QAbstractButton", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QAbstractButton", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QAbstractButton", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QAbstractButton", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QAbstractButton", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QAbstractButton", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QAbstractButton", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QAbstractButton", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QAbstractButton", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QAbstractButton", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QAbstractButton", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QAbstractButton", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QAbstractButton", /::setWindowModified\s*\(/, "windowModified") -property_reader("QAbstractButton", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QAbstractButton", /::setToolTip\s*\(/, "toolTip") -property_reader("QAbstractButton", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QAbstractButton", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QAbstractButton", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QAbstractButton", /::setStatusTip\s*\(/, "statusTip") -property_reader("QAbstractButton", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QAbstractButton", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QAbstractButton", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QAbstractButton", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QAbstractButton", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QAbstractButton", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QAbstractButton", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QAbstractButton", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QAbstractButton", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QAbstractButton", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QAbstractButton", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QAbstractButton", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QAbstractButton", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QAbstractButton", /::setLocale\s*\(/, "locale") -property_reader("QAbstractButton", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QAbstractButton", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QAbstractButton", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QAbstractButton", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QAbstractButton", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QAbstractButton", /::setText\s*\(/, "text") -property_reader("QAbstractButton", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QAbstractButton", /::setIcon\s*\(/, "icon") -property_reader("QAbstractButton", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QAbstractButton", /::setIconSize\s*\(/, "iconSize") -property_reader("QAbstractButton", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") -property_writer("QAbstractButton", /::setShortcut\s*\(/, "shortcut") -property_reader("QAbstractButton", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") -property_writer("QAbstractButton", /::setCheckable\s*\(/, "checkable") -property_reader("QAbstractButton", /::(checked|isChecked|hasChecked)\s*\(/, "checked") -property_writer("QAbstractButton", /::setChecked\s*\(/, "checked") -property_reader("QAbstractButton", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") -property_writer("QAbstractButton", /::setAutoRepeat\s*\(/, "autoRepeat") -property_reader("QAbstractButton", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") -property_writer("QAbstractButton", /::setAutoExclusive\s*\(/, "autoExclusive") -property_reader("QAbstractButton", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") -property_writer("QAbstractButton", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") -property_reader("QAbstractButton", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") -property_writer("QAbstractButton", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") -property_reader("QAbstractButton", /::(down|isDown|hasDown)\s*\(/, "down") -property_writer("QAbstractButton", /::setDown\s*\(/, "down") property_reader("QAbstractEventDispatcher", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QAbstractEventDispatcher", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractItemDelegate", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractItemDelegate", /::setObjectName\s*\(/, "objectName") property_reader("QAbstractItemModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QAbstractItemModel", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractItemView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractItemView", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractItemView", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QAbstractItemView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QAbstractItemView", /::setWindowModality\s*\(/, "windowModality") -property_reader("QAbstractItemView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QAbstractItemView", /::setEnabled\s*\(/, "enabled") -property_reader("QAbstractItemView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QAbstractItemView", /::setGeometry\s*\(/, "geometry") -property_reader("QAbstractItemView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QAbstractItemView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QAbstractItemView", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QAbstractItemView", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QAbstractItemView", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QAbstractItemView", /::setPos\s*\(/, "pos") -property_reader("QAbstractItemView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QAbstractItemView", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QAbstractItemView", /::setSize\s*\(/, "size") -property_reader("QAbstractItemView", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QAbstractItemView", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QAbstractItemView", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QAbstractItemView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QAbstractItemView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QAbstractItemView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QAbstractItemView", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QAbstractItemView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QAbstractItemView", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QAbstractItemView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QAbstractItemView", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QAbstractItemView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QAbstractItemView", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QAbstractItemView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QAbstractItemView", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QAbstractItemView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QAbstractItemView", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QAbstractItemView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QAbstractItemView", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QAbstractItemView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QAbstractItemView", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QAbstractItemView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QAbstractItemView", /::setBaseSize\s*\(/, "baseSize") -property_reader("QAbstractItemView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QAbstractItemView", /::setPalette\s*\(/, "palette") -property_reader("QAbstractItemView", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QAbstractItemView", /::setFont\s*\(/, "font") -property_reader("QAbstractItemView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QAbstractItemView", /::setCursor\s*\(/, "cursor") -property_reader("QAbstractItemView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QAbstractItemView", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QAbstractItemView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QAbstractItemView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QAbstractItemView", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QAbstractItemView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QAbstractItemView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QAbstractItemView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QAbstractItemView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QAbstractItemView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QAbstractItemView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QAbstractItemView", /::setVisible\s*\(/, "visible") -property_reader("QAbstractItemView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QAbstractItemView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QAbstractItemView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QAbstractItemView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QAbstractItemView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QAbstractItemView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QAbstractItemView", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QAbstractItemView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QAbstractItemView", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QAbstractItemView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QAbstractItemView", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QAbstractItemView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QAbstractItemView", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QAbstractItemView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QAbstractItemView", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QAbstractItemView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QAbstractItemView", /::setWindowModified\s*\(/, "windowModified") -property_reader("QAbstractItemView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QAbstractItemView", /::setToolTip\s*\(/, "toolTip") -property_reader("QAbstractItemView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QAbstractItemView", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QAbstractItemView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QAbstractItemView", /::setStatusTip\s*\(/, "statusTip") -property_reader("QAbstractItemView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QAbstractItemView", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QAbstractItemView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QAbstractItemView", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QAbstractItemView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QAbstractItemView", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QAbstractItemView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QAbstractItemView", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QAbstractItemView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QAbstractItemView", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QAbstractItemView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QAbstractItemView", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QAbstractItemView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QAbstractItemView", /::setLocale\s*\(/, "locale") -property_reader("QAbstractItemView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QAbstractItemView", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QAbstractItemView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QAbstractItemView", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QAbstractItemView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QAbstractItemView", /::setFrameShape\s*\(/, "frameShape") -property_reader("QAbstractItemView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QAbstractItemView", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QAbstractItemView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QAbstractItemView", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QAbstractItemView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QAbstractItemView", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QAbstractItemView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QAbstractItemView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QAbstractItemView", /::setFrameRect\s*\(/, "frameRect") -property_reader("QAbstractItemView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QAbstractItemView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QAbstractItemView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QAbstractItemView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QAbstractItemView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QAbstractItemView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QAbstractItemView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") -property_writer("QAbstractItemView", /::setAutoScroll\s*\(/, "autoScroll") -property_reader("QAbstractItemView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") -property_writer("QAbstractItemView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") -property_reader("QAbstractItemView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") -property_writer("QAbstractItemView", /::setEditTriggers\s*\(/, "editTriggers") -property_reader("QAbstractItemView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") -property_writer("QAbstractItemView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") -property_reader("QAbstractItemView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") -property_writer("QAbstractItemView", /::setShowDropIndicator\s*\(/, "showDropIndicator") -property_reader("QAbstractItemView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QAbstractItemView", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QAbstractItemView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") -property_writer("QAbstractItemView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") -property_reader("QAbstractItemView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") -property_writer("QAbstractItemView", /::setDragDropMode\s*\(/, "dragDropMode") -property_reader("QAbstractItemView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") -property_writer("QAbstractItemView", /::setDefaultDropAction\s*\(/, "defaultDropAction") -property_reader("QAbstractItemView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") -property_writer("QAbstractItemView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") -property_reader("QAbstractItemView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QAbstractItemView", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QAbstractItemView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") -property_writer("QAbstractItemView", /::setSelectionBehavior\s*\(/, "selectionBehavior") -property_reader("QAbstractItemView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QAbstractItemView", /::setIconSize\s*\(/, "iconSize") -property_reader("QAbstractItemView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") -property_writer("QAbstractItemView", /::setTextElideMode\s*\(/, "textElideMode") -property_reader("QAbstractItemView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") -property_writer("QAbstractItemView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") -property_reader("QAbstractItemView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") -property_writer("QAbstractItemView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") property_reader("QAbstractListModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QAbstractListModel", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractMessageHandler", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractMessageHandler", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractNetworkCache", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractNetworkCache", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractPrintDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractPrintDialog", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractPrintDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QAbstractPrintDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QAbstractPrintDialog", /::setWindowModality\s*\(/, "windowModality") -property_reader("QAbstractPrintDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QAbstractPrintDialog", /::setEnabled\s*\(/, "enabled") -property_reader("QAbstractPrintDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QAbstractPrintDialog", /::setGeometry\s*\(/, "geometry") -property_reader("QAbstractPrintDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QAbstractPrintDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QAbstractPrintDialog", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QAbstractPrintDialog", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QAbstractPrintDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QAbstractPrintDialog", /::setPos\s*\(/, "pos") -property_reader("QAbstractPrintDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QAbstractPrintDialog", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QAbstractPrintDialog", /::setSize\s*\(/, "size") -property_reader("QAbstractPrintDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QAbstractPrintDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QAbstractPrintDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QAbstractPrintDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QAbstractPrintDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QAbstractPrintDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QAbstractPrintDialog", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QAbstractPrintDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QAbstractPrintDialog", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QAbstractPrintDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QAbstractPrintDialog", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QAbstractPrintDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QAbstractPrintDialog", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QAbstractPrintDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QAbstractPrintDialog", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QAbstractPrintDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QAbstractPrintDialog", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QAbstractPrintDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QAbstractPrintDialog", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QAbstractPrintDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QAbstractPrintDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QAbstractPrintDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QAbstractPrintDialog", /::setBaseSize\s*\(/, "baseSize") -property_reader("QAbstractPrintDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QAbstractPrintDialog", /::setPalette\s*\(/, "palette") -property_reader("QAbstractPrintDialog", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QAbstractPrintDialog", /::setFont\s*\(/, "font") -property_reader("QAbstractPrintDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QAbstractPrintDialog", /::setCursor\s*\(/, "cursor") -property_reader("QAbstractPrintDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QAbstractPrintDialog", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QAbstractPrintDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QAbstractPrintDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QAbstractPrintDialog", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QAbstractPrintDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QAbstractPrintDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QAbstractPrintDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QAbstractPrintDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QAbstractPrintDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QAbstractPrintDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QAbstractPrintDialog", /::setVisible\s*\(/, "visible") -property_reader("QAbstractPrintDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QAbstractPrintDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QAbstractPrintDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QAbstractPrintDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QAbstractPrintDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QAbstractPrintDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QAbstractPrintDialog", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QAbstractPrintDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QAbstractPrintDialog", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QAbstractPrintDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QAbstractPrintDialog", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QAbstractPrintDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QAbstractPrintDialog", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QAbstractPrintDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QAbstractPrintDialog", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QAbstractPrintDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QAbstractPrintDialog", /::setWindowModified\s*\(/, "windowModified") -property_reader("QAbstractPrintDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QAbstractPrintDialog", /::setToolTip\s*\(/, "toolTip") -property_reader("QAbstractPrintDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QAbstractPrintDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QAbstractPrintDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QAbstractPrintDialog", /::setStatusTip\s*\(/, "statusTip") -property_reader("QAbstractPrintDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QAbstractPrintDialog", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QAbstractPrintDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QAbstractPrintDialog", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QAbstractPrintDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QAbstractPrintDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QAbstractPrintDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QAbstractPrintDialog", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QAbstractPrintDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QAbstractPrintDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QAbstractPrintDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QAbstractPrintDialog", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QAbstractPrintDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QAbstractPrintDialog", /::setLocale\s*\(/, "locale") -property_reader("QAbstractPrintDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QAbstractPrintDialog", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QAbstractPrintDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QAbstractPrintDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QAbstractPrintDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QAbstractPrintDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QAbstractPrintDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QAbstractPrintDialog", /::setModal\s*\(/, "modal") property_reader("QAbstractProxyModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QAbstractProxyModel", /::setObjectName\s*\(/, "objectName") property_reader("QAbstractProxyModel", /::(sourceModel|isSourceModel|hasSourceModel)\s*\(/, "sourceModel") property_writer("QAbstractProxyModel", /::setSourceModel\s*\(/, "sourceModel") -property_reader("QAbstractScrollArea", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractScrollArea", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractScrollArea", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QAbstractScrollArea", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QAbstractScrollArea", /::setWindowModality\s*\(/, "windowModality") -property_reader("QAbstractScrollArea", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QAbstractScrollArea", /::setEnabled\s*\(/, "enabled") -property_reader("QAbstractScrollArea", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QAbstractScrollArea", /::setGeometry\s*\(/, "geometry") -property_reader("QAbstractScrollArea", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QAbstractScrollArea", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QAbstractScrollArea", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QAbstractScrollArea", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QAbstractScrollArea", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QAbstractScrollArea", /::setPos\s*\(/, "pos") -property_reader("QAbstractScrollArea", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QAbstractScrollArea", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QAbstractScrollArea", /::setSize\s*\(/, "size") -property_reader("QAbstractScrollArea", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QAbstractScrollArea", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QAbstractScrollArea", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QAbstractScrollArea", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QAbstractScrollArea", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QAbstractScrollArea", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QAbstractScrollArea", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QAbstractScrollArea", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QAbstractScrollArea", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QAbstractScrollArea", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QAbstractScrollArea", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QAbstractScrollArea", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QAbstractScrollArea", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QAbstractScrollArea", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QAbstractScrollArea", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QAbstractScrollArea", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QAbstractScrollArea", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QAbstractScrollArea", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QAbstractScrollArea", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QAbstractScrollArea", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QAbstractScrollArea", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QAbstractScrollArea", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QAbstractScrollArea", /::setBaseSize\s*\(/, "baseSize") -property_reader("QAbstractScrollArea", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QAbstractScrollArea", /::setPalette\s*\(/, "palette") -property_reader("QAbstractScrollArea", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QAbstractScrollArea", /::setFont\s*\(/, "font") -property_reader("QAbstractScrollArea", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QAbstractScrollArea", /::setCursor\s*\(/, "cursor") -property_reader("QAbstractScrollArea", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QAbstractScrollArea", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QAbstractScrollArea", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QAbstractScrollArea", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QAbstractScrollArea", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QAbstractScrollArea", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QAbstractScrollArea", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QAbstractScrollArea", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QAbstractScrollArea", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QAbstractScrollArea", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QAbstractScrollArea", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QAbstractScrollArea", /::setVisible\s*\(/, "visible") -property_reader("QAbstractScrollArea", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QAbstractScrollArea", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QAbstractScrollArea", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QAbstractScrollArea", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QAbstractScrollArea", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QAbstractScrollArea", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QAbstractScrollArea", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QAbstractScrollArea", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QAbstractScrollArea", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QAbstractScrollArea", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QAbstractScrollArea", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QAbstractScrollArea", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QAbstractScrollArea", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QAbstractScrollArea", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QAbstractScrollArea", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QAbstractScrollArea", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QAbstractScrollArea", /::setWindowModified\s*\(/, "windowModified") -property_reader("QAbstractScrollArea", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QAbstractScrollArea", /::setToolTip\s*\(/, "toolTip") -property_reader("QAbstractScrollArea", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QAbstractScrollArea", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QAbstractScrollArea", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QAbstractScrollArea", /::setStatusTip\s*\(/, "statusTip") -property_reader("QAbstractScrollArea", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QAbstractScrollArea", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QAbstractScrollArea", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QAbstractScrollArea", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QAbstractScrollArea", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QAbstractScrollArea", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QAbstractScrollArea", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QAbstractScrollArea", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QAbstractScrollArea", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QAbstractScrollArea", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QAbstractScrollArea", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QAbstractScrollArea", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QAbstractScrollArea", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QAbstractScrollArea", /::setLocale\s*\(/, "locale") -property_reader("QAbstractScrollArea", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QAbstractScrollArea", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QAbstractScrollArea", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QAbstractScrollArea", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QAbstractScrollArea", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QAbstractScrollArea", /::setFrameShape\s*\(/, "frameShape") -property_reader("QAbstractScrollArea", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QAbstractScrollArea", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QAbstractScrollArea", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QAbstractScrollArea", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QAbstractScrollArea", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QAbstractScrollArea", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QAbstractScrollArea", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QAbstractScrollArea", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QAbstractScrollArea", /::setFrameRect\s*\(/, "frameRect") -property_reader("QAbstractScrollArea", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QAbstractScrollArea", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QAbstractScrollArea", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QAbstractScrollArea", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QAbstractScrollArea", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QAbstractScrollArea", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QAbstractSlider", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractSlider", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractSlider", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QAbstractSlider", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QAbstractSlider", /::setWindowModality\s*\(/, "windowModality") -property_reader("QAbstractSlider", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QAbstractSlider", /::setEnabled\s*\(/, "enabled") -property_reader("QAbstractSlider", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QAbstractSlider", /::setGeometry\s*\(/, "geometry") -property_reader("QAbstractSlider", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QAbstractSlider", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QAbstractSlider", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QAbstractSlider", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QAbstractSlider", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QAbstractSlider", /::setPos\s*\(/, "pos") -property_reader("QAbstractSlider", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QAbstractSlider", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QAbstractSlider", /::setSize\s*\(/, "size") -property_reader("QAbstractSlider", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QAbstractSlider", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QAbstractSlider", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QAbstractSlider", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QAbstractSlider", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QAbstractSlider", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QAbstractSlider", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QAbstractSlider", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QAbstractSlider", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QAbstractSlider", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QAbstractSlider", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QAbstractSlider", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QAbstractSlider", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QAbstractSlider", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QAbstractSlider", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QAbstractSlider", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QAbstractSlider", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QAbstractSlider", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QAbstractSlider", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QAbstractSlider", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QAbstractSlider", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QAbstractSlider", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QAbstractSlider", /::setBaseSize\s*\(/, "baseSize") -property_reader("QAbstractSlider", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QAbstractSlider", /::setPalette\s*\(/, "palette") -property_reader("QAbstractSlider", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QAbstractSlider", /::setFont\s*\(/, "font") -property_reader("QAbstractSlider", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QAbstractSlider", /::setCursor\s*\(/, "cursor") -property_reader("QAbstractSlider", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QAbstractSlider", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QAbstractSlider", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QAbstractSlider", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QAbstractSlider", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QAbstractSlider", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QAbstractSlider", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QAbstractSlider", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QAbstractSlider", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QAbstractSlider", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QAbstractSlider", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QAbstractSlider", /::setVisible\s*\(/, "visible") -property_reader("QAbstractSlider", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QAbstractSlider", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QAbstractSlider", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QAbstractSlider", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QAbstractSlider", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QAbstractSlider", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QAbstractSlider", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QAbstractSlider", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QAbstractSlider", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QAbstractSlider", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QAbstractSlider", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QAbstractSlider", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QAbstractSlider", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QAbstractSlider", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QAbstractSlider", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QAbstractSlider", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QAbstractSlider", /::setWindowModified\s*\(/, "windowModified") -property_reader("QAbstractSlider", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QAbstractSlider", /::setToolTip\s*\(/, "toolTip") -property_reader("QAbstractSlider", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QAbstractSlider", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QAbstractSlider", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QAbstractSlider", /::setStatusTip\s*\(/, "statusTip") -property_reader("QAbstractSlider", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QAbstractSlider", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QAbstractSlider", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QAbstractSlider", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QAbstractSlider", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QAbstractSlider", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QAbstractSlider", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QAbstractSlider", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QAbstractSlider", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QAbstractSlider", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QAbstractSlider", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QAbstractSlider", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QAbstractSlider", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QAbstractSlider", /::setLocale\s*\(/, "locale") -property_reader("QAbstractSlider", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QAbstractSlider", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QAbstractSlider", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QAbstractSlider", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QAbstractSlider", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") -property_writer("QAbstractSlider", /::setMinimum\s*\(/, "minimum") -property_reader("QAbstractSlider", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") -property_writer("QAbstractSlider", /::setMaximum\s*\(/, "maximum") -property_reader("QAbstractSlider", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") -property_writer("QAbstractSlider", /::setSingleStep\s*\(/, "singleStep") -property_reader("QAbstractSlider", /::(pageStep|isPageStep|hasPageStep)\s*\(/, "pageStep") -property_writer("QAbstractSlider", /::setPageStep\s*\(/, "pageStep") -property_reader("QAbstractSlider", /::(value|isValue|hasValue)\s*\(/, "value") -property_writer("QAbstractSlider", /::setValue\s*\(/, "value") -property_reader("QAbstractSlider", /::(sliderPosition|isSliderPosition|hasSliderPosition)\s*\(/, "sliderPosition") -property_writer("QAbstractSlider", /::setSliderPosition\s*\(/, "sliderPosition") -property_reader("QAbstractSlider", /::(tracking|isTracking|hasTracking)\s*\(/, "tracking") -property_writer("QAbstractSlider", /::setTracking\s*\(/, "tracking") -property_reader("QAbstractSlider", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") -property_writer("QAbstractSlider", /::setOrientation\s*\(/, "orientation") -property_reader("QAbstractSlider", /::(invertedAppearance|isInvertedAppearance|hasInvertedAppearance)\s*\(/, "invertedAppearance") -property_writer("QAbstractSlider", /::setInvertedAppearance\s*\(/, "invertedAppearance") -property_reader("QAbstractSlider", /::(invertedControls|isInvertedControls|hasInvertedControls)\s*\(/, "invertedControls") -property_writer("QAbstractSlider", /::setInvertedControls\s*\(/, "invertedControls") -property_reader("QAbstractSlider", /::(sliderDown|isSliderDown|hasSliderDown)\s*\(/, "sliderDown") -property_writer("QAbstractSlider", /::setSliderDown\s*\(/, "sliderDown") -property_reader("QAbstractSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractSocket", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractSpinBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractSpinBox", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractSpinBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QAbstractSpinBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QAbstractSpinBox", /::setWindowModality\s*\(/, "windowModality") -property_reader("QAbstractSpinBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QAbstractSpinBox", /::setEnabled\s*\(/, "enabled") -property_reader("QAbstractSpinBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QAbstractSpinBox", /::setGeometry\s*\(/, "geometry") -property_reader("QAbstractSpinBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QAbstractSpinBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QAbstractSpinBox", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QAbstractSpinBox", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QAbstractSpinBox", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QAbstractSpinBox", /::setPos\s*\(/, "pos") -property_reader("QAbstractSpinBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QAbstractSpinBox", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QAbstractSpinBox", /::setSize\s*\(/, "size") -property_reader("QAbstractSpinBox", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QAbstractSpinBox", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QAbstractSpinBox", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QAbstractSpinBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QAbstractSpinBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QAbstractSpinBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QAbstractSpinBox", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QAbstractSpinBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QAbstractSpinBox", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QAbstractSpinBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QAbstractSpinBox", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QAbstractSpinBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QAbstractSpinBox", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QAbstractSpinBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QAbstractSpinBox", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QAbstractSpinBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QAbstractSpinBox", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QAbstractSpinBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QAbstractSpinBox", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QAbstractSpinBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QAbstractSpinBox", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QAbstractSpinBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QAbstractSpinBox", /::setBaseSize\s*\(/, "baseSize") -property_reader("QAbstractSpinBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QAbstractSpinBox", /::setPalette\s*\(/, "palette") -property_reader("QAbstractSpinBox", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QAbstractSpinBox", /::setFont\s*\(/, "font") -property_reader("QAbstractSpinBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QAbstractSpinBox", /::setCursor\s*\(/, "cursor") -property_reader("QAbstractSpinBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QAbstractSpinBox", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QAbstractSpinBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QAbstractSpinBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QAbstractSpinBox", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QAbstractSpinBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QAbstractSpinBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QAbstractSpinBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QAbstractSpinBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QAbstractSpinBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QAbstractSpinBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QAbstractSpinBox", /::setVisible\s*\(/, "visible") -property_reader("QAbstractSpinBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QAbstractSpinBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QAbstractSpinBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QAbstractSpinBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QAbstractSpinBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QAbstractSpinBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QAbstractSpinBox", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QAbstractSpinBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QAbstractSpinBox", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QAbstractSpinBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QAbstractSpinBox", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QAbstractSpinBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QAbstractSpinBox", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QAbstractSpinBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QAbstractSpinBox", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QAbstractSpinBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QAbstractSpinBox", /::setWindowModified\s*\(/, "windowModified") -property_reader("QAbstractSpinBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QAbstractSpinBox", /::setToolTip\s*\(/, "toolTip") -property_reader("QAbstractSpinBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QAbstractSpinBox", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QAbstractSpinBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QAbstractSpinBox", /::setStatusTip\s*\(/, "statusTip") -property_reader("QAbstractSpinBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QAbstractSpinBox", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QAbstractSpinBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QAbstractSpinBox", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QAbstractSpinBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QAbstractSpinBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QAbstractSpinBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QAbstractSpinBox", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QAbstractSpinBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QAbstractSpinBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QAbstractSpinBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QAbstractSpinBox", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QAbstractSpinBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QAbstractSpinBox", /::setLocale\s*\(/, "locale") -property_reader("QAbstractSpinBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QAbstractSpinBox", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QAbstractSpinBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QAbstractSpinBox", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QAbstractSpinBox", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") -property_writer("QAbstractSpinBox", /::setWrapping\s*\(/, "wrapping") -property_reader("QAbstractSpinBox", /::(frame|isFrame|hasFrame)\s*\(/, "frame") -property_writer("QAbstractSpinBox", /::setFrame\s*\(/, "frame") -property_reader("QAbstractSpinBox", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QAbstractSpinBox", /::setAlignment\s*\(/, "alignment") -property_reader("QAbstractSpinBox", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QAbstractSpinBox", /::setReadOnly\s*\(/, "readOnly") -property_reader("QAbstractSpinBox", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") -property_writer("QAbstractSpinBox", /::setButtonSymbols\s*\(/, "buttonSymbols") -property_reader("QAbstractSpinBox", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") -property_writer("QAbstractSpinBox", /::setSpecialValueText\s*\(/, "specialValueText") -property_reader("QAbstractSpinBox", /::(text|isText|hasText)\s*\(/, "text") -property_reader("QAbstractSpinBox", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") -property_writer("QAbstractSpinBox", /::setAccelerated\s*\(/, "accelerated") -property_reader("QAbstractSpinBox", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") -property_writer("QAbstractSpinBox", /::setCorrectionMode\s*\(/, "correctionMode") -property_reader("QAbstractSpinBox", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") -property_reader("QAbstractSpinBox", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") -property_writer("QAbstractSpinBox", /::setKeyboardTracking\s*\(/, "keyboardTracking") -property_reader("QAbstractSpinBox", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") -property_writer("QAbstractSpinBox", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") -property_reader("QAbstractState", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractState", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractState", /::(active|isActive|hasActive)\s*\(/, "active") property_reader("QAbstractTableModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QAbstractTableModel", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractTextDocumentLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractTextDocumentLayout", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractTransition", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractTransition", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractTransition", /::(sourceState|isSourceState|hasSourceState)\s*\(/, "sourceState") -property_reader("QAbstractTransition", /::(targetState|isTargetState|hasTargetState)\s*\(/, "targetState") -property_writer("QAbstractTransition", /::setTargetState\s*\(/, "targetState") -property_reader("QAbstractTransition", /::(targetStates|isTargetStates|hasTargetStates)\s*\(/, "targetStates") -property_writer("QAbstractTransition", /::setTargetStates\s*\(/, "targetStates") -property_reader("QAbstractTransition", /::(transitionType|isTransitionType|hasTransitionType)\s*\(/, "transitionType") -property_writer("QAbstractTransition", /::setTransitionType\s*\(/, "transitionType") -property_reader("QAbstractUriResolver", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractUriResolver", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractVideoFilter", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractVideoFilter", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractVideoFilter", /::(active|isActive|hasActive)\s*\(/, "active") -property_writer("QAbstractVideoFilter", /::setActive\s*\(/, "active") -property_reader("QAbstractVideoSurface", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAbstractVideoSurface", /::setObjectName\s*\(/, "objectName") -property_reader("QAbstractVideoSurface", /::(nativeResolution|isNativeResolution|hasNativeResolution)\s*\(/, "nativeResolution") -property_reader("QAction", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAction", /::setObjectName\s*\(/, "objectName") -property_reader("QAction", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") -property_writer("QAction", /::setCheckable\s*\(/, "checkable") -property_reader("QAction", /::(checked|isChecked|hasChecked)\s*\(/, "checked") -property_writer("QAction", /::setChecked\s*\(/, "checked") -property_reader("QAction", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QAction", /::setEnabled\s*\(/, "enabled") -property_reader("QAction", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QAction", /::setIcon\s*\(/, "icon") -property_reader("QAction", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QAction", /::setText\s*\(/, "text") -property_reader("QAction", /::(iconText|isIconText|hasIconText)\s*\(/, "iconText") -property_writer("QAction", /::setIconText\s*\(/, "iconText") -property_reader("QAction", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QAction", /::setToolTip\s*\(/, "toolTip") -property_reader("QAction", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QAction", /::setStatusTip\s*\(/, "statusTip") -property_reader("QAction", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QAction", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QAction", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QAction", /::setFont\s*\(/, "font") -property_reader("QAction", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") -property_writer("QAction", /::setShortcut\s*\(/, "shortcut") +property_reader("QAnimationDriver", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAnimationDriver", /::setObjectName\s*\(/, "objectName") +property_reader("QAnimationGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAnimationGroup", /::setObjectName\s*\(/, "objectName") +property_reader("QAnimationGroup", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QAnimationGroup", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") +property_writer("QAnimationGroup", /::setLoopCount\s*\(/, "loopCount") +property_reader("QAnimationGroup", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") +property_writer("QAnimationGroup", /::setCurrentTime\s*\(/, "currentTime") +property_reader("QAnimationGroup", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") +property_reader("QAnimationGroup", /::(direction|isDirection|hasDirection)\s*\(/, "direction") +property_writer("QAnimationGroup", /::setDirection\s*\(/, "direction") +property_reader("QAnimationGroup", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_reader("QBuffer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QBuffer", /::setObjectName\s*\(/, "objectName") +property_reader("QConcatenateTablesProxyModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QConcatenateTablesProxyModel", /::setObjectName\s*\(/, "objectName") +property_reader("QCoreApplication", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCoreApplication", /::setObjectName\s*\(/, "objectName") +property_reader("QCoreApplication", /::(applicationName|isApplicationName|hasApplicationName)\s*\(/, "applicationName") +property_writer("QCoreApplication", /::setApplicationName\s*\(/, "applicationName") +property_reader("QCoreApplication", /::(applicationVersion|isApplicationVersion|hasApplicationVersion)\s*\(/, "applicationVersion") +property_writer("QCoreApplication", /::setApplicationVersion\s*\(/, "applicationVersion") +property_reader("QCoreApplication", /::(organizationName|isOrganizationName|hasOrganizationName)\s*\(/, "organizationName") +property_writer("QCoreApplication", /::setOrganizationName\s*\(/, "organizationName") +property_reader("QCoreApplication", /::(organizationDomain|isOrganizationDomain|hasOrganizationDomain)\s*\(/, "organizationDomain") +property_writer("QCoreApplication", /::setOrganizationDomain\s*\(/, "organizationDomain") +property_reader("QCoreApplication", /::(quitLockEnabled|isQuitLockEnabled|hasQuitLockEnabled)\s*\(/, "quitLockEnabled") +property_writer("QCoreApplication", /::setQuitLockEnabled\s*\(/, "quitLockEnabled") +property_reader("QEventLoop", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QEventLoop", /::setObjectName\s*\(/, "objectName") +property_reader("QFile", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFile", /::setObjectName\s*\(/, "objectName") +property_reader("QFileDevice", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFileDevice", /::setObjectName\s*\(/, "objectName") +property_reader("QFileSelector", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFileSelector", /::setObjectName\s*\(/, "objectName") +property_reader("QFileSystemWatcher", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFileSystemWatcher", /::setObjectName\s*\(/, "objectName") +property_reader("QIODevice", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QIODevice", /::setObjectName\s*\(/, "objectName") +property_reader("QIdentityProxyModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QIdentityProxyModel", /::setObjectName\s*\(/, "objectName") +property_reader("QIdentityProxyModel", /::(sourceModel|isSourceModel|hasSourceModel)\s*\(/, "sourceModel") +property_writer("QIdentityProxyModel", /::setSourceModel\s*\(/, "sourceModel") +property_reader("QItemSelectionModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QItemSelectionModel", /::setObjectName\s*\(/, "objectName") +property_reader("QItemSelectionModel", /::(model|isModel|hasModel)\s*\(/, "model") +property_writer("QItemSelectionModel", /::setModel\s*\(/, "model") +property_reader("QItemSelectionModel", /::(hasSelection|isHasSelection|hasHasSelection)\s*\(/, "hasSelection") +property_reader("QItemSelectionModel", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") +property_reader("QItemSelectionModel", /::(selection|isSelection|hasSelection)\s*\(/, "selection") +property_reader("QItemSelectionModel", /::(selectedIndexes|isSelectedIndexes|hasSelectedIndexes)\s*\(/, "selectedIndexes") +property_reader("QLibrary", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QLibrary", /::setObjectName\s*\(/, "objectName") +property_reader("QLibrary", /::(fileName|isFileName|hasFileName)\s*\(/, "fileName") +property_writer("QLibrary", /::setFileName\s*\(/, "fileName") +property_reader("QLibrary", /::(loadHints|isLoadHints|hasLoadHints)\s*\(/, "loadHints") +property_writer("QLibrary", /::setLoadHints\s*\(/, "loadHints") +property_reader("QMimeData", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMimeData", /::setObjectName\s*\(/, "objectName") +property_reader("QParallelAnimationGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QParallelAnimationGroup", /::setObjectName\s*\(/, "objectName") +property_reader("QParallelAnimationGroup", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QParallelAnimationGroup", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") +property_writer("QParallelAnimationGroup", /::setLoopCount\s*\(/, "loopCount") +property_reader("QParallelAnimationGroup", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") +property_writer("QParallelAnimationGroup", /::setCurrentTime\s*\(/, "currentTime") +property_reader("QParallelAnimationGroup", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") +property_reader("QParallelAnimationGroup", /::(direction|isDirection|hasDirection)\s*\(/, "direction") +property_writer("QParallelAnimationGroup", /::setDirection\s*\(/, "direction") +property_reader("QParallelAnimationGroup", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_reader("QPauseAnimation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPauseAnimation", /::setObjectName\s*\(/, "objectName") +property_reader("QPauseAnimation", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QPauseAnimation", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") +property_writer("QPauseAnimation", /::setLoopCount\s*\(/, "loopCount") +property_reader("QPauseAnimation", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") +property_writer("QPauseAnimation", /::setCurrentTime\s*\(/, "currentTime") +property_reader("QPauseAnimation", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") +property_reader("QPauseAnimation", /::(direction|isDirection|hasDirection)\s*\(/, "direction") +property_writer("QPauseAnimation", /::setDirection\s*\(/, "direction") +property_reader("QPauseAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_reader("QPauseAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_writer("QPauseAnimation", /::setDuration\s*\(/, "duration") +property_reader("QPluginLoader", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPluginLoader", /::setObjectName\s*\(/, "objectName") +property_reader("QPluginLoader", /::(fileName|isFileName|hasFileName)\s*\(/, "fileName") +property_writer("QPluginLoader", /::setFileName\s*\(/, "fileName") +property_reader("QPluginLoader", /::(loadHints|isLoadHints|hasLoadHints)\s*\(/, "loadHints") +property_writer("QPluginLoader", /::setLoadHints\s*\(/, "loadHints") +property_reader("QProcess", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QProcess", /::setObjectName\s*\(/, "objectName") +property_reader("QPropertyAnimation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPropertyAnimation", /::setObjectName\s*\(/, "objectName") +property_reader("QPropertyAnimation", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QPropertyAnimation", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") +property_writer("QPropertyAnimation", /::setLoopCount\s*\(/, "loopCount") +property_reader("QPropertyAnimation", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") +property_writer("QPropertyAnimation", /::setCurrentTime\s*\(/, "currentTime") +property_reader("QPropertyAnimation", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") +property_reader("QPropertyAnimation", /::(direction|isDirection|hasDirection)\s*\(/, "direction") +property_writer("QPropertyAnimation", /::setDirection\s*\(/, "direction") +property_reader("QPropertyAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_reader("QPropertyAnimation", /::(startValue|isStartValue|hasStartValue)\s*\(/, "startValue") +property_writer("QPropertyAnimation", /::setStartValue\s*\(/, "startValue") +property_reader("QPropertyAnimation", /::(endValue|isEndValue|hasEndValue)\s*\(/, "endValue") +property_writer("QPropertyAnimation", /::setEndValue\s*\(/, "endValue") +property_reader("QPropertyAnimation", /::(currentValue|isCurrentValue|hasCurrentValue)\s*\(/, "currentValue") +property_reader("QPropertyAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_writer("QPropertyAnimation", /::setDuration\s*\(/, "duration") +property_reader("QPropertyAnimation", /::(easingCurve|isEasingCurve|hasEasingCurve)\s*\(/, "easingCurve") +property_writer("QPropertyAnimation", /::setEasingCurve\s*\(/, "easingCurve") +property_reader("QPropertyAnimation", /::(propertyName|isPropertyName|hasPropertyName)\s*\(/, "propertyName") +property_writer("QPropertyAnimation", /::setPropertyName\s*\(/, "propertyName") +property_reader("QPropertyAnimation", /::(targetObject|isTargetObject|hasTargetObject)\s*\(/, "targetObject") +property_writer("QPropertyAnimation", /::setTargetObject\s*\(/, "targetObject") +property_reader("QSaveFile", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSaveFile", /::setObjectName\s*\(/, "objectName") +property_reader("QSequentialAnimationGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSequentialAnimationGroup", /::setObjectName\s*\(/, "objectName") +property_reader("QSequentialAnimationGroup", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QSequentialAnimationGroup", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") +property_writer("QSequentialAnimationGroup", /::setLoopCount\s*\(/, "loopCount") +property_reader("QSequentialAnimationGroup", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") +property_writer("QSequentialAnimationGroup", /::setCurrentTime\s*\(/, "currentTime") +property_reader("QSequentialAnimationGroup", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") +property_reader("QSequentialAnimationGroup", /::(direction|isDirection|hasDirection)\s*\(/, "direction") +property_writer("QSequentialAnimationGroup", /::setDirection\s*\(/, "direction") +property_reader("QSequentialAnimationGroup", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_reader("QSequentialAnimationGroup", /::(currentAnimation|isCurrentAnimation|hasCurrentAnimation)\s*\(/, "currentAnimation") +property_reader("QSettings", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSettings", /::setObjectName\s*\(/, "objectName") +property_reader("QSharedMemory", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSharedMemory", /::setObjectName\s*\(/, "objectName") +property_reader("QSignalMapper", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSignalMapper", /::setObjectName\s*\(/, "objectName") +property_reader("QSocketNotifier", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSocketNotifier", /::setObjectName\s*\(/, "objectName") +property_reader("QSortFilterProxyModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSortFilterProxyModel", /::setObjectName\s*\(/, "objectName") +property_reader("QSortFilterProxyModel", /::(sourceModel|isSourceModel|hasSourceModel)\s*\(/, "sourceModel") +property_writer("QSortFilterProxyModel", /::setSourceModel\s*\(/, "sourceModel") +property_reader("QSortFilterProxyModel", /::(filterRegularExpression|isFilterRegularExpression|hasFilterRegularExpression)\s*\(/, "filterRegularExpression") +property_writer("QSortFilterProxyModel", /::setFilterRegularExpression\s*\(/, "filterRegularExpression") +property_reader("QSortFilterProxyModel", /::(filterKeyColumn|isFilterKeyColumn|hasFilterKeyColumn)\s*\(/, "filterKeyColumn") +property_writer("QSortFilterProxyModel", /::setFilterKeyColumn\s*\(/, "filterKeyColumn") +property_reader("QSortFilterProxyModel", /::(dynamicSortFilter|isDynamicSortFilter|hasDynamicSortFilter)\s*\(/, "dynamicSortFilter") +property_writer("QSortFilterProxyModel", /::setDynamicSortFilter\s*\(/, "dynamicSortFilter") +property_reader("QSortFilterProxyModel", /::(filterCaseSensitivity|isFilterCaseSensitivity|hasFilterCaseSensitivity)\s*\(/, "filterCaseSensitivity") +property_writer("QSortFilterProxyModel", /::setFilterCaseSensitivity\s*\(/, "filterCaseSensitivity") +property_reader("QSortFilterProxyModel", /::(sortCaseSensitivity|isSortCaseSensitivity|hasSortCaseSensitivity)\s*\(/, "sortCaseSensitivity") +property_writer("QSortFilterProxyModel", /::setSortCaseSensitivity\s*\(/, "sortCaseSensitivity") +property_reader("QSortFilterProxyModel", /::(isSortLocaleAware|isIsSortLocaleAware|hasIsSortLocaleAware)\s*\(/, "isSortLocaleAware") +property_writer("QSortFilterProxyModel", /::setIsSortLocaleAware\s*\(/, "isSortLocaleAware") +property_reader("QSortFilterProxyModel", /::(sortRole|isSortRole|hasSortRole)\s*\(/, "sortRole") +property_writer("QSortFilterProxyModel", /::setSortRole\s*\(/, "sortRole") +property_reader("QSortFilterProxyModel", /::(filterRole|isFilterRole|hasFilterRole)\s*\(/, "filterRole") +property_writer("QSortFilterProxyModel", /::setFilterRole\s*\(/, "filterRole") +property_reader("QSortFilterProxyModel", /::(recursiveFilteringEnabled|isRecursiveFilteringEnabled|hasRecursiveFilteringEnabled)\s*\(/, "recursiveFilteringEnabled") +property_writer("QSortFilterProxyModel", /::setRecursiveFilteringEnabled\s*\(/, "recursiveFilteringEnabled") +property_reader("QSortFilterProxyModel", /::(autoAcceptChildRows|isAutoAcceptChildRows|hasAutoAcceptChildRows)\s*\(/, "autoAcceptChildRows") +property_writer("QSortFilterProxyModel", /::setAutoAcceptChildRows\s*\(/, "autoAcceptChildRows") +property_reader("QStringListModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QStringListModel", /::setObjectName\s*\(/, "objectName") +property_reader("QTemporaryFile", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTemporaryFile", /::setObjectName\s*\(/, "objectName") +property_reader("QThread", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QThread", /::setObjectName\s*\(/, "objectName") +property_reader("QThreadPool", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QThreadPool", /::setObjectName\s*\(/, "objectName") +property_reader("QThreadPool", /::(expiryTimeout|isExpiryTimeout|hasExpiryTimeout)\s*\(/, "expiryTimeout") +property_writer("QThreadPool", /::setExpiryTimeout\s*\(/, "expiryTimeout") +property_reader("QThreadPool", /::(maxThreadCount|isMaxThreadCount|hasMaxThreadCount)\s*\(/, "maxThreadCount") +property_writer("QThreadPool", /::setMaxThreadCount\s*\(/, "maxThreadCount") +property_reader("QThreadPool", /::(activeThreadCount|isActiveThreadCount|hasActiveThreadCount)\s*\(/, "activeThreadCount") +property_reader("QThreadPool", /::(stackSize|isStackSize|hasStackSize)\s*\(/, "stackSize") +property_writer("QThreadPool", /::setStackSize\s*\(/, "stackSize") +property_reader("QThreadPool", /::(threadPriority|isThreadPriority|hasThreadPriority)\s*\(/, "threadPriority") +property_writer("QThreadPool", /::setThreadPriority\s*\(/, "threadPriority") +property_reader("QTimeLine", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTimeLine", /::setObjectName\s*\(/, "objectName") +property_reader("QTimeLine", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_writer("QTimeLine", /::setDuration\s*\(/, "duration") +property_reader("QTimeLine", /::(updateInterval|isUpdateInterval|hasUpdateInterval)\s*\(/, "updateInterval") +property_writer("QTimeLine", /::setUpdateInterval\s*\(/, "updateInterval") +property_reader("QTimeLine", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") +property_writer("QTimeLine", /::setCurrentTime\s*\(/, "currentTime") +property_reader("QTimeLine", /::(direction|isDirection|hasDirection)\s*\(/, "direction") +property_writer("QTimeLine", /::setDirection\s*\(/, "direction") +property_reader("QTimeLine", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") +property_writer("QTimeLine", /::setLoopCount\s*\(/, "loopCount") +property_reader("QTimeLine", /::(easingCurve|isEasingCurve|hasEasingCurve)\s*\(/, "easingCurve") +property_writer("QTimeLine", /::setEasingCurve\s*\(/, "easingCurve") +property_reader("QTimer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTimer", /::setObjectName\s*\(/, "objectName") +property_reader("QTimer", /::(singleShot|isSingleShot|hasSingleShot)\s*\(/, "singleShot") +property_writer("QTimer", /::setSingleShot\s*\(/, "singleShot") +property_reader("QTimer", /::(interval|isInterval|hasInterval)\s*\(/, "interval") +property_writer("QTimer", /::setInterval\s*\(/, "interval") +property_reader("QTimer", /::(remainingTime|isRemainingTime|hasRemainingTime)\s*\(/, "remainingTime") +property_reader("QTimer", /::(timerType|isTimerType|hasTimerType)\s*\(/, "timerType") +property_writer("QTimer", /::setTimerType\s*\(/, "timerType") +property_reader("QTimer", /::(active|isActive|hasActive)\s*\(/, "active") +property_reader("QTranslator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTranslator", /::setObjectName\s*\(/, "objectName") +property_reader("QTransposeProxyModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTransposeProxyModel", /::setObjectName\s*\(/, "objectName") +property_reader("QTransposeProxyModel", /::(sourceModel|isSourceModel|hasSourceModel)\s*\(/, "sourceModel") +property_writer("QTransposeProxyModel", /::setSourceModel\s*\(/, "sourceModel") +property_reader("QVariantAnimation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QVariantAnimation", /::setObjectName\s*\(/, "objectName") +property_reader("QVariantAnimation", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QVariantAnimation", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") +property_writer("QVariantAnimation", /::setLoopCount\s*\(/, "loopCount") +property_reader("QVariantAnimation", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") +property_writer("QVariantAnimation", /::setCurrentTime\s*\(/, "currentTime") +property_reader("QVariantAnimation", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") +property_reader("QVariantAnimation", /::(direction|isDirection|hasDirection)\s*\(/, "direction") +property_writer("QVariantAnimation", /::setDirection\s*\(/, "direction") +property_reader("QVariantAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_reader("QVariantAnimation", /::(startValue|isStartValue|hasStartValue)\s*\(/, "startValue") +property_writer("QVariantAnimation", /::setStartValue\s*\(/, "startValue") +property_reader("QVariantAnimation", /::(endValue|isEndValue|hasEndValue)\s*\(/, "endValue") +property_writer("QVariantAnimation", /::setEndValue\s*\(/, "endValue") +property_reader("QVariantAnimation", /::(currentValue|isCurrentValue|hasCurrentValue)\s*\(/, "currentValue") +property_reader("QVariantAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_writer("QVariantAnimation", /::setDuration\s*\(/, "duration") +property_reader("QVariantAnimation", /::(easingCurve|isEasingCurve|hasEasingCurve)\s*\(/, "easingCurve") +property_writer("QVariantAnimation", /::setEasingCurve\s*\(/, "easingCurve") +property_reader("QAbstractTextDocumentLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractTextDocumentLayout", /::setObjectName\s*\(/, "objectName") +property_reader("QAction", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAction", /::setObjectName\s*\(/, "objectName") +property_reader("QAction", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") +property_writer("QAction", /::setCheckable\s*\(/, "checkable") +property_reader("QAction", /::(checked|isChecked|hasChecked)\s*\(/, "checked") +property_writer("QAction", /::setChecked\s*\(/, "checked") +property_reader("QAction", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QAction", /::setEnabled\s*\(/, "enabled") +property_reader("QAction", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QAction", /::setIcon\s*\(/, "icon") +property_reader("QAction", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QAction", /::setText\s*\(/, "text") +property_reader("QAction", /::(iconText|isIconText|hasIconText)\s*\(/, "iconText") +property_writer("QAction", /::setIconText\s*\(/, "iconText") +property_reader("QAction", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QAction", /::setToolTip\s*\(/, "toolTip") +property_reader("QAction", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QAction", /::setStatusTip\s*\(/, "statusTip") +property_reader("QAction", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QAction", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QAction", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QAction", /::setFont\s*\(/, "font") +property_reader("QAction", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") +property_writer("QAction", /::setShortcut\s*\(/, "shortcut") property_reader("QAction", /::(shortcutContext|isShortcutContext|hasShortcutContext)\s*\(/, "shortcutContext") property_writer("QAction", /::setShortcutContext\s*\(/, "shortcutContext") property_reader("QAction", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") @@ -829,12189 +288,11034 @@ property_reader("QAction", /::(menuRole|isMenuRole|hasMenuRole)\s*\(/, "menuRole property_writer("QAction", /::setMenuRole\s*\(/, "menuRole") property_reader("QAction", /::(iconVisibleInMenu|isIconVisibleInMenu|hasIconVisibleInMenu)\s*\(/, "iconVisibleInMenu") property_writer("QAction", /::setIconVisibleInMenu\s*\(/, "iconVisibleInMenu") +property_reader("QAction", /::(shortcutVisibleInContextMenu|isShortcutVisibleInContextMenu|hasShortcutVisibleInContextMenu)\s*\(/, "shortcutVisibleInContextMenu") +property_writer("QAction", /::setShortcutVisibleInContextMenu\s*\(/, "shortcutVisibleInContextMenu") property_reader("QAction", /::(priority|isPriority|hasPriority)\s*\(/, "priority") property_writer("QAction", /::setPriority\s*\(/, "priority") property_reader("QActionGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QActionGroup", /::setObjectName\s*\(/, "objectName") -property_reader("QActionGroup", /::(exclusive|isExclusive|hasExclusive)\s*\(/, "exclusive") -property_writer("QActionGroup", /::setExclusive\s*\(/, "exclusive") +property_reader("QActionGroup", /::(exclusionPolicy|isExclusionPolicy|hasExclusionPolicy)\s*\(/, "exclusionPolicy") +property_writer("QActionGroup", /::setExclusionPolicy\s*\(/, "exclusionPolicy") property_reader("QActionGroup", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") property_writer("QActionGroup", /::setEnabled\s*\(/, "enabled") property_reader("QActionGroup", /::(visible|isVisible|hasVisible)\s*\(/, "visible") property_writer("QActionGroup", /::setVisible\s*\(/, "visible") -property_reader("QAnimationDriver", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAnimationDriver", /::setObjectName\s*\(/, "objectName") -property_reader("QAnimationGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAnimationGroup", /::setObjectName\s*\(/, "objectName") -property_reader("QAnimationGroup", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QAnimationGroup", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") -property_writer("QAnimationGroup", /::setLoopCount\s*\(/, "loopCount") -property_reader("QAnimationGroup", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") -property_writer("QAnimationGroup", /::setCurrentTime\s*\(/, "currentTime") -property_reader("QAnimationGroup", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") -property_reader("QAnimationGroup", /::(direction|isDirection|hasDirection)\s*\(/, "direction") -property_writer("QAnimationGroup", /::setDirection\s*\(/, "direction") -property_reader("QAnimationGroup", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_reader("QApplication", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QApplication", /::setObjectName\s*\(/, "objectName") -property_reader("QApplication", /::(applicationName|isApplicationName|hasApplicationName)\s*\(/, "applicationName") -property_writer("QApplication", /::setApplicationName\s*\(/, "applicationName") -property_reader("QApplication", /::(applicationVersion|isApplicationVersion|hasApplicationVersion)\s*\(/, "applicationVersion") -property_writer("QApplication", /::setApplicationVersion\s*\(/, "applicationVersion") -property_reader("QApplication", /::(organizationName|isOrganizationName|hasOrganizationName)\s*\(/, "organizationName") -property_writer("QApplication", /::setOrganizationName\s*\(/, "organizationName") -property_reader("QApplication", /::(organizationDomain|isOrganizationDomain|hasOrganizationDomain)\s*\(/, "organizationDomain") -property_writer("QApplication", /::setOrganizationDomain\s*\(/, "organizationDomain") -property_reader("QApplication", /::(quitLockEnabled|isQuitLockEnabled|hasQuitLockEnabled)\s*\(/, "quitLockEnabled") -property_writer("QApplication", /::setQuitLockEnabled\s*\(/, "quitLockEnabled") -property_reader("QApplication", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QApplication", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QApplication", /::(applicationDisplayName|isApplicationDisplayName|hasApplicationDisplayName)\s*\(/, "applicationDisplayName") -property_writer("QApplication", /::setApplicationDisplayName\s*\(/, "applicationDisplayName") -property_reader("QApplication", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QApplication", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QApplication", /::(platformName|isPlatformName|hasPlatformName)\s*\(/, "platformName") -property_reader("QApplication", /::(quitOnLastWindowClosed|isQuitOnLastWindowClosed|hasQuitOnLastWindowClosed)\s*\(/, "quitOnLastWindowClosed") -property_writer("QApplication", /::setQuitOnLastWindowClosed\s*\(/, "quitOnLastWindowClosed") -property_reader("QApplication", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QApplication", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QApplication", /::(cursorFlashTime|isCursorFlashTime|hasCursorFlashTime)\s*\(/, "cursorFlashTime") -property_writer("QApplication", /::setCursorFlashTime\s*\(/, "cursorFlashTime") -property_reader("QApplication", /::(doubleClickInterval|isDoubleClickInterval|hasDoubleClickInterval)\s*\(/, "doubleClickInterval") -property_writer("QApplication", /::setDoubleClickInterval\s*\(/, "doubleClickInterval") -property_reader("QApplication", /::(keyboardInputInterval|isKeyboardInputInterval|hasKeyboardInputInterval)\s*\(/, "keyboardInputInterval") -property_writer("QApplication", /::setKeyboardInputInterval\s*\(/, "keyboardInputInterval") -property_reader("QApplication", /::(wheelScrollLines|isWheelScrollLines|hasWheelScrollLines)\s*\(/, "wheelScrollLines") -property_writer("QApplication", /::setWheelScrollLines\s*\(/, "wheelScrollLines") -property_reader("QApplication", /::(globalStrut|isGlobalStrut|hasGlobalStrut)\s*\(/, "globalStrut") -property_writer("QApplication", /::setGlobalStrut\s*\(/, "globalStrut") -property_reader("QApplication", /::(startDragTime|isStartDragTime|hasStartDragTime)\s*\(/, "startDragTime") -property_writer("QApplication", /::setStartDragTime\s*\(/, "startDragTime") -property_reader("QApplication", /::(startDragDistance|isStartDragDistance|hasStartDragDistance)\s*\(/, "startDragDistance") -property_writer("QApplication", /::setStartDragDistance\s*\(/, "startDragDistance") -property_reader("QApplication", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QApplication", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QApplication", /::(autoSipEnabled|isAutoSipEnabled|hasAutoSipEnabled)\s*\(/, "autoSipEnabled") -property_writer("QApplication", /::setAutoSipEnabled\s*\(/, "autoSipEnabled") -property_reader("QAudioDecoder", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAudioDecoder", /::setObjectName\s*\(/, "objectName") -property_reader("QAudioDecoder", /::(notifyInterval|isNotifyInterval|hasNotifyInterval)\s*\(/, "notifyInterval") -property_writer("QAudioDecoder", /::setNotifyInterval\s*\(/, "notifyInterval") -property_reader("QAudioDecoder", /::(sourceFilename|isSourceFilename|hasSourceFilename)\s*\(/, "sourceFilename") -property_writer("QAudioDecoder", /::setSourceFilename\s*\(/, "sourceFilename") -property_reader("QAudioDecoder", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QAudioDecoder", /::(error|isError|hasError)\s*\(/, "error") -property_reader("QAudioDecoder", /::(bufferAvailable|isBufferAvailable|hasBufferAvailable)\s*\(/, "bufferAvailable") -property_reader("QAudioDecoderControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAudioDecoderControl", /::setObjectName\s*\(/, "objectName") -property_reader("QAudioEncoderSettingsControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAudioEncoderSettingsControl", /::setObjectName\s*\(/, "objectName") -property_reader("QAudioInput", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAudioInput", /::setObjectName\s*\(/, "objectName") -property_reader("QAudioInputSelectorControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAudioInputSelectorControl", /::setObjectName\s*\(/, "objectName") -property_reader("QAudioOutput", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAudioOutput", /::setObjectName\s*\(/, "objectName") -property_reader("QAudioOutputSelectorControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAudioOutputSelectorControl", /::setObjectName\s*\(/, "objectName") -property_reader("QAudioProbe", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAudioProbe", /::setObjectName\s*\(/, "objectName") -property_reader("QAudioRecorder", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAudioRecorder", /::setObjectName\s*\(/, "objectName") -property_reader("QAudioRecorder", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QAudioRecorder", /::(status|isStatus|hasStatus)\s*\(/, "status") -property_reader("QAudioRecorder", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_reader("QAudioRecorder", /::(outputLocation|isOutputLocation|hasOutputLocation)\s*\(/, "outputLocation") -property_writer("QAudioRecorder", /::setOutputLocation\s*\(/, "outputLocation") -property_reader("QAudioRecorder", /::(actualLocation|isActualLocation|hasActualLocation)\s*\(/, "actualLocation") -property_reader("QAudioRecorder", /::(muted|isMuted|hasMuted)\s*\(/, "muted") -property_writer("QAudioRecorder", /::setMuted\s*\(/, "muted") -property_reader("QAudioRecorder", /::(volume|isVolume|hasVolume)\s*\(/, "volume") -property_writer("QAudioRecorder", /::setVolume\s*\(/, "volume") -property_reader("QAudioRecorder", /::(metaDataAvailable|isMetaDataAvailable|hasMetaDataAvailable)\s*\(/, "metaDataAvailable") -property_reader("QAudioRecorder", /::(metaDataWritable|isMetaDataWritable|hasMetaDataWritable)\s*\(/, "metaDataWritable") -property_reader("QAudioRecorder", /::(audioInput|isAudioInput|hasAudioInput)\s*\(/, "audioInput") -property_writer("QAudioRecorder", /::setAudioInput\s*\(/, "audioInput") -property_reader("QAudioSystemPlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QAudioSystemPlugin", /::setObjectName\s*\(/, "objectName") -property_reader("QBoxLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QBoxLayout", /::setObjectName\s*\(/, "objectName") -property_reader("QBoxLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") -property_writer("QBoxLayout", /::setMargin\s*\(/, "margin") -property_reader("QBoxLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QBoxLayout", /::setSpacing\s*\(/, "spacing") -property_reader("QBoxLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") -property_writer("QBoxLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") -property_reader("QBuffer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QBuffer", /::setObjectName\s*\(/, "objectName") -property_reader("QButtonGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QButtonGroup", /::setObjectName\s*\(/, "objectName") -property_reader("QButtonGroup", /::(exclusive|isExclusive|hasExclusive)\s*\(/, "exclusive") -property_writer("QButtonGroup", /::setExclusive\s*\(/, "exclusive") -property_reader("QCalendarWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCalendarWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QCalendarWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QCalendarWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QCalendarWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QCalendarWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QCalendarWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QCalendarWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QCalendarWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QCalendarWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QCalendarWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QCalendarWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QCalendarWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QCalendarWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QCalendarWidget", /::setPos\s*\(/, "pos") -property_reader("QCalendarWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QCalendarWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QCalendarWidget", /::setSize\s*\(/, "size") -property_reader("QCalendarWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QCalendarWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QCalendarWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QCalendarWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QCalendarWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QCalendarWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QCalendarWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QCalendarWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QCalendarWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QCalendarWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QCalendarWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QCalendarWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QCalendarWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QCalendarWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QCalendarWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QCalendarWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QCalendarWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QCalendarWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QCalendarWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QCalendarWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QCalendarWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QCalendarWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QCalendarWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QCalendarWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QCalendarWidget", /::setPalette\s*\(/, "palette") -property_reader("QCalendarWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QCalendarWidget", /::setFont\s*\(/, "font") -property_reader("QCalendarWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QCalendarWidget", /::setCursor\s*\(/, "cursor") -property_reader("QCalendarWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QCalendarWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QCalendarWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QCalendarWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QCalendarWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QCalendarWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QCalendarWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QCalendarWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QCalendarWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QCalendarWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QCalendarWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QCalendarWidget", /::setVisible\s*\(/, "visible") -property_reader("QCalendarWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QCalendarWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QCalendarWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QCalendarWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QCalendarWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QCalendarWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QCalendarWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QCalendarWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QCalendarWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QCalendarWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QCalendarWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QCalendarWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QCalendarWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QCalendarWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QCalendarWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QCalendarWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QCalendarWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QCalendarWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QCalendarWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QCalendarWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QCalendarWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QCalendarWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QCalendarWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QCalendarWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QCalendarWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QCalendarWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QCalendarWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QCalendarWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QCalendarWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QCalendarWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QCalendarWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QCalendarWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QCalendarWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QCalendarWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QCalendarWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QCalendarWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QCalendarWidget", /::setLocale\s*\(/, "locale") -property_reader("QCalendarWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QCalendarWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QCalendarWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QCalendarWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QCalendarWidget", /::(selectedDate|isSelectedDate|hasSelectedDate)\s*\(/, "selectedDate") -property_writer("QCalendarWidget", /::setSelectedDate\s*\(/, "selectedDate") -property_reader("QCalendarWidget", /::(minimumDate|isMinimumDate|hasMinimumDate)\s*\(/, "minimumDate") -property_writer("QCalendarWidget", /::setMinimumDate\s*\(/, "minimumDate") -property_reader("QCalendarWidget", /::(maximumDate|isMaximumDate|hasMaximumDate)\s*\(/, "maximumDate") -property_writer("QCalendarWidget", /::setMaximumDate\s*\(/, "maximumDate") -property_reader("QCalendarWidget", /::(firstDayOfWeek|isFirstDayOfWeek|hasFirstDayOfWeek)\s*\(/, "firstDayOfWeek") -property_writer("QCalendarWidget", /::setFirstDayOfWeek\s*\(/, "firstDayOfWeek") -property_reader("QCalendarWidget", /::(gridVisible|isGridVisible|hasGridVisible)\s*\(/, "gridVisible") -property_writer("QCalendarWidget", /::setGridVisible\s*\(/, "gridVisible") -property_reader("QCalendarWidget", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QCalendarWidget", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QCalendarWidget", /::(horizontalHeaderFormat|isHorizontalHeaderFormat|hasHorizontalHeaderFormat)\s*\(/, "horizontalHeaderFormat") -property_writer("QCalendarWidget", /::setHorizontalHeaderFormat\s*\(/, "horizontalHeaderFormat") -property_reader("QCalendarWidget", /::(verticalHeaderFormat|isVerticalHeaderFormat|hasVerticalHeaderFormat)\s*\(/, "verticalHeaderFormat") -property_writer("QCalendarWidget", /::setVerticalHeaderFormat\s*\(/, "verticalHeaderFormat") -property_reader("QCalendarWidget", /::(navigationBarVisible|isNavigationBarVisible|hasNavigationBarVisible)\s*\(/, "navigationBarVisible") -property_writer("QCalendarWidget", /::setNavigationBarVisible\s*\(/, "navigationBarVisible") -property_reader("QCalendarWidget", /::(dateEditEnabled|isDateEditEnabled|hasDateEditEnabled)\s*\(/, "dateEditEnabled") -property_writer("QCalendarWidget", /::setDateEditEnabled\s*\(/, "dateEditEnabled") -property_reader("QCalendarWidget", /::(dateEditAcceptDelay|isDateEditAcceptDelay|hasDateEditAcceptDelay)\s*\(/, "dateEditAcceptDelay") -property_writer("QCalendarWidget", /::setDateEditAcceptDelay\s*\(/, "dateEditAcceptDelay") -property_reader("QCamera", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCamera", /::setObjectName\s*\(/, "objectName") -property_reader("QCamera", /::(notifyInterval|isNotifyInterval|hasNotifyInterval)\s*\(/, "notifyInterval") -property_writer("QCamera", /::setNotifyInterval\s*\(/, "notifyInterval") -property_reader("QCamera", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QCamera", /::(status|isStatus|hasStatus)\s*\(/, "status") -property_reader("QCamera", /::(captureMode|isCaptureMode|hasCaptureMode)\s*\(/, "captureMode") -property_writer("QCamera", /::setCaptureMode\s*\(/, "captureMode") -property_reader("QCamera", /::(lockStatus|isLockStatus|hasLockStatus)\s*\(/, "lockStatus") -property_reader("QCameraCaptureBufferFormatControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraCaptureBufferFormatControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraCaptureDestinationControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraCaptureDestinationControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraExposure", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraExposure", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraExposure", /::(aperture|isAperture|hasAperture)\s*\(/, "aperture") -property_reader("QCameraExposure", /::(shutterSpeed|isShutterSpeed|hasShutterSpeed)\s*\(/, "shutterSpeed") -property_reader("QCameraExposure", /::(isoSensitivity|isIsoSensitivity|hasIsoSensitivity)\s*\(/, "isoSensitivity") -property_reader("QCameraExposure", /::(exposureCompensation|isExposureCompensation|hasExposureCompensation)\s*\(/, "exposureCompensation") -property_writer("QCameraExposure", /::setExposureCompensation\s*\(/, "exposureCompensation") -property_reader("QCameraExposure", /::(flashReady|isFlashReady|hasFlashReady)\s*\(/, "flashReady") -property_reader("QCameraExposure", /::(flashMode|isFlashMode|hasFlashMode)\s*\(/, "flashMode") -property_writer("QCameraExposure", /::setFlashMode\s*\(/, "flashMode") -property_reader("QCameraExposure", /::(exposureMode|isExposureMode|hasExposureMode)\s*\(/, "exposureMode") -property_writer("QCameraExposure", /::setExposureMode\s*\(/, "exposureMode") -property_reader("QCameraExposure", /::(meteringMode|isMeteringMode|hasMeteringMode)\s*\(/, "meteringMode") -property_writer("QCameraExposure", /::setMeteringMode\s*\(/, "meteringMode") -property_reader("QCameraExposureControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraExposureControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraFeedbackControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraFeedbackControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraFlashControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraFlashControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraFocus", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraFocus", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraFocus", /::(focusMode|isFocusMode|hasFocusMode)\s*\(/, "focusMode") -property_writer("QCameraFocus", /::setFocusMode\s*\(/, "focusMode") -property_reader("QCameraFocus", /::(focusPointMode|isFocusPointMode|hasFocusPointMode)\s*\(/, "focusPointMode") -property_writer("QCameraFocus", /::setFocusPointMode\s*\(/, "focusPointMode") -property_reader("QCameraFocus", /::(customFocusPoint|isCustomFocusPoint|hasCustomFocusPoint)\s*\(/, "customFocusPoint") -property_writer("QCameraFocus", /::setCustomFocusPoint\s*\(/, "customFocusPoint") -property_reader("QCameraFocus", /::(focusZones|isFocusZones|hasFocusZones)\s*\(/, "focusZones") -property_reader("QCameraFocus", /::(opticalZoom|isOpticalZoom|hasOpticalZoom)\s*\(/, "opticalZoom") -property_reader("QCameraFocus", /::(digitalZoom|isDigitalZoom|hasDigitalZoom)\s*\(/, "digitalZoom") -property_reader("QCameraFocusControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraFocusControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraImageCapture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraImageCapture", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraImageCapture", /::(readyForCapture|isReadyForCapture|hasReadyForCapture)\s*\(/, "readyForCapture") -property_reader("QCameraImageCaptureControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraImageCaptureControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraImageProcessing", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraImageProcessing", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraImageProcessingControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraImageProcessingControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraInfoControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraInfoControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraLocksControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraLocksControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraViewfinderSettingsControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraViewfinderSettingsControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraViewfinderSettingsControl2", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraViewfinderSettingsControl2", /::setObjectName\s*\(/, "objectName") -property_reader("QCameraZoomControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCameraZoomControl", /::setObjectName\s*\(/, "objectName") -property_reader("QCheckBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCheckBox", /::setObjectName\s*\(/, "objectName") -property_reader("QCheckBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QCheckBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QCheckBox", /::setWindowModality\s*\(/, "windowModality") -property_reader("QCheckBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QCheckBox", /::setEnabled\s*\(/, "enabled") -property_reader("QCheckBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QCheckBox", /::setGeometry\s*\(/, "geometry") -property_reader("QCheckBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QCheckBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QCheckBox", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QCheckBox", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QCheckBox", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QCheckBox", /::setPos\s*\(/, "pos") -property_reader("QCheckBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QCheckBox", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QCheckBox", /::setSize\s*\(/, "size") -property_reader("QCheckBox", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QCheckBox", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QCheckBox", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QCheckBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QCheckBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QCheckBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QCheckBox", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QCheckBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QCheckBox", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QCheckBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QCheckBox", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QCheckBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QCheckBox", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QCheckBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QCheckBox", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QCheckBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QCheckBox", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QCheckBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QCheckBox", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QCheckBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QCheckBox", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QCheckBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QCheckBox", /::setBaseSize\s*\(/, "baseSize") -property_reader("QCheckBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QCheckBox", /::setPalette\s*\(/, "palette") -property_reader("QCheckBox", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QCheckBox", /::setFont\s*\(/, "font") -property_reader("QCheckBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QCheckBox", /::setCursor\s*\(/, "cursor") -property_reader("QCheckBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QCheckBox", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QCheckBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QCheckBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QCheckBox", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QCheckBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QCheckBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QCheckBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QCheckBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QCheckBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QCheckBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QCheckBox", /::setVisible\s*\(/, "visible") -property_reader("QCheckBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QCheckBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QCheckBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QCheckBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QCheckBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QCheckBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QCheckBox", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QCheckBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QCheckBox", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QCheckBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QCheckBox", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QCheckBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QCheckBox", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QCheckBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QCheckBox", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QCheckBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QCheckBox", /::setWindowModified\s*\(/, "windowModified") -property_reader("QCheckBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QCheckBox", /::setToolTip\s*\(/, "toolTip") -property_reader("QCheckBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QCheckBox", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QCheckBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QCheckBox", /::setStatusTip\s*\(/, "statusTip") -property_reader("QCheckBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QCheckBox", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QCheckBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QCheckBox", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QCheckBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QCheckBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QCheckBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QCheckBox", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QCheckBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QCheckBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QCheckBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QCheckBox", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QCheckBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QCheckBox", /::setLocale\s*\(/, "locale") -property_reader("QCheckBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QCheckBox", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QCheckBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QCheckBox", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QCheckBox", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QCheckBox", /::setText\s*\(/, "text") -property_reader("QCheckBox", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QCheckBox", /::setIcon\s*\(/, "icon") -property_reader("QCheckBox", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QCheckBox", /::setIconSize\s*\(/, "iconSize") -property_reader("QCheckBox", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") -property_writer("QCheckBox", /::setShortcut\s*\(/, "shortcut") -property_reader("QCheckBox", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") -property_writer("QCheckBox", /::setCheckable\s*\(/, "checkable") -property_reader("QCheckBox", /::(checked|isChecked|hasChecked)\s*\(/, "checked") -property_writer("QCheckBox", /::setChecked\s*\(/, "checked") -property_reader("QCheckBox", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") -property_writer("QCheckBox", /::setAutoRepeat\s*\(/, "autoRepeat") -property_reader("QCheckBox", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") -property_writer("QCheckBox", /::setAutoExclusive\s*\(/, "autoExclusive") -property_reader("QCheckBox", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") -property_writer("QCheckBox", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") -property_reader("QCheckBox", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") -property_writer("QCheckBox", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") -property_reader("QCheckBox", /::(down|isDown|hasDown)\s*\(/, "down") -property_writer("QCheckBox", /::setDown\s*\(/, "down") -property_reader("QCheckBox", /::(tristate|isTristate|hasTristate)\s*\(/, "tristate") -property_writer("QCheckBox", /::setTristate\s*\(/, "tristate") -property_reader("QClipboard", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QClipboard", /::setObjectName\s*\(/, "objectName") -property_reader("QColorDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QColorDialog", /::setObjectName\s*\(/, "objectName") -property_reader("QColorDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QColorDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QColorDialog", /::setWindowModality\s*\(/, "windowModality") -property_reader("QColorDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QColorDialog", /::setEnabled\s*\(/, "enabled") -property_reader("QColorDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QColorDialog", /::setGeometry\s*\(/, "geometry") -property_reader("QColorDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QColorDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QColorDialog", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QColorDialog", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QColorDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QColorDialog", /::setPos\s*\(/, "pos") -property_reader("QColorDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QColorDialog", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QColorDialog", /::setSize\s*\(/, "size") -property_reader("QColorDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QColorDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QColorDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QColorDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QColorDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QColorDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QColorDialog", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QColorDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QColorDialog", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QColorDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QColorDialog", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QColorDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QColorDialog", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QColorDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QColorDialog", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QColorDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QColorDialog", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QColorDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QColorDialog", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QColorDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QColorDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QColorDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QColorDialog", /::setBaseSize\s*\(/, "baseSize") -property_reader("QColorDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QColorDialog", /::setPalette\s*\(/, "palette") -property_reader("QColorDialog", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QColorDialog", /::setFont\s*\(/, "font") -property_reader("QColorDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QColorDialog", /::setCursor\s*\(/, "cursor") -property_reader("QColorDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QColorDialog", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QColorDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QColorDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QColorDialog", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QColorDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QColorDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QColorDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QColorDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QColorDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QColorDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QColorDialog", /::setVisible\s*\(/, "visible") -property_reader("QColorDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QColorDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QColorDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QColorDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QColorDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QColorDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QColorDialog", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QColorDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QColorDialog", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QColorDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QColorDialog", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QColorDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QColorDialog", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QColorDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QColorDialog", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QColorDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QColorDialog", /::setWindowModified\s*\(/, "windowModified") -property_reader("QColorDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QColorDialog", /::setToolTip\s*\(/, "toolTip") -property_reader("QColorDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QColorDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QColorDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QColorDialog", /::setStatusTip\s*\(/, "statusTip") -property_reader("QColorDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QColorDialog", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QColorDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QColorDialog", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QColorDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QColorDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QColorDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QColorDialog", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QColorDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QColorDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QColorDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QColorDialog", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QColorDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QColorDialog", /::setLocale\s*\(/, "locale") -property_reader("QColorDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QColorDialog", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QColorDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QColorDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QColorDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QColorDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QColorDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QColorDialog", /::setModal\s*\(/, "modal") -property_reader("QColorDialog", /::(currentColor|isCurrentColor|hasCurrentColor)\s*\(/, "currentColor") -property_writer("QColorDialog", /::setCurrentColor\s*\(/, "currentColor") -property_reader("QColorDialog", /::(options|isOptions|hasOptions)\s*\(/, "options") -property_writer("QColorDialog", /::setOptions\s*\(/, "options") -property_reader("QColumnView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QColumnView", /::setObjectName\s*\(/, "objectName") -property_reader("QColumnView", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QColumnView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QColumnView", /::setWindowModality\s*\(/, "windowModality") -property_reader("QColumnView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QColumnView", /::setEnabled\s*\(/, "enabled") -property_reader("QColumnView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QColumnView", /::setGeometry\s*\(/, "geometry") -property_reader("QColumnView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QColumnView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QColumnView", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QColumnView", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QColumnView", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QColumnView", /::setPos\s*\(/, "pos") -property_reader("QColumnView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QColumnView", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QColumnView", /::setSize\s*\(/, "size") -property_reader("QColumnView", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QColumnView", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QColumnView", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QColumnView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QColumnView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QColumnView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QColumnView", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QColumnView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QColumnView", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QColumnView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QColumnView", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QColumnView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QColumnView", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QColumnView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QColumnView", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QColumnView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QColumnView", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QColumnView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QColumnView", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QColumnView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QColumnView", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QColumnView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QColumnView", /::setBaseSize\s*\(/, "baseSize") -property_reader("QColumnView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QColumnView", /::setPalette\s*\(/, "palette") -property_reader("QColumnView", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QColumnView", /::setFont\s*\(/, "font") -property_reader("QColumnView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QColumnView", /::setCursor\s*\(/, "cursor") -property_reader("QColumnView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QColumnView", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QColumnView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QColumnView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QColumnView", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QColumnView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QColumnView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QColumnView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QColumnView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QColumnView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QColumnView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QColumnView", /::setVisible\s*\(/, "visible") -property_reader("QColumnView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QColumnView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QColumnView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QColumnView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QColumnView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QColumnView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QColumnView", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QColumnView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QColumnView", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QColumnView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QColumnView", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QColumnView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QColumnView", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QColumnView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QColumnView", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QColumnView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QColumnView", /::setWindowModified\s*\(/, "windowModified") -property_reader("QColumnView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QColumnView", /::setToolTip\s*\(/, "toolTip") -property_reader("QColumnView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QColumnView", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QColumnView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QColumnView", /::setStatusTip\s*\(/, "statusTip") -property_reader("QColumnView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QColumnView", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QColumnView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QColumnView", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QColumnView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QColumnView", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QColumnView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QColumnView", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QColumnView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QColumnView", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QColumnView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QColumnView", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QColumnView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QColumnView", /::setLocale\s*\(/, "locale") -property_reader("QColumnView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QColumnView", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QColumnView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QColumnView", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QColumnView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QColumnView", /::setFrameShape\s*\(/, "frameShape") -property_reader("QColumnView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QColumnView", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QColumnView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QColumnView", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QColumnView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QColumnView", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QColumnView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QColumnView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QColumnView", /::setFrameRect\s*\(/, "frameRect") -property_reader("QColumnView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QColumnView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QColumnView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QColumnView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QColumnView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QColumnView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QColumnView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") -property_writer("QColumnView", /::setAutoScroll\s*\(/, "autoScroll") -property_reader("QColumnView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") -property_writer("QColumnView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") -property_reader("QColumnView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") -property_writer("QColumnView", /::setEditTriggers\s*\(/, "editTriggers") -property_reader("QColumnView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") -property_writer("QColumnView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") -property_reader("QColumnView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") -property_writer("QColumnView", /::setShowDropIndicator\s*\(/, "showDropIndicator") -property_reader("QColumnView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QColumnView", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QColumnView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") -property_writer("QColumnView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") -property_reader("QColumnView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") -property_writer("QColumnView", /::setDragDropMode\s*\(/, "dragDropMode") -property_reader("QColumnView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") -property_writer("QColumnView", /::setDefaultDropAction\s*\(/, "defaultDropAction") -property_reader("QColumnView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") -property_writer("QColumnView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") -property_reader("QColumnView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QColumnView", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QColumnView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") -property_writer("QColumnView", /::setSelectionBehavior\s*\(/, "selectionBehavior") -property_reader("QColumnView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QColumnView", /::setIconSize\s*\(/, "iconSize") -property_reader("QColumnView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") -property_writer("QColumnView", /::setTextElideMode\s*\(/, "textElideMode") -property_reader("QColumnView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") -property_writer("QColumnView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") -property_reader("QColumnView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") -property_writer("QColumnView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") -property_reader("QColumnView", /::(resizeGripsVisible|isResizeGripsVisible|hasResizeGripsVisible)\s*\(/, "resizeGripsVisible") -property_writer("QColumnView", /::setResizeGripsVisible\s*\(/, "resizeGripsVisible") -property_reader("QComboBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QComboBox", /::setObjectName\s*\(/, "objectName") -property_reader("QComboBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QComboBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QComboBox", /::setWindowModality\s*\(/, "windowModality") -property_reader("QComboBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QComboBox", /::setEnabled\s*\(/, "enabled") -property_reader("QComboBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QComboBox", /::setGeometry\s*\(/, "geometry") -property_reader("QComboBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QComboBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QComboBox", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QComboBox", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QComboBox", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QComboBox", /::setPos\s*\(/, "pos") -property_reader("QComboBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QComboBox", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QComboBox", /::setSize\s*\(/, "size") -property_reader("QComboBox", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QComboBox", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QComboBox", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QComboBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QComboBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QComboBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QComboBox", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QComboBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QComboBox", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QComboBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QComboBox", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QComboBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QComboBox", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QComboBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QComboBox", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QComboBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QComboBox", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QComboBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QComboBox", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QComboBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QComboBox", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QComboBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QComboBox", /::setBaseSize\s*\(/, "baseSize") -property_reader("QComboBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QComboBox", /::setPalette\s*\(/, "palette") -property_reader("QComboBox", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QComboBox", /::setFont\s*\(/, "font") -property_reader("QComboBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QComboBox", /::setCursor\s*\(/, "cursor") -property_reader("QComboBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QComboBox", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QComboBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QComboBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QComboBox", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QComboBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QComboBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QComboBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QComboBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QComboBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QComboBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QComboBox", /::setVisible\s*\(/, "visible") -property_reader("QComboBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QComboBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QComboBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QComboBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QComboBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QComboBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QComboBox", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QComboBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QComboBox", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QComboBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QComboBox", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QComboBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QComboBox", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QComboBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QComboBox", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QComboBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QComboBox", /::setWindowModified\s*\(/, "windowModified") -property_reader("QComboBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QComboBox", /::setToolTip\s*\(/, "toolTip") -property_reader("QComboBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QComboBox", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QComboBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QComboBox", /::setStatusTip\s*\(/, "statusTip") -property_reader("QComboBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QComboBox", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QComboBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QComboBox", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QComboBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QComboBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QComboBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QComboBox", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QComboBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QComboBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QComboBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QComboBox", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QComboBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QComboBox", /::setLocale\s*\(/, "locale") -property_reader("QComboBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QComboBox", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QComboBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QComboBox", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QComboBox", /::(editable|isEditable|hasEditable)\s*\(/, "editable") -property_writer("QComboBox", /::setEditable\s*\(/, "editable") -property_reader("QComboBox", /::(count|isCount|hasCount)\s*\(/, "count") -property_reader("QComboBox", /::(currentText|isCurrentText|hasCurrentText)\s*\(/, "currentText") -property_writer("QComboBox", /::setCurrentText\s*\(/, "currentText") -property_reader("QComboBox", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") -property_writer("QComboBox", /::setCurrentIndex\s*\(/, "currentIndex") -property_reader("QComboBox", /::(currentData|isCurrentData|hasCurrentData)\s*\(/, "currentData") -property_reader("QComboBox", /::(maxVisibleItems|isMaxVisibleItems|hasMaxVisibleItems)\s*\(/, "maxVisibleItems") -property_writer("QComboBox", /::setMaxVisibleItems\s*\(/, "maxVisibleItems") -property_reader("QComboBox", /::(maxCount|isMaxCount|hasMaxCount)\s*\(/, "maxCount") -property_writer("QComboBox", /::setMaxCount\s*\(/, "maxCount") -property_reader("QComboBox", /::(insertPolicy|isInsertPolicy|hasInsertPolicy)\s*\(/, "insertPolicy") -property_writer("QComboBox", /::setInsertPolicy\s*\(/, "insertPolicy") -property_reader("QComboBox", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QComboBox", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QComboBox", /::(minimumContentsLength|isMinimumContentsLength|hasMinimumContentsLength)\s*\(/, "minimumContentsLength") -property_writer("QComboBox", /::setMinimumContentsLength\s*\(/, "minimumContentsLength") -property_reader("QComboBox", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QComboBox", /::setIconSize\s*\(/, "iconSize") -property_reader("QComboBox", /::(autoCompletion|isAutoCompletion|hasAutoCompletion)\s*\(/, "autoCompletion") -property_writer("QComboBox", /::setAutoCompletion\s*\(/, "autoCompletion") -property_reader("QComboBox", /::(autoCompletionCaseSensitivity|isAutoCompletionCaseSensitivity|hasAutoCompletionCaseSensitivity)\s*\(/, "autoCompletionCaseSensitivity") -property_writer("QComboBox", /::setAutoCompletionCaseSensitivity\s*\(/, "autoCompletionCaseSensitivity") -property_reader("QComboBox", /::(duplicatesEnabled|isDuplicatesEnabled|hasDuplicatesEnabled)\s*\(/, "duplicatesEnabled") -property_writer("QComboBox", /::setDuplicatesEnabled\s*\(/, "duplicatesEnabled") -property_reader("QComboBox", /::(frame|isFrame|hasFrame)\s*\(/, "frame") -property_writer("QComboBox", /::setFrame\s*\(/, "frame") -property_reader("QComboBox", /::(modelColumn|isModelColumn|hasModelColumn)\s*\(/, "modelColumn") -property_writer("QComboBox", /::setModelColumn\s*\(/, "modelColumn") -property_reader("QCommandLinkButton", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCommandLinkButton", /::setObjectName\s*\(/, "objectName") -property_reader("QCommandLinkButton", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QCommandLinkButton", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QCommandLinkButton", /::setWindowModality\s*\(/, "windowModality") -property_reader("QCommandLinkButton", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QCommandLinkButton", /::setEnabled\s*\(/, "enabled") -property_reader("QCommandLinkButton", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QCommandLinkButton", /::setGeometry\s*\(/, "geometry") -property_reader("QCommandLinkButton", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QCommandLinkButton", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QCommandLinkButton", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QCommandLinkButton", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QCommandLinkButton", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QCommandLinkButton", /::setPos\s*\(/, "pos") -property_reader("QCommandLinkButton", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QCommandLinkButton", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QCommandLinkButton", /::setSize\s*\(/, "size") -property_reader("QCommandLinkButton", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QCommandLinkButton", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QCommandLinkButton", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QCommandLinkButton", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QCommandLinkButton", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QCommandLinkButton", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QCommandLinkButton", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QCommandLinkButton", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QCommandLinkButton", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QCommandLinkButton", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QCommandLinkButton", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QCommandLinkButton", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QCommandLinkButton", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QCommandLinkButton", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QCommandLinkButton", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QCommandLinkButton", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QCommandLinkButton", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QCommandLinkButton", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QCommandLinkButton", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QCommandLinkButton", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QCommandLinkButton", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QCommandLinkButton", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QCommandLinkButton", /::setBaseSize\s*\(/, "baseSize") -property_reader("QCommandLinkButton", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QCommandLinkButton", /::setPalette\s*\(/, "palette") -property_reader("QCommandLinkButton", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QCommandLinkButton", /::setFont\s*\(/, "font") -property_reader("QCommandLinkButton", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QCommandLinkButton", /::setCursor\s*\(/, "cursor") -property_reader("QCommandLinkButton", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QCommandLinkButton", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QCommandLinkButton", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QCommandLinkButton", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QCommandLinkButton", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QCommandLinkButton", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QCommandLinkButton", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QCommandLinkButton", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QCommandLinkButton", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QCommandLinkButton", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QCommandLinkButton", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QCommandLinkButton", /::setVisible\s*\(/, "visible") -property_reader("QCommandLinkButton", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QCommandLinkButton", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QCommandLinkButton", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QCommandLinkButton", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QCommandLinkButton", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QCommandLinkButton", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QCommandLinkButton", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QCommandLinkButton", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QCommandLinkButton", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QCommandLinkButton", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QCommandLinkButton", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QCommandLinkButton", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QCommandLinkButton", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QCommandLinkButton", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QCommandLinkButton", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QCommandLinkButton", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QCommandLinkButton", /::setWindowModified\s*\(/, "windowModified") -property_reader("QCommandLinkButton", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QCommandLinkButton", /::setToolTip\s*\(/, "toolTip") -property_reader("QCommandLinkButton", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QCommandLinkButton", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QCommandLinkButton", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QCommandLinkButton", /::setStatusTip\s*\(/, "statusTip") -property_reader("QCommandLinkButton", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QCommandLinkButton", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QCommandLinkButton", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QCommandLinkButton", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QCommandLinkButton", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QCommandLinkButton", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QCommandLinkButton", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QCommandLinkButton", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QCommandLinkButton", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QCommandLinkButton", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QCommandLinkButton", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QCommandLinkButton", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QCommandLinkButton", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QCommandLinkButton", /::setLocale\s*\(/, "locale") -property_reader("QCommandLinkButton", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QCommandLinkButton", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QCommandLinkButton", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QCommandLinkButton", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QCommandLinkButton", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QCommandLinkButton", /::setText\s*\(/, "text") -property_reader("QCommandLinkButton", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QCommandLinkButton", /::setIcon\s*\(/, "icon") -property_reader("QCommandLinkButton", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QCommandLinkButton", /::setIconSize\s*\(/, "iconSize") -property_reader("QCommandLinkButton", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") -property_writer("QCommandLinkButton", /::setShortcut\s*\(/, "shortcut") -property_reader("QCommandLinkButton", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") -property_writer("QCommandLinkButton", /::setCheckable\s*\(/, "checkable") -property_reader("QCommandLinkButton", /::(checked|isChecked|hasChecked)\s*\(/, "checked") -property_writer("QCommandLinkButton", /::setChecked\s*\(/, "checked") -property_reader("QCommandLinkButton", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") -property_writer("QCommandLinkButton", /::setAutoRepeat\s*\(/, "autoRepeat") -property_reader("QCommandLinkButton", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") -property_writer("QCommandLinkButton", /::setAutoExclusive\s*\(/, "autoExclusive") -property_reader("QCommandLinkButton", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") -property_writer("QCommandLinkButton", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") -property_reader("QCommandLinkButton", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") -property_writer("QCommandLinkButton", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") -property_reader("QCommandLinkButton", /::(down|isDown|hasDown)\s*\(/, "down") -property_writer("QCommandLinkButton", /::setDown\s*\(/, "down") -property_reader("QCommandLinkButton", /::(autoDefault|isAutoDefault|hasAutoDefault)\s*\(/, "autoDefault") -property_writer("QCommandLinkButton", /::setAutoDefault\s*\(/, "autoDefault") -property_reader("QCommandLinkButton", /::(default|isDefault|hasDefault)\s*\(/, "default") -property_writer("QCommandLinkButton", /::setDefault\s*\(/, "default") -property_reader("QCommandLinkButton", /::(flat|isFlat|hasFlat)\s*\(/, "flat") -property_writer("QCommandLinkButton", /::setFlat\s*\(/, "flat") -property_reader("QCommandLinkButton", /::(description|isDescription|hasDescription)\s*\(/, "description") -property_writer("QCommandLinkButton", /::setDescription\s*\(/, "description") -property_reader("QCommandLinkButton", /::(flat|isFlat|hasFlat)\s*\(/, "flat") -property_writer("QCommandLinkButton", /::setFlat\s*\(/, "flat") -property_reader("QCommonStyle", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCommonStyle", /::setObjectName\s*\(/, "objectName") -property_reader("QCompleter", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCompleter", /::setObjectName\s*\(/, "objectName") -property_reader("QCompleter", /::(completionPrefix|isCompletionPrefix|hasCompletionPrefix)\s*\(/, "completionPrefix") -property_writer("QCompleter", /::setCompletionPrefix\s*\(/, "completionPrefix") -property_reader("QCompleter", /::(modelSorting|isModelSorting|hasModelSorting)\s*\(/, "modelSorting") -property_writer("QCompleter", /::setModelSorting\s*\(/, "modelSorting") -property_reader("QCompleter", /::(filterMode|isFilterMode|hasFilterMode)\s*\(/, "filterMode") -property_writer("QCompleter", /::setFilterMode\s*\(/, "filterMode") -property_reader("QCompleter", /::(completionMode|isCompletionMode|hasCompletionMode)\s*\(/, "completionMode") -property_writer("QCompleter", /::setCompletionMode\s*\(/, "completionMode") -property_reader("QCompleter", /::(completionColumn|isCompletionColumn|hasCompletionColumn)\s*\(/, "completionColumn") -property_writer("QCompleter", /::setCompletionColumn\s*\(/, "completionColumn") -property_reader("QCompleter", /::(completionRole|isCompletionRole|hasCompletionRole)\s*\(/, "completionRole") -property_writer("QCompleter", /::setCompletionRole\s*\(/, "completionRole") -property_reader("QCompleter", /::(maxVisibleItems|isMaxVisibleItems|hasMaxVisibleItems)\s*\(/, "maxVisibleItems") -property_writer("QCompleter", /::setMaxVisibleItems\s*\(/, "maxVisibleItems") -property_reader("QCompleter", /::(caseSensitivity|isCaseSensitivity|hasCaseSensitivity)\s*\(/, "caseSensitivity") -property_writer("QCompleter", /::setCaseSensitivity\s*\(/, "caseSensitivity") -property_reader("QCompleter", /::(wrapAround|isWrapAround|hasWrapAround)\s*\(/, "wrapAround") -property_writer("QCompleter", /::setWrapAround\s*\(/, "wrapAround") -property_reader("QCoreApplication", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QCoreApplication", /::setObjectName\s*\(/, "objectName") -property_reader("QCoreApplication", /::(applicationName|isApplicationName|hasApplicationName)\s*\(/, "applicationName") -property_writer("QCoreApplication", /::setApplicationName\s*\(/, "applicationName") -property_reader("QCoreApplication", /::(applicationVersion|isApplicationVersion|hasApplicationVersion)\s*\(/, "applicationVersion") -property_writer("QCoreApplication", /::setApplicationVersion\s*\(/, "applicationVersion") -property_reader("QCoreApplication", /::(organizationName|isOrganizationName|hasOrganizationName)\s*\(/, "organizationName") -property_writer("QCoreApplication", /::setOrganizationName\s*\(/, "organizationName") -property_reader("QCoreApplication", /::(organizationDomain|isOrganizationDomain|hasOrganizationDomain)\s*\(/, "organizationDomain") -property_writer("QCoreApplication", /::setOrganizationDomain\s*\(/, "organizationDomain") -property_reader("QCoreApplication", /::(quitLockEnabled|isQuitLockEnabled|hasQuitLockEnabled)\s*\(/, "quitLockEnabled") -property_writer("QCoreApplication", /::setQuitLockEnabled\s*\(/, "quitLockEnabled") -property_reader("QDataWidgetMapper", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDataWidgetMapper", /::setObjectName\s*\(/, "objectName") -property_reader("QDataWidgetMapper", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") -property_writer("QDataWidgetMapper", /::setCurrentIndex\s*\(/, "currentIndex") -property_reader("QDataWidgetMapper", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") -property_writer("QDataWidgetMapper", /::setOrientation\s*\(/, "orientation") -property_reader("QDataWidgetMapper", /::(submitPolicy|isSubmitPolicy|hasSubmitPolicy)\s*\(/, "submitPolicy") -property_writer("QDataWidgetMapper", /::setSubmitPolicy\s*\(/, "submitPolicy") -property_reader("QDateEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDateEdit", /::setObjectName\s*\(/, "objectName") -property_reader("QDateEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QDateEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QDateEdit", /::setWindowModality\s*\(/, "windowModality") -property_reader("QDateEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QDateEdit", /::setEnabled\s*\(/, "enabled") -property_reader("QDateEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QDateEdit", /::setGeometry\s*\(/, "geometry") -property_reader("QDateEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QDateEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QDateEdit", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QDateEdit", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QDateEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QDateEdit", /::setPos\s*\(/, "pos") -property_reader("QDateEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QDateEdit", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QDateEdit", /::setSize\s*\(/, "size") -property_reader("QDateEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QDateEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QDateEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QDateEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QDateEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QDateEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QDateEdit", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QDateEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QDateEdit", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QDateEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QDateEdit", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QDateEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QDateEdit", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QDateEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QDateEdit", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QDateEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QDateEdit", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QDateEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QDateEdit", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QDateEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QDateEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QDateEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QDateEdit", /::setBaseSize\s*\(/, "baseSize") -property_reader("QDateEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QDateEdit", /::setPalette\s*\(/, "palette") -property_reader("QDateEdit", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QDateEdit", /::setFont\s*\(/, "font") -property_reader("QDateEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QDateEdit", /::setCursor\s*\(/, "cursor") -property_reader("QDateEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QDateEdit", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QDateEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QDateEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QDateEdit", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QDateEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QDateEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QDateEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QDateEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QDateEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QDateEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QDateEdit", /::setVisible\s*\(/, "visible") -property_reader("QDateEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QDateEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QDateEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QDateEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QDateEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QDateEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QDateEdit", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QDateEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QDateEdit", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QDateEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QDateEdit", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QDateEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QDateEdit", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QDateEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QDateEdit", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QDateEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QDateEdit", /::setWindowModified\s*\(/, "windowModified") -property_reader("QDateEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QDateEdit", /::setToolTip\s*\(/, "toolTip") -property_reader("QDateEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QDateEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QDateEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QDateEdit", /::setStatusTip\s*\(/, "statusTip") -property_reader("QDateEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QDateEdit", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QDateEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QDateEdit", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QDateEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QDateEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QDateEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QDateEdit", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QDateEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QDateEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QDateEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QDateEdit", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QDateEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QDateEdit", /::setLocale\s*\(/, "locale") -property_reader("QDateEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QDateEdit", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QDateEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QDateEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QDateEdit", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") -property_writer("QDateEdit", /::setWrapping\s*\(/, "wrapping") -property_reader("QDateEdit", /::(frame|isFrame|hasFrame)\s*\(/, "frame") -property_writer("QDateEdit", /::setFrame\s*\(/, "frame") -property_reader("QDateEdit", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QDateEdit", /::setAlignment\s*\(/, "alignment") -property_reader("QDateEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QDateEdit", /::setReadOnly\s*\(/, "readOnly") -property_reader("QDateEdit", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") -property_writer("QDateEdit", /::setButtonSymbols\s*\(/, "buttonSymbols") -property_reader("QDateEdit", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") -property_writer("QDateEdit", /::setSpecialValueText\s*\(/, "specialValueText") -property_reader("QDateEdit", /::(text|isText|hasText)\s*\(/, "text") -property_reader("QDateEdit", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") -property_writer("QDateEdit", /::setAccelerated\s*\(/, "accelerated") -property_reader("QDateEdit", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") -property_writer("QDateEdit", /::setCorrectionMode\s*\(/, "correctionMode") -property_reader("QDateEdit", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") -property_reader("QDateEdit", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") -property_writer("QDateEdit", /::setKeyboardTracking\s*\(/, "keyboardTracking") -property_reader("QDateEdit", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") -property_writer("QDateEdit", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") -property_reader("QDateEdit", /::(dateTime|isDateTime|hasDateTime)\s*\(/, "dateTime") -property_writer("QDateEdit", /::setDateTime\s*\(/, "dateTime") -property_reader("QDateEdit", /::(date|isDate|hasDate)\s*\(/, "date") -property_writer("QDateEdit", /::setDate\s*\(/, "date") -property_reader("QDateEdit", /::(time|isTime|hasTime)\s*\(/, "time") -property_writer("QDateEdit", /::setTime\s*\(/, "time") -property_reader("QDateEdit", /::(maximumDateTime|isMaximumDateTime|hasMaximumDateTime)\s*\(/, "maximumDateTime") -property_writer("QDateEdit", /::setMaximumDateTime\s*\(/, "maximumDateTime") -property_reader("QDateEdit", /::(minimumDateTime|isMinimumDateTime|hasMinimumDateTime)\s*\(/, "minimumDateTime") -property_writer("QDateEdit", /::setMinimumDateTime\s*\(/, "minimumDateTime") -property_reader("QDateEdit", /::(maximumDate|isMaximumDate|hasMaximumDate)\s*\(/, "maximumDate") -property_writer("QDateEdit", /::setMaximumDate\s*\(/, "maximumDate") -property_reader("QDateEdit", /::(minimumDate|isMinimumDate|hasMinimumDate)\s*\(/, "minimumDate") -property_writer("QDateEdit", /::setMinimumDate\s*\(/, "minimumDate") -property_reader("QDateEdit", /::(maximumTime|isMaximumTime|hasMaximumTime)\s*\(/, "maximumTime") -property_writer("QDateEdit", /::setMaximumTime\s*\(/, "maximumTime") -property_reader("QDateEdit", /::(minimumTime|isMinimumTime|hasMinimumTime)\s*\(/, "minimumTime") -property_writer("QDateEdit", /::setMinimumTime\s*\(/, "minimumTime") -property_reader("QDateEdit", /::(currentSection|isCurrentSection|hasCurrentSection)\s*\(/, "currentSection") -property_writer("QDateEdit", /::setCurrentSection\s*\(/, "currentSection") -property_reader("QDateEdit", /::(displayedSections|isDisplayedSections|hasDisplayedSections)\s*\(/, "displayedSections") -property_reader("QDateEdit", /::(displayFormat|isDisplayFormat|hasDisplayFormat)\s*\(/, "displayFormat") -property_writer("QDateEdit", /::setDisplayFormat\s*\(/, "displayFormat") -property_reader("QDateEdit", /::(calendarPopup|isCalendarPopup|hasCalendarPopup)\s*\(/, "calendarPopup") -property_writer("QDateEdit", /::setCalendarPopup\s*\(/, "calendarPopup") -property_reader("QDateEdit", /::(currentSectionIndex|isCurrentSectionIndex|hasCurrentSectionIndex)\s*\(/, "currentSectionIndex") -property_writer("QDateEdit", /::setCurrentSectionIndex\s*\(/, "currentSectionIndex") -property_reader("QDateEdit", /::(sectionCount|isSectionCount|hasSectionCount)\s*\(/, "sectionCount") -property_reader("QDateEdit", /::(timeSpec|isTimeSpec|hasTimeSpec)\s*\(/, "timeSpec") -property_writer("QDateEdit", /::setTimeSpec\s*\(/, "timeSpec") -property_reader("QDateEdit", /::(date|isDate|hasDate)\s*\(/, "date") -property_writer("QDateEdit", /::setDate\s*\(/, "date") -property_reader("QDateTimeEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDateTimeEdit", /::setObjectName\s*\(/, "objectName") -property_reader("QDateTimeEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QDateTimeEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QDateTimeEdit", /::setWindowModality\s*\(/, "windowModality") -property_reader("QDateTimeEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QDateTimeEdit", /::setEnabled\s*\(/, "enabled") -property_reader("QDateTimeEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QDateTimeEdit", /::setGeometry\s*\(/, "geometry") -property_reader("QDateTimeEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QDateTimeEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QDateTimeEdit", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QDateTimeEdit", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QDateTimeEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QDateTimeEdit", /::setPos\s*\(/, "pos") -property_reader("QDateTimeEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QDateTimeEdit", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QDateTimeEdit", /::setSize\s*\(/, "size") -property_reader("QDateTimeEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QDateTimeEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QDateTimeEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QDateTimeEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QDateTimeEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QDateTimeEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QDateTimeEdit", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QDateTimeEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QDateTimeEdit", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QDateTimeEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QDateTimeEdit", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QDateTimeEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QDateTimeEdit", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QDateTimeEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QDateTimeEdit", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QDateTimeEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QDateTimeEdit", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QDateTimeEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QDateTimeEdit", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QDateTimeEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QDateTimeEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QDateTimeEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QDateTimeEdit", /::setBaseSize\s*\(/, "baseSize") -property_reader("QDateTimeEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QDateTimeEdit", /::setPalette\s*\(/, "palette") -property_reader("QDateTimeEdit", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QDateTimeEdit", /::setFont\s*\(/, "font") -property_reader("QDateTimeEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QDateTimeEdit", /::setCursor\s*\(/, "cursor") -property_reader("QDateTimeEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QDateTimeEdit", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QDateTimeEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QDateTimeEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QDateTimeEdit", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QDateTimeEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QDateTimeEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QDateTimeEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QDateTimeEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QDateTimeEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QDateTimeEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QDateTimeEdit", /::setVisible\s*\(/, "visible") -property_reader("QDateTimeEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QDateTimeEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QDateTimeEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QDateTimeEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QDateTimeEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QDateTimeEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QDateTimeEdit", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QDateTimeEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QDateTimeEdit", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QDateTimeEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QDateTimeEdit", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QDateTimeEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QDateTimeEdit", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QDateTimeEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QDateTimeEdit", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QDateTimeEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QDateTimeEdit", /::setWindowModified\s*\(/, "windowModified") -property_reader("QDateTimeEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QDateTimeEdit", /::setToolTip\s*\(/, "toolTip") -property_reader("QDateTimeEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QDateTimeEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QDateTimeEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QDateTimeEdit", /::setStatusTip\s*\(/, "statusTip") -property_reader("QDateTimeEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QDateTimeEdit", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QDateTimeEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QDateTimeEdit", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QDateTimeEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QDateTimeEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QDateTimeEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QDateTimeEdit", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QDateTimeEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QDateTimeEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QDateTimeEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QDateTimeEdit", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QDateTimeEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QDateTimeEdit", /::setLocale\s*\(/, "locale") -property_reader("QDateTimeEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QDateTimeEdit", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QDateTimeEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QDateTimeEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QDateTimeEdit", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") -property_writer("QDateTimeEdit", /::setWrapping\s*\(/, "wrapping") -property_reader("QDateTimeEdit", /::(frame|isFrame|hasFrame)\s*\(/, "frame") -property_writer("QDateTimeEdit", /::setFrame\s*\(/, "frame") -property_reader("QDateTimeEdit", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QDateTimeEdit", /::setAlignment\s*\(/, "alignment") -property_reader("QDateTimeEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QDateTimeEdit", /::setReadOnly\s*\(/, "readOnly") -property_reader("QDateTimeEdit", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") -property_writer("QDateTimeEdit", /::setButtonSymbols\s*\(/, "buttonSymbols") -property_reader("QDateTimeEdit", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") -property_writer("QDateTimeEdit", /::setSpecialValueText\s*\(/, "specialValueText") -property_reader("QDateTimeEdit", /::(text|isText|hasText)\s*\(/, "text") -property_reader("QDateTimeEdit", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") -property_writer("QDateTimeEdit", /::setAccelerated\s*\(/, "accelerated") -property_reader("QDateTimeEdit", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") -property_writer("QDateTimeEdit", /::setCorrectionMode\s*\(/, "correctionMode") -property_reader("QDateTimeEdit", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") -property_reader("QDateTimeEdit", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") -property_writer("QDateTimeEdit", /::setKeyboardTracking\s*\(/, "keyboardTracking") -property_reader("QDateTimeEdit", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") -property_writer("QDateTimeEdit", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") -property_reader("QDateTimeEdit", /::(dateTime|isDateTime|hasDateTime)\s*\(/, "dateTime") -property_writer("QDateTimeEdit", /::setDateTime\s*\(/, "dateTime") -property_reader("QDateTimeEdit", /::(date|isDate|hasDate)\s*\(/, "date") -property_writer("QDateTimeEdit", /::setDate\s*\(/, "date") -property_reader("QDateTimeEdit", /::(time|isTime|hasTime)\s*\(/, "time") -property_writer("QDateTimeEdit", /::setTime\s*\(/, "time") -property_reader("QDateTimeEdit", /::(maximumDateTime|isMaximumDateTime|hasMaximumDateTime)\s*\(/, "maximumDateTime") -property_writer("QDateTimeEdit", /::setMaximumDateTime\s*\(/, "maximumDateTime") -property_reader("QDateTimeEdit", /::(minimumDateTime|isMinimumDateTime|hasMinimumDateTime)\s*\(/, "minimumDateTime") -property_writer("QDateTimeEdit", /::setMinimumDateTime\s*\(/, "minimumDateTime") -property_reader("QDateTimeEdit", /::(maximumDate|isMaximumDate|hasMaximumDate)\s*\(/, "maximumDate") -property_writer("QDateTimeEdit", /::setMaximumDate\s*\(/, "maximumDate") -property_reader("QDateTimeEdit", /::(minimumDate|isMinimumDate|hasMinimumDate)\s*\(/, "minimumDate") -property_writer("QDateTimeEdit", /::setMinimumDate\s*\(/, "minimumDate") -property_reader("QDateTimeEdit", /::(maximumTime|isMaximumTime|hasMaximumTime)\s*\(/, "maximumTime") -property_writer("QDateTimeEdit", /::setMaximumTime\s*\(/, "maximumTime") -property_reader("QDateTimeEdit", /::(minimumTime|isMinimumTime|hasMinimumTime)\s*\(/, "minimumTime") -property_writer("QDateTimeEdit", /::setMinimumTime\s*\(/, "minimumTime") -property_reader("QDateTimeEdit", /::(currentSection|isCurrentSection|hasCurrentSection)\s*\(/, "currentSection") -property_writer("QDateTimeEdit", /::setCurrentSection\s*\(/, "currentSection") -property_reader("QDateTimeEdit", /::(displayedSections|isDisplayedSections|hasDisplayedSections)\s*\(/, "displayedSections") -property_reader("QDateTimeEdit", /::(displayFormat|isDisplayFormat|hasDisplayFormat)\s*\(/, "displayFormat") -property_writer("QDateTimeEdit", /::setDisplayFormat\s*\(/, "displayFormat") -property_reader("QDateTimeEdit", /::(calendarPopup|isCalendarPopup|hasCalendarPopup)\s*\(/, "calendarPopup") -property_writer("QDateTimeEdit", /::setCalendarPopup\s*\(/, "calendarPopup") -property_reader("QDateTimeEdit", /::(currentSectionIndex|isCurrentSectionIndex|hasCurrentSectionIndex)\s*\(/, "currentSectionIndex") -property_writer("QDateTimeEdit", /::setCurrentSectionIndex\s*\(/, "currentSectionIndex") -property_reader("QDateTimeEdit", /::(sectionCount|isSectionCount|hasSectionCount)\s*\(/, "sectionCount") -property_reader("QDateTimeEdit", /::(timeSpec|isTimeSpec|hasTimeSpec)\s*\(/, "timeSpec") -property_writer("QDateTimeEdit", /::setTimeSpec\s*\(/, "timeSpec") -property_reader("QDesktopWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDesktopWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QDesktopWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QDesktopWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QDesktopWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QDesktopWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QDesktopWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QDesktopWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QDesktopWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QDesktopWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QDesktopWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QDesktopWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QDesktopWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QDesktopWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QDesktopWidget", /::setPos\s*\(/, "pos") -property_reader("QDesktopWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QDesktopWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QDesktopWidget", /::setSize\s*\(/, "size") -property_reader("QDesktopWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QDesktopWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QDesktopWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QDesktopWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QDesktopWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QDesktopWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QDesktopWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QDesktopWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QDesktopWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QDesktopWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QDesktopWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QDesktopWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QDesktopWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QDesktopWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QDesktopWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QDesktopWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QDesktopWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QDesktopWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QDesktopWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QDesktopWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QDesktopWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QDesktopWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QDesktopWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QDesktopWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QDesktopWidget", /::setPalette\s*\(/, "palette") -property_reader("QDesktopWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QDesktopWidget", /::setFont\s*\(/, "font") -property_reader("QDesktopWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QDesktopWidget", /::setCursor\s*\(/, "cursor") -property_reader("QDesktopWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QDesktopWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QDesktopWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QDesktopWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QDesktopWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QDesktopWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QDesktopWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QDesktopWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QDesktopWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QDesktopWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QDesktopWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QDesktopWidget", /::setVisible\s*\(/, "visible") -property_reader("QDesktopWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QDesktopWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QDesktopWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QDesktopWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QDesktopWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QDesktopWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QDesktopWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QDesktopWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QDesktopWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QDesktopWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QDesktopWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QDesktopWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QDesktopWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QDesktopWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QDesktopWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QDesktopWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QDesktopWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QDesktopWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QDesktopWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QDesktopWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QDesktopWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QDesktopWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QDesktopWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QDesktopWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QDesktopWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QDesktopWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QDesktopWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QDesktopWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QDesktopWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QDesktopWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QDesktopWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QDesktopWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QDesktopWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QDesktopWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QDesktopWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QDesktopWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QDesktopWidget", /::setLocale\s*\(/, "locale") -property_reader("QDesktopWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QDesktopWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QDesktopWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QDesktopWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QDesktopWidget", /::(virtualDesktop|isVirtualDesktop|hasVirtualDesktop)\s*\(/, "virtualDesktop") -property_reader("QDesktopWidget", /::(screenCount|isScreenCount|hasScreenCount)\s*\(/, "screenCount") -property_reader("QDesktopWidget", /::(primaryScreen|isPrimaryScreen|hasPrimaryScreen)\s*\(/, "primaryScreen") -property_reader("QDial", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDial", /::setObjectName\s*\(/, "objectName") -property_reader("QDial", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QDial", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QDial", /::setWindowModality\s*\(/, "windowModality") -property_reader("QDial", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QDial", /::setEnabled\s*\(/, "enabled") -property_reader("QDial", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QDial", /::setGeometry\s*\(/, "geometry") -property_reader("QDial", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QDial", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QDial", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QDial", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QDial", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QDial", /::setPos\s*\(/, "pos") -property_reader("QDial", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QDial", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QDial", /::setSize\s*\(/, "size") -property_reader("QDial", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QDial", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QDial", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QDial", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QDial", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QDial", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QDial", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QDial", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QDial", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QDial", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QDial", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QDial", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QDial", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QDial", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QDial", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QDial", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QDial", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QDial", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QDial", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QDial", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QDial", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QDial", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QDial", /::setBaseSize\s*\(/, "baseSize") -property_reader("QDial", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QDial", /::setPalette\s*\(/, "palette") -property_reader("QDial", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QDial", /::setFont\s*\(/, "font") -property_reader("QDial", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QDial", /::setCursor\s*\(/, "cursor") -property_reader("QDial", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QDial", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QDial", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QDial", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QDial", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QDial", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QDial", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QDial", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QDial", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QDial", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QDial", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QDial", /::setVisible\s*\(/, "visible") -property_reader("QDial", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QDial", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QDial", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QDial", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QDial", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QDial", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QDial", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QDial", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QDial", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QDial", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QDial", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QDial", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QDial", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QDial", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QDial", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QDial", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QDial", /::setWindowModified\s*\(/, "windowModified") -property_reader("QDial", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QDial", /::setToolTip\s*\(/, "toolTip") -property_reader("QDial", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QDial", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QDial", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QDial", /::setStatusTip\s*\(/, "statusTip") -property_reader("QDial", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QDial", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QDial", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QDial", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QDial", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QDial", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QDial", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QDial", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QDial", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QDial", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QDial", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QDial", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QDial", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QDial", /::setLocale\s*\(/, "locale") -property_reader("QDial", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QDial", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QDial", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QDial", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QDial", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") -property_writer("QDial", /::setMinimum\s*\(/, "minimum") -property_reader("QDial", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") -property_writer("QDial", /::setMaximum\s*\(/, "maximum") -property_reader("QDial", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") -property_writer("QDial", /::setSingleStep\s*\(/, "singleStep") -property_reader("QDial", /::(pageStep|isPageStep|hasPageStep)\s*\(/, "pageStep") -property_writer("QDial", /::setPageStep\s*\(/, "pageStep") -property_reader("QDial", /::(value|isValue|hasValue)\s*\(/, "value") -property_writer("QDial", /::setValue\s*\(/, "value") -property_reader("QDial", /::(sliderPosition|isSliderPosition|hasSliderPosition)\s*\(/, "sliderPosition") -property_writer("QDial", /::setSliderPosition\s*\(/, "sliderPosition") -property_reader("QDial", /::(tracking|isTracking|hasTracking)\s*\(/, "tracking") -property_writer("QDial", /::setTracking\s*\(/, "tracking") -property_reader("QDial", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") -property_writer("QDial", /::setOrientation\s*\(/, "orientation") -property_reader("QDial", /::(invertedAppearance|isInvertedAppearance|hasInvertedAppearance)\s*\(/, "invertedAppearance") -property_writer("QDial", /::setInvertedAppearance\s*\(/, "invertedAppearance") -property_reader("QDial", /::(invertedControls|isInvertedControls|hasInvertedControls)\s*\(/, "invertedControls") -property_writer("QDial", /::setInvertedControls\s*\(/, "invertedControls") -property_reader("QDial", /::(sliderDown|isSliderDown|hasSliderDown)\s*\(/, "sliderDown") -property_writer("QDial", /::setSliderDown\s*\(/, "sliderDown") -property_reader("QDial", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") -property_writer("QDial", /::setWrapping\s*\(/, "wrapping") -property_reader("QDial", /::(notchSize|isNotchSize|hasNotchSize)\s*\(/, "notchSize") -property_reader("QDial", /::(notchTarget|isNotchTarget|hasNotchTarget)\s*\(/, "notchTarget") -property_writer("QDial", /::setNotchTarget\s*\(/, "notchTarget") -property_reader("QDial", /::(notchesVisible|isNotchesVisible|hasNotchesVisible)\s*\(/, "notchesVisible") -property_writer("QDial", /::setNotchesVisible\s*\(/, "notchesVisible") -property_reader("QDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDialog", /::setObjectName\s*\(/, "objectName") -property_reader("QDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QDialog", /::setWindowModality\s*\(/, "windowModality") -property_reader("QDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QDialog", /::setEnabled\s*\(/, "enabled") -property_reader("QDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QDialog", /::setGeometry\s*\(/, "geometry") -property_reader("QDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QDialog", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QDialog", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QDialog", /::setPos\s*\(/, "pos") -property_reader("QDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QDialog", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QDialog", /::setSize\s*\(/, "size") -property_reader("QDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QDialog", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QDialog", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QDialog", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QDialog", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QDialog", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QDialog", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QDialog", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QDialog", /::setBaseSize\s*\(/, "baseSize") -property_reader("QDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QDialog", /::setPalette\s*\(/, "palette") -property_reader("QDialog", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QDialog", /::setFont\s*\(/, "font") -property_reader("QDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QDialog", /::setCursor\s*\(/, "cursor") -property_reader("QDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QDialog", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QDialog", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QDialog", /::setVisible\s*\(/, "visible") -property_reader("QDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QDialog", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QDialog", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QDialog", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QDialog", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QDialog", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QDialog", /::setWindowModified\s*\(/, "windowModified") -property_reader("QDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QDialog", /::setToolTip\s*\(/, "toolTip") -property_reader("QDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QDialog", /::setStatusTip\s*\(/, "statusTip") -property_reader("QDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QDialog", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QDialog", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QDialog", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QDialog", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QDialog", /::setLocale\s*\(/, "locale") -property_reader("QDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QDialog", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QDialog", /::setModal\s*\(/, "modal") -property_reader("QDialogButtonBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDialogButtonBox", /::setObjectName\s*\(/, "objectName") -property_reader("QDialogButtonBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QDialogButtonBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QDialogButtonBox", /::setWindowModality\s*\(/, "windowModality") -property_reader("QDialogButtonBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QDialogButtonBox", /::setEnabled\s*\(/, "enabled") -property_reader("QDialogButtonBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QDialogButtonBox", /::setGeometry\s*\(/, "geometry") -property_reader("QDialogButtonBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QDialogButtonBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QDialogButtonBox", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QDialogButtonBox", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QDialogButtonBox", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QDialogButtonBox", /::setPos\s*\(/, "pos") -property_reader("QDialogButtonBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QDialogButtonBox", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QDialogButtonBox", /::setSize\s*\(/, "size") -property_reader("QDialogButtonBox", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QDialogButtonBox", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QDialogButtonBox", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QDialogButtonBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QDialogButtonBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QDialogButtonBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QDialogButtonBox", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QDialogButtonBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QDialogButtonBox", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QDialogButtonBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QDialogButtonBox", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QDialogButtonBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QDialogButtonBox", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QDialogButtonBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QDialogButtonBox", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QDialogButtonBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QDialogButtonBox", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QDialogButtonBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QDialogButtonBox", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QDialogButtonBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QDialogButtonBox", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QDialogButtonBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QDialogButtonBox", /::setBaseSize\s*\(/, "baseSize") -property_reader("QDialogButtonBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QDialogButtonBox", /::setPalette\s*\(/, "palette") -property_reader("QDialogButtonBox", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QDialogButtonBox", /::setFont\s*\(/, "font") -property_reader("QDialogButtonBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QDialogButtonBox", /::setCursor\s*\(/, "cursor") -property_reader("QDialogButtonBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QDialogButtonBox", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QDialogButtonBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QDialogButtonBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QDialogButtonBox", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QDialogButtonBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QDialogButtonBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QDialogButtonBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QDialogButtonBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QDialogButtonBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QDialogButtonBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QDialogButtonBox", /::setVisible\s*\(/, "visible") -property_reader("QDialogButtonBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QDialogButtonBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QDialogButtonBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QDialogButtonBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QDialogButtonBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QDialogButtonBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QDialogButtonBox", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QDialogButtonBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QDialogButtonBox", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QDialogButtonBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QDialogButtonBox", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QDialogButtonBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QDialogButtonBox", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QDialogButtonBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QDialogButtonBox", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QDialogButtonBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QDialogButtonBox", /::setWindowModified\s*\(/, "windowModified") -property_reader("QDialogButtonBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QDialogButtonBox", /::setToolTip\s*\(/, "toolTip") -property_reader("QDialogButtonBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QDialogButtonBox", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QDialogButtonBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QDialogButtonBox", /::setStatusTip\s*\(/, "statusTip") -property_reader("QDialogButtonBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QDialogButtonBox", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QDialogButtonBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QDialogButtonBox", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QDialogButtonBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QDialogButtonBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QDialogButtonBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QDialogButtonBox", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QDialogButtonBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QDialogButtonBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QDialogButtonBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QDialogButtonBox", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QDialogButtonBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QDialogButtonBox", /::setLocale\s*\(/, "locale") -property_reader("QDialogButtonBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QDialogButtonBox", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QDialogButtonBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QDialogButtonBox", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QDialogButtonBox", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") -property_writer("QDialogButtonBox", /::setOrientation\s*\(/, "orientation") -property_reader("QDialogButtonBox", /::(standardButtons|isStandardButtons|hasStandardButtons)\s*\(/, "standardButtons") -property_writer("QDialogButtonBox", /::setStandardButtons\s*\(/, "standardButtons") -property_reader("QDialogButtonBox", /::(centerButtons|isCenterButtons|hasCenterButtons)\s*\(/, "centerButtons") -property_writer("QDialogButtonBox", /::setCenterButtons\s*\(/, "centerButtons") -property_reader("QDirModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDirModel", /::setObjectName\s*\(/, "objectName") -property_reader("QDirModel", /::(resolveSymlinks|isResolveSymlinks|hasResolveSymlinks)\s*\(/, "resolveSymlinks") -property_writer("QDirModel", /::setResolveSymlinks\s*\(/, "resolveSymlinks") -property_reader("QDirModel", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QDirModel", /::setReadOnly\s*\(/, "readOnly") -property_reader("QDirModel", /::(lazyChildCount|isLazyChildCount|hasLazyChildCount)\s*\(/, "lazyChildCount") -property_writer("QDirModel", /::setLazyChildCount\s*\(/, "lazyChildCount") -property_reader("QDnsLookup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDnsLookup", /::setObjectName\s*\(/, "objectName") -property_reader("QDnsLookup", /::(error|isError|hasError)\s*\(/, "error") -property_reader("QDnsLookup", /::(errorString|isErrorString|hasErrorString)\s*\(/, "errorString") -property_reader("QDnsLookup", /::(name|isName|hasName)\s*\(/, "name") -property_writer("QDnsLookup", /::setName\s*\(/, "name") -property_reader("QDnsLookup", /::(type|isType|hasType)\s*\(/, "type") -property_writer("QDnsLookup", /::setType\s*\(/, "type") -property_reader("QDnsLookup", /::(nameserver|isNameserver|hasNameserver)\s*\(/, "nameserver") -property_writer("QDnsLookup", /::setNameserver\s*\(/, "nameserver") -property_reader("QDockWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDockWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QDockWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QDockWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QDockWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QDockWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QDockWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QDockWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QDockWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QDockWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QDockWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QDockWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QDockWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QDockWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QDockWidget", /::setPos\s*\(/, "pos") -property_reader("QDockWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QDockWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QDockWidget", /::setSize\s*\(/, "size") -property_reader("QDockWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QDockWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QDockWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QDockWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QDockWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QDockWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QDockWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QDockWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QDockWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QDockWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QDockWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QDockWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QDockWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QDockWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QDockWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QDockWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QDockWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QDockWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QDockWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QDockWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QDockWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QDockWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QDockWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QDockWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QDockWidget", /::setPalette\s*\(/, "palette") -property_reader("QDockWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QDockWidget", /::setFont\s*\(/, "font") -property_reader("QDockWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QDockWidget", /::setCursor\s*\(/, "cursor") -property_reader("QDockWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QDockWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QDockWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QDockWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QDockWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QDockWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QDockWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QDockWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QDockWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QDockWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QDockWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QDockWidget", /::setVisible\s*\(/, "visible") -property_reader("QDockWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QDockWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QDockWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QDockWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QDockWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QDockWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QDockWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QDockWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QDockWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QDockWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QDockWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QDockWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QDockWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QDockWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QDockWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QDockWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QDockWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QDockWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QDockWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QDockWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QDockWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QDockWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QDockWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QDockWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QDockWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QDockWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QDockWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QDockWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QDockWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QDockWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QDockWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QDockWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QDockWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QDockWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QDockWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QDockWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QDockWidget", /::setLocale\s*\(/, "locale") -property_reader("QDockWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QDockWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QDockWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QDockWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QDockWidget", /::(floating|isFloating|hasFloating)\s*\(/, "floating") -property_writer("QDockWidget", /::setFloating\s*\(/, "floating") -property_reader("QDockWidget", /::(features|isFeatures|hasFeatures)\s*\(/, "features") -property_writer("QDockWidget", /::setFeatures\s*\(/, "features") -property_reader("QDockWidget", /::(allowedAreas|isAllowedAreas|hasAllowedAreas)\s*\(/, "allowedAreas") -property_writer("QDockWidget", /::setAllowedAreas\s*\(/, "allowedAreas") -property_reader("QDockWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QDockWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QDoubleSpinBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDoubleSpinBox", /::setObjectName\s*\(/, "objectName") -property_reader("QDoubleSpinBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QDoubleSpinBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QDoubleSpinBox", /::setWindowModality\s*\(/, "windowModality") -property_reader("QDoubleSpinBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QDoubleSpinBox", /::setEnabled\s*\(/, "enabled") -property_reader("QDoubleSpinBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QDoubleSpinBox", /::setGeometry\s*\(/, "geometry") -property_reader("QDoubleSpinBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QDoubleSpinBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QDoubleSpinBox", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QDoubleSpinBox", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QDoubleSpinBox", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QDoubleSpinBox", /::setPos\s*\(/, "pos") -property_reader("QDoubleSpinBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QDoubleSpinBox", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QDoubleSpinBox", /::setSize\s*\(/, "size") -property_reader("QDoubleSpinBox", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QDoubleSpinBox", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QDoubleSpinBox", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QDoubleSpinBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QDoubleSpinBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QDoubleSpinBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QDoubleSpinBox", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QDoubleSpinBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QDoubleSpinBox", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QDoubleSpinBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QDoubleSpinBox", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QDoubleSpinBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QDoubleSpinBox", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QDoubleSpinBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QDoubleSpinBox", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QDoubleSpinBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QDoubleSpinBox", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QDoubleSpinBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QDoubleSpinBox", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QDoubleSpinBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QDoubleSpinBox", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QDoubleSpinBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QDoubleSpinBox", /::setBaseSize\s*\(/, "baseSize") -property_reader("QDoubleSpinBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QDoubleSpinBox", /::setPalette\s*\(/, "palette") -property_reader("QDoubleSpinBox", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QDoubleSpinBox", /::setFont\s*\(/, "font") -property_reader("QDoubleSpinBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QDoubleSpinBox", /::setCursor\s*\(/, "cursor") -property_reader("QDoubleSpinBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QDoubleSpinBox", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QDoubleSpinBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QDoubleSpinBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QDoubleSpinBox", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QDoubleSpinBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QDoubleSpinBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QDoubleSpinBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QDoubleSpinBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QDoubleSpinBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QDoubleSpinBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QDoubleSpinBox", /::setVisible\s*\(/, "visible") -property_reader("QDoubleSpinBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QDoubleSpinBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QDoubleSpinBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QDoubleSpinBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QDoubleSpinBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QDoubleSpinBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QDoubleSpinBox", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QDoubleSpinBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QDoubleSpinBox", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QDoubleSpinBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QDoubleSpinBox", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QDoubleSpinBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QDoubleSpinBox", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QDoubleSpinBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QDoubleSpinBox", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QDoubleSpinBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QDoubleSpinBox", /::setWindowModified\s*\(/, "windowModified") -property_reader("QDoubleSpinBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QDoubleSpinBox", /::setToolTip\s*\(/, "toolTip") -property_reader("QDoubleSpinBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QDoubleSpinBox", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QDoubleSpinBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QDoubleSpinBox", /::setStatusTip\s*\(/, "statusTip") -property_reader("QDoubleSpinBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QDoubleSpinBox", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QDoubleSpinBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QDoubleSpinBox", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QDoubleSpinBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QDoubleSpinBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QDoubleSpinBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QDoubleSpinBox", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QDoubleSpinBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QDoubleSpinBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QDoubleSpinBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QDoubleSpinBox", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QDoubleSpinBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QDoubleSpinBox", /::setLocale\s*\(/, "locale") -property_reader("QDoubleSpinBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QDoubleSpinBox", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QDoubleSpinBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QDoubleSpinBox", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QDoubleSpinBox", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") -property_writer("QDoubleSpinBox", /::setWrapping\s*\(/, "wrapping") -property_reader("QDoubleSpinBox", /::(frame|isFrame|hasFrame)\s*\(/, "frame") -property_writer("QDoubleSpinBox", /::setFrame\s*\(/, "frame") -property_reader("QDoubleSpinBox", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QDoubleSpinBox", /::setAlignment\s*\(/, "alignment") -property_reader("QDoubleSpinBox", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QDoubleSpinBox", /::setReadOnly\s*\(/, "readOnly") -property_reader("QDoubleSpinBox", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") -property_writer("QDoubleSpinBox", /::setButtonSymbols\s*\(/, "buttonSymbols") -property_reader("QDoubleSpinBox", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") -property_writer("QDoubleSpinBox", /::setSpecialValueText\s*\(/, "specialValueText") -property_reader("QDoubleSpinBox", /::(text|isText|hasText)\s*\(/, "text") -property_reader("QDoubleSpinBox", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") -property_writer("QDoubleSpinBox", /::setAccelerated\s*\(/, "accelerated") -property_reader("QDoubleSpinBox", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") -property_writer("QDoubleSpinBox", /::setCorrectionMode\s*\(/, "correctionMode") -property_reader("QDoubleSpinBox", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") -property_reader("QDoubleSpinBox", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") -property_writer("QDoubleSpinBox", /::setKeyboardTracking\s*\(/, "keyboardTracking") -property_reader("QDoubleSpinBox", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") -property_writer("QDoubleSpinBox", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") -property_reader("QDoubleSpinBox", /::(prefix|isPrefix|hasPrefix)\s*\(/, "prefix") -property_writer("QDoubleSpinBox", /::setPrefix\s*\(/, "prefix") -property_reader("QDoubleSpinBox", /::(suffix|isSuffix|hasSuffix)\s*\(/, "suffix") -property_writer("QDoubleSpinBox", /::setSuffix\s*\(/, "suffix") -property_reader("QDoubleSpinBox", /::(cleanText|isCleanText|hasCleanText)\s*\(/, "cleanText") -property_reader("QDoubleSpinBox", /::(decimals|isDecimals|hasDecimals)\s*\(/, "decimals") -property_writer("QDoubleSpinBox", /::setDecimals\s*\(/, "decimals") -property_reader("QDoubleSpinBox", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") -property_writer("QDoubleSpinBox", /::setMinimum\s*\(/, "minimum") -property_reader("QDoubleSpinBox", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") -property_writer("QDoubleSpinBox", /::setMaximum\s*\(/, "maximum") -property_reader("QDoubleSpinBox", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") -property_writer("QDoubleSpinBox", /::setSingleStep\s*\(/, "singleStep") -property_reader("QDoubleSpinBox", /::(value|isValue|hasValue)\s*\(/, "value") -property_writer("QDoubleSpinBox", /::setValue\s*\(/, "value") -property_reader("QDoubleValidator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDoubleValidator", /::setObjectName\s*\(/, "objectName") -property_reader("QDoubleValidator", /::(bottom|isBottom|hasBottom)\s*\(/, "bottom") -property_writer("QDoubleValidator", /::setBottom\s*\(/, "bottom") -property_reader("QDoubleValidator", /::(top|isTop|hasTop)\s*\(/, "top") -property_writer("QDoubleValidator", /::setTop\s*\(/, "top") -property_reader("QDoubleValidator", /::(decimals|isDecimals|hasDecimals)\s*\(/, "decimals") -property_writer("QDoubleValidator", /::setDecimals\s*\(/, "decimals") -property_reader("QDoubleValidator", /::(notation|isNotation|hasNotation)\s*\(/, "notation") -property_writer("QDoubleValidator", /::setNotation\s*\(/, "notation") -property_reader("QDrag", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QDrag", /::setObjectName\s*\(/, "objectName") -property_reader("QErrorMessage", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QErrorMessage", /::setObjectName\s*\(/, "objectName") -property_reader("QErrorMessage", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QErrorMessage", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QErrorMessage", /::setWindowModality\s*\(/, "windowModality") -property_reader("QErrorMessage", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QErrorMessage", /::setEnabled\s*\(/, "enabled") -property_reader("QErrorMessage", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QErrorMessage", /::setGeometry\s*\(/, "geometry") -property_reader("QErrorMessage", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QErrorMessage", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QErrorMessage", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QErrorMessage", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QErrorMessage", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QErrorMessage", /::setPos\s*\(/, "pos") -property_reader("QErrorMessage", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QErrorMessage", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QErrorMessage", /::setSize\s*\(/, "size") -property_reader("QErrorMessage", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QErrorMessage", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QErrorMessage", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QErrorMessage", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QErrorMessage", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QErrorMessage", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QErrorMessage", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QErrorMessage", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QErrorMessage", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QErrorMessage", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QErrorMessage", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QErrorMessage", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QErrorMessage", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QErrorMessage", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QErrorMessage", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QErrorMessage", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QErrorMessage", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QErrorMessage", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QErrorMessage", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QErrorMessage", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QErrorMessage", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QErrorMessage", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QErrorMessage", /::setBaseSize\s*\(/, "baseSize") -property_reader("QErrorMessage", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QErrorMessage", /::setPalette\s*\(/, "palette") -property_reader("QErrorMessage", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QErrorMessage", /::setFont\s*\(/, "font") -property_reader("QErrorMessage", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QErrorMessage", /::setCursor\s*\(/, "cursor") -property_reader("QErrorMessage", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QErrorMessage", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QErrorMessage", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QErrorMessage", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QErrorMessage", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QErrorMessage", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QErrorMessage", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QErrorMessage", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QErrorMessage", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QErrorMessage", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QErrorMessage", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QErrorMessage", /::setVisible\s*\(/, "visible") -property_reader("QErrorMessage", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QErrorMessage", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QErrorMessage", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QErrorMessage", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QErrorMessage", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QErrorMessage", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QErrorMessage", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QErrorMessage", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QErrorMessage", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QErrorMessage", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QErrorMessage", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QErrorMessage", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QErrorMessage", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QErrorMessage", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QErrorMessage", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QErrorMessage", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QErrorMessage", /::setWindowModified\s*\(/, "windowModified") -property_reader("QErrorMessage", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QErrorMessage", /::setToolTip\s*\(/, "toolTip") -property_reader("QErrorMessage", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QErrorMessage", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QErrorMessage", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QErrorMessage", /::setStatusTip\s*\(/, "statusTip") -property_reader("QErrorMessage", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QErrorMessage", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QErrorMessage", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QErrorMessage", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QErrorMessage", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QErrorMessage", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QErrorMessage", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QErrorMessage", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QErrorMessage", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QErrorMessage", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QErrorMessage", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QErrorMessage", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QErrorMessage", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QErrorMessage", /::setLocale\s*\(/, "locale") -property_reader("QErrorMessage", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QErrorMessage", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QErrorMessage", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QErrorMessage", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QErrorMessage", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QErrorMessage", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QErrorMessage", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QErrorMessage", /::setModal\s*\(/, "modal") -property_reader("QEventLoop", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QEventLoop", /::setObjectName\s*\(/, "objectName") -property_reader("QEventTransition", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QEventTransition", /::setObjectName\s*\(/, "objectName") -property_reader("QEventTransition", /::(sourceState|isSourceState|hasSourceState)\s*\(/, "sourceState") -property_reader("QEventTransition", /::(targetState|isTargetState|hasTargetState)\s*\(/, "targetState") -property_writer("QEventTransition", /::setTargetState\s*\(/, "targetState") -property_reader("QEventTransition", /::(targetStates|isTargetStates|hasTargetStates)\s*\(/, "targetStates") -property_writer("QEventTransition", /::setTargetStates\s*\(/, "targetStates") -property_reader("QEventTransition", /::(transitionType|isTransitionType|hasTransitionType)\s*\(/, "transitionType") -property_writer("QEventTransition", /::setTransitionType\s*\(/, "transitionType") -property_reader("QEventTransition", /::(eventSource|isEventSource|hasEventSource)\s*\(/, "eventSource") -property_writer("QEventTransition", /::setEventSource\s*\(/, "eventSource") -property_reader("QEventTransition", /::(eventType|isEventType|hasEventType)\s*\(/, "eventType") -property_writer("QEventTransition", /::setEventType\s*\(/, "eventType") -property_reader("QFile", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFile", /::setObjectName\s*\(/, "objectName") -property_reader("QFileDevice", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFileDevice", /::setObjectName\s*\(/, "objectName") -property_reader("QFileDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFileDialog", /::setObjectName\s*\(/, "objectName") -property_reader("QFileDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QFileDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QFileDialog", /::setWindowModality\s*\(/, "windowModality") -property_reader("QFileDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QFileDialog", /::setEnabled\s*\(/, "enabled") -property_reader("QFileDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QFileDialog", /::setGeometry\s*\(/, "geometry") -property_reader("QFileDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QFileDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QFileDialog", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QFileDialog", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QFileDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QFileDialog", /::setPos\s*\(/, "pos") -property_reader("QFileDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QFileDialog", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QFileDialog", /::setSize\s*\(/, "size") -property_reader("QFileDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QFileDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QFileDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QFileDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QFileDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QFileDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QFileDialog", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QFileDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QFileDialog", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QFileDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QFileDialog", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QFileDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QFileDialog", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QFileDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QFileDialog", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QFileDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QFileDialog", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QFileDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QFileDialog", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QFileDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QFileDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QFileDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QFileDialog", /::setBaseSize\s*\(/, "baseSize") -property_reader("QFileDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QFileDialog", /::setPalette\s*\(/, "palette") -property_reader("QFileDialog", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QFileDialog", /::setFont\s*\(/, "font") -property_reader("QFileDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QFileDialog", /::setCursor\s*\(/, "cursor") -property_reader("QFileDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QFileDialog", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QFileDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QFileDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QFileDialog", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QFileDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QFileDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QFileDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QFileDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QFileDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QFileDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QFileDialog", /::setVisible\s*\(/, "visible") -property_reader("QFileDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QFileDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QFileDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QFileDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QFileDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QFileDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QFileDialog", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QFileDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QFileDialog", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QFileDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QFileDialog", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QFileDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QFileDialog", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QFileDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QFileDialog", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QFileDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QFileDialog", /::setWindowModified\s*\(/, "windowModified") -property_reader("QFileDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QFileDialog", /::setToolTip\s*\(/, "toolTip") -property_reader("QFileDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QFileDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QFileDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QFileDialog", /::setStatusTip\s*\(/, "statusTip") -property_reader("QFileDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QFileDialog", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QFileDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QFileDialog", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QFileDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QFileDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QFileDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QFileDialog", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QFileDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QFileDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QFileDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QFileDialog", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QFileDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QFileDialog", /::setLocale\s*\(/, "locale") -property_reader("QFileDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QFileDialog", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QFileDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QFileDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QFileDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QFileDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QFileDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QFileDialog", /::setModal\s*\(/, "modal") -property_reader("QFileDialog", /::(viewMode|isViewMode|hasViewMode)\s*\(/, "viewMode") -property_writer("QFileDialog", /::setViewMode\s*\(/, "viewMode") -property_reader("QFileDialog", /::(fileMode|isFileMode|hasFileMode)\s*\(/, "fileMode") -property_writer("QFileDialog", /::setFileMode\s*\(/, "fileMode") -property_reader("QFileDialog", /::(acceptMode|isAcceptMode|hasAcceptMode)\s*\(/, "acceptMode") -property_writer("QFileDialog", /::setAcceptMode\s*\(/, "acceptMode") -property_reader("QFileDialog", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QFileDialog", /::setReadOnly\s*\(/, "readOnly") -property_reader("QFileDialog", /::(resolveSymlinks|isResolveSymlinks|hasResolveSymlinks)\s*\(/, "resolveSymlinks") -property_writer("QFileDialog", /::setResolveSymlinks\s*\(/, "resolveSymlinks") -property_reader("QFileDialog", /::(confirmOverwrite|isConfirmOverwrite|hasConfirmOverwrite)\s*\(/, "confirmOverwrite") -property_writer("QFileDialog", /::setConfirmOverwrite\s*\(/, "confirmOverwrite") -property_reader("QFileDialog", /::(defaultSuffix|isDefaultSuffix|hasDefaultSuffix)\s*\(/, "defaultSuffix") -property_writer("QFileDialog", /::setDefaultSuffix\s*\(/, "defaultSuffix") -property_reader("QFileDialog", /::(nameFilterDetailsVisible|isNameFilterDetailsVisible|hasNameFilterDetailsVisible)\s*\(/, "nameFilterDetailsVisible") -property_writer("QFileDialog", /::setNameFilterDetailsVisible\s*\(/, "nameFilterDetailsVisible") -property_reader("QFileDialog", /::(options|isOptions|hasOptions)\s*\(/, "options") -property_writer("QFileDialog", /::setOptions\s*\(/, "options") -property_reader("QFileSelector", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFileSelector", /::setObjectName\s*\(/, "objectName") -property_reader("QFileSystemModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFileSystemModel", /::setObjectName\s*\(/, "objectName") -property_reader("QFileSystemModel", /::(resolveSymlinks|isResolveSymlinks|hasResolveSymlinks)\s*\(/, "resolveSymlinks") -property_writer("QFileSystemModel", /::setResolveSymlinks\s*\(/, "resolveSymlinks") -property_reader("QFileSystemModel", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QFileSystemModel", /::setReadOnly\s*\(/, "readOnly") -property_reader("QFileSystemModel", /::(nameFilterDisables|isNameFilterDisables|hasNameFilterDisables)\s*\(/, "nameFilterDisables") -property_writer("QFileSystemModel", /::setNameFilterDisables\s*\(/, "nameFilterDisables") -property_reader("QFileSystemWatcher", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFileSystemWatcher", /::setObjectName\s*\(/, "objectName") -property_reader("QFinalState", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFinalState", /::setObjectName\s*\(/, "objectName") -property_reader("QFinalState", /::(active|isActive|hasActive)\s*\(/, "active") -property_reader("QFocusFrame", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFocusFrame", /::setObjectName\s*\(/, "objectName") -property_reader("QFocusFrame", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QFocusFrame", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QFocusFrame", /::setWindowModality\s*\(/, "windowModality") -property_reader("QFocusFrame", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QFocusFrame", /::setEnabled\s*\(/, "enabled") -property_reader("QFocusFrame", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QFocusFrame", /::setGeometry\s*\(/, "geometry") -property_reader("QFocusFrame", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QFocusFrame", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QFocusFrame", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QFocusFrame", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QFocusFrame", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QFocusFrame", /::setPos\s*\(/, "pos") -property_reader("QFocusFrame", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QFocusFrame", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QFocusFrame", /::setSize\s*\(/, "size") -property_reader("QFocusFrame", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QFocusFrame", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QFocusFrame", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QFocusFrame", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QFocusFrame", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QFocusFrame", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QFocusFrame", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QFocusFrame", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QFocusFrame", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QFocusFrame", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QFocusFrame", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QFocusFrame", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QFocusFrame", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QFocusFrame", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QFocusFrame", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QFocusFrame", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QFocusFrame", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QFocusFrame", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QFocusFrame", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QFocusFrame", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QFocusFrame", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QFocusFrame", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QFocusFrame", /::setBaseSize\s*\(/, "baseSize") -property_reader("QFocusFrame", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QFocusFrame", /::setPalette\s*\(/, "palette") -property_reader("QFocusFrame", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QFocusFrame", /::setFont\s*\(/, "font") -property_reader("QFocusFrame", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QFocusFrame", /::setCursor\s*\(/, "cursor") -property_reader("QFocusFrame", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QFocusFrame", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QFocusFrame", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QFocusFrame", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QFocusFrame", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QFocusFrame", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QFocusFrame", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QFocusFrame", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QFocusFrame", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QFocusFrame", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QFocusFrame", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QFocusFrame", /::setVisible\s*\(/, "visible") -property_reader("QFocusFrame", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QFocusFrame", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QFocusFrame", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QFocusFrame", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QFocusFrame", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QFocusFrame", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QFocusFrame", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QFocusFrame", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QFocusFrame", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QFocusFrame", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QFocusFrame", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QFocusFrame", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QFocusFrame", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QFocusFrame", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QFocusFrame", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QFocusFrame", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QFocusFrame", /::setWindowModified\s*\(/, "windowModified") -property_reader("QFocusFrame", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QFocusFrame", /::setToolTip\s*\(/, "toolTip") -property_reader("QFocusFrame", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QFocusFrame", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QFocusFrame", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QFocusFrame", /::setStatusTip\s*\(/, "statusTip") -property_reader("QFocusFrame", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QFocusFrame", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QFocusFrame", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QFocusFrame", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QFocusFrame", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QFocusFrame", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QFocusFrame", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QFocusFrame", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QFocusFrame", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QFocusFrame", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QFocusFrame", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QFocusFrame", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QFocusFrame", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QFocusFrame", /::setLocale\s*\(/, "locale") -property_reader("QFocusFrame", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QFocusFrame", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QFocusFrame", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QFocusFrame", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QFontComboBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFontComboBox", /::setObjectName\s*\(/, "objectName") -property_reader("QFontComboBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QFontComboBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QFontComboBox", /::setWindowModality\s*\(/, "windowModality") -property_reader("QFontComboBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QFontComboBox", /::setEnabled\s*\(/, "enabled") -property_reader("QFontComboBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QFontComboBox", /::setGeometry\s*\(/, "geometry") -property_reader("QFontComboBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QFontComboBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QFontComboBox", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QFontComboBox", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QFontComboBox", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QFontComboBox", /::setPos\s*\(/, "pos") -property_reader("QFontComboBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QFontComboBox", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QFontComboBox", /::setSize\s*\(/, "size") -property_reader("QFontComboBox", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QFontComboBox", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QFontComboBox", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QFontComboBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QFontComboBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QFontComboBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QFontComboBox", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QFontComboBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QFontComboBox", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QFontComboBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QFontComboBox", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QFontComboBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QFontComboBox", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QFontComboBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QFontComboBox", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QFontComboBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QFontComboBox", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QFontComboBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QFontComboBox", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QFontComboBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QFontComboBox", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QFontComboBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QFontComboBox", /::setBaseSize\s*\(/, "baseSize") -property_reader("QFontComboBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QFontComboBox", /::setPalette\s*\(/, "palette") -property_reader("QFontComboBox", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QFontComboBox", /::setFont\s*\(/, "font") -property_reader("QFontComboBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QFontComboBox", /::setCursor\s*\(/, "cursor") -property_reader("QFontComboBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QFontComboBox", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QFontComboBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QFontComboBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QFontComboBox", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QFontComboBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QFontComboBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QFontComboBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QFontComboBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QFontComboBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QFontComboBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QFontComboBox", /::setVisible\s*\(/, "visible") -property_reader("QFontComboBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QFontComboBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QFontComboBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QFontComboBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QFontComboBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QFontComboBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QFontComboBox", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QFontComboBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QFontComboBox", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QFontComboBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QFontComboBox", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QFontComboBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QFontComboBox", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QFontComboBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QFontComboBox", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QFontComboBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QFontComboBox", /::setWindowModified\s*\(/, "windowModified") -property_reader("QFontComboBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QFontComboBox", /::setToolTip\s*\(/, "toolTip") -property_reader("QFontComboBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QFontComboBox", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QFontComboBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QFontComboBox", /::setStatusTip\s*\(/, "statusTip") -property_reader("QFontComboBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QFontComboBox", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QFontComboBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QFontComboBox", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QFontComboBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QFontComboBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QFontComboBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QFontComboBox", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QFontComboBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QFontComboBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QFontComboBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QFontComboBox", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QFontComboBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QFontComboBox", /::setLocale\s*\(/, "locale") -property_reader("QFontComboBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QFontComboBox", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QFontComboBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QFontComboBox", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QFontComboBox", /::(editable|isEditable|hasEditable)\s*\(/, "editable") -property_writer("QFontComboBox", /::setEditable\s*\(/, "editable") -property_reader("QFontComboBox", /::(count|isCount|hasCount)\s*\(/, "count") -property_reader("QFontComboBox", /::(currentText|isCurrentText|hasCurrentText)\s*\(/, "currentText") -property_writer("QFontComboBox", /::setCurrentText\s*\(/, "currentText") -property_reader("QFontComboBox", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") -property_writer("QFontComboBox", /::setCurrentIndex\s*\(/, "currentIndex") -property_reader("QFontComboBox", /::(currentData|isCurrentData|hasCurrentData)\s*\(/, "currentData") -property_reader("QFontComboBox", /::(maxVisibleItems|isMaxVisibleItems|hasMaxVisibleItems)\s*\(/, "maxVisibleItems") -property_writer("QFontComboBox", /::setMaxVisibleItems\s*\(/, "maxVisibleItems") -property_reader("QFontComboBox", /::(maxCount|isMaxCount|hasMaxCount)\s*\(/, "maxCount") -property_writer("QFontComboBox", /::setMaxCount\s*\(/, "maxCount") -property_reader("QFontComboBox", /::(insertPolicy|isInsertPolicy|hasInsertPolicy)\s*\(/, "insertPolicy") -property_writer("QFontComboBox", /::setInsertPolicy\s*\(/, "insertPolicy") -property_reader("QFontComboBox", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QFontComboBox", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QFontComboBox", /::(minimumContentsLength|isMinimumContentsLength|hasMinimumContentsLength)\s*\(/, "minimumContentsLength") -property_writer("QFontComboBox", /::setMinimumContentsLength\s*\(/, "minimumContentsLength") -property_reader("QFontComboBox", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QFontComboBox", /::setIconSize\s*\(/, "iconSize") -property_reader("QFontComboBox", /::(autoCompletion|isAutoCompletion|hasAutoCompletion)\s*\(/, "autoCompletion") -property_writer("QFontComboBox", /::setAutoCompletion\s*\(/, "autoCompletion") -property_reader("QFontComboBox", /::(autoCompletionCaseSensitivity|isAutoCompletionCaseSensitivity|hasAutoCompletionCaseSensitivity)\s*\(/, "autoCompletionCaseSensitivity") -property_writer("QFontComboBox", /::setAutoCompletionCaseSensitivity\s*\(/, "autoCompletionCaseSensitivity") -property_reader("QFontComboBox", /::(duplicatesEnabled|isDuplicatesEnabled|hasDuplicatesEnabled)\s*\(/, "duplicatesEnabled") -property_writer("QFontComboBox", /::setDuplicatesEnabled\s*\(/, "duplicatesEnabled") -property_reader("QFontComboBox", /::(frame|isFrame|hasFrame)\s*\(/, "frame") -property_writer("QFontComboBox", /::setFrame\s*\(/, "frame") -property_reader("QFontComboBox", /::(modelColumn|isModelColumn|hasModelColumn)\s*\(/, "modelColumn") -property_writer("QFontComboBox", /::setModelColumn\s*\(/, "modelColumn") -property_reader("QFontComboBox", /::(writingSystem|isWritingSystem|hasWritingSystem)\s*\(/, "writingSystem") -property_writer("QFontComboBox", /::setWritingSystem\s*\(/, "writingSystem") -property_reader("QFontComboBox", /::(fontFilters|isFontFilters|hasFontFilters)\s*\(/, "fontFilters") -property_writer("QFontComboBox", /::setFontFilters\s*\(/, "fontFilters") -property_reader("QFontComboBox", /::(currentFont|isCurrentFont|hasCurrentFont)\s*\(/, "currentFont") -property_writer("QFontComboBox", /::setCurrentFont\s*\(/, "currentFont") -property_reader("QFontDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFontDialog", /::setObjectName\s*\(/, "objectName") -property_reader("QFontDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QFontDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QFontDialog", /::setWindowModality\s*\(/, "windowModality") -property_reader("QFontDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QFontDialog", /::setEnabled\s*\(/, "enabled") -property_reader("QFontDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QFontDialog", /::setGeometry\s*\(/, "geometry") -property_reader("QFontDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QFontDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QFontDialog", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QFontDialog", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QFontDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QFontDialog", /::setPos\s*\(/, "pos") -property_reader("QFontDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QFontDialog", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QFontDialog", /::setSize\s*\(/, "size") -property_reader("QFontDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QFontDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QFontDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QFontDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QFontDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QFontDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QFontDialog", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QFontDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QFontDialog", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QFontDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QFontDialog", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QFontDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QFontDialog", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QFontDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QFontDialog", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QFontDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QFontDialog", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QFontDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QFontDialog", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QFontDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QFontDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QFontDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QFontDialog", /::setBaseSize\s*\(/, "baseSize") -property_reader("QFontDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QFontDialog", /::setPalette\s*\(/, "palette") -property_reader("QFontDialog", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QFontDialog", /::setFont\s*\(/, "font") -property_reader("QFontDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QFontDialog", /::setCursor\s*\(/, "cursor") -property_reader("QFontDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QFontDialog", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QFontDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QFontDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QFontDialog", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QFontDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QFontDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QFontDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QFontDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QFontDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QFontDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QFontDialog", /::setVisible\s*\(/, "visible") -property_reader("QFontDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QFontDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QFontDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QFontDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QFontDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QFontDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QFontDialog", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QFontDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QFontDialog", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QFontDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QFontDialog", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QFontDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QFontDialog", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QFontDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QFontDialog", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QFontDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QFontDialog", /::setWindowModified\s*\(/, "windowModified") -property_reader("QFontDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QFontDialog", /::setToolTip\s*\(/, "toolTip") -property_reader("QFontDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QFontDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QFontDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QFontDialog", /::setStatusTip\s*\(/, "statusTip") -property_reader("QFontDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QFontDialog", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QFontDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QFontDialog", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QFontDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QFontDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QFontDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QFontDialog", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QFontDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QFontDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QFontDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QFontDialog", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QFontDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QFontDialog", /::setLocale\s*\(/, "locale") -property_reader("QFontDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QFontDialog", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QFontDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QFontDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QFontDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QFontDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QFontDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QFontDialog", /::setModal\s*\(/, "modal") -property_reader("QFontDialog", /::(currentFont|isCurrentFont|hasCurrentFont)\s*\(/, "currentFont") -property_writer("QFontDialog", /::setCurrentFont\s*\(/, "currentFont") -property_reader("QFontDialog", /::(options|isOptions|hasOptions)\s*\(/, "options") -property_writer("QFontDialog", /::setOptions\s*\(/, "options") -property_reader("QFormLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFormLayout", /::setObjectName\s*\(/, "objectName") -property_reader("QFormLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") -property_writer("QFormLayout", /::setMargin\s*\(/, "margin") -property_reader("QFormLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QFormLayout", /::setSpacing\s*\(/, "spacing") -property_reader("QFormLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") -property_writer("QFormLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") -property_reader("QFormLayout", /::(fieldGrowthPolicy|isFieldGrowthPolicy|hasFieldGrowthPolicy)\s*\(/, "fieldGrowthPolicy") -property_writer("QFormLayout", /::setFieldGrowthPolicy\s*\(/, "fieldGrowthPolicy") -property_reader("QFormLayout", /::(rowWrapPolicy|isRowWrapPolicy|hasRowWrapPolicy)\s*\(/, "rowWrapPolicy") -property_writer("QFormLayout", /::setRowWrapPolicy\s*\(/, "rowWrapPolicy") -property_reader("QFormLayout", /::(labelAlignment|isLabelAlignment|hasLabelAlignment)\s*\(/, "labelAlignment") -property_writer("QFormLayout", /::setLabelAlignment\s*\(/, "labelAlignment") -property_reader("QFormLayout", /::(formAlignment|isFormAlignment|hasFormAlignment)\s*\(/, "formAlignment") -property_writer("QFormLayout", /::setFormAlignment\s*\(/, "formAlignment") -property_reader("QFormLayout", /::(horizontalSpacing|isHorizontalSpacing|hasHorizontalSpacing)\s*\(/, "horizontalSpacing") -property_writer("QFormLayout", /::setHorizontalSpacing\s*\(/, "horizontalSpacing") -property_reader("QFormLayout", /::(verticalSpacing|isVerticalSpacing|hasVerticalSpacing)\s*\(/, "verticalSpacing") -property_writer("QFormLayout", /::setVerticalSpacing\s*\(/, "verticalSpacing") -property_reader("QFrame", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QFrame", /::setObjectName\s*\(/, "objectName") -property_reader("QFrame", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QFrame", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QFrame", /::setWindowModality\s*\(/, "windowModality") -property_reader("QFrame", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QFrame", /::setEnabled\s*\(/, "enabled") -property_reader("QFrame", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QFrame", /::setGeometry\s*\(/, "geometry") -property_reader("QFrame", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QFrame", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QFrame", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QFrame", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QFrame", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QFrame", /::setPos\s*\(/, "pos") -property_reader("QFrame", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QFrame", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QFrame", /::setSize\s*\(/, "size") -property_reader("QFrame", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QFrame", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QFrame", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QFrame", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QFrame", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QFrame", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QFrame", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QFrame", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QFrame", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QFrame", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QFrame", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QFrame", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QFrame", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QFrame", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QFrame", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QFrame", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QFrame", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QFrame", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QFrame", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QFrame", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QFrame", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QFrame", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QFrame", /::setBaseSize\s*\(/, "baseSize") -property_reader("QFrame", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QFrame", /::setPalette\s*\(/, "palette") -property_reader("QFrame", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QFrame", /::setFont\s*\(/, "font") -property_reader("QFrame", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QFrame", /::setCursor\s*\(/, "cursor") -property_reader("QFrame", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QFrame", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QFrame", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QFrame", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QFrame", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QFrame", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QFrame", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QFrame", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QFrame", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QFrame", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QFrame", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QFrame", /::setVisible\s*\(/, "visible") -property_reader("QFrame", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QFrame", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QFrame", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QFrame", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QFrame", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QFrame", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QFrame", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QFrame", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QFrame", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QFrame", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QFrame", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QFrame", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QFrame", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QFrame", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QFrame", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QFrame", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QFrame", /::setWindowModified\s*\(/, "windowModified") -property_reader("QFrame", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QFrame", /::setToolTip\s*\(/, "toolTip") -property_reader("QFrame", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QFrame", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QFrame", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QFrame", /::setStatusTip\s*\(/, "statusTip") -property_reader("QFrame", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QFrame", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QFrame", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QFrame", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QFrame", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QFrame", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QFrame", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QFrame", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QFrame", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QFrame", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QFrame", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QFrame", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QFrame", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QFrame", /::setLocale\s*\(/, "locale") -property_reader("QFrame", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QFrame", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QFrame", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QFrame", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QFrame", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QFrame", /::setFrameShape\s*\(/, "frameShape") -property_reader("QFrame", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QFrame", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QFrame", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QFrame", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QFrame", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QFrame", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QFrame", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QFrame", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QFrame", /::setFrameRect\s*\(/, "frameRect") -property_reader("QGenericPlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGenericPlugin", /::setObjectName\s*\(/, "objectName") -property_reader("QGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGesture", /::setObjectName\s*\(/, "objectName") -property_reader("QGesture", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") -property_reader("QGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") -property_writer("QGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") -property_reader("QGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") -property_writer("QGesture", /::setHotSpot\s*\(/, "hotSpot") -property_reader("QGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") -property_reader("QGraphicsAnchor", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsAnchor", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsAnchor", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QGraphicsAnchor", /::setSpacing\s*\(/, "spacing") -property_reader("QGraphicsAnchor", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QGraphicsAnchor", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QGraphicsBlurEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsBlurEffect", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsBlurEffect", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsBlurEffect", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsBlurEffect", /::(blurRadius|isBlurRadius|hasBlurRadius)\s*\(/, "blurRadius") -property_writer("QGraphicsBlurEffect", /::setBlurRadius\s*\(/, "blurRadius") -property_reader("QGraphicsBlurEffect", /::(blurHints|isBlurHints|hasBlurHints)\s*\(/, "blurHints") -property_writer("QGraphicsBlurEffect", /::setBlurHints\s*\(/, "blurHints") -property_reader("QGraphicsColorizeEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsColorizeEffect", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsColorizeEffect", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsColorizeEffect", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsColorizeEffect", /::(color|isColor|hasColor)\s*\(/, "color") -property_writer("QGraphicsColorizeEffect", /::setColor\s*\(/, "color") -property_reader("QGraphicsColorizeEffect", /::(strength|isStrength|hasStrength)\s*\(/, "strength") -property_writer("QGraphicsColorizeEffect", /::setStrength\s*\(/, "strength") -property_reader("QGraphicsDropShadowEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsDropShadowEffect", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsDropShadowEffect", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsDropShadowEffect", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsDropShadowEffect", /::(offset|isOffset|hasOffset)\s*\(/, "offset") -property_writer("QGraphicsDropShadowEffect", /::setOffset\s*\(/, "offset") -property_reader("QGraphicsDropShadowEffect", /::(xOffset|isXOffset|hasXOffset)\s*\(/, "xOffset") -property_writer("QGraphicsDropShadowEffect", /::setXOffset\s*\(/, "xOffset") -property_reader("QGraphicsDropShadowEffect", /::(yOffset|isYOffset|hasYOffset)\s*\(/, "yOffset") -property_writer("QGraphicsDropShadowEffect", /::setYOffset\s*\(/, "yOffset") -property_reader("QGraphicsDropShadowEffect", /::(blurRadius|isBlurRadius|hasBlurRadius)\s*\(/, "blurRadius") -property_writer("QGraphicsDropShadowEffect", /::setBlurRadius\s*\(/, "blurRadius") -property_reader("QGraphicsDropShadowEffect", /::(color|isColor|hasColor)\s*\(/, "color") -property_writer("QGraphicsDropShadowEffect", /::setColor\s*\(/, "color") -property_reader("QGraphicsEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsEffect", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsEffect", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsEffect", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsItemAnimation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsItemAnimation", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsObject", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsObject", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsObject", /::(parent|isParent|hasParent)\s*\(/, "parent") -property_writer("QGraphicsObject", /::setParent\s*\(/, "parent") -property_reader("QGraphicsObject", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") -property_writer("QGraphicsObject", /::setOpacity\s*\(/, "opacity") -property_reader("QGraphicsObject", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsObject", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsObject", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QGraphicsObject", /::setVisible\s*\(/, "visible") -property_reader("QGraphicsObject", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QGraphicsObject", /::setPos\s*\(/, "pos") -property_reader("QGraphicsObject", /::(x|isX|hasX)\s*\(/, "x") -property_writer("QGraphicsObject", /::setX\s*\(/, "x") -property_reader("QGraphicsObject", /::(y|isY|hasY)\s*\(/, "y") -property_writer("QGraphicsObject", /::setY\s*\(/, "y") -property_reader("QGraphicsObject", /::(z|isZ|hasZ)\s*\(/, "z") -property_writer("QGraphicsObject", /::setZ\s*\(/, "z") -property_reader("QGraphicsObject", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") -property_writer("QGraphicsObject", /::setRotation\s*\(/, "rotation") -property_reader("QGraphicsObject", /::(scale|isScale|hasScale)\s*\(/, "scale") -property_writer("QGraphicsObject", /::setScale\s*\(/, "scale") -property_reader("QGraphicsObject", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") -property_writer("QGraphicsObject", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") -property_reader("QGraphicsObject", /::(effect|isEffect|hasEffect)\s*\(/, "effect") -property_writer("QGraphicsObject", /::setEffect\s*\(/, "effect") -property_reader("QGraphicsObject", /::(children|isChildren|hasChildren)\s*\(/, "children") -property_reader("QGraphicsObject", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_writer("QGraphicsObject", /::setWidth\s*\(/, "width") -property_reader("QGraphicsObject", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_writer("QGraphicsObject", /::setHeight\s*\(/, "height") -property_reader("QGraphicsOpacityEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsOpacityEffect", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsOpacityEffect", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsOpacityEffect", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsOpacityEffect", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") -property_writer("QGraphicsOpacityEffect", /::setOpacity\s*\(/, "opacity") -property_reader("QGraphicsOpacityEffect", /::(opacityMask|isOpacityMask|hasOpacityMask)\s*\(/, "opacityMask") -property_writer("QGraphicsOpacityEffect", /::setOpacityMask\s*\(/, "opacityMask") -property_reader("QGraphicsProxyWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsProxyWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsProxyWidget", /::(parent|isParent|hasParent)\s*\(/, "parent") -property_writer("QGraphicsProxyWidget", /::setParent\s*\(/, "parent") -property_reader("QGraphicsProxyWidget", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") -property_writer("QGraphicsProxyWidget", /::setOpacity\s*\(/, "opacity") -property_reader("QGraphicsProxyWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsProxyWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsProxyWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QGraphicsProxyWidget", /::setVisible\s*\(/, "visible") -property_reader("QGraphicsProxyWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QGraphicsProxyWidget", /::setPos\s*\(/, "pos") -property_reader("QGraphicsProxyWidget", /::(x|isX|hasX)\s*\(/, "x") -property_writer("QGraphicsProxyWidget", /::setX\s*\(/, "x") -property_reader("QGraphicsProxyWidget", /::(y|isY|hasY)\s*\(/, "y") -property_writer("QGraphicsProxyWidget", /::setY\s*\(/, "y") -property_reader("QGraphicsProxyWidget", /::(z|isZ|hasZ)\s*\(/, "z") -property_writer("QGraphicsProxyWidget", /::setZ\s*\(/, "z") -property_reader("QGraphicsProxyWidget", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") -property_writer("QGraphicsProxyWidget", /::setRotation\s*\(/, "rotation") -property_reader("QGraphicsProxyWidget", /::(scale|isScale|hasScale)\s*\(/, "scale") -property_writer("QGraphicsProxyWidget", /::setScale\s*\(/, "scale") -property_reader("QGraphicsProxyWidget", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") -property_writer("QGraphicsProxyWidget", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") -property_reader("QGraphicsProxyWidget", /::(effect|isEffect|hasEffect)\s*\(/, "effect") -property_writer("QGraphicsProxyWidget", /::setEffect\s*\(/, "effect") -property_reader("QGraphicsProxyWidget", /::(children|isChildren|hasChildren)\s*\(/, "children") -property_reader("QGraphicsProxyWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_writer("QGraphicsProxyWidget", /::setWidth\s*\(/, "width") -property_reader("QGraphicsProxyWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_writer("QGraphicsProxyWidget", /::setHeight\s*\(/, "height") -property_reader("QGraphicsProxyWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QGraphicsProxyWidget", /::setPalette\s*\(/, "palette") -property_reader("QGraphicsProxyWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QGraphicsProxyWidget", /::setFont\s*\(/, "font") -property_reader("QGraphicsProxyWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QGraphicsProxyWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QGraphicsProxyWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QGraphicsProxyWidget", /::setSize\s*\(/, "size") -property_reader("QGraphicsProxyWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QGraphicsProxyWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QGraphicsProxyWidget", /::(preferredSize|isPreferredSize|hasPreferredSize)\s*\(/, "preferredSize") -property_writer("QGraphicsProxyWidget", /::setPreferredSize\s*\(/, "preferredSize") -property_reader("QGraphicsProxyWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QGraphicsProxyWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QGraphicsProxyWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QGraphicsProxyWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QGraphicsProxyWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QGraphicsProxyWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QGraphicsProxyWidget", /::(windowFlags|isWindowFlags|hasWindowFlags)\s*\(/, "windowFlags") -property_writer("QGraphicsProxyWidget", /::setWindowFlags\s*\(/, "windowFlags") -property_reader("QGraphicsProxyWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QGraphicsProxyWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QGraphicsProxyWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QGraphicsProxyWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QGraphicsProxyWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QGraphicsProxyWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QGraphicsProxyWidget", /::(layout|isLayout|hasLayout)\s*\(/, "layout") -property_writer("QGraphicsProxyWidget", /::setLayout\s*\(/, "layout") -property_reader("QGraphicsRotation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsRotation", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsRotation", /::(origin|isOrigin|hasOrigin)\s*\(/, "origin") -property_writer("QGraphicsRotation", /::setOrigin\s*\(/, "origin") -property_reader("QGraphicsRotation", /::(angle|isAngle|hasAngle)\s*\(/, "angle") -property_writer("QGraphicsRotation", /::setAngle\s*\(/, "angle") -property_reader("QGraphicsRotation", /::(axis|isAxis|hasAxis)\s*\(/, "axis") -property_writer("QGraphicsRotation", /::setAxis\s*\(/, "axis") -property_reader("QGraphicsScale", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsScale", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsScale", /::(origin|isOrigin|hasOrigin)\s*\(/, "origin") -property_writer("QGraphicsScale", /::setOrigin\s*\(/, "origin") -property_reader("QGraphicsScale", /::(xScale|isXScale|hasXScale)\s*\(/, "xScale") -property_writer("QGraphicsScale", /::setXScale\s*\(/, "xScale") -property_reader("QGraphicsScale", /::(yScale|isYScale|hasYScale)\s*\(/, "yScale") -property_writer("QGraphicsScale", /::setYScale\s*\(/, "yScale") -property_reader("QGraphicsScale", /::(zScale|isZScale|hasZScale)\s*\(/, "zScale") -property_writer("QGraphicsScale", /::setZScale\s*\(/, "zScale") -property_reader("QGraphicsScene", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsScene", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsScene", /::(backgroundBrush|isBackgroundBrush|hasBackgroundBrush)\s*\(/, "backgroundBrush") -property_writer("QGraphicsScene", /::setBackgroundBrush\s*\(/, "backgroundBrush") -property_reader("QGraphicsScene", /::(foregroundBrush|isForegroundBrush|hasForegroundBrush)\s*\(/, "foregroundBrush") -property_writer("QGraphicsScene", /::setForegroundBrush\s*\(/, "foregroundBrush") -property_reader("QGraphicsScene", /::(itemIndexMethod|isItemIndexMethod|hasItemIndexMethod)\s*\(/, "itemIndexMethod") -property_writer("QGraphicsScene", /::setItemIndexMethod\s*\(/, "itemIndexMethod") -property_reader("QGraphicsScene", /::(sceneRect|isSceneRect|hasSceneRect)\s*\(/, "sceneRect") -property_writer("QGraphicsScene", /::setSceneRect\s*\(/, "sceneRect") -property_reader("QGraphicsScene", /::(bspTreeDepth|isBspTreeDepth|hasBspTreeDepth)\s*\(/, "bspTreeDepth") -property_writer("QGraphicsScene", /::setBspTreeDepth\s*\(/, "bspTreeDepth") -property_reader("QGraphicsScene", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QGraphicsScene", /::setPalette\s*\(/, "palette") -property_reader("QGraphicsScene", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QGraphicsScene", /::setFont\s*\(/, "font") -property_reader("QGraphicsScene", /::(sortCacheEnabled|isSortCacheEnabled|hasSortCacheEnabled)\s*\(/, "sortCacheEnabled") -property_writer("QGraphicsScene", /::setSortCacheEnabled\s*\(/, "sortCacheEnabled") -property_reader("QGraphicsScene", /::(stickyFocus|isStickyFocus|hasStickyFocus)\s*\(/, "stickyFocus") -property_writer("QGraphicsScene", /::setStickyFocus\s*\(/, "stickyFocus") -property_reader("QGraphicsScene", /::(minimumRenderSize|isMinimumRenderSize|hasMinimumRenderSize)\s*\(/, "minimumRenderSize") -property_writer("QGraphicsScene", /::setMinimumRenderSize\s*\(/, "minimumRenderSize") -property_reader("QGraphicsSvgItem", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsSvgItem", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsSvgItem", /::(parent|isParent|hasParent)\s*\(/, "parent") -property_writer("QGraphicsSvgItem", /::setParent\s*\(/, "parent") -property_reader("QGraphicsSvgItem", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") -property_writer("QGraphicsSvgItem", /::setOpacity\s*\(/, "opacity") -property_reader("QGraphicsSvgItem", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsSvgItem", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsSvgItem", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QGraphicsSvgItem", /::setVisible\s*\(/, "visible") -property_reader("QGraphicsSvgItem", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QGraphicsSvgItem", /::setPos\s*\(/, "pos") -property_reader("QGraphicsSvgItem", /::(x|isX|hasX)\s*\(/, "x") -property_writer("QGraphicsSvgItem", /::setX\s*\(/, "x") -property_reader("QGraphicsSvgItem", /::(y|isY|hasY)\s*\(/, "y") -property_writer("QGraphicsSvgItem", /::setY\s*\(/, "y") -property_reader("QGraphicsSvgItem", /::(z|isZ|hasZ)\s*\(/, "z") -property_writer("QGraphicsSvgItem", /::setZ\s*\(/, "z") -property_reader("QGraphicsSvgItem", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") -property_writer("QGraphicsSvgItem", /::setRotation\s*\(/, "rotation") -property_reader("QGraphicsSvgItem", /::(scale|isScale|hasScale)\s*\(/, "scale") -property_writer("QGraphicsSvgItem", /::setScale\s*\(/, "scale") -property_reader("QGraphicsSvgItem", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") -property_writer("QGraphicsSvgItem", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") -property_reader("QGraphicsSvgItem", /::(effect|isEffect|hasEffect)\s*\(/, "effect") -property_writer("QGraphicsSvgItem", /::setEffect\s*\(/, "effect") -property_reader("QGraphicsSvgItem", /::(children|isChildren|hasChildren)\s*\(/, "children") -property_reader("QGraphicsSvgItem", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_writer("QGraphicsSvgItem", /::setWidth\s*\(/, "width") -property_reader("QGraphicsSvgItem", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_writer("QGraphicsSvgItem", /::setHeight\s*\(/, "height") -property_reader("QGraphicsSvgItem", /::(elementId|isElementId|hasElementId)\s*\(/, "elementId") -property_writer("QGraphicsSvgItem", /::setElementId\s*\(/, "elementId") -property_reader("QGraphicsSvgItem", /::(maximumCacheSize|isMaximumCacheSize|hasMaximumCacheSize)\s*\(/, "maximumCacheSize") -property_writer("QGraphicsSvgItem", /::setMaximumCacheSize\s*\(/, "maximumCacheSize") -property_reader("QGraphicsTextItem", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsTextItem", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsTextItem", /::(parent|isParent|hasParent)\s*\(/, "parent") -property_writer("QGraphicsTextItem", /::setParent\s*\(/, "parent") -property_reader("QGraphicsTextItem", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") -property_writer("QGraphicsTextItem", /::setOpacity\s*\(/, "opacity") -property_reader("QGraphicsTextItem", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsTextItem", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsTextItem", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QGraphicsTextItem", /::setVisible\s*\(/, "visible") -property_reader("QGraphicsTextItem", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QGraphicsTextItem", /::setPos\s*\(/, "pos") -property_reader("QGraphicsTextItem", /::(x|isX|hasX)\s*\(/, "x") -property_writer("QGraphicsTextItem", /::setX\s*\(/, "x") -property_reader("QGraphicsTextItem", /::(y|isY|hasY)\s*\(/, "y") -property_writer("QGraphicsTextItem", /::setY\s*\(/, "y") -property_reader("QGraphicsTextItem", /::(z|isZ|hasZ)\s*\(/, "z") -property_writer("QGraphicsTextItem", /::setZ\s*\(/, "z") -property_reader("QGraphicsTextItem", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") -property_writer("QGraphicsTextItem", /::setRotation\s*\(/, "rotation") -property_reader("QGraphicsTextItem", /::(scale|isScale|hasScale)\s*\(/, "scale") -property_writer("QGraphicsTextItem", /::setScale\s*\(/, "scale") -property_reader("QGraphicsTextItem", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") -property_writer("QGraphicsTextItem", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") -property_reader("QGraphicsTextItem", /::(effect|isEffect|hasEffect)\s*\(/, "effect") -property_writer("QGraphicsTextItem", /::setEffect\s*\(/, "effect") -property_reader("QGraphicsTextItem", /::(children|isChildren|hasChildren)\s*\(/, "children") -property_reader("QGraphicsTextItem", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_writer("QGraphicsTextItem", /::setWidth\s*\(/, "width") -property_reader("QGraphicsTextItem", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_writer("QGraphicsTextItem", /::setHeight\s*\(/, "height") -property_reader("QGraphicsTransform", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsTransform", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsVideoItem", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsVideoItem", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsVideoItem", /::(parent|isParent|hasParent)\s*\(/, "parent") -property_writer("QGraphicsVideoItem", /::setParent\s*\(/, "parent") -property_reader("QGraphicsVideoItem", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") -property_writer("QGraphicsVideoItem", /::setOpacity\s*\(/, "opacity") -property_reader("QGraphicsVideoItem", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsVideoItem", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsVideoItem", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QGraphicsVideoItem", /::setVisible\s*\(/, "visible") -property_reader("QGraphicsVideoItem", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QGraphicsVideoItem", /::setPos\s*\(/, "pos") -property_reader("QGraphicsVideoItem", /::(x|isX|hasX)\s*\(/, "x") -property_writer("QGraphicsVideoItem", /::setX\s*\(/, "x") -property_reader("QGraphicsVideoItem", /::(y|isY|hasY)\s*\(/, "y") -property_writer("QGraphicsVideoItem", /::setY\s*\(/, "y") -property_reader("QGraphicsVideoItem", /::(z|isZ|hasZ)\s*\(/, "z") -property_writer("QGraphicsVideoItem", /::setZ\s*\(/, "z") -property_reader("QGraphicsVideoItem", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") -property_writer("QGraphicsVideoItem", /::setRotation\s*\(/, "rotation") -property_reader("QGraphicsVideoItem", /::(scale|isScale|hasScale)\s*\(/, "scale") -property_writer("QGraphicsVideoItem", /::setScale\s*\(/, "scale") -property_reader("QGraphicsVideoItem", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") -property_writer("QGraphicsVideoItem", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") -property_reader("QGraphicsVideoItem", /::(effect|isEffect|hasEffect)\s*\(/, "effect") -property_writer("QGraphicsVideoItem", /::setEffect\s*\(/, "effect") -property_reader("QGraphicsVideoItem", /::(children|isChildren|hasChildren)\s*\(/, "children") -property_reader("QGraphicsVideoItem", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_writer("QGraphicsVideoItem", /::setWidth\s*\(/, "width") -property_reader("QGraphicsVideoItem", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_writer("QGraphicsVideoItem", /::setHeight\s*\(/, "height") -property_reader("QGraphicsVideoItem", /::(mediaObject|isMediaObject|hasMediaObject)\s*\(/, "mediaObject") -property_writer("QGraphicsVideoItem", /::setMediaObject\s*\(/, "mediaObject") -property_reader("QGraphicsVideoItem", /::(aspectRatioMode|isAspectRatioMode|hasAspectRatioMode)\s*\(/, "aspectRatioMode") -property_writer("QGraphicsVideoItem", /::setAspectRatioMode\s*\(/, "aspectRatioMode") -property_reader("QGraphicsVideoItem", /::(offset|isOffset|hasOffset)\s*\(/, "offset") -property_writer("QGraphicsVideoItem", /::setOffset\s*\(/, "offset") -property_reader("QGraphicsVideoItem", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QGraphicsVideoItem", /::setSize\s*\(/, "size") -property_reader("QGraphicsVideoItem", /::(nativeSize|isNativeSize|hasNativeSize)\s*\(/, "nativeSize") -property_reader("QGraphicsView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsView", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsView", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QGraphicsView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QGraphicsView", /::setWindowModality\s*\(/, "windowModality") -property_reader("QGraphicsView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsView", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QGraphicsView", /::setGeometry\s*\(/, "geometry") -property_reader("QGraphicsView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QGraphicsView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QGraphicsView", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QGraphicsView", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QGraphicsView", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QGraphicsView", /::setPos\s*\(/, "pos") -property_reader("QGraphicsView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QGraphicsView", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QGraphicsView", /::setSize\s*\(/, "size") -property_reader("QGraphicsView", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QGraphicsView", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QGraphicsView", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QGraphicsView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QGraphicsView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QGraphicsView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QGraphicsView", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QGraphicsView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QGraphicsView", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QGraphicsView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QGraphicsView", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QGraphicsView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QGraphicsView", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QGraphicsView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QGraphicsView", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QGraphicsView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QGraphicsView", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QGraphicsView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QGraphicsView", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QGraphicsView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QGraphicsView", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QGraphicsView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QGraphicsView", /::setBaseSize\s*\(/, "baseSize") -property_reader("QGraphicsView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QGraphicsView", /::setPalette\s*\(/, "palette") -property_reader("QGraphicsView", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QGraphicsView", /::setFont\s*\(/, "font") -property_reader("QGraphicsView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QGraphicsView", /::setCursor\s*\(/, "cursor") -property_reader("QGraphicsView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QGraphicsView", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QGraphicsView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QGraphicsView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QGraphicsView", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QGraphicsView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QGraphicsView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QGraphicsView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QGraphicsView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QGraphicsView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QGraphicsView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QGraphicsView", /::setVisible\s*\(/, "visible") -property_reader("QGraphicsView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QGraphicsView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QGraphicsView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QGraphicsView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QGraphicsView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QGraphicsView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QGraphicsView", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QGraphicsView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QGraphicsView", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QGraphicsView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QGraphicsView", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QGraphicsView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QGraphicsView", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QGraphicsView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QGraphicsView", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QGraphicsView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QGraphicsView", /::setWindowModified\s*\(/, "windowModified") -property_reader("QGraphicsView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QGraphicsView", /::setToolTip\s*\(/, "toolTip") -property_reader("QGraphicsView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QGraphicsView", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QGraphicsView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QGraphicsView", /::setStatusTip\s*\(/, "statusTip") -property_reader("QGraphicsView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QGraphicsView", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QGraphicsView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QGraphicsView", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QGraphicsView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QGraphicsView", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QGraphicsView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QGraphicsView", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QGraphicsView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QGraphicsView", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QGraphicsView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QGraphicsView", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QGraphicsView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QGraphicsView", /::setLocale\s*\(/, "locale") -property_reader("QGraphicsView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QGraphicsView", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QGraphicsView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QGraphicsView", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QGraphicsView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QGraphicsView", /::setFrameShape\s*\(/, "frameShape") -property_reader("QGraphicsView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QGraphicsView", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QGraphicsView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QGraphicsView", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QGraphicsView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QGraphicsView", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QGraphicsView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QGraphicsView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QGraphicsView", /::setFrameRect\s*\(/, "frameRect") -property_reader("QGraphicsView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QGraphicsView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QGraphicsView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QGraphicsView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QGraphicsView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QGraphicsView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QGraphicsView", /::(backgroundBrush|isBackgroundBrush|hasBackgroundBrush)\s*\(/, "backgroundBrush") -property_writer("QGraphicsView", /::setBackgroundBrush\s*\(/, "backgroundBrush") -property_reader("QGraphicsView", /::(foregroundBrush|isForegroundBrush|hasForegroundBrush)\s*\(/, "foregroundBrush") -property_writer("QGraphicsView", /::setForegroundBrush\s*\(/, "foregroundBrush") -property_reader("QGraphicsView", /::(interactive|isInteractive|hasInteractive)\s*\(/, "interactive") -property_writer("QGraphicsView", /::setInteractive\s*\(/, "interactive") -property_reader("QGraphicsView", /::(sceneRect|isSceneRect|hasSceneRect)\s*\(/, "sceneRect") -property_writer("QGraphicsView", /::setSceneRect\s*\(/, "sceneRect") -property_reader("QGraphicsView", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QGraphicsView", /::setAlignment\s*\(/, "alignment") -property_reader("QGraphicsView", /::(renderHints|isRenderHints|hasRenderHints)\s*\(/, "renderHints") -property_writer("QGraphicsView", /::setRenderHints\s*\(/, "renderHints") -property_reader("QGraphicsView", /::(dragMode|isDragMode|hasDragMode)\s*\(/, "dragMode") -property_writer("QGraphicsView", /::setDragMode\s*\(/, "dragMode") -property_reader("QGraphicsView", /::(cacheMode|isCacheMode|hasCacheMode)\s*\(/, "cacheMode") -property_writer("QGraphicsView", /::setCacheMode\s*\(/, "cacheMode") -property_reader("QGraphicsView", /::(transformationAnchor|isTransformationAnchor|hasTransformationAnchor)\s*\(/, "transformationAnchor") -property_writer("QGraphicsView", /::setTransformationAnchor\s*\(/, "transformationAnchor") -property_reader("QGraphicsView", /::(resizeAnchor|isResizeAnchor|hasResizeAnchor)\s*\(/, "resizeAnchor") -property_writer("QGraphicsView", /::setResizeAnchor\s*\(/, "resizeAnchor") -property_reader("QGraphicsView", /::(viewportUpdateMode|isViewportUpdateMode|hasViewportUpdateMode)\s*\(/, "viewportUpdateMode") -property_writer("QGraphicsView", /::setViewportUpdateMode\s*\(/, "viewportUpdateMode") -property_reader("QGraphicsView", /::(rubberBandSelectionMode|isRubberBandSelectionMode|hasRubberBandSelectionMode)\s*\(/, "rubberBandSelectionMode") -property_writer("QGraphicsView", /::setRubberBandSelectionMode\s*\(/, "rubberBandSelectionMode") -property_reader("QGraphicsView", /::(optimizationFlags|isOptimizationFlags|hasOptimizationFlags)\s*\(/, "optimizationFlags") -property_writer("QGraphicsView", /::setOptimizationFlags\s*\(/, "optimizationFlags") -property_reader("QGraphicsWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGraphicsWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QGraphicsWidget", /::(parent|isParent|hasParent)\s*\(/, "parent") -property_writer("QGraphicsWidget", /::setParent\s*\(/, "parent") -property_reader("QGraphicsWidget", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") -property_writer("QGraphicsWidget", /::setOpacity\s*\(/, "opacity") -property_reader("QGraphicsWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGraphicsWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QGraphicsWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QGraphicsWidget", /::setVisible\s*\(/, "visible") -property_reader("QGraphicsWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QGraphicsWidget", /::setPos\s*\(/, "pos") -property_reader("QGraphicsWidget", /::(x|isX|hasX)\s*\(/, "x") -property_writer("QGraphicsWidget", /::setX\s*\(/, "x") -property_reader("QGraphicsWidget", /::(y|isY|hasY)\s*\(/, "y") -property_writer("QGraphicsWidget", /::setY\s*\(/, "y") -property_reader("QGraphicsWidget", /::(z|isZ|hasZ)\s*\(/, "z") -property_writer("QGraphicsWidget", /::setZ\s*\(/, "z") -property_reader("QGraphicsWidget", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") -property_writer("QGraphicsWidget", /::setRotation\s*\(/, "rotation") -property_reader("QGraphicsWidget", /::(scale|isScale|hasScale)\s*\(/, "scale") -property_writer("QGraphicsWidget", /::setScale\s*\(/, "scale") -property_reader("QGraphicsWidget", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") -property_writer("QGraphicsWidget", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") -property_reader("QGraphicsWidget", /::(effect|isEffect|hasEffect)\s*\(/, "effect") -property_writer("QGraphicsWidget", /::setEffect\s*\(/, "effect") -property_reader("QGraphicsWidget", /::(children|isChildren|hasChildren)\s*\(/, "children") -property_reader("QGraphicsWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_writer("QGraphicsWidget", /::setWidth\s*\(/, "width") -property_reader("QGraphicsWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_writer("QGraphicsWidget", /::setHeight\s*\(/, "height") -property_reader("QGraphicsWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QGraphicsWidget", /::setPalette\s*\(/, "palette") -property_reader("QGraphicsWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QGraphicsWidget", /::setFont\s*\(/, "font") -property_reader("QGraphicsWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QGraphicsWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QGraphicsWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QGraphicsWidget", /::setSize\s*\(/, "size") -property_reader("QGraphicsWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QGraphicsWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QGraphicsWidget", /::(preferredSize|isPreferredSize|hasPreferredSize)\s*\(/, "preferredSize") -property_writer("QGraphicsWidget", /::setPreferredSize\s*\(/, "preferredSize") -property_reader("QGraphicsWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QGraphicsWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QGraphicsWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QGraphicsWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QGraphicsWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QGraphicsWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QGraphicsWidget", /::(windowFlags|isWindowFlags|hasWindowFlags)\s*\(/, "windowFlags") -property_writer("QGraphicsWidget", /::setWindowFlags\s*\(/, "windowFlags") -property_reader("QGraphicsWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QGraphicsWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QGraphicsWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QGraphicsWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QGraphicsWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QGraphicsWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QGraphicsWidget", /::(layout|isLayout|hasLayout)\s*\(/, "layout") -property_writer("QGraphicsWidget", /::setLayout\s*\(/, "layout") -property_reader("QGridLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGridLayout", /::setObjectName\s*\(/, "objectName") -property_reader("QGridLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") -property_writer("QGridLayout", /::setMargin\s*\(/, "margin") -property_reader("QGridLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QGridLayout", /::setSpacing\s*\(/, "spacing") -property_reader("QGridLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") -property_writer("QGridLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") -property_reader("QGroupBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGroupBox", /::setObjectName\s*\(/, "objectName") -property_reader("QGroupBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QGroupBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QGroupBox", /::setWindowModality\s*\(/, "windowModality") -property_reader("QGroupBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QGroupBox", /::setEnabled\s*\(/, "enabled") -property_reader("QGroupBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QGroupBox", /::setGeometry\s*\(/, "geometry") -property_reader("QGroupBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QGroupBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QGroupBox", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QGroupBox", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QGroupBox", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QGroupBox", /::setPos\s*\(/, "pos") -property_reader("QGroupBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QGroupBox", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QGroupBox", /::setSize\s*\(/, "size") -property_reader("QGroupBox", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QGroupBox", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QGroupBox", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QGroupBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QGroupBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QGroupBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QGroupBox", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QGroupBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QGroupBox", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QGroupBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QGroupBox", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QGroupBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QGroupBox", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QGroupBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QGroupBox", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QGroupBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QGroupBox", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QGroupBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QGroupBox", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QGroupBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QGroupBox", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QGroupBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QGroupBox", /::setBaseSize\s*\(/, "baseSize") -property_reader("QGroupBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QGroupBox", /::setPalette\s*\(/, "palette") -property_reader("QGroupBox", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QGroupBox", /::setFont\s*\(/, "font") -property_reader("QGroupBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QGroupBox", /::setCursor\s*\(/, "cursor") -property_reader("QGroupBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QGroupBox", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QGroupBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QGroupBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QGroupBox", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QGroupBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QGroupBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QGroupBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QGroupBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QGroupBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QGroupBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QGroupBox", /::setVisible\s*\(/, "visible") -property_reader("QGroupBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QGroupBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QGroupBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QGroupBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QGroupBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QGroupBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QGroupBox", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QGroupBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QGroupBox", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QGroupBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QGroupBox", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QGroupBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QGroupBox", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QGroupBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QGroupBox", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QGroupBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QGroupBox", /::setWindowModified\s*\(/, "windowModified") -property_reader("QGroupBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QGroupBox", /::setToolTip\s*\(/, "toolTip") -property_reader("QGroupBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QGroupBox", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QGroupBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QGroupBox", /::setStatusTip\s*\(/, "statusTip") -property_reader("QGroupBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QGroupBox", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QGroupBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QGroupBox", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QGroupBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QGroupBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QGroupBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QGroupBox", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QGroupBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QGroupBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QGroupBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QGroupBox", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QGroupBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QGroupBox", /::setLocale\s*\(/, "locale") -property_reader("QGroupBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QGroupBox", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QGroupBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QGroupBox", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QGroupBox", /::(title|isTitle|hasTitle)\s*\(/, "title") -property_writer("QGroupBox", /::setTitle\s*\(/, "title") -property_reader("QGroupBox", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QGroupBox", /::setAlignment\s*\(/, "alignment") -property_reader("QGroupBox", /::(flat|isFlat|hasFlat)\s*\(/, "flat") -property_writer("QGroupBox", /::setFlat\s*\(/, "flat") -property_reader("QGroupBox", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") -property_writer("QGroupBox", /::setCheckable\s*\(/, "checkable") -property_reader("QGroupBox", /::(checked|isChecked|hasChecked)\s*\(/, "checked") -property_writer("QGroupBox", /::setChecked\s*\(/, "checked") -property_reader("QGuiApplication", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QGuiApplication", /::setObjectName\s*\(/, "objectName") -property_reader("QGuiApplication", /::(applicationName|isApplicationName|hasApplicationName)\s*\(/, "applicationName") -property_writer("QGuiApplication", /::setApplicationName\s*\(/, "applicationName") -property_reader("QGuiApplication", /::(applicationVersion|isApplicationVersion|hasApplicationVersion)\s*\(/, "applicationVersion") -property_writer("QGuiApplication", /::setApplicationVersion\s*\(/, "applicationVersion") -property_reader("QGuiApplication", /::(organizationName|isOrganizationName|hasOrganizationName)\s*\(/, "organizationName") -property_writer("QGuiApplication", /::setOrganizationName\s*\(/, "organizationName") -property_reader("QGuiApplication", /::(organizationDomain|isOrganizationDomain|hasOrganizationDomain)\s*\(/, "organizationDomain") -property_writer("QGuiApplication", /::setOrganizationDomain\s*\(/, "organizationDomain") -property_reader("QGuiApplication", /::(quitLockEnabled|isQuitLockEnabled|hasQuitLockEnabled)\s*\(/, "quitLockEnabled") -property_writer("QGuiApplication", /::setQuitLockEnabled\s*\(/, "quitLockEnabled") -property_reader("QGuiApplication", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QGuiApplication", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QGuiApplication", /::(applicationDisplayName|isApplicationDisplayName|hasApplicationDisplayName)\s*\(/, "applicationDisplayName") -property_writer("QGuiApplication", /::setApplicationDisplayName\s*\(/, "applicationDisplayName") -property_reader("QGuiApplication", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QGuiApplication", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QGuiApplication", /::(platformName|isPlatformName|hasPlatformName)\s*\(/, "platformName") -property_reader("QGuiApplication", /::(quitOnLastWindowClosed|isQuitOnLastWindowClosed|hasQuitOnLastWindowClosed)\s*\(/, "quitOnLastWindowClosed") -property_writer("QGuiApplication", /::setQuitOnLastWindowClosed\s*\(/, "quitOnLastWindowClosed") -property_reader("QHBoxLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QHBoxLayout", /::setObjectName\s*\(/, "objectName") -property_reader("QHBoxLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") -property_writer("QHBoxLayout", /::setMargin\s*\(/, "margin") -property_reader("QHBoxLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QHBoxLayout", /::setSpacing\s*\(/, "spacing") -property_reader("QHBoxLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") -property_writer("QHBoxLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") -property_reader("QHeaderView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QHeaderView", /::setObjectName\s*\(/, "objectName") -property_reader("QHeaderView", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QHeaderView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QHeaderView", /::setWindowModality\s*\(/, "windowModality") -property_reader("QHeaderView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QHeaderView", /::setEnabled\s*\(/, "enabled") -property_reader("QHeaderView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QHeaderView", /::setGeometry\s*\(/, "geometry") -property_reader("QHeaderView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QHeaderView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QHeaderView", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QHeaderView", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QHeaderView", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QHeaderView", /::setPos\s*\(/, "pos") -property_reader("QHeaderView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QHeaderView", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QHeaderView", /::setSize\s*\(/, "size") -property_reader("QHeaderView", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QHeaderView", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QHeaderView", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QHeaderView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QHeaderView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QHeaderView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QHeaderView", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QHeaderView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QHeaderView", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QHeaderView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QHeaderView", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QHeaderView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QHeaderView", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QHeaderView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QHeaderView", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QHeaderView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QHeaderView", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QHeaderView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QHeaderView", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QHeaderView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QHeaderView", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QHeaderView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QHeaderView", /::setBaseSize\s*\(/, "baseSize") -property_reader("QHeaderView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QHeaderView", /::setPalette\s*\(/, "palette") -property_reader("QHeaderView", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QHeaderView", /::setFont\s*\(/, "font") -property_reader("QHeaderView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QHeaderView", /::setCursor\s*\(/, "cursor") -property_reader("QHeaderView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QHeaderView", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QHeaderView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QHeaderView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QHeaderView", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QHeaderView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QHeaderView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QHeaderView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QHeaderView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QHeaderView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QHeaderView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QHeaderView", /::setVisible\s*\(/, "visible") -property_reader("QHeaderView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QHeaderView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QHeaderView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QHeaderView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QHeaderView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QHeaderView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QHeaderView", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QHeaderView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QHeaderView", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QHeaderView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QHeaderView", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QHeaderView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QHeaderView", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QHeaderView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QHeaderView", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QHeaderView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QHeaderView", /::setWindowModified\s*\(/, "windowModified") -property_reader("QHeaderView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QHeaderView", /::setToolTip\s*\(/, "toolTip") -property_reader("QHeaderView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QHeaderView", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QHeaderView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QHeaderView", /::setStatusTip\s*\(/, "statusTip") -property_reader("QHeaderView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QHeaderView", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QHeaderView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QHeaderView", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QHeaderView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QHeaderView", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QHeaderView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QHeaderView", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QHeaderView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QHeaderView", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QHeaderView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QHeaderView", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QHeaderView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QHeaderView", /::setLocale\s*\(/, "locale") -property_reader("QHeaderView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QHeaderView", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QHeaderView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QHeaderView", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QHeaderView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QHeaderView", /::setFrameShape\s*\(/, "frameShape") -property_reader("QHeaderView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QHeaderView", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QHeaderView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QHeaderView", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QHeaderView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QHeaderView", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QHeaderView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QHeaderView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QHeaderView", /::setFrameRect\s*\(/, "frameRect") -property_reader("QHeaderView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QHeaderView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QHeaderView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QHeaderView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QHeaderView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QHeaderView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QHeaderView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") -property_writer("QHeaderView", /::setAutoScroll\s*\(/, "autoScroll") -property_reader("QHeaderView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") -property_writer("QHeaderView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") -property_reader("QHeaderView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") -property_writer("QHeaderView", /::setEditTriggers\s*\(/, "editTriggers") -property_reader("QHeaderView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") -property_writer("QHeaderView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") -property_reader("QHeaderView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") -property_writer("QHeaderView", /::setShowDropIndicator\s*\(/, "showDropIndicator") -property_reader("QHeaderView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QHeaderView", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QHeaderView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") -property_writer("QHeaderView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") -property_reader("QHeaderView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") -property_writer("QHeaderView", /::setDragDropMode\s*\(/, "dragDropMode") -property_reader("QHeaderView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") -property_writer("QHeaderView", /::setDefaultDropAction\s*\(/, "defaultDropAction") -property_reader("QHeaderView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") -property_writer("QHeaderView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") -property_reader("QHeaderView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QHeaderView", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QHeaderView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") -property_writer("QHeaderView", /::setSelectionBehavior\s*\(/, "selectionBehavior") -property_reader("QHeaderView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QHeaderView", /::setIconSize\s*\(/, "iconSize") -property_reader("QHeaderView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") -property_writer("QHeaderView", /::setTextElideMode\s*\(/, "textElideMode") -property_reader("QHeaderView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") -property_writer("QHeaderView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") -property_reader("QHeaderView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") -property_writer("QHeaderView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") -property_reader("QHeaderView", /::(showSortIndicator|isShowSortIndicator|hasShowSortIndicator)\s*\(/, "showSortIndicator") -property_writer("QHeaderView", /::setShowSortIndicator\s*\(/, "showSortIndicator") -property_reader("QHeaderView", /::(highlightSections|isHighlightSections|hasHighlightSections)\s*\(/, "highlightSections") -property_writer("QHeaderView", /::setHighlightSections\s*\(/, "highlightSections") -property_reader("QHeaderView", /::(stretchLastSection|isStretchLastSection|hasStretchLastSection)\s*\(/, "stretchLastSection") -property_writer("QHeaderView", /::setStretchLastSection\s*\(/, "stretchLastSection") -property_reader("QHeaderView", /::(cascadingSectionResizes|isCascadingSectionResizes|hasCascadingSectionResizes)\s*\(/, "cascadingSectionResizes") -property_writer("QHeaderView", /::setCascadingSectionResizes\s*\(/, "cascadingSectionResizes") -property_reader("QHeaderView", /::(defaultSectionSize|isDefaultSectionSize|hasDefaultSectionSize)\s*\(/, "defaultSectionSize") -property_writer("QHeaderView", /::setDefaultSectionSize\s*\(/, "defaultSectionSize") -property_reader("QHeaderView", /::(minimumSectionSize|isMinimumSectionSize|hasMinimumSectionSize)\s*\(/, "minimumSectionSize") -property_writer("QHeaderView", /::setMinimumSectionSize\s*\(/, "minimumSectionSize") -property_reader("QHeaderView", /::(maximumSectionSize|isMaximumSectionSize|hasMaximumSectionSize)\s*\(/, "maximumSectionSize") -property_writer("QHeaderView", /::setMaximumSectionSize\s*\(/, "maximumSectionSize") -property_reader("QHeaderView", /::(defaultAlignment|isDefaultAlignment|hasDefaultAlignment)\s*\(/, "defaultAlignment") -property_writer("QHeaderView", /::setDefaultAlignment\s*\(/, "defaultAlignment") -property_reader("QHistoryState", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QHistoryState", /::setObjectName\s*\(/, "objectName") -property_reader("QHistoryState", /::(active|isActive|hasActive)\s*\(/, "active") -property_reader("QHistoryState", /::(defaultState|isDefaultState|hasDefaultState)\s*\(/, "defaultState") -property_writer("QHistoryState", /::setDefaultState\s*\(/, "defaultState") -property_reader("QHistoryState", /::(historyType|isHistoryType|hasHistoryType)\s*\(/, "historyType") -property_writer("QHistoryState", /::setHistoryType\s*\(/, "historyType") -property_reader("QHttpMultiPart", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QHttpMultiPart", /::setObjectName\s*\(/, "objectName") -property_reader("QIODevice", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QIODevice", /::setObjectName\s*\(/, "objectName") -property_reader("QIconEnginePlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QIconEnginePlugin", /::setObjectName\s*\(/, "objectName") -property_reader("QIdentityProxyModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QIdentityProxyModel", /::setObjectName\s*\(/, "objectName") -property_reader("QIdentityProxyModel", /::(sourceModel|isSourceModel|hasSourceModel)\s*\(/, "sourceModel") -property_writer("QIdentityProxyModel", /::setSourceModel\s*\(/, "sourceModel") -property_reader("QImageEncoderControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QImageEncoderControl", /::setObjectName\s*\(/, "objectName") -property_reader("QImageIOPlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QImageIOPlugin", /::setObjectName\s*\(/, "objectName") -property_reader("QInputDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QInputDialog", /::setObjectName\s*\(/, "objectName") -property_reader("QInputDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QInputDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QInputDialog", /::setWindowModality\s*\(/, "windowModality") -property_reader("QInputDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QInputDialog", /::setEnabled\s*\(/, "enabled") -property_reader("QInputDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QInputDialog", /::setGeometry\s*\(/, "geometry") -property_reader("QInputDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QInputDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QInputDialog", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QInputDialog", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QInputDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QInputDialog", /::setPos\s*\(/, "pos") -property_reader("QInputDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QInputDialog", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QInputDialog", /::setSize\s*\(/, "size") -property_reader("QInputDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QInputDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QInputDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QInputDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QInputDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QInputDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QInputDialog", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QInputDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QInputDialog", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QInputDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QInputDialog", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QInputDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QInputDialog", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QInputDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QInputDialog", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QInputDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QInputDialog", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QInputDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QInputDialog", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QInputDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QInputDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QInputDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QInputDialog", /::setBaseSize\s*\(/, "baseSize") -property_reader("QInputDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QInputDialog", /::setPalette\s*\(/, "palette") -property_reader("QInputDialog", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QInputDialog", /::setFont\s*\(/, "font") -property_reader("QInputDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QInputDialog", /::setCursor\s*\(/, "cursor") -property_reader("QInputDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QInputDialog", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QInputDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QInputDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QInputDialog", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QInputDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QInputDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QInputDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QInputDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QInputDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QInputDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QInputDialog", /::setVisible\s*\(/, "visible") -property_reader("QInputDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QInputDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QInputDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QInputDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QInputDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QInputDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QInputDialog", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QInputDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QInputDialog", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QInputDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QInputDialog", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QInputDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QInputDialog", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QInputDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QInputDialog", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QInputDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QInputDialog", /::setWindowModified\s*\(/, "windowModified") -property_reader("QInputDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QInputDialog", /::setToolTip\s*\(/, "toolTip") -property_reader("QInputDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QInputDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QInputDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QInputDialog", /::setStatusTip\s*\(/, "statusTip") -property_reader("QInputDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QInputDialog", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QInputDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QInputDialog", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QInputDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QInputDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QInputDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QInputDialog", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QInputDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QInputDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QInputDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QInputDialog", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QInputDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QInputDialog", /::setLocale\s*\(/, "locale") -property_reader("QInputDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QInputDialog", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QInputDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QInputDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QInputDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QInputDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QInputDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QInputDialog", /::setModal\s*\(/, "modal") -property_reader("QInputMethod", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QInputMethod", /::setObjectName\s*\(/, "objectName") -property_reader("QInputMethod", /::(cursorRectangle|isCursorRectangle|hasCursorRectangle)\s*\(/, "cursorRectangle") -property_reader("QInputMethod", /::(keyboardRectangle|isKeyboardRectangle|hasKeyboardRectangle)\s*\(/, "keyboardRectangle") -property_reader("QInputMethod", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_reader("QInputMethod", /::(animating|isAnimating|hasAnimating)\s*\(/, "animating") -property_reader("QInputMethod", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_reader("QInputMethod", /::(inputDirection|isInputDirection|hasInputDirection)\s*\(/, "inputDirection") -property_reader("QIntValidator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QIntValidator", /::setObjectName\s*\(/, "objectName") -property_reader("QIntValidator", /::(bottom|isBottom|hasBottom)\s*\(/, "bottom") -property_writer("QIntValidator", /::setBottom\s*\(/, "bottom") -property_reader("QIntValidator", /::(top|isTop|hasTop)\s*\(/, "top") -property_writer("QIntValidator", /::setTop\s*\(/, "top") -property_reader("QItemDelegate", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QItemDelegate", /::setObjectName\s*\(/, "objectName") -property_reader("QItemDelegate", /::(clipping|isClipping|hasClipping)\s*\(/, "clipping") -property_writer("QItemDelegate", /::setClipping\s*\(/, "clipping") -property_reader("QItemSelectionModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QItemSelectionModel", /::setObjectName\s*\(/, "objectName") -property_reader("QItemSelectionModel", /::(model|isModel|hasModel)\s*\(/, "model") -property_writer("QItemSelectionModel", /::setModel\s*\(/, "model") -property_reader("QItemSelectionModel", /::(hasSelection|isHasSelection|hasHasSelection)\s*\(/, "hasSelection") -property_reader("QItemSelectionModel", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") -property_reader("QItemSelectionModel", /::(selection|isSelection|hasSelection)\s*\(/, "selection") -property_reader("QItemSelectionModel", /::(selectedIndexes|isSelectedIndexes|hasSelectedIndexes)\s*\(/, "selectedIndexes") -property_reader("QKeySequenceEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QKeySequenceEdit", /::setObjectName\s*\(/, "objectName") -property_reader("QKeySequenceEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QKeySequenceEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QKeySequenceEdit", /::setWindowModality\s*\(/, "windowModality") -property_reader("QKeySequenceEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QKeySequenceEdit", /::setEnabled\s*\(/, "enabled") -property_reader("QKeySequenceEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QKeySequenceEdit", /::setGeometry\s*\(/, "geometry") -property_reader("QKeySequenceEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QKeySequenceEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QKeySequenceEdit", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QKeySequenceEdit", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QKeySequenceEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QKeySequenceEdit", /::setPos\s*\(/, "pos") -property_reader("QKeySequenceEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QKeySequenceEdit", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QKeySequenceEdit", /::setSize\s*\(/, "size") -property_reader("QKeySequenceEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QKeySequenceEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QKeySequenceEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QKeySequenceEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QKeySequenceEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QKeySequenceEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QKeySequenceEdit", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QKeySequenceEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QKeySequenceEdit", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QKeySequenceEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QKeySequenceEdit", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QKeySequenceEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QKeySequenceEdit", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QKeySequenceEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QKeySequenceEdit", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QKeySequenceEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QKeySequenceEdit", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QKeySequenceEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QKeySequenceEdit", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QKeySequenceEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QKeySequenceEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QKeySequenceEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QKeySequenceEdit", /::setBaseSize\s*\(/, "baseSize") -property_reader("QKeySequenceEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QKeySequenceEdit", /::setPalette\s*\(/, "palette") -property_reader("QKeySequenceEdit", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QKeySequenceEdit", /::setFont\s*\(/, "font") -property_reader("QKeySequenceEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QKeySequenceEdit", /::setCursor\s*\(/, "cursor") -property_reader("QKeySequenceEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QKeySequenceEdit", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QKeySequenceEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QKeySequenceEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QKeySequenceEdit", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QKeySequenceEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QKeySequenceEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QKeySequenceEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QKeySequenceEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QKeySequenceEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QKeySequenceEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QKeySequenceEdit", /::setVisible\s*\(/, "visible") -property_reader("QKeySequenceEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QKeySequenceEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QKeySequenceEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QKeySequenceEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QKeySequenceEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QKeySequenceEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QKeySequenceEdit", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QKeySequenceEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QKeySequenceEdit", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QKeySequenceEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QKeySequenceEdit", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QKeySequenceEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QKeySequenceEdit", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QKeySequenceEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QKeySequenceEdit", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QKeySequenceEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QKeySequenceEdit", /::setWindowModified\s*\(/, "windowModified") -property_reader("QKeySequenceEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QKeySequenceEdit", /::setToolTip\s*\(/, "toolTip") -property_reader("QKeySequenceEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QKeySequenceEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QKeySequenceEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QKeySequenceEdit", /::setStatusTip\s*\(/, "statusTip") -property_reader("QKeySequenceEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QKeySequenceEdit", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QKeySequenceEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QKeySequenceEdit", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QKeySequenceEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QKeySequenceEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QKeySequenceEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QKeySequenceEdit", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QKeySequenceEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QKeySequenceEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QKeySequenceEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QKeySequenceEdit", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QKeySequenceEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QKeySequenceEdit", /::setLocale\s*\(/, "locale") -property_reader("QKeySequenceEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QKeySequenceEdit", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QKeySequenceEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QKeySequenceEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QKeySequenceEdit", /::(keySequence|isKeySequence|hasKeySequence)\s*\(/, "keySequence") -property_writer("QKeySequenceEdit", /::setKeySequence\s*\(/, "keySequence") -property_reader("QLCDNumber", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QLCDNumber", /::setObjectName\s*\(/, "objectName") -property_reader("QLCDNumber", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QLCDNumber", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QLCDNumber", /::setWindowModality\s*\(/, "windowModality") -property_reader("QLCDNumber", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QLCDNumber", /::setEnabled\s*\(/, "enabled") -property_reader("QLCDNumber", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QLCDNumber", /::setGeometry\s*\(/, "geometry") -property_reader("QLCDNumber", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QLCDNumber", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QLCDNumber", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QLCDNumber", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QLCDNumber", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QLCDNumber", /::setPos\s*\(/, "pos") -property_reader("QLCDNumber", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QLCDNumber", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QLCDNumber", /::setSize\s*\(/, "size") -property_reader("QLCDNumber", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QLCDNumber", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QLCDNumber", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QLCDNumber", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QLCDNumber", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QLCDNumber", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QLCDNumber", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QLCDNumber", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QLCDNumber", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QLCDNumber", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QLCDNumber", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QLCDNumber", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QLCDNumber", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QLCDNumber", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QLCDNumber", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QLCDNumber", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QLCDNumber", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QLCDNumber", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QLCDNumber", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QLCDNumber", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QLCDNumber", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QLCDNumber", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QLCDNumber", /::setBaseSize\s*\(/, "baseSize") -property_reader("QLCDNumber", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QLCDNumber", /::setPalette\s*\(/, "palette") -property_reader("QLCDNumber", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QLCDNumber", /::setFont\s*\(/, "font") -property_reader("QLCDNumber", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QLCDNumber", /::setCursor\s*\(/, "cursor") -property_reader("QLCDNumber", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QLCDNumber", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QLCDNumber", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QLCDNumber", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QLCDNumber", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QLCDNumber", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QLCDNumber", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QLCDNumber", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QLCDNumber", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QLCDNumber", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QLCDNumber", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QLCDNumber", /::setVisible\s*\(/, "visible") -property_reader("QLCDNumber", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QLCDNumber", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QLCDNumber", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QLCDNumber", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QLCDNumber", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QLCDNumber", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QLCDNumber", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QLCDNumber", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QLCDNumber", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QLCDNumber", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QLCDNumber", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QLCDNumber", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QLCDNumber", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QLCDNumber", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QLCDNumber", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QLCDNumber", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QLCDNumber", /::setWindowModified\s*\(/, "windowModified") -property_reader("QLCDNumber", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QLCDNumber", /::setToolTip\s*\(/, "toolTip") -property_reader("QLCDNumber", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QLCDNumber", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QLCDNumber", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QLCDNumber", /::setStatusTip\s*\(/, "statusTip") -property_reader("QLCDNumber", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QLCDNumber", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QLCDNumber", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QLCDNumber", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QLCDNumber", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QLCDNumber", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QLCDNumber", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QLCDNumber", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QLCDNumber", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QLCDNumber", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QLCDNumber", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QLCDNumber", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QLCDNumber", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QLCDNumber", /::setLocale\s*\(/, "locale") -property_reader("QLCDNumber", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QLCDNumber", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QLCDNumber", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QLCDNumber", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QLCDNumber", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QLCDNumber", /::setFrameShape\s*\(/, "frameShape") -property_reader("QLCDNumber", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QLCDNumber", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QLCDNumber", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QLCDNumber", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QLCDNumber", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QLCDNumber", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QLCDNumber", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QLCDNumber", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QLCDNumber", /::setFrameRect\s*\(/, "frameRect") -property_reader("QLCDNumber", /::(smallDecimalPoint|isSmallDecimalPoint|hasSmallDecimalPoint)\s*\(/, "smallDecimalPoint") -property_writer("QLCDNumber", /::setSmallDecimalPoint\s*\(/, "smallDecimalPoint") -property_reader("QLCDNumber", /::(digitCount|isDigitCount|hasDigitCount)\s*\(/, "digitCount") -property_writer("QLCDNumber", /::setDigitCount\s*\(/, "digitCount") -property_reader("QLCDNumber", /::(mode|isMode|hasMode)\s*\(/, "mode") -property_writer("QLCDNumber", /::setMode\s*\(/, "mode") -property_reader("QLCDNumber", /::(segmentStyle|isSegmentStyle|hasSegmentStyle)\s*\(/, "segmentStyle") -property_writer("QLCDNumber", /::setSegmentStyle\s*\(/, "segmentStyle") -property_reader("QLCDNumber", /::(value|isValue|hasValue)\s*\(/, "value") -property_writer("QLCDNumber", /::setValue\s*\(/, "value") -property_reader("QLCDNumber", /::(intValue|isIntValue|hasIntValue)\s*\(/, "intValue") -property_writer("QLCDNumber", /::setIntValue\s*\(/, "intValue") -property_reader("QLabel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QLabel", /::setObjectName\s*\(/, "objectName") -property_reader("QLabel", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QLabel", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QLabel", /::setWindowModality\s*\(/, "windowModality") -property_reader("QLabel", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QLabel", /::setEnabled\s*\(/, "enabled") -property_reader("QLabel", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QLabel", /::setGeometry\s*\(/, "geometry") -property_reader("QLabel", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QLabel", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QLabel", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QLabel", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QLabel", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QLabel", /::setPos\s*\(/, "pos") -property_reader("QLabel", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QLabel", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QLabel", /::setSize\s*\(/, "size") -property_reader("QLabel", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QLabel", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QLabel", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QLabel", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QLabel", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QLabel", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QLabel", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QLabel", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QLabel", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QLabel", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QLabel", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QLabel", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QLabel", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QLabel", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QLabel", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QLabel", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QLabel", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QLabel", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QLabel", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QLabel", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QLabel", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QLabel", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QLabel", /::setBaseSize\s*\(/, "baseSize") -property_reader("QLabel", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QLabel", /::setPalette\s*\(/, "palette") -property_reader("QLabel", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QLabel", /::setFont\s*\(/, "font") -property_reader("QLabel", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QLabel", /::setCursor\s*\(/, "cursor") -property_reader("QLabel", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QLabel", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QLabel", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QLabel", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QLabel", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QLabel", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QLabel", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QLabel", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QLabel", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QLabel", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QLabel", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QLabel", /::setVisible\s*\(/, "visible") -property_reader("QLabel", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QLabel", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QLabel", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QLabel", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QLabel", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QLabel", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QLabel", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QLabel", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QLabel", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QLabel", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QLabel", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QLabel", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QLabel", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QLabel", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QLabel", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QLabel", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QLabel", /::setWindowModified\s*\(/, "windowModified") -property_reader("QLabel", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QLabel", /::setToolTip\s*\(/, "toolTip") -property_reader("QLabel", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QLabel", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QLabel", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QLabel", /::setStatusTip\s*\(/, "statusTip") -property_reader("QLabel", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QLabel", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QLabel", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QLabel", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QLabel", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QLabel", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QLabel", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QLabel", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QLabel", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QLabel", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QLabel", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QLabel", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QLabel", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QLabel", /::setLocale\s*\(/, "locale") -property_reader("QLabel", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QLabel", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QLabel", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QLabel", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QLabel", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QLabel", /::setFrameShape\s*\(/, "frameShape") -property_reader("QLabel", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QLabel", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QLabel", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QLabel", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QLabel", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QLabel", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QLabel", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QLabel", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QLabel", /::setFrameRect\s*\(/, "frameRect") -property_reader("QLabel", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QLabel", /::setText\s*\(/, "text") -property_reader("QLabel", /::(textFormat|isTextFormat|hasTextFormat)\s*\(/, "textFormat") -property_writer("QLabel", /::setTextFormat\s*\(/, "textFormat") -property_reader("QLabel", /::(pixmap|isPixmap|hasPixmap)\s*\(/, "pixmap") -property_writer("QLabel", /::setPixmap\s*\(/, "pixmap") -property_reader("QLabel", /::(scaledContents|isScaledContents|hasScaledContents)\s*\(/, "scaledContents") -property_writer("QLabel", /::setScaledContents\s*\(/, "scaledContents") -property_reader("QLabel", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QLabel", /::setAlignment\s*\(/, "alignment") -property_reader("QLabel", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") -property_writer("QLabel", /::setWordWrap\s*\(/, "wordWrap") -property_reader("QLabel", /::(margin|isMargin|hasMargin)\s*\(/, "margin") -property_writer("QLabel", /::setMargin\s*\(/, "margin") -property_reader("QLabel", /::(indent|isIndent|hasIndent)\s*\(/, "indent") -property_writer("QLabel", /::setIndent\s*\(/, "indent") -property_reader("QLabel", /::(openExternalLinks|isOpenExternalLinks|hasOpenExternalLinks)\s*\(/, "openExternalLinks") -property_writer("QLabel", /::setOpenExternalLinks\s*\(/, "openExternalLinks") -property_reader("QLabel", /::(textInteractionFlags|isTextInteractionFlags|hasTextInteractionFlags)\s*\(/, "textInteractionFlags") -property_writer("QLabel", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") -property_reader("QLabel", /::(hasSelectedText|isHasSelectedText|hasHasSelectedText)\s*\(/, "hasSelectedText") -property_reader("QLabel", /::(selectedText|isSelectedText|hasSelectedText)\s*\(/, "selectedText") -property_reader("QLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QLayout", /::setObjectName\s*\(/, "objectName") -property_reader("QLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") -property_writer("QLayout", /::setMargin\s*\(/, "margin") -property_reader("QLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QLayout", /::setSpacing\s*\(/, "spacing") -property_reader("QLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") -property_writer("QLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") -property_reader("QLibrary", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QLibrary", /::setObjectName\s*\(/, "objectName") -property_reader("QLibrary", /::(fileName|isFileName|hasFileName)\s*\(/, "fileName") -property_writer("QLibrary", /::setFileName\s*\(/, "fileName") -property_reader("QLibrary", /::(loadHints|isLoadHints|hasLoadHints)\s*\(/, "loadHints") -property_writer("QLibrary", /::setLoadHints\s*\(/, "loadHints") -property_reader("QLineEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QLineEdit", /::setObjectName\s*\(/, "objectName") -property_reader("QLineEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QLineEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QLineEdit", /::setWindowModality\s*\(/, "windowModality") -property_reader("QLineEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QLineEdit", /::setEnabled\s*\(/, "enabled") -property_reader("QLineEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QLineEdit", /::setGeometry\s*\(/, "geometry") -property_reader("QLineEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QLineEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QLineEdit", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QLineEdit", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QLineEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QLineEdit", /::setPos\s*\(/, "pos") -property_reader("QLineEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QLineEdit", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QLineEdit", /::setSize\s*\(/, "size") -property_reader("QLineEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QLineEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QLineEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QLineEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QLineEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QLineEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QLineEdit", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QLineEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QLineEdit", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QLineEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QLineEdit", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QLineEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QLineEdit", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QLineEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QLineEdit", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QLineEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QLineEdit", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QLineEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QLineEdit", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QLineEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QLineEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QLineEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QLineEdit", /::setBaseSize\s*\(/, "baseSize") -property_reader("QLineEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QLineEdit", /::setPalette\s*\(/, "palette") -property_reader("QLineEdit", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QLineEdit", /::setFont\s*\(/, "font") -property_reader("QLineEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QLineEdit", /::setCursor\s*\(/, "cursor") -property_reader("QLineEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QLineEdit", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QLineEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QLineEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QLineEdit", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QLineEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QLineEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QLineEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QLineEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QLineEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QLineEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QLineEdit", /::setVisible\s*\(/, "visible") -property_reader("QLineEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QLineEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QLineEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QLineEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QLineEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QLineEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QLineEdit", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QLineEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QLineEdit", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QLineEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QLineEdit", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QLineEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QLineEdit", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QLineEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QLineEdit", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QLineEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QLineEdit", /::setWindowModified\s*\(/, "windowModified") -property_reader("QLineEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QLineEdit", /::setToolTip\s*\(/, "toolTip") -property_reader("QLineEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QLineEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QLineEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QLineEdit", /::setStatusTip\s*\(/, "statusTip") -property_reader("QLineEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QLineEdit", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QLineEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QLineEdit", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QLineEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QLineEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QLineEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QLineEdit", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QLineEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QLineEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QLineEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QLineEdit", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QLineEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QLineEdit", /::setLocale\s*\(/, "locale") -property_reader("QLineEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QLineEdit", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QLineEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QLineEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QLineEdit", /::(inputMask|isInputMask|hasInputMask)\s*\(/, "inputMask") -property_writer("QLineEdit", /::setInputMask\s*\(/, "inputMask") -property_reader("QLineEdit", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QLineEdit", /::setText\s*\(/, "text") -property_reader("QLineEdit", /::(maxLength|isMaxLength|hasMaxLength)\s*\(/, "maxLength") -property_writer("QLineEdit", /::setMaxLength\s*\(/, "maxLength") -property_reader("QLineEdit", /::(frame|isFrame|hasFrame)\s*\(/, "frame") -property_writer("QLineEdit", /::setFrame\s*\(/, "frame") -property_reader("QLineEdit", /::(echoMode|isEchoMode|hasEchoMode)\s*\(/, "echoMode") -property_writer("QLineEdit", /::setEchoMode\s*\(/, "echoMode") -property_reader("QLineEdit", /::(displayText|isDisplayText|hasDisplayText)\s*\(/, "displayText") -property_reader("QLineEdit", /::(cursorPosition|isCursorPosition|hasCursorPosition)\s*\(/, "cursorPosition") -property_writer("QLineEdit", /::setCursorPosition\s*\(/, "cursorPosition") -property_reader("QLineEdit", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QLineEdit", /::setAlignment\s*\(/, "alignment") -property_reader("QLineEdit", /::(modified|isModified|hasModified)\s*\(/, "modified") -property_writer("QLineEdit", /::setModified\s*\(/, "modified") -property_reader("QLineEdit", /::(hasSelectedText|isHasSelectedText|hasHasSelectedText)\s*\(/, "hasSelectedText") -property_reader("QLineEdit", /::(selectedText|isSelectedText|hasSelectedText)\s*\(/, "selectedText") -property_reader("QLineEdit", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QLineEdit", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QLineEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QLineEdit", /::setReadOnly\s*\(/, "readOnly") -property_reader("QLineEdit", /::(undoAvailable|isUndoAvailable|hasUndoAvailable)\s*\(/, "undoAvailable") -property_reader("QLineEdit", /::(redoAvailable|isRedoAvailable|hasRedoAvailable)\s*\(/, "redoAvailable") -property_reader("QLineEdit", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") -property_reader("QLineEdit", /::(placeholderText|isPlaceholderText|hasPlaceholderText)\s*\(/, "placeholderText") -property_writer("QLineEdit", /::setPlaceholderText\s*\(/, "placeholderText") -property_reader("QLineEdit", /::(cursorMoveStyle|isCursorMoveStyle|hasCursorMoveStyle)\s*\(/, "cursorMoveStyle") -property_writer("QLineEdit", /::setCursorMoveStyle\s*\(/, "cursorMoveStyle") -property_reader("QLineEdit", /::(clearButtonEnabled|isClearButtonEnabled|hasClearButtonEnabled)\s*\(/, "clearButtonEnabled") -property_writer("QLineEdit", /::setClearButtonEnabled\s*\(/, "clearButtonEnabled") -property_reader("QListView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QListView", /::setObjectName\s*\(/, "objectName") -property_reader("QListView", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QListView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QListView", /::setWindowModality\s*\(/, "windowModality") -property_reader("QListView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QListView", /::setEnabled\s*\(/, "enabled") -property_reader("QListView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QListView", /::setGeometry\s*\(/, "geometry") -property_reader("QListView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QListView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QListView", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QListView", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QListView", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QListView", /::setPos\s*\(/, "pos") -property_reader("QListView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QListView", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QListView", /::setSize\s*\(/, "size") -property_reader("QListView", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QListView", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QListView", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QListView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QListView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QListView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QListView", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QListView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QListView", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QListView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QListView", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QListView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QListView", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QListView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QListView", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QListView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QListView", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QListView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QListView", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QListView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QListView", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QListView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QListView", /::setBaseSize\s*\(/, "baseSize") -property_reader("QListView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QListView", /::setPalette\s*\(/, "palette") -property_reader("QListView", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QListView", /::setFont\s*\(/, "font") -property_reader("QListView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QListView", /::setCursor\s*\(/, "cursor") -property_reader("QListView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QListView", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QListView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QListView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QListView", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QListView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QListView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QListView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QListView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QListView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QListView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QListView", /::setVisible\s*\(/, "visible") -property_reader("QListView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QListView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QListView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QListView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QListView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QListView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QListView", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QListView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QListView", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QListView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QListView", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QListView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QListView", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QListView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QListView", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QListView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QListView", /::setWindowModified\s*\(/, "windowModified") -property_reader("QListView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QListView", /::setToolTip\s*\(/, "toolTip") -property_reader("QListView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QListView", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QListView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QListView", /::setStatusTip\s*\(/, "statusTip") -property_reader("QListView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QListView", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QListView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QListView", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QListView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QListView", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QListView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QListView", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QListView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QListView", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QListView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QListView", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QListView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QListView", /::setLocale\s*\(/, "locale") -property_reader("QListView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QListView", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QListView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QListView", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QListView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QListView", /::setFrameShape\s*\(/, "frameShape") -property_reader("QListView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QListView", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QListView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QListView", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QListView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QListView", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QListView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QListView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QListView", /::setFrameRect\s*\(/, "frameRect") -property_reader("QListView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QListView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QListView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QListView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QListView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QListView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QListView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") -property_writer("QListView", /::setAutoScroll\s*\(/, "autoScroll") -property_reader("QListView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") -property_writer("QListView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") -property_reader("QListView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") -property_writer("QListView", /::setEditTriggers\s*\(/, "editTriggers") -property_reader("QListView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") -property_writer("QListView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") -property_reader("QListView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") -property_writer("QListView", /::setShowDropIndicator\s*\(/, "showDropIndicator") -property_reader("QListView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QListView", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QListView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") -property_writer("QListView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") -property_reader("QListView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") -property_writer("QListView", /::setDragDropMode\s*\(/, "dragDropMode") -property_reader("QListView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") -property_writer("QListView", /::setDefaultDropAction\s*\(/, "defaultDropAction") -property_reader("QListView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") -property_writer("QListView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") -property_reader("QListView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QListView", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QListView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") -property_writer("QListView", /::setSelectionBehavior\s*\(/, "selectionBehavior") -property_reader("QListView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QListView", /::setIconSize\s*\(/, "iconSize") -property_reader("QListView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") -property_writer("QListView", /::setTextElideMode\s*\(/, "textElideMode") -property_reader("QListView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") -property_writer("QListView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") -property_reader("QListView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") -property_writer("QListView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") -property_reader("QListView", /::(movement|isMovement|hasMovement)\s*\(/, "movement") -property_writer("QListView", /::setMovement\s*\(/, "movement") -property_reader("QListView", /::(flow|isFlow|hasFlow)\s*\(/, "flow") -property_writer("QListView", /::setFlow\s*\(/, "flow") -property_reader("QListView", /::(isWrapping|isIsWrapping|hasIsWrapping)\s*\(/, "isWrapping") -property_writer("QListView", /::setIsWrapping\s*\(/, "isWrapping") -property_reader("QListView", /::(resizeMode|isResizeMode|hasResizeMode)\s*\(/, "resizeMode") -property_writer("QListView", /::setResizeMode\s*\(/, "resizeMode") -property_reader("QListView", /::(layoutMode|isLayoutMode|hasLayoutMode)\s*\(/, "layoutMode") -property_writer("QListView", /::setLayoutMode\s*\(/, "layoutMode") -property_reader("QListView", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QListView", /::setSpacing\s*\(/, "spacing") -property_reader("QListView", /::(gridSize|isGridSize|hasGridSize)\s*\(/, "gridSize") -property_writer("QListView", /::setGridSize\s*\(/, "gridSize") -property_reader("QListView", /::(viewMode|isViewMode|hasViewMode)\s*\(/, "viewMode") -property_writer("QListView", /::setViewMode\s*\(/, "viewMode") -property_reader("QListView", /::(modelColumn|isModelColumn|hasModelColumn)\s*\(/, "modelColumn") -property_writer("QListView", /::setModelColumn\s*\(/, "modelColumn") -property_reader("QListView", /::(uniformItemSizes|isUniformItemSizes|hasUniformItemSizes)\s*\(/, "uniformItemSizes") -property_writer("QListView", /::setUniformItemSizes\s*\(/, "uniformItemSizes") -property_reader("QListView", /::(batchSize|isBatchSize|hasBatchSize)\s*\(/, "batchSize") -property_writer("QListView", /::setBatchSize\s*\(/, "batchSize") -property_reader("QListView", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") -property_writer("QListView", /::setWordWrap\s*\(/, "wordWrap") -property_reader("QListView", /::(selectionRectVisible|isSelectionRectVisible|hasSelectionRectVisible)\s*\(/, "selectionRectVisible") -property_writer("QListView", /::setSelectionRectVisible\s*\(/, "selectionRectVisible") -property_reader("QListWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QListWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QListWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QListWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QListWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QListWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QListWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QListWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QListWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QListWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QListWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QListWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QListWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QListWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QListWidget", /::setPos\s*\(/, "pos") -property_reader("QListWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QListWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QListWidget", /::setSize\s*\(/, "size") -property_reader("QListWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QListWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QListWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QListWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QListWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QListWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QListWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QListWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QListWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QListWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QListWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QListWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QListWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QListWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QListWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QListWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QListWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QListWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QListWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QListWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QListWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QListWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QListWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QListWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QListWidget", /::setPalette\s*\(/, "palette") -property_reader("QListWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QListWidget", /::setFont\s*\(/, "font") -property_reader("QListWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QListWidget", /::setCursor\s*\(/, "cursor") -property_reader("QListWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QListWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QListWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QListWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QListWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QListWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QListWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QListWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QListWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QListWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QListWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QListWidget", /::setVisible\s*\(/, "visible") -property_reader("QListWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QListWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QListWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QListWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QListWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QListWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QListWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QListWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QListWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QListWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QListWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QListWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QListWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QListWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QListWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QListWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QListWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QListWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QListWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QListWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QListWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QListWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QListWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QListWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QListWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QListWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QListWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QListWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QListWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QListWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QListWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QListWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QListWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QListWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QListWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QListWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QListWidget", /::setLocale\s*\(/, "locale") -property_reader("QListWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QListWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QListWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QListWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QListWidget", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QListWidget", /::setFrameShape\s*\(/, "frameShape") -property_reader("QListWidget", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QListWidget", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QListWidget", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QListWidget", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QListWidget", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QListWidget", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QListWidget", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QListWidget", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QListWidget", /::setFrameRect\s*\(/, "frameRect") -property_reader("QListWidget", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QListWidget", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QListWidget", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QListWidget", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QListWidget", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QListWidget", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QListWidget", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") -property_writer("QListWidget", /::setAutoScroll\s*\(/, "autoScroll") -property_reader("QListWidget", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") -property_writer("QListWidget", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") -property_reader("QListWidget", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") -property_writer("QListWidget", /::setEditTriggers\s*\(/, "editTriggers") -property_reader("QListWidget", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") -property_writer("QListWidget", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") -property_reader("QListWidget", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") -property_writer("QListWidget", /::setShowDropIndicator\s*\(/, "showDropIndicator") -property_reader("QListWidget", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QListWidget", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QListWidget", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") -property_writer("QListWidget", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") -property_reader("QListWidget", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") -property_writer("QListWidget", /::setDragDropMode\s*\(/, "dragDropMode") -property_reader("QListWidget", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") -property_writer("QListWidget", /::setDefaultDropAction\s*\(/, "defaultDropAction") -property_reader("QListWidget", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") -property_writer("QListWidget", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") -property_reader("QListWidget", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QListWidget", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QListWidget", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") -property_writer("QListWidget", /::setSelectionBehavior\s*\(/, "selectionBehavior") -property_reader("QListWidget", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QListWidget", /::setIconSize\s*\(/, "iconSize") -property_reader("QListWidget", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") -property_writer("QListWidget", /::setTextElideMode\s*\(/, "textElideMode") -property_reader("QListWidget", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") -property_writer("QListWidget", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") -property_reader("QListWidget", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") -property_writer("QListWidget", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") -property_reader("QListWidget", /::(movement|isMovement|hasMovement)\s*\(/, "movement") -property_writer("QListWidget", /::setMovement\s*\(/, "movement") -property_reader("QListWidget", /::(flow|isFlow|hasFlow)\s*\(/, "flow") -property_writer("QListWidget", /::setFlow\s*\(/, "flow") -property_reader("QListWidget", /::(isWrapping|isIsWrapping|hasIsWrapping)\s*\(/, "isWrapping") -property_writer("QListWidget", /::setIsWrapping\s*\(/, "isWrapping") -property_reader("QListWidget", /::(resizeMode|isResizeMode|hasResizeMode)\s*\(/, "resizeMode") -property_writer("QListWidget", /::setResizeMode\s*\(/, "resizeMode") -property_reader("QListWidget", /::(layoutMode|isLayoutMode|hasLayoutMode)\s*\(/, "layoutMode") -property_writer("QListWidget", /::setLayoutMode\s*\(/, "layoutMode") -property_reader("QListWidget", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QListWidget", /::setSpacing\s*\(/, "spacing") -property_reader("QListWidget", /::(gridSize|isGridSize|hasGridSize)\s*\(/, "gridSize") -property_writer("QListWidget", /::setGridSize\s*\(/, "gridSize") -property_reader("QListWidget", /::(viewMode|isViewMode|hasViewMode)\s*\(/, "viewMode") -property_writer("QListWidget", /::setViewMode\s*\(/, "viewMode") -property_reader("QListWidget", /::(modelColumn|isModelColumn|hasModelColumn)\s*\(/, "modelColumn") -property_writer("QListWidget", /::setModelColumn\s*\(/, "modelColumn") -property_reader("QListWidget", /::(uniformItemSizes|isUniformItemSizes|hasUniformItemSizes)\s*\(/, "uniformItemSizes") -property_writer("QListWidget", /::setUniformItemSizes\s*\(/, "uniformItemSizes") -property_reader("QListWidget", /::(batchSize|isBatchSize|hasBatchSize)\s*\(/, "batchSize") -property_writer("QListWidget", /::setBatchSize\s*\(/, "batchSize") -property_reader("QListWidget", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") -property_writer("QListWidget", /::setWordWrap\s*\(/, "wordWrap") -property_reader("QListWidget", /::(selectionRectVisible|isSelectionRectVisible|hasSelectionRectVisible)\s*\(/, "selectionRectVisible") -property_writer("QListWidget", /::setSelectionRectVisible\s*\(/, "selectionRectVisible") -property_reader("QListWidget", /::(count|isCount|hasCount)\s*\(/, "count") -property_reader("QListWidget", /::(currentRow|isCurrentRow|hasCurrentRow)\s*\(/, "currentRow") -property_writer("QListWidget", /::setCurrentRow\s*\(/, "currentRow") -property_reader("QListWidget", /::(sortingEnabled|isSortingEnabled|hasSortingEnabled)\s*\(/, "sortingEnabled") -property_writer("QListWidget", /::setSortingEnabled\s*\(/, "sortingEnabled") -property_reader("QLocalServer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QLocalServer", /::setObjectName\s*\(/, "objectName") -property_reader("QLocalServer", /::(socketOptions|isSocketOptions|hasSocketOptions)\s*\(/, "socketOptions") -property_writer("QLocalServer", /::setSocketOptions\s*\(/, "socketOptions") -property_reader("QLocalSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QLocalSocket", /::setObjectName\s*\(/, "objectName") -property_reader("QMainWindow", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMainWindow", /::setObjectName\s*\(/, "objectName") -property_reader("QMainWindow", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QMainWindow", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QMainWindow", /::setWindowModality\s*\(/, "windowModality") -property_reader("QMainWindow", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QMainWindow", /::setEnabled\s*\(/, "enabled") -property_reader("QMainWindow", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QMainWindow", /::setGeometry\s*\(/, "geometry") -property_reader("QMainWindow", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QMainWindow", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QMainWindow", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QMainWindow", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QMainWindow", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QMainWindow", /::setPos\s*\(/, "pos") -property_reader("QMainWindow", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QMainWindow", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QMainWindow", /::setSize\s*\(/, "size") -property_reader("QMainWindow", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QMainWindow", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QMainWindow", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QMainWindow", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QMainWindow", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QMainWindow", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QMainWindow", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QMainWindow", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QMainWindow", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QMainWindow", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QMainWindow", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QMainWindow", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QMainWindow", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QMainWindow", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QMainWindow", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QMainWindow", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QMainWindow", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QMainWindow", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QMainWindow", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QMainWindow", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QMainWindow", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QMainWindow", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QMainWindow", /::setBaseSize\s*\(/, "baseSize") -property_reader("QMainWindow", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QMainWindow", /::setPalette\s*\(/, "palette") -property_reader("QMainWindow", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QMainWindow", /::setFont\s*\(/, "font") -property_reader("QMainWindow", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QMainWindow", /::setCursor\s*\(/, "cursor") -property_reader("QMainWindow", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QMainWindow", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QMainWindow", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QMainWindow", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QMainWindow", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QMainWindow", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QMainWindow", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QMainWindow", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QMainWindow", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QMainWindow", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QMainWindow", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QMainWindow", /::setVisible\s*\(/, "visible") -property_reader("QMainWindow", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QMainWindow", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QMainWindow", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QMainWindow", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QMainWindow", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QMainWindow", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QMainWindow", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QMainWindow", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QMainWindow", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QMainWindow", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QMainWindow", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QMainWindow", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QMainWindow", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QMainWindow", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QMainWindow", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QMainWindow", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QMainWindow", /::setWindowModified\s*\(/, "windowModified") -property_reader("QMainWindow", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QMainWindow", /::setToolTip\s*\(/, "toolTip") -property_reader("QMainWindow", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QMainWindow", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QMainWindow", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QMainWindow", /::setStatusTip\s*\(/, "statusTip") -property_reader("QMainWindow", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QMainWindow", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QMainWindow", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QMainWindow", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QMainWindow", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QMainWindow", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QMainWindow", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QMainWindow", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QMainWindow", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QMainWindow", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QMainWindow", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QMainWindow", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QMainWindow", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QMainWindow", /::setLocale\s*\(/, "locale") -property_reader("QMainWindow", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QMainWindow", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QMainWindow", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QMainWindow", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QMainWindow", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QMainWindow", /::setIconSize\s*\(/, "iconSize") -property_reader("QMainWindow", /::(toolButtonStyle|isToolButtonStyle|hasToolButtonStyle)\s*\(/, "toolButtonStyle") -property_writer("QMainWindow", /::setToolButtonStyle\s*\(/, "toolButtonStyle") -property_reader("QMainWindow", /::(animated|isAnimated|hasAnimated)\s*\(/, "animated") -property_writer("QMainWindow", /::setAnimated\s*\(/, "animated") -property_reader("QMainWindow", /::(documentMode|isDocumentMode|hasDocumentMode)\s*\(/, "documentMode") -property_writer("QMainWindow", /::setDocumentMode\s*\(/, "documentMode") -property_reader("QMainWindow", /::(tabShape|isTabShape|hasTabShape)\s*\(/, "tabShape") -property_writer("QMainWindow", /::setTabShape\s*\(/, "tabShape") -property_reader("QMainWindow", /::(dockNestingEnabled|isDockNestingEnabled|hasDockNestingEnabled)\s*\(/, "dockNestingEnabled") -property_writer("QMainWindow", /::setDockNestingEnabled\s*\(/, "dockNestingEnabled") -property_reader("QMainWindow", /::(dockOptions|isDockOptions|hasDockOptions)\s*\(/, "dockOptions") -property_writer("QMainWindow", /::setDockOptions\s*\(/, "dockOptions") -property_reader("QMainWindow", /::(unifiedTitleAndToolBarOnMac|isUnifiedTitleAndToolBarOnMac|hasUnifiedTitleAndToolBarOnMac)\s*\(/, "unifiedTitleAndToolBarOnMac") -property_writer("QMainWindow", /::setUnifiedTitleAndToolBarOnMac\s*\(/, "unifiedTitleAndToolBarOnMac") -property_reader("QMdiArea", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMdiArea", /::setObjectName\s*\(/, "objectName") -property_reader("QMdiArea", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QMdiArea", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QMdiArea", /::setWindowModality\s*\(/, "windowModality") -property_reader("QMdiArea", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QMdiArea", /::setEnabled\s*\(/, "enabled") -property_reader("QMdiArea", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QMdiArea", /::setGeometry\s*\(/, "geometry") -property_reader("QMdiArea", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QMdiArea", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QMdiArea", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QMdiArea", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QMdiArea", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QMdiArea", /::setPos\s*\(/, "pos") -property_reader("QMdiArea", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QMdiArea", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QMdiArea", /::setSize\s*\(/, "size") -property_reader("QMdiArea", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QMdiArea", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QMdiArea", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QMdiArea", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QMdiArea", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QMdiArea", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QMdiArea", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QMdiArea", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QMdiArea", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QMdiArea", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QMdiArea", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QMdiArea", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QMdiArea", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QMdiArea", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QMdiArea", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QMdiArea", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QMdiArea", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QMdiArea", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QMdiArea", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QMdiArea", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QMdiArea", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QMdiArea", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QMdiArea", /::setBaseSize\s*\(/, "baseSize") -property_reader("QMdiArea", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QMdiArea", /::setPalette\s*\(/, "palette") -property_reader("QMdiArea", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QMdiArea", /::setFont\s*\(/, "font") -property_reader("QMdiArea", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QMdiArea", /::setCursor\s*\(/, "cursor") -property_reader("QMdiArea", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QMdiArea", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QMdiArea", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QMdiArea", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QMdiArea", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QMdiArea", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QMdiArea", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QMdiArea", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QMdiArea", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QMdiArea", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QMdiArea", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QMdiArea", /::setVisible\s*\(/, "visible") -property_reader("QMdiArea", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QMdiArea", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QMdiArea", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QMdiArea", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QMdiArea", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QMdiArea", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QMdiArea", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QMdiArea", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QMdiArea", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QMdiArea", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QMdiArea", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QMdiArea", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QMdiArea", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QMdiArea", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QMdiArea", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QMdiArea", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QMdiArea", /::setWindowModified\s*\(/, "windowModified") -property_reader("QMdiArea", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QMdiArea", /::setToolTip\s*\(/, "toolTip") -property_reader("QMdiArea", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QMdiArea", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QMdiArea", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QMdiArea", /::setStatusTip\s*\(/, "statusTip") -property_reader("QMdiArea", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QMdiArea", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QMdiArea", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QMdiArea", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QMdiArea", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QMdiArea", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QMdiArea", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QMdiArea", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QMdiArea", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QMdiArea", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QMdiArea", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QMdiArea", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QMdiArea", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QMdiArea", /::setLocale\s*\(/, "locale") -property_reader("QMdiArea", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QMdiArea", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QMdiArea", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QMdiArea", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QMdiArea", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QMdiArea", /::setFrameShape\s*\(/, "frameShape") -property_reader("QMdiArea", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QMdiArea", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QMdiArea", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QMdiArea", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QMdiArea", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QMdiArea", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QMdiArea", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QMdiArea", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QMdiArea", /::setFrameRect\s*\(/, "frameRect") -property_reader("QMdiArea", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QMdiArea", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QMdiArea", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QMdiArea", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QMdiArea", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QMdiArea", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QMdiArea", /::(background|isBackground|hasBackground)\s*\(/, "background") -property_writer("QMdiArea", /::setBackground\s*\(/, "background") -property_reader("QMdiArea", /::(activationOrder|isActivationOrder|hasActivationOrder)\s*\(/, "activationOrder") -property_writer("QMdiArea", /::setActivationOrder\s*\(/, "activationOrder") -property_reader("QMdiArea", /::(viewMode|isViewMode|hasViewMode)\s*\(/, "viewMode") -property_writer("QMdiArea", /::setViewMode\s*\(/, "viewMode") -property_reader("QMdiArea", /::(documentMode|isDocumentMode|hasDocumentMode)\s*\(/, "documentMode") -property_writer("QMdiArea", /::setDocumentMode\s*\(/, "documentMode") -property_reader("QMdiArea", /::(tabsClosable|isTabsClosable|hasTabsClosable)\s*\(/, "tabsClosable") -property_writer("QMdiArea", /::setTabsClosable\s*\(/, "tabsClosable") -property_reader("QMdiArea", /::(tabsMovable|isTabsMovable|hasTabsMovable)\s*\(/, "tabsMovable") -property_writer("QMdiArea", /::setTabsMovable\s*\(/, "tabsMovable") -property_reader("QMdiArea", /::(tabShape|isTabShape|hasTabShape)\s*\(/, "tabShape") -property_writer("QMdiArea", /::setTabShape\s*\(/, "tabShape") -property_reader("QMdiArea", /::(tabPosition|isTabPosition|hasTabPosition)\s*\(/, "tabPosition") -property_writer("QMdiArea", /::setTabPosition\s*\(/, "tabPosition") -property_reader("QMdiSubWindow", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMdiSubWindow", /::setObjectName\s*\(/, "objectName") -property_reader("QMdiSubWindow", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QMdiSubWindow", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QMdiSubWindow", /::setWindowModality\s*\(/, "windowModality") -property_reader("QMdiSubWindow", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QMdiSubWindow", /::setEnabled\s*\(/, "enabled") -property_reader("QMdiSubWindow", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QMdiSubWindow", /::setGeometry\s*\(/, "geometry") -property_reader("QMdiSubWindow", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QMdiSubWindow", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QMdiSubWindow", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QMdiSubWindow", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QMdiSubWindow", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QMdiSubWindow", /::setPos\s*\(/, "pos") -property_reader("QMdiSubWindow", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QMdiSubWindow", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QMdiSubWindow", /::setSize\s*\(/, "size") -property_reader("QMdiSubWindow", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QMdiSubWindow", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QMdiSubWindow", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QMdiSubWindow", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QMdiSubWindow", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QMdiSubWindow", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QMdiSubWindow", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QMdiSubWindow", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QMdiSubWindow", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QMdiSubWindow", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QMdiSubWindow", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QMdiSubWindow", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QMdiSubWindow", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QMdiSubWindow", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QMdiSubWindow", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QMdiSubWindow", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QMdiSubWindow", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QMdiSubWindow", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QMdiSubWindow", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QMdiSubWindow", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QMdiSubWindow", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QMdiSubWindow", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QMdiSubWindow", /::setBaseSize\s*\(/, "baseSize") -property_reader("QMdiSubWindow", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QMdiSubWindow", /::setPalette\s*\(/, "palette") -property_reader("QMdiSubWindow", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QMdiSubWindow", /::setFont\s*\(/, "font") -property_reader("QMdiSubWindow", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QMdiSubWindow", /::setCursor\s*\(/, "cursor") -property_reader("QMdiSubWindow", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QMdiSubWindow", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QMdiSubWindow", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QMdiSubWindow", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QMdiSubWindow", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QMdiSubWindow", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QMdiSubWindow", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QMdiSubWindow", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QMdiSubWindow", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QMdiSubWindow", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QMdiSubWindow", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QMdiSubWindow", /::setVisible\s*\(/, "visible") -property_reader("QMdiSubWindow", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QMdiSubWindow", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QMdiSubWindow", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QMdiSubWindow", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QMdiSubWindow", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QMdiSubWindow", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QMdiSubWindow", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QMdiSubWindow", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QMdiSubWindow", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QMdiSubWindow", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QMdiSubWindow", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QMdiSubWindow", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QMdiSubWindow", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QMdiSubWindow", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QMdiSubWindow", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QMdiSubWindow", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QMdiSubWindow", /::setWindowModified\s*\(/, "windowModified") -property_reader("QMdiSubWindow", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QMdiSubWindow", /::setToolTip\s*\(/, "toolTip") -property_reader("QMdiSubWindow", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QMdiSubWindow", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QMdiSubWindow", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QMdiSubWindow", /::setStatusTip\s*\(/, "statusTip") -property_reader("QMdiSubWindow", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QMdiSubWindow", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QMdiSubWindow", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QMdiSubWindow", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QMdiSubWindow", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QMdiSubWindow", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QMdiSubWindow", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QMdiSubWindow", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QMdiSubWindow", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QMdiSubWindow", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QMdiSubWindow", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QMdiSubWindow", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QMdiSubWindow", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QMdiSubWindow", /::setLocale\s*\(/, "locale") -property_reader("QMdiSubWindow", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QMdiSubWindow", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QMdiSubWindow", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QMdiSubWindow", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QMdiSubWindow", /::(keyboardSingleStep|isKeyboardSingleStep|hasKeyboardSingleStep)\s*\(/, "keyboardSingleStep") -property_writer("QMdiSubWindow", /::setKeyboardSingleStep\s*\(/, "keyboardSingleStep") -property_reader("QMdiSubWindow", /::(keyboardPageStep|isKeyboardPageStep|hasKeyboardPageStep)\s*\(/, "keyboardPageStep") -property_writer("QMdiSubWindow", /::setKeyboardPageStep\s*\(/, "keyboardPageStep") -property_reader("QMediaAudioProbeControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaAudioProbeControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaAvailabilityControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaAvailabilityControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaContainerControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaContainerControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaGaplessPlaybackControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaGaplessPlaybackControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaNetworkAccessControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaNetworkAccessControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaObject", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaObject", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaObject", /::(notifyInterval|isNotifyInterval|hasNotifyInterval)\s*\(/, "notifyInterval") -property_writer("QMediaObject", /::setNotifyInterval\s*\(/, "notifyInterval") -property_reader("QMediaPlayer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaPlayer", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaPlayer", /::(notifyInterval|isNotifyInterval|hasNotifyInterval)\s*\(/, "notifyInterval") -property_writer("QMediaPlayer", /::setNotifyInterval\s*\(/, "notifyInterval") -property_reader("QMediaPlayer", /::(media|isMedia|hasMedia)\s*\(/, "media") -property_writer("QMediaPlayer", /::setMedia\s*\(/, "media") -property_reader("QMediaPlayer", /::(currentMedia|isCurrentMedia|hasCurrentMedia)\s*\(/, "currentMedia") -property_reader("QMediaPlayer", /::(playlist|isPlaylist|hasPlaylist)\s*\(/, "playlist") -property_writer("QMediaPlayer", /::setPlaylist\s*\(/, "playlist") -property_reader("QMediaPlayer", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_reader("QMediaPlayer", /::(position|isPosition|hasPosition)\s*\(/, "position") -property_writer("QMediaPlayer", /::setPosition\s*\(/, "position") -property_reader("QMediaPlayer", /::(volume|isVolume|hasVolume)\s*\(/, "volume") -property_writer("QMediaPlayer", /::setVolume\s*\(/, "volume") -property_reader("QMediaPlayer", /::(muted|isMuted|hasMuted)\s*\(/, "muted") -property_writer("QMediaPlayer", /::setMuted\s*\(/, "muted") -property_reader("QMediaPlayer", /::(bufferStatus|isBufferStatus|hasBufferStatus)\s*\(/, "bufferStatus") -property_reader("QMediaPlayer", /::(audioAvailable|isAudioAvailable|hasAudioAvailable)\s*\(/, "audioAvailable") -property_reader("QMediaPlayer", /::(videoAvailable|isVideoAvailable|hasVideoAvailable)\s*\(/, "videoAvailable") -property_reader("QMediaPlayer", /::(seekable|isSeekable|hasSeekable)\s*\(/, "seekable") -property_reader("QMediaPlayer", /::(playbackRate|isPlaybackRate|hasPlaybackRate)\s*\(/, "playbackRate") -property_writer("QMediaPlayer", /::setPlaybackRate\s*\(/, "playbackRate") -property_reader("QMediaPlayer", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QMediaPlayer", /::(mediaStatus|isMediaStatus|hasMediaStatus)\s*\(/, "mediaStatus") -property_reader("QMediaPlayer", /::(error|isError|hasError)\s*\(/, "error") -property_reader("QMediaPlayerControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaPlayerControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaPlaylist", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaPlaylist", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaPlaylist", /::(playbackMode|isPlaybackMode|hasPlaybackMode)\s*\(/, "playbackMode") -property_writer("QMediaPlaylist", /::setPlaybackMode\s*\(/, "playbackMode") -property_reader("QMediaPlaylist", /::(currentMedia|isCurrentMedia|hasCurrentMedia)\s*\(/, "currentMedia") -property_reader("QMediaPlaylist", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") -property_writer("QMediaPlaylist", /::setCurrentIndex\s*\(/, "currentIndex") -property_reader("QMediaRecorder", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaRecorder", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaRecorder", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QMediaRecorder", /::(status|isStatus|hasStatus)\s*\(/, "status") -property_reader("QMediaRecorder", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_reader("QMediaRecorder", /::(outputLocation|isOutputLocation|hasOutputLocation)\s*\(/, "outputLocation") -property_writer("QMediaRecorder", /::setOutputLocation\s*\(/, "outputLocation") -property_reader("QMediaRecorder", /::(actualLocation|isActualLocation|hasActualLocation)\s*\(/, "actualLocation") -property_reader("QMediaRecorder", /::(muted|isMuted|hasMuted)\s*\(/, "muted") -property_writer("QMediaRecorder", /::setMuted\s*\(/, "muted") -property_reader("QMediaRecorder", /::(volume|isVolume|hasVolume)\s*\(/, "volume") -property_writer("QMediaRecorder", /::setVolume\s*\(/, "volume") -property_reader("QMediaRecorder", /::(metaDataAvailable|isMetaDataAvailable|hasMetaDataAvailable)\s*\(/, "metaDataAvailable") -property_reader("QMediaRecorder", /::(metaDataWritable|isMetaDataWritable|hasMetaDataWritable)\s*\(/, "metaDataWritable") -property_reader("QMediaRecorderControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaRecorderControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaService", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaService", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaServiceProviderPlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaServiceProviderPlugin", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaStreamsControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaStreamsControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMediaVideoProbeControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMediaVideoProbeControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMenu", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMenu", /::setObjectName\s*\(/, "objectName") -property_reader("QMenu", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QMenu", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QMenu", /::setWindowModality\s*\(/, "windowModality") -property_reader("QMenu", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QMenu", /::setEnabled\s*\(/, "enabled") -property_reader("QMenu", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QMenu", /::setGeometry\s*\(/, "geometry") -property_reader("QMenu", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QMenu", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QMenu", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QMenu", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QMenu", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QMenu", /::setPos\s*\(/, "pos") -property_reader("QMenu", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QMenu", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QMenu", /::setSize\s*\(/, "size") -property_reader("QMenu", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QMenu", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QMenu", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QMenu", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QMenu", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QMenu", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QMenu", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QMenu", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QMenu", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QMenu", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QMenu", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QMenu", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QMenu", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QMenu", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QMenu", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QMenu", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QMenu", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QMenu", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QMenu", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QMenu", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QMenu", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QMenu", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QMenu", /::setBaseSize\s*\(/, "baseSize") -property_reader("QMenu", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QMenu", /::setPalette\s*\(/, "palette") -property_reader("QMenu", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QMenu", /::setFont\s*\(/, "font") -property_reader("QMenu", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QMenu", /::setCursor\s*\(/, "cursor") -property_reader("QMenu", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QMenu", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QMenu", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QMenu", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QMenu", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QMenu", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QMenu", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QMenu", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QMenu", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QMenu", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QMenu", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QMenu", /::setVisible\s*\(/, "visible") -property_reader("QMenu", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QMenu", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QMenu", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QMenu", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QMenu", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QMenu", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QMenu", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QMenu", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QMenu", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QMenu", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QMenu", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QMenu", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QMenu", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QMenu", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QMenu", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QMenu", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QMenu", /::setWindowModified\s*\(/, "windowModified") -property_reader("QMenu", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QMenu", /::setToolTip\s*\(/, "toolTip") -property_reader("QMenu", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QMenu", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QMenu", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QMenu", /::setStatusTip\s*\(/, "statusTip") -property_reader("QMenu", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QMenu", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QMenu", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QMenu", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QMenu", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QMenu", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QMenu", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QMenu", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QMenu", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QMenu", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QMenu", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QMenu", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QMenu", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QMenu", /::setLocale\s*\(/, "locale") -property_reader("QMenu", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QMenu", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QMenu", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QMenu", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QMenu", /::(tearOffEnabled|isTearOffEnabled|hasTearOffEnabled)\s*\(/, "tearOffEnabled") -property_writer("QMenu", /::setTearOffEnabled\s*\(/, "tearOffEnabled") -property_reader("QMenu", /::(title|isTitle|hasTitle)\s*\(/, "title") -property_writer("QMenu", /::setTitle\s*\(/, "title") -property_reader("QMenu", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QMenu", /::setIcon\s*\(/, "icon") -property_reader("QMenu", /::(separatorsCollapsible|isSeparatorsCollapsible|hasSeparatorsCollapsible)\s*\(/, "separatorsCollapsible") -property_writer("QMenu", /::setSeparatorsCollapsible\s*\(/, "separatorsCollapsible") -property_reader("QMenu", /::(toolTipsVisible|isToolTipsVisible|hasToolTipsVisible)\s*\(/, "toolTipsVisible") -property_writer("QMenu", /::setToolTipsVisible\s*\(/, "toolTipsVisible") -property_reader("QMenuBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMenuBar", /::setObjectName\s*\(/, "objectName") -property_reader("QMenuBar", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QMenuBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QMenuBar", /::setWindowModality\s*\(/, "windowModality") -property_reader("QMenuBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QMenuBar", /::setEnabled\s*\(/, "enabled") -property_reader("QMenuBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QMenuBar", /::setGeometry\s*\(/, "geometry") -property_reader("QMenuBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QMenuBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QMenuBar", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QMenuBar", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QMenuBar", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QMenuBar", /::setPos\s*\(/, "pos") -property_reader("QMenuBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QMenuBar", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QMenuBar", /::setSize\s*\(/, "size") -property_reader("QMenuBar", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QMenuBar", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QMenuBar", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QMenuBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QMenuBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QMenuBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QMenuBar", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QMenuBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QMenuBar", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QMenuBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QMenuBar", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QMenuBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QMenuBar", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QMenuBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QMenuBar", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QMenuBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QMenuBar", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QMenuBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QMenuBar", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QMenuBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QMenuBar", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QMenuBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QMenuBar", /::setBaseSize\s*\(/, "baseSize") -property_reader("QMenuBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QMenuBar", /::setPalette\s*\(/, "palette") -property_reader("QMenuBar", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QMenuBar", /::setFont\s*\(/, "font") -property_reader("QMenuBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QMenuBar", /::setCursor\s*\(/, "cursor") -property_reader("QMenuBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QMenuBar", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QMenuBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QMenuBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QMenuBar", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QMenuBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QMenuBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QMenuBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QMenuBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QMenuBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QMenuBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QMenuBar", /::setVisible\s*\(/, "visible") -property_reader("QMenuBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QMenuBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QMenuBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QMenuBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QMenuBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QMenuBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QMenuBar", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QMenuBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QMenuBar", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QMenuBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QMenuBar", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QMenuBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QMenuBar", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QMenuBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QMenuBar", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QMenuBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QMenuBar", /::setWindowModified\s*\(/, "windowModified") -property_reader("QMenuBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QMenuBar", /::setToolTip\s*\(/, "toolTip") -property_reader("QMenuBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QMenuBar", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QMenuBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QMenuBar", /::setStatusTip\s*\(/, "statusTip") -property_reader("QMenuBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QMenuBar", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QMenuBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QMenuBar", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QMenuBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QMenuBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QMenuBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QMenuBar", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QMenuBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QMenuBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QMenuBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QMenuBar", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QMenuBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QMenuBar", /::setLocale\s*\(/, "locale") -property_reader("QMenuBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QMenuBar", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QMenuBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QMenuBar", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QMenuBar", /::(defaultUp|isDefaultUp|hasDefaultUp)\s*\(/, "defaultUp") -property_writer("QMenuBar", /::setDefaultUp\s*\(/, "defaultUp") -property_reader("QMenuBar", /::(nativeMenuBar|isNativeMenuBar|hasNativeMenuBar)\s*\(/, "nativeMenuBar") -property_writer("QMenuBar", /::setNativeMenuBar\s*\(/, "nativeMenuBar") -property_reader("QMessageBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMessageBox", /::setObjectName\s*\(/, "objectName") -property_reader("QMessageBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QMessageBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QMessageBox", /::setWindowModality\s*\(/, "windowModality") -property_reader("QMessageBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QMessageBox", /::setEnabled\s*\(/, "enabled") -property_reader("QMessageBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QMessageBox", /::setGeometry\s*\(/, "geometry") -property_reader("QMessageBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QMessageBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QMessageBox", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QMessageBox", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QMessageBox", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QMessageBox", /::setPos\s*\(/, "pos") -property_reader("QMessageBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QMessageBox", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QMessageBox", /::setSize\s*\(/, "size") -property_reader("QMessageBox", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QMessageBox", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QMessageBox", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QMessageBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QMessageBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QMessageBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QMessageBox", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QMessageBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QMessageBox", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QMessageBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QMessageBox", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QMessageBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QMessageBox", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QMessageBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QMessageBox", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QMessageBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QMessageBox", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QMessageBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QMessageBox", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QMessageBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QMessageBox", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QMessageBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QMessageBox", /::setBaseSize\s*\(/, "baseSize") -property_reader("QMessageBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QMessageBox", /::setPalette\s*\(/, "palette") -property_reader("QMessageBox", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QMessageBox", /::setFont\s*\(/, "font") -property_reader("QMessageBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QMessageBox", /::setCursor\s*\(/, "cursor") -property_reader("QMessageBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QMessageBox", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QMessageBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QMessageBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QMessageBox", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QMessageBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QMessageBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QMessageBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QMessageBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QMessageBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QMessageBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QMessageBox", /::setVisible\s*\(/, "visible") -property_reader("QMessageBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QMessageBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QMessageBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QMessageBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QMessageBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QMessageBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QMessageBox", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QMessageBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QMessageBox", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QMessageBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QMessageBox", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QMessageBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QMessageBox", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QMessageBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QMessageBox", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QMessageBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QMessageBox", /::setWindowModified\s*\(/, "windowModified") -property_reader("QMessageBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QMessageBox", /::setToolTip\s*\(/, "toolTip") -property_reader("QMessageBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QMessageBox", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QMessageBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QMessageBox", /::setStatusTip\s*\(/, "statusTip") -property_reader("QMessageBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QMessageBox", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QMessageBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QMessageBox", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QMessageBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QMessageBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QMessageBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QMessageBox", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QMessageBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QMessageBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QMessageBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QMessageBox", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QMessageBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QMessageBox", /::setLocale\s*\(/, "locale") -property_reader("QMessageBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QMessageBox", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QMessageBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QMessageBox", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QMessageBox", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QMessageBox", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QMessageBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QMessageBox", /::setModal\s*\(/, "modal") -property_reader("QMessageBox", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QMessageBox", /::setText\s*\(/, "text") -property_reader("QMessageBox", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QMessageBox", /::setIcon\s*\(/, "icon") -property_reader("QMessageBox", /::(iconPixmap|isIconPixmap|hasIconPixmap)\s*\(/, "iconPixmap") -property_writer("QMessageBox", /::setIconPixmap\s*\(/, "iconPixmap") -property_reader("QMessageBox", /::(textFormat|isTextFormat|hasTextFormat)\s*\(/, "textFormat") -property_writer("QMessageBox", /::setTextFormat\s*\(/, "textFormat") -property_reader("QMessageBox", /::(standardButtons|isStandardButtons|hasStandardButtons)\s*\(/, "standardButtons") -property_writer("QMessageBox", /::setStandardButtons\s*\(/, "standardButtons") -property_reader("QMessageBox", /::(detailedText|isDetailedText|hasDetailedText)\s*\(/, "detailedText") -property_writer("QMessageBox", /::setDetailedText\s*\(/, "detailedText") -property_reader("QMessageBox", /::(informativeText|isInformativeText|hasInformativeText)\s*\(/, "informativeText") -property_writer("QMessageBox", /::setInformativeText\s*\(/, "informativeText") -property_reader("QMessageBox", /::(textInteractionFlags|isTextInteractionFlags|hasTextInteractionFlags)\s*\(/, "textInteractionFlags") -property_writer("QMessageBox", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") -property_reader("QMetaDataReaderControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMetaDataReaderControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMetaDataWriterControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMetaDataWriterControl", /::setObjectName\s*\(/, "objectName") -property_reader("QMimeData", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMimeData", /::setObjectName\s*\(/, "objectName") -property_reader("QMovie", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QMovie", /::setObjectName\s*\(/, "objectName") -property_reader("QMovie", /::(speed|isSpeed|hasSpeed)\s*\(/, "speed") -property_writer("QMovie", /::setSpeed\s*\(/, "speed") -property_reader("QMovie", /::(cacheMode|isCacheMode|hasCacheMode)\s*\(/, "cacheMode") -property_writer("QMovie", /::setCacheMode\s*\(/, "cacheMode") -property_reader("QNetworkAccessManager", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QNetworkAccessManager", /::setObjectName\s*\(/, "objectName") -property_reader("QNetworkAccessManager", /::(networkAccessible|isNetworkAccessible|hasNetworkAccessible)\s*\(/, "networkAccessible") -property_writer("QNetworkAccessManager", /::setNetworkAccessible\s*\(/, "networkAccessible") -property_reader("QNetworkConfigurationManager", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QNetworkConfigurationManager", /::setObjectName\s*\(/, "objectName") -property_reader("QNetworkCookieJar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QNetworkCookieJar", /::setObjectName\s*\(/, "objectName") -property_reader("QNetworkDiskCache", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QNetworkDiskCache", /::setObjectName\s*\(/, "objectName") -property_reader("QNetworkReply", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QNetworkReply", /::setObjectName\s*\(/, "objectName") -property_reader("QNetworkSession", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QNetworkSession", /::setObjectName\s*\(/, "objectName") -property_reader("QOffscreenSurface", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QOffscreenSurface", /::setObjectName\s*\(/, "objectName") -property_reader("QPaintDeviceWindow", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPaintDeviceWindow", /::setObjectName\s*\(/, "objectName") -property_reader("QPaintDeviceWindow", /::(title|isTitle|hasTitle)\s*\(/, "title") -property_writer("QPaintDeviceWindow", /::setTitle\s*\(/, "title") -property_reader("QPaintDeviceWindow", /::(modality|isModality|hasModality)\s*\(/, "modality") -property_writer("QPaintDeviceWindow", /::setModality\s*\(/, "modality") -property_reader("QPaintDeviceWindow", /::(flags|isFlags|hasFlags)\s*\(/, "flags") -property_writer("QPaintDeviceWindow", /::setFlags\s*\(/, "flags") -property_reader("QPaintDeviceWindow", /::(x|isX|hasX)\s*\(/, "x") -property_writer("QPaintDeviceWindow", /::setX\s*\(/, "x") -property_reader("QPaintDeviceWindow", /::(y|isY|hasY)\s*\(/, "y") -property_writer("QPaintDeviceWindow", /::setY\s*\(/, "y") -property_reader("QPaintDeviceWindow", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_writer("QPaintDeviceWindow", /::setWidth\s*\(/, "width") -property_reader("QPaintDeviceWindow", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_writer("QPaintDeviceWindow", /::setHeight\s*\(/, "height") -property_reader("QPaintDeviceWindow", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QPaintDeviceWindow", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QPaintDeviceWindow", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QPaintDeviceWindow", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QPaintDeviceWindow", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QPaintDeviceWindow", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QPaintDeviceWindow", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QPaintDeviceWindow", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QPaintDeviceWindow", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QPaintDeviceWindow", /::setVisible\s*\(/, "visible") -property_reader("QPaintDeviceWindow", /::(active|isActive|hasActive)\s*\(/, "active") -property_reader("QPaintDeviceWindow", /::(visibility|isVisibility|hasVisibility)\s*\(/, "visibility") -property_writer("QPaintDeviceWindow", /::setVisibility\s*\(/, "visibility") -property_reader("QPaintDeviceWindow", /::(contentOrientation|isContentOrientation|hasContentOrientation)\s*\(/, "contentOrientation") -property_writer("QPaintDeviceWindow", /::setContentOrientation\s*\(/, "contentOrientation") -property_reader("QPaintDeviceWindow", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") -property_writer("QPaintDeviceWindow", /::setOpacity\s*\(/, "opacity") -property_reader("QPanGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPanGesture", /::setObjectName\s*\(/, "objectName") -property_reader("QPanGesture", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QPanGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") -property_reader("QPanGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") -property_writer("QPanGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") -property_reader("QPanGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") -property_writer("QPanGesture", /::setHotSpot\s*\(/, "hotSpot") -property_reader("QPanGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") -property_reader("QPanGesture", /::(lastOffset|isLastOffset|hasLastOffset)\s*\(/, "lastOffset") -property_writer("QPanGesture", /::setLastOffset\s*\(/, "lastOffset") -property_reader("QPanGesture", /::(offset|isOffset|hasOffset)\s*\(/, "offset") -property_writer("QPanGesture", /::setOffset\s*\(/, "offset") -property_reader("QPanGesture", /::(delta|isDelta|hasDelta)\s*\(/, "delta") -property_reader("QPanGesture", /::(acceleration|isAcceleration|hasAcceleration)\s*\(/, "acceleration") -property_writer("QPanGesture", /::setAcceleration\s*\(/, "acceleration") -property_reader("QPanGesture", /::(horizontalVelocity|isHorizontalVelocity|hasHorizontalVelocity)\s*\(/, "horizontalVelocity") -property_writer("QPanGesture", /::setHorizontalVelocity\s*\(/, "horizontalVelocity") -property_reader("QPanGesture", /::(verticalVelocity|isVerticalVelocity|hasVerticalVelocity)\s*\(/, "verticalVelocity") -property_writer("QPanGesture", /::setVerticalVelocity\s*\(/, "verticalVelocity") -property_reader("QParallelAnimationGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QParallelAnimationGroup", /::setObjectName\s*\(/, "objectName") -property_reader("QParallelAnimationGroup", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QParallelAnimationGroup", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") -property_writer("QParallelAnimationGroup", /::setLoopCount\s*\(/, "loopCount") -property_reader("QParallelAnimationGroup", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") -property_writer("QParallelAnimationGroup", /::setCurrentTime\s*\(/, "currentTime") -property_reader("QParallelAnimationGroup", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") -property_reader("QParallelAnimationGroup", /::(direction|isDirection|hasDirection)\s*\(/, "direction") -property_writer("QParallelAnimationGroup", /::setDirection\s*\(/, "direction") -property_reader("QParallelAnimationGroup", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_reader("QPauseAnimation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPauseAnimation", /::setObjectName\s*\(/, "objectName") -property_reader("QPauseAnimation", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QPauseAnimation", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") -property_writer("QPauseAnimation", /::setLoopCount\s*\(/, "loopCount") -property_reader("QPauseAnimation", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") -property_writer("QPauseAnimation", /::setCurrentTime\s*\(/, "currentTime") -property_reader("QPauseAnimation", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") -property_reader("QPauseAnimation", /::(direction|isDirection|hasDirection)\s*\(/, "direction") -property_writer("QPauseAnimation", /::setDirection\s*\(/, "direction") -property_reader("QPauseAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_reader("QPauseAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_writer("QPauseAnimation", /::setDuration\s*\(/, "duration") -property_reader("QPdfWriter", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPdfWriter", /::setObjectName\s*\(/, "objectName") -property_reader("QPictureFormatPlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPictureFormatPlugin", /::setObjectName\s*\(/, "objectName") -property_reader("QPinchGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPinchGesture", /::setObjectName\s*\(/, "objectName") -property_reader("QPinchGesture", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QPinchGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") -property_reader("QPinchGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") -property_writer("QPinchGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") -property_reader("QPinchGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") -property_writer("QPinchGesture", /::setHotSpot\s*\(/, "hotSpot") -property_reader("QPinchGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") -property_reader("QPinchGesture", /::(totalChangeFlags|isTotalChangeFlags|hasTotalChangeFlags)\s*\(/, "totalChangeFlags") -property_writer("QPinchGesture", /::setTotalChangeFlags\s*\(/, "totalChangeFlags") -property_reader("QPinchGesture", /::(changeFlags|isChangeFlags|hasChangeFlags)\s*\(/, "changeFlags") -property_writer("QPinchGesture", /::setChangeFlags\s*\(/, "changeFlags") -property_reader("QPinchGesture", /::(totalScaleFactor|isTotalScaleFactor|hasTotalScaleFactor)\s*\(/, "totalScaleFactor") -property_writer("QPinchGesture", /::setTotalScaleFactor\s*\(/, "totalScaleFactor") -property_reader("QPinchGesture", /::(lastScaleFactor|isLastScaleFactor|hasLastScaleFactor)\s*\(/, "lastScaleFactor") -property_writer("QPinchGesture", /::setLastScaleFactor\s*\(/, "lastScaleFactor") -property_reader("QPinchGesture", /::(scaleFactor|isScaleFactor|hasScaleFactor)\s*\(/, "scaleFactor") -property_writer("QPinchGesture", /::setScaleFactor\s*\(/, "scaleFactor") -property_reader("QPinchGesture", /::(totalRotationAngle|isTotalRotationAngle|hasTotalRotationAngle)\s*\(/, "totalRotationAngle") -property_writer("QPinchGesture", /::setTotalRotationAngle\s*\(/, "totalRotationAngle") -property_reader("QPinchGesture", /::(lastRotationAngle|isLastRotationAngle|hasLastRotationAngle)\s*\(/, "lastRotationAngle") -property_writer("QPinchGesture", /::setLastRotationAngle\s*\(/, "lastRotationAngle") -property_reader("QPinchGesture", /::(rotationAngle|isRotationAngle|hasRotationAngle)\s*\(/, "rotationAngle") -property_writer("QPinchGesture", /::setRotationAngle\s*\(/, "rotationAngle") -property_reader("QPinchGesture", /::(startCenterPoint|isStartCenterPoint|hasStartCenterPoint)\s*\(/, "startCenterPoint") -property_writer("QPinchGesture", /::setStartCenterPoint\s*\(/, "startCenterPoint") -property_reader("QPinchGesture", /::(lastCenterPoint|isLastCenterPoint|hasLastCenterPoint)\s*\(/, "lastCenterPoint") -property_writer("QPinchGesture", /::setLastCenterPoint\s*\(/, "lastCenterPoint") -property_reader("QPinchGesture", /::(centerPoint|isCenterPoint|hasCenterPoint)\s*\(/, "centerPoint") -property_writer("QPinchGesture", /::setCenterPoint\s*\(/, "centerPoint") -property_reader("QPlainTextDocumentLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPlainTextDocumentLayout", /::setObjectName\s*\(/, "objectName") -property_reader("QPlainTextDocumentLayout", /::(cursorWidth|isCursorWidth|hasCursorWidth)\s*\(/, "cursorWidth") -property_writer("QPlainTextDocumentLayout", /::setCursorWidth\s*\(/, "cursorWidth") -property_reader("QPlainTextEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPlainTextEdit", /::setObjectName\s*\(/, "objectName") -property_reader("QPlainTextEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QPlainTextEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QPlainTextEdit", /::setWindowModality\s*\(/, "windowModality") -property_reader("QPlainTextEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QPlainTextEdit", /::setEnabled\s*\(/, "enabled") -property_reader("QPlainTextEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QPlainTextEdit", /::setGeometry\s*\(/, "geometry") -property_reader("QPlainTextEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QPlainTextEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QPlainTextEdit", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QPlainTextEdit", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QPlainTextEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QPlainTextEdit", /::setPos\s*\(/, "pos") -property_reader("QPlainTextEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QPlainTextEdit", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QPlainTextEdit", /::setSize\s*\(/, "size") -property_reader("QPlainTextEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QPlainTextEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QPlainTextEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QPlainTextEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QPlainTextEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QPlainTextEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QPlainTextEdit", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QPlainTextEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QPlainTextEdit", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QPlainTextEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QPlainTextEdit", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QPlainTextEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QPlainTextEdit", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QPlainTextEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QPlainTextEdit", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QPlainTextEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QPlainTextEdit", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QPlainTextEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QPlainTextEdit", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QPlainTextEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QPlainTextEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QPlainTextEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QPlainTextEdit", /::setBaseSize\s*\(/, "baseSize") -property_reader("QPlainTextEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QPlainTextEdit", /::setPalette\s*\(/, "palette") -property_reader("QPlainTextEdit", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QPlainTextEdit", /::setFont\s*\(/, "font") -property_reader("QPlainTextEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QPlainTextEdit", /::setCursor\s*\(/, "cursor") -property_reader("QPlainTextEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QPlainTextEdit", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QPlainTextEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QPlainTextEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QPlainTextEdit", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QPlainTextEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QPlainTextEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QPlainTextEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QPlainTextEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QPlainTextEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QPlainTextEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QPlainTextEdit", /::setVisible\s*\(/, "visible") -property_reader("QPlainTextEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QPlainTextEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QPlainTextEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QPlainTextEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QPlainTextEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QPlainTextEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QPlainTextEdit", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QPlainTextEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QPlainTextEdit", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QPlainTextEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QPlainTextEdit", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QPlainTextEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QPlainTextEdit", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QPlainTextEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QPlainTextEdit", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QPlainTextEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QPlainTextEdit", /::setWindowModified\s*\(/, "windowModified") -property_reader("QPlainTextEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QPlainTextEdit", /::setToolTip\s*\(/, "toolTip") -property_reader("QPlainTextEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QPlainTextEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QPlainTextEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QPlainTextEdit", /::setStatusTip\s*\(/, "statusTip") -property_reader("QPlainTextEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QPlainTextEdit", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QPlainTextEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QPlainTextEdit", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QPlainTextEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QPlainTextEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QPlainTextEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QPlainTextEdit", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QPlainTextEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QPlainTextEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QPlainTextEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QPlainTextEdit", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QPlainTextEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QPlainTextEdit", /::setLocale\s*\(/, "locale") -property_reader("QPlainTextEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QPlainTextEdit", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QPlainTextEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QPlainTextEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QPlainTextEdit", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QPlainTextEdit", /::setFrameShape\s*\(/, "frameShape") -property_reader("QPlainTextEdit", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QPlainTextEdit", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QPlainTextEdit", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QPlainTextEdit", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QPlainTextEdit", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QPlainTextEdit", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QPlainTextEdit", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QPlainTextEdit", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QPlainTextEdit", /::setFrameRect\s*\(/, "frameRect") -property_reader("QPlainTextEdit", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QPlainTextEdit", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QPlainTextEdit", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QPlainTextEdit", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QPlainTextEdit", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QPlainTextEdit", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QPlainTextEdit", /::(tabChangesFocus|isTabChangesFocus|hasTabChangesFocus)\s*\(/, "tabChangesFocus") -property_writer("QPlainTextEdit", /::setTabChangesFocus\s*\(/, "tabChangesFocus") -property_reader("QPlainTextEdit", /::(documentTitle|isDocumentTitle|hasDocumentTitle)\s*\(/, "documentTitle") -property_writer("QPlainTextEdit", /::setDocumentTitle\s*\(/, "documentTitle") -property_reader("QPlainTextEdit", /::(undoRedoEnabled|isUndoRedoEnabled|hasUndoRedoEnabled)\s*\(/, "undoRedoEnabled") -property_writer("QPlainTextEdit", /::setUndoRedoEnabled\s*\(/, "undoRedoEnabled") -property_reader("QPlainTextEdit", /::(lineWrapMode|isLineWrapMode|hasLineWrapMode)\s*\(/, "lineWrapMode") -property_writer("QPlainTextEdit", /::setLineWrapMode\s*\(/, "lineWrapMode") -property_reader("QPlainTextEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QPlainTextEdit", /::setReadOnly\s*\(/, "readOnly") -property_reader("QPlainTextEdit", /::(plainText|isPlainText|hasPlainText)\s*\(/, "plainText") -property_writer("QPlainTextEdit", /::setPlainText\s*\(/, "plainText") -property_reader("QPlainTextEdit", /::(overwriteMode|isOverwriteMode|hasOverwriteMode)\s*\(/, "overwriteMode") -property_writer("QPlainTextEdit", /::setOverwriteMode\s*\(/, "overwriteMode") -property_reader("QPlainTextEdit", /::(tabStopWidth|isTabStopWidth|hasTabStopWidth)\s*\(/, "tabStopWidth") -property_writer("QPlainTextEdit", /::setTabStopWidth\s*\(/, "tabStopWidth") -property_reader("QPlainTextEdit", /::(cursorWidth|isCursorWidth|hasCursorWidth)\s*\(/, "cursorWidth") -property_writer("QPlainTextEdit", /::setCursorWidth\s*\(/, "cursorWidth") -property_reader("QPlainTextEdit", /::(textInteractionFlags|isTextInteractionFlags|hasTextInteractionFlags)\s*\(/, "textInteractionFlags") -property_writer("QPlainTextEdit", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") -property_reader("QPlainTextEdit", /::(blockCount|isBlockCount|hasBlockCount)\s*\(/, "blockCount") -property_reader("QPlainTextEdit", /::(maximumBlockCount|isMaximumBlockCount|hasMaximumBlockCount)\s*\(/, "maximumBlockCount") -property_writer("QPlainTextEdit", /::setMaximumBlockCount\s*\(/, "maximumBlockCount") -property_reader("QPlainTextEdit", /::(backgroundVisible|isBackgroundVisible|hasBackgroundVisible)\s*\(/, "backgroundVisible") -property_writer("QPlainTextEdit", /::setBackgroundVisible\s*\(/, "backgroundVisible") -property_reader("QPlainTextEdit", /::(centerOnScroll|isCenterOnScroll|hasCenterOnScroll)\s*\(/, "centerOnScroll") -property_writer("QPlainTextEdit", /::setCenterOnScroll\s*\(/, "centerOnScroll") -property_reader("QPlainTextEdit", /::(placeholderText|isPlaceholderText|hasPlaceholderText)\s*\(/, "placeholderText") -property_writer("QPlainTextEdit", /::setPlaceholderText\s*\(/, "placeholderText") -property_reader("QPluginLoader", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPluginLoader", /::setObjectName\s*\(/, "objectName") -property_reader("QPluginLoader", /::(fileName|isFileName|hasFileName)\s*\(/, "fileName") -property_writer("QPluginLoader", /::setFileName\s*\(/, "fileName") -property_reader("QPluginLoader", /::(loadHints|isLoadHints|hasLoadHints)\s*\(/, "loadHints") -property_writer("QPluginLoader", /::setLoadHints\s*\(/, "loadHints") -property_reader("QPrintDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPrintDialog", /::setObjectName\s*\(/, "objectName") -property_reader("QPrintDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QPrintDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QPrintDialog", /::setWindowModality\s*\(/, "windowModality") -property_reader("QPrintDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QPrintDialog", /::setEnabled\s*\(/, "enabled") -property_reader("QPrintDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QPrintDialog", /::setGeometry\s*\(/, "geometry") -property_reader("QPrintDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QPrintDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QPrintDialog", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QPrintDialog", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QPrintDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QPrintDialog", /::setPos\s*\(/, "pos") -property_reader("QPrintDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QPrintDialog", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QPrintDialog", /::setSize\s*\(/, "size") -property_reader("QPrintDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QPrintDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QPrintDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QPrintDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QPrintDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QPrintDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QPrintDialog", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QPrintDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QPrintDialog", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QPrintDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QPrintDialog", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QPrintDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QPrintDialog", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QPrintDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QPrintDialog", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QPrintDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QPrintDialog", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QPrintDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QPrintDialog", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QPrintDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QPrintDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QPrintDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QPrintDialog", /::setBaseSize\s*\(/, "baseSize") -property_reader("QPrintDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QPrintDialog", /::setPalette\s*\(/, "palette") -property_reader("QPrintDialog", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QPrintDialog", /::setFont\s*\(/, "font") -property_reader("QPrintDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QPrintDialog", /::setCursor\s*\(/, "cursor") -property_reader("QPrintDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QPrintDialog", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QPrintDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QPrintDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QPrintDialog", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QPrintDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QPrintDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QPrintDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QPrintDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QPrintDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QPrintDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QPrintDialog", /::setVisible\s*\(/, "visible") -property_reader("QPrintDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QPrintDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QPrintDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QPrintDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QPrintDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QPrintDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QPrintDialog", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QPrintDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QPrintDialog", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QPrintDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QPrintDialog", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QPrintDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QPrintDialog", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QPrintDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QPrintDialog", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QPrintDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QPrintDialog", /::setWindowModified\s*\(/, "windowModified") -property_reader("QPrintDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QPrintDialog", /::setToolTip\s*\(/, "toolTip") -property_reader("QPrintDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QPrintDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QPrintDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QPrintDialog", /::setStatusTip\s*\(/, "statusTip") -property_reader("QPrintDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QPrintDialog", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QPrintDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QPrintDialog", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QPrintDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QPrintDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QPrintDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QPrintDialog", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QPrintDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QPrintDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QPrintDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QPrintDialog", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QPrintDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QPrintDialog", /::setLocale\s*\(/, "locale") -property_reader("QPrintDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QPrintDialog", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QPrintDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QPrintDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QPrintDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QPrintDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QPrintDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QPrintDialog", /::setModal\s*\(/, "modal") -property_reader("QPrintDialog", /::(options|isOptions|hasOptions)\s*\(/, "options") -property_writer("QPrintDialog", /::setOptions\s*\(/, "options") -property_reader("QPrintPreviewDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPrintPreviewDialog", /::setObjectName\s*\(/, "objectName") -property_reader("QPrintPreviewDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QPrintPreviewDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QPrintPreviewDialog", /::setWindowModality\s*\(/, "windowModality") -property_reader("QPrintPreviewDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QPrintPreviewDialog", /::setEnabled\s*\(/, "enabled") -property_reader("QPrintPreviewDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QPrintPreviewDialog", /::setGeometry\s*\(/, "geometry") -property_reader("QPrintPreviewDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QPrintPreviewDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QPrintPreviewDialog", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QPrintPreviewDialog", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QPrintPreviewDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QPrintPreviewDialog", /::setPos\s*\(/, "pos") -property_reader("QPrintPreviewDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QPrintPreviewDialog", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QPrintPreviewDialog", /::setSize\s*\(/, "size") -property_reader("QPrintPreviewDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QPrintPreviewDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QPrintPreviewDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QPrintPreviewDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QPrintPreviewDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QPrintPreviewDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QPrintPreviewDialog", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QPrintPreviewDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QPrintPreviewDialog", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QPrintPreviewDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QPrintPreviewDialog", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QPrintPreviewDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QPrintPreviewDialog", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QPrintPreviewDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QPrintPreviewDialog", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QPrintPreviewDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QPrintPreviewDialog", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QPrintPreviewDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QPrintPreviewDialog", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QPrintPreviewDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QPrintPreviewDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QPrintPreviewDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QPrintPreviewDialog", /::setBaseSize\s*\(/, "baseSize") -property_reader("QPrintPreviewDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QPrintPreviewDialog", /::setPalette\s*\(/, "palette") -property_reader("QPrintPreviewDialog", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QPrintPreviewDialog", /::setFont\s*\(/, "font") -property_reader("QPrintPreviewDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QPrintPreviewDialog", /::setCursor\s*\(/, "cursor") -property_reader("QPrintPreviewDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QPrintPreviewDialog", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QPrintPreviewDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QPrintPreviewDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QPrintPreviewDialog", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QPrintPreviewDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QPrintPreviewDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QPrintPreviewDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QPrintPreviewDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QPrintPreviewDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QPrintPreviewDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QPrintPreviewDialog", /::setVisible\s*\(/, "visible") -property_reader("QPrintPreviewDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QPrintPreviewDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QPrintPreviewDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QPrintPreviewDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QPrintPreviewDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QPrintPreviewDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QPrintPreviewDialog", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QPrintPreviewDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QPrintPreviewDialog", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QPrintPreviewDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QPrintPreviewDialog", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QPrintPreviewDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QPrintPreviewDialog", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QPrintPreviewDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QPrintPreviewDialog", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QPrintPreviewDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QPrintPreviewDialog", /::setWindowModified\s*\(/, "windowModified") -property_reader("QPrintPreviewDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QPrintPreviewDialog", /::setToolTip\s*\(/, "toolTip") -property_reader("QPrintPreviewDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QPrintPreviewDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QPrintPreviewDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QPrintPreviewDialog", /::setStatusTip\s*\(/, "statusTip") -property_reader("QPrintPreviewDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QPrintPreviewDialog", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QPrintPreviewDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QPrintPreviewDialog", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QPrintPreviewDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QPrintPreviewDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QPrintPreviewDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QPrintPreviewDialog", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QPrintPreviewDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QPrintPreviewDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QPrintPreviewDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QPrintPreviewDialog", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QPrintPreviewDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QPrintPreviewDialog", /::setLocale\s*\(/, "locale") -property_reader("QPrintPreviewDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QPrintPreviewDialog", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QPrintPreviewDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QPrintPreviewDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QPrintPreviewDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QPrintPreviewDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QPrintPreviewDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QPrintPreviewDialog", /::setModal\s*\(/, "modal") -property_reader("QPrintPreviewWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPrintPreviewWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QPrintPreviewWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QPrintPreviewWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QPrintPreviewWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QPrintPreviewWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QPrintPreviewWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QPrintPreviewWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QPrintPreviewWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QPrintPreviewWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QPrintPreviewWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QPrintPreviewWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QPrintPreviewWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QPrintPreviewWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QPrintPreviewWidget", /::setPos\s*\(/, "pos") -property_reader("QPrintPreviewWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QPrintPreviewWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QPrintPreviewWidget", /::setSize\s*\(/, "size") -property_reader("QPrintPreviewWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QPrintPreviewWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QPrintPreviewWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QPrintPreviewWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QPrintPreviewWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QPrintPreviewWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QPrintPreviewWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QPrintPreviewWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QPrintPreviewWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QPrintPreviewWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QPrintPreviewWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QPrintPreviewWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QPrintPreviewWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QPrintPreviewWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QPrintPreviewWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QPrintPreviewWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QPrintPreviewWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QPrintPreviewWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QPrintPreviewWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QPrintPreviewWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QPrintPreviewWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QPrintPreviewWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QPrintPreviewWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QPrintPreviewWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QPrintPreviewWidget", /::setPalette\s*\(/, "palette") -property_reader("QPrintPreviewWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QPrintPreviewWidget", /::setFont\s*\(/, "font") -property_reader("QPrintPreviewWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QPrintPreviewWidget", /::setCursor\s*\(/, "cursor") -property_reader("QPrintPreviewWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QPrintPreviewWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QPrintPreviewWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QPrintPreviewWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QPrintPreviewWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QPrintPreviewWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QPrintPreviewWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QPrintPreviewWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QPrintPreviewWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QPrintPreviewWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QPrintPreviewWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QPrintPreviewWidget", /::setVisible\s*\(/, "visible") -property_reader("QPrintPreviewWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QPrintPreviewWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QPrintPreviewWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QPrintPreviewWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QPrintPreviewWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QPrintPreviewWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QPrintPreviewWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QPrintPreviewWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QPrintPreviewWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QPrintPreviewWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QPrintPreviewWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QPrintPreviewWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QPrintPreviewWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QPrintPreviewWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QPrintPreviewWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QPrintPreviewWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QPrintPreviewWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QPrintPreviewWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QPrintPreviewWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QPrintPreviewWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QPrintPreviewWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QPrintPreviewWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QPrintPreviewWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QPrintPreviewWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QPrintPreviewWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QPrintPreviewWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QPrintPreviewWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QPrintPreviewWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QPrintPreviewWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QPrintPreviewWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QPrintPreviewWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QPrintPreviewWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QPrintPreviewWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QPrintPreviewWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QPrintPreviewWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QPrintPreviewWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QPrintPreviewWidget", /::setLocale\s*\(/, "locale") -property_reader("QPrintPreviewWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QPrintPreviewWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QPrintPreviewWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QPrintPreviewWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QProcess", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QProcess", /::setObjectName\s*\(/, "objectName") -property_reader("QProgressBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QProgressBar", /::setObjectName\s*\(/, "objectName") -property_reader("QProgressBar", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QProgressBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QProgressBar", /::setWindowModality\s*\(/, "windowModality") -property_reader("QProgressBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QProgressBar", /::setEnabled\s*\(/, "enabled") -property_reader("QProgressBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QProgressBar", /::setGeometry\s*\(/, "geometry") -property_reader("QProgressBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QProgressBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QProgressBar", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QProgressBar", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QProgressBar", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QProgressBar", /::setPos\s*\(/, "pos") -property_reader("QProgressBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QProgressBar", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QProgressBar", /::setSize\s*\(/, "size") -property_reader("QProgressBar", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QProgressBar", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QProgressBar", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QProgressBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QProgressBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QProgressBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QProgressBar", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QProgressBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QProgressBar", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QProgressBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QProgressBar", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QProgressBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QProgressBar", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QProgressBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QProgressBar", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QProgressBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QProgressBar", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QProgressBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QProgressBar", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QProgressBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QProgressBar", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QProgressBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QProgressBar", /::setBaseSize\s*\(/, "baseSize") -property_reader("QProgressBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QProgressBar", /::setPalette\s*\(/, "palette") -property_reader("QProgressBar", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QProgressBar", /::setFont\s*\(/, "font") -property_reader("QProgressBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QProgressBar", /::setCursor\s*\(/, "cursor") -property_reader("QProgressBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QProgressBar", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QProgressBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QProgressBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QProgressBar", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QProgressBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QProgressBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QProgressBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QProgressBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QProgressBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QProgressBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QProgressBar", /::setVisible\s*\(/, "visible") -property_reader("QProgressBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QProgressBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QProgressBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QProgressBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QProgressBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QProgressBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QProgressBar", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QProgressBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QProgressBar", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QProgressBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QProgressBar", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QProgressBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QProgressBar", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QProgressBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QProgressBar", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QProgressBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QProgressBar", /::setWindowModified\s*\(/, "windowModified") -property_reader("QProgressBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QProgressBar", /::setToolTip\s*\(/, "toolTip") -property_reader("QProgressBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QProgressBar", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QProgressBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QProgressBar", /::setStatusTip\s*\(/, "statusTip") -property_reader("QProgressBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QProgressBar", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QProgressBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QProgressBar", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QProgressBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QProgressBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QProgressBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QProgressBar", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QProgressBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QProgressBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QProgressBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QProgressBar", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QProgressBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QProgressBar", /::setLocale\s*\(/, "locale") -property_reader("QProgressBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QProgressBar", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QProgressBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QProgressBar", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QProgressBar", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") -property_writer("QProgressBar", /::setMinimum\s*\(/, "minimum") -property_reader("QProgressBar", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") -property_writer("QProgressBar", /::setMaximum\s*\(/, "maximum") -property_reader("QProgressBar", /::(text|isText|hasText)\s*\(/, "text") -property_reader("QProgressBar", /::(value|isValue|hasValue)\s*\(/, "value") -property_writer("QProgressBar", /::setValue\s*\(/, "value") -property_reader("QProgressBar", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QProgressBar", /::setAlignment\s*\(/, "alignment") -property_reader("QProgressBar", /::(textVisible|isTextVisible|hasTextVisible)\s*\(/, "textVisible") -property_writer("QProgressBar", /::setTextVisible\s*\(/, "textVisible") -property_reader("QProgressBar", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") -property_writer("QProgressBar", /::setOrientation\s*\(/, "orientation") -property_reader("QProgressBar", /::(invertedAppearance|isInvertedAppearance|hasInvertedAppearance)\s*\(/, "invertedAppearance") -property_writer("QProgressBar", /::setInvertedAppearance\s*\(/, "invertedAppearance") -property_reader("QProgressBar", /::(textDirection|isTextDirection|hasTextDirection)\s*\(/, "textDirection") -property_writer("QProgressBar", /::setTextDirection\s*\(/, "textDirection") -property_reader("QProgressBar", /::(format|isFormat|hasFormat)\s*\(/, "format") -property_writer("QProgressBar", /::setFormat\s*\(/, "format") -property_reader("QProgressDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QProgressDialog", /::setObjectName\s*\(/, "objectName") -property_reader("QProgressDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QProgressDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QProgressDialog", /::setWindowModality\s*\(/, "windowModality") -property_reader("QProgressDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QProgressDialog", /::setEnabled\s*\(/, "enabled") -property_reader("QProgressDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QProgressDialog", /::setGeometry\s*\(/, "geometry") -property_reader("QProgressDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QProgressDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QProgressDialog", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QProgressDialog", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QProgressDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QProgressDialog", /::setPos\s*\(/, "pos") -property_reader("QProgressDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QProgressDialog", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QProgressDialog", /::setSize\s*\(/, "size") -property_reader("QProgressDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QProgressDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QProgressDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QProgressDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QProgressDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QProgressDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QProgressDialog", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QProgressDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QProgressDialog", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QProgressDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QProgressDialog", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QProgressDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QProgressDialog", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QProgressDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QProgressDialog", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QProgressDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QProgressDialog", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QProgressDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QProgressDialog", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QProgressDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QProgressDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QProgressDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QProgressDialog", /::setBaseSize\s*\(/, "baseSize") -property_reader("QProgressDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QProgressDialog", /::setPalette\s*\(/, "palette") -property_reader("QProgressDialog", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QProgressDialog", /::setFont\s*\(/, "font") -property_reader("QProgressDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QProgressDialog", /::setCursor\s*\(/, "cursor") -property_reader("QProgressDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QProgressDialog", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QProgressDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QProgressDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QProgressDialog", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QProgressDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QProgressDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QProgressDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QProgressDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QProgressDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QProgressDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QProgressDialog", /::setVisible\s*\(/, "visible") -property_reader("QProgressDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QProgressDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QProgressDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QProgressDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QProgressDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QProgressDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QProgressDialog", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QProgressDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QProgressDialog", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QProgressDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QProgressDialog", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QProgressDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QProgressDialog", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QProgressDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QProgressDialog", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QProgressDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QProgressDialog", /::setWindowModified\s*\(/, "windowModified") -property_reader("QProgressDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QProgressDialog", /::setToolTip\s*\(/, "toolTip") -property_reader("QProgressDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QProgressDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QProgressDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QProgressDialog", /::setStatusTip\s*\(/, "statusTip") -property_reader("QProgressDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QProgressDialog", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QProgressDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QProgressDialog", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QProgressDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QProgressDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QProgressDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QProgressDialog", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QProgressDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QProgressDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QProgressDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QProgressDialog", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QProgressDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QProgressDialog", /::setLocale\s*\(/, "locale") -property_reader("QProgressDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QProgressDialog", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QProgressDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QProgressDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QProgressDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QProgressDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QProgressDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QProgressDialog", /::setModal\s*\(/, "modal") -property_reader("QProgressDialog", /::(wasCanceled|isWasCanceled|hasWasCanceled)\s*\(/, "wasCanceled") -property_reader("QProgressDialog", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") -property_writer("QProgressDialog", /::setMinimum\s*\(/, "minimum") -property_reader("QProgressDialog", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") -property_writer("QProgressDialog", /::setMaximum\s*\(/, "maximum") -property_reader("QProgressDialog", /::(value|isValue|hasValue)\s*\(/, "value") -property_writer("QProgressDialog", /::setValue\s*\(/, "value") -property_reader("QProgressDialog", /::(autoReset|isAutoReset|hasAutoReset)\s*\(/, "autoReset") -property_writer("QProgressDialog", /::setAutoReset\s*\(/, "autoReset") -property_reader("QProgressDialog", /::(autoClose|isAutoClose|hasAutoClose)\s*\(/, "autoClose") -property_writer("QProgressDialog", /::setAutoClose\s*\(/, "autoClose") -property_reader("QProgressDialog", /::(minimumDuration|isMinimumDuration|hasMinimumDuration)\s*\(/, "minimumDuration") -property_writer("QProgressDialog", /::setMinimumDuration\s*\(/, "minimumDuration") -property_reader("QProgressDialog", /::(labelText|isLabelText|hasLabelText)\s*\(/, "labelText") -property_writer("QProgressDialog", /::setLabelText\s*\(/, "labelText") -property_reader("QPropertyAnimation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPropertyAnimation", /::setObjectName\s*\(/, "objectName") -property_reader("QPropertyAnimation", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QPropertyAnimation", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") -property_writer("QPropertyAnimation", /::setLoopCount\s*\(/, "loopCount") -property_reader("QPropertyAnimation", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") -property_writer("QPropertyAnimation", /::setCurrentTime\s*\(/, "currentTime") -property_reader("QPropertyAnimation", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") -property_reader("QPropertyAnimation", /::(direction|isDirection|hasDirection)\s*\(/, "direction") -property_writer("QPropertyAnimation", /::setDirection\s*\(/, "direction") -property_reader("QPropertyAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_reader("QPropertyAnimation", /::(startValue|isStartValue|hasStartValue)\s*\(/, "startValue") -property_writer("QPropertyAnimation", /::setStartValue\s*\(/, "startValue") -property_reader("QPropertyAnimation", /::(endValue|isEndValue|hasEndValue)\s*\(/, "endValue") -property_writer("QPropertyAnimation", /::setEndValue\s*\(/, "endValue") -property_reader("QPropertyAnimation", /::(currentValue|isCurrentValue|hasCurrentValue)\s*\(/, "currentValue") -property_reader("QPropertyAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_writer("QPropertyAnimation", /::setDuration\s*\(/, "duration") -property_reader("QPropertyAnimation", /::(easingCurve|isEasingCurve|hasEasingCurve)\s*\(/, "easingCurve") -property_writer("QPropertyAnimation", /::setEasingCurve\s*\(/, "easingCurve") -property_reader("QPropertyAnimation", /::(propertyName|isPropertyName|hasPropertyName)\s*\(/, "propertyName") -property_writer("QPropertyAnimation", /::setPropertyName\s*\(/, "propertyName") -property_reader("QPropertyAnimation", /::(targetObject|isTargetObject|hasTargetObject)\s*\(/, "targetObject") -property_writer("QPropertyAnimation", /::setTargetObject\s*\(/, "targetObject") -property_reader("QPushButton", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QPushButton", /::setObjectName\s*\(/, "objectName") -property_reader("QPushButton", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QPushButton", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QPushButton", /::setWindowModality\s*\(/, "windowModality") -property_reader("QPushButton", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QPushButton", /::setEnabled\s*\(/, "enabled") -property_reader("QPushButton", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QPushButton", /::setGeometry\s*\(/, "geometry") -property_reader("QPushButton", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QPushButton", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QPushButton", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QPushButton", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QPushButton", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QPushButton", /::setPos\s*\(/, "pos") -property_reader("QPushButton", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QPushButton", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QPushButton", /::setSize\s*\(/, "size") -property_reader("QPushButton", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QPushButton", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QPushButton", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QPushButton", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QPushButton", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QPushButton", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QPushButton", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QPushButton", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QPushButton", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QPushButton", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QPushButton", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QPushButton", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QPushButton", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QPushButton", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QPushButton", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QPushButton", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QPushButton", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QPushButton", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QPushButton", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QPushButton", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QPushButton", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QPushButton", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QPushButton", /::setBaseSize\s*\(/, "baseSize") -property_reader("QPushButton", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QPushButton", /::setPalette\s*\(/, "palette") -property_reader("QPushButton", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QPushButton", /::setFont\s*\(/, "font") -property_reader("QPushButton", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QPushButton", /::setCursor\s*\(/, "cursor") -property_reader("QPushButton", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QPushButton", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QPushButton", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QPushButton", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QPushButton", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QPushButton", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QPushButton", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QPushButton", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QPushButton", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QPushButton", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QPushButton", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QPushButton", /::setVisible\s*\(/, "visible") -property_reader("QPushButton", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QPushButton", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QPushButton", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QPushButton", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QPushButton", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QPushButton", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QPushButton", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QPushButton", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QPushButton", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QPushButton", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QPushButton", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QPushButton", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QPushButton", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QPushButton", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QPushButton", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QPushButton", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QPushButton", /::setWindowModified\s*\(/, "windowModified") -property_reader("QPushButton", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QPushButton", /::setToolTip\s*\(/, "toolTip") -property_reader("QPushButton", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QPushButton", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QPushButton", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QPushButton", /::setStatusTip\s*\(/, "statusTip") -property_reader("QPushButton", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QPushButton", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QPushButton", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QPushButton", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QPushButton", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QPushButton", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QPushButton", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QPushButton", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QPushButton", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QPushButton", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QPushButton", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QPushButton", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QPushButton", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QPushButton", /::setLocale\s*\(/, "locale") -property_reader("QPushButton", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QPushButton", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QPushButton", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QPushButton", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QPushButton", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QPushButton", /::setText\s*\(/, "text") -property_reader("QPushButton", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QPushButton", /::setIcon\s*\(/, "icon") -property_reader("QPushButton", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QPushButton", /::setIconSize\s*\(/, "iconSize") -property_reader("QPushButton", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") -property_writer("QPushButton", /::setShortcut\s*\(/, "shortcut") -property_reader("QPushButton", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") -property_writer("QPushButton", /::setCheckable\s*\(/, "checkable") -property_reader("QPushButton", /::(checked|isChecked|hasChecked)\s*\(/, "checked") -property_writer("QPushButton", /::setChecked\s*\(/, "checked") -property_reader("QPushButton", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") -property_writer("QPushButton", /::setAutoRepeat\s*\(/, "autoRepeat") -property_reader("QPushButton", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") -property_writer("QPushButton", /::setAutoExclusive\s*\(/, "autoExclusive") -property_reader("QPushButton", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") -property_writer("QPushButton", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") -property_reader("QPushButton", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") -property_writer("QPushButton", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") -property_reader("QPushButton", /::(down|isDown|hasDown)\s*\(/, "down") -property_writer("QPushButton", /::setDown\s*\(/, "down") -property_reader("QPushButton", /::(autoDefault|isAutoDefault|hasAutoDefault)\s*\(/, "autoDefault") -property_writer("QPushButton", /::setAutoDefault\s*\(/, "autoDefault") -property_reader("QPushButton", /::(default|isDefault|hasDefault)\s*\(/, "default") -property_writer("QPushButton", /::setDefault\s*\(/, "default") -property_reader("QPushButton", /::(flat|isFlat|hasFlat)\s*\(/, "flat") -property_writer("QPushButton", /::setFlat\s*\(/, "flat") -property_reader("QRadioButton", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QRadioButton", /::setObjectName\s*\(/, "objectName") -property_reader("QRadioButton", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QRadioButton", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QRadioButton", /::setWindowModality\s*\(/, "windowModality") -property_reader("QRadioButton", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QRadioButton", /::setEnabled\s*\(/, "enabled") -property_reader("QRadioButton", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QRadioButton", /::setGeometry\s*\(/, "geometry") -property_reader("QRadioButton", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QRadioButton", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QRadioButton", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QRadioButton", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QRadioButton", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QRadioButton", /::setPos\s*\(/, "pos") -property_reader("QRadioButton", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QRadioButton", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QRadioButton", /::setSize\s*\(/, "size") -property_reader("QRadioButton", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QRadioButton", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QRadioButton", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QRadioButton", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QRadioButton", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QRadioButton", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QRadioButton", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QRadioButton", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QRadioButton", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QRadioButton", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QRadioButton", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QRadioButton", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QRadioButton", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QRadioButton", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QRadioButton", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QRadioButton", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QRadioButton", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QRadioButton", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QRadioButton", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QRadioButton", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QRadioButton", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QRadioButton", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QRadioButton", /::setBaseSize\s*\(/, "baseSize") -property_reader("QRadioButton", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QRadioButton", /::setPalette\s*\(/, "palette") -property_reader("QRadioButton", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QRadioButton", /::setFont\s*\(/, "font") -property_reader("QRadioButton", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QRadioButton", /::setCursor\s*\(/, "cursor") -property_reader("QRadioButton", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QRadioButton", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QRadioButton", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QRadioButton", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QRadioButton", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QRadioButton", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QRadioButton", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QRadioButton", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QRadioButton", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QRadioButton", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QRadioButton", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QRadioButton", /::setVisible\s*\(/, "visible") -property_reader("QRadioButton", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QRadioButton", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QRadioButton", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QRadioButton", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QRadioButton", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QRadioButton", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QRadioButton", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QRadioButton", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QRadioButton", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QRadioButton", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QRadioButton", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QRadioButton", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QRadioButton", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QRadioButton", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QRadioButton", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QRadioButton", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QRadioButton", /::setWindowModified\s*\(/, "windowModified") -property_reader("QRadioButton", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QRadioButton", /::setToolTip\s*\(/, "toolTip") -property_reader("QRadioButton", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QRadioButton", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QRadioButton", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QRadioButton", /::setStatusTip\s*\(/, "statusTip") -property_reader("QRadioButton", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QRadioButton", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QRadioButton", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QRadioButton", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QRadioButton", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QRadioButton", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QRadioButton", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QRadioButton", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QRadioButton", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QRadioButton", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QRadioButton", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QRadioButton", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QRadioButton", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QRadioButton", /::setLocale\s*\(/, "locale") -property_reader("QRadioButton", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QRadioButton", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QRadioButton", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QRadioButton", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QRadioButton", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QRadioButton", /::setText\s*\(/, "text") -property_reader("QRadioButton", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QRadioButton", /::setIcon\s*\(/, "icon") -property_reader("QRadioButton", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QRadioButton", /::setIconSize\s*\(/, "iconSize") -property_reader("QRadioButton", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") -property_writer("QRadioButton", /::setShortcut\s*\(/, "shortcut") -property_reader("QRadioButton", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") -property_writer("QRadioButton", /::setCheckable\s*\(/, "checkable") -property_reader("QRadioButton", /::(checked|isChecked|hasChecked)\s*\(/, "checked") -property_writer("QRadioButton", /::setChecked\s*\(/, "checked") -property_reader("QRadioButton", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") -property_writer("QRadioButton", /::setAutoRepeat\s*\(/, "autoRepeat") -property_reader("QRadioButton", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") -property_writer("QRadioButton", /::setAutoExclusive\s*\(/, "autoExclusive") -property_reader("QRadioButton", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") -property_writer("QRadioButton", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") -property_reader("QRadioButton", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") -property_writer("QRadioButton", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") -property_reader("QRadioButton", /::(down|isDown|hasDown)\s*\(/, "down") -property_writer("QRadioButton", /::setDown\s*\(/, "down") -property_reader("QRadioData", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QRadioData", /::setObjectName\s*\(/, "objectName") -property_reader("QRadioData", /::(stationId|isStationId|hasStationId)\s*\(/, "stationId") -property_reader("QRadioData", /::(programType|isProgramType|hasProgramType)\s*\(/, "programType") -property_reader("QRadioData", /::(programTypeName|isProgramTypeName|hasProgramTypeName)\s*\(/, "programTypeName") -property_reader("QRadioData", /::(stationName|isStationName|hasStationName)\s*\(/, "stationName") -property_reader("QRadioData", /::(radioText|isRadioText|hasRadioText)\s*\(/, "radioText") -property_reader("QRadioData", /::(alternativeFrequenciesEnabled|isAlternativeFrequenciesEnabled|hasAlternativeFrequenciesEnabled)\s*\(/, "alternativeFrequenciesEnabled") -property_writer("QRadioData", /::setAlternativeFrequenciesEnabled\s*\(/, "alternativeFrequenciesEnabled") -property_reader("QRadioDataControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QRadioDataControl", /::setObjectName\s*\(/, "objectName") -property_reader("QRadioTuner", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QRadioTuner", /::setObjectName\s*\(/, "objectName") -property_reader("QRadioTuner", /::(notifyInterval|isNotifyInterval|hasNotifyInterval)\s*\(/, "notifyInterval") -property_writer("QRadioTuner", /::setNotifyInterval\s*\(/, "notifyInterval") -property_reader("QRadioTuner", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QRadioTuner", /::(band|isBand|hasBand)\s*\(/, "band") -property_writer("QRadioTuner", /::setBand\s*\(/, "band") -property_reader("QRadioTuner", /::(frequency|isFrequency|hasFrequency)\s*\(/, "frequency") -property_writer("QRadioTuner", /::setFrequency\s*\(/, "frequency") -property_reader("QRadioTuner", /::(stereo|isStereo|hasStereo)\s*\(/, "stereo") -property_reader("QRadioTuner", /::(stereoMode|isStereoMode|hasStereoMode)\s*\(/, "stereoMode") -property_writer("QRadioTuner", /::setStereoMode\s*\(/, "stereoMode") -property_reader("QRadioTuner", /::(signalStrength|isSignalStrength|hasSignalStrength)\s*\(/, "signalStrength") -property_reader("QRadioTuner", /::(volume|isVolume|hasVolume)\s*\(/, "volume") -property_writer("QRadioTuner", /::setVolume\s*\(/, "volume") -property_reader("QRadioTuner", /::(muted|isMuted|hasMuted)\s*\(/, "muted") -property_writer("QRadioTuner", /::setMuted\s*\(/, "muted") -property_reader("QRadioTuner", /::(searching|isSearching|hasSearching)\s*\(/, "searching") -property_reader("QRadioTuner", /::(antennaConnected|isAntennaConnected|hasAntennaConnected)\s*\(/, "antennaConnected") -property_reader("QRadioTuner", /::(radioData|isRadioData|hasRadioData)\s*\(/, "radioData") -property_reader("QRadioTunerControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QRadioTunerControl", /::setObjectName\s*\(/, "objectName") -property_reader("QRasterWindow", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QRasterWindow", /::setObjectName\s*\(/, "objectName") -property_reader("QRasterWindow", /::(title|isTitle|hasTitle)\s*\(/, "title") -property_writer("QRasterWindow", /::setTitle\s*\(/, "title") -property_reader("QRasterWindow", /::(modality|isModality|hasModality)\s*\(/, "modality") -property_writer("QRasterWindow", /::setModality\s*\(/, "modality") -property_reader("QRasterWindow", /::(flags|isFlags|hasFlags)\s*\(/, "flags") -property_writer("QRasterWindow", /::setFlags\s*\(/, "flags") -property_reader("QRasterWindow", /::(x|isX|hasX)\s*\(/, "x") -property_writer("QRasterWindow", /::setX\s*\(/, "x") -property_reader("QRasterWindow", /::(y|isY|hasY)\s*\(/, "y") -property_writer("QRasterWindow", /::setY\s*\(/, "y") -property_reader("QRasterWindow", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_writer("QRasterWindow", /::setWidth\s*\(/, "width") -property_reader("QRasterWindow", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_writer("QRasterWindow", /::setHeight\s*\(/, "height") -property_reader("QRasterWindow", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QRasterWindow", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QRasterWindow", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QRasterWindow", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QRasterWindow", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QRasterWindow", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QRasterWindow", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QRasterWindow", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QRasterWindow", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QRasterWindow", /::setVisible\s*\(/, "visible") -property_reader("QRasterWindow", /::(active|isActive|hasActive)\s*\(/, "active") -property_reader("QRasterWindow", /::(visibility|isVisibility|hasVisibility)\s*\(/, "visibility") -property_writer("QRasterWindow", /::setVisibility\s*\(/, "visibility") -property_reader("QRasterWindow", /::(contentOrientation|isContentOrientation|hasContentOrientation)\s*\(/, "contentOrientation") -property_writer("QRasterWindow", /::setContentOrientation\s*\(/, "contentOrientation") -property_reader("QRasterWindow", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") -property_writer("QRasterWindow", /::setOpacity\s*\(/, "opacity") -property_reader("QRegExpValidator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QRegExpValidator", /::setObjectName\s*\(/, "objectName") -property_reader("QRegExpValidator", /::(regExp|isRegExp|hasRegExp)\s*\(/, "regExp") -property_writer("QRegExpValidator", /::setRegExp\s*\(/, "regExp") -property_reader("QRegularExpressionValidator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QRegularExpressionValidator", /::setObjectName\s*\(/, "objectName") -property_reader("QRegularExpressionValidator", /::(regularExpression|isRegularExpression|hasRegularExpression)\s*\(/, "regularExpression") -property_writer("QRegularExpressionValidator", /::setRegularExpression\s*\(/, "regularExpression") -property_reader("QRubberBand", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QRubberBand", /::setObjectName\s*\(/, "objectName") -property_reader("QRubberBand", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QRubberBand", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QRubberBand", /::setWindowModality\s*\(/, "windowModality") -property_reader("QRubberBand", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QRubberBand", /::setEnabled\s*\(/, "enabled") -property_reader("QRubberBand", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QRubberBand", /::setGeometry\s*\(/, "geometry") -property_reader("QRubberBand", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QRubberBand", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QRubberBand", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QRubberBand", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QRubberBand", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QRubberBand", /::setPos\s*\(/, "pos") -property_reader("QRubberBand", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QRubberBand", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QRubberBand", /::setSize\s*\(/, "size") -property_reader("QRubberBand", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QRubberBand", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QRubberBand", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QRubberBand", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QRubberBand", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QRubberBand", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QRubberBand", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QRubberBand", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QRubberBand", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QRubberBand", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QRubberBand", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QRubberBand", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QRubberBand", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QRubberBand", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QRubberBand", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QRubberBand", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QRubberBand", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QRubberBand", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QRubberBand", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QRubberBand", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QRubberBand", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QRubberBand", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QRubberBand", /::setBaseSize\s*\(/, "baseSize") -property_reader("QRubberBand", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QRubberBand", /::setPalette\s*\(/, "palette") -property_reader("QRubberBand", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QRubberBand", /::setFont\s*\(/, "font") -property_reader("QRubberBand", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QRubberBand", /::setCursor\s*\(/, "cursor") -property_reader("QRubberBand", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QRubberBand", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QRubberBand", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QRubberBand", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QRubberBand", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QRubberBand", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QRubberBand", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QRubberBand", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QRubberBand", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QRubberBand", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QRubberBand", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QRubberBand", /::setVisible\s*\(/, "visible") -property_reader("QRubberBand", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QRubberBand", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QRubberBand", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QRubberBand", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QRubberBand", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QRubberBand", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QRubberBand", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QRubberBand", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QRubberBand", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QRubberBand", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QRubberBand", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QRubberBand", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QRubberBand", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QRubberBand", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QRubberBand", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QRubberBand", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QRubberBand", /::setWindowModified\s*\(/, "windowModified") -property_reader("QRubberBand", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QRubberBand", /::setToolTip\s*\(/, "toolTip") -property_reader("QRubberBand", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QRubberBand", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QRubberBand", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QRubberBand", /::setStatusTip\s*\(/, "statusTip") -property_reader("QRubberBand", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QRubberBand", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QRubberBand", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QRubberBand", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QRubberBand", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QRubberBand", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QRubberBand", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QRubberBand", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QRubberBand", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QRubberBand", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QRubberBand", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QRubberBand", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QRubberBand", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QRubberBand", /::setLocale\s*\(/, "locale") -property_reader("QRubberBand", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QRubberBand", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QRubberBand", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QRubberBand", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QSaveFile", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSaveFile", /::setObjectName\s*\(/, "objectName") -property_reader("QScreen", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QScreen", /::setObjectName\s*\(/, "objectName") -property_reader("QScreen", /::(name|isName|hasName)\s*\(/, "name") -property_reader("QScreen", /::(depth|isDepth|hasDepth)\s*\(/, "depth") -property_reader("QScreen", /::(size|isSize|hasSize)\s*\(/, "size") -property_reader("QScreen", /::(availableSize|isAvailableSize|hasAvailableSize)\s*\(/, "availableSize") -property_reader("QScreen", /::(virtualSize|isVirtualSize|hasVirtualSize)\s*\(/, "virtualSize") -property_reader("QScreen", /::(availableVirtualSize|isAvailableVirtualSize|hasAvailableVirtualSize)\s*\(/, "availableVirtualSize") -property_reader("QScreen", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_reader("QScreen", /::(availableGeometry|isAvailableGeometry|hasAvailableGeometry)\s*\(/, "availableGeometry") -property_reader("QScreen", /::(virtualGeometry|isVirtualGeometry|hasVirtualGeometry)\s*\(/, "virtualGeometry") -property_reader("QScreen", /::(availableVirtualGeometry|isAvailableVirtualGeometry|hasAvailableVirtualGeometry)\s*\(/, "availableVirtualGeometry") -property_reader("QScreen", /::(physicalSize|isPhysicalSize|hasPhysicalSize)\s*\(/, "physicalSize") -property_reader("QScreen", /::(physicalDotsPerInchX|isPhysicalDotsPerInchX|hasPhysicalDotsPerInchX)\s*\(/, "physicalDotsPerInchX") -property_reader("QScreen", /::(physicalDotsPerInchY|isPhysicalDotsPerInchY|hasPhysicalDotsPerInchY)\s*\(/, "physicalDotsPerInchY") -property_reader("QScreen", /::(physicalDotsPerInch|isPhysicalDotsPerInch|hasPhysicalDotsPerInch)\s*\(/, "physicalDotsPerInch") -property_reader("QScreen", /::(logicalDotsPerInchX|isLogicalDotsPerInchX|hasLogicalDotsPerInchX)\s*\(/, "logicalDotsPerInchX") -property_reader("QScreen", /::(logicalDotsPerInchY|isLogicalDotsPerInchY|hasLogicalDotsPerInchY)\s*\(/, "logicalDotsPerInchY") -property_reader("QScreen", /::(logicalDotsPerInch|isLogicalDotsPerInch|hasLogicalDotsPerInch)\s*\(/, "logicalDotsPerInch") -property_reader("QScreen", /::(devicePixelRatio|isDevicePixelRatio|hasDevicePixelRatio)\s*\(/, "devicePixelRatio") -property_reader("QScreen", /::(primaryOrientation|isPrimaryOrientation|hasPrimaryOrientation)\s*\(/, "primaryOrientation") -property_reader("QScreen", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") -property_reader("QScreen", /::(nativeOrientation|isNativeOrientation|hasNativeOrientation)\s*\(/, "nativeOrientation") -property_reader("QScreen", /::(refreshRate|isRefreshRate|hasRefreshRate)\s*\(/, "refreshRate") -property_reader("QScrollArea", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QScrollArea", /::setObjectName\s*\(/, "objectName") -property_reader("QScrollArea", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QScrollArea", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QScrollArea", /::setWindowModality\s*\(/, "windowModality") -property_reader("QScrollArea", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QScrollArea", /::setEnabled\s*\(/, "enabled") -property_reader("QScrollArea", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QScrollArea", /::setGeometry\s*\(/, "geometry") -property_reader("QScrollArea", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QScrollArea", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QScrollArea", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QScrollArea", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QScrollArea", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QScrollArea", /::setPos\s*\(/, "pos") -property_reader("QScrollArea", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QScrollArea", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QScrollArea", /::setSize\s*\(/, "size") -property_reader("QScrollArea", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QScrollArea", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QScrollArea", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QScrollArea", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QScrollArea", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QScrollArea", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QScrollArea", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QScrollArea", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QScrollArea", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QScrollArea", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QScrollArea", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QScrollArea", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QScrollArea", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QScrollArea", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QScrollArea", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QScrollArea", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QScrollArea", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QScrollArea", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QScrollArea", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QScrollArea", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QScrollArea", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QScrollArea", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QScrollArea", /::setBaseSize\s*\(/, "baseSize") -property_reader("QScrollArea", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QScrollArea", /::setPalette\s*\(/, "palette") -property_reader("QScrollArea", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QScrollArea", /::setFont\s*\(/, "font") -property_reader("QScrollArea", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QScrollArea", /::setCursor\s*\(/, "cursor") -property_reader("QScrollArea", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QScrollArea", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QScrollArea", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QScrollArea", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QScrollArea", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QScrollArea", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QScrollArea", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QScrollArea", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QScrollArea", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QScrollArea", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QScrollArea", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QScrollArea", /::setVisible\s*\(/, "visible") -property_reader("QScrollArea", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QScrollArea", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QScrollArea", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QScrollArea", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QScrollArea", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QScrollArea", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QScrollArea", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QScrollArea", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QScrollArea", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QScrollArea", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QScrollArea", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QScrollArea", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QScrollArea", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QScrollArea", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QScrollArea", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QScrollArea", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QScrollArea", /::setWindowModified\s*\(/, "windowModified") -property_reader("QScrollArea", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QScrollArea", /::setToolTip\s*\(/, "toolTip") -property_reader("QScrollArea", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QScrollArea", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QScrollArea", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QScrollArea", /::setStatusTip\s*\(/, "statusTip") -property_reader("QScrollArea", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QScrollArea", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QScrollArea", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QScrollArea", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QScrollArea", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QScrollArea", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QScrollArea", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QScrollArea", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QScrollArea", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QScrollArea", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QScrollArea", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QScrollArea", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QScrollArea", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QScrollArea", /::setLocale\s*\(/, "locale") -property_reader("QScrollArea", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QScrollArea", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QScrollArea", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QScrollArea", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QScrollArea", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QScrollArea", /::setFrameShape\s*\(/, "frameShape") -property_reader("QScrollArea", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QScrollArea", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QScrollArea", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QScrollArea", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QScrollArea", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QScrollArea", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QScrollArea", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QScrollArea", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QScrollArea", /::setFrameRect\s*\(/, "frameRect") -property_reader("QScrollArea", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QScrollArea", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QScrollArea", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QScrollArea", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QScrollArea", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QScrollArea", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QScrollArea", /::(widgetResizable|isWidgetResizable|hasWidgetResizable)\s*\(/, "widgetResizable") -property_writer("QScrollArea", /::setWidgetResizable\s*\(/, "widgetResizable") -property_reader("QScrollArea", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QScrollArea", /::setAlignment\s*\(/, "alignment") -property_reader("QScrollBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QScrollBar", /::setObjectName\s*\(/, "objectName") -property_reader("QScrollBar", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QScrollBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QScrollBar", /::setWindowModality\s*\(/, "windowModality") -property_reader("QScrollBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QScrollBar", /::setEnabled\s*\(/, "enabled") -property_reader("QScrollBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QScrollBar", /::setGeometry\s*\(/, "geometry") -property_reader("QScrollBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QScrollBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QScrollBar", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QScrollBar", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QScrollBar", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QScrollBar", /::setPos\s*\(/, "pos") -property_reader("QScrollBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QScrollBar", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QScrollBar", /::setSize\s*\(/, "size") -property_reader("QScrollBar", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QScrollBar", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QScrollBar", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QScrollBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QScrollBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QScrollBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QScrollBar", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QScrollBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QScrollBar", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QScrollBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QScrollBar", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QScrollBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QScrollBar", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QScrollBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QScrollBar", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QScrollBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QScrollBar", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QScrollBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QScrollBar", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QScrollBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QScrollBar", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QScrollBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QScrollBar", /::setBaseSize\s*\(/, "baseSize") -property_reader("QScrollBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QScrollBar", /::setPalette\s*\(/, "palette") -property_reader("QScrollBar", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QScrollBar", /::setFont\s*\(/, "font") -property_reader("QScrollBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QScrollBar", /::setCursor\s*\(/, "cursor") -property_reader("QScrollBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QScrollBar", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QScrollBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QScrollBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QScrollBar", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QScrollBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QScrollBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QScrollBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QScrollBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QScrollBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QScrollBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QScrollBar", /::setVisible\s*\(/, "visible") -property_reader("QScrollBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QScrollBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QScrollBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QScrollBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QScrollBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QScrollBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QScrollBar", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QScrollBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QScrollBar", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QScrollBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QScrollBar", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QScrollBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QScrollBar", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QScrollBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QScrollBar", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QScrollBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QScrollBar", /::setWindowModified\s*\(/, "windowModified") -property_reader("QScrollBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QScrollBar", /::setToolTip\s*\(/, "toolTip") -property_reader("QScrollBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QScrollBar", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QScrollBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QScrollBar", /::setStatusTip\s*\(/, "statusTip") -property_reader("QScrollBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QScrollBar", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QScrollBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QScrollBar", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QScrollBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QScrollBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QScrollBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QScrollBar", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QScrollBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QScrollBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QScrollBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QScrollBar", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QScrollBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QScrollBar", /::setLocale\s*\(/, "locale") -property_reader("QScrollBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QScrollBar", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QScrollBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QScrollBar", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QScrollBar", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") -property_writer("QScrollBar", /::setMinimum\s*\(/, "minimum") -property_reader("QScrollBar", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") -property_writer("QScrollBar", /::setMaximum\s*\(/, "maximum") -property_reader("QScrollBar", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") -property_writer("QScrollBar", /::setSingleStep\s*\(/, "singleStep") -property_reader("QScrollBar", /::(pageStep|isPageStep|hasPageStep)\s*\(/, "pageStep") -property_writer("QScrollBar", /::setPageStep\s*\(/, "pageStep") -property_reader("QScrollBar", /::(value|isValue|hasValue)\s*\(/, "value") -property_writer("QScrollBar", /::setValue\s*\(/, "value") -property_reader("QScrollBar", /::(sliderPosition|isSliderPosition|hasSliderPosition)\s*\(/, "sliderPosition") -property_writer("QScrollBar", /::setSliderPosition\s*\(/, "sliderPosition") -property_reader("QScrollBar", /::(tracking|isTracking|hasTracking)\s*\(/, "tracking") -property_writer("QScrollBar", /::setTracking\s*\(/, "tracking") -property_reader("QScrollBar", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") -property_writer("QScrollBar", /::setOrientation\s*\(/, "orientation") -property_reader("QScrollBar", /::(invertedAppearance|isInvertedAppearance|hasInvertedAppearance)\s*\(/, "invertedAppearance") -property_writer("QScrollBar", /::setInvertedAppearance\s*\(/, "invertedAppearance") -property_reader("QScrollBar", /::(invertedControls|isInvertedControls|hasInvertedControls)\s*\(/, "invertedControls") -property_writer("QScrollBar", /::setInvertedControls\s*\(/, "invertedControls") -property_reader("QScrollBar", /::(sliderDown|isSliderDown|hasSliderDown)\s*\(/, "sliderDown") -property_writer("QScrollBar", /::setSliderDown\s*\(/, "sliderDown") -property_reader("QScroller", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QScroller", /::setObjectName\s*\(/, "objectName") -property_reader("QScroller", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QScroller", /::(scrollerProperties|isScrollerProperties|hasScrollerProperties)\s*\(/, "scrollerProperties") -property_writer("QScroller", /::setScrollerProperties\s*\(/, "scrollerProperties") -property_reader("QSequentialAnimationGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSequentialAnimationGroup", /::setObjectName\s*\(/, "objectName") -property_reader("QSequentialAnimationGroup", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QSequentialAnimationGroup", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") -property_writer("QSequentialAnimationGroup", /::setLoopCount\s*\(/, "loopCount") -property_reader("QSequentialAnimationGroup", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") -property_writer("QSequentialAnimationGroup", /::setCurrentTime\s*\(/, "currentTime") -property_reader("QSequentialAnimationGroup", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") -property_reader("QSequentialAnimationGroup", /::(direction|isDirection|hasDirection)\s*\(/, "direction") -property_writer("QSequentialAnimationGroup", /::setDirection\s*\(/, "direction") -property_reader("QSequentialAnimationGroup", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_reader("QSequentialAnimationGroup", /::(currentAnimation|isCurrentAnimation|hasCurrentAnimation)\s*\(/, "currentAnimation") -property_reader("QSessionManager", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSessionManager", /::setObjectName\s*\(/, "objectName") -property_reader("QSettings", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSettings", /::setObjectName\s*\(/, "objectName") -property_reader("QSharedMemory", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSharedMemory", /::setObjectName\s*\(/, "objectName") -property_reader("QShortcut", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QShortcut", /::setObjectName\s*\(/, "objectName") -property_reader("QShortcut", /::(key|isKey|hasKey)\s*\(/, "key") -property_writer("QShortcut", /::setKey\s*\(/, "key") -property_reader("QShortcut", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QShortcut", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QShortcut", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QShortcut", /::setEnabled\s*\(/, "enabled") -property_reader("QShortcut", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") -property_writer("QShortcut", /::setAutoRepeat\s*\(/, "autoRepeat") -property_reader("QShortcut", /::(context|isContext|hasContext)\s*\(/, "context") -property_writer("QShortcut", /::setContext\s*\(/, "context") -property_reader("QSignalMapper", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSignalMapper", /::setObjectName\s*\(/, "objectName") -property_reader("QSignalTransition", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSignalTransition", /::setObjectName\s*\(/, "objectName") -property_reader("QSignalTransition", /::(sourceState|isSourceState|hasSourceState)\s*\(/, "sourceState") -property_reader("QSignalTransition", /::(targetState|isTargetState|hasTargetState)\s*\(/, "targetState") -property_writer("QSignalTransition", /::setTargetState\s*\(/, "targetState") -property_reader("QSignalTransition", /::(targetStates|isTargetStates|hasTargetStates)\s*\(/, "targetStates") -property_writer("QSignalTransition", /::setTargetStates\s*\(/, "targetStates") -property_reader("QSignalTransition", /::(transitionType|isTransitionType|hasTransitionType)\s*\(/, "transitionType") -property_writer("QSignalTransition", /::setTransitionType\s*\(/, "transitionType") -property_reader("QSignalTransition", /::(senderObject|isSenderObject|hasSenderObject)\s*\(/, "senderObject") -property_writer("QSignalTransition", /::setSenderObject\s*\(/, "senderObject") -property_reader("QSignalTransition", /::(signal|isSignal|hasSignal)\s*\(/, "signal") -property_writer("QSignalTransition", /::setSignal\s*\(/, "signal") -property_reader("QSizeGrip", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSizeGrip", /::setObjectName\s*\(/, "objectName") -property_reader("QSizeGrip", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QSizeGrip", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QSizeGrip", /::setWindowModality\s*\(/, "windowModality") -property_reader("QSizeGrip", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QSizeGrip", /::setEnabled\s*\(/, "enabled") -property_reader("QSizeGrip", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QSizeGrip", /::setGeometry\s*\(/, "geometry") -property_reader("QSizeGrip", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QSizeGrip", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QSizeGrip", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QSizeGrip", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QSizeGrip", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QSizeGrip", /::setPos\s*\(/, "pos") -property_reader("QSizeGrip", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QSizeGrip", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QSizeGrip", /::setSize\s*\(/, "size") -property_reader("QSizeGrip", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QSizeGrip", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QSizeGrip", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QSizeGrip", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QSizeGrip", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QSizeGrip", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QSizeGrip", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QSizeGrip", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QSizeGrip", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QSizeGrip", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QSizeGrip", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QSizeGrip", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QSizeGrip", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QSizeGrip", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QSizeGrip", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QSizeGrip", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QSizeGrip", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QSizeGrip", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QSizeGrip", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QSizeGrip", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QSizeGrip", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QSizeGrip", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QSizeGrip", /::setBaseSize\s*\(/, "baseSize") -property_reader("QSizeGrip", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QSizeGrip", /::setPalette\s*\(/, "palette") -property_reader("QSizeGrip", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QSizeGrip", /::setFont\s*\(/, "font") -property_reader("QSizeGrip", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QSizeGrip", /::setCursor\s*\(/, "cursor") -property_reader("QSizeGrip", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QSizeGrip", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QSizeGrip", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QSizeGrip", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QSizeGrip", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QSizeGrip", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QSizeGrip", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QSizeGrip", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QSizeGrip", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QSizeGrip", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QSizeGrip", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QSizeGrip", /::setVisible\s*\(/, "visible") -property_reader("QSizeGrip", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QSizeGrip", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QSizeGrip", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QSizeGrip", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QSizeGrip", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QSizeGrip", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QSizeGrip", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QSizeGrip", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QSizeGrip", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QSizeGrip", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QSizeGrip", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QSizeGrip", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QSizeGrip", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QSizeGrip", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QSizeGrip", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QSizeGrip", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QSizeGrip", /::setWindowModified\s*\(/, "windowModified") -property_reader("QSizeGrip", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QSizeGrip", /::setToolTip\s*\(/, "toolTip") -property_reader("QSizeGrip", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QSizeGrip", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QSizeGrip", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QSizeGrip", /::setStatusTip\s*\(/, "statusTip") -property_reader("QSizeGrip", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QSizeGrip", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QSizeGrip", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QSizeGrip", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QSizeGrip", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QSizeGrip", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QSizeGrip", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QSizeGrip", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QSizeGrip", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QSizeGrip", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QSizeGrip", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QSizeGrip", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QSizeGrip", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QSizeGrip", /::setLocale\s*\(/, "locale") -property_reader("QSizeGrip", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QSizeGrip", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QSizeGrip", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QSizeGrip", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QSlider", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSlider", /::setObjectName\s*\(/, "objectName") -property_reader("QSlider", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QSlider", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QSlider", /::setWindowModality\s*\(/, "windowModality") -property_reader("QSlider", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QSlider", /::setEnabled\s*\(/, "enabled") -property_reader("QSlider", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QSlider", /::setGeometry\s*\(/, "geometry") -property_reader("QSlider", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QSlider", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QSlider", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QSlider", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QSlider", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QSlider", /::setPos\s*\(/, "pos") -property_reader("QSlider", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QSlider", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QSlider", /::setSize\s*\(/, "size") -property_reader("QSlider", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QSlider", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QSlider", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QSlider", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QSlider", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QSlider", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QSlider", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QSlider", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QSlider", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QSlider", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QSlider", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QSlider", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QSlider", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QSlider", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QSlider", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QSlider", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QSlider", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QSlider", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QSlider", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QSlider", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QSlider", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QSlider", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QSlider", /::setBaseSize\s*\(/, "baseSize") -property_reader("QSlider", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QSlider", /::setPalette\s*\(/, "palette") -property_reader("QSlider", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QSlider", /::setFont\s*\(/, "font") -property_reader("QSlider", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QSlider", /::setCursor\s*\(/, "cursor") -property_reader("QSlider", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QSlider", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QSlider", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QSlider", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QSlider", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QSlider", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QSlider", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QSlider", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QSlider", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QSlider", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QSlider", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QSlider", /::setVisible\s*\(/, "visible") -property_reader("QSlider", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QSlider", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QSlider", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QSlider", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QSlider", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QSlider", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QSlider", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QSlider", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QSlider", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QSlider", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QSlider", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QSlider", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QSlider", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QSlider", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QSlider", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QSlider", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QSlider", /::setWindowModified\s*\(/, "windowModified") -property_reader("QSlider", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QSlider", /::setToolTip\s*\(/, "toolTip") -property_reader("QSlider", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QSlider", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QSlider", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QSlider", /::setStatusTip\s*\(/, "statusTip") -property_reader("QSlider", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QSlider", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QSlider", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QSlider", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QSlider", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QSlider", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QSlider", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QSlider", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QSlider", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QSlider", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QSlider", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QSlider", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QSlider", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QSlider", /::setLocale\s*\(/, "locale") -property_reader("QSlider", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QSlider", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QSlider", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QSlider", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QSlider", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") -property_writer("QSlider", /::setMinimum\s*\(/, "minimum") -property_reader("QSlider", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") -property_writer("QSlider", /::setMaximum\s*\(/, "maximum") -property_reader("QSlider", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") -property_writer("QSlider", /::setSingleStep\s*\(/, "singleStep") -property_reader("QSlider", /::(pageStep|isPageStep|hasPageStep)\s*\(/, "pageStep") -property_writer("QSlider", /::setPageStep\s*\(/, "pageStep") -property_reader("QSlider", /::(value|isValue|hasValue)\s*\(/, "value") -property_writer("QSlider", /::setValue\s*\(/, "value") -property_reader("QSlider", /::(sliderPosition|isSliderPosition|hasSliderPosition)\s*\(/, "sliderPosition") -property_writer("QSlider", /::setSliderPosition\s*\(/, "sliderPosition") -property_reader("QSlider", /::(tracking|isTracking|hasTracking)\s*\(/, "tracking") -property_writer("QSlider", /::setTracking\s*\(/, "tracking") -property_reader("QSlider", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") -property_writer("QSlider", /::setOrientation\s*\(/, "orientation") -property_reader("QSlider", /::(invertedAppearance|isInvertedAppearance|hasInvertedAppearance)\s*\(/, "invertedAppearance") -property_writer("QSlider", /::setInvertedAppearance\s*\(/, "invertedAppearance") -property_reader("QSlider", /::(invertedControls|isInvertedControls|hasInvertedControls)\s*\(/, "invertedControls") -property_writer("QSlider", /::setInvertedControls\s*\(/, "invertedControls") -property_reader("QSlider", /::(sliderDown|isSliderDown|hasSliderDown)\s*\(/, "sliderDown") -property_writer("QSlider", /::setSliderDown\s*\(/, "sliderDown") -property_reader("QSlider", /::(tickPosition|isTickPosition|hasTickPosition)\s*\(/, "tickPosition") -property_writer("QSlider", /::setTickPosition\s*\(/, "tickPosition") -property_reader("QSlider", /::(tickInterval|isTickInterval|hasTickInterval)\s*\(/, "tickInterval") -property_writer("QSlider", /::setTickInterval\s*\(/, "tickInterval") -property_reader("QSocketNotifier", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSocketNotifier", /::setObjectName\s*\(/, "objectName") -property_reader("QSortFilterProxyModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSortFilterProxyModel", /::setObjectName\s*\(/, "objectName") -property_reader("QSortFilterProxyModel", /::(sourceModel|isSourceModel|hasSourceModel)\s*\(/, "sourceModel") -property_writer("QSortFilterProxyModel", /::setSourceModel\s*\(/, "sourceModel") -property_reader("QSortFilterProxyModel", /::(filterRegExp|isFilterRegExp|hasFilterRegExp)\s*\(/, "filterRegExp") -property_writer("QSortFilterProxyModel", /::setFilterRegExp\s*\(/, "filterRegExp") -property_reader("QSortFilterProxyModel", /::(filterKeyColumn|isFilterKeyColumn|hasFilterKeyColumn)\s*\(/, "filterKeyColumn") -property_writer("QSortFilterProxyModel", /::setFilterKeyColumn\s*\(/, "filterKeyColumn") -property_reader("QSortFilterProxyModel", /::(dynamicSortFilter|isDynamicSortFilter|hasDynamicSortFilter)\s*\(/, "dynamicSortFilter") -property_writer("QSortFilterProxyModel", /::setDynamicSortFilter\s*\(/, "dynamicSortFilter") -property_reader("QSortFilterProxyModel", /::(filterCaseSensitivity|isFilterCaseSensitivity|hasFilterCaseSensitivity)\s*\(/, "filterCaseSensitivity") -property_writer("QSortFilterProxyModel", /::setFilterCaseSensitivity\s*\(/, "filterCaseSensitivity") -property_reader("QSortFilterProxyModel", /::(sortCaseSensitivity|isSortCaseSensitivity|hasSortCaseSensitivity)\s*\(/, "sortCaseSensitivity") -property_writer("QSortFilterProxyModel", /::setSortCaseSensitivity\s*\(/, "sortCaseSensitivity") -property_reader("QSortFilterProxyModel", /::(isSortLocaleAware|isIsSortLocaleAware|hasIsSortLocaleAware)\s*\(/, "isSortLocaleAware") -property_writer("QSortFilterProxyModel", /::setIsSortLocaleAware\s*\(/, "isSortLocaleAware") -property_reader("QSortFilterProxyModel", /::(sortRole|isSortRole|hasSortRole)\s*\(/, "sortRole") -property_writer("QSortFilterProxyModel", /::setSortRole\s*\(/, "sortRole") -property_reader("QSortFilterProxyModel", /::(filterRole|isFilterRole|hasFilterRole)\s*\(/, "filterRole") -property_writer("QSortFilterProxyModel", /::setFilterRole\s*\(/, "filterRole") -property_reader("QSound", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSound", /::setObjectName\s*\(/, "objectName") -property_reader("QSoundEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSoundEffect", /::setObjectName\s*\(/, "objectName") -property_reader("QSoundEffect", /::(source|isSource|hasSource)\s*\(/, "source") -property_writer("QSoundEffect", /::setSource\s*\(/, "source") -property_reader("QSoundEffect", /::(loops|isLoops|hasLoops)\s*\(/, "loops") -property_writer("QSoundEffect", /::setLoops\s*\(/, "loops") -property_reader("QSoundEffect", /::(loopsRemaining|isLoopsRemaining|hasLoopsRemaining)\s*\(/, "loopsRemaining") -property_reader("QSoundEffect", /::(volume|isVolume|hasVolume)\s*\(/, "volume") -property_writer("QSoundEffect", /::setVolume\s*\(/, "volume") -property_reader("QSoundEffect", /::(muted|isMuted|hasMuted)\s*\(/, "muted") -property_writer("QSoundEffect", /::setMuted\s*\(/, "muted") -property_reader("QSoundEffect", /::(playing|isPlaying|hasPlaying)\s*\(/, "playing") -property_reader("QSoundEffect", /::(status|isStatus|hasStatus)\s*\(/, "status") -property_reader("QSoundEffect", /::(category|isCategory|hasCategory)\s*\(/, "category") -property_writer("QSoundEffect", /::setCategory\s*\(/, "category") -property_reader("QSpinBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSpinBox", /::setObjectName\s*\(/, "objectName") -property_reader("QSpinBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QSpinBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QSpinBox", /::setWindowModality\s*\(/, "windowModality") -property_reader("QSpinBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QSpinBox", /::setEnabled\s*\(/, "enabled") -property_reader("QSpinBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QSpinBox", /::setGeometry\s*\(/, "geometry") -property_reader("QSpinBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QSpinBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QSpinBox", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QSpinBox", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QSpinBox", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QSpinBox", /::setPos\s*\(/, "pos") -property_reader("QSpinBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QSpinBox", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QSpinBox", /::setSize\s*\(/, "size") -property_reader("QSpinBox", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QSpinBox", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QSpinBox", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QSpinBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QSpinBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QSpinBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QSpinBox", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QSpinBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QSpinBox", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QSpinBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QSpinBox", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QSpinBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QSpinBox", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QSpinBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QSpinBox", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QSpinBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QSpinBox", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QSpinBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QSpinBox", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QSpinBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QSpinBox", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QSpinBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QSpinBox", /::setBaseSize\s*\(/, "baseSize") -property_reader("QSpinBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QSpinBox", /::setPalette\s*\(/, "palette") -property_reader("QSpinBox", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QSpinBox", /::setFont\s*\(/, "font") -property_reader("QSpinBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QSpinBox", /::setCursor\s*\(/, "cursor") -property_reader("QSpinBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QSpinBox", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QSpinBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QSpinBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QSpinBox", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QSpinBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QSpinBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QSpinBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QSpinBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QSpinBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QSpinBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QSpinBox", /::setVisible\s*\(/, "visible") -property_reader("QSpinBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QSpinBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QSpinBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QSpinBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QSpinBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QSpinBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QSpinBox", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QSpinBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QSpinBox", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QSpinBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QSpinBox", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QSpinBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QSpinBox", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QSpinBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QSpinBox", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QSpinBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QSpinBox", /::setWindowModified\s*\(/, "windowModified") -property_reader("QSpinBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QSpinBox", /::setToolTip\s*\(/, "toolTip") -property_reader("QSpinBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QSpinBox", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QSpinBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QSpinBox", /::setStatusTip\s*\(/, "statusTip") -property_reader("QSpinBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QSpinBox", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QSpinBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QSpinBox", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QSpinBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QSpinBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QSpinBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QSpinBox", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QSpinBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QSpinBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QSpinBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QSpinBox", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QSpinBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QSpinBox", /::setLocale\s*\(/, "locale") -property_reader("QSpinBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QSpinBox", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QSpinBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QSpinBox", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QSpinBox", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") -property_writer("QSpinBox", /::setWrapping\s*\(/, "wrapping") -property_reader("QSpinBox", /::(frame|isFrame|hasFrame)\s*\(/, "frame") -property_writer("QSpinBox", /::setFrame\s*\(/, "frame") -property_reader("QSpinBox", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QSpinBox", /::setAlignment\s*\(/, "alignment") -property_reader("QSpinBox", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QSpinBox", /::setReadOnly\s*\(/, "readOnly") -property_reader("QSpinBox", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") -property_writer("QSpinBox", /::setButtonSymbols\s*\(/, "buttonSymbols") -property_reader("QSpinBox", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") -property_writer("QSpinBox", /::setSpecialValueText\s*\(/, "specialValueText") -property_reader("QSpinBox", /::(text|isText|hasText)\s*\(/, "text") -property_reader("QSpinBox", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") -property_writer("QSpinBox", /::setAccelerated\s*\(/, "accelerated") -property_reader("QSpinBox", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") -property_writer("QSpinBox", /::setCorrectionMode\s*\(/, "correctionMode") -property_reader("QSpinBox", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") -property_reader("QSpinBox", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") -property_writer("QSpinBox", /::setKeyboardTracking\s*\(/, "keyboardTracking") -property_reader("QSpinBox", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") -property_writer("QSpinBox", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") -property_reader("QSpinBox", /::(suffix|isSuffix|hasSuffix)\s*\(/, "suffix") -property_writer("QSpinBox", /::setSuffix\s*\(/, "suffix") -property_reader("QSpinBox", /::(prefix|isPrefix|hasPrefix)\s*\(/, "prefix") -property_writer("QSpinBox", /::setPrefix\s*\(/, "prefix") -property_reader("QSpinBox", /::(cleanText|isCleanText|hasCleanText)\s*\(/, "cleanText") -property_reader("QSpinBox", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") -property_writer("QSpinBox", /::setMinimum\s*\(/, "minimum") -property_reader("QSpinBox", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") -property_writer("QSpinBox", /::setMaximum\s*\(/, "maximum") -property_reader("QSpinBox", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") -property_writer("QSpinBox", /::setSingleStep\s*\(/, "singleStep") -property_reader("QSpinBox", /::(value|isValue|hasValue)\s*\(/, "value") -property_writer("QSpinBox", /::setValue\s*\(/, "value") -property_reader("QSpinBox", /::(displayIntegerBase|isDisplayIntegerBase|hasDisplayIntegerBase)\s*\(/, "displayIntegerBase") -property_writer("QSpinBox", /::setDisplayIntegerBase\s*\(/, "displayIntegerBase") -property_reader("QSplashScreen", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSplashScreen", /::setObjectName\s*\(/, "objectName") -property_reader("QSplashScreen", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QSplashScreen", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QSplashScreen", /::setWindowModality\s*\(/, "windowModality") -property_reader("QSplashScreen", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QSplashScreen", /::setEnabled\s*\(/, "enabled") -property_reader("QSplashScreen", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QSplashScreen", /::setGeometry\s*\(/, "geometry") -property_reader("QSplashScreen", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QSplashScreen", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QSplashScreen", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QSplashScreen", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QSplashScreen", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QSplashScreen", /::setPos\s*\(/, "pos") -property_reader("QSplashScreen", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QSplashScreen", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QSplashScreen", /::setSize\s*\(/, "size") -property_reader("QSplashScreen", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QSplashScreen", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QSplashScreen", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QSplashScreen", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QSplashScreen", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QSplashScreen", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QSplashScreen", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QSplashScreen", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QSplashScreen", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QSplashScreen", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QSplashScreen", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QSplashScreen", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QSplashScreen", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QSplashScreen", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QSplashScreen", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QSplashScreen", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QSplashScreen", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QSplashScreen", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QSplashScreen", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QSplashScreen", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QSplashScreen", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QSplashScreen", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QSplashScreen", /::setBaseSize\s*\(/, "baseSize") -property_reader("QSplashScreen", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QSplashScreen", /::setPalette\s*\(/, "palette") -property_reader("QSplashScreen", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QSplashScreen", /::setFont\s*\(/, "font") -property_reader("QSplashScreen", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QSplashScreen", /::setCursor\s*\(/, "cursor") -property_reader("QSplashScreen", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QSplashScreen", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QSplashScreen", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QSplashScreen", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QSplashScreen", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QSplashScreen", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QSplashScreen", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QSplashScreen", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QSplashScreen", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QSplashScreen", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QSplashScreen", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QSplashScreen", /::setVisible\s*\(/, "visible") -property_reader("QSplashScreen", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QSplashScreen", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QSplashScreen", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QSplashScreen", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QSplashScreen", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QSplashScreen", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QSplashScreen", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QSplashScreen", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QSplashScreen", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QSplashScreen", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QSplashScreen", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QSplashScreen", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QSplashScreen", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QSplashScreen", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QSplashScreen", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QSplashScreen", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QSplashScreen", /::setWindowModified\s*\(/, "windowModified") -property_reader("QSplashScreen", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QSplashScreen", /::setToolTip\s*\(/, "toolTip") -property_reader("QSplashScreen", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QSplashScreen", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QSplashScreen", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QSplashScreen", /::setStatusTip\s*\(/, "statusTip") -property_reader("QSplashScreen", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QSplashScreen", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QSplashScreen", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QSplashScreen", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QSplashScreen", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QSplashScreen", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QSplashScreen", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QSplashScreen", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QSplashScreen", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QSplashScreen", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QSplashScreen", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QSplashScreen", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QSplashScreen", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QSplashScreen", /::setLocale\s*\(/, "locale") -property_reader("QSplashScreen", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QSplashScreen", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QSplashScreen", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QSplashScreen", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QSplitter", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSplitter", /::setObjectName\s*\(/, "objectName") -property_reader("QSplitter", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QSplitter", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QSplitter", /::setWindowModality\s*\(/, "windowModality") -property_reader("QSplitter", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QSplitter", /::setEnabled\s*\(/, "enabled") -property_reader("QSplitter", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QSplitter", /::setGeometry\s*\(/, "geometry") -property_reader("QSplitter", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QSplitter", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QSplitter", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QSplitter", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QSplitter", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QSplitter", /::setPos\s*\(/, "pos") -property_reader("QSplitter", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QSplitter", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QSplitter", /::setSize\s*\(/, "size") -property_reader("QSplitter", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QSplitter", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QSplitter", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QSplitter", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QSplitter", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QSplitter", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QSplitter", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QSplitter", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QSplitter", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QSplitter", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QSplitter", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QSplitter", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QSplitter", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QSplitter", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QSplitter", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QSplitter", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QSplitter", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QSplitter", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QSplitter", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QSplitter", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QSplitter", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QSplitter", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QSplitter", /::setBaseSize\s*\(/, "baseSize") -property_reader("QSplitter", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QSplitter", /::setPalette\s*\(/, "palette") -property_reader("QSplitter", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QSplitter", /::setFont\s*\(/, "font") -property_reader("QSplitter", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QSplitter", /::setCursor\s*\(/, "cursor") -property_reader("QSplitter", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QSplitter", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QSplitter", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QSplitter", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QSplitter", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QSplitter", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QSplitter", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QSplitter", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QSplitter", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QSplitter", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QSplitter", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QSplitter", /::setVisible\s*\(/, "visible") -property_reader("QSplitter", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QSplitter", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QSplitter", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QSplitter", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QSplitter", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QSplitter", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QSplitter", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QSplitter", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QSplitter", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QSplitter", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QSplitter", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QSplitter", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QSplitter", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QSplitter", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QSplitter", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QSplitter", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QSplitter", /::setWindowModified\s*\(/, "windowModified") -property_reader("QSplitter", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QSplitter", /::setToolTip\s*\(/, "toolTip") -property_reader("QSplitter", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QSplitter", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QSplitter", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QSplitter", /::setStatusTip\s*\(/, "statusTip") -property_reader("QSplitter", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QSplitter", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QSplitter", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QSplitter", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QSplitter", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QSplitter", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QSplitter", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QSplitter", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QSplitter", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QSplitter", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QSplitter", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QSplitter", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QSplitter", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QSplitter", /::setLocale\s*\(/, "locale") -property_reader("QSplitter", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QSplitter", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QSplitter", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QSplitter", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QSplitter", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QSplitter", /::setFrameShape\s*\(/, "frameShape") -property_reader("QSplitter", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QSplitter", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QSplitter", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QSplitter", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QSplitter", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QSplitter", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QSplitter", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QSplitter", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QSplitter", /::setFrameRect\s*\(/, "frameRect") -property_reader("QSplitter", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") -property_writer("QSplitter", /::setOrientation\s*\(/, "orientation") -property_reader("QSplitter", /::(opaqueResize|isOpaqueResize|hasOpaqueResize)\s*\(/, "opaqueResize") -property_writer("QSplitter", /::setOpaqueResize\s*\(/, "opaqueResize") -property_reader("QSplitter", /::(handleWidth|isHandleWidth|hasHandleWidth)\s*\(/, "handleWidth") -property_writer("QSplitter", /::setHandleWidth\s*\(/, "handleWidth") -property_reader("QSplitter", /::(childrenCollapsible|isChildrenCollapsible|hasChildrenCollapsible)\s*\(/, "childrenCollapsible") -property_writer("QSplitter", /::setChildrenCollapsible\s*\(/, "childrenCollapsible") -property_reader("QSplitterHandle", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSplitterHandle", /::setObjectName\s*\(/, "objectName") -property_reader("QSplitterHandle", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QSplitterHandle", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QSplitterHandle", /::setWindowModality\s*\(/, "windowModality") -property_reader("QSplitterHandle", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QSplitterHandle", /::setEnabled\s*\(/, "enabled") -property_reader("QSplitterHandle", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QSplitterHandle", /::setGeometry\s*\(/, "geometry") -property_reader("QSplitterHandle", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QSplitterHandle", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QSplitterHandle", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QSplitterHandle", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QSplitterHandle", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QSplitterHandle", /::setPos\s*\(/, "pos") -property_reader("QSplitterHandle", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QSplitterHandle", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QSplitterHandle", /::setSize\s*\(/, "size") -property_reader("QSplitterHandle", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QSplitterHandle", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QSplitterHandle", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QSplitterHandle", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QSplitterHandle", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QSplitterHandle", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QSplitterHandle", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QSplitterHandle", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QSplitterHandle", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QSplitterHandle", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QSplitterHandle", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QSplitterHandle", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QSplitterHandle", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QSplitterHandle", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QSplitterHandle", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QSplitterHandle", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QSplitterHandle", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QSplitterHandle", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QSplitterHandle", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QSplitterHandle", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QSplitterHandle", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QSplitterHandle", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QSplitterHandle", /::setBaseSize\s*\(/, "baseSize") -property_reader("QSplitterHandle", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QSplitterHandle", /::setPalette\s*\(/, "palette") -property_reader("QSplitterHandle", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QSplitterHandle", /::setFont\s*\(/, "font") -property_reader("QSplitterHandle", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QSplitterHandle", /::setCursor\s*\(/, "cursor") -property_reader("QSplitterHandle", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QSplitterHandle", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QSplitterHandle", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QSplitterHandle", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QSplitterHandle", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QSplitterHandle", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QSplitterHandle", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QSplitterHandle", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QSplitterHandle", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QSplitterHandle", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QSplitterHandle", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QSplitterHandle", /::setVisible\s*\(/, "visible") -property_reader("QSplitterHandle", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QSplitterHandle", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QSplitterHandle", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QSplitterHandle", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QSplitterHandle", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QSplitterHandle", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QSplitterHandle", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QSplitterHandle", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QSplitterHandle", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QSplitterHandle", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QSplitterHandle", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QSplitterHandle", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QSplitterHandle", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QSplitterHandle", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QSplitterHandle", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QSplitterHandle", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QSplitterHandle", /::setWindowModified\s*\(/, "windowModified") -property_reader("QSplitterHandle", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QSplitterHandle", /::setToolTip\s*\(/, "toolTip") -property_reader("QSplitterHandle", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QSplitterHandle", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QSplitterHandle", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QSplitterHandle", /::setStatusTip\s*\(/, "statusTip") -property_reader("QSplitterHandle", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QSplitterHandle", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QSplitterHandle", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QSplitterHandle", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QSplitterHandle", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QSplitterHandle", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QSplitterHandle", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QSplitterHandle", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QSplitterHandle", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QSplitterHandle", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QSplitterHandle", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QSplitterHandle", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QSplitterHandle", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QSplitterHandle", /::setLocale\s*\(/, "locale") -property_reader("QSplitterHandle", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QSplitterHandle", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QSplitterHandle", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QSplitterHandle", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QSqlDriver", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSqlDriver", /::setObjectName\s*\(/, "objectName") -property_reader("QSqlQueryModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSqlQueryModel", /::setObjectName\s*\(/, "objectName") -property_reader("QSqlRelationalTableModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSqlRelationalTableModel", /::setObjectName\s*\(/, "objectName") -property_reader("QSqlTableModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSqlTableModel", /::setObjectName\s*\(/, "objectName") -property_reader("QSslSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSslSocket", /::setObjectName\s*\(/, "objectName") -property_reader("QStackedLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QStackedLayout", /::setObjectName\s*\(/, "objectName") -property_reader("QStackedLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") -property_writer("QStackedLayout", /::setMargin\s*\(/, "margin") -property_reader("QStackedLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QStackedLayout", /::setSpacing\s*\(/, "spacing") -property_reader("QStackedLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") -property_writer("QStackedLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") -property_reader("QStackedLayout", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") -property_writer("QStackedLayout", /::setCurrentIndex\s*\(/, "currentIndex") -property_reader("QStackedLayout", /::(stackingMode|isStackingMode|hasStackingMode)\s*\(/, "stackingMode") -property_writer("QStackedLayout", /::setStackingMode\s*\(/, "stackingMode") -property_reader("QStackedWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QStackedWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QStackedWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QStackedWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QStackedWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QStackedWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QStackedWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QStackedWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QStackedWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QStackedWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QStackedWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QStackedWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QStackedWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QStackedWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QStackedWidget", /::setPos\s*\(/, "pos") -property_reader("QStackedWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QStackedWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QStackedWidget", /::setSize\s*\(/, "size") -property_reader("QStackedWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QStackedWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QStackedWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QStackedWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QStackedWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QStackedWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QStackedWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QStackedWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QStackedWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QStackedWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QStackedWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QStackedWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QStackedWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QStackedWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QStackedWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QStackedWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QStackedWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QStackedWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QStackedWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QStackedWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QStackedWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QStackedWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QStackedWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QStackedWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QStackedWidget", /::setPalette\s*\(/, "palette") -property_reader("QStackedWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QStackedWidget", /::setFont\s*\(/, "font") -property_reader("QStackedWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QStackedWidget", /::setCursor\s*\(/, "cursor") -property_reader("QStackedWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QStackedWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QStackedWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QStackedWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QStackedWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QStackedWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QStackedWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QStackedWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QStackedWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QStackedWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QStackedWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QStackedWidget", /::setVisible\s*\(/, "visible") -property_reader("QStackedWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QStackedWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QStackedWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QStackedWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QStackedWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QStackedWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QStackedWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QStackedWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QStackedWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QStackedWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QStackedWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QStackedWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QStackedWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QStackedWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QStackedWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QStackedWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QStackedWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QStackedWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QStackedWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QStackedWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QStackedWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QStackedWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QStackedWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QStackedWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QStackedWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QStackedWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QStackedWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QStackedWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QStackedWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QStackedWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QStackedWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QStackedWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QStackedWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QStackedWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QStackedWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QStackedWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QStackedWidget", /::setLocale\s*\(/, "locale") -property_reader("QStackedWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QStackedWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QStackedWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QStackedWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QStackedWidget", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QStackedWidget", /::setFrameShape\s*\(/, "frameShape") -property_reader("QStackedWidget", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QStackedWidget", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QStackedWidget", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QStackedWidget", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QStackedWidget", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QStackedWidget", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QStackedWidget", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QStackedWidget", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QStackedWidget", /::setFrameRect\s*\(/, "frameRect") -property_reader("QStackedWidget", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") -property_writer("QStackedWidget", /::setCurrentIndex\s*\(/, "currentIndex") -property_reader("QStackedWidget", /::(count|isCount|hasCount)\s*\(/, "count") -property_reader("QStandardItemModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QStandardItemModel", /::setObjectName\s*\(/, "objectName") -property_reader("QStandardItemModel", /::(sortRole|isSortRole|hasSortRole)\s*\(/, "sortRole") -property_writer("QStandardItemModel", /::setSortRole\s*\(/, "sortRole") -property_reader("QState", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QState", /::setObjectName\s*\(/, "objectName") -property_reader("QState", /::(active|isActive|hasActive)\s*\(/, "active") -property_reader("QState", /::(initialState|isInitialState|hasInitialState)\s*\(/, "initialState") -property_writer("QState", /::setInitialState\s*\(/, "initialState") -property_reader("QState", /::(errorState|isErrorState|hasErrorState)\s*\(/, "errorState") -property_writer("QState", /::setErrorState\s*\(/, "errorState") -property_reader("QState", /::(childMode|isChildMode|hasChildMode)\s*\(/, "childMode") -property_writer("QState", /::setChildMode\s*\(/, "childMode") -property_reader("QStateMachine", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QStateMachine", /::setObjectName\s*\(/, "objectName") -property_reader("QStateMachine", /::(active|isActive|hasActive)\s*\(/, "active") -property_reader("QStateMachine", /::(initialState|isInitialState|hasInitialState)\s*\(/, "initialState") -property_writer("QStateMachine", /::setInitialState\s*\(/, "initialState") -property_reader("QStateMachine", /::(errorState|isErrorState|hasErrorState)\s*\(/, "errorState") -property_writer("QStateMachine", /::setErrorState\s*\(/, "errorState") -property_reader("QStateMachine", /::(childMode|isChildMode|hasChildMode)\s*\(/, "childMode") -property_writer("QStateMachine", /::setChildMode\s*\(/, "childMode") -property_reader("QStateMachine", /::(errorString|isErrorString|hasErrorString)\s*\(/, "errorString") -property_reader("QStateMachine", /::(globalRestorePolicy|isGlobalRestorePolicy|hasGlobalRestorePolicy)\s*\(/, "globalRestorePolicy") -property_writer("QStateMachine", /::setGlobalRestorePolicy\s*\(/, "globalRestorePolicy") -property_reader("QStateMachine", /::(running|isRunning|hasRunning)\s*\(/, "running") -property_writer("QStateMachine", /::setRunning\s*\(/, "running") -property_reader("QStateMachine", /::(animated|isAnimated|hasAnimated)\s*\(/, "animated") -property_writer("QStateMachine", /::setAnimated\s*\(/, "animated") -property_reader("QStatusBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QStatusBar", /::setObjectName\s*\(/, "objectName") -property_reader("QStatusBar", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QStatusBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QStatusBar", /::setWindowModality\s*\(/, "windowModality") -property_reader("QStatusBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QStatusBar", /::setEnabled\s*\(/, "enabled") -property_reader("QStatusBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QStatusBar", /::setGeometry\s*\(/, "geometry") -property_reader("QStatusBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QStatusBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QStatusBar", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QStatusBar", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QStatusBar", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QStatusBar", /::setPos\s*\(/, "pos") -property_reader("QStatusBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QStatusBar", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QStatusBar", /::setSize\s*\(/, "size") -property_reader("QStatusBar", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QStatusBar", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QStatusBar", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QStatusBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QStatusBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QStatusBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QStatusBar", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QStatusBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QStatusBar", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QStatusBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QStatusBar", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QStatusBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QStatusBar", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QStatusBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QStatusBar", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QStatusBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QStatusBar", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QStatusBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QStatusBar", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QStatusBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QStatusBar", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QStatusBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QStatusBar", /::setBaseSize\s*\(/, "baseSize") -property_reader("QStatusBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QStatusBar", /::setPalette\s*\(/, "palette") -property_reader("QStatusBar", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QStatusBar", /::setFont\s*\(/, "font") -property_reader("QStatusBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QStatusBar", /::setCursor\s*\(/, "cursor") -property_reader("QStatusBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QStatusBar", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QStatusBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QStatusBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QStatusBar", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QStatusBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QStatusBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QStatusBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QStatusBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QStatusBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QStatusBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QStatusBar", /::setVisible\s*\(/, "visible") -property_reader("QStatusBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QStatusBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QStatusBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QStatusBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QStatusBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QStatusBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QStatusBar", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QStatusBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QStatusBar", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QStatusBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QStatusBar", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QStatusBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QStatusBar", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QStatusBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QStatusBar", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QStatusBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QStatusBar", /::setWindowModified\s*\(/, "windowModified") -property_reader("QStatusBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QStatusBar", /::setToolTip\s*\(/, "toolTip") -property_reader("QStatusBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QStatusBar", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QStatusBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QStatusBar", /::setStatusTip\s*\(/, "statusTip") -property_reader("QStatusBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QStatusBar", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QStatusBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QStatusBar", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QStatusBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QStatusBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QStatusBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QStatusBar", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QStatusBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QStatusBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QStatusBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QStatusBar", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QStatusBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QStatusBar", /::setLocale\s*\(/, "locale") -property_reader("QStatusBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QStatusBar", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QStatusBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QStatusBar", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QStatusBar", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QStatusBar", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QStringListModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QStringListModel", /::setObjectName\s*\(/, "objectName") -property_reader("QStyle", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QStyle", /::setObjectName\s*\(/, "objectName") -property_reader("QStyleHints", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QStyleHints", /::setObjectName\s*\(/, "objectName") -property_reader("QStyleHints", /::(cursorFlashTime|isCursorFlashTime|hasCursorFlashTime)\s*\(/, "cursorFlashTime") -property_reader("QStyleHints", /::(fontSmoothingGamma|isFontSmoothingGamma|hasFontSmoothingGamma)\s*\(/, "fontSmoothingGamma") -property_reader("QStyleHints", /::(keyboardAutoRepeatRate|isKeyboardAutoRepeatRate|hasKeyboardAutoRepeatRate)\s*\(/, "keyboardAutoRepeatRate") -property_reader("QStyleHints", /::(keyboardInputInterval|isKeyboardInputInterval|hasKeyboardInputInterval)\s*\(/, "keyboardInputInterval") -property_reader("QStyleHints", /::(mouseDoubleClickInterval|isMouseDoubleClickInterval|hasMouseDoubleClickInterval)\s*\(/, "mouseDoubleClickInterval") -property_reader("QStyleHints", /::(mousePressAndHoldInterval|isMousePressAndHoldInterval|hasMousePressAndHoldInterval)\s*\(/, "mousePressAndHoldInterval") -property_reader("QStyleHints", /::(passwordMaskCharacter|isPasswordMaskCharacter|hasPasswordMaskCharacter)\s*\(/, "passwordMaskCharacter") -property_reader("QStyleHints", /::(passwordMaskDelay|isPasswordMaskDelay|hasPasswordMaskDelay)\s*\(/, "passwordMaskDelay") -property_reader("QStyleHints", /::(setFocusOnTouchRelease|isSetFocusOnTouchRelease|hasSetFocusOnTouchRelease)\s*\(/, "setFocusOnTouchRelease") -property_reader("QStyleHints", /::(showIsFullScreen|isShowIsFullScreen|hasShowIsFullScreen)\s*\(/, "showIsFullScreen") -property_reader("QStyleHints", /::(startDragDistance|isStartDragDistance|hasStartDragDistance)\s*\(/, "startDragDistance") -property_reader("QStyleHints", /::(startDragTime|isStartDragTime|hasStartDragTime)\s*\(/, "startDragTime") -property_reader("QStyleHints", /::(startDragVelocity|isStartDragVelocity|hasStartDragVelocity)\s*\(/, "startDragVelocity") -property_reader("QStyleHints", /::(useRtlExtensions|isUseRtlExtensions|hasUseRtlExtensions)\s*\(/, "useRtlExtensions") -property_reader("QStyleHints", /::(tabFocusBehavior|isTabFocusBehavior|hasTabFocusBehavior)\s*\(/, "tabFocusBehavior") -property_reader("QStyleHints", /::(singleClickActivation|isSingleClickActivation|hasSingleClickActivation)\s*\(/, "singleClickActivation") -property_reader("QStylePlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QStylePlugin", /::setObjectName\s*\(/, "objectName") -property_reader("QStyledItemDelegate", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QStyledItemDelegate", /::setObjectName\s*\(/, "objectName") -property_reader("QSvgRenderer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSvgRenderer", /::setObjectName\s*\(/, "objectName") -property_reader("QSvgRenderer", /::(viewBox|isViewBox|hasViewBox)\s*\(/, "viewBox") -property_writer("QSvgRenderer", /::setViewBox\s*\(/, "viewBox") -property_reader("QSvgRenderer", /::(framesPerSecond|isFramesPerSecond|hasFramesPerSecond)\s*\(/, "framesPerSecond") -property_writer("QSvgRenderer", /::setFramesPerSecond\s*\(/, "framesPerSecond") -property_reader("QSvgRenderer", /::(currentFrame|isCurrentFrame|hasCurrentFrame)\s*\(/, "currentFrame") -property_writer("QSvgRenderer", /::setCurrentFrame\s*\(/, "currentFrame") -property_reader("QSvgWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSvgWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QSvgWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QSvgWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QSvgWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QSvgWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QSvgWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QSvgWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QSvgWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QSvgWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QSvgWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QSvgWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QSvgWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QSvgWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QSvgWidget", /::setPos\s*\(/, "pos") -property_reader("QSvgWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QSvgWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QSvgWidget", /::setSize\s*\(/, "size") -property_reader("QSvgWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QSvgWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QSvgWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QSvgWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QSvgWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QSvgWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QSvgWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QSvgWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QSvgWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QSvgWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QSvgWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QSvgWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QSvgWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QSvgWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QSvgWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QSvgWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QSvgWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QSvgWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QSvgWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QSvgWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QSvgWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QSvgWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QSvgWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QSvgWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QSvgWidget", /::setPalette\s*\(/, "palette") -property_reader("QSvgWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QSvgWidget", /::setFont\s*\(/, "font") -property_reader("QSvgWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QSvgWidget", /::setCursor\s*\(/, "cursor") -property_reader("QSvgWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QSvgWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QSvgWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QSvgWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QSvgWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QSvgWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QSvgWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QSvgWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QSvgWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QSvgWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QSvgWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QSvgWidget", /::setVisible\s*\(/, "visible") -property_reader("QSvgWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QSvgWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QSvgWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QSvgWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QSvgWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QSvgWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QSvgWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QSvgWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QSvgWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QSvgWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QSvgWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QSvgWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QSvgWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QSvgWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QSvgWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QSvgWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QSvgWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QSvgWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QSvgWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QSvgWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QSvgWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QSvgWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QSvgWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QSvgWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QSvgWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QSvgWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QSvgWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QSvgWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QSvgWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QSvgWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QSvgWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QSvgWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QSvgWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QSvgWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QSvgWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QSvgWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QSvgWidget", /::setLocale\s*\(/, "locale") -property_reader("QSvgWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QSvgWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QSvgWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QSvgWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QSwipeGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSwipeGesture", /::setObjectName\s*\(/, "objectName") -property_reader("QSwipeGesture", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QSwipeGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") -property_reader("QSwipeGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") -property_writer("QSwipeGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") -property_reader("QSwipeGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") -property_writer("QSwipeGesture", /::setHotSpot\s*\(/, "hotSpot") -property_reader("QSwipeGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") -property_reader("QSwipeGesture", /::(horizontalDirection|isHorizontalDirection|hasHorizontalDirection)\s*\(/, "horizontalDirection") -property_reader("QSwipeGesture", /::(verticalDirection|isVerticalDirection|hasVerticalDirection)\s*\(/, "verticalDirection") -property_reader("QSwipeGesture", /::(swipeAngle|isSwipeAngle|hasSwipeAngle)\s*\(/, "swipeAngle") -property_writer("QSwipeGesture", /::setSwipeAngle\s*\(/, "swipeAngle") -property_reader("QSwipeGesture", /::(velocity|isVelocity|hasVelocity)\s*\(/, "velocity") -property_writer("QSwipeGesture", /::setVelocity\s*\(/, "velocity") -property_reader("QSyntaxHighlighter", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSyntaxHighlighter", /::setObjectName\s*\(/, "objectName") -property_reader("QSystemTrayIcon", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QSystemTrayIcon", /::setObjectName\s*\(/, "objectName") -property_reader("QSystemTrayIcon", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QSystemTrayIcon", /::setToolTip\s*\(/, "toolTip") -property_reader("QSystemTrayIcon", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QSystemTrayIcon", /::setIcon\s*\(/, "icon") -property_reader("QSystemTrayIcon", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QSystemTrayIcon", /::setVisible\s*\(/, "visible") -property_reader("QTabBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTabBar", /::setObjectName\s*\(/, "objectName") -property_reader("QTabBar", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QTabBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QTabBar", /::setWindowModality\s*\(/, "windowModality") -property_reader("QTabBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QTabBar", /::setEnabled\s*\(/, "enabled") -property_reader("QTabBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QTabBar", /::setGeometry\s*\(/, "geometry") -property_reader("QTabBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QTabBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QTabBar", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QTabBar", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QTabBar", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QTabBar", /::setPos\s*\(/, "pos") -property_reader("QTabBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QTabBar", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QTabBar", /::setSize\s*\(/, "size") -property_reader("QTabBar", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QTabBar", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QTabBar", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QTabBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QTabBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QTabBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QTabBar", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QTabBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QTabBar", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QTabBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QTabBar", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QTabBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QTabBar", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QTabBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QTabBar", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QTabBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QTabBar", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QTabBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QTabBar", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QTabBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QTabBar", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QTabBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QTabBar", /::setBaseSize\s*\(/, "baseSize") -property_reader("QTabBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QTabBar", /::setPalette\s*\(/, "palette") -property_reader("QTabBar", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QTabBar", /::setFont\s*\(/, "font") -property_reader("QTabBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QTabBar", /::setCursor\s*\(/, "cursor") -property_reader("QTabBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QTabBar", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QTabBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QTabBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QTabBar", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QTabBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QTabBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QTabBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QTabBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QTabBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QTabBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QTabBar", /::setVisible\s*\(/, "visible") -property_reader("QTabBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QTabBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QTabBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QTabBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QTabBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QTabBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QTabBar", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QTabBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QTabBar", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QTabBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QTabBar", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QTabBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QTabBar", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QTabBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QTabBar", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QTabBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QTabBar", /::setWindowModified\s*\(/, "windowModified") -property_reader("QTabBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QTabBar", /::setToolTip\s*\(/, "toolTip") -property_reader("QTabBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QTabBar", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QTabBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QTabBar", /::setStatusTip\s*\(/, "statusTip") -property_reader("QTabBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QTabBar", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QTabBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QTabBar", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QTabBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QTabBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QTabBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QTabBar", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QTabBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QTabBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QTabBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QTabBar", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QTabBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QTabBar", /::setLocale\s*\(/, "locale") -property_reader("QTabBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QTabBar", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QTabBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QTabBar", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QTabBar", /::(shape|isShape|hasShape)\s*\(/, "shape") -property_writer("QTabBar", /::setShape\s*\(/, "shape") -property_reader("QTabBar", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") -property_writer("QTabBar", /::setCurrentIndex\s*\(/, "currentIndex") -property_reader("QTabBar", /::(count|isCount|hasCount)\s*\(/, "count") -property_reader("QTabBar", /::(drawBase|isDrawBase|hasDrawBase)\s*\(/, "drawBase") -property_writer("QTabBar", /::setDrawBase\s*\(/, "drawBase") -property_reader("QTabBar", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QTabBar", /::setIconSize\s*\(/, "iconSize") -property_reader("QTabBar", /::(elideMode|isElideMode|hasElideMode)\s*\(/, "elideMode") -property_writer("QTabBar", /::setElideMode\s*\(/, "elideMode") -property_reader("QTabBar", /::(usesScrollButtons|isUsesScrollButtons|hasUsesScrollButtons)\s*\(/, "usesScrollButtons") -property_writer("QTabBar", /::setUsesScrollButtons\s*\(/, "usesScrollButtons") -property_reader("QTabBar", /::(tabsClosable|isTabsClosable|hasTabsClosable)\s*\(/, "tabsClosable") -property_writer("QTabBar", /::setTabsClosable\s*\(/, "tabsClosable") -property_reader("QTabBar", /::(selectionBehaviorOnRemove|isSelectionBehaviorOnRemove|hasSelectionBehaviorOnRemove)\s*\(/, "selectionBehaviorOnRemove") -property_writer("QTabBar", /::setSelectionBehaviorOnRemove\s*\(/, "selectionBehaviorOnRemove") -property_reader("QTabBar", /::(expanding|isExpanding|hasExpanding)\s*\(/, "expanding") -property_writer("QTabBar", /::setExpanding\s*\(/, "expanding") -property_reader("QTabBar", /::(movable|isMovable|hasMovable)\s*\(/, "movable") -property_writer("QTabBar", /::setMovable\s*\(/, "movable") -property_reader("QTabBar", /::(documentMode|isDocumentMode|hasDocumentMode)\s*\(/, "documentMode") -property_writer("QTabBar", /::setDocumentMode\s*\(/, "documentMode") -property_reader("QTabBar", /::(autoHide|isAutoHide|hasAutoHide)\s*\(/, "autoHide") -property_writer("QTabBar", /::setAutoHide\s*\(/, "autoHide") -property_reader("QTabBar", /::(changeCurrentOnDrag|isChangeCurrentOnDrag|hasChangeCurrentOnDrag)\s*\(/, "changeCurrentOnDrag") -property_writer("QTabBar", /::setChangeCurrentOnDrag\s*\(/, "changeCurrentOnDrag") -property_reader("QTabWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTabWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QTabWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QTabWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QTabWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QTabWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QTabWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QTabWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QTabWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QTabWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QTabWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QTabWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QTabWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QTabWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QTabWidget", /::setPos\s*\(/, "pos") -property_reader("QTabWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QTabWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QTabWidget", /::setSize\s*\(/, "size") -property_reader("QTabWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QTabWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QTabWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QTabWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QTabWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QTabWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QTabWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QTabWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QTabWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QTabWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QTabWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QTabWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QTabWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QTabWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QTabWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QTabWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QTabWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QTabWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QTabWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QTabWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QTabWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QTabWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QTabWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QTabWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QTabWidget", /::setPalette\s*\(/, "palette") -property_reader("QTabWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QTabWidget", /::setFont\s*\(/, "font") -property_reader("QTabWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QTabWidget", /::setCursor\s*\(/, "cursor") -property_reader("QTabWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QTabWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QTabWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QTabWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QTabWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QTabWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QTabWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QTabWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QTabWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QTabWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QTabWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QTabWidget", /::setVisible\s*\(/, "visible") -property_reader("QTabWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QTabWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QTabWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QTabWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QTabWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QTabWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QTabWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QTabWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QTabWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QTabWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QTabWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QTabWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QTabWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QTabWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QTabWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QTabWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QTabWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QTabWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QTabWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QTabWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QTabWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QTabWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QTabWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QTabWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QTabWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QTabWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QTabWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QTabWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QTabWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QTabWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QTabWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QTabWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QTabWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QTabWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QTabWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QTabWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QTabWidget", /::setLocale\s*\(/, "locale") -property_reader("QTabWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QTabWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QTabWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QTabWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QTabWidget", /::(tabPosition|isTabPosition|hasTabPosition)\s*\(/, "tabPosition") -property_writer("QTabWidget", /::setTabPosition\s*\(/, "tabPosition") -property_reader("QTabWidget", /::(tabShape|isTabShape|hasTabShape)\s*\(/, "tabShape") -property_writer("QTabWidget", /::setTabShape\s*\(/, "tabShape") -property_reader("QTabWidget", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") -property_writer("QTabWidget", /::setCurrentIndex\s*\(/, "currentIndex") -property_reader("QTabWidget", /::(count|isCount|hasCount)\s*\(/, "count") -property_reader("QTabWidget", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QTabWidget", /::setIconSize\s*\(/, "iconSize") -property_reader("QTabWidget", /::(elideMode|isElideMode|hasElideMode)\s*\(/, "elideMode") -property_writer("QTabWidget", /::setElideMode\s*\(/, "elideMode") -property_reader("QTabWidget", /::(usesScrollButtons|isUsesScrollButtons|hasUsesScrollButtons)\s*\(/, "usesScrollButtons") -property_writer("QTabWidget", /::setUsesScrollButtons\s*\(/, "usesScrollButtons") -property_reader("QTabWidget", /::(documentMode|isDocumentMode|hasDocumentMode)\s*\(/, "documentMode") -property_writer("QTabWidget", /::setDocumentMode\s*\(/, "documentMode") -property_reader("QTabWidget", /::(tabsClosable|isTabsClosable|hasTabsClosable)\s*\(/, "tabsClosable") -property_writer("QTabWidget", /::setTabsClosable\s*\(/, "tabsClosable") -property_reader("QTabWidget", /::(movable|isMovable|hasMovable)\s*\(/, "movable") -property_writer("QTabWidget", /::setMovable\s*\(/, "movable") -property_reader("QTabWidget", /::(tabBarAutoHide|isTabBarAutoHide|hasTabBarAutoHide)\s*\(/, "tabBarAutoHide") -property_writer("QTabWidget", /::setTabBarAutoHide\s*\(/, "tabBarAutoHide") -property_reader("QTableView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTableView", /::setObjectName\s*\(/, "objectName") -property_reader("QTableView", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QTableView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QTableView", /::setWindowModality\s*\(/, "windowModality") -property_reader("QTableView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QTableView", /::setEnabled\s*\(/, "enabled") -property_reader("QTableView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QTableView", /::setGeometry\s*\(/, "geometry") -property_reader("QTableView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QTableView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QTableView", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QTableView", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QTableView", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QTableView", /::setPos\s*\(/, "pos") -property_reader("QTableView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QTableView", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QTableView", /::setSize\s*\(/, "size") -property_reader("QTableView", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QTableView", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QTableView", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QTableView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QTableView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QTableView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QTableView", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QTableView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QTableView", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QTableView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QTableView", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QTableView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QTableView", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QTableView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QTableView", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QTableView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QTableView", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QTableView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QTableView", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QTableView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QTableView", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QTableView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QTableView", /::setBaseSize\s*\(/, "baseSize") -property_reader("QTableView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QTableView", /::setPalette\s*\(/, "palette") -property_reader("QTableView", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QTableView", /::setFont\s*\(/, "font") -property_reader("QTableView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QTableView", /::setCursor\s*\(/, "cursor") -property_reader("QTableView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QTableView", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QTableView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QTableView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QTableView", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QTableView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QTableView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QTableView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QTableView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QTableView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QTableView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QTableView", /::setVisible\s*\(/, "visible") -property_reader("QTableView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QTableView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QTableView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QTableView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QTableView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QTableView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QTableView", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QTableView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QTableView", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QTableView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QTableView", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QTableView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QTableView", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QTableView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QTableView", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QTableView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QTableView", /::setWindowModified\s*\(/, "windowModified") -property_reader("QTableView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QTableView", /::setToolTip\s*\(/, "toolTip") -property_reader("QTableView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QTableView", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QTableView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QTableView", /::setStatusTip\s*\(/, "statusTip") -property_reader("QTableView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QTableView", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QTableView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QTableView", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QTableView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QTableView", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QTableView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QTableView", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QTableView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QTableView", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QTableView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QTableView", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QTableView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QTableView", /::setLocale\s*\(/, "locale") -property_reader("QTableView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QTableView", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QTableView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QTableView", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QTableView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QTableView", /::setFrameShape\s*\(/, "frameShape") -property_reader("QTableView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QTableView", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QTableView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QTableView", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QTableView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QTableView", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QTableView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QTableView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QTableView", /::setFrameRect\s*\(/, "frameRect") -property_reader("QTableView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QTableView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QTableView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QTableView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QTableView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QTableView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QTableView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") -property_writer("QTableView", /::setAutoScroll\s*\(/, "autoScroll") -property_reader("QTableView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") -property_writer("QTableView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") -property_reader("QTableView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") -property_writer("QTableView", /::setEditTriggers\s*\(/, "editTriggers") -property_reader("QTableView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") -property_writer("QTableView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") -property_reader("QTableView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") -property_writer("QTableView", /::setShowDropIndicator\s*\(/, "showDropIndicator") -property_reader("QTableView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QTableView", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QTableView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") -property_writer("QTableView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") -property_reader("QTableView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") -property_writer("QTableView", /::setDragDropMode\s*\(/, "dragDropMode") -property_reader("QTableView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") -property_writer("QTableView", /::setDefaultDropAction\s*\(/, "defaultDropAction") -property_reader("QTableView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") -property_writer("QTableView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") -property_reader("QTableView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QTableView", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QTableView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") -property_writer("QTableView", /::setSelectionBehavior\s*\(/, "selectionBehavior") -property_reader("QTableView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QTableView", /::setIconSize\s*\(/, "iconSize") -property_reader("QTableView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") -property_writer("QTableView", /::setTextElideMode\s*\(/, "textElideMode") -property_reader("QTableView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") -property_writer("QTableView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") -property_reader("QTableView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") -property_writer("QTableView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") -property_reader("QTableView", /::(showGrid|isShowGrid|hasShowGrid)\s*\(/, "showGrid") -property_writer("QTableView", /::setShowGrid\s*\(/, "showGrid") -property_reader("QTableView", /::(gridStyle|isGridStyle|hasGridStyle)\s*\(/, "gridStyle") -property_writer("QTableView", /::setGridStyle\s*\(/, "gridStyle") -property_reader("QTableView", /::(sortingEnabled|isSortingEnabled|hasSortingEnabled)\s*\(/, "sortingEnabled") -property_writer("QTableView", /::setSortingEnabled\s*\(/, "sortingEnabled") -property_reader("QTableView", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") -property_writer("QTableView", /::setWordWrap\s*\(/, "wordWrap") -property_reader("QTableView", /::(cornerButtonEnabled|isCornerButtonEnabled|hasCornerButtonEnabled)\s*\(/, "cornerButtonEnabled") -property_writer("QTableView", /::setCornerButtonEnabled\s*\(/, "cornerButtonEnabled") -property_reader("QTableWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTableWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QTableWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QTableWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QTableWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QTableWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QTableWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QTableWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QTableWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QTableWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QTableWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QTableWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QTableWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QTableWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QTableWidget", /::setPos\s*\(/, "pos") -property_reader("QTableWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QTableWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QTableWidget", /::setSize\s*\(/, "size") -property_reader("QTableWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QTableWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QTableWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QTableWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QTableWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QTableWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QTableWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QTableWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QTableWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QTableWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QTableWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QTableWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QTableWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QTableWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QTableWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QTableWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QTableWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QTableWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QTableWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QTableWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QTableWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QTableWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QTableWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QTableWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QTableWidget", /::setPalette\s*\(/, "palette") -property_reader("QTableWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QTableWidget", /::setFont\s*\(/, "font") -property_reader("QTableWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QTableWidget", /::setCursor\s*\(/, "cursor") -property_reader("QTableWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QTableWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QTableWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QTableWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QTableWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QTableWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QTableWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QTableWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QTableWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QTableWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QTableWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QTableWidget", /::setVisible\s*\(/, "visible") -property_reader("QTableWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QTableWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QTableWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QTableWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QTableWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QTableWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QTableWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QTableWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QTableWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QTableWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QTableWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QTableWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QTableWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QTableWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QTableWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QTableWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QTableWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QTableWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QTableWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QTableWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QTableWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QTableWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QTableWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QTableWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QTableWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QTableWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QTableWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QTableWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QTableWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QTableWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QTableWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QTableWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QTableWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QTableWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QTableWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QTableWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QTableWidget", /::setLocale\s*\(/, "locale") -property_reader("QTableWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QTableWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QTableWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QTableWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QTableWidget", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QTableWidget", /::setFrameShape\s*\(/, "frameShape") -property_reader("QTableWidget", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QTableWidget", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QTableWidget", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QTableWidget", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QTableWidget", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QTableWidget", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QTableWidget", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QTableWidget", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QTableWidget", /::setFrameRect\s*\(/, "frameRect") -property_reader("QTableWidget", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QTableWidget", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QTableWidget", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QTableWidget", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QTableWidget", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QTableWidget", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QTableWidget", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") -property_writer("QTableWidget", /::setAutoScroll\s*\(/, "autoScroll") -property_reader("QTableWidget", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") -property_writer("QTableWidget", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") -property_reader("QTableWidget", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") -property_writer("QTableWidget", /::setEditTriggers\s*\(/, "editTriggers") -property_reader("QTableWidget", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") -property_writer("QTableWidget", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") -property_reader("QTableWidget", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") -property_writer("QTableWidget", /::setShowDropIndicator\s*\(/, "showDropIndicator") -property_reader("QTableWidget", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QTableWidget", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QTableWidget", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") -property_writer("QTableWidget", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") -property_reader("QTableWidget", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") -property_writer("QTableWidget", /::setDragDropMode\s*\(/, "dragDropMode") -property_reader("QTableWidget", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") -property_writer("QTableWidget", /::setDefaultDropAction\s*\(/, "defaultDropAction") -property_reader("QTableWidget", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") -property_writer("QTableWidget", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") -property_reader("QTableWidget", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QTableWidget", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QTableWidget", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") -property_writer("QTableWidget", /::setSelectionBehavior\s*\(/, "selectionBehavior") -property_reader("QTableWidget", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QTableWidget", /::setIconSize\s*\(/, "iconSize") -property_reader("QTableWidget", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") -property_writer("QTableWidget", /::setTextElideMode\s*\(/, "textElideMode") -property_reader("QTableWidget", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") -property_writer("QTableWidget", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") -property_reader("QTableWidget", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") -property_writer("QTableWidget", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") -property_reader("QTableWidget", /::(showGrid|isShowGrid|hasShowGrid)\s*\(/, "showGrid") -property_writer("QTableWidget", /::setShowGrid\s*\(/, "showGrid") -property_reader("QTableWidget", /::(gridStyle|isGridStyle|hasGridStyle)\s*\(/, "gridStyle") -property_writer("QTableWidget", /::setGridStyle\s*\(/, "gridStyle") -property_reader("QTableWidget", /::(sortingEnabled|isSortingEnabled|hasSortingEnabled)\s*\(/, "sortingEnabled") -property_writer("QTableWidget", /::setSortingEnabled\s*\(/, "sortingEnabled") -property_reader("QTableWidget", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") -property_writer("QTableWidget", /::setWordWrap\s*\(/, "wordWrap") -property_reader("QTableWidget", /::(cornerButtonEnabled|isCornerButtonEnabled|hasCornerButtonEnabled)\s*\(/, "cornerButtonEnabled") -property_writer("QTableWidget", /::setCornerButtonEnabled\s*\(/, "cornerButtonEnabled") -property_reader("QTableWidget", /::(rowCount|isRowCount|hasRowCount)\s*\(/, "rowCount") -property_writer("QTableWidget", /::setRowCount\s*\(/, "rowCount") -property_reader("QTableWidget", /::(columnCount|isColumnCount|hasColumnCount)\s*\(/, "columnCount") -property_writer("QTableWidget", /::setColumnCount\s*\(/, "columnCount") -property_reader("QTapAndHoldGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTapAndHoldGesture", /::setObjectName\s*\(/, "objectName") -property_reader("QTapAndHoldGesture", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QTapAndHoldGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") -property_reader("QTapAndHoldGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") -property_writer("QTapAndHoldGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") -property_reader("QTapAndHoldGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") -property_writer("QTapAndHoldGesture", /::setHotSpot\s*\(/, "hotSpot") -property_reader("QTapAndHoldGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") -property_reader("QTapAndHoldGesture", /::(position|isPosition|hasPosition)\s*\(/, "position") -property_writer("QTapAndHoldGesture", /::setPosition\s*\(/, "position") -property_reader("QTapGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTapGesture", /::setObjectName\s*\(/, "objectName") -property_reader("QTapGesture", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QTapGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") -property_reader("QTapGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") -property_writer("QTapGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") -property_reader("QTapGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") -property_writer("QTapGesture", /::setHotSpot\s*\(/, "hotSpot") -property_reader("QTapGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") -property_reader("QTapGesture", /::(position|isPosition|hasPosition)\s*\(/, "position") -property_writer("QTapGesture", /::setPosition\s*\(/, "position") -property_reader("QTcpServer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTcpServer", /::setObjectName\s*\(/, "objectName") -property_reader("QTcpSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTcpSocket", /::setObjectName\s*\(/, "objectName") -property_reader("QTemporaryFile", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTemporaryFile", /::setObjectName\s*\(/, "objectName") -property_reader("QTextBlockGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTextBlockGroup", /::setObjectName\s*\(/, "objectName") -property_reader("QTextBrowser", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTextBrowser", /::setObjectName\s*\(/, "objectName") -property_reader("QTextBrowser", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QTextBrowser", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QTextBrowser", /::setWindowModality\s*\(/, "windowModality") -property_reader("QTextBrowser", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QTextBrowser", /::setEnabled\s*\(/, "enabled") -property_reader("QTextBrowser", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QTextBrowser", /::setGeometry\s*\(/, "geometry") -property_reader("QTextBrowser", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QTextBrowser", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QTextBrowser", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QTextBrowser", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QTextBrowser", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QTextBrowser", /::setPos\s*\(/, "pos") -property_reader("QTextBrowser", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QTextBrowser", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QTextBrowser", /::setSize\s*\(/, "size") -property_reader("QTextBrowser", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QTextBrowser", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QTextBrowser", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QTextBrowser", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QTextBrowser", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QTextBrowser", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QTextBrowser", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QTextBrowser", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QTextBrowser", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QTextBrowser", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QTextBrowser", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QTextBrowser", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QTextBrowser", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QTextBrowser", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QTextBrowser", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QTextBrowser", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QTextBrowser", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QTextBrowser", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QTextBrowser", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QTextBrowser", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QTextBrowser", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QTextBrowser", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QTextBrowser", /::setBaseSize\s*\(/, "baseSize") -property_reader("QTextBrowser", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QTextBrowser", /::setPalette\s*\(/, "palette") -property_reader("QTextBrowser", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QTextBrowser", /::setFont\s*\(/, "font") -property_reader("QTextBrowser", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QTextBrowser", /::setCursor\s*\(/, "cursor") -property_reader("QTextBrowser", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QTextBrowser", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QTextBrowser", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QTextBrowser", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QTextBrowser", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QTextBrowser", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QTextBrowser", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QTextBrowser", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QTextBrowser", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QTextBrowser", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QTextBrowser", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QTextBrowser", /::setVisible\s*\(/, "visible") -property_reader("QTextBrowser", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QTextBrowser", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QTextBrowser", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QTextBrowser", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QTextBrowser", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QTextBrowser", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QTextBrowser", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QTextBrowser", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QTextBrowser", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QTextBrowser", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QTextBrowser", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QTextBrowser", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QTextBrowser", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QTextBrowser", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QTextBrowser", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QTextBrowser", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QTextBrowser", /::setWindowModified\s*\(/, "windowModified") -property_reader("QTextBrowser", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QTextBrowser", /::setToolTip\s*\(/, "toolTip") -property_reader("QTextBrowser", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QTextBrowser", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QTextBrowser", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QTextBrowser", /::setStatusTip\s*\(/, "statusTip") -property_reader("QTextBrowser", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QTextBrowser", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QTextBrowser", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QTextBrowser", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QTextBrowser", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QTextBrowser", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QTextBrowser", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QTextBrowser", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QTextBrowser", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QTextBrowser", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QTextBrowser", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QTextBrowser", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QTextBrowser", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QTextBrowser", /::setLocale\s*\(/, "locale") -property_reader("QTextBrowser", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QTextBrowser", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QTextBrowser", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QTextBrowser", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QTextBrowser", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QTextBrowser", /::setFrameShape\s*\(/, "frameShape") -property_reader("QTextBrowser", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QTextBrowser", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QTextBrowser", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QTextBrowser", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QTextBrowser", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QTextBrowser", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QTextBrowser", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QTextBrowser", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QTextBrowser", /::setFrameRect\s*\(/, "frameRect") -property_reader("QTextBrowser", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QTextBrowser", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QTextBrowser", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QTextBrowser", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QTextBrowser", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QTextBrowser", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QTextBrowser", /::(autoFormatting|isAutoFormatting|hasAutoFormatting)\s*\(/, "autoFormatting") -property_writer("QTextBrowser", /::setAutoFormatting\s*\(/, "autoFormatting") -property_reader("QTextBrowser", /::(tabChangesFocus|isTabChangesFocus|hasTabChangesFocus)\s*\(/, "tabChangesFocus") -property_writer("QTextBrowser", /::setTabChangesFocus\s*\(/, "tabChangesFocus") -property_reader("QTextBrowser", /::(documentTitle|isDocumentTitle|hasDocumentTitle)\s*\(/, "documentTitle") -property_writer("QTextBrowser", /::setDocumentTitle\s*\(/, "documentTitle") -property_reader("QTextBrowser", /::(undoRedoEnabled|isUndoRedoEnabled|hasUndoRedoEnabled)\s*\(/, "undoRedoEnabled") -property_writer("QTextBrowser", /::setUndoRedoEnabled\s*\(/, "undoRedoEnabled") -property_reader("QTextBrowser", /::(lineWrapMode|isLineWrapMode|hasLineWrapMode)\s*\(/, "lineWrapMode") -property_writer("QTextBrowser", /::setLineWrapMode\s*\(/, "lineWrapMode") -property_reader("QTextBrowser", /::(lineWrapColumnOrWidth|isLineWrapColumnOrWidth|hasLineWrapColumnOrWidth)\s*\(/, "lineWrapColumnOrWidth") -property_writer("QTextBrowser", /::setLineWrapColumnOrWidth\s*\(/, "lineWrapColumnOrWidth") -property_reader("QTextBrowser", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QTextBrowser", /::setReadOnly\s*\(/, "readOnly") -property_reader("QTextBrowser", /::(html|isHtml|hasHtml)\s*\(/, "html") -property_writer("QTextBrowser", /::setHtml\s*\(/, "html") -property_reader("QTextBrowser", /::(plainText|isPlainText|hasPlainText)\s*\(/, "plainText") -property_writer("QTextBrowser", /::setPlainText\s*\(/, "plainText") -property_reader("QTextBrowser", /::(overwriteMode|isOverwriteMode|hasOverwriteMode)\s*\(/, "overwriteMode") -property_writer("QTextBrowser", /::setOverwriteMode\s*\(/, "overwriteMode") -property_reader("QTextBrowser", /::(tabStopWidth|isTabStopWidth|hasTabStopWidth)\s*\(/, "tabStopWidth") -property_writer("QTextBrowser", /::setTabStopWidth\s*\(/, "tabStopWidth") -property_reader("QTextBrowser", /::(acceptRichText|isAcceptRichText|hasAcceptRichText)\s*\(/, "acceptRichText") -property_writer("QTextBrowser", /::setAcceptRichText\s*\(/, "acceptRichText") -property_reader("QTextBrowser", /::(cursorWidth|isCursorWidth|hasCursorWidth)\s*\(/, "cursorWidth") -property_writer("QTextBrowser", /::setCursorWidth\s*\(/, "cursorWidth") -property_reader("QTextBrowser", /::(textInteractionFlags|isTextInteractionFlags|hasTextInteractionFlags)\s*\(/, "textInteractionFlags") -property_writer("QTextBrowser", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") -property_reader("QTextBrowser", /::(document|isDocument|hasDocument)\s*\(/, "document") -property_writer("QTextBrowser", /::setDocument\s*\(/, "document") -property_reader("QTextBrowser", /::(placeholderText|isPlaceholderText|hasPlaceholderText)\s*\(/, "placeholderText") -property_writer("QTextBrowser", /::setPlaceholderText\s*\(/, "placeholderText") -property_reader("QTextBrowser", /::(source|isSource|hasSource)\s*\(/, "source") -property_writer("QTextBrowser", /::setSource\s*\(/, "source") -property_reader("QTextBrowser", /::(searchPaths|isSearchPaths|hasSearchPaths)\s*\(/, "searchPaths") -property_writer("QTextBrowser", /::setSearchPaths\s*\(/, "searchPaths") -property_reader("QTextBrowser", /::(openExternalLinks|isOpenExternalLinks|hasOpenExternalLinks)\s*\(/, "openExternalLinks") -property_writer("QTextBrowser", /::setOpenExternalLinks\s*\(/, "openExternalLinks") -property_reader("QTextBrowser", /::(openLinks|isOpenLinks|hasOpenLinks)\s*\(/, "openLinks") -property_writer("QTextBrowser", /::setOpenLinks\s*\(/, "openLinks") -property_reader("QTextDocument", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTextDocument", /::setObjectName\s*\(/, "objectName") -property_reader("QTextDocument", /::(undoRedoEnabled|isUndoRedoEnabled|hasUndoRedoEnabled)\s*\(/, "undoRedoEnabled") -property_writer("QTextDocument", /::setUndoRedoEnabled\s*\(/, "undoRedoEnabled") -property_reader("QTextDocument", /::(modified|isModified|hasModified)\s*\(/, "modified") -property_writer("QTextDocument", /::setModified\s*\(/, "modified") -property_reader("QTextDocument", /::(pageSize|isPageSize|hasPageSize)\s*\(/, "pageSize") -property_writer("QTextDocument", /::setPageSize\s*\(/, "pageSize") -property_reader("QTextDocument", /::(defaultFont|isDefaultFont|hasDefaultFont)\s*\(/, "defaultFont") -property_writer("QTextDocument", /::setDefaultFont\s*\(/, "defaultFont") -property_reader("QTextDocument", /::(useDesignMetrics|isUseDesignMetrics|hasUseDesignMetrics)\s*\(/, "useDesignMetrics") -property_writer("QTextDocument", /::setUseDesignMetrics\s*\(/, "useDesignMetrics") -property_reader("QTextDocument", /::(size|isSize|hasSize)\s*\(/, "size") -property_reader("QTextDocument", /::(textWidth|isTextWidth|hasTextWidth)\s*\(/, "textWidth") -property_writer("QTextDocument", /::setTextWidth\s*\(/, "textWidth") -property_reader("QTextDocument", /::(blockCount|isBlockCount|hasBlockCount)\s*\(/, "blockCount") -property_reader("QTextDocument", /::(indentWidth|isIndentWidth|hasIndentWidth)\s*\(/, "indentWidth") -property_writer("QTextDocument", /::setIndentWidth\s*\(/, "indentWidth") -property_reader("QTextDocument", /::(defaultStyleSheet|isDefaultStyleSheet|hasDefaultStyleSheet)\s*\(/, "defaultStyleSheet") -property_writer("QTextDocument", /::setDefaultStyleSheet\s*\(/, "defaultStyleSheet") -property_reader("QTextDocument", /::(maximumBlockCount|isMaximumBlockCount|hasMaximumBlockCount)\s*\(/, "maximumBlockCount") -property_writer("QTextDocument", /::setMaximumBlockCount\s*\(/, "maximumBlockCount") -property_reader("QTextDocument", /::(documentMargin|isDocumentMargin|hasDocumentMargin)\s*\(/, "documentMargin") -property_writer("QTextDocument", /::setDocumentMargin\s*\(/, "documentMargin") -property_reader("QTextDocument", /::(baseUrl|isBaseUrl|hasBaseUrl)\s*\(/, "baseUrl") -property_writer("QTextDocument", /::setBaseUrl\s*\(/, "baseUrl") -property_reader("QTextEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTextEdit", /::setObjectName\s*\(/, "objectName") -property_reader("QTextEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QTextEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QTextEdit", /::setWindowModality\s*\(/, "windowModality") -property_reader("QTextEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QTextEdit", /::setEnabled\s*\(/, "enabled") -property_reader("QTextEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QTextEdit", /::setGeometry\s*\(/, "geometry") -property_reader("QTextEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QTextEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QTextEdit", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QTextEdit", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QTextEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QTextEdit", /::setPos\s*\(/, "pos") -property_reader("QTextEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QTextEdit", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QTextEdit", /::setSize\s*\(/, "size") -property_reader("QTextEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QTextEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QTextEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QTextEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QTextEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QTextEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QTextEdit", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QTextEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QTextEdit", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QTextEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QTextEdit", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QTextEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QTextEdit", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QTextEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QTextEdit", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QTextEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QTextEdit", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QTextEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QTextEdit", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QTextEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QTextEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QTextEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QTextEdit", /::setBaseSize\s*\(/, "baseSize") -property_reader("QTextEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QTextEdit", /::setPalette\s*\(/, "palette") -property_reader("QTextEdit", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QTextEdit", /::setFont\s*\(/, "font") -property_reader("QTextEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QTextEdit", /::setCursor\s*\(/, "cursor") -property_reader("QTextEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QTextEdit", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QTextEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QTextEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QTextEdit", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QTextEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QTextEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QTextEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QTextEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QTextEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QTextEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QTextEdit", /::setVisible\s*\(/, "visible") -property_reader("QTextEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QTextEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QTextEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QTextEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QTextEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QTextEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QTextEdit", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QTextEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QTextEdit", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QTextEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QTextEdit", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QTextEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QTextEdit", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QTextEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QTextEdit", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QTextEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QTextEdit", /::setWindowModified\s*\(/, "windowModified") -property_reader("QTextEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QTextEdit", /::setToolTip\s*\(/, "toolTip") -property_reader("QTextEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QTextEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QTextEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QTextEdit", /::setStatusTip\s*\(/, "statusTip") -property_reader("QTextEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QTextEdit", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QTextEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QTextEdit", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QTextEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QTextEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QTextEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QTextEdit", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QTextEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QTextEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QTextEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QTextEdit", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QTextEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QTextEdit", /::setLocale\s*\(/, "locale") -property_reader("QTextEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QTextEdit", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QTextEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QTextEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QTextEdit", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QTextEdit", /::setFrameShape\s*\(/, "frameShape") -property_reader("QTextEdit", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QTextEdit", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QTextEdit", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QTextEdit", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QTextEdit", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QTextEdit", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QTextEdit", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QTextEdit", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QTextEdit", /::setFrameRect\s*\(/, "frameRect") -property_reader("QTextEdit", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QTextEdit", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QTextEdit", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QTextEdit", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QTextEdit", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QTextEdit", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QTextEdit", /::(autoFormatting|isAutoFormatting|hasAutoFormatting)\s*\(/, "autoFormatting") -property_writer("QTextEdit", /::setAutoFormatting\s*\(/, "autoFormatting") -property_reader("QTextEdit", /::(tabChangesFocus|isTabChangesFocus|hasTabChangesFocus)\s*\(/, "tabChangesFocus") -property_writer("QTextEdit", /::setTabChangesFocus\s*\(/, "tabChangesFocus") -property_reader("QTextEdit", /::(documentTitle|isDocumentTitle|hasDocumentTitle)\s*\(/, "documentTitle") -property_writer("QTextEdit", /::setDocumentTitle\s*\(/, "documentTitle") -property_reader("QTextEdit", /::(undoRedoEnabled|isUndoRedoEnabled|hasUndoRedoEnabled)\s*\(/, "undoRedoEnabled") -property_writer("QTextEdit", /::setUndoRedoEnabled\s*\(/, "undoRedoEnabled") -property_reader("QTextEdit", /::(lineWrapMode|isLineWrapMode|hasLineWrapMode)\s*\(/, "lineWrapMode") -property_writer("QTextEdit", /::setLineWrapMode\s*\(/, "lineWrapMode") -property_reader("QTextEdit", /::(lineWrapColumnOrWidth|isLineWrapColumnOrWidth|hasLineWrapColumnOrWidth)\s*\(/, "lineWrapColumnOrWidth") -property_writer("QTextEdit", /::setLineWrapColumnOrWidth\s*\(/, "lineWrapColumnOrWidth") -property_reader("QTextEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QTextEdit", /::setReadOnly\s*\(/, "readOnly") -property_reader("QTextEdit", /::(html|isHtml|hasHtml)\s*\(/, "html") -property_writer("QTextEdit", /::setHtml\s*\(/, "html") -property_reader("QTextEdit", /::(plainText|isPlainText|hasPlainText)\s*\(/, "plainText") -property_writer("QTextEdit", /::setPlainText\s*\(/, "plainText") -property_reader("QTextEdit", /::(overwriteMode|isOverwriteMode|hasOverwriteMode)\s*\(/, "overwriteMode") -property_writer("QTextEdit", /::setOverwriteMode\s*\(/, "overwriteMode") -property_reader("QTextEdit", /::(tabStopWidth|isTabStopWidth|hasTabStopWidth)\s*\(/, "tabStopWidth") -property_writer("QTextEdit", /::setTabStopWidth\s*\(/, "tabStopWidth") -property_reader("QTextEdit", /::(acceptRichText|isAcceptRichText|hasAcceptRichText)\s*\(/, "acceptRichText") -property_writer("QTextEdit", /::setAcceptRichText\s*\(/, "acceptRichText") -property_reader("QTextEdit", /::(cursorWidth|isCursorWidth|hasCursorWidth)\s*\(/, "cursorWidth") -property_writer("QTextEdit", /::setCursorWidth\s*\(/, "cursorWidth") -property_reader("QTextEdit", /::(textInteractionFlags|isTextInteractionFlags|hasTextInteractionFlags)\s*\(/, "textInteractionFlags") -property_writer("QTextEdit", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") -property_reader("QTextEdit", /::(document|isDocument|hasDocument)\s*\(/, "document") -property_writer("QTextEdit", /::setDocument\s*\(/, "document") -property_reader("QTextEdit", /::(placeholderText|isPlaceholderText|hasPlaceholderText)\s*\(/, "placeholderText") -property_writer("QTextEdit", /::setPlaceholderText\s*\(/, "placeholderText") -property_reader("QTextFrame", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTextFrame", /::setObjectName\s*\(/, "objectName") -property_reader("QTextList", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTextList", /::setObjectName\s*\(/, "objectName") -property_reader("QTextObject", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTextObject", /::setObjectName\s*\(/, "objectName") -property_reader("QTextTable", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTextTable", /::setObjectName\s*\(/, "objectName") -property_reader("QThread", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QThread", /::setObjectName\s*\(/, "objectName") -property_reader("QThreadPool", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QThreadPool", /::setObjectName\s*\(/, "objectName") -property_reader("QThreadPool", /::(expiryTimeout|isExpiryTimeout|hasExpiryTimeout)\s*\(/, "expiryTimeout") -property_writer("QThreadPool", /::setExpiryTimeout\s*\(/, "expiryTimeout") -property_reader("QThreadPool", /::(maxThreadCount|isMaxThreadCount|hasMaxThreadCount)\s*\(/, "maxThreadCount") -property_writer("QThreadPool", /::setMaxThreadCount\s*\(/, "maxThreadCount") -property_reader("QThreadPool", /::(activeThreadCount|isActiveThreadCount|hasActiveThreadCount)\s*\(/, "activeThreadCount") -property_reader("QTimeEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTimeEdit", /::setObjectName\s*\(/, "objectName") -property_reader("QTimeEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QTimeEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QTimeEdit", /::setWindowModality\s*\(/, "windowModality") -property_reader("QTimeEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QTimeEdit", /::setEnabled\s*\(/, "enabled") -property_reader("QTimeEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QTimeEdit", /::setGeometry\s*\(/, "geometry") -property_reader("QTimeEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QTimeEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QTimeEdit", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QTimeEdit", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QTimeEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QTimeEdit", /::setPos\s*\(/, "pos") -property_reader("QTimeEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QTimeEdit", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QTimeEdit", /::setSize\s*\(/, "size") -property_reader("QTimeEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QTimeEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QTimeEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QTimeEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QTimeEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QTimeEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QTimeEdit", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QTimeEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QTimeEdit", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QTimeEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QTimeEdit", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QTimeEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QTimeEdit", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QTimeEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QTimeEdit", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QTimeEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QTimeEdit", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QTimeEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QTimeEdit", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QTimeEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QTimeEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QTimeEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QTimeEdit", /::setBaseSize\s*\(/, "baseSize") -property_reader("QTimeEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QTimeEdit", /::setPalette\s*\(/, "palette") -property_reader("QTimeEdit", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QTimeEdit", /::setFont\s*\(/, "font") -property_reader("QTimeEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QTimeEdit", /::setCursor\s*\(/, "cursor") -property_reader("QTimeEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QTimeEdit", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QTimeEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QTimeEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QTimeEdit", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QTimeEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QTimeEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QTimeEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QTimeEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QTimeEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QTimeEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QTimeEdit", /::setVisible\s*\(/, "visible") -property_reader("QTimeEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QTimeEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QTimeEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QTimeEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QTimeEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QTimeEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QTimeEdit", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QTimeEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QTimeEdit", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QTimeEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QTimeEdit", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QTimeEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QTimeEdit", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QTimeEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QTimeEdit", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QTimeEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QTimeEdit", /::setWindowModified\s*\(/, "windowModified") -property_reader("QTimeEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QTimeEdit", /::setToolTip\s*\(/, "toolTip") -property_reader("QTimeEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QTimeEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QTimeEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QTimeEdit", /::setStatusTip\s*\(/, "statusTip") -property_reader("QTimeEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QTimeEdit", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QTimeEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QTimeEdit", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QTimeEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QTimeEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QTimeEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QTimeEdit", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QTimeEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QTimeEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QTimeEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QTimeEdit", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QTimeEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QTimeEdit", /::setLocale\s*\(/, "locale") -property_reader("QTimeEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QTimeEdit", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QTimeEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QTimeEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QTimeEdit", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") -property_writer("QTimeEdit", /::setWrapping\s*\(/, "wrapping") -property_reader("QTimeEdit", /::(frame|isFrame|hasFrame)\s*\(/, "frame") -property_writer("QTimeEdit", /::setFrame\s*\(/, "frame") -property_reader("QTimeEdit", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") -property_writer("QTimeEdit", /::setAlignment\s*\(/, "alignment") -property_reader("QTimeEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") -property_writer("QTimeEdit", /::setReadOnly\s*\(/, "readOnly") -property_reader("QTimeEdit", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") -property_writer("QTimeEdit", /::setButtonSymbols\s*\(/, "buttonSymbols") -property_reader("QTimeEdit", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") -property_writer("QTimeEdit", /::setSpecialValueText\s*\(/, "specialValueText") -property_reader("QTimeEdit", /::(text|isText|hasText)\s*\(/, "text") -property_reader("QTimeEdit", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") -property_writer("QTimeEdit", /::setAccelerated\s*\(/, "accelerated") -property_reader("QTimeEdit", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") -property_writer("QTimeEdit", /::setCorrectionMode\s*\(/, "correctionMode") -property_reader("QTimeEdit", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") -property_reader("QTimeEdit", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") -property_writer("QTimeEdit", /::setKeyboardTracking\s*\(/, "keyboardTracking") -property_reader("QTimeEdit", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") -property_writer("QTimeEdit", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") -property_reader("QTimeEdit", /::(dateTime|isDateTime|hasDateTime)\s*\(/, "dateTime") -property_writer("QTimeEdit", /::setDateTime\s*\(/, "dateTime") -property_reader("QTimeEdit", /::(date|isDate|hasDate)\s*\(/, "date") -property_writer("QTimeEdit", /::setDate\s*\(/, "date") -property_reader("QTimeEdit", /::(time|isTime|hasTime)\s*\(/, "time") -property_writer("QTimeEdit", /::setTime\s*\(/, "time") -property_reader("QTimeEdit", /::(maximumDateTime|isMaximumDateTime|hasMaximumDateTime)\s*\(/, "maximumDateTime") -property_writer("QTimeEdit", /::setMaximumDateTime\s*\(/, "maximumDateTime") -property_reader("QTimeEdit", /::(minimumDateTime|isMinimumDateTime|hasMinimumDateTime)\s*\(/, "minimumDateTime") -property_writer("QTimeEdit", /::setMinimumDateTime\s*\(/, "minimumDateTime") -property_reader("QTimeEdit", /::(maximumDate|isMaximumDate|hasMaximumDate)\s*\(/, "maximumDate") -property_writer("QTimeEdit", /::setMaximumDate\s*\(/, "maximumDate") -property_reader("QTimeEdit", /::(minimumDate|isMinimumDate|hasMinimumDate)\s*\(/, "minimumDate") -property_writer("QTimeEdit", /::setMinimumDate\s*\(/, "minimumDate") -property_reader("QTimeEdit", /::(maximumTime|isMaximumTime|hasMaximumTime)\s*\(/, "maximumTime") -property_writer("QTimeEdit", /::setMaximumTime\s*\(/, "maximumTime") -property_reader("QTimeEdit", /::(minimumTime|isMinimumTime|hasMinimumTime)\s*\(/, "minimumTime") -property_writer("QTimeEdit", /::setMinimumTime\s*\(/, "minimumTime") -property_reader("QTimeEdit", /::(currentSection|isCurrentSection|hasCurrentSection)\s*\(/, "currentSection") -property_writer("QTimeEdit", /::setCurrentSection\s*\(/, "currentSection") -property_reader("QTimeEdit", /::(displayedSections|isDisplayedSections|hasDisplayedSections)\s*\(/, "displayedSections") -property_reader("QTimeEdit", /::(displayFormat|isDisplayFormat|hasDisplayFormat)\s*\(/, "displayFormat") -property_writer("QTimeEdit", /::setDisplayFormat\s*\(/, "displayFormat") -property_reader("QTimeEdit", /::(calendarPopup|isCalendarPopup|hasCalendarPopup)\s*\(/, "calendarPopup") -property_writer("QTimeEdit", /::setCalendarPopup\s*\(/, "calendarPopup") -property_reader("QTimeEdit", /::(currentSectionIndex|isCurrentSectionIndex|hasCurrentSectionIndex)\s*\(/, "currentSectionIndex") -property_writer("QTimeEdit", /::setCurrentSectionIndex\s*\(/, "currentSectionIndex") -property_reader("QTimeEdit", /::(sectionCount|isSectionCount|hasSectionCount)\s*\(/, "sectionCount") -property_reader("QTimeEdit", /::(timeSpec|isTimeSpec|hasTimeSpec)\s*\(/, "timeSpec") -property_writer("QTimeEdit", /::setTimeSpec\s*\(/, "timeSpec") -property_reader("QTimeEdit", /::(time|isTime|hasTime)\s*\(/, "time") -property_writer("QTimeEdit", /::setTime\s*\(/, "time") -property_reader("QTimeLine", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTimeLine", /::setObjectName\s*\(/, "objectName") -property_reader("QTimeLine", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_writer("QTimeLine", /::setDuration\s*\(/, "duration") -property_reader("QTimeLine", /::(updateInterval|isUpdateInterval|hasUpdateInterval)\s*\(/, "updateInterval") -property_writer("QTimeLine", /::setUpdateInterval\s*\(/, "updateInterval") -property_reader("QTimeLine", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") -property_writer("QTimeLine", /::setCurrentTime\s*\(/, "currentTime") -property_reader("QTimeLine", /::(direction|isDirection|hasDirection)\s*\(/, "direction") -property_writer("QTimeLine", /::setDirection\s*\(/, "direction") -property_reader("QTimeLine", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") -property_writer("QTimeLine", /::setLoopCount\s*\(/, "loopCount") -property_reader("QTimeLine", /::(curveShape|isCurveShape|hasCurveShape)\s*\(/, "curveShape") -property_writer("QTimeLine", /::setCurveShape\s*\(/, "curveShape") -property_reader("QTimeLine", /::(easingCurve|isEasingCurve|hasEasingCurve)\s*\(/, "easingCurve") -property_writer("QTimeLine", /::setEasingCurve\s*\(/, "easingCurve") -property_reader("QTimer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTimer", /::setObjectName\s*\(/, "objectName") -property_reader("QTimer", /::(singleShot|isSingleShot|hasSingleShot)\s*\(/, "singleShot") -property_writer("QTimer", /::setSingleShot\s*\(/, "singleShot") -property_reader("QTimer", /::(interval|isInterval|hasInterval)\s*\(/, "interval") -property_writer("QTimer", /::setInterval\s*\(/, "interval") -property_reader("QTimer", /::(remainingTime|isRemainingTime|hasRemainingTime)\s*\(/, "remainingTime") -property_reader("QTimer", /::(timerType|isTimerType|hasTimerType)\s*\(/, "timerType") -property_writer("QTimer", /::setTimerType\s*\(/, "timerType") -property_reader("QTimer", /::(active|isActive|hasActive)\s*\(/, "active") -property_reader("QToolBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QToolBar", /::setObjectName\s*\(/, "objectName") -property_reader("QToolBar", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QToolBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QToolBar", /::setWindowModality\s*\(/, "windowModality") -property_reader("QToolBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QToolBar", /::setEnabled\s*\(/, "enabled") -property_reader("QToolBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QToolBar", /::setGeometry\s*\(/, "geometry") -property_reader("QToolBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QToolBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QToolBar", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QToolBar", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QToolBar", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QToolBar", /::setPos\s*\(/, "pos") -property_reader("QToolBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QToolBar", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QToolBar", /::setSize\s*\(/, "size") -property_reader("QToolBar", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QToolBar", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QToolBar", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QToolBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QToolBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QToolBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QToolBar", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QToolBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QToolBar", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QToolBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QToolBar", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QToolBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QToolBar", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QToolBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QToolBar", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QToolBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QToolBar", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QToolBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QToolBar", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QToolBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QToolBar", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QToolBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QToolBar", /::setBaseSize\s*\(/, "baseSize") -property_reader("QToolBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QToolBar", /::setPalette\s*\(/, "palette") -property_reader("QToolBar", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QToolBar", /::setFont\s*\(/, "font") -property_reader("QToolBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QToolBar", /::setCursor\s*\(/, "cursor") -property_reader("QToolBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QToolBar", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QToolBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QToolBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QToolBar", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QToolBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QToolBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QToolBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QToolBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QToolBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QToolBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QToolBar", /::setVisible\s*\(/, "visible") -property_reader("QToolBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QToolBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QToolBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QToolBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QToolBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QToolBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QToolBar", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QToolBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QToolBar", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QToolBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QToolBar", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QToolBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QToolBar", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QToolBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QToolBar", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QToolBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QToolBar", /::setWindowModified\s*\(/, "windowModified") -property_reader("QToolBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QToolBar", /::setToolTip\s*\(/, "toolTip") -property_reader("QToolBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QToolBar", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QToolBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QToolBar", /::setStatusTip\s*\(/, "statusTip") -property_reader("QToolBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QToolBar", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QToolBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QToolBar", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QToolBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QToolBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QToolBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QToolBar", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QToolBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QToolBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QToolBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QToolBar", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QToolBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QToolBar", /::setLocale\s*\(/, "locale") -property_reader("QToolBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QToolBar", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QToolBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QToolBar", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QToolBar", /::(movable|isMovable|hasMovable)\s*\(/, "movable") -property_writer("QToolBar", /::setMovable\s*\(/, "movable") -property_reader("QToolBar", /::(allowedAreas|isAllowedAreas|hasAllowedAreas)\s*\(/, "allowedAreas") -property_writer("QToolBar", /::setAllowedAreas\s*\(/, "allowedAreas") -property_reader("QToolBar", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") -property_writer("QToolBar", /::setOrientation\s*\(/, "orientation") -property_reader("QToolBar", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QToolBar", /::setIconSize\s*\(/, "iconSize") -property_reader("QToolBar", /::(toolButtonStyle|isToolButtonStyle|hasToolButtonStyle)\s*\(/, "toolButtonStyle") -property_writer("QToolBar", /::setToolButtonStyle\s*\(/, "toolButtonStyle") -property_reader("QToolBar", /::(floating|isFloating|hasFloating)\s*\(/, "floating") -property_reader("QToolBar", /::(floatable|isFloatable|hasFloatable)\s*\(/, "floatable") -property_writer("QToolBar", /::setFloatable\s*\(/, "floatable") -property_reader("QToolBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QToolBox", /::setObjectName\s*\(/, "objectName") -property_reader("QToolBox", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QToolBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QToolBox", /::setWindowModality\s*\(/, "windowModality") -property_reader("QToolBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QToolBox", /::setEnabled\s*\(/, "enabled") -property_reader("QToolBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QToolBox", /::setGeometry\s*\(/, "geometry") -property_reader("QToolBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QToolBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QToolBox", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QToolBox", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QToolBox", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QToolBox", /::setPos\s*\(/, "pos") -property_reader("QToolBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QToolBox", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QToolBox", /::setSize\s*\(/, "size") -property_reader("QToolBox", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QToolBox", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QToolBox", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QToolBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QToolBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QToolBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QToolBox", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QToolBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QToolBox", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QToolBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QToolBox", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QToolBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QToolBox", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QToolBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QToolBox", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QToolBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QToolBox", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QToolBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QToolBox", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QToolBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QToolBox", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QToolBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QToolBox", /::setBaseSize\s*\(/, "baseSize") -property_reader("QToolBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QToolBox", /::setPalette\s*\(/, "palette") -property_reader("QToolBox", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QToolBox", /::setFont\s*\(/, "font") -property_reader("QToolBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QToolBox", /::setCursor\s*\(/, "cursor") -property_reader("QToolBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QToolBox", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QToolBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QToolBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QToolBox", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QToolBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QToolBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QToolBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QToolBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QToolBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QToolBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QToolBox", /::setVisible\s*\(/, "visible") -property_reader("QToolBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QToolBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QToolBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QToolBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QToolBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QToolBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QToolBox", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QToolBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QToolBox", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QToolBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QToolBox", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QToolBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QToolBox", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QToolBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QToolBox", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QToolBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QToolBox", /::setWindowModified\s*\(/, "windowModified") -property_reader("QToolBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QToolBox", /::setToolTip\s*\(/, "toolTip") -property_reader("QToolBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QToolBox", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QToolBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QToolBox", /::setStatusTip\s*\(/, "statusTip") -property_reader("QToolBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QToolBox", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QToolBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QToolBox", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QToolBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QToolBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QToolBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QToolBox", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QToolBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QToolBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QToolBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QToolBox", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QToolBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QToolBox", /::setLocale\s*\(/, "locale") -property_reader("QToolBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QToolBox", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QToolBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QToolBox", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QToolBox", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QToolBox", /::setFrameShape\s*\(/, "frameShape") -property_reader("QToolBox", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QToolBox", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QToolBox", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QToolBox", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QToolBox", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QToolBox", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QToolBox", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QToolBox", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QToolBox", /::setFrameRect\s*\(/, "frameRect") -property_reader("QToolBox", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") -property_writer("QToolBox", /::setCurrentIndex\s*\(/, "currentIndex") -property_reader("QToolBox", /::(count|isCount|hasCount)\s*\(/, "count") -property_reader("QToolButton", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QToolButton", /::setObjectName\s*\(/, "objectName") -property_reader("QToolButton", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QToolButton", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QToolButton", /::setWindowModality\s*\(/, "windowModality") -property_reader("QToolButton", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QToolButton", /::setEnabled\s*\(/, "enabled") -property_reader("QToolButton", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QToolButton", /::setGeometry\s*\(/, "geometry") -property_reader("QToolButton", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QToolButton", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QToolButton", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QToolButton", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QToolButton", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QToolButton", /::setPos\s*\(/, "pos") -property_reader("QToolButton", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QToolButton", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QToolButton", /::setSize\s*\(/, "size") -property_reader("QToolButton", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QToolButton", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QToolButton", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QToolButton", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QToolButton", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QToolButton", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QToolButton", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QToolButton", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QToolButton", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QToolButton", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QToolButton", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QToolButton", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QToolButton", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QToolButton", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QToolButton", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QToolButton", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QToolButton", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QToolButton", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QToolButton", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QToolButton", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QToolButton", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QToolButton", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QToolButton", /::setBaseSize\s*\(/, "baseSize") -property_reader("QToolButton", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QToolButton", /::setPalette\s*\(/, "palette") -property_reader("QToolButton", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QToolButton", /::setFont\s*\(/, "font") -property_reader("QToolButton", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QToolButton", /::setCursor\s*\(/, "cursor") -property_reader("QToolButton", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QToolButton", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QToolButton", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QToolButton", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QToolButton", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QToolButton", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QToolButton", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QToolButton", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QToolButton", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QToolButton", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QToolButton", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QToolButton", /::setVisible\s*\(/, "visible") -property_reader("QToolButton", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QToolButton", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QToolButton", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QToolButton", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QToolButton", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QToolButton", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QToolButton", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QToolButton", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QToolButton", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QToolButton", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QToolButton", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QToolButton", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QToolButton", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QToolButton", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QToolButton", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QToolButton", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QToolButton", /::setWindowModified\s*\(/, "windowModified") -property_reader("QToolButton", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QToolButton", /::setToolTip\s*\(/, "toolTip") -property_reader("QToolButton", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QToolButton", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QToolButton", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QToolButton", /::setStatusTip\s*\(/, "statusTip") -property_reader("QToolButton", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QToolButton", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QToolButton", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QToolButton", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QToolButton", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QToolButton", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QToolButton", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QToolButton", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QToolButton", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QToolButton", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QToolButton", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QToolButton", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QToolButton", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QToolButton", /::setLocale\s*\(/, "locale") -property_reader("QToolButton", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QToolButton", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QToolButton", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QToolButton", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QToolButton", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QToolButton", /::setText\s*\(/, "text") -property_reader("QToolButton", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QToolButton", /::setIcon\s*\(/, "icon") -property_reader("QToolButton", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QToolButton", /::setIconSize\s*\(/, "iconSize") -property_reader("QToolButton", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") -property_writer("QToolButton", /::setShortcut\s*\(/, "shortcut") -property_reader("QToolButton", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") -property_writer("QToolButton", /::setCheckable\s*\(/, "checkable") -property_reader("QToolButton", /::(checked|isChecked|hasChecked)\s*\(/, "checked") -property_writer("QToolButton", /::setChecked\s*\(/, "checked") -property_reader("QToolButton", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") -property_writer("QToolButton", /::setAutoRepeat\s*\(/, "autoRepeat") -property_reader("QToolButton", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") -property_writer("QToolButton", /::setAutoExclusive\s*\(/, "autoExclusive") -property_reader("QToolButton", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") -property_writer("QToolButton", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") -property_reader("QToolButton", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") -property_writer("QToolButton", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") -property_reader("QToolButton", /::(down|isDown|hasDown)\s*\(/, "down") -property_writer("QToolButton", /::setDown\s*\(/, "down") -property_reader("QToolButton", /::(popupMode|isPopupMode|hasPopupMode)\s*\(/, "popupMode") -property_writer("QToolButton", /::setPopupMode\s*\(/, "popupMode") -property_reader("QToolButton", /::(toolButtonStyle|isToolButtonStyle|hasToolButtonStyle)\s*\(/, "toolButtonStyle") -property_writer("QToolButton", /::setToolButtonStyle\s*\(/, "toolButtonStyle") -property_reader("QToolButton", /::(autoRaise|isAutoRaise|hasAutoRaise)\s*\(/, "autoRaise") -property_writer("QToolButton", /::setAutoRaise\s*\(/, "autoRaise") -property_reader("QToolButton", /::(arrowType|isArrowType|hasArrowType)\s*\(/, "arrowType") -property_writer("QToolButton", /::setArrowType\s*\(/, "arrowType") -property_reader("QTranslator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTranslator", /::setObjectName\s*\(/, "objectName") -property_reader("QTreeView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTreeView", /::setObjectName\s*\(/, "objectName") -property_reader("QTreeView", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QTreeView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QTreeView", /::setWindowModality\s*\(/, "windowModality") -property_reader("QTreeView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QTreeView", /::setEnabled\s*\(/, "enabled") -property_reader("QTreeView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QTreeView", /::setGeometry\s*\(/, "geometry") -property_reader("QTreeView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QTreeView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QTreeView", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QTreeView", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QTreeView", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QTreeView", /::setPos\s*\(/, "pos") -property_reader("QTreeView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QTreeView", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QTreeView", /::setSize\s*\(/, "size") -property_reader("QTreeView", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QTreeView", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QTreeView", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QTreeView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QTreeView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QTreeView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QTreeView", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QTreeView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QTreeView", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QTreeView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QTreeView", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QTreeView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QTreeView", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QTreeView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QTreeView", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QTreeView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QTreeView", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QTreeView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QTreeView", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QTreeView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QTreeView", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QTreeView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QTreeView", /::setBaseSize\s*\(/, "baseSize") -property_reader("QTreeView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QTreeView", /::setPalette\s*\(/, "palette") -property_reader("QTreeView", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QTreeView", /::setFont\s*\(/, "font") -property_reader("QTreeView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QTreeView", /::setCursor\s*\(/, "cursor") -property_reader("QTreeView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QTreeView", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QTreeView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QTreeView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QTreeView", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QTreeView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QTreeView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QTreeView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QTreeView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QTreeView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QTreeView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QTreeView", /::setVisible\s*\(/, "visible") -property_reader("QTreeView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QTreeView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QTreeView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QTreeView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QTreeView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QTreeView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QTreeView", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QTreeView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QTreeView", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QTreeView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QTreeView", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QTreeView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QTreeView", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QTreeView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QTreeView", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QTreeView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QTreeView", /::setWindowModified\s*\(/, "windowModified") -property_reader("QTreeView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QTreeView", /::setToolTip\s*\(/, "toolTip") -property_reader("QTreeView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QTreeView", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QTreeView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QTreeView", /::setStatusTip\s*\(/, "statusTip") -property_reader("QTreeView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QTreeView", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QTreeView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QTreeView", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QTreeView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QTreeView", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QTreeView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QTreeView", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QTreeView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QTreeView", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QTreeView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QTreeView", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QTreeView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QTreeView", /::setLocale\s*\(/, "locale") -property_reader("QTreeView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QTreeView", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QTreeView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QTreeView", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QTreeView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QTreeView", /::setFrameShape\s*\(/, "frameShape") -property_reader("QTreeView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QTreeView", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QTreeView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QTreeView", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QTreeView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QTreeView", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QTreeView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QTreeView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QTreeView", /::setFrameRect\s*\(/, "frameRect") -property_reader("QTreeView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QTreeView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QTreeView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QTreeView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QTreeView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QTreeView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QTreeView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") -property_writer("QTreeView", /::setAutoScroll\s*\(/, "autoScroll") -property_reader("QTreeView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") -property_writer("QTreeView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") -property_reader("QTreeView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") -property_writer("QTreeView", /::setEditTriggers\s*\(/, "editTriggers") -property_reader("QTreeView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") -property_writer("QTreeView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") -property_reader("QTreeView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") -property_writer("QTreeView", /::setShowDropIndicator\s*\(/, "showDropIndicator") -property_reader("QTreeView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QTreeView", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QTreeView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") -property_writer("QTreeView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") -property_reader("QTreeView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") -property_writer("QTreeView", /::setDragDropMode\s*\(/, "dragDropMode") -property_reader("QTreeView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") -property_writer("QTreeView", /::setDefaultDropAction\s*\(/, "defaultDropAction") -property_reader("QTreeView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") -property_writer("QTreeView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") -property_reader("QTreeView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QTreeView", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QTreeView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") -property_writer("QTreeView", /::setSelectionBehavior\s*\(/, "selectionBehavior") -property_reader("QTreeView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QTreeView", /::setIconSize\s*\(/, "iconSize") -property_reader("QTreeView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") -property_writer("QTreeView", /::setTextElideMode\s*\(/, "textElideMode") -property_reader("QTreeView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") -property_writer("QTreeView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") -property_reader("QTreeView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") -property_writer("QTreeView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") -property_reader("QTreeView", /::(autoExpandDelay|isAutoExpandDelay|hasAutoExpandDelay)\s*\(/, "autoExpandDelay") -property_writer("QTreeView", /::setAutoExpandDelay\s*\(/, "autoExpandDelay") -property_reader("QTreeView", /::(indentation|isIndentation|hasIndentation)\s*\(/, "indentation") -property_writer("QTreeView", /::setIndentation\s*\(/, "indentation") -property_reader("QTreeView", /::(rootIsDecorated|isRootIsDecorated|hasRootIsDecorated)\s*\(/, "rootIsDecorated") -property_writer("QTreeView", /::setRootIsDecorated\s*\(/, "rootIsDecorated") -property_reader("QTreeView", /::(uniformRowHeights|isUniformRowHeights|hasUniformRowHeights)\s*\(/, "uniformRowHeights") -property_writer("QTreeView", /::setUniformRowHeights\s*\(/, "uniformRowHeights") -property_reader("QTreeView", /::(itemsExpandable|isItemsExpandable|hasItemsExpandable)\s*\(/, "itemsExpandable") -property_writer("QTreeView", /::setItemsExpandable\s*\(/, "itemsExpandable") -property_reader("QTreeView", /::(sortingEnabled|isSortingEnabled|hasSortingEnabled)\s*\(/, "sortingEnabled") -property_writer("QTreeView", /::setSortingEnabled\s*\(/, "sortingEnabled") -property_reader("QTreeView", /::(animated|isAnimated|hasAnimated)\s*\(/, "animated") -property_writer("QTreeView", /::setAnimated\s*\(/, "animated") -property_reader("QTreeView", /::(allColumnsShowFocus|isAllColumnsShowFocus|hasAllColumnsShowFocus)\s*\(/, "allColumnsShowFocus") -property_writer("QTreeView", /::setAllColumnsShowFocus\s*\(/, "allColumnsShowFocus") -property_reader("QTreeView", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") -property_writer("QTreeView", /::setWordWrap\s*\(/, "wordWrap") -property_reader("QTreeView", /::(headerHidden|isHeaderHidden|hasHeaderHidden)\s*\(/, "headerHidden") -property_writer("QTreeView", /::setHeaderHidden\s*\(/, "headerHidden") -property_reader("QTreeView", /::(expandsOnDoubleClick|isExpandsOnDoubleClick|hasExpandsOnDoubleClick)\s*\(/, "expandsOnDoubleClick") -property_writer("QTreeView", /::setExpandsOnDoubleClick\s*\(/, "expandsOnDoubleClick") -property_reader("QTreeWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QTreeWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QTreeWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QTreeWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QTreeWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QTreeWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QTreeWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QTreeWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QTreeWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QTreeWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QTreeWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QTreeWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QTreeWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QTreeWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QTreeWidget", /::setPos\s*\(/, "pos") -property_reader("QTreeWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QTreeWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QTreeWidget", /::setSize\s*\(/, "size") -property_reader("QTreeWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QTreeWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QTreeWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QTreeWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QTreeWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QTreeWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QTreeWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QTreeWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QTreeWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QTreeWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QTreeWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QTreeWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QTreeWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QTreeWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QTreeWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QTreeWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QTreeWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QTreeWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QTreeWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QTreeWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QTreeWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QTreeWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QTreeWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QTreeWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QTreeWidget", /::setPalette\s*\(/, "palette") -property_reader("QTreeWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QTreeWidget", /::setFont\s*\(/, "font") -property_reader("QTreeWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QTreeWidget", /::setCursor\s*\(/, "cursor") -property_reader("QTreeWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QTreeWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QTreeWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QTreeWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QTreeWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QTreeWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QTreeWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QTreeWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QTreeWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QTreeWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QTreeWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QTreeWidget", /::setVisible\s*\(/, "visible") -property_reader("QTreeWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QTreeWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QTreeWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QTreeWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QTreeWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QTreeWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QTreeWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QTreeWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QTreeWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QTreeWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QTreeWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QTreeWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QTreeWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QTreeWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QTreeWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QTreeWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QTreeWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QTreeWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QTreeWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QTreeWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QTreeWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QTreeWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QTreeWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QTreeWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QTreeWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QTreeWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QTreeWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QTreeWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QTreeWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QTreeWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QTreeWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QTreeWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QTreeWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QTreeWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QTreeWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QTreeWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QTreeWidget", /::setLocale\s*\(/, "locale") -property_reader("QTreeWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QTreeWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QTreeWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QTreeWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QTreeWidget", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QTreeWidget", /::setFrameShape\s*\(/, "frameShape") -property_reader("QTreeWidget", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QTreeWidget", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QTreeWidget", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QTreeWidget", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QTreeWidget", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QTreeWidget", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QTreeWidget", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QTreeWidget", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QTreeWidget", /::setFrameRect\s*\(/, "frameRect") -property_reader("QTreeWidget", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QTreeWidget", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QTreeWidget", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QTreeWidget", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QTreeWidget", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QTreeWidget", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QTreeWidget", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") -property_writer("QTreeWidget", /::setAutoScroll\s*\(/, "autoScroll") -property_reader("QTreeWidget", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") -property_writer("QTreeWidget", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") -property_reader("QTreeWidget", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") -property_writer("QTreeWidget", /::setEditTriggers\s*\(/, "editTriggers") -property_reader("QTreeWidget", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") -property_writer("QTreeWidget", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") -property_reader("QTreeWidget", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") -property_writer("QTreeWidget", /::setShowDropIndicator\s*\(/, "showDropIndicator") -property_reader("QTreeWidget", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QTreeWidget", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QTreeWidget", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") -property_writer("QTreeWidget", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") -property_reader("QTreeWidget", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") -property_writer("QTreeWidget", /::setDragDropMode\s*\(/, "dragDropMode") -property_reader("QTreeWidget", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") -property_writer("QTreeWidget", /::setDefaultDropAction\s*\(/, "defaultDropAction") -property_reader("QTreeWidget", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") -property_writer("QTreeWidget", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") -property_reader("QTreeWidget", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QTreeWidget", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QTreeWidget", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") -property_writer("QTreeWidget", /::setSelectionBehavior\s*\(/, "selectionBehavior") -property_reader("QTreeWidget", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QTreeWidget", /::setIconSize\s*\(/, "iconSize") -property_reader("QTreeWidget", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") -property_writer("QTreeWidget", /::setTextElideMode\s*\(/, "textElideMode") -property_reader("QTreeWidget", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") -property_writer("QTreeWidget", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") -property_reader("QTreeWidget", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") -property_writer("QTreeWidget", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") -property_reader("QTreeWidget", /::(autoExpandDelay|isAutoExpandDelay|hasAutoExpandDelay)\s*\(/, "autoExpandDelay") -property_writer("QTreeWidget", /::setAutoExpandDelay\s*\(/, "autoExpandDelay") -property_reader("QTreeWidget", /::(indentation|isIndentation|hasIndentation)\s*\(/, "indentation") -property_writer("QTreeWidget", /::setIndentation\s*\(/, "indentation") -property_reader("QTreeWidget", /::(rootIsDecorated|isRootIsDecorated|hasRootIsDecorated)\s*\(/, "rootIsDecorated") -property_writer("QTreeWidget", /::setRootIsDecorated\s*\(/, "rootIsDecorated") -property_reader("QTreeWidget", /::(uniformRowHeights|isUniformRowHeights|hasUniformRowHeights)\s*\(/, "uniformRowHeights") -property_writer("QTreeWidget", /::setUniformRowHeights\s*\(/, "uniformRowHeights") -property_reader("QTreeWidget", /::(itemsExpandable|isItemsExpandable|hasItemsExpandable)\s*\(/, "itemsExpandable") -property_writer("QTreeWidget", /::setItemsExpandable\s*\(/, "itemsExpandable") -property_reader("QTreeWidget", /::(sortingEnabled|isSortingEnabled|hasSortingEnabled)\s*\(/, "sortingEnabled") -property_writer("QTreeWidget", /::setSortingEnabled\s*\(/, "sortingEnabled") -property_reader("QTreeWidget", /::(animated|isAnimated|hasAnimated)\s*\(/, "animated") -property_writer("QTreeWidget", /::setAnimated\s*\(/, "animated") -property_reader("QTreeWidget", /::(allColumnsShowFocus|isAllColumnsShowFocus|hasAllColumnsShowFocus)\s*\(/, "allColumnsShowFocus") -property_writer("QTreeWidget", /::setAllColumnsShowFocus\s*\(/, "allColumnsShowFocus") -property_reader("QTreeWidget", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") -property_writer("QTreeWidget", /::setWordWrap\s*\(/, "wordWrap") -property_reader("QTreeWidget", /::(headerHidden|isHeaderHidden|hasHeaderHidden)\s*\(/, "headerHidden") -property_writer("QTreeWidget", /::setHeaderHidden\s*\(/, "headerHidden") -property_reader("QTreeWidget", /::(expandsOnDoubleClick|isExpandsOnDoubleClick|hasExpandsOnDoubleClick)\s*\(/, "expandsOnDoubleClick") -property_writer("QTreeWidget", /::setExpandsOnDoubleClick\s*\(/, "expandsOnDoubleClick") -property_reader("QTreeWidget", /::(columnCount|isColumnCount|hasColumnCount)\s*\(/, "columnCount") -property_writer("QTreeWidget", /::setColumnCount\s*\(/, "columnCount") -property_reader("QTreeWidget", /::(topLevelItemCount|isTopLevelItemCount|hasTopLevelItemCount)\s*\(/, "topLevelItemCount") -property_reader("QUdpSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QUdpSocket", /::setObjectName\s*\(/, "objectName") -property_reader("QUndoGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QUndoGroup", /::setObjectName\s*\(/, "objectName") -property_reader("QUndoStack", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QUndoStack", /::setObjectName\s*\(/, "objectName") -property_reader("QUndoStack", /::(active|isActive|hasActive)\s*\(/, "active") -property_writer("QUndoStack", /::setActive\s*\(/, "active") -property_reader("QUndoStack", /::(undoLimit|isUndoLimit|hasUndoLimit)\s*\(/, "undoLimit") -property_writer("QUndoStack", /::setUndoLimit\s*\(/, "undoLimit") -property_reader("QUndoView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QUndoView", /::setObjectName\s*\(/, "objectName") -property_reader("QUndoView", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QUndoView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QUndoView", /::setWindowModality\s*\(/, "windowModality") -property_reader("QUndoView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QUndoView", /::setEnabled\s*\(/, "enabled") -property_reader("QUndoView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QUndoView", /::setGeometry\s*\(/, "geometry") -property_reader("QUndoView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QUndoView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QUndoView", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QUndoView", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QUndoView", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QUndoView", /::setPos\s*\(/, "pos") -property_reader("QUndoView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QUndoView", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QUndoView", /::setSize\s*\(/, "size") -property_reader("QUndoView", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QUndoView", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QUndoView", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QUndoView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QUndoView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QUndoView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QUndoView", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QUndoView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QUndoView", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QUndoView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QUndoView", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QUndoView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QUndoView", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QUndoView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QUndoView", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QUndoView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QUndoView", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QUndoView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QUndoView", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QUndoView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QUndoView", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QUndoView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QUndoView", /::setBaseSize\s*\(/, "baseSize") -property_reader("QUndoView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QUndoView", /::setPalette\s*\(/, "palette") -property_reader("QUndoView", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QUndoView", /::setFont\s*\(/, "font") -property_reader("QUndoView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QUndoView", /::setCursor\s*\(/, "cursor") -property_reader("QUndoView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QUndoView", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QUndoView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QUndoView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QUndoView", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QUndoView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QUndoView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QUndoView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QUndoView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QUndoView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QUndoView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QUndoView", /::setVisible\s*\(/, "visible") -property_reader("QUndoView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QUndoView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QUndoView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QUndoView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QUndoView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QUndoView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QUndoView", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QUndoView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QUndoView", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QUndoView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QUndoView", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QUndoView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QUndoView", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QUndoView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QUndoView", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QUndoView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QUndoView", /::setWindowModified\s*\(/, "windowModified") -property_reader("QUndoView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QUndoView", /::setToolTip\s*\(/, "toolTip") -property_reader("QUndoView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QUndoView", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QUndoView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QUndoView", /::setStatusTip\s*\(/, "statusTip") -property_reader("QUndoView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QUndoView", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QUndoView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QUndoView", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QUndoView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QUndoView", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QUndoView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QUndoView", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QUndoView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QUndoView", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QUndoView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QUndoView", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QUndoView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QUndoView", /::setLocale\s*\(/, "locale") -property_reader("QUndoView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QUndoView", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QUndoView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QUndoView", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QUndoView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") -property_writer("QUndoView", /::setFrameShape\s*\(/, "frameShape") -property_reader("QUndoView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") -property_writer("QUndoView", /::setFrameShadow\s*\(/, "frameShadow") -property_reader("QUndoView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") -property_writer("QUndoView", /::setLineWidth\s*\(/, "lineWidth") -property_reader("QUndoView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") -property_writer("QUndoView", /::setMidLineWidth\s*\(/, "midLineWidth") -property_reader("QUndoView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") -property_reader("QUndoView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") -property_writer("QUndoView", /::setFrameRect\s*\(/, "frameRect") -property_reader("QUndoView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") -property_writer("QUndoView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") -property_reader("QUndoView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") -property_writer("QUndoView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") -property_reader("QUndoView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") -property_writer("QUndoView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") -property_reader("QUndoView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") -property_writer("QUndoView", /::setAutoScroll\s*\(/, "autoScroll") -property_reader("QUndoView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") -property_writer("QUndoView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") -property_reader("QUndoView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") -property_writer("QUndoView", /::setEditTriggers\s*\(/, "editTriggers") -property_reader("QUndoView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") -property_writer("QUndoView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") -property_reader("QUndoView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") -property_writer("QUndoView", /::setShowDropIndicator\s*\(/, "showDropIndicator") -property_reader("QUndoView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") -property_writer("QUndoView", /::setDragEnabled\s*\(/, "dragEnabled") -property_reader("QUndoView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") -property_writer("QUndoView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") -property_reader("QUndoView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") -property_writer("QUndoView", /::setDragDropMode\s*\(/, "dragDropMode") -property_reader("QUndoView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") -property_writer("QUndoView", /::setDefaultDropAction\s*\(/, "defaultDropAction") -property_reader("QUndoView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") -property_writer("QUndoView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") -property_reader("QUndoView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") -property_writer("QUndoView", /::setSelectionMode\s*\(/, "selectionMode") -property_reader("QUndoView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") -property_writer("QUndoView", /::setSelectionBehavior\s*\(/, "selectionBehavior") -property_reader("QUndoView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") -property_writer("QUndoView", /::setIconSize\s*\(/, "iconSize") -property_reader("QUndoView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") -property_writer("QUndoView", /::setTextElideMode\s*\(/, "textElideMode") -property_reader("QUndoView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") -property_writer("QUndoView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") -property_reader("QUndoView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") -property_writer("QUndoView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") -property_reader("QUndoView", /::(movement|isMovement|hasMovement)\s*\(/, "movement") -property_writer("QUndoView", /::setMovement\s*\(/, "movement") -property_reader("QUndoView", /::(flow|isFlow|hasFlow)\s*\(/, "flow") -property_writer("QUndoView", /::setFlow\s*\(/, "flow") -property_reader("QUndoView", /::(isWrapping|isIsWrapping|hasIsWrapping)\s*\(/, "isWrapping") -property_writer("QUndoView", /::setIsWrapping\s*\(/, "isWrapping") -property_reader("QUndoView", /::(resizeMode|isResizeMode|hasResizeMode)\s*\(/, "resizeMode") -property_writer("QUndoView", /::setResizeMode\s*\(/, "resizeMode") -property_reader("QUndoView", /::(layoutMode|isLayoutMode|hasLayoutMode)\s*\(/, "layoutMode") -property_writer("QUndoView", /::setLayoutMode\s*\(/, "layoutMode") -property_reader("QUndoView", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QUndoView", /::setSpacing\s*\(/, "spacing") -property_reader("QUndoView", /::(gridSize|isGridSize|hasGridSize)\s*\(/, "gridSize") -property_writer("QUndoView", /::setGridSize\s*\(/, "gridSize") -property_reader("QUndoView", /::(viewMode|isViewMode|hasViewMode)\s*\(/, "viewMode") -property_writer("QUndoView", /::setViewMode\s*\(/, "viewMode") -property_reader("QUndoView", /::(modelColumn|isModelColumn|hasModelColumn)\s*\(/, "modelColumn") -property_writer("QUndoView", /::setModelColumn\s*\(/, "modelColumn") -property_reader("QUndoView", /::(uniformItemSizes|isUniformItemSizes|hasUniformItemSizes)\s*\(/, "uniformItemSizes") -property_writer("QUndoView", /::setUniformItemSizes\s*\(/, "uniformItemSizes") -property_reader("QUndoView", /::(batchSize|isBatchSize|hasBatchSize)\s*\(/, "batchSize") -property_writer("QUndoView", /::setBatchSize\s*\(/, "batchSize") -property_reader("QUndoView", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") -property_writer("QUndoView", /::setWordWrap\s*\(/, "wordWrap") -property_reader("QUndoView", /::(selectionRectVisible|isSelectionRectVisible|hasSelectionRectVisible)\s*\(/, "selectionRectVisible") -property_writer("QUndoView", /::setSelectionRectVisible\s*\(/, "selectionRectVisible") -property_reader("QUndoView", /::(emptyLabel|isEmptyLabel|hasEmptyLabel)\s*\(/, "emptyLabel") -property_writer("QUndoView", /::setEmptyLabel\s*\(/, "emptyLabel") -property_reader("QUndoView", /::(cleanIcon|isCleanIcon|hasCleanIcon)\s*\(/, "cleanIcon") -property_writer("QUndoView", /::setCleanIcon\s*\(/, "cleanIcon") -property_reader("QVBoxLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QVBoxLayout", /::setObjectName\s*\(/, "objectName") -property_reader("QVBoxLayout", /::(margin|isMargin|hasMargin)\s*\(/, "margin") -property_writer("QVBoxLayout", /::setMargin\s*\(/, "margin") -property_reader("QVBoxLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") -property_writer("QVBoxLayout", /::setSpacing\s*\(/, "spacing") -property_reader("QVBoxLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") -property_writer("QVBoxLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") -property_reader("QValidator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QValidator", /::setObjectName\s*\(/, "objectName") -property_reader("QVariantAnimation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QVariantAnimation", /::setObjectName\s*\(/, "objectName") -property_reader("QVariantAnimation", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QVariantAnimation", /::(loopCount|isLoopCount|hasLoopCount)\s*\(/, "loopCount") -property_writer("QVariantAnimation", /::setLoopCount\s*\(/, "loopCount") -property_reader("QVariantAnimation", /::(currentTime|isCurrentTime|hasCurrentTime)\s*\(/, "currentTime") -property_writer("QVariantAnimation", /::setCurrentTime\s*\(/, "currentTime") -property_reader("QVariantAnimation", /::(currentLoop|isCurrentLoop|hasCurrentLoop)\s*\(/, "currentLoop") -property_reader("QVariantAnimation", /::(direction|isDirection|hasDirection)\s*\(/, "direction") -property_writer("QVariantAnimation", /::setDirection\s*\(/, "direction") -property_reader("QVariantAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_reader("QVariantAnimation", /::(startValue|isStartValue|hasStartValue)\s*\(/, "startValue") -property_writer("QVariantAnimation", /::setStartValue\s*\(/, "startValue") -property_reader("QVariantAnimation", /::(endValue|isEndValue|hasEndValue)\s*\(/, "endValue") -property_writer("QVariantAnimation", /::setEndValue\s*\(/, "endValue") -property_reader("QVariantAnimation", /::(currentValue|isCurrentValue|hasCurrentValue)\s*\(/, "currentValue") -property_reader("QVariantAnimation", /::(duration|isDuration|hasDuration)\s*\(/, "duration") -property_writer("QVariantAnimation", /::setDuration\s*\(/, "duration") -property_reader("QVariantAnimation", /::(easingCurve|isEasingCurve|hasEasingCurve)\s*\(/, "easingCurve") -property_writer("QVariantAnimation", /::setEasingCurve\s*\(/, "easingCurve") -property_reader("QVideoDeviceSelectorControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QVideoDeviceSelectorControl", /::setObjectName\s*\(/, "objectName") -property_reader("QVideoEncoderSettingsControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QVideoEncoderSettingsControl", /::setObjectName\s*\(/, "objectName") -property_reader("QVideoProbe", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QVideoProbe", /::setObjectName\s*\(/, "objectName") -property_reader("QVideoRendererControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QVideoRendererControl", /::setObjectName\s*\(/, "objectName") -property_reader("QVideoWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QVideoWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QVideoWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QVideoWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QVideoWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QVideoWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QVideoWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QVideoWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QVideoWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QVideoWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QVideoWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QVideoWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QVideoWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QVideoWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QVideoWidget", /::setPos\s*\(/, "pos") -property_reader("QVideoWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QVideoWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QVideoWidget", /::setSize\s*\(/, "size") -property_reader("QVideoWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QVideoWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QVideoWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QVideoWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QVideoWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QVideoWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QVideoWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QVideoWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QVideoWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QVideoWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QVideoWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QVideoWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QVideoWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QVideoWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QVideoWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QVideoWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QVideoWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QVideoWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QVideoWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QVideoWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QVideoWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QVideoWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QVideoWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QVideoWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QVideoWidget", /::setPalette\s*\(/, "palette") -property_reader("QVideoWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QVideoWidget", /::setFont\s*\(/, "font") -property_reader("QVideoWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QVideoWidget", /::setCursor\s*\(/, "cursor") -property_reader("QVideoWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QVideoWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QVideoWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QVideoWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QVideoWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QVideoWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QVideoWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QVideoWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QVideoWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QVideoWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QVideoWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QVideoWidget", /::setVisible\s*\(/, "visible") -property_reader("QVideoWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QVideoWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QVideoWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QVideoWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QVideoWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QVideoWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QVideoWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QVideoWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QVideoWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QVideoWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QVideoWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QVideoWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QVideoWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QVideoWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QVideoWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QVideoWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QVideoWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QVideoWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QVideoWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QVideoWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QVideoWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QVideoWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QVideoWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QVideoWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QVideoWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QVideoWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QVideoWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QVideoWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QVideoWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QVideoWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QVideoWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QVideoWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QVideoWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QVideoWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QVideoWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QVideoWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QVideoWidget", /::setLocale\s*\(/, "locale") -property_reader("QVideoWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QVideoWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QVideoWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QVideoWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QVideoWidget", /::(mediaObject|isMediaObject|hasMediaObject)\s*\(/, "mediaObject") -property_writer("QVideoWidget", /::setMediaObject\s*\(/, "mediaObject") -property_reader("QVideoWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_writer("QVideoWidget", /::setFullScreen\s*\(/, "fullScreen") -property_reader("QVideoWidget", /::(aspectRatioMode|isAspectRatioMode|hasAspectRatioMode)\s*\(/, "aspectRatioMode") -property_writer("QVideoWidget", /::setAspectRatioMode\s*\(/, "aspectRatioMode") -property_reader("QVideoWidget", /::(brightness|isBrightness|hasBrightness)\s*\(/, "brightness") -property_writer("QVideoWidget", /::setBrightness\s*\(/, "brightness") -property_reader("QVideoWidget", /::(contrast|isContrast|hasContrast)\s*\(/, "contrast") -property_writer("QVideoWidget", /::setContrast\s*\(/, "contrast") -property_reader("QVideoWidget", /::(hue|isHue|hasHue)\s*\(/, "hue") -property_writer("QVideoWidget", /::setHue\s*\(/, "hue") -property_reader("QVideoWidget", /::(saturation|isSaturation|hasSaturation)\s*\(/, "saturation") -property_writer("QVideoWidget", /::setSaturation\s*\(/, "saturation") -property_reader("QVideoWindowControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QVideoWindowControl", /::setObjectName\s*\(/, "objectName") -property_reader("QWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QWidget", /::setObjectName\s*\(/, "objectName") -property_reader("QWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QWidget", /::setWindowModality\s*\(/, "windowModality") -property_reader("QWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QWidget", /::setEnabled\s*\(/, "enabled") -property_reader("QWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QWidget", /::setGeometry\s*\(/, "geometry") -property_reader("QWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QWidget", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QWidget", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QWidget", /::setPos\s*\(/, "pos") -property_reader("QWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QWidget", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QWidget", /::setSize\s*\(/, "size") -property_reader("QWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QWidget", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QWidget", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QWidget", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QWidget", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QWidget", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QWidget", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QWidget", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QWidget", /::setBaseSize\s*\(/, "baseSize") -property_reader("QWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QWidget", /::setPalette\s*\(/, "palette") -property_reader("QWidget", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QWidget", /::setFont\s*\(/, "font") -property_reader("QWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QWidget", /::setCursor\s*\(/, "cursor") -property_reader("QWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QWidget", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QWidget", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QWidget", /::setVisible\s*\(/, "visible") -property_reader("QWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QWidget", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QWidget", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QWidget", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QWidget", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QWidget", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QWidget", /::setWindowModified\s*\(/, "windowModified") -property_reader("QWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QWidget", /::setToolTip\s*\(/, "toolTip") -property_reader("QWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QWidget", /::setStatusTip\s*\(/, "statusTip") -property_reader("QWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QWidget", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QWidget", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QWidget", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QWidget", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QWidget", /::setLocale\s*\(/, "locale") -property_reader("QWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QWidget", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QWidgetAction", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QWidgetAction", /::setObjectName\s*\(/, "objectName") -property_reader("QWidgetAction", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") -property_writer("QWidgetAction", /::setCheckable\s*\(/, "checkable") -property_reader("QWidgetAction", /::(checked|isChecked|hasChecked)\s*\(/, "checked") -property_writer("QWidgetAction", /::setChecked\s*\(/, "checked") -property_reader("QWidgetAction", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QWidgetAction", /::setEnabled\s*\(/, "enabled") -property_reader("QWidgetAction", /::(icon|isIcon|hasIcon)\s*\(/, "icon") -property_writer("QWidgetAction", /::setIcon\s*\(/, "icon") -property_reader("QWidgetAction", /::(text|isText|hasText)\s*\(/, "text") -property_writer("QWidgetAction", /::setText\s*\(/, "text") -property_reader("QWidgetAction", /::(iconText|isIconText|hasIconText)\s*\(/, "iconText") -property_writer("QWidgetAction", /::setIconText\s*\(/, "iconText") -property_reader("QWidgetAction", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QWidgetAction", /::setToolTip\s*\(/, "toolTip") -property_reader("QWidgetAction", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QWidgetAction", /::setStatusTip\s*\(/, "statusTip") -property_reader("QWidgetAction", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QWidgetAction", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QWidgetAction", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QWidgetAction", /::setFont\s*\(/, "font") -property_reader("QWidgetAction", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") -property_writer("QWidgetAction", /::setShortcut\s*\(/, "shortcut") -property_reader("QWidgetAction", /::(shortcutContext|isShortcutContext|hasShortcutContext)\s*\(/, "shortcutContext") -property_writer("QWidgetAction", /::setShortcutContext\s*\(/, "shortcutContext") -property_reader("QWidgetAction", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") -property_writer("QWidgetAction", /::setAutoRepeat\s*\(/, "autoRepeat") -property_reader("QWidgetAction", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QWidgetAction", /::setVisible\s*\(/, "visible") -property_reader("QWidgetAction", /::(menuRole|isMenuRole|hasMenuRole)\s*\(/, "menuRole") -property_writer("QWidgetAction", /::setMenuRole\s*\(/, "menuRole") -property_reader("QWidgetAction", /::(iconVisibleInMenu|isIconVisibleInMenu|hasIconVisibleInMenu)\s*\(/, "iconVisibleInMenu") -property_writer("QWidgetAction", /::setIconVisibleInMenu\s*\(/, "iconVisibleInMenu") -property_reader("QWidgetAction", /::(priority|isPriority|hasPriority)\s*\(/, "priority") -property_writer("QWidgetAction", /::setPriority\s*\(/, "priority") -property_reader("QWindow", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QWindow", /::setObjectName\s*\(/, "objectName") -property_reader("QWindow", /::(title|isTitle|hasTitle)\s*\(/, "title") -property_writer("QWindow", /::setTitle\s*\(/, "title") -property_reader("QWindow", /::(modality|isModality|hasModality)\s*\(/, "modality") -property_writer("QWindow", /::setModality\s*\(/, "modality") -property_reader("QWindow", /::(flags|isFlags|hasFlags)\s*\(/, "flags") -property_writer("QWindow", /::setFlags\s*\(/, "flags") -property_reader("QWindow", /::(x|isX|hasX)\s*\(/, "x") -property_writer("QWindow", /::setX\s*\(/, "x") -property_reader("QWindow", /::(y|isY|hasY)\s*\(/, "y") -property_writer("QWindow", /::setY\s*\(/, "y") -property_reader("QWindow", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_writer("QWindow", /::setWidth\s*\(/, "width") -property_reader("QWindow", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_writer("QWindow", /::setHeight\s*\(/, "height") -property_reader("QWindow", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QWindow", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QWindow", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QWindow", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QWindow", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QWindow", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QWindow", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QWindow", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QWindow", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QWindow", /::setVisible\s*\(/, "visible") -property_reader("QWindow", /::(active|isActive|hasActive)\s*\(/, "active") -property_reader("QWindow", /::(visibility|isVisibility|hasVisibility)\s*\(/, "visibility") -property_writer("QWindow", /::setVisibility\s*\(/, "visibility") -property_reader("QWindow", /::(contentOrientation|isContentOrientation|hasContentOrientation)\s*\(/, "contentOrientation") -property_writer("QWindow", /::setContentOrientation\s*\(/, "contentOrientation") -property_reader("QWindow", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") -property_writer("QWindow", /::setOpacity\s*\(/, "opacity") -property_reader("QWizard", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QWizard", /::setObjectName\s*\(/, "objectName") -property_reader("QWizard", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QWizard", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QWizard", /::setWindowModality\s*\(/, "windowModality") -property_reader("QWizard", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QWizard", /::setEnabled\s*\(/, "enabled") -property_reader("QWizard", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QWizard", /::setGeometry\s*\(/, "geometry") -property_reader("QWizard", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QWizard", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QWizard", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QWizard", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QWizard", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QWizard", /::setPos\s*\(/, "pos") -property_reader("QWizard", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QWizard", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QWizard", /::setSize\s*\(/, "size") -property_reader("QWizard", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QWizard", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QWizard", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QWizard", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QWizard", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QWizard", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QWizard", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QWizard", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QWizard", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QWizard", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QWizard", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QWizard", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QWizard", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QWizard", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QWizard", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QWizard", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QWizard", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QWizard", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QWizard", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QWizard", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QWizard", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QWizard", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QWizard", /::setBaseSize\s*\(/, "baseSize") -property_reader("QWizard", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QWizard", /::setPalette\s*\(/, "palette") -property_reader("QWizard", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QWizard", /::setFont\s*\(/, "font") -property_reader("QWizard", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QWizard", /::setCursor\s*\(/, "cursor") -property_reader("QWizard", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QWizard", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QWizard", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QWizard", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QWizard", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QWizard", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QWizard", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QWizard", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QWizard", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QWizard", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QWizard", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QWizard", /::setVisible\s*\(/, "visible") -property_reader("QWizard", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QWizard", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QWizard", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QWizard", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QWizard", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QWizard", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QWizard", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QWizard", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QWizard", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QWizard", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QWizard", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QWizard", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QWizard", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QWizard", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QWizard", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QWizard", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QWizard", /::setWindowModified\s*\(/, "windowModified") -property_reader("QWizard", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QWizard", /::setToolTip\s*\(/, "toolTip") -property_reader("QWizard", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QWizard", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QWizard", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QWizard", /::setStatusTip\s*\(/, "statusTip") -property_reader("QWizard", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QWizard", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QWizard", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QWizard", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QWizard", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QWizard", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QWizard", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QWizard", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QWizard", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QWizard", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QWizard", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QWizard", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QWizard", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QWizard", /::setLocale\s*\(/, "locale") -property_reader("QWizard", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QWizard", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QWizard", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QWizard", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QWizard", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") -property_writer("QWizard", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") -property_reader("QWizard", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_writer("QWizard", /::setModal\s*\(/, "modal") -property_reader("QWizard", /::(wizardStyle|isWizardStyle|hasWizardStyle)\s*\(/, "wizardStyle") -property_writer("QWizard", /::setWizardStyle\s*\(/, "wizardStyle") -property_reader("QWizard", /::(options|isOptions|hasOptions)\s*\(/, "options") -property_writer("QWizard", /::setOptions\s*\(/, "options") -property_reader("QWizard", /::(titleFormat|isTitleFormat|hasTitleFormat)\s*\(/, "titleFormat") -property_writer("QWizard", /::setTitleFormat\s*\(/, "titleFormat") -property_reader("QWizard", /::(subTitleFormat|isSubTitleFormat|hasSubTitleFormat)\s*\(/, "subTitleFormat") -property_writer("QWizard", /::setSubTitleFormat\s*\(/, "subTitleFormat") -property_reader("QWizard", /::(startId|isStartId|hasStartId)\s*\(/, "startId") -property_writer("QWizard", /::setStartId\s*\(/, "startId") -property_reader("QWizard", /::(currentId|isCurrentId|hasCurrentId)\s*\(/, "currentId") -property_reader("QWizardPage", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") -property_writer("QWizardPage", /::setObjectName\s*\(/, "objectName") -property_reader("QWizardPage", /::(modal|isModal|hasModal)\s*\(/, "modal") -property_reader("QWizardPage", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") -property_writer("QWizardPage", /::setWindowModality\s*\(/, "windowModality") -property_reader("QWizardPage", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") -property_writer("QWizardPage", /::setEnabled\s*\(/, "enabled") -property_reader("QWizardPage", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") -property_writer("QWizardPage", /::setGeometry\s*\(/, "geometry") -property_reader("QWizardPage", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") -property_reader("QWizardPage", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") -property_reader("QWizardPage", /::(x|isX|hasX)\s*\(/, "x") -property_reader("QWizardPage", /::(y|isY|hasY)\s*\(/, "y") -property_reader("QWizardPage", /::(pos|isPos|hasPos)\s*\(/, "pos") -property_writer("QWizardPage", /::setPos\s*\(/, "pos") -property_reader("QWizardPage", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") -property_reader("QWizardPage", /::(size|isSize|hasSize)\s*\(/, "size") -property_writer("QWizardPage", /::setSize\s*\(/, "size") -property_reader("QWizardPage", /::(width|isWidth|hasWidth)\s*\(/, "width") -property_reader("QWizardPage", /::(height|isHeight|hasHeight)\s*\(/, "height") -property_reader("QWizardPage", /::(rect|isRect|hasRect)\s*\(/, "rect") -property_reader("QWizardPage", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") -property_reader("QWizardPage", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") -property_reader("QWizardPage", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") -property_writer("QWizardPage", /::setSizePolicy\s*\(/, "sizePolicy") -property_reader("QWizardPage", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") -property_writer("QWizardPage", /::setMinimumSize\s*\(/, "minimumSize") -property_reader("QWizardPage", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") -property_writer("QWizardPage", /::setMaximumSize\s*\(/, "maximumSize") -property_reader("QWizardPage", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") -property_writer("QWizardPage", /::setMinimumWidth\s*\(/, "minimumWidth") -property_reader("QWizardPage", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") -property_writer("QWizardPage", /::setMinimumHeight\s*\(/, "minimumHeight") -property_reader("QWizardPage", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") -property_writer("QWizardPage", /::setMaximumWidth\s*\(/, "maximumWidth") -property_reader("QWizardPage", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") -property_writer("QWizardPage", /::setMaximumHeight\s*\(/, "maximumHeight") -property_reader("QWizardPage", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") -property_writer("QWizardPage", /::setSizeIncrement\s*\(/, "sizeIncrement") -property_reader("QWizardPage", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") -property_writer("QWizardPage", /::setBaseSize\s*\(/, "baseSize") -property_reader("QWizardPage", /::(palette|isPalette|hasPalette)\s*\(/, "palette") -property_writer("QWizardPage", /::setPalette\s*\(/, "palette") -property_reader("QWizardPage", /::(font|isFont|hasFont)\s*\(/, "font") -property_writer("QWizardPage", /::setFont\s*\(/, "font") -property_reader("QWizardPage", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") -property_writer("QWizardPage", /::setCursor\s*\(/, "cursor") -property_reader("QWizardPage", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") -property_writer("QWizardPage", /::setMouseTracking\s*\(/, "mouseTracking") -property_reader("QWizardPage", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") -property_reader("QWizardPage", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") -property_writer("QWizardPage", /::setFocusPolicy\s*\(/, "focusPolicy") -property_reader("QWizardPage", /::(focus|isFocus|hasFocus)\s*\(/, "focus") -property_reader("QWizardPage", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") -property_writer("QWizardPage", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") -property_reader("QWizardPage", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") -property_writer("QWizardPage", /::setUpdatesEnabled\s*\(/, "updatesEnabled") -property_reader("QWizardPage", /::(visible|isVisible|hasVisible)\s*\(/, "visible") -property_writer("QWizardPage", /::setVisible\s*\(/, "visible") -property_reader("QWizardPage", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") -property_reader("QWizardPage", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") -property_reader("QWizardPage", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") -property_reader("QWizardPage", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") -property_reader("QWizardPage", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") -property_reader("QWizardPage", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") -property_writer("QWizardPage", /::setAcceptDrops\s*\(/, "acceptDrops") -property_reader("QWizardPage", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") -property_writer("QWizardPage", /::setWindowTitle\s*\(/, "windowTitle") -property_reader("QWizardPage", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") -property_writer("QWizardPage", /::setWindowIcon\s*\(/, "windowIcon") -property_reader("QWizardPage", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") -property_writer("QWizardPage", /::setWindowIconText\s*\(/, "windowIconText") -property_reader("QWizardPage", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") -property_writer("QWizardPage", /::setWindowOpacity\s*\(/, "windowOpacity") -property_reader("QWizardPage", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") -property_writer("QWizardPage", /::setWindowModified\s*\(/, "windowModified") -property_reader("QWizardPage", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") -property_writer("QWizardPage", /::setToolTip\s*\(/, "toolTip") -property_reader("QWizardPage", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") -property_writer("QWizardPage", /::setToolTipDuration\s*\(/, "toolTipDuration") -property_reader("QWizardPage", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") -property_writer("QWizardPage", /::setStatusTip\s*\(/, "statusTip") -property_reader("QWizardPage", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") -property_writer("QWizardPage", /::setWhatsThis\s*\(/, "whatsThis") -property_reader("QWizardPage", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") -property_writer("QWizardPage", /::setAccessibleName\s*\(/, "accessibleName") -property_reader("QWizardPage", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") -property_writer("QWizardPage", /::setAccessibleDescription\s*\(/, "accessibleDescription") -property_reader("QWizardPage", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") -property_writer("QWizardPage", /::setLayoutDirection\s*\(/, "layoutDirection") -property_reader("QWizardPage", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") -property_writer("QWizardPage", /::setAutoFillBackground\s*\(/, "autoFillBackground") -property_reader("QWizardPage", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") -property_writer("QWizardPage", /::setStyleSheet\s*\(/, "styleSheet") -property_reader("QWizardPage", /::(locale|isLocale|hasLocale)\s*\(/, "locale") -property_writer("QWizardPage", /::setLocale\s*\(/, "locale") -property_reader("QWizardPage", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") -property_writer("QWizardPage", /::setWindowFilePath\s*\(/, "windowFilePath") -property_reader("QWizardPage", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") -property_writer("QWizardPage", /::setInputMethodHints\s*\(/, "inputMethodHints") -property_reader("QWizardPage", /::(title|isTitle|hasTitle)\s*\(/, "title") -property_writer("QWizardPage", /::setTitle\s*\(/, "title") -property_reader("QWizardPage", /::(subTitle|isSubTitle|hasSubTitle)\s*\(/, "subTitle") -property_writer("QWizardPage", /::setSubTitle\s*\(/, "subTitle") - -# Synthetic properties -# Property bufferSize (int) -property_reader("QAbstractAudioInput", /::bufferSize\s*\(/, "bufferSize") -property_writer("QAbstractAudioInput", /::setBufferSize\s*\(/, "bufferSize") -# Property format (QAudioFormat) -property_reader("QAbstractAudioInput", /::format\s*\(/, "format") -property_writer("QAbstractAudioInput", /::setFormat\s*\(/, "format") -# Property notifyInterval (int) -property_reader("QAbstractAudioInput", /::notifyInterval\s*\(/, "notifyInterval") -property_writer("QAbstractAudioInput", /::setNotifyInterval\s*\(/, "notifyInterval") -# Property volume (double) -property_reader("QAbstractAudioInput", /::volume\s*\(/, "volume") -property_writer("QAbstractAudioInput", /::setVolume\s*\(/, "volume") -# Property bufferSize (int) -property_reader("QAbstractAudioOutput", /::bufferSize\s*\(/, "bufferSize") -property_writer("QAbstractAudioOutput", /::setBufferSize\s*\(/, "bufferSize") -# Property category (string) -property_reader("QAbstractAudioOutput", /::category\s*\(/, "category") -property_writer("QAbstractAudioOutput", /::setCategory\s*\(/, "category") -# Property format (QAudioFormat) -property_reader("QAbstractAudioOutput", /::format\s*\(/, "format") -property_writer("QAbstractAudioOutput", /::setFormat\s*\(/, "format") -# Property notifyInterval (int) -property_reader("QAbstractAudioOutput", /::notifyInterval\s*\(/, "notifyInterval") -property_writer("QAbstractAudioOutput", /::setNotifyInterval\s*\(/, "notifyInterval") -# Property volume (double) -property_reader("QAbstractAudioOutput", /::volume\s*\(/, "volume") -property_writer("QAbstractAudioOutput", /::setVolume\s*\(/, "volume") -# Property workingDirectory (QDir) -property_reader("QAbstractFormBuilder", /::workingDirectory\s*\(/, "workingDirectory") -property_writer("QAbstractFormBuilder", /::setWorkingDirectory\s*\(/, "workingDirectory") -# Property brush (QBrush) -property_reader("QAbstractGraphicsShapeItem", /::brush\s*\(/, "brush") -property_writer("QAbstractGraphicsShapeItem", /::setBrush\s*\(/, "brush") -# Property pen (QPen) -property_reader("QAbstractGraphicsShapeItem", /::pen\s*\(/, "pen") -property_writer("QAbstractGraphicsShapeItem", /::setPen\s*\(/, "pen") -# Property parent (QObject_Native *) -property_reader("QAbstractItemModel", /::parent\s*\(/, "parent") -property_writer("QObject", /::setParent\s*\(/, "parent") -# Property currentIndex (QModelIndex) -property_reader("QAbstractItemView", /::currentIndex\s*\(/, "currentIndex") -property_writer("QAbstractItemView", /::setCurrentIndex\s*\(/, "currentIndex") -# Property itemDelegate (QAbstractItemDelegate_Native *) -property_reader("QAbstractItemView", /::itemDelegate\s*\(/, "itemDelegate") -property_writer("QAbstractItemView", /::setItemDelegate\s*\(/, "itemDelegate") -# Property model (QAbstractItemModel_Native *) -property_reader("QAbstractItemView", /::model\s*\(/, "model") -property_writer("QAbstractItemView", /::setModel\s*\(/, "model") -# Property rootIndex (QModelIndex) -property_reader("QAbstractItemView", /::rootIndex\s*\(/, "rootIndex") -property_writer("QAbstractItemView", /::setRootIndex\s*\(/, "rootIndex") -# Property selectionModel (QItemSelectionModel_Native *) -property_reader("QAbstractItemView", /::selectionModel\s*\(/, "selectionModel") -property_writer("QAbstractItemView", /::setSelectionModel\s*\(/, "selectionModel") -# Property parent (QObject_Native *) -property_reader("QAbstractListModel", /::parent\s*\(/, "parent") -property_writer("QObject", /::setParent\s*\(/, "parent") -# Property enabledOptions (QAbstractPrintDialog_QFlags_PrintDialogOption) -property_reader("QAbstractPrintDialog", /::enabledOptions\s*\(/, "enabledOptions") -property_writer("QAbstractPrintDialog", /::setEnabledOptions\s*\(/, "enabledOptions") -# Property printRange (QAbstractPrintDialog_PrintRange) -property_reader("QAbstractPrintDialog", /::printRange\s*\(/, "printRange") -property_writer("QAbstractPrintDialog", /::setPrintRange\s*\(/, "printRange") -# Property cornerWidget (QWidget_Native *) -property_reader("QAbstractScrollArea", /::cornerWidget\s*\(/, "cornerWidget") -property_writer("QAbstractScrollArea", /::setCornerWidget\s*\(/, "cornerWidget") -# Property horizontalScrollBar (QScrollBar_Native *) -property_reader("QAbstractScrollArea", /::horizontalScrollBar\s*\(/, "horizontalScrollBar") -property_writer("QAbstractScrollArea", /::setHorizontalScrollBar\s*\(/, "horizontalScrollBar") -# Property verticalScrollBar (QScrollBar_Native *) -property_reader("QAbstractScrollArea", /::verticalScrollBar\s*\(/, "verticalScrollBar") -property_writer("QAbstractScrollArea", /::setVerticalScrollBar\s*\(/, "verticalScrollBar") -# Property viewport (QWidget_Native *) -property_reader("QAbstractScrollArea", /::viewport\s*\(/, "viewport") -property_writer("QAbstractScrollArea", /::setViewport\s*\(/, "viewport") -# Property pauseMode (QAbstractSocket_QFlags_PauseMode) -property_reader("QAbstractSocket", /::pauseMode\s*\(/, "pauseMode") -property_writer("QAbstractSocket", /::setPauseMode\s*\(/, "pauseMode") -# Property proxy (QNetworkProxy) -property_reader("QAbstractSocket", /::proxy\s*\(/, "proxy") -property_writer("QAbstractSocket", /::setProxy\s*\(/, "proxy") -# Property readBufferSize (long long) -property_reader("QAbstractSocket", /::readBufferSize\s*\(/, "readBufferSize") -property_writer("QAbstractSocket", /::setReadBufferSize\s*\(/, "readBufferSize") -# Property groupSeparatorShown (bool) -property_reader("QAbstractSpinBox", /::isGroupSeparatorShown\s*\(/, "groupSeparatorShown") -property_writer("QAbstractSpinBox", /::setGroupSeparatorShown\s*\(/, "groupSeparatorShown") -# Property parent (QObject_Native *) -property_reader("QAbstractTableModel", /::parent\s*\(/, "parent") -property_writer("QObject", /::setParent\s*\(/, "parent") -# Property paintDevice (QPaintDevice_Native *) -property_reader("QAbstractTextDocumentLayout", /::paintDevice\s*\(/, "paintDevice") -property_writer("QAbstractTextDocumentLayout", /::setPaintDevice\s*\(/, "paintDevice") -# Property active (bool) -property_reader("QAccessible", /::isActive\s*\(/, "active") -property_writer("QAccessible", /::setActive\s*\(/, "active") -# Property child (int) -property_reader("QAccessibleEvent", /::child\s*\(/, "child") -property_writer("QAccessibleEvent", /::setChild\s*\(/, "child") -# Property firstColumn (int) -property_reader("QAccessibleTableModelChangeEvent", /::firstColumn\s*\(/, "firstColumn") -property_writer("QAccessibleTableModelChangeEvent", /::setFirstColumn\s*\(/, "firstColumn") -# Property firstRow (int) -property_reader("QAccessibleTableModelChangeEvent", /::firstRow\s*\(/, "firstRow") -property_writer("QAccessibleTableModelChangeEvent", /::setFirstRow\s*\(/, "firstRow") -# Property lastColumn (int) -property_reader("QAccessibleTableModelChangeEvent", /::lastColumn\s*\(/, "lastColumn") -property_writer("QAccessibleTableModelChangeEvent", /::setLastColumn\s*\(/, "lastColumn") -# Property lastRow (int) -property_reader("QAccessibleTableModelChangeEvent", /::lastRow\s*\(/, "lastRow") -property_writer("QAccessibleTableModelChangeEvent", /::setLastRow\s*\(/, "lastRow") -# Property modelChangeType (QAccessibleTableModelChangeEvent_ModelChangeType) -property_reader("QAccessibleTableModelChangeEvent", /::modelChangeType\s*\(/, "modelChangeType") -property_writer("QAccessibleTableModelChangeEvent", /::setModelChangeType\s*\(/, "modelChangeType") -# Property cursorPosition (int) -property_reader("QAccessibleTextCursorEvent", /::cursorPosition\s*\(/, "cursorPosition") -property_writer("QAccessibleTextCursorEvent", /::setCursorPosition\s*\(/, "cursorPosition") -# Property cursorPosition (int) -property_reader("QAccessibleTextInterface", /::cursorPosition\s*\(/, "cursorPosition") -property_writer("QAccessibleTextInterface", /::setCursorPosition\s*\(/, "cursorPosition") -# Property value (variant) -property_reader("QAccessibleValueChangeEvent", /::value\s*\(/, "value") -property_writer("QAccessibleValueChangeEvent", /::setValue\s*\(/, "value") -# Property currentValue (variant) -property_reader("QAccessibleValueInterface", /::currentValue\s*\(/, "currentValue") -property_writer("QAccessibleValueInterface", /::setCurrentValue\s*\(/, "currentValue") -# Property actionGroup (QActionGroup_Native *) -property_reader("QAction", /::actionGroup\s*\(/, "actionGroup") -property_writer("QAction", /::setActionGroup\s*\(/, "actionGroup") -# Property data (variant) -property_reader("QAction", /::data\s*\(/, "data") -property_writer("QAction", /::setData\s*\(/, "data") -# Property menu (QMenu_Native *) -property_reader("QAction", /::menu\s*\(/, "menu") -property_writer("QAction", /::setMenu\s*\(/, "menu") -# Property separator (bool) -property_reader("QAction", /::isSeparator\s*\(/, "separator") -property_writer("QAction", /::setSeparator\s*\(/, "separator") -# Property shortcuts (QKeySequence[]) -property_reader("QAction", /::shortcuts\s*\(/, "shortcuts") -property_writer("QAction", /::setShortcuts\s*\(/, "shortcuts") -# Property startTime (long long) -property_reader("QAnimationDriver", /::startTime\s*\(/, "startTime") -property_writer("QAnimationDriver", /::setStartTime\s*\(/, "startTime") -# Property activeWindow (QWidget_Native *) -property_reader("QApplication", /::activeWindow\s*\(/, "activeWindow") -property_writer("QApplication", /::setActiveWindow\s*\(/, "activeWindow") -# Property colorSpec (int) -property_reader("QApplication", /::colorSpec\s*\(/, "colorSpec") -property_writer("QApplication", /::setColorSpec\s*\(/, "colorSpec") -# Property font (QFont) -property_reader("QApplication", /::font\s*\(/, "font") -property_writer("QApplication", /::setFont\s*\(/, "font") -# Property palette (QPalette) -property_reader("QApplication", /::palette\s*\(/, "palette") -property_writer("QApplication", /::setPalette\s*\(/, "palette") -# Property style (QStyle_Native *) -property_reader("QApplication", /::style\s*\(/, "style") -property_writer("QApplication", /::setStyle\s*\(/, "style") -# Property audioFormat (QAudioFormat) -property_reader("QAudioDecoder", /::audioFormat\s*\(/, "audioFormat") -property_writer("QAudioDecoder", /::setAudioFormat\s*\(/, "audioFormat") -# Property sourceDevice (QIODevice *) -property_reader("QAudioDecoder", /::sourceDevice\s*\(/, "sourceDevice") -property_writer("QAudioDecoder", /::setSourceDevice\s*\(/, "sourceDevice") -# Property audioFormat (QAudioFormat) -property_reader("QAudioDecoderControl", /::audioFormat\s*\(/, "audioFormat") -property_writer("QAudioDecoderControl", /::setAudioFormat\s*\(/, "audioFormat") -# Property sourceDevice (QIODevice *) -property_reader("QAudioDecoderControl", /::sourceDevice\s*\(/, "sourceDevice") -property_writer("QAudioDecoderControl", /::setSourceDevice\s*\(/, "sourceDevice") -# Property sourceFilename (string) -property_reader("QAudioDecoderControl", /::sourceFilename\s*\(/, "sourceFilename") -property_writer("QAudioDecoderControl", /::setSourceFilename\s*\(/, "sourceFilename") -# Property bitRate (int) -property_reader("QAudioEncoderSettings", /::bitRate\s*\(/, "bitRate") -property_writer("QAudioEncoderSettings", /::setBitRate\s*\(/, "bitRate") -# Property channelCount (int) -property_reader("QAudioEncoderSettings", /::channelCount\s*\(/, "channelCount") -property_writer("QAudioEncoderSettings", /::setChannelCount\s*\(/, "channelCount") -# Property codec (string) -property_reader("QAudioEncoderSettings", /::codec\s*\(/, "codec") -property_writer("QAudioEncoderSettings", /::setCodec\s*\(/, "codec") -# Property encodingMode (QMultimedia_EncodingMode) -property_reader("QAudioEncoderSettings", /::encodingMode\s*\(/, "encodingMode") -property_writer("QAudioEncoderSettings", /::setEncodingMode\s*\(/, "encodingMode") -# Property encodingOptions (map) -property_reader("QAudioEncoderSettings", /::encodingOptions\s*\(/, "encodingOptions") -property_writer("QAudioEncoderSettings", /::setEncodingOptions\s*\(/, "encodingOptions") -# Property quality (QMultimedia_EncodingQuality) -property_reader("QAudioEncoderSettings", /::quality\s*\(/, "quality") -property_writer("QAudioEncoderSettings", /::setQuality\s*\(/, "quality") -# Property sampleRate (int) -property_reader("QAudioEncoderSettings", /::sampleRate\s*\(/, "sampleRate") -property_writer("QAudioEncoderSettings", /::setSampleRate\s*\(/, "sampleRate") -# Property audioSettings (QAudioEncoderSettings) -property_reader("QAudioEncoderSettingsControl", /::audioSettings\s*\(/, "audioSettings") -property_writer("QAudioEncoderSettingsControl", /::setAudioSettings\s*\(/, "audioSettings") -# Property byteOrder (QAudioFormat_Endian) -property_reader("QAudioFormat", /::byteOrder\s*\(/, "byteOrder") -property_writer("QAudioFormat", /::setByteOrder\s*\(/, "byteOrder") -# Property channelCount (int) -property_reader("QAudioFormat", /::channelCount\s*\(/, "channelCount") -property_writer("QAudioFormat", /::setChannelCount\s*\(/, "channelCount") -# Property codec (string) -property_reader("QAudioFormat", /::codec\s*\(/, "codec") -property_writer("QAudioFormat", /::setCodec\s*\(/, "codec") -# Property sampleRate (int) -property_reader("QAudioFormat", /::sampleRate\s*\(/, "sampleRate") -property_writer("QAudioFormat", /::setSampleRate\s*\(/, "sampleRate") -# Property sampleSize (int) -property_reader("QAudioFormat", /::sampleSize\s*\(/, "sampleSize") -property_writer("QAudioFormat", /::setSampleSize\s*\(/, "sampleSize") -# Property sampleType (QAudioFormat_SampleType) -property_reader("QAudioFormat", /::sampleType\s*\(/, "sampleType") -property_writer("QAudioFormat", /::setSampleType\s*\(/, "sampleType") -# Property bufferSize (int) -property_reader("QAudioInput", /::bufferSize\s*\(/, "bufferSize") -property_writer("QAudioInput", /::setBufferSize\s*\(/, "bufferSize") -# Property notifyInterval (int) -property_reader("QAudioInput", /::notifyInterval\s*\(/, "notifyInterval") -property_writer("QAudioInput", /::setNotifyInterval\s*\(/, "notifyInterval") -# Property volume (double) -property_reader("QAudioInput", /::volume\s*\(/, "volume") -property_writer("QAudioInput", /::setVolume\s*\(/, "volume") -# Property activeInput (string) -property_reader("QAudioInputSelectorControl", /::activeInput\s*\(/, "activeInput") -property_writer("QAudioInputSelectorControl", /::setActiveInput\s*\(/, "activeInput") -# Property bufferSize (int) -property_reader("QAudioOutput", /::bufferSize\s*\(/, "bufferSize") -property_writer("QAudioOutput", /::setBufferSize\s*\(/, "bufferSize") -# Property category (string) -property_reader("QAudioOutput", /::category\s*\(/, "category") -property_writer("QAudioOutput", /::setCategory\s*\(/, "category") -# Property notifyInterval (int) -property_reader("QAudioOutput", /::notifyInterval\s*\(/, "notifyInterval") -property_writer("QAudioOutput", /::setNotifyInterval\s*\(/, "notifyInterval") -# Property volume (double) -property_reader("QAudioOutput", /::volume\s*\(/, "volume") -property_writer("QAudioOutput", /::setVolume\s*\(/, "volume") -# Property activeOutput (string) -property_reader("QAudioOutputSelectorControl", /::activeOutput\s*\(/, "activeOutput") -property_writer("QAudioOutputSelectorControl", /::setActiveOutput\s*\(/, "activeOutput") -# Property password (string) -property_reader("QAuthenticator", /::password\s*\(/, "password") -property_writer("QAuthenticator", /::setPassword\s*\(/, "password") -# Property realm (string) -property_reader("QAuthenticator", /::realm\s*\(/, "realm") -property_writer("QAuthenticator", /::setRealm\s*\(/, "realm") -# Property user (string) -property_reader("QAuthenticator", /::user\s*\(/, "user") -property_writer("QAuthenticator", /::setUser\s*\(/, "user") -# Property direction (QBoxLayout_Direction) -property_reader("QBoxLayout", /::direction\s*\(/, "direction") -property_writer("QBoxLayout", /::setDirection\s*\(/, "direction") -# Property geometry (QRect) -property_reader("QLayout", /::geometry\s*\(/, "geometry") -property_writer("QBoxLayout", /::setGeometry\s*\(/, "geometry") -# Property color (QColor) -property_reader("QBrush", /::color\s*\(/, "color") -property_writer("QBrush", /::setColor\s*\(/, "color") -# Property matrix (QMatrix) -property_reader("QBrush", /::matrix\s*\(/, "matrix") -property_writer("QBrush", /::setMatrix\s*\(/, "matrix") -# Property style (Qt_BrushStyle) -property_reader("QBrush", /::style\s*\(/, "style") -property_writer("QBrush", /::setStyle\s*\(/, "style") -# Property texture (QPixmap_Native) -property_reader("QBrush", /::texture\s*\(/, "texture") -property_writer("QBrush", /::setTexture\s*\(/, "texture") -# Property textureImage (QImage_Native) -property_reader("QBrush", /::textureImage\s*\(/, "textureImage") -property_writer("QBrush", /::setTextureImage\s*\(/, "textureImage") -# Property transform (QTransform) -property_reader("QBrush", /::transform\s*\(/, "transform") -property_writer("QBrush", /::setTransform\s*\(/, "transform") -# Property data (string) -property_reader("QBuffer", /::data\s*\(/, "data") -property_writer("QBuffer", /::setData\s*\(/, "data") -# Property pattern (string) -property_reader("QByteArrayMatcher", /::pattern\s*\(/, "pattern") -property_writer("QByteArrayMatcher", /::setPattern\s*\(/, "pattern") -# Property headerTextFormat (QTextCharFormat) -property_reader("QCalendarWidget", /::headerTextFormat\s*\(/, "headerTextFormat") -property_writer("QCalendarWidget", /::setHeaderTextFormat\s*\(/, "headerTextFormat") -# Property viewfinderSettings (QCameraViewfinderSettings) -property_reader("QCamera", /::viewfinderSettings\s*\(/, "viewfinderSettings") -property_writer("QCamera", /::setViewfinderSettings\s*\(/, "viewfinderSettings") -# Property bufferFormat (QVideoFrame_PixelFormat) -property_reader("QCameraCaptureBufferFormatControl", /::bufferFormat\s*\(/, "bufferFormat") -property_writer("QCameraCaptureBufferFormatControl", /::setBufferFormat\s*\(/, "bufferFormat") -# Property captureDestination (QCameraImageCapture_QFlags_CaptureDestination) -property_reader("QCameraCaptureDestinationControl", /::captureDestination\s*\(/, "captureDestination") -property_writer("QCameraCaptureDestinationControl", /::setCaptureDestination\s*\(/, "captureDestination") -# Property captureMode (QCamera_QFlags_CaptureMode) -property_reader("QCameraControl", /::captureMode\s*\(/, "captureMode") -property_writer("QCameraControl", /::setCaptureMode\s*\(/, "captureMode") -# Property state (QCamera_State) -property_reader("QCameraControl", /::state\s*\(/, "state") -property_writer("QCameraControl", /::setState\s*\(/, "state") -# Property spotMeteringPoint (QPointF) -property_reader("QCameraExposure", /::spotMeteringPoint\s*\(/, "spotMeteringPoint") -property_writer("QCameraExposure", /::setSpotMeteringPoint\s*\(/, "spotMeteringPoint") -# Property flashMode (QCameraExposure_QFlags_FlashMode) -property_reader("QCameraFlashControl", /::flashMode\s*\(/, "flashMode") -property_writer("QCameraFlashControl", /::setFlashMode\s*\(/, "flashMode") -# Property customFocusPoint (QPointF) -property_reader("QCameraFocusControl", /::customFocusPoint\s*\(/, "customFocusPoint") -property_writer("QCameraFocusControl", /::setCustomFocusPoint\s*\(/, "customFocusPoint") -# Property focusMode (QCameraFocus_QFlags_FocusMode) -property_reader("QCameraFocusControl", /::focusMode\s*\(/, "focusMode") -property_writer("QCameraFocusControl", /::setFocusMode\s*\(/, "focusMode") -# Property focusPointMode (QCameraFocus_FocusPointMode) -property_reader("QCameraFocusControl", /::focusPointMode\s*\(/, "focusPointMode") -property_writer("QCameraFocusControl", /::setFocusPointMode\s*\(/, "focusPointMode") -# Property status (QCameraFocusZone_FocusZoneStatus) -property_reader("QCameraFocusZone", /::status\s*\(/, "status") -property_writer("QCameraFocusZone", /::setStatus\s*\(/, "status") -# Property bufferFormat (QVideoFrame_PixelFormat) -property_reader("QCameraImageCapture", /::bufferFormat\s*\(/, "bufferFormat") -property_writer("QCameraImageCapture", /::setBufferFormat\s*\(/, "bufferFormat") -# Property captureDestination (QCameraImageCapture_QFlags_CaptureDestination) -property_reader("QCameraImageCapture", /::captureDestination\s*\(/, "captureDestination") -property_writer("QCameraImageCapture", /::setCaptureDestination\s*\(/, "captureDestination") -# Property encodingSettings (QImageEncoderSettings) -property_reader("QCameraImageCapture", /::encodingSettings\s*\(/, "encodingSettings") -property_writer("QCameraImageCapture", /::setEncodingSettings\s*\(/, "encodingSettings") -# Property driveMode (QCameraImageCapture_DriveMode) -property_reader("QCameraImageCaptureControl", /::driveMode\s*\(/, "driveMode") -property_writer("QCameraImageCaptureControl", /::setDriveMode\s*\(/, "driveMode") -# Property colorFilter (QCameraImageProcessing_ColorFilter) -property_reader("QCameraImageProcessing", /::colorFilter\s*\(/, "colorFilter") -property_writer("QCameraImageProcessing", /::setColorFilter\s*\(/, "colorFilter") -# Property contrast (double) -property_reader("QCameraImageProcessing", /::contrast\s*\(/, "contrast") -property_writer("QCameraImageProcessing", /::setContrast\s*\(/, "contrast") -# Property denoisingLevel (double) -property_reader("QCameraImageProcessing", /::denoisingLevel\s*\(/, "denoisingLevel") -property_writer("QCameraImageProcessing", /::setDenoisingLevel\s*\(/, "denoisingLevel") -# Property manualWhiteBalance (double) -property_reader("QCameraImageProcessing", /::manualWhiteBalance\s*\(/, "manualWhiteBalance") -property_writer("QCameraImageProcessing", /::setManualWhiteBalance\s*\(/, "manualWhiteBalance") -# Property saturation (double) -property_reader("QCameraImageProcessing", /::saturation\s*\(/, "saturation") -property_writer("QCameraImageProcessing", /::setSaturation\s*\(/, "saturation") -# Property sharpeningLevel (double) -property_reader("QCameraImageProcessing", /::sharpeningLevel\s*\(/, "sharpeningLevel") -property_writer("QCameraImageProcessing", /::setSharpeningLevel\s*\(/, "sharpeningLevel") -# Property whiteBalanceMode (QCameraImageProcessing_WhiteBalanceMode) -property_reader("QCameraImageProcessing", /::whiteBalanceMode\s*\(/, "whiteBalanceMode") -property_writer("QCameraImageProcessing", /::setWhiteBalanceMode\s*\(/, "whiteBalanceMode") -# Property maximumFrameRate (double) -property_reader("QCameraViewfinderSettings", /::maximumFrameRate\s*\(/, "maximumFrameRate") -property_writer("QCameraViewfinderSettings", /::setMaximumFrameRate\s*\(/, "maximumFrameRate") -# Property minimumFrameRate (double) -property_reader("QCameraViewfinderSettings", /::minimumFrameRate\s*\(/, "minimumFrameRate") -property_writer("QCameraViewfinderSettings", /::setMinimumFrameRate\s*\(/, "minimumFrameRate") -# Property pixelAspectRatio (QSize) -property_reader("QCameraViewfinderSettings", /::pixelAspectRatio\s*\(/, "pixelAspectRatio") -property_writer("QCameraViewfinderSettings", /::setPixelAspectRatio\s*\(/, "pixelAspectRatio") -# Property pixelFormat (QVideoFrame_PixelFormat) -property_reader("QCameraViewfinderSettings", /::pixelFormat\s*\(/, "pixelFormat") -property_writer("QCameraViewfinderSettings", /::setPixelFormat\s*\(/, "pixelFormat") -# Property resolution (QSize) -property_reader("QCameraViewfinderSettings", /::resolution\s*\(/, "resolution") -property_writer("QCameraViewfinderSettings", /::setResolution\s*\(/, "resolution") -# Property viewfinderSettings (QCameraViewfinderSettings) -property_reader("QCameraViewfinderSettingsControl2", /::viewfinderSettings\s*\(/, "viewfinderSettings") -property_writer("QCameraViewfinderSettingsControl2", /::setViewfinderSettings\s*\(/, "viewfinderSettings") -# Property checkState (Qt_CheckState) -property_reader("QCheckBox", /::checkState\s*\(/, "checkState") -property_writer("QCheckBox", /::setCheckState\s*\(/, "checkState") -# Property image (QImage_Native) -property_reader("QClipboard", /::image\s*\(/, "image") -property_writer("QClipboard", /::setImage\s*\(/, "image") -# Property mimeData (QMimeData_Native *) -property_reader("QClipboard", /::mimeData\s*\(/, "mimeData") -property_writer("QClipboard", /::setMimeData\s*\(/, "mimeData") -# Property pixmap (QPixmap_Native) -property_reader("QClipboard", /::pixmap\s*\(/, "pixmap") -property_writer("QClipboard", /::setPixmap\s*\(/, "pixmap") -# Property text (string) -property_reader("QClipboard", /::text\s*\(/, "text") -property_writer("QClipboard", /::setText\s*\(/, "text") -# Property caseSensitivity (Qt_CaseSensitivity) -property_reader("QCollator", /::caseSensitivity\s*\(/, "caseSensitivity") -property_writer("QCollator", /::setCaseSensitivity\s*\(/, "caseSensitivity") -# Property ignorePunctuation (bool) -property_reader("QCollator", /::ignorePunctuation\s*\(/, "ignorePunctuation") -property_writer("QCollator", /::setIgnorePunctuation\s*\(/, "ignorePunctuation") -# Property locale (QLocale) -property_reader("QCollator", /::locale\s*\(/, "locale") -property_writer("QCollator", /::setLocale\s*\(/, "locale") -# Property numericMode (bool) -property_reader("QCollator", /::numericMode\s*\(/, "numericMode") -property_writer("QCollator", /::setNumericMode\s*\(/, "numericMode") -# Property alpha (int) -property_reader("QColor", /::alpha\s*\(/, "alpha") -property_writer("QColor", /::setAlpha\s*\(/, "alpha") -# Property alphaF (double) -property_reader("QColor", /::alphaF\s*\(/, "alphaF") -property_writer("QColor", /::setAlphaF\s*\(/, "alphaF") -# Property blue (int) -property_reader("QColor", /::blue\s*\(/, "blue") -property_writer("QColor", /::setBlue\s*\(/, "blue") -# Property blueF (double) -property_reader("QColor", /::blueF\s*\(/, "blueF") -property_writer("QColor", /::setBlueF\s*\(/, "blueF") -# Property green (int) -property_reader("QColor", /::green\s*\(/, "green") -property_writer("QColor", /::setGreen\s*\(/, "green") -# Property greenF (double) -property_reader("QColor", /::greenF\s*\(/, "greenF") -property_writer("QColor", /::setGreenF\s*\(/, "greenF") -# Property red (int) -property_reader("QColor", /::red\s*\(/, "red") -property_writer("QColor", /::setRed\s*\(/, "red") -# Property redF (double) -property_reader("QColor", /::redF\s*\(/, "redF") -property_writer("QColor", /::setRedF\s*\(/, "redF") -# Property rgb (unsigned int) -property_reader("QColor", /::rgb\s*\(/, "rgb") -property_writer("QColor", /::setRgb\s*\(/, "rgb") -# Property rgba (unsigned int) -property_reader("QColor", /::rgba\s*\(/, "rgba") -property_writer("QColor", /::setRgba\s*\(/, "rgba") -# Property columnWidths (int[]) -property_reader("QColumnView", /::columnWidths\s*\(/, "columnWidths") -property_writer("QColumnView", /::setColumnWidths\s*\(/, "columnWidths") -# Property model (QAbstractItemModel_Native *) -property_reader("QAbstractItemView", /::model\s*\(/, "model") -property_writer("QColumnView", /::setModel\s*\(/, "model") -# Property previewWidget (QWidget_Native *) -property_reader("QColumnView", /::previewWidget\s*\(/, "previewWidget") -property_writer("QColumnView", /::setPreviewWidget\s*\(/, "previewWidget") -# Property rootIndex (QModelIndex) -property_reader("QAbstractItemView", /::rootIndex\s*\(/, "rootIndex") -property_writer("QColumnView", /::setRootIndex\s*\(/, "rootIndex") -# Property selectionModel (QItemSelectionModel_Native *) -property_reader("QAbstractItemView", /::selectionModel\s*\(/, "selectionModel") -property_writer("QColumnView", /::setSelectionModel\s*\(/, "selectionModel") -# Property completer (QCompleter_Native *) -property_reader("QComboBox", /::completer\s*\(/, "completer") -property_writer("QComboBox", /::setCompleter\s*\(/, "completer") -# Property itemDelegate (QAbstractItemDelegate_Native *) -property_reader("QComboBox", /::itemDelegate\s*\(/, "itemDelegate") -property_writer("QComboBox", /::setItemDelegate\s*\(/, "itemDelegate") -# Property lineEdit (QLineEdit_Native *) -property_reader("QComboBox", /::lineEdit\s*\(/, "lineEdit") -property_writer("QComboBox", /::setLineEdit\s*\(/, "lineEdit") -# Property model (QAbstractItemModel_Native *) -property_reader("QComboBox", /::model\s*\(/, "model") -property_writer("QComboBox", /::setModel\s*\(/, "model") -# Property rootModelIndex (QModelIndex) -property_reader("QComboBox", /::rootModelIndex\s*\(/, "rootModelIndex") -property_writer("QComboBox", /::setRootModelIndex\s*\(/, "rootModelIndex") -# Property validator (QValidator_Native *) -property_reader("QComboBox", /::validator\s*\(/, "validator") -property_writer("QComboBox", /::setValidator\s*\(/, "validator") -# Property view (QAbstractItemView_Native *) -property_reader("QComboBox", /::view\s*\(/, "view") -property_writer("QComboBox", /::setView\s*\(/, "view") -# Property defaultValues (string[]) -property_reader("QCommandLineOption", /::defaultValues\s*\(/, "defaultValues") -property_writer("QCommandLineOption", /::setDefaultValues\s*\(/, "defaultValues") -# Property description (string) -property_reader("QCommandLineOption", /::description\s*\(/, "description") -property_writer("QCommandLineOption", /::setDescription\s*\(/, "description") -# Property valueName (string) -property_reader("QCommandLineOption", /::valueName\s*\(/, "valueName") -property_writer("QCommandLineOption", /::setValueName\s*\(/, "valueName") -# Property applicationDescription (string) -property_reader("QCommandLineParser", /::applicationDescription\s*\(/, "applicationDescription") -property_writer("QCommandLineParser", /::setApplicationDescription\s*\(/, "applicationDescription") -# Property model (QAbstractItemModel_Native *) -property_reader("QCompleter", /::model\s*\(/, "model") -property_writer("QCompleter", /::setModel\s*\(/, "model") -# Property popup (QAbstractItemView_Native *) -property_reader("QCompleter", /::popup\s*\(/, "popup") -property_writer("QCompleter", /::setPopup\s*\(/, "popup") -# Property widget (QWidget_Native *) -property_reader("QCompleter", /::widget\s*\(/, "widget") -property_writer("QCompleter", /::setWidget\s*\(/, "widget") -# Property angle (double) -property_reader("QConicalGradient", /::angle\s*\(/, "angle") -property_writer("QConicalGradient", /::setAngle\s*\(/, "angle") -# Property center (QPointF) -property_reader("QConicalGradient", /::center\s*\(/, "center") -property_writer("QConicalGradient", /::setCenter\s*\(/, "center") -# Property eventDispatcher (QAbstractEventDispatcher_Native *) -property_reader("QCoreApplication", /::eventDispatcher\s*\(/, "eventDispatcher") -property_writer("QCoreApplication", /::setEventDispatcher\s*\(/, "eventDispatcher") -# Property libraryPaths (string[]) -property_reader("QCoreApplication", /::libraryPaths\s*\(/, "libraryPaths") -property_writer("QCoreApplication", /::setLibraryPaths\s*\(/, "libraryPaths") -# Property setuidAllowed (bool) -property_reader("QCoreApplication", /::isSetuidAllowed\s*\(/, "setuidAllowed") -property_writer("QCoreApplication", /::setSetuidAllowed\s*\(/, "setuidAllowed") -# Property pos (QPoint) -property_reader("QCursor", /::pos\s*\(/, "pos") -property_writer("QCursor", /::setPos\s*\(/, "pos") -# Property shape (Qt_CursorShape) -property_reader("QCursor", /::shape\s*\(/, "shape") -property_writer("QCursor", /::setShape\s*\(/, "shape") -# Property byteOrder (QDataStream_ByteOrder) -property_reader("QDataStream", /::byteOrder\s*\(/, "byteOrder") -property_writer("QDataStream", /::setByteOrder\s*\(/, "byteOrder") -# Property device (QIODevice *) -property_reader("QDataStream", /::device\s*\(/, "device") -property_writer("QDataStream", /::setDevice\s*\(/, "device") -# Property floatingPointPrecision (QDataStream_FloatingPointPrecision) -property_reader("QDataStream", /::floatingPointPrecision\s*\(/, "floatingPointPrecision") -property_writer("QDataStream", /::setFloatingPointPrecision\s*\(/, "floatingPointPrecision") -# Property status (QDataStream_Status) -property_reader("QDataStream", /::status\s*\(/, "status") -property_writer("QDataStream", /::setStatus\s*\(/, "status") -# Property version (int) -property_reader("QDataStream", /::version\s*\(/, "version") -property_writer("QDataStream", /::setVersion\s*\(/, "version") -# Property itemDelegate (QAbstractItemDelegate_Native *) -property_reader("QDataWidgetMapper", /::itemDelegate\s*\(/, "itemDelegate") -property_writer("QDataWidgetMapper", /::setItemDelegate\s*\(/, "itemDelegate") -# Property model (QAbstractItemModel_Native *) -property_reader("QDataWidgetMapper", /::model\s*\(/, "model") -property_writer("QDataWidgetMapper", /::setModel\s*\(/, "model") -# Property rootIndex (QModelIndex) -property_reader("QDataWidgetMapper", /::rootIndex\s*\(/, "rootIndex") -property_writer("QDataWidgetMapper", /::setRootIndex\s*\(/, "rootIndex") -# Property date (QDate) -property_reader("QDateTime", /::date\s*\(/, "date") -property_writer("QDateTime", /::setDate\s*\(/, "date") -# Property offsetFromUtc (int) -property_reader("QDateTime", /::offsetFromUtc\s*\(/, "offsetFromUtc") -property_writer("QDateTime", /::setOffsetFromUtc\s*\(/, "offsetFromUtc") -# Property time (QTime) -property_reader("QDateTime", /::time\s*\(/, "time") -property_writer("QDateTime", /::setTime\s*\(/, "time") -# Property timeSpec (Qt_TimeSpec) -property_reader("QDateTime", /::timeSpec\s*\(/, "timeSpec") -property_writer("QDateTime", /::setTimeSpec\s*\(/, "timeSpec") -# Property timeZone (QTimeZone) -property_reader("QDateTime", /::timeZone\s*\(/, "timeZone") -property_writer("QDateTime", /::setTimeZone\s*\(/, "timeZone") -# Property utcOffset (int) -property_reader("QDateTime", /::utcOffset\s*\(/, "utcOffset") -property_writer("QDateTime", /::setUtcOffset\s*\(/, "utcOffset") -# Property calendarWidget (QCalendarWidget_Native *) -property_reader("QDateTimeEdit", /::calendarWidget\s*\(/, "calendarWidget") -property_writer("QDateTimeEdit", /::setCalendarWidget\s*\(/, "calendarWidget") -# Property autoInsertSpaces (bool) -property_reader("QDebug", /::autoInsertSpaces\s*\(/, "autoInsertSpaces") -property_writer("QDebug", /::setAutoInsertSpaces\s*\(/, "autoInsertSpaces") -# Property extension (QWidget_Native *) -property_reader("QDialog", /::extension\s*\(/, "extension") -property_writer("QDialog", /::setExtension\s*\(/, "extension") -# Property orientation (Qt_Orientation) -property_reader("QDialog", /::orientation\s*\(/, "orientation") -property_writer("QDialog", /::setOrientation\s*\(/, "orientation") -# Property result (int) -property_reader("QDialog", /::result\s*\(/, "result") -property_writer("QDialog", /::setResult\s*\(/, "result") -# Property filter (QDir_QFlags_Filter) -property_reader("QDir", /::filter\s*\(/, "filter") -property_writer("QDir", /::setFilter\s*\(/, "filter") -# Property nameFilters (string[]) -property_reader("QDir", /::nameFilters\s*\(/, "nameFilters") -property_writer("QDir", /::setNameFilters\s*\(/, "nameFilters") -# Property path (string) -property_reader("QDir", /::path\s*\(/, "path") -property_writer("QDir", /::setPath\s*\(/, "path") -# Property sorting (QDir_QFlags_SortFlag) -property_reader("QDir", /::sorting\s*\(/, "sorting") -property_writer("QDir", /::setSorting\s*\(/, "sorting") -# Property filter (QDir_QFlags_Filter) -property_reader("QDirModel", /::filter\s*\(/, "filter") -property_writer("QDirModel", /::setFilter\s*\(/, "filter") -# Property iconProvider (QFileIconProvider_Native *) -property_reader("QDirModel", /::iconProvider\s*\(/, "iconProvider") -property_writer("QDirModel", /::setIconProvider\s*\(/, "iconProvider") -# Property nameFilters (string[]) -property_reader("QDirModel", /::nameFilters\s*\(/, "nameFilters") -property_writer("QDirModel", /::setNameFilters\s*\(/, "nameFilters") -# Property parent (QObject_Native *) -property_reader("QDirModel", /::parent\s*\(/, "parent") -property_writer("QObject", /::setParent\s*\(/, "parent") -# Property sorting (QDir_QFlags_SortFlag) -property_reader("QDirModel", /::sorting\s*\(/, "sorting") -property_writer("QDirModel", /::setSorting\s*\(/, "sorting") -# Property titleBarWidget (QWidget_Native *) -property_reader("QDockWidget", /::titleBarWidget\s*\(/, "titleBarWidget") -property_writer("QDockWidget", /::setTitleBarWidget\s*\(/, "titleBarWidget") -# Property widget (QWidget_Native *) -property_reader("QDockWidget", /::widget\s*\(/, "widget") -property_writer("QDockWidget", /::setWidget\s*\(/, "widget") -# Property value (string) -property_reader("QDomAttr", /::value\s*\(/, "value") -property_writer("QDomAttr", /::setValue\s*\(/, "value") -# Property data (string) -property_reader("QDomCharacterData", /::data\s*\(/, "data") -property_writer("QDomCharacterData", /::setData\s*\(/, "data") -# Property tagName (string) -property_reader("QDomElement", /::tagName\s*\(/, "tagName") -property_writer("QDomElement", /::setTagName\s*\(/, "tagName") -# Property invalidDataPolicy (QDomImplementation_InvalidDataPolicy) -property_reader("QDomImplementation", /::invalidDataPolicy\s*\(/, "invalidDataPolicy") -property_writer("QDomImplementation", /::setInvalidDataPolicy\s*\(/, "invalidDataPolicy") -# Property nodeValue (string) -property_reader("QDomNode", /::nodeValue\s*\(/, "nodeValue") -property_writer("QDomNode", /::setNodeValue\s*\(/, "nodeValue") -# Property prefix (string) -property_reader("QDomNode", /::prefix\s*\(/, "prefix") -property_writer("QDomNode", /::setPrefix\s*\(/, "prefix") -# Property data (string) -property_reader("QDomProcessingInstruction", /::data\s*\(/, "data") -property_writer("QDomProcessingInstruction", /::setData\s*\(/, "data") -# Property hotSpot (QPoint) -property_reader("QDrag", /::hotSpot\s*\(/, "hotSpot") -property_writer("QDrag", /::setHotSpot\s*\(/, "hotSpot") -# Property mimeData (QMimeData_Native *) -property_reader("QDrag", /::mimeData\s*\(/, "mimeData") -property_writer("QDrag", /::setMimeData\s*\(/, "mimeData") -# Property pixmap (QPixmap_Native) -property_reader("QDrag", /::pixmap\s*\(/, "pixmap") -property_writer("QDrag", /::setPixmap\s*\(/, "pixmap") -# Property dropAction (Qt_DropAction) -property_reader("QDropEvent", /::dropAction\s*\(/, "dropAction") -property_writer("QDropEvent", /::setDropAction\s*\(/, "dropAction") -# Property amplitude (double) -property_reader("QEasingCurve", /::amplitude\s*\(/, "amplitude") -property_writer("QEasingCurve", /::setAmplitude\s*\(/, "amplitude") -# Property overshoot (double) -property_reader("QEasingCurve", /::overshoot\s*\(/, "overshoot") -property_writer("QEasingCurve", /::setOvershoot\s*\(/, "overshoot") -# Property period (double) -property_reader("QEasingCurve", /::period\s*\(/, "period") -property_writer("QEasingCurve", /::setPeriod\s*\(/, "period") -# Property type (QEasingCurve_Type) -property_reader("QEasingCurve", /::type\s*\(/, "type") -property_writer("QEasingCurve", /::setType\s*\(/, "type") -# Property accepted (bool) -property_reader("QEvent", /::isAccepted\s*\(/, "accepted") -property_writer("QEvent", /::setAccepted\s*\(/, "accepted") -# Property fileName (string) -property_reader("QFile", /::fileName\s*\(/, "fileName") -property_writer("QFile", /::setFileName\s*\(/, "fileName") -# Property directoryUrl (QUrl) -property_reader("QFileDialog", /::directoryUrl\s*\(/, "directoryUrl") -property_writer("QFileDialog", /::setDirectoryUrl\s*\(/, "directoryUrl") -# Property filter (QDir_QFlags_Filter) -property_reader("QFileDialog", /::filter\s*\(/, "filter") -property_writer("QFileDialog", /::setFilter\s*\(/, "filter") -# Property history (string[]) -property_reader("QFileDialog", /::history\s*\(/, "history") -property_writer("QFileDialog", /::setHistory\s*\(/, "history") -# Property iconProvider (QFileIconProvider_Native *) -property_reader("QFileDialog", /::iconProvider\s*\(/, "iconProvider") -property_writer("QFileDialog", /::setIconProvider\s*\(/, "iconProvider") -# Property itemDelegate (QAbstractItemDelegate_Native *) -property_reader("QFileDialog", /::itemDelegate\s*\(/, "itemDelegate") -property_writer("QFileDialog", /::setItemDelegate\s*\(/, "itemDelegate") -# Property mimeTypeFilters (string[]) -property_reader("QFileDialog", /::mimeTypeFilters\s*\(/, "mimeTypeFilters") -property_writer("QFileDialog", /::setMimeTypeFilters\s*\(/, "mimeTypeFilters") -# Property nameFilters (string[]) -property_reader("QFileDialog", /::nameFilters\s*\(/, "nameFilters") -property_writer("QFileDialog", /::setNameFilters\s*\(/, "nameFilters") -# Property proxyModel (QAbstractProxyModel_Native *) -property_reader("QFileDialog", /::proxyModel\s*\(/, "proxyModel") -property_writer("QFileDialog", /::setProxyModel\s*\(/, "proxyModel") -# Property sidebarUrls (QUrl[]) -property_reader("QFileDialog", /::sidebarUrls\s*\(/, "sidebarUrls") -property_writer("QFileDialog", /::setSidebarUrls\s*\(/, "sidebarUrls") -# Property options (QFileIconProvider_QFlags_Option) -property_reader("QFileIconProvider", /::options\s*\(/, "options") -property_writer("QFileIconProvider", /::setOptions\s*\(/, "options") -# Property caching (bool) -property_reader("QFileInfo", /::caching\s*\(/, "caching") -property_writer("QFileInfo", /::setCaching\s*\(/, "caching") -# Property extraSelectors (string[]) -property_reader("QFileSelector", /::extraSelectors\s*\(/, "extraSelectors") -property_writer("QFileSelector", /::setExtraSelectors\s*\(/, "extraSelectors") -# Property filter (QDir_QFlags_Filter) -property_reader("QFileSystemModel", /::filter\s*\(/, "filter") -property_writer("QFileSystemModel", /::setFilter\s*\(/, "filter") -# Property iconProvider (QFileIconProvider_Native *) -property_reader("QFileSystemModel", /::iconProvider\s*\(/, "iconProvider") -property_writer("QFileSystemModel", /::setIconProvider\s*\(/, "iconProvider") -# Property nameFilters (string[]) -property_reader("QFileSystemModel", /::nameFilters\s*\(/, "nameFilters") -property_writer("QFileSystemModel", /::setNameFilters\s*\(/, "nameFilters") -# Property widget (QWidget_Native *) -property_reader("QFocusFrame", /::widget\s*\(/, "widget") -property_writer("QFocusFrame", /::setWidget\s*\(/, "widget") -# Property bold (bool) -property_reader("QFont", /::bold\s*\(/, "bold") -property_writer("QFont", /::setBold\s*\(/, "bold") -# Property capitalization (QFont_Capitalization) -property_reader("QFont", /::capitalization\s*\(/, "capitalization") -property_writer("QFont", /::setCapitalization\s*\(/, "capitalization") -# Property family (string) -property_reader("QFont", /::family\s*\(/, "family") -property_writer("QFont", /::setFamily\s*\(/, "family") -# Property fixedPitch (bool) -property_reader("QFont", /::fixedPitch\s*\(/, "fixedPitch") -property_writer("QFont", /::setFixedPitch\s*\(/, "fixedPitch") -# Property hintingPreference (QFont_HintingPreference) -property_reader("QFont", /::hintingPreference\s*\(/, "hintingPreference") -property_writer("QFont", /::setHintingPreference\s*\(/, "hintingPreference") -# Property italic (bool) -property_reader("QFont", /::italic\s*\(/, "italic") -property_writer("QFont", /::setItalic\s*\(/, "italic") -# Property kerning (bool) -property_reader("QFont", /::kerning\s*\(/, "kerning") -property_writer("QFont", /::setKerning\s*\(/, "kerning") -# Property overline (bool) -property_reader("QFont", /::overline\s*\(/, "overline") -property_writer("QFont", /::setOverline\s*\(/, "overline") -# Property pixelSize (int) -property_reader("QFont", /::pixelSize\s*\(/, "pixelSize") -property_writer("QFont", /::setPixelSize\s*\(/, "pixelSize") -# Property pointSize (int) -property_reader("QFont", /::pointSize\s*\(/, "pointSize") -property_writer("QFont", /::setPointSize\s*\(/, "pointSize") -# Property pointSizeF (double) -property_reader("QFont", /::pointSizeF\s*\(/, "pointSizeF") -property_writer("QFont", /::setPointSizeF\s*\(/, "pointSizeF") -# Property rawMode (bool) -property_reader("QFont", /::rawMode\s*\(/, "rawMode") -property_writer("QFont", /::setRawMode\s*\(/, "rawMode") -# Property rawName (string) -property_reader("QFont", /::rawName\s*\(/, "rawName") -property_writer("QFont", /::setRawName\s*\(/, "rawName") -# Property stretch (int) -property_reader("QFont", /::stretch\s*\(/, "stretch") -property_writer("QFont", /::setStretch\s*\(/, "stretch") -# Property strikeOut (bool) -property_reader("QFont", /::strikeOut\s*\(/, "strikeOut") -property_writer("QFont", /::setStrikeOut\s*\(/, "strikeOut") -# Property style (QFont_Style) -property_reader("QFont", /::style\s*\(/, "style") -property_writer("QFont", /::setStyle\s*\(/, "style") -# Property styleHint (QFont_StyleHint) -property_reader("QFont", /::styleHint\s*\(/, "styleHint") -property_writer("QFont", /::setStyleHint\s*\(/, "styleHint") -# Property styleName (string) -property_reader("QFont", /::styleName\s*\(/, "styleName") -property_writer("QFont", /::setStyleName\s*\(/, "styleName") -# Property styleStrategy (QFont_StyleStrategy) -property_reader("QFont", /::styleStrategy\s*\(/, "styleStrategy") -property_writer("QFont", /::setStyleStrategy\s*\(/, "styleStrategy") -# Property underline (bool) -property_reader("QFont", /::underline\s*\(/, "underline") -property_writer("QFont", /::setUnderline\s*\(/, "underline") -# Property weight (int) -property_reader("QFont", /::weight\s*\(/, "weight") -property_writer("QFont", /::setWeight\s*\(/, "weight") -# Property wordSpacing (double) -property_reader("QFont", /::wordSpacing\s*\(/, "wordSpacing") -property_writer("QFont", /::setWordSpacing\s*\(/, "wordSpacing") -# Property geometry (QRect) -property_reader("QLayout", /::geometry\s*\(/, "geometry") -property_writer("QFormLayout", /::setGeometry\s*\(/, "geometry") -# Property frameStyle (int) -property_reader("QFrame", /::frameStyle\s*\(/, "frameStyle") -property_writer("QFrame", /::setFrameStyle\s*\(/, "frameStyle") -# Property accepted (bool) -property_reader("QGestureEvent", /::isAccepted\s*\(/, "accepted") -property_writer("QGestureEvent", /::setAccepted\s*\(/, "accepted") -# Property widget (QWidget_Native *) -property_reader("QGestureEvent", /::widget\s*\(/, "widget") -property_writer("QGestureEvent", /::setWidget\s*\(/, "widget") -# Property boundingRect (QRectF) -property_reader("QGlyphRun", /::boundingRect\s*\(/, "boundingRect") -property_writer("QGlyphRun", /::setBoundingRect\s*\(/, "boundingRect") -# Property flags (QGlyphRun_QFlags_GlyphRunFlag) -property_reader("QGlyphRun", /::flags\s*\(/, "flags") -property_writer("QGlyphRun", /::setFlags\s*\(/, "flags") -# Property glyphIndexes (unsigned int[]) -property_reader("QGlyphRun", /::glyphIndexes\s*\(/, "glyphIndexes") -property_writer("QGlyphRun", /::setGlyphIndexes\s*\(/, "glyphIndexes") -# Property overline (bool) -property_reader("QGlyphRun", /::overline\s*\(/, "overline") -property_writer("QGlyphRun", /::setOverline\s*\(/, "overline") -# Property positions (QPointF[]) -property_reader("QGlyphRun", /::positions\s*\(/, "positions") -property_writer("QGlyphRun", /::setPositions\s*\(/, "positions") -# Property rawFont (QRawFont) -property_reader("QGlyphRun", /::rawFont\s*\(/, "rawFont") -property_writer("QGlyphRun", /::setRawFont\s*\(/, "rawFont") -# Property rightToLeft (bool) -property_reader("QGlyphRun", /::isRightToLeft\s*\(/, "rightToLeft") -property_writer("QGlyphRun", /::setRightToLeft\s*\(/, "rightToLeft") -# Property strikeOut (bool) -property_reader("QGlyphRun", /::strikeOut\s*\(/, "strikeOut") -property_writer("QGlyphRun", /::setStrikeOut\s*\(/, "strikeOut") -# Property underline (bool) -property_reader("QGlyphRun", /::underline\s*\(/, "underline") -property_writer("QGlyphRun", /::setUnderline\s*\(/, "underline") -# Property coordinateMode (QGradient_CoordinateMode) -property_reader("QGradient", /::coordinateMode\s*\(/, "coordinateMode") -property_writer("QGradient", /::setCoordinateMode\s*\(/, "coordinateMode") -# Property interpolationMode (QGradient_InterpolationMode) -property_reader("QGradient", /::interpolationMode\s*\(/, "interpolationMode") -property_writer("QGradient", /::setInterpolationMode\s*\(/, "interpolationMode") -# Property spread (QGradient_Spread) -property_reader("QGradient", /::spread\s*\(/, "spread") -property_writer("QGradient", /::setSpread\s*\(/, "spread") -# Property stops (QPair_double_QColor[]) -property_reader("QGradient", /::stops\s*\(/, "stops") -property_writer("QGradient", /::setStops\s*\(/, "stops") -# Property geometry (QRectF) -property_reader("QGraphicsLayoutItem", /::geometry\s*\(/, "geometry") -property_writer("QGraphicsAnchorLayout", /::setGeometry\s*\(/, "geometry") -# Property horizontalSpacing (double) -property_reader("QGraphicsAnchorLayout", /::horizontalSpacing\s*\(/, "horizontalSpacing") -property_writer("QGraphicsAnchorLayout", /::setHorizontalSpacing\s*\(/, "horizontalSpacing") -# Property verticalSpacing (double) -property_reader("QGraphicsAnchorLayout", /::verticalSpacing\s*\(/, "verticalSpacing") -property_writer("QGraphicsAnchorLayout", /::setVerticalSpacing\s*\(/, "verticalSpacing") -# Property rect (QRectF) -property_reader("QGraphicsEllipseItem", /::rect\s*\(/, "rect") -property_writer("QGraphicsEllipseItem", /::setRect\s*\(/, "rect") -# Property spanAngle (int) -property_reader("QGraphicsEllipseItem", /::spanAngle\s*\(/, "spanAngle") -property_writer("QGraphicsEllipseItem", /::setSpanAngle\s*\(/, "spanAngle") -# Property startAngle (int) -property_reader("QGraphicsEllipseItem", /::startAngle\s*\(/, "startAngle") -property_writer("QGraphicsEllipseItem", /::setStartAngle\s*\(/, "startAngle") -# Property geometry (QRectF) -property_reader("QGraphicsLayoutItem", /::geometry\s*\(/, "geometry") -property_writer("QGraphicsGridLayout", /::setGeometry\s*\(/, "geometry") -# Property horizontalSpacing (double) -property_reader("QGraphicsGridLayout", /::horizontalSpacing\s*\(/, "horizontalSpacing") -property_writer("QGraphicsGridLayout", /::setHorizontalSpacing\s*\(/, "horizontalSpacing") -# Property verticalSpacing (double) -property_reader("QGraphicsGridLayout", /::verticalSpacing\s*\(/, "verticalSpacing") -property_writer("QGraphicsGridLayout", /::setVerticalSpacing\s*\(/, "verticalSpacing") -# Property acceptDrops (bool) -property_reader("QGraphicsItem", /::acceptDrops\s*\(/, "acceptDrops") -property_writer("QGraphicsItem", /::setAcceptDrops\s*\(/, "acceptDrops") -# Property acceptHoverEvents (bool) -property_reader("QGraphicsItem", /::acceptHoverEvents\s*\(/, "acceptHoverEvents") -property_writer("QGraphicsItem", /::setAcceptHoverEvents\s*\(/, "acceptHoverEvents") -# Property acceptTouchEvents (bool) -property_reader("QGraphicsItem", /::acceptTouchEvents\s*\(/, "acceptTouchEvents") -property_writer("QGraphicsItem", /::setAcceptTouchEvents\s*\(/, "acceptTouchEvents") -# Property acceptedMouseButtons (Qt_QFlags_MouseButton) -property_reader("QGraphicsItem", /::acceptedMouseButtons\s*\(/, "acceptedMouseButtons") -property_writer("QGraphicsItem", /::setAcceptedMouseButtons\s*\(/, "acceptedMouseButtons") -# Property active (bool) -property_reader("QGraphicsItem", /::isActive\s*\(/, "active") -property_writer("QGraphicsItem", /::setActive\s*\(/, "active") -# Property boundingRegionGranularity (double) -property_reader("QGraphicsItem", /::boundingRegionGranularity\s*\(/, "boundingRegionGranularity") -property_writer("QGraphicsItem", /::setBoundingRegionGranularity\s*\(/, "boundingRegionGranularity") -# Property cacheMode (QGraphicsItem_CacheMode) -property_reader("QGraphicsItem", /::cacheMode\s*\(/, "cacheMode") -property_writer("QGraphicsItem", /::setCacheMode\s*\(/, "cacheMode") -# Property cursor (QCursor) -property_reader("QGraphicsItem", /::cursor\s*\(/, "cursor") -property_writer("QGraphicsItem", /::setCursor\s*\(/, "cursor") -# Property enabled (bool) -property_reader("QGraphicsItem", /::isEnabled\s*\(/, "enabled") -property_writer("QGraphicsItem", /::setEnabled\s*\(/, "enabled") -# Property filtersChildEvents (bool) -property_reader("QGraphicsItem", /::filtersChildEvents\s*\(/, "filtersChildEvents") -property_writer("QGraphicsItem", /::setFiltersChildEvents\s*\(/, "filtersChildEvents") -# Property flags (QGraphicsItem_QFlags_GraphicsItemFlag) -property_reader("QGraphicsItem", /::flags\s*\(/, "flags") -property_writer("QGraphicsItem", /::setFlags\s*\(/, "flags") -# Property focusProxy (QGraphicsItem_Native *) -property_reader("QGraphicsItem", /::focusProxy\s*\(/, "focusProxy") -property_writer("QGraphicsItem", /::setFocusProxy\s*\(/, "focusProxy") -# Property graphicsEffect (QGraphicsEffect_Native *) -property_reader("QGraphicsItem", /::graphicsEffect\s*\(/, "graphicsEffect") -property_writer("QGraphicsItem", /::setGraphicsEffect\s*\(/, "graphicsEffect") -# Property group (QGraphicsItemGroup_Native *) -property_reader("QGraphicsItem", /::group\s*\(/, "group") -property_writer("QGraphicsItem", /::setGroup\s*\(/, "group") -# Property handlesChildEvents (bool) -property_reader("QGraphicsItem", /::handlesChildEvents\s*\(/, "handlesChildEvents") -property_writer("QGraphicsItem", /::setHandlesChildEvents\s*\(/, "handlesChildEvents") -# Property inputMethodHints (Qt_QFlags_InputMethodHint) -property_reader("QGraphicsItem", /::inputMethodHints\s*\(/, "inputMethodHints") -property_writer("QGraphicsItem", /::setInputMethodHints\s*\(/, "inputMethodHints") -# Property matrix (QMatrix) -property_reader("QGraphicsItem", /::matrix\s*\(/, "matrix") -property_writer("QGraphicsItem", /::setMatrix\s*\(/, "matrix") -# Property opacity (double) -property_reader("QGraphicsItem", /::opacity\s*\(/, "opacity") -property_writer("QGraphicsItem", /::setOpacity\s*\(/, "opacity") -# Property panelModality (QGraphicsItem_PanelModality) -property_reader("QGraphicsItem", /::panelModality\s*\(/, "panelModality") -property_writer("QGraphicsItem", /::setPanelModality\s*\(/, "panelModality") -# Property parentItem (QGraphicsItem_Native *) -property_reader("QGraphicsItem", /::parentItem\s*\(/, "parentItem") -property_writer("QGraphicsItem", /::setParentItem\s*\(/, "parentItem") -# Property pos (QPointF) -property_reader("QGraphicsItem", /::pos\s*\(/, "pos") -property_writer("QGraphicsItem", /::setPos\s*\(/, "pos") -# Property rotation (double) -property_reader("QGraphicsItem", /::rotation\s*\(/, "rotation") -property_writer("QGraphicsItem", /::setRotation\s*\(/, "rotation") -# Property scale (double) -property_reader("QGraphicsItem", /::scale\s*\(/, "scale") -property_writer("QGraphicsItem", /::setScale\s*\(/, "scale") -# Property selected (bool) -property_reader("QGraphicsItem", /::isSelected\s*\(/, "selected") -property_writer("QGraphicsItem", /::setSelected\s*\(/, "selected") -# Property toolTip (string) -property_reader("QGraphicsItem", /::toolTip\s*\(/, "toolTip") -property_writer("QGraphicsItem", /::setToolTip\s*\(/, "toolTip") -# Property transform (QTransform) -property_reader("QGraphicsItem", /::transform\s*\(/, "transform") -property_writer("QGraphicsItem", /::setTransform\s*\(/, "transform") -# Property transformOriginPoint (QPointF) -property_reader("QGraphicsItem", /::transformOriginPoint\s*\(/, "transformOriginPoint") -property_writer("QGraphicsItem", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") -# Property transformations (QGraphicsTransform_Native *[]) -property_reader("QGraphicsItem", /::transformations\s*\(/, "transformations") -property_writer("QGraphicsItem", /::setTransformations\s*\(/, "transformations") -# Property visible (bool) -property_reader("QGraphicsItem", /::isVisible\s*\(/, "visible") -property_writer("QGraphicsItem", /::setVisible\s*\(/, "visible") -# Property x (double) -property_reader("QGraphicsItem", /::x\s*\(/, "x") -property_writer("QGraphicsItem", /::setX\s*\(/, "x") -# Property y (double) -property_reader("QGraphicsItem", /::y\s*\(/, "y") -property_writer("QGraphicsItem", /::setY\s*\(/, "y") -# Property zValue (double) -property_reader("QGraphicsItem", /::zValue\s*\(/, "zValue") -property_writer("QGraphicsItem", /::setZValue\s*\(/, "zValue") -# Property item (QGraphicsItem_Native *) -property_reader("QGraphicsItemAnimation", /::item\s*\(/, "item") -property_writer("QGraphicsItemAnimation", /::setItem\s*\(/, "item") -# Property timeLine (QTimeLine_Native *) -property_reader("QGraphicsItemAnimation", /::timeLine\s*\(/, "timeLine") -property_writer("QGraphicsItemAnimation", /::setTimeLine\s*\(/, "timeLine") -# Property instantInvalidatePropagation (bool) -property_reader("QGraphicsLayout", /::instantInvalidatePropagation\s*\(/, "instantInvalidatePropagation") -property_writer("QGraphicsLayout", /::setInstantInvalidatePropagation\s*\(/, "instantInvalidatePropagation") -# Property geometry (QRectF) -property_reader("QGraphicsLayoutItem", /::geometry\s*\(/, "geometry") -property_writer("QGraphicsLayoutItem", /::setGeometry\s*\(/, "geometry") -# Property maximumHeight (double) -property_reader("QGraphicsLayoutItem", /::maximumHeight\s*\(/, "maximumHeight") -property_writer("QGraphicsLayoutItem", /::setMaximumHeight\s*\(/, "maximumHeight") -# Property maximumSize (QSizeF) -property_reader("QGraphicsLayoutItem", /::maximumSize\s*\(/, "maximumSize") -property_writer("QGraphicsLayoutItem", /::setMaximumSize\s*\(/, "maximumSize") -# Property maximumWidth (double) -property_reader("QGraphicsLayoutItem", /::maximumWidth\s*\(/, "maximumWidth") -property_writer("QGraphicsLayoutItem", /::setMaximumWidth\s*\(/, "maximumWidth") -# Property minimumHeight (double) -property_reader("QGraphicsLayoutItem", /::minimumHeight\s*\(/, "minimumHeight") -property_writer("QGraphicsLayoutItem", /::setMinimumHeight\s*\(/, "minimumHeight") -# Property minimumSize (QSizeF) -property_reader("QGraphicsLayoutItem", /::minimumSize\s*\(/, "minimumSize") -property_writer("QGraphicsLayoutItem", /::setMinimumSize\s*\(/, "minimumSize") -# Property minimumWidth (double) -property_reader("QGraphicsLayoutItem", /::minimumWidth\s*\(/, "minimumWidth") -property_writer("QGraphicsLayoutItem", /::setMinimumWidth\s*\(/, "minimumWidth") -# Property parentLayoutItem (QGraphicsLayoutItem_Native *) -property_reader("QGraphicsLayoutItem", /::parentLayoutItem\s*\(/, "parentLayoutItem") -property_writer("QGraphicsLayoutItem", /::setParentLayoutItem\s*\(/, "parentLayoutItem") -# Property preferredHeight (double) -property_reader("QGraphicsLayoutItem", /::preferredHeight\s*\(/, "preferredHeight") -property_writer("QGraphicsLayoutItem", /::setPreferredHeight\s*\(/, "preferredHeight") -# Property preferredSize (QSizeF) -property_reader("QGraphicsLayoutItem", /::preferredSize\s*\(/, "preferredSize") -property_writer("QGraphicsLayoutItem", /::setPreferredSize\s*\(/, "preferredSize") -# Property preferredWidth (double) -property_reader("QGraphicsLayoutItem", /::preferredWidth\s*\(/, "preferredWidth") -property_writer("QGraphicsLayoutItem", /::setPreferredWidth\s*\(/, "preferredWidth") -# Property sizePolicy (QSizePolicy) -property_reader("QGraphicsLayoutItem", /::sizePolicy\s*\(/, "sizePolicy") -property_writer("QGraphicsLayoutItem", /::setSizePolicy\s*\(/, "sizePolicy") -# Property line (QLineF) -property_reader("QGraphicsLineItem", /::line\s*\(/, "line") -property_writer("QGraphicsLineItem", /::setLine\s*\(/, "line") -# Property pen (QPen) -property_reader("QGraphicsLineItem", /::pen\s*\(/, "pen") -property_writer("QGraphicsLineItem", /::setPen\s*\(/, "pen") -# Property geometry (QRectF) -property_reader("QGraphicsLayoutItem", /::geometry\s*\(/, "geometry") -property_writer("QGraphicsLinearLayout", /::setGeometry\s*\(/, "geometry") -# Property orientation (Qt_Orientation) -property_reader("QGraphicsLinearLayout", /::orientation\s*\(/, "orientation") -property_writer("QGraphicsLinearLayout", /::setOrientation\s*\(/, "orientation") -# Property spacing (double) -property_reader("QGraphicsLinearLayout", /::spacing\s*\(/, "spacing") -property_writer("QGraphicsLinearLayout", /::setSpacing\s*\(/, "spacing") -# Property path (QPainterPath) -property_reader("QGraphicsPathItem", /::path\s*\(/, "path") -property_writer("QGraphicsPathItem", /::setPath\s*\(/, "path") -# Property offset (QPointF) -property_reader("QGraphicsPixmapItem", /::offset\s*\(/, "offset") -property_writer("QGraphicsPixmapItem", /::setOffset\s*\(/, "offset") -# Property pixmap (QPixmap_Native) -property_reader("QGraphicsPixmapItem", /::pixmap\s*\(/, "pixmap") -property_writer("QGraphicsPixmapItem", /::setPixmap\s*\(/, "pixmap") -# Property shapeMode (QGraphicsPixmapItem_ShapeMode) -property_reader("QGraphicsPixmapItem", /::shapeMode\s*\(/, "shapeMode") -property_writer("QGraphicsPixmapItem", /::setShapeMode\s*\(/, "shapeMode") -# Property transformationMode (Qt_TransformationMode) -property_reader("QGraphicsPixmapItem", /::transformationMode\s*\(/, "transformationMode") -property_writer("QGraphicsPixmapItem", /::setTransformationMode\s*\(/, "transformationMode") -# Property fillRule (Qt_FillRule) -property_reader("QGraphicsPolygonItem", /::fillRule\s*\(/, "fillRule") -property_writer("QGraphicsPolygonItem", /::setFillRule\s*\(/, "fillRule") -# Property polygon (QPolygonF) -property_reader("QGraphicsPolygonItem", /::polygon\s*\(/, "polygon") -property_writer("QGraphicsPolygonItem", /::setPolygon\s*\(/, "polygon") -# Property widget (QWidget_Native *) -property_reader("QGraphicsProxyWidget", /::widget\s*\(/, "widget") -property_writer("QGraphicsProxyWidget", /::setWidget\s*\(/, "widget") -# Property rect (QRectF) -property_reader("QGraphicsRectItem", /::rect\s*\(/, "rect") -property_writer("QGraphicsRectItem", /::setRect\s*\(/, "rect") -# Property activePanel (QGraphicsItem_Native *) -property_reader("QGraphicsScene", /::activePanel\s*\(/, "activePanel") -property_writer("QGraphicsScene", /::setActivePanel\s*\(/, "activePanel") -# Property activeWindow (QGraphicsWidget_Native *) -property_reader("QGraphicsScene", /::activeWindow\s*\(/, "activeWindow") -property_writer("QGraphicsScene", /::setActiveWindow\s*\(/, "activeWindow") -# Property focusItem (QGraphicsItem_Native *) -property_reader("QGraphicsScene", /::focusItem\s*\(/, "focusItem") -property_writer("QGraphicsScene", /::setFocusItem\s*\(/, "focusItem") -# Property selectionArea (QPainterPath) -property_reader("QGraphicsScene", /::selectionArea\s*\(/, "selectionArea") -property_writer("QGraphicsScene", /::setSelectionArea\s*\(/, "selectionArea") -# Property style (QStyle_Native *) -property_reader("QGraphicsScene", /::style\s*\(/, "style") -property_writer("QGraphicsScene", /::setStyle\s*\(/, "style") -# Property modifiers (Qt_QFlags_KeyboardModifier) -property_reader("QGraphicsSceneContextMenuEvent", /::modifiers\s*\(/, "modifiers") -property_writer("QGraphicsSceneContextMenuEvent", /::setModifiers\s*\(/, "modifiers") -# Property pos (QPointF) -property_reader("QGraphicsSceneContextMenuEvent", /::pos\s*\(/, "pos") -property_writer("QGraphicsSceneContextMenuEvent", /::setPos\s*\(/, "pos") -# Property reason (QGraphicsSceneContextMenuEvent_Reason) -property_reader("QGraphicsSceneContextMenuEvent", /::reason\s*\(/, "reason") -property_writer("QGraphicsSceneContextMenuEvent", /::setReason\s*\(/, "reason") -# Property scenePos (QPointF) -property_reader("QGraphicsSceneContextMenuEvent", /::scenePos\s*\(/, "scenePos") -property_writer("QGraphicsSceneContextMenuEvent", /::setScenePos\s*\(/, "scenePos") -# Property screenPos (QPoint) -property_reader("QGraphicsSceneContextMenuEvent", /::screenPos\s*\(/, "screenPos") -property_writer("QGraphicsSceneContextMenuEvent", /::setScreenPos\s*\(/, "screenPos") -# Property buttons (Qt_QFlags_MouseButton) -property_reader("QGraphicsSceneDragDropEvent", /::buttons\s*\(/, "buttons") -property_writer("QGraphicsSceneDragDropEvent", /::setButtons\s*\(/, "buttons") -# Property dropAction (Qt_DropAction) -property_reader("QGraphicsSceneDragDropEvent", /::dropAction\s*\(/, "dropAction") -property_writer("QGraphicsSceneDragDropEvent", /::setDropAction\s*\(/, "dropAction") -# Property mimeData (QMimeData_Native *) -property_reader("QGraphicsSceneDragDropEvent", /::mimeData\s*\(/, "mimeData") -property_writer("QGraphicsSceneDragDropEvent", /::setMimeData\s*\(/, "mimeData") -# Property modifiers (Qt_QFlags_KeyboardModifier) -property_reader("QGraphicsSceneDragDropEvent", /::modifiers\s*\(/, "modifiers") -property_writer("QGraphicsSceneDragDropEvent", /::setModifiers\s*\(/, "modifiers") -# Property pos (QPointF) -property_reader("QGraphicsSceneDragDropEvent", /::pos\s*\(/, "pos") -property_writer("QGraphicsSceneDragDropEvent", /::setPos\s*\(/, "pos") -# Property possibleActions (Qt_QFlags_DropAction) -property_reader("QGraphicsSceneDragDropEvent", /::possibleActions\s*\(/, "possibleActions") -property_writer("QGraphicsSceneDragDropEvent", /::setPossibleActions\s*\(/, "possibleActions") -# Property proposedAction (Qt_DropAction) -property_reader("QGraphicsSceneDragDropEvent", /::proposedAction\s*\(/, "proposedAction") -property_writer("QGraphicsSceneDragDropEvent", /::setProposedAction\s*\(/, "proposedAction") -# Property scenePos (QPointF) -property_reader("QGraphicsSceneDragDropEvent", /::scenePos\s*\(/, "scenePos") -property_writer("QGraphicsSceneDragDropEvent", /::setScenePos\s*\(/, "scenePos") -# Property screenPos (QPoint) -property_reader("QGraphicsSceneDragDropEvent", /::screenPos\s*\(/, "screenPos") -property_writer("QGraphicsSceneDragDropEvent", /::setScreenPos\s*\(/, "screenPos") -# Property source (QWidget_Native *) -property_reader("QGraphicsSceneDragDropEvent", /::source\s*\(/, "source") -property_writer("QGraphicsSceneDragDropEvent", /::setSource\s*\(/, "source") -# Property widget (QWidget_Native *) -property_reader("QGraphicsSceneEvent", /::widget\s*\(/, "widget") -property_writer("QGraphicsSceneEvent", /::setWidget\s*\(/, "widget") -# Property scenePos (QPointF) -property_reader("QGraphicsSceneHelpEvent", /::scenePos\s*\(/, "scenePos") -property_writer("QGraphicsSceneHelpEvent", /::setScenePos\s*\(/, "scenePos") -# Property screenPos (QPoint) -property_reader("QGraphicsSceneHelpEvent", /::screenPos\s*\(/, "screenPos") -property_writer("QGraphicsSceneHelpEvent", /::setScreenPos\s*\(/, "screenPos") -# Property lastPos (QPointF) -property_reader("QGraphicsSceneHoverEvent", /::lastPos\s*\(/, "lastPos") -property_writer("QGraphicsSceneHoverEvent", /::setLastPos\s*\(/, "lastPos") -# Property lastScenePos (QPointF) -property_reader("QGraphicsSceneHoverEvent", /::lastScenePos\s*\(/, "lastScenePos") -property_writer("QGraphicsSceneHoverEvent", /::setLastScenePos\s*\(/, "lastScenePos") -# Property lastScreenPos (QPoint) -property_reader("QGraphicsSceneHoverEvent", /::lastScreenPos\s*\(/, "lastScreenPos") -property_writer("QGraphicsSceneHoverEvent", /::setLastScreenPos\s*\(/, "lastScreenPos") -# Property modifiers (Qt_QFlags_KeyboardModifier) -property_reader("QGraphicsSceneHoverEvent", /::modifiers\s*\(/, "modifiers") -property_writer("QGraphicsSceneHoverEvent", /::setModifiers\s*\(/, "modifiers") -# Property pos (QPointF) -property_reader("QGraphicsSceneHoverEvent", /::pos\s*\(/, "pos") -property_writer("QGraphicsSceneHoverEvent", /::setPos\s*\(/, "pos") -# Property scenePos (QPointF) -property_reader("QGraphicsSceneHoverEvent", /::scenePos\s*\(/, "scenePos") -property_writer("QGraphicsSceneHoverEvent", /::setScenePos\s*\(/, "scenePos") -# Property screenPos (QPoint) -property_reader("QGraphicsSceneHoverEvent", /::screenPos\s*\(/, "screenPos") -property_writer("QGraphicsSceneHoverEvent", /::setScreenPos\s*\(/, "screenPos") -# Property button (Qt_MouseButton) -property_reader("QGraphicsSceneMouseEvent", /::button\s*\(/, "button") -property_writer("QGraphicsSceneMouseEvent", /::setButton\s*\(/, "button") -# Property buttons (Qt_QFlags_MouseButton) -property_reader("QGraphicsSceneMouseEvent", /::buttons\s*\(/, "buttons") -property_writer("QGraphicsSceneMouseEvent", /::setButtons\s*\(/, "buttons") -# Property flags (Qt_QFlags_MouseEventFlag) -property_reader("QGraphicsSceneMouseEvent", /::flags\s*\(/, "flags") -property_writer("QGraphicsSceneMouseEvent", /::setFlags\s*\(/, "flags") -# Property lastPos (QPointF) -property_reader("QGraphicsSceneMouseEvent", /::lastPos\s*\(/, "lastPos") -property_writer("QGraphicsSceneMouseEvent", /::setLastPos\s*\(/, "lastPos") -# Property lastScenePos (QPointF) -property_reader("QGraphicsSceneMouseEvent", /::lastScenePos\s*\(/, "lastScenePos") -property_writer("QGraphicsSceneMouseEvent", /::setLastScenePos\s*\(/, "lastScenePos") -# Property lastScreenPos (QPoint) -property_reader("QGraphicsSceneMouseEvent", /::lastScreenPos\s*\(/, "lastScreenPos") -property_writer("QGraphicsSceneMouseEvent", /::setLastScreenPos\s*\(/, "lastScreenPos") -# Property modifiers (Qt_QFlags_KeyboardModifier) -property_reader("QGraphicsSceneMouseEvent", /::modifiers\s*\(/, "modifiers") -property_writer("QGraphicsSceneMouseEvent", /::setModifiers\s*\(/, "modifiers") -# Property pos (QPointF) -property_reader("QGraphicsSceneMouseEvent", /::pos\s*\(/, "pos") -property_writer("QGraphicsSceneMouseEvent", /::setPos\s*\(/, "pos") -# Property scenePos (QPointF) -property_reader("QGraphicsSceneMouseEvent", /::scenePos\s*\(/, "scenePos") -property_writer("QGraphicsSceneMouseEvent", /::setScenePos\s*\(/, "scenePos") -# Property screenPos (QPoint) -property_reader("QGraphicsSceneMouseEvent", /::screenPos\s*\(/, "screenPos") -property_writer("QGraphicsSceneMouseEvent", /::setScreenPos\s*\(/, "screenPos") -# Property source (Qt_MouseEventSource) -property_reader("QGraphicsSceneMouseEvent", /::source\s*\(/, "source") -property_writer("QGraphicsSceneMouseEvent", /::setSource\s*\(/, "source") -# Property newPos (QPointF) -property_reader("QGraphicsSceneMoveEvent", /::newPos\s*\(/, "newPos") -property_writer("QGraphicsSceneMoveEvent", /::setNewPos\s*\(/, "newPos") -# Property oldPos (QPointF) -property_reader("QGraphicsSceneMoveEvent", /::oldPos\s*\(/, "oldPos") -property_writer("QGraphicsSceneMoveEvent", /::setOldPos\s*\(/, "oldPos") -# Property newSize (QSizeF) -property_reader("QGraphicsSceneResizeEvent", /::newSize\s*\(/, "newSize") -property_writer("QGraphicsSceneResizeEvent", /::setNewSize\s*\(/, "newSize") -# Property oldSize (QSizeF) -property_reader("QGraphicsSceneResizeEvent", /::oldSize\s*\(/, "oldSize") -property_writer("QGraphicsSceneResizeEvent", /::setOldSize\s*\(/, "oldSize") -# Property buttons (Qt_QFlags_MouseButton) -property_reader("QGraphicsSceneWheelEvent", /::buttons\s*\(/, "buttons") -property_writer("QGraphicsSceneWheelEvent", /::setButtons\s*\(/, "buttons") -# Property delta (int) -property_reader("QGraphicsSceneWheelEvent", /::delta\s*\(/, "delta") -property_writer("QGraphicsSceneWheelEvent", /::setDelta\s*\(/, "delta") -# Property modifiers (Qt_QFlags_KeyboardModifier) -property_reader("QGraphicsSceneWheelEvent", /::modifiers\s*\(/, "modifiers") -property_writer("QGraphicsSceneWheelEvent", /::setModifiers\s*\(/, "modifiers") -# Property orientation (Qt_Orientation) -property_reader("QGraphicsSceneWheelEvent", /::orientation\s*\(/, "orientation") -property_writer("QGraphicsSceneWheelEvent", /::setOrientation\s*\(/, "orientation") -# Property pos (QPointF) -property_reader("QGraphicsSceneWheelEvent", /::pos\s*\(/, "pos") -property_writer("QGraphicsSceneWheelEvent", /::setPos\s*\(/, "pos") -# Property scenePos (QPointF) -property_reader("QGraphicsSceneWheelEvent", /::scenePos\s*\(/, "scenePos") -property_writer("QGraphicsSceneWheelEvent", /::setScenePos\s*\(/, "scenePos") -# Property screenPos (QPoint) -property_reader("QGraphicsSceneWheelEvent", /::screenPos\s*\(/, "screenPos") -property_writer("QGraphicsSceneWheelEvent", /::setScreenPos\s*\(/, "screenPos") -# Property font (QFont) -property_reader("QGraphicsSimpleTextItem", /::font\s*\(/, "font") -property_writer("QGraphicsSimpleTextItem", /::setFont\s*\(/, "font") -# Property text (string) -property_reader("QGraphicsSimpleTextItem", /::text\s*\(/, "text") -property_writer("QGraphicsSimpleTextItem", /::setText\s*\(/, "text") -# Property cachingEnabled (bool) -property_reader("QGraphicsSvgItem", /::isCachingEnabled\s*\(/, "cachingEnabled") -property_writer("QGraphicsSvgItem", /::setCachingEnabled\s*\(/, "cachingEnabled") -# Property defaultTextColor (QColor) -property_reader("QGraphicsTextItem", /::defaultTextColor\s*\(/, "defaultTextColor") -property_writer("QGraphicsTextItem", /::setDefaultTextColor\s*\(/, "defaultTextColor") -# Property document (QTextDocument_Native *) -property_reader("QGraphicsTextItem", /::document\s*\(/, "document") -property_writer("QGraphicsTextItem", /::setDocument\s*\(/, "document") -# Property font (QFont) -property_reader("QGraphicsTextItem", /::font\s*\(/, "font") -property_writer("QGraphicsTextItem", /::setFont\s*\(/, "font") -# Property openExternalLinks (bool) -property_reader("QGraphicsTextItem", /::openExternalLinks\s*\(/, "openExternalLinks") -property_writer("QGraphicsTextItem", /::setOpenExternalLinks\s*\(/, "openExternalLinks") -# Property tabChangesFocus (bool) -property_reader("QGraphicsTextItem", /::tabChangesFocus\s*\(/, "tabChangesFocus") -property_writer("QGraphicsTextItem", /::setTabChangesFocus\s*\(/, "tabChangesFocus") -# Property textCursor (QTextCursor) -property_reader("QGraphicsTextItem", /::textCursor\s*\(/, "textCursor") -property_writer("QGraphicsTextItem", /::setTextCursor\s*\(/, "textCursor") -# Property textInteractionFlags (Qt_QFlags_TextInteractionFlag) -property_reader("QGraphicsTextItem", /::textInteractionFlags\s*\(/, "textInteractionFlags") -property_writer("QGraphicsTextItem", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") -# Property textWidth (double) -property_reader("QGraphicsTextItem", /::textWidth\s*\(/, "textWidth") -property_writer("QGraphicsTextItem", /::setTextWidth\s*\(/, "textWidth") -# Property matrix (QMatrix) -property_reader("QGraphicsView", /::matrix\s*\(/, "matrix") -property_writer("QGraphicsView", /::setMatrix\s*\(/, "matrix") -# Property scene (QGraphicsScene_Native *) -property_reader("QGraphicsView", /::scene\s*\(/, "scene") -property_writer("QGraphicsView", /::setScene\s*\(/, "scene") -# Property transform (QTransform) -property_reader("QGraphicsView", /::transform\s*\(/, "transform") -property_writer("QGraphicsView", /::setTransform\s*\(/, "transform") -# Property style (QStyle_Native *) -property_reader("QGraphicsWidget", /::style\s*\(/, "style") -property_writer("QGraphicsWidget", /::setStyle\s*\(/, "style") -# Property geometry (QRect) -property_reader("QLayout", /::geometry\s*\(/, "geometry") -property_writer("QGridLayout", /::setGeometry\s*\(/, "geometry") -# Property horizontalSpacing (int) -property_reader("QGridLayout", /::horizontalSpacing\s*\(/, "horizontalSpacing") -property_writer("QGridLayout", /::setHorizontalSpacing\s*\(/, "horizontalSpacing") -# Property originCorner (Qt_Corner) -property_reader("QGridLayout", /::originCorner\s*\(/, "originCorner") -property_writer("QGridLayout", /::setOriginCorner\s*\(/, "originCorner") -# Property verticalSpacing (int) -property_reader("QGridLayout", /::verticalSpacing\s*\(/, "verticalSpacing") -property_writer("QGridLayout", /::setVerticalSpacing\s*\(/, "verticalSpacing") -# Property desktopSettingsAware (bool) -property_reader("QGuiApplication", /::desktopSettingsAware\s*\(/, "desktopSettingsAware") -property_writer("QGuiApplication", /::setDesktopSettingsAware\s*\(/, "desktopSettingsAware") -# Property font (QFont) -property_reader("QGuiApplication", /::font\s*\(/, "font") -property_writer("QGuiApplication", /::setFont\s*\(/, "font") -# Property palette (QPalette) -property_reader("QGuiApplication", /::palette\s*\(/, "palette") -property_writer("QGuiApplication", /::setPalette\s*\(/, "palette") -# Property model (QAbstractItemModel_Native *) -property_reader("QAbstractItemView", /::model\s*\(/, "model") -property_writer("QHeaderView", /::setModel\s*\(/, "model") -# Property offset (int) -property_reader("QHeaderView", /::offset\s*\(/, "offset") -property_writer("QHeaderView", /::setOffset\s*\(/, "offset") -# Property resizeContentsPrecision (int) -property_reader("QHeaderView", /::resizeContentsPrecision\s*\(/, "resizeContentsPrecision") -property_writer("QHeaderView", /::setResizeContentsPrecision\s*\(/, "resizeContentsPrecision") -# Property sectionsClickable (bool) -property_reader("QHeaderView", /::sectionsClickable\s*\(/, "sectionsClickable") -property_writer("QHeaderView", /::setSectionsClickable\s*\(/, "sectionsClickable") -# Property sectionsMovable (bool) -property_reader("QHeaderView", /::sectionsMovable\s*\(/, "sectionsMovable") -property_writer("QHeaderView", /::setSectionsMovable\s*\(/, "sectionsMovable") -# Property sortIndicatorShown (bool) -property_reader("QHeaderView", /::isSortIndicatorShown\s*\(/, "sortIndicatorShown") -property_writer("QHeaderView", /::setSortIndicatorShown\s*\(/, "sortIndicatorShown") -# Property scopeId (string) -property_reader("QHostAddress", /::scopeId\s*\(/, "scopeId") -property_writer("QHostAddress", /::setScopeId\s*\(/, "scopeId") -# Property addresses (QHostAddress[]) -property_reader("QHostInfo", /::addresses\s*\(/, "addresses") -property_writer("QHostInfo", /::setAddresses\s*\(/, "addresses") -# Property error (QHostInfo_HostInfoError) -property_reader("QHostInfo", /::error\s*\(/, "error") -property_writer("QHostInfo", /::setError\s*\(/, "error") -# Property errorString (string) -property_reader("QHostInfo", /::errorString\s*\(/, "errorString") -property_writer("QHostInfo", /::setErrorString\s*\(/, "errorString") -# Property hostName (string) -property_reader("QHostInfo", /::hostName\s*\(/, "hostName") -property_writer("QHostInfo", /::setHostName\s*\(/, "hostName") -# Property lookupId (int) -property_reader("QHostInfo", /::lookupId\s*\(/, "lookupId") -property_writer("QHostInfo", /::setLookupId\s*\(/, "lookupId") -# Property boundary (string) -property_reader("QHttpMultiPart", /::boundary\s*\(/, "boundary") -property_writer("QHttpMultiPart", /::setBoundary\s*\(/, "boundary") -# Property textModeEnabled (bool) -property_reader("QIODevice", /::isTextModeEnabled\s*\(/, "textModeEnabled") -property_writer("QIODevice", /::setTextModeEnabled\s*\(/, "textModeEnabled") -# Property themeName (string) -property_reader("QIcon", /::themeName\s*\(/, "themeName") -property_writer("QIcon", /::setThemeName\s*\(/, "themeName") -# Property themeSearchPaths (string[]) -property_reader("QIcon", /::themeSearchPaths\s*\(/, "themeSearchPaths") -property_writer("QIcon", /::setThemeSearchPaths\s*\(/, "themeSearchPaths") -# Property alphaChannel (QImage_Native) -property_reader("QImage", /::alphaChannel\s*\(/, "alphaChannel") -property_writer("QImage", /::setAlphaChannel\s*\(/, "alphaChannel") -# Property colorCount (int) -property_reader("QImage", /::colorCount\s*\(/, "colorCount") -property_writer("QImage", /::setColorCount\s*\(/, "colorCount") -# Property devicePixelRatio (double) -property_reader("QImage", /::devicePixelRatio\s*\(/, "devicePixelRatio") -property_writer("QImage", /::setDevicePixelRatio\s*\(/, "devicePixelRatio") -# Property dotsPerMeterX (int) -property_reader("QImage", /::dotsPerMeterX\s*\(/, "dotsPerMeterX") -property_writer("QImage", /::setDotsPerMeterX\s*\(/, "dotsPerMeterX") -# Property dotsPerMeterY (int) -property_reader("QImage", /::dotsPerMeterY\s*\(/, "dotsPerMeterY") -property_writer("QImage", /::setDotsPerMeterY\s*\(/, "dotsPerMeterY") -# Property offset (QPoint) -property_reader("QImage", /::offset\s*\(/, "offset") -property_writer("QImage", /::setOffset\s*\(/, "offset") -# Property imageSettings (QImageEncoderSettings) -property_reader("QImageEncoderControl", /::imageSettings\s*\(/, "imageSettings") -property_writer("QImageEncoderControl", /::setImageSettings\s*\(/, "imageSettings") -# Property codec (string) -property_reader("QImageEncoderSettings", /::codec\s*\(/, "codec") -property_writer("QImageEncoderSettings", /::setCodec\s*\(/, "codec") -# Property encodingOptions (map) -property_reader("QImageEncoderSettings", /::encodingOptions\s*\(/, "encodingOptions") -property_writer("QImageEncoderSettings", /::setEncodingOptions\s*\(/, "encodingOptions") -# Property quality (QMultimedia_EncodingQuality) -property_reader("QImageEncoderSettings", /::quality\s*\(/, "quality") -property_writer("QImageEncoderSettings", /::setQuality\s*\(/, "quality") -# Property resolution (QSize) -property_reader("QImageEncoderSettings", /::resolution\s*\(/, "resolution") -property_writer("QImageEncoderSettings", /::setResolution\s*\(/, "resolution") -# Property device (QIODevice *) -property_reader("QImageIOHandler", /::device\s*\(/, "device") -property_writer("QImageIOHandler", /::setDevice\s*\(/, "device") -# Property format (string) -property_reader("QImageIOHandler", /::format\s*\(/, "format") -property_writer("QImageIOHandler", /::setFormat\s*\(/, "format") -# Property autoDetectImageFormat (bool) -property_reader("QImageReader", /::autoDetectImageFormat\s*\(/, "autoDetectImageFormat") -property_writer("QImageReader", /::setAutoDetectImageFormat\s*\(/, "autoDetectImageFormat") -# Property autoTransform (bool) -property_reader("QImageReader", /::autoTransform\s*\(/, "autoTransform") -property_writer("QImageReader", /::setAutoTransform\s*\(/, "autoTransform") -# Property backgroundColor (QColor) -property_reader("QImageReader", /::backgroundColor\s*\(/, "backgroundColor") -property_writer("QImageReader", /::setBackgroundColor\s*\(/, "backgroundColor") -# Property clipRect (QRect) -property_reader("QImageReader", /::clipRect\s*\(/, "clipRect") -property_writer("QImageReader", /::setClipRect\s*\(/, "clipRect") -# Property decideFormatFromContent (bool) -property_reader("QImageReader", /::decideFormatFromContent\s*\(/, "decideFormatFromContent") -property_writer("QImageReader", /::setDecideFormatFromContent\s*\(/, "decideFormatFromContent") -# Property device (QIODevice *) -property_reader("QImageReader", /::device\s*\(/, "device") -property_writer("QImageReader", /::setDevice\s*\(/, "device") -# Property fileName (string) -property_reader("QImageReader", /::fileName\s*\(/, "fileName") -property_writer("QImageReader", /::setFileName\s*\(/, "fileName") -# Property format (string) -property_reader("QImageReader", /::format\s*\(/, "format") -property_writer("QImageReader", /::setFormat\s*\(/, "format") -# Property quality (int) -property_reader("QImageReader", /::quality\s*\(/, "quality") -property_writer("QImageReader", /::setQuality\s*\(/, "quality") -# Property scaledClipRect (QRect) -property_reader("QImageReader", /::scaledClipRect\s*\(/, "scaledClipRect") -property_writer("QImageReader", /::setScaledClipRect\s*\(/, "scaledClipRect") -# Property scaledSize (QSize) -property_reader("QImageReader", /::scaledSize\s*\(/, "scaledSize") -property_writer("QImageReader", /::setScaledSize\s*\(/, "scaledSize") -# Property compression (int) -property_reader("QImageWriter", /::compression\s*\(/, "compression") -property_writer("QImageWriter", /::setCompression\s*\(/, "compression") +property_reader("QClipboard", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QClipboard", /::setObjectName\s*\(/, "objectName") +property_reader("QDoubleValidator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDoubleValidator", /::setObjectName\s*\(/, "objectName") +property_reader("QDoubleValidator", /::(bottom|isBottom|hasBottom)\s*\(/, "bottom") +property_writer("QDoubleValidator", /::setBottom\s*\(/, "bottom") +property_reader("QDoubleValidator", /::(top|isTop|hasTop)\s*\(/, "top") +property_writer("QDoubleValidator", /::setTop\s*\(/, "top") +property_reader("QDoubleValidator", /::(decimals|isDecimals|hasDecimals)\s*\(/, "decimals") +property_writer("QDoubleValidator", /::setDecimals\s*\(/, "decimals") +property_reader("QDoubleValidator", /::(notation|isNotation|hasNotation)\s*\(/, "notation") +property_writer("QDoubleValidator", /::setNotation\s*\(/, "notation") +property_reader("QDrag", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDrag", /::setObjectName\s*\(/, "objectName") +property_reader("QFileSystemModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFileSystemModel", /::setObjectName\s*\(/, "objectName") +property_reader("QFileSystemModel", /::(resolveSymlinks|isResolveSymlinks|hasResolveSymlinks)\s*\(/, "resolveSymlinks") +property_writer("QFileSystemModel", /::setResolveSymlinks\s*\(/, "resolveSymlinks") +property_reader("QFileSystemModel", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QFileSystemModel", /::setReadOnly\s*\(/, "readOnly") +property_reader("QFileSystemModel", /::(nameFilterDisables|isNameFilterDisables|hasNameFilterDisables)\s*\(/, "nameFilterDisables") +property_writer("QFileSystemModel", /::setNameFilterDisables\s*\(/, "nameFilterDisables") +property_reader("QFileSystemModel", /::(options|isOptions|hasOptions)\s*\(/, "options") +property_writer("QFileSystemModel", /::setOptions\s*\(/, "options") +property_reader("QGenericPlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGenericPlugin", /::setObjectName\s*\(/, "objectName") +property_reader("QGuiApplication", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGuiApplication", /::setObjectName\s*\(/, "objectName") +property_reader("QGuiApplication", /::(applicationName|isApplicationName|hasApplicationName)\s*\(/, "applicationName") +property_writer("QGuiApplication", /::setApplicationName\s*\(/, "applicationName") +property_reader("QGuiApplication", /::(applicationVersion|isApplicationVersion|hasApplicationVersion)\s*\(/, "applicationVersion") +property_writer("QGuiApplication", /::setApplicationVersion\s*\(/, "applicationVersion") +property_reader("QGuiApplication", /::(organizationName|isOrganizationName|hasOrganizationName)\s*\(/, "organizationName") +property_writer("QGuiApplication", /::setOrganizationName\s*\(/, "organizationName") +property_reader("QGuiApplication", /::(organizationDomain|isOrganizationDomain|hasOrganizationDomain)\s*\(/, "organizationDomain") +property_writer("QGuiApplication", /::setOrganizationDomain\s*\(/, "organizationDomain") +property_reader("QGuiApplication", /::(quitLockEnabled|isQuitLockEnabled|hasQuitLockEnabled)\s*\(/, "quitLockEnabled") +property_writer("QGuiApplication", /::setQuitLockEnabled\s*\(/, "quitLockEnabled") +property_reader("QGuiApplication", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QGuiApplication", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QGuiApplication", /::(applicationDisplayName|isApplicationDisplayName|hasApplicationDisplayName)\s*\(/, "applicationDisplayName") +property_writer("QGuiApplication", /::setApplicationDisplayName\s*\(/, "applicationDisplayName") +property_reader("QGuiApplication", /::(desktopFileName|isDesktopFileName|hasDesktopFileName)\s*\(/, "desktopFileName") +property_writer("QGuiApplication", /::setDesktopFileName\s*\(/, "desktopFileName") +property_reader("QGuiApplication", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QGuiApplication", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QGuiApplication", /::(platformName|isPlatformName|hasPlatformName)\s*\(/, "platformName") +property_reader("QGuiApplication", /::(quitOnLastWindowClosed|isQuitOnLastWindowClosed|hasQuitOnLastWindowClosed)\s*\(/, "quitOnLastWindowClosed") +property_writer("QGuiApplication", /::setQuitOnLastWindowClosed\s*\(/, "quitOnLastWindowClosed") +property_reader("QGuiApplication", /::(primaryScreen|isPrimaryScreen|hasPrimaryScreen)\s*\(/, "primaryScreen") +property_reader("QIconEnginePlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QIconEnginePlugin", /::setObjectName\s*\(/, "objectName") +property_reader("QImageIOPlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QImageIOPlugin", /::setObjectName\s*\(/, "objectName") +property_reader("QInputDevice", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QInputDevice", /::setObjectName\s*\(/, "objectName") +property_reader("QInputDevice", /::(name|isName|hasName)\s*\(/, "name") +property_reader("QInputDevice", /::(type|isType|hasType)\s*\(/, "type") +property_reader("QInputDevice", /::(capabilities|isCapabilities|hasCapabilities)\s*\(/, "capabilities") +property_reader("QInputDevice", /::(systemId|isSystemId|hasSystemId)\s*\(/, "systemId") +property_reader("QInputDevice", /::(seatName|isSeatName|hasSeatName)\s*\(/, "seatName") +property_reader("QInputDevice", /::(availableVirtualGeometry|isAvailableVirtualGeometry|hasAvailableVirtualGeometry)\s*\(/, "availableVirtualGeometry") +property_reader("QInputMethod", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QInputMethod", /::setObjectName\s*\(/, "objectName") +property_reader("QInputMethod", /::(cursorRectangle|isCursorRectangle|hasCursorRectangle)\s*\(/, "cursorRectangle") +property_reader("QInputMethod", /::(anchorRectangle|isAnchorRectangle|hasAnchorRectangle)\s*\(/, "anchorRectangle") +property_reader("QInputMethod", /::(keyboardRectangle|isKeyboardRectangle|hasKeyboardRectangle)\s*\(/, "keyboardRectangle") +property_reader("QInputMethod", /::(inputItemClipRectangle|isInputItemClipRectangle|hasInputItemClipRectangle)\s*\(/, "inputItemClipRectangle") +property_reader("QInputMethod", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_reader("QInputMethod", /::(animating|isAnimating|hasAnimating)\s*\(/, "animating") +property_reader("QInputMethod", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_reader("QInputMethod", /::(inputDirection|isInputDirection|hasInputDirection)\s*\(/, "inputDirection") +property_reader("QIntValidator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QIntValidator", /::setObjectName\s*\(/, "objectName") +property_reader("QIntValidator", /::(bottom|isBottom|hasBottom)\s*\(/, "bottom") +property_writer("QIntValidator", /::setBottom\s*\(/, "bottom") +property_reader("QIntValidator", /::(top|isTop|hasTop)\s*\(/, "top") +property_writer("QIntValidator", /::setTop\s*\(/, "top") +property_reader("QMovie", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMovie", /::setObjectName\s*\(/, "objectName") +property_reader("QMovie", /::(speed|isSpeed|hasSpeed)\s*\(/, "speed") +property_writer("QMovie", /::setSpeed\s*\(/, "speed") +property_reader("QMovie", /::(cacheMode|isCacheMode|hasCacheMode)\s*\(/, "cacheMode") +property_writer("QMovie", /::setCacheMode\s*\(/, "cacheMode") +property_reader("QOffscreenSurface", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QOffscreenSurface", /::setObjectName\s*\(/, "objectName") +property_reader("QPaintDeviceWindow", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPaintDeviceWindow", /::setObjectName\s*\(/, "objectName") +property_reader("QPaintDeviceWindow", /::(title|isTitle|hasTitle)\s*\(/, "title") +property_writer("QPaintDeviceWindow", /::setTitle\s*\(/, "title") +property_reader("QPaintDeviceWindow", /::(modality|isModality|hasModality)\s*\(/, "modality") +property_writer("QPaintDeviceWindow", /::setModality\s*\(/, "modality") +property_reader("QPaintDeviceWindow", /::(flags|isFlags|hasFlags)\s*\(/, "flags") +property_writer("QPaintDeviceWindow", /::setFlags\s*\(/, "flags") +property_reader("QPaintDeviceWindow", /::(x|isX|hasX)\s*\(/, "x") +property_writer("QPaintDeviceWindow", /::setX\s*\(/, "x") +property_reader("QPaintDeviceWindow", /::(y|isY|hasY)\s*\(/, "y") +property_writer("QPaintDeviceWindow", /::setY\s*\(/, "y") +property_reader("QPaintDeviceWindow", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_writer("QPaintDeviceWindow", /::setWidth\s*\(/, "width") +property_reader("QPaintDeviceWindow", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_writer("QPaintDeviceWindow", /::setHeight\s*\(/, "height") +property_reader("QPaintDeviceWindow", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QPaintDeviceWindow", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QPaintDeviceWindow", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QPaintDeviceWindow", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QPaintDeviceWindow", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QPaintDeviceWindow", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QPaintDeviceWindow", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QPaintDeviceWindow", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QPaintDeviceWindow", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QPaintDeviceWindow", /::setVisible\s*\(/, "visible") +property_reader("QPaintDeviceWindow", /::(active|isActive|hasActive)\s*\(/, "active") +property_reader("QPaintDeviceWindow", /::(visibility|isVisibility|hasVisibility)\s*\(/, "visibility") +property_writer("QPaintDeviceWindow", /::setVisibility\s*\(/, "visibility") +property_reader("QPaintDeviceWindow", /::(contentOrientation|isContentOrientation|hasContentOrientation)\s*\(/, "contentOrientation") +property_writer("QPaintDeviceWindow", /::setContentOrientation\s*\(/, "contentOrientation") +property_reader("QPaintDeviceWindow", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") +property_writer("QPaintDeviceWindow", /::setOpacity\s*\(/, "opacity") +property_reader("QPaintDeviceWindow", /::(transientParent|isTransientParent|hasTransientParent)\s*\(/, "transientParent") +property_writer("QPaintDeviceWindow", /::setTransientParent\s*\(/, "transientParent") +property_reader("QPdfWriter", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPdfWriter", /::setObjectName\s*\(/, "objectName") +property_reader("QPointingDevice", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPointingDevice", /::setObjectName\s*\(/, "objectName") +property_reader("QPointingDevice", /::(name|isName|hasName)\s*\(/, "name") +property_reader("QPointingDevice", /::(type|isType|hasType)\s*\(/, "type") +property_reader("QPointingDevice", /::(capabilities|isCapabilities|hasCapabilities)\s*\(/, "capabilities") +property_reader("QPointingDevice", /::(systemId|isSystemId|hasSystemId)\s*\(/, "systemId") +property_reader("QPointingDevice", /::(seatName|isSeatName|hasSeatName)\s*\(/, "seatName") +property_reader("QPointingDevice", /::(availableVirtualGeometry|isAvailableVirtualGeometry|hasAvailableVirtualGeometry)\s*\(/, "availableVirtualGeometry") +property_reader("QPointingDevice", /::(pointerType|isPointerType|hasPointerType)\s*\(/, "pointerType") +property_reader("QPointingDevice", /::(maximumPoints|isMaximumPoints|hasMaximumPoints)\s*\(/, "maximumPoints") +property_reader("QPointingDevice", /::(buttonCount|isButtonCount|hasButtonCount)\s*\(/, "buttonCount") +property_reader("QPointingDevice", /::(uniqueId|isUniqueId|hasUniqueId)\s*\(/, "uniqueId") +property_reader("QRasterWindow", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QRasterWindow", /::setObjectName\s*\(/, "objectName") +property_reader("QRasterWindow", /::(title|isTitle|hasTitle)\s*\(/, "title") +property_writer("QRasterWindow", /::setTitle\s*\(/, "title") +property_reader("QRasterWindow", /::(modality|isModality|hasModality)\s*\(/, "modality") +property_writer("QRasterWindow", /::setModality\s*\(/, "modality") +property_reader("QRasterWindow", /::(flags|isFlags|hasFlags)\s*\(/, "flags") +property_writer("QRasterWindow", /::setFlags\s*\(/, "flags") +property_reader("QRasterWindow", /::(x|isX|hasX)\s*\(/, "x") +property_writer("QRasterWindow", /::setX\s*\(/, "x") +property_reader("QRasterWindow", /::(y|isY|hasY)\s*\(/, "y") +property_writer("QRasterWindow", /::setY\s*\(/, "y") +property_reader("QRasterWindow", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_writer("QRasterWindow", /::setWidth\s*\(/, "width") +property_reader("QRasterWindow", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_writer("QRasterWindow", /::setHeight\s*\(/, "height") +property_reader("QRasterWindow", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QRasterWindow", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QRasterWindow", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QRasterWindow", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QRasterWindow", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QRasterWindow", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QRasterWindow", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QRasterWindow", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QRasterWindow", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QRasterWindow", /::setVisible\s*\(/, "visible") +property_reader("QRasterWindow", /::(active|isActive|hasActive)\s*\(/, "active") +property_reader("QRasterWindow", /::(visibility|isVisibility|hasVisibility)\s*\(/, "visibility") +property_writer("QRasterWindow", /::setVisibility\s*\(/, "visibility") +property_reader("QRasterWindow", /::(contentOrientation|isContentOrientation|hasContentOrientation)\s*\(/, "contentOrientation") +property_writer("QRasterWindow", /::setContentOrientation\s*\(/, "contentOrientation") +property_reader("QRasterWindow", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") +property_writer("QRasterWindow", /::setOpacity\s*\(/, "opacity") +property_reader("QRasterWindow", /::(transientParent|isTransientParent|hasTransientParent)\s*\(/, "transientParent") +property_writer("QRasterWindow", /::setTransientParent\s*\(/, "transientParent") +property_reader("QRegularExpressionValidator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QRegularExpressionValidator", /::setObjectName\s*\(/, "objectName") +property_reader("QRegularExpressionValidator", /::(regularExpression|isRegularExpression|hasRegularExpression)\s*\(/, "regularExpression") +property_writer("QRegularExpressionValidator", /::setRegularExpression\s*\(/, "regularExpression") +property_reader("QScreen", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QScreen", /::setObjectName\s*\(/, "objectName") +property_reader("QScreen", /::(name|isName|hasName)\s*\(/, "name") +property_reader("QScreen", /::(manufacturer|isManufacturer|hasManufacturer)\s*\(/, "manufacturer") +property_reader("QScreen", /::(model|isModel|hasModel)\s*\(/, "model") +property_reader("QScreen", /::(serialNumber|isSerialNumber|hasSerialNumber)\s*\(/, "serialNumber") +property_reader("QScreen", /::(depth|isDepth|hasDepth)\s*\(/, "depth") +property_reader("QScreen", /::(size|isSize|hasSize)\s*\(/, "size") +property_reader("QScreen", /::(availableSize|isAvailableSize|hasAvailableSize)\s*\(/, "availableSize") +property_reader("QScreen", /::(virtualSize|isVirtualSize|hasVirtualSize)\s*\(/, "virtualSize") +property_reader("QScreen", /::(availableVirtualSize|isAvailableVirtualSize|hasAvailableVirtualSize)\s*\(/, "availableVirtualSize") +property_reader("QScreen", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_reader("QScreen", /::(availableGeometry|isAvailableGeometry|hasAvailableGeometry)\s*\(/, "availableGeometry") +property_reader("QScreen", /::(virtualGeometry|isVirtualGeometry|hasVirtualGeometry)\s*\(/, "virtualGeometry") +property_reader("QScreen", /::(availableVirtualGeometry|isAvailableVirtualGeometry|hasAvailableVirtualGeometry)\s*\(/, "availableVirtualGeometry") +property_reader("QScreen", /::(physicalSize|isPhysicalSize|hasPhysicalSize)\s*\(/, "physicalSize") +property_reader("QScreen", /::(physicalDotsPerInchX|isPhysicalDotsPerInchX|hasPhysicalDotsPerInchX)\s*\(/, "physicalDotsPerInchX") +property_reader("QScreen", /::(physicalDotsPerInchY|isPhysicalDotsPerInchY|hasPhysicalDotsPerInchY)\s*\(/, "physicalDotsPerInchY") +property_reader("QScreen", /::(physicalDotsPerInch|isPhysicalDotsPerInch|hasPhysicalDotsPerInch)\s*\(/, "physicalDotsPerInch") +property_reader("QScreen", /::(logicalDotsPerInchX|isLogicalDotsPerInchX|hasLogicalDotsPerInchX)\s*\(/, "logicalDotsPerInchX") +property_reader("QScreen", /::(logicalDotsPerInchY|isLogicalDotsPerInchY|hasLogicalDotsPerInchY)\s*\(/, "logicalDotsPerInchY") +property_reader("QScreen", /::(logicalDotsPerInch|isLogicalDotsPerInch|hasLogicalDotsPerInch)\s*\(/, "logicalDotsPerInch") +property_reader("QScreen", /::(devicePixelRatio|isDevicePixelRatio|hasDevicePixelRatio)\s*\(/, "devicePixelRatio") +property_reader("QScreen", /::(primaryOrientation|isPrimaryOrientation|hasPrimaryOrientation)\s*\(/, "primaryOrientation") +property_reader("QScreen", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") +property_reader("QScreen", /::(nativeOrientation|isNativeOrientation|hasNativeOrientation)\s*\(/, "nativeOrientation") +property_reader("QScreen", /::(refreshRate|isRefreshRate|hasRefreshRate)\s*\(/, "refreshRate") +property_reader("QSessionManager", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSessionManager", /::setObjectName\s*\(/, "objectName") +property_reader("QShortcut", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QShortcut", /::setObjectName\s*\(/, "objectName") +property_reader("QShortcut", /::(key|isKey|hasKey)\s*\(/, "key") +property_writer("QShortcut", /::setKey\s*\(/, "key") +property_reader("QShortcut", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QShortcut", /::setEnabled\s*\(/, "enabled") +property_reader("QShortcut", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") +property_writer("QShortcut", /::setAutoRepeat\s*\(/, "autoRepeat") +property_reader("QShortcut", /::(context|isContext|hasContext)\s*\(/, "context") +property_writer("QShortcut", /::setContext\s*\(/, "context") +property_reader("QStandardItemModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QStandardItemModel", /::setObjectName\s*\(/, "objectName") +property_reader("QStandardItemModel", /::(sortRole|isSortRole|hasSortRole)\s*\(/, "sortRole") +property_writer("QStandardItemModel", /::setSortRole\s*\(/, "sortRole") +property_reader("QStyleHints", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QStyleHints", /::setObjectName\s*\(/, "objectName") +property_reader("QStyleHints", /::(cursorFlashTime|isCursorFlashTime|hasCursorFlashTime)\s*\(/, "cursorFlashTime") +property_reader("QStyleHints", /::(fontSmoothingGamma|isFontSmoothingGamma|hasFontSmoothingGamma)\s*\(/, "fontSmoothingGamma") +property_reader("QStyleHints", /::(keyboardAutoRepeatRate|isKeyboardAutoRepeatRate|hasKeyboardAutoRepeatRate)\s*\(/, "keyboardAutoRepeatRate") +property_reader("QStyleHints", /::(keyboardInputInterval|isKeyboardInputInterval|hasKeyboardInputInterval)\s*\(/, "keyboardInputInterval") +property_reader("QStyleHints", /::(mouseDoubleClickInterval|isMouseDoubleClickInterval|hasMouseDoubleClickInterval)\s*\(/, "mouseDoubleClickInterval") +property_reader("QStyleHints", /::(mousePressAndHoldInterval|isMousePressAndHoldInterval|hasMousePressAndHoldInterval)\s*\(/, "mousePressAndHoldInterval") +property_reader("QStyleHints", /::(passwordMaskCharacter|isPasswordMaskCharacter|hasPasswordMaskCharacter)\s*\(/, "passwordMaskCharacter") +property_reader("QStyleHints", /::(passwordMaskDelay|isPasswordMaskDelay|hasPasswordMaskDelay)\s*\(/, "passwordMaskDelay") +property_reader("QStyleHints", /::(setFocusOnTouchRelease|isSetFocusOnTouchRelease|hasSetFocusOnTouchRelease)\s*\(/, "setFocusOnTouchRelease") +property_reader("QStyleHints", /::(showIsFullScreen|isShowIsFullScreen|hasShowIsFullScreen)\s*\(/, "showIsFullScreen") +property_reader("QStyleHints", /::(showIsMaximized|isShowIsMaximized|hasShowIsMaximized)\s*\(/, "showIsMaximized") +property_reader("QStyleHints", /::(showShortcutsInContextMenus|isShowShortcutsInContextMenus|hasShowShortcutsInContextMenus)\s*\(/, "showShortcutsInContextMenus") +property_writer("QStyleHints", /::setShowShortcutsInContextMenus\s*\(/, "showShortcutsInContextMenus") +property_reader("QStyleHints", /::(startDragDistance|isStartDragDistance|hasStartDragDistance)\s*\(/, "startDragDistance") +property_reader("QStyleHints", /::(startDragTime|isStartDragTime|hasStartDragTime)\s*\(/, "startDragTime") +property_reader("QStyleHints", /::(startDragVelocity|isStartDragVelocity|hasStartDragVelocity)\s*\(/, "startDragVelocity") +property_reader("QStyleHints", /::(useRtlExtensions|isUseRtlExtensions|hasUseRtlExtensions)\s*\(/, "useRtlExtensions") +property_reader("QStyleHints", /::(tabFocusBehavior|isTabFocusBehavior|hasTabFocusBehavior)\s*\(/, "tabFocusBehavior") +property_reader("QStyleHints", /::(singleClickActivation|isSingleClickActivation|hasSingleClickActivation)\s*\(/, "singleClickActivation") +property_reader("QStyleHints", /::(useHoverEffects|isUseHoverEffects|hasUseHoverEffects)\s*\(/, "useHoverEffects") +property_writer("QStyleHints", /::setUseHoverEffects\s*\(/, "useHoverEffects") +property_reader("QStyleHints", /::(wheelScrollLines|isWheelScrollLines|hasWheelScrollLines)\s*\(/, "wheelScrollLines") +property_reader("QStyleHints", /::(mouseQuickSelectionThreshold|isMouseQuickSelectionThreshold|hasMouseQuickSelectionThreshold)\s*\(/, "mouseQuickSelectionThreshold") +property_writer("QStyleHints", /::setMouseQuickSelectionThreshold\s*\(/, "mouseQuickSelectionThreshold") +property_reader("QStyleHints", /::(mouseDoubleClickDistance|isMouseDoubleClickDistance|hasMouseDoubleClickDistance)\s*\(/, "mouseDoubleClickDistance") +property_reader("QStyleHints", /::(touchDoubleTapDistance|isTouchDoubleTapDistance|hasTouchDoubleTapDistance)\s*\(/, "touchDoubleTapDistance") +property_reader("QSyntaxHighlighter", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSyntaxHighlighter", /::setObjectName\s*\(/, "objectName") +property_reader("QTextBlockGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTextBlockGroup", /::setObjectName\s*\(/, "objectName") +property_reader("QTextDocument", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTextDocument", /::setObjectName\s*\(/, "objectName") +property_reader("QTextDocument", /::(undoRedoEnabled|isUndoRedoEnabled|hasUndoRedoEnabled)\s*\(/, "undoRedoEnabled") +property_writer("QTextDocument", /::setUndoRedoEnabled\s*\(/, "undoRedoEnabled") +property_reader("QTextDocument", /::(modified|isModified|hasModified)\s*\(/, "modified") +property_writer("QTextDocument", /::setModified\s*\(/, "modified") +property_reader("QTextDocument", /::(pageSize|isPageSize|hasPageSize)\s*\(/, "pageSize") +property_writer("QTextDocument", /::setPageSize\s*\(/, "pageSize") +property_reader("QTextDocument", /::(defaultFont|isDefaultFont|hasDefaultFont)\s*\(/, "defaultFont") +property_writer("QTextDocument", /::setDefaultFont\s*\(/, "defaultFont") +property_reader("QTextDocument", /::(useDesignMetrics|isUseDesignMetrics|hasUseDesignMetrics)\s*\(/, "useDesignMetrics") +property_writer("QTextDocument", /::setUseDesignMetrics\s*\(/, "useDesignMetrics") +property_reader("QTextDocument", /::(layoutEnabled|isLayoutEnabled|hasLayoutEnabled)\s*\(/, "layoutEnabled") +property_writer("QTextDocument", /::setLayoutEnabled\s*\(/, "layoutEnabled") +property_reader("QTextDocument", /::(size|isSize|hasSize)\s*\(/, "size") +property_reader("QTextDocument", /::(textWidth|isTextWidth|hasTextWidth)\s*\(/, "textWidth") +property_writer("QTextDocument", /::setTextWidth\s*\(/, "textWidth") +property_reader("QTextDocument", /::(blockCount|isBlockCount|hasBlockCount)\s*\(/, "blockCount") +property_reader("QTextDocument", /::(indentWidth|isIndentWidth|hasIndentWidth)\s*\(/, "indentWidth") +property_writer("QTextDocument", /::setIndentWidth\s*\(/, "indentWidth") +property_reader("QTextDocument", /::(defaultStyleSheet|isDefaultStyleSheet|hasDefaultStyleSheet)\s*\(/, "defaultStyleSheet") +property_writer("QTextDocument", /::setDefaultStyleSheet\s*\(/, "defaultStyleSheet") +property_reader("QTextDocument", /::(maximumBlockCount|isMaximumBlockCount|hasMaximumBlockCount)\s*\(/, "maximumBlockCount") +property_writer("QTextDocument", /::setMaximumBlockCount\s*\(/, "maximumBlockCount") +property_reader("QTextDocument", /::(documentMargin|isDocumentMargin|hasDocumentMargin)\s*\(/, "documentMargin") +property_writer("QTextDocument", /::setDocumentMargin\s*\(/, "documentMargin") +property_reader("QTextDocument", /::(baseUrl|isBaseUrl|hasBaseUrl)\s*\(/, "baseUrl") +property_writer("QTextDocument", /::setBaseUrl\s*\(/, "baseUrl") +property_reader("QTextFrame", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTextFrame", /::setObjectName\s*\(/, "objectName") +property_reader("QTextList", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTextList", /::setObjectName\s*\(/, "objectName") +property_reader("QTextObject", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTextObject", /::setObjectName\s*\(/, "objectName") +property_reader("QTextTable", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTextTable", /::setObjectName\s*\(/, "objectName") +property_reader("QUndoGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QUndoGroup", /::setObjectName\s*\(/, "objectName") +property_reader("QUndoStack", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QUndoStack", /::setObjectName\s*\(/, "objectName") +property_reader("QUndoStack", /::(active|isActive|hasActive)\s*\(/, "active") +property_writer("QUndoStack", /::setActive\s*\(/, "active") +property_reader("QUndoStack", /::(undoLimit|isUndoLimit|hasUndoLimit)\s*\(/, "undoLimit") +property_writer("QUndoStack", /::setUndoLimit\s*\(/, "undoLimit") +property_reader("QUndoStack", /::(canUndo|isCanUndo|hasCanUndo)\s*\(/, "canUndo") +property_reader("QUndoStack", /::(canRedo|isCanRedo|hasCanRedo)\s*\(/, "canRedo") +property_reader("QUndoStack", /::(undoText|isUndoText|hasUndoText)\s*\(/, "undoText") +property_reader("QUndoStack", /::(redoText|isRedoText|hasRedoText)\s*\(/, "redoText") +property_reader("QUndoStack", /::(clean|isClean|hasClean)\s*\(/, "clean") +property_reader("QValidator", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QValidator", /::setObjectName\s*\(/, "objectName") +property_reader("QWindow", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QWindow", /::setObjectName\s*\(/, "objectName") +property_reader("QWindow", /::(title|isTitle|hasTitle)\s*\(/, "title") +property_writer("QWindow", /::setTitle\s*\(/, "title") +property_reader("QWindow", /::(modality|isModality|hasModality)\s*\(/, "modality") +property_writer("QWindow", /::setModality\s*\(/, "modality") +property_reader("QWindow", /::(flags|isFlags|hasFlags)\s*\(/, "flags") +property_writer("QWindow", /::setFlags\s*\(/, "flags") +property_reader("QWindow", /::(x|isX|hasX)\s*\(/, "x") +property_writer("QWindow", /::setX\s*\(/, "x") +property_reader("QWindow", /::(y|isY|hasY)\s*\(/, "y") +property_writer("QWindow", /::setY\s*\(/, "y") +property_reader("QWindow", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_writer("QWindow", /::setWidth\s*\(/, "width") +property_reader("QWindow", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_writer("QWindow", /::setHeight\s*\(/, "height") +property_reader("QWindow", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QWindow", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QWindow", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QWindow", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QWindow", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QWindow", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QWindow", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QWindow", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QWindow", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QWindow", /::setVisible\s*\(/, "visible") +property_reader("QWindow", /::(active|isActive|hasActive)\s*\(/, "active") +property_reader("QWindow", /::(visibility|isVisibility|hasVisibility)\s*\(/, "visibility") +property_writer("QWindow", /::setVisibility\s*\(/, "visibility") +property_reader("QWindow", /::(contentOrientation|isContentOrientation|hasContentOrientation)\s*\(/, "contentOrientation") +property_writer("QWindow", /::setContentOrientation\s*\(/, "contentOrientation") +property_reader("QWindow", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") +property_writer("QWindow", /::setOpacity\s*\(/, "opacity") +property_reader("QWindow", /::(transientParent|isTransientParent|hasTransientParent)\s*\(/, "transientParent") +property_writer("QWindow", /::setTransientParent\s*\(/, "transientParent") +property_reader("QAbstractButton", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractButton", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractButton", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QAbstractButton", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QAbstractButton", /::setWindowModality\s*\(/, "windowModality") +property_reader("QAbstractButton", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QAbstractButton", /::setEnabled\s*\(/, "enabled") +property_reader("QAbstractButton", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QAbstractButton", /::setGeometry\s*\(/, "geometry") +property_reader("QAbstractButton", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QAbstractButton", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QAbstractButton", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QAbstractButton", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QAbstractButton", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QAbstractButton", /::setPos\s*\(/, "pos") +property_reader("QAbstractButton", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QAbstractButton", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QAbstractButton", /::setSize\s*\(/, "size") +property_reader("QAbstractButton", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QAbstractButton", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QAbstractButton", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QAbstractButton", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QAbstractButton", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QAbstractButton", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QAbstractButton", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QAbstractButton", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QAbstractButton", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QAbstractButton", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QAbstractButton", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QAbstractButton", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QAbstractButton", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QAbstractButton", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QAbstractButton", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QAbstractButton", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QAbstractButton", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QAbstractButton", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QAbstractButton", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QAbstractButton", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QAbstractButton", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QAbstractButton", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QAbstractButton", /::setBaseSize\s*\(/, "baseSize") +property_reader("QAbstractButton", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QAbstractButton", /::setPalette\s*\(/, "palette") +property_reader("QAbstractButton", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QAbstractButton", /::setFont\s*\(/, "font") +property_reader("QAbstractButton", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QAbstractButton", /::setCursor\s*\(/, "cursor") +property_reader("QAbstractButton", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QAbstractButton", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QAbstractButton", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QAbstractButton", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QAbstractButton", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QAbstractButton", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QAbstractButton", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QAbstractButton", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QAbstractButton", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QAbstractButton", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QAbstractButton", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QAbstractButton", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QAbstractButton", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QAbstractButton", /::setVisible\s*\(/, "visible") +property_reader("QAbstractButton", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QAbstractButton", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QAbstractButton", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QAbstractButton", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QAbstractButton", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QAbstractButton", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QAbstractButton", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QAbstractButton", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QAbstractButton", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QAbstractButton", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QAbstractButton", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QAbstractButton", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QAbstractButton", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QAbstractButton", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QAbstractButton", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QAbstractButton", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QAbstractButton", /::setWindowModified\s*\(/, "windowModified") +property_reader("QAbstractButton", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QAbstractButton", /::setToolTip\s*\(/, "toolTip") +property_reader("QAbstractButton", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QAbstractButton", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QAbstractButton", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QAbstractButton", /::setStatusTip\s*\(/, "statusTip") +property_reader("QAbstractButton", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QAbstractButton", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QAbstractButton", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QAbstractButton", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QAbstractButton", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QAbstractButton", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QAbstractButton", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QAbstractButton", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QAbstractButton", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QAbstractButton", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QAbstractButton", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QAbstractButton", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QAbstractButton", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QAbstractButton", /::setLocale\s*\(/, "locale") +property_reader("QAbstractButton", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QAbstractButton", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QAbstractButton", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QAbstractButton", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QAbstractButton", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QAbstractButton", /::setText\s*\(/, "text") +property_reader("QAbstractButton", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QAbstractButton", /::setIcon\s*\(/, "icon") +property_reader("QAbstractButton", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QAbstractButton", /::setIconSize\s*\(/, "iconSize") +property_reader("QAbstractButton", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") +property_writer("QAbstractButton", /::setShortcut\s*\(/, "shortcut") +property_reader("QAbstractButton", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") +property_writer("QAbstractButton", /::setCheckable\s*\(/, "checkable") +property_reader("QAbstractButton", /::(checked|isChecked|hasChecked)\s*\(/, "checked") +property_writer("QAbstractButton", /::setChecked\s*\(/, "checked") +property_reader("QAbstractButton", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") +property_writer("QAbstractButton", /::setAutoRepeat\s*\(/, "autoRepeat") +property_reader("QAbstractButton", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") +property_writer("QAbstractButton", /::setAutoExclusive\s*\(/, "autoExclusive") +property_reader("QAbstractButton", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") +property_writer("QAbstractButton", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") +property_reader("QAbstractButton", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") +property_writer("QAbstractButton", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") +property_reader("QAbstractButton", /::(down|isDown|hasDown)\s*\(/, "down") +property_writer("QAbstractButton", /::setDown\s*\(/, "down") +property_reader("QAbstractItemDelegate", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractItemDelegate", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractItemView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractItemView", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractItemView", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QAbstractItemView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QAbstractItemView", /::setWindowModality\s*\(/, "windowModality") +property_reader("QAbstractItemView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QAbstractItemView", /::setEnabled\s*\(/, "enabled") +property_reader("QAbstractItemView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QAbstractItemView", /::setGeometry\s*\(/, "geometry") +property_reader("QAbstractItemView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QAbstractItemView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QAbstractItemView", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QAbstractItemView", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QAbstractItemView", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QAbstractItemView", /::setPos\s*\(/, "pos") +property_reader("QAbstractItemView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QAbstractItemView", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QAbstractItemView", /::setSize\s*\(/, "size") +property_reader("QAbstractItemView", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QAbstractItemView", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QAbstractItemView", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QAbstractItemView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QAbstractItemView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QAbstractItemView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QAbstractItemView", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QAbstractItemView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QAbstractItemView", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QAbstractItemView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QAbstractItemView", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QAbstractItemView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QAbstractItemView", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QAbstractItemView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QAbstractItemView", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QAbstractItemView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QAbstractItemView", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QAbstractItemView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QAbstractItemView", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QAbstractItemView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QAbstractItemView", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QAbstractItemView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QAbstractItemView", /::setBaseSize\s*\(/, "baseSize") +property_reader("QAbstractItemView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QAbstractItemView", /::setPalette\s*\(/, "palette") +property_reader("QAbstractItemView", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QAbstractItemView", /::setFont\s*\(/, "font") +property_reader("QAbstractItemView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QAbstractItemView", /::setCursor\s*\(/, "cursor") +property_reader("QAbstractItemView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QAbstractItemView", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QAbstractItemView", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QAbstractItemView", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QAbstractItemView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QAbstractItemView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QAbstractItemView", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QAbstractItemView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QAbstractItemView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QAbstractItemView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QAbstractItemView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QAbstractItemView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QAbstractItemView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QAbstractItemView", /::setVisible\s*\(/, "visible") +property_reader("QAbstractItemView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QAbstractItemView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QAbstractItemView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QAbstractItemView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QAbstractItemView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QAbstractItemView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QAbstractItemView", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QAbstractItemView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QAbstractItemView", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QAbstractItemView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QAbstractItemView", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QAbstractItemView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QAbstractItemView", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QAbstractItemView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QAbstractItemView", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QAbstractItemView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QAbstractItemView", /::setWindowModified\s*\(/, "windowModified") +property_reader("QAbstractItemView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QAbstractItemView", /::setToolTip\s*\(/, "toolTip") +property_reader("QAbstractItemView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QAbstractItemView", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QAbstractItemView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QAbstractItemView", /::setStatusTip\s*\(/, "statusTip") +property_reader("QAbstractItemView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QAbstractItemView", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QAbstractItemView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QAbstractItemView", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QAbstractItemView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QAbstractItemView", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QAbstractItemView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QAbstractItemView", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QAbstractItemView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QAbstractItemView", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QAbstractItemView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QAbstractItemView", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QAbstractItemView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QAbstractItemView", /::setLocale\s*\(/, "locale") +property_reader("QAbstractItemView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QAbstractItemView", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QAbstractItemView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QAbstractItemView", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QAbstractItemView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QAbstractItemView", /::setFrameShape\s*\(/, "frameShape") +property_reader("QAbstractItemView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QAbstractItemView", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QAbstractItemView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QAbstractItemView", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QAbstractItemView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QAbstractItemView", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QAbstractItemView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QAbstractItemView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QAbstractItemView", /::setFrameRect\s*\(/, "frameRect") +property_reader("QAbstractItemView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QAbstractItemView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QAbstractItemView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QAbstractItemView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QAbstractItemView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QAbstractItemView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QAbstractItemView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") +property_writer("QAbstractItemView", /::setAutoScroll\s*\(/, "autoScroll") +property_reader("QAbstractItemView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") +property_writer("QAbstractItemView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") +property_reader("QAbstractItemView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") +property_writer("QAbstractItemView", /::setEditTriggers\s*\(/, "editTriggers") +property_reader("QAbstractItemView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") +property_writer("QAbstractItemView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") +property_reader("QAbstractItemView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") +property_writer("QAbstractItemView", /::setShowDropIndicator\s*\(/, "showDropIndicator") +property_reader("QAbstractItemView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QAbstractItemView", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QAbstractItemView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") +property_writer("QAbstractItemView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") +property_reader("QAbstractItemView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") +property_writer("QAbstractItemView", /::setDragDropMode\s*\(/, "dragDropMode") +property_reader("QAbstractItemView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") +property_writer("QAbstractItemView", /::setDefaultDropAction\s*\(/, "defaultDropAction") +property_reader("QAbstractItemView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") +property_writer("QAbstractItemView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") +property_reader("QAbstractItemView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QAbstractItemView", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QAbstractItemView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") +property_writer("QAbstractItemView", /::setSelectionBehavior\s*\(/, "selectionBehavior") +property_reader("QAbstractItemView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QAbstractItemView", /::setIconSize\s*\(/, "iconSize") +property_reader("QAbstractItemView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") +property_writer("QAbstractItemView", /::setTextElideMode\s*\(/, "textElideMode") +property_reader("QAbstractItemView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") +property_writer("QAbstractItemView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") +property_reader("QAbstractItemView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") +property_writer("QAbstractItemView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") +property_reader("QAbstractScrollArea", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractScrollArea", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractScrollArea", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QAbstractScrollArea", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QAbstractScrollArea", /::setWindowModality\s*\(/, "windowModality") +property_reader("QAbstractScrollArea", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QAbstractScrollArea", /::setEnabled\s*\(/, "enabled") +property_reader("QAbstractScrollArea", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QAbstractScrollArea", /::setGeometry\s*\(/, "geometry") +property_reader("QAbstractScrollArea", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QAbstractScrollArea", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QAbstractScrollArea", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QAbstractScrollArea", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QAbstractScrollArea", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QAbstractScrollArea", /::setPos\s*\(/, "pos") +property_reader("QAbstractScrollArea", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QAbstractScrollArea", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QAbstractScrollArea", /::setSize\s*\(/, "size") +property_reader("QAbstractScrollArea", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QAbstractScrollArea", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QAbstractScrollArea", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QAbstractScrollArea", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QAbstractScrollArea", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QAbstractScrollArea", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QAbstractScrollArea", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QAbstractScrollArea", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QAbstractScrollArea", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QAbstractScrollArea", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QAbstractScrollArea", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QAbstractScrollArea", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QAbstractScrollArea", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QAbstractScrollArea", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QAbstractScrollArea", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QAbstractScrollArea", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QAbstractScrollArea", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QAbstractScrollArea", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QAbstractScrollArea", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QAbstractScrollArea", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QAbstractScrollArea", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QAbstractScrollArea", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QAbstractScrollArea", /::setBaseSize\s*\(/, "baseSize") +property_reader("QAbstractScrollArea", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QAbstractScrollArea", /::setPalette\s*\(/, "palette") +property_reader("QAbstractScrollArea", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QAbstractScrollArea", /::setFont\s*\(/, "font") +property_reader("QAbstractScrollArea", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QAbstractScrollArea", /::setCursor\s*\(/, "cursor") +property_reader("QAbstractScrollArea", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QAbstractScrollArea", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QAbstractScrollArea", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QAbstractScrollArea", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QAbstractScrollArea", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QAbstractScrollArea", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QAbstractScrollArea", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QAbstractScrollArea", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QAbstractScrollArea", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QAbstractScrollArea", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QAbstractScrollArea", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QAbstractScrollArea", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QAbstractScrollArea", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QAbstractScrollArea", /::setVisible\s*\(/, "visible") +property_reader("QAbstractScrollArea", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QAbstractScrollArea", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QAbstractScrollArea", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QAbstractScrollArea", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QAbstractScrollArea", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QAbstractScrollArea", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QAbstractScrollArea", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QAbstractScrollArea", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QAbstractScrollArea", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QAbstractScrollArea", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QAbstractScrollArea", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QAbstractScrollArea", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QAbstractScrollArea", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QAbstractScrollArea", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QAbstractScrollArea", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QAbstractScrollArea", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QAbstractScrollArea", /::setWindowModified\s*\(/, "windowModified") +property_reader("QAbstractScrollArea", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QAbstractScrollArea", /::setToolTip\s*\(/, "toolTip") +property_reader("QAbstractScrollArea", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QAbstractScrollArea", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QAbstractScrollArea", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QAbstractScrollArea", /::setStatusTip\s*\(/, "statusTip") +property_reader("QAbstractScrollArea", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QAbstractScrollArea", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QAbstractScrollArea", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QAbstractScrollArea", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QAbstractScrollArea", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QAbstractScrollArea", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QAbstractScrollArea", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QAbstractScrollArea", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QAbstractScrollArea", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QAbstractScrollArea", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QAbstractScrollArea", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QAbstractScrollArea", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QAbstractScrollArea", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QAbstractScrollArea", /::setLocale\s*\(/, "locale") +property_reader("QAbstractScrollArea", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QAbstractScrollArea", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QAbstractScrollArea", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QAbstractScrollArea", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QAbstractScrollArea", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QAbstractScrollArea", /::setFrameShape\s*\(/, "frameShape") +property_reader("QAbstractScrollArea", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QAbstractScrollArea", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QAbstractScrollArea", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QAbstractScrollArea", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QAbstractScrollArea", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QAbstractScrollArea", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QAbstractScrollArea", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QAbstractScrollArea", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QAbstractScrollArea", /::setFrameRect\s*\(/, "frameRect") +property_reader("QAbstractScrollArea", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QAbstractScrollArea", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QAbstractScrollArea", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QAbstractScrollArea", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QAbstractScrollArea", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QAbstractScrollArea", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QAbstractSlider", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractSlider", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractSlider", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QAbstractSlider", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QAbstractSlider", /::setWindowModality\s*\(/, "windowModality") +property_reader("QAbstractSlider", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QAbstractSlider", /::setEnabled\s*\(/, "enabled") +property_reader("QAbstractSlider", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QAbstractSlider", /::setGeometry\s*\(/, "geometry") +property_reader("QAbstractSlider", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QAbstractSlider", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QAbstractSlider", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QAbstractSlider", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QAbstractSlider", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QAbstractSlider", /::setPos\s*\(/, "pos") +property_reader("QAbstractSlider", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QAbstractSlider", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QAbstractSlider", /::setSize\s*\(/, "size") +property_reader("QAbstractSlider", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QAbstractSlider", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QAbstractSlider", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QAbstractSlider", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QAbstractSlider", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QAbstractSlider", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QAbstractSlider", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QAbstractSlider", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QAbstractSlider", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QAbstractSlider", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QAbstractSlider", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QAbstractSlider", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QAbstractSlider", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QAbstractSlider", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QAbstractSlider", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QAbstractSlider", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QAbstractSlider", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QAbstractSlider", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QAbstractSlider", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QAbstractSlider", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QAbstractSlider", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QAbstractSlider", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QAbstractSlider", /::setBaseSize\s*\(/, "baseSize") +property_reader("QAbstractSlider", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QAbstractSlider", /::setPalette\s*\(/, "palette") +property_reader("QAbstractSlider", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QAbstractSlider", /::setFont\s*\(/, "font") +property_reader("QAbstractSlider", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QAbstractSlider", /::setCursor\s*\(/, "cursor") +property_reader("QAbstractSlider", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QAbstractSlider", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QAbstractSlider", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QAbstractSlider", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QAbstractSlider", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QAbstractSlider", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QAbstractSlider", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QAbstractSlider", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QAbstractSlider", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QAbstractSlider", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QAbstractSlider", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QAbstractSlider", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QAbstractSlider", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QAbstractSlider", /::setVisible\s*\(/, "visible") +property_reader("QAbstractSlider", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QAbstractSlider", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QAbstractSlider", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QAbstractSlider", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QAbstractSlider", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QAbstractSlider", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QAbstractSlider", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QAbstractSlider", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QAbstractSlider", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QAbstractSlider", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QAbstractSlider", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QAbstractSlider", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QAbstractSlider", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QAbstractSlider", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QAbstractSlider", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QAbstractSlider", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QAbstractSlider", /::setWindowModified\s*\(/, "windowModified") +property_reader("QAbstractSlider", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QAbstractSlider", /::setToolTip\s*\(/, "toolTip") +property_reader("QAbstractSlider", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QAbstractSlider", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QAbstractSlider", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QAbstractSlider", /::setStatusTip\s*\(/, "statusTip") +property_reader("QAbstractSlider", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QAbstractSlider", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QAbstractSlider", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QAbstractSlider", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QAbstractSlider", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QAbstractSlider", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QAbstractSlider", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QAbstractSlider", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QAbstractSlider", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QAbstractSlider", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QAbstractSlider", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QAbstractSlider", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QAbstractSlider", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QAbstractSlider", /::setLocale\s*\(/, "locale") +property_reader("QAbstractSlider", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QAbstractSlider", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QAbstractSlider", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QAbstractSlider", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QAbstractSlider", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") +property_writer("QAbstractSlider", /::setMinimum\s*\(/, "minimum") +property_reader("QAbstractSlider", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") +property_writer("QAbstractSlider", /::setMaximum\s*\(/, "maximum") +property_reader("QAbstractSlider", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") +property_writer("QAbstractSlider", /::setSingleStep\s*\(/, "singleStep") +property_reader("QAbstractSlider", /::(pageStep|isPageStep|hasPageStep)\s*\(/, "pageStep") +property_writer("QAbstractSlider", /::setPageStep\s*\(/, "pageStep") +property_reader("QAbstractSlider", /::(value|isValue|hasValue)\s*\(/, "value") +property_writer("QAbstractSlider", /::setValue\s*\(/, "value") +property_reader("QAbstractSlider", /::(sliderPosition|isSliderPosition|hasSliderPosition)\s*\(/, "sliderPosition") +property_writer("QAbstractSlider", /::setSliderPosition\s*\(/, "sliderPosition") +property_reader("QAbstractSlider", /::(tracking|isTracking|hasTracking)\s*\(/, "tracking") +property_writer("QAbstractSlider", /::setTracking\s*\(/, "tracking") +property_reader("QAbstractSlider", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") +property_writer("QAbstractSlider", /::setOrientation\s*\(/, "orientation") +property_reader("QAbstractSlider", /::(invertedAppearance|isInvertedAppearance|hasInvertedAppearance)\s*\(/, "invertedAppearance") +property_writer("QAbstractSlider", /::setInvertedAppearance\s*\(/, "invertedAppearance") +property_reader("QAbstractSlider", /::(invertedControls|isInvertedControls|hasInvertedControls)\s*\(/, "invertedControls") +property_writer("QAbstractSlider", /::setInvertedControls\s*\(/, "invertedControls") +property_reader("QAbstractSlider", /::(sliderDown|isSliderDown|hasSliderDown)\s*\(/, "sliderDown") +property_writer("QAbstractSlider", /::setSliderDown\s*\(/, "sliderDown") +property_reader("QAbstractSpinBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractSpinBox", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractSpinBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QAbstractSpinBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QAbstractSpinBox", /::setWindowModality\s*\(/, "windowModality") +property_reader("QAbstractSpinBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QAbstractSpinBox", /::setEnabled\s*\(/, "enabled") +property_reader("QAbstractSpinBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QAbstractSpinBox", /::setGeometry\s*\(/, "geometry") +property_reader("QAbstractSpinBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QAbstractSpinBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QAbstractSpinBox", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QAbstractSpinBox", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QAbstractSpinBox", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QAbstractSpinBox", /::setPos\s*\(/, "pos") +property_reader("QAbstractSpinBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QAbstractSpinBox", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QAbstractSpinBox", /::setSize\s*\(/, "size") +property_reader("QAbstractSpinBox", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QAbstractSpinBox", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QAbstractSpinBox", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QAbstractSpinBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QAbstractSpinBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QAbstractSpinBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QAbstractSpinBox", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QAbstractSpinBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QAbstractSpinBox", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QAbstractSpinBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QAbstractSpinBox", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QAbstractSpinBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QAbstractSpinBox", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QAbstractSpinBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QAbstractSpinBox", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QAbstractSpinBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QAbstractSpinBox", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QAbstractSpinBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QAbstractSpinBox", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QAbstractSpinBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QAbstractSpinBox", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QAbstractSpinBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QAbstractSpinBox", /::setBaseSize\s*\(/, "baseSize") +property_reader("QAbstractSpinBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QAbstractSpinBox", /::setPalette\s*\(/, "palette") +property_reader("QAbstractSpinBox", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QAbstractSpinBox", /::setFont\s*\(/, "font") +property_reader("QAbstractSpinBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QAbstractSpinBox", /::setCursor\s*\(/, "cursor") +property_reader("QAbstractSpinBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QAbstractSpinBox", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QAbstractSpinBox", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QAbstractSpinBox", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QAbstractSpinBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QAbstractSpinBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QAbstractSpinBox", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QAbstractSpinBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QAbstractSpinBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QAbstractSpinBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QAbstractSpinBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QAbstractSpinBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QAbstractSpinBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QAbstractSpinBox", /::setVisible\s*\(/, "visible") +property_reader("QAbstractSpinBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QAbstractSpinBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QAbstractSpinBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QAbstractSpinBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QAbstractSpinBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QAbstractSpinBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QAbstractSpinBox", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QAbstractSpinBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QAbstractSpinBox", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QAbstractSpinBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QAbstractSpinBox", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QAbstractSpinBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QAbstractSpinBox", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QAbstractSpinBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QAbstractSpinBox", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QAbstractSpinBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QAbstractSpinBox", /::setWindowModified\s*\(/, "windowModified") +property_reader("QAbstractSpinBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QAbstractSpinBox", /::setToolTip\s*\(/, "toolTip") +property_reader("QAbstractSpinBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QAbstractSpinBox", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QAbstractSpinBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QAbstractSpinBox", /::setStatusTip\s*\(/, "statusTip") +property_reader("QAbstractSpinBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QAbstractSpinBox", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QAbstractSpinBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QAbstractSpinBox", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QAbstractSpinBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QAbstractSpinBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QAbstractSpinBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QAbstractSpinBox", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QAbstractSpinBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QAbstractSpinBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QAbstractSpinBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QAbstractSpinBox", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QAbstractSpinBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QAbstractSpinBox", /::setLocale\s*\(/, "locale") +property_reader("QAbstractSpinBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QAbstractSpinBox", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QAbstractSpinBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QAbstractSpinBox", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QAbstractSpinBox", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") +property_writer("QAbstractSpinBox", /::setWrapping\s*\(/, "wrapping") +property_reader("QAbstractSpinBox", /::(frame|isFrame|hasFrame)\s*\(/, "frame") +property_writer("QAbstractSpinBox", /::setFrame\s*\(/, "frame") +property_reader("QAbstractSpinBox", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QAbstractSpinBox", /::setAlignment\s*\(/, "alignment") +property_reader("QAbstractSpinBox", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QAbstractSpinBox", /::setReadOnly\s*\(/, "readOnly") +property_reader("QAbstractSpinBox", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") +property_writer("QAbstractSpinBox", /::setButtonSymbols\s*\(/, "buttonSymbols") +property_reader("QAbstractSpinBox", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") +property_writer("QAbstractSpinBox", /::setSpecialValueText\s*\(/, "specialValueText") +property_reader("QAbstractSpinBox", /::(text|isText|hasText)\s*\(/, "text") +property_reader("QAbstractSpinBox", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") +property_writer("QAbstractSpinBox", /::setAccelerated\s*\(/, "accelerated") +property_reader("QAbstractSpinBox", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") +property_writer("QAbstractSpinBox", /::setCorrectionMode\s*\(/, "correctionMode") +property_reader("QAbstractSpinBox", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") +property_reader("QAbstractSpinBox", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") +property_writer("QAbstractSpinBox", /::setKeyboardTracking\s*\(/, "keyboardTracking") +property_reader("QAbstractSpinBox", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") +property_writer("QAbstractSpinBox", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") +property_reader("QApplication", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QApplication", /::setObjectName\s*\(/, "objectName") +property_reader("QApplication", /::(applicationName|isApplicationName|hasApplicationName)\s*\(/, "applicationName") +property_writer("QApplication", /::setApplicationName\s*\(/, "applicationName") +property_reader("QApplication", /::(applicationVersion|isApplicationVersion|hasApplicationVersion)\s*\(/, "applicationVersion") +property_writer("QApplication", /::setApplicationVersion\s*\(/, "applicationVersion") +property_reader("QApplication", /::(organizationName|isOrganizationName|hasOrganizationName)\s*\(/, "organizationName") +property_writer("QApplication", /::setOrganizationName\s*\(/, "organizationName") +property_reader("QApplication", /::(organizationDomain|isOrganizationDomain|hasOrganizationDomain)\s*\(/, "organizationDomain") +property_writer("QApplication", /::setOrganizationDomain\s*\(/, "organizationDomain") +property_reader("QApplication", /::(quitLockEnabled|isQuitLockEnabled|hasQuitLockEnabled)\s*\(/, "quitLockEnabled") +property_writer("QApplication", /::setQuitLockEnabled\s*\(/, "quitLockEnabled") +property_reader("QApplication", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QApplication", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QApplication", /::(applicationDisplayName|isApplicationDisplayName|hasApplicationDisplayName)\s*\(/, "applicationDisplayName") +property_writer("QApplication", /::setApplicationDisplayName\s*\(/, "applicationDisplayName") +property_reader("QApplication", /::(desktopFileName|isDesktopFileName|hasDesktopFileName)\s*\(/, "desktopFileName") +property_writer("QApplication", /::setDesktopFileName\s*\(/, "desktopFileName") +property_reader("QApplication", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QApplication", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QApplication", /::(platformName|isPlatformName|hasPlatformName)\s*\(/, "platformName") +property_reader("QApplication", /::(quitOnLastWindowClosed|isQuitOnLastWindowClosed|hasQuitOnLastWindowClosed)\s*\(/, "quitOnLastWindowClosed") +property_writer("QApplication", /::setQuitOnLastWindowClosed\s*\(/, "quitOnLastWindowClosed") +property_reader("QApplication", /::(primaryScreen|isPrimaryScreen|hasPrimaryScreen)\s*\(/, "primaryScreen") +property_reader("QApplication", /::(cursorFlashTime|isCursorFlashTime|hasCursorFlashTime)\s*\(/, "cursorFlashTime") +property_writer("QApplication", /::setCursorFlashTime\s*\(/, "cursorFlashTime") +property_reader("QApplication", /::(doubleClickInterval|isDoubleClickInterval|hasDoubleClickInterval)\s*\(/, "doubleClickInterval") +property_writer("QApplication", /::setDoubleClickInterval\s*\(/, "doubleClickInterval") +property_reader("QApplication", /::(keyboardInputInterval|isKeyboardInputInterval|hasKeyboardInputInterval)\s*\(/, "keyboardInputInterval") +property_writer("QApplication", /::setKeyboardInputInterval\s*\(/, "keyboardInputInterval") +property_reader("QApplication", /::(wheelScrollLines|isWheelScrollLines|hasWheelScrollLines)\s*\(/, "wheelScrollLines") +property_writer("QApplication", /::setWheelScrollLines\s*\(/, "wheelScrollLines") +property_reader("QApplication", /::(startDragTime|isStartDragTime|hasStartDragTime)\s*\(/, "startDragTime") +property_writer("QApplication", /::setStartDragTime\s*\(/, "startDragTime") +property_reader("QApplication", /::(startDragDistance|isStartDragDistance|hasStartDragDistance)\s*\(/, "startDragDistance") +property_writer("QApplication", /::setStartDragDistance\s*\(/, "startDragDistance") +property_reader("QApplication", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QApplication", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QApplication", /::(autoSipEnabled|isAutoSipEnabled|hasAutoSipEnabled)\s*\(/, "autoSipEnabled") +property_writer("QApplication", /::setAutoSipEnabled\s*\(/, "autoSipEnabled") +property_reader("QBoxLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QBoxLayout", /::setObjectName\s*\(/, "objectName") +property_reader("QBoxLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QBoxLayout", /::setSpacing\s*\(/, "spacing") +property_reader("QBoxLayout", /::(contentsMargins|isContentsMargins|hasContentsMargins)\s*\(/, "contentsMargins") +property_writer("QBoxLayout", /::setContentsMargins\s*\(/, "contentsMargins") +property_reader("QBoxLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") +property_writer("QBoxLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") +property_reader("QButtonGroup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QButtonGroup", /::setObjectName\s*\(/, "objectName") +property_reader("QButtonGroup", /::(exclusive|isExclusive|hasExclusive)\s*\(/, "exclusive") +property_writer("QButtonGroup", /::setExclusive\s*\(/, "exclusive") +property_reader("QCalendarWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCalendarWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QCalendarWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QCalendarWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QCalendarWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QCalendarWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QCalendarWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QCalendarWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QCalendarWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QCalendarWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QCalendarWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QCalendarWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QCalendarWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QCalendarWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QCalendarWidget", /::setPos\s*\(/, "pos") +property_reader("QCalendarWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QCalendarWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QCalendarWidget", /::setSize\s*\(/, "size") +property_reader("QCalendarWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QCalendarWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QCalendarWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QCalendarWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QCalendarWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QCalendarWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QCalendarWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QCalendarWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QCalendarWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QCalendarWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QCalendarWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QCalendarWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QCalendarWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QCalendarWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QCalendarWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QCalendarWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QCalendarWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QCalendarWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QCalendarWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QCalendarWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QCalendarWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QCalendarWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QCalendarWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QCalendarWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QCalendarWidget", /::setPalette\s*\(/, "palette") +property_reader("QCalendarWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QCalendarWidget", /::setFont\s*\(/, "font") +property_reader("QCalendarWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QCalendarWidget", /::setCursor\s*\(/, "cursor") +property_reader("QCalendarWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QCalendarWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QCalendarWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QCalendarWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QCalendarWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QCalendarWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QCalendarWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QCalendarWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QCalendarWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QCalendarWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QCalendarWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QCalendarWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QCalendarWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QCalendarWidget", /::setVisible\s*\(/, "visible") +property_reader("QCalendarWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QCalendarWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QCalendarWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QCalendarWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QCalendarWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QCalendarWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QCalendarWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QCalendarWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QCalendarWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QCalendarWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QCalendarWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QCalendarWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QCalendarWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QCalendarWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QCalendarWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QCalendarWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QCalendarWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QCalendarWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QCalendarWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QCalendarWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QCalendarWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QCalendarWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QCalendarWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QCalendarWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QCalendarWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QCalendarWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QCalendarWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QCalendarWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QCalendarWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QCalendarWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QCalendarWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QCalendarWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QCalendarWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QCalendarWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QCalendarWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QCalendarWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QCalendarWidget", /::setLocale\s*\(/, "locale") +property_reader("QCalendarWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QCalendarWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QCalendarWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QCalendarWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QCalendarWidget", /::(selectedDate|isSelectedDate|hasSelectedDate)\s*\(/, "selectedDate") +property_writer("QCalendarWidget", /::setSelectedDate\s*\(/, "selectedDate") +property_reader("QCalendarWidget", /::(minimumDate|isMinimumDate|hasMinimumDate)\s*\(/, "minimumDate") +property_writer("QCalendarWidget", /::setMinimumDate\s*\(/, "minimumDate") +property_reader("QCalendarWidget", /::(maximumDate|isMaximumDate|hasMaximumDate)\s*\(/, "maximumDate") +property_writer("QCalendarWidget", /::setMaximumDate\s*\(/, "maximumDate") +property_reader("QCalendarWidget", /::(firstDayOfWeek|isFirstDayOfWeek|hasFirstDayOfWeek)\s*\(/, "firstDayOfWeek") +property_writer("QCalendarWidget", /::setFirstDayOfWeek\s*\(/, "firstDayOfWeek") +property_reader("QCalendarWidget", /::(gridVisible|isGridVisible|hasGridVisible)\s*\(/, "gridVisible") +property_writer("QCalendarWidget", /::setGridVisible\s*\(/, "gridVisible") +property_reader("QCalendarWidget", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QCalendarWidget", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QCalendarWidget", /::(horizontalHeaderFormat|isHorizontalHeaderFormat|hasHorizontalHeaderFormat)\s*\(/, "horizontalHeaderFormat") +property_writer("QCalendarWidget", /::setHorizontalHeaderFormat\s*\(/, "horizontalHeaderFormat") +property_reader("QCalendarWidget", /::(verticalHeaderFormat|isVerticalHeaderFormat|hasVerticalHeaderFormat)\s*\(/, "verticalHeaderFormat") +property_writer("QCalendarWidget", /::setVerticalHeaderFormat\s*\(/, "verticalHeaderFormat") +property_reader("QCalendarWidget", /::(navigationBarVisible|isNavigationBarVisible|hasNavigationBarVisible)\s*\(/, "navigationBarVisible") +property_writer("QCalendarWidget", /::setNavigationBarVisible\s*\(/, "navigationBarVisible") +property_reader("QCalendarWidget", /::(dateEditEnabled|isDateEditEnabled|hasDateEditEnabled)\s*\(/, "dateEditEnabled") +property_writer("QCalendarWidget", /::setDateEditEnabled\s*\(/, "dateEditEnabled") +property_reader("QCalendarWidget", /::(dateEditAcceptDelay|isDateEditAcceptDelay|hasDateEditAcceptDelay)\s*\(/, "dateEditAcceptDelay") +property_writer("QCalendarWidget", /::setDateEditAcceptDelay\s*\(/, "dateEditAcceptDelay") +property_reader("QCheckBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCheckBox", /::setObjectName\s*\(/, "objectName") +property_reader("QCheckBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QCheckBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QCheckBox", /::setWindowModality\s*\(/, "windowModality") +property_reader("QCheckBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QCheckBox", /::setEnabled\s*\(/, "enabled") +property_reader("QCheckBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QCheckBox", /::setGeometry\s*\(/, "geometry") +property_reader("QCheckBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QCheckBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QCheckBox", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QCheckBox", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QCheckBox", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QCheckBox", /::setPos\s*\(/, "pos") +property_reader("QCheckBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QCheckBox", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QCheckBox", /::setSize\s*\(/, "size") +property_reader("QCheckBox", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QCheckBox", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QCheckBox", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QCheckBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QCheckBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QCheckBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QCheckBox", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QCheckBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QCheckBox", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QCheckBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QCheckBox", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QCheckBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QCheckBox", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QCheckBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QCheckBox", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QCheckBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QCheckBox", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QCheckBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QCheckBox", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QCheckBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QCheckBox", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QCheckBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QCheckBox", /::setBaseSize\s*\(/, "baseSize") +property_reader("QCheckBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QCheckBox", /::setPalette\s*\(/, "palette") +property_reader("QCheckBox", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QCheckBox", /::setFont\s*\(/, "font") +property_reader("QCheckBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QCheckBox", /::setCursor\s*\(/, "cursor") +property_reader("QCheckBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QCheckBox", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QCheckBox", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QCheckBox", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QCheckBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QCheckBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QCheckBox", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QCheckBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QCheckBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QCheckBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QCheckBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QCheckBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QCheckBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QCheckBox", /::setVisible\s*\(/, "visible") +property_reader("QCheckBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QCheckBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QCheckBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QCheckBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QCheckBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QCheckBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QCheckBox", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QCheckBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QCheckBox", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QCheckBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QCheckBox", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QCheckBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QCheckBox", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QCheckBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QCheckBox", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QCheckBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QCheckBox", /::setWindowModified\s*\(/, "windowModified") +property_reader("QCheckBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QCheckBox", /::setToolTip\s*\(/, "toolTip") +property_reader("QCheckBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QCheckBox", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QCheckBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QCheckBox", /::setStatusTip\s*\(/, "statusTip") +property_reader("QCheckBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QCheckBox", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QCheckBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QCheckBox", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QCheckBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QCheckBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QCheckBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QCheckBox", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QCheckBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QCheckBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QCheckBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QCheckBox", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QCheckBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QCheckBox", /::setLocale\s*\(/, "locale") +property_reader("QCheckBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QCheckBox", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QCheckBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QCheckBox", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QCheckBox", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QCheckBox", /::setText\s*\(/, "text") +property_reader("QCheckBox", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QCheckBox", /::setIcon\s*\(/, "icon") +property_reader("QCheckBox", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QCheckBox", /::setIconSize\s*\(/, "iconSize") +property_reader("QCheckBox", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") +property_writer("QCheckBox", /::setShortcut\s*\(/, "shortcut") +property_reader("QCheckBox", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") +property_writer("QCheckBox", /::setCheckable\s*\(/, "checkable") +property_reader("QCheckBox", /::(checked|isChecked|hasChecked)\s*\(/, "checked") +property_writer("QCheckBox", /::setChecked\s*\(/, "checked") +property_reader("QCheckBox", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") +property_writer("QCheckBox", /::setAutoRepeat\s*\(/, "autoRepeat") +property_reader("QCheckBox", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") +property_writer("QCheckBox", /::setAutoExclusive\s*\(/, "autoExclusive") +property_reader("QCheckBox", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") +property_writer("QCheckBox", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") +property_reader("QCheckBox", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") +property_writer("QCheckBox", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") +property_reader("QCheckBox", /::(down|isDown|hasDown)\s*\(/, "down") +property_writer("QCheckBox", /::setDown\s*\(/, "down") +property_reader("QCheckBox", /::(tristate|isTristate|hasTristate)\s*\(/, "tristate") +property_writer("QCheckBox", /::setTristate\s*\(/, "tristate") +property_reader("QColorDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QColorDialog", /::setObjectName\s*\(/, "objectName") +property_reader("QColorDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QColorDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QColorDialog", /::setWindowModality\s*\(/, "windowModality") +property_reader("QColorDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QColorDialog", /::setEnabled\s*\(/, "enabled") +property_reader("QColorDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QColorDialog", /::setGeometry\s*\(/, "geometry") +property_reader("QColorDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QColorDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QColorDialog", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QColorDialog", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QColorDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QColorDialog", /::setPos\s*\(/, "pos") +property_reader("QColorDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QColorDialog", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QColorDialog", /::setSize\s*\(/, "size") +property_reader("QColorDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QColorDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QColorDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QColorDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QColorDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QColorDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QColorDialog", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QColorDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QColorDialog", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QColorDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QColorDialog", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QColorDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QColorDialog", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QColorDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QColorDialog", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QColorDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QColorDialog", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QColorDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QColorDialog", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QColorDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QColorDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QColorDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QColorDialog", /::setBaseSize\s*\(/, "baseSize") +property_reader("QColorDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QColorDialog", /::setPalette\s*\(/, "palette") +property_reader("QColorDialog", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QColorDialog", /::setFont\s*\(/, "font") +property_reader("QColorDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QColorDialog", /::setCursor\s*\(/, "cursor") +property_reader("QColorDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QColorDialog", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QColorDialog", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QColorDialog", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QColorDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QColorDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QColorDialog", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QColorDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QColorDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QColorDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QColorDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QColorDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QColorDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QColorDialog", /::setVisible\s*\(/, "visible") +property_reader("QColorDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QColorDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QColorDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QColorDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QColorDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QColorDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QColorDialog", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QColorDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QColorDialog", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QColorDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QColorDialog", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QColorDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QColorDialog", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QColorDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QColorDialog", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QColorDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QColorDialog", /::setWindowModified\s*\(/, "windowModified") +property_reader("QColorDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QColorDialog", /::setToolTip\s*\(/, "toolTip") +property_reader("QColorDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QColorDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QColorDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QColorDialog", /::setStatusTip\s*\(/, "statusTip") +property_reader("QColorDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QColorDialog", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QColorDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QColorDialog", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QColorDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QColorDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QColorDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QColorDialog", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QColorDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QColorDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QColorDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QColorDialog", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QColorDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QColorDialog", /::setLocale\s*\(/, "locale") +property_reader("QColorDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QColorDialog", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QColorDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QColorDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QColorDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QColorDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QColorDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QColorDialog", /::setModal\s*\(/, "modal") +property_reader("QColorDialog", /::(currentColor|isCurrentColor|hasCurrentColor)\s*\(/, "currentColor") +property_writer("QColorDialog", /::setCurrentColor\s*\(/, "currentColor") +property_reader("QColorDialog", /::(options|isOptions|hasOptions)\s*\(/, "options") +property_writer("QColorDialog", /::setOptions\s*\(/, "options") +property_reader("QColumnView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QColumnView", /::setObjectName\s*\(/, "objectName") +property_reader("QColumnView", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QColumnView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QColumnView", /::setWindowModality\s*\(/, "windowModality") +property_reader("QColumnView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QColumnView", /::setEnabled\s*\(/, "enabled") +property_reader("QColumnView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QColumnView", /::setGeometry\s*\(/, "geometry") +property_reader("QColumnView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QColumnView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QColumnView", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QColumnView", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QColumnView", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QColumnView", /::setPos\s*\(/, "pos") +property_reader("QColumnView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QColumnView", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QColumnView", /::setSize\s*\(/, "size") +property_reader("QColumnView", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QColumnView", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QColumnView", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QColumnView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QColumnView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QColumnView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QColumnView", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QColumnView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QColumnView", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QColumnView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QColumnView", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QColumnView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QColumnView", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QColumnView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QColumnView", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QColumnView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QColumnView", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QColumnView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QColumnView", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QColumnView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QColumnView", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QColumnView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QColumnView", /::setBaseSize\s*\(/, "baseSize") +property_reader("QColumnView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QColumnView", /::setPalette\s*\(/, "palette") +property_reader("QColumnView", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QColumnView", /::setFont\s*\(/, "font") +property_reader("QColumnView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QColumnView", /::setCursor\s*\(/, "cursor") +property_reader("QColumnView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QColumnView", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QColumnView", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QColumnView", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QColumnView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QColumnView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QColumnView", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QColumnView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QColumnView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QColumnView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QColumnView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QColumnView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QColumnView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QColumnView", /::setVisible\s*\(/, "visible") +property_reader("QColumnView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QColumnView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QColumnView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QColumnView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QColumnView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QColumnView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QColumnView", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QColumnView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QColumnView", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QColumnView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QColumnView", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QColumnView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QColumnView", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QColumnView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QColumnView", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QColumnView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QColumnView", /::setWindowModified\s*\(/, "windowModified") +property_reader("QColumnView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QColumnView", /::setToolTip\s*\(/, "toolTip") +property_reader("QColumnView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QColumnView", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QColumnView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QColumnView", /::setStatusTip\s*\(/, "statusTip") +property_reader("QColumnView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QColumnView", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QColumnView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QColumnView", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QColumnView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QColumnView", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QColumnView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QColumnView", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QColumnView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QColumnView", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QColumnView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QColumnView", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QColumnView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QColumnView", /::setLocale\s*\(/, "locale") +property_reader("QColumnView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QColumnView", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QColumnView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QColumnView", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QColumnView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QColumnView", /::setFrameShape\s*\(/, "frameShape") +property_reader("QColumnView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QColumnView", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QColumnView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QColumnView", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QColumnView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QColumnView", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QColumnView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QColumnView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QColumnView", /::setFrameRect\s*\(/, "frameRect") +property_reader("QColumnView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QColumnView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QColumnView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QColumnView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QColumnView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QColumnView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QColumnView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") +property_writer("QColumnView", /::setAutoScroll\s*\(/, "autoScroll") +property_reader("QColumnView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") +property_writer("QColumnView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") +property_reader("QColumnView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") +property_writer("QColumnView", /::setEditTriggers\s*\(/, "editTriggers") +property_reader("QColumnView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") +property_writer("QColumnView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") +property_reader("QColumnView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") +property_writer("QColumnView", /::setShowDropIndicator\s*\(/, "showDropIndicator") +property_reader("QColumnView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QColumnView", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QColumnView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") +property_writer("QColumnView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") +property_reader("QColumnView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") +property_writer("QColumnView", /::setDragDropMode\s*\(/, "dragDropMode") +property_reader("QColumnView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") +property_writer("QColumnView", /::setDefaultDropAction\s*\(/, "defaultDropAction") +property_reader("QColumnView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") +property_writer("QColumnView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") +property_reader("QColumnView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QColumnView", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QColumnView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") +property_writer("QColumnView", /::setSelectionBehavior\s*\(/, "selectionBehavior") +property_reader("QColumnView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QColumnView", /::setIconSize\s*\(/, "iconSize") +property_reader("QColumnView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") +property_writer("QColumnView", /::setTextElideMode\s*\(/, "textElideMode") +property_reader("QColumnView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") +property_writer("QColumnView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") +property_reader("QColumnView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") +property_writer("QColumnView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") +property_reader("QColumnView", /::(resizeGripsVisible|isResizeGripsVisible|hasResizeGripsVisible)\s*\(/, "resizeGripsVisible") +property_writer("QColumnView", /::setResizeGripsVisible\s*\(/, "resizeGripsVisible") +property_reader("QComboBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QComboBox", /::setObjectName\s*\(/, "objectName") +property_reader("QComboBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QComboBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QComboBox", /::setWindowModality\s*\(/, "windowModality") +property_reader("QComboBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QComboBox", /::setEnabled\s*\(/, "enabled") +property_reader("QComboBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QComboBox", /::setGeometry\s*\(/, "geometry") +property_reader("QComboBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QComboBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QComboBox", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QComboBox", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QComboBox", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QComboBox", /::setPos\s*\(/, "pos") +property_reader("QComboBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QComboBox", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QComboBox", /::setSize\s*\(/, "size") +property_reader("QComboBox", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QComboBox", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QComboBox", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QComboBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QComboBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QComboBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QComboBox", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QComboBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QComboBox", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QComboBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QComboBox", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QComboBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QComboBox", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QComboBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QComboBox", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QComboBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QComboBox", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QComboBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QComboBox", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QComboBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QComboBox", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QComboBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QComboBox", /::setBaseSize\s*\(/, "baseSize") +property_reader("QComboBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QComboBox", /::setPalette\s*\(/, "palette") +property_reader("QComboBox", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QComboBox", /::setFont\s*\(/, "font") +property_reader("QComboBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QComboBox", /::setCursor\s*\(/, "cursor") +property_reader("QComboBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QComboBox", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QComboBox", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QComboBox", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QComboBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QComboBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QComboBox", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QComboBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QComboBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QComboBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QComboBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QComboBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QComboBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QComboBox", /::setVisible\s*\(/, "visible") +property_reader("QComboBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QComboBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QComboBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QComboBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QComboBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QComboBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QComboBox", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QComboBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QComboBox", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QComboBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QComboBox", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QComboBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QComboBox", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QComboBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QComboBox", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QComboBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QComboBox", /::setWindowModified\s*\(/, "windowModified") +property_reader("QComboBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QComboBox", /::setToolTip\s*\(/, "toolTip") +property_reader("QComboBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QComboBox", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QComboBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QComboBox", /::setStatusTip\s*\(/, "statusTip") +property_reader("QComboBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QComboBox", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QComboBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QComboBox", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QComboBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QComboBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QComboBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QComboBox", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QComboBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QComboBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QComboBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QComboBox", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QComboBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QComboBox", /::setLocale\s*\(/, "locale") +property_reader("QComboBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QComboBox", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QComboBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QComboBox", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QComboBox", /::(editable|isEditable|hasEditable)\s*\(/, "editable") +property_writer("QComboBox", /::setEditable\s*\(/, "editable") +property_reader("QComboBox", /::(count|isCount|hasCount)\s*\(/, "count") +property_reader("QComboBox", /::(currentText|isCurrentText|hasCurrentText)\s*\(/, "currentText") +property_writer("QComboBox", /::setCurrentText\s*\(/, "currentText") +property_reader("QComboBox", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") +property_writer("QComboBox", /::setCurrentIndex\s*\(/, "currentIndex") +property_reader("QComboBox", /::(currentData|isCurrentData|hasCurrentData)\s*\(/, "currentData") +property_reader("QComboBox", /::(maxVisibleItems|isMaxVisibleItems|hasMaxVisibleItems)\s*\(/, "maxVisibleItems") +property_writer("QComboBox", /::setMaxVisibleItems\s*\(/, "maxVisibleItems") +property_reader("QComboBox", /::(maxCount|isMaxCount|hasMaxCount)\s*\(/, "maxCount") +property_writer("QComboBox", /::setMaxCount\s*\(/, "maxCount") +property_reader("QComboBox", /::(insertPolicy|isInsertPolicy|hasInsertPolicy)\s*\(/, "insertPolicy") +property_writer("QComboBox", /::setInsertPolicy\s*\(/, "insertPolicy") +property_reader("QComboBox", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QComboBox", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QComboBox", /::(minimumContentsLength|isMinimumContentsLength|hasMinimumContentsLength)\s*\(/, "minimumContentsLength") +property_writer("QComboBox", /::setMinimumContentsLength\s*\(/, "minimumContentsLength") +property_reader("QComboBox", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QComboBox", /::setIconSize\s*\(/, "iconSize") +property_reader("QComboBox", /::(placeholderText|isPlaceholderText|hasPlaceholderText)\s*\(/, "placeholderText") +property_writer("QComboBox", /::setPlaceholderText\s*\(/, "placeholderText") +property_reader("QComboBox", /::(duplicatesEnabled|isDuplicatesEnabled|hasDuplicatesEnabled)\s*\(/, "duplicatesEnabled") +property_writer("QComboBox", /::setDuplicatesEnabled\s*\(/, "duplicatesEnabled") +property_reader("QComboBox", /::(frame|isFrame|hasFrame)\s*\(/, "frame") +property_writer("QComboBox", /::setFrame\s*\(/, "frame") +property_reader("QComboBox", /::(modelColumn|isModelColumn|hasModelColumn)\s*\(/, "modelColumn") +property_writer("QComboBox", /::setModelColumn\s*\(/, "modelColumn") +property_reader("QCommandLinkButton", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCommandLinkButton", /::setObjectName\s*\(/, "objectName") +property_reader("QCommandLinkButton", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QCommandLinkButton", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QCommandLinkButton", /::setWindowModality\s*\(/, "windowModality") +property_reader("QCommandLinkButton", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QCommandLinkButton", /::setEnabled\s*\(/, "enabled") +property_reader("QCommandLinkButton", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QCommandLinkButton", /::setGeometry\s*\(/, "geometry") +property_reader("QCommandLinkButton", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QCommandLinkButton", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QCommandLinkButton", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QCommandLinkButton", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QCommandLinkButton", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QCommandLinkButton", /::setPos\s*\(/, "pos") +property_reader("QCommandLinkButton", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QCommandLinkButton", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QCommandLinkButton", /::setSize\s*\(/, "size") +property_reader("QCommandLinkButton", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QCommandLinkButton", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QCommandLinkButton", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QCommandLinkButton", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QCommandLinkButton", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QCommandLinkButton", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QCommandLinkButton", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QCommandLinkButton", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QCommandLinkButton", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QCommandLinkButton", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QCommandLinkButton", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QCommandLinkButton", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QCommandLinkButton", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QCommandLinkButton", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QCommandLinkButton", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QCommandLinkButton", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QCommandLinkButton", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QCommandLinkButton", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QCommandLinkButton", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QCommandLinkButton", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QCommandLinkButton", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QCommandLinkButton", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QCommandLinkButton", /::setBaseSize\s*\(/, "baseSize") +property_reader("QCommandLinkButton", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QCommandLinkButton", /::setPalette\s*\(/, "palette") +property_reader("QCommandLinkButton", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QCommandLinkButton", /::setFont\s*\(/, "font") +property_reader("QCommandLinkButton", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QCommandLinkButton", /::setCursor\s*\(/, "cursor") +property_reader("QCommandLinkButton", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QCommandLinkButton", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QCommandLinkButton", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QCommandLinkButton", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QCommandLinkButton", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QCommandLinkButton", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QCommandLinkButton", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QCommandLinkButton", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QCommandLinkButton", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QCommandLinkButton", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QCommandLinkButton", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QCommandLinkButton", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QCommandLinkButton", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QCommandLinkButton", /::setVisible\s*\(/, "visible") +property_reader("QCommandLinkButton", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QCommandLinkButton", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QCommandLinkButton", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QCommandLinkButton", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QCommandLinkButton", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QCommandLinkButton", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QCommandLinkButton", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QCommandLinkButton", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QCommandLinkButton", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QCommandLinkButton", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QCommandLinkButton", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QCommandLinkButton", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QCommandLinkButton", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QCommandLinkButton", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QCommandLinkButton", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QCommandLinkButton", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QCommandLinkButton", /::setWindowModified\s*\(/, "windowModified") +property_reader("QCommandLinkButton", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QCommandLinkButton", /::setToolTip\s*\(/, "toolTip") +property_reader("QCommandLinkButton", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QCommandLinkButton", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QCommandLinkButton", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QCommandLinkButton", /::setStatusTip\s*\(/, "statusTip") +property_reader("QCommandLinkButton", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QCommandLinkButton", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QCommandLinkButton", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QCommandLinkButton", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QCommandLinkButton", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QCommandLinkButton", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QCommandLinkButton", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QCommandLinkButton", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QCommandLinkButton", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QCommandLinkButton", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QCommandLinkButton", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QCommandLinkButton", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QCommandLinkButton", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QCommandLinkButton", /::setLocale\s*\(/, "locale") +property_reader("QCommandLinkButton", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QCommandLinkButton", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QCommandLinkButton", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QCommandLinkButton", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QCommandLinkButton", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QCommandLinkButton", /::setText\s*\(/, "text") +property_reader("QCommandLinkButton", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QCommandLinkButton", /::setIcon\s*\(/, "icon") +property_reader("QCommandLinkButton", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QCommandLinkButton", /::setIconSize\s*\(/, "iconSize") +property_reader("QCommandLinkButton", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") +property_writer("QCommandLinkButton", /::setShortcut\s*\(/, "shortcut") +property_reader("QCommandLinkButton", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") +property_writer("QCommandLinkButton", /::setCheckable\s*\(/, "checkable") +property_reader("QCommandLinkButton", /::(checked|isChecked|hasChecked)\s*\(/, "checked") +property_writer("QCommandLinkButton", /::setChecked\s*\(/, "checked") +property_reader("QCommandLinkButton", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") +property_writer("QCommandLinkButton", /::setAutoRepeat\s*\(/, "autoRepeat") +property_reader("QCommandLinkButton", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") +property_writer("QCommandLinkButton", /::setAutoExclusive\s*\(/, "autoExclusive") +property_reader("QCommandLinkButton", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") +property_writer("QCommandLinkButton", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") +property_reader("QCommandLinkButton", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") +property_writer("QCommandLinkButton", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") +property_reader("QCommandLinkButton", /::(down|isDown|hasDown)\s*\(/, "down") +property_writer("QCommandLinkButton", /::setDown\s*\(/, "down") +property_reader("QCommandLinkButton", /::(autoDefault|isAutoDefault|hasAutoDefault)\s*\(/, "autoDefault") +property_writer("QCommandLinkButton", /::setAutoDefault\s*\(/, "autoDefault") +property_reader("QCommandLinkButton", /::(default|isDefault|hasDefault)\s*\(/, "default") +property_writer("QCommandLinkButton", /::setDefault\s*\(/, "default") +property_reader("QCommandLinkButton", /::(flat|isFlat|hasFlat)\s*\(/, "flat") +property_writer("QCommandLinkButton", /::setFlat\s*\(/, "flat") +property_reader("QCommandLinkButton", /::(description|isDescription|hasDescription)\s*\(/, "description") +property_writer("QCommandLinkButton", /::setDescription\s*\(/, "description") +property_reader("QCommandLinkButton", /::(flat|isFlat|hasFlat)\s*\(/, "flat") +property_writer("QCommandLinkButton", /::setFlat\s*\(/, "flat") +property_reader("QCommonStyle", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCommonStyle", /::setObjectName\s*\(/, "objectName") +property_reader("QCompleter", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCompleter", /::setObjectName\s*\(/, "objectName") +property_reader("QCompleter", /::(completionPrefix|isCompletionPrefix|hasCompletionPrefix)\s*\(/, "completionPrefix") +property_writer("QCompleter", /::setCompletionPrefix\s*\(/, "completionPrefix") +property_reader("QCompleter", /::(modelSorting|isModelSorting|hasModelSorting)\s*\(/, "modelSorting") +property_writer("QCompleter", /::setModelSorting\s*\(/, "modelSorting") +property_reader("QCompleter", /::(filterMode|isFilterMode|hasFilterMode)\s*\(/, "filterMode") +property_writer("QCompleter", /::setFilterMode\s*\(/, "filterMode") +property_reader("QCompleter", /::(completionMode|isCompletionMode|hasCompletionMode)\s*\(/, "completionMode") +property_writer("QCompleter", /::setCompletionMode\s*\(/, "completionMode") +property_reader("QCompleter", /::(completionColumn|isCompletionColumn|hasCompletionColumn)\s*\(/, "completionColumn") +property_writer("QCompleter", /::setCompletionColumn\s*\(/, "completionColumn") +property_reader("QCompleter", /::(completionRole|isCompletionRole|hasCompletionRole)\s*\(/, "completionRole") +property_writer("QCompleter", /::setCompletionRole\s*\(/, "completionRole") +property_reader("QCompleter", /::(maxVisibleItems|isMaxVisibleItems|hasMaxVisibleItems)\s*\(/, "maxVisibleItems") +property_writer("QCompleter", /::setMaxVisibleItems\s*\(/, "maxVisibleItems") +property_reader("QCompleter", /::(caseSensitivity|isCaseSensitivity|hasCaseSensitivity)\s*\(/, "caseSensitivity") +property_writer("QCompleter", /::setCaseSensitivity\s*\(/, "caseSensitivity") +property_reader("QCompleter", /::(wrapAround|isWrapAround|hasWrapAround)\s*\(/, "wrapAround") +property_writer("QCompleter", /::setWrapAround\s*\(/, "wrapAround") +property_reader("QDataWidgetMapper", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDataWidgetMapper", /::setObjectName\s*\(/, "objectName") +property_reader("QDataWidgetMapper", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") +property_writer("QDataWidgetMapper", /::setCurrentIndex\s*\(/, "currentIndex") +property_reader("QDataWidgetMapper", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") +property_writer("QDataWidgetMapper", /::setOrientation\s*\(/, "orientation") +property_reader("QDataWidgetMapper", /::(submitPolicy|isSubmitPolicy|hasSubmitPolicy)\s*\(/, "submitPolicy") +property_writer("QDataWidgetMapper", /::setSubmitPolicy\s*\(/, "submitPolicy") +property_reader("QDateEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDateEdit", /::setObjectName\s*\(/, "objectName") +property_reader("QDateEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QDateEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QDateEdit", /::setWindowModality\s*\(/, "windowModality") +property_reader("QDateEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QDateEdit", /::setEnabled\s*\(/, "enabled") +property_reader("QDateEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QDateEdit", /::setGeometry\s*\(/, "geometry") +property_reader("QDateEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QDateEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QDateEdit", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QDateEdit", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QDateEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QDateEdit", /::setPos\s*\(/, "pos") +property_reader("QDateEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QDateEdit", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QDateEdit", /::setSize\s*\(/, "size") +property_reader("QDateEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QDateEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QDateEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QDateEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QDateEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QDateEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QDateEdit", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QDateEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QDateEdit", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QDateEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QDateEdit", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QDateEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QDateEdit", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QDateEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QDateEdit", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QDateEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QDateEdit", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QDateEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QDateEdit", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QDateEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QDateEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QDateEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QDateEdit", /::setBaseSize\s*\(/, "baseSize") +property_reader("QDateEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QDateEdit", /::setPalette\s*\(/, "palette") +property_reader("QDateEdit", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QDateEdit", /::setFont\s*\(/, "font") +property_reader("QDateEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QDateEdit", /::setCursor\s*\(/, "cursor") +property_reader("QDateEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QDateEdit", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QDateEdit", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QDateEdit", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QDateEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QDateEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QDateEdit", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QDateEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QDateEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QDateEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QDateEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QDateEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QDateEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QDateEdit", /::setVisible\s*\(/, "visible") +property_reader("QDateEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QDateEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QDateEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QDateEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QDateEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QDateEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QDateEdit", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QDateEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QDateEdit", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QDateEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QDateEdit", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QDateEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QDateEdit", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QDateEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QDateEdit", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QDateEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QDateEdit", /::setWindowModified\s*\(/, "windowModified") +property_reader("QDateEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QDateEdit", /::setToolTip\s*\(/, "toolTip") +property_reader("QDateEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QDateEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QDateEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QDateEdit", /::setStatusTip\s*\(/, "statusTip") +property_reader("QDateEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QDateEdit", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QDateEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QDateEdit", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QDateEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QDateEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QDateEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QDateEdit", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QDateEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QDateEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QDateEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QDateEdit", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QDateEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QDateEdit", /::setLocale\s*\(/, "locale") +property_reader("QDateEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QDateEdit", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QDateEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QDateEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QDateEdit", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") +property_writer("QDateEdit", /::setWrapping\s*\(/, "wrapping") +property_reader("QDateEdit", /::(frame|isFrame|hasFrame)\s*\(/, "frame") +property_writer("QDateEdit", /::setFrame\s*\(/, "frame") +property_reader("QDateEdit", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QDateEdit", /::setAlignment\s*\(/, "alignment") +property_reader("QDateEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QDateEdit", /::setReadOnly\s*\(/, "readOnly") +property_reader("QDateEdit", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") +property_writer("QDateEdit", /::setButtonSymbols\s*\(/, "buttonSymbols") +property_reader("QDateEdit", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") +property_writer("QDateEdit", /::setSpecialValueText\s*\(/, "specialValueText") +property_reader("QDateEdit", /::(text|isText|hasText)\s*\(/, "text") +property_reader("QDateEdit", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") +property_writer("QDateEdit", /::setAccelerated\s*\(/, "accelerated") +property_reader("QDateEdit", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") +property_writer("QDateEdit", /::setCorrectionMode\s*\(/, "correctionMode") +property_reader("QDateEdit", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") +property_reader("QDateEdit", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") +property_writer("QDateEdit", /::setKeyboardTracking\s*\(/, "keyboardTracking") +property_reader("QDateEdit", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") +property_writer("QDateEdit", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") +property_reader("QDateEdit", /::(dateTime|isDateTime|hasDateTime)\s*\(/, "dateTime") +property_writer("QDateEdit", /::setDateTime\s*\(/, "dateTime") +property_reader("QDateEdit", /::(date|isDate|hasDate)\s*\(/, "date") +property_writer("QDateEdit", /::setDate\s*\(/, "date") +property_reader("QDateEdit", /::(time|isTime|hasTime)\s*\(/, "time") +property_writer("QDateEdit", /::setTime\s*\(/, "time") +property_reader("QDateEdit", /::(maximumDateTime|isMaximumDateTime|hasMaximumDateTime)\s*\(/, "maximumDateTime") +property_writer("QDateEdit", /::setMaximumDateTime\s*\(/, "maximumDateTime") +property_reader("QDateEdit", /::(minimumDateTime|isMinimumDateTime|hasMinimumDateTime)\s*\(/, "minimumDateTime") +property_writer("QDateEdit", /::setMinimumDateTime\s*\(/, "minimumDateTime") +property_reader("QDateEdit", /::(maximumDate|isMaximumDate|hasMaximumDate)\s*\(/, "maximumDate") +property_writer("QDateEdit", /::setMaximumDate\s*\(/, "maximumDate") +property_reader("QDateEdit", /::(minimumDate|isMinimumDate|hasMinimumDate)\s*\(/, "minimumDate") +property_writer("QDateEdit", /::setMinimumDate\s*\(/, "minimumDate") +property_reader("QDateEdit", /::(maximumTime|isMaximumTime|hasMaximumTime)\s*\(/, "maximumTime") +property_writer("QDateEdit", /::setMaximumTime\s*\(/, "maximumTime") +property_reader("QDateEdit", /::(minimumTime|isMinimumTime|hasMinimumTime)\s*\(/, "minimumTime") +property_writer("QDateEdit", /::setMinimumTime\s*\(/, "minimumTime") +property_reader("QDateEdit", /::(currentSection|isCurrentSection|hasCurrentSection)\s*\(/, "currentSection") +property_writer("QDateEdit", /::setCurrentSection\s*\(/, "currentSection") +property_reader("QDateEdit", /::(displayedSections|isDisplayedSections|hasDisplayedSections)\s*\(/, "displayedSections") +property_reader("QDateEdit", /::(displayFormat|isDisplayFormat|hasDisplayFormat)\s*\(/, "displayFormat") +property_writer("QDateEdit", /::setDisplayFormat\s*\(/, "displayFormat") +property_reader("QDateEdit", /::(calendarPopup|isCalendarPopup|hasCalendarPopup)\s*\(/, "calendarPopup") +property_writer("QDateEdit", /::setCalendarPopup\s*\(/, "calendarPopup") +property_reader("QDateEdit", /::(currentSectionIndex|isCurrentSectionIndex|hasCurrentSectionIndex)\s*\(/, "currentSectionIndex") +property_writer("QDateEdit", /::setCurrentSectionIndex\s*\(/, "currentSectionIndex") +property_reader("QDateEdit", /::(sectionCount|isSectionCount|hasSectionCount)\s*\(/, "sectionCount") +property_reader("QDateEdit", /::(timeSpec|isTimeSpec|hasTimeSpec)\s*\(/, "timeSpec") +property_writer("QDateEdit", /::setTimeSpec\s*\(/, "timeSpec") +property_reader("QDateEdit", /::(date|isDate|hasDate)\s*\(/, "date") +property_writer("QDateEdit", /::setDate\s*\(/, "date") +property_reader("QDateTimeEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDateTimeEdit", /::setObjectName\s*\(/, "objectName") +property_reader("QDateTimeEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QDateTimeEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QDateTimeEdit", /::setWindowModality\s*\(/, "windowModality") +property_reader("QDateTimeEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QDateTimeEdit", /::setEnabled\s*\(/, "enabled") +property_reader("QDateTimeEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QDateTimeEdit", /::setGeometry\s*\(/, "geometry") +property_reader("QDateTimeEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QDateTimeEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QDateTimeEdit", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QDateTimeEdit", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QDateTimeEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QDateTimeEdit", /::setPos\s*\(/, "pos") +property_reader("QDateTimeEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QDateTimeEdit", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QDateTimeEdit", /::setSize\s*\(/, "size") +property_reader("QDateTimeEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QDateTimeEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QDateTimeEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QDateTimeEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QDateTimeEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QDateTimeEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QDateTimeEdit", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QDateTimeEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QDateTimeEdit", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QDateTimeEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QDateTimeEdit", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QDateTimeEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QDateTimeEdit", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QDateTimeEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QDateTimeEdit", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QDateTimeEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QDateTimeEdit", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QDateTimeEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QDateTimeEdit", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QDateTimeEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QDateTimeEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QDateTimeEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QDateTimeEdit", /::setBaseSize\s*\(/, "baseSize") +property_reader("QDateTimeEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QDateTimeEdit", /::setPalette\s*\(/, "palette") +property_reader("QDateTimeEdit", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QDateTimeEdit", /::setFont\s*\(/, "font") +property_reader("QDateTimeEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QDateTimeEdit", /::setCursor\s*\(/, "cursor") +property_reader("QDateTimeEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QDateTimeEdit", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QDateTimeEdit", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QDateTimeEdit", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QDateTimeEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QDateTimeEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QDateTimeEdit", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QDateTimeEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QDateTimeEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QDateTimeEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QDateTimeEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QDateTimeEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QDateTimeEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QDateTimeEdit", /::setVisible\s*\(/, "visible") +property_reader("QDateTimeEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QDateTimeEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QDateTimeEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QDateTimeEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QDateTimeEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QDateTimeEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QDateTimeEdit", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QDateTimeEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QDateTimeEdit", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QDateTimeEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QDateTimeEdit", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QDateTimeEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QDateTimeEdit", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QDateTimeEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QDateTimeEdit", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QDateTimeEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QDateTimeEdit", /::setWindowModified\s*\(/, "windowModified") +property_reader("QDateTimeEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QDateTimeEdit", /::setToolTip\s*\(/, "toolTip") +property_reader("QDateTimeEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QDateTimeEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QDateTimeEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QDateTimeEdit", /::setStatusTip\s*\(/, "statusTip") +property_reader("QDateTimeEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QDateTimeEdit", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QDateTimeEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QDateTimeEdit", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QDateTimeEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QDateTimeEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QDateTimeEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QDateTimeEdit", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QDateTimeEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QDateTimeEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QDateTimeEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QDateTimeEdit", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QDateTimeEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QDateTimeEdit", /::setLocale\s*\(/, "locale") +property_reader("QDateTimeEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QDateTimeEdit", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QDateTimeEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QDateTimeEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QDateTimeEdit", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") +property_writer("QDateTimeEdit", /::setWrapping\s*\(/, "wrapping") +property_reader("QDateTimeEdit", /::(frame|isFrame|hasFrame)\s*\(/, "frame") +property_writer("QDateTimeEdit", /::setFrame\s*\(/, "frame") +property_reader("QDateTimeEdit", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QDateTimeEdit", /::setAlignment\s*\(/, "alignment") +property_reader("QDateTimeEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QDateTimeEdit", /::setReadOnly\s*\(/, "readOnly") +property_reader("QDateTimeEdit", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") +property_writer("QDateTimeEdit", /::setButtonSymbols\s*\(/, "buttonSymbols") +property_reader("QDateTimeEdit", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") +property_writer("QDateTimeEdit", /::setSpecialValueText\s*\(/, "specialValueText") +property_reader("QDateTimeEdit", /::(text|isText|hasText)\s*\(/, "text") +property_reader("QDateTimeEdit", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") +property_writer("QDateTimeEdit", /::setAccelerated\s*\(/, "accelerated") +property_reader("QDateTimeEdit", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") +property_writer("QDateTimeEdit", /::setCorrectionMode\s*\(/, "correctionMode") +property_reader("QDateTimeEdit", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") +property_reader("QDateTimeEdit", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") +property_writer("QDateTimeEdit", /::setKeyboardTracking\s*\(/, "keyboardTracking") +property_reader("QDateTimeEdit", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") +property_writer("QDateTimeEdit", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") +property_reader("QDateTimeEdit", /::(dateTime|isDateTime|hasDateTime)\s*\(/, "dateTime") +property_writer("QDateTimeEdit", /::setDateTime\s*\(/, "dateTime") +property_reader("QDateTimeEdit", /::(date|isDate|hasDate)\s*\(/, "date") +property_writer("QDateTimeEdit", /::setDate\s*\(/, "date") +property_reader("QDateTimeEdit", /::(time|isTime|hasTime)\s*\(/, "time") +property_writer("QDateTimeEdit", /::setTime\s*\(/, "time") +property_reader("QDateTimeEdit", /::(maximumDateTime|isMaximumDateTime|hasMaximumDateTime)\s*\(/, "maximumDateTime") +property_writer("QDateTimeEdit", /::setMaximumDateTime\s*\(/, "maximumDateTime") +property_reader("QDateTimeEdit", /::(minimumDateTime|isMinimumDateTime|hasMinimumDateTime)\s*\(/, "minimumDateTime") +property_writer("QDateTimeEdit", /::setMinimumDateTime\s*\(/, "minimumDateTime") +property_reader("QDateTimeEdit", /::(maximumDate|isMaximumDate|hasMaximumDate)\s*\(/, "maximumDate") +property_writer("QDateTimeEdit", /::setMaximumDate\s*\(/, "maximumDate") +property_reader("QDateTimeEdit", /::(minimumDate|isMinimumDate|hasMinimumDate)\s*\(/, "minimumDate") +property_writer("QDateTimeEdit", /::setMinimumDate\s*\(/, "minimumDate") +property_reader("QDateTimeEdit", /::(maximumTime|isMaximumTime|hasMaximumTime)\s*\(/, "maximumTime") +property_writer("QDateTimeEdit", /::setMaximumTime\s*\(/, "maximumTime") +property_reader("QDateTimeEdit", /::(minimumTime|isMinimumTime|hasMinimumTime)\s*\(/, "minimumTime") +property_writer("QDateTimeEdit", /::setMinimumTime\s*\(/, "minimumTime") +property_reader("QDateTimeEdit", /::(currentSection|isCurrentSection|hasCurrentSection)\s*\(/, "currentSection") +property_writer("QDateTimeEdit", /::setCurrentSection\s*\(/, "currentSection") +property_reader("QDateTimeEdit", /::(displayedSections|isDisplayedSections|hasDisplayedSections)\s*\(/, "displayedSections") +property_reader("QDateTimeEdit", /::(displayFormat|isDisplayFormat|hasDisplayFormat)\s*\(/, "displayFormat") +property_writer("QDateTimeEdit", /::setDisplayFormat\s*\(/, "displayFormat") +property_reader("QDateTimeEdit", /::(calendarPopup|isCalendarPopup|hasCalendarPopup)\s*\(/, "calendarPopup") +property_writer("QDateTimeEdit", /::setCalendarPopup\s*\(/, "calendarPopup") +property_reader("QDateTimeEdit", /::(currentSectionIndex|isCurrentSectionIndex|hasCurrentSectionIndex)\s*\(/, "currentSectionIndex") +property_writer("QDateTimeEdit", /::setCurrentSectionIndex\s*\(/, "currentSectionIndex") +property_reader("QDateTimeEdit", /::(sectionCount|isSectionCount|hasSectionCount)\s*\(/, "sectionCount") +property_reader("QDateTimeEdit", /::(timeSpec|isTimeSpec|hasTimeSpec)\s*\(/, "timeSpec") +property_writer("QDateTimeEdit", /::setTimeSpec\s*\(/, "timeSpec") +property_reader("QDial", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDial", /::setObjectName\s*\(/, "objectName") +property_reader("QDial", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QDial", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QDial", /::setWindowModality\s*\(/, "windowModality") +property_reader("QDial", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QDial", /::setEnabled\s*\(/, "enabled") +property_reader("QDial", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QDial", /::setGeometry\s*\(/, "geometry") +property_reader("QDial", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QDial", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QDial", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QDial", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QDial", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QDial", /::setPos\s*\(/, "pos") +property_reader("QDial", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QDial", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QDial", /::setSize\s*\(/, "size") +property_reader("QDial", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QDial", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QDial", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QDial", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QDial", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QDial", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QDial", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QDial", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QDial", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QDial", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QDial", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QDial", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QDial", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QDial", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QDial", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QDial", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QDial", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QDial", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QDial", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QDial", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QDial", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QDial", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QDial", /::setBaseSize\s*\(/, "baseSize") +property_reader("QDial", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QDial", /::setPalette\s*\(/, "palette") +property_reader("QDial", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QDial", /::setFont\s*\(/, "font") +property_reader("QDial", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QDial", /::setCursor\s*\(/, "cursor") +property_reader("QDial", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QDial", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QDial", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QDial", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QDial", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QDial", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QDial", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QDial", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QDial", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QDial", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QDial", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QDial", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QDial", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QDial", /::setVisible\s*\(/, "visible") +property_reader("QDial", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QDial", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QDial", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QDial", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QDial", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QDial", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QDial", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QDial", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QDial", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QDial", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QDial", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QDial", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QDial", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QDial", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QDial", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QDial", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QDial", /::setWindowModified\s*\(/, "windowModified") +property_reader("QDial", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QDial", /::setToolTip\s*\(/, "toolTip") +property_reader("QDial", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QDial", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QDial", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QDial", /::setStatusTip\s*\(/, "statusTip") +property_reader("QDial", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QDial", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QDial", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QDial", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QDial", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QDial", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QDial", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QDial", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QDial", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QDial", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QDial", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QDial", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QDial", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QDial", /::setLocale\s*\(/, "locale") +property_reader("QDial", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QDial", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QDial", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QDial", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QDial", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") +property_writer("QDial", /::setMinimum\s*\(/, "minimum") +property_reader("QDial", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") +property_writer("QDial", /::setMaximum\s*\(/, "maximum") +property_reader("QDial", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") +property_writer("QDial", /::setSingleStep\s*\(/, "singleStep") +property_reader("QDial", /::(pageStep|isPageStep|hasPageStep)\s*\(/, "pageStep") +property_writer("QDial", /::setPageStep\s*\(/, "pageStep") +property_reader("QDial", /::(value|isValue|hasValue)\s*\(/, "value") +property_writer("QDial", /::setValue\s*\(/, "value") +property_reader("QDial", /::(sliderPosition|isSliderPosition|hasSliderPosition)\s*\(/, "sliderPosition") +property_writer("QDial", /::setSliderPosition\s*\(/, "sliderPosition") +property_reader("QDial", /::(tracking|isTracking|hasTracking)\s*\(/, "tracking") +property_writer("QDial", /::setTracking\s*\(/, "tracking") +property_reader("QDial", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") +property_writer("QDial", /::setOrientation\s*\(/, "orientation") +property_reader("QDial", /::(invertedAppearance|isInvertedAppearance|hasInvertedAppearance)\s*\(/, "invertedAppearance") +property_writer("QDial", /::setInvertedAppearance\s*\(/, "invertedAppearance") +property_reader("QDial", /::(invertedControls|isInvertedControls|hasInvertedControls)\s*\(/, "invertedControls") +property_writer("QDial", /::setInvertedControls\s*\(/, "invertedControls") +property_reader("QDial", /::(sliderDown|isSliderDown|hasSliderDown)\s*\(/, "sliderDown") +property_writer("QDial", /::setSliderDown\s*\(/, "sliderDown") +property_reader("QDial", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") +property_writer("QDial", /::setWrapping\s*\(/, "wrapping") +property_reader("QDial", /::(notchSize|isNotchSize|hasNotchSize)\s*\(/, "notchSize") +property_reader("QDial", /::(notchTarget|isNotchTarget|hasNotchTarget)\s*\(/, "notchTarget") +property_writer("QDial", /::setNotchTarget\s*\(/, "notchTarget") +property_reader("QDial", /::(notchesVisible|isNotchesVisible|hasNotchesVisible)\s*\(/, "notchesVisible") +property_writer("QDial", /::setNotchesVisible\s*\(/, "notchesVisible") +property_reader("QDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDialog", /::setObjectName\s*\(/, "objectName") +property_reader("QDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QDialog", /::setWindowModality\s*\(/, "windowModality") +property_reader("QDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QDialog", /::setEnabled\s*\(/, "enabled") +property_reader("QDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QDialog", /::setGeometry\s*\(/, "geometry") +property_reader("QDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QDialog", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QDialog", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QDialog", /::setPos\s*\(/, "pos") +property_reader("QDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QDialog", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QDialog", /::setSize\s*\(/, "size") +property_reader("QDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QDialog", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QDialog", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QDialog", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QDialog", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QDialog", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QDialog", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QDialog", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QDialog", /::setBaseSize\s*\(/, "baseSize") +property_reader("QDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QDialog", /::setPalette\s*\(/, "palette") +property_reader("QDialog", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QDialog", /::setFont\s*\(/, "font") +property_reader("QDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QDialog", /::setCursor\s*\(/, "cursor") +property_reader("QDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QDialog", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QDialog", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QDialog", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QDialog", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QDialog", /::setVisible\s*\(/, "visible") +property_reader("QDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QDialog", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QDialog", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QDialog", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QDialog", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QDialog", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QDialog", /::setWindowModified\s*\(/, "windowModified") +property_reader("QDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QDialog", /::setToolTip\s*\(/, "toolTip") +property_reader("QDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QDialog", /::setStatusTip\s*\(/, "statusTip") +property_reader("QDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QDialog", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QDialog", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QDialog", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QDialog", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QDialog", /::setLocale\s*\(/, "locale") +property_reader("QDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QDialog", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QDialog", /::setModal\s*\(/, "modal") +property_reader("QDialogButtonBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDialogButtonBox", /::setObjectName\s*\(/, "objectName") +property_reader("QDialogButtonBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QDialogButtonBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QDialogButtonBox", /::setWindowModality\s*\(/, "windowModality") +property_reader("QDialogButtonBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QDialogButtonBox", /::setEnabled\s*\(/, "enabled") +property_reader("QDialogButtonBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QDialogButtonBox", /::setGeometry\s*\(/, "geometry") +property_reader("QDialogButtonBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QDialogButtonBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QDialogButtonBox", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QDialogButtonBox", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QDialogButtonBox", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QDialogButtonBox", /::setPos\s*\(/, "pos") +property_reader("QDialogButtonBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QDialogButtonBox", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QDialogButtonBox", /::setSize\s*\(/, "size") +property_reader("QDialogButtonBox", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QDialogButtonBox", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QDialogButtonBox", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QDialogButtonBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QDialogButtonBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QDialogButtonBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QDialogButtonBox", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QDialogButtonBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QDialogButtonBox", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QDialogButtonBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QDialogButtonBox", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QDialogButtonBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QDialogButtonBox", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QDialogButtonBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QDialogButtonBox", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QDialogButtonBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QDialogButtonBox", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QDialogButtonBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QDialogButtonBox", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QDialogButtonBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QDialogButtonBox", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QDialogButtonBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QDialogButtonBox", /::setBaseSize\s*\(/, "baseSize") +property_reader("QDialogButtonBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QDialogButtonBox", /::setPalette\s*\(/, "palette") +property_reader("QDialogButtonBox", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QDialogButtonBox", /::setFont\s*\(/, "font") +property_reader("QDialogButtonBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QDialogButtonBox", /::setCursor\s*\(/, "cursor") +property_reader("QDialogButtonBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QDialogButtonBox", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QDialogButtonBox", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QDialogButtonBox", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QDialogButtonBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QDialogButtonBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QDialogButtonBox", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QDialogButtonBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QDialogButtonBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QDialogButtonBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QDialogButtonBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QDialogButtonBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QDialogButtonBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QDialogButtonBox", /::setVisible\s*\(/, "visible") +property_reader("QDialogButtonBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QDialogButtonBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QDialogButtonBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QDialogButtonBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QDialogButtonBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QDialogButtonBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QDialogButtonBox", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QDialogButtonBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QDialogButtonBox", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QDialogButtonBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QDialogButtonBox", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QDialogButtonBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QDialogButtonBox", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QDialogButtonBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QDialogButtonBox", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QDialogButtonBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QDialogButtonBox", /::setWindowModified\s*\(/, "windowModified") +property_reader("QDialogButtonBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QDialogButtonBox", /::setToolTip\s*\(/, "toolTip") +property_reader("QDialogButtonBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QDialogButtonBox", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QDialogButtonBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QDialogButtonBox", /::setStatusTip\s*\(/, "statusTip") +property_reader("QDialogButtonBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QDialogButtonBox", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QDialogButtonBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QDialogButtonBox", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QDialogButtonBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QDialogButtonBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QDialogButtonBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QDialogButtonBox", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QDialogButtonBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QDialogButtonBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QDialogButtonBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QDialogButtonBox", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QDialogButtonBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QDialogButtonBox", /::setLocale\s*\(/, "locale") +property_reader("QDialogButtonBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QDialogButtonBox", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QDialogButtonBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QDialogButtonBox", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QDialogButtonBox", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") +property_writer("QDialogButtonBox", /::setOrientation\s*\(/, "orientation") +property_reader("QDialogButtonBox", /::(standardButtons|isStandardButtons|hasStandardButtons)\s*\(/, "standardButtons") +property_writer("QDialogButtonBox", /::setStandardButtons\s*\(/, "standardButtons") +property_reader("QDialogButtonBox", /::(centerButtons|isCenterButtons|hasCenterButtons)\s*\(/, "centerButtons") +property_writer("QDialogButtonBox", /::setCenterButtons\s*\(/, "centerButtons") +property_reader("QDockWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDockWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QDockWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QDockWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QDockWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QDockWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QDockWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QDockWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QDockWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QDockWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QDockWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QDockWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QDockWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QDockWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QDockWidget", /::setPos\s*\(/, "pos") +property_reader("QDockWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QDockWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QDockWidget", /::setSize\s*\(/, "size") +property_reader("QDockWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QDockWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QDockWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QDockWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QDockWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QDockWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QDockWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QDockWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QDockWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QDockWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QDockWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QDockWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QDockWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QDockWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QDockWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QDockWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QDockWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QDockWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QDockWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QDockWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QDockWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QDockWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QDockWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QDockWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QDockWidget", /::setPalette\s*\(/, "palette") +property_reader("QDockWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QDockWidget", /::setFont\s*\(/, "font") +property_reader("QDockWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QDockWidget", /::setCursor\s*\(/, "cursor") +property_reader("QDockWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QDockWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QDockWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QDockWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QDockWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QDockWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QDockWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QDockWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QDockWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QDockWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QDockWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QDockWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QDockWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QDockWidget", /::setVisible\s*\(/, "visible") +property_reader("QDockWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QDockWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QDockWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QDockWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QDockWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QDockWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QDockWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QDockWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QDockWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QDockWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QDockWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QDockWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QDockWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QDockWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QDockWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QDockWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QDockWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QDockWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QDockWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QDockWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QDockWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QDockWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QDockWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QDockWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QDockWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QDockWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QDockWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QDockWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QDockWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QDockWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QDockWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QDockWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QDockWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QDockWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QDockWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QDockWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QDockWidget", /::setLocale\s*\(/, "locale") +property_reader("QDockWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QDockWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QDockWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QDockWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QDockWidget", /::(floating|isFloating|hasFloating)\s*\(/, "floating") +property_writer("QDockWidget", /::setFloating\s*\(/, "floating") +property_reader("QDockWidget", /::(features|isFeatures|hasFeatures)\s*\(/, "features") +property_writer("QDockWidget", /::setFeatures\s*\(/, "features") +property_reader("QDockWidget", /::(allowedAreas|isAllowedAreas|hasAllowedAreas)\s*\(/, "allowedAreas") +property_writer("QDockWidget", /::setAllowedAreas\s*\(/, "allowedAreas") +property_reader("QDockWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QDockWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QDoubleSpinBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDoubleSpinBox", /::setObjectName\s*\(/, "objectName") +property_reader("QDoubleSpinBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QDoubleSpinBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QDoubleSpinBox", /::setWindowModality\s*\(/, "windowModality") +property_reader("QDoubleSpinBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QDoubleSpinBox", /::setEnabled\s*\(/, "enabled") +property_reader("QDoubleSpinBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QDoubleSpinBox", /::setGeometry\s*\(/, "geometry") +property_reader("QDoubleSpinBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QDoubleSpinBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QDoubleSpinBox", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QDoubleSpinBox", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QDoubleSpinBox", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QDoubleSpinBox", /::setPos\s*\(/, "pos") +property_reader("QDoubleSpinBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QDoubleSpinBox", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QDoubleSpinBox", /::setSize\s*\(/, "size") +property_reader("QDoubleSpinBox", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QDoubleSpinBox", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QDoubleSpinBox", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QDoubleSpinBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QDoubleSpinBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QDoubleSpinBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QDoubleSpinBox", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QDoubleSpinBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QDoubleSpinBox", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QDoubleSpinBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QDoubleSpinBox", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QDoubleSpinBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QDoubleSpinBox", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QDoubleSpinBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QDoubleSpinBox", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QDoubleSpinBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QDoubleSpinBox", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QDoubleSpinBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QDoubleSpinBox", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QDoubleSpinBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QDoubleSpinBox", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QDoubleSpinBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QDoubleSpinBox", /::setBaseSize\s*\(/, "baseSize") +property_reader("QDoubleSpinBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QDoubleSpinBox", /::setPalette\s*\(/, "palette") +property_reader("QDoubleSpinBox", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QDoubleSpinBox", /::setFont\s*\(/, "font") +property_reader("QDoubleSpinBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QDoubleSpinBox", /::setCursor\s*\(/, "cursor") +property_reader("QDoubleSpinBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QDoubleSpinBox", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QDoubleSpinBox", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QDoubleSpinBox", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QDoubleSpinBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QDoubleSpinBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QDoubleSpinBox", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QDoubleSpinBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QDoubleSpinBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QDoubleSpinBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QDoubleSpinBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QDoubleSpinBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QDoubleSpinBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QDoubleSpinBox", /::setVisible\s*\(/, "visible") +property_reader("QDoubleSpinBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QDoubleSpinBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QDoubleSpinBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QDoubleSpinBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QDoubleSpinBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QDoubleSpinBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QDoubleSpinBox", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QDoubleSpinBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QDoubleSpinBox", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QDoubleSpinBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QDoubleSpinBox", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QDoubleSpinBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QDoubleSpinBox", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QDoubleSpinBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QDoubleSpinBox", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QDoubleSpinBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QDoubleSpinBox", /::setWindowModified\s*\(/, "windowModified") +property_reader("QDoubleSpinBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QDoubleSpinBox", /::setToolTip\s*\(/, "toolTip") +property_reader("QDoubleSpinBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QDoubleSpinBox", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QDoubleSpinBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QDoubleSpinBox", /::setStatusTip\s*\(/, "statusTip") +property_reader("QDoubleSpinBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QDoubleSpinBox", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QDoubleSpinBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QDoubleSpinBox", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QDoubleSpinBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QDoubleSpinBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QDoubleSpinBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QDoubleSpinBox", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QDoubleSpinBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QDoubleSpinBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QDoubleSpinBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QDoubleSpinBox", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QDoubleSpinBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QDoubleSpinBox", /::setLocale\s*\(/, "locale") +property_reader("QDoubleSpinBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QDoubleSpinBox", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QDoubleSpinBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QDoubleSpinBox", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QDoubleSpinBox", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") +property_writer("QDoubleSpinBox", /::setWrapping\s*\(/, "wrapping") +property_reader("QDoubleSpinBox", /::(frame|isFrame|hasFrame)\s*\(/, "frame") +property_writer("QDoubleSpinBox", /::setFrame\s*\(/, "frame") +property_reader("QDoubleSpinBox", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QDoubleSpinBox", /::setAlignment\s*\(/, "alignment") +property_reader("QDoubleSpinBox", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QDoubleSpinBox", /::setReadOnly\s*\(/, "readOnly") +property_reader("QDoubleSpinBox", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") +property_writer("QDoubleSpinBox", /::setButtonSymbols\s*\(/, "buttonSymbols") +property_reader("QDoubleSpinBox", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") +property_writer("QDoubleSpinBox", /::setSpecialValueText\s*\(/, "specialValueText") +property_reader("QDoubleSpinBox", /::(text|isText|hasText)\s*\(/, "text") +property_reader("QDoubleSpinBox", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") +property_writer("QDoubleSpinBox", /::setAccelerated\s*\(/, "accelerated") +property_reader("QDoubleSpinBox", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") +property_writer("QDoubleSpinBox", /::setCorrectionMode\s*\(/, "correctionMode") +property_reader("QDoubleSpinBox", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") +property_reader("QDoubleSpinBox", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") +property_writer("QDoubleSpinBox", /::setKeyboardTracking\s*\(/, "keyboardTracking") +property_reader("QDoubleSpinBox", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") +property_writer("QDoubleSpinBox", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") +property_reader("QDoubleSpinBox", /::(prefix|isPrefix|hasPrefix)\s*\(/, "prefix") +property_writer("QDoubleSpinBox", /::setPrefix\s*\(/, "prefix") +property_reader("QDoubleSpinBox", /::(suffix|isSuffix|hasSuffix)\s*\(/, "suffix") +property_writer("QDoubleSpinBox", /::setSuffix\s*\(/, "suffix") +property_reader("QDoubleSpinBox", /::(cleanText|isCleanText|hasCleanText)\s*\(/, "cleanText") +property_reader("QDoubleSpinBox", /::(decimals|isDecimals|hasDecimals)\s*\(/, "decimals") +property_writer("QDoubleSpinBox", /::setDecimals\s*\(/, "decimals") +property_reader("QDoubleSpinBox", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") +property_writer("QDoubleSpinBox", /::setMinimum\s*\(/, "minimum") +property_reader("QDoubleSpinBox", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") +property_writer("QDoubleSpinBox", /::setMaximum\s*\(/, "maximum") +property_reader("QDoubleSpinBox", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") +property_writer("QDoubleSpinBox", /::setSingleStep\s*\(/, "singleStep") +property_reader("QDoubleSpinBox", /::(stepType|isStepType|hasStepType)\s*\(/, "stepType") +property_writer("QDoubleSpinBox", /::setStepType\s*\(/, "stepType") +property_reader("QDoubleSpinBox", /::(value|isValue|hasValue)\s*\(/, "value") +property_writer("QDoubleSpinBox", /::setValue\s*\(/, "value") +property_reader("QErrorMessage", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QErrorMessage", /::setObjectName\s*\(/, "objectName") +property_reader("QErrorMessage", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QErrorMessage", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QErrorMessage", /::setWindowModality\s*\(/, "windowModality") +property_reader("QErrorMessage", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QErrorMessage", /::setEnabled\s*\(/, "enabled") +property_reader("QErrorMessage", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QErrorMessage", /::setGeometry\s*\(/, "geometry") +property_reader("QErrorMessage", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QErrorMessage", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QErrorMessage", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QErrorMessage", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QErrorMessage", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QErrorMessage", /::setPos\s*\(/, "pos") +property_reader("QErrorMessage", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QErrorMessage", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QErrorMessage", /::setSize\s*\(/, "size") +property_reader("QErrorMessage", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QErrorMessage", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QErrorMessage", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QErrorMessage", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QErrorMessage", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QErrorMessage", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QErrorMessage", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QErrorMessage", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QErrorMessage", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QErrorMessage", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QErrorMessage", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QErrorMessage", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QErrorMessage", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QErrorMessage", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QErrorMessage", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QErrorMessage", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QErrorMessage", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QErrorMessage", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QErrorMessage", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QErrorMessage", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QErrorMessage", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QErrorMessage", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QErrorMessage", /::setBaseSize\s*\(/, "baseSize") +property_reader("QErrorMessage", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QErrorMessage", /::setPalette\s*\(/, "palette") +property_reader("QErrorMessage", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QErrorMessage", /::setFont\s*\(/, "font") +property_reader("QErrorMessage", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QErrorMessage", /::setCursor\s*\(/, "cursor") +property_reader("QErrorMessage", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QErrorMessage", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QErrorMessage", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QErrorMessage", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QErrorMessage", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QErrorMessage", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QErrorMessage", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QErrorMessage", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QErrorMessage", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QErrorMessage", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QErrorMessage", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QErrorMessage", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QErrorMessage", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QErrorMessage", /::setVisible\s*\(/, "visible") +property_reader("QErrorMessage", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QErrorMessage", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QErrorMessage", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QErrorMessage", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QErrorMessage", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QErrorMessage", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QErrorMessage", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QErrorMessage", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QErrorMessage", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QErrorMessage", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QErrorMessage", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QErrorMessage", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QErrorMessage", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QErrorMessage", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QErrorMessage", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QErrorMessage", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QErrorMessage", /::setWindowModified\s*\(/, "windowModified") +property_reader("QErrorMessage", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QErrorMessage", /::setToolTip\s*\(/, "toolTip") +property_reader("QErrorMessage", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QErrorMessage", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QErrorMessage", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QErrorMessage", /::setStatusTip\s*\(/, "statusTip") +property_reader("QErrorMessage", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QErrorMessage", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QErrorMessage", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QErrorMessage", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QErrorMessage", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QErrorMessage", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QErrorMessage", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QErrorMessage", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QErrorMessage", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QErrorMessage", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QErrorMessage", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QErrorMessage", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QErrorMessage", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QErrorMessage", /::setLocale\s*\(/, "locale") +property_reader("QErrorMessage", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QErrorMessage", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QErrorMessage", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QErrorMessage", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QErrorMessage", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QErrorMessage", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QErrorMessage", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QErrorMessage", /::setModal\s*\(/, "modal") +property_reader("QFileDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFileDialog", /::setObjectName\s*\(/, "objectName") +property_reader("QFileDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QFileDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QFileDialog", /::setWindowModality\s*\(/, "windowModality") +property_reader("QFileDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QFileDialog", /::setEnabled\s*\(/, "enabled") +property_reader("QFileDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QFileDialog", /::setGeometry\s*\(/, "geometry") +property_reader("QFileDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QFileDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QFileDialog", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QFileDialog", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QFileDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QFileDialog", /::setPos\s*\(/, "pos") +property_reader("QFileDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QFileDialog", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QFileDialog", /::setSize\s*\(/, "size") +property_reader("QFileDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QFileDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QFileDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QFileDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QFileDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QFileDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QFileDialog", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QFileDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QFileDialog", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QFileDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QFileDialog", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QFileDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QFileDialog", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QFileDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QFileDialog", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QFileDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QFileDialog", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QFileDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QFileDialog", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QFileDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QFileDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QFileDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QFileDialog", /::setBaseSize\s*\(/, "baseSize") +property_reader("QFileDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QFileDialog", /::setPalette\s*\(/, "palette") +property_reader("QFileDialog", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QFileDialog", /::setFont\s*\(/, "font") +property_reader("QFileDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QFileDialog", /::setCursor\s*\(/, "cursor") +property_reader("QFileDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QFileDialog", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QFileDialog", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QFileDialog", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QFileDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QFileDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QFileDialog", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QFileDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QFileDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QFileDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QFileDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QFileDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QFileDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QFileDialog", /::setVisible\s*\(/, "visible") +property_reader("QFileDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QFileDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QFileDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QFileDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QFileDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QFileDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QFileDialog", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QFileDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QFileDialog", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QFileDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QFileDialog", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QFileDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QFileDialog", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QFileDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QFileDialog", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QFileDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QFileDialog", /::setWindowModified\s*\(/, "windowModified") +property_reader("QFileDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QFileDialog", /::setToolTip\s*\(/, "toolTip") +property_reader("QFileDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QFileDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QFileDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QFileDialog", /::setStatusTip\s*\(/, "statusTip") +property_reader("QFileDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QFileDialog", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QFileDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QFileDialog", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QFileDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QFileDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QFileDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QFileDialog", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QFileDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QFileDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QFileDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QFileDialog", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QFileDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QFileDialog", /::setLocale\s*\(/, "locale") +property_reader("QFileDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QFileDialog", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QFileDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QFileDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QFileDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QFileDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QFileDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QFileDialog", /::setModal\s*\(/, "modal") +property_reader("QFileDialog", /::(viewMode|isViewMode|hasViewMode)\s*\(/, "viewMode") +property_writer("QFileDialog", /::setViewMode\s*\(/, "viewMode") +property_reader("QFileDialog", /::(fileMode|isFileMode|hasFileMode)\s*\(/, "fileMode") +property_writer("QFileDialog", /::setFileMode\s*\(/, "fileMode") +property_reader("QFileDialog", /::(acceptMode|isAcceptMode|hasAcceptMode)\s*\(/, "acceptMode") +property_writer("QFileDialog", /::setAcceptMode\s*\(/, "acceptMode") +property_reader("QFileDialog", /::(defaultSuffix|isDefaultSuffix|hasDefaultSuffix)\s*\(/, "defaultSuffix") +property_writer("QFileDialog", /::setDefaultSuffix\s*\(/, "defaultSuffix") +property_reader("QFileDialog", /::(options|isOptions|hasOptions)\s*\(/, "options") +property_writer("QFileDialog", /::setOptions\s*\(/, "options") +property_reader("QFileDialog", /::(supportedSchemes|isSupportedSchemes|hasSupportedSchemes)\s*\(/, "supportedSchemes") +property_writer("QFileDialog", /::setSupportedSchemes\s*\(/, "supportedSchemes") +property_reader("QFocusFrame", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFocusFrame", /::setObjectName\s*\(/, "objectName") +property_reader("QFocusFrame", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QFocusFrame", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QFocusFrame", /::setWindowModality\s*\(/, "windowModality") +property_reader("QFocusFrame", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QFocusFrame", /::setEnabled\s*\(/, "enabled") +property_reader("QFocusFrame", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QFocusFrame", /::setGeometry\s*\(/, "geometry") +property_reader("QFocusFrame", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QFocusFrame", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QFocusFrame", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QFocusFrame", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QFocusFrame", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QFocusFrame", /::setPos\s*\(/, "pos") +property_reader("QFocusFrame", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QFocusFrame", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QFocusFrame", /::setSize\s*\(/, "size") +property_reader("QFocusFrame", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QFocusFrame", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QFocusFrame", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QFocusFrame", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QFocusFrame", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QFocusFrame", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QFocusFrame", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QFocusFrame", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QFocusFrame", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QFocusFrame", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QFocusFrame", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QFocusFrame", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QFocusFrame", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QFocusFrame", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QFocusFrame", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QFocusFrame", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QFocusFrame", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QFocusFrame", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QFocusFrame", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QFocusFrame", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QFocusFrame", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QFocusFrame", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QFocusFrame", /::setBaseSize\s*\(/, "baseSize") +property_reader("QFocusFrame", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QFocusFrame", /::setPalette\s*\(/, "palette") +property_reader("QFocusFrame", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QFocusFrame", /::setFont\s*\(/, "font") +property_reader("QFocusFrame", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QFocusFrame", /::setCursor\s*\(/, "cursor") +property_reader("QFocusFrame", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QFocusFrame", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QFocusFrame", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QFocusFrame", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QFocusFrame", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QFocusFrame", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QFocusFrame", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QFocusFrame", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QFocusFrame", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QFocusFrame", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QFocusFrame", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QFocusFrame", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QFocusFrame", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QFocusFrame", /::setVisible\s*\(/, "visible") +property_reader("QFocusFrame", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QFocusFrame", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QFocusFrame", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QFocusFrame", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QFocusFrame", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QFocusFrame", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QFocusFrame", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QFocusFrame", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QFocusFrame", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QFocusFrame", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QFocusFrame", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QFocusFrame", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QFocusFrame", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QFocusFrame", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QFocusFrame", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QFocusFrame", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QFocusFrame", /::setWindowModified\s*\(/, "windowModified") +property_reader("QFocusFrame", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QFocusFrame", /::setToolTip\s*\(/, "toolTip") +property_reader("QFocusFrame", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QFocusFrame", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QFocusFrame", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QFocusFrame", /::setStatusTip\s*\(/, "statusTip") +property_reader("QFocusFrame", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QFocusFrame", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QFocusFrame", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QFocusFrame", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QFocusFrame", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QFocusFrame", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QFocusFrame", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QFocusFrame", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QFocusFrame", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QFocusFrame", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QFocusFrame", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QFocusFrame", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QFocusFrame", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QFocusFrame", /::setLocale\s*\(/, "locale") +property_reader("QFocusFrame", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QFocusFrame", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QFocusFrame", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QFocusFrame", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QFontComboBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFontComboBox", /::setObjectName\s*\(/, "objectName") +property_reader("QFontComboBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QFontComboBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QFontComboBox", /::setWindowModality\s*\(/, "windowModality") +property_reader("QFontComboBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QFontComboBox", /::setEnabled\s*\(/, "enabled") +property_reader("QFontComboBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QFontComboBox", /::setGeometry\s*\(/, "geometry") +property_reader("QFontComboBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QFontComboBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QFontComboBox", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QFontComboBox", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QFontComboBox", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QFontComboBox", /::setPos\s*\(/, "pos") +property_reader("QFontComboBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QFontComboBox", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QFontComboBox", /::setSize\s*\(/, "size") +property_reader("QFontComboBox", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QFontComboBox", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QFontComboBox", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QFontComboBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QFontComboBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QFontComboBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QFontComboBox", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QFontComboBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QFontComboBox", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QFontComboBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QFontComboBox", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QFontComboBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QFontComboBox", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QFontComboBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QFontComboBox", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QFontComboBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QFontComboBox", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QFontComboBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QFontComboBox", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QFontComboBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QFontComboBox", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QFontComboBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QFontComboBox", /::setBaseSize\s*\(/, "baseSize") +property_reader("QFontComboBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QFontComboBox", /::setPalette\s*\(/, "palette") +property_reader("QFontComboBox", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QFontComboBox", /::setFont\s*\(/, "font") +property_reader("QFontComboBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QFontComboBox", /::setCursor\s*\(/, "cursor") +property_reader("QFontComboBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QFontComboBox", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QFontComboBox", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QFontComboBox", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QFontComboBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QFontComboBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QFontComboBox", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QFontComboBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QFontComboBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QFontComboBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QFontComboBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QFontComboBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QFontComboBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QFontComboBox", /::setVisible\s*\(/, "visible") +property_reader("QFontComboBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QFontComboBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QFontComboBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QFontComboBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QFontComboBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QFontComboBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QFontComboBox", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QFontComboBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QFontComboBox", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QFontComboBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QFontComboBox", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QFontComboBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QFontComboBox", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QFontComboBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QFontComboBox", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QFontComboBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QFontComboBox", /::setWindowModified\s*\(/, "windowModified") +property_reader("QFontComboBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QFontComboBox", /::setToolTip\s*\(/, "toolTip") +property_reader("QFontComboBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QFontComboBox", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QFontComboBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QFontComboBox", /::setStatusTip\s*\(/, "statusTip") +property_reader("QFontComboBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QFontComboBox", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QFontComboBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QFontComboBox", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QFontComboBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QFontComboBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QFontComboBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QFontComboBox", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QFontComboBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QFontComboBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QFontComboBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QFontComboBox", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QFontComboBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QFontComboBox", /::setLocale\s*\(/, "locale") +property_reader("QFontComboBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QFontComboBox", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QFontComboBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QFontComboBox", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QFontComboBox", /::(editable|isEditable|hasEditable)\s*\(/, "editable") +property_writer("QFontComboBox", /::setEditable\s*\(/, "editable") +property_reader("QFontComboBox", /::(count|isCount|hasCount)\s*\(/, "count") +property_reader("QFontComboBox", /::(currentText|isCurrentText|hasCurrentText)\s*\(/, "currentText") +property_writer("QFontComboBox", /::setCurrentText\s*\(/, "currentText") +property_reader("QFontComboBox", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") +property_writer("QFontComboBox", /::setCurrentIndex\s*\(/, "currentIndex") +property_reader("QFontComboBox", /::(currentData|isCurrentData|hasCurrentData)\s*\(/, "currentData") +property_reader("QFontComboBox", /::(maxVisibleItems|isMaxVisibleItems|hasMaxVisibleItems)\s*\(/, "maxVisibleItems") +property_writer("QFontComboBox", /::setMaxVisibleItems\s*\(/, "maxVisibleItems") +property_reader("QFontComboBox", /::(maxCount|isMaxCount|hasMaxCount)\s*\(/, "maxCount") +property_writer("QFontComboBox", /::setMaxCount\s*\(/, "maxCount") +property_reader("QFontComboBox", /::(insertPolicy|isInsertPolicy|hasInsertPolicy)\s*\(/, "insertPolicy") +property_writer("QFontComboBox", /::setInsertPolicy\s*\(/, "insertPolicy") +property_reader("QFontComboBox", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QFontComboBox", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QFontComboBox", /::(minimumContentsLength|isMinimumContentsLength|hasMinimumContentsLength)\s*\(/, "minimumContentsLength") +property_writer("QFontComboBox", /::setMinimumContentsLength\s*\(/, "minimumContentsLength") +property_reader("QFontComboBox", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QFontComboBox", /::setIconSize\s*\(/, "iconSize") +property_reader("QFontComboBox", /::(placeholderText|isPlaceholderText|hasPlaceholderText)\s*\(/, "placeholderText") +property_writer("QFontComboBox", /::setPlaceholderText\s*\(/, "placeholderText") +property_reader("QFontComboBox", /::(duplicatesEnabled|isDuplicatesEnabled|hasDuplicatesEnabled)\s*\(/, "duplicatesEnabled") +property_writer("QFontComboBox", /::setDuplicatesEnabled\s*\(/, "duplicatesEnabled") +property_reader("QFontComboBox", /::(frame|isFrame|hasFrame)\s*\(/, "frame") +property_writer("QFontComboBox", /::setFrame\s*\(/, "frame") +property_reader("QFontComboBox", /::(modelColumn|isModelColumn|hasModelColumn)\s*\(/, "modelColumn") +property_writer("QFontComboBox", /::setModelColumn\s*\(/, "modelColumn") +property_reader("QFontComboBox", /::(writingSystem|isWritingSystem|hasWritingSystem)\s*\(/, "writingSystem") +property_writer("QFontComboBox", /::setWritingSystem\s*\(/, "writingSystem") +property_reader("QFontComboBox", /::(fontFilters|isFontFilters|hasFontFilters)\s*\(/, "fontFilters") +property_writer("QFontComboBox", /::setFontFilters\s*\(/, "fontFilters") +property_reader("QFontComboBox", /::(currentFont|isCurrentFont|hasCurrentFont)\s*\(/, "currentFont") +property_writer("QFontComboBox", /::setCurrentFont\s*\(/, "currentFont") +property_reader("QFontDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFontDialog", /::setObjectName\s*\(/, "objectName") +property_reader("QFontDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QFontDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QFontDialog", /::setWindowModality\s*\(/, "windowModality") +property_reader("QFontDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QFontDialog", /::setEnabled\s*\(/, "enabled") +property_reader("QFontDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QFontDialog", /::setGeometry\s*\(/, "geometry") +property_reader("QFontDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QFontDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QFontDialog", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QFontDialog", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QFontDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QFontDialog", /::setPos\s*\(/, "pos") +property_reader("QFontDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QFontDialog", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QFontDialog", /::setSize\s*\(/, "size") +property_reader("QFontDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QFontDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QFontDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QFontDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QFontDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QFontDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QFontDialog", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QFontDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QFontDialog", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QFontDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QFontDialog", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QFontDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QFontDialog", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QFontDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QFontDialog", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QFontDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QFontDialog", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QFontDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QFontDialog", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QFontDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QFontDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QFontDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QFontDialog", /::setBaseSize\s*\(/, "baseSize") +property_reader("QFontDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QFontDialog", /::setPalette\s*\(/, "palette") +property_reader("QFontDialog", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QFontDialog", /::setFont\s*\(/, "font") +property_reader("QFontDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QFontDialog", /::setCursor\s*\(/, "cursor") +property_reader("QFontDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QFontDialog", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QFontDialog", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QFontDialog", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QFontDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QFontDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QFontDialog", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QFontDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QFontDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QFontDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QFontDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QFontDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QFontDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QFontDialog", /::setVisible\s*\(/, "visible") +property_reader("QFontDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QFontDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QFontDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QFontDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QFontDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QFontDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QFontDialog", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QFontDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QFontDialog", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QFontDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QFontDialog", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QFontDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QFontDialog", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QFontDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QFontDialog", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QFontDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QFontDialog", /::setWindowModified\s*\(/, "windowModified") +property_reader("QFontDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QFontDialog", /::setToolTip\s*\(/, "toolTip") +property_reader("QFontDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QFontDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QFontDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QFontDialog", /::setStatusTip\s*\(/, "statusTip") +property_reader("QFontDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QFontDialog", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QFontDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QFontDialog", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QFontDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QFontDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QFontDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QFontDialog", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QFontDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QFontDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QFontDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QFontDialog", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QFontDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QFontDialog", /::setLocale\s*\(/, "locale") +property_reader("QFontDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QFontDialog", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QFontDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QFontDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QFontDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QFontDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QFontDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QFontDialog", /::setModal\s*\(/, "modal") +property_reader("QFontDialog", /::(currentFont|isCurrentFont|hasCurrentFont)\s*\(/, "currentFont") +property_writer("QFontDialog", /::setCurrentFont\s*\(/, "currentFont") +property_reader("QFontDialog", /::(options|isOptions|hasOptions)\s*\(/, "options") +property_writer("QFontDialog", /::setOptions\s*\(/, "options") +property_reader("QFormLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFormLayout", /::setObjectName\s*\(/, "objectName") +property_reader("QFormLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QFormLayout", /::setSpacing\s*\(/, "spacing") +property_reader("QFormLayout", /::(contentsMargins|isContentsMargins|hasContentsMargins)\s*\(/, "contentsMargins") +property_writer("QFormLayout", /::setContentsMargins\s*\(/, "contentsMargins") +property_reader("QFormLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") +property_writer("QFormLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") +property_reader("QFormLayout", /::(fieldGrowthPolicy|isFieldGrowthPolicy|hasFieldGrowthPolicy)\s*\(/, "fieldGrowthPolicy") +property_writer("QFormLayout", /::setFieldGrowthPolicy\s*\(/, "fieldGrowthPolicy") +property_reader("QFormLayout", /::(rowWrapPolicy|isRowWrapPolicy|hasRowWrapPolicy)\s*\(/, "rowWrapPolicy") +property_writer("QFormLayout", /::setRowWrapPolicy\s*\(/, "rowWrapPolicy") +property_reader("QFormLayout", /::(labelAlignment|isLabelAlignment|hasLabelAlignment)\s*\(/, "labelAlignment") +property_writer("QFormLayout", /::setLabelAlignment\s*\(/, "labelAlignment") +property_reader("QFormLayout", /::(formAlignment|isFormAlignment|hasFormAlignment)\s*\(/, "formAlignment") +property_writer("QFormLayout", /::setFormAlignment\s*\(/, "formAlignment") +property_reader("QFormLayout", /::(horizontalSpacing|isHorizontalSpacing|hasHorizontalSpacing)\s*\(/, "horizontalSpacing") +property_writer("QFormLayout", /::setHorizontalSpacing\s*\(/, "horizontalSpacing") +property_reader("QFormLayout", /::(verticalSpacing|isVerticalSpacing|hasVerticalSpacing)\s*\(/, "verticalSpacing") +property_writer("QFormLayout", /::setVerticalSpacing\s*\(/, "verticalSpacing") +property_reader("QFrame", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QFrame", /::setObjectName\s*\(/, "objectName") +property_reader("QFrame", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QFrame", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QFrame", /::setWindowModality\s*\(/, "windowModality") +property_reader("QFrame", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QFrame", /::setEnabled\s*\(/, "enabled") +property_reader("QFrame", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QFrame", /::setGeometry\s*\(/, "geometry") +property_reader("QFrame", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QFrame", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QFrame", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QFrame", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QFrame", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QFrame", /::setPos\s*\(/, "pos") +property_reader("QFrame", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QFrame", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QFrame", /::setSize\s*\(/, "size") +property_reader("QFrame", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QFrame", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QFrame", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QFrame", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QFrame", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QFrame", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QFrame", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QFrame", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QFrame", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QFrame", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QFrame", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QFrame", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QFrame", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QFrame", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QFrame", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QFrame", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QFrame", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QFrame", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QFrame", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QFrame", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QFrame", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QFrame", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QFrame", /::setBaseSize\s*\(/, "baseSize") +property_reader("QFrame", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QFrame", /::setPalette\s*\(/, "palette") +property_reader("QFrame", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QFrame", /::setFont\s*\(/, "font") +property_reader("QFrame", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QFrame", /::setCursor\s*\(/, "cursor") +property_reader("QFrame", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QFrame", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QFrame", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QFrame", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QFrame", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QFrame", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QFrame", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QFrame", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QFrame", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QFrame", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QFrame", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QFrame", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QFrame", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QFrame", /::setVisible\s*\(/, "visible") +property_reader("QFrame", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QFrame", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QFrame", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QFrame", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QFrame", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QFrame", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QFrame", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QFrame", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QFrame", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QFrame", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QFrame", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QFrame", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QFrame", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QFrame", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QFrame", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QFrame", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QFrame", /::setWindowModified\s*\(/, "windowModified") +property_reader("QFrame", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QFrame", /::setToolTip\s*\(/, "toolTip") +property_reader("QFrame", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QFrame", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QFrame", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QFrame", /::setStatusTip\s*\(/, "statusTip") +property_reader("QFrame", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QFrame", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QFrame", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QFrame", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QFrame", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QFrame", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QFrame", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QFrame", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QFrame", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QFrame", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QFrame", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QFrame", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QFrame", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QFrame", /::setLocale\s*\(/, "locale") +property_reader("QFrame", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QFrame", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QFrame", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QFrame", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QFrame", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QFrame", /::setFrameShape\s*\(/, "frameShape") +property_reader("QFrame", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QFrame", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QFrame", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QFrame", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QFrame", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QFrame", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QFrame", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QFrame", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QFrame", /::setFrameRect\s*\(/, "frameRect") +property_reader("QGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGesture", /::setObjectName\s*\(/, "objectName") +property_reader("QGesture", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") +property_reader("QGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") +property_writer("QGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") +property_reader("QGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") +property_writer("QGesture", /::setHotSpot\s*\(/, "hotSpot") +property_reader("QGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") +property_reader("QGraphicsAnchor", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsAnchor", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsAnchor", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QGraphicsAnchor", /::setSpacing\s*\(/, "spacing") +property_reader("QGraphicsAnchor", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QGraphicsAnchor", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QGraphicsBlurEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsBlurEffect", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsBlurEffect", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsBlurEffect", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsBlurEffect", /::(blurRadius|isBlurRadius|hasBlurRadius)\s*\(/, "blurRadius") +property_writer("QGraphicsBlurEffect", /::setBlurRadius\s*\(/, "blurRadius") +property_reader("QGraphicsBlurEffect", /::(blurHints|isBlurHints|hasBlurHints)\s*\(/, "blurHints") +property_writer("QGraphicsBlurEffect", /::setBlurHints\s*\(/, "blurHints") +property_reader("QGraphicsColorizeEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsColorizeEffect", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsColorizeEffect", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsColorizeEffect", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsColorizeEffect", /::(color|isColor|hasColor)\s*\(/, "color") +property_writer("QGraphicsColorizeEffect", /::setColor\s*\(/, "color") +property_reader("QGraphicsColorizeEffect", /::(strength|isStrength|hasStrength)\s*\(/, "strength") +property_writer("QGraphicsColorizeEffect", /::setStrength\s*\(/, "strength") +property_reader("QGraphicsDropShadowEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsDropShadowEffect", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsDropShadowEffect", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsDropShadowEffect", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsDropShadowEffect", /::(offset|isOffset|hasOffset)\s*\(/, "offset") +property_writer("QGraphicsDropShadowEffect", /::setOffset\s*\(/, "offset") +property_reader("QGraphicsDropShadowEffect", /::(xOffset|isXOffset|hasXOffset)\s*\(/, "xOffset") +property_writer("QGraphicsDropShadowEffect", /::setXOffset\s*\(/, "xOffset") +property_reader("QGraphicsDropShadowEffect", /::(yOffset|isYOffset|hasYOffset)\s*\(/, "yOffset") +property_writer("QGraphicsDropShadowEffect", /::setYOffset\s*\(/, "yOffset") +property_reader("QGraphicsDropShadowEffect", /::(blurRadius|isBlurRadius|hasBlurRadius)\s*\(/, "blurRadius") +property_writer("QGraphicsDropShadowEffect", /::setBlurRadius\s*\(/, "blurRadius") +property_reader("QGraphicsDropShadowEffect", /::(color|isColor|hasColor)\s*\(/, "color") +property_writer("QGraphicsDropShadowEffect", /::setColor\s*\(/, "color") +property_reader("QGraphicsEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsEffect", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsEffect", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsEffect", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsItemAnimation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsItemAnimation", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsObject", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsObject", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsObject", /::(parent|isParent|hasParent)\s*\(/, "parent") +property_writer("QGraphicsObject", /::setParent\s*\(/, "parent") +property_reader("QGraphicsObject", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") +property_writer("QGraphicsObject", /::setOpacity\s*\(/, "opacity") +property_reader("QGraphicsObject", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsObject", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsObject", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QGraphicsObject", /::setVisible\s*\(/, "visible") +property_reader("QGraphicsObject", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QGraphicsObject", /::setPos\s*\(/, "pos") +property_reader("QGraphicsObject", /::(x|isX|hasX)\s*\(/, "x") +property_writer("QGraphicsObject", /::setX\s*\(/, "x") +property_reader("QGraphicsObject", /::(y|isY|hasY)\s*\(/, "y") +property_writer("QGraphicsObject", /::setY\s*\(/, "y") +property_reader("QGraphicsObject", /::(z|isZ|hasZ)\s*\(/, "z") +property_writer("QGraphicsObject", /::setZ\s*\(/, "z") +property_reader("QGraphicsObject", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") +property_writer("QGraphicsObject", /::setRotation\s*\(/, "rotation") +property_reader("QGraphicsObject", /::(scale|isScale|hasScale)\s*\(/, "scale") +property_writer("QGraphicsObject", /::setScale\s*\(/, "scale") +property_reader("QGraphicsObject", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") +property_writer("QGraphicsObject", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") +property_reader("QGraphicsObject", /::(effect|isEffect|hasEffect)\s*\(/, "effect") +property_writer("QGraphicsObject", /::setEffect\s*\(/, "effect") +property_reader("QGraphicsObject", /::(children|isChildren|hasChildren)\s*\(/, "children") +property_reader("QGraphicsObject", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_writer("QGraphicsObject", /::setWidth\s*\(/, "width") +property_reader("QGraphicsObject", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_writer("QGraphicsObject", /::setHeight\s*\(/, "height") +property_reader("QGraphicsOpacityEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsOpacityEffect", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsOpacityEffect", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsOpacityEffect", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsOpacityEffect", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") +property_writer("QGraphicsOpacityEffect", /::setOpacity\s*\(/, "opacity") +property_reader("QGraphicsOpacityEffect", /::(opacityMask|isOpacityMask|hasOpacityMask)\s*\(/, "opacityMask") +property_writer("QGraphicsOpacityEffect", /::setOpacityMask\s*\(/, "opacityMask") +property_reader("QGraphicsProxyWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsProxyWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsProxyWidget", /::(parent|isParent|hasParent)\s*\(/, "parent") +property_writer("QGraphicsProxyWidget", /::setParent\s*\(/, "parent") +property_reader("QGraphicsProxyWidget", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") +property_writer("QGraphicsProxyWidget", /::setOpacity\s*\(/, "opacity") +property_reader("QGraphicsProxyWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsProxyWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsProxyWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QGraphicsProxyWidget", /::setVisible\s*\(/, "visible") +property_reader("QGraphicsProxyWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QGraphicsProxyWidget", /::setPos\s*\(/, "pos") +property_reader("QGraphicsProxyWidget", /::(x|isX|hasX)\s*\(/, "x") +property_writer("QGraphicsProxyWidget", /::setX\s*\(/, "x") +property_reader("QGraphicsProxyWidget", /::(y|isY|hasY)\s*\(/, "y") +property_writer("QGraphicsProxyWidget", /::setY\s*\(/, "y") +property_reader("QGraphicsProxyWidget", /::(z|isZ|hasZ)\s*\(/, "z") +property_writer("QGraphicsProxyWidget", /::setZ\s*\(/, "z") +property_reader("QGraphicsProxyWidget", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") +property_writer("QGraphicsProxyWidget", /::setRotation\s*\(/, "rotation") +property_reader("QGraphicsProxyWidget", /::(scale|isScale|hasScale)\s*\(/, "scale") +property_writer("QGraphicsProxyWidget", /::setScale\s*\(/, "scale") +property_reader("QGraphicsProxyWidget", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") +property_writer("QGraphicsProxyWidget", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") +property_reader("QGraphicsProxyWidget", /::(effect|isEffect|hasEffect)\s*\(/, "effect") +property_writer("QGraphicsProxyWidget", /::setEffect\s*\(/, "effect") +property_reader("QGraphicsProxyWidget", /::(children|isChildren|hasChildren)\s*\(/, "children") +property_reader("QGraphicsProxyWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_writer("QGraphicsProxyWidget", /::setWidth\s*\(/, "width") +property_reader("QGraphicsProxyWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_writer("QGraphicsProxyWidget", /::setHeight\s*\(/, "height") +property_reader("QGraphicsProxyWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QGraphicsProxyWidget", /::setPalette\s*\(/, "palette") +property_reader("QGraphicsProxyWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QGraphicsProxyWidget", /::setFont\s*\(/, "font") +property_reader("QGraphicsProxyWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QGraphicsProxyWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QGraphicsProxyWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QGraphicsProxyWidget", /::setSize\s*\(/, "size") +property_reader("QGraphicsProxyWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QGraphicsProxyWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QGraphicsProxyWidget", /::(preferredSize|isPreferredSize|hasPreferredSize)\s*\(/, "preferredSize") +property_writer("QGraphicsProxyWidget", /::setPreferredSize\s*\(/, "preferredSize") +property_reader("QGraphicsProxyWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QGraphicsProxyWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QGraphicsProxyWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QGraphicsProxyWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QGraphicsProxyWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QGraphicsProxyWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QGraphicsProxyWidget", /::(windowFlags|isWindowFlags|hasWindowFlags)\s*\(/, "windowFlags") +property_writer("QGraphicsProxyWidget", /::setWindowFlags\s*\(/, "windowFlags") +property_reader("QGraphicsProxyWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QGraphicsProxyWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QGraphicsProxyWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QGraphicsProxyWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QGraphicsProxyWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QGraphicsProxyWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QGraphicsProxyWidget", /::(layout|isLayout|hasLayout)\s*\(/, "layout") +property_writer("QGraphicsProxyWidget", /::setLayout\s*\(/, "layout") +property_reader("QGraphicsRotation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsRotation", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsRotation", /::(origin|isOrigin|hasOrigin)\s*\(/, "origin") +property_writer("QGraphicsRotation", /::setOrigin\s*\(/, "origin") +property_reader("QGraphicsRotation", /::(angle|isAngle|hasAngle)\s*\(/, "angle") +property_writer("QGraphicsRotation", /::setAngle\s*\(/, "angle") +property_reader("QGraphicsRotation", /::(axis|isAxis|hasAxis)\s*\(/, "axis") +property_writer("QGraphicsRotation", /::setAxis\s*\(/, "axis") +property_reader("QGraphicsScale", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsScale", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsScale", /::(origin|isOrigin|hasOrigin)\s*\(/, "origin") +property_writer("QGraphicsScale", /::setOrigin\s*\(/, "origin") +property_reader("QGraphicsScale", /::(xScale|isXScale|hasXScale)\s*\(/, "xScale") +property_writer("QGraphicsScale", /::setXScale\s*\(/, "xScale") +property_reader("QGraphicsScale", /::(yScale|isYScale|hasYScale)\s*\(/, "yScale") +property_writer("QGraphicsScale", /::setYScale\s*\(/, "yScale") +property_reader("QGraphicsScale", /::(zScale|isZScale|hasZScale)\s*\(/, "zScale") +property_writer("QGraphicsScale", /::setZScale\s*\(/, "zScale") +property_reader("QGraphicsScene", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsScene", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsScene", /::(backgroundBrush|isBackgroundBrush|hasBackgroundBrush)\s*\(/, "backgroundBrush") +property_writer("QGraphicsScene", /::setBackgroundBrush\s*\(/, "backgroundBrush") +property_reader("QGraphicsScene", /::(foregroundBrush|isForegroundBrush|hasForegroundBrush)\s*\(/, "foregroundBrush") +property_writer("QGraphicsScene", /::setForegroundBrush\s*\(/, "foregroundBrush") +property_reader("QGraphicsScene", /::(itemIndexMethod|isItemIndexMethod|hasItemIndexMethod)\s*\(/, "itemIndexMethod") +property_writer("QGraphicsScene", /::setItemIndexMethod\s*\(/, "itemIndexMethod") +property_reader("QGraphicsScene", /::(sceneRect|isSceneRect|hasSceneRect)\s*\(/, "sceneRect") +property_writer("QGraphicsScene", /::setSceneRect\s*\(/, "sceneRect") +property_reader("QGraphicsScene", /::(bspTreeDepth|isBspTreeDepth|hasBspTreeDepth)\s*\(/, "bspTreeDepth") +property_writer("QGraphicsScene", /::setBspTreeDepth\s*\(/, "bspTreeDepth") +property_reader("QGraphicsScene", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QGraphicsScene", /::setPalette\s*\(/, "palette") +property_reader("QGraphicsScene", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QGraphicsScene", /::setFont\s*\(/, "font") +property_reader("QGraphicsScene", /::(stickyFocus|isStickyFocus|hasStickyFocus)\s*\(/, "stickyFocus") +property_writer("QGraphicsScene", /::setStickyFocus\s*\(/, "stickyFocus") +property_reader("QGraphicsScene", /::(minimumRenderSize|isMinimumRenderSize|hasMinimumRenderSize)\s*\(/, "minimumRenderSize") +property_writer("QGraphicsScene", /::setMinimumRenderSize\s*\(/, "minimumRenderSize") +property_reader("QGraphicsScene", /::(focusOnTouch|isFocusOnTouch|hasFocusOnTouch)\s*\(/, "focusOnTouch") +property_writer("QGraphicsScene", /::setFocusOnTouch\s*\(/, "focusOnTouch") +property_reader("QGraphicsTextItem", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsTextItem", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsTextItem", /::(parent|isParent|hasParent)\s*\(/, "parent") +property_writer("QGraphicsTextItem", /::setParent\s*\(/, "parent") +property_reader("QGraphicsTextItem", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") +property_writer("QGraphicsTextItem", /::setOpacity\s*\(/, "opacity") +property_reader("QGraphicsTextItem", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsTextItem", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsTextItem", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QGraphicsTextItem", /::setVisible\s*\(/, "visible") +property_reader("QGraphicsTextItem", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QGraphicsTextItem", /::setPos\s*\(/, "pos") +property_reader("QGraphicsTextItem", /::(x|isX|hasX)\s*\(/, "x") +property_writer("QGraphicsTextItem", /::setX\s*\(/, "x") +property_reader("QGraphicsTextItem", /::(y|isY|hasY)\s*\(/, "y") +property_writer("QGraphicsTextItem", /::setY\s*\(/, "y") +property_reader("QGraphicsTextItem", /::(z|isZ|hasZ)\s*\(/, "z") +property_writer("QGraphicsTextItem", /::setZ\s*\(/, "z") +property_reader("QGraphicsTextItem", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") +property_writer("QGraphicsTextItem", /::setRotation\s*\(/, "rotation") +property_reader("QGraphicsTextItem", /::(scale|isScale|hasScale)\s*\(/, "scale") +property_writer("QGraphicsTextItem", /::setScale\s*\(/, "scale") +property_reader("QGraphicsTextItem", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") +property_writer("QGraphicsTextItem", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") +property_reader("QGraphicsTextItem", /::(effect|isEffect|hasEffect)\s*\(/, "effect") +property_writer("QGraphicsTextItem", /::setEffect\s*\(/, "effect") +property_reader("QGraphicsTextItem", /::(children|isChildren|hasChildren)\s*\(/, "children") +property_reader("QGraphicsTextItem", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_writer("QGraphicsTextItem", /::setWidth\s*\(/, "width") +property_reader("QGraphicsTextItem", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_writer("QGraphicsTextItem", /::setHeight\s*\(/, "height") +property_reader("QGraphicsTransform", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsTransform", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsView", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsView", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QGraphicsView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QGraphicsView", /::setWindowModality\s*\(/, "windowModality") +property_reader("QGraphicsView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsView", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QGraphicsView", /::setGeometry\s*\(/, "geometry") +property_reader("QGraphicsView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QGraphicsView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QGraphicsView", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QGraphicsView", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QGraphicsView", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QGraphicsView", /::setPos\s*\(/, "pos") +property_reader("QGraphicsView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QGraphicsView", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QGraphicsView", /::setSize\s*\(/, "size") +property_reader("QGraphicsView", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QGraphicsView", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QGraphicsView", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QGraphicsView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QGraphicsView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QGraphicsView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QGraphicsView", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QGraphicsView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QGraphicsView", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QGraphicsView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QGraphicsView", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QGraphicsView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QGraphicsView", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QGraphicsView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QGraphicsView", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QGraphicsView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QGraphicsView", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QGraphicsView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QGraphicsView", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QGraphicsView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QGraphicsView", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QGraphicsView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QGraphicsView", /::setBaseSize\s*\(/, "baseSize") +property_reader("QGraphicsView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QGraphicsView", /::setPalette\s*\(/, "palette") +property_reader("QGraphicsView", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QGraphicsView", /::setFont\s*\(/, "font") +property_reader("QGraphicsView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QGraphicsView", /::setCursor\s*\(/, "cursor") +property_reader("QGraphicsView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QGraphicsView", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QGraphicsView", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QGraphicsView", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QGraphicsView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QGraphicsView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QGraphicsView", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QGraphicsView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QGraphicsView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QGraphicsView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QGraphicsView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QGraphicsView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QGraphicsView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QGraphicsView", /::setVisible\s*\(/, "visible") +property_reader("QGraphicsView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QGraphicsView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QGraphicsView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QGraphicsView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QGraphicsView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QGraphicsView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QGraphicsView", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QGraphicsView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QGraphicsView", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QGraphicsView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QGraphicsView", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QGraphicsView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QGraphicsView", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QGraphicsView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QGraphicsView", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QGraphicsView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QGraphicsView", /::setWindowModified\s*\(/, "windowModified") +property_reader("QGraphicsView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QGraphicsView", /::setToolTip\s*\(/, "toolTip") +property_reader("QGraphicsView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QGraphicsView", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QGraphicsView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QGraphicsView", /::setStatusTip\s*\(/, "statusTip") +property_reader("QGraphicsView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QGraphicsView", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QGraphicsView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QGraphicsView", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QGraphicsView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QGraphicsView", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QGraphicsView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QGraphicsView", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QGraphicsView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QGraphicsView", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QGraphicsView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QGraphicsView", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QGraphicsView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QGraphicsView", /::setLocale\s*\(/, "locale") +property_reader("QGraphicsView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QGraphicsView", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QGraphicsView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QGraphicsView", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QGraphicsView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QGraphicsView", /::setFrameShape\s*\(/, "frameShape") +property_reader("QGraphicsView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QGraphicsView", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QGraphicsView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QGraphicsView", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QGraphicsView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QGraphicsView", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QGraphicsView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QGraphicsView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QGraphicsView", /::setFrameRect\s*\(/, "frameRect") +property_reader("QGraphicsView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QGraphicsView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QGraphicsView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QGraphicsView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QGraphicsView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QGraphicsView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QGraphicsView", /::(backgroundBrush|isBackgroundBrush|hasBackgroundBrush)\s*\(/, "backgroundBrush") +property_writer("QGraphicsView", /::setBackgroundBrush\s*\(/, "backgroundBrush") +property_reader("QGraphicsView", /::(foregroundBrush|isForegroundBrush|hasForegroundBrush)\s*\(/, "foregroundBrush") +property_writer("QGraphicsView", /::setForegroundBrush\s*\(/, "foregroundBrush") +property_reader("QGraphicsView", /::(interactive|isInteractive|hasInteractive)\s*\(/, "interactive") +property_writer("QGraphicsView", /::setInteractive\s*\(/, "interactive") +property_reader("QGraphicsView", /::(sceneRect|isSceneRect|hasSceneRect)\s*\(/, "sceneRect") +property_writer("QGraphicsView", /::setSceneRect\s*\(/, "sceneRect") +property_reader("QGraphicsView", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QGraphicsView", /::setAlignment\s*\(/, "alignment") +property_reader("QGraphicsView", /::(renderHints|isRenderHints|hasRenderHints)\s*\(/, "renderHints") +property_writer("QGraphicsView", /::setRenderHints\s*\(/, "renderHints") +property_reader("QGraphicsView", /::(dragMode|isDragMode|hasDragMode)\s*\(/, "dragMode") +property_writer("QGraphicsView", /::setDragMode\s*\(/, "dragMode") +property_reader("QGraphicsView", /::(cacheMode|isCacheMode|hasCacheMode)\s*\(/, "cacheMode") +property_writer("QGraphicsView", /::setCacheMode\s*\(/, "cacheMode") +property_reader("QGraphicsView", /::(transformationAnchor|isTransformationAnchor|hasTransformationAnchor)\s*\(/, "transformationAnchor") +property_writer("QGraphicsView", /::setTransformationAnchor\s*\(/, "transformationAnchor") +property_reader("QGraphicsView", /::(resizeAnchor|isResizeAnchor|hasResizeAnchor)\s*\(/, "resizeAnchor") +property_writer("QGraphicsView", /::setResizeAnchor\s*\(/, "resizeAnchor") +property_reader("QGraphicsView", /::(viewportUpdateMode|isViewportUpdateMode|hasViewportUpdateMode)\s*\(/, "viewportUpdateMode") +property_writer("QGraphicsView", /::setViewportUpdateMode\s*\(/, "viewportUpdateMode") +property_reader("QGraphicsView", /::(rubberBandSelectionMode|isRubberBandSelectionMode|hasRubberBandSelectionMode)\s*\(/, "rubberBandSelectionMode") +property_writer("QGraphicsView", /::setRubberBandSelectionMode\s*\(/, "rubberBandSelectionMode") +property_reader("QGraphicsView", /::(optimizationFlags|isOptimizationFlags|hasOptimizationFlags)\s*\(/, "optimizationFlags") +property_writer("QGraphicsView", /::setOptimizationFlags\s*\(/, "optimizationFlags") +property_reader("QGraphicsWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGraphicsWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QGraphicsWidget", /::(parent|isParent|hasParent)\s*\(/, "parent") +property_writer("QGraphicsWidget", /::setParent\s*\(/, "parent") +property_reader("QGraphicsWidget", /::(opacity|isOpacity|hasOpacity)\s*\(/, "opacity") +property_writer("QGraphicsWidget", /::setOpacity\s*\(/, "opacity") +property_reader("QGraphicsWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGraphicsWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QGraphicsWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QGraphicsWidget", /::setVisible\s*\(/, "visible") +property_reader("QGraphicsWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QGraphicsWidget", /::setPos\s*\(/, "pos") +property_reader("QGraphicsWidget", /::(x|isX|hasX)\s*\(/, "x") +property_writer("QGraphicsWidget", /::setX\s*\(/, "x") +property_reader("QGraphicsWidget", /::(y|isY|hasY)\s*\(/, "y") +property_writer("QGraphicsWidget", /::setY\s*\(/, "y") +property_reader("QGraphicsWidget", /::(z|isZ|hasZ)\s*\(/, "z") +property_writer("QGraphicsWidget", /::setZ\s*\(/, "z") +property_reader("QGraphicsWidget", /::(rotation|isRotation|hasRotation)\s*\(/, "rotation") +property_writer("QGraphicsWidget", /::setRotation\s*\(/, "rotation") +property_reader("QGraphicsWidget", /::(scale|isScale|hasScale)\s*\(/, "scale") +property_writer("QGraphicsWidget", /::setScale\s*\(/, "scale") +property_reader("QGraphicsWidget", /::(transformOriginPoint|isTransformOriginPoint|hasTransformOriginPoint)\s*\(/, "transformOriginPoint") +property_writer("QGraphicsWidget", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") +property_reader("QGraphicsWidget", /::(effect|isEffect|hasEffect)\s*\(/, "effect") +property_writer("QGraphicsWidget", /::setEffect\s*\(/, "effect") +property_reader("QGraphicsWidget", /::(children|isChildren|hasChildren)\s*\(/, "children") +property_reader("QGraphicsWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_writer("QGraphicsWidget", /::setWidth\s*\(/, "width") +property_reader("QGraphicsWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_writer("QGraphicsWidget", /::setHeight\s*\(/, "height") +property_reader("QGraphicsWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QGraphicsWidget", /::setPalette\s*\(/, "palette") +property_reader("QGraphicsWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QGraphicsWidget", /::setFont\s*\(/, "font") +property_reader("QGraphicsWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QGraphicsWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QGraphicsWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QGraphicsWidget", /::setSize\s*\(/, "size") +property_reader("QGraphicsWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QGraphicsWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QGraphicsWidget", /::(preferredSize|isPreferredSize|hasPreferredSize)\s*\(/, "preferredSize") +property_writer("QGraphicsWidget", /::setPreferredSize\s*\(/, "preferredSize") +property_reader("QGraphicsWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QGraphicsWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QGraphicsWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QGraphicsWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QGraphicsWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QGraphicsWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QGraphicsWidget", /::(windowFlags|isWindowFlags|hasWindowFlags)\s*\(/, "windowFlags") +property_writer("QGraphicsWidget", /::setWindowFlags\s*\(/, "windowFlags") +property_reader("QGraphicsWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QGraphicsWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QGraphicsWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QGraphicsWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QGraphicsWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QGraphicsWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QGraphicsWidget", /::(layout|isLayout|hasLayout)\s*\(/, "layout") +property_writer("QGraphicsWidget", /::setLayout\s*\(/, "layout") +property_reader("QGridLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGridLayout", /::setObjectName\s*\(/, "objectName") +property_reader("QGridLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QGridLayout", /::setSpacing\s*\(/, "spacing") +property_reader("QGridLayout", /::(contentsMargins|isContentsMargins|hasContentsMargins)\s*\(/, "contentsMargins") +property_writer("QGridLayout", /::setContentsMargins\s*\(/, "contentsMargins") +property_reader("QGridLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") +property_writer("QGridLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") +property_reader("QGroupBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QGroupBox", /::setObjectName\s*\(/, "objectName") +property_reader("QGroupBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QGroupBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QGroupBox", /::setWindowModality\s*\(/, "windowModality") +property_reader("QGroupBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QGroupBox", /::setEnabled\s*\(/, "enabled") +property_reader("QGroupBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QGroupBox", /::setGeometry\s*\(/, "geometry") +property_reader("QGroupBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QGroupBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QGroupBox", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QGroupBox", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QGroupBox", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QGroupBox", /::setPos\s*\(/, "pos") +property_reader("QGroupBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QGroupBox", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QGroupBox", /::setSize\s*\(/, "size") +property_reader("QGroupBox", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QGroupBox", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QGroupBox", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QGroupBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QGroupBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QGroupBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QGroupBox", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QGroupBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QGroupBox", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QGroupBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QGroupBox", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QGroupBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QGroupBox", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QGroupBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QGroupBox", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QGroupBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QGroupBox", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QGroupBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QGroupBox", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QGroupBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QGroupBox", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QGroupBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QGroupBox", /::setBaseSize\s*\(/, "baseSize") +property_reader("QGroupBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QGroupBox", /::setPalette\s*\(/, "palette") +property_reader("QGroupBox", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QGroupBox", /::setFont\s*\(/, "font") +property_reader("QGroupBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QGroupBox", /::setCursor\s*\(/, "cursor") +property_reader("QGroupBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QGroupBox", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QGroupBox", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QGroupBox", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QGroupBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QGroupBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QGroupBox", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QGroupBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QGroupBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QGroupBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QGroupBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QGroupBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QGroupBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QGroupBox", /::setVisible\s*\(/, "visible") +property_reader("QGroupBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QGroupBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QGroupBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QGroupBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QGroupBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QGroupBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QGroupBox", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QGroupBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QGroupBox", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QGroupBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QGroupBox", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QGroupBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QGroupBox", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QGroupBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QGroupBox", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QGroupBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QGroupBox", /::setWindowModified\s*\(/, "windowModified") +property_reader("QGroupBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QGroupBox", /::setToolTip\s*\(/, "toolTip") +property_reader("QGroupBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QGroupBox", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QGroupBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QGroupBox", /::setStatusTip\s*\(/, "statusTip") +property_reader("QGroupBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QGroupBox", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QGroupBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QGroupBox", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QGroupBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QGroupBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QGroupBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QGroupBox", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QGroupBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QGroupBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QGroupBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QGroupBox", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QGroupBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QGroupBox", /::setLocale\s*\(/, "locale") +property_reader("QGroupBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QGroupBox", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QGroupBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QGroupBox", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QGroupBox", /::(title|isTitle|hasTitle)\s*\(/, "title") +property_writer("QGroupBox", /::setTitle\s*\(/, "title") +property_reader("QGroupBox", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QGroupBox", /::setAlignment\s*\(/, "alignment") +property_reader("QGroupBox", /::(flat|isFlat|hasFlat)\s*\(/, "flat") +property_writer("QGroupBox", /::setFlat\s*\(/, "flat") +property_reader("QGroupBox", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") +property_writer("QGroupBox", /::setCheckable\s*\(/, "checkable") +property_reader("QGroupBox", /::(checked|isChecked|hasChecked)\s*\(/, "checked") +property_writer("QGroupBox", /::setChecked\s*\(/, "checked") +property_reader("QHBoxLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QHBoxLayout", /::setObjectName\s*\(/, "objectName") +property_reader("QHBoxLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QHBoxLayout", /::setSpacing\s*\(/, "spacing") +property_reader("QHBoxLayout", /::(contentsMargins|isContentsMargins|hasContentsMargins)\s*\(/, "contentsMargins") +property_writer("QHBoxLayout", /::setContentsMargins\s*\(/, "contentsMargins") +property_reader("QHBoxLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") +property_writer("QHBoxLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") +property_reader("QHeaderView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QHeaderView", /::setObjectName\s*\(/, "objectName") +property_reader("QHeaderView", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QHeaderView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QHeaderView", /::setWindowModality\s*\(/, "windowModality") +property_reader("QHeaderView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QHeaderView", /::setEnabled\s*\(/, "enabled") +property_reader("QHeaderView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QHeaderView", /::setGeometry\s*\(/, "geometry") +property_reader("QHeaderView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QHeaderView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QHeaderView", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QHeaderView", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QHeaderView", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QHeaderView", /::setPos\s*\(/, "pos") +property_reader("QHeaderView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QHeaderView", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QHeaderView", /::setSize\s*\(/, "size") +property_reader("QHeaderView", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QHeaderView", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QHeaderView", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QHeaderView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QHeaderView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QHeaderView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QHeaderView", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QHeaderView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QHeaderView", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QHeaderView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QHeaderView", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QHeaderView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QHeaderView", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QHeaderView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QHeaderView", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QHeaderView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QHeaderView", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QHeaderView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QHeaderView", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QHeaderView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QHeaderView", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QHeaderView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QHeaderView", /::setBaseSize\s*\(/, "baseSize") +property_reader("QHeaderView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QHeaderView", /::setPalette\s*\(/, "palette") +property_reader("QHeaderView", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QHeaderView", /::setFont\s*\(/, "font") +property_reader("QHeaderView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QHeaderView", /::setCursor\s*\(/, "cursor") +property_reader("QHeaderView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QHeaderView", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QHeaderView", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QHeaderView", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QHeaderView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QHeaderView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QHeaderView", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QHeaderView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QHeaderView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QHeaderView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QHeaderView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QHeaderView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QHeaderView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QHeaderView", /::setVisible\s*\(/, "visible") +property_reader("QHeaderView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QHeaderView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QHeaderView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QHeaderView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QHeaderView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QHeaderView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QHeaderView", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QHeaderView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QHeaderView", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QHeaderView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QHeaderView", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QHeaderView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QHeaderView", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QHeaderView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QHeaderView", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QHeaderView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QHeaderView", /::setWindowModified\s*\(/, "windowModified") +property_reader("QHeaderView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QHeaderView", /::setToolTip\s*\(/, "toolTip") +property_reader("QHeaderView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QHeaderView", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QHeaderView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QHeaderView", /::setStatusTip\s*\(/, "statusTip") +property_reader("QHeaderView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QHeaderView", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QHeaderView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QHeaderView", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QHeaderView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QHeaderView", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QHeaderView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QHeaderView", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QHeaderView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QHeaderView", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QHeaderView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QHeaderView", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QHeaderView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QHeaderView", /::setLocale\s*\(/, "locale") +property_reader("QHeaderView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QHeaderView", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QHeaderView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QHeaderView", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QHeaderView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QHeaderView", /::setFrameShape\s*\(/, "frameShape") +property_reader("QHeaderView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QHeaderView", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QHeaderView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QHeaderView", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QHeaderView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QHeaderView", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QHeaderView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QHeaderView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QHeaderView", /::setFrameRect\s*\(/, "frameRect") +property_reader("QHeaderView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QHeaderView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QHeaderView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QHeaderView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QHeaderView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QHeaderView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QHeaderView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") +property_writer("QHeaderView", /::setAutoScroll\s*\(/, "autoScroll") +property_reader("QHeaderView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") +property_writer("QHeaderView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") +property_reader("QHeaderView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") +property_writer("QHeaderView", /::setEditTriggers\s*\(/, "editTriggers") +property_reader("QHeaderView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") +property_writer("QHeaderView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") +property_reader("QHeaderView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") +property_writer("QHeaderView", /::setShowDropIndicator\s*\(/, "showDropIndicator") +property_reader("QHeaderView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QHeaderView", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QHeaderView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") +property_writer("QHeaderView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") +property_reader("QHeaderView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") +property_writer("QHeaderView", /::setDragDropMode\s*\(/, "dragDropMode") +property_reader("QHeaderView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") +property_writer("QHeaderView", /::setDefaultDropAction\s*\(/, "defaultDropAction") +property_reader("QHeaderView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") +property_writer("QHeaderView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") +property_reader("QHeaderView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QHeaderView", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QHeaderView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") +property_writer("QHeaderView", /::setSelectionBehavior\s*\(/, "selectionBehavior") +property_reader("QHeaderView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QHeaderView", /::setIconSize\s*\(/, "iconSize") +property_reader("QHeaderView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") +property_writer("QHeaderView", /::setTextElideMode\s*\(/, "textElideMode") +property_reader("QHeaderView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") +property_writer("QHeaderView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") +property_reader("QHeaderView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") +property_writer("QHeaderView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") +property_reader("QHeaderView", /::(firstSectionMovable|isFirstSectionMovable|hasFirstSectionMovable)\s*\(/, "firstSectionMovable") +property_writer("QHeaderView", /::setFirstSectionMovable\s*\(/, "firstSectionMovable") +property_reader("QHeaderView", /::(showSortIndicator|isShowSortIndicator|hasShowSortIndicator)\s*\(/, "showSortIndicator") +property_writer("QHeaderView", /::setShowSortIndicator\s*\(/, "showSortIndicator") +property_reader("QHeaderView", /::(highlightSections|isHighlightSections|hasHighlightSections)\s*\(/, "highlightSections") +property_writer("QHeaderView", /::setHighlightSections\s*\(/, "highlightSections") +property_reader("QHeaderView", /::(stretchLastSection|isStretchLastSection|hasStretchLastSection)\s*\(/, "stretchLastSection") +property_writer("QHeaderView", /::setStretchLastSection\s*\(/, "stretchLastSection") +property_reader("QHeaderView", /::(cascadingSectionResizes|isCascadingSectionResizes|hasCascadingSectionResizes)\s*\(/, "cascadingSectionResizes") +property_writer("QHeaderView", /::setCascadingSectionResizes\s*\(/, "cascadingSectionResizes") +property_reader("QHeaderView", /::(defaultSectionSize|isDefaultSectionSize|hasDefaultSectionSize)\s*\(/, "defaultSectionSize") +property_writer("QHeaderView", /::setDefaultSectionSize\s*\(/, "defaultSectionSize") +property_reader("QHeaderView", /::(minimumSectionSize|isMinimumSectionSize|hasMinimumSectionSize)\s*\(/, "minimumSectionSize") +property_writer("QHeaderView", /::setMinimumSectionSize\s*\(/, "minimumSectionSize") +property_reader("QHeaderView", /::(maximumSectionSize|isMaximumSectionSize|hasMaximumSectionSize)\s*\(/, "maximumSectionSize") +property_writer("QHeaderView", /::setMaximumSectionSize\s*\(/, "maximumSectionSize") +property_reader("QHeaderView", /::(defaultAlignment|isDefaultAlignment|hasDefaultAlignment)\s*\(/, "defaultAlignment") +property_writer("QHeaderView", /::setDefaultAlignment\s*\(/, "defaultAlignment") +property_reader("QHeaderView", /::(sortIndicatorClearable|isSortIndicatorClearable|hasSortIndicatorClearable)\s*\(/, "sortIndicatorClearable") +property_writer("QHeaderView", /::setSortIndicatorClearable\s*\(/, "sortIndicatorClearable") +property_reader("QInputDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QInputDialog", /::setObjectName\s*\(/, "objectName") +property_reader("QInputDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QInputDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QInputDialog", /::setWindowModality\s*\(/, "windowModality") +property_reader("QInputDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QInputDialog", /::setEnabled\s*\(/, "enabled") +property_reader("QInputDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QInputDialog", /::setGeometry\s*\(/, "geometry") +property_reader("QInputDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QInputDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QInputDialog", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QInputDialog", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QInputDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QInputDialog", /::setPos\s*\(/, "pos") +property_reader("QInputDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QInputDialog", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QInputDialog", /::setSize\s*\(/, "size") +property_reader("QInputDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QInputDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QInputDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QInputDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QInputDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QInputDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QInputDialog", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QInputDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QInputDialog", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QInputDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QInputDialog", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QInputDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QInputDialog", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QInputDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QInputDialog", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QInputDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QInputDialog", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QInputDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QInputDialog", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QInputDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QInputDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QInputDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QInputDialog", /::setBaseSize\s*\(/, "baseSize") +property_reader("QInputDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QInputDialog", /::setPalette\s*\(/, "palette") +property_reader("QInputDialog", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QInputDialog", /::setFont\s*\(/, "font") +property_reader("QInputDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QInputDialog", /::setCursor\s*\(/, "cursor") +property_reader("QInputDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QInputDialog", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QInputDialog", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QInputDialog", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QInputDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QInputDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QInputDialog", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QInputDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QInputDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QInputDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QInputDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QInputDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QInputDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QInputDialog", /::setVisible\s*\(/, "visible") +property_reader("QInputDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QInputDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QInputDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QInputDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QInputDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QInputDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QInputDialog", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QInputDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QInputDialog", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QInputDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QInputDialog", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QInputDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QInputDialog", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QInputDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QInputDialog", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QInputDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QInputDialog", /::setWindowModified\s*\(/, "windowModified") +property_reader("QInputDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QInputDialog", /::setToolTip\s*\(/, "toolTip") +property_reader("QInputDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QInputDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QInputDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QInputDialog", /::setStatusTip\s*\(/, "statusTip") +property_reader("QInputDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QInputDialog", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QInputDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QInputDialog", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QInputDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QInputDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QInputDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QInputDialog", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QInputDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QInputDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QInputDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QInputDialog", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QInputDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QInputDialog", /::setLocale\s*\(/, "locale") +property_reader("QInputDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QInputDialog", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QInputDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QInputDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QInputDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QInputDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QInputDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QInputDialog", /::setModal\s*\(/, "modal") +property_reader("QItemDelegate", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QItemDelegate", /::setObjectName\s*\(/, "objectName") +property_reader("QItemDelegate", /::(clipping|isClipping|hasClipping)\s*\(/, "clipping") +property_writer("QItemDelegate", /::setClipping\s*\(/, "clipping") +property_reader("QKeySequenceEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QKeySequenceEdit", /::setObjectName\s*\(/, "objectName") +property_reader("QKeySequenceEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QKeySequenceEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QKeySequenceEdit", /::setWindowModality\s*\(/, "windowModality") +property_reader("QKeySequenceEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QKeySequenceEdit", /::setEnabled\s*\(/, "enabled") +property_reader("QKeySequenceEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QKeySequenceEdit", /::setGeometry\s*\(/, "geometry") +property_reader("QKeySequenceEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QKeySequenceEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QKeySequenceEdit", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QKeySequenceEdit", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QKeySequenceEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QKeySequenceEdit", /::setPos\s*\(/, "pos") +property_reader("QKeySequenceEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QKeySequenceEdit", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QKeySequenceEdit", /::setSize\s*\(/, "size") +property_reader("QKeySequenceEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QKeySequenceEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QKeySequenceEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QKeySequenceEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QKeySequenceEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QKeySequenceEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QKeySequenceEdit", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QKeySequenceEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QKeySequenceEdit", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QKeySequenceEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QKeySequenceEdit", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QKeySequenceEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QKeySequenceEdit", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QKeySequenceEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QKeySequenceEdit", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QKeySequenceEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QKeySequenceEdit", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QKeySequenceEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QKeySequenceEdit", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QKeySequenceEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QKeySequenceEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QKeySequenceEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QKeySequenceEdit", /::setBaseSize\s*\(/, "baseSize") +property_reader("QKeySequenceEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QKeySequenceEdit", /::setPalette\s*\(/, "palette") +property_reader("QKeySequenceEdit", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QKeySequenceEdit", /::setFont\s*\(/, "font") +property_reader("QKeySequenceEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QKeySequenceEdit", /::setCursor\s*\(/, "cursor") +property_reader("QKeySequenceEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QKeySequenceEdit", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QKeySequenceEdit", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QKeySequenceEdit", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QKeySequenceEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QKeySequenceEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QKeySequenceEdit", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QKeySequenceEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QKeySequenceEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QKeySequenceEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QKeySequenceEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QKeySequenceEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QKeySequenceEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QKeySequenceEdit", /::setVisible\s*\(/, "visible") +property_reader("QKeySequenceEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QKeySequenceEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QKeySequenceEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QKeySequenceEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QKeySequenceEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QKeySequenceEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QKeySequenceEdit", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QKeySequenceEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QKeySequenceEdit", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QKeySequenceEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QKeySequenceEdit", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QKeySequenceEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QKeySequenceEdit", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QKeySequenceEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QKeySequenceEdit", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QKeySequenceEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QKeySequenceEdit", /::setWindowModified\s*\(/, "windowModified") +property_reader("QKeySequenceEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QKeySequenceEdit", /::setToolTip\s*\(/, "toolTip") +property_reader("QKeySequenceEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QKeySequenceEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QKeySequenceEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QKeySequenceEdit", /::setStatusTip\s*\(/, "statusTip") +property_reader("QKeySequenceEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QKeySequenceEdit", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QKeySequenceEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QKeySequenceEdit", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QKeySequenceEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QKeySequenceEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QKeySequenceEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QKeySequenceEdit", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QKeySequenceEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QKeySequenceEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QKeySequenceEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QKeySequenceEdit", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QKeySequenceEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QKeySequenceEdit", /::setLocale\s*\(/, "locale") +property_reader("QKeySequenceEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QKeySequenceEdit", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QKeySequenceEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QKeySequenceEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QKeySequenceEdit", /::(keySequence|isKeySequence|hasKeySequence)\s*\(/, "keySequence") +property_writer("QKeySequenceEdit", /::setKeySequence\s*\(/, "keySequence") +property_reader("QKeySequenceEdit", /::(clearButtonEnabled|isClearButtonEnabled|hasClearButtonEnabled)\s*\(/, "clearButtonEnabled") +property_writer("QKeySequenceEdit", /::setClearButtonEnabled\s*\(/, "clearButtonEnabled") +property_reader("QLCDNumber", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QLCDNumber", /::setObjectName\s*\(/, "objectName") +property_reader("QLCDNumber", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QLCDNumber", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QLCDNumber", /::setWindowModality\s*\(/, "windowModality") +property_reader("QLCDNumber", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QLCDNumber", /::setEnabled\s*\(/, "enabled") +property_reader("QLCDNumber", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QLCDNumber", /::setGeometry\s*\(/, "geometry") +property_reader("QLCDNumber", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QLCDNumber", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QLCDNumber", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QLCDNumber", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QLCDNumber", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QLCDNumber", /::setPos\s*\(/, "pos") +property_reader("QLCDNumber", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QLCDNumber", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QLCDNumber", /::setSize\s*\(/, "size") +property_reader("QLCDNumber", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QLCDNumber", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QLCDNumber", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QLCDNumber", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QLCDNumber", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QLCDNumber", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QLCDNumber", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QLCDNumber", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QLCDNumber", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QLCDNumber", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QLCDNumber", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QLCDNumber", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QLCDNumber", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QLCDNumber", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QLCDNumber", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QLCDNumber", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QLCDNumber", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QLCDNumber", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QLCDNumber", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QLCDNumber", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QLCDNumber", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QLCDNumber", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QLCDNumber", /::setBaseSize\s*\(/, "baseSize") +property_reader("QLCDNumber", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QLCDNumber", /::setPalette\s*\(/, "palette") +property_reader("QLCDNumber", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QLCDNumber", /::setFont\s*\(/, "font") +property_reader("QLCDNumber", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QLCDNumber", /::setCursor\s*\(/, "cursor") +property_reader("QLCDNumber", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QLCDNumber", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QLCDNumber", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QLCDNumber", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QLCDNumber", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QLCDNumber", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QLCDNumber", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QLCDNumber", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QLCDNumber", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QLCDNumber", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QLCDNumber", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QLCDNumber", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QLCDNumber", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QLCDNumber", /::setVisible\s*\(/, "visible") +property_reader("QLCDNumber", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QLCDNumber", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QLCDNumber", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QLCDNumber", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QLCDNumber", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QLCDNumber", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QLCDNumber", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QLCDNumber", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QLCDNumber", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QLCDNumber", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QLCDNumber", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QLCDNumber", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QLCDNumber", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QLCDNumber", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QLCDNumber", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QLCDNumber", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QLCDNumber", /::setWindowModified\s*\(/, "windowModified") +property_reader("QLCDNumber", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QLCDNumber", /::setToolTip\s*\(/, "toolTip") +property_reader("QLCDNumber", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QLCDNumber", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QLCDNumber", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QLCDNumber", /::setStatusTip\s*\(/, "statusTip") +property_reader("QLCDNumber", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QLCDNumber", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QLCDNumber", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QLCDNumber", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QLCDNumber", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QLCDNumber", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QLCDNumber", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QLCDNumber", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QLCDNumber", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QLCDNumber", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QLCDNumber", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QLCDNumber", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QLCDNumber", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QLCDNumber", /::setLocale\s*\(/, "locale") +property_reader("QLCDNumber", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QLCDNumber", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QLCDNumber", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QLCDNumber", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QLCDNumber", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QLCDNumber", /::setFrameShape\s*\(/, "frameShape") +property_reader("QLCDNumber", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QLCDNumber", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QLCDNumber", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QLCDNumber", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QLCDNumber", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QLCDNumber", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QLCDNumber", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QLCDNumber", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QLCDNumber", /::setFrameRect\s*\(/, "frameRect") +property_reader("QLCDNumber", /::(smallDecimalPoint|isSmallDecimalPoint|hasSmallDecimalPoint)\s*\(/, "smallDecimalPoint") +property_writer("QLCDNumber", /::setSmallDecimalPoint\s*\(/, "smallDecimalPoint") +property_reader("QLCDNumber", /::(digitCount|isDigitCount|hasDigitCount)\s*\(/, "digitCount") +property_writer("QLCDNumber", /::setDigitCount\s*\(/, "digitCount") +property_reader("QLCDNumber", /::(mode|isMode|hasMode)\s*\(/, "mode") +property_writer("QLCDNumber", /::setMode\s*\(/, "mode") +property_reader("QLCDNumber", /::(segmentStyle|isSegmentStyle|hasSegmentStyle)\s*\(/, "segmentStyle") +property_writer("QLCDNumber", /::setSegmentStyle\s*\(/, "segmentStyle") +property_reader("QLCDNumber", /::(value|isValue|hasValue)\s*\(/, "value") +property_writer("QLCDNumber", /::setValue\s*\(/, "value") +property_reader("QLCDNumber", /::(intValue|isIntValue|hasIntValue)\s*\(/, "intValue") +property_writer("QLCDNumber", /::setIntValue\s*\(/, "intValue") +property_reader("QLabel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QLabel", /::setObjectName\s*\(/, "objectName") +property_reader("QLabel", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QLabel", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QLabel", /::setWindowModality\s*\(/, "windowModality") +property_reader("QLabel", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QLabel", /::setEnabled\s*\(/, "enabled") +property_reader("QLabel", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QLabel", /::setGeometry\s*\(/, "geometry") +property_reader("QLabel", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QLabel", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QLabel", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QLabel", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QLabel", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QLabel", /::setPos\s*\(/, "pos") +property_reader("QLabel", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QLabel", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QLabel", /::setSize\s*\(/, "size") +property_reader("QLabel", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QLabel", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QLabel", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QLabel", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QLabel", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QLabel", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QLabel", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QLabel", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QLabel", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QLabel", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QLabel", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QLabel", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QLabel", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QLabel", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QLabel", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QLabel", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QLabel", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QLabel", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QLabel", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QLabel", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QLabel", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QLabel", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QLabel", /::setBaseSize\s*\(/, "baseSize") +property_reader("QLabel", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QLabel", /::setPalette\s*\(/, "palette") +property_reader("QLabel", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QLabel", /::setFont\s*\(/, "font") +property_reader("QLabel", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QLabel", /::setCursor\s*\(/, "cursor") +property_reader("QLabel", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QLabel", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QLabel", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QLabel", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QLabel", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QLabel", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QLabel", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QLabel", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QLabel", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QLabel", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QLabel", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QLabel", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QLabel", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QLabel", /::setVisible\s*\(/, "visible") +property_reader("QLabel", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QLabel", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QLabel", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QLabel", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QLabel", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QLabel", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QLabel", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QLabel", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QLabel", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QLabel", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QLabel", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QLabel", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QLabel", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QLabel", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QLabel", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QLabel", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QLabel", /::setWindowModified\s*\(/, "windowModified") +property_reader("QLabel", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QLabel", /::setToolTip\s*\(/, "toolTip") +property_reader("QLabel", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QLabel", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QLabel", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QLabel", /::setStatusTip\s*\(/, "statusTip") +property_reader("QLabel", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QLabel", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QLabel", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QLabel", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QLabel", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QLabel", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QLabel", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QLabel", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QLabel", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QLabel", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QLabel", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QLabel", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QLabel", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QLabel", /::setLocale\s*\(/, "locale") +property_reader("QLabel", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QLabel", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QLabel", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QLabel", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QLabel", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QLabel", /::setFrameShape\s*\(/, "frameShape") +property_reader("QLabel", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QLabel", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QLabel", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QLabel", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QLabel", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QLabel", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QLabel", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QLabel", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QLabel", /::setFrameRect\s*\(/, "frameRect") +property_reader("QLabel", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QLabel", /::setText\s*\(/, "text") +property_reader("QLabel", /::(textFormat|isTextFormat|hasTextFormat)\s*\(/, "textFormat") +property_writer("QLabel", /::setTextFormat\s*\(/, "textFormat") +property_reader("QLabel", /::(pixmap|isPixmap|hasPixmap)\s*\(/, "pixmap") +property_writer("QLabel", /::setPixmap\s*\(/, "pixmap") +property_reader("QLabel", /::(scaledContents|isScaledContents|hasScaledContents)\s*\(/, "scaledContents") +property_writer("QLabel", /::setScaledContents\s*\(/, "scaledContents") +property_reader("QLabel", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QLabel", /::setAlignment\s*\(/, "alignment") +property_reader("QLabel", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") +property_writer("QLabel", /::setWordWrap\s*\(/, "wordWrap") +property_reader("QLabel", /::(margin|isMargin|hasMargin)\s*\(/, "margin") +property_writer("QLabel", /::setMargin\s*\(/, "margin") +property_reader("QLabel", /::(indent|isIndent|hasIndent)\s*\(/, "indent") +property_writer("QLabel", /::setIndent\s*\(/, "indent") +property_reader("QLabel", /::(openExternalLinks|isOpenExternalLinks|hasOpenExternalLinks)\s*\(/, "openExternalLinks") +property_writer("QLabel", /::setOpenExternalLinks\s*\(/, "openExternalLinks") +property_reader("QLabel", /::(textInteractionFlags|isTextInteractionFlags|hasTextInteractionFlags)\s*\(/, "textInteractionFlags") +property_writer("QLabel", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") +property_reader("QLabel", /::(hasSelectedText|isHasSelectedText|hasHasSelectedText)\s*\(/, "hasSelectedText") +property_reader("QLabel", /::(selectedText|isSelectedText|hasSelectedText)\s*\(/, "selectedText") +property_reader("QLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QLayout", /::setObjectName\s*\(/, "objectName") +property_reader("QLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QLayout", /::setSpacing\s*\(/, "spacing") +property_reader("QLayout", /::(contentsMargins|isContentsMargins|hasContentsMargins)\s*\(/, "contentsMargins") +property_writer("QLayout", /::setContentsMargins\s*\(/, "contentsMargins") +property_reader("QLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") +property_writer("QLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") +property_reader("QLineEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QLineEdit", /::setObjectName\s*\(/, "objectName") +property_reader("QLineEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QLineEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QLineEdit", /::setWindowModality\s*\(/, "windowModality") +property_reader("QLineEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QLineEdit", /::setEnabled\s*\(/, "enabled") +property_reader("QLineEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QLineEdit", /::setGeometry\s*\(/, "geometry") +property_reader("QLineEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QLineEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QLineEdit", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QLineEdit", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QLineEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QLineEdit", /::setPos\s*\(/, "pos") +property_reader("QLineEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QLineEdit", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QLineEdit", /::setSize\s*\(/, "size") +property_reader("QLineEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QLineEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QLineEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QLineEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QLineEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QLineEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QLineEdit", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QLineEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QLineEdit", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QLineEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QLineEdit", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QLineEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QLineEdit", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QLineEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QLineEdit", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QLineEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QLineEdit", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QLineEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QLineEdit", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QLineEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QLineEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QLineEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QLineEdit", /::setBaseSize\s*\(/, "baseSize") +property_reader("QLineEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QLineEdit", /::setPalette\s*\(/, "palette") +property_reader("QLineEdit", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QLineEdit", /::setFont\s*\(/, "font") +property_reader("QLineEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QLineEdit", /::setCursor\s*\(/, "cursor") +property_reader("QLineEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QLineEdit", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QLineEdit", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QLineEdit", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QLineEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QLineEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QLineEdit", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QLineEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QLineEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QLineEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QLineEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QLineEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QLineEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QLineEdit", /::setVisible\s*\(/, "visible") +property_reader("QLineEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QLineEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QLineEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QLineEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QLineEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QLineEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QLineEdit", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QLineEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QLineEdit", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QLineEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QLineEdit", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QLineEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QLineEdit", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QLineEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QLineEdit", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QLineEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QLineEdit", /::setWindowModified\s*\(/, "windowModified") +property_reader("QLineEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QLineEdit", /::setToolTip\s*\(/, "toolTip") +property_reader("QLineEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QLineEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QLineEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QLineEdit", /::setStatusTip\s*\(/, "statusTip") +property_reader("QLineEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QLineEdit", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QLineEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QLineEdit", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QLineEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QLineEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QLineEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QLineEdit", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QLineEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QLineEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QLineEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QLineEdit", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QLineEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QLineEdit", /::setLocale\s*\(/, "locale") +property_reader("QLineEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QLineEdit", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QLineEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QLineEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QLineEdit", /::(inputMask|isInputMask|hasInputMask)\s*\(/, "inputMask") +property_writer("QLineEdit", /::setInputMask\s*\(/, "inputMask") +property_reader("QLineEdit", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QLineEdit", /::setText\s*\(/, "text") +property_reader("QLineEdit", /::(maxLength|isMaxLength|hasMaxLength)\s*\(/, "maxLength") +property_writer("QLineEdit", /::setMaxLength\s*\(/, "maxLength") +property_reader("QLineEdit", /::(frame|isFrame|hasFrame)\s*\(/, "frame") +property_writer("QLineEdit", /::setFrame\s*\(/, "frame") +property_reader("QLineEdit", /::(echoMode|isEchoMode|hasEchoMode)\s*\(/, "echoMode") +property_writer("QLineEdit", /::setEchoMode\s*\(/, "echoMode") +property_reader("QLineEdit", /::(displayText|isDisplayText|hasDisplayText)\s*\(/, "displayText") +property_reader("QLineEdit", /::(cursorPosition|isCursorPosition|hasCursorPosition)\s*\(/, "cursorPosition") +property_writer("QLineEdit", /::setCursorPosition\s*\(/, "cursorPosition") +property_reader("QLineEdit", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QLineEdit", /::setAlignment\s*\(/, "alignment") +property_reader("QLineEdit", /::(modified|isModified|hasModified)\s*\(/, "modified") +property_writer("QLineEdit", /::setModified\s*\(/, "modified") +property_reader("QLineEdit", /::(hasSelectedText|isHasSelectedText|hasHasSelectedText)\s*\(/, "hasSelectedText") +property_reader("QLineEdit", /::(selectedText|isSelectedText|hasSelectedText)\s*\(/, "selectedText") +property_reader("QLineEdit", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QLineEdit", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QLineEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QLineEdit", /::setReadOnly\s*\(/, "readOnly") +property_reader("QLineEdit", /::(undoAvailable|isUndoAvailable|hasUndoAvailable)\s*\(/, "undoAvailable") +property_reader("QLineEdit", /::(redoAvailable|isRedoAvailable|hasRedoAvailable)\s*\(/, "redoAvailable") +property_reader("QLineEdit", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") +property_reader("QLineEdit", /::(placeholderText|isPlaceholderText|hasPlaceholderText)\s*\(/, "placeholderText") +property_writer("QLineEdit", /::setPlaceholderText\s*\(/, "placeholderText") +property_reader("QLineEdit", /::(cursorMoveStyle|isCursorMoveStyle|hasCursorMoveStyle)\s*\(/, "cursorMoveStyle") +property_writer("QLineEdit", /::setCursorMoveStyle\s*\(/, "cursorMoveStyle") +property_reader("QLineEdit", /::(clearButtonEnabled|isClearButtonEnabled|hasClearButtonEnabled)\s*\(/, "clearButtonEnabled") +property_writer("QLineEdit", /::setClearButtonEnabled\s*\(/, "clearButtonEnabled") +property_reader("QListView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QListView", /::setObjectName\s*\(/, "objectName") +property_reader("QListView", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QListView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QListView", /::setWindowModality\s*\(/, "windowModality") +property_reader("QListView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QListView", /::setEnabled\s*\(/, "enabled") +property_reader("QListView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QListView", /::setGeometry\s*\(/, "geometry") +property_reader("QListView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QListView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QListView", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QListView", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QListView", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QListView", /::setPos\s*\(/, "pos") +property_reader("QListView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QListView", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QListView", /::setSize\s*\(/, "size") +property_reader("QListView", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QListView", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QListView", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QListView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QListView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QListView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QListView", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QListView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QListView", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QListView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QListView", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QListView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QListView", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QListView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QListView", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QListView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QListView", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QListView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QListView", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QListView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QListView", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QListView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QListView", /::setBaseSize\s*\(/, "baseSize") +property_reader("QListView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QListView", /::setPalette\s*\(/, "palette") +property_reader("QListView", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QListView", /::setFont\s*\(/, "font") +property_reader("QListView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QListView", /::setCursor\s*\(/, "cursor") +property_reader("QListView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QListView", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QListView", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QListView", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QListView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QListView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QListView", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QListView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QListView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QListView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QListView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QListView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QListView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QListView", /::setVisible\s*\(/, "visible") +property_reader("QListView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QListView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QListView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QListView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QListView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QListView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QListView", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QListView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QListView", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QListView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QListView", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QListView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QListView", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QListView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QListView", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QListView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QListView", /::setWindowModified\s*\(/, "windowModified") +property_reader("QListView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QListView", /::setToolTip\s*\(/, "toolTip") +property_reader("QListView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QListView", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QListView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QListView", /::setStatusTip\s*\(/, "statusTip") +property_reader("QListView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QListView", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QListView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QListView", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QListView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QListView", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QListView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QListView", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QListView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QListView", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QListView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QListView", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QListView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QListView", /::setLocale\s*\(/, "locale") +property_reader("QListView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QListView", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QListView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QListView", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QListView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QListView", /::setFrameShape\s*\(/, "frameShape") +property_reader("QListView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QListView", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QListView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QListView", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QListView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QListView", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QListView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QListView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QListView", /::setFrameRect\s*\(/, "frameRect") +property_reader("QListView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QListView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QListView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QListView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QListView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QListView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QListView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") +property_writer("QListView", /::setAutoScroll\s*\(/, "autoScroll") +property_reader("QListView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") +property_writer("QListView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") +property_reader("QListView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") +property_writer("QListView", /::setEditTriggers\s*\(/, "editTriggers") +property_reader("QListView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") +property_writer("QListView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") +property_reader("QListView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") +property_writer("QListView", /::setShowDropIndicator\s*\(/, "showDropIndicator") +property_reader("QListView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QListView", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QListView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") +property_writer("QListView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") +property_reader("QListView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") +property_writer("QListView", /::setDragDropMode\s*\(/, "dragDropMode") +property_reader("QListView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") +property_writer("QListView", /::setDefaultDropAction\s*\(/, "defaultDropAction") +property_reader("QListView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") +property_writer("QListView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") +property_reader("QListView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QListView", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QListView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") +property_writer("QListView", /::setSelectionBehavior\s*\(/, "selectionBehavior") +property_reader("QListView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QListView", /::setIconSize\s*\(/, "iconSize") +property_reader("QListView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") +property_writer("QListView", /::setTextElideMode\s*\(/, "textElideMode") +property_reader("QListView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") +property_writer("QListView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") +property_reader("QListView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") +property_writer("QListView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") +property_reader("QListView", /::(movement|isMovement|hasMovement)\s*\(/, "movement") +property_writer("QListView", /::setMovement\s*\(/, "movement") +property_reader("QListView", /::(flow|isFlow|hasFlow)\s*\(/, "flow") +property_writer("QListView", /::setFlow\s*\(/, "flow") +property_reader("QListView", /::(isWrapping|isIsWrapping|hasIsWrapping)\s*\(/, "isWrapping") +property_writer("QListView", /::setIsWrapping\s*\(/, "isWrapping") +property_reader("QListView", /::(resizeMode|isResizeMode|hasResizeMode)\s*\(/, "resizeMode") +property_writer("QListView", /::setResizeMode\s*\(/, "resizeMode") +property_reader("QListView", /::(layoutMode|isLayoutMode|hasLayoutMode)\s*\(/, "layoutMode") +property_writer("QListView", /::setLayoutMode\s*\(/, "layoutMode") +property_reader("QListView", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QListView", /::setSpacing\s*\(/, "spacing") +property_reader("QListView", /::(gridSize|isGridSize|hasGridSize)\s*\(/, "gridSize") +property_writer("QListView", /::setGridSize\s*\(/, "gridSize") +property_reader("QListView", /::(viewMode|isViewMode|hasViewMode)\s*\(/, "viewMode") +property_writer("QListView", /::setViewMode\s*\(/, "viewMode") +property_reader("QListView", /::(modelColumn|isModelColumn|hasModelColumn)\s*\(/, "modelColumn") +property_writer("QListView", /::setModelColumn\s*\(/, "modelColumn") +property_reader("QListView", /::(uniformItemSizes|isUniformItemSizes|hasUniformItemSizes)\s*\(/, "uniformItemSizes") +property_writer("QListView", /::setUniformItemSizes\s*\(/, "uniformItemSizes") +property_reader("QListView", /::(batchSize|isBatchSize|hasBatchSize)\s*\(/, "batchSize") +property_writer("QListView", /::setBatchSize\s*\(/, "batchSize") +property_reader("QListView", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") +property_writer("QListView", /::setWordWrap\s*\(/, "wordWrap") +property_reader("QListView", /::(selectionRectVisible|isSelectionRectVisible|hasSelectionRectVisible)\s*\(/, "selectionRectVisible") +property_writer("QListView", /::setSelectionRectVisible\s*\(/, "selectionRectVisible") +property_reader("QListView", /::(itemAlignment|isItemAlignment|hasItemAlignment)\s*\(/, "itemAlignment") +property_writer("QListView", /::setItemAlignment\s*\(/, "itemAlignment") +property_reader("QListWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QListWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QListWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QListWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QListWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QListWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QListWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QListWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QListWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QListWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QListWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QListWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QListWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QListWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QListWidget", /::setPos\s*\(/, "pos") +property_reader("QListWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QListWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QListWidget", /::setSize\s*\(/, "size") +property_reader("QListWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QListWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QListWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QListWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QListWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QListWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QListWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QListWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QListWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QListWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QListWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QListWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QListWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QListWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QListWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QListWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QListWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QListWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QListWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QListWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QListWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QListWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QListWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QListWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QListWidget", /::setPalette\s*\(/, "palette") +property_reader("QListWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QListWidget", /::setFont\s*\(/, "font") +property_reader("QListWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QListWidget", /::setCursor\s*\(/, "cursor") +property_reader("QListWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QListWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QListWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QListWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QListWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QListWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QListWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QListWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QListWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QListWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QListWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QListWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QListWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QListWidget", /::setVisible\s*\(/, "visible") +property_reader("QListWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QListWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QListWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QListWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QListWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QListWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QListWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QListWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QListWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QListWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QListWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QListWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QListWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QListWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QListWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QListWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QListWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QListWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QListWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QListWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QListWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QListWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QListWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QListWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QListWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QListWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QListWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QListWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QListWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QListWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QListWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QListWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QListWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QListWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QListWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QListWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QListWidget", /::setLocale\s*\(/, "locale") +property_reader("QListWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QListWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QListWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QListWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QListWidget", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QListWidget", /::setFrameShape\s*\(/, "frameShape") +property_reader("QListWidget", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QListWidget", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QListWidget", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QListWidget", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QListWidget", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QListWidget", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QListWidget", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QListWidget", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QListWidget", /::setFrameRect\s*\(/, "frameRect") +property_reader("QListWidget", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QListWidget", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QListWidget", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QListWidget", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QListWidget", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QListWidget", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QListWidget", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") +property_writer("QListWidget", /::setAutoScroll\s*\(/, "autoScroll") +property_reader("QListWidget", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") +property_writer("QListWidget", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") +property_reader("QListWidget", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") +property_writer("QListWidget", /::setEditTriggers\s*\(/, "editTriggers") +property_reader("QListWidget", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") +property_writer("QListWidget", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") +property_reader("QListWidget", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") +property_writer("QListWidget", /::setShowDropIndicator\s*\(/, "showDropIndicator") +property_reader("QListWidget", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QListWidget", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QListWidget", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") +property_writer("QListWidget", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") +property_reader("QListWidget", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") +property_writer("QListWidget", /::setDragDropMode\s*\(/, "dragDropMode") +property_reader("QListWidget", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") +property_writer("QListWidget", /::setDefaultDropAction\s*\(/, "defaultDropAction") +property_reader("QListWidget", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") +property_writer("QListWidget", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") +property_reader("QListWidget", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QListWidget", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QListWidget", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") +property_writer("QListWidget", /::setSelectionBehavior\s*\(/, "selectionBehavior") +property_reader("QListWidget", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QListWidget", /::setIconSize\s*\(/, "iconSize") +property_reader("QListWidget", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") +property_writer("QListWidget", /::setTextElideMode\s*\(/, "textElideMode") +property_reader("QListWidget", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") +property_writer("QListWidget", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") +property_reader("QListWidget", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") +property_writer("QListWidget", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") +property_reader("QListWidget", /::(movement|isMovement|hasMovement)\s*\(/, "movement") +property_writer("QListWidget", /::setMovement\s*\(/, "movement") +property_reader("QListWidget", /::(flow|isFlow|hasFlow)\s*\(/, "flow") +property_writer("QListWidget", /::setFlow\s*\(/, "flow") +property_reader("QListWidget", /::(isWrapping|isIsWrapping|hasIsWrapping)\s*\(/, "isWrapping") +property_writer("QListWidget", /::setIsWrapping\s*\(/, "isWrapping") +property_reader("QListWidget", /::(resizeMode|isResizeMode|hasResizeMode)\s*\(/, "resizeMode") +property_writer("QListWidget", /::setResizeMode\s*\(/, "resizeMode") +property_reader("QListWidget", /::(layoutMode|isLayoutMode|hasLayoutMode)\s*\(/, "layoutMode") +property_writer("QListWidget", /::setLayoutMode\s*\(/, "layoutMode") +property_reader("QListWidget", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QListWidget", /::setSpacing\s*\(/, "spacing") +property_reader("QListWidget", /::(gridSize|isGridSize|hasGridSize)\s*\(/, "gridSize") +property_writer("QListWidget", /::setGridSize\s*\(/, "gridSize") +property_reader("QListWidget", /::(viewMode|isViewMode|hasViewMode)\s*\(/, "viewMode") +property_writer("QListWidget", /::setViewMode\s*\(/, "viewMode") +property_reader("QListWidget", /::(modelColumn|isModelColumn|hasModelColumn)\s*\(/, "modelColumn") +property_writer("QListWidget", /::setModelColumn\s*\(/, "modelColumn") +property_reader("QListWidget", /::(uniformItemSizes|isUniformItemSizes|hasUniformItemSizes)\s*\(/, "uniformItemSizes") +property_writer("QListWidget", /::setUniformItemSizes\s*\(/, "uniformItemSizes") +property_reader("QListWidget", /::(batchSize|isBatchSize|hasBatchSize)\s*\(/, "batchSize") +property_writer("QListWidget", /::setBatchSize\s*\(/, "batchSize") +property_reader("QListWidget", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") +property_writer("QListWidget", /::setWordWrap\s*\(/, "wordWrap") +property_reader("QListWidget", /::(selectionRectVisible|isSelectionRectVisible|hasSelectionRectVisible)\s*\(/, "selectionRectVisible") +property_writer("QListWidget", /::setSelectionRectVisible\s*\(/, "selectionRectVisible") +property_reader("QListWidget", /::(itemAlignment|isItemAlignment|hasItemAlignment)\s*\(/, "itemAlignment") +property_writer("QListWidget", /::setItemAlignment\s*\(/, "itemAlignment") +property_reader("QListWidget", /::(count|isCount|hasCount)\s*\(/, "count") +property_reader("QListWidget", /::(currentRow|isCurrentRow|hasCurrentRow)\s*\(/, "currentRow") +property_writer("QListWidget", /::setCurrentRow\s*\(/, "currentRow") +property_reader("QListWidget", /::(sortingEnabled|isSortingEnabled|hasSortingEnabled)\s*\(/, "sortingEnabled") +property_writer("QListWidget", /::setSortingEnabled\s*\(/, "sortingEnabled") +property_reader("QMainWindow", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMainWindow", /::setObjectName\s*\(/, "objectName") +property_reader("QMainWindow", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QMainWindow", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QMainWindow", /::setWindowModality\s*\(/, "windowModality") +property_reader("QMainWindow", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QMainWindow", /::setEnabled\s*\(/, "enabled") +property_reader("QMainWindow", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QMainWindow", /::setGeometry\s*\(/, "geometry") +property_reader("QMainWindow", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QMainWindow", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QMainWindow", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QMainWindow", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QMainWindow", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QMainWindow", /::setPos\s*\(/, "pos") +property_reader("QMainWindow", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QMainWindow", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QMainWindow", /::setSize\s*\(/, "size") +property_reader("QMainWindow", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QMainWindow", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QMainWindow", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QMainWindow", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QMainWindow", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QMainWindow", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QMainWindow", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QMainWindow", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QMainWindow", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QMainWindow", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QMainWindow", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QMainWindow", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QMainWindow", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QMainWindow", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QMainWindow", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QMainWindow", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QMainWindow", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QMainWindow", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QMainWindow", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QMainWindow", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QMainWindow", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QMainWindow", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QMainWindow", /::setBaseSize\s*\(/, "baseSize") +property_reader("QMainWindow", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QMainWindow", /::setPalette\s*\(/, "palette") +property_reader("QMainWindow", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QMainWindow", /::setFont\s*\(/, "font") +property_reader("QMainWindow", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QMainWindow", /::setCursor\s*\(/, "cursor") +property_reader("QMainWindow", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QMainWindow", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QMainWindow", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QMainWindow", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QMainWindow", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QMainWindow", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QMainWindow", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QMainWindow", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QMainWindow", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QMainWindow", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QMainWindow", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QMainWindow", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QMainWindow", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QMainWindow", /::setVisible\s*\(/, "visible") +property_reader("QMainWindow", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QMainWindow", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QMainWindow", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QMainWindow", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QMainWindow", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QMainWindow", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QMainWindow", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QMainWindow", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QMainWindow", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QMainWindow", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QMainWindow", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QMainWindow", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QMainWindow", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QMainWindow", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QMainWindow", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QMainWindow", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QMainWindow", /::setWindowModified\s*\(/, "windowModified") +property_reader("QMainWindow", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QMainWindow", /::setToolTip\s*\(/, "toolTip") +property_reader("QMainWindow", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QMainWindow", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QMainWindow", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QMainWindow", /::setStatusTip\s*\(/, "statusTip") +property_reader("QMainWindow", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QMainWindow", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QMainWindow", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QMainWindow", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QMainWindow", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QMainWindow", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QMainWindow", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QMainWindow", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QMainWindow", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QMainWindow", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QMainWindow", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QMainWindow", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QMainWindow", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QMainWindow", /::setLocale\s*\(/, "locale") +property_reader("QMainWindow", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QMainWindow", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QMainWindow", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QMainWindow", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QMainWindow", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QMainWindow", /::setIconSize\s*\(/, "iconSize") +property_reader("QMainWindow", /::(toolButtonStyle|isToolButtonStyle|hasToolButtonStyle)\s*\(/, "toolButtonStyle") +property_writer("QMainWindow", /::setToolButtonStyle\s*\(/, "toolButtonStyle") +property_reader("QMainWindow", /::(animated|isAnimated|hasAnimated)\s*\(/, "animated") +property_writer("QMainWindow", /::setAnimated\s*\(/, "animated") +property_reader("QMainWindow", /::(documentMode|isDocumentMode|hasDocumentMode)\s*\(/, "documentMode") +property_writer("QMainWindow", /::setDocumentMode\s*\(/, "documentMode") +property_reader("QMainWindow", /::(tabShape|isTabShape|hasTabShape)\s*\(/, "tabShape") +property_writer("QMainWindow", /::setTabShape\s*\(/, "tabShape") +property_reader("QMainWindow", /::(dockNestingEnabled|isDockNestingEnabled|hasDockNestingEnabled)\s*\(/, "dockNestingEnabled") +property_writer("QMainWindow", /::setDockNestingEnabled\s*\(/, "dockNestingEnabled") +property_reader("QMainWindow", /::(dockOptions|isDockOptions|hasDockOptions)\s*\(/, "dockOptions") +property_writer("QMainWindow", /::setDockOptions\s*\(/, "dockOptions") +property_reader("QMainWindow", /::(unifiedTitleAndToolBarOnMac|isUnifiedTitleAndToolBarOnMac|hasUnifiedTitleAndToolBarOnMac)\s*\(/, "unifiedTitleAndToolBarOnMac") +property_writer("QMainWindow", /::setUnifiedTitleAndToolBarOnMac\s*\(/, "unifiedTitleAndToolBarOnMac") +property_reader("QMdiArea", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMdiArea", /::setObjectName\s*\(/, "objectName") +property_reader("QMdiArea", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QMdiArea", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QMdiArea", /::setWindowModality\s*\(/, "windowModality") +property_reader("QMdiArea", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QMdiArea", /::setEnabled\s*\(/, "enabled") +property_reader("QMdiArea", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QMdiArea", /::setGeometry\s*\(/, "geometry") +property_reader("QMdiArea", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QMdiArea", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QMdiArea", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QMdiArea", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QMdiArea", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QMdiArea", /::setPos\s*\(/, "pos") +property_reader("QMdiArea", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QMdiArea", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QMdiArea", /::setSize\s*\(/, "size") +property_reader("QMdiArea", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QMdiArea", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QMdiArea", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QMdiArea", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QMdiArea", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QMdiArea", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QMdiArea", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QMdiArea", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QMdiArea", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QMdiArea", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QMdiArea", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QMdiArea", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QMdiArea", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QMdiArea", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QMdiArea", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QMdiArea", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QMdiArea", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QMdiArea", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QMdiArea", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QMdiArea", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QMdiArea", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QMdiArea", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QMdiArea", /::setBaseSize\s*\(/, "baseSize") +property_reader("QMdiArea", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QMdiArea", /::setPalette\s*\(/, "palette") +property_reader("QMdiArea", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QMdiArea", /::setFont\s*\(/, "font") +property_reader("QMdiArea", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QMdiArea", /::setCursor\s*\(/, "cursor") +property_reader("QMdiArea", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QMdiArea", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QMdiArea", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QMdiArea", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QMdiArea", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QMdiArea", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QMdiArea", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QMdiArea", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QMdiArea", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QMdiArea", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QMdiArea", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QMdiArea", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QMdiArea", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QMdiArea", /::setVisible\s*\(/, "visible") +property_reader("QMdiArea", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QMdiArea", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QMdiArea", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QMdiArea", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QMdiArea", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QMdiArea", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QMdiArea", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QMdiArea", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QMdiArea", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QMdiArea", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QMdiArea", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QMdiArea", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QMdiArea", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QMdiArea", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QMdiArea", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QMdiArea", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QMdiArea", /::setWindowModified\s*\(/, "windowModified") +property_reader("QMdiArea", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QMdiArea", /::setToolTip\s*\(/, "toolTip") +property_reader("QMdiArea", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QMdiArea", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QMdiArea", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QMdiArea", /::setStatusTip\s*\(/, "statusTip") +property_reader("QMdiArea", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QMdiArea", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QMdiArea", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QMdiArea", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QMdiArea", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QMdiArea", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QMdiArea", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QMdiArea", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QMdiArea", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QMdiArea", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QMdiArea", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QMdiArea", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QMdiArea", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QMdiArea", /::setLocale\s*\(/, "locale") +property_reader("QMdiArea", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QMdiArea", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QMdiArea", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QMdiArea", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QMdiArea", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QMdiArea", /::setFrameShape\s*\(/, "frameShape") +property_reader("QMdiArea", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QMdiArea", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QMdiArea", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QMdiArea", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QMdiArea", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QMdiArea", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QMdiArea", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QMdiArea", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QMdiArea", /::setFrameRect\s*\(/, "frameRect") +property_reader("QMdiArea", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QMdiArea", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QMdiArea", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QMdiArea", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QMdiArea", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QMdiArea", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QMdiArea", /::(background|isBackground|hasBackground)\s*\(/, "background") +property_writer("QMdiArea", /::setBackground\s*\(/, "background") +property_reader("QMdiArea", /::(activationOrder|isActivationOrder|hasActivationOrder)\s*\(/, "activationOrder") +property_writer("QMdiArea", /::setActivationOrder\s*\(/, "activationOrder") +property_reader("QMdiArea", /::(viewMode|isViewMode|hasViewMode)\s*\(/, "viewMode") +property_writer("QMdiArea", /::setViewMode\s*\(/, "viewMode") +property_reader("QMdiArea", /::(documentMode|isDocumentMode|hasDocumentMode)\s*\(/, "documentMode") +property_writer("QMdiArea", /::setDocumentMode\s*\(/, "documentMode") +property_reader("QMdiArea", /::(tabsClosable|isTabsClosable|hasTabsClosable)\s*\(/, "tabsClosable") +property_writer("QMdiArea", /::setTabsClosable\s*\(/, "tabsClosable") +property_reader("QMdiArea", /::(tabsMovable|isTabsMovable|hasTabsMovable)\s*\(/, "tabsMovable") +property_writer("QMdiArea", /::setTabsMovable\s*\(/, "tabsMovable") +property_reader("QMdiArea", /::(tabShape|isTabShape|hasTabShape)\s*\(/, "tabShape") +property_writer("QMdiArea", /::setTabShape\s*\(/, "tabShape") +property_reader("QMdiArea", /::(tabPosition|isTabPosition|hasTabPosition)\s*\(/, "tabPosition") +property_writer("QMdiArea", /::setTabPosition\s*\(/, "tabPosition") +property_reader("QMdiSubWindow", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMdiSubWindow", /::setObjectName\s*\(/, "objectName") +property_reader("QMdiSubWindow", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QMdiSubWindow", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QMdiSubWindow", /::setWindowModality\s*\(/, "windowModality") +property_reader("QMdiSubWindow", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QMdiSubWindow", /::setEnabled\s*\(/, "enabled") +property_reader("QMdiSubWindow", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QMdiSubWindow", /::setGeometry\s*\(/, "geometry") +property_reader("QMdiSubWindow", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QMdiSubWindow", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QMdiSubWindow", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QMdiSubWindow", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QMdiSubWindow", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QMdiSubWindow", /::setPos\s*\(/, "pos") +property_reader("QMdiSubWindow", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QMdiSubWindow", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QMdiSubWindow", /::setSize\s*\(/, "size") +property_reader("QMdiSubWindow", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QMdiSubWindow", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QMdiSubWindow", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QMdiSubWindow", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QMdiSubWindow", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QMdiSubWindow", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QMdiSubWindow", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QMdiSubWindow", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QMdiSubWindow", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QMdiSubWindow", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QMdiSubWindow", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QMdiSubWindow", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QMdiSubWindow", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QMdiSubWindow", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QMdiSubWindow", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QMdiSubWindow", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QMdiSubWindow", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QMdiSubWindow", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QMdiSubWindow", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QMdiSubWindow", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QMdiSubWindow", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QMdiSubWindow", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QMdiSubWindow", /::setBaseSize\s*\(/, "baseSize") +property_reader("QMdiSubWindow", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QMdiSubWindow", /::setPalette\s*\(/, "palette") +property_reader("QMdiSubWindow", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QMdiSubWindow", /::setFont\s*\(/, "font") +property_reader("QMdiSubWindow", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QMdiSubWindow", /::setCursor\s*\(/, "cursor") +property_reader("QMdiSubWindow", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QMdiSubWindow", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QMdiSubWindow", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QMdiSubWindow", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QMdiSubWindow", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QMdiSubWindow", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QMdiSubWindow", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QMdiSubWindow", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QMdiSubWindow", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QMdiSubWindow", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QMdiSubWindow", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QMdiSubWindow", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QMdiSubWindow", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QMdiSubWindow", /::setVisible\s*\(/, "visible") +property_reader("QMdiSubWindow", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QMdiSubWindow", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QMdiSubWindow", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QMdiSubWindow", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QMdiSubWindow", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QMdiSubWindow", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QMdiSubWindow", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QMdiSubWindow", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QMdiSubWindow", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QMdiSubWindow", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QMdiSubWindow", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QMdiSubWindow", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QMdiSubWindow", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QMdiSubWindow", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QMdiSubWindow", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QMdiSubWindow", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QMdiSubWindow", /::setWindowModified\s*\(/, "windowModified") +property_reader("QMdiSubWindow", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QMdiSubWindow", /::setToolTip\s*\(/, "toolTip") +property_reader("QMdiSubWindow", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QMdiSubWindow", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QMdiSubWindow", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QMdiSubWindow", /::setStatusTip\s*\(/, "statusTip") +property_reader("QMdiSubWindow", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QMdiSubWindow", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QMdiSubWindow", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QMdiSubWindow", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QMdiSubWindow", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QMdiSubWindow", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QMdiSubWindow", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QMdiSubWindow", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QMdiSubWindow", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QMdiSubWindow", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QMdiSubWindow", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QMdiSubWindow", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QMdiSubWindow", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QMdiSubWindow", /::setLocale\s*\(/, "locale") +property_reader("QMdiSubWindow", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QMdiSubWindow", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QMdiSubWindow", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QMdiSubWindow", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QMdiSubWindow", /::(keyboardSingleStep|isKeyboardSingleStep|hasKeyboardSingleStep)\s*\(/, "keyboardSingleStep") +property_writer("QMdiSubWindow", /::setKeyboardSingleStep\s*\(/, "keyboardSingleStep") +property_reader("QMdiSubWindow", /::(keyboardPageStep|isKeyboardPageStep|hasKeyboardPageStep)\s*\(/, "keyboardPageStep") +property_writer("QMdiSubWindow", /::setKeyboardPageStep\s*\(/, "keyboardPageStep") +property_reader("QMenu", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMenu", /::setObjectName\s*\(/, "objectName") +property_reader("QMenu", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QMenu", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QMenu", /::setWindowModality\s*\(/, "windowModality") +property_reader("QMenu", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QMenu", /::setEnabled\s*\(/, "enabled") +property_reader("QMenu", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QMenu", /::setGeometry\s*\(/, "geometry") +property_reader("QMenu", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QMenu", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QMenu", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QMenu", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QMenu", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QMenu", /::setPos\s*\(/, "pos") +property_reader("QMenu", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QMenu", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QMenu", /::setSize\s*\(/, "size") +property_reader("QMenu", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QMenu", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QMenu", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QMenu", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QMenu", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QMenu", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QMenu", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QMenu", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QMenu", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QMenu", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QMenu", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QMenu", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QMenu", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QMenu", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QMenu", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QMenu", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QMenu", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QMenu", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QMenu", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QMenu", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QMenu", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QMenu", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QMenu", /::setBaseSize\s*\(/, "baseSize") +property_reader("QMenu", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QMenu", /::setPalette\s*\(/, "palette") +property_reader("QMenu", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QMenu", /::setFont\s*\(/, "font") +property_reader("QMenu", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QMenu", /::setCursor\s*\(/, "cursor") +property_reader("QMenu", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QMenu", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QMenu", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QMenu", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QMenu", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QMenu", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QMenu", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QMenu", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QMenu", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QMenu", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QMenu", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QMenu", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QMenu", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QMenu", /::setVisible\s*\(/, "visible") +property_reader("QMenu", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QMenu", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QMenu", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QMenu", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QMenu", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QMenu", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QMenu", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QMenu", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QMenu", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QMenu", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QMenu", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QMenu", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QMenu", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QMenu", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QMenu", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QMenu", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QMenu", /::setWindowModified\s*\(/, "windowModified") +property_reader("QMenu", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QMenu", /::setToolTip\s*\(/, "toolTip") +property_reader("QMenu", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QMenu", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QMenu", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QMenu", /::setStatusTip\s*\(/, "statusTip") +property_reader("QMenu", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QMenu", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QMenu", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QMenu", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QMenu", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QMenu", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QMenu", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QMenu", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QMenu", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QMenu", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QMenu", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QMenu", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QMenu", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QMenu", /::setLocale\s*\(/, "locale") +property_reader("QMenu", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QMenu", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QMenu", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QMenu", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QMenu", /::(tearOffEnabled|isTearOffEnabled|hasTearOffEnabled)\s*\(/, "tearOffEnabled") +property_writer("QMenu", /::setTearOffEnabled\s*\(/, "tearOffEnabled") +property_reader("QMenu", /::(title|isTitle|hasTitle)\s*\(/, "title") +property_writer("QMenu", /::setTitle\s*\(/, "title") +property_reader("QMenu", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QMenu", /::setIcon\s*\(/, "icon") +property_reader("QMenu", /::(separatorsCollapsible|isSeparatorsCollapsible|hasSeparatorsCollapsible)\s*\(/, "separatorsCollapsible") +property_writer("QMenu", /::setSeparatorsCollapsible\s*\(/, "separatorsCollapsible") +property_reader("QMenu", /::(toolTipsVisible|isToolTipsVisible|hasToolTipsVisible)\s*\(/, "toolTipsVisible") +property_writer("QMenu", /::setToolTipsVisible\s*\(/, "toolTipsVisible") +property_reader("QMenuBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMenuBar", /::setObjectName\s*\(/, "objectName") +property_reader("QMenuBar", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QMenuBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QMenuBar", /::setWindowModality\s*\(/, "windowModality") +property_reader("QMenuBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QMenuBar", /::setEnabled\s*\(/, "enabled") +property_reader("QMenuBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QMenuBar", /::setGeometry\s*\(/, "geometry") +property_reader("QMenuBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QMenuBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QMenuBar", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QMenuBar", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QMenuBar", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QMenuBar", /::setPos\s*\(/, "pos") +property_reader("QMenuBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QMenuBar", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QMenuBar", /::setSize\s*\(/, "size") +property_reader("QMenuBar", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QMenuBar", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QMenuBar", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QMenuBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QMenuBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QMenuBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QMenuBar", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QMenuBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QMenuBar", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QMenuBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QMenuBar", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QMenuBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QMenuBar", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QMenuBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QMenuBar", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QMenuBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QMenuBar", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QMenuBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QMenuBar", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QMenuBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QMenuBar", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QMenuBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QMenuBar", /::setBaseSize\s*\(/, "baseSize") +property_reader("QMenuBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QMenuBar", /::setPalette\s*\(/, "palette") +property_reader("QMenuBar", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QMenuBar", /::setFont\s*\(/, "font") +property_reader("QMenuBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QMenuBar", /::setCursor\s*\(/, "cursor") +property_reader("QMenuBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QMenuBar", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QMenuBar", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QMenuBar", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QMenuBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QMenuBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QMenuBar", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QMenuBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QMenuBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QMenuBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QMenuBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QMenuBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QMenuBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QMenuBar", /::setVisible\s*\(/, "visible") +property_reader("QMenuBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QMenuBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QMenuBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QMenuBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QMenuBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QMenuBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QMenuBar", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QMenuBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QMenuBar", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QMenuBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QMenuBar", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QMenuBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QMenuBar", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QMenuBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QMenuBar", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QMenuBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QMenuBar", /::setWindowModified\s*\(/, "windowModified") +property_reader("QMenuBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QMenuBar", /::setToolTip\s*\(/, "toolTip") +property_reader("QMenuBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QMenuBar", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QMenuBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QMenuBar", /::setStatusTip\s*\(/, "statusTip") +property_reader("QMenuBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QMenuBar", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QMenuBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QMenuBar", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QMenuBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QMenuBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QMenuBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QMenuBar", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QMenuBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QMenuBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QMenuBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QMenuBar", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QMenuBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QMenuBar", /::setLocale\s*\(/, "locale") +property_reader("QMenuBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QMenuBar", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QMenuBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QMenuBar", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QMenuBar", /::(defaultUp|isDefaultUp|hasDefaultUp)\s*\(/, "defaultUp") +property_writer("QMenuBar", /::setDefaultUp\s*\(/, "defaultUp") +property_reader("QMenuBar", /::(nativeMenuBar|isNativeMenuBar|hasNativeMenuBar)\s*\(/, "nativeMenuBar") +property_writer("QMenuBar", /::setNativeMenuBar\s*\(/, "nativeMenuBar") +property_reader("QMessageBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMessageBox", /::setObjectName\s*\(/, "objectName") +property_reader("QMessageBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QMessageBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QMessageBox", /::setWindowModality\s*\(/, "windowModality") +property_reader("QMessageBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QMessageBox", /::setEnabled\s*\(/, "enabled") +property_reader("QMessageBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QMessageBox", /::setGeometry\s*\(/, "geometry") +property_reader("QMessageBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QMessageBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QMessageBox", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QMessageBox", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QMessageBox", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QMessageBox", /::setPos\s*\(/, "pos") +property_reader("QMessageBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QMessageBox", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QMessageBox", /::setSize\s*\(/, "size") +property_reader("QMessageBox", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QMessageBox", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QMessageBox", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QMessageBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QMessageBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QMessageBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QMessageBox", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QMessageBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QMessageBox", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QMessageBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QMessageBox", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QMessageBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QMessageBox", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QMessageBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QMessageBox", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QMessageBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QMessageBox", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QMessageBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QMessageBox", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QMessageBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QMessageBox", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QMessageBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QMessageBox", /::setBaseSize\s*\(/, "baseSize") +property_reader("QMessageBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QMessageBox", /::setPalette\s*\(/, "palette") +property_reader("QMessageBox", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QMessageBox", /::setFont\s*\(/, "font") +property_reader("QMessageBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QMessageBox", /::setCursor\s*\(/, "cursor") +property_reader("QMessageBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QMessageBox", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QMessageBox", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QMessageBox", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QMessageBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QMessageBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QMessageBox", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QMessageBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QMessageBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QMessageBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QMessageBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QMessageBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QMessageBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QMessageBox", /::setVisible\s*\(/, "visible") +property_reader("QMessageBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QMessageBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QMessageBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QMessageBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QMessageBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QMessageBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QMessageBox", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QMessageBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QMessageBox", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QMessageBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QMessageBox", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QMessageBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QMessageBox", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QMessageBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QMessageBox", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QMessageBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QMessageBox", /::setWindowModified\s*\(/, "windowModified") +property_reader("QMessageBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QMessageBox", /::setToolTip\s*\(/, "toolTip") +property_reader("QMessageBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QMessageBox", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QMessageBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QMessageBox", /::setStatusTip\s*\(/, "statusTip") +property_reader("QMessageBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QMessageBox", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QMessageBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QMessageBox", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QMessageBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QMessageBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QMessageBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QMessageBox", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QMessageBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QMessageBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QMessageBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QMessageBox", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QMessageBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QMessageBox", /::setLocale\s*\(/, "locale") +property_reader("QMessageBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QMessageBox", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QMessageBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QMessageBox", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QMessageBox", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QMessageBox", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QMessageBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QMessageBox", /::setModal\s*\(/, "modal") +property_reader("QMessageBox", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QMessageBox", /::setText\s*\(/, "text") +property_reader("QMessageBox", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QMessageBox", /::setIcon\s*\(/, "icon") +property_reader("QMessageBox", /::(iconPixmap|isIconPixmap|hasIconPixmap)\s*\(/, "iconPixmap") +property_writer("QMessageBox", /::setIconPixmap\s*\(/, "iconPixmap") +property_reader("QMessageBox", /::(textFormat|isTextFormat|hasTextFormat)\s*\(/, "textFormat") +property_writer("QMessageBox", /::setTextFormat\s*\(/, "textFormat") +property_reader("QMessageBox", /::(standardButtons|isStandardButtons|hasStandardButtons)\s*\(/, "standardButtons") +property_writer("QMessageBox", /::setStandardButtons\s*\(/, "standardButtons") +property_reader("QMessageBox", /::(detailedText|isDetailedText|hasDetailedText)\s*\(/, "detailedText") +property_writer("QMessageBox", /::setDetailedText\s*\(/, "detailedText") +property_reader("QMessageBox", /::(informativeText|isInformativeText|hasInformativeText)\s*\(/, "informativeText") +property_writer("QMessageBox", /::setInformativeText\s*\(/, "informativeText") +property_reader("QMessageBox", /::(textInteractionFlags|isTextInteractionFlags|hasTextInteractionFlags)\s*\(/, "textInteractionFlags") +property_writer("QMessageBox", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") +property_reader("QPanGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPanGesture", /::setObjectName\s*\(/, "objectName") +property_reader("QPanGesture", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QPanGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") +property_reader("QPanGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") +property_writer("QPanGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") +property_reader("QPanGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") +property_writer("QPanGesture", /::setHotSpot\s*\(/, "hotSpot") +property_reader("QPanGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") +property_reader("QPanGesture", /::(lastOffset|isLastOffset|hasLastOffset)\s*\(/, "lastOffset") +property_writer("QPanGesture", /::setLastOffset\s*\(/, "lastOffset") +property_reader("QPanGesture", /::(offset|isOffset|hasOffset)\s*\(/, "offset") +property_writer("QPanGesture", /::setOffset\s*\(/, "offset") +property_reader("QPanGesture", /::(delta|isDelta|hasDelta)\s*\(/, "delta") +property_reader("QPanGesture", /::(acceleration|isAcceleration|hasAcceleration)\s*\(/, "acceleration") +property_writer("QPanGesture", /::setAcceleration\s*\(/, "acceleration") +property_reader("QPanGesture", /::(horizontalVelocity|isHorizontalVelocity|hasHorizontalVelocity)\s*\(/, "horizontalVelocity") +property_writer("QPanGesture", /::setHorizontalVelocity\s*\(/, "horizontalVelocity") +property_reader("QPanGesture", /::(verticalVelocity|isVerticalVelocity|hasVerticalVelocity)\s*\(/, "verticalVelocity") +property_writer("QPanGesture", /::setVerticalVelocity\s*\(/, "verticalVelocity") +property_reader("QPinchGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPinchGesture", /::setObjectName\s*\(/, "objectName") +property_reader("QPinchGesture", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QPinchGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") +property_reader("QPinchGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") +property_writer("QPinchGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") +property_reader("QPinchGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") +property_writer("QPinchGesture", /::setHotSpot\s*\(/, "hotSpot") +property_reader("QPinchGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") +property_reader("QPinchGesture", /::(totalChangeFlags|isTotalChangeFlags|hasTotalChangeFlags)\s*\(/, "totalChangeFlags") +property_writer("QPinchGesture", /::setTotalChangeFlags\s*\(/, "totalChangeFlags") +property_reader("QPinchGesture", /::(changeFlags|isChangeFlags|hasChangeFlags)\s*\(/, "changeFlags") +property_writer("QPinchGesture", /::setChangeFlags\s*\(/, "changeFlags") +property_reader("QPinchGesture", /::(totalScaleFactor|isTotalScaleFactor|hasTotalScaleFactor)\s*\(/, "totalScaleFactor") +property_writer("QPinchGesture", /::setTotalScaleFactor\s*\(/, "totalScaleFactor") +property_reader("QPinchGesture", /::(lastScaleFactor|isLastScaleFactor|hasLastScaleFactor)\s*\(/, "lastScaleFactor") +property_writer("QPinchGesture", /::setLastScaleFactor\s*\(/, "lastScaleFactor") +property_reader("QPinchGesture", /::(scaleFactor|isScaleFactor|hasScaleFactor)\s*\(/, "scaleFactor") +property_writer("QPinchGesture", /::setScaleFactor\s*\(/, "scaleFactor") +property_reader("QPinchGesture", /::(totalRotationAngle|isTotalRotationAngle|hasTotalRotationAngle)\s*\(/, "totalRotationAngle") +property_writer("QPinchGesture", /::setTotalRotationAngle\s*\(/, "totalRotationAngle") +property_reader("QPinchGesture", /::(lastRotationAngle|isLastRotationAngle|hasLastRotationAngle)\s*\(/, "lastRotationAngle") +property_writer("QPinchGesture", /::setLastRotationAngle\s*\(/, "lastRotationAngle") +property_reader("QPinchGesture", /::(rotationAngle|isRotationAngle|hasRotationAngle)\s*\(/, "rotationAngle") +property_writer("QPinchGesture", /::setRotationAngle\s*\(/, "rotationAngle") +property_reader("QPinchGesture", /::(startCenterPoint|isStartCenterPoint|hasStartCenterPoint)\s*\(/, "startCenterPoint") +property_writer("QPinchGesture", /::setStartCenterPoint\s*\(/, "startCenterPoint") +property_reader("QPinchGesture", /::(lastCenterPoint|isLastCenterPoint|hasLastCenterPoint)\s*\(/, "lastCenterPoint") +property_writer("QPinchGesture", /::setLastCenterPoint\s*\(/, "lastCenterPoint") +property_reader("QPinchGesture", /::(centerPoint|isCenterPoint|hasCenterPoint)\s*\(/, "centerPoint") +property_writer("QPinchGesture", /::setCenterPoint\s*\(/, "centerPoint") +property_reader("QPlainTextDocumentLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPlainTextDocumentLayout", /::setObjectName\s*\(/, "objectName") +property_reader("QPlainTextDocumentLayout", /::(cursorWidth|isCursorWidth|hasCursorWidth)\s*\(/, "cursorWidth") +property_writer("QPlainTextDocumentLayout", /::setCursorWidth\s*\(/, "cursorWidth") +property_reader("QPlainTextEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPlainTextEdit", /::setObjectName\s*\(/, "objectName") +property_reader("QPlainTextEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QPlainTextEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QPlainTextEdit", /::setWindowModality\s*\(/, "windowModality") +property_reader("QPlainTextEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QPlainTextEdit", /::setEnabled\s*\(/, "enabled") +property_reader("QPlainTextEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QPlainTextEdit", /::setGeometry\s*\(/, "geometry") +property_reader("QPlainTextEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QPlainTextEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QPlainTextEdit", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QPlainTextEdit", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QPlainTextEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QPlainTextEdit", /::setPos\s*\(/, "pos") +property_reader("QPlainTextEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QPlainTextEdit", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QPlainTextEdit", /::setSize\s*\(/, "size") +property_reader("QPlainTextEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QPlainTextEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QPlainTextEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QPlainTextEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QPlainTextEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QPlainTextEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QPlainTextEdit", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QPlainTextEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QPlainTextEdit", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QPlainTextEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QPlainTextEdit", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QPlainTextEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QPlainTextEdit", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QPlainTextEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QPlainTextEdit", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QPlainTextEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QPlainTextEdit", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QPlainTextEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QPlainTextEdit", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QPlainTextEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QPlainTextEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QPlainTextEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QPlainTextEdit", /::setBaseSize\s*\(/, "baseSize") +property_reader("QPlainTextEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QPlainTextEdit", /::setPalette\s*\(/, "palette") +property_reader("QPlainTextEdit", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QPlainTextEdit", /::setFont\s*\(/, "font") +property_reader("QPlainTextEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QPlainTextEdit", /::setCursor\s*\(/, "cursor") +property_reader("QPlainTextEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QPlainTextEdit", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QPlainTextEdit", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QPlainTextEdit", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QPlainTextEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QPlainTextEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QPlainTextEdit", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QPlainTextEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QPlainTextEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QPlainTextEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QPlainTextEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QPlainTextEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QPlainTextEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QPlainTextEdit", /::setVisible\s*\(/, "visible") +property_reader("QPlainTextEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QPlainTextEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QPlainTextEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QPlainTextEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QPlainTextEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QPlainTextEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QPlainTextEdit", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QPlainTextEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QPlainTextEdit", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QPlainTextEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QPlainTextEdit", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QPlainTextEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QPlainTextEdit", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QPlainTextEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QPlainTextEdit", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QPlainTextEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QPlainTextEdit", /::setWindowModified\s*\(/, "windowModified") +property_reader("QPlainTextEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QPlainTextEdit", /::setToolTip\s*\(/, "toolTip") +property_reader("QPlainTextEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QPlainTextEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QPlainTextEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QPlainTextEdit", /::setStatusTip\s*\(/, "statusTip") +property_reader("QPlainTextEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QPlainTextEdit", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QPlainTextEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QPlainTextEdit", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QPlainTextEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QPlainTextEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QPlainTextEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QPlainTextEdit", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QPlainTextEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QPlainTextEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QPlainTextEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QPlainTextEdit", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QPlainTextEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QPlainTextEdit", /::setLocale\s*\(/, "locale") +property_reader("QPlainTextEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QPlainTextEdit", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QPlainTextEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QPlainTextEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QPlainTextEdit", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QPlainTextEdit", /::setFrameShape\s*\(/, "frameShape") +property_reader("QPlainTextEdit", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QPlainTextEdit", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QPlainTextEdit", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QPlainTextEdit", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QPlainTextEdit", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QPlainTextEdit", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QPlainTextEdit", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QPlainTextEdit", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QPlainTextEdit", /::setFrameRect\s*\(/, "frameRect") +property_reader("QPlainTextEdit", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QPlainTextEdit", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QPlainTextEdit", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QPlainTextEdit", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QPlainTextEdit", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QPlainTextEdit", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QPlainTextEdit", /::(tabChangesFocus|isTabChangesFocus|hasTabChangesFocus)\s*\(/, "tabChangesFocus") +property_writer("QPlainTextEdit", /::setTabChangesFocus\s*\(/, "tabChangesFocus") +property_reader("QPlainTextEdit", /::(documentTitle|isDocumentTitle|hasDocumentTitle)\s*\(/, "documentTitle") +property_writer("QPlainTextEdit", /::setDocumentTitle\s*\(/, "documentTitle") +property_reader("QPlainTextEdit", /::(undoRedoEnabled|isUndoRedoEnabled|hasUndoRedoEnabled)\s*\(/, "undoRedoEnabled") +property_writer("QPlainTextEdit", /::setUndoRedoEnabled\s*\(/, "undoRedoEnabled") +property_reader("QPlainTextEdit", /::(lineWrapMode|isLineWrapMode|hasLineWrapMode)\s*\(/, "lineWrapMode") +property_writer("QPlainTextEdit", /::setLineWrapMode\s*\(/, "lineWrapMode") +property_reader("QPlainTextEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QPlainTextEdit", /::setReadOnly\s*\(/, "readOnly") +property_reader("QPlainTextEdit", /::(plainText|isPlainText|hasPlainText)\s*\(/, "plainText") +property_writer("QPlainTextEdit", /::setPlainText\s*\(/, "plainText") +property_reader("QPlainTextEdit", /::(overwriteMode|isOverwriteMode|hasOverwriteMode)\s*\(/, "overwriteMode") +property_writer("QPlainTextEdit", /::setOverwriteMode\s*\(/, "overwriteMode") +property_reader("QPlainTextEdit", /::(tabStopDistance|isTabStopDistance|hasTabStopDistance)\s*\(/, "tabStopDistance") +property_writer("QPlainTextEdit", /::setTabStopDistance\s*\(/, "tabStopDistance") +property_reader("QPlainTextEdit", /::(cursorWidth|isCursorWidth|hasCursorWidth)\s*\(/, "cursorWidth") +property_writer("QPlainTextEdit", /::setCursorWidth\s*\(/, "cursorWidth") +property_reader("QPlainTextEdit", /::(textInteractionFlags|isTextInteractionFlags|hasTextInteractionFlags)\s*\(/, "textInteractionFlags") +property_writer("QPlainTextEdit", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") +property_reader("QPlainTextEdit", /::(blockCount|isBlockCount|hasBlockCount)\s*\(/, "blockCount") +property_reader("QPlainTextEdit", /::(maximumBlockCount|isMaximumBlockCount|hasMaximumBlockCount)\s*\(/, "maximumBlockCount") +property_writer("QPlainTextEdit", /::setMaximumBlockCount\s*\(/, "maximumBlockCount") +property_reader("QPlainTextEdit", /::(backgroundVisible|isBackgroundVisible|hasBackgroundVisible)\s*\(/, "backgroundVisible") +property_writer("QPlainTextEdit", /::setBackgroundVisible\s*\(/, "backgroundVisible") +property_reader("QPlainTextEdit", /::(centerOnScroll|isCenterOnScroll|hasCenterOnScroll)\s*\(/, "centerOnScroll") +property_writer("QPlainTextEdit", /::setCenterOnScroll\s*\(/, "centerOnScroll") +property_reader("QPlainTextEdit", /::(placeholderText|isPlaceholderText|hasPlaceholderText)\s*\(/, "placeholderText") +property_writer("QPlainTextEdit", /::setPlaceholderText\s*\(/, "placeholderText") +property_reader("QProgressBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QProgressBar", /::setObjectName\s*\(/, "objectName") +property_reader("QProgressBar", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QProgressBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QProgressBar", /::setWindowModality\s*\(/, "windowModality") +property_reader("QProgressBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QProgressBar", /::setEnabled\s*\(/, "enabled") +property_reader("QProgressBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QProgressBar", /::setGeometry\s*\(/, "geometry") +property_reader("QProgressBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QProgressBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QProgressBar", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QProgressBar", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QProgressBar", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QProgressBar", /::setPos\s*\(/, "pos") +property_reader("QProgressBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QProgressBar", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QProgressBar", /::setSize\s*\(/, "size") +property_reader("QProgressBar", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QProgressBar", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QProgressBar", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QProgressBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QProgressBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QProgressBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QProgressBar", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QProgressBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QProgressBar", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QProgressBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QProgressBar", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QProgressBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QProgressBar", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QProgressBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QProgressBar", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QProgressBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QProgressBar", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QProgressBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QProgressBar", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QProgressBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QProgressBar", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QProgressBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QProgressBar", /::setBaseSize\s*\(/, "baseSize") +property_reader("QProgressBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QProgressBar", /::setPalette\s*\(/, "palette") +property_reader("QProgressBar", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QProgressBar", /::setFont\s*\(/, "font") +property_reader("QProgressBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QProgressBar", /::setCursor\s*\(/, "cursor") +property_reader("QProgressBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QProgressBar", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QProgressBar", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QProgressBar", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QProgressBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QProgressBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QProgressBar", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QProgressBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QProgressBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QProgressBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QProgressBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QProgressBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QProgressBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QProgressBar", /::setVisible\s*\(/, "visible") +property_reader("QProgressBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QProgressBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QProgressBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QProgressBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QProgressBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QProgressBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QProgressBar", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QProgressBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QProgressBar", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QProgressBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QProgressBar", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QProgressBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QProgressBar", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QProgressBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QProgressBar", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QProgressBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QProgressBar", /::setWindowModified\s*\(/, "windowModified") +property_reader("QProgressBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QProgressBar", /::setToolTip\s*\(/, "toolTip") +property_reader("QProgressBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QProgressBar", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QProgressBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QProgressBar", /::setStatusTip\s*\(/, "statusTip") +property_reader("QProgressBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QProgressBar", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QProgressBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QProgressBar", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QProgressBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QProgressBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QProgressBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QProgressBar", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QProgressBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QProgressBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QProgressBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QProgressBar", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QProgressBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QProgressBar", /::setLocale\s*\(/, "locale") +property_reader("QProgressBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QProgressBar", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QProgressBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QProgressBar", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QProgressBar", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") +property_writer("QProgressBar", /::setMinimum\s*\(/, "minimum") +property_reader("QProgressBar", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") +property_writer("QProgressBar", /::setMaximum\s*\(/, "maximum") +property_reader("QProgressBar", /::(text|isText|hasText)\s*\(/, "text") +property_reader("QProgressBar", /::(value|isValue|hasValue)\s*\(/, "value") +property_writer("QProgressBar", /::setValue\s*\(/, "value") +property_reader("QProgressBar", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QProgressBar", /::setAlignment\s*\(/, "alignment") +property_reader("QProgressBar", /::(textVisible|isTextVisible|hasTextVisible)\s*\(/, "textVisible") +property_writer("QProgressBar", /::setTextVisible\s*\(/, "textVisible") +property_reader("QProgressBar", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") +property_writer("QProgressBar", /::setOrientation\s*\(/, "orientation") +property_reader("QProgressBar", /::(invertedAppearance|isInvertedAppearance|hasInvertedAppearance)\s*\(/, "invertedAppearance") +property_writer("QProgressBar", /::setInvertedAppearance\s*\(/, "invertedAppearance") +property_reader("QProgressBar", /::(textDirection|isTextDirection|hasTextDirection)\s*\(/, "textDirection") +property_writer("QProgressBar", /::setTextDirection\s*\(/, "textDirection") +property_reader("QProgressBar", /::(format|isFormat|hasFormat)\s*\(/, "format") +property_writer("QProgressBar", /::setFormat\s*\(/, "format") +property_reader("QProgressDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QProgressDialog", /::setObjectName\s*\(/, "objectName") +property_reader("QProgressDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QProgressDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QProgressDialog", /::setWindowModality\s*\(/, "windowModality") +property_reader("QProgressDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QProgressDialog", /::setEnabled\s*\(/, "enabled") +property_reader("QProgressDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QProgressDialog", /::setGeometry\s*\(/, "geometry") +property_reader("QProgressDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QProgressDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QProgressDialog", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QProgressDialog", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QProgressDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QProgressDialog", /::setPos\s*\(/, "pos") +property_reader("QProgressDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QProgressDialog", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QProgressDialog", /::setSize\s*\(/, "size") +property_reader("QProgressDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QProgressDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QProgressDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QProgressDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QProgressDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QProgressDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QProgressDialog", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QProgressDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QProgressDialog", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QProgressDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QProgressDialog", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QProgressDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QProgressDialog", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QProgressDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QProgressDialog", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QProgressDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QProgressDialog", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QProgressDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QProgressDialog", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QProgressDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QProgressDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QProgressDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QProgressDialog", /::setBaseSize\s*\(/, "baseSize") +property_reader("QProgressDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QProgressDialog", /::setPalette\s*\(/, "palette") +property_reader("QProgressDialog", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QProgressDialog", /::setFont\s*\(/, "font") +property_reader("QProgressDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QProgressDialog", /::setCursor\s*\(/, "cursor") +property_reader("QProgressDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QProgressDialog", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QProgressDialog", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QProgressDialog", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QProgressDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QProgressDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QProgressDialog", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QProgressDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QProgressDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QProgressDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QProgressDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QProgressDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QProgressDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QProgressDialog", /::setVisible\s*\(/, "visible") +property_reader("QProgressDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QProgressDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QProgressDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QProgressDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QProgressDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QProgressDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QProgressDialog", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QProgressDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QProgressDialog", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QProgressDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QProgressDialog", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QProgressDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QProgressDialog", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QProgressDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QProgressDialog", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QProgressDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QProgressDialog", /::setWindowModified\s*\(/, "windowModified") +property_reader("QProgressDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QProgressDialog", /::setToolTip\s*\(/, "toolTip") +property_reader("QProgressDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QProgressDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QProgressDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QProgressDialog", /::setStatusTip\s*\(/, "statusTip") +property_reader("QProgressDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QProgressDialog", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QProgressDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QProgressDialog", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QProgressDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QProgressDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QProgressDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QProgressDialog", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QProgressDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QProgressDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QProgressDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QProgressDialog", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QProgressDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QProgressDialog", /::setLocale\s*\(/, "locale") +property_reader("QProgressDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QProgressDialog", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QProgressDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QProgressDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QProgressDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QProgressDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QProgressDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QProgressDialog", /::setModal\s*\(/, "modal") +property_reader("QProgressDialog", /::(wasCanceled|isWasCanceled|hasWasCanceled)\s*\(/, "wasCanceled") +property_reader("QProgressDialog", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") +property_writer("QProgressDialog", /::setMinimum\s*\(/, "minimum") +property_reader("QProgressDialog", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") +property_writer("QProgressDialog", /::setMaximum\s*\(/, "maximum") +property_reader("QProgressDialog", /::(value|isValue|hasValue)\s*\(/, "value") +property_writer("QProgressDialog", /::setValue\s*\(/, "value") +property_reader("QProgressDialog", /::(autoReset|isAutoReset|hasAutoReset)\s*\(/, "autoReset") +property_writer("QProgressDialog", /::setAutoReset\s*\(/, "autoReset") +property_reader("QProgressDialog", /::(autoClose|isAutoClose|hasAutoClose)\s*\(/, "autoClose") +property_writer("QProgressDialog", /::setAutoClose\s*\(/, "autoClose") +property_reader("QProgressDialog", /::(minimumDuration|isMinimumDuration|hasMinimumDuration)\s*\(/, "minimumDuration") +property_writer("QProgressDialog", /::setMinimumDuration\s*\(/, "minimumDuration") +property_reader("QProgressDialog", /::(labelText|isLabelText|hasLabelText)\s*\(/, "labelText") +property_writer("QProgressDialog", /::setLabelText\s*\(/, "labelText") +property_reader("QPushButton", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPushButton", /::setObjectName\s*\(/, "objectName") +property_reader("QPushButton", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QPushButton", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QPushButton", /::setWindowModality\s*\(/, "windowModality") +property_reader("QPushButton", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QPushButton", /::setEnabled\s*\(/, "enabled") +property_reader("QPushButton", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QPushButton", /::setGeometry\s*\(/, "geometry") +property_reader("QPushButton", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QPushButton", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QPushButton", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QPushButton", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QPushButton", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QPushButton", /::setPos\s*\(/, "pos") +property_reader("QPushButton", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QPushButton", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QPushButton", /::setSize\s*\(/, "size") +property_reader("QPushButton", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QPushButton", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QPushButton", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QPushButton", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QPushButton", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QPushButton", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QPushButton", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QPushButton", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QPushButton", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QPushButton", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QPushButton", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QPushButton", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QPushButton", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QPushButton", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QPushButton", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QPushButton", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QPushButton", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QPushButton", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QPushButton", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QPushButton", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QPushButton", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QPushButton", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QPushButton", /::setBaseSize\s*\(/, "baseSize") +property_reader("QPushButton", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QPushButton", /::setPalette\s*\(/, "palette") +property_reader("QPushButton", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QPushButton", /::setFont\s*\(/, "font") +property_reader("QPushButton", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QPushButton", /::setCursor\s*\(/, "cursor") +property_reader("QPushButton", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QPushButton", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QPushButton", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QPushButton", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QPushButton", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QPushButton", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QPushButton", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QPushButton", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QPushButton", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QPushButton", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QPushButton", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QPushButton", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QPushButton", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QPushButton", /::setVisible\s*\(/, "visible") +property_reader("QPushButton", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QPushButton", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QPushButton", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QPushButton", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QPushButton", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QPushButton", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QPushButton", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QPushButton", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QPushButton", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QPushButton", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QPushButton", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QPushButton", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QPushButton", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QPushButton", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QPushButton", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QPushButton", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QPushButton", /::setWindowModified\s*\(/, "windowModified") +property_reader("QPushButton", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QPushButton", /::setToolTip\s*\(/, "toolTip") +property_reader("QPushButton", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QPushButton", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QPushButton", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QPushButton", /::setStatusTip\s*\(/, "statusTip") +property_reader("QPushButton", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QPushButton", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QPushButton", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QPushButton", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QPushButton", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QPushButton", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QPushButton", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QPushButton", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QPushButton", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QPushButton", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QPushButton", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QPushButton", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QPushButton", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QPushButton", /::setLocale\s*\(/, "locale") +property_reader("QPushButton", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QPushButton", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QPushButton", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QPushButton", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QPushButton", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QPushButton", /::setText\s*\(/, "text") +property_reader("QPushButton", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QPushButton", /::setIcon\s*\(/, "icon") +property_reader("QPushButton", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QPushButton", /::setIconSize\s*\(/, "iconSize") +property_reader("QPushButton", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") +property_writer("QPushButton", /::setShortcut\s*\(/, "shortcut") +property_reader("QPushButton", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") +property_writer("QPushButton", /::setCheckable\s*\(/, "checkable") +property_reader("QPushButton", /::(checked|isChecked|hasChecked)\s*\(/, "checked") +property_writer("QPushButton", /::setChecked\s*\(/, "checked") +property_reader("QPushButton", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") +property_writer("QPushButton", /::setAutoRepeat\s*\(/, "autoRepeat") +property_reader("QPushButton", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") +property_writer("QPushButton", /::setAutoExclusive\s*\(/, "autoExclusive") +property_reader("QPushButton", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") +property_writer("QPushButton", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") +property_reader("QPushButton", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") +property_writer("QPushButton", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") +property_reader("QPushButton", /::(down|isDown|hasDown)\s*\(/, "down") +property_writer("QPushButton", /::setDown\s*\(/, "down") +property_reader("QPushButton", /::(autoDefault|isAutoDefault|hasAutoDefault)\s*\(/, "autoDefault") +property_writer("QPushButton", /::setAutoDefault\s*\(/, "autoDefault") +property_reader("QPushButton", /::(default|isDefault|hasDefault)\s*\(/, "default") +property_writer("QPushButton", /::setDefault\s*\(/, "default") +property_reader("QPushButton", /::(flat|isFlat|hasFlat)\s*\(/, "flat") +property_writer("QPushButton", /::setFlat\s*\(/, "flat") +property_reader("QRadioButton", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QRadioButton", /::setObjectName\s*\(/, "objectName") +property_reader("QRadioButton", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QRadioButton", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QRadioButton", /::setWindowModality\s*\(/, "windowModality") +property_reader("QRadioButton", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QRadioButton", /::setEnabled\s*\(/, "enabled") +property_reader("QRadioButton", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QRadioButton", /::setGeometry\s*\(/, "geometry") +property_reader("QRadioButton", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QRadioButton", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QRadioButton", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QRadioButton", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QRadioButton", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QRadioButton", /::setPos\s*\(/, "pos") +property_reader("QRadioButton", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QRadioButton", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QRadioButton", /::setSize\s*\(/, "size") +property_reader("QRadioButton", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QRadioButton", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QRadioButton", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QRadioButton", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QRadioButton", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QRadioButton", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QRadioButton", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QRadioButton", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QRadioButton", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QRadioButton", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QRadioButton", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QRadioButton", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QRadioButton", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QRadioButton", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QRadioButton", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QRadioButton", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QRadioButton", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QRadioButton", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QRadioButton", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QRadioButton", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QRadioButton", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QRadioButton", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QRadioButton", /::setBaseSize\s*\(/, "baseSize") +property_reader("QRadioButton", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QRadioButton", /::setPalette\s*\(/, "palette") +property_reader("QRadioButton", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QRadioButton", /::setFont\s*\(/, "font") +property_reader("QRadioButton", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QRadioButton", /::setCursor\s*\(/, "cursor") +property_reader("QRadioButton", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QRadioButton", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QRadioButton", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QRadioButton", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QRadioButton", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QRadioButton", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QRadioButton", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QRadioButton", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QRadioButton", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QRadioButton", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QRadioButton", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QRadioButton", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QRadioButton", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QRadioButton", /::setVisible\s*\(/, "visible") +property_reader("QRadioButton", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QRadioButton", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QRadioButton", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QRadioButton", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QRadioButton", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QRadioButton", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QRadioButton", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QRadioButton", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QRadioButton", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QRadioButton", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QRadioButton", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QRadioButton", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QRadioButton", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QRadioButton", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QRadioButton", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QRadioButton", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QRadioButton", /::setWindowModified\s*\(/, "windowModified") +property_reader("QRadioButton", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QRadioButton", /::setToolTip\s*\(/, "toolTip") +property_reader("QRadioButton", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QRadioButton", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QRadioButton", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QRadioButton", /::setStatusTip\s*\(/, "statusTip") +property_reader("QRadioButton", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QRadioButton", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QRadioButton", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QRadioButton", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QRadioButton", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QRadioButton", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QRadioButton", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QRadioButton", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QRadioButton", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QRadioButton", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QRadioButton", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QRadioButton", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QRadioButton", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QRadioButton", /::setLocale\s*\(/, "locale") +property_reader("QRadioButton", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QRadioButton", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QRadioButton", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QRadioButton", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QRadioButton", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QRadioButton", /::setText\s*\(/, "text") +property_reader("QRadioButton", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QRadioButton", /::setIcon\s*\(/, "icon") +property_reader("QRadioButton", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QRadioButton", /::setIconSize\s*\(/, "iconSize") +property_reader("QRadioButton", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") +property_writer("QRadioButton", /::setShortcut\s*\(/, "shortcut") +property_reader("QRadioButton", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") +property_writer("QRadioButton", /::setCheckable\s*\(/, "checkable") +property_reader("QRadioButton", /::(checked|isChecked|hasChecked)\s*\(/, "checked") +property_writer("QRadioButton", /::setChecked\s*\(/, "checked") +property_reader("QRadioButton", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") +property_writer("QRadioButton", /::setAutoRepeat\s*\(/, "autoRepeat") +property_reader("QRadioButton", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") +property_writer("QRadioButton", /::setAutoExclusive\s*\(/, "autoExclusive") +property_reader("QRadioButton", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") +property_writer("QRadioButton", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") +property_reader("QRadioButton", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") +property_writer("QRadioButton", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") +property_reader("QRadioButton", /::(down|isDown|hasDown)\s*\(/, "down") +property_writer("QRadioButton", /::setDown\s*\(/, "down") +property_reader("QRubberBand", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QRubberBand", /::setObjectName\s*\(/, "objectName") +property_reader("QRubberBand", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QRubberBand", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QRubberBand", /::setWindowModality\s*\(/, "windowModality") +property_reader("QRubberBand", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QRubberBand", /::setEnabled\s*\(/, "enabled") +property_reader("QRubberBand", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QRubberBand", /::setGeometry\s*\(/, "geometry") +property_reader("QRubberBand", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QRubberBand", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QRubberBand", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QRubberBand", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QRubberBand", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QRubberBand", /::setPos\s*\(/, "pos") +property_reader("QRubberBand", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QRubberBand", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QRubberBand", /::setSize\s*\(/, "size") +property_reader("QRubberBand", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QRubberBand", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QRubberBand", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QRubberBand", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QRubberBand", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QRubberBand", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QRubberBand", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QRubberBand", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QRubberBand", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QRubberBand", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QRubberBand", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QRubberBand", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QRubberBand", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QRubberBand", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QRubberBand", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QRubberBand", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QRubberBand", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QRubberBand", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QRubberBand", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QRubberBand", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QRubberBand", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QRubberBand", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QRubberBand", /::setBaseSize\s*\(/, "baseSize") +property_reader("QRubberBand", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QRubberBand", /::setPalette\s*\(/, "palette") +property_reader("QRubberBand", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QRubberBand", /::setFont\s*\(/, "font") +property_reader("QRubberBand", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QRubberBand", /::setCursor\s*\(/, "cursor") +property_reader("QRubberBand", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QRubberBand", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QRubberBand", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QRubberBand", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QRubberBand", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QRubberBand", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QRubberBand", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QRubberBand", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QRubberBand", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QRubberBand", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QRubberBand", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QRubberBand", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QRubberBand", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QRubberBand", /::setVisible\s*\(/, "visible") +property_reader("QRubberBand", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QRubberBand", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QRubberBand", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QRubberBand", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QRubberBand", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QRubberBand", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QRubberBand", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QRubberBand", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QRubberBand", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QRubberBand", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QRubberBand", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QRubberBand", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QRubberBand", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QRubberBand", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QRubberBand", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QRubberBand", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QRubberBand", /::setWindowModified\s*\(/, "windowModified") +property_reader("QRubberBand", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QRubberBand", /::setToolTip\s*\(/, "toolTip") +property_reader("QRubberBand", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QRubberBand", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QRubberBand", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QRubberBand", /::setStatusTip\s*\(/, "statusTip") +property_reader("QRubberBand", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QRubberBand", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QRubberBand", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QRubberBand", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QRubberBand", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QRubberBand", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QRubberBand", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QRubberBand", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QRubberBand", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QRubberBand", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QRubberBand", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QRubberBand", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QRubberBand", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QRubberBand", /::setLocale\s*\(/, "locale") +property_reader("QRubberBand", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QRubberBand", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QRubberBand", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QRubberBand", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QScrollArea", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QScrollArea", /::setObjectName\s*\(/, "objectName") +property_reader("QScrollArea", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QScrollArea", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QScrollArea", /::setWindowModality\s*\(/, "windowModality") +property_reader("QScrollArea", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QScrollArea", /::setEnabled\s*\(/, "enabled") +property_reader("QScrollArea", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QScrollArea", /::setGeometry\s*\(/, "geometry") +property_reader("QScrollArea", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QScrollArea", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QScrollArea", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QScrollArea", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QScrollArea", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QScrollArea", /::setPos\s*\(/, "pos") +property_reader("QScrollArea", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QScrollArea", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QScrollArea", /::setSize\s*\(/, "size") +property_reader("QScrollArea", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QScrollArea", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QScrollArea", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QScrollArea", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QScrollArea", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QScrollArea", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QScrollArea", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QScrollArea", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QScrollArea", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QScrollArea", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QScrollArea", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QScrollArea", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QScrollArea", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QScrollArea", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QScrollArea", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QScrollArea", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QScrollArea", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QScrollArea", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QScrollArea", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QScrollArea", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QScrollArea", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QScrollArea", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QScrollArea", /::setBaseSize\s*\(/, "baseSize") +property_reader("QScrollArea", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QScrollArea", /::setPalette\s*\(/, "palette") +property_reader("QScrollArea", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QScrollArea", /::setFont\s*\(/, "font") +property_reader("QScrollArea", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QScrollArea", /::setCursor\s*\(/, "cursor") +property_reader("QScrollArea", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QScrollArea", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QScrollArea", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QScrollArea", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QScrollArea", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QScrollArea", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QScrollArea", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QScrollArea", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QScrollArea", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QScrollArea", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QScrollArea", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QScrollArea", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QScrollArea", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QScrollArea", /::setVisible\s*\(/, "visible") +property_reader("QScrollArea", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QScrollArea", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QScrollArea", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QScrollArea", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QScrollArea", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QScrollArea", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QScrollArea", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QScrollArea", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QScrollArea", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QScrollArea", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QScrollArea", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QScrollArea", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QScrollArea", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QScrollArea", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QScrollArea", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QScrollArea", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QScrollArea", /::setWindowModified\s*\(/, "windowModified") +property_reader("QScrollArea", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QScrollArea", /::setToolTip\s*\(/, "toolTip") +property_reader("QScrollArea", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QScrollArea", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QScrollArea", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QScrollArea", /::setStatusTip\s*\(/, "statusTip") +property_reader("QScrollArea", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QScrollArea", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QScrollArea", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QScrollArea", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QScrollArea", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QScrollArea", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QScrollArea", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QScrollArea", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QScrollArea", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QScrollArea", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QScrollArea", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QScrollArea", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QScrollArea", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QScrollArea", /::setLocale\s*\(/, "locale") +property_reader("QScrollArea", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QScrollArea", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QScrollArea", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QScrollArea", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QScrollArea", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QScrollArea", /::setFrameShape\s*\(/, "frameShape") +property_reader("QScrollArea", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QScrollArea", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QScrollArea", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QScrollArea", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QScrollArea", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QScrollArea", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QScrollArea", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QScrollArea", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QScrollArea", /::setFrameRect\s*\(/, "frameRect") +property_reader("QScrollArea", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QScrollArea", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QScrollArea", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QScrollArea", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QScrollArea", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QScrollArea", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QScrollArea", /::(widgetResizable|isWidgetResizable|hasWidgetResizable)\s*\(/, "widgetResizable") +property_writer("QScrollArea", /::setWidgetResizable\s*\(/, "widgetResizable") +property_reader("QScrollArea", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QScrollArea", /::setAlignment\s*\(/, "alignment") +property_reader("QScrollBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QScrollBar", /::setObjectName\s*\(/, "objectName") +property_reader("QScrollBar", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QScrollBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QScrollBar", /::setWindowModality\s*\(/, "windowModality") +property_reader("QScrollBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QScrollBar", /::setEnabled\s*\(/, "enabled") +property_reader("QScrollBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QScrollBar", /::setGeometry\s*\(/, "geometry") +property_reader("QScrollBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QScrollBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QScrollBar", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QScrollBar", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QScrollBar", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QScrollBar", /::setPos\s*\(/, "pos") +property_reader("QScrollBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QScrollBar", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QScrollBar", /::setSize\s*\(/, "size") +property_reader("QScrollBar", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QScrollBar", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QScrollBar", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QScrollBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QScrollBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QScrollBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QScrollBar", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QScrollBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QScrollBar", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QScrollBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QScrollBar", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QScrollBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QScrollBar", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QScrollBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QScrollBar", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QScrollBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QScrollBar", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QScrollBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QScrollBar", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QScrollBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QScrollBar", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QScrollBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QScrollBar", /::setBaseSize\s*\(/, "baseSize") +property_reader("QScrollBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QScrollBar", /::setPalette\s*\(/, "palette") +property_reader("QScrollBar", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QScrollBar", /::setFont\s*\(/, "font") +property_reader("QScrollBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QScrollBar", /::setCursor\s*\(/, "cursor") +property_reader("QScrollBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QScrollBar", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QScrollBar", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QScrollBar", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QScrollBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QScrollBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QScrollBar", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QScrollBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QScrollBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QScrollBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QScrollBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QScrollBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QScrollBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QScrollBar", /::setVisible\s*\(/, "visible") +property_reader("QScrollBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QScrollBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QScrollBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QScrollBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QScrollBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QScrollBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QScrollBar", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QScrollBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QScrollBar", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QScrollBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QScrollBar", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QScrollBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QScrollBar", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QScrollBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QScrollBar", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QScrollBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QScrollBar", /::setWindowModified\s*\(/, "windowModified") +property_reader("QScrollBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QScrollBar", /::setToolTip\s*\(/, "toolTip") +property_reader("QScrollBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QScrollBar", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QScrollBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QScrollBar", /::setStatusTip\s*\(/, "statusTip") +property_reader("QScrollBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QScrollBar", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QScrollBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QScrollBar", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QScrollBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QScrollBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QScrollBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QScrollBar", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QScrollBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QScrollBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QScrollBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QScrollBar", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QScrollBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QScrollBar", /::setLocale\s*\(/, "locale") +property_reader("QScrollBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QScrollBar", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QScrollBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QScrollBar", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QScrollBar", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") +property_writer("QScrollBar", /::setMinimum\s*\(/, "minimum") +property_reader("QScrollBar", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") +property_writer("QScrollBar", /::setMaximum\s*\(/, "maximum") +property_reader("QScrollBar", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") +property_writer("QScrollBar", /::setSingleStep\s*\(/, "singleStep") +property_reader("QScrollBar", /::(pageStep|isPageStep|hasPageStep)\s*\(/, "pageStep") +property_writer("QScrollBar", /::setPageStep\s*\(/, "pageStep") +property_reader("QScrollBar", /::(value|isValue|hasValue)\s*\(/, "value") +property_writer("QScrollBar", /::setValue\s*\(/, "value") +property_reader("QScrollBar", /::(sliderPosition|isSliderPosition|hasSliderPosition)\s*\(/, "sliderPosition") +property_writer("QScrollBar", /::setSliderPosition\s*\(/, "sliderPosition") +property_reader("QScrollBar", /::(tracking|isTracking|hasTracking)\s*\(/, "tracking") +property_writer("QScrollBar", /::setTracking\s*\(/, "tracking") +property_reader("QScrollBar", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") +property_writer("QScrollBar", /::setOrientation\s*\(/, "orientation") +property_reader("QScrollBar", /::(invertedAppearance|isInvertedAppearance|hasInvertedAppearance)\s*\(/, "invertedAppearance") +property_writer("QScrollBar", /::setInvertedAppearance\s*\(/, "invertedAppearance") +property_reader("QScrollBar", /::(invertedControls|isInvertedControls|hasInvertedControls)\s*\(/, "invertedControls") +property_writer("QScrollBar", /::setInvertedControls\s*\(/, "invertedControls") +property_reader("QScrollBar", /::(sliderDown|isSliderDown|hasSliderDown)\s*\(/, "sliderDown") +property_writer("QScrollBar", /::setSliderDown\s*\(/, "sliderDown") +property_reader("QScroller", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QScroller", /::setObjectName\s*\(/, "objectName") +property_reader("QScroller", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QScroller", /::(scrollerProperties|isScrollerProperties|hasScrollerProperties)\s*\(/, "scrollerProperties") +property_writer("QScroller", /::setScrollerProperties\s*\(/, "scrollerProperties") +property_reader("QSizeGrip", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSizeGrip", /::setObjectName\s*\(/, "objectName") +property_reader("QSizeGrip", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QSizeGrip", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QSizeGrip", /::setWindowModality\s*\(/, "windowModality") +property_reader("QSizeGrip", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QSizeGrip", /::setEnabled\s*\(/, "enabled") +property_reader("QSizeGrip", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QSizeGrip", /::setGeometry\s*\(/, "geometry") +property_reader("QSizeGrip", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QSizeGrip", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QSizeGrip", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QSizeGrip", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QSizeGrip", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QSizeGrip", /::setPos\s*\(/, "pos") +property_reader("QSizeGrip", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QSizeGrip", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QSizeGrip", /::setSize\s*\(/, "size") +property_reader("QSizeGrip", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QSizeGrip", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QSizeGrip", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QSizeGrip", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QSizeGrip", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QSizeGrip", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QSizeGrip", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QSizeGrip", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QSizeGrip", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QSizeGrip", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QSizeGrip", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QSizeGrip", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QSizeGrip", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QSizeGrip", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QSizeGrip", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QSizeGrip", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QSizeGrip", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QSizeGrip", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QSizeGrip", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QSizeGrip", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QSizeGrip", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QSizeGrip", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QSizeGrip", /::setBaseSize\s*\(/, "baseSize") +property_reader("QSizeGrip", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QSizeGrip", /::setPalette\s*\(/, "palette") +property_reader("QSizeGrip", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QSizeGrip", /::setFont\s*\(/, "font") +property_reader("QSizeGrip", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QSizeGrip", /::setCursor\s*\(/, "cursor") +property_reader("QSizeGrip", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QSizeGrip", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QSizeGrip", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QSizeGrip", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QSizeGrip", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QSizeGrip", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QSizeGrip", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QSizeGrip", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QSizeGrip", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QSizeGrip", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QSizeGrip", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QSizeGrip", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QSizeGrip", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QSizeGrip", /::setVisible\s*\(/, "visible") +property_reader("QSizeGrip", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QSizeGrip", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QSizeGrip", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QSizeGrip", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QSizeGrip", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QSizeGrip", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QSizeGrip", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QSizeGrip", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QSizeGrip", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QSizeGrip", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QSizeGrip", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QSizeGrip", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QSizeGrip", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QSizeGrip", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QSizeGrip", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QSizeGrip", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QSizeGrip", /::setWindowModified\s*\(/, "windowModified") +property_reader("QSizeGrip", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QSizeGrip", /::setToolTip\s*\(/, "toolTip") +property_reader("QSizeGrip", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QSizeGrip", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QSizeGrip", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QSizeGrip", /::setStatusTip\s*\(/, "statusTip") +property_reader("QSizeGrip", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QSizeGrip", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QSizeGrip", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QSizeGrip", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QSizeGrip", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QSizeGrip", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QSizeGrip", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QSizeGrip", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QSizeGrip", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QSizeGrip", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QSizeGrip", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QSizeGrip", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QSizeGrip", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QSizeGrip", /::setLocale\s*\(/, "locale") +property_reader("QSizeGrip", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QSizeGrip", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QSizeGrip", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QSizeGrip", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QSlider", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSlider", /::setObjectName\s*\(/, "objectName") +property_reader("QSlider", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QSlider", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QSlider", /::setWindowModality\s*\(/, "windowModality") +property_reader("QSlider", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QSlider", /::setEnabled\s*\(/, "enabled") +property_reader("QSlider", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QSlider", /::setGeometry\s*\(/, "geometry") +property_reader("QSlider", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QSlider", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QSlider", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QSlider", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QSlider", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QSlider", /::setPos\s*\(/, "pos") +property_reader("QSlider", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QSlider", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QSlider", /::setSize\s*\(/, "size") +property_reader("QSlider", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QSlider", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QSlider", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QSlider", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QSlider", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QSlider", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QSlider", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QSlider", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QSlider", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QSlider", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QSlider", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QSlider", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QSlider", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QSlider", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QSlider", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QSlider", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QSlider", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QSlider", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QSlider", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QSlider", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QSlider", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QSlider", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QSlider", /::setBaseSize\s*\(/, "baseSize") +property_reader("QSlider", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QSlider", /::setPalette\s*\(/, "palette") +property_reader("QSlider", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QSlider", /::setFont\s*\(/, "font") +property_reader("QSlider", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QSlider", /::setCursor\s*\(/, "cursor") +property_reader("QSlider", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QSlider", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QSlider", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QSlider", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QSlider", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QSlider", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QSlider", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QSlider", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QSlider", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QSlider", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QSlider", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QSlider", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QSlider", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QSlider", /::setVisible\s*\(/, "visible") +property_reader("QSlider", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QSlider", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QSlider", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QSlider", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QSlider", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QSlider", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QSlider", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QSlider", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QSlider", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QSlider", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QSlider", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QSlider", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QSlider", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QSlider", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QSlider", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QSlider", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QSlider", /::setWindowModified\s*\(/, "windowModified") +property_reader("QSlider", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QSlider", /::setToolTip\s*\(/, "toolTip") +property_reader("QSlider", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QSlider", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QSlider", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QSlider", /::setStatusTip\s*\(/, "statusTip") +property_reader("QSlider", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QSlider", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QSlider", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QSlider", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QSlider", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QSlider", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QSlider", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QSlider", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QSlider", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QSlider", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QSlider", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QSlider", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QSlider", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QSlider", /::setLocale\s*\(/, "locale") +property_reader("QSlider", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QSlider", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QSlider", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QSlider", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QSlider", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") +property_writer("QSlider", /::setMinimum\s*\(/, "minimum") +property_reader("QSlider", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") +property_writer("QSlider", /::setMaximum\s*\(/, "maximum") +property_reader("QSlider", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") +property_writer("QSlider", /::setSingleStep\s*\(/, "singleStep") +property_reader("QSlider", /::(pageStep|isPageStep|hasPageStep)\s*\(/, "pageStep") +property_writer("QSlider", /::setPageStep\s*\(/, "pageStep") +property_reader("QSlider", /::(value|isValue|hasValue)\s*\(/, "value") +property_writer("QSlider", /::setValue\s*\(/, "value") +property_reader("QSlider", /::(sliderPosition|isSliderPosition|hasSliderPosition)\s*\(/, "sliderPosition") +property_writer("QSlider", /::setSliderPosition\s*\(/, "sliderPosition") +property_reader("QSlider", /::(tracking|isTracking|hasTracking)\s*\(/, "tracking") +property_writer("QSlider", /::setTracking\s*\(/, "tracking") +property_reader("QSlider", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") +property_writer("QSlider", /::setOrientation\s*\(/, "orientation") +property_reader("QSlider", /::(invertedAppearance|isInvertedAppearance|hasInvertedAppearance)\s*\(/, "invertedAppearance") +property_writer("QSlider", /::setInvertedAppearance\s*\(/, "invertedAppearance") +property_reader("QSlider", /::(invertedControls|isInvertedControls|hasInvertedControls)\s*\(/, "invertedControls") +property_writer("QSlider", /::setInvertedControls\s*\(/, "invertedControls") +property_reader("QSlider", /::(sliderDown|isSliderDown|hasSliderDown)\s*\(/, "sliderDown") +property_writer("QSlider", /::setSliderDown\s*\(/, "sliderDown") +property_reader("QSlider", /::(tickPosition|isTickPosition|hasTickPosition)\s*\(/, "tickPosition") +property_writer("QSlider", /::setTickPosition\s*\(/, "tickPosition") +property_reader("QSlider", /::(tickInterval|isTickInterval|hasTickInterval)\s*\(/, "tickInterval") +property_writer("QSlider", /::setTickInterval\s*\(/, "tickInterval") +property_reader("QSpinBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSpinBox", /::setObjectName\s*\(/, "objectName") +property_reader("QSpinBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QSpinBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QSpinBox", /::setWindowModality\s*\(/, "windowModality") +property_reader("QSpinBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QSpinBox", /::setEnabled\s*\(/, "enabled") +property_reader("QSpinBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QSpinBox", /::setGeometry\s*\(/, "geometry") +property_reader("QSpinBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QSpinBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QSpinBox", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QSpinBox", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QSpinBox", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QSpinBox", /::setPos\s*\(/, "pos") +property_reader("QSpinBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QSpinBox", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QSpinBox", /::setSize\s*\(/, "size") +property_reader("QSpinBox", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QSpinBox", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QSpinBox", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QSpinBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QSpinBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QSpinBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QSpinBox", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QSpinBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QSpinBox", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QSpinBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QSpinBox", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QSpinBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QSpinBox", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QSpinBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QSpinBox", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QSpinBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QSpinBox", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QSpinBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QSpinBox", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QSpinBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QSpinBox", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QSpinBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QSpinBox", /::setBaseSize\s*\(/, "baseSize") +property_reader("QSpinBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QSpinBox", /::setPalette\s*\(/, "palette") +property_reader("QSpinBox", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QSpinBox", /::setFont\s*\(/, "font") +property_reader("QSpinBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QSpinBox", /::setCursor\s*\(/, "cursor") +property_reader("QSpinBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QSpinBox", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QSpinBox", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QSpinBox", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QSpinBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QSpinBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QSpinBox", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QSpinBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QSpinBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QSpinBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QSpinBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QSpinBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QSpinBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QSpinBox", /::setVisible\s*\(/, "visible") +property_reader("QSpinBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QSpinBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QSpinBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QSpinBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QSpinBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QSpinBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QSpinBox", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QSpinBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QSpinBox", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QSpinBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QSpinBox", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QSpinBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QSpinBox", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QSpinBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QSpinBox", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QSpinBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QSpinBox", /::setWindowModified\s*\(/, "windowModified") +property_reader("QSpinBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QSpinBox", /::setToolTip\s*\(/, "toolTip") +property_reader("QSpinBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QSpinBox", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QSpinBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QSpinBox", /::setStatusTip\s*\(/, "statusTip") +property_reader("QSpinBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QSpinBox", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QSpinBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QSpinBox", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QSpinBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QSpinBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QSpinBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QSpinBox", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QSpinBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QSpinBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QSpinBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QSpinBox", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QSpinBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QSpinBox", /::setLocale\s*\(/, "locale") +property_reader("QSpinBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QSpinBox", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QSpinBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QSpinBox", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QSpinBox", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") +property_writer("QSpinBox", /::setWrapping\s*\(/, "wrapping") +property_reader("QSpinBox", /::(frame|isFrame|hasFrame)\s*\(/, "frame") +property_writer("QSpinBox", /::setFrame\s*\(/, "frame") +property_reader("QSpinBox", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QSpinBox", /::setAlignment\s*\(/, "alignment") +property_reader("QSpinBox", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QSpinBox", /::setReadOnly\s*\(/, "readOnly") +property_reader("QSpinBox", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") +property_writer("QSpinBox", /::setButtonSymbols\s*\(/, "buttonSymbols") +property_reader("QSpinBox", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") +property_writer("QSpinBox", /::setSpecialValueText\s*\(/, "specialValueText") +property_reader("QSpinBox", /::(text|isText|hasText)\s*\(/, "text") +property_reader("QSpinBox", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") +property_writer("QSpinBox", /::setAccelerated\s*\(/, "accelerated") +property_reader("QSpinBox", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") +property_writer("QSpinBox", /::setCorrectionMode\s*\(/, "correctionMode") +property_reader("QSpinBox", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") +property_reader("QSpinBox", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") +property_writer("QSpinBox", /::setKeyboardTracking\s*\(/, "keyboardTracking") +property_reader("QSpinBox", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") +property_writer("QSpinBox", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") +property_reader("QSpinBox", /::(suffix|isSuffix|hasSuffix)\s*\(/, "suffix") +property_writer("QSpinBox", /::setSuffix\s*\(/, "suffix") +property_reader("QSpinBox", /::(prefix|isPrefix|hasPrefix)\s*\(/, "prefix") +property_writer("QSpinBox", /::setPrefix\s*\(/, "prefix") +property_reader("QSpinBox", /::(cleanText|isCleanText|hasCleanText)\s*\(/, "cleanText") +property_reader("QSpinBox", /::(minimum|isMinimum|hasMinimum)\s*\(/, "minimum") +property_writer("QSpinBox", /::setMinimum\s*\(/, "minimum") +property_reader("QSpinBox", /::(maximum|isMaximum|hasMaximum)\s*\(/, "maximum") +property_writer("QSpinBox", /::setMaximum\s*\(/, "maximum") +property_reader("QSpinBox", /::(singleStep|isSingleStep|hasSingleStep)\s*\(/, "singleStep") +property_writer("QSpinBox", /::setSingleStep\s*\(/, "singleStep") +property_reader("QSpinBox", /::(stepType|isStepType|hasStepType)\s*\(/, "stepType") +property_writer("QSpinBox", /::setStepType\s*\(/, "stepType") +property_reader("QSpinBox", /::(value|isValue|hasValue)\s*\(/, "value") +property_writer("QSpinBox", /::setValue\s*\(/, "value") +property_reader("QSpinBox", /::(displayIntegerBase|isDisplayIntegerBase|hasDisplayIntegerBase)\s*\(/, "displayIntegerBase") +property_writer("QSpinBox", /::setDisplayIntegerBase\s*\(/, "displayIntegerBase") +property_reader("QSplashScreen", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSplashScreen", /::setObjectName\s*\(/, "objectName") +property_reader("QSplashScreen", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QSplashScreen", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QSplashScreen", /::setWindowModality\s*\(/, "windowModality") +property_reader("QSplashScreen", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QSplashScreen", /::setEnabled\s*\(/, "enabled") +property_reader("QSplashScreen", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QSplashScreen", /::setGeometry\s*\(/, "geometry") +property_reader("QSplashScreen", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QSplashScreen", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QSplashScreen", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QSplashScreen", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QSplashScreen", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QSplashScreen", /::setPos\s*\(/, "pos") +property_reader("QSplashScreen", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QSplashScreen", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QSplashScreen", /::setSize\s*\(/, "size") +property_reader("QSplashScreen", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QSplashScreen", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QSplashScreen", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QSplashScreen", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QSplashScreen", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QSplashScreen", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QSplashScreen", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QSplashScreen", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QSplashScreen", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QSplashScreen", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QSplashScreen", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QSplashScreen", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QSplashScreen", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QSplashScreen", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QSplashScreen", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QSplashScreen", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QSplashScreen", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QSplashScreen", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QSplashScreen", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QSplashScreen", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QSplashScreen", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QSplashScreen", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QSplashScreen", /::setBaseSize\s*\(/, "baseSize") +property_reader("QSplashScreen", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QSplashScreen", /::setPalette\s*\(/, "palette") +property_reader("QSplashScreen", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QSplashScreen", /::setFont\s*\(/, "font") +property_reader("QSplashScreen", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QSplashScreen", /::setCursor\s*\(/, "cursor") +property_reader("QSplashScreen", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QSplashScreen", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QSplashScreen", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QSplashScreen", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QSplashScreen", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QSplashScreen", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QSplashScreen", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QSplashScreen", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QSplashScreen", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QSplashScreen", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QSplashScreen", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QSplashScreen", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QSplashScreen", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QSplashScreen", /::setVisible\s*\(/, "visible") +property_reader("QSplashScreen", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QSplashScreen", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QSplashScreen", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QSplashScreen", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QSplashScreen", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QSplashScreen", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QSplashScreen", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QSplashScreen", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QSplashScreen", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QSplashScreen", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QSplashScreen", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QSplashScreen", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QSplashScreen", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QSplashScreen", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QSplashScreen", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QSplashScreen", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QSplashScreen", /::setWindowModified\s*\(/, "windowModified") +property_reader("QSplashScreen", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QSplashScreen", /::setToolTip\s*\(/, "toolTip") +property_reader("QSplashScreen", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QSplashScreen", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QSplashScreen", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QSplashScreen", /::setStatusTip\s*\(/, "statusTip") +property_reader("QSplashScreen", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QSplashScreen", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QSplashScreen", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QSplashScreen", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QSplashScreen", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QSplashScreen", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QSplashScreen", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QSplashScreen", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QSplashScreen", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QSplashScreen", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QSplashScreen", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QSplashScreen", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QSplashScreen", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QSplashScreen", /::setLocale\s*\(/, "locale") +property_reader("QSplashScreen", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QSplashScreen", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QSplashScreen", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QSplashScreen", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QSplitter", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSplitter", /::setObjectName\s*\(/, "objectName") +property_reader("QSplitter", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QSplitter", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QSplitter", /::setWindowModality\s*\(/, "windowModality") +property_reader("QSplitter", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QSplitter", /::setEnabled\s*\(/, "enabled") +property_reader("QSplitter", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QSplitter", /::setGeometry\s*\(/, "geometry") +property_reader("QSplitter", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QSplitter", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QSplitter", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QSplitter", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QSplitter", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QSplitter", /::setPos\s*\(/, "pos") +property_reader("QSplitter", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QSplitter", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QSplitter", /::setSize\s*\(/, "size") +property_reader("QSplitter", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QSplitter", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QSplitter", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QSplitter", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QSplitter", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QSplitter", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QSplitter", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QSplitter", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QSplitter", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QSplitter", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QSplitter", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QSplitter", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QSplitter", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QSplitter", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QSplitter", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QSplitter", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QSplitter", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QSplitter", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QSplitter", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QSplitter", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QSplitter", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QSplitter", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QSplitter", /::setBaseSize\s*\(/, "baseSize") +property_reader("QSplitter", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QSplitter", /::setPalette\s*\(/, "palette") +property_reader("QSplitter", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QSplitter", /::setFont\s*\(/, "font") +property_reader("QSplitter", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QSplitter", /::setCursor\s*\(/, "cursor") +property_reader("QSplitter", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QSplitter", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QSplitter", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QSplitter", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QSplitter", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QSplitter", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QSplitter", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QSplitter", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QSplitter", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QSplitter", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QSplitter", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QSplitter", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QSplitter", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QSplitter", /::setVisible\s*\(/, "visible") +property_reader("QSplitter", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QSplitter", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QSplitter", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QSplitter", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QSplitter", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QSplitter", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QSplitter", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QSplitter", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QSplitter", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QSplitter", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QSplitter", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QSplitter", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QSplitter", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QSplitter", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QSplitter", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QSplitter", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QSplitter", /::setWindowModified\s*\(/, "windowModified") +property_reader("QSplitter", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QSplitter", /::setToolTip\s*\(/, "toolTip") +property_reader("QSplitter", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QSplitter", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QSplitter", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QSplitter", /::setStatusTip\s*\(/, "statusTip") +property_reader("QSplitter", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QSplitter", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QSplitter", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QSplitter", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QSplitter", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QSplitter", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QSplitter", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QSplitter", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QSplitter", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QSplitter", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QSplitter", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QSplitter", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QSplitter", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QSplitter", /::setLocale\s*\(/, "locale") +property_reader("QSplitter", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QSplitter", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QSplitter", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QSplitter", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QSplitter", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QSplitter", /::setFrameShape\s*\(/, "frameShape") +property_reader("QSplitter", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QSplitter", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QSplitter", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QSplitter", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QSplitter", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QSplitter", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QSplitter", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QSplitter", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QSplitter", /::setFrameRect\s*\(/, "frameRect") +property_reader("QSplitter", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") +property_writer("QSplitter", /::setOrientation\s*\(/, "orientation") +property_reader("QSplitter", /::(opaqueResize|isOpaqueResize|hasOpaqueResize)\s*\(/, "opaqueResize") +property_writer("QSplitter", /::setOpaqueResize\s*\(/, "opaqueResize") +property_reader("QSplitter", /::(handleWidth|isHandleWidth|hasHandleWidth)\s*\(/, "handleWidth") +property_writer("QSplitter", /::setHandleWidth\s*\(/, "handleWidth") +property_reader("QSplitter", /::(childrenCollapsible|isChildrenCollapsible|hasChildrenCollapsible)\s*\(/, "childrenCollapsible") +property_writer("QSplitter", /::setChildrenCollapsible\s*\(/, "childrenCollapsible") +property_reader("QSplitterHandle", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSplitterHandle", /::setObjectName\s*\(/, "objectName") +property_reader("QSplitterHandle", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QSplitterHandle", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QSplitterHandle", /::setWindowModality\s*\(/, "windowModality") +property_reader("QSplitterHandle", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QSplitterHandle", /::setEnabled\s*\(/, "enabled") +property_reader("QSplitterHandle", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QSplitterHandle", /::setGeometry\s*\(/, "geometry") +property_reader("QSplitterHandle", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QSplitterHandle", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QSplitterHandle", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QSplitterHandle", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QSplitterHandle", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QSplitterHandle", /::setPos\s*\(/, "pos") +property_reader("QSplitterHandle", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QSplitterHandle", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QSplitterHandle", /::setSize\s*\(/, "size") +property_reader("QSplitterHandle", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QSplitterHandle", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QSplitterHandle", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QSplitterHandle", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QSplitterHandle", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QSplitterHandle", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QSplitterHandle", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QSplitterHandle", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QSplitterHandle", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QSplitterHandle", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QSplitterHandle", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QSplitterHandle", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QSplitterHandle", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QSplitterHandle", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QSplitterHandle", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QSplitterHandle", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QSplitterHandle", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QSplitterHandle", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QSplitterHandle", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QSplitterHandle", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QSplitterHandle", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QSplitterHandle", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QSplitterHandle", /::setBaseSize\s*\(/, "baseSize") +property_reader("QSplitterHandle", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QSplitterHandle", /::setPalette\s*\(/, "palette") +property_reader("QSplitterHandle", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QSplitterHandle", /::setFont\s*\(/, "font") +property_reader("QSplitterHandle", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QSplitterHandle", /::setCursor\s*\(/, "cursor") +property_reader("QSplitterHandle", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QSplitterHandle", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QSplitterHandle", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QSplitterHandle", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QSplitterHandle", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QSplitterHandle", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QSplitterHandle", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QSplitterHandle", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QSplitterHandle", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QSplitterHandle", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QSplitterHandle", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QSplitterHandle", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QSplitterHandle", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QSplitterHandle", /::setVisible\s*\(/, "visible") +property_reader("QSplitterHandle", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QSplitterHandle", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QSplitterHandle", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QSplitterHandle", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QSplitterHandle", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QSplitterHandle", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QSplitterHandle", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QSplitterHandle", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QSplitterHandle", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QSplitterHandle", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QSplitterHandle", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QSplitterHandle", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QSplitterHandle", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QSplitterHandle", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QSplitterHandle", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QSplitterHandle", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QSplitterHandle", /::setWindowModified\s*\(/, "windowModified") +property_reader("QSplitterHandle", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QSplitterHandle", /::setToolTip\s*\(/, "toolTip") +property_reader("QSplitterHandle", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QSplitterHandle", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QSplitterHandle", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QSplitterHandle", /::setStatusTip\s*\(/, "statusTip") +property_reader("QSplitterHandle", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QSplitterHandle", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QSplitterHandle", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QSplitterHandle", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QSplitterHandle", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QSplitterHandle", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QSplitterHandle", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QSplitterHandle", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QSplitterHandle", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QSplitterHandle", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QSplitterHandle", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QSplitterHandle", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QSplitterHandle", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QSplitterHandle", /::setLocale\s*\(/, "locale") +property_reader("QSplitterHandle", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QSplitterHandle", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QSplitterHandle", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QSplitterHandle", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QStackedLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QStackedLayout", /::setObjectName\s*\(/, "objectName") +property_reader("QStackedLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QStackedLayout", /::setSpacing\s*\(/, "spacing") +property_reader("QStackedLayout", /::(contentsMargins|isContentsMargins|hasContentsMargins)\s*\(/, "contentsMargins") +property_writer("QStackedLayout", /::setContentsMargins\s*\(/, "contentsMargins") +property_reader("QStackedLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") +property_writer("QStackedLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") +property_reader("QStackedLayout", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") +property_writer("QStackedLayout", /::setCurrentIndex\s*\(/, "currentIndex") +property_reader("QStackedLayout", /::(stackingMode|isStackingMode|hasStackingMode)\s*\(/, "stackingMode") +property_writer("QStackedLayout", /::setStackingMode\s*\(/, "stackingMode") +property_reader("QStackedWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QStackedWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QStackedWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QStackedWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QStackedWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QStackedWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QStackedWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QStackedWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QStackedWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QStackedWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QStackedWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QStackedWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QStackedWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QStackedWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QStackedWidget", /::setPos\s*\(/, "pos") +property_reader("QStackedWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QStackedWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QStackedWidget", /::setSize\s*\(/, "size") +property_reader("QStackedWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QStackedWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QStackedWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QStackedWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QStackedWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QStackedWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QStackedWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QStackedWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QStackedWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QStackedWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QStackedWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QStackedWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QStackedWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QStackedWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QStackedWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QStackedWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QStackedWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QStackedWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QStackedWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QStackedWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QStackedWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QStackedWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QStackedWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QStackedWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QStackedWidget", /::setPalette\s*\(/, "palette") +property_reader("QStackedWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QStackedWidget", /::setFont\s*\(/, "font") +property_reader("QStackedWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QStackedWidget", /::setCursor\s*\(/, "cursor") +property_reader("QStackedWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QStackedWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QStackedWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QStackedWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QStackedWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QStackedWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QStackedWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QStackedWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QStackedWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QStackedWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QStackedWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QStackedWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QStackedWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QStackedWidget", /::setVisible\s*\(/, "visible") +property_reader("QStackedWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QStackedWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QStackedWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QStackedWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QStackedWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QStackedWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QStackedWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QStackedWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QStackedWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QStackedWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QStackedWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QStackedWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QStackedWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QStackedWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QStackedWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QStackedWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QStackedWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QStackedWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QStackedWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QStackedWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QStackedWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QStackedWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QStackedWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QStackedWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QStackedWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QStackedWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QStackedWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QStackedWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QStackedWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QStackedWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QStackedWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QStackedWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QStackedWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QStackedWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QStackedWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QStackedWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QStackedWidget", /::setLocale\s*\(/, "locale") +property_reader("QStackedWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QStackedWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QStackedWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QStackedWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QStackedWidget", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QStackedWidget", /::setFrameShape\s*\(/, "frameShape") +property_reader("QStackedWidget", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QStackedWidget", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QStackedWidget", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QStackedWidget", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QStackedWidget", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QStackedWidget", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QStackedWidget", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QStackedWidget", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QStackedWidget", /::setFrameRect\s*\(/, "frameRect") +property_reader("QStackedWidget", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") +property_writer("QStackedWidget", /::setCurrentIndex\s*\(/, "currentIndex") +property_reader("QStackedWidget", /::(count|isCount|hasCount)\s*\(/, "count") +property_reader("QStatusBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QStatusBar", /::setObjectName\s*\(/, "objectName") +property_reader("QStatusBar", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QStatusBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QStatusBar", /::setWindowModality\s*\(/, "windowModality") +property_reader("QStatusBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QStatusBar", /::setEnabled\s*\(/, "enabled") +property_reader("QStatusBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QStatusBar", /::setGeometry\s*\(/, "geometry") +property_reader("QStatusBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QStatusBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QStatusBar", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QStatusBar", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QStatusBar", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QStatusBar", /::setPos\s*\(/, "pos") +property_reader("QStatusBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QStatusBar", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QStatusBar", /::setSize\s*\(/, "size") +property_reader("QStatusBar", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QStatusBar", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QStatusBar", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QStatusBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QStatusBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QStatusBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QStatusBar", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QStatusBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QStatusBar", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QStatusBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QStatusBar", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QStatusBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QStatusBar", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QStatusBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QStatusBar", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QStatusBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QStatusBar", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QStatusBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QStatusBar", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QStatusBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QStatusBar", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QStatusBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QStatusBar", /::setBaseSize\s*\(/, "baseSize") +property_reader("QStatusBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QStatusBar", /::setPalette\s*\(/, "palette") +property_reader("QStatusBar", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QStatusBar", /::setFont\s*\(/, "font") +property_reader("QStatusBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QStatusBar", /::setCursor\s*\(/, "cursor") +property_reader("QStatusBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QStatusBar", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QStatusBar", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QStatusBar", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QStatusBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QStatusBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QStatusBar", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QStatusBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QStatusBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QStatusBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QStatusBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QStatusBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QStatusBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QStatusBar", /::setVisible\s*\(/, "visible") +property_reader("QStatusBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QStatusBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QStatusBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QStatusBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QStatusBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QStatusBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QStatusBar", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QStatusBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QStatusBar", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QStatusBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QStatusBar", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QStatusBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QStatusBar", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QStatusBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QStatusBar", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QStatusBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QStatusBar", /::setWindowModified\s*\(/, "windowModified") +property_reader("QStatusBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QStatusBar", /::setToolTip\s*\(/, "toolTip") +property_reader("QStatusBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QStatusBar", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QStatusBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QStatusBar", /::setStatusTip\s*\(/, "statusTip") +property_reader("QStatusBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QStatusBar", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QStatusBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QStatusBar", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QStatusBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QStatusBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QStatusBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QStatusBar", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QStatusBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QStatusBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QStatusBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QStatusBar", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QStatusBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QStatusBar", /::setLocale\s*\(/, "locale") +property_reader("QStatusBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QStatusBar", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QStatusBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QStatusBar", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QStatusBar", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QStatusBar", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QStyle", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QStyle", /::setObjectName\s*\(/, "objectName") +property_reader("QStylePlugin", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QStylePlugin", /::setObjectName\s*\(/, "objectName") +property_reader("QStyledItemDelegate", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QStyledItemDelegate", /::setObjectName\s*\(/, "objectName") +property_reader("QSwipeGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSwipeGesture", /::setObjectName\s*\(/, "objectName") +property_reader("QSwipeGesture", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QSwipeGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") +property_reader("QSwipeGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") +property_writer("QSwipeGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") +property_reader("QSwipeGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") +property_writer("QSwipeGesture", /::setHotSpot\s*\(/, "hotSpot") +property_reader("QSwipeGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") +property_reader("QSwipeGesture", /::(horizontalDirection|isHorizontalDirection|hasHorizontalDirection)\s*\(/, "horizontalDirection") +property_reader("QSwipeGesture", /::(verticalDirection|isVerticalDirection|hasVerticalDirection)\s*\(/, "verticalDirection") +property_reader("QSwipeGesture", /::(swipeAngle|isSwipeAngle|hasSwipeAngle)\s*\(/, "swipeAngle") +property_writer("QSwipeGesture", /::setSwipeAngle\s*\(/, "swipeAngle") +property_reader("QSwipeGesture", /::(velocity|isVelocity|hasVelocity)\s*\(/, "velocity") +property_writer("QSwipeGesture", /::setVelocity\s*\(/, "velocity") +property_reader("QSystemTrayIcon", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSystemTrayIcon", /::setObjectName\s*\(/, "objectName") +property_reader("QSystemTrayIcon", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QSystemTrayIcon", /::setToolTip\s*\(/, "toolTip") +property_reader("QSystemTrayIcon", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QSystemTrayIcon", /::setIcon\s*\(/, "icon") +property_reader("QSystemTrayIcon", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QSystemTrayIcon", /::setVisible\s*\(/, "visible") +property_reader("QTabBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTabBar", /::setObjectName\s*\(/, "objectName") +property_reader("QTabBar", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QTabBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QTabBar", /::setWindowModality\s*\(/, "windowModality") +property_reader("QTabBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QTabBar", /::setEnabled\s*\(/, "enabled") +property_reader("QTabBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QTabBar", /::setGeometry\s*\(/, "geometry") +property_reader("QTabBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QTabBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QTabBar", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QTabBar", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QTabBar", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QTabBar", /::setPos\s*\(/, "pos") +property_reader("QTabBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QTabBar", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QTabBar", /::setSize\s*\(/, "size") +property_reader("QTabBar", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QTabBar", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QTabBar", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QTabBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QTabBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QTabBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QTabBar", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QTabBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QTabBar", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QTabBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QTabBar", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QTabBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QTabBar", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QTabBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QTabBar", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QTabBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QTabBar", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QTabBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QTabBar", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QTabBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QTabBar", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QTabBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QTabBar", /::setBaseSize\s*\(/, "baseSize") +property_reader("QTabBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QTabBar", /::setPalette\s*\(/, "palette") +property_reader("QTabBar", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QTabBar", /::setFont\s*\(/, "font") +property_reader("QTabBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QTabBar", /::setCursor\s*\(/, "cursor") +property_reader("QTabBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QTabBar", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QTabBar", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QTabBar", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QTabBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QTabBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QTabBar", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QTabBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QTabBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QTabBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QTabBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QTabBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QTabBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QTabBar", /::setVisible\s*\(/, "visible") +property_reader("QTabBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QTabBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QTabBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QTabBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QTabBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QTabBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QTabBar", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QTabBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QTabBar", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QTabBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QTabBar", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QTabBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QTabBar", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QTabBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QTabBar", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QTabBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QTabBar", /::setWindowModified\s*\(/, "windowModified") +property_reader("QTabBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QTabBar", /::setToolTip\s*\(/, "toolTip") +property_reader("QTabBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QTabBar", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QTabBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QTabBar", /::setStatusTip\s*\(/, "statusTip") +property_reader("QTabBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QTabBar", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QTabBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QTabBar", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QTabBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QTabBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QTabBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QTabBar", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QTabBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QTabBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QTabBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QTabBar", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QTabBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QTabBar", /::setLocale\s*\(/, "locale") +property_reader("QTabBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QTabBar", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QTabBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QTabBar", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QTabBar", /::(shape|isShape|hasShape)\s*\(/, "shape") +property_writer("QTabBar", /::setShape\s*\(/, "shape") +property_reader("QTabBar", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") +property_writer("QTabBar", /::setCurrentIndex\s*\(/, "currentIndex") +property_reader("QTabBar", /::(count|isCount|hasCount)\s*\(/, "count") +property_reader("QTabBar", /::(drawBase|isDrawBase|hasDrawBase)\s*\(/, "drawBase") +property_writer("QTabBar", /::setDrawBase\s*\(/, "drawBase") +property_reader("QTabBar", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QTabBar", /::setIconSize\s*\(/, "iconSize") +property_reader("QTabBar", /::(elideMode|isElideMode|hasElideMode)\s*\(/, "elideMode") +property_writer("QTabBar", /::setElideMode\s*\(/, "elideMode") +property_reader("QTabBar", /::(usesScrollButtons|isUsesScrollButtons|hasUsesScrollButtons)\s*\(/, "usesScrollButtons") +property_writer("QTabBar", /::setUsesScrollButtons\s*\(/, "usesScrollButtons") +property_reader("QTabBar", /::(tabsClosable|isTabsClosable|hasTabsClosable)\s*\(/, "tabsClosable") +property_writer("QTabBar", /::setTabsClosable\s*\(/, "tabsClosable") +property_reader("QTabBar", /::(selectionBehaviorOnRemove|isSelectionBehaviorOnRemove|hasSelectionBehaviorOnRemove)\s*\(/, "selectionBehaviorOnRemove") +property_writer("QTabBar", /::setSelectionBehaviorOnRemove\s*\(/, "selectionBehaviorOnRemove") +property_reader("QTabBar", /::(expanding|isExpanding|hasExpanding)\s*\(/, "expanding") +property_writer("QTabBar", /::setExpanding\s*\(/, "expanding") +property_reader("QTabBar", /::(movable|isMovable|hasMovable)\s*\(/, "movable") +property_writer("QTabBar", /::setMovable\s*\(/, "movable") +property_reader("QTabBar", /::(documentMode|isDocumentMode|hasDocumentMode)\s*\(/, "documentMode") +property_writer("QTabBar", /::setDocumentMode\s*\(/, "documentMode") +property_reader("QTabBar", /::(autoHide|isAutoHide|hasAutoHide)\s*\(/, "autoHide") +property_writer("QTabBar", /::setAutoHide\s*\(/, "autoHide") +property_reader("QTabBar", /::(changeCurrentOnDrag|isChangeCurrentOnDrag|hasChangeCurrentOnDrag)\s*\(/, "changeCurrentOnDrag") +property_writer("QTabBar", /::setChangeCurrentOnDrag\s*\(/, "changeCurrentOnDrag") +property_reader("QTabWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTabWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QTabWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QTabWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QTabWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QTabWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QTabWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QTabWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QTabWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QTabWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QTabWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QTabWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QTabWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QTabWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QTabWidget", /::setPos\s*\(/, "pos") +property_reader("QTabWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QTabWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QTabWidget", /::setSize\s*\(/, "size") +property_reader("QTabWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QTabWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QTabWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QTabWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QTabWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QTabWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QTabWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QTabWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QTabWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QTabWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QTabWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QTabWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QTabWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QTabWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QTabWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QTabWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QTabWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QTabWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QTabWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QTabWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QTabWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QTabWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QTabWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QTabWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QTabWidget", /::setPalette\s*\(/, "palette") +property_reader("QTabWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QTabWidget", /::setFont\s*\(/, "font") +property_reader("QTabWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QTabWidget", /::setCursor\s*\(/, "cursor") +property_reader("QTabWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QTabWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QTabWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QTabWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QTabWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QTabWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QTabWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QTabWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QTabWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QTabWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QTabWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QTabWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QTabWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QTabWidget", /::setVisible\s*\(/, "visible") +property_reader("QTabWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QTabWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QTabWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QTabWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QTabWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QTabWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QTabWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QTabWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QTabWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QTabWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QTabWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QTabWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QTabWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QTabWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QTabWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QTabWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QTabWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QTabWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QTabWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QTabWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QTabWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QTabWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QTabWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QTabWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QTabWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QTabWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QTabWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QTabWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QTabWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QTabWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QTabWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QTabWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QTabWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QTabWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QTabWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QTabWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QTabWidget", /::setLocale\s*\(/, "locale") +property_reader("QTabWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QTabWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QTabWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QTabWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QTabWidget", /::(tabPosition|isTabPosition|hasTabPosition)\s*\(/, "tabPosition") +property_writer("QTabWidget", /::setTabPosition\s*\(/, "tabPosition") +property_reader("QTabWidget", /::(tabShape|isTabShape|hasTabShape)\s*\(/, "tabShape") +property_writer("QTabWidget", /::setTabShape\s*\(/, "tabShape") +property_reader("QTabWidget", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") +property_writer("QTabWidget", /::setCurrentIndex\s*\(/, "currentIndex") +property_reader("QTabWidget", /::(count|isCount|hasCount)\s*\(/, "count") +property_reader("QTabWidget", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QTabWidget", /::setIconSize\s*\(/, "iconSize") +property_reader("QTabWidget", /::(elideMode|isElideMode|hasElideMode)\s*\(/, "elideMode") +property_writer("QTabWidget", /::setElideMode\s*\(/, "elideMode") +property_reader("QTabWidget", /::(usesScrollButtons|isUsesScrollButtons|hasUsesScrollButtons)\s*\(/, "usesScrollButtons") +property_writer("QTabWidget", /::setUsesScrollButtons\s*\(/, "usesScrollButtons") +property_reader("QTabWidget", /::(documentMode|isDocumentMode|hasDocumentMode)\s*\(/, "documentMode") +property_writer("QTabWidget", /::setDocumentMode\s*\(/, "documentMode") +property_reader("QTabWidget", /::(tabsClosable|isTabsClosable|hasTabsClosable)\s*\(/, "tabsClosable") +property_writer("QTabWidget", /::setTabsClosable\s*\(/, "tabsClosable") +property_reader("QTabWidget", /::(movable|isMovable|hasMovable)\s*\(/, "movable") +property_writer("QTabWidget", /::setMovable\s*\(/, "movable") +property_reader("QTabWidget", /::(tabBarAutoHide|isTabBarAutoHide|hasTabBarAutoHide)\s*\(/, "tabBarAutoHide") +property_writer("QTabWidget", /::setTabBarAutoHide\s*\(/, "tabBarAutoHide") +property_reader("QTableView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTableView", /::setObjectName\s*\(/, "objectName") +property_reader("QTableView", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QTableView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QTableView", /::setWindowModality\s*\(/, "windowModality") +property_reader("QTableView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QTableView", /::setEnabled\s*\(/, "enabled") +property_reader("QTableView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QTableView", /::setGeometry\s*\(/, "geometry") +property_reader("QTableView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QTableView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QTableView", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QTableView", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QTableView", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QTableView", /::setPos\s*\(/, "pos") +property_reader("QTableView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QTableView", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QTableView", /::setSize\s*\(/, "size") +property_reader("QTableView", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QTableView", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QTableView", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QTableView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QTableView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QTableView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QTableView", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QTableView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QTableView", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QTableView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QTableView", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QTableView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QTableView", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QTableView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QTableView", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QTableView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QTableView", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QTableView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QTableView", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QTableView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QTableView", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QTableView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QTableView", /::setBaseSize\s*\(/, "baseSize") +property_reader("QTableView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QTableView", /::setPalette\s*\(/, "palette") +property_reader("QTableView", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QTableView", /::setFont\s*\(/, "font") +property_reader("QTableView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QTableView", /::setCursor\s*\(/, "cursor") +property_reader("QTableView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QTableView", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QTableView", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QTableView", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QTableView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QTableView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QTableView", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QTableView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QTableView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QTableView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QTableView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QTableView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QTableView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QTableView", /::setVisible\s*\(/, "visible") +property_reader("QTableView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QTableView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QTableView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QTableView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QTableView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QTableView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QTableView", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QTableView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QTableView", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QTableView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QTableView", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QTableView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QTableView", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QTableView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QTableView", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QTableView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QTableView", /::setWindowModified\s*\(/, "windowModified") +property_reader("QTableView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QTableView", /::setToolTip\s*\(/, "toolTip") +property_reader("QTableView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QTableView", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QTableView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QTableView", /::setStatusTip\s*\(/, "statusTip") +property_reader("QTableView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QTableView", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QTableView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QTableView", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QTableView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QTableView", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QTableView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QTableView", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QTableView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QTableView", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QTableView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QTableView", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QTableView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QTableView", /::setLocale\s*\(/, "locale") +property_reader("QTableView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QTableView", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QTableView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QTableView", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QTableView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QTableView", /::setFrameShape\s*\(/, "frameShape") +property_reader("QTableView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QTableView", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QTableView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QTableView", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QTableView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QTableView", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QTableView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QTableView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QTableView", /::setFrameRect\s*\(/, "frameRect") +property_reader("QTableView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QTableView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QTableView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QTableView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QTableView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QTableView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QTableView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") +property_writer("QTableView", /::setAutoScroll\s*\(/, "autoScroll") +property_reader("QTableView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") +property_writer("QTableView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") +property_reader("QTableView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") +property_writer("QTableView", /::setEditTriggers\s*\(/, "editTriggers") +property_reader("QTableView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") +property_writer("QTableView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") +property_reader("QTableView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") +property_writer("QTableView", /::setShowDropIndicator\s*\(/, "showDropIndicator") +property_reader("QTableView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QTableView", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QTableView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") +property_writer("QTableView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") +property_reader("QTableView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") +property_writer("QTableView", /::setDragDropMode\s*\(/, "dragDropMode") +property_reader("QTableView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") +property_writer("QTableView", /::setDefaultDropAction\s*\(/, "defaultDropAction") +property_reader("QTableView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") +property_writer("QTableView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") +property_reader("QTableView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QTableView", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QTableView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") +property_writer("QTableView", /::setSelectionBehavior\s*\(/, "selectionBehavior") +property_reader("QTableView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QTableView", /::setIconSize\s*\(/, "iconSize") +property_reader("QTableView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") +property_writer("QTableView", /::setTextElideMode\s*\(/, "textElideMode") +property_reader("QTableView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") +property_writer("QTableView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") +property_reader("QTableView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") +property_writer("QTableView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") +property_reader("QTableView", /::(showGrid|isShowGrid|hasShowGrid)\s*\(/, "showGrid") +property_writer("QTableView", /::setShowGrid\s*\(/, "showGrid") +property_reader("QTableView", /::(gridStyle|isGridStyle|hasGridStyle)\s*\(/, "gridStyle") +property_writer("QTableView", /::setGridStyle\s*\(/, "gridStyle") +property_reader("QTableView", /::(sortingEnabled|isSortingEnabled|hasSortingEnabled)\s*\(/, "sortingEnabled") +property_writer("QTableView", /::setSortingEnabled\s*\(/, "sortingEnabled") +property_reader("QTableView", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") +property_writer("QTableView", /::setWordWrap\s*\(/, "wordWrap") +property_reader("QTableView", /::(cornerButtonEnabled|isCornerButtonEnabled|hasCornerButtonEnabled)\s*\(/, "cornerButtonEnabled") +property_writer("QTableView", /::setCornerButtonEnabled\s*\(/, "cornerButtonEnabled") +property_reader("QTableWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTableWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QTableWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QTableWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QTableWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QTableWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QTableWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QTableWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QTableWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QTableWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QTableWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QTableWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QTableWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QTableWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QTableWidget", /::setPos\s*\(/, "pos") +property_reader("QTableWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QTableWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QTableWidget", /::setSize\s*\(/, "size") +property_reader("QTableWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QTableWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QTableWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QTableWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QTableWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QTableWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QTableWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QTableWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QTableWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QTableWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QTableWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QTableWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QTableWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QTableWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QTableWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QTableWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QTableWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QTableWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QTableWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QTableWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QTableWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QTableWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QTableWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QTableWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QTableWidget", /::setPalette\s*\(/, "palette") +property_reader("QTableWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QTableWidget", /::setFont\s*\(/, "font") +property_reader("QTableWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QTableWidget", /::setCursor\s*\(/, "cursor") +property_reader("QTableWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QTableWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QTableWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QTableWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QTableWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QTableWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QTableWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QTableWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QTableWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QTableWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QTableWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QTableWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QTableWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QTableWidget", /::setVisible\s*\(/, "visible") +property_reader("QTableWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QTableWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QTableWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QTableWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QTableWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QTableWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QTableWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QTableWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QTableWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QTableWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QTableWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QTableWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QTableWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QTableWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QTableWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QTableWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QTableWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QTableWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QTableWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QTableWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QTableWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QTableWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QTableWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QTableWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QTableWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QTableWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QTableWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QTableWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QTableWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QTableWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QTableWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QTableWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QTableWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QTableWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QTableWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QTableWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QTableWidget", /::setLocale\s*\(/, "locale") +property_reader("QTableWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QTableWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QTableWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QTableWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QTableWidget", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QTableWidget", /::setFrameShape\s*\(/, "frameShape") +property_reader("QTableWidget", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QTableWidget", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QTableWidget", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QTableWidget", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QTableWidget", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QTableWidget", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QTableWidget", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QTableWidget", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QTableWidget", /::setFrameRect\s*\(/, "frameRect") +property_reader("QTableWidget", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QTableWidget", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QTableWidget", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QTableWidget", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QTableWidget", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QTableWidget", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QTableWidget", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") +property_writer("QTableWidget", /::setAutoScroll\s*\(/, "autoScroll") +property_reader("QTableWidget", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") +property_writer("QTableWidget", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") +property_reader("QTableWidget", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") +property_writer("QTableWidget", /::setEditTriggers\s*\(/, "editTriggers") +property_reader("QTableWidget", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") +property_writer("QTableWidget", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") +property_reader("QTableWidget", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") +property_writer("QTableWidget", /::setShowDropIndicator\s*\(/, "showDropIndicator") +property_reader("QTableWidget", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QTableWidget", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QTableWidget", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") +property_writer("QTableWidget", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") +property_reader("QTableWidget", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") +property_writer("QTableWidget", /::setDragDropMode\s*\(/, "dragDropMode") +property_reader("QTableWidget", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") +property_writer("QTableWidget", /::setDefaultDropAction\s*\(/, "defaultDropAction") +property_reader("QTableWidget", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") +property_writer("QTableWidget", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") +property_reader("QTableWidget", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QTableWidget", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QTableWidget", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") +property_writer("QTableWidget", /::setSelectionBehavior\s*\(/, "selectionBehavior") +property_reader("QTableWidget", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QTableWidget", /::setIconSize\s*\(/, "iconSize") +property_reader("QTableWidget", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") +property_writer("QTableWidget", /::setTextElideMode\s*\(/, "textElideMode") +property_reader("QTableWidget", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") +property_writer("QTableWidget", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") +property_reader("QTableWidget", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") +property_writer("QTableWidget", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") +property_reader("QTableWidget", /::(showGrid|isShowGrid|hasShowGrid)\s*\(/, "showGrid") +property_writer("QTableWidget", /::setShowGrid\s*\(/, "showGrid") +property_reader("QTableWidget", /::(gridStyle|isGridStyle|hasGridStyle)\s*\(/, "gridStyle") +property_writer("QTableWidget", /::setGridStyle\s*\(/, "gridStyle") +property_reader("QTableWidget", /::(sortingEnabled|isSortingEnabled|hasSortingEnabled)\s*\(/, "sortingEnabled") +property_writer("QTableWidget", /::setSortingEnabled\s*\(/, "sortingEnabled") +property_reader("QTableWidget", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") +property_writer("QTableWidget", /::setWordWrap\s*\(/, "wordWrap") +property_reader("QTableWidget", /::(cornerButtonEnabled|isCornerButtonEnabled|hasCornerButtonEnabled)\s*\(/, "cornerButtonEnabled") +property_writer("QTableWidget", /::setCornerButtonEnabled\s*\(/, "cornerButtonEnabled") +property_reader("QTableWidget", /::(rowCount|isRowCount|hasRowCount)\s*\(/, "rowCount") +property_writer("QTableWidget", /::setRowCount\s*\(/, "rowCount") +property_reader("QTableWidget", /::(columnCount|isColumnCount|hasColumnCount)\s*\(/, "columnCount") +property_writer("QTableWidget", /::setColumnCount\s*\(/, "columnCount") +property_reader("QTapAndHoldGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTapAndHoldGesture", /::setObjectName\s*\(/, "objectName") +property_reader("QTapAndHoldGesture", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QTapAndHoldGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") +property_reader("QTapAndHoldGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") +property_writer("QTapAndHoldGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") +property_reader("QTapAndHoldGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") +property_writer("QTapAndHoldGesture", /::setHotSpot\s*\(/, "hotSpot") +property_reader("QTapAndHoldGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") +property_reader("QTapAndHoldGesture", /::(position|isPosition|hasPosition)\s*\(/, "position") +property_writer("QTapAndHoldGesture", /::setPosition\s*\(/, "position") +property_reader("QTapGesture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTapGesture", /::setObjectName\s*\(/, "objectName") +property_reader("QTapGesture", /::(state|isState|hasState)\s*\(/, "state") +property_reader("QTapGesture", /::(gestureType|isGestureType|hasGestureType)\s*\(/, "gestureType") +property_reader("QTapGesture", /::(gestureCancelPolicy|isGestureCancelPolicy|hasGestureCancelPolicy)\s*\(/, "gestureCancelPolicy") +property_writer("QTapGesture", /::setGestureCancelPolicy\s*\(/, "gestureCancelPolicy") +property_reader("QTapGesture", /::(hotSpot|isHotSpot|hasHotSpot)\s*\(/, "hotSpot") +property_writer("QTapGesture", /::setHotSpot\s*\(/, "hotSpot") +property_reader("QTapGesture", /::(hasHotSpot|isHasHotSpot|hasHasHotSpot)\s*\(/, "hasHotSpot") +property_reader("QTapGesture", /::(position|isPosition|hasPosition)\s*\(/, "position") +property_writer("QTapGesture", /::setPosition\s*\(/, "position") +property_reader("QTextBrowser", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTextBrowser", /::setObjectName\s*\(/, "objectName") +property_reader("QTextBrowser", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QTextBrowser", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QTextBrowser", /::setWindowModality\s*\(/, "windowModality") +property_reader("QTextBrowser", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QTextBrowser", /::setEnabled\s*\(/, "enabled") +property_reader("QTextBrowser", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QTextBrowser", /::setGeometry\s*\(/, "geometry") +property_reader("QTextBrowser", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QTextBrowser", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QTextBrowser", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QTextBrowser", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QTextBrowser", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QTextBrowser", /::setPos\s*\(/, "pos") +property_reader("QTextBrowser", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QTextBrowser", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QTextBrowser", /::setSize\s*\(/, "size") +property_reader("QTextBrowser", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QTextBrowser", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QTextBrowser", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QTextBrowser", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QTextBrowser", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QTextBrowser", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QTextBrowser", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QTextBrowser", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QTextBrowser", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QTextBrowser", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QTextBrowser", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QTextBrowser", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QTextBrowser", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QTextBrowser", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QTextBrowser", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QTextBrowser", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QTextBrowser", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QTextBrowser", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QTextBrowser", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QTextBrowser", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QTextBrowser", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QTextBrowser", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QTextBrowser", /::setBaseSize\s*\(/, "baseSize") +property_reader("QTextBrowser", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QTextBrowser", /::setPalette\s*\(/, "palette") +property_reader("QTextBrowser", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QTextBrowser", /::setFont\s*\(/, "font") +property_reader("QTextBrowser", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QTextBrowser", /::setCursor\s*\(/, "cursor") +property_reader("QTextBrowser", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QTextBrowser", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QTextBrowser", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QTextBrowser", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QTextBrowser", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QTextBrowser", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QTextBrowser", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QTextBrowser", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QTextBrowser", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QTextBrowser", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QTextBrowser", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QTextBrowser", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QTextBrowser", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QTextBrowser", /::setVisible\s*\(/, "visible") +property_reader("QTextBrowser", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QTextBrowser", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QTextBrowser", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QTextBrowser", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QTextBrowser", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QTextBrowser", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QTextBrowser", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QTextBrowser", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QTextBrowser", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QTextBrowser", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QTextBrowser", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QTextBrowser", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QTextBrowser", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QTextBrowser", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QTextBrowser", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QTextBrowser", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QTextBrowser", /::setWindowModified\s*\(/, "windowModified") +property_reader("QTextBrowser", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QTextBrowser", /::setToolTip\s*\(/, "toolTip") +property_reader("QTextBrowser", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QTextBrowser", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QTextBrowser", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QTextBrowser", /::setStatusTip\s*\(/, "statusTip") +property_reader("QTextBrowser", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QTextBrowser", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QTextBrowser", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QTextBrowser", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QTextBrowser", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QTextBrowser", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QTextBrowser", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QTextBrowser", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QTextBrowser", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QTextBrowser", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QTextBrowser", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QTextBrowser", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QTextBrowser", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QTextBrowser", /::setLocale\s*\(/, "locale") +property_reader("QTextBrowser", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QTextBrowser", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QTextBrowser", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QTextBrowser", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QTextBrowser", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QTextBrowser", /::setFrameShape\s*\(/, "frameShape") +property_reader("QTextBrowser", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QTextBrowser", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QTextBrowser", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QTextBrowser", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QTextBrowser", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QTextBrowser", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QTextBrowser", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QTextBrowser", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QTextBrowser", /::setFrameRect\s*\(/, "frameRect") +property_reader("QTextBrowser", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QTextBrowser", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QTextBrowser", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QTextBrowser", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QTextBrowser", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QTextBrowser", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QTextBrowser", /::(autoFormatting|isAutoFormatting|hasAutoFormatting)\s*\(/, "autoFormatting") +property_writer("QTextBrowser", /::setAutoFormatting\s*\(/, "autoFormatting") +property_reader("QTextBrowser", /::(tabChangesFocus|isTabChangesFocus|hasTabChangesFocus)\s*\(/, "tabChangesFocus") +property_writer("QTextBrowser", /::setTabChangesFocus\s*\(/, "tabChangesFocus") +property_reader("QTextBrowser", /::(documentTitle|isDocumentTitle|hasDocumentTitle)\s*\(/, "documentTitle") +property_writer("QTextBrowser", /::setDocumentTitle\s*\(/, "documentTitle") +property_reader("QTextBrowser", /::(undoRedoEnabled|isUndoRedoEnabled|hasUndoRedoEnabled)\s*\(/, "undoRedoEnabled") +property_writer("QTextBrowser", /::setUndoRedoEnabled\s*\(/, "undoRedoEnabled") +property_reader("QTextBrowser", /::(lineWrapMode|isLineWrapMode|hasLineWrapMode)\s*\(/, "lineWrapMode") +property_writer("QTextBrowser", /::setLineWrapMode\s*\(/, "lineWrapMode") +property_reader("QTextBrowser", /::(lineWrapColumnOrWidth|isLineWrapColumnOrWidth|hasLineWrapColumnOrWidth)\s*\(/, "lineWrapColumnOrWidth") +property_writer("QTextBrowser", /::setLineWrapColumnOrWidth\s*\(/, "lineWrapColumnOrWidth") +property_reader("QTextBrowser", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QTextBrowser", /::setReadOnly\s*\(/, "readOnly") +property_reader("QTextBrowser", /::(markdown|isMarkdown|hasMarkdown)\s*\(/, "markdown") +property_writer("QTextBrowser", /::setMarkdown\s*\(/, "markdown") +property_reader("QTextBrowser", /::(html|isHtml|hasHtml)\s*\(/, "html") +property_writer("QTextBrowser", /::setHtml\s*\(/, "html") +property_reader("QTextBrowser", /::(plainText|isPlainText|hasPlainText)\s*\(/, "plainText") +property_writer("QTextBrowser", /::setPlainText\s*\(/, "plainText") +property_reader("QTextBrowser", /::(overwriteMode|isOverwriteMode|hasOverwriteMode)\s*\(/, "overwriteMode") +property_writer("QTextBrowser", /::setOverwriteMode\s*\(/, "overwriteMode") +property_reader("QTextBrowser", /::(tabStopDistance|isTabStopDistance|hasTabStopDistance)\s*\(/, "tabStopDistance") +property_writer("QTextBrowser", /::setTabStopDistance\s*\(/, "tabStopDistance") +property_reader("QTextBrowser", /::(acceptRichText|isAcceptRichText|hasAcceptRichText)\s*\(/, "acceptRichText") +property_writer("QTextBrowser", /::setAcceptRichText\s*\(/, "acceptRichText") +property_reader("QTextBrowser", /::(cursorWidth|isCursorWidth|hasCursorWidth)\s*\(/, "cursorWidth") +property_writer("QTextBrowser", /::setCursorWidth\s*\(/, "cursorWidth") +property_reader("QTextBrowser", /::(textInteractionFlags|isTextInteractionFlags|hasTextInteractionFlags)\s*\(/, "textInteractionFlags") +property_writer("QTextBrowser", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") +property_reader("QTextBrowser", /::(document|isDocument|hasDocument)\s*\(/, "document") +property_writer("QTextBrowser", /::setDocument\s*\(/, "document") +property_reader("QTextBrowser", /::(placeholderText|isPlaceholderText|hasPlaceholderText)\s*\(/, "placeholderText") +property_writer("QTextBrowser", /::setPlaceholderText\s*\(/, "placeholderText") +property_reader("QTextBrowser", /::(source|isSource|hasSource)\s*\(/, "source") +property_writer("QTextBrowser", /::setSource\s*\(/, "source") +property_reader("QTextBrowser", /::(sourceType|isSourceType|hasSourceType)\s*\(/, "sourceType") +property_reader("QTextBrowser", /::(searchPaths|isSearchPaths|hasSearchPaths)\s*\(/, "searchPaths") +property_writer("QTextBrowser", /::setSearchPaths\s*\(/, "searchPaths") +property_reader("QTextBrowser", /::(openExternalLinks|isOpenExternalLinks|hasOpenExternalLinks)\s*\(/, "openExternalLinks") +property_writer("QTextBrowser", /::setOpenExternalLinks\s*\(/, "openExternalLinks") +property_reader("QTextBrowser", /::(openLinks|isOpenLinks|hasOpenLinks)\s*\(/, "openLinks") +property_writer("QTextBrowser", /::setOpenLinks\s*\(/, "openLinks") +property_reader("QTextEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTextEdit", /::setObjectName\s*\(/, "objectName") +property_reader("QTextEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QTextEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QTextEdit", /::setWindowModality\s*\(/, "windowModality") +property_reader("QTextEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QTextEdit", /::setEnabled\s*\(/, "enabled") +property_reader("QTextEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QTextEdit", /::setGeometry\s*\(/, "geometry") +property_reader("QTextEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QTextEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QTextEdit", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QTextEdit", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QTextEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QTextEdit", /::setPos\s*\(/, "pos") +property_reader("QTextEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QTextEdit", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QTextEdit", /::setSize\s*\(/, "size") +property_reader("QTextEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QTextEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QTextEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QTextEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QTextEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QTextEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QTextEdit", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QTextEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QTextEdit", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QTextEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QTextEdit", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QTextEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QTextEdit", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QTextEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QTextEdit", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QTextEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QTextEdit", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QTextEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QTextEdit", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QTextEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QTextEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QTextEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QTextEdit", /::setBaseSize\s*\(/, "baseSize") +property_reader("QTextEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QTextEdit", /::setPalette\s*\(/, "palette") +property_reader("QTextEdit", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QTextEdit", /::setFont\s*\(/, "font") +property_reader("QTextEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QTextEdit", /::setCursor\s*\(/, "cursor") +property_reader("QTextEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QTextEdit", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QTextEdit", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QTextEdit", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QTextEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QTextEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QTextEdit", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QTextEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QTextEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QTextEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QTextEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QTextEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QTextEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QTextEdit", /::setVisible\s*\(/, "visible") +property_reader("QTextEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QTextEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QTextEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QTextEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QTextEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QTextEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QTextEdit", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QTextEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QTextEdit", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QTextEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QTextEdit", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QTextEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QTextEdit", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QTextEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QTextEdit", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QTextEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QTextEdit", /::setWindowModified\s*\(/, "windowModified") +property_reader("QTextEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QTextEdit", /::setToolTip\s*\(/, "toolTip") +property_reader("QTextEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QTextEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QTextEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QTextEdit", /::setStatusTip\s*\(/, "statusTip") +property_reader("QTextEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QTextEdit", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QTextEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QTextEdit", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QTextEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QTextEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QTextEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QTextEdit", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QTextEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QTextEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QTextEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QTextEdit", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QTextEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QTextEdit", /::setLocale\s*\(/, "locale") +property_reader("QTextEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QTextEdit", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QTextEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QTextEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QTextEdit", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QTextEdit", /::setFrameShape\s*\(/, "frameShape") +property_reader("QTextEdit", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QTextEdit", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QTextEdit", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QTextEdit", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QTextEdit", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QTextEdit", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QTextEdit", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QTextEdit", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QTextEdit", /::setFrameRect\s*\(/, "frameRect") +property_reader("QTextEdit", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QTextEdit", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QTextEdit", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QTextEdit", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QTextEdit", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QTextEdit", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QTextEdit", /::(autoFormatting|isAutoFormatting|hasAutoFormatting)\s*\(/, "autoFormatting") +property_writer("QTextEdit", /::setAutoFormatting\s*\(/, "autoFormatting") +property_reader("QTextEdit", /::(tabChangesFocus|isTabChangesFocus|hasTabChangesFocus)\s*\(/, "tabChangesFocus") +property_writer("QTextEdit", /::setTabChangesFocus\s*\(/, "tabChangesFocus") +property_reader("QTextEdit", /::(documentTitle|isDocumentTitle|hasDocumentTitle)\s*\(/, "documentTitle") +property_writer("QTextEdit", /::setDocumentTitle\s*\(/, "documentTitle") +property_reader("QTextEdit", /::(undoRedoEnabled|isUndoRedoEnabled|hasUndoRedoEnabled)\s*\(/, "undoRedoEnabled") +property_writer("QTextEdit", /::setUndoRedoEnabled\s*\(/, "undoRedoEnabled") +property_reader("QTextEdit", /::(lineWrapMode|isLineWrapMode|hasLineWrapMode)\s*\(/, "lineWrapMode") +property_writer("QTextEdit", /::setLineWrapMode\s*\(/, "lineWrapMode") +property_reader("QTextEdit", /::(lineWrapColumnOrWidth|isLineWrapColumnOrWidth|hasLineWrapColumnOrWidth)\s*\(/, "lineWrapColumnOrWidth") +property_writer("QTextEdit", /::setLineWrapColumnOrWidth\s*\(/, "lineWrapColumnOrWidth") +property_reader("QTextEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QTextEdit", /::setReadOnly\s*\(/, "readOnly") +property_reader("QTextEdit", /::(markdown|isMarkdown|hasMarkdown)\s*\(/, "markdown") +property_writer("QTextEdit", /::setMarkdown\s*\(/, "markdown") +property_reader("QTextEdit", /::(html|isHtml|hasHtml)\s*\(/, "html") +property_writer("QTextEdit", /::setHtml\s*\(/, "html") +property_reader("QTextEdit", /::(plainText|isPlainText|hasPlainText)\s*\(/, "plainText") +property_writer("QTextEdit", /::setPlainText\s*\(/, "plainText") +property_reader("QTextEdit", /::(overwriteMode|isOverwriteMode|hasOverwriteMode)\s*\(/, "overwriteMode") +property_writer("QTextEdit", /::setOverwriteMode\s*\(/, "overwriteMode") +property_reader("QTextEdit", /::(tabStopDistance|isTabStopDistance|hasTabStopDistance)\s*\(/, "tabStopDistance") +property_writer("QTextEdit", /::setTabStopDistance\s*\(/, "tabStopDistance") +property_reader("QTextEdit", /::(acceptRichText|isAcceptRichText|hasAcceptRichText)\s*\(/, "acceptRichText") +property_writer("QTextEdit", /::setAcceptRichText\s*\(/, "acceptRichText") +property_reader("QTextEdit", /::(cursorWidth|isCursorWidth|hasCursorWidth)\s*\(/, "cursorWidth") +property_writer("QTextEdit", /::setCursorWidth\s*\(/, "cursorWidth") +property_reader("QTextEdit", /::(textInteractionFlags|isTextInteractionFlags|hasTextInteractionFlags)\s*\(/, "textInteractionFlags") +property_writer("QTextEdit", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") +property_reader("QTextEdit", /::(document|isDocument|hasDocument)\s*\(/, "document") +property_writer("QTextEdit", /::setDocument\s*\(/, "document") +property_reader("QTextEdit", /::(placeholderText|isPlaceholderText|hasPlaceholderText)\s*\(/, "placeholderText") +property_writer("QTextEdit", /::setPlaceholderText\s*\(/, "placeholderText") +property_reader("QTimeEdit", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTimeEdit", /::setObjectName\s*\(/, "objectName") +property_reader("QTimeEdit", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QTimeEdit", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QTimeEdit", /::setWindowModality\s*\(/, "windowModality") +property_reader("QTimeEdit", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QTimeEdit", /::setEnabled\s*\(/, "enabled") +property_reader("QTimeEdit", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QTimeEdit", /::setGeometry\s*\(/, "geometry") +property_reader("QTimeEdit", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QTimeEdit", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QTimeEdit", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QTimeEdit", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QTimeEdit", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QTimeEdit", /::setPos\s*\(/, "pos") +property_reader("QTimeEdit", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QTimeEdit", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QTimeEdit", /::setSize\s*\(/, "size") +property_reader("QTimeEdit", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QTimeEdit", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QTimeEdit", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QTimeEdit", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QTimeEdit", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QTimeEdit", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QTimeEdit", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QTimeEdit", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QTimeEdit", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QTimeEdit", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QTimeEdit", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QTimeEdit", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QTimeEdit", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QTimeEdit", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QTimeEdit", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QTimeEdit", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QTimeEdit", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QTimeEdit", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QTimeEdit", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QTimeEdit", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QTimeEdit", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QTimeEdit", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QTimeEdit", /::setBaseSize\s*\(/, "baseSize") +property_reader("QTimeEdit", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QTimeEdit", /::setPalette\s*\(/, "palette") +property_reader("QTimeEdit", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QTimeEdit", /::setFont\s*\(/, "font") +property_reader("QTimeEdit", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QTimeEdit", /::setCursor\s*\(/, "cursor") +property_reader("QTimeEdit", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QTimeEdit", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QTimeEdit", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QTimeEdit", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QTimeEdit", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QTimeEdit", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QTimeEdit", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QTimeEdit", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QTimeEdit", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QTimeEdit", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QTimeEdit", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QTimeEdit", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QTimeEdit", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QTimeEdit", /::setVisible\s*\(/, "visible") +property_reader("QTimeEdit", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QTimeEdit", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QTimeEdit", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QTimeEdit", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QTimeEdit", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QTimeEdit", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QTimeEdit", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QTimeEdit", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QTimeEdit", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QTimeEdit", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QTimeEdit", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QTimeEdit", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QTimeEdit", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QTimeEdit", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QTimeEdit", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QTimeEdit", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QTimeEdit", /::setWindowModified\s*\(/, "windowModified") +property_reader("QTimeEdit", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QTimeEdit", /::setToolTip\s*\(/, "toolTip") +property_reader("QTimeEdit", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QTimeEdit", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QTimeEdit", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QTimeEdit", /::setStatusTip\s*\(/, "statusTip") +property_reader("QTimeEdit", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QTimeEdit", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QTimeEdit", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QTimeEdit", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QTimeEdit", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QTimeEdit", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QTimeEdit", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QTimeEdit", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QTimeEdit", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QTimeEdit", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QTimeEdit", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QTimeEdit", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QTimeEdit", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QTimeEdit", /::setLocale\s*\(/, "locale") +property_reader("QTimeEdit", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QTimeEdit", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QTimeEdit", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QTimeEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QTimeEdit", /::(wrapping|isWrapping|hasWrapping)\s*\(/, "wrapping") +property_writer("QTimeEdit", /::setWrapping\s*\(/, "wrapping") +property_reader("QTimeEdit", /::(frame|isFrame|hasFrame)\s*\(/, "frame") +property_writer("QTimeEdit", /::setFrame\s*\(/, "frame") +property_reader("QTimeEdit", /::(alignment|isAlignment|hasAlignment)\s*\(/, "alignment") +property_writer("QTimeEdit", /::setAlignment\s*\(/, "alignment") +property_reader("QTimeEdit", /::(readOnly|isReadOnly|hasReadOnly)\s*\(/, "readOnly") +property_writer("QTimeEdit", /::setReadOnly\s*\(/, "readOnly") +property_reader("QTimeEdit", /::(buttonSymbols|isButtonSymbols|hasButtonSymbols)\s*\(/, "buttonSymbols") +property_writer("QTimeEdit", /::setButtonSymbols\s*\(/, "buttonSymbols") +property_reader("QTimeEdit", /::(specialValueText|isSpecialValueText|hasSpecialValueText)\s*\(/, "specialValueText") +property_writer("QTimeEdit", /::setSpecialValueText\s*\(/, "specialValueText") +property_reader("QTimeEdit", /::(text|isText|hasText)\s*\(/, "text") +property_reader("QTimeEdit", /::(accelerated|isAccelerated|hasAccelerated)\s*\(/, "accelerated") +property_writer("QTimeEdit", /::setAccelerated\s*\(/, "accelerated") +property_reader("QTimeEdit", /::(correctionMode|isCorrectionMode|hasCorrectionMode)\s*\(/, "correctionMode") +property_writer("QTimeEdit", /::setCorrectionMode\s*\(/, "correctionMode") +property_reader("QTimeEdit", /::(acceptableInput|isAcceptableInput|hasAcceptableInput)\s*\(/, "acceptableInput") +property_reader("QTimeEdit", /::(keyboardTracking|isKeyboardTracking|hasKeyboardTracking)\s*\(/, "keyboardTracking") +property_writer("QTimeEdit", /::setKeyboardTracking\s*\(/, "keyboardTracking") +property_reader("QTimeEdit", /::(showGroupSeparator|isShowGroupSeparator|hasShowGroupSeparator)\s*\(/, "showGroupSeparator") +property_writer("QTimeEdit", /::setShowGroupSeparator\s*\(/, "showGroupSeparator") +property_reader("QTimeEdit", /::(dateTime|isDateTime|hasDateTime)\s*\(/, "dateTime") +property_writer("QTimeEdit", /::setDateTime\s*\(/, "dateTime") +property_reader("QTimeEdit", /::(date|isDate|hasDate)\s*\(/, "date") +property_writer("QTimeEdit", /::setDate\s*\(/, "date") +property_reader("QTimeEdit", /::(time|isTime|hasTime)\s*\(/, "time") +property_writer("QTimeEdit", /::setTime\s*\(/, "time") +property_reader("QTimeEdit", /::(maximumDateTime|isMaximumDateTime|hasMaximumDateTime)\s*\(/, "maximumDateTime") +property_writer("QTimeEdit", /::setMaximumDateTime\s*\(/, "maximumDateTime") +property_reader("QTimeEdit", /::(minimumDateTime|isMinimumDateTime|hasMinimumDateTime)\s*\(/, "minimumDateTime") +property_writer("QTimeEdit", /::setMinimumDateTime\s*\(/, "minimumDateTime") +property_reader("QTimeEdit", /::(maximumDate|isMaximumDate|hasMaximumDate)\s*\(/, "maximumDate") +property_writer("QTimeEdit", /::setMaximumDate\s*\(/, "maximumDate") +property_reader("QTimeEdit", /::(minimumDate|isMinimumDate|hasMinimumDate)\s*\(/, "minimumDate") +property_writer("QTimeEdit", /::setMinimumDate\s*\(/, "minimumDate") +property_reader("QTimeEdit", /::(maximumTime|isMaximumTime|hasMaximumTime)\s*\(/, "maximumTime") +property_writer("QTimeEdit", /::setMaximumTime\s*\(/, "maximumTime") +property_reader("QTimeEdit", /::(minimumTime|isMinimumTime|hasMinimumTime)\s*\(/, "minimumTime") +property_writer("QTimeEdit", /::setMinimumTime\s*\(/, "minimumTime") +property_reader("QTimeEdit", /::(currentSection|isCurrentSection|hasCurrentSection)\s*\(/, "currentSection") +property_writer("QTimeEdit", /::setCurrentSection\s*\(/, "currentSection") +property_reader("QTimeEdit", /::(displayedSections|isDisplayedSections|hasDisplayedSections)\s*\(/, "displayedSections") +property_reader("QTimeEdit", /::(displayFormat|isDisplayFormat|hasDisplayFormat)\s*\(/, "displayFormat") +property_writer("QTimeEdit", /::setDisplayFormat\s*\(/, "displayFormat") +property_reader("QTimeEdit", /::(calendarPopup|isCalendarPopup|hasCalendarPopup)\s*\(/, "calendarPopup") +property_writer("QTimeEdit", /::setCalendarPopup\s*\(/, "calendarPopup") +property_reader("QTimeEdit", /::(currentSectionIndex|isCurrentSectionIndex|hasCurrentSectionIndex)\s*\(/, "currentSectionIndex") +property_writer("QTimeEdit", /::setCurrentSectionIndex\s*\(/, "currentSectionIndex") +property_reader("QTimeEdit", /::(sectionCount|isSectionCount|hasSectionCount)\s*\(/, "sectionCount") +property_reader("QTimeEdit", /::(timeSpec|isTimeSpec|hasTimeSpec)\s*\(/, "timeSpec") +property_writer("QTimeEdit", /::setTimeSpec\s*\(/, "timeSpec") +property_reader("QTimeEdit", /::(time|isTime|hasTime)\s*\(/, "time") +property_writer("QTimeEdit", /::setTime\s*\(/, "time") +property_reader("QToolBar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QToolBar", /::setObjectName\s*\(/, "objectName") +property_reader("QToolBar", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QToolBar", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QToolBar", /::setWindowModality\s*\(/, "windowModality") +property_reader("QToolBar", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QToolBar", /::setEnabled\s*\(/, "enabled") +property_reader("QToolBar", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QToolBar", /::setGeometry\s*\(/, "geometry") +property_reader("QToolBar", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QToolBar", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QToolBar", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QToolBar", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QToolBar", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QToolBar", /::setPos\s*\(/, "pos") +property_reader("QToolBar", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QToolBar", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QToolBar", /::setSize\s*\(/, "size") +property_reader("QToolBar", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QToolBar", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QToolBar", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QToolBar", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QToolBar", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QToolBar", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QToolBar", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QToolBar", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QToolBar", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QToolBar", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QToolBar", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QToolBar", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QToolBar", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QToolBar", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QToolBar", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QToolBar", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QToolBar", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QToolBar", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QToolBar", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QToolBar", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QToolBar", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QToolBar", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QToolBar", /::setBaseSize\s*\(/, "baseSize") +property_reader("QToolBar", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QToolBar", /::setPalette\s*\(/, "palette") +property_reader("QToolBar", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QToolBar", /::setFont\s*\(/, "font") +property_reader("QToolBar", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QToolBar", /::setCursor\s*\(/, "cursor") +property_reader("QToolBar", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QToolBar", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QToolBar", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QToolBar", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QToolBar", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QToolBar", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QToolBar", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QToolBar", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QToolBar", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QToolBar", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QToolBar", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QToolBar", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QToolBar", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QToolBar", /::setVisible\s*\(/, "visible") +property_reader("QToolBar", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QToolBar", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QToolBar", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QToolBar", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QToolBar", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QToolBar", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QToolBar", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QToolBar", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QToolBar", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QToolBar", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QToolBar", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QToolBar", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QToolBar", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QToolBar", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QToolBar", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QToolBar", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QToolBar", /::setWindowModified\s*\(/, "windowModified") +property_reader("QToolBar", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QToolBar", /::setToolTip\s*\(/, "toolTip") +property_reader("QToolBar", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QToolBar", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QToolBar", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QToolBar", /::setStatusTip\s*\(/, "statusTip") +property_reader("QToolBar", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QToolBar", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QToolBar", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QToolBar", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QToolBar", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QToolBar", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QToolBar", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QToolBar", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QToolBar", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QToolBar", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QToolBar", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QToolBar", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QToolBar", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QToolBar", /::setLocale\s*\(/, "locale") +property_reader("QToolBar", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QToolBar", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QToolBar", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QToolBar", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QToolBar", /::(movable|isMovable|hasMovable)\s*\(/, "movable") +property_writer("QToolBar", /::setMovable\s*\(/, "movable") +property_reader("QToolBar", /::(allowedAreas|isAllowedAreas|hasAllowedAreas)\s*\(/, "allowedAreas") +property_writer("QToolBar", /::setAllowedAreas\s*\(/, "allowedAreas") +property_reader("QToolBar", /::(orientation|isOrientation|hasOrientation)\s*\(/, "orientation") +property_writer("QToolBar", /::setOrientation\s*\(/, "orientation") +property_reader("QToolBar", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QToolBar", /::setIconSize\s*\(/, "iconSize") +property_reader("QToolBar", /::(toolButtonStyle|isToolButtonStyle|hasToolButtonStyle)\s*\(/, "toolButtonStyle") +property_writer("QToolBar", /::setToolButtonStyle\s*\(/, "toolButtonStyle") +property_reader("QToolBar", /::(floating|isFloating|hasFloating)\s*\(/, "floating") +property_reader("QToolBar", /::(floatable|isFloatable|hasFloatable)\s*\(/, "floatable") +property_writer("QToolBar", /::setFloatable\s*\(/, "floatable") +property_reader("QToolBox", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QToolBox", /::setObjectName\s*\(/, "objectName") +property_reader("QToolBox", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QToolBox", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QToolBox", /::setWindowModality\s*\(/, "windowModality") +property_reader("QToolBox", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QToolBox", /::setEnabled\s*\(/, "enabled") +property_reader("QToolBox", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QToolBox", /::setGeometry\s*\(/, "geometry") +property_reader("QToolBox", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QToolBox", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QToolBox", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QToolBox", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QToolBox", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QToolBox", /::setPos\s*\(/, "pos") +property_reader("QToolBox", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QToolBox", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QToolBox", /::setSize\s*\(/, "size") +property_reader("QToolBox", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QToolBox", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QToolBox", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QToolBox", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QToolBox", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QToolBox", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QToolBox", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QToolBox", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QToolBox", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QToolBox", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QToolBox", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QToolBox", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QToolBox", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QToolBox", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QToolBox", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QToolBox", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QToolBox", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QToolBox", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QToolBox", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QToolBox", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QToolBox", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QToolBox", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QToolBox", /::setBaseSize\s*\(/, "baseSize") +property_reader("QToolBox", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QToolBox", /::setPalette\s*\(/, "palette") +property_reader("QToolBox", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QToolBox", /::setFont\s*\(/, "font") +property_reader("QToolBox", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QToolBox", /::setCursor\s*\(/, "cursor") +property_reader("QToolBox", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QToolBox", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QToolBox", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QToolBox", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QToolBox", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QToolBox", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QToolBox", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QToolBox", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QToolBox", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QToolBox", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QToolBox", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QToolBox", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QToolBox", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QToolBox", /::setVisible\s*\(/, "visible") +property_reader("QToolBox", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QToolBox", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QToolBox", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QToolBox", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QToolBox", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QToolBox", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QToolBox", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QToolBox", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QToolBox", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QToolBox", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QToolBox", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QToolBox", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QToolBox", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QToolBox", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QToolBox", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QToolBox", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QToolBox", /::setWindowModified\s*\(/, "windowModified") +property_reader("QToolBox", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QToolBox", /::setToolTip\s*\(/, "toolTip") +property_reader("QToolBox", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QToolBox", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QToolBox", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QToolBox", /::setStatusTip\s*\(/, "statusTip") +property_reader("QToolBox", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QToolBox", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QToolBox", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QToolBox", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QToolBox", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QToolBox", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QToolBox", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QToolBox", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QToolBox", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QToolBox", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QToolBox", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QToolBox", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QToolBox", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QToolBox", /::setLocale\s*\(/, "locale") +property_reader("QToolBox", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QToolBox", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QToolBox", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QToolBox", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QToolBox", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QToolBox", /::setFrameShape\s*\(/, "frameShape") +property_reader("QToolBox", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QToolBox", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QToolBox", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QToolBox", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QToolBox", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QToolBox", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QToolBox", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QToolBox", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QToolBox", /::setFrameRect\s*\(/, "frameRect") +property_reader("QToolBox", /::(currentIndex|isCurrentIndex|hasCurrentIndex)\s*\(/, "currentIndex") +property_writer("QToolBox", /::setCurrentIndex\s*\(/, "currentIndex") +property_reader("QToolBox", /::(count|isCount|hasCount)\s*\(/, "count") +property_reader("QToolButton", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QToolButton", /::setObjectName\s*\(/, "objectName") +property_reader("QToolButton", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QToolButton", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QToolButton", /::setWindowModality\s*\(/, "windowModality") +property_reader("QToolButton", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QToolButton", /::setEnabled\s*\(/, "enabled") +property_reader("QToolButton", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QToolButton", /::setGeometry\s*\(/, "geometry") +property_reader("QToolButton", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QToolButton", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QToolButton", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QToolButton", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QToolButton", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QToolButton", /::setPos\s*\(/, "pos") +property_reader("QToolButton", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QToolButton", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QToolButton", /::setSize\s*\(/, "size") +property_reader("QToolButton", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QToolButton", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QToolButton", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QToolButton", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QToolButton", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QToolButton", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QToolButton", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QToolButton", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QToolButton", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QToolButton", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QToolButton", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QToolButton", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QToolButton", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QToolButton", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QToolButton", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QToolButton", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QToolButton", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QToolButton", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QToolButton", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QToolButton", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QToolButton", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QToolButton", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QToolButton", /::setBaseSize\s*\(/, "baseSize") +property_reader("QToolButton", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QToolButton", /::setPalette\s*\(/, "palette") +property_reader("QToolButton", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QToolButton", /::setFont\s*\(/, "font") +property_reader("QToolButton", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QToolButton", /::setCursor\s*\(/, "cursor") +property_reader("QToolButton", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QToolButton", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QToolButton", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QToolButton", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QToolButton", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QToolButton", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QToolButton", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QToolButton", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QToolButton", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QToolButton", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QToolButton", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QToolButton", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QToolButton", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QToolButton", /::setVisible\s*\(/, "visible") +property_reader("QToolButton", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QToolButton", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QToolButton", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QToolButton", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QToolButton", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QToolButton", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QToolButton", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QToolButton", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QToolButton", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QToolButton", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QToolButton", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QToolButton", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QToolButton", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QToolButton", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QToolButton", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QToolButton", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QToolButton", /::setWindowModified\s*\(/, "windowModified") +property_reader("QToolButton", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QToolButton", /::setToolTip\s*\(/, "toolTip") +property_reader("QToolButton", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QToolButton", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QToolButton", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QToolButton", /::setStatusTip\s*\(/, "statusTip") +property_reader("QToolButton", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QToolButton", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QToolButton", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QToolButton", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QToolButton", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QToolButton", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QToolButton", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QToolButton", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QToolButton", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QToolButton", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QToolButton", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QToolButton", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QToolButton", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QToolButton", /::setLocale\s*\(/, "locale") +property_reader("QToolButton", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QToolButton", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QToolButton", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QToolButton", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QToolButton", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QToolButton", /::setText\s*\(/, "text") +property_reader("QToolButton", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QToolButton", /::setIcon\s*\(/, "icon") +property_reader("QToolButton", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QToolButton", /::setIconSize\s*\(/, "iconSize") +property_reader("QToolButton", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") +property_writer("QToolButton", /::setShortcut\s*\(/, "shortcut") +property_reader("QToolButton", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") +property_writer("QToolButton", /::setCheckable\s*\(/, "checkable") +property_reader("QToolButton", /::(checked|isChecked|hasChecked)\s*\(/, "checked") +property_writer("QToolButton", /::setChecked\s*\(/, "checked") +property_reader("QToolButton", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") +property_writer("QToolButton", /::setAutoRepeat\s*\(/, "autoRepeat") +property_reader("QToolButton", /::(autoExclusive|isAutoExclusive|hasAutoExclusive)\s*\(/, "autoExclusive") +property_writer("QToolButton", /::setAutoExclusive\s*\(/, "autoExclusive") +property_reader("QToolButton", /::(autoRepeatDelay|isAutoRepeatDelay|hasAutoRepeatDelay)\s*\(/, "autoRepeatDelay") +property_writer("QToolButton", /::setAutoRepeatDelay\s*\(/, "autoRepeatDelay") +property_reader("QToolButton", /::(autoRepeatInterval|isAutoRepeatInterval|hasAutoRepeatInterval)\s*\(/, "autoRepeatInterval") +property_writer("QToolButton", /::setAutoRepeatInterval\s*\(/, "autoRepeatInterval") +property_reader("QToolButton", /::(down|isDown|hasDown)\s*\(/, "down") +property_writer("QToolButton", /::setDown\s*\(/, "down") +property_reader("QToolButton", /::(popupMode|isPopupMode|hasPopupMode)\s*\(/, "popupMode") +property_writer("QToolButton", /::setPopupMode\s*\(/, "popupMode") +property_reader("QToolButton", /::(toolButtonStyle|isToolButtonStyle|hasToolButtonStyle)\s*\(/, "toolButtonStyle") +property_writer("QToolButton", /::setToolButtonStyle\s*\(/, "toolButtonStyle") +property_reader("QToolButton", /::(autoRaise|isAutoRaise|hasAutoRaise)\s*\(/, "autoRaise") +property_writer("QToolButton", /::setAutoRaise\s*\(/, "autoRaise") +property_reader("QToolButton", /::(arrowType|isArrowType|hasArrowType)\s*\(/, "arrowType") +property_writer("QToolButton", /::setArrowType\s*\(/, "arrowType") +property_reader("QTreeView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTreeView", /::setObjectName\s*\(/, "objectName") +property_reader("QTreeView", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QTreeView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QTreeView", /::setWindowModality\s*\(/, "windowModality") +property_reader("QTreeView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QTreeView", /::setEnabled\s*\(/, "enabled") +property_reader("QTreeView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QTreeView", /::setGeometry\s*\(/, "geometry") +property_reader("QTreeView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QTreeView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QTreeView", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QTreeView", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QTreeView", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QTreeView", /::setPos\s*\(/, "pos") +property_reader("QTreeView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QTreeView", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QTreeView", /::setSize\s*\(/, "size") +property_reader("QTreeView", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QTreeView", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QTreeView", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QTreeView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QTreeView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QTreeView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QTreeView", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QTreeView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QTreeView", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QTreeView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QTreeView", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QTreeView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QTreeView", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QTreeView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QTreeView", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QTreeView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QTreeView", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QTreeView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QTreeView", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QTreeView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QTreeView", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QTreeView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QTreeView", /::setBaseSize\s*\(/, "baseSize") +property_reader("QTreeView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QTreeView", /::setPalette\s*\(/, "palette") +property_reader("QTreeView", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QTreeView", /::setFont\s*\(/, "font") +property_reader("QTreeView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QTreeView", /::setCursor\s*\(/, "cursor") +property_reader("QTreeView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QTreeView", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QTreeView", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QTreeView", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QTreeView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QTreeView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QTreeView", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QTreeView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QTreeView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QTreeView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QTreeView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QTreeView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QTreeView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QTreeView", /::setVisible\s*\(/, "visible") +property_reader("QTreeView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QTreeView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QTreeView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QTreeView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QTreeView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QTreeView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QTreeView", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QTreeView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QTreeView", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QTreeView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QTreeView", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QTreeView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QTreeView", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QTreeView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QTreeView", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QTreeView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QTreeView", /::setWindowModified\s*\(/, "windowModified") +property_reader("QTreeView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QTreeView", /::setToolTip\s*\(/, "toolTip") +property_reader("QTreeView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QTreeView", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QTreeView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QTreeView", /::setStatusTip\s*\(/, "statusTip") +property_reader("QTreeView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QTreeView", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QTreeView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QTreeView", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QTreeView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QTreeView", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QTreeView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QTreeView", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QTreeView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QTreeView", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QTreeView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QTreeView", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QTreeView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QTreeView", /::setLocale\s*\(/, "locale") +property_reader("QTreeView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QTreeView", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QTreeView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QTreeView", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QTreeView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QTreeView", /::setFrameShape\s*\(/, "frameShape") +property_reader("QTreeView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QTreeView", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QTreeView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QTreeView", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QTreeView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QTreeView", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QTreeView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QTreeView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QTreeView", /::setFrameRect\s*\(/, "frameRect") +property_reader("QTreeView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QTreeView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QTreeView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QTreeView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QTreeView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QTreeView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QTreeView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") +property_writer("QTreeView", /::setAutoScroll\s*\(/, "autoScroll") +property_reader("QTreeView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") +property_writer("QTreeView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") +property_reader("QTreeView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") +property_writer("QTreeView", /::setEditTriggers\s*\(/, "editTriggers") +property_reader("QTreeView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") +property_writer("QTreeView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") +property_reader("QTreeView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") +property_writer("QTreeView", /::setShowDropIndicator\s*\(/, "showDropIndicator") +property_reader("QTreeView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QTreeView", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QTreeView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") +property_writer("QTreeView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") +property_reader("QTreeView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") +property_writer("QTreeView", /::setDragDropMode\s*\(/, "dragDropMode") +property_reader("QTreeView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") +property_writer("QTreeView", /::setDefaultDropAction\s*\(/, "defaultDropAction") +property_reader("QTreeView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") +property_writer("QTreeView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") +property_reader("QTreeView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QTreeView", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QTreeView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") +property_writer("QTreeView", /::setSelectionBehavior\s*\(/, "selectionBehavior") +property_reader("QTreeView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QTreeView", /::setIconSize\s*\(/, "iconSize") +property_reader("QTreeView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") +property_writer("QTreeView", /::setTextElideMode\s*\(/, "textElideMode") +property_reader("QTreeView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") +property_writer("QTreeView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") +property_reader("QTreeView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") +property_writer("QTreeView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") +property_reader("QTreeView", /::(autoExpandDelay|isAutoExpandDelay|hasAutoExpandDelay)\s*\(/, "autoExpandDelay") +property_writer("QTreeView", /::setAutoExpandDelay\s*\(/, "autoExpandDelay") +property_reader("QTreeView", /::(indentation|isIndentation|hasIndentation)\s*\(/, "indentation") +property_writer("QTreeView", /::setIndentation\s*\(/, "indentation") +property_reader("QTreeView", /::(rootIsDecorated|isRootIsDecorated|hasRootIsDecorated)\s*\(/, "rootIsDecorated") +property_writer("QTreeView", /::setRootIsDecorated\s*\(/, "rootIsDecorated") +property_reader("QTreeView", /::(uniformRowHeights|isUniformRowHeights|hasUniformRowHeights)\s*\(/, "uniformRowHeights") +property_writer("QTreeView", /::setUniformRowHeights\s*\(/, "uniformRowHeights") +property_reader("QTreeView", /::(itemsExpandable|isItemsExpandable|hasItemsExpandable)\s*\(/, "itemsExpandable") +property_writer("QTreeView", /::setItemsExpandable\s*\(/, "itemsExpandable") +property_reader("QTreeView", /::(sortingEnabled|isSortingEnabled|hasSortingEnabled)\s*\(/, "sortingEnabled") +property_writer("QTreeView", /::setSortingEnabled\s*\(/, "sortingEnabled") +property_reader("QTreeView", /::(animated|isAnimated|hasAnimated)\s*\(/, "animated") +property_writer("QTreeView", /::setAnimated\s*\(/, "animated") +property_reader("QTreeView", /::(allColumnsShowFocus|isAllColumnsShowFocus|hasAllColumnsShowFocus)\s*\(/, "allColumnsShowFocus") +property_writer("QTreeView", /::setAllColumnsShowFocus\s*\(/, "allColumnsShowFocus") +property_reader("QTreeView", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") +property_writer("QTreeView", /::setWordWrap\s*\(/, "wordWrap") +property_reader("QTreeView", /::(headerHidden|isHeaderHidden|hasHeaderHidden)\s*\(/, "headerHidden") +property_writer("QTreeView", /::setHeaderHidden\s*\(/, "headerHidden") +property_reader("QTreeView", /::(expandsOnDoubleClick|isExpandsOnDoubleClick|hasExpandsOnDoubleClick)\s*\(/, "expandsOnDoubleClick") +property_writer("QTreeView", /::setExpandsOnDoubleClick\s*\(/, "expandsOnDoubleClick") +property_reader("QTreeWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTreeWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QTreeWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QTreeWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QTreeWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QTreeWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QTreeWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QTreeWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QTreeWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QTreeWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QTreeWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QTreeWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QTreeWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QTreeWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QTreeWidget", /::setPos\s*\(/, "pos") +property_reader("QTreeWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QTreeWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QTreeWidget", /::setSize\s*\(/, "size") +property_reader("QTreeWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QTreeWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QTreeWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QTreeWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QTreeWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QTreeWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QTreeWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QTreeWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QTreeWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QTreeWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QTreeWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QTreeWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QTreeWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QTreeWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QTreeWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QTreeWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QTreeWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QTreeWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QTreeWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QTreeWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QTreeWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QTreeWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QTreeWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QTreeWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QTreeWidget", /::setPalette\s*\(/, "palette") +property_reader("QTreeWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QTreeWidget", /::setFont\s*\(/, "font") +property_reader("QTreeWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QTreeWidget", /::setCursor\s*\(/, "cursor") +property_reader("QTreeWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QTreeWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QTreeWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QTreeWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QTreeWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QTreeWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QTreeWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QTreeWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QTreeWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QTreeWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QTreeWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QTreeWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QTreeWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QTreeWidget", /::setVisible\s*\(/, "visible") +property_reader("QTreeWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QTreeWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QTreeWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QTreeWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QTreeWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QTreeWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QTreeWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QTreeWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QTreeWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QTreeWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QTreeWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QTreeWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QTreeWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QTreeWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QTreeWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QTreeWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QTreeWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QTreeWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QTreeWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QTreeWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QTreeWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QTreeWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QTreeWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QTreeWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QTreeWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QTreeWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QTreeWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QTreeWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QTreeWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QTreeWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QTreeWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QTreeWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QTreeWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QTreeWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QTreeWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QTreeWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QTreeWidget", /::setLocale\s*\(/, "locale") +property_reader("QTreeWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QTreeWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QTreeWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QTreeWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QTreeWidget", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QTreeWidget", /::setFrameShape\s*\(/, "frameShape") +property_reader("QTreeWidget", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QTreeWidget", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QTreeWidget", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QTreeWidget", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QTreeWidget", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QTreeWidget", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QTreeWidget", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QTreeWidget", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QTreeWidget", /::setFrameRect\s*\(/, "frameRect") +property_reader("QTreeWidget", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QTreeWidget", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QTreeWidget", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QTreeWidget", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QTreeWidget", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QTreeWidget", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QTreeWidget", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") +property_writer("QTreeWidget", /::setAutoScroll\s*\(/, "autoScroll") +property_reader("QTreeWidget", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") +property_writer("QTreeWidget", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") +property_reader("QTreeWidget", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") +property_writer("QTreeWidget", /::setEditTriggers\s*\(/, "editTriggers") +property_reader("QTreeWidget", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") +property_writer("QTreeWidget", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") +property_reader("QTreeWidget", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") +property_writer("QTreeWidget", /::setShowDropIndicator\s*\(/, "showDropIndicator") +property_reader("QTreeWidget", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QTreeWidget", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QTreeWidget", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") +property_writer("QTreeWidget", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") +property_reader("QTreeWidget", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") +property_writer("QTreeWidget", /::setDragDropMode\s*\(/, "dragDropMode") +property_reader("QTreeWidget", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") +property_writer("QTreeWidget", /::setDefaultDropAction\s*\(/, "defaultDropAction") +property_reader("QTreeWidget", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") +property_writer("QTreeWidget", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") +property_reader("QTreeWidget", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QTreeWidget", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QTreeWidget", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") +property_writer("QTreeWidget", /::setSelectionBehavior\s*\(/, "selectionBehavior") +property_reader("QTreeWidget", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QTreeWidget", /::setIconSize\s*\(/, "iconSize") +property_reader("QTreeWidget", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") +property_writer("QTreeWidget", /::setTextElideMode\s*\(/, "textElideMode") +property_reader("QTreeWidget", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") +property_writer("QTreeWidget", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") +property_reader("QTreeWidget", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") +property_writer("QTreeWidget", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") +property_reader("QTreeWidget", /::(autoExpandDelay|isAutoExpandDelay|hasAutoExpandDelay)\s*\(/, "autoExpandDelay") +property_writer("QTreeWidget", /::setAutoExpandDelay\s*\(/, "autoExpandDelay") +property_reader("QTreeWidget", /::(indentation|isIndentation|hasIndentation)\s*\(/, "indentation") +property_writer("QTreeWidget", /::setIndentation\s*\(/, "indentation") +property_reader("QTreeWidget", /::(rootIsDecorated|isRootIsDecorated|hasRootIsDecorated)\s*\(/, "rootIsDecorated") +property_writer("QTreeWidget", /::setRootIsDecorated\s*\(/, "rootIsDecorated") +property_reader("QTreeWidget", /::(uniformRowHeights|isUniformRowHeights|hasUniformRowHeights)\s*\(/, "uniformRowHeights") +property_writer("QTreeWidget", /::setUniformRowHeights\s*\(/, "uniformRowHeights") +property_reader("QTreeWidget", /::(itemsExpandable|isItemsExpandable|hasItemsExpandable)\s*\(/, "itemsExpandable") +property_writer("QTreeWidget", /::setItemsExpandable\s*\(/, "itemsExpandable") +property_reader("QTreeWidget", /::(sortingEnabled|isSortingEnabled|hasSortingEnabled)\s*\(/, "sortingEnabled") +property_writer("QTreeWidget", /::setSortingEnabled\s*\(/, "sortingEnabled") +property_reader("QTreeWidget", /::(animated|isAnimated|hasAnimated)\s*\(/, "animated") +property_writer("QTreeWidget", /::setAnimated\s*\(/, "animated") +property_reader("QTreeWidget", /::(allColumnsShowFocus|isAllColumnsShowFocus|hasAllColumnsShowFocus)\s*\(/, "allColumnsShowFocus") +property_writer("QTreeWidget", /::setAllColumnsShowFocus\s*\(/, "allColumnsShowFocus") +property_reader("QTreeWidget", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") +property_writer("QTreeWidget", /::setWordWrap\s*\(/, "wordWrap") +property_reader("QTreeWidget", /::(headerHidden|isHeaderHidden|hasHeaderHidden)\s*\(/, "headerHidden") +property_writer("QTreeWidget", /::setHeaderHidden\s*\(/, "headerHidden") +property_reader("QTreeWidget", /::(expandsOnDoubleClick|isExpandsOnDoubleClick|hasExpandsOnDoubleClick)\s*\(/, "expandsOnDoubleClick") +property_writer("QTreeWidget", /::setExpandsOnDoubleClick\s*\(/, "expandsOnDoubleClick") +property_reader("QTreeWidget", /::(columnCount|isColumnCount|hasColumnCount)\s*\(/, "columnCount") +property_writer("QTreeWidget", /::setColumnCount\s*\(/, "columnCount") +property_reader("QTreeWidget", /::(topLevelItemCount|isTopLevelItemCount|hasTopLevelItemCount)\s*\(/, "topLevelItemCount") +property_reader("QUndoView", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QUndoView", /::setObjectName\s*\(/, "objectName") +property_reader("QUndoView", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QUndoView", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QUndoView", /::setWindowModality\s*\(/, "windowModality") +property_reader("QUndoView", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QUndoView", /::setEnabled\s*\(/, "enabled") +property_reader("QUndoView", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QUndoView", /::setGeometry\s*\(/, "geometry") +property_reader("QUndoView", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QUndoView", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QUndoView", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QUndoView", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QUndoView", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QUndoView", /::setPos\s*\(/, "pos") +property_reader("QUndoView", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QUndoView", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QUndoView", /::setSize\s*\(/, "size") +property_reader("QUndoView", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QUndoView", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QUndoView", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QUndoView", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QUndoView", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QUndoView", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QUndoView", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QUndoView", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QUndoView", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QUndoView", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QUndoView", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QUndoView", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QUndoView", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QUndoView", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QUndoView", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QUndoView", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QUndoView", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QUndoView", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QUndoView", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QUndoView", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QUndoView", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QUndoView", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QUndoView", /::setBaseSize\s*\(/, "baseSize") +property_reader("QUndoView", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QUndoView", /::setPalette\s*\(/, "palette") +property_reader("QUndoView", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QUndoView", /::setFont\s*\(/, "font") +property_reader("QUndoView", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QUndoView", /::setCursor\s*\(/, "cursor") +property_reader("QUndoView", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QUndoView", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QUndoView", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QUndoView", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QUndoView", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QUndoView", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QUndoView", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QUndoView", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QUndoView", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QUndoView", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QUndoView", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QUndoView", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QUndoView", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QUndoView", /::setVisible\s*\(/, "visible") +property_reader("QUndoView", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QUndoView", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QUndoView", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QUndoView", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QUndoView", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QUndoView", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QUndoView", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QUndoView", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QUndoView", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QUndoView", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QUndoView", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QUndoView", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QUndoView", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QUndoView", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QUndoView", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QUndoView", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QUndoView", /::setWindowModified\s*\(/, "windowModified") +property_reader("QUndoView", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QUndoView", /::setToolTip\s*\(/, "toolTip") +property_reader("QUndoView", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QUndoView", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QUndoView", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QUndoView", /::setStatusTip\s*\(/, "statusTip") +property_reader("QUndoView", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QUndoView", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QUndoView", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QUndoView", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QUndoView", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QUndoView", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QUndoView", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QUndoView", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QUndoView", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QUndoView", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QUndoView", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QUndoView", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QUndoView", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QUndoView", /::setLocale\s*\(/, "locale") +property_reader("QUndoView", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QUndoView", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QUndoView", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QUndoView", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QUndoView", /::(frameShape|isFrameShape|hasFrameShape)\s*\(/, "frameShape") +property_writer("QUndoView", /::setFrameShape\s*\(/, "frameShape") +property_reader("QUndoView", /::(frameShadow|isFrameShadow|hasFrameShadow)\s*\(/, "frameShadow") +property_writer("QUndoView", /::setFrameShadow\s*\(/, "frameShadow") +property_reader("QUndoView", /::(lineWidth|isLineWidth|hasLineWidth)\s*\(/, "lineWidth") +property_writer("QUndoView", /::setLineWidth\s*\(/, "lineWidth") +property_reader("QUndoView", /::(midLineWidth|isMidLineWidth|hasMidLineWidth)\s*\(/, "midLineWidth") +property_writer("QUndoView", /::setMidLineWidth\s*\(/, "midLineWidth") +property_reader("QUndoView", /::(frameWidth|isFrameWidth|hasFrameWidth)\s*\(/, "frameWidth") +property_reader("QUndoView", /::(frameRect|isFrameRect|hasFrameRect)\s*\(/, "frameRect") +property_writer("QUndoView", /::setFrameRect\s*\(/, "frameRect") +property_reader("QUndoView", /::(verticalScrollBarPolicy|isVerticalScrollBarPolicy|hasVerticalScrollBarPolicy)\s*\(/, "verticalScrollBarPolicy") +property_writer("QUndoView", /::setVerticalScrollBarPolicy\s*\(/, "verticalScrollBarPolicy") +property_reader("QUndoView", /::(horizontalScrollBarPolicy|isHorizontalScrollBarPolicy|hasHorizontalScrollBarPolicy)\s*\(/, "horizontalScrollBarPolicy") +property_writer("QUndoView", /::setHorizontalScrollBarPolicy\s*\(/, "horizontalScrollBarPolicy") +property_reader("QUndoView", /::(sizeAdjustPolicy|isSizeAdjustPolicy|hasSizeAdjustPolicy)\s*\(/, "sizeAdjustPolicy") +property_writer("QUndoView", /::setSizeAdjustPolicy\s*\(/, "sizeAdjustPolicy") +property_reader("QUndoView", /::(autoScroll|isAutoScroll|hasAutoScroll)\s*\(/, "autoScroll") +property_writer("QUndoView", /::setAutoScroll\s*\(/, "autoScroll") +property_reader("QUndoView", /::(autoScrollMargin|isAutoScrollMargin|hasAutoScrollMargin)\s*\(/, "autoScrollMargin") +property_writer("QUndoView", /::setAutoScrollMargin\s*\(/, "autoScrollMargin") +property_reader("QUndoView", /::(editTriggers|isEditTriggers|hasEditTriggers)\s*\(/, "editTriggers") +property_writer("QUndoView", /::setEditTriggers\s*\(/, "editTriggers") +property_reader("QUndoView", /::(tabKeyNavigation|isTabKeyNavigation|hasTabKeyNavigation)\s*\(/, "tabKeyNavigation") +property_writer("QUndoView", /::setTabKeyNavigation\s*\(/, "tabKeyNavigation") +property_reader("QUndoView", /::(showDropIndicator|isShowDropIndicator|hasShowDropIndicator)\s*\(/, "showDropIndicator") +property_writer("QUndoView", /::setShowDropIndicator\s*\(/, "showDropIndicator") +property_reader("QUndoView", /::(dragEnabled|isDragEnabled|hasDragEnabled)\s*\(/, "dragEnabled") +property_writer("QUndoView", /::setDragEnabled\s*\(/, "dragEnabled") +property_reader("QUndoView", /::(dragDropOverwriteMode|isDragDropOverwriteMode|hasDragDropOverwriteMode)\s*\(/, "dragDropOverwriteMode") +property_writer("QUndoView", /::setDragDropOverwriteMode\s*\(/, "dragDropOverwriteMode") +property_reader("QUndoView", /::(dragDropMode|isDragDropMode|hasDragDropMode)\s*\(/, "dragDropMode") +property_writer("QUndoView", /::setDragDropMode\s*\(/, "dragDropMode") +property_reader("QUndoView", /::(defaultDropAction|isDefaultDropAction|hasDefaultDropAction)\s*\(/, "defaultDropAction") +property_writer("QUndoView", /::setDefaultDropAction\s*\(/, "defaultDropAction") +property_reader("QUndoView", /::(alternatingRowColors|isAlternatingRowColors|hasAlternatingRowColors)\s*\(/, "alternatingRowColors") +property_writer("QUndoView", /::setAlternatingRowColors\s*\(/, "alternatingRowColors") +property_reader("QUndoView", /::(selectionMode|isSelectionMode|hasSelectionMode)\s*\(/, "selectionMode") +property_writer("QUndoView", /::setSelectionMode\s*\(/, "selectionMode") +property_reader("QUndoView", /::(selectionBehavior|isSelectionBehavior|hasSelectionBehavior)\s*\(/, "selectionBehavior") +property_writer("QUndoView", /::setSelectionBehavior\s*\(/, "selectionBehavior") +property_reader("QUndoView", /::(iconSize|isIconSize|hasIconSize)\s*\(/, "iconSize") +property_writer("QUndoView", /::setIconSize\s*\(/, "iconSize") +property_reader("QUndoView", /::(textElideMode|isTextElideMode|hasTextElideMode)\s*\(/, "textElideMode") +property_writer("QUndoView", /::setTextElideMode\s*\(/, "textElideMode") +property_reader("QUndoView", /::(verticalScrollMode|isVerticalScrollMode|hasVerticalScrollMode)\s*\(/, "verticalScrollMode") +property_writer("QUndoView", /::setVerticalScrollMode\s*\(/, "verticalScrollMode") +property_reader("QUndoView", /::(horizontalScrollMode|isHorizontalScrollMode|hasHorizontalScrollMode)\s*\(/, "horizontalScrollMode") +property_writer("QUndoView", /::setHorizontalScrollMode\s*\(/, "horizontalScrollMode") +property_reader("QUndoView", /::(movement|isMovement|hasMovement)\s*\(/, "movement") +property_writer("QUndoView", /::setMovement\s*\(/, "movement") +property_reader("QUndoView", /::(flow|isFlow|hasFlow)\s*\(/, "flow") +property_writer("QUndoView", /::setFlow\s*\(/, "flow") +property_reader("QUndoView", /::(isWrapping|isIsWrapping|hasIsWrapping)\s*\(/, "isWrapping") +property_writer("QUndoView", /::setIsWrapping\s*\(/, "isWrapping") +property_reader("QUndoView", /::(resizeMode|isResizeMode|hasResizeMode)\s*\(/, "resizeMode") +property_writer("QUndoView", /::setResizeMode\s*\(/, "resizeMode") +property_reader("QUndoView", /::(layoutMode|isLayoutMode|hasLayoutMode)\s*\(/, "layoutMode") +property_writer("QUndoView", /::setLayoutMode\s*\(/, "layoutMode") +property_reader("QUndoView", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QUndoView", /::setSpacing\s*\(/, "spacing") +property_reader("QUndoView", /::(gridSize|isGridSize|hasGridSize)\s*\(/, "gridSize") +property_writer("QUndoView", /::setGridSize\s*\(/, "gridSize") +property_reader("QUndoView", /::(viewMode|isViewMode|hasViewMode)\s*\(/, "viewMode") +property_writer("QUndoView", /::setViewMode\s*\(/, "viewMode") +property_reader("QUndoView", /::(modelColumn|isModelColumn|hasModelColumn)\s*\(/, "modelColumn") +property_writer("QUndoView", /::setModelColumn\s*\(/, "modelColumn") +property_reader("QUndoView", /::(uniformItemSizes|isUniformItemSizes|hasUniformItemSizes)\s*\(/, "uniformItemSizes") +property_writer("QUndoView", /::setUniformItemSizes\s*\(/, "uniformItemSizes") +property_reader("QUndoView", /::(batchSize|isBatchSize|hasBatchSize)\s*\(/, "batchSize") +property_writer("QUndoView", /::setBatchSize\s*\(/, "batchSize") +property_reader("QUndoView", /::(wordWrap|isWordWrap|hasWordWrap)\s*\(/, "wordWrap") +property_writer("QUndoView", /::setWordWrap\s*\(/, "wordWrap") +property_reader("QUndoView", /::(selectionRectVisible|isSelectionRectVisible|hasSelectionRectVisible)\s*\(/, "selectionRectVisible") +property_writer("QUndoView", /::setSelectionRectVisible\s*\(/, "selectionRectVisible") +property_reader("QUndoView", /::(itemAlignment|isItemAlignment|hasItemAlignment)\s*\(/, "itemAlignment") +property_writer("QUndoView", /::setItemAlignment\s*\(/, "itemAlignment") +property_reader("QUndoView", /::(emptyLabel|isEmptyLabel|hasEmptyLabel)\s*\(/, "emptyLabel") +property_writer("QUndoView", /::setEmptyLabel\s*\(/, "emptyLabel") +property_reader("QUndoView", /::(cleanIcon|isCleanIcon|hasCleanIcon)\s*\(/, "cleanIcon") +property_writer("QUndoView", /::setCleanIcon\s*\(/, "cleanIcon") +property_reader("QVBoxLayout", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QVBoxLayout", /::setObjectName\s*\(/, "objectName") +property_reader("QVBoxLayout", /::(spacing|isSpacing|hasSpacing)\s*\(/, "spacing") +property_writer("QVBoxLayout", /::setSpacing\s*\(/, "spacing") +property_reader("QVBoxLayout", /::(contentsMargins|isContentsMargins|hasContentsMargins)\s*\(/, "contentsMargins") +property_writer("QVBoxLayout", /::setContentsMargins\s*\(/, "contentsMargins") +property_reader("QVBoxLayout", /::(sizeConstraint|isSizeConstraint|hasSizeConstraint)\s*\(/, "sizeConstraint") +property_writer("QVBoxLayout", /::setSizeConstraint\s*\(/, "sizeConstraint") +property_reader("QWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QWidget", /::setPos\s*\(/, "pos") +property_reader("QWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QWidget", /::setSize\s*\(/, "size") +property_reader("QWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QWidget", /::setPalette\s*\(/, "palette") +property_reader("QWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QWidget", /::setFont\s*\(/, "font") +property_reader("QWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QWidget", /::setCursor\s*\(/, "cursor") +property_reader("QWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QWidget", /::setVisible\s*\(/, "visible") +property_reader("QWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QWidget", /::setLocale\s*\(/, "locale") +property_reader("QWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QWidgetAction", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QWidgetAction", /::setObjectName\s*\(/, "objectName") +property_reader("QWidgetAction", /::(checkable|isCheckable|hasCheckable)\s*\(/, "checkable") +property_writer("QWidgetAction", /::setCheckable\s*\(/, "checkable") +property_reader("QWidgetAction", /::(checked|isChecked|hasChecked)\s*\(/, "checked") +property_writer("QWidgetAction", /::setChecked\s*\(/, "checked") +property_reader("QWidgetAction", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QWidgetAction", /::setEnabled\s*\(/, "enabled") +property_reader("QWidgetAction", /::(icon|isIcon|hasIcon)\s*\(/, "icon") +property_writer("QWidgetAction", /::setIcon\s*\(/, "icon") +property_reader("QWidgetAction", /::(text|isText|hasText)\s*\(/, "text") +property_writer("QWidgetAction", /::setText\s*\(/, "text") +property_reader("QWidgetAction", /::(iconText|isIconText|hasIconText)\s*\(/, "iconText") +property_writer("QWidgetAction", /::setIconText\s*\(/, "iconText") +property_reader("QWidgetAction", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QWidgetAction", /::setToolTip\s*\(/, "toolTip") +property_reader("QWidgetAction", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QWidgetAction", /::setStatusTip\s*\(/, "statusTip") +property_reader("QWidgetAction", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QWidgetAction", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QWidgetAction", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QWidgetAction", /::setFont\s*\(/, "font") +property_reader("QWidgetAction", /::(shortcut|isShortcut|hasShortcut)\s*\(/, "shortcut") +property_writer("QWidgetAction", /::setShortcut\s*\(/, "shortcut") +property_reader("QWidgetAction", /::(shortcutContext|isShortcutContext|hasShortcutContext)\s*\(/, "shortcutContext") +property_writer("QWidgetAction", /::setShortcutContext\s*\(/, "shortcutContext") +property_reader("QWidgetAction", /::(autoRepeat|isAutoRepeat|hasAutoRepeat)\s*\(/, "autoRepeat") +property_writer("QWidgetAction", /::setAutoRepeat\s*\(/, "autoRepeat") +property_reader("QWidgetAction", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QWidgetAction", /::setVisible\s*\(/, "visible") +property_reader("QWidgetAction", /::(menuRole|isMenuRole|hasMenuRole)\s*\(/, "menuRole") +property_writer("QWidgetAction", /::setMenuRole\s*\(/, "menuRole") +property_reader("QWidgetAction", /::(iconVisibleInMenu|isIconVisibleInMenu|hasIconVisibleInMenu)\s*\(/, "iconVisibleInMenu") +property_writer("QWidgetAction", /::setIconVisibleInMenu\s*\(/, "iconVisibleInMenu") +property_reader("QWidgetAction", /::(shortcutVisibleInContextMenu|isShortcutVisibleInContextMenu|hasShortcutVisibleInContextMenu)\s*\(/, "shortcutVisibleInContextMenu") +property_writer("QWidgetAction", /::setShortcutVisibleInContextMenu\s*\(/, "shortcutVisibleInContextMenu") +property_reader("QWidgetAction", /::(priority|isPriority|hasPriority)\s*\(/, "priority") +property_writer("QWidgetAction", /::setPriority\s*\(/, "priority") +property_reader("QWizard", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QWizard", /::setObjectName\s*\(/, "objectName") +property_reader("QWizard", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QWizard", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QWizard", /::setWindowModality\s*\(/, "windowModality") +property_reader("QWizard", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QWizard", /::setEnabled\s*\(/, "enabled") +property_reader("QWizard", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QWizard", /::setGeometry\s*\(/, "geometry") +property_reader("QWizard", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QWizard", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QWizard", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QWizard", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QWizard", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QWizard", /::setPos\s*\(/, "pos") +property_reader("QWizard", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QWizard", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QWizard", /::setSize\s*\(/, "size") +property_reader("QWizard", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QWizard", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QWizard", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QWizard", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QWizard", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QWizard", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QWizard", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QWizard", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QWizard", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QWizard", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QWizard", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QWizard", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QWizard", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QWizard", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QWizard", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QWizard", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QWizard", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QWizard", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QWizard", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QWizard", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QWizard", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QWizard", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QWizard", /::setBaseSize\s*\(/, "baseSize") +property_reader("QWizard", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QWizard", /::setPalette\s*\(/, "palette") +property_reader("QWizard", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QWizard", /::setFont\s*\(/, "font") +property_reader("QWizard", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QWizard", /::setCursor\s*\(/, "cursor") +property_reader("QWizard", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QWizard", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QWizard", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QWizard", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QWizard", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QWizard", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QWizard", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QWizard", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QWizard", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QWizard", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QWizard", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QWizard", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QWizard", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QWizard", /::setVisible\s*\(/, "visible") +property_reader("QWizard", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QWizard", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QWizard", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QWizard", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QWizard", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QWizard", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QWizard", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QWizard", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QWizard", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QWizard", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QWizard", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QWizard", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QWizard", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QWizard", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QWizard", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QWizard", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QWizard", /::setWindowModified\s*\(/, "windowModified") +property_reader("QWizard", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QWizard", /::setToolTip\s*\(/, "toolTip") +property_reader("QWizard", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QWizard", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QWizard", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QWizard", /::setStatusTip\s*\(/, "statusTip") +property_reader("QWizard", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QWizard", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QWizard", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QWizard", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QWizard", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QWizard", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QWizard", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QWizard", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QWizard", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QWizard", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QWizard", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QWizard", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QWizard", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QWizard", /::setLocale\s*\(/, "locale") +property_reader("QWizard", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QWizard", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QWizard", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QWizard", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QWizard", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QWizard", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QWizard", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QWizard", /::setModal\s*\(/, "modal") +property_reader("QWizard", /::(wizardStyle|isWizardStyle|hasWizardStyle)\s*\(/, "wizardStyle") +property_writer("QWizard", /::setWizardStyle\s*\(/, "wizardStyle") +property_reader("QWizard", /::(options|isOptions|hasOptions)\s*\(/, "options") +property_writer("QWizard", /::setOptions\s*\(/, "options") +property_reader("QWizard", /::(titleFormat|isTitleFormat|hasTitleFormat)\s*\(/, "titleFormat") +property_writer("QWizard", /::setTitleFormat\s*\(/, "titleFormat") +property_reader("QWizard", /::(subTitleFormat|isSubTitleFormat|hasSubTitleFormat)\s*\(/, "subTitleFormat") +property_writer("QWizard", /::setSubTitleFormat\s*\(/, "subTitleFormat") +property_reader("QWizard", /::(startId|isStartId|hasStartId)\s*\(/, "startId") +property_writer("QWizard", /::setStartId\s*\(/, "startId") +property_reader("QWizard", /::(currentId|isCurrentId|hasCurrentId)\s*\(/, "currentId") +property_writer("QWizard", /::setCurrentId\s*\(/, "currentId") +property_reader("QWizardPage", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QWizardPage", /::setObjectName\s*\(/, "objectName") +property_reader("QWizardPage", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QWizardPage", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QWizardPage", /::setWindowModality\s*\(/, "windowModality") +property_reader("QWizardPage", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QWizardPage", /::setEnabled\s*\(/, "enabled") +property_reader("QWizardPage", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QWizardPage", /::setGeometry\s*\(/, "geometry") +property_reader("QWizardPage", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QWizardPage", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QWizardPage", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QWizardPage", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QWizardPage", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QWizardPage", /::setPos\s*\(/, "pos") +property_reader("QWizardPage", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QWizardPage", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QWizardPage", /::setSize\s*\(/, "size") +property_reader("QWizardPage", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QWizardPage", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QWizardPage", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QWizardPage", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QWizardPage", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QWizardPage", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QWizardPage", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QWizardPage", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QWizardPage", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QWizardPage", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QWizardPage", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QWizardPage", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QWizardPage", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QWizardPage", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QWizardPage", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QWizardPage", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QWizardPage", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QWizardPage", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QWizardPage", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QWizardPage", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QWizardPage", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QWizardPage", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QWizardPage", /::setBaseSize\s*\(/, "baseSize") +property_reader("QWizardPage", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QWizardPage", /::setPalette\s*\(/, "palette") +property_reader("QWizardPage", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QWizardPage", /::setFont\s*\(/, "font") +property_reader("QWizardPage", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QWizardPage", /::setCursor\s*\(/, "cursor") +property_reader("QWizardPage", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QWizardPage", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QWizardPage", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QWizardPage", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QWizardPage", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QWizardPage", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QWizardPage", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QWizardPage", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QWizardPage", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QWizardPage", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QWizardPage", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QWizardPage", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QWizardPage", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QWizardPage", /::setVisible\s*\(/, "visible") +property_reader("QWizardPage", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QWizardPage", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QWizardPage", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QWizardPage", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QWizardPage", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QWizardPage", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QWizardPage", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QWizardPage", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QWizardPage", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QWizardPage", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QWizardPage", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QWizardPage", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QWizardPage", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QWizardPage", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QWizardPage", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QWizardPage", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QWizardPage", /::setWindowModified\s*\(/, "windowModified") +property_reader("QWizardPage", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QWizardPage", /::setToolTip\s*\(/, "toolTip") +property_reader("QWizardPage", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QWizardPage", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QWizardPage", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QWizardPage", /::setStatusTip\s*\(/, "statusTip") +property_reader("QWizardPage", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QWizardPage", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QWizardPage", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QWizardPage", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QWizardPage", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QWizardPage", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QWizardPage", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QWizardPage", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QWizardPage", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QWizardPage", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QWizardPage", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QWizardPage", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QWizardPage", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QWizardPage", /::setLocale\s*\(/, "locale") +property_reader("QWizardPage", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QWizardPage", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QWizardPage", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QWizardPage", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QWizardPage", /::(title|isTitle|hasTitle)\s*\(/, "title") +property_writer("QWizardPage", /::setTitle\s*\(/, "title") +property_reader("QWizardPage", /::(subTitle|isSubTitle|hasSubTitle)\s*\(/, "subTitle") +property_writer("QWizardPage", /::setSubTitle\s*\(/, "subTitle") +property_reader("QSvgRenderer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSvgRenderer", /::setObjectName\s*\(/, "objectName") +property_reader("QSvgRenderer", /::(viewBox|isViewBox|hasViewBox)\s*\(/, "viewBox") +property_writer("QSvgRenderer", /::setViewBox\s*\(/, "viewBox") +property_reader("QSvgRenderer", /::(framesPerSecond|isFramesPerSecond|hasFramesPerSecond)\s*\(/, "framesPerSecond") +property_writer("QSvgRenderer", /::setFramesPerSecond\s*\(/, "framesPerSecond") +property_reader("QSvgRenderer", /::(currentFrame|isCurrentFrame|hasCurrentFrame)\s*\(/, "currentFrame") +property_writer("QSvgRenderer", /::setCurrentFrame\s*\(/, "currentFrame") +property_reader("QSvgRenderer", /::(aspectRatioMode|isAspectRatioMode|hasAspectRatioMode)\s*\(/, "aspectRatioMode") +property_writer("QSvgRenderer", /::setAspectRatioMode\s*\(/, "aspectRatioMode") +property_reader("QAbstractPrintDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractPrintDialog", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractPrintDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QAbstractPrintDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QAbstractPrintDialog", /::setWindowModality\s*\(/, "windowModality") +property_reader("QAbstractPrintDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QAbstractPrintDialog", /::setEnabled\s*\(/, "enabled") +property_reader("QAbstractPrintDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QAbstractPrintDialog", /::setGeometry\s*\(/, "geometry") +property_reader("QAbstractPrintDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QAbstractPrintDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QAbstractPrintDialog", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QAbstractPrintDialog", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QAbstractPrintDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QAbstractPrintDialog", /::setPos\s*\(/, "pos") +property_reader("QAbstractPrintDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QAbstractPrintDialog", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QAbstractPrintDialog", /::setSize\s*\(/, "size") +property_reader("QAbstractPrintDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QAbstractPrintDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QAbstractPrintDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QAbstractPrintDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QAbstractPrintDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QAbstractPrintDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QAbstractPrintDialog", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QAbstractPrintDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QAbstractPrintDialog", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QAbstractPrintDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QAbstractPrintDialog", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QAbstractPrintDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QAbstractPrintDialog", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QAbstractPrintDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QAbstractPrintDialog", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QAbstractPrintDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QAbstractPrintDialog", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QAbstractPrintDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QAbstractPrintDialog", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QAbstractPrintDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QAbstractPrintDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QAbstractPrintDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QAbstractPrintDialog", /::setBaseSize\s*\(/, "baseSize") +property_reader("QAbstractPrintDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QAbstractPrintDialog", /::setPalette\s*\(/, "palette") +property_reader("QAbstractPrintDialog", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QAbstractPrintDialog", /::setFont\s*\(/, "font") +property_reader("QAbstractPrintDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QAbstractPrintDialog", /::setCursor\s*\(/, "cursor") +property_reader("QAbstractPrintDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QAbstractPrintDialog", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QAbstractPrintDialog", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QAbstractPrintDialog", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QAbstractPrintDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QAbstractPrintDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QAbstractPrintDialog", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QAbstractPrintDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QAbstractPrintDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QAbstractPrintDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QAbstractPrintDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QAbstractPrintDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QAbstractPrintDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QAbstractPrintDialog", /::setVisible\s*\(/, "visible") +property_reader("QAbstractPrintDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QAbstractPrintDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QAbstractPrintDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QAbstractPrintDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QAbstractPrintDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QAbstractPrintDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QAbstractPrintDialog", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QAbstractPrintDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QAbstractPrintDialog", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QAbstractPrintDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QAbstractPrintDialog", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QAbstractPrintDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QAbstractPrintDialog", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QAbstractPrintDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QAbstractPrintDialog", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QAbstractPrintDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QAbstractPrintDialog", /::setWindowModified\s*\(/, "windowModified") +property_reader("QAbstractPrintDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QAbstractPrintDialog", /::setToolTip\s*\(/, "toolTip") +property_reader("QAbstractPrintDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QAbstractPrintDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QAbstractPrintDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QAbstractPrintDialog", /::setStatusTip\s*\(/, "statusTip") +property_reader("QAbstractPrintDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QAbstractPrintDialog", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QAbstractPrintDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QAbstractPrintDialog", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QAbstractPrintDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QAbstractPrintDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QAbstractPrintDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QAbstractPrintDialog", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QAbstractPrintDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QAbstractPrintDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QAbstractPrintDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QAbstractPrintDialog", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QAbstractPrintDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QAbstractPrintDialog", /::setLocale\s*\(/, "locale") +property_reader("QAbstractPrintDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QAbstractPrintDialog", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QAbstractPrintDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QAbstractPrintDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QAbstractPrintDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QAbstractPrintDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QAbstractPrintDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QAbstractPrintDialog", /::setModal\s*\(/, "modal") +property_reader("QPrintDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPrintDialog", /::setObjectName\s*\(/, "objectName") +property_reader("QPrintDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QPrintDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QPrintDialog", /::setWindowModality\s*\(/, "windowModality") +property_reader("QPrintDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QPrintDialog", /::setEnabled\s*\(/, "enabled") +property_reader("QPrintDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QPrintDialog", /::setGeometry\s*\(/, "geometry") +property_reader("QPrintDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QPrintDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QPrintDialog", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QPrintDialog", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QPrintDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QPrintDialog", /::setPos\s*\(/, "pos") +property_reader("QPrintDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QPrintDialog", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QPrintDialog", /::setSize\s*\(/, "size") +property_reader("QPrintDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QPrintDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QPrintDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QPrintDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QPrintDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QPrintDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QPrintDialog", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QPrintDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QPrintDialog", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QPrintDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QPrintDialog", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QPrintDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QPrintDialog", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QPrintDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QPrintDialog", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QPrintDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QPrintDialog", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QPrintDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QPrintDialog", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QPrintDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QPrintDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QPrintDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QPrintDialog", /::setBaseSize\s*\(/, "baseSize") +property_reader("QPrintDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QPrintDialog", /::setPalette\s*\(/, "palette") +property_reader("QPrintDialog", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QPrintDialog", /::setFont\s*\(/, "font") +property_reader("QPrintDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QPrintDialog", /::setCursor\s*\(/, "cursor") +property_reader("QPrintDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QPrintDialog", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QPrintDialog", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QPrintDialog", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QPrintDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QPrintDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QPrintDialog", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QPrintDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QPrintDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QPrintDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QPrintDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QPrintDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QPrintDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QPrintDialog", /::setVisible\s*\(/, "visible") +property_reader("QPrintDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QPrintDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QPrintDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QPrintDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QPrintDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QPrintDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QPrintDialog", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QPrintDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QPrintDialog", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QPrintDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QPrintDialog", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QPrintDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QPrintDialog", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QPrintDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QPrintDialog", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QPrintDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QPrintDialog", /::setWindowModified\s*\(/, "windowModified") +property_reader("QPrintDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QPrintDialog", /::setToolTip\s*\(/, "toolTip") +property_reader("QPrintDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QPrintDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QPrintDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QPrintDialog", /::setStatusTip\s*\(/, "statusTip") +property_reader("QPrintDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QPrintDialog", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QPrintDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QPrintDialog", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QPrintDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QPrintDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QPrintDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QPrintDialog", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QPrintDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QPrintDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QPrintDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QPrintDialog", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QPrintDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QPrintDialog", /::setLocale\s*\(/, "locale") +property_reader("QPrintDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QPrintDialog", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QPrintDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QPrintDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QPrintDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QPrintDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QPrintDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QPrintDialog", /::setModal\s*\(/, "modal") +property_reader("QPrintDialog", /::(options|isOptions|hasOptions)\s*\(/, "options") +property_writer("QPrintDialog", /::setOptions\s*\(/, "options") +property_reader("QPrintPreviewDialog", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPrintPreviewDialog", /::setObjectName\s*\(/, "objectName") +property_reader("QPrintPreviewDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QPrintPreviewDialog", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QPrintPreviewDialog", /::setWindowModality\s*\(/, "windowModality") +property_reader("QPrintPreviewDialog", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QPrintPreviewDialog", /::setEnabled\s*\(/, "enabled") +property_reader("QPrintPreviewDialog", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QPrintPreviewDialog", /::setGeometry\s*\(/, "geometry") +property_reader("QPrintPreviewDialog", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QPrintPreviewDialog", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QPrintPreviewDialog", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QPrintPreviewDialog", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QPrintPreviewDialog", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QPrintPreviewDialog", /::setPos\s*\(/, "pos") +property_reader("QPrintPreviewDialog", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QPrintPreviewDialog", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QPrintPreviewDialog", /::setSize\s*\(/, "size") +property_reader("QPrintPreviewDialog", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QPrintPreviewDialog", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QPrintPreviewDialog", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QPrintPreviewDialog", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QPrintPreviewDialog", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QPrintPreviewDialog", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QPrintPreviewDialog", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QPrintPreviewDialog", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QPrintPreviewDialog", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QPrintPreviewDialog", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QPrintPreviewDialog", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QPrintPreviewDialog", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QPrintPreviewDialog", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QPrintPreviewDialog", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QPrintPreviewDialog", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QPrintPreviewDialog", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QPrintPreviewDialog", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QPrintPreviewDialog", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QPrintPreviewDialog", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QPrintPreviewDialog", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QPrintPreviewDialog", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QPrintPreviewDialog", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QPrintPreviewDialog", /::setBaseSize\s*\(/, "baseSize") +property_reader("QPrintPreviewDialog", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QPrintPreviewDialog", /::setPalette\s*\(/, "palette") +property_reader("QPrintPreviewDialog", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QPrintPreviewDialog", /::setFont\s*\(/, "font") +property_reader("QPrintPreviewDialog", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QPrintPreviewDialog", /::setCursor\s*\(/, "cursor") +property_reader("QPrintPreviewDialog", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QPrintPreviewDialog", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QPrintPreviewDialog", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QPrintPreviewDialog", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QPrintPreviewDialog", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QPrintPreviewDialog", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QPrintPreviewDialog", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QPrintPreviewDialog", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QPrintPreviewDialog", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QPrintPreviewDialog", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QPrintPreviewDialog", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QPrintPreviewDialog", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QPrintPreviewDialog", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QPrintPreviewDialog", /::setVisible\s*\(/, "visible") +property_reader("QPrintPreviewDialog", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QPrintPreviewDialog", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QPrintPreviewDialog", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QPrintPreviewDialog", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QPrintPreviewDialog", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QPrintPreviewDialog", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QPrintPreviewDialog", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QPrintPreviewDialog", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QPrintPreviewDialog", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QPrintPreviewDialog", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QPrintPreviewDialog", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QPrintPreviewDialog", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QPrintPreviewDialog", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QPrintPreviewDialog", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QPrintPreviewDialog", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QPrintPreviewDialog", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QPrintPreviewDialog", /::setWindowModified\s*\(/, "windowModified") +property_reader("QPrintPreviewDialog", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QPrintPreviewDialog", /::setToolTip\s*\(/, "toolTip") +property_reader("QPrintPreviewDialog", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QPrintPreviewDialog", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QPrintPreviewDialog", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QPrintPreviewDialog", /::setStatusTip\s*\(/, "statusTip") +property_reader("QPrintPreviewDialog", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QPrintPreviewDialog", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QPrintPreviewDialog", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QPrintPreviewDialog", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QPrintPreviewDialog", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QPrintPreviewDialog", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QPrintPreviewDialog", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QPrintPreviewDialog", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QPrintPreviewDialog", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QPrintPreviewDialog", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QPrintPreviewDialog", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QPrintPreviewDialog", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QPrintPreviewDialog", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QPrintPreviewDialog", /::setLocale\s*\(/, "locale") +property_reader("QPrintPreviewDialog", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QPrintPreviewDialog", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QPrintPreviewDialog", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QPrintPreviewDialog", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QPrintPreviewDialog", /::(sizeGripEnabled|isSizeGripEnabled|hasSizeGripEnabled)\s*\(/, "sizeGripEnabled") +property_writer("QPrintPreviewDialog", /::setSizeGripEnabled\s*\(/, "sizeGripEnabled") +property_reader("QPrintPreviewDialog", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_writer("QPrintPreviewDialog", /::setModal\s*\(/, "modal") +property_reader("QPrintPreviewWidget", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QPrintPreviewWidget", /::setObjectName\s*\(/, "objectName") +property_reader("QPrintPreviewWidget", /::(modal|isModal|hasModal)\s*\(/, "modal") +property_reader("QPrintPreviewWidget", /::(windowModality|isWindowModality|hasWindowModality)\s*\(/, "windowModality") +property_writer("QPrintPreviewWidget", /::setWindowModality\s*\(/, "windowModality") +property_reader("QPrintPreviewWidget", /::(enabled|isEnabled|hasEnabled)\s*\(/, "enabled") +property_writer("QPrintPreviewWidget", /::setEnabled\s*\(/, "enabled") +property_reader("QPrintPreviewWidget", /::(geometry|isGeometry|hasGeometry)\s*\(/, "geometry") +property_writer("QPrintPreviewWidget", /::setGeometry\s*\(/, "geometry") +property_reader("QPrintPreviewWidget", /::(frameGeometry|isFrameGeometry|hasFrameGeometry)\s*\(/, "frameGeometry") +property_reader("QPrintPreviewWidget", /::(normalGeometry|isNormalGeometry|hasNormalGeometry)\s*\(/, "normalGeometry") +property_reader("QPrintPreviewWidget", /::(x|isX|hasX)\s*\(/, "x") +property_reader("QPrintPreviewWidget", /::(y|isY|hasY)\s*\(/, "y") +property_reader("QPrintPreviewWidget", /::(pos|isPos|hasPos)\s*\(/, "pos") +property_writer("QPrintPreviewWidget", /::setPos\s*\(/, "pos") +property_reader("QPrintPreviewWidget", /::(frameSize|isFrameSize|hasFrameSize)\s*\(/, "frameSize") +property_reader("QPrintPreviewWidget", /::(size|isSize|hasSize)\s*\(/, "size") +property_writer("QPrintPreviewWidget", /::setSize\s*\(/, "size") +property_reader("QPrintPreviewWidget", /::(width|isWidth|hasWidth)\s*\(/, "width") +property_reader("QPrintPreviewWidget", /::(height|isHeight|hasHeight)\s*\(/, "height") +property_reader("QPrintPreviewWidget", /::(rect|isRect|hasRect)\s*\(/, "rect") +property_reader("QPrintPreviewWidget", /::(childrenRect|isChildrenRect|hasChildrenRect)\s*\(/, "childrenRect") +property_reader("QPrintPreviewWidget", /::(childrenRegion|isChildrenRegion|hasChildrenRegion)\s*\(/, "childrenRegion") +property_reader("QPrintPreviewWidget", /::(sizePolicy|isSizePolicy|hasSizePolicy)\s*\(/, "sizePolicy") +property_writer("QPrintPreviewWidget", /::setSizePolicy\s*\(/, "sizePolicy") +property_reader("QPrintPreviewWidget", /::(minimumSize|isMinimumSize|hasMinimumSize)\s*\(/, "minimumSize") +property_writer("QPrintPreviewWidget", /::setMinimumSize\s*\(/, "minimumSize") +property_reader("QPrintPreviewWidget", /::(maximumSize|isMaximumSize|hasMaximumSize)\s*\(/, "maximumSize") +property_writer("QPrintPreviewWidget", /::setMaximumSize\s*\(/, "maximumSize") +property_reader("QPrintPreviewWidget", /::(minimumWidth|isMinimumWidth|hasMinimumWidth)\s*\(/, "minimumWidth") +property_writer("QPrintPreviewWidget", /::setMinimumWidth\s*\(/, "minimumWidth") +property_reader("QPrintPreviewWidget", /::(minimumHeight|isMinimumHeight|hasMinimumHeight)\s*\(/, "minimumHeight") +property_writer("QPrintPreviewWidget", /::setMinimumHeight\s*\(/, "minimumHeight") +property_reader("QPrintPreviewWidget", /::(maximumWidth|isMaximumWidth|hasMaximumWidth)\s*\(/, "maximumWidth") +property_writer("QPrintPreviewWidget", /::setMaximumWidth\s*\(/, "maximumWidth") +property_reader("QPrintPreviewWidget", /::(maximumHeight|isMaximumHeight|hasMaximumHeight)\s*\(/, "maximumHeight") +property_writer("QPrintPreviewWidget", /::setMaximumHeight\s*\(/, "maximumHeight") +property_reader("QPrintPreviewWidget", /::(sizeIncrement|isSizeIncrement|hasSizeIncrement)\s*\(/, "sizeIncrement") +property_writer("QPrintPreviewWidget", /::setSizeIncrement\s*\(/, "sizeIncrement") +property_reader("QPrintPreviewWidget", /::(baseSize|isBaseSize|hasBaseSize)\s*\(/, "baseSize") +property_writer("QPrintPreviewWidget", /::setBaseSize\s*\(/, "baseSize") +property_reader("QPrintPreviewWidget", /::(palette|isPalette|hasPalette)\s*\(/, "palette") +property_writer("QPrintPreviewWidget", /::setPalette\s*\(/, "palette") +property_reader("QPrintPreviewWidget", /::(font|isFont|hasFont)\s*\(/, "font") +property_writer("QPrintPreviewWidget", /::setFont\s*\(/, "font") +property_reader("QPrintPreviewWidget", /::(cursor|isCursor|hasCursor)\s*\(/, "cursor") +property_writer("QPrintPreviewWidget", /::setCursor\s*\(/, "cursor") +property_reader("QPrintPreviewWidget", /::(mouseTracking|isMouseTracking|hasMouseTracking)\s*\(/, "mouseTracking") +property_writer("QPrintPreviewWidget", /::setMouseTracking\s*\(/, "mouseTracking") +property_reader("QPrintPreviewWidget", /::(tabletTracking|isTabletTracking|hasTabletTracking)\s*\(/, "tabletTracking") +property_writer("QPrintPreviewWidget", /::setTabletTracking\s*\(/, "tabletTracking") +property_reader("QPrintPreviewWidget", /::(isActiveWindow|isIsActiveWindow|hasIsActiveWindow)\s*\(/, "isActiveWindow") +property_reader("QPrintPreviewWidget", /::(focusPolicy|isFocusPolicy|hasFocusPolicy)\s*\(/, "focusPolicy") +property_writer("QPrintPreviewWidget", /::setFocusPolicy\s*\(/, "focusPolicy") +property_reader("QPrintPreviewWidget", /::(focus|isFocus|hasFocus)\s*\(/, "focus") +property_reader("QPrintPreviewWidget", /::(contextMenuPolicy|isContextMenuPolicy|hasContextMenuPolicy)\s*\(/, "contextMenuPolicy") +property_writer("QPrintPreviewWidget", /::setContextMenuPolicy\s*\(/, "contextMenuPolicy") +property_reader("QPrintPreviewWidget", /::(updatesEnabled|isUpdatesEnabled|hasUpdatesEnabled)\s*\(/, "updatesEnabled") +property_writer("QPrintPreviewWidget", /::setUpdatesEnabled\s*\(/, "updatesEnabled") +property_reader("QPrintPreviewWidget", /::(visible|isVisible|hasVisible)\s*\(/, "visible") +property_writer("QPrintPreviewWidget", /::setVisible\s*\(/, "visible") +property_reader("QPrintPreviewWidget", /::(minimized|isMinimized|hasMinimized)\s*\(/, "minimized") +property_reader("QPrintPreviewWidget", /::(maximized|isMaximized|hasMaximized)\s*\(/, "maximized") +property_reader("QPrintPreviewWidget", /::(fullScreen|isFullScreen|hasFullScreen)\s*\(/, "fullScreen") +property_reader("QPrintPreviewWidget", /::(sizeHint|isSizeHint|hasSizeHint)\s*\(/, "sizeHint") +property_reader("QPrintPreviewWidget", /::(minimumSizeHint|isMinimumSizeHint|hasMinimumSizeHint)\s*\(/, "minimumSizeHint") +property_reader("QPrintPreviewWidget", /::(acceptDrops|isAcceptDrops|hasAcceptDrops)\s*\(/, "acceptDrops") +property_writer("QPrintPreviewWidget", /::setAcceptDrops\s*\(/, "acceptDrops") +property_reader("QPrintPreviewWidget", /::(windowTitle|isWindowTitle|hasWindowTitle)\s*\(/, "windowTitle") +property_writer("QPrintPreviewWidget", /::setWindowTitle\s*\(/, "windowTitle") +property_reader("QPrintPreviewWidget", /::(windowIcon|isWindowIcon|hasWindowIcon)\s*\(/, "windowIcon") +property_writer("QPrintPreviewWidget", /::setWindowIcon\s*\(/, "windowIcon") +property_reader("QPrintPreviewWidget", /::(windowIconText|isWindowIconText|hasWindowIconText)\s*\(/, "windowIconText") +property_writer("QPrintPreviewWidget", /::setWindowIconText\s*\(/, "windowIconText") +property_reader("QPrintPreviewWidget", /::(windowOpacity|isWindowOpacity|hasWindowOpacity)\s*\(/, "windowOpacity") +property_writer("QPrintPreviewWidget", /::setWindowOpacity\s*\(/, "windowOpacity") +property_reader("QPrintPreviewWidget", /::(windowModified|isWindowModified|hasWindowModified)\s*\(/, "windowModified") +property_writer("QPrintPreviewWidget", /::setWindowModified\s*\(/, "windowModified") +property_reader("QPrintPreviewWidget", /::(toolTip|isToolTip|hasToolTip)\s*\(/, "toolTip") +property_writer("QPrintPreviewWidget", /::setToolTip\s*\(/, "toolTip") +property_reader("QPrintPreviewWidget", /::(toolTipDuration|isToolTipDuration|hasToolTipDuration)\s*\(/, "toolTipDuration") +property_writer("QPrintPreviewWidget", /::setToolTipDuration\s*\(/, "toolTipDuration") +property_reader("QPrintPreviewWidget", /::(statusTip|isStatusTip|hasStatusTip)\s*\(/, "statusTip") +property_writer("QPrintPreviewWidget", /::setStatusTip\s*\(/, "statusTip") +property_reader("QPrintPreviewWidget", /::(whatsThis|isWhatsThis|hasWhatsThis)\s*\(/, "whatsThis") +property_writer("QPrintPreviewWidget", /::setWhatsThis\s*\(/, "whatsThis") +property_reader("QPrintPreviewWidget", /::(accessibleName|isAccessibleName|hasAccessibleName)\s*\(/, "accessibleName") +property_writer("QPrintPreviewWidget", /::setAccessibleName\s*\(/, "accessibleName") +property_reader("QPrintPreviewWidget", /::(accessibleDescription|isAccessibleDescription|hasAccessibleDescription)\s*\(/, "accessibleDescription") +property_writer("QPrintPreviewWidget", /::setAccessibleDescription\s*\(/, "accessibleDescription") +property_reader("QPrintPreviewWidget", /::(layoutDirection|isLayoutDirection|hasLayoutDirection)\s*\(/, "layoutDirection") +property_writer("QPrintPreviewWidget", /::setLayoutDirection\s*\(/, "layoutDirection") +property_reader("QPrintPreviewWidget", /::(autoFillBackground|isAutoFillBackground|hasAutoFillBackground)\s*\(/, "autoFillBackground") +property_writer("QPrintPreviewWidget", /::setAutoFillBackground\s*\(/, "autoFillBackground") +property_reader("QPrintPreviewWidget", /::(styleSheet|isStyleSheet|hasStyleSheet)\s*\(/, "styleSheet") +property_writer("QPrintPreviewWidget", /::setStyleSheet\s*\(/, "styleSheet") +property_reader("QPrintPreviewWidget", /::(locale|isLocale|hasLocale)\s*\(/, "locale") +property_writer("QPrintPreviewWidget", /::setLocale\s*\(/, "locale") +property_reader("QPrintPreviewWidget", /::(windowFilePath|isWindowFilePath|hasWindowFilePath)\s*\(/, "windowFilePath") +property_writer("QPrintPreviewWidget", /::setWindowFilePath\s*\(/, "windowFilePath") +property_reader("QPrintPreviewWidget", /::(inputMethodHints|isInputMethodHints|hasInputMethodHints)\s*\(/, "inputMethodHints") +property_writer("QPrintPreviewWidget", /::setInputMethodHints\s*\(/, "inputMethodHints") +property_reader("QAudioDecoder", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAudioDecoder", /::setObjectName\s*\(/, "objectName") +property_reader("QAudioDecoder", /::(source|isSource|hasSource)\s*\(/, "source") +property_writer("QAudioDecoder", /::setSource\s*\(/, "source") +property_reader("QAudioDecoder", /::(isDecoding|isIsDecoding|hasIsDecoding)\s*\(/, "isDecoding") +property_reader("QAudioDecoder", /::(error|isError|hasError)\s*\(/, "error") +property_reader("QAudioDecoder", /::(bufferAvailable|isBufferAvailable|hasBufferAvailable)\s*\(/, "bufferAvailable") +property_reader("QAudioInput", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAudioInput", /::setObjectName\s*\(/, "objectName") +property_reader("QAudioInput", /::(device|isDevice|hasDevice)\s*\(/, "device") +property_writer("QAudioInput", /::setDevice\s*\(/, "device") +property_reader("QAudioInput", /::(volume|isVolume|hasVolume)\s*\(/, "volume") +property_writer("QAudioInput", /::setVolume\s*\(/, "volume") +property_reader("QAudioInput", /::(muted|isMuted|hasMuted)\s*\(/, "muted") +property_writer("QAudioInput", /::setMuted\s*\(/, "muted") +property_reader("QAudioOutput", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAudioOutput", /::setObjectName\s*\(/, "objectName") +property_reader("QAudioOutput", /::(device|isDevice|hasDevice)\s*\(/, "device") +property_writer("QAudioOutput", /::setDevice\s*\(/, "device") +property_reader("QAudioOutput", /::(volume|isVolume|hasVolume)\s*\(/, "volume") +property_writer("QAudioOutput", /::setVolume\s*\(/, "volume") +property_reader("QAudioOutput", /::(muted|isMuted|hasMuted)\s*\(/, "muted") +property_writer("QAudioOutput", /::setMuted\s*\(/, "muted") +property_reader("QAudioSink", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAudioSink", /::setObjectName\s*\(/, "objectName") +property_reader("QAudioSource", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAudioSource", /::setObjectName\s*\(/, "objectName") +property_reader("QCamera", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QCamera", /::setObjectName\s*\(/, "objectName") +property_reader("QCamera", /::(active|isActive|hasActive)\s*\(/, "active") +property_writer("QCamera", /::setActive\s*\(/, "active") +property_reader("QCamera", /::(cameraDevice|isCameraDevice|hasCameraDevice)\s*\(/, "cameraDevice") +property_writer("QCamera", /::setCameraDevice\s*\(/, "cameraDevice") +property_reader("QCamera", /::(error|isError|hasError)\s*\(/, "error") +property_reader("QCamera", /::(errorString|isErrorString|hasErrorString)\s*\(/, "errorString") +property_reader("QCamera", /::(cameraFormat|isCameraFormat|hasCameraFormat)\s*\(/, "cameraFormat") +property_writer("QCamera", /::setCameraFormat\s*\(/, "cameraFormat") +property_reader("QCamera", /::(focusMode|isFocusMode|hasFocusMode)\s*\(/, "focusMode") +property_writer("QCamera", /::setFocusMode\s*\(/, "focusMode") +property_reader("QCamera", /::(focusPoint|isFocusPoint|hasFocusPoint)\s*\(/, "focusPoint") +property_reader("QCamera", /::(customFocusPoint|isCustomFocusPoint|hasCustomFocusPoint)\s*\(/, "customFocusPoint") +property_writer("QCamera", /::setCustomFocusPoint\s*\(/, "customFocusPoint") +property_reader("QCamera", /::(focusDistance|isFocusDistance|hasFocusDistance)\s*\(/, "focusDistance") +property_writer("QCamera", /::setFocusDistance\s*\(/, "focusDistance") +property_reader("QCamera", /::(minimumZoomFactor|isMinimumZoomFactor|hasMinimumZoomFactor)\s*\(/, "minimumZoomFactor") +property_reader("QCamera", /::(maximumZoomFactor|isMaximumZoomFactor|hasMaximumZoomFactor)\s*\(/, "maximumZoomFactor") +property_reader("QCamera", /::(zoomFactor|isZoomFactor|hasZoomFactor)\s*\(/, "zoomFactor") +property_writer("QCamera", /::setZoomFactor\s*\(/, "zoomFactor") +property_reader("QCamera", /::(exposureTime|isExposureTime|hasExposureTime)\s*\(/, "exposureTime") +property_reader("QCamera", /::(manualExposureTime|isManualExposureTime|hasManualExposureTime)\s*\(/, "manualExposureTime") +property_writer("QCamera", /::setManualExposureTime\s*\(/, "manualExposureTime") +property_reader("QCamera", /::(isoSensitivity|isIsoSensitivity|hasIsoSensitivity)\s*\(/, "isoSensitivity") +property_reader("QCamera", /::(manualIsoSensitivity|isManualIsoSensitivity|hasManualIsoSensitivity)\s*\(/, "manualIsoSensitivity") +property_writer("QCamera", /::setManualIsoSensitivity\s*\(/, "manualIsoSensitivity") +property_reader("QCamera", /::(exposureCompensation|isExposureCompensation|hasExposureCompensation)\s*\(/, "exposureCompensation") +property_writer("QCamera", /::setExposureCompensation\s*\(/, "exposureCompensation") +property_reader("QCamera", /::(exposureMode|isExposureMode|hasExposureMode)\s*\(/, "exposureMode") +property_writer("QCamera", /::setExposureMode\s*\(/, "exposureMode") +property_reader("QCamera", /::(flashReady|isFlashReady|hasFlashReady)\s*\(/, "flashReady") +property_reader("QCamera", /::(flashMode|isFlashMode|hasFlashMode)\s*\(/, "flashMode") +property_writer("QCamera", /::setFlashMode\s*\(/, "flashMode") +property_reader("QCamera", /::(torchMode|isTorchMode|hasTorchMode)\s*\(/, "torchMode") +property_writer("QCamera", /::setTorchMode\s*\(/, "torchMode") +property_reader("QCamera", /::(whiteBalanceMode|isWhiteBalanceMode|hasWhiteBalanceMode)\s*\(/, "whiteBalanceMode") +property_writer("QCamera", /::setWhiteBalanceMode\s*\(/, "whiteBalanceMode") +property_reader("QCamera", /::(colorTemperature|isColorTemperature|hasColorTemperature)\s*\(/, "colorTemperature") +property_writer("QCamera", /::setColorTemperature\s*\(/, "colorTemperature") +property_reader("QCamera", /::(supportedFeatures|isSupportedFeatures|hasSupportedFeatures)\s*\(/, "supportedFeatures") +property_reader("QImageCapture", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QImageCapture", /::setObjectName\s*\(/, "objectName") +property_reader("QImageCapture", /::(readyForCapture|isReadyForCapture|hasReadyForCapture)\s*\(/, "readyForCapture") +property_reader("QImageCapture", /::(metaData|isMetaData|hasMetaData)\s*\(/, "metaData") +property_writer("QImageCapture", /::setMetaData\s*\(/, "metaData") +property_reader("QImageCapture", /::(error|isError|hasError)\s*\(/, "error") +property_reader("QImageCapture", /::(errorString|isErrorString|hasErrorString)\s*\(/, "errorString") +property_reader("QImageCapture", /::(fileFormat|isFileFormat|hasFileFormat)\s*\(/, "fileFormat") +property_reader("QImageCapture", /::(quality|isQuality|hasQuality)\s*\(/, "quality") +property_reader("QMediaCaptureSession", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMediaCaptureSession", /::setObjectName\s*\(/, "objectName") +property_reader("QMediaCaptureSession", /::(audioInput|isAudioInput|hasAudioInput)\s*\(/, "audioInput") +property_writer("QMediaCaptureSession", /::setAudioInput\s*\(/, "audioInput") +property_reader("QMediaCaptureSession", /::(audioOutput|isAudioOutput|hasAudioOutput)\s*\(/, "audioOutput") +property_writer("QMediaCaptureSession", /::setAudioOutput\s*\(/, "audioOutput") +property_reader("QMediaCaptureSession", /::(camera|isCamera|hasCamera)\s*\(/, "camera") +property_writer("QMediaCaptureSession", /::setCamera\s*\(/, "camera") +property_reader("QMediaCaptureSession", /::(imageCapture|isImageCapture|hasImageCapture)\s*\(/, "imageCapture") +property_writer("QMediaCaptureSession", /::setImageCapture\s*\(/, "imageCapture") +property_reader("QMediaCaptureSession", /::(recorder|isRecorder|hasRecorder)\s*\(/, "recorder") +property_writer("QMediaCaptureSession", /::setRecorder\s*\(/, "recorder") +property_reader("QMediaCaptureSession", /::(videoOutput|isVideoOutput|hasVideoOutput)\s*\(/, "videoOutput") +property_writer("QMediaCaptureSession", /::setVideoOutput\s*\(/, "videoOutput") +property_reader("QMediaDevices", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMediaDevices", /::setObjectName\s*\(/, "objectName") +property_reader("QMediaDevices", /::(audioInputs|isAudioInputs|hasAudioInputs)\s*\(/, "audioInputs") +property_reader("QMediaDevices", /::(audioOutputs|isAudioOutputs|hasAudioOutputs)\s*\(/, "audioOutputs") +property_reader("QMediaDevices", /::(videoInputs|isVideoInputs|hasVideoInputs)\s*\(/, "videoInputs") +property_reader("QMediaDevices", /::(defaultAudioInput|isDefaultAudioInput|hasDefaultAudioInput)\s*\(/, "defaultAudioInput") +property_reader("QMediaDevices", /::(defaultAudioOutput|isDefaultAudioOutput|hasDefaultAudioOutput)\s*\(/, "defaultAudioOutput") +property_reader("QMediaDevices", /::(defaultVideoInput|isDefaultVideoInput|hasDefaultVideoInput)\s*\(/, "defaultVideoInput") +property_reader("QMediaPlayer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMediaPlayer", /::setObjectName\s*\(/, "objectName") +property_reader("QMediaPlayer", /::(source|isSource|hasSource)\s*\(/, "source") +property_writer("QMediaPlayer", /::setSource\s*\(/, "source") +property_reader("QMediaPlayer", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_reader("QMediaPlayer", /::(position|isPosition|hasPosition)\s*\(/, "position") +property_writer("QMediaPlayer", /::setPosition\s*\(/, "position") +property_reader("QMediaPlayer", /::(bufferProgress|isBufferProgress|hasBufferProgress)\s*\(/, "bufferProgress") +property_reader("QMediaPlayer", /::(hasAudio|isHasAudio|hasHasAudio)\s*\(/, "hasAudio") +property_reader("QMediaPlayer", /::(hasVideo|isHasVideo|hasHasVideo)\s*\(/, "hasVideo") +property_reader("QMediaPlayer", /::(seekable|isSeekable|hasSeekable)\s*\(/, "seekable") +property_reader("QMediaPlayer", /::(playbackRate|isPlaybackRate|hasPlaybackRate)\s*\(/, "playbackRate") +property_writer("QMediaPlayer", /::setPlaybackRate\s*\(/, "playbackRate") +property_reader("QMediaPlayer", /::(loops|isLoops|hasLoops)\s*\(/, "loops") +property_writer("QMediaPlayer", /::setLoops\s*\(/, "loops") +property_reader("QMediaPlayer", /::(playbackState|isPlaybackState|hasPlaybackState)\s*\(/, "playbackState") +property_reader("QMediaPlayer", /::(mediaStatus|isMediaStatus|hasMediaStatus)\s*\(/, "mediaStatus") +property_reader("QMediaPlayer", /::(metaData|isMetaData|hasMetaData)\s*\(/, "metaData") +property_reader("QMediaPlayer", /::(error|isError|hasError)\s*\(/, "error") +property_reader("QMediaPlayer", /::(errorString|isErrorString|hasErrorString)\s*\(/, "errorString") +property_reader("QMediaPlayer", /::(videoOutput|isVideoOutput|hasVideoOutput)\s*\(/, "videoOutput") +property_writer("QMediaPlayer", /::setVideoOutput\s*\(/, "videoOutput") +property_reader("QMediaPlayer", /::(audioOutput|isAudioOutput|hasAudioOutput)\s*\(/, "audioOutput") +property_writer("QMediaPlayer", /::setAudioOutput\s*\(/, "audioOutput") +property_reader("QMediaPlayer", /::(audioTracks|isAudioTracks|hasAudioTracks)\s*\(/, "audioTracks") +property_reader("QMediaPlayer", /::(videoTracks|isVideoTracks|hasVideoTracks)\s*\(/, "videoTracks") +property_reader("QMediaPlayer", /::(subtitleTracks|isSubtitleTracks|hasSubtitleTracks)\s*\(/, "subtitleTracks") +property_reader("QMediaPlayer", /::(activeAudioTrack|isActiveAudioTrack|hasActiveAudioTrack)\s*\(/, "activeAudioTrack") +property_writer("QMediaPlayer", /::setActiveAudioTrack\s*\(/, "activeAudioTrack") +property_reader("QMediaPlayer", /::(activeVideoTrack|isActiveVideoTrack|hasActiveVideoTrack)\s*\(/, "activeVideoTrack") +property_writer("QMediaPlayer", /::setActiveVideoTrack\s*\(/, "activeVideoTrack") +property_reader("QMediaPlayer", /::(activeSubtitleTrack|isActiveSubtitleTrack|hasActiveSubtitleTrack)\s*\(/, "activeSubtitleTrack") +property_writer("QMediaPlayer", /::setActiveSubtitleTrack\s*\(/, "activeSubtitleTrack") +property_reader("QMediaRecorder", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QMediaRecorder", /::setObjectName\s*\(/, "objectName") +property_reader("QMediaRecorder", /::(recorderState|isRecorderState|hasRecorderState)\s*\(/, "recorderState") +property_reader("QMediaRecorder", /::(duration|isDuration|hasDuration)\s*\(/, "duration") +property_reader("QMediaRecorder", /::(outputLocation|isOutputLocation|hasOutputLocation)\s*\(/, "outputLocation") +property_writer("QMediaRecorder", /::setOutputLocation\s*\(/, "outputLocation") +property_reader("QMediaRecorder", /::(actualLocation|isActualLocation|hasActualLocation)\s*\(/, "actualLocation") +property_reader("QMediaRecorder", /::(metaData|isMetaData|hasMetaData)\s*\(/, "metaData") +property_writer("QMediaRecorder", /::setMetaData\s*\(/, "metaData") +property_reader("QMediaRecorder", /::(error|isError|hasError)\s*\(/, "error") +property_reader("QMediaRecorder", /::(errorString|isErrorString|hasErrorString)\s*\(/, "errorString") +property_reader("QMediaRecorder", /::(mediaFormat|isMediaFormat|hasMediaFormat)\s*\(/, "mediaFormat") +property_writer("QMediaRecorder", /::setMediaFormat\s*\(/, "mediaFormat") +property_reader("QMediaRecorder", /::(quality|isQuality|hasQuality)\s*\(/, "quality") +property_writer("QMediaRecorder", /::setQuality\s*\(/, "quality") +property_reader("QSoundEffect", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSoundEffect", /::setObjectName\s*\(/, "objectName") +property_reader("QSoundEffect", /::(source|isSource|hasSource)\s*\(/, "source") +property_writer("QSoundEffect", /::setSource\s*\(/, "source") +property_reader("QSoundEffect", /::(loops|isLoops|hasLoops)\s*\(/, "loops") +property_writer("QSoundEffect", /::setLoops\s*\(/, "loops") +property_reader("QSoundEffect", /::(loopsRemaining|isLoopsRemaining|hasLoopsRemaining)\s*\(/, "loopsRemaining") +property_reader("QSoundEffect", /::(volume|isVolume|hasVolume)\s*\(/, "volume") +property_writer("QSoundEffect", /::setVolume\s*\(/, "volume") +property_reader("QSoundEffect", /::(muted|isMuted|hasMuted)\s*\(/, "muted") +property_writer("QSoundEffect", /::setMuted\s*\(/, "muted") +property_reader("QSoundEffect", /::(playing|isPlaying|hasPlaying)\s*\(/, "playing") +property_reader("QSoundEffect", /::(status|isStatus|hasStatus)\s*\(/, "status") +property_reader("QSoundEffect", /::(audioDevice|isAudioDevice|hasAudioDevice)\s*\(/, "audioDevice") +property_writer("QSoundEffect", /::setAudioDevice\s*\(/, "audioDevice") +property_reader("QVideoSink", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QVideoSink", /::setObjectName\s*\(/, "objectName") +property_reader("QVideoSink", /::(subtitleText|isSubtitleText|hasSubtitleText)\s*\(/, "subtitleText") +property_writer("QVideoSink", /::setSubtitleText\s*\(/, "subtitleText") +property_reader("QVideoSink", /::(videoSize|isVideoSize|hasVideoSize)\s*\(/, "videoSize") +property_reader("QUiLoader", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QUiLoader", /::setObjectName\s*\(/, "objectName") +property_reader("QSqlDriver", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSqlDriver", /::setObjectName\s*\(/, "objectName") +property_reader("QSqlQueryModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSqlQueryModel", /::setObjectName\s*\(/, "objectName") +property_reader("QSqlRelationalTableModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSqlRelationalTableModel", /::setObjectName\s*\(/, "objectName") +property_reader("QSqlTableModel", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSqlTableModel", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractNetworkCache", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractNetworkCache", /::setObjectName\s*\(/, "objectName") +property_reader("QAbstractSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QAbstractSocket", /::setObjectName\s*\(/, "objectName") +property_reader("QDnsLookup", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDnsLookup", /::setObjectName\s*\(/, "objectName") +property_reader("QDnsLookup", /::(error|isError|hasError)\s*\(/, "error") +property_reader("QDnsLookup", /::(errorString|isErrorString|hasErrorString)\s*\(/, "errorString") +property_reader("QDnsLookup", /::(name|isName|hasName)\s*\(/, "name") +property_writer("QDnsLookup", /::setName\s*\(/, "name") +property_reader("QDnsLookup", /::(type|isType|hasType)\s*\(/, "type") +property_writer("QDnsLookup", /::setType\s*\(/, "type") +property_reader("QDnsLookup", /::(nameserver|isNameserver|hasNameserver)\s*\(/, "nameserver") +property_writer("QDnsLookup", /::setNameserver\s*\(/, "nameserver") +property_reader("QDtls", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDtls", /::setObjectName\s*\(/, "objectName") +property_reader("QDtlsClientVerifier", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QDtlsClientVerifier", /::setObjectName\s*\(/, "objectName") +property_reader("QHttpMultiPart", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QHttpMultiPart", /::setObjectName\s*\(/, "objectName") +property_reader("QLocalServer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QLocalServer", /::setObjectName\s*\(/, "objectName") +property_reader("QLocalServer", /::(socketOptions|isSocketOptions|hasSocketOptions)\s*\(/, "socketOptions") +property_writer("QLocalServer", /::setSocketOptions\s*\(/, "socketOptions") +property_reader("QLocalSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QLocalSocket", /::setObjectName\s*\(/, "objectName") +property_reader("QLocalSocket", /::(socketOptions|isSocketOptions|hasSocketOptions)\s*\(/, "socketOptions") +property_writer("QLocalSocket", /::setSocketOptions\s*\(/, "socketOptions") +property_reader("QNetworkAccessManager", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QNetworkAccessManager", /::setObjectName\s*\(/, "objectName") +property_reader("QNetworkCookieJar", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QNetworkCookieJar", /::setObjectName\s*\(/, "objectName") +property_reader("QNetworkDiskCache", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QNetworkDiskCache", /::setObjectName\s*\(/, "objectName") +property_reader("QNetworkInformation", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QNetworkInformation", /::setObjectName\s*\(/, "objectName") +property_reader("QNetworkInformation", /::(reachability|isReachability|hasReachability)\s*\(/, "reachability") +property_reader("QNetworkInformation", /::(isBehindCaptivePortal|isIsBehindCaptivePortal|hasIsBehindCaptivePortal)\s*\(/, "isBehindCaptivePortal") +property_reader("QNetworkInformation", /::(transportMedium|isTransportMedium|hasTransportMedium)\s*\(/, "transportMedium") +property_reader("QNetworkInformation", /::(isMetered|isIsMetered|hasIsMetered)\s*\(/, "isMetered") +property_reader("QNetworkReply", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QNetworkReply", /::setObjectName\s*\(/, "objectName") +property_reader("QSslSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QSslSocket", /::setObjectName\s*\(/, "objectName") +property_reader("QTcpServer", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTcpServer", /::setObjectName\s*\(/, "objectName") +property_reader("QTcpSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QTcpSocket", /::setObjectName\s*\(/, "objectName") +property_reader("QUdpSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") +property_writer("QUdpSocket", /::setObjectName\s*\(/, "objectName") + +# Synthetic properties +# Property parent (QObject_Native *) +property_reader("QAbstractItemModel", /::parent\s*\(/, "parent") +property_writer("QObject", /::setParent\s*\(/, "parent") +# Property parent (QObject_Native *) +property_reader("QAbstractListModel", /::parent\s*\(/, "parent") +property_writer("QObject", /::setParent\s*\(/, "parent") +# Property parent (QObject_Native *) +property_reader("QAbstractTableModel", /::parent\s*\(/, "parent") +property_writer("QObject", /::setParent\s*\(/, "parent") +# Property data (byte array) +property_reader("QBuffer", /::data\s*\(/, "data") +property_writer("QBuffer", /::setData\s*\(/, "data") +# Property pattern (byte array) +property_reader("QByteArrayMatcher", /::pattern\s*\(/, "pattern") +property_writer("QByteArrayMatcher", /::setPattern\s*\(/, "pattern") +# Property caseSensitivity (Qt_CaseSensitivity) +property_reader("QCollator", /::caseSensitivity\s*\(/, "caseSensitivity") +property_writer("QCollator", /::setCaseSensitivity\s*\(/, "caseSensitivity") +# Property ignorePunctuation (bool) +property_reader("QCollator", /::ignorePunctuation\s*\(/, "ignorePunctuation") +property_writer("QCollator", /::setIgnorePunctuation\s*\(/, "ignorePunctuation") +# Property locale (QLocale) +property_reader("QCollator", /::locale\s*\(/, "locale") +property_writer("QCollator", /::setLocale\s*\(/, "locale") +# Property numericMode (bool) +property_reader("QCollator", /::numericMode\s*\(/, "numericMode") +property_writer("QCollator", /::setNumericMode\s*\(/, "numericMode") +# Property defaultValues (string[]) +property_reader("QCommandLineOption", /::defaultValues\s*\(/, "defaultValues") +property_writer("QCommandLineOption", /::setDefaultValues\s*\(/, "defaultValues") # Property description (string) -property_reader("QImageWriter", /::description\s*\(/, "description") -property_writer("QImageWriter", /::setDescription\s*\(/, "description") +property_reader("QCommandLineOption", /::description\s*\(/, "description") +property_writer("QCommandLineOption", /::setDescription\s*\(/, "description") +# Property flags (QCommandLineOption_QFlags_Flag) +property_reader("QCommandLineOption", /::flags\s*\(/, "flags") +property_writer("QCommandLineOption", /::setFlags\s*\(/, "flags") +# Property valueName (string) +property_reader("QCommandLineOption", /::valueName\s*\(/, "valueName") +property_writer("QCommandLineOption", /::setValueName\s*\(/, "valueName") +# Property applicationDescription (string) +property_reader("QCommandLineParser", /::applicationDescription\s*\(/, "applicationDescription") +property_writer("QCommandLineParser", /::setApplicationDescription\s*\(/, "applicationDescription") +# Property eventDispatcher (QAbstractEventDispatcher_Native *) +property_reader("QCoreApplication", /::eventDispatcher\s*\(/, "eventDispatcher") +property_writer("QCoreApplication", /::setEventDispatcher\s*\(/, "eventDispatcher") +# Property libraryPaths (string[]) +property_reader("QCoreApplication", /::libraryPaths\s*\(/, "libraryPaths") +property_writer("QCoreApplication", /::setLibraryPaths\s*\(/, "libraryPaths") +# Property setuidAllowed (bool) +property_reader("QCoreApplication", /::isSetuidAllowed\s*\(/, "setuidAllowed") +property_writer("QCoreApplication", /::setSetuidAllowed\s*\(/, "setuidAllowed") +# Property byteOrder (QDataStream_ByteOrder) +property_reader("QDataStream", /::byteOrder\s*\(/, "byteOrder") +property_writer("QDataStream", /::setByteOrder\s*\(/, "byteOrder") # Property device (QIODevice *) -property_reader("QImageWriter", /::device\s*\(/, "device") -property_writer("QImageWriter", /::setDevice\s*\(/, "device") +property_reader("QDataStream", /::device\s*\(/, "device") +property_writer("QDataStream", /::setDevice\s*\(/, "device") +# Property floatingPointPrecision (QDataStream_FloatingPointPrecision) +property_reader("QDataStream", /::floatingPointPrecision\s*\(/, "floatingPointPrecision") +property_writer("QDataStream", /::setFloatingPointPrecision\s*\(/, "floatingPointPrecision") +# Property status (QDataStream_Status) +property_reader("QDataStream", /::status\s*\(/, "status") +property_writer("QDataStream", /::setStatus\s*\(/, "status") +# Property version (int) +property_reader("QDataStream", /::version\s*\(/, "version") +property_writer("QDataStream", /::setVersion\s*\(/, "version") +# Property date (QDate) +property_reader("QDateTime", /::date\s*\(/, "date") +property_writer("QDateTime", /::setDate\s*\(/, "date") +# Property offsetFromUtc (int) +property_reader("QDateTime", /::offsetFromUtc\s*\(/, "offsetFromUtc") +property_writer("QDateTime", /::setOffsetFromUtc\s*\(/, "offsetFromUtc") +# Property time (QTime) +property_reader("QDateTime", /::time\s*\(/, "time") +property_writer("QDateTime", /::setTime\s*\(/, "time") +# Property timeSpec (Qt_TimeSpec) +property_reader("QDateTime", /::timeSpec\s*\(/, "timeSpec") +property_writer("QDateTime", /::setTimeSpec\s*\(/, "timeSpec") +# Property timeZone (QTimeZone) +property_reader("QDateTime", /::timeZone\s*\(/, "timeZone") +property_writer("QDateTime", /::setTimeZone\s*\(/, "timeZone") +# Property deadline (long long) +property_reader("QDeadlineTimer", /::deadline\s*\(/, "deadline") +property_writer("QDeadlineTimer", /::setDeadline\s*\(/, "deadline") +# Property remainingTime (long long) +property_reader("QDeadlineTimer", /::remainingTime\s*\(/, "remainingTime") +property_writer("QDeadlineTimer", /::setRemainingTime\s*\(/, "remainingTime") +# Property timerType (Qt_TimerType) +property_reader("QDeadlineTimer", /::timerType\s*\(/, "timerType") +property_writer("QDeadlineTimer", /::setTimerType\s*\(/, "timerType") +# Property autoInsertSpaces (bool) +property_reader("QDebug", /::autoInsertSpaces\s*\(/, "autoInsertSpaces") +property_writer("QDebug", /::setAutoInsertSpaces\s*\(/, "autoInsertSpaces") +# Property verbosity (int) +property_reader("QDebug", /::verbosity\s*\(/, "verbosity") +property_writer("QDebug", /::setVerbosity\s*\(/, "verbosity") +# Property filter (QDir_QFlags_Filter) +property_reader("QDir", /::filter\s*\(/, "filter") +property_writer("QDir", /::setFilter\s*\(/, "filter") +# Property nameFilters (string[]) +property_reader("QDir", /::nameFilters\s*\(/, "nameFilters") +property_writer("QDir", /::setNameFilters\s*\(/, "nameFilters") +# Property path (string) +property_reader("QDir", /::path\s*\(/, "path") +property_writer("QDir", /::setPath\s*\(/, "path") +# Property sorting (QDir_QFlags_SortFlag) +property_reader("QDir", /::sorting\s*\(/, "sorting") +property_writer("QDir", /::setSorting\s*\(/, "sorting") +# Property amplitude (double) +property_reader("QEasingCurve", /::amplitude\s*\(/, "amplitude") +property_writer("QEasingCurve", /::setAmplitude\s*\(/, "amplitude") +# Property overshoot (double) +property_reader("QEasingCurve", /::overshoot\s*\(/, "overshoot") +property_writer("QEasingCurve", /::setOvershoot\s*\(/, "overshoot") +# Property period (double) +property_reader("QEasingCurve", /::period\s*\(/, "period") +property_writer("QEasingCurve", /::setPeriod\s*\(/, "period") +# Property type (QEasingCurve_Type) +property_reader("QEasingCurve", /::type\s*\(/, "type") +property_writer("QEasingCurve", /::setType\s*\(/, "type") +# Property accepted (bool) +property_reader("QEvent", /::isAccepted\s*\(/, "accepted") +property_writer("QEvent", /::setAccepted\s*\(/, "accepted") # Property fileName (string) -property_reader("QImageWriter", /::fileName\s*\(/, "fileName") -property_writer("QImageWriter", /::setFileName\s*\(/, "fileName") -# Property format (string) -property_reader("QImageWriter", /::format\s*\(/, "format") -property_writer("QImageWriter", /::setFormat\s*\(/, "format") -# Property gamma (float) -property_reader("QImageWriter", /::gamma\s*\(/, "gamma") -property_writer("QImageWriter", /::setGamma\s*\(/, "gamma") -# Property optimizedWrite (bool) -property_reader("QImageWriter", /::optimizedWrite\s*\(/, "optimizedWrite") -property_writer("QImageWriter", /::setOptimizedWrite\s*\(/, "optimizedWrite") -# Property progressiveScanWrite (bool) -property_reader("QImageWriter", /::progressiveScanWrite\s*\(/, "progressiveScanWrite") -property_writer("QImageWriter", /::setProgressiveScanWrite\s*\(/, "progressiveScanWrite") -# Property quality (int) -property_reader("QImageWriter", /::quality\s*\(/, "quality") -property_writer("QImageWriter", /::setQuality\s*\(/, "quality") -# Property subType (string) -property_reader("QImageWriter", /::subType\s*\(/, "subType") -property_writer("QImageWriter", /::setSubType\s*\(/, "subType") -# Property transformation (QImageIOHandler_QFlags_Transformation) -property_reader("QImageWriter", /::transformation\s*\(/, "transformation") -property_writer("QImageWriter", /::setTransformation\s*\(/, "transformation") -# Property cancelButtonText (string) -property_reader("QInputDialog", /::cancelButtonText\s*\(/, "cancelButtonText") -property_writer("QInputDialog", /::setCancelButtonText\s*\(/, "cancelButtonText") -# Property comboBoxEditable (bool) -property_reader("QInputDialog", /::isComboBoxEditable\s*\(/, "comboBoxEditable") -property_writer("QInputDialog", /::setComboBoxEditable\s*\(/, "comboBoxEditable") -# Property comboBoxItems (string[]) -property_reader("QInputDialog", /::comboBoxItems\s*\(/, "comboBoxItems") -property_writer("QInputDialog", /::setComboBoxItems\s*\(/, "comboBoxItems") -# Property doubleDecimals (int) -property_reader("QInputDialog", /::doubleDecimals\s*\(/, "doubleDecimals") -property_writer("QInputDialog", /::setDoubleDecimals\s*\(/, "doubleDecimals") -# Property doubleMaximum (double) -property_reader("QInputDialog", /::doubleMaximum\s*\(/, "doubleMaximum") -property_writer("QInputDialog", /::setDoubleMaximum\s*\(/, "doubleMaximum") -# Property doubleMinimum (double) -property_reader("QInputDialog", /::doubleMinimum\s*\(/, "doubleMinimum") -property_writer("QInputDialog", /::setDoubleMinimum\s*\(/, "doubleMinimum") -# Property doubleValue (double) -property_reader("QInputDialog", /::doubleValue\s*\(/, "doubleValue") -property_writer("QInputDialog", /::setDoubleValue\s*\(/, "doubleValue") -# Property inputMode (QInputDialog_InputMode) -property_reader("QInputDialog", /::inputMode\s*\(/, "inputMode") -property_writer("QInputDialog", /::setInputMode\s*\(/, "inputMode") -# Property intMaximum (int) -property_reader("QInputDialog", /::intMaximum\s*\(/, "intMaximum") -property_writer("QInputDialog", /::setIntMaximum\s*\(/, "intMaximum") -# Property intMinimum (int) -property_reader("QInputDialog", /::intMinimum\s*\(/, "intMinimum") -property_writer("QInputDialog", /::setIntMinimum\s*\(/, "intMinimum") -# Property intStep (int) -property_reader("QInputDialog", /::intStep\s*\(/, "intStep") -property_writer("QInputDialog", /::setIntStep\s*\(/, "intStep") -# Property intValue (int) -property_reader("QInputDialog", /::intValue\s*\(/, "intValue") -property_writer("QInputDialog", /::setIntValue\s*\(/, "intValue") -# Property labelText (string) -property_reader("QInputDialog", /::labelText\s*\(/, "labelText") -property_writer("QInputDialog", /::setLabelText\s*\(/, "labelText") -# Property okButtonText (string) -property_reader("QInputDialog", /::okButtonText\s*\(/, "okButtonText") -property_writer("QInputDialog", /::setOkButtonText\s*\(/, "okButtonText") -# Property options (QInputDialog_QFlags_InputDialogOption) -property_reader("QInputDialog", /::options\s*\(/, "options") -property_writer("QInputDialog", /::setOptions\s*\(/, "options") -# Property textEchoMode (QLineEdit_EchoMode) -property_reader("QInputDialog", /::textEchoMode\s*\(/, "textEchoMode") -property_writer("QInputDialog", /::setTextEchoMode\s*\(/, "textEchoMode") -# Property textValue (string) -property_reader("QInputDialog", /::textValue\s*\(/, "textValue") -property_writer("QInputDialog", /::setTextValue\s*\(/, "textValue") -# Property modifiers (Qt_QFlags_KeyboardModifier) -property_reader("QInputEvent", /::modifiers\s*\(/, "modifiers") -property_writer("QInputEvent", /::setModifiers\s*\(/, "modifiers") -# Property timestamp (unsigned long) -property_reader("QInputEvent", /::timestamp\s*\(/, "timestamp") -property_writer("QInputEvent", /::setTimestamp\s*\(/, "timestamp") -# Property inputItemRectangle (QRectF) -property_reader("QInputMethod", /::inputItemRectangle\s*\(/, "inputItemRectangle") -property_writer("QInputMethod", /::setInputItemRectangle\s*\(/, "inputItemRectangle") -# Property inputItemTransform (QTransform) -property_reader("QInputMethod", /::inputItemTransform\s*\(/, "inputItemTransform") -property_writer("QInputMethod", /::setInputItemTransform\s*\(/, "inputItemTransform") -# Property commitString (string) -property_reader("QInputMethodEvent", /::commitString\s*\(/, "commitString") -property_writer("QInputMethodEvent", /::setCommitString\s*\(/, "commitString") -# Property itemEditorFactory (QItemEditorFactory_Native *) -property_reader("QItemDelegate", /::itemEditorFactory\s*\(/, "itemEditorFactory") -property_writer("QItemDelegate", /::setItemEditorFactory\s*\(/, "itemEditorFactory") -# Property defaultFactory (QItemEditorFactory_Native *) -property_reader("QItemEditorFactory", /::defaultFactory\s*\(/, "defaultFactory") -property_writer("QItemEditorFactory", /::setDefaultFactory\s*\(/, "defaultFactory") +property_reader("QFile", /::fileName\s*\(/, "fileName") +property_writer("QFile", /::setFileName\s*\(/, "fileName") +# Property caching (bool) +property_reader("QFileInfo", /::caching\s*\(/, "caching") +property_writer("QFileInfo", /::setCaching\s*\(/, "caching") +# Property extraSelectors (string[]) +property_reader("QFileSelector", /::extraSelectors\s*\(/, "extraSelectors") +property_writer("QFileSelector", /::setExtraSelectors\s*\(/, "extraSelectors") +# Property currentReadChannel (int) +property_reader("QIODevice", /::currentReadChannel\s*\(/, "currentReadChannel") +property_writer("QIODevice", /::setCurrentReadChannel\s*\(/, "currentReadChannel") +# Property currentWriteChannel (int) +property_reader("QIODevice", /::currentWriteChannel\s*\(/, "currentWriteChannel") +property_writer("QIODevice", /::setCurrentWriteChannel\s*\(/, "currentWriteChannel") +# Property textModeEnabled (bool) +property_reader("QIODevice", /::isTextModeEnabled\s*\(/, "textModeEnabled") +property_writer("QIODevice", /::setTextModeEnabled\s*\(/, "textModeEnabled") +# Property parent (QObject_Native *) +property_reader("QIdentityProxyModel", /::parent\s*\(/, "parent") +property_writer("QObject", /::setParent\s*\(/, "parent") # Property array (QJsonArray) property_reader("QJsonDocument", /::array\s*\(/, "array") property_writer("QJsonDocument", /::setArray\s*\(/, "array") -# Property modifiers (Qt_QFlags_KeyboardModifier) -property_reader("QKeyEvent", /::modifiers\s*\(/, "modifiers") -property_writer("QInputEvent", /::setModifiers\s*\(/, "modifiers") -# Property buddy (QWidget_Native *) -property_reader("QLabel", /::buddy\s*\(/, "buddy") -property_writer("QLabel", /::setBuddy\s*\(/, "buddy") -# Property movie (QMovie_Native *) -property_reader("QLabel", /::movie\s*\(/, "movie") -property_writer("QLabel", /::setMovie\s*\(/, "movie") -# Property contentsMargins (QMargins) -property_reader("QLayout", /::contentsMargins\s*\(/, "contentsMargins") -property_writer("QLayout", /::setContentsMargins\s*\(/, "contentsMargins") -# Property enabled (bool) -property_reader("QLayout", /::isEnabled\s*\(/, "enabled") -property_writer("QLayout", /::setEnabled\s*\(/, "enabled") -# Property geometry (QRect) -property_reader("QLayout", /::geometry\s*\(/, "geometry") -property_writer("QLayout", /::setGeometry\s*\(/, "geometry") -# Property menuBar (QWidget_Native *) -property_reader("QLayout", /::menuBar\s*\(/, "menuBar") -property_writer("QLayout", /::setMenuBar\s*\(/, "menuBar") -# Property alignment (Qt_QFlags_AlignmentFlag) -property_reader("QLayoutItem", /::alignment\s*\(/, "alignment") -property_writer("QLayoutItem", /::setAlignment\s*\(/, "alignment") -# Property geometry (QRect) -property_reader("QLayoutItem", /::geometry\s*\(/, "geometry") -property_writer("QLayoutItem", /::setGeometry\s*\(/, "geometry") # Property p1 (QPoint) property_reader("QLine", /::p1\s*\(/, "p1") property_writer("QLine", /::setP1\s*\(/, "p1") # Property p2 (QPoint) property_reader("QLine", /::p2\s*\(/, "p2") property_writer("QLine", /::setP2\s*\(/, "p2") -# Property completer (QCompleter_Native *) -property_reader("QLineEdit", /::completer\s*\(/, "completer") -property_writer("QLineEdit", /::setCompleter\s*\(/, "completer") -# Property textMargins (QMargins) -property_reader("QLineEdit", /::textMargins\s*\(/, "textMargins") -property_writer("QLineEdit", /::setTextMargins\s*\(/, "textMargins") -# Property validator (QValidator_Native *) -property_reader("QLineEdit", /::validator\s*\(/, "validator") -property_writer("QLineEdit", /::setValidator\s*\(/, "validator") # Property angle (double) property_reader("QLineF", /::angle\s*\(/, "angle") property_writer("QLineF", /::setAngle\s*\(/, "angle") @@ -13024,99 +11328,12 @@ property_writer("QLineF", /::setP1\s*\(/, "p1") # Property p2 (QPointF) property_reader("QLineF", /::p2\s*\(/, "p2") property_writer("QLineF", /::setP2\s*\(/, "p2") -# Property finalStop (QPointF) -property_reader("QLinearGradient", /::finalStop\s*\(/, "finalStop") -property_writer("QLinearGradient", /::setFinalStop\s*\(/, "finalStop") -# Property start (QPointF) -property_reader("QLinearGradient", /::start\s*\(/, "start") -property_writer("QLinearGradient", /::setStart\s*\(/, "start") -# Property rootIndex (QModelIndex) -property_reader("QAbstractItemView", /::rootIndex\s*\(/, "rootIndex") -property_writer("QListView", /::setRootIndex\s*\(/, "rootIndex") -# Property currentItem (QListWidgetItem_Native *) -property_reader("QListWidget", /::currentItem\s*\(/, "currentItem") -property_writer("QListWidget", /::setCurrentItem\s*\(/, "currentItem") -# Property background (QBrush) -property_reader("QListWidgetItem", /::background\s*\(/, "background") -property_writer("QListWidgetItem", /::setBackground\s*\(/, "background") -# Property backgroundColor (QColor) -property_reader("QListWidgetItem", /::backgroundColor\s*\(/, "backgroundColor") -property_writer("QListWidgetItem", /::setBackgroundColor\s*\(/, "backgroundColor") -# Property checkState (Qt_CheckState) -property_reader("QListWidgetItem", /::checkState\s*\(/, "checkState") -property_writer("QListWidgetItem", /::setCheckState\s*\(/, "checkState") -# Property flags (Qt_QFlags_ItemFlag) -property_reader("QListWidgetItem", /::flags\s*\(/, "flags") -property_writer("QListWidgetItem", /::setFlags\s*\(/, "flags") -# Property font (QFont) -property_reader("QListWidgetItem", /::font\s*\(/, "font") -property_writer("QListWidgetItem", /::setFont\s*\(/, "font") -# Property foreground (QBrush) -property_reader("QListWidgetItem", /::foreground\s*\(/, "foreground") -property_writer("QListWidgetItem", /::setForeground\s*\(/, "foreground") -# Property hidden (bool) -property_reader("QListWidgetItem", /::isHidden\s*\(/, "hidden") -property_writer("QListWidgetItem", /::setHidden\s*\(/, "hidden") -# Property icon (QIcon) -property_reader("QListWidgetItem", /::icon\s*\(/, "icon") -property_writer("QListWidgetItem", /::setIcon\s*\(/, "icon") -# Property selected (bool) -property_reader("QListWidgetItem", /::isSelected\s*\(/, "selected") -property_writer("QListWidgetItem", /::setSelected\s*\(/, "selected") -# Property sizeHint (QSize) -property_reader("QListWidgetItem", /::sizeHint\s*\(/, "sizeHint") -property_writer("QListWidgetItem", /::setSizeHint\s*\(/, "sizeHint") -# Property statusTip (string) -property_reader("QListWidgetItem", /::statusTip\s*\(/, "statusTip") -property_writer("QListWidgetItem", /::setStatusTip\s*\(/, "statusTip") -# Property text (string) -property_reader("QListWidgetItem", /::text\s*\(/, "text") -property_writer("QListWidgetItem", /::setText\s*\(/, "text") -# Property textAlignment (int) -property_reader("QListWidgetItem", /::textAlignment\s*\(/, "textAlignment") -property_writer("QListWidgetItem", /::setTextAlignment\s*\(/, "textAlignment") -# Property textColor (QColor) -property_reader("QListWidgetItem", /::textColor\s*\(/, "textColor") -property_writer("QListWidgetItem", /::setTextColor\s*\(/, "textColor") -# Property toolTip (string) -property_reader("QListWidgetItem", /::toolTip\s*\(/, "toolTip") -property_writer("QListWidgetItem", /::setToolTip\s*\(/, "toolTip") -# Property whatsThis (string) -property_reader("QListWidgetItem", /::whatsThis\s*\(/, "whatsThis") -property_writer("QListWidgetItem", /::setWhatsThis\s*\(/, "whatsThis") -# Property maxPendingConnections (int) -property_reader("QLocalServer", /::maxPendingConnections\s*\(/, "maxPendingConnections") -property_writer("QLocalServer", /::setMaxPendingConnections\s*\(/, "maxPendingConnections") -# Property readBufferSize (long long) -property_reader("QLocalSocket", /::readBufferSize\s*\(/, "readBufferSize") -property_writer("QLocalSocket", /::setReadBufferSize\s*\(/, "readBufferSize") -# Property serverName (string) -property_reader("QLocalSocket", /::serverName\s*\(/, "serverName") -property_writer("QLocalSocket", /::setServerName\s*\(/, "serverName") # Property numberOptions (QLocale_QFlags_NumberOption) -property_reader("QLocale", /::numberOptions\s*\(/, "numberOptions") -property_writer("QLocale", /::setNumberOptions\s*\(/, "numberOptions") -# Property staleLockTime (int) -property_reader("QLockFile", /::staleLockTime\s*\(/, "staleLockTime") -property_writer("QLockFile", /::setStaleLockTime\s*\(/, "staleLockTime") -# Property centralWidget (QWidget_Native *) -property_reader("QMainWindow", /::centralWidget\s*\(/, "centralWidget") -property_writer("QMainWindow", /::setCentralWidget\s*\(/, "centralWidget") -# Property menuBar (QMenuBar_Native *) -property_reader("QMainWindow", /::menuBar\s*\(/, "menuBar") -property_writer("QMainWindow", /::setMenuBar\s*\(/, "menuBar") -# Property menuWidget (QWidget_Native *) -property_reader("QMainWindow", /::menuWidget\s*\(/, "menuWidget") -property_writer("QMainWindow", /::setMenuWidget\s*\(/, "menuWidget") -# Property statusBar (QStatusBar_Native *) -property_reader("QMainWindow", /::statusBar\s*\(/, "statusBar") -property_writer("QMainWindow", /::setStatusBar\s*\(/, "statusBar") -# Property color (QMapNodeBase_Color) -property_reader("QMapNodeBase", /::color\s*\(/, "color") -property_writer("QMapNodeBase", /::setColor\s*\(/, "color") -# Property parent (QMapNodeBase *) -property_reader("QMapNodeBase", /::parent\s*\(/, "parent") -property_writer("QMapNodeBase", /::setParent\s*\(/, "parent") +property_reader("QLocale", /::numberOptions\s*\(/, "numberOptions") +property_writer("QLocale", /::setNumberOptions\s*\(/, "numberOptions") +# Property staleLockTime (int) +property_reader("QLockFile", /::staleLockTime\s*\(/, "staleLockTime") +property_writer("QLockFile", /::setStaleLockTime\s*\(/, "staleLockTime") # Property bottom (int) property_reader("QMargins", /::bottom\s*\(/, "bottom") property_writer("QMargins", /::setBottom\s*\(/, "bottom") @@ -13141,258 +11358,759 @@ property_writer("QMarginsF", /::setRight\s*\(/, "right") # Property top (double) property_reader("QMarginsF", /::top\s*\(/, "top") property_writer("QMarginsF", /::setTop\s*\(/, "top") -# Property activeSubWindow (QMdiSubWindow_Native *) -property_reader("QMdiArea", /::activeSubWindow\s*\(/, "activeSubWindow") -property_writer("QMdiArea", /::setActiveSubWindow\s*\(/, "activeSubWindow") -# Property systemMenu (QMenu_Native *) -property_reader("QMdiSubWindow", /::systemMenu\s*\(/, "systemMenu") -property_writer("QMdiSubWindow", /::setSystemMenu\s*\(/, "systemMenu") -# Property widget (QWidget_Native *) -property_reader("QMdiSubWindow", /::widget\s*\(/, "widget") -property_writer("QMdiSubWindow", /::setWidget\s*\(/, "widget") -# Property containerFormat (string) -property_reader("QMediaContainerControl", /::containerFormat\s*\(/, "containerFormat") -property_writer("QMediaContainerControl", /::setContainerFormat\s*\(/, "containerFormat") -# Property crossfadeTime (double) -property_reader("QMediaGaplessPlaybackControl", /::crossfadeTime\s*\(/, "crossfadeTime") -property_writer("QMediaGaplessPlaybackControl", /::setCrossfadeTime\s*\(/, "crossfadeTime") -# Property nextMedia (QMediaContent) -property_reader("QMediaGaplessPlaybackControl", /::nextMedia\s*\(/, "nextMedia") -property_writer("QMediaGaplessPlaybackControl", /::setNextMedia\s*\(/, "nextMedia") -# Property muted (bool) -property_reader("QMediaPlayerControl", /::isMuted\s*\(/, "muted") -property_writer("QMediaPlayerControl", /::setMuted\s*\(/, "muted") -# Property playbackRate (double) -property_reader("QMediaPlayerControl", /::playbackRate\s*\(/, "playbackRate") -property_writer("QMediaPlayerControl", /::setPlaybackRate\s*\(/, "playbackRate") -# Property position (long long) -property_reader("QMediaPlayerControl", /::position\s*\(/, "position") -property_writer("QMediaPlayerControl", /::setPosition\s*\(/, "position") -# Property volume (int) -property_reader("QMediaPlayerControl", /::volume\s*\(/, "volume") -property_writer("QMediaPlayerControl", /::setVolume\s*\(/, "volume") -# Property audioSettings (QAudioEncoderSettings) -property_reader("QMediaRecorder", /::audioSettings\s*\(/, "audioSettings") -property_writer("QMediaRecorder", /::setAudioSettings\s*\(/, "audioSettings") -# Property containerFormat (string) -property_reader("QMediaRecorder", /::containerFormat\s*\(/, "containerFormat") -property_writer("QMediaRecorder", /::setContainerFormat\s*\(/, "containerFormat") -# Property videoSettings (QVideoEncoderSettings) -property_reader("QMediaRecorder", /::videoSettings\s*\(/, "videoSettings") -property_writer("QMediaRecorder", /::setVideoSettings\s*\(/, "videoSettings") -# Property muted (bool) -property_reader("QMediaRecorderControl", /::isMuted\s*\(/, "muted") -property_writer("QMediaRecorderControl", /::setMuted\s*\(/, "muted") -# Property state (QMediaRecorder_State) -property_reader("QMediaRecorderControl", /::state\s*\(/, "state") -property_writer("QMediaRecorderControl", /::setState\s*\(/, "state") -# Property volume (double) -property_reader("QMediaRecorderControl", /::volume\s*\(/, "volume") -property_writer("QMediaRecorderControl", /::setVolume\s*\(/, "volume") -# Property audioBitRate (int) -property_reader("QMediaResource", /::audioBitRate\s*\(/, "audioBitRate") -property_writer("QMediaResource", /::setAudioBitRate\s*\(/, "audioBitRate") -# Property audioCodec (string) -property_reader("QMediaResource", /::audioCodec\s*\(/, "audioCodec") -property_writer("QMediaResource", /::setAudioCodec\s*\(/, "audioCodec") -# Property channelCount (int) -property_reader("QMediaResource", /::channelCount\s*\(/, "channelCount") -property_writer("QMediaResource", /::setChannelCount\s*\(/, "channelCount") -# Property dataSize (long long) -property_reader("QMediaResource", /::dataSize\s*\(/, "dataSize") -property_writer("QMediaResource", /::setDataSize\s*\(/, "dataSize") -# Property language (string) -property_reader("QMediaResource", /::language\s*\(/, "language") -property_writer("QMediaResource", /::setLanguage\s*\(/, "language") -# Property resolution (QSize) -property_reader("QMediaResource", /::resolution\s*\(/, "resolution") -property_writer("QMediaResource", /::setResolution\s*\(/, "resolution") -# Property sampleRate (int) -property_reader("QMediaResource", /::sampleRate\s*\(/, "sampleRate") -property_writer("QMediaResource", /::setSampleRate\s*\(/, "sampleRate") -# Property videoBitRate (int) -property_reader("QMediaResource", /::videoBitRate\s*\(/, "videoBitRate") -property_writer("QMediaResource", /::setVideoBitRate\s*\(/, "videoBitRate") -# Property videoCodec (string) -property_reader("QMediaResource", /::videoCodec\s*\(/, "videoCodec") -property_writer("QMediaResource", /::setVideoCodec\s*\(/, "videoCodec") -# Property activeAction (QAction_Native *) -property_reader("QMenu", /::activeAction\s*\(/, "activeAction") -property_writer("QMenu", /::setActiveAction\s*\(/, "activeAction") -# Property defaultAction (QAction_Native *) -property_reader("QMenu", /::defaultAction\s*\(/, "defaultAction") -property_writer("QMenu", /::setDefaultAction\s*\(/, "defaultAction") -# Property activeAction (QAction_Native *) -property_reader("QMenuBar", /::activeAction\s*\(/, "activeAction") -property_writer("QMenuBar", /::setActiveAction\s*\(/, "activeAction") -# Property cornerWidget (QWidget_Native *) -property_reader("QMenuBar", /::cornerWidget\s*\(/, "cornerWidget") -property_writer("QMenuBar", /::setCornerWidget\s*\(/, "cornerWidget") -# Property checkBox (QCheckBox_Native *) -property_reader("QMessageBox", /::checkBox\s*\(/, "checkBox") -property_writer("QMessageBox", /::setCheckBox\s*\(/, "checkBox") -# Property defaultButton (QPushButton_Native *) -property_reader("QMessageBox", /::defaultButton\s*\(/, "defaultButton") -property_writer("QMessageBox", /::setDefaultButton\s*\(/, "defaultButton") -# Property escapeButton (QAbstractButton_Native *) -property_reader("QMessageBox", /::escapeButton\s*\(/, "escapeButton") -property_writer("QMessageBox", /::setEscapeButton\s*\(/, "escapeButton") # Property colorData (variant) property_reader("QMimeData", /::colorData\s*\(/, "colorData") property_writer("QMimeData", /::setColorData\s*\(/, "colorData") # Property imageData (variant) property_reader("QMimeData", /::imageData\s*\(/, "imageData") property_writer("QMimeData", /::setImageData\s*\(/, "imageData") -# Property backgroundColor (QColor) -property_reader("QMovie", /::backgroundColor\s*\(/, "backgroundColor") -property_writer("QMovie", /::setBackgroundColor\s*\(/, "backgroundColor") -# Property device (QIODevice *) -property_reader("QMovie", /::device\s*\(/, "device") -property_writer("QMovie", /::setDevice\s*\(/, "device") -# Property fileName (string) -property_reader("QMovie", /::fileName\s*\(/, "fileName") -property_writer("QMovie", /::setFileName\s*\(/, "fileName") -# Property format (string) -property_reader("QMovie", /::format\s*\(/, "format") -property_writer("QMovie", /::setFormat\s*\(/, "format") -# Property scaledSize (QSize) -property_reader("QMovie", /::scaledSize\s*\(/, "scaledSize") -property_writer("QMovie", /::setScaledSize\s*\(/, "scaledSize") -# Property cache (QAbstractNetworkCache_Native *) -property_reader("QNetworkAccessManager", /::cache\s*\(/, "cache") -property_writer("QNetworkAccessManager", /::setCache\s*\(/, "cache") -# Property configuration (QNetworkConfiguration) -property_reader("QNetworkAccessManager", /::configuration\s*\(/, "configuration") -property_writer("QNetworkAccessManager", /::setConfiguration\s*\(/, "configuration") -# Property cookieJar (QNetworkCookieJar_Native *) -property_reader("QNetworkAccessManager", /::cookieJar\s*\(/, "cookieJar") -property_writer("QNetworkAccessManager", /::setCookieJar\s*\(/, "cookieJar") -# Property proxy (QNetworkProxy) -property_reader("QNetworkAccessManager", /::proxy\s*\(/, "proxy") -property_writer("QNetworkAccessManager", /::setProxy\s*\(/, "proxy") -# Property proxyFactory (QNetworkProxyFactory_Native *) -property_reader("QNetworkAccessManager", /::proxyFactory\s*\(/, "proxyFactory") -property_writer("QNetworkAccessManager", /::setProxyFactory\s*\(/, "proxyFactory") -# Property broadcast (QHostAddress) -property_reader("QNetworkAddressEntry", /::broadcast\s*\(/, "broadcast") -property_writer("QNetworkAddressEntry", /::setBroadcast\s*\(/, "broadcast") -# Property ip (QHostAddress) -property_reader("QNetworkAddressEntry", /::ip\s*\(/, "ip") -property_writer("QNetworkAddressEntry", /::setIp\s*\(/, "ip") -# Property netmask (QHostAddress) -property_reader("QNetworkAddressEntry", /::netmask\s*\(/, "netmask") -property_writer("QNetworkAddressEntry", /::setNetmask\s*\(/, "netmask") -# Property prefixLength (int) -property_reader("QNetworkAddressEntry", /::prefixLength\s*\(/, "prefixLength") -property_writer("QNetworkAddressEntry", /::setPrefixLength\s*\(/, "prefixLength") -# Property expirationDate (QDateTime) -property_reader("QNetworkCacheMetaData", /::expirationDate\s*\(/, "expirationDate") -property_writer("QNetworkCacheMetaData", /::setExpirationDate\s*\(/, "expirationDate") -# Property lastModified (QDateTime) -property_reader("QNetworkCacheMetaData", /::lastModified\s*\(/, "lastModified") -property_writer("QNetworkCacheMetaData", /::setLastModified\s*\(/, "lastModified") -# Property rawHeaders (QPair_QByteArray_QByteArray[]) -property_reader("QNetworkCacheMetaData", /::rawHeaders\s*\(/, "rawHeaders") -property_writer("QNetworkCacheMetaData", /::setRawHeaders\s*\(/, "rawHeaders") -# Property saveToDisk (bool) -property_reader("QNetworkCacheMetaData", /::saveToDisk\s*\(/, "saveToDisk") -property_writer("QNetworkCacheMetaData", /::setSaveToDisk\s*\(/, "saveToDisk") -# Property url (QUrl) -property_reader("QNetworkCacheMetaData", /::url\s*\(/, "url") -property_writer("QNetworkCacheMetaData", /::setUrl\s*\(/, "url") -# Property domain (string) -property_reader("QNetworkCookie", /::domain\s*\(/, "domain") -property_writer("QNetworkCookie", /::setDomain\s*\(/, "domain") -# Property expirationDate (QDateTime) -property_reader("QNetworkCookie", /::expirationDate\s*\(/, "expirationDate") -property_writer("QNetworkCookie", /::setExpirationDate\s*\(/, "expirationDate") -# Property httpOnly (bool) -property_reader("QNetworkCookie", /::isHttpOnly\s*\(/, "httpOnly") -property_writer("QNetworkCookie", /::setHttpOnly\s*\(/, "httpOnly") -# Property name (string) -property_reader("QNetworkCookie", /::name\s*\(/, "name") -property_writer("QNetworkCookie", /::setName\s*\(/, "name") -# Property path (string) -property_reader("QNetworkCookie", /::path\s*\(/, "path") -property_writer("QNetworkCookie", /::setPath\s*\(/, "path") -# Property secure (bool) -property_reader("QNetworkCookie", /::isSecure\s*\(/, "secure") -property_writer("QNetworkCookie", /::setSecure\s*\(/, "secure") -# Property value (string) -property_reader("QNetworkCookie", /::value\s*\(/, "value") -property_writer("QNetworkCookie", /::setValue\s*\(/, "value") -# Property cacheDirectory (string) -property_reader("QNetworkDiskCache", /::cacheDirectory\s*\(/, "cacheDirectory") -property_writer("QNetworkDiskCache", /::setCacheDirectory\s*\(/, "cacheDirectory") -# Property maximumCacheSize (long long) -property_reader("QNetworkDiskCache", /::maximumCacheSize\s*\(/, "maximumCacheSize") -property_writer("QNetworkDiskCache", /::setMaximumCacheSize\s*\(/, "maximumCacheSize") -# Property applicationProxy (QNetworkProxy) -property_reader("QNetworkProxy", /::applicationProxy\s*\(/, "applicationProxy") -property_writer("QNetworkProxy", /::setApplicationProxy\s*\(/, "applicationProxy") -# Property capabilities (QNetworkProxy_QFlags_Capability) -property_reader("QNetworkProxy", /::capabilities\s*\(/, "capabilities") -property_writer("QNetworkProxy", /::setCapabilities\s*\(/, "capabilities") -# Property hostName (string) -property_reader("QNetworkProxy", /::hostName\s*\(/, "hostName") -property_writer("QNetworkProxy", /::setHostName\s*\(/, "hostName") +# Property objectName (string) +property_reader("QObject", /::objectName\s*\(/, "objectName") +property_writer("QObject", /::setObjectName\s*\(/, "objectName") +# Property parent (QObject_Native *) +property_reader("QObject", /::parent\s*\(/, "parent") +property_writer("QObject", /::setParent\s*\(/, "parent") +# Property x (int) +property_reader("QPoint", /::x\s*\(/, "x") +property_writer("QPoint", /::setX\s*\(/, "x") +# Property y (int) +property_reader("QPoint", /::y\s*\(/, "y") +property_writer("QPoint", /::setY\s*\(/, "y") +# Property x (double) +property_reader("QPointF", /::x\s*\(/, "x") +property_writer("QPointF", /::setX\s*\(/, "x") +# Property y (double) +property_reader("QPointF", /::y\s*\(/, "y") +property_writer("QPointF", /::setY\s*\(/, "y") +# Property arguments (string[]) +property_reader("QProcess", /::arguments\s*\(/, "arguments") +property_writer("QProcess", /::setArguments\s*\(/, "arguments") +# Property environment (string[]) +property_reader("QProcess", /::environment\s*\(/, "environment") +property_writer("QProcess", /::setEnvironment\s*\(/, "environment") +# Property inputChannelMode (QProcess_InputChannelMode) +property_reader("QProcess", /::inputChannelMode\s*\(/, "inputChannelMode") +property_writer("QProcess", /::setInputChannelMode\s*\(/, "inputChannelMode") +# Property processChannelMode (QProcess_ProcessChannelMode) +property_reader("QProcess", /::processChannelMode\s*\(/, "processChannelMode") +property_writer("QProcess", /::setProcessChannelMode\s*\(/, "processChannelMode") +# Property processEnvironment (QProcessEnvironment) +property_reader("QProcess", /::processEnvironment\s*\(/, "processEnvironment") +property_writer("QProcess", /::setProcessEnvironment\s*\(/, "processEnvironment") +# Property program (string) +property_reader("QProcess", /::program\s*\(/, "program") +property_writer("QProcess", /::setProgram\s*\(/, "program") +# Property readChannel (QProcess_ProcessChannel) +property_reader("QProcess", /::readChannel\s*\(/, "readChannel") +property_writer("QProcess", /::setReadChannel\s*\(/, "readChannel") +# Property workingDirectory (string) +property_reader("QProcess", /::workingDirectory\s*\(/, "workingDirectory") +property_writer("QProcess", /::setWorkingDirectory\s*\(/, "workingDirectory") +# Property bottom (int) +property_reader("QRect", /::bottom\s*\(/, "bottom") +property_writer("QRect", /::setBottom\s*\(/, "bottom") +# Property bottomLeft (QPoint) +property_reader("QRect", /::bottomLeft\s*\(/, "bottomLeft") +property_writer("QRect", /::setBottomLeft\s*\(/, "bottomLeft") +# Property bottomRight (QPoint) +property_reader("QRect", /::bottomRight\s*\(/, "bottomRight") +property_writer("QRect", /::setBottomRight\s*\(/, "bottomRight") +# Property height (int) +property_reader("QRect", /::height\s*\(/, "height") +property_writer("QRect", /::setHeight\s*\(/, "height") +# Property left (int) +property_reader("QRect", /::left\s*\(/, "left") +property_writer("QRect", /::setLeft\s*\(/, "left") +# Property right (int) +property_reader("QRect", /::right\s*\(/, "right") +property_writer("QRect", /::setRight\s*\(/, "right") +# Property size (QSize) +property_reader("QRect", /::size\s*\(/, "size") +property_writer("QRect", /::setSize\s*\(/, "size") +# Property top (int) +property_reader("QRect", /::top\s*\(/, "top") +property_writer("QRect", /::setTop\s*\(/, "top") +# Property topLeft (QPoint) +property_reader("QRect", /::topLeft\s*\(/, "topLeft") +property_writer("QRect", /::setTopLeft\s*\(/, "topLeft") +# Property topRight (QPoint) +property_reader("QRect", /::topRight\s*\(/, "topRight") +property_writer("QRect", /::setTopRight\s*\(/, "topRight") +# Property width (int) +property_reader("QRect", /::width\s*\(/, "width") +property_writer("QRect", /::setWidth\s*\(/, "width") +# Property x (int) +property_reader("QRect", /::x\s*\(/, "x") +property_writer("QRect", /::setX\s*\(/, "x") +# Property y (int) +property_reader("QRect", /::y\s*\(/, "y") +property_writer("QRect", /::setY\s*\(/, "y") +# Property bottom (double) +property_reader("QRectF", /::bottom\s*\(/, "bottom") +property_writer("QRectF", /::setBottom\s*\(/, "bottom") +# Property bottomLeft (QPointF) +property_reader("QRectF", /::bottomLeft\s*\(/, "bottomLeft") +property_writer("QRectF", /::setBottomLeft\s*\(/, "bottomLeft") +# Property bottomRight (QPointF) +property_reader("QRectF", /::bottomRight\s*\(/, "bottomRight") +property_writer("QRectF", /::setBottomRight\s*\(/, "bottomRight") +# Property height (double) +property_reader("QRectF", /::height\s*\(/, "height") +property_writer("QRectF", /::setHeight\s*\(/, "height") +# Property left (double) +property_reader("QRectF", /::left\s*\(/, "left") +property_writer("QRectF", /::setLeft\s*\(/, "left") +# Property right (double) +property_reader("QRectF", /::right\s*\(/, "right") +property_writer("QRectF", /::setRight\s*\(/, "right") +# Property size (QSizeF) +property_reader("QRectF", /::size\s*\(/, "size") +property_writer("QRectF", /::setSize\s*\(/, "size") +# Property top (double) +property_reader("QRectF", /::top\s*\(/, "top") +property_writer("QRectF", /::setTop\s*\(/, "top") +# Property topLeft (QPointF) +property_reader("QRectF", /::topLeft\s*\(/, "topLeft") +property_writer("QRectF", /::setTopLeft\s*\(/, "topLeft") +# Property topRight (QPointF) +property_reader("QRectF", /::topRight\s*\(/, "topRight") +property_writer("QRectF", /::setTopRight\s*\(/, "topRight") +# Property width (double) +property_reader("QRectF", /::width\s*\(/, "width") +property_writer("QRectF", /::setWidth\s*\(/, "width") +# Property x (double) +property_reader("QRectF", /::x\s*\(/, "x") +property_writer("QRectF", /::setX\s*\(/, "x") +# Property y (double) +property_reader("QRectF", /::y\s*\(/, "y") +property_writer("QRectF", /::setY\s*\(/, "y") +# Property pattern (string) +property_reader("QRegularExpression", /::pattern\s*\(/, "pattern") +property_writer("QRegularExpression", /::setPattern\s*\(/, "pattern") +# Property patternOptions (QRegularExpression_QFlags_PatternOption) +property_reader("QRegularExpression", /::patternOptions\s*\(/, "patternOptions") +property_writer("QRegularExpression", /::setPatternOptions\s*\(/, "patternOptions") +# Property fileName (string) +property_reader("QResource", /::fileName\s*\(/, "fileName") +property_writer("QResource", /::setFileName\s*\(/, "fileName") +# Property locale (QLocale) +property_reader("QResource", /::locale\s*\(/, "locale") +property_writer("QResource", /::setLocale\s*\(/, "locale") +# Property autoDelete (bool) +property_reader("QRunnable", /::autoDelete\s*\(/, "autoDelete") +property_writer("QRunnable", /::setAutoDelete\s*\(/, "autoDelete") +# Property directWriteFallback (bool) +property_reader("QSaveFile", /::directWriteFallback\s*\(/, "directWriteFallback") +property_writer("QSaveFile", /::setDirectWriteFallback\s*\(/, "directWriteFallback") +# Property fileName (string) +property_reader("QSaveFile", /::fileName\s*\(/, "fileName") +property_writer("QSaveFile", /::setFileName\s*\(/, "fileName") +# Property atomicSyncRequired (bool) +property_reader("QSettings", /::isAtomicSyncRequired\s*\(/, "atomicSyncRequired") +property_writer("QSettings", /::setAtomicSyncRequired\s*\(/, "atomicSyncRequired") +# Property defaultFormat (QSettings_Format) +property_reader("QSettings", /::defaultFormat\s*\(/, "defaultFormat") +property_writer("QSettings", /::setDefaultFormat\s*\(/, "defaultFormat") +# Property fallbacksEnabled (bool) +property_reader("QSettings", /::fallbacksEnabled\s*\(/, "fallbacksEnabled") +property_writer("QSettings", /::setFallbacksEnabled\s*\(/, "fallbacksEnabled") +# Property key (string) +property_reader("QSharedMemory", /::key\s*\(/, "key") +property_writer("QSharedMemory", /::setKey\s*\(/, "key") +# Property nativeKey (string) +property_reader("QSharedMemory", /::nativeKey\s*\(/, "nativeKey") +property_writer("QSharedMemory", /::setNativeKey\s*\(/, "nativeKey") +# Property height (int) +property_reader("QSize", /::height\s*\(/, "height") +property_writer("QSize", /::setHeight\s*\(/, "height") +# Property width (int) +property_reader("QSize", /::width\s*\(/, "width") +property_writer("QSize", /::setWidth\s*\(/, "width") +# Property height (double) +property_reader("QSizeF", /::height\s*\(/, "height") +property_writer("QSizeF", /::setHeight\s*\(/, "height") +# Property width (double) +property_reader("QSizeF", /::width\s*\(/, "width") +property_writer("QSizeF", /::setWidth\s*\(/, "width") +# Property enabled (bool) +property_reader("QSocketNotifier", /::isEnabled\s*\(/, "enabled") +property_writer("QSocketNotifier", /::setEnabled\s*\(/, "enabled") +# Property socket (long long) +property_reader("QSocketNotifier", /::socket\s*\(/, "socket") +property_writer("QSocketNotifier", /::setSocket\s*\(/, "socket") +# Property parent (QObject_Native *) +property_reader("QSortFilterProxyModel", /::parent\s*\(/, "parent") +property_writer("QObject", /::setParent\s*\(/, "parent") +# Property testModeEnabled (bool) +property_reader("QStandardPaths", /::isTestModeEnabled\s*\(/, "testModeEnabled") +property_writer("QStandardPaths", /::setTestModeEnabled\s*\(/, "testModeEnabled") +# Property stringList (string[]) +property_reader("QStringListModel", /::stringList\s*\(/, "stringList") +property_writer("QStringListModel", /::setStringList\s*\(/, "stringList") +# Property caseSensitivity (Qt_CaseSensitivity) +property_reader("QStringMatcher", /::caseSensitivity\s*\(/, "caseSensitivity") +property_writer("QStringMatcher", /::setCaseSensitivity\s*\(/, "caseSensitivity") +# Property pattern (string) +property_reader("QStringMatcher", /::pattern\s*\(/, "pattern") +property_writer("QStringMatcher", /::setPattern\s*\(/, "pattern") +# Property key (string) +property_reader("QSystemSemaphore", /::key\s*\(/, "key") +property_writer("QSystemSemaphore", /::setKey\s*\(/, "key") +# Property autoRemove (bool) +property_reader("QTemporaryDir", /::autoRemove\s*\(/, "autoRemove") +property_writer("QTemporaryDir", /::setAutoRemove\s*\(/, "autoRemove") +# Property autoRemove (bool) +property_reader("QTemporaryFile", /::autoRemove\s*\(/, "autoRemove") +property_writer("QTemporaryFile", /::setAutoRemove\s*\(/, "autoRemove") +# Property fileName (string) +property_reader("QTemporaryFile", /::fileName\s*\(/, "fileName") +property_writer("QFile", /::setFileName\s*\(/, "fileName") +# Property fileTemplate (string) +property_reader("QTemporaryFile", /::fileTemplate\s*\(/, "fileTemplate") +property_writer("QTemporaryFile", /::setFileTemplate\s*\(/, "fileTemplate") +# Property position (long long) +property_reader("QTextBoundaryFinder", /::position\s*\(/, "position") +property_writer("QTextBoundaryFinder", /::setPosition\s*\(/, "position") +# Property autoDetectUnicode (bool) +property_reader("QTextStream", /::autoDetectUnicode\s*\(/, "autoDetectUnicode") +property_writer("QTextStream", /::setAutoDetectUnicode\s*\(/, "autoDetectUnicode") +# Property device (QIODevice *) +property_reader("QTextStream", /::device\s*\(/, "device") +property_writer("QTextStream", /::setDevice\s*\(/, "device") +# Property encoding (QStringConverter_Encoding) +property_reader("QTextStream", /::encoding\s*\(/, "encoding") +property_writer("QTextStream", /::setEncoding\s*\(/, "encoding") +# Property fieldAlignment (QTextStream_FieldAlignment) +property_reader("QTextStream", /::fieldAlignment\s*\(/, "fieldAlignment") +property_writer("QTextStream", /::setFieldAlignment\s*\(/, "fieldAlignment") +# Property fieldWidth (int) +property_reader("QTextStream", /::fieldWidth\s*\(/, "fieldWidth") +property_writer("QTextStream", /::setFieldWidth\s*\(/, "fieldWidth") +# Property generateByteOrderMark (bool) +property_reader("QTextStream", /::generateByteOrderMark\s*\(/, "generateByteOrderMark") +property_writer("QTextStream", /::setGenerateByteOrderMark\s*\(/, "generateByteOrderMark") +# Property integerBase (int) +property_reader("QTextStream", /::integerBase\s*\(/, "integerBase") +property_writer("QTextStream", /::setIntegerBase\s*\(/, "integerBase") +# Property locale (QLocale) +property_reader("QTextStream", /::locale\s*\(/, "locale") +property_writer("QTextStream", /::setLocale\s*\(/, "locale") +# Property numberFlags (QTextStream_QFlags_NumberFlag) +property_reader("QTextStream", /::numberFlags\s*\(/, "numberFlags") +property_writer("QTextStream", /::setNumberFlags\s*\(/, "numberFlags") +# Property padChar (unsigned int) +property_reader("QTextStream", /::padChar\s*\(/, "padChar") +property_writer("QTextStream", /::setPadChar\s*\(/, "padChar") +# Property realNumberNotation (QTextStream_RealNumberNotation) +property_reader("QTextStream", /::realNumberNotation\s*\(/, "realNumberNotation") +property_writer("QTextStream", /::setRealNumberNotation\s*\(/, "realNumberNotation") +# Property realNumberPrecision (int) +property_reader("QTextStream", /::realNumberPrecision\s*\(/, "realNumberPrecision") +property_writer("QTextStream", /::setRealNumberPrecision\s*\(/, "realNumberPrecision") +# Property status (QTextStream_Status) +property_reader("QTextStream", /::status\s*\(/, "status") +property_writer("QTextStream", /::setStatus\s*\(/, "status") +# Property string (string *) +property_reader("QTextStream", /::string\s*\(/, "string") +property_writer("QTextStream", /::setString\s*\(/, "string") +# Property eventDispatcher (QAbstractEventDispatcher_Native *) +property_reader("QThread", /::eventDispatcher\s*\(/, "eventDispatcher") +property_writer("QThread", /::setEventDispatcher\s*\(/, "eventDispatcher") +# Property priority (QThread_Priority) +property_reader("QThread", /::priority\s*\(/, "priority") +property_writer("QThread", /::setPriority\s*\(/, "priority") +# Property stackSize (unsigned int) +property_reader("QThread", /::stackSize\s*\(/, "stackSize") +property_writer("QThread", /::setStackSize\s*\(/, "stackSize") +# Property endFrame (int) +property_reader("QTimeLine", /::endFrame\s*\(/, "endFrame") +property_writer("QTimeLine", /::setEndFrame\s*\(/, "endFrame") +# Property startFrame (int) +property_reader("QTimeLine", /::startFrame\s*\(/, "startFrame") +property_writer("QTimeLine", /::setStartFrame\s*\(/, "startFrame") +# Property authority (string) +property_reader("QUrl", /::authority\s*\(/, "authority") +property_writer("QUrl", /::setAuthority\s*\(/, "authority") +# Property fragment (string) +property_reader("QUrl", /::fragment\s*\(/, "fragment") +property_writer("QUrl", /::setFragment\s*\(/, "fragment") +# Property host (string) +property_reader("QUrl", /::host\s*\(/, "host") +property_writer("QUrl", /::setHost\s*\(/, "host") +# Property idnWhitelist (string[]) +property_reader("QUrl", /::idnWhitelist\s*\(/, "idnWhitelist") +property_writer("QUrl", /::setIdnWhitelist\s*\(/, "idnWhitelist") # Property password (string) -property_reader("QNetworkProxy", /::password\s*\(/, "password") -property_writer("QNetworkProxy", /::setPassword\s*\(/, "password") -# Property port (unsigned short) -property_reader("QNetworkProxy", /::port\s*\(/, "port") -property_writer("QNetworkProxy", /::setPort\s*\(/, "port") -# Property type (QNetworkProxy_ProxyType) -property_reader("QNetworkProxy", /::type\s*\(/, "type") -property_writer("QNetworkProxy", /::setType\s*\(/, "type") -# Property user (string) -property_reader("QNetworkProxy", /::user\s*\(/, "user") -property_writer("QNetworkProxy", /::setUser\s*\(/, "user") -# Property localPort (int) -property_reader("QNetworkProxyQuery", /::localPort\s*\(/, "localPort") -property_writer("QNetworkProxyQuery", /::setLocalPort\s*\(/, "localPort") -# Property networkConfiguration (QNetworkConfiguration) -property_reader("QNetworkProxyQuery", /::networkConfiguration\s*\(/, "networkConfiguration") -property_writer("QNetworkProxyQuery", /::setNetworkConfiguration\s*\(/, "networkConfiguration") -# Property peerHostName (string) -property_reader("QNetworkProxyQuery", /::peerHostName\s*\(/, "peerHostName") -property_writer("QNetworkProxyQuery", /::setPeerHostName\s*\(/, "peerHostName") -# Property peerPort (int) -property_reader("QNetworkProxyQuery", /::peerPort\s*\(/, "peerPort") -property_writer("QNetworkProxyQuery", /::setPeerPort\s*\(/, "peerPort") -# Property protocolTag (string) -property_reader("QNetworkProxyQuery", /::protocolTag\s*\(/, "protocolTag") -property_writer("QNetworkProxyQuery", /::setProtocolTag\s*\(/, "protocolTag") -# Property queryType (QNetworkProxyQuery_QueryType) -property_reader("QNetworkProxyQuery", /::queryType\s*\(/, "queryType") -property_writer("QNetworkProxyQuery", /::setQueryType\s*\(/, "queryType") -# Property url (QUrl) -property_reader("QNetworkProxyQuery", /::url\s*\(/, "url") -property_writer("QNetworkProxyQuery", /::setUrl\s*\(/, "url") -# Property readBufferSize (long long) -property_reader("QNetworkReply", /::readBufferSize\s*\(/, "readBufferSize") -property_writer("QNetworkReply", /::setReadBufferSize\s*\(/, "readBufferSize") -# Property sslConfiguration (QSslConfiguration) -property_reader("QNetworkReply", /::sslConfiguration\s*\(/, "sslConfiguration") -property_writer("QNetworkReply", /::setSslConfiguration\s*\(/, "sslConfiguration") -# Property originatingObject (QObject_Native *) -property_reader("QNetworkRequest", /::originatingObject\s*\(/, "originatingObject") -property_writer("QNetworkRequest", /::setOriginatingObject\s*\(/, "originatingObject") -# Property priority (QNetworkRequest_Priority) -property_reader("QNetworkRequest", /::priority\s*\(/, "priority") -property_writer("QNetworkRequest", /::setPriority\s*\(/, "priority") -# Property sslConfiguration (QSslConfiguration) -property_reader("QNetworkRequest", /::sslConfiguration\s*\(/, "sslConfiguration") -property_writer("QNetworkRequest", /::setSslConfiguration\s*\(/, "sslConfiguration") -# Property url (QUrl) -property_reader("QNetworkRequest", /::url\s*\(/, "url") -property_writer("QNetworkRequest", /::setUrl\s*\(/, "url") -# Property objectName (string) -property_reader("QObject", /::objectName\s*\(/, "objectName") -property_writer("QObject", /::setObjectName\s*\(/, "objectName") +property_reader("QUrl", /::password\s*\(/, "password") +property_writer("QUrl", /::setPassword\s*\(/, "password") +# Property path (string) +property_reader("QUrl", /::path\s*\(/, "path") +property_writer("QUrl", /::setPath\s*\(/, "path") +# Property port (int) +property_reader("QUrl", /::port\s*\(/, "port") +property_writer("QUrl", /::setPort\s*\(/, "port") +# Property scheme (string) +property_reader("QUrl", /::scheme\s*\(/, "scheme") +property_writer("QUrl", /::setScheme\s*\(/, "scheme") +# Property url (string) +property_reader("QUrl", /::url\s*\(/, "url") +property_writer("QUrl", /::setUrl\s*\(/, "url") +# Property userInfo (string) +property_reader("QUrl", /::userInfo\s*\(/, "userInfo") +property_writer("QUrl", /::setUserInfo\s*\(/, "userInfo") +# Property userName (string) +property_reader("QUrl", /::userName\s*\(/, "userName") +property_writer("QUrl", /::setUserName\s*\(/, "userName") +# Property query (string) +property_reader("QUrlQuery", /::query\s*\(/, "query") +property_writer("QUrlQuery", /::setQuery\s*\(/, "query") +# Property queryItems (QPair_QString_QString[]) +property_reader("QUrlQuery", /::queryItems\s*\(/, "queryItems") +property_writer("QUrlQuery", /::setQueryItems\s*\(/, "queryItems") +# Property keyValues (QPair_double_QVariant[]) +property_reader("QVariantAnimation", /::keyValues\s*\(/, "keyValues") +property_writer("QVariantAnimation", /::setKeyValues\s*\(/, "keyValues") +# Property device (QIODevice *) +property_reader("QXmlStreamReader", /::device\s*\(/, "device") +property_writer("QXmlStreamReader", /::setDevice\s*\(/, "device") +# Property entityExpansionLimit (int) +property_reader("QXmlStreamReader", /::entityExpansionLimit\s*\(/, "entityExpansionLimit") +property_writer("QXmlStreamReader", /::setEntityExpansionLimit\s*\(/, "entityExpansionLimit") +# Property entityResolver (QXmlStreamEntityResolver_Native *) +property_reader("QXmlStreamReader", /::entityResolver\s*\(/, "entityResolver") +property_writer("QXmlStreamReader", /::setEntityResolver\s*\(/, "entityResolver") +# Property namespaceProcessing (bool) +property_reader("QXmlStreamReader", /::namespaceProcessing\s*\(/, "namespaceProcessing") +property_writer("QXmlStreamReader", /::setNamespaceProcessing\s*\(/, "namespaceProcessing") +# Property autoFormatting (bool) +property_reader("QXmlStreamWriter", /::autoFormatting\s*\(/, "autoFormatting") +property_writer("QXmlStreamWriter", /::setAutoFormatting\s*\(/, "autoFormatting") +# Property autoFormattingIndent (int) +property_reader("QXmlStreamWriter", /::autoFormattingIndent\s*\(/, "autoFormattingIndent") +property_writer("QXmlStreamWriter", /::setAutoFormattingIndent\s*\(/, "autoFormattingIndent") +# Property device (QIODevice *) +property_reader("QXmlStreamWriter", /::device\s*\(/, "device") +property_writer("QXmlStreamWriter", /::setDevice\s*\(/, "device") +# Property options (QAbstractFileIconProvider_QFlags_Option) +property_reader("QAbstractFileIconProvider", /::options\s*\(/, "options") +property_writer("QAbstractFileIconProvider", /::setOptions\s*\(/, "options") +# Property paintDevice (QPaintDevice_Native *) +property_reader("QAbstractTextDocumentLayout", /::paintDevice\s*\(/, "paintDevice") +property_writer("QAbstractTextDocumentLayout", /::setPaintDevice\s*\(/, "paintDevice") +# Property active (bool) +property_reader("QAccessible", /::isActive\s*\(/, "active") +property_writer("QAccessible", /::setActive\s*\(/, "active") +# Property child (int) +property_reader("QAccessibleEvent", /::child\s*\(/, "child") +property_writer("QAccessibleEvent", /::setChild\s*\(/, "child") +# Property firstColumn (int) +property_reader("QAccessibleTableModelChangeEvent", /::firstColumn\s*\(/, "firstColumn") +property_writer("QAccessibleTableModelChangeEvent", /::setFirstColumn\s*\(/, "firstColumn") +# Property firstRow (int) +property_reader("QAccessibleTableModelChangeEvent", /::firstRow\s*\(/, "firstRow") +property_writer("QAccessibleTableModelChangeEvent", /::setFirstRow\s*\(/, "firstRow") +# Property lastColumn (int) +property_reader("QAccessibleTableModelChangeEvent", /::lastColumn\s*\(/, "lastColumn") +property_writer("QAccessibleTableModelChangeEvent", /::setLastColumn\s*\(/, "lastColumn") +# Property lastRow (int) +property_reader("QAccessibleTableModelChangeEvent", /::lastRow\s*\(/, "lastRow") +property_writer("QAccessibleTableModelChangeEvent", /::setLastRow\s*\(/, "lastRow") +# Property modelChangeType (QAccessibleTableModelChangeEvent_ModelChangeType) +property_reader("QAccessibleTableModelChangeEvent", /::modelChangeType\s*\(/, "modelChangeType") +property_writer("QAccessibleTableModelChangeEvent", /::setModelChangeType\s*\(/, "modelChangeType") +# Property cursorPosition (int) +property_reader("QAccessibleTextCursorEvent", /::cursorPosition\s*\(/, "cursorPosition") +property_writer("QAccessibleTextCursorEvent", /::setCursorPosition\s*\(/, "cursorPosition") +# Property cursorPosition (int) +property_reader("QAccessibleTextInterface", /::cursorPosition\s*\(/, "cursorPosition") +property_writer("QAccessibleTextInterface", /::setCursorPosition\s*\(/, "cursorPosition") +# Property value (variant) +property_reader("QAccessibleValueChangeEvent", /::value\s*\(/, "value") +property_writer("QAccessibleValueChangeEvent", /::setValue\s*\(/, "value") +# Property currentValue (variant) +property_reader("QAccessibleValueInterface", /::currentValue\s*\(/, "currentValue") +property_writer("QAccessibleValueInterface", /::setCurrentValue\s*\(/, "currentValue") +# Property actionGroup (QActionGroup_Native *) +property_reader("QAction", /::actionGroup\s*\(/, "actionGroup") +property_writer("QAction", /::setActionGroup\s*\(/, "actionGroup") +# Property data (variant) +property_reader("QAction", /::data\s*\(/, "data") +property_writer("QAction", /::setData\s*\(/, "data") +# Property separator (bool) +property_reader("QAction", /::isSeparator\s*\(/, "separator") +property_writer("QAction", /::setSeparator\s*\(/, "separator") +# Property shortcuts (QKeySequence[]) +property_reader("QAction", /::shortcuts\s*\(/, "shortcuts") +property_writer("QAction", /::setShortcuts\s*\(/, "shortcuts") +# Property exclusive (bool) +property_reader("QActionGroup", /::isExclusive\s*\(/, "exclusive") +property_writer("QActionGroup", /::setExclusive\s*\(/, "exclusive") +# Property color (QColor) +property_reader("QBrush", /::color\s*\(/, "color") +property_writer("QBrush", /::setColor\s*\(/, "color") +# Property style (Qt_BrushStyle) +property_reader("QBrush", /::style\s*\(/, "style") +property_writer("QBrush", /::setStyle\s*\(/, "style") +# Property texture (QPixmap_Native) +property_reader("QBrush", /::texture\s*\(/, "texture") +property_writer("QBrush", /::setTexture\s*\(/, "texture") +# Property textureImage (QImage_Native) +property_reader("QBrush", /::textureImage\s*\(/, "textureImage") +property_writer("QBrush", /::setTextureImage\s*\(/, "textureImage") +# Property transform (QTransform) +property_reader("QBrush", /::transform\s*\(/, "transform") +property_writer("QBrush", /::setTransform\s*\(/, "transform") +# Property image (QImage_Native) +property_reader("QClipboard", /::image\s*\(/, "image") +property_writer("QClipboard", /::setImage\s*\(/, "image") +# Property mimeData (QMimeData_Native *) +property_reader("QClipboard", /::mimeData\s*\(/, "mimeData") +property_writer("QClipboard", /::setMimeData\s*\(/, "mimeData") +# Property pixmap (QPixmap_Native) +property_reader("QClipboard", /::pixmap\s*\(/, "pixmap") +property_writer("QClipboard", /::setPixmap\s*\(/, "pixmap") +# Property text (string) +property_reader("QClipboard", /::text\s*\(/, "text") +property_writer("QClipboard", /::setText\s*\(/, "text") +# Property alpha (int) +property_reader("QColor", /::alpha\s*\(/, "alpha") +property_writer("QColor", /::setAlpha\s*\(/, "alpha") +# Property alphaF (float) +property_reader("QColor", /::alphaF\s*\(/, "alphaF") +property_writer("QColor", /::setAlphaF\s*\(/, "alphaF") +# Property blue (int) +property_reader("QColor", /::blue\s*\(/, "blue") +property_writer("QColor", /::setBlue\s*\(/, "blue") +# Property blueF (float) +property_reader("QColor", /::blueF\s*\(/, "blueF") +property_writer("QColor", /::setBlueF\s*\(/, "blueF") +# Property green (int) +property_reader("QColor", /::green\s*\(/, "green") +property_writer("QColor", /::setGreen\s*\(/, "green") +# Property greenF (float) +property_reader("QColor", /::greenF\s*\(/, "greenF") +property_writer("QColor", /::setGreenF\s*\(/, "greenF") +# Property red (int) +property_reader("QColor", /::red\s*\(/, "red") +property_writer("QColor", /::setRed\s*\(/, "red") +# Property redF (float) +property_reader("QColor", /::redF\s*\(/, "redF") +property_writer("QColor", /::setRedF\s*\(/, "redF") +# Property rgb (unsigned int) +property_reader("QColor", /::rgb\s*\(/, "rgb") +property_writer("QColor", /::setRgb\s*\(/, "rgb") +# Property rgba (unsigned int) +property_reader("QColor", /::rgba\s*\(/, "rgba") +property_writer("QColor", /::setRgba\s*\(/, "rgba") +# Property rgba64 (QRgba64) +property_reader("QColor", /::rgba64\s*\(/, "rgba64") +property_writer("QColor", /::setRgba64\s*\(/, "rgba64") +# Property description (string) +property_reader("QColorSpace", /::description\s*\(/, "description") +property_writer("QColorSpace", /::setDescription\s*\(/, "description") +# Property primaries (QColorSpace_Primaries) +property_reader("QColorSpace", /::primaries\s*\(/, "primaries") +property_writer("QColorSpace", /::setPrimaries\s*\(/, "primaries") +# Property transferFunction (QColorSpace_TransferFunction) +property_reader("QColorSpace", /::transferFunction\s*\(/, "transferFunction") +property_writer("QColorSpace", /::setTransferFunction\s*\(/, "transferFunction") +# Property angle (double) +property_reader("QConicalGradient", /::angle\s*\(/, "angle") +property_writer("QConicalGradient", /::setAngle\s*\(/, "angle") +# Property center (QPointF) +property_reader("QConicalGradient", /::center\s*\(/, "center") +property_writer("QConicalGradient", /::setCenter\s*\(/, "center") +# Property pos (QPoint) +property_reader("QCursor", /::pos\s*\(/, "pos") +property_writer("QCursor", /::setPos\s*\(/, "pos") +# Property shape (Qt_CursorShape) +property_reader("QCursor", /::shape\s*\(/, "shape") +property_writer("QCursor", /::setShape\s*\(/, "shape") +# Property hotSpot (QPoint) +property_reader("QDrag", /::hotSpot\s*\(/, "hotSpot") +property_writer("QDrag", /::setHotSpot\s*\(/, "hotSpot") +# Property mimeData (QMimeData_Native *) +property_reader("QDrag", /::mimeData\s*\(/, "mimeData") +property_writer("QDrag", /::setMimeData\s*\(/, "mimeData") +# Property pixmap (QPixmap_Native) +property_reader("QDrag", /::pixmap\s*\(/, "pixmap") +property_writer("QDrag", /::setPixmap\s*\(/, "pixmap") +# Property dropAction (Qt_DropAction) +property_reader("QDropEvent", /::dropAction\s*\(/, "dropAction") +property_writer("QDropEvent", /::setDropAction\s*\(/, "dropAction") +# Property accepted (bool) +property_reader("QEventPoint", /::isAccepted\s*\(/, "accepted") +property_writer("QEventPoint", /::setAccepted\s*\(/, "accepted") +# Property filter (QDir_QFlags_Filter) +property_reader("QFileSystemModel", /::filter\s*\(/, "filter") +property_writer("QFileSystemModel", /::setFilter\s*\(/, "filter") +# Property iconProvider (QAbstractFileIconProvider_Native *) +property_reader("QFileSystemModel", /::iconProvider\s*\(/, "iconProvider") +property_writer("QFileSystemModel", /::setIconProvider\s*\(/, "iconProvider") +# Property nameFilters (string[]) +property_reader("QFileSystemModel", /::nameFilters\s*\(/, "nameFilters") +property_writer("QFileSystemModel", /::setNameFilters\s*\(/, "nameFilters") # Property parent (QObject_Native *) -property_reader("QObject", /::parent\s*\(/, "parent") +property_reader("QFileSystemModel", /::parent\s*\(/, "parent") property_writer("QObject", /::setParent\s*\(/, "parent") +# Property bold (bool) +property_reader("QFont", /::bold\s*\(/, "bold") +property_writer("QFont", /::setBold\s*\(/, "bold") +# Property capitalization (QFont_Capitalization) +property_reader("QFont", /::capitalization\s*\(/, "capitalization") +property_writer("QFont", /::setCapitalization\s*\(/, "capitalization") +# Property families (string[]) +property_reader("QFont", /::families\s*\(/, "families") +property_writer("QFont", /::setFamilies\s*\(/, "families") +# Property family (string) +property_reader("QFont", /::family\s*\(/, "family") +property_writer("QFont", /::setFamily\s*\(/, "family") +# Property fixedPitch (bool) +property_reader("QFont", /::fixedPitch\s*\(/, "fixedPitch") +property_writer("QFont", /::setFixedPitch\s*\(/, "fixedPitch") +# Property hintingPreference (QFont_HintingPreference) +property_reader("QFont", /::hintingPreference\s*\(/, "hintingPreference") +property_writer("QFont", /::setHintingPreference\s*\(/, "hintingPreference") +# Property italic (bool) +property_reader("QFont", /::italic\s*\(/, "italic") +property_writer("QFont", /::setItalic\s*\(/, "italic") +# Property kerning (bool) +property_reader("QFont", /::kerning\s*\(/, "kerning") +property_writer("QFont", /::setKerning\s*\(/, "kerning") +# Property legacyWeight (int) +property_reader("QFont", /::legacyWeight\s*\(/, "legacyWeight") +property_writer("QFont", /::setLegacyWeight\s*\(/, "legacyWeight") +# Property overline (bool) +property_reader("QFont", /::overline\s*\(/, "overline") +property_writer("QFont", /::setOverline\s*\(/, "overline") +# Property pixelSize (int) +property_reader("QFont", /::pixelSize\s*\(/, "pixelSize") +property_writer("QFont", /::setPixelSize\s*\(/, "pixelSize") +# Property pointSize (int) +property_reader("QFont", /::pointSize\s*\(/, "pointSize") +property_writer("QFont", /::setPointSize\s*\(/, "pointSize") +# Property pointSizeF (double) +property_reader("QFont", /::pointSizeF\s*\(/, "pointSizeF") +property_writer("QFont", /::setPointSizeF\s*\(/, "pointSizeF") +# Property resolveMask (unsigned int) +property_reader("QFont", /::resolveMask\s*\(/, "resolveMask") +property_writer("QFont", /::setResolveMask\s*\(/, "resolveMask") +# Property stretch (int) +property_reader("QFont", /::stretch\s*\(/, "stretch") +property_writer("QFont", /::setStretch\s*\(/, "stretch") +# Property strikeOut (bool) +property_reader("QFont", /::strikeOut\s*\(/, "strikeOut") +property_writer("QFont", /::setStrikeOut\s*\(/, "strikeOut") +# Property style (QFont_Style) +property_reader("QFont", /::style\s*\(/, "style") +property_writer("QFont", /::setStyle\s*\(/, "style") +# Property styleHint (QFont_StyleHint) +property_reader("QFont", /::styleHint\s*\(/, "styleHint") +property_writer("QFont", /::setStyleHint\s*\(/, "styleHint") +# Property styleName (string) +property_reader("QFont", /::styleName\s*\(/, "styleName") +property_writer("QFont", /::setStyleName\s*\(/, "styleName") +# Property styleStrategy (QFont_StyleStrategy) +property_reader("QFont", /::styleStrategy\s*\(/, "styleStrategy") +property_writer("QFont", /::setStyleStrategy\s*\(/, "styleStrategy") +# Property underline (bool) +property_reader("QFont", /::underline\s*\(/, "underline") +property_writer("QFont", /::setUnderline\s*\(/, "underline") +# Property weight (QFont_Weight) +property_reader("QFont", /::weight\s*\(/, "weight") +property_writer("QFont", /::setWeight\s*\(/, "weight") +# Property wordSpacing (double) +property_reader("QFont", /::wordSpacing\s*\(/, "wordSpacing") +property_writer("QFont", /::setWordSpacing\s*\(/, "wordSpacing") +# Property boundingRect (QRectF) +property_reader("QGlyphRun", /::boundingRect\s*\(/, "boundingRect") +property_writer("QGlyphRun", /::setBoundingRect\s*\(/, "boundingRect") +# Property flags (QGlyphRun_QFlags_GlyphRunFlag) +property_reader("QGlyphRun", /::flags\s*\(/, "flags") +property_writer("QGlyphRun", /::setFlags\s*\(/, "flags") +# Property glyphIndexes (unsigned int[]) +property_reader("QGlyphRun", /::glyphIndexes\s*\(/, "glyphIndexes") +property_writer("QGlyphRun", /::setGlyphIndexes\s*\(/, "glyphIndexes") +# Property overline (bool) +property_reader("QGlyphRun", /::overline\s*\(/, "overline") +property_writer("QGlyphRun", /::setOverline\s*\(/, "overline") +# Property positions (QPointF[]) +property_reader("QGlyphRun", /::positions\s*\(/, "positions") +property_writer("QGlyphRun", /::setPositions\s*\(/, "positions") +# Property rawFont (QRawFont) +property_reader("QGlyphRun", /::rawFont\s*\(/, "rawFont") +property_writer("QGlyphRun", /::setRawFont\s*\(/, "rawFont") +# Property rightToLeft (bool) +property_reader("QGlyphRun", /::isRightToLeft\s*\(/, "rightToLeft") +property_writer("QGlyphRun", /::setRightToLeft\s*\(/, "rightToLeft") +# Property strikeOut (bool) +property_reader("QGlyphRun", /::strikeOut\s*\(/, "strikeOut") +property_writer("QGlyphRun", /::setStrikeOut\s*\(/, "strikeOut") +# Property underline (bool) +property_reader("QGlyphRun", /::underline\s*\(/, "underline") +property_writer("QGlyphRun", /::setUnderline\s*\(/, "underline") +# Property coordinateMode (QGradient_CoordinateMode) +property_reader("QGradient", /::coordinateMode\s*\(/, "coordinateMode") +property_writer("QGradient", /::setCoordinateMode\s*\(/, "coordinateMode") +# Property interpolationMode (QGradient_InterpolationMode) +property_reader("QGradient", /::interpolationMode\s*\(/, "interpolationMode") +property_writer("QGradient", /::setInterpolationMode\s*\(/, "interpolationMode") +# Property spread (QGradient_Spread) +property_reader("QGradient", /::spread\s*\(/, "spread") +property_writer("QGradient", /::setSpread\s*\(/, "spread") +# Property stops (QPair_double_QColor[]) +property_reader("QGradient", /::stops\s*\(/, "stops") +property_writer("QGradient", /::setStops\s*\(/, "stops") +# Property desktopSettingsAware (bool) +property_reader("QGuiApplication", /::desktopSettingsAware\s*\(/, "desktopSettingsAware") +property_writer("QGuiApplication", /::setDesktopSettingsAware\s*\(/, "desktopSettingsAware") +# Property font (QFont) +property_reader("QGuiApplication", /::font\s*\(/, "font") +property_writer("QGuiApplication", /::setFont\s*\(/, "font") +# Property highDpiScaleFactorRoundingPolicy (Qt_HighDpiScaleFactorRoundingPolicy) +property_reader("QGuiApplication", /::highDpiScaleFactorRoundingPolicy\s*\(/, "highDpiScaleFactorRoundingPolicy") +property_writer("QGuiApplication", /::setHighDpiScaleFactorRoundingPolicy\s*\(/, "highDpiScaleFactorRoundingPolicy") +# Property palette (QPalette) +property_reader("QGuiApplication", /::palette\s*\(/, "palette") +property_writer("QGuiApplication", /::setPalette\s*\(/, "palette") +# Property fallbackSearchPaths (string[]) +property_reader("QIcon", /::fallbackSearchPaths\s*\(/, "fallbackSearchPaths") +property_writer("QIcon", /::setFallbackSearchPaths\s*\(/, "fallbackSearchPaths") +# Property fallbackThemeName (string) +property_reader("QIcon", /::fallbackThemeName\s*\(/, "fallbackThemeName") +property_writer("QIcon", /::setFallbackThemeName\s*\(/, "fallbackThemeName") +# Property themeName (string) +property_reader("QIcon", /::themeName\s*\(/, "themeName") +property_writer("QIcon", /::setThemeName\s*\(/, "themeName") +# Property themeSearchPaths (string[]) +property_reader("QIcon", /::themeSearchPaths\s*\(/, "themeSearchPaths") +property_writer("QIcon", /::setThemeSearchPaths\s*\(/, "themeSearchPaths") +# Property colorCount (int) +property_reader("QImage", /::colorCount\s*\(/, "colorCount") +property_writer("QImage", /::setColorCount\s*\(/, "colorCount") +# Property colorSpace (QColorSpace) +property_reader("QImage", /::colorSpace\s*\(/, "colorSpace") +property_writer("QImage", /::setColorSpace\s*\(/, "colorSpace") +# Property colorTable (unsigned int[]) +property_reader("QImage", /::colorTable\s*\(/, "colorTable") +property_writer("QImage", /::setColorTable\s*\(/, "colorTable") +# Property devicePixelRatio (double) +property_reader("QImage", /::devicePixelRatio\s*\(/, "devicePixelRatio") +property_writer("QImage", /::setDevicePixelRatio\s*\(/, "devicePixelRatio") +# Property dotsPerMeterX (int) +property_reader("QImage", /::dotsPerMeterX\s*\(/, "dotsPerMeterX") +property_writer("QImage", /::setDotsPerMeterX\s*\(/, "dotsPerMeterX") +# Property dotsPerMeterY (int) +property_reader("QImage", /::dotsPerMeterY\s*\(/, "dotsPerMeterY") +property_writer("QImage", /::setDotsPerMeterY\s*\(/, "dotsPerMeterY") +# Property offset (QPoint) +property_reader("QImage", /::offset\s*\(/, "offset") +property_writer("QImage", /::setOffset\s*\(/, "offset") +# Property device (QIODevice *) +property_reader("QImageIOHandler", /::device\s*\(/, "device") +property_writer("QImageIOHandler", /::setDevice\s*\(/, "device") +# Property format (byte array) +property_reader("QImageIOHandler", /::format\s*\(/, "format") +property_writer("QImageIOHandler", /::setFormat\s*\(/, "format") +# Property allocationLimit (int) +property_reader("QImageReader", /::allocationLimit\s*\(/, "allocationLimit") +property_writer("QImageReader", /::setAllocationLimit\s*\(/, "allocationLimit") +# Property autoDetectImageFormat (bool) +property_reader("QImageReader", /::autoDetectImageFormat\s*\(/, "autoDetectImageFormat") +property_writer("QImageReader", /::setAutoDetectImageFormat\s*\(/, "autoDetectImageFormat") +# Property autoTransform (bool) +property_reader("QImageReader", /::autoTransform\s*\(/, "autoTransform") +property_writer("QImageReader", /::setAutoTransform\s*\(/, "autoTransform") +# Property backgroundColor (QColor) +property_reader("QImageReader", /::backgroundColor\s*\(/, "backgroundColor") +property_writer("QImageReader", /::setBackgroundColor\s*\(/, "backgroundColor") +# Property clipRect (QRect) +property_reader("QImageReader", /::clipRect\s*\(/, "clipRect") +property_writer("QImageReader", /::setClipRect\s*\(/, "clipRect") +# Property decideFormatFromContent (bool) +property_reader("QImageReader", /::decideFormatFromContent\s*\(/, "decideFormatFromContent") +property_writer("QImageReader", /::setDecideFormatFromContent\s*\(/, "decideFormatFromContent") +# Property device (QIODevice *) +property_reader("QImageReader", /::device\s*\(/, "device") +property_writer("QImageReader", /::setDevice\s*\(/, "device") +# Property fileName (string) +property_reader("QImageReader", /::fileName\s*\(/, "fileName") +property_writer("QImageReader", /::setFileName\s*\(/, "fileName") +# Property format (byte array) +property_reader("QImageReader", /::format\s*\(/, "format") +property_writer("QImageReader", /::setFormat\s*\(/, "format") +# Property quality (int) +property_reader("QImageReader", /::quality\s*\(/, "quality") +property_writer("QImageReader", /::setQuality\s*\(/, "quality") +# Property scaledClipRect (QRect) +property_reader("QImageReader", /::scaledClipRect\s*\(/, "scaledClipRect") +property_writer("QImageReader", /::setScaledClipRect\s*\(/, "scaledClipRect") +# Property scaledSize (QSize) +property_reader("QImageReader", /::scaledSize\s*\(/, "scaledSize") +property_writer("QImageReader", /::setScaledSize\s*\(/, "scaledSize") +# Property compression (int) +property_reader("QImageWriter", /::compression\s*\(/, "compression") +property_writer("QImageWriter", /::setCompression\s*\(/, "compression") +# Property device (QIODevice *) +property_reader("QImageWriter", /::device\s*\(/, "device") +property_writer("QImageWriter", /::setDevice\s*\(/, "device") +# Property fileName (string) +property_reader("QImageWriter", /::fileName\s*\(/, "fileName") +property_writer("QImageWriter", /::setFileName\s*\(/, "fileName") +# Property format (byte array) +property_reader("QImageWriter", /::format\s*\(/, "format") +property_writer("QImageWriter", /::setFormat\s*\(/, "format") +# Property optimizedWrite (bool) +property_reader("QImageWriter", /::optimizedWrite\s*\(/, "optimizedWrite") +property_writer("QImageWriter", /::setOptimizedWrite\s*\(/, "optimizedWrite") +# Property progressiveScanWrite (bool) +property_reader("QImageWriter", /::progressiveScanWrite\s*\(/, "progressiveScanWrite") +property_writer("QImageWriter", /::setProgressiveScanWrite\s*\(/, "progressiveScanWrite") +# Property quality (int) +property_reader("QImageWriter", /::quality\s*\(/, "quality") +property_writer("QImageWriter", /::setQuality\s*\(/, "quality") +# Property subType (byte array) +property_reader("QImageWriter", /::subType\s*\(/, "subType") +property_writer("QImageWriter", /::setSubType\s*\(/, "subType") +# Property transformation (QImageIOHandler_QFlags_Transformation) +property_reader("QImageWriter", /::transformation\s*\(/, "transformation") +property_writer("QImageWriter", /::setTransformation\s*\(/, "transformation") +# Property modifiers (Qt_QFlags_KeyboardModifier) +property_reader("QInputEvent", /::modifiers\s*\(/, "modifiers") +property_writer("QInputEvent", /::setModifiers\s*\(/, "modifiers") +# Property timestamp (unsigned long long) +property_reader("QInputEvent", /::timestamp\s*\(/, "timestamp") +property_writer("QInputEvent", /::setTimestamp\s*\(/, "timestamp") +# Property inputItemRectangle (QRectF) +property_reader("QInputMethod", /::inputItemRectangle\s*\(/, "inputItemRectangle") +property_writer("QInputMethod", /::setInputItemRectangle\s*\(/, "inputItemRectangle") +# Property inputItemTransform (QTransform) +property_reader("QInputMethod", /::inputItemTransform\s*\(/, "inputItemTransform") +property_writer("QInputMethod", /::setInputItemTransform\s*\(/, "inputItemTransform") +# Property modifiers (Qt_QFlags_KeyboardModifier) +property_reader("QKeyEvent", /::modifiers\s*\(/, "modifiers") +property_writer("QInputEvent", /::setModifiers\s*\(/, "modifiers") +# Property finalStop (QPointF) +property_reader("QLinearGradient", /::finalStop\s*\(/, "finalStop") +property_writer("QLinearGradient", /::setFinalStop\s*\(/, "finalStop") +# Property start (QPointF) +property_reader("QLinearGradient", /::start\s*\(/, "start") +property_writer("QLinearGradient", /::setStart\s*\(/, "start") +# Property backgroundColor (QColor) +property_reader("QMovie", /::backgroundColor\s*\(/, "backgroundColor") +property_writer("QMovie", /::setBackgroundColor\s*\(/, "backgroundColor") +# Property device (QIODevice *) +property_reader("QMovie", /::device\s*\(/, "device") +property_writer("QMovie", /::setDevice\s*\(/, "device") +# Property fileName (string) +property_reader("QMovie", /::fileName\s*\(/, "fileName") +property_writer("QMovie", /::setFileName\s*\(/, "fileName") +# Property format (byte array) +property_reader("QMovie", /::format\s*\(/, "format") +property_writer("QMovie", /::setFormat\s*\(/, "format") +# Property scaledSize (QSize) +property_reader("QMovie", /::scaledSize\s*\(/, "scaledSize") +property_writer("QMovie", /::setScaledSize\s*\(/, "scaledSize") # Property format (QSurfaceFormat) property_reader("QOffscreenSurface", /::format\s*\(/, "format") property_writer("QOffscreenSurface", /::setFormat\s*\(/, "format") @@ -13414,15 +12132,9 @@ property_writer("QPageLayout", /::setPageSize\s*\(/, "pageSize") # Property units (QPageLayout_Unit) property_reader("QPageLayout", /::units\s*\(/, "units") property_writer("QPageLayout", /::setUnits\s*\(/, "units") -# Property margins (QPagedPaintDevice_Margins) -property_reader("QPagedPaintDevice", /::margins\s*\(/, "margins") -property_writer("QPagedPaintDevice", /::setMargins\s*\(/, "margins") -# Property pageSize (QPagedPaintDevice_PageSize) -property_reader("QPagedPaintDevice", /::pageSize\s*\(/, "pageSize") -property_writer("QPagedPaintDevice", /::setPageSize\s*\(/, "pageSize") -# Property pageSizeMM (QSizeF) -property_reader("QPagedPaintDevice", /::pageSizeMM\s*\(/, "pageSizeMM") -property_writer("QPagedPaintDevice", /::setPageSizeMM\s*\(/, "pageSizeMM") +# Property pageRanges (QPageRanges) +property_reader("QPagedPaintDevice", /::pageRanges\s*\(/, "pageRanges") +property_writer("QPagedPaintDevice", /::setPageRanges\s*\(/, "pageRanges") # Property active (bool) property_reader("QPaintEngine", /::isActive\s*\(/, "active") property_writer("QPaintEngine", /::setActive\s*\(/, "active") @@ -13465,12 +12177,6 @@ property_writer("QPainter", /::setFont\s*\(/, "font") # Property layoutDirection (Qt_LayoutDirection) property_reader("QPainter", /::layoutDirection\s*\(/, "layoutDirection") property_writer("QPainter", /::setLayoutDirection\s*\(/, "layoutDirection") -# Property matrix (QMatrix) -property_reader("QPainter", /::matrix\s*\(/, "matrix") -property_writer("QPainter", /::setMatrix\s*\(/, "matrix") -# Property matrixEnabled (bool) -property_reader("QPainter", /::matrixEnabled\s*\(/, "matrixEnabled") -property_writer("QPainter", /::setMatrixEnabled\s*\(/, "matrixEnabled") # Property opacity (double) property_reader("QPainter", /::opacity\s*\(/, "opacity") property_writer("QPainter", /::setOpacity\s*\(/, "opacity") @@ -13489,240 +12195,105 @@ property_writer("QPainter", /::setViewport\s*\(/, "viewport") # Property window (QRect) property_reader("QPainter", /::window\s*\(/, "window") property_writer("QPainter", /::setWindow\s*\(/, "window") -# Property worldMatrix (QMatrix) -property_reader("QPainter", /::worldMatrix\s*\(/, "worldMatrix") -property_writer("QPainter", /::setWorldMatrix\s*\(/, "worldMatrix") # Property worldMatrixEnabled (bool) property_reader("QPainter", /::worldMatrixEnabled\s*\(/, "worldMatrixEnabled") -property_writer("QPainter", /::setWorldMatrixEnabled\s*\(/, "worldMatrixEnabled") -# Property worldTransform (QTransform) -property_reader("QPainter", /::worldTransform\s*\(/, "worldTransform") -property_writer("QPainter", /::setWorldTransform\s*\(/, "worldTransform") -# Property fillRule (Qt_FillRule) -property_reader("QPainterPath", /::fillRule\s*\(/, "fillRule") -property_writer("QPainterPath", /::setFillRule\s*\(/, "fillRule") -# Property capStyle (Qt_PenCapStyle) -property_reader("QPainterPathStroker", /::capStyle\s*\(/, "capStyle") -property_writer("QPainterPathStroker", /::setCapStyle\s*\(/, "capStyle") -# Property curveThreshold (double) -property_reader("QPainterPathStroker", /::curveThreshold\s*\(/, "curveThreshold") -property_writer("QPainterPathStroker", /::setCurveThreshold\s*\(/, "curveThreshold") -# Property dashOffset (double) -property_reader("QPainterPathStroker", /::dashOffset\s*\(/, "dashOffset") -property_writer("QPainterPathStroker", /::setDashOffset\s*\(/, "dashOffset") -# Property joinStyle (Qt_PenJoinStyle) -property_reader("QPainterPathStroker", /::joinStyle\s*\(/, "joinStyle") -property_writer("QPainterPathStroker", /::setJoinStyle\s*\(/, "joinStyle") -# Property miterLimit (double) -property_reader("QPainterPathStroker", /::miterLimit\s*\(/, "miterLimit") -property_writer("QPainterPathStroker", /::setMiterLimit\s*\(/, "miterLimit") -# Property width (double) -property_reader("QPainterPathStroker", /::width\s*\(/, "width") -property_writer("QPainterPathStroker", /::setWidth\s*\(/, "width") -# Property currentColorGroup (QPalette_ColorGroup) -property_reader("QPalette", /::currentColorGroup\s*\(/, "currentColorGroup") -property_writer("QPalette", /::setCurrentColorGroup\s*\(/, "currentColorGroup") -# Property creator (string) -property_reader("QPdfWriter", /::creator\s*\(/, "creator") -property_writer("QPdfWriter", /::setCreator\s*\(/, "creator") -# Property resolution (int) -property_reader("QPdfWriter", /::resolution\s*\(/, "resolution") -property_writer("QPdfWriter", /::setResolution\s*\(/, "resolution") -# Property title (string) -property_reader("QPdfWriter", /::title\s*\(/, "title") -property_writer("QPdfWriter", /::setTitle\s*\(/, "title") -# Property brush (QBrush) -property_reader("QPen", /::brush\s*\(/, "brush") -property_writer("QPen", /::setBrush\s*\(/, "brush") -# Property capStyle (Qt_PenCapStyle) -property_reader("QPen", /::capStyle\s*\(/, "capStyle") -property_writer("QPen", /::setCapStyle\s*\(/, "capStyle") -# Property color (QColor) -property_reader("QPen", /::color\s*\(/, "color") -property_writer("QPen", /::setColor\s*\(/, "color") -# Property cosmetic (bool) -property_reader("QPen", /::isCosmetic\s*\(/, "cosmetic") -property_writer("QPen", /::setCosmetic\s*\(/, "cosmetic") -# Property dashOffset (double) -property_reader("QPen", /::dashOffset\s*\(/, "dashOffset") -property_writer("QPen", /::setDashOffset\s*\(/, "dashOffset") -# Property dashPattern (double[]) -property_reader("QPen", /::dashPattern\s*\(/, "dashPattern") -property_writer("QPen", /::setDashPattern\s*\(/, "dashPattern") -# Property joinStyle (Qt_PenJoinStyle) -property_reader("QPen", /::joinStyle\s*\(/, "joinStyle") -property_writer("QPen", /::setJoinStyle\s*\(/, "joinStyle") -# Property miterLimit (double) -property_reader("QPen", /::miterLimit\s*\(/, "miterLimit") -property_writer("QPen", /::setMiterLimit\s*\(/, "miterLimit") -# Property style (Qt_PenStyle) -property_reader("QPen", /::style\s*\(/, "style") -property_writer("QPen", /::setStyle\s*\(/, "style") -# Property width (int) -property_reader("QPen", /::width\s*\(/, "width") -property_writer("QPen", /::setWidth\s*\(/, "width") -# Property widthF (double) -property_reader("QPen", /::widthF\s*\(/, "widthF") -property_writer("QPen", /::setWidthF\s*\(/, "widthF") -# Property boundingRect (QRect) -property_reader("QPicture", /::boundingRect\s*\(/, "boundingRect") -property_writer("QPicture", /::setBoundingRect\s*\(/, "boundingRect") -# Property devicePixelRatio (double) -property_reader("QPixmap", /::devicePixelRatio\s*\(/, "devicePixelRatio") -property_writer("QPixmap", /::setDevicePixelRatio\s*\(/, "devicePixelRatio") -# Property mask (QBitmap_Native) -property_reader("QPixmap", /::mask\s*\(/, "mask") -property_writer("QPixmap", /::setMask\s*\(/, "mask") -# Property cacheLimit (int) -property_reader("QPixmapCache", /::cacheLimit\s*\(/, "cacheLimit") -property_writer("QPixmapCache", /::setCacheLimit\s*\(/, "cacheLimit") -# Property currentCharFormat (QTextCharFormat) -property_reader("QPlainTextEdit", /::currentCharFormat\s*\(/, "currentCharFormat") -property_writer("QPlainTextEdit", /::setCurrentCharFormat\s*\(/, "currentCharFormat") -# Property document (QTextDocument_Native *) -property_reader("QPlainTextEdit", /::document\s*\(/, "document") -property_writer("QPlainTextEdit", /::setDocument\s*\(/, "document") -# Property extraSelections (QTextEdit_ExtraSelection[]) -property_reader("QPlainTextEdit", /::extraSelections\s*\(/, "extraSelections") -property_writer("QPlainTextEdit", /::setExtraSelections\s*\(/, "extraSelections") -# Property textCursor (QTextCursor) -property_reader("QPlainTextEdit", /::textCursor\s*\(/, "textCursor") -property_writer("QPlainTextEdit", /::setTextCursor\s*\(/, "textCursor") -# Property wordWrapMode (QTextOption_WrapMode) -property_reader("QPlainTextEdit", /::wordWrapMode\s*\(/, "wordWrapMode") -property_writer("QPlainTextEdit", /::setWordWrapMode\s*\(/, "wordWrapMode") -# Property x (int) -property_reader("QPoint", /::x\s*\(/, "x") -property_writer("QPoint", /::setX\s*\(/, "x") -# Property y (int) -property_reader("QPoint", /::y\s*\(/, "y") -property_writer("QPoint", /::setY\s*\(/, "y") -# Property x (double) -property_reader("QPointF", /::x\s*\(/, "x") -property_writer("QPointF", /::setX\s*\(/, "x") -# Property y (double) -property_reader("QPointF", /::y\s*\(/, "y") -property_writer("QPointF", /::setY\s*\(/, "y") -# Property currentPage (int) -property_reader("QPrintPreviewWidget", /::currentPage\s*\(/, "currentPage") -property_writer("QPrintPreviewWidget", /::setCurrentPage\s*\(/, "currentPage") -# Property orientation (QPrinter_Orientation) -property_reader("QPrintPreviewWidget", /::orientation\s*\(/, "orientation") -property_writer("QPrintPreviewWidget", /::setOrientation\s*\(/, "orientation") -# Property viewMode (QPrintPreviewWidget_ViewMode) -property_reader("QPrintPreviewWidget", /::viewMode\s*\(/, "viewMode") -property_writer("QPrintPreviewWidget", /::setViewMode\s*\(/, "viewMode") -# Property zoomFactor (double) -property_reader("QPrintPreviewWidget", /::zoomFactor\s*\(/, "zoomFactor") -property_writer("QPrintPreviewWidget", /::setZoomFactor\s*\(/, "zoomFactor") -# Property zoomMode (QPrintPreviewWidget_ZoomMode) -property_reader("QPrintPreviewWidget", /::zoomMode\s*\(/, "zoomMode") -property_writer("QPrintPreviewWidget", /::setZoomMode\s*\(/, "zoomMode") -# Property collateCopies (bool) -property_reader("QPrinter", /::collateCopies\s*\(/, "collateCopies") -property_writer("QPrinter", /::setCollateCopies\s*\(/, "collateCopies") -# Property colorMode (QPrinter_ColorMode) -property_reader("QPrinter", /::colorMode\s*\(/, "colorMode") -property_writer("QPrinter", /::setColorMode\s*\(/, "colorMode") -# Property copyCount (int) -property_reader("QPrinter", /::copyCount\s*\(/, "copyCount") -property_writer("QPrinter", /::setCopyCount\s*\(/, "copyCount") -# Property creator (string) -property_reader("QPrinter", /::creator\s*\(/, "creator") -property_writer("QPrinter", /::setCreator\s*\(/, "creator") -# Property docName (string) -property_reader("QPrinter", /::docName\s*\(/, "docName") -property_writer("QPrinter", /::setDocName\s*\(/, "docName") -# Property doubleSidedPrinting (bool) -property_reader("QPrinter", /::doubleSidedPrinting\s*\(/, "doubleSidedPrinting") -property_writer("QPrinter", /::setDoubleSidedPrinting\s*\(/, "doubleSidedPrinting") -# Property duplex (QPrinter_DuplexMode) -property_reader("QPrinter", /::duplex\s*\(/, "duplex") -property_writer("QPrinter", /::setDuplex\s*\(/, "duplex") -# Property fontEmbeddingEnabled (bool) -property_reader("QPrinter", /::fontEmbeddingEnabled\s*\(/, "fontEmbeddingEnabled") -property_writer("QPrinter", /::setFontEmbeddingEnabled\s*\(/, "fontEmbeddingEnabled") -# Property fullPage (bool) -property_reader("QPrinter", /::fullPage\s*\(/, "fullPage") -property_writer("QPrinter", /::setFullPage\s*\(/, "fullPage") -# Property margins (QPagedPaintDevice_Margins) -property_reader("QPagedPaintDevice", /::margins\s*\(/, "margins") -property_writer("QPrinter", /::setMargins\s*\(/, "margins") -# Property numCopies (int) -property_reader("QPrinter", /::numCopies\s*\(/, "numCopies") -property_writer("QPrinter", /::setNumCopies\s*\(/, "numCopies") -# Property orientation (QPrinter_Orientation) -property_reader("QPrinter", /::orientation\s*\(/, "orientation") -property_writer("QPrinter", /::setOrientation\s*\(/, "orientation") -# Property outputFileName (string) -property_reader("QPrinter", /::outputFileName\s*\(/, "outputFileName") -property_writer("QPrinter", /::setOutputFileName\s*\(/, "outputFileName") -# Property outputFormat (QPrinter_OutputFormat) -property_reader("QPrinter", /::outputFormat\s*\(/, "outputFormat") -property_writer("QPrinter", /::setOutputFormat\s*\(/, "outputFormat") -# Property pageOrder (QPrinter_PageOrder) -property_reader("QPrinter", /::pageOrder\s*\(/, "pageOrder") -property_writer("QPrinter", /::setPageOrder\s*\(/, "pageOrder") -# Property pageSize (QPagedPaintDevice_PageSize) -property_reader("QPrinter", /::pageSize\s*\(/, "pageSize") -property_writer("QPrinter", /::setPageSize\s*\(/, "pageSize") -# Property pageSizeMM (QSizeF) -property_reader("QPagedPaintDevice", /::pageSizeMM\s*\(/, "pageSizeMM") -property_writer("QPrinter", /::setPageSizeMM\s*\(/, "pageSizeMM") -# Property paperName (string) -property_reader("QPrinter", /::paperName\s*\(/, "paperName") -property_writer("QPrinter", /::setPaperName\s*\(/, "paperName") -# Property paperSize (QPagedPaintDevice_PageSize) -property_reader("QPrinter", /::paperSize\s*\(/, "paperSize") -property_writer("QPrinter", /::setPaperSize\s*\(/, "paperSize") -# Property paperSource (QPrinter_PaperSource) -property_reader("QPrinter", /::paperSource\s*\(/, "paperSource") -property_writer("QPrinter", /::setPaperSource\s*\(/, "paperSource") -# Property printProgram (string) -property_reader("QPrinter", /::printProgram\s*\(/, "printProgram") -property_writer("QPrinter", /::setPrintProgram\s*\(/, "printProgram") -# Property printRange (QPrinter_PrintRange) -property_reader("QPrinter", /::printRange\s*\(/, "printRange") -property_writer("QPrinter", /::setPrintRange\s*\(/, "printRange") -# Property printerName (string) -property_reader("QPrinter", /::printerName\s*\(/, "printerName") -property_writer("QPrinter", /::setPrinterName\s*\(/, "printerName") +property_writer("QPainter", /::setWorldMatrixEnabled\s*\(/, "worldMatrixEnabled") +# Property worldTransform (QTransform) +property_reader("QPainter", /::worldTransform\s*\(/, "worldTransform") +property_writer("QPainter", /::setWorldTransform\s*\(/, "worldTransform") +# Property fillRule (Qt_FillRule) +property_reader("QPainterPath", /::fillRule\s*\(/, "fillRule") +property_writer("QPainterPath", /::setFillRule\s*\(/, "fillRule") +# Property capStyle (Qt_PenCapStyle) +property_reader("QPainterPathStroker", /::capStyle\s*\(/, "capStyle") +property_writer("QPainterPathStroker", /::setCapStyle\s*\(/, "capStyle") +# Property curveThreshold (double) +property_reader("QPainterPathStroker", /::curveThreshold\s*\(/, "curveThreshold") +property_writer("QPainterPathStroker", /::setCurveThreshold\s*\(/, "curveThreshold") +# Property dashOffset (double) +property_reader("QPainterPathStroker", /::dashOffset\s*\(/, "dashOffset") +property_writer("QPainterPathStroker", /::setDashOffset\s*\(/, "dashOffset") +# Property joinStyle (Qt_PenJoinStyle) +property_reader("QPainterPathStroker", /::joinStyle\s*\(/, "joinStyle") +property_writer("QPainterPathStroker", /::setJoinStyle\s*\(/, "joinStyle") +# Property miterLimit (double) +property_reader("QPainterPathStroker", /::miterLimit\s*\(/, "miterLimit") +property_writer("QPainterPathStroker", /::setMiterLimit\s*\(/, "miterLimit") +# Property width (double) +property_reader("QPainterPathStroker", /::width\s*\(/, "width") +property_writer("QPainterPathStroker", /::setWidth\s*\(/, "width") +# Property currentColorGroup (QPalette_ColorGroup) +property_reader("QPalette", /::currentColorGroup\s*\(/, "currentColorGroup") +property_writer("QPalette", /::setCurrentColorGroup\s*\(/, "currentColorGroup") +# Property resolveMask (unsigned long long) +property_reader("QPalette", /::resolveMask\s*\(/, "resolveMask") +property_writer("QPalette", /::setResolveMask\s*\(/, "resolveMask") +# Property creator (string) +property_reader("QPdfWriter", /::creator\s*\(/, "creator") +property_writer("QPdfWriter", /::setCreator\s*\(/, "creator") +# Property documentXmpMetadata (byte array) +property_reader("QPdfWriter", /::documentXmpMetadata\s*\(/, "documentXmpMetadata") +property_writer("QPdfWriter", /::setDocumentXmpMetadata\s*\(/, "documentXmpMetadata") +# Property pdfVersion (QPagedPaintDevice_PdfVersion) +property_reader("QPdfWriter", /::pdfVersion\s*\(/, "pdfVersion") +property_writer("QPdfWriter", /::setPdfVersion\s*\(/, "pdfVersion") # Property resolution (int) -property_reader("QPrinter", /::resolution\s*\(/, "resolution") -property_writer("QPrinter", /::setResolution\s*\(/, "resolution") -# Property winPageSize (int) -property_reader("QPrinter", /::winPageSize\s*\(/, "winPageSize") -property_writer("QPrinter", /::setWinPageSize\s*\(/, "winPageSize") -# Property arguments (string[]) -property_reader("QProcess", /::arguments\s*\(/, "arguments") -property_writer("QProcess", /::setArguments\s*\(/, "arguments") -# Property environment (string[]) -property_reader("QProcess", /::environment\s*\(/, "environment") -property_writer("QProcess", /::setEnvironment\s*\(/, "environment") -# Property inputChannelMode (QProcess_InputChannelMode) -property_reader("QProcess", /::inputChannelMode\s*\(/, "inputChannelMode") -property_writer("QProcess", /::setInputChannelMode\s*\(/, "inputChannelMode") -# Property processChannelMode (QProcess_ProcessChannelMode) -property_reader("QProcess", /::processChannelMode\s*\(/, "processChannelMode") -property_writer("QProcess", /::setProcessChannelMode\s*\(/, "processChannelMode") -# Property processEnvironment (QProcessEnvironment) -property_reader("QProcess", /::processEnvironment\s*\(/, "processEnvironment") -property_writer("QProcess", /::setProcessEnvironment\s*\(/, "processEnvironment") -# Property program (string) -property_reader("QProcess", /::program\s*\(/, "program") -property_writer("QProcess", /::setProgram\s*\(/, "program") -# Property readChannel (QProcess_ProcessChannel) -property_reader("QProcess", /::readChannel\s*\(/, "readChannel") -property_writer("QProcess", /::setReadChannel\s*\(/, "readChannel") -# Property readChannelMode (QProcess_ProcessChannelMode) -property_reader("QProcess", /::readChannelMode\s*\(/, "readChannelMode") -property_writer("QProcess", /::setReadChannelMode\s*\(/, "readChannelMode") -# Property workingDirectory (string) -property_reader("QProcess", /::workingDirectory\s*\(/, "workingDirectory") -property_writer("QProcess", /::setWorkingDirectory\s*\(/, "workingDirectory") -# Property menu (QMenu_Native *) -property_reader("QPushButton", /::menu\s*\(/, "menu") -property_writer("QPushButton", /::setMenu\s*\(/, "menu") +property_reader("QPdfWriter", /::resolution\s*\(/, "resolution") +property_writer("QPdfWriter", /::setResolution\s*\(/, "resolution") +# Property title (string) +property_reader("QPdfWriter", /::title\s*\(/, "title") +property_writer("QPdfWriter", /::setTitle\s*\(/, "title") +# Property brush (QBrush) +property_reader("QPen", /::brush\s*\(/, "brush") +property_writer("QPen", /::setBrush\s*\(/, "brush") +# Property capStyle (Qt_PenCapStyle) +property_reader("QPen", /::capStyle\s*\(/, "capStyle") +property_writer("QPen", /::setCapStyle\s*\(/, "capStyle") +# Property color (QColor) +property_reader("QPen", /::color\s*\(/, "color") +property_writer("QPen", /::setColor\s*\(/, "color") +# Property cosmetic (bool) +property_reader("QPen", /::isCosmetic\s*\(/, "cosmetic") +property_writer("QPen", /::setCosmetic\s*\(/, "cosmetic") +# Property dashOffset (double) +property_reader("QPen", /::dashOffset\s*\(/, "dashOffset") +property_writer("QPen", /::setDashOffset\s*\(/, "dashOffset") +# Property dashPattern (double[]) +property_reader("QPen", /::dashPattern\s*\(/, "dashPattern") +property_writer("QPen", /::setDashPattern\s*\(/, "dashPattern") +# Property joinStyle (Qt_PenJoinStyle) +property_reader("QPen", /::joinStyle\s*\(/, "joinStyle") +property_writer("QPen", /::setJoinStyle\s*\(/, "joinStyle") +# Property miterLimit (double) +property_reader("QPen", /::miterLimit\s*\(/, "miterLimit") +property_writer("QPen", /::setMiterLimit\s*\(/, "miterLimit") +# Property style (Qt_PenStyle) +property_reader("QPen", /::style\s*\(/, "style") +property_writer("QPen", /::setStyle\s*\(/, "style") +# Property width (int) +property_reader("QPen", /::width\s*\(/, "width") +property_writer("QPen", /::setWidth\s*\(/, "width") +# Property widthF (double) +property_reader("QPen", /::widthF\s*\(/, "widthF") +property_writer("QPen", /::setWidthF\s*\(/, "widthF") +# Property boundingRect (QRect) +property_reader("QPicture", /::boundingRect\s*\(/, "boundingRect") +property_writer("QPicture", /::setBoundingRect\s*\(/, "boundingRect") +# Property devicePixelRatio (double) +property_reader("QPixmap", /::devicePixelRatio\s*\(/, "devicePixelRatio") +property_writer("QPixmap", /::setDevicePixelRatio\s*\(/, "devicePixelRatio") +# Property mask (QBitmap_Native) +property_reader("QPixmap", /::mask\s*\(/, "mask") +property_writer("QPixmap", /::setMask\s*\(/, "mask") +# Property cacheLimit (int) +property_reader("QPixmapCache", /::cacheLimit\s*\(/, "cacheLimit") +property_writer("QPixmapCache", /::setCacheLimit\s*\(/, "cacheLimit") +# Property accepted (bool) +property_reader("QEvent", /::isAccepted\s*\(/, "accepted") +property_writer("QPointerEvent", /::setAccepted\s*\(/, "accepted") +# Property timestamp (unsigned long long) +property_reader("QInputEvent", /::timestamp\s*\(/, "timestamp") +property_writer("QPointerEvent", /::setTimestamp\s*\(/, "timestamp") # Property scalar (float) property_reader("QQuaternion", /::scalar\s*\(/, "scalar") property_writer("QQuaternion", /::setScalar\s*\(/, "scalar") @@ -13730,635 +12301,1595 @@ property_writer("QQuaternion", /::setScalar\s*\(/, "scalar") property_reader("QQuaternion", /::vector\s*\(/, "vector") property_writer("QQuaternion", /::setVector\s*\(/, "vector") # Property x (float) -property_reader("QQuaternion", /::x\s*\(/, "x") -property_writer("QQuaternion", /::setX\s*\(/, "x") +property_reader("QQuaternion", /::x\s*\(/, "x") +property_writer("QQuaternion", /::setX\s*\(/, "x") +# Property y (float) +property_reader("QQuaternion", /::y\s*\(/, "y") +property_writer("QQuaternion", /::setY\s*\(/, "y") +# Property z (float) +property_reader("QQuaternion", /::z\s*\(/, "z") +property_writer("QQuaternion", /::setZ\s*\(/, "z") +# Property center (QPointF) +property_reader("QRadialGradient", /::center\s*\(/, "center") +property_writer("QRadialGradient", /::setCenter\s*\(/, "center") +# Property centerRadius (double) +property_reader("QRadialGradient", /::centerRadius\s*\(/, "centerRadius") +property_writer("QRadialGradient", /::setCenterRadius\s*\(/, "centerRadius") +# Property focalPoint (QPointF) +property_reader("QRadialGradient", /::focalPoint\s*\(/, "focalPoint") +property_writer("QRadialGradient", /::setFocalPoint\s*\(/, "focalPoint") +# Property focalRadius (double) +property_reader("QRadialGradient", /::focalRadius\s*\(/, "focalRadius") +property_writer("QRadialGradient", /::setFocalRadius\s*\(/, "focalRadius") +# Property radius (double) +property_reader("QRadialGradient", /::radius\s*\(/, "radius") +property_writer("QRadialGradient", /::setRadius\s*\(/, "radius") +# Property pixelSize (double) +property_reader("QRawFont", /::pixelSize\s*\(/, "pixelSize") +property_writer("QRawFont", /::setPixelSize\s*\(/, "pixelSize") +# Property alpha (unsigned short) +property_reader("QRgba64", /::alpha\s*\(/, "alpha") +property_writer("QRgba64", /::setAlpha\s*\(/, "alpha") +# Property blue (unsigned short) +property_reader("QRgba64", /::blue\s*\(/, "blue") +property_writer("QRgba64", /::setBlue\s*\(/, "blue") +# Property green (unsigned short) +property_reader("QRgba64", /::green\s*\(/, "green") +property_writer("QRgba64", /::setGreen\s*\(/, "green") +# Property red (unsigned short) +property_reader("QRgba64", /::red\s*\(/, "red") +property_writer("QRgba64", /::setRed\s*\(/, "red") +# Property contentPos (QPointF) +property_reader("QScrollPrepareEvent", /::contentPos\s*\(/, "contentPos") +property_writer("QScrollPrepareEvent", /::setContentPos\s*\(/, "contentPos") +# Property contentPosRange (QRectF) +property_reader("QScrollPrepareEvent", /::contentPosRange\s*\(/, "contentPosRange") +property_writer("QScrollPrepareEvent", /::setContentPosRange\s*\(/, "contentPosRange") +# Property viewportSize (QSizeF) +property_reader("QScrollPrepareEvent", /::viewportSize\s*\(/, "viewportSize") +property_writer("QScrollPrepareEvent", /::setViewportSize\s*\(/, "viewportSize") +# Property discardCommand (string[]) +property_reader("QSessionManager", /::discardCommand\s*\(/, "discardCommand") +property_writer("QSessionManager", /::setDiscardCommand\s*\(/, "discardCommand") +# Property restartCommand (string[]) +property_reader("QSessionManager", /::restartCommand\s*\(/, "restartCommand") +property_writer("QSessionManager", /::setRestartCommand\s*\(/, "restartCommand") +# Property restartHint (QSessionManager_RestartHint) +property_reader("QSessionManager", /::restartHint\s*\(/, "restartHint") +property_writer("QSessionManager", /::setRestartHint\s*\(/, "restartHint") +# Property whatsThis (string) +property_reader("QShortcut", /::whatsThis\s*\(/, "whatsThis") +property_writer("QShortcut", /::setWhatsThis\s*\(/, "whatsThis") +# Property exclusivePointGrabber (QObject_Native *) +property_reader("QSinglePointEvent", /::exclusivePointGrabber\s*\(/, "exclusivePointGrabber") +property_writer("QSinglePointEvent", /::setExclusivePointGrabber\s*\(/, "exclusivePointGrabber") +# Property accessibleDescription (string) +property_reader("QStandardItem", /::accessibleDescription\s*\(/, "accessibleDescription") +property_writer("QStandardItem", /::setAccessibleDescription\s*\(/, "accessibleDescription") +# Property accessibleText (string) +property_reader("QStandardItem", /::accessibleText\s*\(/, "accessibleText") +property_writer("QStandardItem", /::setAccessibleText\s*\(/, "accessibleText") +# Property autoTristate (bool) +property_reader("QStandardItem", /::isAutoTristate\s*\(/, "autoTristate") +property_writer("QStandardItem", /::setAutoTristate\s*\(/, "autoTristate") +# Property background (QBrush) +property_reader("QStandardItem", /::background\s*\(/, "background") +property_writer("QStandardItem", /::setBackground\s*\(/, "background") +# Property checkState (Qt_CheckState) +property_reader("QStandardItem", /::checkState\s*\(/, "checkState") +property_writer("QStandardItem", /::setCheckState\s*\(/, "checkState") +# Property checkable (bool) +property_reader("QStandardItem", /::isCheckable\s*\(/, "checkable") +property_writer("QStandardItem", /::setCheckable\s*\(/, "checkable") +# Property columnCount (int) +property_reader("QStandardItem", /::columnCount\s*\(/, "columnCount") +property_writer("QStandardItem", /::setColumnCount\s*\(/, "columnCount") +# Property data (variant) +property_reader("QStandardItem", /::data\s*\(/, "data") +property_writer("QStandardItem", /::setData\s*\(/, "data") +# Property dragEnabled (bool) +property_reader("QStandardItem", /::isDragEnabled\s*\(/, "dragEnabled") +property_writer("QStandardItem", /::setDragEnabled\s*\(/, "dragEnabled") +# Property dropEnabled (bool) +property_reader("QStandardItem", /::isDropEnabled\s*\(/, "dropEnabled") +property_writer("QStandardItem", /::setDropEnabled\s*\(/, "dropEnabled") +# Property editable (bool) +property_reader("QStandardItem", /::isEditable\s*\(/, "editable") +property_writer("QStandardItem", /::setEditable\s*\(/, "editable") +# Property enabled (bool) +property_reader("QStandardItem", /::isEnabled\s*\(/, "enabled") +property_writer("QStandardItem", /::setEnabled\s*\(/, "enabled") +# Property flags (Qt_QFlags_ItemFlag) +property_reader("QStandardItem", /::flags\s*\(/, "flags") +property_writer("QStandardItem", /::setFlags\s*\(/, "flags") +# Property font (QFont) +property_reader("QStandardItem", /::font\s*\(/, "font") +property_writer("QStandardItem", /::setFont\s*\(/, "font") +# Property foreground (QBrush) +property_reader("QStandardItem", /::foreground\s*\(/, "foreground") +property_writer("QStandardItem", /::setForeground\s*\(/, "foreground") +# Property icon (QIcon) +property_reader("QStandardItem", /::icon\s*\(/, "icon") +property_writer("QStandardItem", /::setIcon\s*\(/, "icon") +# Property rowCount (int) +property_reader("QStandardItem", /::rowCount\s*\(/, "rowCount") +property_writer("QStandardItem", /::setRowCount\s*\(/, "rowCount") +# Property selectable (bool) +property_reader("QStandardItem", /::isSelectable\s*\(/, "selectable") +property_writer("QStandardItem", /::setSelectable\s*\(/, "selectable") +# Property sizeHint (QSize) +property_reader("QStandardItem", /::sizeHint\s*\(/, "sizeHint") +property_writer("QStandardItem", /::setSizeHint\s*\(/, "sizeHint") +# Property statusTip (string) +property_reader("QStandardItem", /::statusTip\s*\(/, "statusTip") +property_writer("QStandardItem", /::setStatusTip\s*\(/, "statusTip") +# Property text (string) +property_reader("QStandardItem", /::text\s*\(/, "text") +property_writer("QStandardItem", /::setText\s*\(/, "text") +# Property textAlignment (Qt_QFlags_AlignmentFlag) +property_reader("QStandardItem", /::textAlignment\s*\(/, "textAlignment") +property_writer("QStandardItem", /::setTextAlignment\s*\(/, "textAlignment") +# Property toolTip (string) +property_reader("QStandardItem", /::toolTip\s*\(/, "toolTip") +property_writer("QStandardItem", /::setToolTip\s*\(/, "toolTip") +# Property userTristate (bool) +property_reader("QStandardItem", /::isUserTristate\s*\(/, "userTristate") +property_writer("QStandardItem", /::setUserTristate\s*\(/, "userTristate") +# Property whatsThis (string) +property_reader("QStandardItem", /::whatsThis\s*\(/, "whatsThis") +property_writer("QStandardItem", /::setWhatsThis\s*\(/, "whatsThis") +# Property columnCount (int) +property_reader("QStandardItemModel", /::columnCount\s*\(/, "columnCount") +property_writer("QStandardItemModel", /::setColumnCount\s*\(/, "columnCount") +# Property itemPrototype (QStandardItem_Native *) +property_reader("QStandardItemModel", /::itemPrototype\s*\(/, "itemPrototype") +property_writer("QStandardItemModel", /::setItemPrototype\s*\(/, "itemPrototype") +# Property parent (QObject_Native *) +property_reader("QStandardItemModel", /::parent\s*\(/, "parent") +property_writer("QObject", /::setParent\s*\(/, "parent") +# Property rowCount (int) +property_reader("QStandardItemModel", /::rowCount\s*\(/, "rowCount") +property_writer("QStandardItemModel", /::setRowCount\s*\(/, "rowCount") +# Property performanceHint (QStaticText_PerformanceHint) +property_reader("QStaticText", /::performanceHint\s*\(/, "performanceHint") +property_writer("QStaticText", /::setPerformanceHint\s*\(/, "performanceHint") +# Property text (string) +property_reader("QStaticText", /::text\s*\(/, "text") +property_writer("QStaticText", /::setText\s*\(/, "text") +# Property textFormat (Qt_TextFormat) +property_reader("QStaticText", /::textFormat\s*\(/, "textFormat") +property_writer("QStaticText", /::setTextFormat\s*\(/, "textFormat") +# Property textOption (QTextOption) +property_reader("QStaticText", /::textOption\s*\(/, "textOption") +property_writer("QStaticText", /::setTextOption\s*\(/, "textOption") +# Property textWidth (double) +property_reader("QStaticText", /::textWidth\s*\(/, "textWidth") +property_writer("QStaticText", /::setTextWidth\s*\(/, "textWidth") +# Property alphaBufferSize (int) +property_reader("QSurfaceFormat", /::alphaBufferSize\s*\(/, "alphaBufferSize") +property_writer("QSurfaceFormat", /::setAlphaBufferSize\s*\(/, "alphaBufferSize") +# Property blueBufferSize (int) +property_reader("QSurfaceFormat", /::blueBufferSize\s*\(/, "blueBufferSize") +property_writer("QSurfaceFormat", /::setBlueBufferSize\s*\(/, "blueBufferSize") +# Property colorSpace (QColorSpace) +property_reader("QSurfaceFormat", /::colorSpace\s*\(/, "colorSpace") +property_writer("QSurfaceFormat", /::setColorSpace\s*\(/, "colorSpace") +# Property defaultFormat (QSurfaceFormat) +property_reader("QSurfaceFormat", /::defaultFormat\s*\(/, "defaultFormat") +property_writer("QSurfaceFormat", /::setDefaultFormat\s*\(/, "defaultFormat") +# Property depthBufferSize (int) +property_reader("QSurfaceFormat", /::depthBufferSize\s*\(/, "depthBufferSize") +property_writer("QSurfaceFormat", /::setDepthBufferSize\s*\(/, "depthBufferSize") +# Property greenBufferSize (int) +property_reader("QSurfaceFormat", /::greenBufferSize\s*\(/, "greenBufferSize") +property_writer("QSurfaceFormat", /::setGreenBufferSize\s*\(/, "greenBufferSize") +# Property majorVersion (int) +property_reader("QSurfaceFormat", /::majorVersion\s*\(/, "majorVersion") +property_writer("QSurfaceFormat", /::setMajorVersion\s*\(/, "majorVersion") +# Property minorVersion (int) +property_reader("QSurfaceFormat", /::minorVersion\s*\(/, "minorVersion") +property_writer("QSurfaceFormat", /::setMinorVersion\s*\(/, "minorVersion") +# Property options (QSurfaceFormat_QFlags_FormatOption) +property_reader("QSurfaceFormat", /::options\s*\(/, "options") +property_writer("QSurfaceFormat", /::setOptions\s*\(/, "options") +# Property profile (QSurfaceFormat_OpenGLContextProfile) +property_reader("QSurfaceFormat", /::profile\s*\(/, "profile") +property_writer("QSurfaceFormat", /::setProfile\s*\(/, "profile") +# Property redBufferSize (int) +property_reader("QSurfaceFormat", /::redBufferSize\s*\(/, "redBufferSize") +property_writer("QSurfaceFormat", /::setRedBufferSize\s*\(/, "redBufferSize") +# Property renderableType (QSurfaceFormat_RenderableType) +property_reader("QSurfaceFormat", /::renderableType\s*\(/, "renderableType") +property_writer("QSurfaceFormat", /::setRenderableType\s*\(/, "renderableType") +# Property samples (int) +property_reader("QSurfaceFormat", /::samples\s*\(/, "samples") +property_writer("QSurfaceFormat", /::setSamples\s*\(/, "samples") +# Property stencilBufferSize (int) +property_reader("QSurfaceFormat", /::stencilBufferSize\s*\(/, "stencilBufferSize") +property_writer("QSurfaceFormat", /::setStencilBufferSize\s*\(/, "stencilBufferSize") +# Property stereo (bool) +property_reader("QSurfaceFormat", /::stereo\s*\(/, "stereo") +property_writer("QSurfaceFormat", /::setStereo\s*\(/, "stereo") +# Property swapBehavior (QSurfaceFormat_SwapBehavior) +property_reader("QSurfaceFormat", /::swapBehavior\s*\(/, "swapBehavior") +property_writer("QSurfaceFormat", /::setSwapBehavior\s*\(/, "swapBehavior") +# Property swapInterval (int) +property_reader("QSurfaceFormat", /::swapInterval\s*\(/, "swapInterval") +property_writer("QSurfaceFormat", /::setSwapInterval\s*\(/, "swapInterval") +# Property document (QTextDocument_Native *) +property_reader("QSyntaxHighlighter", /::document\s*\(/, "document") +property_writer("QSyntaxHighlighter", /::setDocument\s*\(/, "document") +# Property lineCount (int) +property_reader("QTextBlock", /::lineCount\s*\(/, "lineCount") +property_writer("QTextBlock", /::setLineCount\s*\(/, "lineCount") +# Property revision (int) +property_reader("QTextBlock", /::revision\s*\(/, "revision") +property_writer("QTextBlock", /::setRevision\s*\(/, "revision") +# Property userData (QTextBlockUserData_Native *) +property_reader("QTextBlock", /::userData\s*\(/, "userData") +property_writer("QTextBlock", /::setUserData\s*\(/, "userData") +# Property userState (int) +property_reader("QTextBlock", /::userState\s*\(/, "userState") +property_writer("QTextBlock", /::setUserState\s*\(/, "userState") +# Property visible (bool) +property_reader("QTextBlock", /::isVisible\s*\(/, "visible") +property_writer("QTextBlock", /::setVisible\s*\(/, "visible") +# Property alignment (Qt_QFlags_AlignmentFlag) +property_reader("QTextBlockFormat", /::alignment\s*\(/, "alignment") +property_writer("QTextBlockFormat", /::setAlignment\s*\(/, "alignment") +# Property bottomMargin (double) +property_reader("QTextBlockFormat", /::bottomMargin\s*\(/, "bottomMargin") +property_writer("QTextBlockFormat", /::setBottomMargin\s*\(/, "bottomMargin") +# Property headingLevel (int) +property_reader("QTextBlockFormat", /::headingLevel\s*\(/, "headingLevel") +property_writer("QTextBlockFormat", /::setHeadingLevel\s*\(/, "headingLevel") +# Property indent (int) +property_reader("QTextBlockFormat", /::indent\s*\(/, "indent") +property_writer("QTextBlockFormat", /::setIndent\s*\(/, "indent") +# Property leftMargin (double) +property_reader("QTextBlockFormat", /::leftMargin\s*\(/, "leftMargin") +property_writer("QTextBlockFormat", /::setLeftMargin\s*\(/, "leftMargin") +# Property marker (QTextBlockFormat_MarkerType) +property_reader("QTextBlockFormat", /::marker\s*\(/, "marker") +property_writer("QTextBlockFormat", /::setMarker\s*\(/, "marker") +# Property nonBreakableLines (bool) +property_reader("QTextBlockFormat", /::nonBreakableLines\s*\(/, "nonBreakableLines") +property_writer("QTextBlockFormat", /::setNonBreakableLines\s*\(/, "nonBreakableLines") +# Property pageBreakPolicy (QTextFormat_QFlags_PageBreakFlag) +property_reader("QTextBlockFormat", /::pageBreakPolicy\s*\(/, "pageBreakPolicy") +property_writer("QTextBlockFormat", /::setPageBreakPolicy\s*\(/, "pageBreakPolicy") +# Property rightMargin (double) +property_reader("QTextBlockFormat", /::rightMargin\s*\(/, "rightMargin") +property_writer("QTextBlockFormat", /::setRightMargin\s*\(/, "rightMargin") +# Property tabPositions (QTextOption_Tab[]) +property_reader("QTextBlockFormat", /::tabPositions\s*\(/, "tabPositions") +property_writer("QTextBlockFormat", /::setTabPositions\s*\(/, "tabPositions") +# Property textIndent (double) +property_reader("QTextBlockFormat", /::textIndent\s*\(/, "textIndent") +property_writer("QTextBlockFormat", /::setTextIndent\s*\(/, "textIndent") +# Property topMargin (double) +property_reader("QTextBlockFormat", /::topMargin\s*\(/, "topMargin") +property_writer("QTextBlockFormat", /::setTopMargin\s*\(/, "topMargin") +# Property anchor (bool) +property_reader("QTextCharFormat", /::isAnchor\s*\(/, "anchor") +property_writer("QTextCharFormat", /::setAnchor\s*\(/, "anchor") +# Property anchorHref (string) +property_reader("QTextCharFormat", /::anchorHref\s*\(/, "anchorHref") +property_writer("QTextCharFormat", /::setAnchorHref\s*\(/, "anchorHref") +# Property anchorNames (string[]) +property_reader("QTextCharFormat", /::anchorNames\s*\(/, "anchorNames") +property_writer("QTextCharFormat", /::setAnchorNames\s*\(/, "anchorNames") +# Property baselineOffset (double) +property_reader("QTextCharFormat", /::baselineOffset\s*\(/, "baselineOffset") +property_writer("QTextCharFormat", /::setBaselineOffset\s*\(/, "baselineOffset") +# Property font (QFont) +property_reader("QTextCharFormat", /::font\s*\(/, "font") +property_writer("QTextCharFormat", /::setFont\s*\(/, "font") +# Property fontCapitalization (QFont_Capitalization) +property_reader("QTextCharFormat", /::fontCapitalization\s*\(/, "fontCapitalization") +property_writer("QTextCharFormat", /::setFontCapitalization\s*\(/, "fontCapitalization") +# Property fontFamily (string) +property_reader("QTextCharFormat", /::fontFamily\s*\(/, "fontFamily") +property_writer("QTextCharFormat", /::setFontFamily\s*\(/, "fontFamily") +# Property fontFixedPitch (bool) +property_reader("QTextCharFormat", /::fontFixedPitch\s*\(/, "fontFixedPitch") +property_writer("QTextCharFormat", /::setFontFixedPitch\s*\(/, "fontFixedPitch") +# Property fontHintingPreference (QFont_HintingPreference) +property_reader("QTextCharFormat", /::fontHintingPreference\s*\(/, "fontHintingPreference") +property_writer("QTextCharFormat", /::setFontHintingPreference\s*\(/, "fontHintingPreference") +# Property fontItalic (bool) +property_reader("QTextCharFormat", /::fontItalic\s*\(/, "fontItalic") +property_writer("QTextCharFormat", /::setFontItalic\s*\(/, "fontItalic") +# Property fontKerning (bool) +property_reader("QTextCharFormat", /::fontKerning\s*\(/, "fontKerning") +property_writer("QTextCharFormat", /::setFontKerning\s*\(/, "fontKerning") +# Property fontLetterSpacing (double) +property_reader("QTextCharFormat", /::fontLetterSpacing\s*\(/, "fontLetterSpacing") +property_writer("QTextCharFormat", /::setFontLetterSpacing\s*\(/, "fontLetterSpacing") +# Property fontLetterSpacingType (QFont_SpacingType) +property_reader("QTextCharFormat", /::fontLetterSpacingType\s*\(/, "fontLetterSpacingType") +property_writer("QTextCharFormat", /::setFontLetterSpacingType\s*\(/, "fontLetterSpacingType") +# Property fontOverline (bool) +property_reader("QTextCharFormat", /::fontOverline\s*\(/, "fontOverline") +property_writer("QTextCharFormat", /::setFontOverline\s*\(/, "fontOverline") +# Property fontPointSize (double) +property_reader("QTextCharFormat", /::fontPointSize\s*\(/, "fontPointSize") +property_writer("QTextCharFormat", /::setFontPointSize\s*\(/, "fontPointSize") +# Property fontStretch (int) +property_reader("QTextCharFormat", /::fontStretch\s*\(/, "fontStretch") +property_writer("QTextCharFormat", /::setFontStretch\s*\(/, "fontStretch") +# Property fontStrikeOut (bool) +property_reader("QTextCharFormat", /::fontStrikeOut\s*\(/, "fontStrikeOut") +property_writer("QTextCharFormat", /::setFontStrikeOut\s*\(/, "fontStrikeOut") +# Property fontStyleHint (QFont_StyleHint) +property_reader("QTextCharFormat", /::fontStyleHint\s*\(/, "fontStyleHint") +property_writer("QTextCharFormat", /::setFontStyleHint\s*\(/, "fontStyleHint") +# Property fontStyleStrategy (QFont_StyleStrategy) +property_reader("QTextCharFormat", /::fontStyleStrategy\s*\(/, "fontStyleStrategy") +property_writer("QTextCharFormat", /::setFontStyleStrategy\s*\(/, "fontStyleStrategy") +# Property fontUnderline (bool) +property_reader("QTextCharFormat", /::fontUnderline\s*\(/, "fontUnderline") +property_writer("QTextCharFormat", /::setFontUnderline\s*\(/, "fontUnderline") +# Property fontWeight (int) +property_reader("QTextCharFormat", /::fontWeight\s*\(/, "fontWeight") +property_writer("QTextCharFormat", /::setFontWeight\s*\(/, "fontWeight") +# Property fontWordSpacing (double) +property_reader("QTextCharFormat", /::fontWordSpacing\s*\(/, "fontWordSpacing") +property_writer("QTextCharFormat", /::setFontWordSpacing\s*\(/, "fontWordSpacing") +# Property subScriptBaseline (double) +property_reader("QTextCharFormat", /::subScriptBaseline\s*\(/, "subScriptBaseline") +property_writer("QTextCharFormat", /::setSubScriptBaseline\s*\(/, "subScriptBaseline") +# Property superScriptBaseline (double) +property_reader("QTextCharFormat", /::superScriptBaseline\s*\(/, "superScriptBaseline") +property_writer("QTextCharFormat", /::setSuperScriptBaseline\s*\(/, "superScriptBaseline") +# Property tableCellColumnSpan (int) +property_reader("QTextCharFormat", /::tableCellColumnSpan\s*\(/, "tableCellColumnSpan") +property_writer("QTextCharFormat", /::setTableCellColumnSpan\s*\(/, "tableCellColumnSpan") +# Property tableCellRowSpan (int) +property_reader("QTextCharFormat", /::tableCellRowSpan\s*\(/, "tableCellRowSpan") +property_writer("QTextCharFormat", /::setTableCellRowSpan\s*\(/, "tableCellRowSpan") +# Property textOutline (QPen) +property_reader("QTextCharFormat", /::textOutline\s*\(/, "textOutline") +property_writer("QTextCharFormat", /::setTextOutline\s*\(/, "textOutline") +# Property toolTip (string) +property_reader("QTextCharFormat", /::toolTip\s*\(/, "toolTip") +property_writer("QTextCharFormat", /::setToolTip\s*\(/, "toolTip") +# Property underlineColor (QColor) +property_reader("QTextCharFormat", /::underlineColor\s*\(/, "underlineColor") +property_writer("QTextCharFormat", /::setUnderlineColor\s*\(/, "underlineColor") +# Property underlineStyle (QTextCharFormat_UnderlineStyle) +property_reader("QTextCharFormat", /::underlineStyle\s*\(/, "underlineStyle") +property_writer("QTextCharFormat", /::setUnderlineStyle\s*\(/, "underlineStyle") +# Property verticalAlignment (QTextCharFormat_VerticalAlignment) +property_reader("QTextCharFormat", /::verticalAlignment\s*\(/, "verticalAlignment") +property_writer("QTextCharFormat", /::setVerticalAlignment\s*\(/, "verticalAlignment") +# Property blockCharFormat (QTextCharFormat) +property_reader("QTextCursor", /::blockCharFormat\s*\(/, "blockCharFormat") +property_writer("QTextCursor", /::setBlockCharFormat\s*\(/, "blockCharFormat") +# Property blockFormat (QTextBlockFormat) +property_reader("QTextCursor", /::blockFormat\s*\(/, "blockFormat") +property_writer("QTextCursor", /::setBlockFormat\s*\(/, "blockFormat") +# Property charFormat (QTextCharFormat) +property_reader("QTextCursor", /::charFormat\s*\(/, "charFormat") +property_writer("QTextCursor", /::setCharFormat\s*\(/, "charFormat") +# Property keepPositionOnInsert (bool) +property_reader("QTextCursor", /::keepPositionOnInsert\s*\(/, "keepPositionOnInsert") +property_writer("QTextCursor", /::setKeepPositionOnInsert\s*\(/, "keepPositionOnInsert") +# Property position (int) +property_reader("QTextCursor", /::position\s*\(/, "position") +property_writer("QTextCursor", /::setPosition\s*\(/, "position") +# Property verticalMovementX (int) +property_reader("QTextCursor", /::verticalMovementX\s*\(/, "verticalMovementX") +property_writer("QTextCursor", /::setVerticalMovementX\s*\(/, "verticalMovementX") +# Property visualNavigation (bool) +property_reader("QTextCursor", /::visualNavigation\s*\(/, "visualNavigation") +property_writer("QTextCursor", /::setVisualNavigation\s*\(/, "visualNavigation") +# Property baselineOffset (double) +property_reader("QTextDocument", /::baselineOffset\s*\(/, "baselineOffset") +property_writer("QTextDocument", /::setBaselineOffset\s*\(/, "baselineOffset") +# Property defaultCursorMoveStyle (Qt_CursorMoveStyle) +property_reader("QTextDocument", /::defaultCursorMoveStyle\s*\(/, "defaultCursorMoveStyle") +property_writer("QTextDocument", /::setDefaultCursorMoveStyle\s*\(/, "defaultCursorMoveStyle") +# Property defaultTextOption (QTextOption) +property_reader("QTextDocument", /::defaultTextOption\s*\(/, "defaultTextOption") +property_writer("QTextDocument", /::setDefaultTextOption\s*\(/, "defaultTextOption") +# Property documentLayout (QAbstractTextDocumentLayout_Native *) +property_reader("QTextDocument", /::documentLayout\s*\(/, "documentLayout") +property_writer("QTextDocument", /::setDocumentLayout\s*\(/, "documentLayout") +# Property subScriptBaseline (double) +property_reader("QTextDocument", /::subScriptBaseline\s*\(/, "subScriptBaseline") +property_writer("QTextDocument", /::setSubScriptBaseline\s*\(/, "subScriptBaseline") +# Property superScriptBaseline (double) +property_reader("QTextDocument", /::superScriptBaseline\s*\(/, "superScriptBaseline") +property_writer("QTextDocument", /::setSuperScriptBaseline\s*\(/, "superScriptBaseline") +# Property device (QIODevice *) +property_reader("QTextDocumentWriter", /::device\s*\(/, "device") +property_writer("QTextDocumentWriter", /::setDevice\s*\(/, "device") +# Property fileName (string) +property_reader("QTextDocumentWriter", /::fileName\s*\(/, "fileName") +property_writer("QTextDocumentWriter", /::setFileName\s*\(/, "fileName") +# Property format (byte array) +property_reader("QTextDocumentWriter", /::format\s*\(/, "format") +property_writer("QTextDocumentWriter", /::setFormat\s*\(/, "format") +# Property background (QBrush) +property_reader("QTextFormat", /::background\s*\(/, "background") +property_writer("QTextFormat", /::setBackground\s*\(/, "background") +# Property foreground (QBrush) +property_reader("QTextFormat", /::foreground\s*\(/, "foreground") +property_writer("QTextFormat", /::setForeground\s*\(/, "foreground") +# Property layoutDirection (Qt_LayoutDirection) +property_reader("QTextFormat", /::layoutDirection\s*\(/, "layoutDirection") +property_writer("QTextFormat", /::setLayoutDirection\s*\(/, "layoutDirection") +# Property objectIndex (int) +property_reader("QTextFormat", /::objectIndex\s*\(/, "objectIndex") +property_writer("QTextFormat", /::setObjectIndex\s*\(/, "objectIndex") +# Property objectType (int) +property_reader("QTextFormat", /::objectType\s*\(/, "objectType") +property_writer("QTextFormat", /::setObjectType\s*\(/, "objectType") +# Property frameFormat (QTextFrameFormat) +property_reader("QTextFrame", /::frameFormat\s*\(/, "frameFormat") +property_writer("QTextFrame", /::setFrameFormat\s*\(/, "frameFormat") +# Property border (double) +property_reader("QTextFrameFormat", /::border\s*\(/, "border") +property_writer("QTextFrameFormat", /::setBorder\s*\(/, "border") +# Property borderBrush (QBrush) +property_reader("QTextFrameFormat", /::borderBrush\s*\(/, "borderBrush") +property_writer("QTextFrameFormat", /::setBorderBrush\s*\(/, "borderBrush") +# Property borderStyle (QTextFrameFormat_BorderStyle) +property_reader("QTextFrameFormat", /::borderStyle\s*\(/, "borderStyle") +property_writer("QTextFrameFormat", /::setBorderStyle\s*\(/, "borderStyle") +# Property bottomMargin (double) +property_reader("QTextFrameFormat", /::bottomMargin\s*\(/, "bottomMargin") +property_writer("QTextFrameFormat", /::setBottomMargin\s*\(/, "bottomMargin") +# Property leftMargin (double) +property_reader("QTextFrameFormat", /::leftMargin\s*\(/, "leftMargin") +property_writer("QTextFrameFormat", /::setLeftMargin\s*\(/, "leftMargin") +# Property margin (double) +property_reader("QTextFrameFormat", /::margin\s*\(/, "margin") +property_writer("QTextFrameFormat", /::setMargin\s*\(/, "margin") +# Property padding (double) +property_reader("QTextFrameFormat", /::padding\s*\(/, "padding") +property_writer("QTextFrameFormat", /::setPadding\s*\(/, "padding") +# Property pageBreakPolicy (QTextFormat_QFlags_PageBreakFlag) +property_reader("QTextFrameFormat", /::pageBreakPolicy\s*\(/, "pageBreakPolicy") +property_writer("QTextFrameFormat", /::setPageBreakPolicy\s*\(/, "pageBreakPolicy") +# Property position (QTextFrameFormat_Position) +property_reader("QTextFrameFormat", /::position\s*\(/, "position") +property_writer("QTextFrameFormat", /::setPosition\s*\(/, "position") +# Property rightMargin (double) +property_reader("QTextFrameFormat", /::rightMargin\s*\(/, "rightMargin") +property_writer("QTextFrameFormat", /::setRightMargin\s*\(/, "rightMargin") +# Property topMargin (double) +property_reader("QTextFrameFormat", /::topMargin\s*\(/, "topMargin") +property_writer("QTextFrameFormat", /::setTopMargin\s*\(/, "topMargin") +# Property height (double) +property_reader("QTextImageFormat", /::height\s*\(/, "height") +property_writer("QTextImageFormat", /::setHeight\s*\(/, "height") +# Property name (string) +property_reader("QTextImageFormat", /::name\s*\(/, "name") +property_writer("QTextImageFormat", /::setName\s*\(/, "name") +# Property quality (int) +property_reader("QTextImageFormat", /::quality\s*\(/, "quality") +property_writer("QTextImageFormat", /::setQuality\s*\(/, "quality") +# Property width (double) +property_reader("QTextImageFormat", /::width\s*\(/, "width") +property_writer("QTextImageFormat", /::setWidth\s*\(/, "width") +# Property ascent (double) +property_reader("QTextInlineObject", /::ascent\s*\(/, "ascent") +property_writer("QTextInlineObject", /::setAscent\s*\(/, "ascent") +# Property descent (double) +property_reader("QTextInlineObject", /::descent\s*\(/, "descent") +property_writer("QTextInlineObject", /::setDescent\s*\(/, "descent") +# Property width (double) +property_reader("QTextInlineObject", /::width\s*\(/, "width") +property_writer("QTextInlineObject", /::setWidth\s*\(/, "width") +# Property cacheEnabled (bool) +property_reader("QTextLayout", /::cacheEnabled\s*\(/, "cacheEnabled") +property_writer("QTextLayout", /::setCacheEnabled\s*\(/, "cacheEnabled") +# Property cursorMoveStyle (Qt_CursorMoveStyle) +property_reader("QTextLayout", /::cursorMoveStyle\s*\(/, "cursorMoveStyle") +property_writer("QTextLayout", /::setCursorMoveStyle\s*\(/, "cursorMoveStyle") +# Property font (QFont) +property_reader("QTextLayout", /::font\s*\(/, "font") +property_writer("QTextLayout", /::setFont\s*\(/, "font") +# Property formats (QTextLayout_FormatRange[]) +property_reader("QTextLayout", /::formats\s*\(/, "formats") +property_writer("QTextLayout", /::setFormats\s*\(/, "formats") +# Property position (QPointF) +property_reader("QTextLayout", /::position\s*\(/, "position") +property_writer("QTextLayout", /::setPosition\s*\(/, "position") +# Property text (string) +property_reader("QTextLayout", /::text\s*\(/, "text") +property_writer("QTextLayout", /::setText\s*\(/, "text") +# Property textOption (QTextOption) +property_reader("QTextLayout", /::textOption\s*\(/, "textOption") +property_writer("QTextLayout", /::setTextOption\s*\(/, "textOption") +# Property leadingIncluded (bool) +property_reader("QTextLine", /::leadingIncluded\s*\(/, "leadingIncluded") +property_writer("QTextLine", /::setLeadingIncluded\s*\(/, "leadingIncluded") +# Property position (QPointF) +property_reader("QTextLine", /::position\s*\(/, "position") +property_writer("QTextLine", /::setPosition\s*\(/, "position") +# Property format (QTextListFormat) +property_reader("QTextList", /::format\s*\(/, "format") +property_writer("QTextList", /::setFormat\s*\(/, "format") +# Property indent (int) +property_reader("QTextListFormat", /::indent\s*\(/, "indent") +property_writer("QTextListFormat", /::setIndent\s*\(/, "indent") +# Property numberPrefix (string) +property_reader("QTextListFormat", /::numberPrefix\s*\(/, "numberPrefix") +property_writer("QTextListFormat", /::setNumberPrefix\s*\(/, "numberPrefix") +# Property numberSuffix (string) +property_reader("QTextListFormat", /::numberSuffix\s*\(/, "numberSuffix") +property_writer("QTextListFormat", /::setNumberSuffix\s*\(/, "numberSuffix") +# Property style (QTextListFormat_Style) +property_reader("QTextListFormat", /::style\s*\(/, "style") +property_writer("QTextListFormat", /::setStyle\s*\(/, "style") +# Property alignment (Qt_QFlags_AlignmentFlag) +property_reader("QTextOption", /::alignment\s*\(/, "alignment") +property_writer("QTextOption", /::setAlignment\s*\(/, "alignment") +# Property flags (QTextOption_QFlags_Flag) +property_reader("QTextOption", /::flags\s*\(/, "flags") +property_writer("QTextOption", /::setFlags\s*\(/, "flags") +# Property tabArray (double[]) +property_reader("QTextOption", /::tabArray\s*\(/, "tabArray") +property_writer("QTextOption", /::setTabArray\s*\(/, "tabArray") +# Property tabStopDistance (double) +property_reader("QTextOption", /::tabStopDistance\s*\(/, "tabStopDistance") +property_writer("QTextOption", /::setTabStopDistance\s*\(/, "tabStopDistance") +# Property tabs (QTextOption_Tab[]) +property_reader("QTextOption", /::tabs\s*\(/, "tabs") +property_writer("QTextOption", /::setTabs\s*\(/, "tabs") +# Property textDirection (Qt_LayoutDirection) +property_reader("QTextOption", /::textDirection\s*\(/, "textDirection") +property_writer("QTextOption", /::setTextDirection\s*\(/, "textDirection") +# Property useDesignMetrics (bool) +property_reader("QTextOption", /::useDesignMetrics\s*\(/, "useDesignMetrics") +property_writer("QTextOption", /::setUseDesignMetrics\s*\(/, "useDesignMetrics") +# Property wrapMode (QTextOption_WrapMode) +property_reader("QTextOption", /::wrapMode\s*\(/, "wrapMode") +property_writer("QTextOption", /::setWrapMode\s*\(/, "wrapMode") +# Property format (QTextTableFormat) +property_reader("QTextTable", /::format\s*\(/, "format") +property_writer("QTextTable", /::setFormat\s*\(/, "format") +# Property format (QTextCharFormat) +property_reader("QTextTableCell", /::format\s*\(/, "format") +property_writer("QTextTableCell", /::setFormat\s*\(/, "format") +# Property bottomBorder (double) +property_reader("QTextTableCellFormat", /::bottomBorder\s*\(/, "bottomBorder") +property_writer("QTextTableCellFormat", /::setBottomBorder\s*\(/, "bottomBorder") +# Property bottomBorderBrush (QBrush) +property_reader("QTextTableCellFormat", /::bottomBorderBrush\s*\(/, "bottomBorderBrush") +property_writer("QTextTableCellFormat", /::setBottomBorderBrush\s*\(/, "bottomBorderBrush") +# Property bottomBorderStyle (QTextFrameFormat_BorderStyle) +property_reader("QTextTableCellFormat", /::bottomBorderStyle\s*\(/, "bottomBorderStyle") +property_writer("QTextTableCellFormat", /::setBottomBorderStyle\s*\(/, "bottomBorderStyle") +# Property bottomPadding (double) +property_reader("QTextTableCellFormat", /::bottomPadding\s*\(/, "bottomPadding") +property_writer("QTextTableCellFormat", /::setBottomPadding\s*\(/, "bottomPadding") +# Property leftBorder (double) +property_reader("QTextTableCellFormat", /::leftBorder\s*\(/, "leftBorder") +property_writer("QTextTableCellFormat", /::setLeftBorder\s*\(/, "leftBorder") +# Property leftBorderBrush (QBrush) +property_reader("QTextTableCellFormat", /::leftBorderBrush\s*\(/, "leftBorderBrush") +property_writer("QTextTableCellFormat", /::setLeftBorderBrush\s*\(/, "leftBorderBrush") +# Property leftBorderStyle (QTextFrameFormat_BorderStyle) +property_reader("QTextTableCellFormat", /::leftBorderStyle\s*\(/, "leftBorderStyle") +property_writer("QTextTableCellFormat", /::setLeftBorderStyle\s*\(/, "leftBorderStyle") +# Property leftPadding (double) +property_reader("QTextTableCellFormat", /::leftPadding\s*\(/, "leftPadding") +property_writer("QTextTableCellFormat", /::setLeftPadding\s*\(/, "leftPadding") +# Property rightBorder (double) +property_reader("QTextTableCellFormat", /::rightBorder\s*\(/, "rightBorder") +property_writer("QTextTableCellFormat", /::setRightBorder\s*\(/, "rightBorder") +# Property rightBorderBrush (QBrush) +property_reader("QTextTableCellFormat", /::rightBorderBrush\s*\(/, "rightBorderBrush") +property_writer("QTextTableCellFormat", /::setRightBorderBrush\s*\(/, "rightBorderBrush") +# Property rightBorderStyle (QTextFrameFormat_BorderStyle) +property_reader("QTextTableCellFormat", /::rightBorderStyle\s*\(/, "rightBorderStyle") +property_writer("QTextTableCellFormat", /::setRightBorderStyle\s*\(/, "rightBorderStyle") +# Property rightPadding (double) +property_reader("QTextTableCellFormat", /::rightPadding\s*\(/, "rightPadding") +property_writer("QTextTableCellFormat", /::setRightPadding\s*\(/, "rightPadding") +# Property topBorder (double) +property_reader("QTextTableCellFormat", /::topBorder\s*\(/, "topBorder") +property_writer("QTextTableCellFormat", /::setTopBorder\s*\(/, "topBorder") +# Property topBorderBrush (QBrush) +property_reader("QTextTableCellFormat", /::topBorderBrush\s*\(/, "topBorderBrush") +property_writer("QTextTableCellFormat", /::setTopBorderBrush\s*\(/, "topBorderBrush") +# Property topBorderStyle (QTextFrameFormat_BorderStyle) +property_reader("QTextTableCellFormat", /::topBorderStyle\s*\(/, "topBorderStyle") +property_writer("QTextTableCellFormat", /::setTopBorderStyle\s*\(/, "topBorderStyle") +# Property topPadding (double) +property_reader("QTextTableCellFormat", /::topPadding\s*\(/, "topPadding") +property_writer("QTextTableCellFormat", /::setTopPadding\s*\(/, "topPadding") +# Property alignment (Qt_QFlags_AlignmentFlag) +property_reader("QTextTableFormat", /::alignment\s*\(/, "alignment") +property_writer("QTextTableFormat", /::setAlignment\s*\(/, "alignment") +# Property borderCollapse (bool) +property_reader("QTextTableFormat", /::borderCollapse\s*\(/, "borderCollapse") +property_writer("QTextTableFormat", /::setBorderCollapse\s*\(/, "borderCollapse") +# Property cellPadding (double) +property_reader("QTextTableFormat", /::cellPadding\s*\(/, "cellPadding") +property_writer("QTextTableFormat", /::setCellPadding\s*\(/, "cellPadding") +# Property cellSpacing (double) +property_reader("QTextTableFormat", /::cellSpacing\s*\(/, "cellSpacing") +property_writer("QTextTableFormat", /::setCellSpacing\s*\(/, "cellSpacing") +# Property columnWidthConstraints (QTextLength[]) +property_reader("QTextTableFormat", /::columnWidthConstraints\s*\(/, "columnWidthConstraints") +property_writer("QTextTableFormat", /::setColumnWidthConstraints\s*\(/, "columnWidthConstraints") +# Property columns (int) +property_reader("QTextTableFormat", /::columns\s*\(/, "columns") +property_writer("QTextTableFormat", /::setColumns\s*\(/, "columns") +# Property headerRowCount (int) +property_reader("QTextTableFormat", /::headerRowCount\s*\(/, "headerRowCount") +property_writer("QTextTableFormat", /::setHeaderRowCount\s*\(/, "headerRowCount") +# Property obsolete (bool) +property_reader("QUndoCommand", /::isObsolete\s*\(/, "obsolete") +property_writer("QUndoCommand", /::setObsolete\s*\(/, "obsolete") +# Property text (string) +property_reader("QUndoCommand", /::text\s*\(/, "text") +property_writer("QUndoCommand", /::setText\s*\(/, "text") +# Property activeStack (QUndoStack_Native *) +property_reader("QUndoGroup", /::activeStack\s*\(/, "activeStack") +property_writer("QUndoGroup", /::setActiveStack\s*\(/, "activeStack") +# Property index (int) +property_reader("QUndoStack", /::index\s*\(/, "index") +property_writer("QUndoStack", /::setIndex\s*\(/, "index") +# Property locale (QLocale) +property_reader("QValidator", /::locale\s*\(/, "locale") +property_writer("QValidator", /::setLocale\s*\(/, "locale") +# Property x (float) +property_reader("QVector2D", /::x\s*\(/, "x") +property_writer("QVector2D", /::setX\s*\(/, "x") # Property y (float) -property_reader("QQuaternion", /::y\s*\(/, "y") -property_writer("QQuaternion", /::setY\s*\(/, "y") +property_reader("QVector2D", /::y\s*\(/, "y") +property_writer("QVector2D", /::setY\s*\(/, "y") +# Property x (float) +property_reader("QVector3D", /::x\s*\(/, "x") +property_writer("QVector3D", /::setX\s*\(/, "x") +# Property y (float) +property_reader("QVector3D", /::y\s*\(/, "y") +property_writer("QVector3D", /::setY\s*\(/, "y") # Property z (float) -property_reader("QQuaternion", /::z\s*\(/, "z") -property_writer("QQuaternion", /::setZ\s*\(/, "z") -# Property center (QPointF) -property_reader("QRadialGradient", /::center\s*\(/, "center") -property_writer("QRadialGradient", /::setCenter\s*\(/, "center") -# Property centerRadius (double) -property_reader("QRadialGradient", /::centerRadius\s*\(/, "centerRadius") -property_writer("QRadialGradient", /::setCenterRadius\s*\(/, "centerRadius") -# Property focalPoint (QPointF) -property_reader("QRadialGradient", /::focalPoint\s*\(/, "focalPoint") -property_writer("QRadialGradient", /::setFocalPoint\s*\(/, "focalPoint") -# Property focalRadius (double) -property_reader("QRadialGradient", /::focalRadius\s*\(/, "focalRadius") -property_writer("QRadialGradient", /::setFocalRadius\s*\(/, "focalRadius") -# Property radius (double) -property_reader("QRadialGradient", /::radius\s*\(/, "radius") -property_writer("QRadialGradient", /::setRadius\s*\(/, "radius") -# Property alternativeFrequenciesEnabled (bool) -property_reader("QRadioDataControl", /::isAlternativeFrequenciesEnabled\s*\(/, "alternativeFrequenciesEnabled") -property_writer("QRadioDataControl", /::setAlternativeFrequenciesEnabled\s*\(/, "alternativeFrequenciesEnabled") -# Property band (QRadioTuner_Band) -property_reader("QRadioTunerControl", /::band\s*\(/, "band") -property_writer("QRadioTunerControl", /::setBand\s*\(/, "band") -# Property frequency (int) -property_reader("QRadioTunerControl", /::frequency\s*\(/, "frequency") -property_writer("QRadioTunerControl", /::setFrequency\s*\(/, "frequency") -# Property muted (bool) -property_reader("QRadioTunerControl", /::isMuted\s*\(/, "muted") -property_writer("QRadioTunerControl", /::setMuted\s*\(/, "muted") -# Property stereoMode (QRadioTuner_StereoMode) -property_reader("QRadioTunerControl", /::stereoMode\s*\(/, "stereoMode") -property_writer("QRadioTunerControl", /::setStereoMode\s*\(/, "stereoMode") -# Property volume (int) -property_reader("QRadioTunerControl", /::volume\s*\(/, "volume") -property_writer("QRadioTunerControl", /::setVolume\s*\(/, "volume") -# Property pixelSize (double) -property_reader("QRawFont", /::pixelSize\s*\(/, "pixelSize") -property_writer("QRawFont", /::setPixelSize\s*\(/, "pixelSize") -# Property bottom (int) -property_reader("QRect", /::bottom\s*\(/, "bottom") -property_writer("QRect", /::setBottom\s*\(/, "bottom") -# Property bottomLeft (QPoint) -property_reader("QRect", /::bottomLeft\s*\(/, "bottomLeft") -property_writer("QRect", /::setBottomLeft\s*\(/, "bottomLeft") -# Property bottomRight (QPoint) -property_reader("QRect", /::bottomRight\s*\(/, "bottomRight") -property_writer("QRect", /::setBottomRight\s*\(/, "bottomRight") -# Property height (int) -property_reader("QRect", /::height\s*\(/, "height") -property_writer("QRect", /::setHeight\s*\(/, "height") -# Property left (int) -property_reader("QRect", /::left\s*\(/, "left") -property_writer("QRect", /::setLeft\s*\(/, "left") -# Property right (int) -property_reader("QRect", /::right\s*\(/, "right") -property_writer("QRect", /::setRight\s*\(/, "right") -# Property size (QSize) -property_reader("QRect", /::size\s*\(/, "size") -property_writer("QRect", /::setSize\s*\(/, "size") -# Property top (int) -property_reader("QRect", /::top\s*\(/, "top") -property_writer("QRect", /::setTop\s*\(/, "top") -# Property topLeft (QPoint) -property_reader("QRect", /::topLeft\s*\(/, "topLeft") -property_writer("QRect", /::setTopLeft\s*\(/, "topLeft") -# Property topRight (QPoint) -property_reader("QRect", /::topRight\s*\(/, "topRight") -property_writer("QRect", /::setTopRight\s*\(/, "topRight") -# Property width (int) -property_reader("QRect", /::width\s*\(/, "width") -property_writer("QRect", /::setWidth\s*\(/, "width") -# Property x (int) -property_reader("QRect", /::x\s*\(/, "x") -property_writer("QRect", /::setX\s*\(/, "x") -# Property y (int) -property_reader("QRect", /::y\s*\(/, "y") -property_writer("QRect", /::setY\s*\(/, "y") -# Property bottom (double) -property_reader("QRectF", /::bottom\s*\(/, "bottom") -property_writer("QRectF", /::setBottom\s*\(/, "bottom") -# Property bottomLeft (QPointF) -property_reader("QRectF", /::bottomLeft\s*\(/, "bottomLeft") -property_writer("QRectF", /::setBottomLeft\s*\(/, "bottomLeft") -# Property bottomRight (QPointF) -property_reader("QRectF", /::bottomRight\s*\(/, "bottomRight") -property_writer("QRectF", /::setBottomRight\s*\(/, "bottomRight") -# Property height (double) -property_reader("QRectF", /::height\s*\(/, "height") -property_writer("QRectF", /::setHeight\s*\(/, "height") -# Property left (double) -property_reader("QRectF", /::left\s*\(/, "left") -property_writer("QRectF", /::setLeft\s*\(/, "left") -# Property right (double) -property_reader("QRectF", /::right\s*\(/, "right") -property_writer("QRectF", /::setRight\s*\(/, "right") -# Property size (QSizeF) -property_reader("QRectF", /::size\s*\(/, "size") -property_writer("QRectF", /::setSize\s*\(/, "size") -# Property top (double) -property_reader("QRectF", /::top\s*\(/, "top") -property_writer("QRectF", /::setTop\s*\(/, "top") -# Property topLeft (QPointF) -property_reader("QRectF", /::topLeft\s*\(/, "topLeft") -property_writer("QRectF", /::setTopLeft\s*\(/, "topLeft") -# Property topRight (QPointF) -property_reader("QRectF", /::topRight\s*\(/, "topRight") -property_writer("QRectF", /::setTopRight\s*\(/, "topRight") -# Property width (double) -property_reader("QRectF", /::width\s*\(/, "width") -property_writer("QRectF", /::setWidth\s*\(/, "width") +property_reader("QVector3D", /::z\s*\(/, "z") +property_writer("QVector3D", /::setZ\s*\(/, "z") +# Property w (float) +property_reader("QVector4D", /::w\s*\(/, "w") +property_writer("QVector4D", /::setW\s*\(/, "w") +# Property x (float) +property_reader("QVector4D", /::x\s*\(/, "x") +property_writer("QVector4D", /::setX\s*\(/, "x") +# Property y (float) +property_reader("QVector4D", /::y\s*\(/, "y") +property_writer("QVector4D", /::setY\s*\(/, "y") +# Property z (float) +property_reader("QVector4D", /::z\s*\(/, "z") +property_writer("QVector4D", /::setZ\s*\(/, "z") +# Property baseSize (QSize) +property_reader("QWindow", /::baseSize\s*\(/, "baseSize") +property_writer("QWindow", /::setBaseSize\s*\(/, "baseSize") +# Property cursor (QCursor) +property_reader("QWindow", /::cursor\s*\(/, "cursor") +property_writer("QWindow", /::setCursor\s*\(/, "cursor") +# Property filePath (string) +property_reader("QWindow", /::filePath\s*\(/, "filePath") +property_writer("QWindow", /::setFilePath\s*\(/, "filePath") +# Property format (QSurfaceFormat) +property_reader("QWindow", /::format\s*\(/, "format") +property_writer("QWindow", /::setFormat\s*\(/, "format") +# Property framePosition (QPoint) +property_reader("QWindow", /::framePosition\s*\(/, "framePosition") +property_writer("QWindow", /::setFramePosition\s*\(/, "framePosition") +# Property geometry (QRect) +property_reader("QWindow", /::geometry\s*\(/, "geometry") +property_writer("QWindow", /::setGeometry\s*\(/, "geometry") +# Property icon (QIcon) +property_reader("QWindow", /::icon\s*\(/, "icon") +property_writer("QWindow", /::setIcon\s*\(/, "icon") +# Property mask (QRegion) +property_reader("QWindow", /::mask\s*\(/, "mask") +property_writer("QWindow", /::setMask\s*\(/, "mask") +# Property maximumSize (QSize) +property_reader("QWindow", /::maximumSize\s*\(/, "maximumSize") +property_writer("QWindow", /::setMaximumSize\s*\(/, "maximumSize") +# Property minimumSize (QSize) +property_reader("QWindow", /::minimumSize\s*\(/, "minimumSize") +property_writer("QWindow", /::setMinimumSize\s*\(/, "minimumSize") +# Property parent (QWindow_Native *) +property_reader("QWindow", /::parent\s*\(/, "parent") +property_writer("QWindow", /::setParent\s*\(/, "parent") +# Property position (QPoint) +property_reader("QWindow", /::position\s*\(/, "position") +property_writer("QWindow", /::setPosition\s*\(/, "position") +# Property screen (QScreen_Native *) +property_reader("QWindow", /::screen\s*\(/, "screen") +property_writer("QWindow", /::setScreen\s*\(/, "screen") +# Property sizeIncrement (QSize) +property_reader("QWindow", /::sizeIncrement\s*\(/, "sizeIncrement") +property_writer("QWindow", /::setSizeIncrement\s*\(/, "sizeIncrement") +# Property surfaceType (QSurface_SurfaceType) +property_reader("QWindow", /::surfaceType\s*\(/, "surfaceType") +property_writer("QWindow", /::setSurfaceType\s*\(/, "surfaceType") +# Property windowState (Qt_WindowState) +property_reader("QWindow", /::windowState\s*\(/, "windowState") +property_writer("QWindow", /::setWindowState\s*\(/, "windowState") +# Property windowStates (Qt_QFlags_WindowState) +property_reader("QWindow", /::windowStates\s*\(/, "windowStates") +property_writer("QWindow", /::setWindowStates\s*\(/, "windowStates") +# Property brush (QBrush) +property_reader("QAbstractGraphicsShapeItem", /::brush\s*\(/, "brush") +property_writer("QAbstractGraphicsShapeItem", /::setBrush\s*\(/, "brush") +# Property pen (QPen) +property_reader("QAbstractGraphicsShapeItem", /::pen\s*\(/, "pen") +property_writer("QAbstractGraphicsShapeItem", /::setPen\s*\(/, "pen") +# Property currentIndex (QModelIndex) +property_reader("QAbstractItemView", /::currentIndex\s*\(/, "currentIndex") +property_writer("QAbstractItemView", /::setCurrentIndex\s*\(/, "currentIndex") +# Property itemDelegate (QAbstractItemDelegate_Native *) +property_reader("QAbstractItemView", /::itemDelegate\s*\(/, "itemDelegate") +property_writer("QAbstractItemView", /::setItemDelegate\s*\(/, "itemDelegate") +# Property model (QAbstractItemModel_Native *) +property_reader("QAbstractItemView", /::model\s*\(/, "model") +property_writer("QAbstractItemView", /::setModel\s*\(/, "model") +# Property rootIndex (QModelIndex) +property_reader("QAbstractItemView", /::rootIndex\s*\(/, "rootIndex") +property_writer("QAbstractItemView", /::setRootIndex\s*\(/, "rootIndex") +# Property selectionModel (QItemSelectionModel_Native *) +property_reader("QAbstractItemView", /::selectionModel\s*\(/, "selectionModel") +property_writer("QAbstractItemView", /::setSelectionModel\s*\(/, "selectionModel") +# Property cornerWidget (QWidget_Native *) +property_reader("QAbstractScrollArea", /::cornerWidget\s*\(/, "cornerWidget") +property_writer("QAbstractScrollArea", /::setCornerWidget\s*\(/, "cornerWidget") +# Property horizontalScrollBar (QScrollBar_Native *) +property_reader("QAbstractScrollArea", /::horizontalScrollBar\s*\(/, "horizontalScrollBar") +property_writer("QAbstractScrollArea", /::setHorizontalScrollBar\s*\(/, "horizontalScrollBar") +# Property verticalScrollBar (QScrollBar_Native *) +property_reader("QAbstractScrollArea", /::verticalScrollBar\s*\(/, "verticalScrollBar") +property_writer("QAbstractScrollArea", /::setVerticalScrollBar\s*\(/, "verticalScrollBar") +# Property viewport (QWidget_Native *) +property_reader("QAbstractScrollArea", /::viewport\s*\(/, "viewport") +property_writer("QAbstractScrollArea", /::setViewport\s*\(/, "viewport") +# Property groupSeparatorShown (bool) +property_reader("QAbstractSpinBox", /::isGroupSeparatorShown\s*\(/, "groupSeparatorShown") +property_writer("QAbstractSpinBox", /::setGroupSeparatorShown\s*\(/, "groupSeparatorShown") +# Property activeWindow (QWidget_Native *) +property_reader("QApplication", /::activeWindow\s*\(/, "activeWindow") +property_writer("QApplication", /::setActiveWindow\s*\(/, "activeWindow") +# Property font (QFont) +property_reader("QApplication", /::font\s*\(/, "font") +property_writer("QApplication", /::setFont\s*\(/, "font") +# Property palette (QPalette) +property_reader("QApplication", /::palette\s*\(/, "palette") +property_writer("QApplication", /::setPalette\s*\(/, "palette") +# Property style (QStyle_Native *) +property_reader("QApplication", /::style\s*\(/, "style") +property_writer("QApplication", /::setStyle\s*\(/, "style") +# Property direction (QBoxLayout_Direction) +property_reader("QBoxLayout", /::direction\s*\(/, "direction") +property_writer("QBoxLayout", /::setDirection\s*\(/, "direction") +# Property geometry (QRect) +property_reader("QLayout", /::geometry\s*\(/, "geometry") +property_writer("QBoxLayout", /::setGeometry\s*\(/, "geometry") +# Property calendar (QCalendar) +property_reader("QCalendarWidget", /::calendar\s*\(/, "calendar") +property_writer("QCalendarWidget", /::setCalendar\s*\(/, "calendar") +# Property headerTextFormat (QTextCharFormat) +property_reader("QCalendarWidget", /::headerTextFormat\s*\(/, "headerTextFormat") +property_writer("QCalendarWidget", /::setHeaderTextFormat\s*\(/, "headerTextFormat") +# Property checkState (Qt_CheckState) +property_reader("QCheckBox", /::checkState\s*\(/, "checkState") +property_writer("QCheckBox", /::setCheckState\s*\(/, "checkState") +# Property columnWidths (int[]) +property_reader("QColumnView", /::columnWidths\s*\(/, "columnWidths") +property_writer("QColumnView", /::setColumnWidths\s*\(/, "columnWidths") +# Property model (QAbstractItemModel_Native *) +property_reader("QAbstractItemView", /::model\s*\(/, "model") +property_writer("QColumnView", /::setModel\s*\(/, "model") +# Property previewWidget (QWidget_Native *) +property_reader("QColumnView", /::previewWidget\s*\(/, "previewWidget") +property_writer("QColumnView", /::setPreviewWidget\s*\(/, "previewWidget") +# Property rootIndex (QModelIndex) +property_reader("QAbstractItemView", /::rootIndex\s*\(/, "rootIndex") +property_writer("QColumnView", /::setRootIndex\s*\(/, "rootIndex") +# Property selectionModel (QItemSelectionModel_Native *) +property_reader("QAbstractItemView", /::selectionModel\s*\(/, "selectionModel") +property_writer("QColumnView", /::setSelectionModel\s*\(/, "selectionModel") +# Property completer (QCompleter_Native *) +property_reader("QComboBox", /::completer\s*\(/, "completer") +property_writer("QComboBox", /::setCompleter\s*\(/, "completer") +# Property itemDelegate (QAbstractItemDelegate_Native *) +property_reader("QComboBox", /::itemDelegate\s*\(/, "itemDelegate") +property_writer("QComboBox", /::setItemDelegate\s*\(/, "itemDelegate") +# Property lineEdit (QLineEdit_Native *) +property_reader("QComboBox", /::lineEdit\s*\(/, "lineEdit") +property_writer("QComboBox", /::setLineEdit\s*\(/, "lineEdit") +# Property model (QAbstractItemModel_Native *) +property_reader("QComboBox", /::model\s*\(/, "model") +property_writer("QComboBox", /::setModel\s*\(/, "model") +# Property rootModelIndex (QModelIndex) +property_reader("QComboBox", /::rootModelIndex\s*\(/, "rootModelIndex") +property_writer("QComboBox", /::setRootModelIndex\s*\(/, "rootModelIndex") +# Property validator (QValidator_Native *) +property_reader("QComboBox", /::validator\s*\(/, "validator") +property_writer("QComboBox", /::setValidator\s*\(/, "validator") +# Property view (QAbstractItemView_Native *) +property_reader("QComboBox", /::view\s*\(/, "view") +property_writer("QComboBox", /::setView\s*\(/, "view") +# Property model (QAbstractItemModel_Native *) +property_reader("QCompleter", /::model\s*\(/, "model") +property_writer("QCompleter", /::setModel\s*\(/, "model") +# Property popup (QAbstractItemView_Native *) +property_reader("QCompleter", /::popup\s*\(/, "popup") +property_writer("QCompleter", /::setPopup\s*\(/, "popup") +# Property widget (QWidget_Native *) +property_reader("QCompleter", /::widget\s*\(/, "widget") +property_writer("QCompleter", /::setWidget\s*\(/, "widget") +# Property itemDelegate (QAbstractItemDelegate_Native *) +property_reader("QDataWidgetMapper", /::itemDelegate\s*\(/, "itemDelegate") +property_writer("QDataWidgetMapper", /::setItemDelegate\s*\(/, "itemDelegate") +# Property model (QAbstractItemModel_Native *) +property_reader("QDataWidgetMapper", /::model\s*\(/, "model") +property_writer("QDataWidgetMapper", /::setModel\s*\(/, "model") +# Property rootIndex (QModelIndex) +property_reader("QDataWidgetMapper", /::rootIndex\s*\(/, "rootIndex") +property_writer("QDataWidgetMapper", /::setRootIndex\s*\(/, "rootIndex") +# Property calendar (QCalendar) +property_reader("QDateTimeEdit", /::calendar\s*\(/, "calendar") +property_writer("QDateTimeEdit", /::setCalendar\s*\(/, "calendar") +# Property calendarWidget (QCalendarWidget_Native *) +property_reader("QDateTimeEdit", /::calendarWidget\s*\(/, "calendarWidget") +property_writer("QDateTimeEdit", /::setCalendarWidget\s*\(/, "calendarWidget") +# Property result (int) +property_reader("QDialog", /::result\s*\(/, "result") +property_writer("QDialog", /::setResult\s*\(/, "result") +# Property titleBarWidget (QWidget_Native *) +property_reader("QDockWidget", /::titleBarWidget\s*\(/, "titleBarWidget") +property_writer("QDockWidget", /::setTitleBarWidget\s*\(/, "titleBarWidget") +# Property widget (QWidget_Native *) +property_reader("QDockWidget", /::widget\s*\(/, "widget") +property_writer("QDockWidget", /::setWidget\s*\(/, "widget") +# Property directoryUrl (QUrl) +property_reader("QFileDialog", /::directoryUrl\s*\(/, "directoryUrl") +property_writer("QFileDialog", /::setDirectoryUrl\s*\(/, "directoryUrl") +# Property filter (QDir_QFlags_Filter) +property_reader("QFileDialog", /::filter\s*\(/, "filter") +property_writer("QFileDialog", /::setFilter\s*\(/, "filter") +# Property history (string[]) +property_reader("QFileDialog", /::history\s*\(/, "history") +property_writer("QFileDialog", /::setHistory\s*\(/, "history") +# Property iconProvider (QAbstractFileIconProvider_Native *) +property_reader("QFileDialog", /::iconProvider\s*\(/, "iconProvider") +property_writer("QFileDialog", /::setIconProvider\s*\(/, "iconProvider") +# Property itemDelegate (QAbstractItemDelegate_Native *) +property_reader("QFileDialog", /::itemDelegate\s*\(/, "itemDelegate") +property_writer("QFileDialog", /::setItemDelegate\s*\(/, "itemDelegate") +# Property mimeTypeFilters (string[]) +property_reader("QFileDialog", /::mimeTypeFilters\s*\(/, "mimeTypeFilters") +property_writer("QFileDialog", /::setMimeTypeFilters\s*\(/, "mimeTypeFilters") +# Property nameFilters (string[]) +property_reader("QFileDialog", /::nameFilters\s*\(/, "nameFilters") +property_writer("QFileDialog", /::setNameFilters\s*\(/, "nameFilters") +# Property proxyModel (QAbstractProxyModel_Native *) +property_reader("QFileDialog", /::proxyModel\s*\(/, "proxyModel") +property_writer("QFileDialog", /::setProxyModel\s*\(/, "proxyModel") +# Property sidebarUrls (QUrl[]) +property_reader("QFileDialog", /::sidebarUrls\s*\(/, "sidebarUrls") +property_writer("QFileDialog", /::setSidebarUrls\s*\(/, "sidebarUrls") +# Property widget (QWidget_Native *) +property_reader("QFocusFrame", /::widget\s*\(/, "widget") +property_writer("QFocusFrame", /::setWidget\s*\(/, "widget") +# Property geometry (QRect) +property_reader("QLayout", /::geometry\s*\(/, "geometry") +property_writer("QFormLayout", /::setGeometry\s*\(/, "geometry") +# Property frameStyle (int) +property_reader("QFrame", /::frameStyle\s*\(/, "frameStyle") +property_writer("QFrame", /::setFrameStyle\s*\(/, "frameStyle") +# Property accepted (bool) +property_reader("QGestureEvent", /::isAccepted\s*\(/, "accepted") +property_writer("QGestureEvent", /::setAccepted\s*\(/, "accepted") +# Property widget (QWidget_Native *) +property_reader("QGestureEvent", /::widget\s*\(/, "widget") +property_writer("QGestureEvent", /::setWidget\s*\(/, "widget") +# Property geometry (QRectF) +property_reader("QGraphicsLayoutItem", /::geometry\s*\(/, "geometry") +property_writer("QGraphicsAnchorLayout", /::setGeometry\s*\(/, "geometry") +# Property horizontalSpacing (double) +property_reader("QGraphicsAnchorLayout", /::horizontalSpacing\s*\(/, "horizontalSpacing") +property_writer("QGraphicsAnchorLayout", /::setHorizontalSpacing\s*\(/, "horizontalSpacing") +# Property verticalSpacing (double) +property_reader("QGraphicsAnchorLayout", /::verticalSpacing\s*\(/, "verticalSpacing") +property_writer("QGraphicsAnchorLayout", /::setVerticalSpacing\s*\(/, "verticalSpacing") +# Property rect (QRectF) +property_reader("QGraphicsEllipseItem", /::rect\s*\(/, "rect") +property_writer("QGraphicsEllipseItem", /::setRect\s*\(/, "rect") +# Property spanAngle (int) +property_reader("QGraphicsEllipseItem", /::spanAngle\s*\(/, "spanAngle") +property_writer("QGraphicsEllipseItem", /::setSpanAngle\s*\(/, "spanAngle") +# Property startAngle (int) +property_reader("QGraphicsEllipseItem", /::startAngle\s*\(/, "startAngle") +property_writer("QGraphicsEllipseItem", /::setStartAngle\s*\(/, "startAngle") +# Property geometry (QRectF) +property_reader("QGraphicsLayoutItem", /::geometry\s*\(/, "geometry") +property_writer("QGraphicsGridLayout", /::setGeometry\s*\(/, "geometry") +# Property horizontalSpacing (double) +property_reader("QGraphicsGridLayout", /::horizontalSpacing\s*\(/, "horizontalSpacing") +property_writer("QGraphicsGridLayout", /::setHorizontalSpacing\s*\(/, "horizontalSpacing") +# Property verticalSpacing (double) +property_reader("QGraphicsGridLayout", /::verticalSpacing\s*\(/, "verticalSpacing") +property_writer("QGraphicsGridLayout", /::setVerticalSpacing\s*\(/, "verticalSpacing") +# Property acceptDrops (bool) +property_reader("QGraphicsItem", /::acceptDrops\s*\(/, "acceptDrops") +property_writer("QGraphicsItem", /::setAcceptDrops\s*\(/, "acceptDrops") +# Property acceptHoverEvents (bool) +property_reader("QGraphicsItem", /::acceptHoverEvents\s*\(/, "acceptHoverEvents") +property_writer("QGraphicsItem", /::setAcceptHoverEvents\s*\(/, "acceptHoverEvents") +# Property acceptTouchEvents (bool) +property_reader("QGraphicsItem", /::acceptTouchEvents\s*\(/, "acceptTouchEvents") +property_writer("QGraphicsItem", /::setAcceptTouchEvents\s*\(/, "acceptTouchEvents") +# Property acceptedMouseButtons (Qt_QFlags_MouseButton) +property_reader("QGraphicsItem", /::acceptedMouseButtons\s*\(/, "acceptedMouseButtons") +property_writer("QGraphicsItem", /::setAcceptedMouseButtons\s*\(/, "acceptedMouseButtons") +# Property active (bool) +property_reader("QGraphicsItem", /::isActive\s*\(/, "active") +property_writer("QGraphicsItem", /::setActive\s*\(/, "active") +# Property boundingRegionGranularity (double) +property_reader("QGraphicsItem", /::boundingRegionGranularity\s*\(/, "boundingRegionGranularity") +property_writer("QGraphicsItem", /::setBoundingRegionGranularity\s*\(/, "boundingRegionGranularity") +# Property cacheMode (QGraphicsItem_CacheMode) +property_reader("QGraphicsItem", /::cacheMode\s*\(/, "cacheMode") +property_writer("QGraphicsItem", /::setCacheMode\s*\(/, "cacheMode") +# Property cursor (QCursor) +property_reader("QGraphicsItem", /::cursor\s*\(/, "cursor") +property_writer("QGraphicsItem", /::setCursor\s*\(/, "cursor") +# Property enabled (bool) +property_reader("QGraphicsItem", /::isEnabled\s*\(/, "enabled") +property_writer("QGraphicsItem", /::setEnabled\s*\(/, "enabled") +# Property filtersChildEvents (bool) +property_reader("QGraphicsItem", /::filtersChildEvents\s*\(/, "filtersChildEvents") +property_writer("QGraphicsItem", /::setFiltersChildEvents\s*\(/, "filtersChildEvents") +# Property flags (QGraphicsItem_QFlags_GraphicsItemFlag) +property_reader("QGraphicsItem", /::flags\s*\(/, "flags") +property_writer("QGraphicsItem", /::setFlags\s*\(/, "flags") +# Property focusProxy (QGraphicsItem_Native *) +property_reader("QGraphicsItem", /::focusProxy\s*\(/, "focusProxy") +property_writer("QGraphicsItem", /::setFocusProxy\s*\(/, "focusProxy") +# Property graphicsEffect (QGraphicsEffect_Native *) +property_reader("QGraphicsItem", /::graphicsEffect\s*\(/, "graphicsEffect") +property_writer("QGraphicsItem", /::setGraphicsEffect\s*\(/, "graphicsEffect") +# Property group (QGraphicsItemGroup_Native *) +property_reader("QGraphicsItem", /::group\s*\(/, "group") +property_writer("QGraphicsItem", /::setGroup\s*\(/, "group") +# Property handlesChildEvents (bool) +property_reader("QGraphicsItem", /::handlesChildEvents\s*\(/, "handlesChildEvents") +property_writer("QGraphicsItem", /::setHandlesChildEvents\s*\(/, "handlesChildEvents") +# Property inputMethodHints (Qt_QFlags_InputMethodHint) +property_reader("QGraphicsItem", /::inputMethodHints\s*\(/, "inputMethodHints") +property_writer("QGraphicsItem", /::setInputMethodHints\s*\(/, "inputMethodHints") +# Property opacity (double) +property_reader("QGraphicsItem", /::opacity\s*\(/, "opacity") +property_writer("QGraphicsItem", /::setOpacity\s*\(/, "opacity") +# Property panelModality (QGraphicsItem_PanelModality) +property_reader("QGraphicsItem", /::panelModality\s*\(/, "panelModality") +property_writer("QGraphicsItem", /::setPanelModality\s*\(/, "panelModality") +# Property parentItem (QGraphicsItem_Native *) +property_reader("QGraphicsItem", /::parentItem\s*\(/, "parentItem") +property_writer("QGraphicsItem", /::setParentItem\s*\(/, "parentItem") +# Property pos (QPointF) +property_reader("QGraphicsItem", /::pos\s*\(/, "pos") +property_writer("QGraphicsItem", /::setPos\s*\(/, "pos") +# Property rotation (double) +property_reader("QGraphicsItem", /::rotation\s*\(/, "rotation") +property_writer("QGraphicsItem", /::setRotation\s*\(/, "rotation") +# Property scale (double) +property_reader("QGraphicsItem", /::scale\s*\(/, "scale") +property_writer("QGraphicsItem", /::setScale\s*\(/, "scale") +# Property selected (bool) +property_reader("QGraphicsItem", /::isSelected\s*\(/, "selected") +property_writer("QGraphicsItem", /::setSelected\s*\(/, "selected") +# Property toolTip (string) +property_reader("QGraphicsItem", /::toolTip\s*\(/, "toolTip") +property_writer("QGraphicsItem", /::setToolTip\s*\(/, "toolTip") +# Property transform (QTransform) +property_reader("QGraphicsItem", /::transform\s*\(/, "transform") +property_writer("QGraphicsItem", /::setTransform\s*\(/, "transform") +# Property transformOriginPoint (QPointF) +property_reader("QGraphicsItem", /::transformOriginPoint\s*\(/, "transformOriginPoint") +property_writer("QGraphicsItem", /::setTransformOriginPoint\s*\(/, "transformOriginPoint") +# Property transformations (QGraphicsTransform_Native *[]) +property_reader("QGraphicsItem", /::transformations\s*\(/, "transformations") +property_writer("QGraphicsItem", /::setTransformations\s*\(/, "transformations") +# Property visible (bool) +property_reader("QGraphicsItem", /::isVisible\s*\(/, "visible") +property_writer("QGraphicsItem", /::setVisible\s*\(/, "visible") # Property x (double) -property_reader("QRectF", /::x\s*\(/, "x") -property_writer("QRectF", /::setX\s*\(/, "x") +property_reader("QGraphicsItem", /::x\s*\(/, "x") +property_writer("QGraphicsItem", /::setX\s*\(/, "x") # Property y (double) -property_reader("QRectF", /::y\s*\(/, "y") -property_writer("QRectF", /::setY\s*\(/, "y") -# Property caseSensitivity (Qt_CaseSensitivity) -property_reader("QRegExp", /::caseSensitivity\s*\(/, "caseSensitivity") -property_writer("QRegExp", /::setCaseSensitivity\s*\(/, "caseSensitivity") -# Property minimal (bool) -property_reader("QRegExp", /::isMinimal\s*\(/, "minimal") -property_writer("QRegExp", /::setMinimal\s*\(/, "minimal") -# Property pattern (string) -property_reader("QRegExp", /::pattern\s*\(/, "pattern") -property_writer("QRegExp", /::setPattern\s*\(/, "pattern") -# Property patternSyntax (QRegExp_PatternSyntax) -property_reader("QRegExp", /::patternSyntax\s*\(/, "patternSyntax") -property_writer("QRegExp", /::setPatternSyntax\s*\(/, "patternSyntax") -# Property rects (QRect[]) -property_reader("QRegion", /::rects\s*\(/, "rects") -property_writer("QRegion", /::setRects\s*\(/, "rects") -# Property pattern (string) -property_reader("QRegularExpression", /::pattern\s*\(/, "pattern") -property_writer("QRegularExpression", /::setPattern\s*\(/, "pattern") -# Property patternOptions (QRegularExpression_QFlags_PatternOption) -property_reader("QRegularExpression", /::patternOptions\s*\(/, "patternOptions") -property_writer("QRegularExpression", /::setPatternOptions\s*\(/, "patternOptions") -# Property fileName (string) -property_reader("QResource", /::fileName\s*\(/, "fileName") -property_writer("QResource", /::setFileName\s*\(/, "fileName") -# Property locale (QLocale) -property_reader("QResource", /::locale\s*\(/, "locale") -property_writer("QResource", /::setLocale\s*\(/, "locale") -# Property autoDelete (bool) -property_reader("QRunnable", /::autoDelete\s*\(/, "autoDelete") -property_writer("QRunnable", /::setAutoDelete\s*\(/, "autoDelete") -# Property directWriteFallback (bool) -property_reader("QSaveFile", /::directWriteFallback\s*\(/, "directWriteFallback") -property_writer("QSaveFile", /::setDirectWriteFallback\s*\(/, "directWriteFallback") -# Property fileName (string) -property_reader("QSaveFile", /::fileName\s*\(/, "fileName") -property_writer("QSaveFile", /::setFileName\s*\(/, "fileName") -# Property orientationUpdateMask (Qt_QFlags_ScreenOrientation) -property_reader("QScreen", /::orientationUpdateMask\s*\(/, "orientationUpdateMask") -property_writer("QScreen", /::setOrientationUpdateMask\s*\(/, "orientationUpdateMask") +property_reader("QGraphicsItem", /::y\s*\(/, "y") +property_writer("QGraphicsItem", /::setY\s*\(/, "y") +# Property zValue (double) +property_reader("QGraphicsItem", /::zValue\s*\(/, "zValue") +property_writer("QGraphicsItem", /::setZValue\s*\(/, "zValue") +# Property item (QGraphicsItem_Native *) +property_reader("QGraphicsItemAnimation", /::item\s*\(/, "item") +property_writer("QGraphicsItemAnimation", /::setItem\s*\(/, "item") +# Property timeLine (QTimeLine_Native *) +property_reader("QGraphicsItemAnimation", /::timeLine\s*\(/, "timeLine") +property_writer("QGraphicsItemAnimation", /::setTimeLine\s*\(/, "timeLine") +# Property instantInvalidatePropagation (bool) +property_reader("QGraphicsLayout", /::instantInvalidatePropagation\s*\(/, "instantInvalidatePropagation") +property_writer("QGraphicsLayout", /::setInstantInvalidatePropagation\s*\(/, "instantInvalidatePropagation") +# Property geometry (QRectF) +property_reader("QGraphicsLayoutItem", /::geometry\s*\(/, "geometry") +property_writer("QGraphicsLayoutItem", /::setGeometry\s*\(/, "geometry") +# Property maximumHeight (double) +property_reader("QGraphicsLayoutItem", /::maximumHeight\s*\(/, "maximumHeight") +property_writer("QGraphicsLayoutItem", /::setMaximumHeight\s*\(/, "maximumHeight") +# Property maximumSize (QSizeF) +property_reader("QGraphicsLayoutItem", /::maximumSize\s*\(/, "maximumSize") +property_writer("QGraphicsLayoutItem", /::setMaximumSize\s*\(/, "maximumSize") +# Property maximumWidth (double) +property_reader("QGraphicsLayoutItem", /::maximumWidth\s*\(/, "maximumWidth") +property_writer("QGraphicsLayoutItem", /::setMaximumWidth\s*\(/, "maximumWidth") +# Property minimumHeight (double) +property_reader("QGraphicsLayoutItem", /::minimumHeight\s*\(/, "minimumHeight") +property_writer("QGraphicsLayoutItem", /::setMinimumHeight\s*\(/, "minimumHeight") +# Property minimumSize (QSizeF) +property_reader("QGraphicsLayoutItem", /::minimumSize\s*\(/, "minimumSize") +property_writer("QGraphicsLayoutItem", /::setMinimumSize\s*\(/, "minimumSize") +# Property minimumWidth (double) +property_reader("QGraphicsLayoutItem", /::minimumWidth\s*\(/, "minimumWidth") +property_writer("QGraphicsLayoutItem", /::setMinimumWidth\s*\(/, "minimumWidth") +# Property parentLayoutItem (QGraphicsLayoutItem_Native *) +property_reader("QGraphicsLayoutItem", /::parentLayoutItem\s*\(/, "parentLayoutItem") +property_writer("QGraphicsLayoutItem", /::setParentLayoutItem\s*\(/, "parentLayoutItem") +# Property preferredHeight (double) +property_reader("QGraphicsLayoutItem", /::preferredHeight\s*\(/, "preferredHeight") +property_writer("QGraphicsLayoutItem", /::setPreferredHeight\s*\(/, "preferredHeight") +# Property preferredSize (QSizeF) +property_reader("QGraphicsLayoutItem", /::preferredSize\s*\(/, "preferredSize") +property_writer("QGraphicsLayoutItem", /::setPreferredSize\s*\(/, "preferredSize") +# Property preferredWidth (double) +property_reader("QGraphicsLayoutItem", /::preferredWidth\s*\(/, "preferredWidth") +property_writer("QGraphicsLayoutItem", /::setPreferredWidth\s*\(/, "preferredWidth") +# Property sizePolicy (QSizePolicy) +property_reader("QGraphicsLayoutItem", /::sizePolicy\s*\(/, "sizePolicy") +property_writer("QGraphicsLayoutItem", /::setSizePolicy\s*\(/, "sizePolicy") +# Property line (QLineF) +property_reader("QGraphicsLineItem", /::line\s*\(/, "line") +property_writer("QGraphicsLineItem", /::setLine\s*\(/, "line") +# Property pen (QPen) +property_reader("QGraphicsLineItem", /::pen\s*\(/, "pen") +property_writer("QGraphicsLineItem", /::setPen\s*\(/, "pen") +# Property geometry (QRectF) +property_reader("QGraphicsLayoutItem", /::geometry\s*\(/, "geometry") +property_writer("QGraphicsLinearLayout", /::setGeometry\s*\(/, "geometry") +# Property orientation (Qt_Orientation) +property_reader("QGraphicsLinearLayout", /::orientation\s*\(/, "orientation") +property_writer("QGraphicsLinearLayout", /::setOrientation\s*\(/, "orientation") +# Property spacing (double) +property_reader("QGraphicsLinearLayout", /::spacing\s*\(/, "spacing") +property_writer("QGraphicsLinearLayout", /::setSpacing\s*\(/, "spacing") +# Property path (QPainterPath) +property_reader("QGraphicsPathItem", /::path\s*\(/, "path") +property_writer("QGraphicsPathItem", /::setPath\s*\(/, "path") +# Property offset (QPointF) +property_reader("QGraphicsPixmapItem", /::offset\s*\(/, "offset") +property_writer("QGraphicsPixmapItem", /::setOffset\s*\(/, "offset") +# Property pixmap (QPixmap_Native) +property_reader("QGraphicsPixmapItem", /::pixmap\s*\(/, "pixmap") +property_writer("QGraphicsPixmapItem", /::setPixmap\s*\(/, "pixmap") +# Property shapeMode (QGraphicsPixmapItem_ShapeMode) +property_reader("QGraphicsPixmapItem", /::shapeMode\s*\(/, "shapeMode") +property_writer("QGraphicsPixmapItem", /::setShapeMode\s*\(/, "shapeMode") +# Property transformationMode (Qt_TransformationMode) +property_reader("QGraphicsPixmapItem", /::transformationMode\s*\(/, "transformationMode") +property_writer("QGraphicsPixmapItem", /::setTransformationMode\s*\(/, "transformationMode") +# Property fillRule (Qt_FillRule) +property_reader("QGraphicsPolygonItem", /::fillRule\s*\(/, "fillRule") +property_writer("QGraphicsPolygonItem", /::setFillRule\s*\(/, "fillRule") +# Property polygon (QPolygonF) +property_reader("QGraphicsPolygonItem", /::polygon\s*\(/, "polygon") +property_writer("QGraphicsPolygonItem", /::setPolygon\s*\(/, "polygon") +# Property widget (QWidget_Native *) +property_reader("QGraphicsProxyWidget", /::widget\s*\(/, "widget") +property_writer("QGraphicsProxyWidget", /::setWidget\s*\(/, "widget") +# Property rect (QRectF) +property_reader("QGraphicsRectItem", /::rect\s*\(/, "rect") +property_writer("QGraphicsRectItem", /::setRect\s*\(/, "rect") +# Property activePanel (QGraphicsItem_Native *) +property_reader("QGraphicsScene", /::activePanel\s*\(/, "activePanel") +property_writer("QGraphicsScene", /::setActivePanel\s*\(/, "activePanel") +# Property activeWindow (QGraphicsWidget_Native *) +property_reader("QGraphicsScene", /::activeWindow\s*\(/, "activeWindow") +property_writer("QGraphicsScene", /::setActiveWindow\s*\(/, "activeWindow") +# Property focusItem (QGraphicsItem_Native *) +property_reader("QGraphicsScene", /::focusItem\s*\(/, "focusItem") +property_writer("QGraphicsScene", /::setFocusItem\s*\(/, "focusItem") +# Property selectionArea (QPainterPath) +property_reader("QGraphicsScene", /::selectionArea\s*\(/, "selectionArea") +property_writer("QGraphicsScene", /::setSelectionArea\s*\(/, "selectionArea") +# Property style (QStyle_Native *) +property_reader("QGraphicsScene", /::style\s*\(/, "style") +property_writer("QGraphicsScene", /::setStyle\s*\(/, "style") +# Property modifiers (Qt_QFlags_KeyboardModifier) +property_reader("QGraphicsSceneContextMenuEvent", /::modifiers\s*\(/, "modifiers") +property_writer("QGraphicsSceneContextMenuEvent", /::setModifiers\s*\(/, "modifiers") +# Property pos (QPointF) +property_reader("QGraphicsSceneContextMenuEvent", /::pos\s*\(/, "pos") +property_writer("QGraphicsSceneContextMenuEvent", /::setPos\s*\(/, "pos") +# Property reason (QGraphicsSceneContextMenuEvent_Reason) +property_reader("QGraphicsSceneContextMenuEvent", /::reason\s*\(/, "reason") +property_writer("QGraphicsSceneContextMenuEvent", /::setReason\s*\(/, "reason") +# Property scenePos (QPointF) +property_reader("QGraphicsSceneContextMenuEvent", /::scenePos\s*\(/, "scenePos") +property_writer("QGraphicsSceneContextMenuEvent", /::setScenePos\s*\(/, "scenePos") +# Property screenPos (QPoint) +property_reader("QGraphicsSceneContextMenuEvent", /::screenPos\s*\(/, "screenPos") +property_writer("QGraphicsSceneContextMenuEvent", /::setScreenPos\s*\(/, "screenPos") +# Property buttons (Qt_QFlags_MouseButton) +property_reader("QGraphicsSceneDragDropEvent", /::buttons\s*\(/, "buttons") +property_writer("QGraphicsSceneDragDropEvent", /::setButtons\s*\(/, "buttons") +# Property dropAction (Qt_DropAction) +property_reader("QGraphicsSceneDragDropEvent", /::dropAction\s*\(/, "dropAction") +property_writer("QGraphicsSceneDragDropEvent", /::setDropAction\s*\(/, "dropAction") +# Property mimeData (QMimeData_Native *) +property_reader("QGraphicsSceneDragDropEvent", /::mimeData\s*\(/, "mimeData") +property_writer("QGraphicsSceneDragDropEvent", /::setMimeData\s*\(/, "mimeData") +# Property modifiers (Qt_QFlags_KeyboardModifier) +property_reader("QGraphicsSceneDragDropEvent", /::modifiers\s*\(/, "modifiers") +property_writer("QGraphicsSceneDragDropEvent", /::setModifiers\s*\(/, "modifiers") +# Property pos (QPointF) +property_reader("QGraphicsSceneDragDropEvent", /::pos\s*\(/, "pos") +property_writer("QGraphicsSceneDragDropEvent", /::setPos\s*\(/, "pos") +# Property possibleActions (Qt_QFlags_DropAction) +property_reader("QGraphicsSceneDragDropEvent", /::possibleActions\s*\(/, "possibleActions") +property_writer("QGraphicsSceneDragDropEvent", /::setPossibleActions\s*\(/, "possibleActions") +# Property proposedAction (Qt_DropAction) +property_reader("QGraphicsSceneDragDropEvent", /::proposedAction\s*\(/, "proposedAction") +property_writer("QGraphicsSceneDragDropEvent", /::setProposedAction\s*\(/, "proposedAction") +# Property scenePos (QPointF) +property_reader("QGraphicsSceneDragDropEvent", /::scenePos\s*\(/, "scenePos") +property_writer("QGraphicsSceneDragDropEvent", /::setScenePos\s*\(/, "scenePos") +# Property screenPos (QPoint) +property_reader("QGraphicsSceneDragDropEvent", /::screenPos\s*\(/, "screenPos") +property_writer("QGraphicsSceneDragDropEvent", /::setScreenPos\s*\(/, "screenPos") +# Property source (QWidget_Native *) +property_reader("QGraphicsSceneDragDropEvent", /::source\s*\(/, "source") +property_writer("QGraphicsSceneDragDropEvent", /::setSource\s*\(/, "source") +# Property timestamp (unsigned long long) +property_reader("QGraphicsSceneEvent", /::timestamp\s*\(/, "timestamp") +property_writer("QGraphicsSceneEvent", /::setTimestamp\s*\(/, "timestamp") # Property widget (QWidget_Native *) -property_reader("QScrollArea", /::widget\s*\(/, "widget") -property_writer("QScrollArea", /::setWidget\s*\(/, "widget") -# Property contentPos (QPointF) -property_reader("QScrollPrepareEvent", /::contentPos\s*\(/, "contentPos") -property_writer("QScrollPrepareEvent", /::setContentPos\s*\(/, "contentPos") -# Property contentPosRange (QRectF) -property_reader("QScrollPrepareEvent", /::contentPosRange\s*\(/, "contentPosRange") -property_writer("QScrollPrepareEvent", /::setContentPosRange\s*\(/, "contentPosRange") -# Property viewportSize (QSizeF) -property_reader("QScrollPrepareEvent", /::viewportSize\s*\(/, "viewportSize") -property_writer("QScrollPrepareEvent", /::setViewportSize\s*\(/, "viewportSize") -# Property discardCommand (string[]) -property_reader("QSessionManager", /::discardCommand\s*\(/, "discardCommand") -property_writer("QSessionManager", /::setDiscardCommand\s*\(/, "discardCommand") -# Property restartCommand (string[]) -property_reader("QSessionManager", /::restartCommand\s*\(/, "restartCommand") -property_writer("QSessionManager", /::setRestartCommand\s*\(/, "restartCommand") -# Property restartHint (QSessionManager_RestartHint) -property_reader("QSessionManager", /::restartHint\s*\(/, "restartHint") -property_writer("QSessionManager", /::setRestartHint\s*\(/, "restartHint") -# Property defaultFormat (QSettings_Format) -property_reader("QSettings", /::defaultFormat\s*\(/, "defaultFormat") -property_writer("QSettings", /::setDefaultFormat\s*\(/, "defaultFormat") -# Property fallbacksEnabled (bool) -property_reader("QSettings", /::fallbacksEnabled\s*\(/, "fallbacksEnabled") -property_writer("QSettings", /::setFallbacksEnabled\s*\(/, "fallbacksEnabled") -# Property key (string) -property_reader("QSharedMemory", /::key\s*\(/, "key") -property_writer("QSharedMemory", /::setKey\s*\(/, "key") -# Property nativeKey (string) -property_reader("QSharedMemory", /::nativeKey\s*\(/, "nativeKey") -property_writer("QSharedMemory", /::setNativeKey\s*\(/, "nativeKey") -# Property height (int) -property_reader("QSize", /::height\s*\(/, "height") -property_writer("QSize", /::setHeight\s*\(/, "height") -# Property width (int) -property_reader("QSize", /::width\s*\(/, "width") -property_writer("QSize", /::setWidth\s*\(/, "width") -# Property height (double) -property_reader("QSizeF", /::height\s*\(/, "height") -property_writer("QSizeF", /::setHeight\s*\(/, "height") -# Property width (double) -property_reader("QSizeF", /::width\s*\(/, "width") -property_writer("QSizeF", /::setWidth\s*\(/, "width") -# Property controlType (QSizePolicy_ControlType) -property_reader("QSizePolicy", /::controlType\s*\(/, "controlType") -property_writer("QSizePolicy", /::setControlType\s*\(/, "controlType") -# Property heightForWidth (bool) -property_reader("QSizePolicy", /::hasHeightForWidth\s*\(/, "heightForWidth") -property_writer("QSizePolicy", /::setHeightForWidth\s*\(/, "heightForWidth") -# Property horizontalPolicy (QSizePolicy_Policy) -property_reader("QSizePolicy", /::horizontalPolicy\s*\(/, "horizontalPolicy") -property_writer("QSizePolicy", /::setHorizontalPolicy\s*\(/, "horizontalPolicy") -# Property horizontalStretch (int) -property_reader("QSizePolicy", /::horizontalStretch\s*\(/, "horizontalStretch") -property_writer("QSizePolicy", /::setHorizontalStretch\s*\(/, "horizontalStretch") -# Property retainSizeWhenHidden (bool) -property_reader("QSizePolicy", /::retainSizeWhenHidden\s*\(/, "retainSizeWhenHidden") -property_writer("QSizePolicy", /::setRetainSizeWhenHidden\s*\(/, "retainSizeWhenHidden") -# Property verticalPolicy (QSizePolicy_Policy) -property_reader("QSizePolicy", /::verticalPolicy\s*\(/, "verticalPolicy") -property_writer("QSizePolicy", /::setVerticalPolicy\s*\(/, "verticalPolicy") -# Property verticalStretch (int) -property_reader("QSizePolicy", /::verticalStretch\s*\(/, "verticalStretch") -property_writer("QSizePolicy", /::setVerticalStretch\s*\(/, "verticalStretch") -# Property widthForHeight (bool) -property_reader("QSizePolicy", /::hasWidthForHeight\s*\(/, "widthForHeight") -property_writer("QSizePolicy", /::setWidthForHeight\s*\(/, "widthForHeight") +property_reader("QGraphicsSceneEvent", /::widget\s*\(/, "widget") +property_writer("QGraphicsSceneEvent", /::setWidget\s*\(/, "widget") +# Property scenePos (QPointF) +property_reader("QGraphicsSceneHelpEvent", /::scenePos\s*\(/, "scenePos") +property_writer("QGraphicsSceneHelpEvent", /::setScenePos\s*\(/, "scenePos") +# Property screenPos (QPoint) +property_reader("QGraphicsSceneHelpEvent", /::screenPos\s*\(/, "screenPos") +property_writer("QGraphicsSceneHelpEvent", /::setScreenPos\s*\(/, "screenPos") +# Property lastPos (QPointF) +property_reader("QGraphicsSceneHoverEvent", /::lastPos\s*\(/, "lastPos") +property_writer("QGraphicsSceneHoverEvent", /::setLastPos\s*\(/, "lastPos") +# Property lastScenePos (QPointF) +property_reader("QGraphicsSceneHoverEvent", /::lastScenePos\s*\(/, "lastScenePos") +property_writer("QGraphicsSceneHoverEvent", /::setLastScenePos\s*\(/, "lastScenePos") +# Property lastScreenPos (QPoint) +property_reader("QGraphicsSceneHoverEvent", /::lastScreenPos\s*\(/, "lastScreenPos") +property_writer("QGraphicsSceneHoverEvent", /::setLastScreenPos\s*\(/, "lastScreenPos") +# Property modifiers (Qt_QFlags_KeyboardModifier) +property_reader("QGraphicsSceneHoverEvent", /::modifiers\s*\(/, "modifiers") +property_writer("QGraphicsSceneHoverEvent", /::setModifiers\s*\(/, "modifiers") +# Property pos (QPointF) +property_reader("QGraphicsSceneHoverEvent", /::pos\s*\(/, "pos") +property_writer("QGraphicsSceneHoverEvent", /::setPos\s*\(/, "pos") +# Property scenePos (QPointF) +property_reader("QGraphicsSceneHoverEvent", /::scenePos\s*\(/, "scenePos") +property_writer("QGraphicsSceneHoverEvent", /::setScenePos\s*\(/, "scenePos") +# Property screenPos (QPoint) +property_reader("QGraphicsSceneHoverEvent", /::screenPos\s*\(/, "screenPos") +property_writer("QGraphicsSceneHoverEvent", /::setScreenPos\s*\(/, "screenPos") +# Property button (Qt_MouseButton) +property_reader("QGraphicsSceneMouseEvent", /::button\s*\(/, "button") +property_writer("QGraphicsSceneMouseEvent", /::setButton\s*\(/, "button") +# Property buttons (Qt_QFlags_MouseButton) +property_reader("QGraphicsSceneMouseEvent", /::buttons\s*\(/, "buttons") +property_writer("QGraphicsSceneMouseEvent", /::setButtons\s*\(/, "buttons") +# Property flags (Qt_QFlags_MouseEventFlag) +property_reader("QGraphicsSceneMouseEvent", /::flags\s*\(/, "flags") +property_writer("QGraphicsSceneMouseEvent", /::setFlags\s*\(/, "flags") +# Property lastPos (QPointF) +property_reader("QGraphicsSceneMouseEvent", /::lastPos\s*\(/, "lastPos") +property_writer("QGraphicsSceneMouseEvent", /::setLastPos\s*\(/, "lastPos") +# Property lastScenePos (QPointF) +property_reader("QGraphicsSceneMouseEvent", /::lastScenePos\s*\(/, "lastScenePos") +property_writer("QGraphicsSceneMouseEvent", /::setLastScenePos\s*\(/, "lastScenePos") +# Property lastScreenPos (QPoint) +property_reader("QGraphicsSceneMouseEvent", /::lastScreenPos\s*\(/, "lastScreenPos") +property_writer("QGraphicsSceneMouseEvent", /::setLastScreenPos\s*\(/, "lastScreenPos") +# Property modifiers (Qt_QFlags_KeyboardModifier) +property_reader("QGraphicsSceneMouseEvent", /::modifiers\s*\(/, "modifiers") +property_writer("QGraphicsSceneMouseEvent", /::setModifiers\s*\(/, "modifiers") +# Property pos (QPointF) +property_reader("QGraphicsSceneMouseEvent", /::pos\s*\(/, "pos") +property_writer("QGraphicsSceneMouseEvent", /::setPos\s*\(/, "pos") +# Property scenePos (QPointF) +property_reader("QGraphicsSceneMouseEvent", /::scenePos\s*\(/, "scenePos") +property_writer("QGraphicsSceneMouseEvent", /::setScenePos\s*\(/, "scenePos") +# Property screenPos (QPoint) +property_reader("QGraphicsSceneMouseEvent", /::screenPos\s*\(/, "screenPos") +property_writer("QGraphicsSceneMouseEvent", /::setScreenPos\s*\(/, "screenPos") +# Property source (Qt_MouseEventSource) +property_reader("QGraphicsSceneMouseEvent", /::source\s*\(/, "source") +property_writer("QGraphicsSceneMouseEvent", /::setSource\s*\(/, "source") +# Property newPos (QPointF) +property_reader("QGraphicsSceneMoveEvent", /::newPos\s*\(/, "newPos") +property_writer("QGraphicsSceneMoveEvent", /::setNewPos\s*\(/, "newPos") +# Property oldPos (QPointF) +property_reader("QGraphicsSceneMoveEvent", /::oldPos\s*\(/, "oldPos") +property_writer("QGraphicsSceneMoveEvent", /::setOldPos\s*\(/, "oldPos") +# Property newSize (QSizeF) +property_reader("QGraphicsSceneResizeEvent", /::newSize\s*\(/, "newSize") +property_writer("QGraphicsSceneResizeEvent", /::setNewSize\s*\(/, "newSize") +# Property oldSize (QSizeF) +property_reader("QGraphicsSceneResizeEvent", /::oldSize\s*\(/, "oldSize") +property_writer("QGraphicsSceneResizeEvent", /::setOldSize\s*\(/, "oldSize") +# Property buttons (Qt_QFlags_MouseButton) +property_reader("QGraphicsSceneWheelEvent", /::buttons\s*\(/, "buttons") +property_writer("QGraphicsSceneWheelEvent", /::setButtons\s*\(/, "buttons") +# Property delta (int) +property_reader("QGraphicsSceneWheelEvent", /::delta\s*\(/, "delta") +property_writer("QGraphicsSceneWheelEvent", /::setDelta\s*\(/, "delta") +# Property inverted (bool) +property_reader("QGraphicsSceneWheelEvent", /::isInverted\s*\(/, "inverted") +property_writer("QGraphicsSceneWheelEvent", /::setInverted\s*\(/, "inverted") +# Property modifiers (Qt_QFlags_KeyboardModifier) +property_reader("QGraphicsSceneWheelEvent", /::modifiers\s*\(/, "modifiers") +property_writer("QGraphicsSceneWheelEvent", /::setModifiers\s*\(/, "modifiers") +# Property orientation (Qt_Orientation) +property_reader("QGraphicsSceneWheelEvent", /::orientation\s*\(/, "orientation") +property_writer("QGraphicsSceneWheelEvent", /::setOrientation\s*\(/, "orientation") +# Property phase (Qt_ScrollPhase) +property_reader("QGraphicsSceneWheelEvent", /::phase\s*\(/, "phase") +property_writer("QGraphicsSceneWheelEvent", /::setPhase\s*\(/, "phase") +# Property pixelDelta (QPoint) +property_reader("QGraphicsSceneWheelEvent", /::pixelDelta\s*\(/, "pixelDelta") +property_writer("QGraphicsSceneWheelEvent", /::setPixelDelta\s*\(/, "pixelDelta") +# Property pos (QPointF) +property_reader("QGraphicsSceneWheelEvent", /::pos\s*\(/, "pos") +property_writer("QGraphicsSceneWheelEvent", /::setPos\s*\(/, "pos") +# Property scenePos (QPointF) +property_reader("QGraphicsSceneWheelEvent", /::scenePos\s*\(/, "scenePos") +property_writer("QGraphicsSceneWheelEvent", /::setScenePos\s*\(/, "scenePos") +# Property screenPos (QPoint) +property_reader("QGraphicsSceneWheelEvent", /::screenPos\s*\(/, "screenPos") +property_writer("QGraphicsSceneWheelEvent", /::setScreenPos\s*\(/, "screenPos") +# Property font (QFont) +property_reader("QGraphicsSimpleTextItem", /::font\s*\(/, "font") +property_writer("QGraphicsSimpleTextItem", /::setFont\s*\(/, "font") +# Property text (string) +property_reader("QGraphicsSimpleTextItem", /::text\s*\(/, "text") +property_writer("QGraphicsSimpleTextItem", /::setText\s*\(/, "text") +# Property defaultTextColor (QColor) +property_reader("QGraphicsTextItem", /::defaultTextColor\s*\(/, "defaultTextColor") +property_writer("QGraphicsTextItem", /::setDefaultTextColor\s*\(/, "defaultTextColor") +# Property document (QTextDocument_Native *) +property_reader("QGraphicsTextItem", /::document\s*\(/, "document") +property_writer("QGraphicsTextItem", /::setDocument\s*\(/, "document") +# Property font (QFont) +property_reader("QGraphicsTextItem", /::font\s*\(/, "font") +property_writer("QGraphicsTextItem", /::setFont\s*\(/, "font") +# Property openExternalLinks (bool) +property_reader("QGraphicsTextItem", /::openExternalLinks\s*\(/, "openExternalLinks") +property_writer("QGraphicsTextItem", /::setOpenExternalLinks\s*\(/, "openExternalLinks") +# Property tabChangesFocus (bool) +property_reader("QGraphicsTextItem", /::tabChangesFocus\s*\(/, "tabChangesFocus") +property_writer("QGraphicsTextItem", /::setTabChangesFocus\s*\(/, "tabChangesFocus") +# Property textCursor (QTextCursor) +property_reader("QGraphicsTextItem", /::textCursor\s*\(/, "textCursor") +property_writer("QGraphicsTextItem", /::setTextCursor\s*\(/, "textCursor") +# Property textInteractionFlags (Qt_QFlags_TextInteractionFlag) +property_reader("QGraphicsTextItem", /::textInteractionFlags\s*\(/, "textInteractionFlags") +property_writer("QGraphicsTextItem", /::setTextInteractionFlags\s*\(/, "textInteractionFlags") +# Property textWidth (double) +property_reader("QGraphicsTextItem", /::textWidth\s*\(/, "textWidth") +property_writer("QGraphicsTextItem", /::setTextWidth\s*\(/, "textWidth") +# Property scene (QGraphicsScene_Native *) +property_reader("QGraphicsView", /::scene\s*\(/, "scene") +property_writer("QGraphicsView", /::setScene\s*\(/, "scene") +# Property transform (QTransform) +property_reader("QGraphicsView", /::transform\s*\(/, "transform") +property_writer("QGraphicsView", /::setTransform\s*\(/, "transform") +# Property style (QStyle_Native *) +property_reader("QGraphicsWidget", /::style\s*\(/, "style") +property_writer("QGraphicsWidget", /::setStyle\s*\(/, "style") +# Property geometry (QRect) +property_reader("QLayout", /::geometry\s*\(/, "geometry") +property_writer("QGridLayout", /::setGeometry\s*\(/, "geometry") +# Property horizontalSpacing (int) +property_reader("QGridLayout", /::horizontalSpacing\s*\(/, "horizontalSpacing") +property_writer("QGridLayout", /::setHorizontalSpacing\s*\(/, "horizontalSpacing") +# Property originCorner (Qt_Corner) +property_reader("QGridLayout", /::originCorner\s*\(/, "originCorner") +property_writer("QGridLayout", /::setOriginCorner\s*\(/, "originCorner") +# Property verticalSpacing (int) +property_reader("QGridLayout", /::verticalSpacing\s*\(/, "verticalSpacing") +property_writer("QGridLayout", /::setVerticalSpacing\s*\(/, "verticalSpacing") +# Property model (QAbstractItemModel_Native *) +property_reader("QAbstractItemView", /::model\s*\(/, "model") +property_writer("QHeaderView", /::setModel\s*\(/, "model") +# Property offset (int) +property_reader("QHeaderView", /::offset\s*\(/, "offset") +property_writer("QHeaderView", /::setOffset\s*\(/, "offset") +# Property resizeContentsPrecision (int) +property_reader("QHeaderView", /::resizeContentsPrecision\s*\(/, "resizeContentsPrecision") +property_writer("QHeaderView", /::setResizeContentsPrecision\s*\(/, "resizeContentsPrecision") +# Property sectionsClickable (bool) +property_reader("QHeaderView", /::sectionsClickable\s*\(/, "sectionsClickable") +property_writer("QHeaderView", /::setSectionsClickable\s*\(/, "sectionsClickable") +# Property sectionsMovable (bool) +property_reader("QHeaderView", /::sectionsMovable\s*\(/, "sectionsMovable") +property_writer("QHeaderView", /::setSectionsMovable\s*\(/, "sectionsMovable") +# Property sortIndicatorShown (bool) +property_reader("QHeaderView", /::isSortIndicatorShown\s*\(/, "sortIndicatorShown") +property_writer("QHeaderView", /::setSortIndicatorShown\s*\(/, "sortIndicatorShown") +# Property cancelButtonText (string) +property_reader("QInputDialog", /::cancelButtonText\s*\(/, "cancelButtonText") +property_writer("QInputDialog", /::setCancelButtonText\s*\(/, "cancelButtonText") +# Property comboBoxEditable (bool) +property_reader("QInputDialog", /::isComboBoxEditable\s*\(/, "comboBoxEditable") +property_writer("QInputDialog", /::setComboBoxEditable\s*\(/, "comboBoxEditable") +# Property comboBoxItems (string[]) +property_reader("QInputDialog", /::comboBoxItems\s*\(/, "comboBoxItems") +property_writer("QInputDialog", /::setComboBoxItems\s*\(/, "comboBoxItems") +# Property doubleDecimals (int) +property_reader("QInputDialog", /::doubleDecimals\s*\(/, "doubleDecimals") +property_writer("QInputDialog", /::setDoubleDecimals\s*\(/, "doubleDecimals") +# Property doubleMaximum (double) +property_reader("QInputDialog", /::doubleMaximum\s*\(/, "doubleMaximum") +property_writer("QInputDialog", /::setDoubleMaximum\s*\(/, "doubleMaximum") +# Property doubleMinimum (double) +property_reader("QInputDialog", /::doubleMinimum\s*\(/, "doubleMinimum") +property_writer("QInputDialog", /::setDoubleMinimum\s*\(/, "doubleMinimum") +# Property doubleStep (double) +property_reader("QInputDialog", /::doubleStep\s*\(/, "doubleStep") +property_writer("QInputDialog", /::setDoubleStep\s*\(/, "doubleStep") +# Property doubleValue (double) +property_reader("QInputDialog", /::doubleValue\s*\(/, "doubleValue") +property_writer("QInputDialog", /::setDoubleValue\s*\(/, "doubleValue") +# Property inputMode (QInputDialog_InputMode) +property_reader("QInputDialog", /::inputMode\s*\(/, "inputMode") +property_writer("QInputDialog", /::setInputMode\s*\(/, "inputMode") +# Property intMaximum (int) +property_reader("QInputDialog", /::intMaximum\s*\(/, "intMaximum") +property_writer("QInputDialog", /::setIntMaximum\s*\(/, "intMaximum") +# Property intMinimum (int) +property_reader("QInputDialog", /::intMinimum\s*\(/, "intMinimum") +property_writer("QInputDialog", /::setIntMinimum\s*\(/, "intMinimum") +# Property intStep (int) +property_reader("QInputDialog", /::intStep\s*\(/, "intStep") +property_writer("QInputDialog", /::setIntStep\s*\(/, "intStep") +# Property intValue (int) +property_reader("QInputDialog", /::intValue\s*\(/, "intValue") +property_writer("QInputDialog", /::setIntValue\s*\(/, "intValue") +# Property labelText (string) +property_reader("QInputDialog", /::labelText\s*\(/, "labelText") +property_writer("QInputDialog", /::setLabelText\s*\(/, "labelText") +# Property okButtonText (string) +property_reader("QInputDialog", /::okButtonText\s*\(/, "okButtonText") +property_writer("QInputDialog", /::setOkButtonText\s*\(/, "okButtonText") +# Property options (QInputDialog_QFlags_InputDialogOption) +property_reader("QInputDialog", /::options\s*\(/, "options") +property_writer("QInputDialog", /::setOptions\s*\(/, "options") +# Property textEchoMode (QLineEdit_EchoMode) +property_reader("QInputDialog", /::textEchoMode\s*\(/, "textEchoMode") +property_writer("QInputDialog", /::setTextEchoMode\s*\(/, "textEchoMode") +# Property textValue (string) +property_reader("QInputDialog", /::textValue\s*\(/, "textValue") +property_writer("QInputDialog", /::setTextValue\s*\(/, "textValue") +# Property itemEditorFactory (QItemEditorFactory_Native *) +property_reader("QItemDelegate", /::itemEditorFactory\s*\(/, "itemEditorFactory") +property_writer("QItemDelegate", /::setItemEditorFactory\s*\(/, "itemEditorFactory") +# Property defaultFactory (QItemEditorFactory_Native *) +property_reader("QItemEditorFactory", /::defaultFactory\s*\(/, "defaultFactory") +property_writer("QItemEditorFactory", /::setDefaultFactory\s*\(/, "defaultFactory") +# Property buddy (QWidget_Native *) +property_reader("QLabel", /::buddy\s*\(/, "buddy") +property_writer("QLabel", /::setBuddy\s*\(/, "buddy") +# Property movie (QMovie_Native *) +property_reader("QLabel", /::movie\s*\(/, "movie") +property_writer("QLabel", /::setMovie\s*\(/, "movie") +# Property picture (QPicture_Native) +property_reader("QLabel", /::picture\s*\(/, "picture") +property_writer("QLabel", /::setPicture\s*\(/, "picture") # Property enabled (bool) -property_reader("QSocketNotifier", /::isEnabled\s*\(/, "enabled") -property_writer("QSocketNotifier", /::setEnabled\s*\(/, "enabled") -# Property parent (QObject_Native *) -property_reader("QSortFilterProxyModel", /::parent\s*\(/, "parent") -property_writer("QObject", /::setParent\s*\(/, "parent") -# Property loops (int) -property_reader("QSound", /::loops\s*\(/, "loops") -property_writer("QSound", /::setLoops\s*\(/, "loops") -# Property loopCount (int) -property_reader("QSoundEffect", /::loopCount\s*\(/, "loopCount") -property_writer("QSoundEffect", /::setLoopCount\s*\(/, "loopCount") -# Property column (long long) -property_reader("QSourceLocation", /::column\s*\(/, "column") -property_writer("QSourceLocation", /::setColumn\s*\(/, "column") -# Property line (long long) -property_reader("QSourceLocation", /::line\s*\(/, "line") -property_writer("QSourceLocation", /::setLine\s*\(/, "line") -# Property uri (QUrl) -property_reader("QSourceLocation", /::uri\s*\(/, "uri") -property_writer("QSourceLocation", /::setUri\s*\(/, "uri") -# Property geometry (QRect) -property_reader("QSpacerItem", /::geometry\s*\(/, "geometry") -property_writer("QSpacerItem", /::setGeometry\s*\(/, "geometry") -# Property pixmap (QPixmap_Native) -property_reader("QSplashScreen", /::pixmap\s*\(/, "pixmap") -property_writer("QSplashScreen", /::setPixmap\s*\(/, "pixmap") -# Property sizes (int[]) -property_reader("QSplitter", /::sizes\s*\(/, "sizes") -property_writer("QSplitter", /::setSizes\s*\(/, "sizes") -# Property orientation (Qt_Orientation) -property_reader("QSplitterHandle", /::orientation\s*\(/, "orientation") -property_writer("QSplitterHandle", /::setOrientation\s*\(/, "orientation") -# Property connectOptions (string) -property_reader("QSqlDatabase", /::connectOptions\s*\(/, "connectOptions") -property_writer("QSqlDatabase", /::setConnectOptions\s*\(/, "connectOptions") -# Property databaseName (string) -property_reader("QSqlDatabase", /::databaseName\s*\(/, "databaseName") -property_writer("QSqlDatabase", /::setDatabaseName\s*\(/, "databaseName") -# Property hostName (string) -property_reader("QSqlDatabase", /::hostName\s*\(/, "hostName") -property_writer("QSqlDatabase", /::setHostName\s*\(/, "hostName") -# Property numericalPrecisionPolicy (QSql_NumericalPrecisionPolicy) -property_reader("QSqlDatabase", /::numericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") -property_writer("QSqlDatabase", /::setNumericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") -# Property password (string) -property_reader("QSqlDatabase", /::password\s*\(/, "password") -property_writer("QSqlDatabase", /::setPassword\s*\(/, "password") -# Property port (int) -property_reader("QSqlDatabase", /::port\s*\(/, "port") -property_writer("QSqlDatabase", /::setPort\s*\(/, "port") -# Property userName (string) -property_reader("QSqlDatabase", /::userName\s*\(/, "userName") -property_writer("QSqlDatabase", /::setUserName\s*\(/, "userName") -# Property numericalPrecisionPolicy (QSql_NumericalPrecisionPolicy) -property_reader("QSqlDriver", /::numericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") -property_writer("QSqlDriver", /::setNumericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") -# Property databaseText (string) -property_reader("QSqlError", /::databaseText\s*\(/, "databaseText") -property_writer("QSqlError", /::setDatabaseText\s*\(/, "databaseText") -# Property driverText (string) -property_reader("QSqlError", /::driverText\s*\(/, "driverText") -property_writer("QSqlError", /::setDriverText\s*\(/, "driverText") -# Property number (int) -property_reader("QSqlError", /::number\s*\(/, "number") -property_writer("QSqlError", /::setNumber\s*\(/, "number") -# Property type (QSqlError_ErrorType) -property_reader("QSqlError", /::type\s*\(/, "type") -property_writer("QSqlError", /::setType\s*\(/, "type") -# Property autoValue (bool) -property_reader("QSqlField", /::isAutoValue\s*\(/, "autoValue") -property_writer("QSqlField", /::setAutoValue\s*\(/, "autoValue") -# Property defaultValue (variant) -property_reader("QSqlField", /::defaultValue\s*\(/, "defaultValue") -property_writer("QSqlField", /::setDefaultValue\s*\(/, "defaultValue") -# Property generated (bool) -property_reader("QSqlField", /::isGenerated\s*\(/, "generated") -property_writer("QSqlField", /::setGenerated\s*\(/, "generated") -# Property length (int) -property_reader("QSqlField", /::length\s*\(/, "length") -property_writer("QSqlField", /::setLength\s*\(/, "length") -# Property name (string) -property_reader("QSqlField", /::name\s*\(/, "name") -property_writer("QSqlField", /::setName\s*\(/, "name") -# Property precision (int) -property_reader("QSqlField", /::precision\s*\(/, "precision") -property_writer("QSqlField", /::setPrecision\s*\(/, "precision") -# Property readOnly (bool) -property_reader("QSqlField", /::isReadOnly\s*\(/, "readOnly") -property_writer("QSqlField", /::setReadOnly\s*\(/, "readOnly") -# Property requiredStatus (QSqlField_RequiredStatus) -property_reader("QSqlField", /::requiredStatus\s*\(/, "requiredStatus") -property_writer("QSqlField", /::setRequiredStatus\s*\(/, "requiredStatus") -# Property type (QVariant_Type) -property_reader("QSqlField", /::type\s*\(/, "type") -property_writer("QSqlField", /::setType\s*\(/, "type") -# Property value (variant) -property_reader("QSqlField", /::value\s*\(/, "value") -property_writer("QSqlField", /::setValue\s*\(/, "value") -# Property cursorName (string) -property_reader("QSqlIndex", /::cursorName\s*\(/, "cursorName") -property_writer("QSqlIndex", /::setCursorName\s*\(/, "cursorName") -# Property name (string) -property_reader("QSqlIndex", /::name\s*\(/, "name") -property_writer("QSqlIndex", /::setName\s*\(/, "name") -# Property forwardOnly (bool) -property_reader("QSqlQuery", /::isForwardOnly\s*\(/, "forwardOnly") -property_writer("QSqlQuery", /::setForwardOnly\s*\(/, "forwardOnly") -# Property numericalPrecisionPolicy (QSql_NumericalPrecisionPolicy) -property_reader("QSqlQuery", /::numericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") -property_writer("QSqlQuery", /::setNumericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") -# Property query (QSqlQuery) -property_reader("QSqlQueryModel", /::query\s*\(/, "query") -property_writer("QSqlQueryModel", /::setQuery\s*\(/, "query") -# Property editStrategy (QSqlTableModel_EditStrategy) -property_reader("QSqlTableModel", /::editStrategy\s*\(/, "editStrategy") -property_writer("QSqlTableModel", /::setEditStrategy\s*\(/, "editStrategy") -# Property filter (string) -property_reader("QSqlTableModel", /::filter\s*\(/, "filter") -property_writer("QSqlTableModel", /::setFilter\s*\(/, "filter") -# Property allowedNextProtocols (string[]) -property_reader("QSslConfiguration", /::allowedNextProtocols\s*\(/, "allowedNextProtocols") -property_writer("QSslConfiguration", /::setAllowedNextProtocols\s*\(/, "allowedNextProtocols") -# Property caCertificates (QSslCertificate[]) -property_reader("QSslConfiguration", /::caCertificates\s*\(/, "caCertificates") -property_writer("QSslConfiguration", /::setCaCertificates\s*\(/, "caCertificates") -# Property ciphers (QSslCipher[]) -property_reader("QSslConfiguration", /::ciphers\s*\(/, "ciphers") -property_writer("QSslConfiguration", /::setCiphers\s*\(/, "ciphers") -# Property defaultConfiguration (QSslConfiguration) -property_reader("QSslConfiguration", /::defaultConfiguration\s*\(/, "defaultConfiguration") -property_writer("QSslConfiguration", /::setDefaultConfiguration\s*\(/, "defaultConfiguration") -# Property ellipticCurves (QSslEllipticCurve[]) -property_reader("QSslConfiguration", /::ellipticCurves\s*\(/, "ellipticCurves") -property_writer("QSslConfiguration", /::setEllipticCurves\s*\(/, "ellipticCurves") -# Property localCertificate (QSslCertificate) -property_reader("QSslConfiguration", /::localCertificate\s*\(/, "localCertificate") -property_writer("QSslConfiguration", /::setLocalCertificate\s*\(/, "localCertificate") -# Property localCertificateChain (QSslCertificate[]) -property_reader("QSslConfiguration", /::localCertificateChain\s*\(/, "localCertificateChain") -property_writer("QSslConfiguration", /::setLocalCertificateChain\s*\(/, "localCertificateChain") -# Property peerVerifyDepth (int) -property_reader("QSslConfiguration", /::peerVerifyDepth\s*\(/, "peerVerifyDepth") -property_writer("QSslConfiguration", /::setPeerVerifyDepth\s*\(/, "peerVerifyDepth") -# Property peerVerifyMode (QSslSocket_PeerVerifyMode) -property_reader("QSslConfiguration", /::peerVerifyMode\s*\(/, "peerVerifyMode") -property_writer("QSslConfiguration", /::setPeerVerifyMode\s*\(/, "peerVerifyMode") -# Property privateKey (QSslKey) -property_reader("QSslConfiguration", /::privateKey\s*\(/, "privateKey") -property_writer("QSslConfiguration", /::setPrivateKey\s*\(/, "privateKey") -# Property protocol (QSsl_SslProtocol) -property_reader("QSslConfiguration", /::protocol\s*\(/, "protocol") -property_writer("QSslConfiguration", /::setProtocol\s*\(/, "protocol") -# Property sessionTicket (string) -property_reader("QSslConfiguration", /::sessionTicket\s*\(/, "sessionTicket") -property_writer("QSslConfiguration", /::setSessionTicket\s*\(/, "sessionTicket") -# Property identity (string) -property_reader("QSslPreSharedKeyAuthenticator", /::identity\s*\(/, "identity") -property_writer("QSslPreSharedKeyAuthenticator", /::setIdentity\s*\(/, "identity") -# Property preSharedKey (string) -property_reader("QSslPreSharedKeyAuthenticator", /::preSharedKey\s*\(/, "preSharedKey") -property_writer("QSslPreSharedKeyAuthenticator", /::setPreSharedKey\s*\(/, "preSharedKey") -# Property caCertificates (QSslCertificate[]) -property_reader("QSslSocket", /::caCertificates\s*\(/, "caCertificates") -property_writer("QSslSocket", /::setCaCertificates\s*\(/, "caCertificates") -# Property ciphers (QSslCipher[]) -property_reader("QSslSocket", /::ciphers\s*\(/, "ciphers") -property_writer("QSslSocket", /::setCiphers\s*\(/, "ciphers") -# Property defaultCaCertificates (QSslCertificate[]) -property_reader("QSslSocket", /::defaultCaCertificates\s*\(/, "defaultCaCertificates") -property_writer("QSslSocket", /::setDefaultCaCertificates\s*\(/, "defaultCaCertificates") -# Property defaultCiphers (QSslCipher[]) -property_reader("QSslSocket", /::defaultCiphers\s*\(/, "defaultCiphers") -property_writer("QSslSocket", /::setDefaultCiphers\s*\(/, "defaultCiphers") -# Property localCertificate (QSslCertificate) -property_reader("QSslSocket", /::localCertificate\s*\(/, "localCertificate") -property_writer("QSslSocket", /::setLocalCertificate\s*\(/, "localCertificate") -# Property localCertificateChain (QSslCertificate[]) -property_reader("QSslSocket", /::localCertificateChain\s*\(/, "localCertificateChain") -property_writer("QSslSocket", /::setLocalCertificateChain\s*\(/, "localCertificateChain") -# Property peerVerifyDepth (int) -property_reader("QSslSocket", /::peerVerifyDepth\s*\(/, "peerVerifyDepth") -property_writer("QSslSocket", /::setPeerVerifyDepth\s*\(/, "peerVerifyDepth") -# Property peerVerifyMode (QSslSocket_PeerVerifyMode) -property_reader("QSslSocket", /::peerVerifyMode\s*\(/, "peerVerifyMode") -property_writer("QSslSocket", /::setPeerVerifyMode\s*\(/, "peerVerifyMode") -# Property peerVerifyName (string) -property_reader("QSslSocket", /::peerVerifyName\s*\(/, "peerVerifyName") -property_writer("QSslSocket", /::setPeerVerifyName\s*\(/, "peerVerifyName") -# Property privateKey (QSslKey) -property_reader("QSslSocket", /::privateKey\s*\(/, "privateKey") -property_writer("QSslSocket", /::setPrivateKey\s*\(/, "privateKey") -# Property protocol (QSsl_SslProtocol) -property_reader("QSslSocket", /::protocol\s*\(/, "protocol") -property_writer("QSslSocket", /::setProtocol\s*\(/, "protocol") -# Property readBufferSize (long long) -property_reader("QAbstractSocket", /::readBufferSize\s*\(/, "readBufferSize") -property_writer("QSslSocket", /::setReadBufferSize\s*\(/, "readBufferSize") -# Property sslConfiguration (QSslConfiguration) -property_reader("QSslSocket", /::sslConfiguration\s*\(/, "sslConfiguration") -property_writer("QSslSocket", /::setSslConfiguration\s*\(/, "sslConfiguration") -# Property currentWidget (QWidget_Native *) -property_reader("QStackedLayout", /::currentWidget\s*\(/, "currentWidget") -property_writer("QStackedLayout", /::setCurrentWidget\s*\(/, "currentWidget") +property_reader("QLayout", /::isEnabled\s*\(/, "enabled") +property_writer("QLayout", /::setEnabled\s*\(/, "enabled") # Property geometry (QRect) property_reader("QLayout", /::geometry\s*\(/, "geometry") -property_writer("QStackedLayout", /::setGeometry\s*\(/, "geometry") -# Property currentWidget (QWidget_Native *) -property_reader("QStackedWidget", /::currentWidget\s*\(/, "currentWidget") -property_writer("QStackedWidget", /::setCurrentWidget\s*\(/, "currentWidget") -# Property accessibleDescription (string) -property_reader("QStandardItem", /::accessibleDescription\s*\(/, "accessibleDescription") -property_writer("QStandardItem", /::setAccessibleDescription\s*\(/, "accessibleDescription") -# Property accessibleText (string) -property_reader("QStandardItem", /::accessibleText\s*\(/, "accessibleText") -property_writer("QStandardItem", /::setAccessibleText\s*\(/, "accessibleText") +property_writer("QLayout", /::setGeometry\s*\(/, "geometry") +# Property menuBar (QWidget_Native *) +property_reader("QLayout", /::menuBar\s*\(/, "menuBar") +property_writer("QLayout", /::setMenuBar\s*\(/, "menuBar") +# Property alignment (Qt_QFlags_AlignmentFlag) +property_reader("QLayoutItem", /::alignment\s*\(/, "alignment") +property_writer("QLayoutItem", /::setAlignment\s*\(/, "alignment") +# Property geometry (QRect) +property_reader("QLayoutItem", /::geometry\s*\(/, "geometry") +property_writer("QLayoutItem", /::setGeometry\s*\(/, "geometry") +# Property completer (QCompleter_Native *) +property_reader("QLineEdit", /::completer\s*\(/, "completer") +property_writer("QLineEdit", /::setCompleter\s*\(/, "completer") +# Property textMargins (QMargins) +property_reader("QLineEdit", /::textMargins\s*\(/, "textMargins") +property_writer("QLineEdit", /::setTextMargins\s*\(/, "textMargins") +# Property validator (QValidator_Native *) +property_reader("QLineEdit", /::validator\s*\(/, "validator") +property_writer("QLineEdit", /::setValidator\s*\(/, "validator") +# Property rootIndex (QModelIndex) +property_reader("QAbstractItemView", /::rootIndex\s*\(/, "rootIndex") +property_writer("QListView", /::setRootIndex\s*\(/, "rootIndex") +# Property currentItem (QListWidgetItem_Native *) +property_reader("QListWidget", /::currentItem\s*\(/, "currentItem") +property_writer("QListWidget", /::setCurrentItem\s*\(/, "currentItem") +# Property selectionModel (QItemSelectionModel_Native *) +property_reader("QAbstractItemView", /::selectionModel\s*\(/, "selectionModel") +property_writer("QListWidget", /::setSelectionModel\s*\(/, "selectionModel") # Property background (QBrush) -property_reader("QStandardItem", /::background\s*\(/, "background") -property_writer("QStandardItem", /::setBackground\s*\(/, "background") +property_reader("QListWidgetItem", /::background\s*\(/, "background") +property_writer("QListWidgetItem", /::setBackground\s*\(/, "background") # Property checkState (Qt_CheckState) -property_reader("QStandardItem", /::checkState\s*\(/, "checkState") -property_writer("QStandardItem", /::setCheckState\s*\(/, "checkState") -# Property checkable (bool) -property_reader("QStandardItem", /::isCheckable\s*\(/, "checkable") -property_writer("QStandardItem", /::setCheckable\s*\(/, "checkable") -# Property columnCount (int) -property_reader("QStandardItem", /::columnCount\s*\(/, "columnCount") -property_writer("QStandardItem", /::setColumnCount\s*\(/, "columnCount") -# Property data (variant) -property_reader("QStandardItem", /::data\s*\(/, "data") -property_writer("QStandardItem", /::setData\s*\(/, "data") -# Property dragEnabled (bool) -property_reader("QStandardItem", /::isDragEnabled\s*\(/, "dragEnabled") -property_writer("QStandardItem", /::setDragEnabled\s*\(/, "dragEnabled") -# Property dropEnabled (bool) -property_reader("QStandardItem", /::isDropEnabled\s*\(/, "dropEnabled") -property_writer("QStandardItem", /::setDropEnabled\s*\(/, "dropEnabled") -# Property editable (bool) -property_reader("QStandardItem", /::isEditable\s*\(/, "editable") -property_writer("QStandardItem", /::setEditable\s*\(/, "editable") -# Property enabled (bool) -property_reader("QStandardItem", /::isEnabled\s*\(/, "enabled") -property_writer("QStandardItem", /::setEnabled\s*\(/, "enabled") +property_reader("QListWidgetItem", /::checkState\s*\(/, "checkState") +property_writer("QListWidgetItem", /::setCheckState\s*\(/, "checkState") # Property flags (Qt_QFlags_ItemFlag) -property_reader("QStandardItem", /::flags\s*\(/, "flags") -property_writer("QStandardItem", /::setFlags\s*\(/, "flags") +property_reader("QListWidgetItem", /::flags\s*\(/, "flags") +property_writer("QListWidgetItem", /::setFlags\s*\(/, "flags") # Property font (QFont) -property_reader("QStandardItem", /::font\s*\(/, "font") -property_writer("QStandardItem", /::setFont\s*\(/, "font") +property_reader("QListWidgetItem", /::font\s*\(/, "font") +property_writer("QListWidgetItem", /::setFont\s*\(/, "font") # Property foreground (QBrush) -property_reader("QStandardItem", /::foreground\s*\(/, "foreground") -property_writer("QStandardItem", /::setForeground\s*\(/, "foreground") +property_reader("QListWidgetItem", /::foreground\s*\(/, "foreground") +property_writer("QListWidgetItem", /::setForeground\s*\(/, "foreground") +# Property hidden (bool) +property_reader("QListWidgetItem", /::isHidden\s*\(/, "hidden") +property_writer("QListWidgetItem", /::setHidden\s*\(/, "hidden") # Property icon (QIcon) -property_reader("QStandardItem", /::icon\s*\(/, "icon") -property_writer("QStandardItem", /::setIcon\s*\(/, "icon") -# Property rowCount (int) -property_reader("QStandardItem", /::rowCount\s*\(/, "rowCount") -property_writer("QStandardItem", /::setRowCount\s*\(/, "rowCount") -# Property selectable (bool) -property_reader("QStandardItem", /::isSelectable\s*\(/, "selectable") -property_writer("QStandardItem", /::setSelectable\s*\(/, "selectable") +property_reader("QListWidgetItem", /::icon\s*\(/, "icon") +property_writer("QListWidgetItem", /::setIcon\s*\(/, "icon") +# Property selected (bool) +property_reader("QListWidgetItem", /::isSelected\s*\(/, "selected") +property_writer("QListWidgetItem", /::setSelected\s*\(/, "selected") # Property sizeHint (QSize) -property_reader("QStandardItem", /::sizeHint\s*\(/, "sizeHint") -property_writer("QStandardItem", /::setSizeHint\s*\(/, "sizeHint") +property_reader("QListWidgetItem", /::sizeHint\s*\(/, "sizeHint") +property_writer("QListWidgetItem", /::setSizeHint\s*\(/, "sizeHint") # Property statusTip (string) -property_reader("QStandardItem", /::statusTip\s*\(/, "statusTip") -property_writer("QStandardItem", /::setStatusTip\s*\(/, "statusTip") +property_reader("QListWidgetItem", /::statusTip\s*\(/, "statusTip") +property_writer("QListWidgetItem", /::setStatusTip\s*\(/, "statusTip") # Property text (string) -property_reader("QStandardItem", /::text\s*\(/, "text") -property_writer("QStandardItem", /::setText\s*\(/, "text") -# Property textAlignment (Qt_QFlags_AlignmentFlag) -property_reader("QStandardItem", /::textAlignment\s*\(/, "textAlignment") -property_writer("QStandardItem", /::setTextAlignment\s*\(/, "textAlignment") +property_reader("QListWidgetItem", /::text\s*\(/, "text") +property_writer("QListWidgetItem", /::setText\s*\(/, "text") +# Property textAlignment (int) +property_reader("QListWidgetItem", /::textAlignment\s*\(/, "textAlignment") +property_writer("QListWidgetItem", /::setTextAlignment\s*\(/, "textAlignment") # Property toolTip (string) -property_reader("QStandardItem", /::toolTip\s*\(/, "toolTip") -property_writer("QStandardItem", /::setToolTip\s*\(/, "toolTip") -# Property tristate (bool) -property_reader("QStandardItem", /::isTristate\s*\(/, "tristate") -property_writer("QStandardItem", /::setTristate\s*\(/, "tristate") +property_reader("QListWidgetItem", /::toolTip\s*\(/, "toolTip") +property_writer("QListWidgetItem", /::setToolTip\s*\(/, "toolTip") # Property whatsThis (string) -property_reader("QStandardItem", /::whatsThis\s*\(/, "whatsThis") -property_writer("QStandardItem", /::setWhatsThis\s*\(/, "whatsThis") -# Property columnCount (int) -property_reader("QStandardItemModel", /::columnCount\s*\(/, "columnCount") -property_writer("QStandardItemModel", /::setColumnCount\s*\(/, "columnCount") -# Property itemPrototype (QStandardItem_Native *) -property_reader("QStandardItemModel", /::itemPrototype\s*\(/, "itemPrototype") -property_writer("QStandardItemModel", /::setItemPrototype\s*\(/, "itemPrototype") -# Property parent (QObject_Native *) -property_reader("QStandardItemModel", /::parent\s*\(/, "parent") -property_writer("QObject", /::setParent\s*\(/, "parent") -# Property rowCount (int) -property_reader("QStandardItemModel", /::rowCount\s*\(/, "rowCount") -property_writer("QStandardItemModel", /::setRowCount\s*\(/, "rowCount") -# Property testModeEnabled (bool) -property_reader("QStandardPaths", /::isTestModeEnabled\s*\(/, "testModeEnabled") -property_writer("QStandardPaths", /::setTestModeEnabled\s*\(/, "testModeEnabled") -# Property performanceHint (QStaticText_PerformanceHint) -property_reader("QStaticText", /::performanceHint\s*\(/, "performanceHint") -property_writer("QStaticText", /::setPerformanceHint\s*\(/, "performanceHint") -# Property text (string) -property_reader("QStaticText", /::text\s*\(/, "text") -property_writer("QStaticText", /::setText\s*\(/, "text") -# Property textFormat (Qt_TextFormat) -property_reader("QStaticText", /::textFormat\s*\(/, "textFormat") -property_writer("QStaticText", /::setTextFormat\s*\(/, "textFormat") -# Property textOption (QTextOption) -property_reader("QStaticText", /::textOption\s*\(/, "textOption") -property_writer("QStaticText", /::setTextOption\s*\(/, "textOption") -# Property textWidth (double) -property_reader("QStaticText", /::textWidth\s*\(/, "textWidth") -property_writer("QStaticText", /::setTextWidth\s*\(/, "textWidth") -# Property stringList (string[]) -property_reader("QStringListModel", /::stringList\s*\(/, "stringList") -property_writer("QStringListModel", /::setStringList\s*\(/, "stringList") -# Property caseSensitivity (Qt_CaseSensitivity) -property_reader("QStringMatcher", /::caseSensitivity\s*\(/, "caseSensitivity") -property_writer("QStringMatcher", /::setCaseSensitivity\s*\(/, "caseSensitivity") -# Property pattern (string) -property_reader("QStringMatcher", /::pattern\s*\(/, "pattern") -property_writer("QStringMatcher", /::setPattern\s*\(/, "pattern") -# Property itemEditorFactory (QItemEditorFactory_Native *) -property_reader("QStyledItemDelegate", /::itemEditorFactory\s*\(/, "itemEditorFactory") -property_writer("QStyledItemDelegate", /::setItemEditorFactory\s*\(/, "itemEditorFactory") -# Property alphaBufferSize (int) -property_reader("QSurfaceFormat", /::alphaBufferSize\s*\(/, "alphaBufferSize") -property_writer("QSurfaceFormat", /::setAlphaBufferSize\s*\(/, "alphaBufferSize") -# Property blueBufferSize (int) -property_reader("QSurfaceFormat", /::blueBufferSize\s*\(/, "blueBufferSize") -property_writer("QSurfaceFormat", /::setBlueBufferSize\s*\(/, "blueBufferSize") -# Property defaultFormat (QSurfaceFormat) -property_reader("QSurfaceFormat", /::defaultFormat\s*\(/, "defaultFormat") -property_writer("QSurfaceFormat", /::setDefaultFormat\s*\(/, "defaultFormat") -# Property depthBufferSize (int) -property_reader("QSurfaceFormat", /::depthBufferSize\s*\(/, "depthBufferSize") -property_writer("QSurfaceFormat", /::setDepthBufferSize\s*\(/, "depthBufferSize") -# Property greenBufferSize (int) -property_reader("QSurfaceFormat", /::greenBufferSize\s*\(/, "greenBufferSize") -property_writer("QSurfaceFormat", /::setGreenBufferSize\s*\(/, "greenBufferSize") -# Property majorVersion (int) -property_reader("QSurfaceFormat", /::majorVersion\s*\(/, "majorVersion") -property_writer("QSurfaceFormat", /::setMajorVersion\s*\(/, "majorVersion") -# Property minorVersion (int) -property_reader("QSurfaceFormat", /::minorVersion\s*\(/, "minorVersion") -property_writer("QSurfaceFormat", /::setMinorVersion\s*\(/, "minorVersion") -# Property options (QSurfaceFormat_QFlags_FormatOption) -property_reader("QSurfaceFormat", /::options\s*\(/, "options") -property_writer("QSurfaceFormat", /::setOptions\s*\(/, "options") -# Property profile (QSurfaceFormat_OpenGLContextProfile) -property_reader("QSurfaceFormat", /::profile\s*\(/, "profile") -property_writer("QSurfaceFormat", /::setProfile\s*\(/, "profile") -# Property redBufferSize (int) -property_reader("QSurfaceFormat", /::redBufferSize\s*\(/, "redBufferSize") -property_writer("QSurfaceFormat", /::setRedBufferSize\s*\(/, "redBufferSize") -# Property renderableType (QSurfaceFormat_RenderableType) -property_reader("QSurfaceFormat", /::renderableType\s*\(/, "renderableType") -property_writer("QSurfaceFormat", /::setRenderableType\s*\(/, "renderableType") -# Property samples (int) -property_reader("QSurfaceFormat", /::samples\s*\(/, "samples") -property_writer("QSurfaceFormat", /::setSamples\s*\(/, "samples") -# Property stencilBufferSize (int) -property_reader("QSurfaceFormat", /::stencilBufferSize\s*\(/, "stencilBufferSize") -property_writer("QSurfaceFormat", /::setStencilBufferSize\s*\(/, "stencilBufferSize") -# Property stereo (bool) -property_reader("QSurfaceFormat", /::stereo\s*\(/, "stereo") -property_writer("QSurfaceFormat", /::setStereo\s*\(/, "stereo") -# Property swapBehavior (QSurfaceFormat_SwapBehavior) -property_reader("QSurfaceFormat", /::swapBehavior\s*\(/, "swapBehavior") -property_writer("QSurfaceFormat", /::setSwapBehavior\s*\(/, "swapBehavior") -# Property swapInterval (int) -property_reader("QSurfaceFormat", /::swapInterval\s*\(/, "swapInterval") -property_writer("QSurfaceFormat", /::setSwapInterval\s*\(/, "swapInterval") -# Property description (string) -property_reader("QSvgGenerator", /::description\s*\(/, "description") -property_writer("QSvgGenerator", /::setDescription\s*\(/, "description") -# Property fileName (string) -property_reader("QSvgGenerator", /::fileName\s*\(/, "fileName") -property_writer("QSvgGenerator", /::setFileName\s*\(/, "fileName") -# Property outputDevice (QIODevice *) -property_reader("QSvgGenerator", /::outputDevice\s*\(/, "outputDevice") -property_writer("QSvgGenerator", /::setOutputDevice\s*\(/, "outputDevice") -# Property resolution (int) -property_reader("QSvgGenerator", /::resolution\s*\(/, "resolution") -property_writer("QSvgGenerator", /::setResolution\s*\(/, "resolution") -# Property size (QSize) -property_reader("QSvgGenerator", /::size\s*\(/, "size") -property_writer("QSvgGenerator", /::setSize\s*\(/, "size") -# Property title (string) -property_reader("QSvgGenerator", /::title\s*\(/, "title") -property_writer("QSvgGenerator", /::setTitle\s*\(/, "title") -# Property viewBox (QRect) -property_reader("QSvgGenerator", /::viewBox\s*\(/, "viewBox") -property_writer("QSvgGenerator", /::setViewBox\s*\(/, "viewBox") +property_reader("QListWidgetItem", /::whatsThis\s*\(/, "whatsThis") +property_writer("QListWidgetItem", /::setWhatsThis\s*\(/, "whatsThis") +# Property centralWidget (QWidget_Native *) +property_reader("QMainWindow", /::centralWidget\s*\(/, "centralWidget") +property_writer("QMainWindow", /::setCentralWidget\s*\(/, "centralWidget") +# Property menuBar (QMenuBar_Native *) +property_reader("QMainWindow", /::menuBar\s*\(/, "menuBar") +property_writer("QMainWindow", /::setMenuBar\s*\(/, "menuBar") +# Property menuWidget (QWidget_Native *) +property_reader("QMainWindow", /::menuWidget\s*\(/, "menuWidget") +property_writer("QMainWindow", /::setMenuWidget\s*\(/, "menuWidget") +# Property statusBar (QStatusBar_Native *) +property_reader("QMainWindow", /::statusBar\s*\(/, "statusBar") +property_writer("QMainWindow", /::setStatusBar\s*\(/, "statusBar") +# Property activeSubWindow (QMdiSubWindow_Native *) +property_reader("QMdiArea", /::activeSubWindow\s*\(/, "activeSubWindow") +property_writer("QMdiArea", /::setActiveSubWindow\s*\(/, "activeSubWindow") +# Property systemMenu (QMenu_Native *) +property_reader("QMdiSubWindow", /::systemMenu\s*\(/, "systemMenu") +property_writer("QMdiSubWindow", /::setSystemMenu\s*\(/, "systemMenu") +# Property widget (QWidget_Native *) +property_reader("QMdiSubWindow", /::widget\s*\(/, "widget") +property_writer("QMdiSubWindow", /::setWidget\s*\(/, "widget") +# Property activeAction (QAction_Native *) +property_reader("QMenu", /::activeAction\s*\(/, "activeAction") +property_writer("QMenu", /::setActiveAction\s*\(/, "activeAction") +# Property defaultAction (QAction_Native *) +property_reader("QMenu", /::defaultAction\s*\(/, "defaultAction") +property_writer("QMenu", /::setDefaultAction\s*\(/, "defaultAction") +# Property activeAction (QAction_Native *) +property_reader("QMenuBar", /::activeAction\s*\(/, "activeAction") +property_writer("QMenuBar", /::setActiveAction\s*\(/, "activeAction") +# Property cornerWidget (QWidget_Native *) +property_reader("QMenuBar", /::cornerWidget\s*\(/, "cornerWidget") +property_writer("QMenuBar", /::setCornerWidget\s*\(/, "cornerWidget") +# Property checkBox (QCheckBox_Native *) +property_reader("QMessageBox", /::checkBox\s*\(/, "checkBox") +property_writer("QMessageBox", /::setCheckBox\s*\(/, "checkBox") +# Property defaultButton (QPushButton_Native *) +property_reader("QMessageBox", /::defaultButton\s*\(/, "defaultButton") +property_writer("QMessageBox", /::setDefaultButton\s*\(/, "defaultButton") +# Property escapeButton (QAbstractButton_Native *) +property_reader("QMessageBox", /::escapeButton\s*\(/, "escapeButton") +property_writer("QMessageBox", /::setEscapeButton\s*\(/, "escapeButton") +# Property currentCharFormat (QTextCharFormat) +property_reader("QPlainTextEdit", /::currentCharFormat\s*\(/, "currentCharFormat") +property_writer("QPlainTextEdit", /::setCurrentCharFormat\s*\(/, "currentCharFormat") # Property document (QTextDocument_Native *) -property_reader("QSyntaxHighlighter", /::document\s*\(/, "document") -property_writer("QSyntaxHighlighter", /::setDocument\s*\(/, "document") -# Property key (string) -property_reader("QSystemSemaphore", /::key\s*\(/, "key") -property_writer("QSystemSemaphore", /::setKey\s*\(/, "key") +property_reader("QPlainTextEdit", /::document\s*\(/, "document") +property_writer("QPlainTextEdit", /::setDocument\s*\(/, "document") +# Property extraSelections (QTextEdit_ExtraSelection[]) +property_reader("QPlainTextEdit", /::extraSelections\s*\(/, "extraSelections") +property_writer("QPlainTextEdit", /::setExtraSelections\s*\(/, "extraSelections") +# Property textCursor (QTextCursor) +property_reader("QPlainTextEdit", /::textCursor\s*\(/, "textCursor") +property_writer("QPlainTextEdit", /::setTextCursor\s*\(/, "textCursor") +# Property wordWrapMode (QTextOption_WrapMode) +property_reader("QPlainTextEdit", /::wordWrapMode\s*\(/, "wordWrapMode") +property_writer("QPlainTextEdit", /::setWordWrapMode\s*\(/, "wordWrapMode") +# Property menu (QMenu_Native *) +property_reader("QPushButton", /::menu\s*\(/, "menu") +property_writer("QPushButton", /::setMenu\s*\(/, "menu") +# Property widget (QWidget_Native *) +property_reader("QScrollArea", /::widget\s*\(/, "widget") +property_writer("QScrollArea", /::setWidget\s*\(/, "widget") +# Property controlType (QSizePolicy_ControlType) +property_reader("QSizePolicy", /::controlType\s*\(/, "controlType") +property_writer("QSizePolicy", /::setControlType\s*\(/, "controlType") +# Property heightForWidth (bool) +property_reader("QSizePolicy", /::hasHeightForWidth\s*\(/, "heightForWidth") +property_writer("QSizePolicy", /::setHeightForWidth\s*\(/, "heightForWidth") +# Property horizontalPolicy (QSizePolicy_Policy) +property_reader("QSizePolicy", /::horizontalPolicy\s*\(/, "horizontalPolicy") +property_writer("QSizePolicy", /::setHorizontalPolicy\s*\(/, "horizontalPolicy") +# Property horizontalStretch (int) +property_reader("QSizePolicy", /::horizontalStretch\s*\(/, "horizontalStretch") +property_writer("QSizePolicy", /::setHorizontalStretch\s*\(/, "horizontalStretch") +# Property retainSizeWhenHidden (bool) +property_reader("QSizePolicy", /::retainSizeWhenHidden\s*\(/, "retainSizeWhenHidden") +property_writer("QSizePolicy", /::setRetainSizeWhenHidden\s*\(/, "retainSizeWhenHidden") +# Property verticalPolicy (QSizePolicy_Policy) +property_reader("QSizePolicy", /::verticalPolicy\s*\(/, "verticalPolicy") +property_writer("QSizePolicy", /::setVerticalPolicy\s*\(/, "verticalPolicy") +# Property verticalStretch (int) +property_reader("QSizePolicy", /::verticalStretch\s*\(/, "verticalStretch") +property_writer("QSizePolicy", /::setVerticalStretch\s*\(/, "verticalStretch") +# Property widthForHeight (bool) +property_reader("QSizePolicy", /::hasWidthForHeight\s*\(/, "widthForHeight") +property_writer("QSizePolicy", /::setWidthForHeight\s*\(/, "widthForHeight") +# Property geometry (QRect) +property_reader("QSpacerItem", /::geometry\s*\(/, "geometry") +property_writer("QSpacerItem", /::setGeometry\s*\(/, "geometry") +# Property pixmap (QPixmap_Native) +property_reader("QSplashScreen", /::pixmap\s*\(/, "pixmap") +property_writer("QSplashScreen", /::setPixmap\s*\(/, "pixmap") +# Property sizes (int[]) +property_reader("QSplitter", /::sizes\s*\(/, "sizes") +property_writer("QSplitter", /::setSizes\s*\(/, "sizes") +# Property orientation (Qt_Orientation) +property_reader("QSplitterHandle", /::orientation\s*\(/, "orientation") +property_writer("QSplitterHandle", /::setOrientation\s*\(/, "orientation") +# Property currentWidget (QWidget_Native *) +property_reader("QStackedLayout", /::currentWidget\s*\(/, "currentWidget") +property_writer("QStackedLayout", /::setCurrentWidget\s*\(/, "currentWidget") +# Property geometry (QRect) +property_reader("QLayout", /::geometry\s*\(/, "geometry") +property_writer("QStackedLayout", /::setGeometry\s*\(/, "geometry") +# Property currentWidget (QWidget_Native *) +property_reader("QStackedWidget", /::currentWidget\s*\(/, "currentWidget") +property_writer("QStackedWidget", /::setCurrentWidget\s*\(/, "currentWidget") +# Property itemEditorFactory (QItemEditorFactory_Native *) +property_reader("QStyledItemDelegate", /::itemEditorFactory\s*\(/, "itemEditorFactory") +property_writer("QStyledItemDelegate", /::setItemEditorFactory\s*\(/, "itemEditorFactory") # Property contextMenu (QMenu_Native *) property_reader("QSystemTrayIcon", /::contextMenu\s*\(/, "contextMenu") property_writer("QSystemTrayIcon", /::setContextMenu\s*\(/, "contextMenu") @@ -14392,9 +13923,6 @@ property_writer("QTableWidget", /::setItemPrototype\s*\(/, "itemPrototype") # Property background (QBrush) property_reader("QTableWidgetItem", /::background\s*\(/, "background") property_writer("QTableWidgetItem", /::setBackground\s*\(/, "background") -# Property backgroundColor (QColor) -property_reader("QTableWidgetItem", /::backgroundColor\s*\(/, "backgroundColor") -property_writer("QTableWidgetItem", /::setBackgroundColor\s*\(/, "backgroundColor") # Property checkState (Qt_CheckState) property_reader("QTableWidgetItem", /::checkState\s*\(/, "checkState") property_writer("QTableWidgetItem", /::setCheckState\s*\(/, "checkState") @@ -14420,221 +13948,20 @@ property_writer("QTableWidgetItem", /::setSizeHint\s*\(/, "sizeHint") property_reader("QTableWidgetItem", /::statusTip\s*\(/, "statusTip") property_writer("QTableWidgetItem", /::setStatusTip\s*\(/, "statusTip") # Property text (string) -property_reader("QTableWidgetItem", /::text\s*\(/, "text") -property_writer("QTableWidgetItem", /::setText\s*\(/, "text") -# Property textAlignment (int) -property_reader("QTableWidgetItem", /::textAlignment\s*\(/, "textAlignment") -property_writer("QTableWidgetItem", /::setTextAlignment\s*\(/, "textAlignment") -# Property textColor (QColor) -property_reader("QTableWidgetItem", /::textColor\s*\(/, "textColor") -property_writer("QTableWidgetItem", /::setTextColor\s*\(/, "textColor") -# Property toolTip (string) -property_reader("QTableWidgetItem", /::toolTip\s*\(/, "toolTip") -property_writer("QTableWidgetItem", /::setToolTip\s*\(/, "toolTip") -# Property whatsThis (string) -property_reader("QTableWidgetItem", /::whatsThis\s*\(/, "whatsThis") -property_writer("QTableWidgetItem", /::setWhatsThis\s*\(/, "whatsThis") -# Property timeout (int) -property_reader("QTapAndHoldGesture", /::timeout\s*\(/, "timeout") -property_writer("QTapAndHoldGesture", /::setTimeout\s*\(/, "timeout") -# Property maxPendingConnections (int) -property_reader("QTcpServer", /::maxPendingConnections\s*\(/, "maxPendingConnections") -property_writer("QTcpServer", /::setMaxPendingConnections\s*\(/, "maxPendingConnections") -# Property proxy (QNetworkProxy) -property_reader("QTcpServer", /::proxy\s*\(/, "proxy") -property_writer("QTcpServer", /::setProxy\s*\(/, "proxy") -# Property autoRemove (bool) -property_reader("QTemporaryDir", /::autoRemove\s*\(/, "autoRemove") -property_writer("QTemporaryDir", /::setAutoRemove\s*\(/, "autoRemove") -# Property autoRemove (bool) -property_reader("QTemporaryFile", /::autoRemove\s*\(/, "autoRemove") -property_writer("QTemporaryFile", /::setAutoRemove\s*\(/, "autoRemove") -# Property fileName (string) -property_reader("QTemporaryFile", /::fileName\s*\(/, "fileName") -property_writer("QFile", /::setFileName\s*\(/, "fileName") -# Property fileTemplate (string) -property_reader("QTemporaryFile", /::fileTemplate\s*\(/, "fileTemplate") -property_writer("QTemporaryFile", /::setFileTemplate\s*\(/, "fileTemplate") -# Property lineCount (int) -property_reader("QTextBlock", /::lineCount\s*\(/, "lineCount") -property_writer("QTextBlock", /::setLineCount\s*\(/, "lineCount") -# Property revision (int) -property_reader("QTextBlock", /::revision\s*\(/, "revision") -property_writer("QTextBlock", /::setRevision\s*\(/, "revision") -# Property userData (QTextBlockUserData_Native *) -property_reader("QTextBlock", /::userData\s*\(/, "userData") -property_writer("QTextBlock", /::setUserData\s*\(/, "userData") -# Property userState (int) -property_reader("QTextBlock", /::userState\s*\(/, "userState") -property_writer("QTextBlock", /::setUserState\s*\(/, "userState") -# Property visible (bool) -property_reader("QTextBlock", /::isVisible\s*\(/, "visible") -property_writer("QTextBlock", /::setVisible\s*\(/, "visible") -# Property alignment (Qt_QFlags_AlignmentFlag) -property_reader("QTextBlockFormat", /::alignment\s*\(/, "alignment") -property_writer("QTextBlockFormat", /::setAlignment\s*\(/, "alignment") -# Property bottomMargin (double) -property_reader("QTextBlockFormat", /::bottomMargin\s*\(/, "bottomMargin") -property_writer("QTextBlockFormat", /::setBottomMargin\s*\(/, "bottomMargin") -# Property indent (int) -property_reader("QTextBlockFormat", /::indent\s*\(/, "indent") -property_writer("QTextBlockFormat", /::setIndent\s*\(/, "indent") -# Property leftMargin (double) -property_reader("QTextBlockFormat", /::leftMargin\s*\(/, "leftMargin") -property_writer("QTextBlockFormat", /::setLeftMargin\s*\(/, "leftMargin") -# Property nonBreakableLines (bool) -property_reader("QTextBlockFormat", /::nonBreakableLines\s*\(/, "nonBreakableLines") -property_writer("QTextBlockFormat", /::setNonBreakableLines\s*\(/, "nonBreakableLines") -# Property pageBreakPolicy (QTextFormat_QFlags_PageBreakFlag) -property_reader("QTextBlockFormat", /::pageBreakPolicy\s*\(/, "pageBreakPolicy") -property_writer("QTextBlockFormat", /::setPageBreakPolicy\s*\(/, "pageBreakPolicy") -# Property rightMargin (double) -property_reader("QTextBlockFormat", /::rightMargin\s*\(/, "rightMargin") -property_writer("QTextBlockFormat", /::setRightMargin\s*\(/, "rightMargin") -# Property tabPositions (QTextOption_Tab[]) -property_reader("QTextBlockFormat", /::tabPositions\s*\(/, "tabPositions") -property_writer("QTextBlockFormat", /::setTabPositions\s*\(/, "tabPositions") -# Property textIndent (double) -property_reader("QTextBlockFormat", /::textIndent\s*\(/, "textIndent") -property_writer("QTextBlockFormat", /::setTextIndent\s*\(/, "textIndent") -# Property topMargin (double) -property_reader("QTextBlockFormat", /::topMargin\s*\(/, "topMargin") -property_writer("QTextBlockFormat", /::setTopMargin\s*\(/, "topMargin") -# Property position (int) -property_reader("QTextBoundaryFinder", /::position\s*\(/, "position") -property_writer("QTextBoundaryFinder", /::setPosition\s*\(/, "position") -# Property anchor (bool) -property_reader("QTextCharFormat", /::isAnchor\s*\(/, "anchor") -property_writer("QTextCharFormat", /::setAnchor\s*\(/, "anchor") -# Property anchorHref (string) -property_reader("QTextCharFormat", /::anchorHref\s*\(/, "anchorHref") -property_writer("QTextCharFormat", /::setAnchorHref\s*\(/, "anchorHref") -# Property anchorName (string) -property_reader("QTextCharFormat", /::anchorName\s*\(/, "anchorName") -property_writer("QTextCharFormat", /::setAnchorName\s*\(/, "anchorName") -# Property anchorNames (string[]) -property_reader("QTextCharFormat", /::anchorNames\s*\(/, "anchorNames") -property_writer("QTextCharFormat", /::setAnchorNames\s*\(/, "anchorNames") -# Property font (QFont) -property_reader("QTextCharFormat", /::font\s*\(/, "font") -property_writer("QTextCharFormat", /::setFont\s*\(/, "font") -# Property fontCapitalization (QFont_Capitalization) -property_reader("QTextCharFormat", /::fontCapitalization\s*\(/, "fontCapitalization") -property_writer("QTextCharFormat", /::setFontCapitalization\s*\(/, "fontCapitalization") -# Property fontFamily (string) -property_reader("QTextCharFormat", /::fontFamily\s*\(/, "fontFamily") -property_writer("QTextCharFormat", /::setFontFamily\s*\(/, "fontFamily") -# Property fontFixedPitch (bool) -property_reader("QTextCharFormat", /::fontFixedPitch\s*\(/, "fontFixedPitch") -property_writer("QTextCharFormat", /::setFontFixedPitch\s*\(/, "fontFixedPitch") -# Property fontHintingPreference (QFont_HintingPreference) -property_reader("QTextCharFormat", /::fontHintingPreference\s*\(/, "fontHintingPreference") -property_writer("QTextCharFormat", /::setFontHintingPreference\s*\(/, "fontHintingPreference") -# Property fontItalic (bool) -property_reader("QTextCharFormat", /::fontItalic\s*\(/, "fontItalic") -property_writer("QTextCharFormat", /::setFontItalic\s*\(/, "fontItalic") -# Property fontKerning (bool) -property_reader("QTextCharFormat", /::fontKerning\s*\(/, "fontKerning") -property_writer("QTextCharFormat", /::setFontKerning\s*\(/, "fontKerning") -# Property fontLetterSpacing (double) -property_reader("QTextCharFormat", /::fontLetterSpacing\s*\(/, "fontLetterSpacing") -property_writer("QTextCharFormat", /::setFontLetterSpacing\s*\(/, "fontLetterSpacing") -# Property fontLetterSpacingType (QFont_SpacingType) -property_reader("QTextCharFormat", /::fontLetterSpacingType\s*\(/, "fontLetterSpacingType") -property_writer("QTextCharFormat", /::setFontLetterSpacingType\s*\(/, "fontLetterSpacingType") -# Property fontOverline (bool) -property_reader("QTextCharFormat", /::fontOverline\s*\(/, "fontOverline") -property_writer("QTextCharFormat", /::setFontOverline\s*\(/, "fontOverline") -# Property fontPointSize (double) -property_reader("QTextCharFormat", /::fontPointSize\s*\(/, "fontPointSize") -property_writer("QTextCharFormat", /::setFontPointSize\s*\(/, "fontPointSize") -# Property fontStretch (int) -property_reader("QTextCharFormat", /::fontStretch\s*\(/, "fontStretch") -property_writer("QTextCharFormat", /::setFontStretch\s*\(/, "fontStretch") -# Property fontStrikeOut (bool) -property_reader("QTextCharFormat", /::fontStrikeOut\s*\(/, "fontStrikeOut") -property_writer("QTextCharFormat", /::setFontStrikeOut\s*\(/, "fontStrikeOut") -# Property fontStyleHint (QFont_StyleHint) -property_reader("QTextCharFormat", /::fontStyleHint\s*\(/, "fontStyleHint") -property_writer("QTextCharFormat", /::setFontStyleHint\s*\(/, "fontStyleHint") -# Property fontStyleStrategy (QFont_StyleStrategy) -property_reader("QTextCharFormat", /::fontStyleStrategy\s*\(/, "fontStyleStrategy") -property_writer("QTextCharFormat", /::setFontStyleStrategy\s*\(/, "fontStyleStrategy") -# Property fontUnderline (bool) -property_reader("QTextCharFormat", /::fontUnderline\s*\(/, "fontUnderline") -property_writer("QTextCharFormat", /::setFontUnderline\s*\(/, "fontUnderline") -# Property fontWeight (int) -property_reader("QTextCharFormat", /::fontWeight\s*\(/, "fontWeight") -property_writer("QTextCharFormat", /::setFontWeight\s*\(/, "fontWeight") -# Property fontWordSpacing (double) -property_reader("QTextCharFormat", /::fontWordSpacing\s*\(/, "fontWordSpacing") -property_writer("QTextCharFormat", /::setFontWordSpacing\s*\(/, "fontWordSpacing") -# Property tableCellColumnSpan (int) -property_reader("QTextCharFormat", /::tableCellColumnSpan\s*\(/, "tableCellColumnSpan") -property_writer("QTextCharFormat", /::setTableCellColumnSpan\s*\(/, "tableCellColumnSpan") -# Property tableCellRowSpan (int) -property_reader("QTextCharFormat", /::tableCellRowSpan\s*\(/, "tableCellRowSpan") -property_writer("QTextCharFormat", /::setTableCellRowSpan\s*\(/, "tableCellRowSpan") -# Property textOutline (QPen) -property_reader("QTextCharFormat", /::textOutline\s*\(/, "textOutline") -property_writer("QTextCharFormat", /::setTextOutline\s*\(/, "textOutline") -# Property toolTip (string) -property_reader("QTextCharFormat", /::toolTip\s*\(/, "toolTip") -property_writer("QTextCharFormat", /::setToolTip\s*\(/, "toolTip") -# Property underlineColor (QColor) -property_reader("QTextCharFormat", /::underlineColor\s*\(/, "underlineColor") -property_writer("QTextCharFormat", /::setUnderlineColor\s*\(/, "underlineColor") -# Property underlineStyle (QTextCharFormat_UnderlineStyle) -property_reader("QTextCharFormat", /::underlineStyle\s*\(/, "underlineStyle") -property_writer("QTextCharFormat", /::setUnderlineStyle\s*\(/, "underlineStyle") -# Property verticalAlignment (QTextCharFormat_VerticalAlignment) -property_reader("QTextCharFormat", /::verticalAlignment\s*\(/, "verticalAlignment") -property_writer("QTextCharFormat", /::setVerticalAlignment\s*\(/, "verticalAlignment") -# Property codecForLocale (QTextCodec_Native *) -property_reader("QTextCodec", /::codecForLocale\s*\(/, "codecForLocale") -property_writer("QTextCodec", /::setCodecForLocale\s*\(/, "codecForLocale") -# Property blockCharFormat (QTextCharFormat) -property_reader("QTextCursor", /::blockCharFormat\s*\(/, "blockCharFormat") -property_writer("QTextCursor", /::setBlockCharFormat\s*\(/, "blockCharFormat") -# Property blockFormat (QTextBlockFormat) -property_reader("QTextCursor", /::blockFormat\s*\(/, "blockFormat") -property_writer("QTextCursor", /::setBlockFormat\s*\(/, "blockFormat") -# Property charFormat (QTextCharFormat) -property_reader("QTextCursor", /::charFormat\s*\(/, "charFormat") -property_writer("QTextCursor", /::setCharFormat\s*\(/, "charFormat") -# Property keepPositionOnInsert (bool) -property_reader("QTextCursor", /::keepPositionOnInsert\s*\(/, "keepPositionOnInsert") -property_writer("QTextCursor", /::setKeepPositionOnInsert\s*\(/, "keepPositionOnInsert") -# Property position (int) -property_reader("QTextCursor", /::position\s*\(/, "position") -property_writer("QTextCursor", /::setPosition\s*\(/, "position") -# Property verticalMovementX (int) -property_reader("QTextCursor", /::verticalMovementX\s*\(/, "verticalMovementX") -property_writer("QTextCursor", /::setVerticalMovementX\s*\(/, "verticalMovementX") -# Property visualNavigation (bool) -property_reader("QTextCursor", /::visualNavigation\s*\(/, "visualNavigation") -property_writer("QTextCursor", /::setVisualNavigation\s*\(/, "visualNavigation") -# Property defaultCursorMoveStyle (Qt_CursorMoveStyle) -property_reader("QTextDocument", /::defaultCursorMoveStyle\s*\(/, "defaultCursorMoveStyle") -property_writer("QTextDocument", /::setDefaultCursorMoveStyle\s*\(/, "defaultCursorMoveStyle") -# Property defaultTextOption (QTextOption) -property_reader("QTextDocument", /::defaultTextOption\s*\(/, "defaultTextOption") -property_writer("QTextDocument", /::setDefaultTextOption\s*\(/, "defaultTextOption") -# Property documentLayout (QAbstractTextDocumentLayout_Native *) -property_reader("QTextDocument", /::documentLayout\s*\(/, "documentLayout") -property_writer("QTextDocument", /::setDocumentLayout\s*\(/, "documentLayout") -# Property codec (QTextCodec_Native *) -property_reader("QTextDocumentWriter", /::codec\s*\(/, "codec") -property_writer("QTextDocumentWriter", /::setCodec\s*\(/, "codec") -# Property device (QIODevice *) -property_reader("QTextDocumentWriter", /::device\s*\(/, "device") -property_writer("QTextDocumentWriter", /::setDevice\s*\(/, "device") -# Property fileName (string) -property_reader("QTextDocumentWriter", /::fileName\s*\(/, "fileName") -property_writer("QTextDocumentWriter", /::setFileName\s*\(/, "fileName") -# Property format (string) -property_reader("QTextDocumentWriter", /::format\s*\(/, "format") -property_writer("QTextDocumentWriter", /::setFormat\s*\(/, "format") +property_reader("QTableWidgetItem", /::text\s*\(/, "text") +property_writer("QTableWidgetItem", /::setText\s*\(/, "text") +# Property textAlignment (int) +property_reader("QTableWidgetItem", /::textAlignment\s*\(/, "textAlignment") +property_writer("QTableWidgetItem", /::setTextAlignment\s*\(/, "textAlignment") +# Property toolTip (string) +property_reader("QTableWidgetItem", /::toolTip\s*\(/, "toolTip") +property_writer("QTableWidgetItem", /::setToolTip\s*\(/, "toolTip") +# Property whatsThis (string) +property_reader("QTableWidgetItem", /::whatsThis\s*\(/, "whatsThis") +property_writer("QTableWidgetItem", /::setWhatsThis\s*\(/, "whatsThis") +# Property timeout (int) +property_reader("QTapAndHoldGesture", /::timeout\s*\(/, "timeout") +property_writer("QTapAndHoldGesture", /::setTimeout\s*\(/, "timeout") # Property alignment (Qt_QFlags_AlignmentFlag) property_reader("QTextEdit", /::alignment\s*\(/, "alignment") property_writer("QTextEdit", /::setAlignment\s*\(/, "alignment") @@ -14651,257 +13978,29 @@ property_writer("QTextEdit", /::setExtraSelections\s*\(/, "extraSelections") property_reader("QTextEdit", /::fontFamily\s*\(/, "fontFamily") property_writer("QTextEdit", /::setFontFamily\s*\(/, "fontFamily") # Property fontItalic (bool) -property_reader("QTextEdit", /::fontItalic\s*\(/, "fontItalic") -property_writer("QTextEdit", /::setFontItalic\s*\(/, "fontItalic") -# Property fontPointSize (double) -property_reader("QTextEdit", /::fontPointSize\s*\(/, "fontPointSize") -property_writer("QTextEdit", /::setFontPointSize\s*\(/, "fontPointSize") -# Property fontUnderline (bool) -property_reader("QTextEdit", /::fontUnderline\s*\(/, "fontUnderline") -property_writer("QTextEdit", /::setFontUnderline\s*\(/, "fontUnderline") -# Property fontWeight (int) -property_reader("QTextEdit", /::fontWeight\s*\(/, "fontWeight") -property_writer("QTextEdit", /::setFontWeight\s*\(/, "fontWeight") -# Property textBackgroundColor (QColor) -property_reader("QTextEdit", /::textBackgroundColor\s*\(/, "textBackgroundColor") -property_writer("QTextEdit", /::setTextBackgroundColor\s*\(/, "textBackgroundColor") -# Property textColor (QColor) -property_reader("QTextEdit", /::textColor\s*\(/, "textColor") -property_writer("QTextEdit", /::setTextColor\s*\(/, "textColor") -# Property textCursor (QTextCursor) -property_reader("QTextEdit", /::textCursor\s*\(/, "textCursor") -property_writer("QTextEdit", /::setTextCursor\s*\(/, "textCursor") -# Property wordWrapMode (QTextOption_WrapMode) -property_reader("QTextEdit", /::wordWrapMode\s*\(/, "wordWrapMode") -property_writer("QTextEdit", /::setWordWrapMode\s*\(/, "wordWrapMode") -# Property background (QBrush) -property_reader("QTextFormat", /::background\s*\(/, "background") -property_writer("QTextFormat", /::setBackground\s*\(/, "background") -# Property foreground (QBrush) -property_reader("QTextFormat", /::foreground\s*\(/, "foreground") -property_writer("QTextFormat", /::setForeground\s*\(/, "foreground") -# Property layoutDirection (Qt_LayoutDirection) -property_reader("QTextFormat", /::layoutDirection\s*\(/, "layoutDirection") -property_writer("QTextFormat", /::setLayoutDirection\s*\(/, "layoutDirection") -# Property objectIndex (int) -property_reader("QTextFormat", /::objectIndex\s*\(/, "objectIndex") -property_writer("QTextFormat", /::setObjectIndex\s*\(/, "objectIndex") -# Property objectType (int) -property_reader("QTextFormat", /::objectType\s*\(/, "objectType") -property_writer("QTextFormat", /::setObjectType\s*\(/, "objectType") -# Property frameFormat (QTextFrameFormat) -property_reader("QTextFrame", /::frameFormat\s*\(/, "frameFormat") -property_writer("QTextFrame", /::setFrameFormat\s*\(/, "frameFormat") -# Property border (double) -property_reader("QTextFrameFormat", /::border\s*\(/, "border") -property_writer("QTextFrameFormat", /::setBorder\s*\(/, "border") -# Property borderBrush (QBrush) -property_reader("QTextFrameFormat", /::borderBrush\s*\(/, "borderBrush") -property_writer("QTextFrameFormat", /::setBorderBrush\s*\(/, "borderBrush") -# Property borderStyle (QTextFrameFormat_BorderStyle) -property_reader("QTextFrameFormat", /::borderStyle\s*\(/, "borderStyle") -property_writer("QTextFrameFormat", /::setBorderStyle\s*\(/, "borderStyle") -# Property bottomMargin (double) -property_reader("QTextFrameFormat", /::bottomMargin\s*\(/, "bottomMargin") -property_writer("QTextFrameFormat", /::setBottomMargin\s*\(/, "bottomMargin") -# Property leftMargin (double) -property_reader("QTextFrameFormat", /::leftMargin\s*\(/, "leftMargin") -property_writer("QTextFrameFormat", /::setLeftMargin\s*\(/, "leftMargin") -# Property margin (double) -property_reader("QTextFrameFormat", /::margin\s*\(/, "margin") -property_writer("QTextFrameFormat", /::setMargin\s*\(/, "margin") -# Property padding (double) -property_reader("QTextFrameFormat", /::padding\s*\(/, "padding") -property_writer("QTextFrameFormat", /::setPadding\s*\(/, "padding") -# Property pageBreakPolicy (QTextFormat_QFlags_PageBreakFlag) -property_reader("QTextFrameFormat", /::pageBreakPolicy\s*\(/, "pageBreakPolicy") -property_writer("QTextFrameFormat", /::setPageBreakPolicy\s*\(/, "pageBreakPolicy") -# Property position (QTextFrameFormat_Position) -property_reader("QTextFrameFormat", /::position\s*\(/, "position") -property_writer("QTextFrameFormat", /::setPosition\s*\(/, "position") -# Property rightMargin (double) -property_reader("QTextFrameFormat", /::rightMargin\s*\(/, "rightMargin") -property_writer("QTextFrameFormat", /::setRightMargin\s*\(/, "rightMargin") -# Property topMargin (double) -property_reader("QTextFrameFormat", /::topMargin\s*\(/, "topMargin") -property_writer("QTextFrameFormat", /::setTopMargin\s*\(/, "topMargin") -# Property height (double) -property_reader("QTextImageFormat", /::height\s*\(/, "height") -property_writer("QTextImageFormat", /::setHeight\s*\(/, "height") -# Property name (string) -property_reader("QTextImageFormat", /::name\s*\(/, "name") -property_writer("QTextImageFormat", /::setName\s*\(/, "name") -# Property width (double) -property_reader("QTextImageFormat", /::width\s*\(/, "width") -property_writer("QTextImageFormat", /::setWidth\s*\(/, "width") -# Property ascent (double) -property_reader("QTextInlineObject", /::ascent\s*\(/, "ascent") -property_writer("QTextInlineObject", /::setAscent\s*\(/, "ascent") -# Property descent (double) -property_reader("QTextInlineObject", /::descent\s*\(/, "descent") -property_writer("QTextInlineObject", /::setDescent\s*\(/, "descent") -# Property width (double) -property_reader("QTextInlineObject", /::width\s*\(/, "width") -property_writer("QTextInlineObject", /::setWidth\s*\(/, "width") -# Property additionalFormats (QTextLayout_FormatRange[]) -property_reader("QTextLayout", /::additionalFormats\s*\(/, "additionalFormats") -property_writer("QTextLayout", /::setAdditionalFormats\s*\(/, "additionalFormats") -# Property cacheEnabled (bool) -property_reader("QTextLayout", /::cacheEnabled\s*\(/, "cacheEnabled") -property_writer("QTextLayout", /::setCacheEnabled\s*\(/, "cacheEnabled") -# Property cursorMoveStyle (Qt_CursorMoveStyle) -property_reader("QTextLayout", /::cursorMoveStyle\s*\(/, "cursorMoveStyle") -property_writer("QTextLayout", /::setCursorMoveStyle\s*\(/, "cursorMoveStyle") -# Property font (QFont) -property_reader("QTextLayout", /::font\s*\(/, "font") -property_writer("QTextLayout", /::setFont\s*\(/, "font") -# Property position (QPointF) -property_reader("QTextLayout", /::position\s*\(/, "position") -property_writer("QTextLayout", /::setPosition\s*\(/, "position") -# Property text (string) -property_reader("QTextLayout", /::text\s*\(/, "text") -property_writer("QTextLayout", /::setText\s*\(/, "text") -# Property textOption (QTextOption) -property_reader("QTextLayout", /::textOption\s*\(/, "textOption") -property_writer("QTextLayout", /::setTextOption\s*\(/, "textOption") -# Property leadingIncluded (bool) -property_reader("QTextLine", /::leadingIncluded\s*\(/, "leadingIncluded") -property_writer("QTextLine", /::setLeadingIncluded\s*\(/, "leadingIncluded") -# Property position (QPointF) -property_reader("QTextLine", /::position\s*\(/, "position") -property_writer("QTextLine", /::setPosition\s*\(/, "position") -# Property format (QTextListFormat) -property_reader("QTextList", /::format\s*\(/, "format") -property_writer("QTextList", /::setFormat\s*\(/, "format") -# Property indent (int) -property_reader("QTextListFormat", /::indent\s*\(/, "indent") -property_writer("QTextListFormat", /::setIndent\s*\(/, "indent") -# Property numberPrefix (string) -property_reader("QTextListFormat", /::numberPrefix\s*\(/, "numberPrefix") -property_writer("QTextListFormat", /::setNumberPrefix\s*\(/, "numberPrefix") -# Property numberSuffix (string) -property_reader("QTextListFormat", /::numberSuffix\s*\(/, "numberSuffix") -property_writer("QTextListFormat", /::setNumberSuffix\s*\(/, "numberSuffix") -# Property style (QTextListFormat_Style) -property_reader("QTextListFormat", /::style\s*\(/, "style") -property_writer("QTextListFormat", /::setStyle\s*\(/, "style") -# Property alignment (Qt_QFlags_AlignmentFlag) -property_reader("QTextOption", /::alignment\s*\(/, "alignment") -property_writer("QTextOption", /::setAlignment\s*\(/, "alignment") -# Property flags (QTextOption_QFlags_Flag) -property_reader("QTextOption", /::flags\s*\(/, "flags") -property_writer("QTextOption", /::setFlags\s*\(/, "flags") -# Property tabArray (double[]) -property_reader("QTextOption", /::tabArray\s*\(/, "tabArray") -property_writer("QTextOption", /::setTabArray\s*\(/, "tabArray") -# Property tabStop (double) -property_reader("QTextOption", /::tabStop\s*\(/, "tabStop") -property_writer("QTextOption", /::setTabStop\s*\(/, "tabStop") -# Property tabs (QTextOption_Tab[]) -property_reader("QTextOption", /::tabs\s*\(/, "tabs") -property_writer("QTextOption", /::setTabs\s*\(/, "tabs") -# Property textDirection (Qt_LayoutDirection) -property_reader("QTextOption", /::textDirection\s*\(/, "textDirection") -property_writer("QTextOption", /::setTextDirection\s*\(/, "textDirection") -# Property useDesignMetrics (bool) -property_reader("QTextOption", /::useDesignMetrics\s*\(/, "useDesignMetrics") -property_writer("QTextOption", /::setUseDesignMetrics\s*\(/, "useDesignMetrics") -# Property wrapMode (QTextOption_WrapMode) -property_reader("QTextOption", /::wrapMode\s*\(/, "wrapMode") -property_writer("QTextOption", /::setWrapMode\s*\(/, "wrapMode") -# Property autoDetectUnicode (bool) -property_reader("QTextStream", /::autoDetectUnicode\s*\(/, "autoDetectUnicode") -property_writer("QTextStream", /::setAutoDetectUnicode\s*\(/, "autoDetectUnicode") -# Property codec (QTextCodec_Native *) -property_reader("QTextStream", /::codec\s*\(/, "codec") -property_writer("QTextStream", /::setCodec\s*\(/, "codec") -# Property device (QIODevice *) -property_reader("QTextStream", /::device\s*\(/, "device") -property_writer("QTextStream", /::setDevice\s*\(/, "device") -# Property fieldAlignment (QTextStream_FieldAlignment) -property_reader("QTextStream", /::fieldAlignment\s*\(/, "fieldAlignment") -property_writer("QTextStream", /::setFieldAlignment\s*\(/, "fieldAlignment") -# Property fieldWidth (int) -property_reader("QTextStream", /::fieldWidth\s*\(/, "fieldWidth") -property_writer("QTextStream", /::setFieldWidth\s*\(/, "fieldWidth") -# Property generateByteOrderMark (bool) -property_reader("QTextStream", /::generateByteOrderMark\s*\(/, "generateByteOrderMark") -property_writer("QTextStream", /::setGenerateByteOrderMark\s*\(/, "generateByteOrderMark") -# Property integerBase (int) -property_reader("QTextStream", /::integerBase\s*\(/, "integerBase") -property_writer("QTextStream", /::setIntegerBase\s*\(/, "integerBase") -# Property locale (QLocale) -property_reader("QTextStream", /::locale\s*\(/, "locale") -property_writer("QTextStream", /::setLocale\s*\(/, "locale") -# Property numberFlags (QTextStream_QFlags_NumberFlag) -property_reader("QTextStream", /::numberFlags\s*\(/, "numberFlags") -property_writer("QTextStream", /::setNumberFlags\s*\(/, "numberFlags") -# Property padChar (unsigned int) -property_reader("QTextStream", /::padChar\s*\(/, "padChar") -property_writer("QTextStream", /::setPadChar\s*\(/, "padChar") -# Property realNumberNotation (QTextStream_RealNumberNotation) -property_reader("QTextStream", /::realNumberNotation\s*\(/, "realNumberNotation") -property_writer("QTextStream", /::setRealNumberNotation\s*\(/, "realNumberNotation") -# Property realNumberPrecision (int) -property_reader("QTextStream", /::realNumberPrecision\s*\(/, "realNumberPrecision") -property_writer("QTextStream", /::setRealNumberPrecision\s*\(/, "realNumberPrecision") -# Property status (QTextStream_Status) -property_reader("QTextStream", /::status\s*\(/, "status") -property_writer("QTextStream", /::setStatus\s*\(/, "status") -# Property string (string *) -property_reader("QTextStream", /::string\s*\(/, "string") -property_writer("QTextStream", /::setString\s*\(/, "string") -# Property format (QTextTableFormat) -property_reader("QTextTable", /::format\s*\(/, "format") -property_writer("QTextTable", /::setFormat\s*\(/, "format") -# Property format (QTextCharFormat) -property_reader("QTextTableCell", /::format\s*\(/, "format") -property_writer("QTextTableCell", /::setFormat\s*\(/, "format") -# Property bottomPadding (double) -property_reader("QTextTableCellFormat", /::bottomPadding\s*\(/, "bottomPadding") -property_writer("QTextTableCellFormat", /::setBottomPadding\s*\(/, "bottomPadding") -# Property leftPadding (double) -property_reader("QTextTableCellFormat", /::leftPadding\s*\(/, "leftPadding") -property_writer("QTextTableCellFormat", /::setLeftPadding\s*\(/, "leftPadding") -# Property rightPadding (double) -property_reader("QTextTableCellFormat", /::rightPadding\s*\(/, "rightPadding") -property_writer("QTextTableCellFormat", /::setRightPadding\s*\(/, "rightPadding") -# Property topPadding (double) -property_reader("QTextTableCellFormat", /::topPadding\s*\(/, "topPadding") -property_writer("QTextTableCellFormat", /::setTopPadding\s*\(/, "topPadding") -# Property alignment (Qt_QFlags_AlignmentFlag) -property_reader("QTextTableFormat", /::alignment\s*\(/, "alignment") -property_writer("QTextTableFormat", /::setAlignment\s*\(/, "alignment") -# Property cellPadding (double) -property_reader("QTextTableFormat", /::cellPadding\s*\(/, "cellPadding") -property_writer("QTextTableFormat", /::setCellPadding\s*\(/, "cellPadding") -# Property cellSpacing (double) -property_reader("QTextTableFormat", /::cellSpacing\s*\(/, "cellSpacing") -property_writer("QTextTableFormat", /::setCellSpacing\s*\(/, "cellSpacing") -# Property columnWidthConstraints (QTextLength[]) -property_reader("QTextTableFormat", /::columnWidthConstraints\s*\(/, "columnWidthConstraints") -property_writer("QTextTableFormat", /::setColumnWidthConstraints\s*\(/, "columnWidthConstraints") -# Property columns (int) -property_reader("QTextTableFormat", /::columns\s*\(/, "columns") -property_writer("QTextTableFormat", /::setColumns\s*\(/, "columns") -# Property headerRowCount (int) -property_reader("QTextTableFormat", /::headerRowCount\s*\(/, "headerRowCount") -property_writer("QTextTableFormat", /::setHeaderRowCount\s*\(/, "headerRowCount") -# Property eventDispatcher (QAbstractEventDispatcher_Native *) -property_reader("QThread", /::eventDispatcher\s*\(/, "eventDispatcher") -property_writer("QThread", /::setEventDispatcher\s*\(/, "eventDispatcher") -# Property priority (QThread_Priority) -property_reader("QThread", /::priority\s*\(/, "priority") -property_writer("QThread", /::setPriority\s*\(/, "priority") -# Property stackSize (unsigned int) -property_reader("QThread", /::stackSize\s*\(/, "stackSize") -property_writer("QThread", /::setStackSize\s*\(/, "stackSize") -# Property endFrame (int) -property_reader("QTimeLine", /::endFrame\s*\(/, "endFrame") -property_writer("QTimeLine", /::setEndFrame\s*\(/, "endFrame") -# Property startFrame (int) -property_reader("QTimeLine", /::startFrame\s*\(/, "startFrame") -property_writer("QTimeLine", /::setStartFrame\s*\(/, "startFrame") +property_reader("QTextEdit", /::fontItalic\s*\(/, "fontItalic") +property_writer("QTextEdit", /::setFontItalic\s*\(/, "fontItalic") +# Property fontPointSize (double) +property_reader("QTextEdit", /::fontPointSize\s*\(/, "fontPointSize") +property_writer("QTextEdit", /::setFontPointSize\s*\(/, "fontPointSize") +# Property fontUnderline (bool) +property_reader("QTextEdit", /::fontUnderline\s*\(/, "fontUnderline") +property_writer("QTextEdit", /::setFontUnderline\s*\(/, "fontUnderline") +# Property fontWeight (int) +property_reader("QTextEdit", /::fontWeight\s*\(/, "fontWeight") +property_writer("QTextEdit", /::setFontWeight\s*\(/, "fontWeight") +# Property textBackgroundColor (QColor) +property_reader("QTextEdit", /::textBackgroundColor\s*\(/, "textBackgroundColor") +property_writer("QTextEdit", /::setTextBackgroundColor\s*\(/, "textBackgroundColor") +# Property textColor (QColor) +property_reader("QTextEdit", /::textColor\s*\(/, "textColor") +property_writer("QTextEdit", /::setTextColor\s*\(/, "textColor") +# Property textCursor (QTextCursor) +property_reader("QTextEdit", /::textCursor\s*\(/, "textCursor") +property_writer("QTextEdit", /::setTextCursor\s*\(/, "textCursor") +# Property wordWrapMode (QTextOption_WrapMode) +property_reader("QTextEdit", /::wordWrapMode\s*\(/, "wordWrapMode") +property_writer("QTextEdit", /::setWordWrapMode\s*\(/, "wordWrapMode") # Property currentWidget (QWidget_Native *) property_reader("QToolBox", /::currentWidget\s*\(/, "currentWidget") property_writer("QToolBox", /::setCurrentWidget\s*\(/, "currentWidget") @@ -14917,93 +14016,6 @@ property_writer("QToolTip", /::setFont\s*\(/, "font") # Property palette (QPalette) property_reader("QToolTip", /::palette\s*\(/, "palette") property_writer("QToolTip", /::setPalette\s*\(/, "palette") -# Property capabilities (QTouchDevice_QFlags_CapabilityFlag) -property_reader("QTouchDevice", /::capabilities\s*\(/, "capabilities") -property_writer("QTouchDevice", /::setCapabilities\s*\(/, "capabilities") -# Property maximumTouchPoints (int) -property_reader("QTouchDevice", /::maximumTouchPoints\s*\(/, "maximumTouchPoints") -property_writer("QTouchDevice", /::setMaximumTouchPoints\s*\(/, "maximumTouchPoints") -# Property name (string) -property_reader("QTouchDevice", /::name\s*\(/, "name") -property_writer("QTouchDevice", /::setName\s*\(/, "name") -# Property type (QTouchDevice_DeviceType) -property_reader("QTouchDevice", /::type\s*\(/, "type") -property_writer("QTouchDevice", /::setType\s*\(/, "type") -# Property device (QTouchDevice *) -property_reader("QTouchEvent", /::device\s*\(/, "device") -property_writer("QTouchEvent", /::setDevice\s*\(/, "device") -# Property target (QObject_Native *) -property_reader("QTouchEvent", /::target\s*\(/, "target") -property_writer("QTouchEvent", /::setTarget\s*\(/, "target") -# Property touchPointStates (Qt_QFlags_TouchPointState) -property_reader("QTouchEvent", /::touchPointStates\s*\(/, "touchPointStates") -property_writer("QTouchEvent", /::setTouchPointStates\s*\(/, "touchPointStates") -# Property touchPoints (QTouchEvent_TouchPoint[]) -property_reader("QTouchEvent", /::touchPoints\s*\(/, "touchPoints") -property_writer("QTouchEvent", /::setTouchPoints\s*\(/, "touchPoints") -# Property window (QWindow_Native *) -property_reader("QTouchEvent", /::window\s*\(/, "window") -property_writer("QTouchEvent", /::setWindow\s*\(/, "window") -# Property flags (QTouchEvent_TouchPoint_QFlags_InfoFlag) -property_reader("QTouchEvent_TouchPoint", /::flags\s*\(/, "flags") -property_writer("QTouchEvent_TouchPoint", /::setFlags\s*\(/, "flags") -# Property id (int) -property_reader("QTouchEvent_TouchPoint", /::id\s*\(/, "id") -property_writer("QTouchEvent_TouchPoint", /::setId\s*\(/, "id") -# Property lastNormalizedPos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::lastNormalizedPos\s*\(/, "lastNormalizedPos") -property_writer("QTouchEvent_TouchPoint", /::setLastNormalizedPos\s*\(/, "lastNormalizedPos") -# Property lastPos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::lastPos\s*\(/, "lastPos") -property_writer("QTouchEvent_TouchPoint", /::setLastPos\s*\(/, "lastPos") -# Property lastScenePos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::lastScenePos\s*\(/, "lastScenePos") -property_writer("QTouchEvent_TouchPoint", /::setLastScenePos\s*\(/, "lastScenePos") -# Property lastScreenPos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::lastScreenPos\s*\(/, "lastScreenPos") -property_writer("QTouchEvent_TouchPoint", /::setLastScreenPos\s*\(/, "lastScreenPos") -# Property normalizedPos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::normalizedPos\s*\(/, "normalizedPos") -property_writer("QTouchEvent_TouchPoint", /::setNormalizedPos\s*\(/, "normalizedPos") -# Property pos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::pos\s*\(/, "pos") -property_writer("QTouchEvent_TouchPoint", /::setPos\s*\(/, "pos") -# Property pressure (double) -property_reader("QTouchEvent_TouchPoint", /::pressure\s*\(/, "pressure") -property_writer("QTouchEvent_TouchPoint", /::setPressure\s*\(/, "pressure") -# Property rawScreenPositions (QPointF[]) -property_reader("QTouchEvent_TouchPoint", /::rawScreenPositions\s*\(/, "rawScreenPositions") -property_writer("QTouchEvent_TouchPoint", /::setRawScreenPositions\s*\(/, "rawScreenPositions") -# Property rect (QRectF) -property_reader("QTouchEvent_TouchPoint", /::rect\s*\(/, "rect") -property_writer("QTouchEvent_TouchPoint", /::setRect\s*\(/, "rect") -# Property scenePos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::scenePos\s*\(/, "scenePos") -property_writer("QTouchEvent_TouchPoint", /::setScenePos\s*\(/, "scenePos") -# Property sceneRect (QRectF) -property_reader("QTouchEvent_TouchPoint", /::sceneRect\s*\(/, "sceneRect") -property_writer("QTouchEvent_TouchPoint", /::setSceneRect\s*\(/, "sceneRect") -# Property screenPos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::screenPos\s*\(/, "screenPos") -property_writer("QTouchEvent_TouchPoint", /::setScreenPos\s*\(/, "screenPos") -# Property screenRect (QRectF) -property_reader("QTouchEvent_TouchPoint", /::screenRect\s*\(/, "screenRect") -property_writer("QTouchEvent_TouchPoint", /::setScreenRect\s*\(/, "screenRect") -# Property startNormalizedPos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::startNormalizedPos\s*\(/, "startNormalizedPos") -property_writer("QTouchEvent_TouchPoint", /::setStartNormalizedPos\s*\(/, "startNormalizedPos") -# Property startPos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::startPos\s*\(/, "startPos") -property_writer("QTouchEvent_TouchPoint", /::setStartPos\s*\(/, "startPos") -# Property startScenePos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::startScenePos\s*\(/, "startScenePos") -property_writer("QTouchEvent_TouchPoint", /::setStartScenePos\s*\(/, "startScenePos") -# Property startScreenPos (QPointF) -property_reader("QTouchEvent_TouchPoint", /::startScreenPos\s*\(/, "startScreenPos") -property_writer("QTouchEvent_TouchPoint", /::setStartScreenPos\s*\(/, "startScreenPos") -# Property velocity (QVector2D) -property_reader("QTouchEvent_TouchPoint", /::velocity\s*\(/, "velocity") -property_writer("QTouchEvent_TouchPoint", /::setVelocity\s*\(/, "velocity") # Property header (QHeaderView_Native *) property_reader("QTreeView", /::header\s*\(/, "header") property_writer("QTreeView", /::setHeader\s*\(/, "header") @@ -15049,294 +14061,723 @@ property_writer("QTreeWidgetItem", /::setHidden\s*\(/, "hidden") # Property selected (bool) property_reader("QTreeWidgetItem", /::isSelected\s*\(/, "selected") property_writer("QTreeWidgetItem", /::setSelected\s*\(/, "selected") +# Property group (QUndoGroup_Native *) +property_reader("QUndoView", /::group\s*\(/, "group") +property_writer("QUndoView", /::setGroup\s*\(/, "group") +# Property stack (QUndoStack_Native *) +property_reader("QUndoView", /::stack\s*\(/, "stack") +property_writer("QUndoView", /::setStack\s*\(/, "stack") +# Property backgroundRole (QPalette_ColorRole) +property_reader("QWidget", /::backgroundRole\s*\(/, "backgroundRole") +property_writer("QWidget", /::setBackgroundRole\s*\(/, "backgroundRole") +# Property contentsMargins (QMargins) +property_reader("QWidget", /::contentsMargins\s*\(/, "contentsMargins") +property_writer("QWidget", /::setContentsMargins\s*\(/, "contentsMargins") +# Property focusProxy (QWidget_Native *) +property_reader("QWidget", /::focusProxy\s*\(/, "focusProxy") +property_writer("QWidget", /::setFocusProxy\s*\(/, "focusProxy") +# Property foregroundRole (QPalette_ColorRole) +property_reader("QWidget", /::foregroundRole\s*\(/, "foregroundRole") +property_writer("QWidget", /::setForegroundRole\s*\(/, "foregroundRole") +# Property graphicsEffect (QGraphicsEffect_Native *) +property_reader("QWidget", /::graphicsEffect\s*\(/, "graphicsEffect") +property_writer("QWidget", /::setGraphicsEffect\s*\(/, "graphicsEffect") +# Property hidden (bool) +property_reader("QWidget", /::isHidden\s*\(/, "hidden") +property_writer("QWidget", /::setHidden\s*\(/, "hidden") +# Property layout (QLayout_Native *) +property_reader("QWidget", /::layout\s*\(/, "layout") +property_writer("QWidget", /::setLayout\s*\(/, "layout") +# Property screen (QScreen_Native *) +property_reader("QWidget", /::screen\s*\(/, "screen") +property_writer("QWidget", /::setScreen\s*\(/, "screen") +# Property style (QStyle_Native *) +property_reader("QWidget", /::style\s*\(/, "style") +property_writer("QWidget", /::setStyle\s*\(/, "style") +# Property windowFlags (Qt_QFlags_WindowType) +property_reader("QWidget", /::windowFlags\s*\(/, "windowFlags") +property_writer("QWidget", /::setWindowFlags\s*\(/, "windowFlags") +# Property windowRole (string) +property_reader("QWidget", /::windowRole\s*\(/, "windowRole") +property_writer("QWidget", /::setWindowRole\s*\(/, "windowRole") +# Property windowState (Qt_QFlags_WindowState) +property_reader("QWidget", /::windowState\s*\(/, "windowState") +property_writer("QWidget", /::setWindowState\s*\(/, "windowState") +# Property defaultWidget (QWidget_Native *) +property_reader("QWidgetAction", /::defaultWidget\s*\(/, "defaultWidget") +property_writer("QWidgetAction", /::setDefaultWidget\s*\(/, "defaultWidget") +# Property geometry (QRect) +property_reader("QWidgetItem", /::geometry\s*\(/, "geometry") +property_writer("QWidgetItem", /::setGeometry\s*\(/, "geometry") +# Property sideWidget (QWidget_Native *) +property_reader("QWizard", /::sideWidget\s*\(/, "sideWidget") +property_writer("QWizard", /::setSideWidget\s*\(/, "sideWidget") +# Property commitPage (bool) +property_reader("QWizardPage", /::isCommitPage\s*\(/, "commitPage") +property_writer("QWizardPage", /::setCommitPage\s*\(/, "commitPage") +# Property finalPage (bool) +property_reader("QWizardPage", /::isFinalPage\s*\(/, "finalPage") +property_writer("QWizardPage", /::setFinalPage\s*\(/, "finalPage") +# Property description (string) +property_reader("QSvgGenerator", /::description\s*\(/, "description") +property_writer("QSvgGenerator", /::setDescription\s*\(/, "description") +# Property fileName (string) +property_reader("QSvgGenerator", /::fileName\s*\(/, "fileName") +property_writer("QSvgGenerator", /::setFileName\s*\(/, "fileName") +# Property outputDevice (QIODevice *) +property_reader("QSvgGenerator", /::outputDevice\s*\(/, "outputDevice") +property_writer("QSvgGenerator", /::setOutputDevice\s*\(/, "outputDevice") +# Property resolution (int) +property_reader("QSvgGenerator", /::resolution\s*\(/, "resolution") +property_writer("QSvgGenerator", /::setResolution\s*\(/, "resolution") +# Property size (QSize) +property_reader("QSvgGenerator", /::size\s*\(/, "size") +property_writer("QSvgGenerator", /::setSize\s*\(/, "size") +# Property title (string) +property_reader("QSvgGenerator", /::title\s*\(/, "title") +property_writer("QSvgGenerator", /::setTitle\s*\(/, "title") +# Property viewBox (QRect) +property_reader("QSvgGenerator", /::viewBox\s*\(/, "viewBox") +property_writer("QSvgGenerator", /::setViewBox\s*\(/, "viewBox") +# Property printRange (QAbstractPrintDialog_PrintRange) +property_reader("QAbstractPrintDialog", /::printRange\s*\(/, "printRange") +property_writer("QAbstractPrintDialog", /::setPrintRange\s*\(/, "printRange") +# Property currentPage (int) +property_reader("QPrintPreviewWidget", /::currentPage\s*\(/, "currentPage") +property_writer("QPrintPreviewWidget", /::setCurrentPage\s*\(/, "currentPage") +# Property orientation (QPageLayout_Orientation) +property_reader("QPrintPreviewWidget", /::orientation\s*\(/, "orientation") +property_writer("QPrintPreviewWidget", /::setOrientation\s*\(/, "orientation") +# Property viewMode (QPrintPreviewWidget_ViewMode) +property_reader("QPrintPreviewWidget", /::viewMode\s*\(/, "viewMode") +property_writer("QPrintPreviewWidget", /::setViewMode\s*\(/, "viewMode") +# Property zoomFactor (double) +property_reader("QPrintPreviewWidget", /::zoomFactor\s*\(/, "zoomFactor") +property_writer("QPrintPreviewWidget", /::setZoomFactor\s*\(/, "zoomFactor") +# Property zoomMode (QPrintPreviewWidget_ZoomMode) +property_reader("QPrintPreviewWidget", /::zoomMode\s*\(/, "zoomMode") +property_writer("QPrintPreviewWidget", /::setZoomMode\s*\(/, "zoomMode") +# Property collateCopies (bool) +property_reader("QPrinter", /::collateCopies\s*\(/, "collateCopies") +property_writer("QPrinter", /::setCollateCopies\s*\(/, "collateCopies") +# Property colorMode (QPrinter_ColorMode) +property_reader("QPrinter", /::colorMode\s*\(/, "colorMode") +property_writer("QPrinter", /::setColorMode\s*\(/, "colorMode") +# Property copyCount (int) +property_reader("QPrinter", /::copyCount\s*\(/, "copyCount") +property_writer("QPrinter", /::setCopyCount\s*\(/, "copyCount") +# Property creator (string) +property_reader("QPrinter", /::creator\s*\(/, "creator") +property_writer("QPrinter", /::setCreator\s*\(/, "creator") +# Property docName (string) +property_reader("QPrinter", /::docName\s*\(/, "docName") +property_writer("QPrinter", /::setDocName\s*\(/, "docName") +# Property duplex (QPrinter_DuplexMode) +property_reader("QPrinter", /::duplex\s*\(/, "duplex") +property_writer("QPrinter", /::setDuplex\s*\(/, "duplex") +# Property fontEmbeddingEnabled (bool) +property_reader("QPrinter", /::fontEmbeddingEnabled\s*\(/, "fontEmbeddingEnabled") +property_writer("QPrinter", /::setFontEmbeddingEnabled\s*\(/, "fontEmbeddingEnabled") +# Property fullPage (bool) +property_reader("QPrinter", /::fullPage\s*\(/, "fullPage") +property_writer("QPrinter", /::setFullPage\s*\(/, "fullPage") +# Property outputFileName (string) +property_reader("QPrinter", /::outputFileName\s*\(/, "outputFileName") +property_writer("QPrinter", /::setOutputFileName\s*\(/, "outputFileName") +# Property outputFormat (QPrinter_OutputFormat) +property_reader("QPrinter", /::outputFormat\s*\(/, "outputFormat") +property_writer("QPrinter", /::setOutputFormat\s*\(/, "outputFormat") +# Property pageOrder (QPrinter_PageOrder) +property_reader("QPrinter", /::pageOrder\s*\(/, "pageOrder") +property_writer("QPrinter", /::setPageOrder\s*\(/, "pageOrder") +# Property paperSource (QPrinter_PaperSource) +property_reader("QPrinter", /::paperSource\s*\(/, "paperSource") +property_writer("QPrinter", /::setPaperSource\s*\(/, "paperSource") +# Property pdfVersion (QPagedPaintDevice_PdfVersion) +property_reader("QPrinter", /::pdfVersion\s*\(/, "pdfVersion") +property_writer("QPrinter", /::setPdfVersion\s*\(/, "pdfVersion") +# Property printProgram (string) +property_reader("QPrinter", /::printProgram\s*\(/, "printProgram") +property_writer("QPrinter", /::setPrintProgram\s*\(/, "printProgram") +# Property printRange (QPrinter_PrintRange) +property_reader("QPrinter", /::printRange\s*\(/, "printRange") +property_writer("QPrinter", /::setPrintRange\s*\(/, "printRange") +# Property printerName (string) +property_reader("QPrinter", /::printerName\s*\(/, "printerName") +property_writer("QPrinter", /::setPrinterName\s*\(/, "printerName") +# Property resolution (int) +property_reader("QPrinter", /::resolution\s*\(/, "resolution") +property_writer("QPrinter", /::setResolution\s*\(/, "resolution") +# Property audioFormat (QAudioFormat) +property_reader("QAudioDecoder", /::audioFormat\s*\(/, "audioFormat") +property_writer("QAudioDecoder", /::setAudioFormat\s*\(/, "audioFormat") +# Property sourceDevice (QIODevice *) +property_reader("QAudioDecoder", /::sourceDevice\s*\(/, "sourceDevice") +property_writer("QAudioDecoder", /::setSourceDevice\s*\(/, "sourceDevice") +# Property channelConfig (QAudioFormat_ChannelConfig) +property_reader("QAudioFormat", /::channelConfig\s*\(/, "channelConfig") +property_writer("QAudioFormat", /::setChannelConfig\s*\(/, "channelConfig") +# Property channelCount (int) +property_reader("QAudioFormat", /::channelCount\s*\(/, "channelCount") +property_writer("QAudioFormat", /::setChannelCount\s*\(/, "channelCount") +# Property sampleFormat (QAudioFormat_SampleFormat) +property_reader("QAudioFormat", /::sampleFormat\s*\(/, "sampleFormat") +property_writer("QAudioFormat", /::setSampleFormat\s*\(/, "sampleFormat") +# Property sampleRate (int) +property_reader("QAudioFormat", /::sampleRate\s*\(/, "sampleRate") +property_writer("QAudioFormat", /::setSampleRate\s*\(/, "sampleRate") +# Property bufferSize (long long) +property_reader("QAudioSink", /::bufferSize\s*\(/, "bufferSize") +property_writer("QAudioSink", /::setBufferSize\s*\(/, "bufferSize") +# Property volume (double) +property_reader("QAudioSink", /::volume\s*\(/, "volume") +property_writer("QAudioSink", /::setVolume\s*\(/, "volume") +# Property bufferSize (long long) +property_reader("QAudioSource", /::bufferSize\s*\(/, "bufferSize") +property_writer("QAudioSource", /::setBufferSize\s*\(/, "bufferSize") +# Property volume (double) +property_reader("QAudioSource", /::volume\s*\(/, "volume") +property_writer("QAudioSource", /::setVolume\s*\(/, "volume") +# Property resolution (QSize) +property_reader("QImageCapture", /::resolution\s*\(/, "resolution") +property_writer("QImageCapture", /::setResolution\s*\(/, "resolution") +# Property videoSink (QVideoSink_Native *) +property_reader("QMediaCaptureSession", /::videoSink\s*\(/, "videoSink") +property_writer("QMediaCaptureSession", /::setVideoSink\s*\(/, "videoSink") +# Property audioCodec (QMediaFormat_AudioCodec) +property_reader("QMediaFormat", /::audioCodec\s*\(/, "audioCodec") +property_writer("QMediaFormat", /::setAudioCodec\s*\(/, "audioCodec") +# Property fileFormat (QMediaFormat_FileFormat) +property_reader("QMediaFormat", /::fileFormat\s*\(/, "fileFormat") +property_writer("QMediaFormat", /::setFileFormat\s*\(/, "fileFormat") +# Property videoCodec (QMediaFormat_VideoCodec) +property_reader("QMediaFormat", /::videoCodec\s*\(/, "videoCodec") +property_writer("QMediaFormat", /::setVideoCodec\s*\(/, "videoCodec") +# Property sourceDevice (QIODevice *) +property_reader("QMediaPlayer", /::sourceDevice\s*\(/, "sourceDevice") +property_writer("QMediaPlayer", /::setSourceDevice\s*\(/, "sourceDevice") +# Property videoSink (QVideoSink_Native *) +property_reader("QMediaPlayer", /::videoSink\s*\(/, "videoSink") +property_writer("QMediaPlayer", /::setVideoSink\s*\(/, "videoSink") +# Property audioBitRate (int) +property_reader("QMediaRecorder", /::audioBitRate\s*\(/, "audioBitRate") +property_writer("QMediaRecorder", /::setAudioBitRate\s*\(/, "audioBitRate") +# Property audioChannelCount (int) +property_reader("QMediaRecorder", /::audioChannelCount\s*\(/, "audioChannelCount") +property_writer("QMediaRecorder", /::setAudioChannelCount\s*\(/, "audioChannelCount") +# Property audioSampleRate (int) +property_reader("QMediaRecorder", /::audioSampleRate\s*\(/, "audioSampleRate") +property_writer("QMediaRecorder", /::setAudioSampleRate\s*\(/, "audioSampleRate") +# Property encodingMode (QMediaRecorder_EncodingMode) +property_reader("QMediaRecorder", /::encodingMode\s*\(/, "encodingMode") +property_writer("QMediaRecorder", /::setEncodingMode\s*\(/, "encodingMode") +# Property videoBitRate (int) +property_reader("QMediaRecorder", /::videoBitRate\s*\(/, "videoBitRate") +property_writer("QMediaRecorder", /::setVideoBitRate\s*\(/, "videoBitRate") +# Property videoFrameRate (double) +property_reader("QMediaRecorder", /::videoFrameRate\s*\(/, "videoFrameRate") +property_writer("QMediaRecorder", /::setVideoFrameRate\s*\(/, "videoFrameRate") +# Property videoResolution (QSize) +property_reader("QMediaRecorder", /::videoResolution\s*\(/, "videoResolution") +property_writer("QMediaRecorder", /::setVideoResolution\s*\(/, "videoResolution") +# Property loopCount (int) +property_reader("QSoundEffect", /::loopCount\s*\(/, "loopCount") +property_writer("QSoundEffect", /::setLoopCount\s*\(/, "loopCount") +# Property endTime (long long) +property_reader("QVideoFrame", /::endTime\s*\(/, "endTime") +property_writer("QVideoFrame", /::setEndTime\s*\(/, "endTime") +# Property startTime (long long) +property_reader("QVideoFrame", /::startTime\s*\(/, "startTime") +property_writer("QVideoFrame", /::setStartTime\s*\(/, "startTime") +# Property subtitleText (string) +property_reader("QVideoFrame", /::subtitleText\s*\(/, "subtitleText") +property_writer("QVideoFrame", /::setSubtitleText\s*\(/, "subtitleText") +# Property frameRate (double) +property_reader("QVideoFrameFormat", /::frameRate\s*\(/, "frameRate") +property_writer("QVideoFrameFormat", /::setFrameRate\s*\(/, "frameRate") +# Property frameSize (QSize) +property_reader("QVideoFrameFormat", /::frameSize\s*\(/, "frameSize") +property_writer("QVideoFrameFormat", /::setFrameSize\s*\(/, "frameSize") +# Property mirrored (bool) +property_reader("QVideoFrameFormat", /::isMirrored\s*\(/, "mirrored") +property_writer("QVideoFrameFormat", /::setMirrored\s*\(/, "mirrored") +# Property scanLineDirection (QVideoFrameFormat_Direction) +property_reader("QVideoFrameFormat", /::scanLineDirection\s*\(/, "scanLineDirection") +property_writer("QVideoFrameFormat", /::setScanLineDirection\s*\(/, "scanLineDirection") +# Property viewport (QRect) +property_reader("QVideoFrameFormat", /::viewport\s*\(/, "viewport") +property_writer("QVideoFrameFormat", /::setViewport\s*\(/, "viewport") +# Property yCbCrColorSpace (QVideoFrameFormat_YCbCrColorSpace) +property_reader("QVideoFrameFormat", /::yCbCrColorSpace\s*\(/, "yCbCrColorSpace") +property_writer("QVideoFrameFormat", /::setYCbCrColorSpace\s*\(/, "yCbCrColorSpace") +# Property videoFrame (QVideoFrame) +property_reader("QVideoSink", /::videoFrame\s*\(/, "videoFrame") +property_writer("QVideoSink", /::setVideoFrame\s*\(/, "videoFrame") +# Property languageChangeEnabled (bool) +property_reader("QUiLoader", /::isLanguageChangeEnabled\s*\(/, "languageChangeEnabled") +property_writer("QUiLoader", /::setLanguageChangeEnabled\s*\(/, "languageChangeEnabled") +# Property translationEnabled (bool) +property_reader("QUiLoader", /::isTranslationEnabled\s*\(/, "translationEnabled") +property_writer("QUiLoader", /::setTranslationEnabled\s*\(/, "translationEnabled") +# Property workingDirectory (QDir) +property_reader("QUiLoader", /::workingDirectory\s*\(/, "workingDirectory") +property_writer("QUiLoader", /::setWorkingDirectory\s*\(/, "workingDirectory") +# Property connectOptions (string) +property_reader("QSqlDatabase", /::connectOptions\s*\(/, "connectOptions") +property_writer("QSqlDatabase", /::setConnectOptions\s*\(/, "connectOptions") +# Property databaseName (string) +property_reader("QSqlDatabase", /::databaseName\s*\(/, "databaseName") +property_writer("QSqlDatabase", /::setDatabaseName\s*\(/, "databaseName") +# Property hostName (string) +property_reader("QSqlDatabase", /::hostName\s*\(/, "hostName") +property_writer("QSqlDatabase", /::setHostName\s*\(/, "hostName") +# Property numericalPrecisionPolicy (QSql_NumericalPrecisionPolicy) +property_reader("QSqlDatabase", /::numericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") +property_writer("QSqlDatabase", /::setNumericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") +# Property password (string) +property_reader("QSqlDatabase", /::password\s*\(/, "password") +property_writer("QSqlDatabase", /::setPassword\s*\(/, "password") +# Property port (int) +property_reader("QSqlDatabase", /::port\s*\(/, "port") +property_writer("QSqlDatabase", /::setPort\s*\(/, "port") +# Property userName (string) +property_reader("QSqlDatabase", /::userName\s*\(/, "userName") +property_writer("QSqlDatabase", /::setUserName\s*\(/, "userName") +# Property numericalPrecisionPolicy (QSql_NumericalPrecisionPolicy) +property_reader("QSqlDriver", /::numericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") +property_writer("QSqlDriver", /::setNumericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") +# Property autoValue (bool) +property_reader("QSqlField", /::isAutoValue\s*\(/, "autoValue") +property_writer("QSqlField", /::setAutoValue\s*\(/, "autoValue") +# Property defaultValue (variant) +property_reader("QSqlField", /::defaultValue\s*\(/, "defaultValue") +property_writer("QSqlField", /::setDefaultValue\s*\(/, "defaultValue") +# Property generated (bool) +property_reader("QSqlField", /::isGenerated\s*\(/, "generated") +property_writer("QSqlField", /::setGenerated\s*\(/, "generated") +# Property length (int) +property_reader("QSqlField", /::length\s*\(/, "length") +property_writer("QSqlField", /::setLength\s*\(/, "length") +# Property metaType (QMetaType) +property_reader("QSqlField", /::metaType\s*\(/, "metaType") +property_writer("QSqlField", /::setMetaType\s*\(/, "metaType") +# Property name (string) +property_reader("QSqlField", /::name\s*\(/, "name") +property_writer("QSqlField", /::setName\s*\(/, "name") +# Property precision (int) +property_reader("QSqlField", /::precision\s*\(/, "precision") +property_writer("QSqlField", /::setPrecision\s*\(/, "precision") +# Property readOnly (bool) +property_reader("QSqlField", /::isReadOnly\s*\(/, "readOnly") +property_writer("QSqlField", /::setReadOnly\s*\(/, "readOnly") +# Property requiredStatus (QSqlField_RequiredStatus) +property_reader("QSqlField", /::requiredStatus\s*\(/, "requiredStatus") +property_writer("QSqlField", /::setRequiredStatus\s*\(/, "requiredStatus") +# Property tableName (string) +property_reader("QSqlField", /::tableName\s*\(/, "tableName") +property_writer("QSqlField", /::setTableName\s*\(/, "tableName") +# Property type (QVariant_Type) +property_reader("QSqlField", /::type\s*\(/, "type") +property_writer("QSqlField", /::setType\s*\(/, "type") +# Property value (variant) +property_reader("QSqlField", /::value\s*\(/, "value") +property_writer("QSqlField", /::setValue\s*\(/, "value") +# Property cursorName (string) +property_reader("QSqlIndex", /::cursorName\s*\(/, "cursorName") +property_writer("QSqlIndex", /::setCursorName\s*\(/, "cursorName") +# Property name (string) +property_reader("QSqlIndex", /::name\s*\(/, "name") +property_writer("QSqlIndex", /::setName\s*\(/, "name") +# Property forwardOnly (bool) +property_reader("QSqlQuery", /::isForwardOnly\s*\(/, "forwardOnly") +property_writer("QSqlQuery", /::setForwardOnly\s*\(/, "forwardOnly") +# Property numericalPrecisionPolicy (QSql_NumericalPrecisionPolicy) +property_reader("QSqlQuery", /::numericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") +property_writer("QSqlQuery", /::setNumericalPrecisionPolicy\s*\(/, "numericalPrecisionPolicy") +# Property query (QSqlQuery) +property_reader("QSqlQueryModel", /::query\s*\(/, "query") +property_writer("QSqlQueryModel", /::setQuery\s*\(/, "query") +# Property editStrategy (QSqlTableModel_EditStrategy) +property_reader("QSqlTableModel", /::editStrategy\s*\(/, "editStrategy") +property_writer("QSqlTableModel", /::setEditStrategy\s*\(/, "editStrategy") +# Property filter (string) +property_reader("QSqlTableModel", /::filter\s*\(/, "filter") +property_writer("QSqlTableModel", /::setFilter\s*\(/, "filter") +# Property pauseMode (QAbstractSocket_QFlags_PauseMode) +property_reader("QAbstractSocket", /::pauseMode\s*\(/, "pauseMode") +property_writer("QAbstractSocket", /::setPauseMode\s*\(/, "pauseMode") +# Property protocolTag (string) +property_reader("QAbstractSocket", /::protocolTag\s*\(/, "protocolTag") +property_writer("QAbstractSocket", /::setProtocolTag\s*\(/, "protocolTag") +# Property proxy (QNetworkProxy) +property_reader("QAbstractSocket", /::proxy\s*\(/, "proxy") +property_writer("QAbstractSocket", /::setProxy\s*\(/, "proxy") +# Property readBufferSize (long long) +property_reader("QAbstractSocket", /::readBufferSize\s*\(/, "readBufferSize") +property_writer("QAbstractSocket", /::setReadBufferSize\s*\(/, "readBufferSize") +# Property password (string) +property_reader("QAuthenticator", /::password\s*\(/, "password") +property_writer("QAuthenticator", /::setPassword\s*\(/, "password") +# Property realm (string) +property_reader("QAuthenticator", /::realm\s*\(/, "realm") +property_writer("QAuthenticator", /::setRealm\s*\(/, "realm") +# Property user (string) +property_reader("QAuthenticator", /::user\s*\(/, "user") +property_writer("QAuthenticator", /::setUser\s*\(/, "user") +# Property mtuHint (unsigned short) +property_reader("QDtls", /::mtuHint\s*\(/, "mtuHint") +property_writer("QDtls", /::setMtuHint\s*\(/, "mtuHint") +# Property scopeId (string) +property_reader("QHostAddress", /::scopeId\s*\(/, "scopeId") +property_writer("QHostAddress", /::setScopeId\s*\(/, "scopeId") +# Property addresses (QHostAddress[]) +property_reader("QHostInfo", /::addresses\s*\(/, "addresses") +property_writer("QHostInfo", /::setAddresses\s*\(/, "addresses") +# Property error (QHostInfo_HostInfoError) +property_reader("QHostInfo", /::error\s*\(/, "error") +property_writer("QHostInfo", /::setError\s*\(/, "error") +# Property errorString (string) +property_reader("QHostInfo", /::errorString\s*\(/, "errorString") +property_writer("QHostInfo", /::setErrorString\s*\(/, "errorString") +# Property hostName (string) +property_reader("QHostInfo", /::hostName\s*\(/, "hostName") +property_writer("QHostInfo", /::setHostName\s*\(/, "hostName") +# Property lookupId (int) +property_reader("QHostInfo", /::lookupId\s*\(/, "lookupId") +property_writer("QHostInfo", /::setLookupId\s*\(/, "lookupId") +# Property expiry (QDateTime) +property_reader("QHstsPolicy", /::expiry\s*\(/, "expiry") +property_writer("QHstsPolicy", /::setExpiry\s*\(/, "expiry") +# Property host (string) +property_reader("QHstsPolicy", /::host\s*\(/, "host") +property_writer("QHstsPolicy", /::setHost\s*\(/, "host") +# Property includesSubDomains (bool) +property_reader("QHstsPolicy", /::includesSubDomains\s*\(/, "includesSubDomains") +property_writer("QHstsPolicy", /::setIncludesSubDomains\s*\(/, "includesSubDomains") +# Property huffmanCompressionEnabled (bool) +property_reader("QHttp2Configuration", /::huffmanCompressionEnabled\s*\(/, "huffmanCompressionEnabled") +property_writer("QHttp2Configuration", /::setHuffmanCompressionEnabled\s*\(/, "huffmanCompressionEnabled") +# Property serverPushEnabled (bool) +property_reader("QHttp2Configuration", /::serverPushEnabled\s*\(/, "serverPushEnabled") +property_writer("QHttp2Configuration", /::setServerPushEnabled\s*\(/, "serverPushEnabled") +# Property boundary (byte array) +property_reader("QHttpMultiPart", /::boundary\s*\(/, "boundary") +property_writer("QHttpMultiPart", /::setBoundary\s*\(/, "boundary") +# Property maxPendingConnections (int) +property_reader("QLocalServer", /::maxPendingConnections\s*\(/, "maxPendingConnections") +property_writer("QLocalServer", /::setMaxPendingConnections\s*\(/, "maxPendingConnections") +# Property readBufferSize (long long) +property_reader("QLocalSocket", /::readBufferSize\s*\(/, "readBufferSize") +property_writer("QLocalSocket", /::setReadBufferSize\s*\(/, "readBufferSize") +# Property serverName (string) +property_reader("QLocalSocket", /::serverName\s*\(/, "serverName") +property_writer("QLocalSocket", /::setServerName\s*\(/, "serverName") +# Property autoDeleteReplies (bool) +property_reader("QNetworkAccessManager", /::autoDeleteReplies\s*\(/, "autoDeleteReplies") +property_writer("QNetworkAccessManager", /::setAutoDeleteReplies\s*\(/, "autoDeleteReplies") +# Property cache (QAbstractNetworkCache_Native *) +property_reader("QNetworkAccessManager", /::cache\s*\(/, "cache") +property_writer("QNetworkAccessManager", /::setCache\s*\(/, "cache") +# Property cookieJar (QNetworkCookieJar_Native *) +property_reader("QNetworkAccessManager", /::cookieJar\s*\(/, "cookieJar") +property_writer("QNetworkAccessManager", /::setCookieJar\s*\(/, "cookieJar") +# Property proxy (QNetworkProxy) +property_reader("QNetworkAccessManager", /::proxy\s*\(/, "proxy") +property_writer("QNetworkAccessManager", /::setProxy\s*\(/, "proxy") +# Property proxyFactory (QNetworkProxyFactory_Native *) +property_reader("QNetworkAccessManager", /::proxyFactory\s*\(/, "proxyFactory") +property_writer("QNetworkAccessManager", /::setProxyFactory\s*\(/, "proxyFactory") +# Property redirectPolicy (QNetworkRequest_RedirectPolicy) +property_reader("QNetworkAccessManager", /::redirectPolicy\s*\(/, "redirectPolicy") +property_writer("QNetworkAccessManager", /::setRedirectPolicy\s*\(/, "redirectPolicy") +# Property strictTransportSecurityEnabled (bool) +property_reader("QNetworkAccessManager", /::isStrictTransportSecurityEnabled\s*\(/, "strictTransportSecurityEnabled") +property_writer("QNetworkAccessManager", /::setStrictTransportSecurityEnabled\s*\(/, "strictTransportSecurityEnabled") +# Property transferTimeout (int) +property_reader("QNetworkAccessManager", /::transferTimeout\s*\(/, "transferTimeout") +property_writer("QNetworkAccessManager", /::setTransferTimeout\s*\(/, "transferTimeout") +# Property broadcast (QHostAddress) +property_reader("QNetworkAddressEntry", /::broadcast\s*\(/, "broadcast") +property_writer("QNetworkAddressEntry", /::setBroadcast\s*\(/, "broadcast") +# Property dnsEligibility (QNetworkAddressEntry_DnsEligibilityStatus) +property_reader("QNetworkAddressEntry", /::dnsEligibility\s*\(/, "dnsEligibility") +property_writer("QNetworkAddressEntry", /::setDnsEligibility\s*\(/, "dnsEligibility") +# Property ip (QHostAddress) +property_reader("QNetworkAddressEntry", /::ip\s*\(/, "ip") +property_writer("QNetworkAddressEntry", /::setIp\s*\(/, "ip") +# Property netmask (QHostAddress) +property_reader("QNetworkAddressEntry", /::netmask\s*\(/, "netmask") +property_writer("QNetworkAddressEntry", /::setNetmask\s*\(/, "netmask") +# Property prefixLength (int) +property_reader("QNetworkAddressEntry", /::prefixLength\s*\(/, "prefixLength") +property_writer("QNetworkAddressEntry", /::setPrefixLength\s*\(/, "prefixLength") +# Property expirationDate (QDateTime) +property_reader("QNetworkCacheMetaData", /::expirationDate\s*\(/, "expirationDate") +property_writer("QNetworkCacheMetaData", /::setExpirationDate\s*\(/, "expirationDate") +# Property lastModified (QDateTime) +property_reader("QNetworkCacheMetaData", /::lastModified\s*\(/, "lastModified") +property_writer("QNetworkCacheMetaData", /::setLastModified\s*\(/, "lastModified") +# Property rawHeaders (QPair_QByteArray_QByteArray[]) +property_reader("QNetworkCacheMetaData", /::rawHeaders\s*\(/, "rawHeaders") +property_writer("QNetworkCacheMetaData", /::setRawHeaders\s*\(/, "rawHeaders") +# Property saveToDisk (bool) +property_reader("QNetworkCacheMetaData", /::saveToDisk\s*\(/, "saveToDisk") +property_writer("QNetworkCacheMetaData", /::setSaveToDisk\s*\(/, "saveToDisk") +# Property url (QUrl) +property_reader("QNetworkCacheMetaData", /::url\s*\(/, "url") +property_writer("QNetworkCacheMetaData", /::setUrl\s*\(/, "url") +# Property domain (string) +property_reader("QNetworkCookie", /::domain\s*\(/, "domain") +property_writer("QNetworkCookie", /::setDomain\s*\(/, "domain") +# Property expirationDate (QDateTime) +property_reader("QNetworkCookie", /::expirationDate\s*\(/, "expirationDate") +property_writer("QNetworkCookie", /::setExpirationDate\s*\(/, "expirationDate") +# Property httpOnly (bool) +property_reader("QNetworkCookie", /::isHttpOnly\s*\(/, "httpOnly") +property_writer("QNetworkCookie", /::setHttpOnly\s*\(/, "httpOnly") +# Property name (byte array) +property_reader("QNetworkCookie", /::name\s*\(/, "name") +property_writer("QNetworkCookie", /::setName\s*\(/, "name") +# Property path (string) +property_reader("QNetworkCookie", /::path\s*\(/, "path") +property_writer("QNetworkCookie", /::setPath\s*\(/, "path") +# Property sameSitePolicy (QNetworkCookie_SameSite) +property_reader("QNetworkCookie", /::sameSitePolicy\s*\(/, "sameSitePolicy") +property_writer("QNetworkCookie", /::setSameSitePolicy\s*\(/, "sameSitePolicy") +# Property secure (bool) +property_reader("QNetworkCookie", /::isSecure\s*\(/, "secure") +property_writer("QNetworkCookie", /::setSecure\s*\(/, "secure") +# Property value (byte array) +property_reader("QNetworkCookie", /::value\s*\(/, "value") +property_writer("QNetworkCookie", /::setValue\s*\(/, "value") +# Property data (byte array) +property_reader("QNetworkDatagram", /::data\s*\(/, "data") +property_writer("QNetworkDatagram", /::setData\s*\(/, "data") +# Property hopLimit (int) +property_reader("QNetworkDatagram", /::hopLimit\s*\(/, "hopLimit") +property_writer("QNetworkDatagram", /::setHopLimit\s*\(/, "hopLimit") +# Property interfaceIndex (unsigned int) +property_reader("QNetworkDatagram", /::interfaceIndex\s*\(/, "interfaceIndex") +property_writer("QNetworkDatagram", /::setInterfaceIndex\s*\(/, "interfaceIndex") +# Property cacheDirectory (string) +property_reader("QNetworkDiskCache", /::cacheDirectory\s*\(/, "cacheDirectory") +property_writer("QNetworkDiskCache", /::setCacheDirectory\s*\(/, "cacheDirectory") +# Property maximumCacheSize (long long) +property_reader("QNetworkDiskCache", /::maximumCacheSize\s*\(/, "maximumCacheSize") +property_writer("QNetworkDiskCache", /::setMaximumCacheSize\s*\(/, "maximumCacheSize") +# Property applicationProxy (QNetworkProxy) +property_reader("QNetworkProxy", /::applicationProxy\s*\(/, "applicationProxy") +property_writer("QNetworkProxy", /::setApplicationProxy\s*\(/, "applicationProxy") +# Property capabilities (QNetworkProxy_QFlags_Capability) +property_reader("QNetworkProxy", /::capabilities\s*\(/, "capabilities") +property_writer("QNetworkProxy", /::setCapabilities\s*\(/, "capabilities") +# Property hostName (string) +property_reader("QNetworkProxy", /::hostName\s*\(/, "hostName") +property_writer("QNetworkProxy", /::setHostName\s*\(/, "hostName") +# Property password (string) +property_reader("QNetworkProxy", /::password\s*\(/, "password") +property_writer("QNetworkProxy", /::setPassword\s*\(/, "password") +# Property port (unsigned short) +property_reader("QNetworkProxy", /::port\s*\(/, "port") +property_writer("QNetworkProxy", /::setPort\s*\(/, "port") +# Property type (QNetworkProxy_ProxyType) +property_reader("QNetworkProxy", /::type\s*\(/, "type") +property_writer("QNetworkProxy", /::setType\s*\(/, "type") +# Property user (string) +property_reader("QNetworkProxy", /::user\s*\(/, "user") +property_writer("QNetworkProxy", /::setUser\s*\(/, "user") +# Property localPort (int) +property_reader("QNetworkProxyQuery", /::localPort\s*\(/, "localPort") +property_writer("QNetworkProxyQuery", /::setLocalPort\s*\(/, "localPort") +# Property peerHostName (string) +property_reader("QNetworkProxyQuery", /::peerHostName\s*\(/, "peerHostName") +property_writer("QNetworkProxyQuery", /::setPeerHostName\s*\(/, "peerHostName") +# Property peerPort (int) +property_reader("QNetworkProxyQuery", /::peerPort\s*\(/, "peerPort") +property_writer("QNetworkProxyQuery", /::setPeerPort\s*\(/, "peerPort") +# Property protocolTag (string) +property_reader("QNetworkProxyQuery", /::protocolTag\s*\(/, "protocolTag") +property_writer("QNetworkProxyQuery", /::setProtocolTag\s*\(/, "protocolTag") +# Property queryType (QNetworkProxyQuery_QueryType) +property_reader("QNetworkProxyQuery", /::queryType\s*\(/, "queryType") +property_writer("QNetworkProxyQuery", /::setQueryType\s*\(/, "queryType") +# Property url (QUrl) +property_reader("QNetworkProxyQuery", /::url\s*\(/, "url") +property_writer("QNetworkProxyQuery", /::setUrl\s*\(/, "url") +# Property readBufferSize (long long) +property_reader("QNetworkReply", /::readBufferSize\s*\(/, "readBufferSize") +property_writer("QNetworkReply", /::setReadBufferSize\s*\(/, "readBufferSize") +# Property sslConfiguration (QSslConfiguration) +property_reader("QNetworkReply", /::sslConfiguration\s*\(/, "sslConfiguration") +property_writer("QNetworkReply", /::setSslConfiguration\s*\(/, "sslConfiguration") +# Property decompressedSafetyCheckThreshold (long long) +property_reader("QNetworkRequest", /::decompressedSafetyCheckThreshold\s*\(/, "decompressedSafetyCheckThreshold") +property_writer("QNetworkRequest", /::setDecompressedSafetyCheckThreshold\s*\(/, "decompressedSafetyCheckThreshold") +# Property http2Configuration (QHttp2Configuration) +property_reader("QNetworkRequest", /::http2Configuration\s*\(/, "http2Configuration") +property_writer("QNetworkRequest", /::setHttp2Configuration\s*\(/, "http2Configuration") +# Property maximumRedirectsAllowed (int) +property_reader("QNetworkRequest", /::maximumRedirectsAllowed\s*\(/, "maximumRedirectsAllowed") +property_writer("QNetworkRequest", /::setMaximumRedirectsAllowed\s*\(/, "maximumRedirectsAllowed") +# Property originatingObject (QObject_Native *) +property_reader("QNetworkRequest", /::originatingObject\s*\(/, "originatingObject") +property_writer("QNetworkRequest", /::setOriginatingObject\s*\(/, "originatingObject") +# Property peerVerifyName (string) +property_reader("QNetworkRequest", /::peerVerifyName\s*\(/, "peerVerifyName") +property_writer("QNetworkRequest", /::setPeerVerifyName\s*\(/, "peerVerifyName") +# Property priority (QNetworkRequest_Priority) +property_reader("QNetworkRequest", /::priority\s*\(/, "priority") +property_writer("QNetworkRequest", /::setPriority\s*\(/, "priority") +# Property sslConfiguration (QSslConfiguration) +property_reader("QNetworkRequest", /::sslConfiguration\s*\(/, "sslConfiguration") +property_writer("QNetworkRequest", /::setSslConfiguration\s*\(/, "sslConfiguration") +# Property transferTimeout (int) +property_reader("QNetworkRequest", /::transferTimeout\s*\(/, "transferTimeout") +property_writer("QNetworkRequest", /::setTransferTimeout\s*\(/, "transferTimeout") +# Property url (QUrl) +property_reader("QNetworkRequest", /::url\s*\(/, "url") +property_writer("QNetworkRequest", /::setUrl\s*\(/, "url") +# Property allowedNextProtocols (byte array[]) +property_reader("QSslConfiguration", /::allowedNextProtocols\s*\(/, "allowedNextProtocols") +property_writer("QSslConfiguration", /::setAllowedNextProtocols\s*\(/, "allowedNextProtocols") +# Property backendConfiguration (map) +property_reader("QSslConfiguration", /::backendConfiguration\s*\(/, "backendConfiguration") +property_writer("QSslConfiguration", /::setBackendConfiguration\s*\(/, "backendConfiguration") +# Property caCertificates (QSslCertificate[]) +property_reader("QSslConfiguration", /::caCertificates\s*\(/, "caCertificates") +property_writer("QSslConfiguration", /::setCaCertificates\s*\(/, "caCertificates") +# Property ciphers (QSslCipher[]) +property_reader("QSslConfiguration", /::ciphers\s*\(/, "ciphers") +property_writer("QSslConfiguration", /::setCiphers\s*\(/, "ciphers") +# Property defaultConfiguration (QSslConfiguration) +property_reader("QSslConfiguration", /::defaultConfiguration\s*\(/, "defaultConfiguration") +property_writer("QSslConfiguration", /::setDefaultConfiguration\s*\(/, "defaultConfiguration") +# Property defaultDtlsConfiguration (QSslConfiguration) +property_reader("QSslConfiguration", /::defaultDtlsConfiguration\s*\(/, "defaultDtlsConfiguration") +property_writer("QSslConfiguration", /::setDefaultDtlsConfiguration\s*\(/, "defaultDtlsConfiguration") +# Property diffieHellmanParameters (QSslDiffieHellmanParameters) +property_reader("QSslConfiguration", /::diffieHellmanParameters\s*\(/, "diffieHellmanParameters") +property_writer("QSslConfiguration", /::setDiffieHellmanParameters\s*\(/, "diffieHellmanParameters") +# Property dtlsCookieVerificationEnabled (bool) +property_reader("QSslConfiguration", /::dtlsCookieVerificationEnabled\s*\(/, "dtlsCookieVerificationEnabled") +property_writer("QSslConfiguration", /::setDtlsCookieVerificationEnabled\s*\(/, "dtlsCookieVerificationEnabled") +# Property ellipticCurves (QSslEllipticCurve[]) +property_reader("QSslConfiguration", /::ellipticCurves\s*\(/, "ellipticCurves") +property_writer("QSslConfiguration", /::setEllipticCurves\s*\(/, "ellipticCurves") +# Property handshakeMustInterruptOnError (bool) +property_reader("QSslConfiguration", /::handshakeMustInterruptOnError\s*\(/, "handshakeMustInterruptOnError") +property_writer("QSslConfiguration", /::setHandshakeMustInterruptOnError\s*\(/, "handshakeMustInterruptOnError") +# Property localCertificate (QSslCertificate) +property_reader("QSslConfiguration", /::localCertificate\s*\(/, "localCertificate") +property_writer("QSslConfiguration", /::setLocalCertificate\s*\(/, "localCertificate") +# Property localCertificateChain (QSslCertificate[]) +property_reader("QSslConfiguration", /::localCertificateChain\s*\(/, "localCertificateChain") +property_writer("QSslConfiguration", /::setLocalCertificateChain\s*\(/, "localCertificateChain") +# Property missingCertificateIsFatal (bool) +property_reader("QSslConfiguration", /::missingCertificateIsFatal\s*\(/, "missingCertificateIsFatal") +property_writer("QSslConfiguration", /::setMissingCertificateIsFatal\s*\(/, "missingCertificateIsFatal") +# Property ocspStaplingEnabled (bool) +property_reader("QSslConfiguration", /::ocspStaplingEnabled\s*\(/, "ocspStaplingEnabled") +property_writer("QSslConfiguration", /::setOcspStaplingEnabled\s*\(/, "ocspStaplingEnabled") +# Property peerVerifyDepth (int) +property_reader("QSslConfiguration", /::peerVerifyDepth\s*\(/, "peerVerifyDepth") +property_writer("QSslConfiguration", /::setPeerVerifyDepth\s*\(/, "peerVerifyDepth") +# Property peerVerifyMode (QSslSocket_PeerVerifyMode) +property_reader("QSslConfiguration", /::peerVerifyMode\s*\(/, "peerVerifyMode") +property_writer("QSslConfiguration", /::setPeerVerifyMode\s*\(/, "peerVerifyMode") +# Property preSharedKeyIdentityHint (byte array) +property_reader("QSslConfiguration", /::preSharedKeyIdentityHint\s*\(/, "preSharedKeyIdentityHint") +property_writer("QSslConfiguration", /::setPreSharedKeyIdentityHint\s*\(/, "preSharedKeyIdentityHint") +# Property privateKey (QSslKey) +property_reader("QSslConfiguration", /::privateKey\s*\(/, "privateKey") +property_writer("QSslConfiguration", /::setPrivateKey\s*\(/, "privateKey") +# Property protocol (QSsl_SslProtocol) +property_reader("QSslConfiguration", /::protocol\s*\(/, "protocol") +property_writer("QSslConfiguration", /::setProtocol\s*\(/, "protocol") +# Property sessionTicket (byte array) +property_reader("QSslConfiguration", /::sessionTicket\s*\(/, "sessionTicket") +property_writer("QSslConfiguration", /::setSessionTicket\s*\(/, "sessionTicket") +# Property identity (byte array) +property_reader("QSslPreSharedKeyAuthenticator", /::identity\s*\(/, "identity") +property_writer("QSslPreSharedKeyAuthenticator", /::setIdentity\s*\(/, "identity") +# Property preSharedKey (byte array) +property_reader("QSslPreSharedKeyAuthenticator", /::preSharedKey\s*\(/, "preSharedKey") +property_writer("QSslPreSharedKeyAuthenticator", /::setPreSharedKey\s*\(/, "preSharedKey") +# Property localCertificate (QSslCertificate) +property_reader("QSslSocket", /::localCertificate\s*\(/, "localCertificate") +property_writer("QSslSocket", /::setLocalCertificate\s*\(/, "localCertificate") +# Property localCertificateChain (QSslCertificate[]) +property_reader("QSslSocket", /::localCertificateChain\s*\(/, "localCertificateChain") +property_writer("QSslSocket", /::setLocalCertificateChain\s*\(/, "localCertificateChain") +# Property peerVerifyDepth (int) +property_reader("QSslSocket", /::peerVerifyDepth\s*\(/, "peerVerifyDepth") +property_writer("QSslSocket", /::setPeerVerifyDepth\s*\(/, "peerVerifyDepth") +# Property peerVerifyMode (QSslSocket_PeerVerifyMode) +property_reader("QSslSocket", /::peerVerifyMode\s*\(/, "peerVerifyMode") +property_writer("QSslSocket", /::setPeerVerifyMode\s*\(/, "peerVerifyMode") +# Property peerVerifyName (string) +property_reader("QSslSocket", /::peerVerifyName\s*\(/, "peerVerifyName") +property_writer("QSslSocket", /::setPeerVerifyName\s*\(/, "peerVerifyName") +# Property privateKey (QSslKey) +property_reader("QSslSocket", /::privateKey\s*\(/, "privateKey") +property_writer("QSslSocket", /::setPrivateKey\s*\(/, "privateKey") +# Property protocol (QSsl_SslProtocol) +property_reader("QSslSocket", /::protocol\s*\(/, "protocol") +property_writer("QSslSocket", /::setProtocol\s*\(/, "protocol") +# Property readBufferSize (long long) +property_reader("QAbstractSocket", /::readBufferSize\s*\(/, "readBufferSize") +property_writer("QSslSocket", /::setReadBufferSize\s*\(/, "readBufferSize") +# Property sslConfiguration (QSslConfiguration) +property_reader("QSslSocket", /::sslConfiguration\s*\(/, "sslConfiguration") +property_writer("QSslSocket", /::setSslConfiguration\s*\(/, "sslConfiguration") +# Property maxPendingConnections (int) +property_reader("QTcpServer", /::maxPendingConnections\s*\(/, "maxPendingConnections") +property_writer("QTcpServer", /::setMaxPendingConnections\s*\(/, "maxPendingConnections") +# Property proxy (QNetworkProxy) +property_reader("QTcpServer", /::proxy\s*\(/, "proxy") +property_writer("QTcpServer", /::setProxy\s*\(/, "proxy") # Property multicastInterface (QNetworkInterface) property_reader("QUdpSocket", /::multicastInterface\s*\(/, "multicastInterface") property_writer("QUdpSocket", /::setMulticastInterface\s*\(/, "multicastInterface") -# Property text (string) -property_reader("QUndoCommand", /::text\s*\(/, "text") -property_writer("QUndoCommand", /::setText\s*\(/, "text") -# Property activeStack (QUndoStack_Native *) -property_reader("QUndoGroup", /::activeStack\s*\(/, "activeStack") -property_writer("QUndoGroup", /::setActiveStack\s*\(/, "activeStack") -# Property index (int) -property_reader("QUndoStack", /::index\s*\(/, "index") -property_writer("QUndoStack", /::setIndex\s*\(/, "index") -# Property group (QUndoGroup_Native *) -property_reader("QUndoView", /::group\s*\(/, "group") -property_writer("QUndoView", /::setGroup\s*\(/, "group") -# Property stack (QUndoStack_Native *) -property_reader("QUndoView", /::stack\s*\(/, "stack") -property_writer("QUndoView", /::setStack\s*\(/, "stack") -# Property authority (string) -property_reader("QUrl", /::authority\s*\(/, "authority") -property_writer("QUrl", /::setAuthority\s*\(/, "authority") -# Property fragment (string) -property_reader("QUrl", /::fragment\s*\(/, "fragment") -property_writer("QUrl", /::setFragment\s*\(/, "fragment") -# Property host (string) -property_reader("QUrl", /::host\s*\(/, "host") -property_writer("QUrl", /::setHost\s*\(/, "host") -# Property idnWhitelist (string[]) -property_reader("QUrl", /::idnWhitelist\s*\(/, "idnWhitelist") -property_writer("QUrl", /::setIdnWhitelist\s*\(/, "idnWhitelist") -# Property password (string) -property_reader("QUrl", /::password\s*\(/, "password") -property_writer("QUrl", /::setPassword\s*\(/, "password") -# Property path (string) -property_reader("QUrl", /::path\s*\(/, "path") -property_writer("QUrl", /::setPath\s*\(/, "path") -# Property port (int) -property_reader("QUrl", /::port\s*\(/, "port") -property_writer("QUrl", /::setPort\s*\(/, "port") -# Property scheme (string) -property_reader("QUrl", /::scheme\s*\(/, "scheme") -property_writer("QUrl", /::setScheme\s*\(/, "scheme") -# Property url (string) -property_reader("QUrl", /::url\s*\(/, "url") -property_writer("QUrl", /::setUrl\s*\(/, "url") -# Property userInfo (string) -property_reader("QUrl", /::userInfo\s*\(/, "userInfo") -property_writer("QUrl", /::setUserInfo\s*\(/, "userInfo") -# Property userName (string) -property_reader("QUrl", /::userName\s*\(/, "userName") -property_writer("QUrl", /::setUserName\s*\(/, "userName") -# Property query (string) -property_reader("QUrlQuery", /::query\s*\(/, "query") -property_writer("QUrlQuery", /::setQuery\s*\(/, "query") -# Property queryItems (QPair_QString_QString[]) -property_reader("QUrlQuery", /::queryItems\s*\(/, "queryItems") -property_writer("QUrlQuery", /::setQueryItems\s*\(/, "queryItems") -# Property locale (QLocale) -property_reader("QValidator", /::locale\s*\(/, "locale") -property_writer("QValidator", /::setLocale\s*\(/, "locale") -# Property keyValues (QPair_double_QVariant[]) -property_reader("QVariantAnimation", /::keyValues\s*\(/, "keyValues") -property_writer("QVariantAnimation", /::setKeyValues\s*\(/, "keyValues") -# Property x (float) -property_reader("QVector2D", /::x\s*\(/, "x") -property_writer("QVector2D", /::setX\s*\(/, "x") -# Property y (float) -property_reader("QVector2D", /::y\s*\(/, "y") -property_writer("QVector2D", /::setY\s*\(/, "y") -# Property x (float) -property_reader("QVector3D", /::x\s*\(/, "x") -property_writer("QVector3D", /::setX\s*\(/, "x") -# Property y (float) -property_reader("QVector3D", /::y\s*\(/, "y") -property_writer("QVector3D", /::setY\s*\(/, "y") -# Property z (float) -property_reader("QVector3D", /::z\s*\(/, "z") -property_writer("QVector3D", /::setZ\s*\(/, "z") -# Property w (float) -property_reader("QVector4D", /::w\s*\(/, "w") -property_writer("QVector4D", /::setW\s*\(/, "w") -# Property x (float) -property_reader("QVector4D", /::x\s*\(/, "x") -property_writer("QVector4D", /::setX\s*\(/, "x") -# Property y (float) -property_reader("QVector4D", /::y\s*\(/, "y") -property_writer("QVector4D", /::setY\s*\(/, "y") -# Property z (float) -property_reader("QVector4D", /::z\s*\(/, "z") -property_writer("QVector4D", /::setZ\s*\(/, "z") -# Property selectedDevice (int) -property_reader("QVideoDeviceSelectorControl", /::selectedDevice\s*\(/, "selectedDevice") -property_writer("QVideoDeviceSelectorControl", /::setSelectedDevice\s*\(/, "selectedDevice") -# Property bitRate (int) -property_reader("QVideoEncoderSettings", /::bitRate\s*\(/, "bitRate") -property_writer("QVideoEncoderSettings", /::setBitRate\s*\(/, "bitRate") -# Property codec (string) -property_reader("QVideoEncoderSettings", /::codec\s*\(/, "codec") -property_writer("QVideoEncoderSettings", /::setCodec\s*\(/, "codec") -# Property encodingMode (QMultimedia_EncodingMode) -property_reader("QVideoEncoderSettings", /::encodingMode\s*\(/, "encodingMode") -property_writer("QVideoEncoderSettings", /::setEncodingMode\s*\(/, "encodingMode") -# Property encodingOptions (map) -property_reader("QVideoEncoderSettings", /::encodingOptions\s*\(/, "encodingOptions") -property_writer("QVideoEncoderSettings", /::setEncodingOptions\s*\(/, "encodingOptions") -# Property frameRate (double) -property_reader("QVideoEncoderSettings", /::frameRate\s*\(/, "frameRate") -property_writer("QVideoEncoderSettings", /::setFrameRate\s*\(/, "frameRate") -# Property quality (QMultimedia_EncodingQuality) -property_reader("QVideoEncoderSettings", /::quality\s*\(/, "quality") -property_writer("QVideoEncoderSettings", /::setQuality\s*\(/, "quality") -# Property resolution (QSize) -property_reader("QVideoEncoderSettings", /::resolution\s*\(/, "resolution") -property_writer("QVideoEncoderSettings", /::setResolution\s*\(/, "resolution") -# Property videoSettings (QVideoEncoderSettings) -property_reader("QVideoEncoderSettingsControl", /::videoSettings\s*\(/, "videoSettings") -property_writer("QVideoEncoderSettingsControl", /::setVideoSettings\s*\(/, "videoSettings") -# Property endTime (long long) -property_reader("QVideoFrame", /::endTime\s*\(/, "endTime") -property_writer("QVideoFrame", /::setEndTime\s*\(/, "endTime") -# Property fieldType (QVideoFrame_FieldType) -property_reader("QVideoFrame", /::fieldType\s*\(/, "fieldType") -property_writer("QVideoFrame", /::setFieldType\s*\(/, "fieldType") -# Property startTime (long long) -property_reader("QVideoFrame", /::startTime\s*\(/, "startTime") -property_writer("QVideoFrame", /::setStartTime\s*\(/, "startTime") -# Property surface (QAbstractVideoSurface_Native *) -property_reader("QVideoRendererControl", /::surface\s*\(/, "surface") -property_writer("QVideoRendererControl", /::setSurface\s*\(/, "surface") -# Property frameRate (double) -property_reader("QVideoSurfaceFormat", /::frameRate\s*\(/, "frameRate") -property_writer("QVideoSurfaceFormat", /::setFrameRate\s*\(/, "frameRate") -# Property frameSize (QSize) -property_reader("QVideoSurfaceFormat", /::frameSize\s*\(/, "frameSize") -property_writer("QVideoSurfaceFormat", /::setFrameSize\s*\(/, "frameSize") -# Property pixelAspectRatio (QSize) -property_reader("QVideoSurfaceFormat", /::pixelAspectRatio\s*\(/, "pixelAspectRatio") -property_writer("QVideoSurfaceFormat", /::setPixelAspectRatio\s*\(/, "pixelAspectRatio") -# Property scanLineDirection (QVideoSurfaceFormat_Direction) -property_reader("QVideoSurfaceFormat", /::scanLineDirection\s*\(/, "scanLineDirection") -property_writer("QVideoSurfaceFormat", /::setScanLineDirection\s*\(/, "scanLineDirection") -# Property viewport (QRect) -property_reader("QVideoSurfaceFormat", /::viewport\s*\(/, "viewport") -property_writer("QVideoSurfaceFormat", /::setViewport\s*\(/, "viewport") -# Property yCbCrColorSpace (QVideoSurfaceFormat_YCbCrColorSpace) -property_reader("QVideoSurfaceFormat", /::yCbCrColorSpace\s*\(/, "yCbCrColorSpace") -property_writer("QVideoSurfaceFormat", /::setYCbCrColorSpace\s*\(/, "yCbCrColorSpace") -# Property aspectRatioMode (Qt_AspectRatioMode) -property_reader("QVideoWindowControl", /::aspectRatioMode\s*\(/, "aspectRatioMode") -property_writer("QVideoWindowControl", /::setAspectRatioMode\s*\(/, "aspectRatioMode") -# Property brightness (int) -property_reader("QVideoWindowControl", /::brightness\s*\(/, "brightness") -property_writer("QVideoWindowControl", /::setBrightness\s*\(/, "brightness") -# Property contrast (int) -property_reader("QVideoWindowControl", /::contrast\s*\(/, "contrast") -property_writer("QVideoWindowControl", /::setContrast\s*\(/, "contrast") -# Property displayRect (QRect) -property_reader("QVideoWindowControl", /::displayRect\s*\(/, "displayRect") -property_writer("QVideoWindowControl", /::setDisplayRect\s*\(/, "displayRect") -# Property fullScreen (bool) -property_reader("QVideoWindowControl", /::isFullScreen\s*\(/, "fullScreen") -property_writer("QVideoWindowControl", /::setFullScreen\s*\(/, "fullScreen") -# Property hue (int) -property_reader("QVideoWindowControl", /::hue\s*\(/, "hue") -property_writer("QVideoWindowControl", /::setHue\s*\(/, "hue") -# Property saturation (int) -property_reader("QVideoWindowControl", /::saturation\s*\(/, "saturation") -property_writer("QVideoWindowControl", /::setSaturation\s*\(/, "saturation") -# Property winId (unsigned long long) -property_reader("QVideoWindowControl", /::winId\s*\(/, "winId") -property_writer("QVideoWindowControl", /::setWinId\s*\(/, "winId") -# Property backgroundRole (QPalette_ColorRole) -property_reader("QWidget", /::backgroundRole\s*\(/, "backgroundRole") -property_writer("QWidget", /::setBackgroundRole\s*\(/, "backgroundRole") -# Property contentsMargins (QMargins) -property_reader("QWidget", /::contentsMargins\s*\(/, "contentsMargins") -property_writer("QWidget", /::setContentsMargins\s*\(/, "contentsMargins") -# Property focusProxy (QWidget_Native *) -property_reader("QWidget", /::focusProxy\s*\(/, "focusProxy") -property_writer("QWidget", /::setFocusProxy\s*\(/, "focusProxy") -# Property foregroundRole (QPalette_ColorRole) -property_reader("QWidget", /::foregroundRole\s*\(/, "foregroundRole") -property_writer("QWidget", /::setForegroundRole\s*\(/, "foregroundRole") -# Property graphicsEffect (QGraphicsEffect_Native *) -property_reader("QWidget", /::graphicsEffect\s*\(/, "graphicsEffect") -property_writer("QWidget", /::setGraphicsEffect\s*\(/, "graphicsEffect") -# Property hidden (bool) -property_reader("QWidget", /::isHidden\s*\(/, "hidden") -property_writer("QWidget", /::setHidden\s*\(/, "hidden") -# Property layout (QLayout_Native *) -property_reader("QWidget", /::layout\s*\(/, "layout") -property_writer("QWidget", /::setLayout\s*\(/, "layout") -# Property style (QStyle_Native *) -property_reader("QWidget", /::style\s*\(/, "style") -property_writer("QWidget", /::setStyle\s*\(/, "style") -# Property windowFlags (Qt_QFlags_WindowType) -property_reader("QWidget", /::windowFlags\s*\(/, "windowFlags") -property_writer("QWidget", /::setWindowFlags\s*\(/, "windowFlags") -# Property windowRole (string) -property_reader("QWidget", /::windowRole\s*\(/, "windowRole") -property_writer("QWidget", /::setWindowRole\s*\(/, "windowRole") -# Property windowState (Qt_QFlags_WindowState) -property_reader("QWidget", /::windowState\s*\(/, "windowState") -property_writer("QWidget", /::setWindowState\s*\(/, "windowState") -# Property defaultWidget (QWidget_Native *) -property_reader("QWidgetAction", /::defaultWidget\s*\(/, "defaultWidget") -property_writer("QWidgetAction", /::setDefaultWidget\s*\(/, "defaultWidget") -# Property geometry (QRect) -property_reader("QWidgetItem", /::geometry\s*\(/, "geometry") -property_writer("QWidgetItem", /::setGeometry\s*\(/, "geometry") -# Property baseSize (QSize) -property_reader("QWindow", /::baseSize\s*\(/, "baseSize") -property_writer("QWindow", /::setBaseSize\s*\(/, "baseSize") -# Property cursor (QCursor) -property_reader("QWindow", /::cursor\s*\(/, "cursor") -property_writer("QWindow", /::setCursor\s*\(/, "cursor") -# Property filePath (string) -property_reader("QWindow", /::filePath\s*\(/, "filePath") -property_writer("QWindow", /::setFilePath\s*\(/, "filePath") -# Property format (QSurfaceFormat) -property_reader("QWindow", /::format\s*\(/, "format") -property_writer("QWindow", /::setFormat\s*\(/, "format") -# Property framePosition (QPoint) -property_reader("QWindow", /::framePosition\s*\(/, "framePosition") -property_writer("QWindow", /::setFramePosition\s*\(/, "framePosition") -# Property geometry (QRect) -property_reader("QWindow", /::geometry\s*\(/, "geometry") -property_writer("QWindow", /::setGeometry\s*\(/, "geometry") -# Property icon (QIcon) -property_reader("QWindow", /::icon\s*\(/, "icon") -property_writer("QWindow", /::setIcon\s*\(/, "icon") -# Property mask (QRegion) -property_reader("QWindow", /::mask\s*\(/, "mask") -property_writer("QWindow", /::setMask\s*\(/, "mask") -# Property maximumSize (QSize) -property_reader("QWindow", /::maximumSize\s*\(/, "maximumSize") -property_writer("QWindow", /::setMaximumSize\s*\(/, "maximumSize") -# Property minimumSize (QSize) -property_reader("QWindow", /::minimumSize\s*\(/, "minimumSize") -property_writer("QWindow", /::setMinimumSize\s*\(/, "minimumSize") -# Property parent (QWindow_Native *) -property_reader("QWindow", /::parent\s*\(/, "parent") -property_writer("QWindow", /::setParent\s*\(/, "parent") -# Property position (QPoint) -property_reader("QWindow", /::position\s*\(/, "position") -property_writer("QWindow", /::setPosition\s*\(/, "position") -# Property screen (QScreen_Native *) -property_reader("QWindow", /::screen\s*\(/, "screen") -property_writer("QWindow", /::setScreen\s*\(/, "screen") -# Property sizeIncrement (QSize) -property_reader("QWindow", /::sizeIncrement\s*\(/, "sizeIncrement") -property_writer("QWindow", /::setSizeIncrement\s*\(/, "sizeIncrement") -# Property surfaceType (QSurface_SurfaceType) -property_reader("QWindow", /::surfaceType\s*\(/, "surfaceType") -property_writer("QWindow", /::setSurfaceType\s*\(/, "surfaceType") -# Property transientParent (QWindow_Native *) -property_reader("QWindow", /::transientParent\s*\(/, "transientParent") -property_writer("QWindow", /::setTransientParent\s*\(/, "transientParent") -# Property windowState (Qt_WindowState) -property_reader("QWindow", /::windowState\s*\(/, "windowState") -property_writer("QWindow", /::setWindowState\s*\(/, "windowState") -# Property sideWidget (QWidget_Native *) -property_reader("QWizard", /::sideWidget\s*\(/, "sideWidget") -property_writer("QWizard", /::setSideWidget\s*\(/, "sideWidget") -# Property commitPage (bool) -property_reader("QWizardPage", /::isCommitPage\s*\(/, "commitPage") -property_writer("QWizardPage", /::setCommitPage\s*\(/, "commitPage") -# Property finalPage (bool) -property_reader("QWizardPage", /::isFinalPage\s*\(/, "finalPage") -property_writer("QWizardPage", /::setFinalPage\s*\(/, "finalPage") -# Property indentationDepth (int) -property_reader("QXmlFormatter", /::indentationDepth\s*\(/, "indentationDepth") -property_writer("QXmlFormatter", /::setIndentationDepth\s*\(/, "indentationDepth") +# Property value (string) +property_reader("QDomAttr", /::value\s*\(/, "value") +property_writer("QDomAttr", /::setValue\s*\(/, "value") +# Property data (string) +property_reader("QDomCharacterData", /::data\s*\(/, "data") +property_writer("QDomCharacterData", /::setData\s*\(/, "data") +# Property tagName (string) +property_reader("QDomElement", /::tagName\s*\(/, "tagName") +property_writer("QDomElement", /::setTagName\s*\(/, "tagName") +# Property invalidDataPolicy (QDomImplementation_InvalidDataPolicy) +property_reader("QDomImplementation", /::invalidDataPolicy\s*\(/, "invalidDataPolicy") +property_writer("QDomImplementation", /::setInvalidDataPolicy\s*\(/, "invalidDataPolicy") +# Property nodeValue (string) +property_reader("QDomNode", /::nodeValue\s*\(/, "nodeValue") +property_writer("QDomNode", /::setNodeValue\s*\(/, "nodeValue") +# Property prefix (string) +property_reader("QDomNode", /::prefix\s*\(/, "prefix") +property_writer("QDomNode", /::setPrefix\s*\(/, "prefix") +# Property data (string) +property_reader("QDomProcessingInstruction", /::data\s*\(/, "data") +property_writer("QDomProcessingInstruction", /::setData\s*\(/, "data") +# Property caseSensitivity (Qt_CaseSensitivity) +property_reader("QRegExp", /::caseSensitivity\s*\(/, "caseSensitivity") +property_writer("QRegExp", /::setCaseSensitivity\s*\(/, "caseSensitivity") +# Property minimal (bool) +property_reader("QRegExp", /::isMinimal\s*\(/, "minimal") +property_writer("QRegExp", /::setMinimal\s*\(/, "minimal") +# Property pattern (string) +property_reader("QRegExp", /::pattern\s*\(/, "pattern") +property_writer("QRegExp", /::setPattern\s*\(/, "pattern") +# Property patternSyntax (QRegExp_PatternSyntax) +property_reader("QRegExp", /::patternSyntax\s*\(/, "patternSyntax") +property_writer("QRegExp", /::setPatternSyntax\s*\(/, "patternSyntax") +# Property codecForLocale (QTextCodec_Native *) +property_reader("QTextCodec", /::codecForLocale\s*\(/, "codecForLocale") +property_writer("QTextCodec", /::setCodecForLocale\s*\(/, "codecForLocale") # Property data (string) property_reader("QXmlInputSource", /::data\s*\(/, "data") property_writer("QXmlInputSource", /::setData\s*\(/, "data") -# Property initialTemplateName (QXmlName) -property_reader("QXmlQuery", /::initialTemplateName\s*\(/, "initialTemplateName") -property_writer("QXmlQuery", /::setInitialTemplateName\s*\(/, "initialTemplateName") -# Property messageHandler (QAbstractMessageHandler_Native *) -property_reader("QXmlQuery", /::messageHandler\s*\(/, "messageHandler") -property_writer("QXmlQuery", /::setMessageHandler\s*\(/, "messageHandler") -# Property networkAccessManager (QNetworkAccessManager_Native *) -property_reader("QXmlQuery", /::networkAccessManager\s*\(/, "networkAccessManager") -property_writer("QXmlQuery", /::setNetworkAccessManager\s*\(/, "networkAccessManager") -# Property uriResolver (QAbstractUriResolver_Native *) -property_reader("QXmlQuery", /::uriResolver\s*\(/, "uriResolver") -property_writer("QXmlQuery", /::setUriResolver\s*\(/, "uriResolver") # Property contentHandler (QXmlContentHandler_Native *) property_reader("QXmlReader", /::contentHandler\s*\(/, "contentHandler") property_writer("QXmlReader", /::setContentHandler\s*\(/, "contentHandler") @@ -15352,30 +14793,6 @@ property_writer("QXmlReader", /::setErrorHandler\s*\(/, "errorHandler") # Property lexicalHandler (QXmlLexicalHandler_Native *) property_reader("QXmlReader", /::lexicalHandler\s*\(/, "lexicalHandler") property_writer("QXmlReader", /::setLexicalHandler\s*\(/, "lexicalHandler") -# Property messageHandler (QAbstractMessageHandler_Native *) -property_reader("QXmlSchema", /::messageHandler\s*\(/, "messageHandler") -property_writer("QXmlSchema", /::setMessageHandler\s*\(/, "messageHandler") -# Property networkAccessManager (QNetworkAccessManager_Native *) -property_reader("QXmlSchema", /::networkAccessManager\s*\(/, "networkAccessManager") -property_writer("QXmlSchema", /::setNetworkAccessManager\s*\(/, "networkAccessManager") -# Property uriResolver (QAbstractUriResolver_Native *) -property_reader("QXmlSchema", /::uriResolver\s*\(/, "uriResolver") -property_writer("QXmlSchema", /::setUriResolver\s*\(/, "uriResolver") -# Property messageHandler (QAbstractMessageHandler_Native *) -property_reader("QXmlSchemaValidator", /::messageHandler\s*\(/, "messageHandler") -property_writer("QXmlSchemaValidator", /::setMessageHandler\s*\(/, "messageHandler") -# Property networkAccessManager (QNetworkAccessManager_Native *) -property_reader("QXmlSchemaValidator", /::networkAccessManager\s*\(/, "networkAccessManager") -property_writer("QXmlSchemaValidator", /::setNetworkAccessManager\s*\(/, "networkAccessManager") -# Property schema (QXmlSchema) -property_reader("QXmlSchemaValidator", /::schema\s*\(/, "schema") -property_writer("QXmlSchemaValidator", /::setSchema\s*\(/, "schema") -# Property uriResolver (QAbstractUriResolver_Native *) -property_reader("QXmlSchemaValidator", /::uriResolver\s*\(/, "uriResolver") -property_writer("QXmlSchemaValidator", /::setUriResolver\s*\(/, "uriResolver") -# Property codec (QTextCodec_Native *) -property_reader("QXmlSerializer", /::codec\s*\(/, "codec") -property_writer("QXmlSerializer", /::setCodec\s*\(/, "codec") # Property contentHandler (QXmlContentHandler_Native *) property_reader("QXmlSimpleReader", /::contentHandler\s*\(/, "contentHandler") property_writer("QXmlSimpleReader", /::setContentHandler\s*\(/, "contentHandler") @@ -15391,24 +14808,3 @@ property_writer("QXmlSimpleReader", /::setErrorHandler\s*\(/, "errorHandler") # Property lexicalHandler (QXmlLexicalHandler_Native *) property_reader("QXmlSimpleReader", /::lexicalHandler\s*\(/, "lexicalHandler") property_writer("QXmlSimpleReader", /::setLexicalHandler\s*\(/, "lexicalHandler") -# Property device (QIODevice *) -property_reader("QXmlStreamReader", /::device\s*\(/, "device") -property_writer("QXmlStreamReader", /::setDevice\s*\(/, "device") -# Property entityResolver (QXmlStreamEntityResolver_Native *) -property_reader("QXmlStreamReader", /::entityResolver\s*\(/, "entityResolver") -property_writer("QXmlStreamReader", /::setEntityResolver\s*\(/, "entityResolver") -# Property namespaceProcessing (bool) -property_reader("QXmlStreamReader", /::namespaceProcessing\s*\(/, "namespaceProcessing") -property_writer("QXmlStreamReader", /::setNamespaceProcessing\s*\(/, "namespaceProcessing") -# Property autoFormatting (bool) -property_reader("QXmlStreamWriter", /::autoFormatting\s*\(/, "autoFormatting") -property_writer("QXmlStreamWriter", /::setAutoFormatting\s*\(/, "autoFormatting") -# Property autoFormattingIndent (int) -property_reader("QXmlStreamWriter", /::autoFormattingIndent\s*\(/, "autoFormattingIndent") -property_writer("QXmlStreamWriter", /::setAutoFormattingIndent\s*\(/, "autoFormattingIndent") -# Property codec (QTextCodec_Native *) -property_reader("QXmlStreamWriter", /::codec\s*\(/, "codec") -property_writer("QXmlStreamWriter", /::setCodec\s*\(/, "codec") -# Property device (QIODevice *) -property_reader("QXmlStreamWriter", /::device\s*\(/, "device") -property_writer("QXmlStreamWriter", /::setDevice\s*\(/, "device") From 40d3fd41b12204df09cf2f6174480c2f8c84eb1b Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 26 Mar 2023 00:35:46 +0100 Subject: [PATCH 028/128] Regenerating Qt binding sources with the event/property caches --- .../qt5/QtCore/gsiDeclQCommandLineOption.cc | 8 +- src/gsiqt/qt5/QtCore/gsiDeclQDeadlineTimer.cc | 8 +- src/gsiqt/qt5/QtCore/gsiDeclQDebug.cc | 4 +- src/gsiqt/qt5/QtCore/gsiDeclQHistoryState.cc | 4 +- src/gsiqt/qt5/QtCore/gsiDeclQIODevice.cc | 8 +- src/gsiqt/qt5/QtCore/gsiDeclQSettings.cc | 4 +- .../QtCore/gsiDeclQSortFilterProxyModel.cc | 10 +- src/gsiqt/qt5/QtCore/gsiDeclQThreadPool.cc | 4 +- src/gsiqt/qt5/QtGui/gsiDeclQColor.cc | 4 +- src/gsiqt/qt5/QtGui/gsiDeclQGuiApplication.cc | 10 +- src/gsiqt/qt5/QtGui/gsiDeclQIcon.cc | 8 +- src/gsiqt/qt5/QtGui/gsiDeclQImageReader.cc | 4 +- src/gsiqt/qt5/QtGui/gsiDeclQInputMethod.cc | 4 +- src/gsiqt/qt5/QtGui/gsiDeclQMouseEvent.cc | 4 +- .../qt5/QtGui/gsiDeclQOffscreenSurface.cc | 4 +- src/gsiqt/qt5/QtGui/gsiDeclQPdfWriter.cc | 4 +- src/gsiqt/qt5/QtGui/gsiDeclQRgba64.cc | 16 +- src/gsiqt/qt5/QtGui/gsiDeclQScreen.cc | 6 +- src/gsiqt/qt5/QtGui/gsiDeclQStandardItem.cc | 8 +- src/gsiqt/qt5/QtGui/gsiDeclQStyleHints.cc | 14 +- src/gsiqt/qt5/QtGui/gsiDeclQSurfaceFormat.cc | 4 +- .../qt5/QtGui/gsiDeclQTextBlockFormat.cc | 4 +- .../qt5/QtGui/gsiDeclQTextImageFormat.cc | 4 +- src/gsiqt/qt5/QtGui/gsiDeclQTextLayout.cc | 4 +- src/gsiqt/qt5/QtGui/gsiDeclQTextOption.cc | 4 +- src/gsiqt/qt5/QtGui/gsiDeclQWindow.cc | 4 +- .../gsiDeclQAbstractAudioDeviceInfo.cc | 53 + .../gsiDeclQAbstractAudioInput.cc | 186 ++- .../gsiDeclQAbstractAudioOutput.cc | 186 ++- .../gsiDeclQAbstractVideoFilter.cc | 92 +- .../gsiDeclQAbstractVideoSurface.cc | 233 ++- .../qt5/QtMultimedia/gsiDeclQAudioDecoder.cc | 607 +++++--- .../gsiDeclQAudioDecoderControl.cc | 458 +++--- .../gsiDeclQAudioEncoderSettingsControl.cc | 53 + .../qt5/QtMultimedia/gsiDeclQAudioInput.cc | 139 +- .../gsiDeclQAudioInputSelectorControl.cc | 139 +- .../qt5/QtMultimedia/gsiDeclQAudioOutput.cc | 139 +- .../gsiDeclQAudioOutputSelectorControl.cc | 139 +- .../qt5/QtMultimedia/gsiDeclQAudioProbe.cc | 139 +- .../qt5/QtMultimedia/gsiDeclQAudioRecorder.cc | 476 +++++- .../QtMultimedia/gsiDeclQAudioRoleControl.cc | 104 +- .../QtMultimedia/gsiDeclQAudioSystemPlugin.cc | 53 + src/gsiqt/qt5/QtMultimedia/gsiDeclQCamera.cc | 586 +++++-- ...siDeclQCameraCaptureBufferFormatControl.cc | 100 +- ...gsiDeclQCameraCaptureDestinationControl.cc | 100 +- .../qt5/QtMultimedia/gsiDeclQCameraControl.cc | 247 +-- .../QtMultimedia/gsiDeclQCameraExposure.cc | 148 +- .../gsiDeclQCameraExposureControl.cc | 194 ++- .../gsiDeclQCameraFeedbackControl.cc | 53 + .../gsiDeclQCameraFlashControl.cc | 100 +- .../qt5/QtMultimedia/gsiDeclQCameraFocus.cc | 108 +- .../gsiDeclQCameraFocusControl.cc | 233 ++- .../gsiDeclQCameraImageCapture.cc | 518 ++++--- .../gsiDeclQCameraImageCaptureControl.cc | 424 +++-- .../gsiDeclQCameraImageProcessing.cc | 6 +- .../gsiDeclQCameraImageProcessingControl.cc | 53 + .../QtMultimedia/gsiDeclQCameraInfoControl.cc | 53 + .../gsiDeclQCameraLocksControl.cc | 112 +- ...gsiDeclQCameraViewfinderSettingsControl.cc | 53 + ...siDeclQCameraViewfinderSettingsControl2.cc | 53 + .../QtMultimedia/gsiDeclQCameraZoomControl.cc | 335 ++-- .../gsiDeclQCustomAudioRoleControl.cc | 104 +- .../QtMultimedia/gsiDeclQGraphicsVideoItem.cc | 364 ++++- .../gsiDeclQImageEncoderControl.cc | 53 + .../gsiDeclQMediaAudioProbeControl.cc | 139 +- .../gsiDeclQMediaAvailabilityControl.cc | 100 +- .../gsiDeclQMediaContainerControl.cc | 53 + .../qt5/QtMultimedia/gsiDeclQMediaControl.cc | 53 + .../gsiDeclQMediaGaplessPlaybackControl.cc | 186 ++- .../gsiDeclQMediaNetworkAccessControl.cc | 100 +- .../qt5/QtMultimedia/gsiDeclQMediaObject.cc | 333 ++-- .../qt5/QtMultimedia/gsiDeclQMediaPlayer.cc | 1015 +++++++----- .../gsiDeclQMediaPlayerControl.cc | 717 +++++---- .../qt5/QtMultimedia/gsiDeclQMediaPlaylist.cc | 537 ++++--- .../qt5/QtMultimedia/gsiDeclQMediaRecorder.cc | 662 ++++---- .../gsiDeclQMediaRecorderControl.cc | 388 +++-- .../qt5/QtMultimedia/gsiDeclQMediaService.cc | 53 + .../gsiDeclQMediaServiceProviderPlugin.cc | 53 + .../gsiDeclQMediaStreamsControl.cc | 131 +- .../gsiDeclQMediaVideoProbeControl.cc | 139 +- .../gsiDeclQMetaDataReaderControl.cc | 192 ++- .../gsiDeclQMetaDataWriterControl.cc | 239 ++- .../qt5/QtMultimedia/gsiDeclQRadioData.cc | 382 +++-- .../QtMultimedia/gsiDeclQRadioDataControl.cc | 382 +++-- .../qt5/QtMultimedia/gsiDeclQRadioTuner.cc | 731 ++++++--- .../QtMultimedia/gsiDeclQRadioTunerControl.cc | 576 ++++--- src/gsiqt/qt5/QtMultimedia/gsiDeclQSound.cc | 53 + .../qt5/QtMultimedia/gsiDeclQSoundEffect.cc | 404 +++-- .../gsiDeclQVideoDeviceSelectorControl.cc | 186 ++- .../gsiDeclQVideoEncoderSettingsControl.cc | 53 + .../qt5/QtMultimedia/gsiDeclQVideoProbe.cc | 139 +- .../gsiDeclQVideoRendererControl.cc | 53 + .../gsiDeclQVideoSurfaceFormat.cc | 4 +- .../qt5/QtMultimedia/gsiDeclQVideoWidget.cc | 392 +++-- .../gsiDeclQVideoWindowControl.cc | 327 ++-- src/gsiqt/qt5/QtNetwork/gsiDeclQDtls.cc | 143 +- .../QtNetwork/gsiDeclQDtlsClientVerifier.cc | 53 + src/gsiqt/qt5/QtNetwork/gsiDeclQHstsPolicy.cc | 8 +- .../QtNetwork/gsiDeclQNetworkAccessManager.cc | 8 +- .../QtNetwork/gsiDeclQNetworkAddressEntry.cc | 4 +- .../qt5/QtNetwork/gsiDeclQNetworkDatagram.cc | 12 +- .../qt5/QtNetwork/gsiDeclQNetworkRequest.cc | 4 +- .../qt5/QtNetwork/gsiDeclQSslConfiguration.cc | 20 +- .../gsiDeclQAbstractPrintDialog.cc | 227 +++ .../qt5/QtPrintSupport/gsiDeclQPrintDialog.cc | 291 +++- .../gsiDeclQPrintPreviewDialog.cc | 274 +++- .../gsiDeclQPrintPreviewWidget.cc | 243 ++- .../qt5/QtPrintSupport/gsiDeclQPrinter.cc | 4 +- src/gsiqt/qt5/QtSql/gsiDeclQSqlField.cc | 4 +- .../qt5/QtSvg/gsiDeclQGraphicsSvgItem.cc | 317 ++++ src/gsiqt/qt5/QtSvg/gsiDeclQSvgRenderer.cc | 92 +- src/gsiqt/qt5/QtSvg/gsiDeclQSvgWidget.cc | 157 ++ src/gsiqt/qt5/QtUiTools/gsiDeclQUiLoader.cc | 65 +- src/gsiqt/qt5/QtWidgets/gsiDeclQAction.cc | 4 +- .../qt5/QtWidgets/gsiDeclQDoubleSpinBox.cc | 4 +- src/gsiqt/qt5/QtWidgets/gsiDeclQFileDialog.cc | 4 +- .../qt5/QtWidgets/gsiDeclQGraphicsScene.cc | 4 +- src/gsiqt/qt5/QtWidgets/gsiDeclQHeaderView.cc | 4 +- .../qt5/QtWidgets/gsiDeclQInputDialog.cc | 4 +- src/gsiqt/qt5/QtWidgets/gsiDeclQListView.cc | 4 +- src/gsiqt/qt5/QtWidgets/gsiDeclQListWidget.cc | 2 +- .../qt5/QtWidgets/gsiDeclQPlainTextEdit.cc | 4 +- src/gsiqt/qt5/QtWidgets/gsiDeclQSpinBox.cc | 4 +- src/gsiqt/qt5/QtWidgets/gsiDeclQTextEdit.cc | 4 +- .../qt5/QtWidgets/gsiDeclQUndoCommand.cc | 4 +- src/gsiqt/qt5/QtWidgets/gsiDeclQUndoStack.cc | 10 +- src/gsiqt/qt5/QtWidgets/gsiDeclQWidget.cc | 4 +- .../gsiDeclQAbstractMessageHandler.cc | 53 + .../gsiDeclQAbstractUriResolver.cc | 53 + .../qt6/QtCore/gsiDeclQCommandLineOption.cc | 4 +- .../gsiDeclQConcatenateTablesProxyModel.cc | 671 ++++++++ src/gsiqt/qt6/QtCore/gsiDeclQDeadlineTimer.cc | 8 +- src/gsiqt/qt6/QtCore/gsiDeclQDebug.cc | 4 +- src/gsiqt/qt6/QtCore/gsiDeclQIODevice.cc | 8 +- src/gsiqt/qt6/QtCore/gsiDeclQSettings.cc | 4 +- src/gsiqt/qt6/QtCore/gsiDeclQSignalMapper.cc | 141 +- .../qt6/QtCore/gsiDeclQSocketNotifier.cc | 4 +- .../QtCore/gsiDeclQSortFilterProxyModel.cc | 390 ++--- src/gsiqt/qt6/QtCore/gsiDeclQTextStream.cc | 4 +- src/gsiqt/qt6/QtCore/gsiDeclQThreadPool.cc | 8 +- .../qt6/QtCore/gsiDeclQTransposeProxyModel.cc | 695 ++++++++- .../qt6/QtCore/gsiDeclQXmlStreamReader.cc | 4 +- .../QtGui/gsiDeclQAbstractFileIconProvider.cc | 4 +- src/gsiqt/qt6/QtGui/gsiDeclQAction.cc | 137 +- src/gsiqt/qt6/QtGui/gsiDeclQActionGroup.cc | 4 +- src/gsiqt/qt6/QtGui/gsiDeclQColor.cc | 4 +- src/gsiqt/qt6/QtGui/gsiDeclQColorSpace.cc | 12 +- src/gsiqt/qt6/QtGui/gsiDeclQEventPoint.cc | 4 +- .../qt6/QtGui/gsiDeclQFileSystemModel.cc | 4 +- src/gsiqt/qt6/QtGui/gsiDeclQFont.cc | 12 +- src/gsiqt/qt6/QtGui/gsiDeclQGuiApplication.cc | 10 +- src/gsiqt/qt6/QtGui/gsiDeclQIcon.cc | 8 +- src/gsiqt/qt6/QtGui/gsiDeclQImage.cc | 10 +- src/gsiqt/qt6/QtGui/gsiDeclQImageReader.cc | 4 +- src/gsiqt/qt6/QtGui/gsiDeclQInputDevice.cc | 112 +- src/gsiqt/qt6/QtGui/gsiDeclQInputMethod.cc | 4 +- .../qt6/QtGui/gsiDeclQPagedPaintDevice.cc | 6 +- .../qt6/QtGui/gsiDeclQPaintDeviceWindow.cc | 26 + src/gsiqt/qt6/QtGui/gsiDeclQPalette.cc | 4 +- src/gsiqt/qt6/QtGui/gsiDeclQPdfWriter.cc | 8 +- src/gsiqt/qt6/QtGui/gsiDeclQPointerEvent.cc | 4 +- src/gsiqt/qt6/QtGui/gsiDeclQPointingDevice.cc | 152 +- src/gsiqt/qt6/QtGui/gsiDeclQRasterWindow.cc | 26 + src/gsiqt/qt6/QtGui/gsiDeclQRgba64.cc | 16 +- src/gsiqt/qt6/QtGui/gsiDeclQScreen.cc | 6 +- .../qt6/QtGui/gsiDeclQSinglePointEvent.cc | 4 +- src/gsiqt/qt6/QtGui/gsiDeclQStandardItem.cc | 8 +- src/gsiqt/qt6/QtGui/gsiDeclQStyleHints.cc | 67 +- src/gsiqt/qt6/QtGui/gsiDeclQSurfaceFormat.cc | 6 +- .../qt6/QtGui/gsiDeclQTextBlockFormat.cc | 8 +- src/gsiqt/qt6/QtGui/gsiDeclQTextCharFormat.cc | 12 +- src/gsiqt/qt6/QtGui/gsiDeclQTextDocument.cc | 12 +- .../qt6/QtGui/gsiDeclQTextImageFormat.cc | 4 +- src/gsiqt/qt6/QtGui/gsiDeclQTextLayout.cc | 4 +- src/gsiqt/qt6/QtGui/gsiDeclQTextOption.cc | 4 +- .../qt6/QtGui/gsiDeclQTextTableCellFormat.cc | 48 +- .../qt6/QtGui/gsiDeclQTextTableFormat.cc | 4 +- src/gsiqt/qt6/QtGui/gsiDeclQTouchEvent.cc | 6 +- src/gsiqt/qt6/QtGui/gsiDeclQUndoCommand.cc | 4 +- src/gsiqt/qt6/QtGui/gsiDeclQUndoStack.cc | 10 +- src/gsiqt/qt6/QtGui/gsiDeclQWindow.cc | 51 +- .../qt6/QtMultimedia/gsiDeclQAudioDecoder.cc | 458 +++--- .../qt6/QtMultimedia/gsiDeclQAudioFormat.cc | 8 +- .../qt6/QtMultimedia/gsiDeclQAudioInput.cc | 194 ++- .../qt6/QtMultimedia/gsiDeclQAudioOutput.cc | 194 ++- .../qt6/QtMultimedia/gsiDeclQAudioSink.cc | 108 +- .../qt6/QtMultimedia/gsiDeclQAudioSource.cc | 108 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQCamera.cc | 1377 ++++++++++------- .../qt6/QtMultimedia/gsiDeclQImageCapture.cc | 631 ++++---- .../gsiDeclQMediaCaptureSession.cc | 315 ++-- .../qt6/QtMultimedia/gsiDeclQMediaDevices.cc | 182 ++- .../qt6/QtMultimedia/gsiDeclQMediaFormat.cc | 12 +- .../qt6/QtMultimedia/gsiDeclQMediaPlayer.cc | 909 ++++++----- .../qt6/QtMultimedia/gsiDeclQMediaRecorder.cc | 761 +++++---- .../qt6/QtMultimedia/gsiDeclQSoundEffect.cc | 408 +++-- .../qt6/QtMultimedia/gsiDeclQVideoFrame.cc | 4 +- .../QtMultimedia/gsiDeclQVideoFrameFormat.cc | 24 +- .../qt6/QtMultimedia/gsiDeclQVideoSink.cc | 196 ++- .../qt6/QtNetwork/gsiDeclQAbstractSocket.cc | 26 +- src/gsiqt/qt6/QtNetwork/gsiDeclQDtls.cc | 143 +- .../QtNetwork/gsiDeclQDtlsClientVerifier.cc | 53 + src/gsiqt/qt6/QtNetwork/gsiDeclQHstsPolicy.cc | 8 +- .../QtNetwork/gsiDeclQHttp2Configuration.cc | 8 +- .../qt6/QtNetwork/gsiDeclQLocalSocket.cc | 26 +- .../QtNetwork/gsiDeclQNetworkAccessManager.cc | 16 +- .../QtNetwork/gsiDeclQNetworkAddressEntry.cc | 4 +- .../qt6/QtNetwork/gsiDeclQNetworkCookie.cc | 4 +- .../qt6/QtNetwork/gsiDeclQNetworkDatagram.cc | 12 +- .../QtNetwork/gsiDeclQNetworkInformation.cc | 50 +- .../qt6/QtNetwork/gsiDeclQNetworkReply.cc | 22 +- .../qt6/QtNetwork/gsiDeclQNetworkRequest.cc | 20 +- .../qt6/QtNetwork/gsiDeclQSslConfiguration.cc | 32 +- src/gsiqt/qt6/QtNetwork/gsiDeclQSslSocket.cc | 97 +- src/gsiqt/qt6/QtNetwork/gsiDeclQTcpSocket.cc | 1 + src/gsiqt/qt6/QtNetwork/gsiDeclQUdpSocket.cc | 1 + .../gsiDeclQAbstractPrintDialog.cc | 227 +++ .../qt6/QtPrintSupport/gsiDeclQPrintDialog.cc | 291 +++- .../gsiDeclQPrintPreviewDialog.cc | 274 +++- .../gsiDeclQPrintPreviewWidget.cc | 243 ++- .../qt6/QtPrintSupport/gsiDeclQPrinter.cc | 4 +- src/gsiqt/qt6/QtSql/gsiDeclQSqlError.cc | 6 +- src/gsiqt/qt6/QtSql/gsiDeclQSqlField.cc | 8 +- src/gsiqt/qt6/QtSvg/gsiDeclQSvgRenderer.cc | 96 +- src/gsiqt/qt6/QtUiTools/gsiDeclQUiLoader.cc | 65 +- .../qt6/QtWidgets/gsiDeclQButtonGroup.cc | 194 +-- .../qt6/QtWidgets/gsiDeclQCalendarWidget.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQComboBox.cc | 98 +- .../qt6/QtWidgets/gsiDeclQDateTimeEdit.cc | 4 +- .../qt6/QtWidgets/gsiDeclQDoubleSpinBox.cc | 51 +- src/gsiqt/qt6/QtWidgets/gsiDeclQFileDialog.cc | 4 +- .../qt6/QtWidgets/gsiDeclQFontComboBox.cc | 52 + .../qt6/QtWidgets/gsiDeclQGraphicsScene.cc | 4 +- .../QtWidgets/gsiDeclQGraphicsSceneEvent.cc | 4 +- .../gsiDeclQGraphicsSceneWheelEvent.cc | 12 +- src/gsiqt/qt6/QtWidgets/gsiDeclQHeaderView.cc | 55 +- .../qt6/QtWidgets/gsiDeclQInputDialog.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQLabel.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQListView.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQListWidget.cc | 2 +- .../qt6/QtWidgets/gsiDeclQPlainTextEdit.cc | 4 +- src/gsiqt/qt6/QtWidgets/gsiDeclQSpinBox.cc | 51 +- .../qt6/QtWidgets/gsiDeclQTextBrowser.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTextEdit.cc | 6 +- src/gsiqt/qt6/QtWidgets/gsiDeclQWidget.cc | 8 +- .../qt6/QtWidgets/gsiDeclQWidgetAction.cc | 74 + 245 files changed, 20286 insertions(+), 8972 deletions(-) diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQCommandLineOption.cc b/src/gsiqt/qt5/QtCore/gsiDeclQCommandLineOption.cc index d3854caf7e..202e2bf4ef 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQCommandLineOption.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQCommandLineOption.cc @@ -410,15 +410,15 @@ static gsi::Methods methods_QCommandLineOption () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCommandLineOption::QCommandLineOption(const QCommandLineOption &other)\nThis method creates an object of class QCommandLineOption.", &_init_ctor_QCommandLineOption_3122, &_call_ctor_QCommandLineOption_3122); methods += new qt_gsi::GenericMethod (":defaultValues", "@brief Method QStringList QCommandLineOption::defaultValues()\n", true, &_init_f_defaultValues_c0, &_call_f_defaultValues_c0); methods += new qt_gsi::GenericMethod (":description", "@brief Method QString QCommandLineOption::description()\n", true, &_init_f_description_c0, &_call_f_description_c0); - methods += new qt_gsi::GenericMethod ("flags", "@brief Method QFlags QCommandLineOption::flags()\n", true, &_init_f_flags_c0, &_call_f_flags_c0); - methods += new qt_gsi::GenericMethod ("isHidden?", "@brief Method bool QCommandLineOption::isHidden()\n", true, &_init_f_isHidden_c0, &_call_f_isHidden_c0); + methods += new qt_gsi::GenericMethod (":flags", "@brief Method QFlags QCommandLineOption::flags()\n", true, &_init_f_flags_c0, &_call_f_flags_c0); + methods += new qt_gsi::GenericMethod ("isHidden?|:hidden", "@brief Method bool QCommandLineOption::isHidden()\n", true, &_init_f_isHidden_c0, &_call_f_isHidden_c0); methods += new qt_gsi::GenericMethod ("names", "@brief Method QStringList QCommandLineOption::names()\n", true, &_init_f_names_c0, &_call_f_names_c0); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QCommandLineOption &QCommandLineOption::operator=(const QCommandLineOption &other)\n", false, &_init_f_operator_eq__3122, &_call_f_operator_eq__3122); methods += new qt_gsi::GenericMethod ("setDefaultValue", "@brief Method void QCommandLineOption::setDefaultValue(const QString &defaultValue)\n", false, &_init_f_setDefaultValue_2025, &_call_f_setDefaultValue_2025); methods += new qt_gsi::GenericMethod ("setDefaultValues|defaultValues=", "@brief Method void QCommandLineOption::setDefaultValues(const QStringList &defaultValues)\n", false, &_init_f_setDefaultValues_2437, &_call_f_setDefaultValues_2437); methods += new qt_gsi::GenericMethod ("setDescription|description=", "@brief Method void QCommandLineOption::setDescription(const QString &description)\n", false, &_init_f_setDescription_2025, &_call_f_setDescription_2025); - methods += new qt_gsi::GenericMethod ("setFlags", "@brief Method void QCommandLineOption::setFlags(QFlags aflags)\n", false, &_init_f_setFlags_3435, &_call_f_setFlags_3435); - methods += new qt_gsi::GenericMethod ("setHidden", "@brief Method void QCommandLineOption::setHidden(bool hidden)\n", false, &_init_f_setHidden_864, &_call_f_setHidden_864); + methods += new qt_gsi::GenericMethod ("setFlags|flags=", "@brief Method void QCommandLineOption::setFlags(QFlags aflags)\n", false, &_init_f_setFlags_3435, &_call_f_setFlags_3435); + methods += new qt_gsi::GenericMethod ("setHidden|hidden=", "@brief Method void QCommandLineOption::setHidden(bool hidden)\n", false, &_init_f_setHidden_864, &_call_f_setHidden_864); methods += new qt_gsi::GenericMethod ("setValueName|valueName=", "@brief Method void QCommandLineOption::setValueName(const QString &name)\n", false, &_init_f_setValueName_2025, &_call_f_setValueName_2025); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QCommandLineOption::swap(QCommandLineOption &other)\n", false, &_init_f_swap_2427, &_call_f_swap_2427); methods += new qt_gsi::GenericMethod (":valueName", "@brief Method QString QCommandLineOption::valueName()\n", true, &_init_f_valueName_c0, &_call_f_valueName_c0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQDeadlineTimer.cc b/src/gsiqt/qt5/QtCore/gsiDeclQDeadlineTimer.cc index 6b99f51306..ef3baec08a 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQDeadlineTimer.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQDeadlineTimer.cc @@ -429,21 +429,21 @@ static gsi::Methods methods_QDeadlineTimer () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDeadlineTimer::QDeadlineTimer(Qt::TimerType type_)\nThis method creates an object of class QDeadlineTimer.", &_init_ctor_QDeadlineTimer_1680, &_call_ctor_QDeadlineTimer_1680); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDeadlineTimer::QDeadlineTimer(QDeadlineTimer::ForeverConstant, Qt::TimerType type_)\nThis method creates an object of class QDeadlineTimer.", &_init_ctor_QDeadlineTimer_5079, &_call_ctor_QDeadlineTimer_5079); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDeadlineTimer::QDeadlineTimer(qint64 msecs, Qt::TimerType type)\nThis method creates an object of class QDeadlineTimer.", &_init_ctor_QDeadlineTimer_2558, &_call_ctor_QDeadlineTimer_2558); - methods += new qt_gsi::GenericMethod ("deadline", "@brief Method qint64 QDeadlineTimer::deadline()\n", true, &_init_f_deadline_c0, &_call_f_deadline_c0); + methods += new qt_gsi::GenericMethod (":deadline", "@brief Method qint64 QDeadlineTimer::deadline()\n", true, &_init_f_deadline_c0, &_call_f_deadline_c0); methods += new qt_gsi::GenericMethod ("deadlineNSecs", "@brief Method qint64 QDeadlineTimer::deadlineNSecs()\n", true, &_init_f_deadlineNSecs_c0, &_call_f_deadlineNSecs_c0); methods += new qt_gsi::GenericMethod ("hasExpired", "@brief Method bool QDeadlineTimer::hasExpired()\n", true, &_init_f_hasExpired_c0, &_call_f_hasExpired_c0); methods += new qt_gsi::GenericMethod ("isForever?", "@brief Method bool QDeadlineTimer::isForever()\n", true, &_init_f_isForever_c0, &_call_f_isForever_c0); methods += new qt_gsi::GenericMethod ("+=", "@brief Method QDeadlineTimer &QDeadlineTimer::operator+=(qint64 msecs)\n", false, &_init_f_operator_plus__eq__986, &_call_f_operator_plus__eq__986); methods += new qt_gsi::GenericMethod ("-=", "@brief Method QDeadlineTimer &QDeadlineTimer::operator-=(qint64 msecs)\n", false, &_init_f_operator_minus__eq__986, &_call_f_operator_minus__eq__986); - methods += new qt_gsi::GenericMethod ("remainingTime", "@brief Method qint64 QDeadlineTimer::remainingTime()\n", true, &_init_f_remainingTime_c0, &_call_f_remainingTime_c0); + methods += new qt_gsi::GenericMethod (":remainingTime", "@brief Method qint64 QDeadlineTimer::remainingTime()\n", true, &_init_f_remainingTime_c0, &_call_f_remainingTime_c0); methods += new qt_gsi::GenericMethod ("remainingTimeNSecs", "@brief Method qint64 QDeadlineTimer::remainingTimeNSecs()\n", true, &_init_f_remainingTimeNSecs_c0, &_call_f_remainingTimeNSecs_c0); methods += new qt_gsi::GenericMethod ("setDeadline", "@brief Method void QDeadlineTimer::setDeadline(qint64 msecs, Qt::TimerType timerType)\n", false, &_init_f_setDeadline_2558, &_call_f_setDeadline_2558); methods += new qt_gsi::GenericMethod ("setPreciseDeadline", "@brief Method void QDeadlineTimer::setPreciseDeadline(qint64 secs, qint64 nsecs, Qt::TimerType type)\n", false, &_init_f_setPreciseDeadline_3436, &_call_f_setPreciseDeadline_3436); methods += new qt_gsi::GenericMethod ("setPreciseRemainingTime", "@brief Method void QDeadlineTimer::setPreciseRemainingTime(qint64 secs, qint64 nsecs, Qt::TimerType type)\n", false, &_init_f_setPreciseRemainingTime_3436, &_call_f_setPreciseRemainingTime_3436); methods += new qt_gsi::GenericMethod ("setRemainingTime", "@brief Method void QDeadlineTimer::setRemainingTime(qint64 msecs, Qt::TimerType type)\n", false, &_init_f_setRemainingTime_2558, &_call_f_setRemainingTime_2558); - methods += new qt_gsi::GenericMethod ("setTimerType", "@brief Method void QDeadlineTimer::setTimerType(Qt::TimerType type)\n", false, &_init_f_setTimerType_1680, &_call_f_setTimerType_1680); + methods += new qt_gsi::GenericMethod ("setTimerType|timerType=", "@brief Method void QDeadlineTimer::setTimerType(Qt::TimerType type)\n", false, &_init_f_setTimerType_1680, &_call_f_setTimerType_1680); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QDeadlineTimer::swap(QDeadlineTimer &other)\n", false, &_init_f_swap_2002, &_call_f_swap_2002); - methods += new qt_gsi::GenericMethod ("timerType", "@brief Method Qt::TimerType QDeadlineTimer::timerType()\n", true, &_init_f_timerType_c0, &_call_f_timerType_c0); + methods += new qt_gsi::GenericMethod (":timerType", "@brief Method Qt::TimerType QDeadlineTimer::timerType()\n", true, &_init_f_timerType_c0, &_call_f_timerType_c0); methods += new qt_gsi::GenericStaticMethod ("addNSecs", "@brief Static method QDeadlineTimer QDeadlineTimer::addNSecs(QDeadlineTimer dt, qint64 nsecs)\nThis method is static and can be called without an instance.", &_init_f_addNSecs_2698, &_call_f_addNSecs_2698); methods += new qt_gsi::GenericStaticMethod ("current", "@brief Static method QDeadlineTimer QDeadlineTimer::current(Qt::TimerType timerType)\nThis method is static and can be called without an instance.", &_init_f_current_1680, &_call_f_current_1680); return methods; diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQDebug.cc b/src/gsiqt/qt5/QtCore/gsiDeclQDebug.cc index d2fdf3dd04..a3d043c055 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQDebug.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQDebug.cc @@ -369,10 +369,10 @@ static gsi::Methods methods_QDebug () { methods += new qt_gsi::GenericMethod ("quote", "@brief Method QDebug &QDebug::quote()\n", false, &_init_f_quote_0, &_call_f_quote_0); methods += new qt_gsi::GenericMethod ("resetFormat", "@brief Method QDebug &QDebug::resetFormat()\n", false, &_init_f_resetFormat_0, &_call_f_resetFormat_0); methods += new qt_gsi::GenericMethod ("setAutoInsertSpaces|autoInsertSpaces=", "@brief Method void QDebug::setAutoInsertSpaces(bool b)\n", false, &_init_f_setAutoInsertSpaces_864, &_call_f_setAutoInsertSpaces_864); - methods += new qt_gsi::GenericMethod ("setVerbosity", "@brief Method void QDebug::setVerbosity(int verbosityLevel)\n", false, &_init_f_setVerbosity_767, &_call_f_setVerbosity_767); + methods += new qt_gsi::GenericMethod ("setVerbosity|verbosity=", "@brief Method void QDebug::setVerbosity(int verbosityLevel)\n", false, &_init_f_setVerbosity_767, &_call_f_setVerbosity_767); methods += new qt_gsi::GenericMethod ("space", "@brief Method QDebug &QDebug::space()\n", false, &_init_f_space_0, &_call_f_space_0); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QDebug::swap(QDebug &other)\n", false, &_init_f_swap_1186, &_call_f_swap_1186); - methods += new qt_gsi::GenericMethod ("verbosity", "@brief Method int QDebug::verbosity()\n", true, &_init_f_verbosity_c0, &_call_f_verbosity_c0); + methods += new qt_gsi::GenericMethod (":verbosity", "@brief Method int QDebug::verbosity()\n", true, &_init_f_verbosity_c0, &_call_f_verbosity_c0); return methods; } diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQHistoryState.cc b/src/gsiqt/qt5/QtCore/gsiDeclQHistoryState.cc index 7731fe08e2..2ed398f1c1 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQHistoryState.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQHistoryState.cc @@ -220,10 +220,10 @@ static gsi::Methods methods_QHistoryState () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":defaultState", "@brief Method QAbstractState *QHistoryState::defaultState()\n", true, &_init_f_defaultState_c0, &_call_f_defaultState_c0); - methods += new qt_gsi::GenericMethod ("defaultTransition", "@brief Method QAbstractTransition *QHistoryState::defaultTransition()\n", true, &_init_f_defaultTransition_c0, &_call_f_defaultTransition_c0); + methods += new qt_gsi::GenericMethod (":defaultTransition", "@brief Method QAbstractTransition *QHistoryState::defaultTransition()\n", true, &_init_f_defaultTransition_c0, &_call_f_defaultTransition_c0); methods += new qt_gsi::GenericMethod (":historyType", "@brief Method QHistoryState::HistoryType QHistoryState::historyType()\n", true, &_init_f_historyType_c0, &_call_f_historyType_c0); methods += new qt_gsi::GenericMethod ("setDefaultState|defaultState=", "@brief Method void QHistoryState::setDefaultState(QAbstractState *state)\n", false, &_init_f_setDefaultState_2036, &_call_f_setDefaultState_2036); - methods += new qt_gsi::GenericMethod ("setDefaultTransition", "@brief Method void QHistoryState::setDefaultTransition(QAbstractTransition *transition)\n", false, &_init_f_setDefaultTransition_2590, &_call_f_setDefaultTransition_2590); + methods += new qt_gsi::GenericMethod ("setDefaultTransition|defaultTransition=", "@brief Method void QHistoryState::setDefaultTransition(QAbstractTransition *transition)\n", false, &_init_f_setDefaultTransition_2590, &_call_f_setDefaultTransition_2590); methods += new qt_gsi::GenericMethod ("setHistoryType|historyType=", "@brief Method void QHistoryState::setHistoryType(QHistoryState::HistoryType type)\n", false, &_init_f_setHistoryType_3072, &_call_f_setHistoryType_3072); methods += gsi::qt_signal ("activeChanged(bool)", "activeChanged", gsi::arg("active"), "@brief Signal declaration for QHistoryState::activeChanged(bool active)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("defaultStateChanged()", "defaultStateChanged", "@brief Signal declaration for QHistoryState::defaultStateChanged()\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQIODevice.cc b/src/gsiqt/qt5/QtCore/gsiDeclQIODevice.cc index 7508c2145e..b61014e08d 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQIODevice.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQIODevice.cc @@ -771,8 +771,8 @@ static gsi::Methods methods_QIODevice () { methods += new qt_gsi::GenericMethod ("canReadLine", "@brief Method bool QIODevice::canReadLine()\n", true, &_init_f_canReadLine_c0, &_call_f_canReadLine_c0); methods += new qt_gsi::GenericMethod ("close", "@brief Method void QIODevice::close()\n", false, &_init_f_close_0, &_call_f_close_0); methods += new qt_gsi::GenericMethod ("commitTransaction", "@brief Method void QIODevice::commitTransaction()\n", false, &_init_f_commitTransaction_0, &_call_f_commitTransaction_0); - methods += new qt_gsi::GenericMethod ("currentReadChannel", "@brief Method int QIODevice::currentReadChannel()\n", true, &_init_f_currentReadChannel_c0, &_call_f_currentReadChannel_c0); - methods += new qt_gsi::GenericMethod ("currentWriteChannel", "@brief Method int QIODevice::currentWriteChannel()\n", true, &_init_f_currentWriteChannel_c0, &_call_f_currentWriteChannel_c0); + methods += new qt_gsi::GenericMethod (":currentReadChannel", "@brief Method int QIODevice::currentReadChannel()\n", true, &_init_f_currentReadChannel_c0, &_call_f_currentReadChannel_c0); + methods += new qt_gsi::GenericMethod (":currentWriteChannel", "@brief Method int QIODevice::currentWriteChannel()\n", true, &_init_f_currentWriteChannel_c0, &_call_f_currentWriteChannel_c0); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QIODevice::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); methods += new qt_gsi::GenericMethod ("isOpen?", "@brief Method bool QIODevice::isOpen()\n", true, &_init_f_isOpen_c0, &_call_f_isOpen_c0); methods += new qt_gsi::GenericMethod ("isReadable?", "@brief Method bool QIODevice::isReadable()\n", true, &_init_f_isReadable_c0, &_call_f_isReadable_c0); @@ -792,8 +792,8 @@ static gsi::Methods methods_QIODevice () { methods += new qt_gsi::GenericMethod ("reset", "@brief Method bool QIODevice::reset()\n", false, &_init_f_reset_0, &_call_f_reset_0); methods += new qt_gsi::GenericMethod ("rollbackTransaction", "@brief Method void QIODevice::rollbackTransaction()\n", false, &_init_f_rollbackTransaction_0, &_call_f_rollbackTransaction_0); methods += new qt_gsi::GenericMethod ("seek", "@brief Method bool QIODevice::seek(qint64 pos)\n", false, &_init_f_seek_986, &_call_f_seek_986); - methods += new qt_gsi::GenericMethod ("setCurrentReadChannel", "@brief Method void QIODevice::setCurrentReadChannel(int channel)\n", false, &_init_f_setCurrentReadChannel_767, &_call_f_setCurrentReadChannel_767); - methods += new qt_gsi::GenericMethod ("setCurrentWriteChannel", "@brief Method void QIODevice::setCurrentWriteChannel(int channel)\n", false, &_init_f_setCurrentWriteChannel_767, &_call_f_setCurrentWriteChannel_767); + methods += new qt_gsi::GenericMethod ("setCurrentReadChannel|currentReadChannel=", "@brief Method void QIODevice::setCurrentReadChannel(int channel)\n", false, &_init_f_setCurrentReadChannel_767, &_call_f_setCurrentReadChannel_767); + methods += new qt_gsi::GenericMethod ("setCurrentWriteChannel|currentWriteChannel=", "@brief Method void QIODevice::setCurrentWriteChannel(int channel)\n", false, &_init_f_setCurrentWriteChannel_767, &_call_f_setCurrentWriteChannel_767); methods += new qt_gsi::GenericMethod ("setTextModeEnabled|textModeEnabled=", "@brief Method void QIODevice::setTextModeEnabled(bool enabled)\n", false, &_init_f_setTextModeEnabled_864, &_call_f_setTextModeEnabled_864); methods += new qt_gsi::GenericMethod ("size", "@brief Method qint64 QIODevice::size()\n", true, &_init_f_size_c0, &_call_f_size_c0); methods += new qt_gsi::GenericMethod ("skip", "@brief Method qint64 QIODevice::skip(qint64 maxSize)\n", false, &_init_f_skip_986, &_call_f_skip_986); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSettings.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSettings.cc index cf33789ff3..d76e7d5636 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSettings.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSettings.cc @@ -691,13 +691,13 @@ static gsi::Methods methods_QSettings () { methods += new qt_gsi::GenericMethod ("fileName", "@brief Method QString QSettings::fileName()\n", true, &_init_f_fileName_c0, &_call_f_fileName_c0); methods += new qt_gsi::GenericMethod ("format", "@brief Method QSettings::Format QSettings::format()\n", true, &_init_f_format_c0, &_call_f_format_c0); methods += new qt_gsi::GenericMethod ("group", "@brief Method QString QSettings::group()\n", true, &_init_f_group_c0, &_call_f_group_c0); - methods += new qt_gsi::GenericMethod ("isAtomicSyncRequired?", "@brief Method bool QSettings::isAtomicSyncRequired()\n", true, &_init_f_isAtomicSyncRequired_c0, &_call_f_isAtomicSyncRequired_c0); + methods += new qt_gsi::GenericMethod ("isAtomicSyncRequired?|:atomicSyncRequired", "@brief Method bool QSettings::isAtomicSyncRequired()\n", true, &_init_f_isAtomicSyncRequired_c0, &_call_f_isAtomicSyncRequired_c0); methods += new qt_gsi::GenericMethod ("isWritable?", "@brief Method bool QSettings::isWritable()\n", true, &_init_f_isWritable_c0, &_call_f_isWritable_c0); methods += new qt_gsi::GenericMethod ("organizationName", "@brief Method QString QSettings::organizationName()\n", true, &_init_f_organizationName_c0, &_call_f_organizationName_c0); methods += new qt_gsi::GenericMethod ("remove", "@brief Method void QSettings::remove(const QString &key)\n", false, &_init_f_remove_2025, &_call_f_remove_2025); methods += new qt_gsi::GenericMethod ("scope", "@brief Method QSettings::Scope QSettings::scope()\n", true, &_init_f_scope_c0, &_call_f_scope_c0); methods += new qt_gsi::GenericMethod ("setArrayIndex", "@brief Method void QSettings::setArrayIndex(int i)\n", false, &_init_f_setArrayIndex_767, &_call_f_setArrayIndex_767); - methods += new qt_gsi::GenericMethod ("setAtomicSyncRequired", "@brief Method void QSettings::setAtomicSyncRequired(bool enable)\n", false, &_init_f_setAtomicSyncRequired_864, &_call_f_setAtomicSyncRequired_864); + methods += new qt_gsi::GenericMethod ("setAtomicSyncRequired|atomicSyncRequired=", "@brief Method void QSettings::setAtomicSyncRequired(bool enable)\n", false, &_init_f_setAtomicSyncRequired_864, &_call_f_setAtomicSyncRequired_864); methods += new qt_gsi::GenericMethod ("setFallbacksEnabled|fallbacksEnabled=", "@brief Method void QSettings::setFallbacksEnabled(bool b)\n", false, &_init_f_setFallbacksEnabled_864, &_call_f_setFallbacksEnabled_864); methods += new qt_gsi::GenericMethod ("setValue", "@brief Method void QSettings::setValue(const QString &key, const QVariant &value)\n", false, &_init_f_setValue_4036, &_call_f_setValue_4036); methods += new qt_gsi::GenericMethod ("status", "@brief Method QSettings::Status QSettings::status()\n", true, &_init_f_status_c0, &_call_f_status_c0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSortFilterProxyModel.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSortFilterProxyModel.cc index 6d3183f71c..2cd370b1bc 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSortFilterProxyModel.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSortFilterProxyModel.cc @@ -1289,7 +1289,7 @@ static gsi::Methods methods_QSortFilterProxyModel () { methods += new qt_gsi::GenericMethod (":filterCaseSensitivity", "@brief Method Qt::CaseSensitivity QSortFilterProxyModel::filterCaseSensitivity()\n", true, &_init_f_filterCaseSensitivity_c0, &_call_f_filterCaseSensitivity_c0); methods += new qt_gsi::GenericMethod (":filterKeyColumn", "@brief Method int QSortFilterProxyModel::filterKeyColumn()\n", true, &_init_f_filterKeyColumn_c0, &_call_f_filterKeyColumn_c0); methods += new qt_gsi::GenericMethod (":filterRegExp", "@brief Method QRegExp QSortFilterProxyModel::filterRegExp()\n", true, &_init_f_filterRegExp_c0, &_call_f_filterRegExp_c0); - methods += new qt_gsi::GenericMethod ("filterRegularExpression", "@brief Method QRegularExpression QSortFilterProxyModel::filterRegularExpression()\n", true, &_init_f_filterRegularExpression_c0, &_call_f_filterRegularExpression_c0); + methods += new qt_gsi::GenericMethod (":filterRegularExpression", "@brief Method QRegularExpression QSortFilterProxyModel::filterRegularExpression()\n", true, &_init_f_filterRegularExpression_c0, &_call_f_filterRegularExpression_c0); methods += new qt_gsi::GenericMethod (":filterRole", "@brief Method int QSortFilterProxyModel::filterRole()\n", true, &_init_f_filterRole_c0, &_call_f_filterRole_c0); methods += new qt_gsi::GenericMethod ("flags", "@brief Method QFlags QSortFilterProxyModel::flags(const QModelIndex &index)\nThis is a reimplementation of QAbstractProxyModel::flags", true, &_init_f_flags_c2395, &_call_f_flags_c2395); methods += new qt_gsi::GenericMethod ("hasChildren", "@brief Method bool QSortFilterProxyModel::hasChildren(const QModelIndex &parent)\nThis is a reimplementation of QAbstractProxyModel::hasChildren", true, &_init_f_hasChildren_c2395, &_call_f_hasChildren_c2395); @@ -1298,7 +1298,7 @@ static gsi::Methods methods_QSortFilterProxyModel () { methods += new qt_gsi::GenericMethod ("insertColumns", "@brief Method bool QSortFilterProxyModel::insertColumns(int column, int count, const QModelIndex &parent)\nThis is a reimplementation of QAbstractItemModel::insertColumns", false, &_init_f_insertColumns_3713, &_call_f_insertColumns_3713); methods += new qt_gsi::GenericMethod ("insertRows", "@brief Method bool QSortFilterProxyModel::insertRows(int row, int count, const QModelIndex &parent)\nThis is a reimplementation of QAbstractItemModel::insertRows", false, &_init_f_insertRows_3713, &_call_f_insertRows_3713); methods += new qt_gsi::GenericMethod ("invalidate", "@brief Method void QSortFilterProxyModel::invalidate()\n", false, &_init_f_invalidate_0, &_call_f_invalidate_0); - methods += new qt_gsi::GenericMethod ("isRecursiveFilteringEnabled?", "@brief Method bool QSortFilterProxyModel::isRecursiveFilteringEnabled()\n", true, &_init_f_isRecursiveFilteringEnabled_c0, &_call_f_isRecursiveFilteringEnabled_c0); + methods += new qt_gsi::GenericMethod ("isRecursiveFilteringEnabled?|:recursiveFilteringEnabled", "@brief Method bool QSortFilterProxyModel::isRecursiveFilteringEnabled()\n", true, &_init_f_isRecursiveFilteringEnabled_c0, &_call_f_isRecursiveFilteringEnabled_c0); methods += new qt_gsi::GenericMethod ("isSortLocaleAware?|:isSortLocaleAware", "@brief Method bool QSortFilterProxyModel::isSortLocaleAware()\n", true, &_init_f_isSortLocaleAware_c0, &_call_f_isSortLocaleAware_c0); methods += new qt_gsi::GenericMethod ("mapFromSource", "@brief Method QModelIndex QSortFilterProxyModel::mapFromSource(const QModelIndex &sourceIndex)\nThis is a reimplementation of QAbstractProxyModel::mapFromSource", true, &_init_f_mapFromSource_c2395, &_call_f_mapFromSource_c2395); methods += new qt_gsi::GenericMethod ("mapSelectionFromSource", "@brief Method QItemSelection QSortFilterProxyModel::mapSelectionFromSource(const QItemSelection &sourceSelection)\nThis is a reimplementation of QAbstractProxyModel::mapSelectionFromSource", true, &_init_f_mapSelectionFromSource_c2727, &_call_f_mapSelectionFromSource_c2727); @@ -1319,12 +1319,12 @@ static gsi::Methods methods_QSortFilterProxyModel () { methods += new qt_gsi::GenericMethod ("setFilterKeyColumn|filterKeyColumn=", "@brief Method void QSortFilterProxyModel::setFilterKeyColumn(int column)\n", false, &_init_f_setFilterKeyColumn_767, &_call_f_setFilterKeyColumn_767); methods += new qt_gsi::GenericMethod ("setFilterRegExp|filterRegExp=", "@brief Method void QSortFilterProxyModel::setFilterRegExp(const QString &pattern)\n", false, &_init_f_setFilterRegExp_2025, &_call_f_setFilterRegExp_2025); methods += new qt_gsi::GenericMethod ("setFilterRegExp|filterRegExp=", "@brief Method void QSortFilterProxyModel::setFilterRegExp(const QRegExp ®Exp)\n", false, &_init_f_setFilterRegExp_1981, &_call_f_setFilterRegExp_1981); - methods += new qt_gsi::GenericMethod ("setFilterRegularExpression", "@brief Method void QSortFilterProxyModel::setFilterRegularExpression(const QString &pattern)\n", false, &_init_f_setFilterRegularExpression_2025, &_call_f_setFilterRegularExpression_2025); - methods += new qt_gsi::GenericMethod ("setFilterRegularExpression", "@brief Method void QSortFilterProxyModel::setFilterRegularExpression(const QRegularExpression ®ularExpression)\n", false, &_init_f_setFilterRegularExpression_3188, &_call_f_setFilterRegularExpression_3188); + methods += new qt_gsi::GenericMethod ("setFilterRegularExpression|filterRegularExpression=", "@brief Method void QSortFilterProxyModel::setFilterRegularExpression(const QString &pattern)\n", false, &_init_f_setFilterRegularExpression_2025, &_call_f_setFilterRegularExpression_2025); + methods += new qt_gsi::GenericMethod ("setFilterRegularExpression|filterRegularExpression=", "@brief Method void QSortFilterProxyModel::setFilterRegularExpression(const QRegularExpression ®ularExpression)\n", false, &_init_f_setFilterRegularExpression_3188, &_call_f_setFilterRegularExpression_3188); methods += new qt_gsi::GenericMethod ("setFilterRole|filterRole=", "@brief Method void QSortFilterProxyModel::setFilterRole(int role)\n", false, &_init_f_setFilterRole_767, &_call_f_setFilterRole_767); methods += new qt_gsi::GenericMethod ("setFilterWildcard", "@brief Method void QSortFilterProxyModel::setFilterWildcard(const QString &pattern)\n", false, &_init_f_setFilterWildcard_2025, &_call_f_setFilterWildcard_2025); methods += new qt_gsi::GenericMethod ("setHeaderData", "@brief Method bool QSortFilterProxyModel::setHeaderData(int section, Qt::Orientation orientation, const QVariant &value, int role)\nThis is a reimplementation of QAbstractProxyModel::setHeaderData", false, &_init_f_setHeaderData_5242, &_call_f_setHeaderData_5242); - methods += new qt_gsi::GenericMethod ("setRecursiveFilteringEnabled", "@brief Method void QSortFilterProxyModel::setRecursiveFilteringEnabled(bool recursive)\n", false, &_init_f_setRecursiveFilteringEnabled_864, &_call_f_setRecursiveFilteringEnabled_864); + methods += new qt_gsi::GenericMethod ("setRecursiveFilteringEnabled|recursiveFilteringEnabled=", "@brief Method void QSortFilterProxyModel::setRecursiveFilteringEnabled(bool recursive)\n", false, &_init_f_setRecursiveFilteringEnabled_864, &_call_f_setRecursiveFilteringEnabled_864); methods += new qt_gsi::GenericMethod ("setSortCaseSensitivity|sortCaseSensitivity=", "@brief Method void QSortFilterProxyModel::setSortCaseSensitivity(Qt::CaseSensitivity cs)\n", false, &_init_f_setSortCaseSensitivity_2324, &_call_f_setSortCaseSensitivity_2324); methods += new qt_gsi::GenericMethod ("setSortLocaleAware", "@brief Method void QSortFilterProxyModel::setSortLocaleAware(bool on)\n", false, &_init_f_setSortLocaleAware_864, &_call_f_setSortLocaleAware_864); methods += new qt_gsi::GenericMethod ("setSortRole|sortRole=", "@brief Method void QSortFilterProxyModel::setSortRole(int role)\n", false, &_init_f_setSortRole_767, &_call_f_setSortRole_767); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQThreadPool.cc b/src/gsiqt/qt5/QtCore/gsiDeclQThreadPool.cc index 4781f6a072..4c4ae9c038 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQThreadPool.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQThreadPool.cc @@ -403,8 +403,8 @@ static gsi::Methods methods_QThreadPool () { methods += new qt_gsi::GenericMethod ("reserveThread", "@brief Method void QThreadPool::reserveThread()\n", false, &_init_f_reserveThread_0, &_call_f_reserveThread_0); methods += new qt_gsi::GenericMethod ("setExpiryTimeout|expiryTimeout=", "@brief Method void QThreadPool::setExpiryTimeout(int expiryTimeout)\n", false, &_init_f_setExpiryTimeout_767, &_call_f_setExpiryTimeout_767); methods += new qt_gsi::GenericMethod ("setMaxThreadCount|maxThreadCount=", "@brief Method void QThreadPool::setMaxThreadCount(int maxThreadCount)\n", false, &_init_f_setMaxThreadCount_767, &_call_f_setMaxThreadCount_767); - methods += new qt_gsi::GenericMethod ("setStackSize", "@brief Method void QThreadPool::setStackSize(unsigned int stackSize)\n", false, &_init_f_setStackSize_1772, &_call_f_setStackSize_1772); - methods += new qt_gsi::GenericMethod ("stackSize", "@brief Method unsigned int QThreadPool::stackSize()\n", true, &_init_f_stackSize_c0, &_call_f_stackSize_c0); + methods += new qt_gsi::GenericMethod ("setStackSize|stackSize=", "@brief Method void QThreadPool::setStackSize(unsigned int stackSize)\n", false, &_init_f_setStackSize_1772, &_call_f_setStackSize_1772); + methods += new qt_gsi::GenericMethod (":stackSize", "@brief Method unsigned int QThreadPool::stackSize()\n", true, &_init_f_stackSize_c0, &_call_f_stackSize_c0); methods += new qt_gsi::GenericMethod ("start", "@brief Method void QThreadPool::start(QRunnable *runnable, int priority)\n", false, &_init_f_start_2185, &_call_f_start_2185); methods += new qt_gsi::GenericMethod ("tryStart", "@brief Method bool QThreadPool::tryStart(QRunnable *runnable)\n", false, &_init_f_tryStart_1526, &_call_f_tryStart_1526); methods += new qt_gsi::GenericMethod ("tryTake", "@brief Method bool QThreadPool::tryTake(QRunnable *runnable)\n", false, &_init_f_tryTake_1526, &_call_f_tryTake_1526); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQColor.cc b/src/gsiqt/qt5/QtGui/gsiDeclQColor.cc index bf1217dbec..50230b743c 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQColor.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQColor.cc @@ -2199,7 +2199,7 @@ static gsi::Methods methods_QColor () { methods += new qt_gsi::GenericMethod (":redF", "@brief Method double QColor::redF()\n", true, &_init_f_redF_c0, &_call_f_redF_c0); methods += new qt_gsi::GenericMethod (":rgb", "@brief Method unsigned int QColor::rgb()\n", true, &_init_f_rgb_c0, &_call_f_rgb_c0); methods += new qt_gsi::GenericMethod (":rgba", "@brief Method unsigned int QColor::rgba()\n", true, &_init_f_rgba_c0, &_call_f_rgba_c0); - methods += new qt_gsi::GenericMethod ("rgba64", "@brief Method QRgba64 QColor::rgba64()\n", true, &_init_f_rgba64_c0, &_call_f_rgba64_c0); + methods += new qt_gsi::GenericMethod (":rgba64", "@brief Method QRgba64 QColor::rgba64()\n", true, &_init_f_rgba64_c0, &_call_f_rgba64_c0); methods += new qt_gsi::GenericMethod ("saturation", "@brief Method int QColor::saturation()\n", true, &_init_f_saturation_c0, &_call_f_saturation_c0); methods += new qt_gsi::GenericMethod ("saturationF", "@brief Method double QColor::saturationF()\n", true, &_init_f_saturationF_c0, &_call_f_saturationF_c0); methods += new qt_gsi::GenericMethod ("setAlpha|alpha=", "@brief Method void QColor::setAlpha(int alpha)\n", false, &_init_f_setAlpha_767, &_call_f_setAlpha_767); @@ -2222,7 +2222,7 @@ static gsi::Methods methods_QColor () { methods += new qt_gsi::GenericMethod ("setRgb|rgb=", "@brief Method void QColor::setRgb(unsigned int rgb)\n", false, &_init_f_setRgb_1772, &_call_f_setRgb_1772); methods += new qt_gsi::GenericMethod ("setRgbF", "@brief Method void QColor::setRgbF(double r, double g, double b, double a)\n", false, &_init_f_setRgbF_3960, &_call_f_setRgbF_3960); methods += new qt_gsi::GenericMethod ("setRgba|rgba=", "@brief Method void QColor::setRgba(unsigned int rgba)\n", false, &_init_f_setRgba_1772, &_call_f_setRgba_1772); - methods += new qt_gsi::GenericMethod ("setRgba64", "@brief Method void QColor::setRgba64(QRgba64 rgba)\n", false, &_init_f_setRgba64_1003, &_call_f_setRgba64_1003); + methods += new qt_gsi::GenericMethod ("setRgba64|rgba64=", "@brief Method void QColor::setRgba64(QRgba64 rgba)\n", false, &_init_f_setRgba64_1003, &_call_f_setRgba64_1003); methods += new qt_gsi::GenericMethod ("spec", "@brief Method QColor::Spec QColor::spec()\n", true, &_init_f_spec_c0, &_call_f_spec_c0); methods += new qt_gsi::GenericMethod ("toCmyk", "@brief Method QColor QColor::toCmyk()\n", true, &_init_f_toCmyk_c0, &_call_f_toCmyk_c0); methods += new qt_gsi::GenericMethod ("toHsl", "@brief Method QColor QColor::toHsl()\n", true, &_init_f_toHsl_c0, &_call_f_toHsl_c0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQGuiApplication.cc b/src/gsiqt/qt5/QtGui/gsiDeclQGuiApplication.cc index fa2698b908..50a0c25350 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQGuiApplication.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQGuiApplication.cc @@ -927,14 +927,14 @@ static gsi::Methods methods_QGuiApplication () { methods += new qt_gsi::GenericStaticMethod ("applicationState", "@brief Static method Qt::ApplicationState QGuiApplication::applicationState()\nThis method is static and can be called without an instance.", &_init_f_applicationState_0, &_call_f_applicationState_0); methods += new qt_gsi::GenericStaticMethod ("changeOverrideCursor", "@brief Static method void QGuiApplication::changeOverrideCursor(const QCursor &)\nThis method is static and can be called without an instance.", &_init_f_changeOverrideCursor_2032, &_call_f_changeOverrideCursor_2032); methods += new qt_gsi::GenericStaticMethod ("clipboard", "@brief Static method QClipboard *QGuiApplication::clipboard()\nThis method is static and can be called without an instance.", &_init_f_clipboard_0, &_call_f_clipboard_0); - methods += new qt_gsi::GenericStaticMethod ("desktopFileName", "@brief Static method QString QGuiApplication::desktopFileName()\nThis method is static and can be called without an instance.", &_init_f_desktopFileName_0, &_call_f_desktopFileName_0); + methods += new qt_gsi::GenericStaticMethod (":desktopFileName", "@brief Static method QString QGuiApplication::desktopFileName()\nThis method is static and can be called without an instance.", &_init_f_desktopFileName_0, &_call_f_desktopFileName_0); methods += new qt_gsi::GenericStaticMethod (":desktopSettingsAware", "@brief Static method bool QGuiApplication::desktopSettingsAware()\nThis method is static and can be called without an instance.", &_init_f_desktopSettingsAware_0, &_call_f_desktopSettingsAware_0); methods += new qt_gsi::GenericStaticMethod ("exec", "@brief Static method int QGuiApplication::exec()\nThis method is static and can be called without an instance.", &_init_f_exec_0, &_call_f_exec_0); methods += new qt_gsi::GenericStaticMethod ("focusObject", "@brief Static method QObject *QGuiApplication::focusObject()\nThis method is static and can be called without an instance.", &_init_f_focusObject_0, &_call_f_focusObject_0); methods += new qt_gsi::GenericStaticMethod ("focusWindow", "@brief Static method QWindow *QGuiApplication::focusWindow()\nThis method is static and can be called without an instance.", &_init_f_focusWindow_0, &_call_f_focusWindow_0); methods += new qt_gsi::GenericStaticMethod (":font", "@brief Static method QFont QGuiApplication::font()\nThis method is static and can be called without an instance.", &_init_f_font_0, &_call_f_font_0); methods += new qt_gsi::GenericStaticMethod ("inputMethod", "@brief Static method QInputMethod *QGuiApplication::inputMethod()\nThis method is static and can be called without an instance.", &_init_f_inputMethod_0, &_call_f_inputMethod_0); - methods += new qt_gsi::GenericStaticMethod ("isFallbackSessionManagementEnabled?", "@brief Static method bool QGuiApplication::isFallbackSessionManagementEnabled()\nThis method is static and can be called without an instance.", &_init_f_isFallbackSessionManagementEnabled_0, &_call_f_isFallbackSessionManagementEnabled_0); + methods += new qt_gsi::GenericStaticMethod ("isFallbackSessionManagementEnabled?|:fallbackSessionManagementEnabled", "@brief Static method bool QGuiApplication::isFallbackSessionManagementEnabled()\nThis method is static and can be called without an instance.", &_init_f_isFallbackSessionManagementEnabled_0, &_call_f_isFallbackSessionManagementEnabled_0); methods += new qt_gsi::GenericStaticMethod ("isLeftToRight?", "@brief Static method bool QGuiApplication::isLeftToRight()\nThis method is static and can be called without an instance.", &_init_f_isLeftToRight_0, &_call_f_isLeftToRight_0); methods += new qt_gsi::GenericStaticMethod ("isRightToLeft?", "@brief Static method bool QGuiApplication::isRightToLeft()\nThis method is static and can be called without an instance.", &_init_f_isRightToLeft_0, &_call_f_isRightToLeft_0); methods += new qt_gsi::GenericStaticMethod ("keyboardModifiers", "@brief Static method QFlags QGuiApplication::keyboardModifiers()\nThis method is static and can be called without an instance.", &_init_f_keyboardModifiers_0, &_call_f_keyboardModifiers_0); @@ -944,16 +944,16 @@ static gsi::Methods methods_QGuiApplication () { methods += new qt_gsi::GenericStaticMethod ("overrideCursor", "@brief Static method QCursor *QGuiApplication::overrideCursor()\nThis method is static and can be called without an instance.", &_init_f_overrideCursor_0, &_call_f_overrideCursor_0); methods += new qt_gsi::GenericStaticMethod (":palette", "@brief Static method QPalette QGuiApplication::palette()\nThis method is static and can be called without an instance.", &_init_f_palette_0, &_call_f_palette_0); methods += new qt_gsi::GenericStaticMethod (":platformName", "@brief Static method QString QGuiApplication::platformName()\nThis method is static and can be called without an instance.", &_init_f_platformName_0, &_call_f_platformName_0); - methods += new qt_gsi::GenericStaticMethod ("primaryScreen", "@brief Static method QScreen *QGuiApplication::primaryScreen()\nThis method is static and can be called without an instance.", &_init_f_primaryScreen_0, &_call_f_primaryScreen_0); + methods += new qt_gsi::GenericStaticMethod (":primaryScreen", "@brief Static method QScreen *QGuiApplication::primaryScreen()\nThis method is static and can be called without an instance.", &_init_f_primaryScreen_0, &_call_f_primaryScreen_0); methods += new qt_gsi::GenericStaticMethod ("queryKeyboardModifiers", "@brief Static method QFlags QGuiApplication::queryKeyboardModifiers()\nThis method is static and can be called without an instance.", &_init_f_queryKeyboardModifiers_0, &_call_f_queryKeyboardModifiers_0); methods += new qt_gsi::GenericStaticMethod (":quitOnLastWindowClosed", "@brief Static method bool QGuiApplication::quitOnLastWindowClosed()\nThis method is static and can be called without an instance.", &_init_f_quitOnLastWindowClosed_0, &_call_f_quitOnLastWindowClosed_0); methods += new qt_gsi::GenericStaticMethod ("restoreOverrideCursor", "@brief Static method void QGuiApplication::restoreOverrideCursor()\nThis method is static and can be called without an instance.", &_init_f_restoreOverrideCursor_0, &_call_f_restoreOverrideCursor_0); methods += new qt_gsi::GenericStaticMethod ("screenAt", "@brief Static method QScreen *QGuiApplication::screenAt(const QPoint &point)\nThis method is static and can be called without an instance.", &_init_f_screenAt_1916, &_call_f_screenAt_1916); methods += new qt_gsi::GenericStaticMethod ("screens", "@brief Static method QList QGuiApplication::screens()\nThis method is static and can be called without an instance.", &_init_f_screens_0, &_call_f_screens_0); methods += new qt_gsi::GenericStaticMethod ("setApplicationDisplayName|applicationDisplayName=", "@brief Static method void QGuiApplication::setApplicationDisplayName(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_setApplicationDisplayName_2025, &_call_f_setApplicationDisplayName_2025); - methods += new qt_gsi::GenericStaticMethod ("setDesktopFileName", "@brief Static method void QGuiApplication::setDesktopFileName(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_setDesktopFileName_2025, &_call_f_setDesktopFileName_2025); + methods += new qt_gsi::GenericStaticMethod ("setDesktopFileName|desktopFileName=", "@brief Static method void QGuiApplication::setDesktopFileName(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_setDesktopFileName_2025, &_call_f_setDesktopFileName_2025); methods += new qt_gsi::GenericStaticMethod ("setDesktopSettingsAware|desktopSettingsAware=", "@brief Static method void QGuiApplication::setDesktopSettingsAware(bool on)\nThis method is static and can be called without an instance.", &_init_f_setDesktopSettingsAware_864, &_call_f_setDesktopSettingsAware_864); - methods += new qt_gsi::GenericStaticMethod ("setFallbackSessionManagementEnabled", "@brief Static method void QGuiApplication::setFallbackSessionManagementEnabled(bool)\nThis method is static and can be called without an instance.", &_init_f_setFallbackSessionManagementEnabled_864, &_call_f_setFallbackSessionManagementEnabled_864); + methods += new qt_gsi::GenericStaticMethod ("setFallbackSessionManagementEnabled|fallbackSessionManagementEnabled=", "@brief Static method void QGuiApplication::setFallbackSessionManagementEnabled(bool)\nThis method is static and can be called without an instance.", &_init_f_setFallbackSessionManagementEnabled_864, &_call_f_setFallbackSessionManagementEnabled_864); methods += new qt_gsi::GenericStaticMethod ("setFont|font=", "@brief Static method void QGuiApplication::setFont(const QFont &)\nThis method is static and can be called without an instance.", &_init_f_setFont_1801, &_call_f_setFont_1801); methods += new qt_gsi::GenericStaticMethod ("setLayoutDirection|layoutDirection=", "@brief Static method void QGuiApplication::setLayoutDirection(Qt::LayoutDirection direction)\nThis method is static and can be called without an instance.", &_init_f_setLayoutDirection_2316, &_call_f_setLayoutDirection_2316); methods += new qt_gsi::GenericStaticMethod ("setOverrideCursor", "@brief Static method void QGuiApplication::setOverrideCursor(const QCursor &)\nThis method is static and can be called without an instance.", &_init_f_setOverrideCursor_2032, &_call_f_setOverrideCursor_2032); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQIcon.cc b/src/gsiqt/qt5/QtGui/gsiDeclQIcon.cc index 0e280cd7c2..705254a2e0 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQIcon.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQIcon.cc @@ -822,13 +822,13 @@ static gsi::Methods methods_QIcon () { methods += new qt_gsi::GenericMethod ("pixmap", "@brief Method QPixmap QIcon::pixmap(QWindow *window, const QSize &size, QIcon::Mode mode, QIcon::State state)\n", true, &_init_f_pixmap_c5770, &_call_f_pixmap_c5770); methods += new qt_gsi::GenericMethod ("setIsMask", "@brief Method void QIcon::setIsMask(bool isMask)\n", false, &_init_f_setIsMask_864, &_call_f_setIsMask_864); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QIcon::swap(QIcon &other)\n", false, &_init_f_swap_1092, &_call_f_swap_1092); - methods += new qt_gsi::GenericStaticMethod ("fallbackSearchPaths", "@brief Static method QStringList QIcon::fallbackSearchPaths()\nThis method is static and can be called without an instance.", &_init_f_fallbackSearchPaths_0, &_call_f_fallbackSearchPaths_0); - methods += new qt_gsi::GenericStaticMethod ("fallbackThemeName", "@brief Static method QString QIcon::fallbackThemeName()\nThis method is static and can be called without an instance.", &_init_f_fallbackThemeName_0, &_call_f_fallbackThemeName_0); + methods += new qt_gsi::GenericStaticMethod (":fallbackSearchPaths", "@brief Static method QStringList QIcon::fallbackSearchPaths()\nThis method is static and can be called without an instance.", &_init_f_fallbackSearchPaths_0, &_call_f_fallbackSearchPaths_0); + methods += new qt_gsi::GenericStaticMethod (":fallbackThemeName", "@brief Static method QString QIcon::fallbackThemeName()\nThis method is static and can be called without an instance.", &_init_f_fallbackThemeName_0, &_call_f_fallbackThemeName_0); methods += new qt_gsi::GenericStaticMethod ("fromTheme", "@brief Static method QIcon QIcon::fromTheme(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_fromTheme_2025, &_call_f_fromTheme_2025); methods += new qt_gsi::GenericStaticMethod ("fromTheme", "@brief Static method QIcon QIcon::fromTheme(const QString &name, const QIcon &fallback)\nThis method is static and can be called without an instance.", &_init_f_fromTheme_3704, &_call_f_fromTheme_3704); methods += new qt_gsi::GenericStaticMethod ("hasThemeIcon", "@brief Static method bool QIcon::hasThemeIcon(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_hasThemeIcon_2025, &_call_f_hasThemeIcon_2025); - methods += new qt_gsi::GenericStaticMethod ("setFallbackSearchPaths", "@brief Static method void QIcon::setFallbackSearchPaths(const QStringList &paths)\nThis method is static and can be called without an instance.", &_init_f_setFallbackSearchPaths_2437, &_call_f_setFallbackSearchPaths_2437); - methods += new qt_gsi::GenericStaticMethod ("setFallbackThemeName", "@brief Static method void QIcon::setFallbackThemeName(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_setFallbackThemeName_2025, &_call_f_setFallbackThemeName_2025); + methods += new qt_gsi::GenericStaticMethod ("setFallbackSearchPaths|fallbackSearchPaths=", "@brief Static method void QIcon::setFallbackSearchPaths(const QStringList &paths)\nThis method is static and can be called without an instance.", &_init_f_setFallbackSearchPaths_2437, &_call_f_setFallbackSearchPaths_2437); + methods += new qt_gsi::GenericStaticMethod ("setFallbackThemeName|fallbackThemeName=", "@brief Static method void QIcon::setFallbackThemeName(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_setFallbackThemeName_2025, &_call_f_setFallbackThemeName_2025); methods += new qt_gsi::GenericStaticMethod ("setThemeName|themeName=", "@brief Static method void QIcon::setThemeName(const QString &path)\nThis method is static and can be called without an instance.", &_init_f_setThemeName_2025, &_call_f_setThemeName_2025); methods += new qt_gsi::GenericStaticMethod ("setThemeSearchPaths|themeSearchPaths=", "@brief Static method void QIcon::setThemeSearchPaths(const QStringList &searchpath)\nThis method is static and can be called without an instance.", &_init_f_setThemeSearchPaths_2437, &_call_f_setThemeSearchPaths_2437); methods += new qt_gsi::GenericStaticMethod (":themeName", "@brief Static method QString QIcon::themeName()\nThis method is static and can be called without an instance.", &_init_f_themeName_0, &_call_f_themeName_0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQImageReader.cc b/src/gsiqt/qt5/QtGui/gsiDeclQImageReader.cc index edbbaa7969..4a93fef4d6 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQImageReader.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQImageReader.cc @@ -1009,7 +1009,7 @@ static gsi::Methods methods_QImageReader () { methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QImageReader::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); methods += new qt_gsi::GenericMethod (":fileName", "@brief Method QString QImageReader::fileName()\n", true, &_init_f_fileName_c0, &_call_f_fileName_c0); methods += new qt_gsi::GenericMethod (":format", "@brief Method QByteArray QImageReader::format()\n", true, &_init_f_format_c0, &_call_f_format_c0); - methods += new qt_gsi::GenericMethod ("gamma", "@brief Method float QImageReader::gamma()\n", true, &_init_f_gamma_c0, &_call_f_gamma_c0); + methods += new qt_gsi::GenericMethod (":gamma", "@brief Method float QImageReader::gamma()\n", true, &_init_f_gamma_c0, &_call_f_gamma_c0); methods += new qt_gsi::GenericMethod ("imageCount", "@brief Method int QImageReader::imageCount()\n", true, &_init_f_imageCount_c0, &_call_f_imageCount_c0); methods += new qt_gsi::GenericMethod ("imageFormat", "@brief Method QImage::Format QImageReader::imageFormat()\n", true, &_init_f_imageFormat_c0, &_call_f_imageFormat_c0); methods += new qt_gsi::GenericMethod ("jumpToImage", "@brief Method bool QImageReader::jumpToImage(int imageNumber)\n", false, &_init_f_jumpToImage_767, &_call_f_jumpToImage_767); @@ -1029,7 +1029,7 @@ static gsi::Methods methods_QImageReader () { methods += new qt_gsi::GenericMethod ("setDevice|device=", "@brief Method void QImageReader::setDevice(QIODevice *device)\n", false, &_init_f_setDevice_1447, &_call_f_setDevice_1447); methods += new qt_gsi::GenericMethod ("setFileName|fileName=", "@brief Method void QImageReader::setFileName(const QString &fileName)\n", false, &_init_f_setFileName_2025, &_call_f_setFileName_2025); methods += new qt_gsi::GenericMethod ("setFormat|format=", "@brief Method void QImageReader::setFormat(const QByteArray &format)\n", false, &_init_f_setFormat_2309, &_call_f_setFormat_2309); - methods += new qt_gsi::GenericMethod ("setGamma", "@brief Method void QImageReader::setGamma(float gamma)\n", false, &_init_f_setGamma_970, &_call_f_setGamma_970); + methods += new qt_gsi::GenericMethod ("setGamma|gamma=", "@brief Method void QImageReader::setGamma(float gamma)\n", false, &_init_f_setGamma_970, &_call_f_setGamma_970); methods += new qt_gsi::GenericMethod ("setQuality|quality=", "@brief Method void QImageReader::setQuality(int quality)\n", false, &_init_f_setQuality_767, &_call_f_setQuality_767); methods += new qt_gsi::GenericMethod ("setScaledClipRect|scaledClipRect=", "@brief Method void QImageReader::setScaledClipRect(const QRect &rect)\n", false, &_init_f_setScaledClipRect_1792, &_call_f_setScaledClipRect_1792); methods += new qt_gsi::GenericMethod ("setScaledSize|scaledSize=", "@brief Method void QImageReader::setScaledSize(const QSize &size)\n", false, &_init_f_setScaledSize_1805, &_call_f_setScaledSize_1805); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQInputMethod.cc b/src/gsiqt/qt5/QtGui/gsiDeclQInputMethod.cc index b0a3033bbe..f2772e0502 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQInputMethod.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQInputMethod.cc @@ -451,12 +451,12 @@ namespace gsi static gsi::Methods methods_QInputMethod () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("anchorRectangle", "@brief Method QRectF QInputMethod::anchorRectangle()\n", true, &_init_f_anchorRectangle_c0, &_call_f_anchorRectangle_c0); + methods += new qt_gsi::GenericMethod (":anchorRectangle", "@brief Method QRectF QInputMethod::anchorRectangle()\n", true, &_init_f_anchorRectangle_c0, &_call_f_anchorRectangle_c0); methods += new qt_gsi::GenericMethod ("commit", "@brief Method void QInputMethod::commit()\n", false, &_init_f_commit_0, &_call_f_commit_0); methods += new qt_gsi::GenericMethod (":cursorRectangle", "@brief Method QRectF QInputMethod::cursorRectangle()\n", true, &_init_f_cursorRectangle_c0, &_call_f_cursorRectangle_c0); methods += new qt_gsi::GenericMethod ("hide", "@brief Method void QInputMethod::hide()\n", false, &_init_f_hide_0, &_call_f_hide_0); methods += new qt_gsi::GenericMethod (":inputDirection", "@brief Method Qt::LayoutDirection QInputMethod::inputDirection()\n", true, &_init_f_inputDirection_c0, &_call_f_inputDirection_c0); - methods += new qt_gsi::GenericMethod ("inputItemClipRectangle", "@brief Method QRectF QInputMethod::inputItemClipRectangle()\n", true, &_init_f_inputItemClipRectangle_c0, &_call_f_inputItemClipRectangle_c0); + methods += new qt_gsi::GenericMethod (":inputItemClipRectangle", "@brief Method QRectF QInputMethod::inputItemClipRectangle()\n", true, &_init_f_inputItemClipRectangle_c0, &_call_f_inputItemClipRectangle_c0); methods += new qt_gsi::GenericMethod (":inputItemRectangle", "@brief Method QRectF QInputMethod::inputItemRectangle()\n", true, &_init_f_inputItemRectangle_c0, &_call_f_inputItemRectangle_c0); methods += new qt_gsi::GenericMethod (":inputItemTransform", "@brief Method QTransform QInputMethod::inputItemTransform()\n", true, &_init_f_inputItemTransform_c0, &_call_f_inputItemTransform_c0); methods += new qt_gsi::GenericMethod ("invokeAction", "@brief Method void QInputMethod::invokeAction(QInputMethod::Action a, int cursorPosition)\n", false, &_init_f_invokeAction_3035, &_call_f_invokeAction_3035); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQMouseEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQMouseEvent.cc index 10baa0b55b..967fd54251 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQMouseEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQMouseEvent.cc @@ -264,10 +264,10 @@ static gsi::Methods methods_QMouseEvent () { methods += new qt_gsi::GenericMethod ("globalPos", "@brief Method QPoint QMouseEvent::globalPos()\n", true, &_init_f_globalPos_c0, &_call_f_globalPos_c0); methods += new qt_gsi::GenericMethod ("globalX", "@brief Method int QMouseEvent::globalX()\n", true, &_init_f_globalX_c0, &_call_f_globalX_c0); methods += new qt_gsi::GenericMethod ("globalY", "@brief Method int QMouseEvent::globalY()\n", true, &_init_f_globalY_c0, &_call_f_globalY_c0); - methods += new qt_gsi::GenericMethod ("localPos", "@brief Method const QPointF &QMouseEvent::localPos()\n", true, &_init_f_localPos_c0, &_call_f_localPos_c0); + methods += new qt_gsi::GenericMethod (":localPos", "@brief Method const QPointF &QMouseEvent::localPos()\n", true, &_init_f_localPos_c0, &_call_f_localPos_c0); methods += new qt_gsi::GenericMethod ("pos", "@brief Method QPoint QMouseEvent::pos()\n", true, &_init_f_pos_c0, &_call_f_pos_c0); methods += new qt_gsi::GenericMethod ("screenPos", "@brief Method const QPointF &QMouseEvent::screenPos()\n", true, &_init_f_screenPos_c0, &_call_f_screenPos_c0); - methods += new qt_gsi::GenericMethod ("setLocalPos", "@brief Method void QMouseEvent::setLocalPos(const QPointF &localPosition)\n", false, &_init_f_setLocalPos_1986, &_call_f_setLocalPos_1986); + methods += new qt_gsi::GenericMethod ("setLocalPos|localPos=", "@brief Method void QMouseEvent::setLocalPos(const QPointF &localPosition)\n", false, &_init_f_setLocalPos_1986, &_call_f_setLocalPos_1986); methods += new qt_gsi::GenericMethod ("source", "@brief Method Qt::MouseEventSource QMouseEvent::source()\n", true, &_init_f_source_c0, &_call_f_source_c0); methods += new qt_gsi::GenericMethod ("windowPos", "@brief Method const QPointF &QMouseEvent::windowPos()\n", true, &_init_f_windowPos_c0, &_call_f_windowPos_c0); methods += new qt_gsi::GenericMethod ("x", "@brief Method int QMouseEvent::x()\n", true, &_init_f_x_c0, &_call_f_x_c0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQOffscreenSurface.cc b/src/gsiqt/qt5/QtGui/gsiDeclQOffscreenSurface.cc index 4b77d895d2..27795567ed 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQOffscreenSurface.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQOffscreenSurface.cc @@ -351,11 +351,11 @@ static gsi::Methods methods_QOffscreenSurface () { methods += new qt_gsi::GenericMethod ("destroy|qt_destroy", "@brief Method void QOffscreenSurface::destroy()\n", false, &_init_f_destroy_0, &_call_f_destroy_0); methods += new qt_gsi::GenericMethod (":format", "@brief Method QSurfaceFormat QOffscreenSurface::format()\nThis is a reimplementation of QSurface::format", true, &_init_f_format_c0, &_call_f_format_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QOffscreenSurface::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); - methods += new qt_gsi::GenericMethod ("nativeHandle", "@brief Method void *QOffscreenSurface::nativeHandle()\n", true, &_init_f_nativeHandle_c0, &_call_f_nativeHandle_c0); + methods += new qt_gsi::GenericMethod (":nativeHandle", "@brief Method void *QOffscreenSurface::nativeHandle()\n", true, &_init_f_nativeHandle_c0, &_call_f_nativeHandle_c0); methods += new qt_gsi::GenericMethod ("requestedFormat", "@brief Method QSurfaceFormat QOffscreenSurface::requestedFormat()\n", true, &_init_f_requestedFormat_c0, &_call_f_requestedFormat_c0); methods += new qt_gsi::GenericMethod (":screen", "@brief Method QScreen *QOffscreenSurface::screen()\n", true, &_init_f_screen_c0, &_call_f_screen_c0); methods += new qt_gsi::GenericMethod ("setFormat|format=", "@brief Method void QOffscreenSurface::setFormat(const QSurfaceFormat &format)\n", false, &_init_f_setFormat_2724, &_call_f_setFormat_2724); - methods += new qt_gsi::GenericMethod ("setNativeHandle", "@brief Method void QOffscreenSurface::setNativeHandle(void *handle)\n", false, &_init_f_setNativeHandle_1056, &_call_f_setNativeHandle_1056); + methods += new qt_gsi::GenericMethod ("setNativeHandle|nativeHandle=", "@brief Method void QOffscreenSurface::setNativeHandle(void *handle)\n", false, &_init_f_setNativeHandle_1056, &_call_f_setNativeHandle_1056); methods += new qt_gsi::GenericMethod ("setScreen|screen=", "@brief Method void QOffscreenSurface::setScreen(QScreen *screen)\n", false, &_init_f_setScreen_1311, &_call_f_setScreen_1311); methods += new qt_gsi::GenericMethod ("size", "@brief Method QSize QOffscreenSurface::size()\nThis is a reimplementation of QSurface::size", true, &_init_f_size_c0, &_call_f_size_c0); methods += new qt_gsi::GenericMethod ("surfaceType", "@brief Method QSurface::SurfaceType QOffscreenSurface::surfaceType()\nThis is a reimplementation of QSurface::surfaceType", true, &_init_f_surfaceType_c0, &_call_f_surfaceType_c0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPdfWriter.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPdfWriter.cc index 8f9bdd18c8..9a132dea8d 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPdfWriter.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPdfWriter.cc @@ -380,13 +380,13 @@ static gsi::Methods methods_QPdfWriter () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":creator", "@brief Method QString QPdfWriter::creator()\n", true, &_init_f_creator_c0, &_call_f_creator_c0); methods += new qt_gsi::GenericMethod ("newPage", "@brief Method bool QPdfWriter::newPage()\nThis is a reimplementation of QPagedPaintDevice::newPage", false, &_init_f_newPage_0, &_call_f_newPage_0); - methods += new qt_gsi::GenericMethod ("pdfVersion", "@brief Method QPagedPaintDevice::PdfVersion QPdfWriter::pdfVersion()\n", true, &_init_f_pdfVersion_c0, &_call_f_pdfVersion_c0); + methods += new qt_gsi::GenericMethod (":pdfVersion", "@brief Method QPagedPaintDevice::PdfVersion QPdfWriter::pdfVersion()\n", true, &_init_f_pdfVersion_c0, &_call_f_pdfVersion_c0); methods += new qt_gsi::GenericMethod (":resolution", "@brief Method int QPdfWriter::resolution()\n", true, &_init_f_resolution_c0, &_call_f_resolution_c0); methods += new qt_gsi::GenericMethod ("setCreator|creator=", "@brief Method void QPdfWriter::setCreator(const QString &creator)\n", false, &_init_f_setCreator_2025, &_call_f_setCreator_2025); methods += new qt_gsi::GenericMethod ("setMargins", "@brief Method void QPdfWriter::setMargins(const QPagedPaintDevice::Margins &m)\nThis is a reimplementation of QPagedPaintDevice::setMargins", false, &_init_f_setMargins_3812, &_call_f_setMargins_3812); methods += new qt_gsi::GenericMethod ("setPageSize|pageSize=", "@brief Method void QPdfWriter::setPageSize(QPagedPaintDevice::PageSize size)\nThis is a reimplementation of QPagedPaintDevice::setPageSize", false, &_init_f_setPageSize_3006, &_call_f_setPageSize_3006); methods += new qt_gsi::GenericMethod ("setPageSizeMM", "@brief Method void QPdfWriter::setPageSizeMM(const QSizeF &size)\nThis is a reimplementation of QPagedPaintDevice::setPageSizeMM", false, &_init_f_setPageSizeMM_1875, &_call_f_setPageSizeMM_1875); - methods += new qt_gsi::GenericMethod ("setPdfVersion", "@brief Method void QPdfWriter::setPdfVersion(QPagedPaintDevice::PdfVersion version)\n", false, &_init_f_setPdfVersion_3238, &_call_f_setPdfVersion_3238); + methods += new qt_gsi::GenericMethod ("setPdfVersion|pdfVersion=", "@brief Method void QPdfWriter::setPdfVersion(QPagedPaintDevice::PdfVersion version)\n", false, &_init_f_setPdfVersion_3238, &_call_f_setPdfVersion_3238); methods += new qt_gsi::GenericMethod ("setResolution|resolution=", "@brief Method void QPdfWriter::setResolution(int resolution)\n", false, &_init_f_setResolution_767, &_call_f_setResolution_767); methods += new qt_gsi::GenericMethod ("setTitle|title=", "@brief Method void QPdfWriter::setTitle(const QString &title)\n", false, &_init_f_setTitle_2025, &_call_f_setTitle_2025); methods += new qt_gsi::GenericMethod (":title", "@brief Method QString QPdfWriter::title()\n", true, &_init_f_title_c0, &_call_f_title_c0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQRgba64.cc b/src/gsiqt/qt5/QtGui/gsiDeclQRgba64.cc index 225d890a71..ade7950b10 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQRgba64.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQRgba64.cc @@ -460,22 +460,22 @@ namespace gsi static gsi::Methods methods_QRgba64 () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRgba64::QRgba64()\nThis method creates an object of class QRgba64.", &_init_ctor_QRgba64_0, &_call_ctor_QRgba64_0); - methods += new qt_gsi::GenericMethod ("alpha", "@brief Method quint16 QRgba64::alpha()\n", true, &_init_f_alpha_c0, &_call_f_alpha_c0); + methods += new qt_gsi::GenericMethod (":alpha", "@brief Method quint16 QRgba64::alpha()\n", true, &_init_f_alpha_c0, &_call_f_alpha_c0); methods += new qt_gsi::GenericMethod ("alpha8", "@brief Method quint8 QRgba64::alpha8()\n", true, &_init_f_alpha8_c0, &_call_f_alpha8_c0); - methods += new qt_gsi::GenericMethod ("blue", "@brief Method quint16 QRgba64::blue()\n", true, &_init_f_blue_c0, &_call_f_blue_c0); + methods += new qt_gsi::GenericMethod (":blue", "@brief Method quint16 QRgba64::blue()\n", true, &_init_f_blue_c0, &_call_f_blue_c0); methods += new qt_gsi::GenericMethod ("blue8", "@brief Method quint8 QRgba64::blue8()\n", true, &_init_f_blue8_c0, &_call_f_blue8_c0); - methods += new qt_gsi::GenericMethod ("green", "@brief Method quint16 QRgba64::green()\n", true, &_init_f_green_c0, &_call_f_green_c0); + methods += new qt_gsi::GenericMethod (":green", "@brief Method quint16 QRgba64::green()\n", true, &_init_f_green_c0, &_call_f_green_c0); methods += new qt_gsi::GenericMethod ("green8", "@brief Method quint8 QRgba64::green8()\n", true, &_init_f_green8_c0, &_call_f_green8_c0); methods += new qt_gsi::GenericMethod ("isOpaque?", "@brief Method bool QRgba64::isOpaque()\n", true, &_init_f_isOpaque_c0, &_call_f_isOpaque_c0); methods += new qt_gsi::GenericMethod ("isTransparent?", "@brief Method bool QRgba64::isTransparent()\n", true, &_init_f_isTransparent_c0, &_call_f_isTransparent_c0); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QRgba64 QRgba64::operator=(quint64 _rgba)\n", false, &_init_f_operator_eq__1103, &_call_f_operator_eq__1103); methods += new qt_gsi::GenericMethod ("premultiplied", "@brief Method QRgba64 QRgba64::premultiplied()\n", true, &_init_f_premultiplied_c0, &_call_f_premultiplied_c0); - methods += new qt_gsi::GenericMethod ("red", "@brief Method quint16 QRgba64::red()\n", true, &_init_f_red_c0, &_call_f_red_c0); + methods += new qt_gsi::GenericMethod (":red", "@brief Method quint16 QRgba64::red()\n", true, &_init_f_red_c0, &_call_f_red_c0); methods += new qt_gsi::GenericMethod ("red8", "@brief Method quint8 QRgba64::red8()\n", true, &_init_f_red8_c0, &_call_f_red8_c0); - methods += new qt_gsi::GenericMethod ("setAlpha", "@brief Method void QRgba64::setAlpha(quint16 _alpha)\n", false, &_init_f_setAlpha_1100, &_call_f_setAlpha_1100); - methods += new qt_gsi::GenericMethod ("setBlue", "@brief Method void QRgba64::setBlue(quint16 _blue)\n", false, &_init_f_setBlue_1100, &_call_f_setBlue_1100); - methods += new qt_gsi::GenericMethod ("setGreen", "@brief Method void QRgba64::setGreen(quint16 _green)\n", false, &_init_f_setGreen_1100, &_call_f_setGreen_1100); - methods += new qt_gsi::GenericMethod ("setRed", "@brief Method void QRgba64::setRed(quint16 _red)\n", false, &_init_f_setRed_1100, &_call_f_setRed_1100); + methods += new qt_gsi::GenericMethod ("setAlpha|alpha=", "@brief Method void QRgba64::setAlpha(quint16 _alpha)\n", false, &_init_f_setAlpha_1100, &_call_f_setAlpha_1100); + methods += new qt_gsi::GenericMethod ("setBlue|blue=", "@brief Method void QRgba64::setBlue(quint16 _blue)\n", false, &_init_f_setBlue_1100, &_call_f_setBlue_1100); + methods += new qt_gsi::GenericMethod ("setGreen|green=", "@brief Method void QRgba64::setGreen(quint16 _green)\n", false, &_init_f_setGreen_1100, &_call_f_setGreen_1100); + methods += new qt_gsi::GenericMethod ("setRed|red=", "@brief Method void QRgba64::setRed(quint16 _red)\n", false, &_init_f_setRed_1100, &_call_f_setRed_1100); methods += new qt_gsi::GenericMethod ("toArgb32", "@brief Method unsigned int QRgba64::toArgb32()\n", true, &_init_f_toArgb32_c0, &_call_f_toArgb32_c0); methods += new qt_gsi::GenericMethod ("toRgb16", "@brief Method unsigned short int QRgba64::toRgb16()\n", true, &_init_f_toRgb16_c0, &_call_f_toRgb16_c0); methods += new qt_gsi::GenericMethod ("unpremultiplied", "@brief Method QRgba64 QRgba64::unpremultiplied()\n", true, &_init_f_unpremultiplied_c0, &_call_f_unpremultiplied_c0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQScreen.cc b/src/gsiqt/qt5/QtGui/gsiDeclQScreen.cc index e37b302076..0a00b6fb91 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQScreen.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQScreen.cc @@ -695,9 +695,9 @@ static gsi::Methods methods_QScreen () { methods += new qt_gsi::GenericMethod (":logicalDotsPerInch", "@brief Method double QScreen::logicalDotsPerInch()\n", true, &_init_f_logicalDotsPerInch_c0, &_call_f_logicalDotsPerInch_c0); methods += new qt_gsi::GenericMethod (":logicalDotsPerInchX", "@brief Method double QScreen::logicalDotsPerInchX()\n", true, &_init_f_logicalDotsPerInchX_c0, &_call_f_logicalDotsPerInchX_c0); methods += new qt_gsi::GenericMethod (":logicalDotsPerInchY", "@brief Method double QScreen::logicalDotsPerInchY()\n", true, &_init_f_logicalDotsPerInchY_c0, &_call_f_logicalDotsPerInchY_c0); - methods += new qt_gsi::GenericMethod ("manufacturer", "@brief Method QString QScreen::manufacturer()\n", true, &_init_f_manufacturer_c0, &_call_f_manufacturer_c0); + methods += new qt_gsi::GenericMethod (":manufacturer", "@brief Method QString QScreen::manufacturer()\n", true, &_init_f_manufacturer_c0, &_call_f_manufacturer_c0); methods += new qt_gsi::GenericMethod ("mapBetween", "@brief Method QRect QScreen::mapBetween(Qt::ScreenOrientation a, Qt::ScreenOrientation b, const QRect &rect)\n", true, &_init_f_mapBetween_c6618, &_call_f_mapBetween_c6618); - methods += new qt_gsi::GenericMethod ("model", "@brief Method QString QScreen::model()\n", true, &_init_f_model_c0, &_call_f_model_c0); + methods += new qt_gsi::GenericMethod (":model", "@brief Method QString QScreen::model()\n", true, &_init_f_model_c0, &_call_f_model_c0); methods += new qt_gsi::GenericMethod (":name", "@brief Method QString QScreen::name()\n", true, &_init_f_name_c0, &_call_f_name_c0); methods += new qt_gsi::GenericMethod (":nativeOrientation", "@brief Method Qt::ScreenOrientation QScreen::nativeOrientation()\n", true, &_init_f_nativeOrientation_c0, &_call_f_nativeOrientation_c0); methods += new qt_gsi::GenericMethod (":orientation", "@brief Method Qt::ScreenOrientation QScreen::orientation()\n", true, &_init_f_orientation_c0, &_call_f_orientation_c0); @@ -708,7 +708,7 @@ static gsi::Methods methods_QScreen () { methods += new qt_gsi::GenericMethod (":physicalSize", "@brief Method QSizeF QScreen::physicalSize()\n", true, &_init_f_physicalSize_c0, &_call_f_physicalSize_c0); methods += new qt_gsi::GenericMethod (":primaryOrientation", "@brief Method Qt::ScreenOrientation QScreen::primaryOrientation()\n", true, &_init_f_primaryOrientation_c0, &_call_f_primaryOrientation_c0); methods += new qt_gsi::GenericMethod (":refreshRate", "@brief Method double QScreen::refreshRate()\n", true, &_init_f_refreshRate_c0, &_call_f_refreshRate_c0); - methods += new qt_gsi::GenericMethod ("serialNumber", "@brief Method QString QScreen::serialNumber()\n", true, &_init_f_serialNumber_c0, &_call_f_serialNumber_c0); + methods += new qt_gsi::GenericMethod (":serialNumber", "@brief Method QString QScreen::serialNumber()\n", true, &_init_f_serialNumber_c0, &_call_f_serialNumber_c0); methods += new qt_gsi::GenericMethod ("setOrientationUpdateMask|orientationUpdateMask=", "@brief Method void QScreen::setOrientationUpdateMask(QFlags mask)\n", false, &_init_f_setOrientationUpdateMask_3217, &_call_f_setOrientationUpdateMask_3217); methods += new qt_gsi::GenericMethod (":size", "@brief Method QSize QScreen::size()\n", true, &_init_f_size_c0, &_call_f_size_c0); methods += new qt_gsi::GenericMethod ("transformBetween", "@brief Method QTransform QScreen::transformBetween(Qt::ScreenOrientation a, Qt::ScreenOrientation b, const QRect &target)\n", true, &_init_f_transformBetween_c6618, &_call_f_transformBetween_c6618); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQStandardItem.cc b/src/gsiqt/qt5/QtGui/gsiDeclQStandardItem.cc index dc6b4b8f6a..b32f7f4c31 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQStandardItem.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQStandardItem.cc @@ -1643,7 +1643,7 @@ static gsi::Methods methods_QStandardItem () { methods += new qt_gsi::GenericMethod ("insertRow", "@brief Method void QStandardItem::insertRow(int row, QStandardItem *item)\n", false, &_init_f_insertRow_2578, &_call_f_insertRow_2578); methods += new qt_gsi::GenericMethod ("insertRows", "@brief Method void QStandardItem::insertRows(int row, const QList &items)\n", false, &_init_f_insertRows_3926, &_call_f_insertRows_3926); methods += new qt_gsi::GenericMethod ("insertRows", "@brief Method void QStandardItem::insertRows(int row, int count)\n", false, &_init_f_insertRows_1426, &_call_f_insertRows_1426); - methods += new qt_gsi::GenericMethod ("isAutoTristate?", "@brief Method bool QStandardItem::isAutoTristate()\n", true, &_init_f_isAutoTristate_c0, &_call_f_isAutoTristate_c0); + methods += new qt_gsi::GenericMethod ("isAutoTristate?|:autoTristate", "@brief Method bool QStandardItem::isAutoTristate()\n", true, &_init_f_isAutoTristate_c0, &_call_f_isAutoTristate_c0); methods += new qt_gsi::GenericMethod ("isCheckable?|:checkable", "@brief Method bool QStandardItem::isCheckable()\n", true, &_init_f_isCheckable_c0, &_call_f_isCheckable_c0); methods += new qt_gsi::GenericMethod ("isDragEnabled?|:dragEnabled", "@brief Method bool QStandardItem::isDragEnabled()\n", true, &_init_f_isDragEnabled_c0, &_call_f_isDragEnabled_c0); methods += new qt_gsi::GenericMethod ("isDropEnabled?|:dropEnabled", "@brief Method bool QStandardItem::isDropEnabled()\n", true, &_init_f_isDropEnabled_c0, &_call_f_isDropEnabled_c0); @@ -1651,7 +1651,7 @@ static gsi::Methods methods_QStandardItem () { methods += new qt_gsi::GenericMethod ("isEnabled?|:enabled", "@brief Method bool QStandardItem::isEnabled()\n", true, &_init_f_isEnabled_c0, &_call_f_isEnabled_c0); methods += new qt_gsi::GenericMethod ("isSelectable?|:selectable", "@brief Method bool QStandardItem::isSelectable()\n", true, &_init_f_isSelectable_c0, &_call_f_isSelectable_c0); methods += new qt_gsi::GenericMethod ("isTristate?|:tristate", "@brief Method bool QStandardItem::isTristate()\n", true, &_init_f_isTristate_c0, &_call_f_isTristate_c0); - methods += new qt_gsi::GenericMethod ("isUserTristate?", "@brief Method bool QStandardItem::isUserTristate()\n", true, &_init_f_isUserTristate_c0, &_call_f_isUserTristate_c0); + methods += new qt_gsi::GenericMethod ("isUserTristate?|:userTristate", "@brief Method bool QStandardItem::isUserTristate()\n", true, &_init_f_isUserTristate_c0, &_call_f_isUserTristate_c0); methods += new qt_gsi::GenericMethod ("model", "@brief Method QStandardItemModel *QStandardItem::model()\n", true, &_init_f_model_c0, &_call_f_model_c0); methods += new qt_gsi::GenericMethod ("<", "@brief Method bool QStandardItem::operator<(const QStandardItem &other)\n", true, &_init_f_operator_lt__c2610, &_call_f_operator_lt__c2610); methods += new qt_gsi::GenericMethod ("parent", "@brief Method QStandardItem *QStandardItem::parent()\n", true, &_init_f_parent_c0, &_call_f_parent_c0); @@ -1664,7 +1664,7 @@ static gsi::Methods methods_QStandardItem () { methods += new qt_gsi::GenericMethod (":rowCount", "@brief Method int QStandardItem::rowCount()\n", true, &_init_f_rowCount_c0, &_call_f_rowCount_c0); methods += new qt_gsi::GenericMethod ("setAccessibleDescription|accessibleDescription=", "@brief Method void QStandardItem::setAccessibleDescription(const QString &accessibleDescription)\n", false, &_init_f_setAccessibleDescription_2025, &_call_f_setAccessibleDescription_2025); methods += new qt_gsi::GenericMethod ("setAccessibleText|accessibleText=", "@brief Method void QStandardItem::setAccessibleText(const QString &accessibleText)\n", false, &_init_f_setAccessibleText_2025, &_call_f_setAccessibleText_2025); - methods += new qt_gsi::GenericMethod ("setAutoTristate", "@brief Method void QStandardItem::setAutoTristate(bool tristate)\n", false, &_init_f_setAutoTristate_864, &_call_f_setAutoTristate_864); + methods += new qt_gsi::GenericMethod ("setAutoTristate|autoTristate=", "@brief Method void QStandardItem::setAutoTristate(bool tristate)\n", false, &_init_f_setAutoTristate_864, &_call_f_setAutoTristate_864); methods += new qt_gsi::GenericMethod ("setBackground|background=", "@brief Method void QStandardItem::setBackground(const QBrush &brush)\n", false, &_init_f_setBackground_1910, &_call_f_setBackground_1910); methods += new qt_gsi::GenericMethod ("setCheckState|checkState=", "@brief Method void QStandardItem::setCheckState(Qt::CheckState checkState)\n", false, &_init_f_setCheckState_1740, &_call_f_setCheckState_1740); methods += new qt_gsi::GenericMethod ("setCheckable|checkable=", "@brief Method void QStandardItem::setCheckable(bool checkable)\n", false, &_init_f_setCheckable_864, &_call_f_setCheckable_864); @@ -1688,7 +1688,7 @@ static gsi::Methods methods_QStandardItem () { methods += new qt_gsi::GenericMethod ("setTextAlignment|textAlignment=", "@brief Method void QStandardItem::setTextAlignment(QFlags textAlignment)\n", false, &_init_f_setTextAlignment_2750, &_call_f_setTextAlignment_2750); methods += new qt_gsi::GenericMethod ("setToolTip|toolTip=", "@brief Method void QStandardItem::setToolTip(const QString &toolTip)\n", false, &_init_f_setToolTip_2025, &_call_f_setToolTip_2025); methods += new qt_gsi::GenericMethod ("setTristate|tristate=", "@brief Method void QStandardItem::setTristate(bool tristate)\n", false, &_init_f_setTristate_864, &_call_f_setTristate_864); - methods += new qt_gsi::GenericMethod ("setUserTristate", "@brief Method void QStandardItem::setUserTristate(bool tristate)\n", false, &_init_f_setUserTristate_864, &_call_f_setUserTristate_864); + methods += new qt_gsi::GenericMethod ("setUserTristate|userTristate=", "@brief Method void QStandardItem::setUserTristate(bool tristate)\n", false, &_init_f_setUserTristate_864, &_call_f_setUserTristate_864); methods += new qt_gsi::GenericMethod ("setWhatsThis|whatsThis=", "@brief Method void QStandardItem::setWhatsThis(const QString &whatsThis)\n", false, &_init_f_setWhatsThis_2025, &_call_f_setWhatsThis_2025); methods += new qt_gsi::GenericMethod (":sizeHint", "@brief Method QSize QStandardItem::sizeHint()\n", true, &_init_f_sizeHint_c0, &_call_f_sizeHint_c0); methods += new qt_gsi::GenericMethod ("sortChildren", "@brief Method void QStandardItem::sortChildren(int column, Qt::SortOrder order)\n", false, &_init_f_sortChildren_2340, &_call_f_sortChildren_2340); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQStyleHints.cc b/src/gsiqt/qt5/QtGui/gsiDeclQStyleHints.cc index a0359843b3..c68a3f2b0f 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQStyleHints.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQStyleHints.cc @@ -631,7 +631,7 @@ static gsi::Methods methods_QStyleHints () { methods += new qt_gsi::GenericMethod (":keyboardInputInterval", "@brief Method int QStyleHints::keyboardInputInterval()\n", true, &_init_f_keyboardInputInterval_c0, &_call_f_keyboardInputInterval_c0); methods += new qt_gsi::GenericMethod (":mouseDoubleClickInterval", "@brief Method int QStyleHints::mouseDoubleClickInterval()\n", true, &_init_f_mouseDoubleClickInterval_c0, &_call_f_mouseDoubleClickInterval_c0); methods += new qt_gsi::GenericMethod (":mousePressAndHoldInterval", "@brief Method int QStyleHints::mousePressAndHoldInterval()\n", true, &_init_f_mousePressAndHoldInterval_c0, &_call_f_mousePressAndHoldInterval_c0); - methods += new qt_gsi::GenericMethod ("mouseQuickSelectionThreshold", "@brief Method int QStyleHints::mouseQuickSelectionThreshold()\n", true, &_init_f_mouseQuickSelectionThreshold_c0, &_call_f_mouseQuickSelectionThreshold_c0); + methods += new qt_gsi::GenericMethod (":mouseQuickSelectionThreshold", "@brief Method int QStyleHints::mouseQuickSelectionThreshold()\n", true, &_init_f_mouseQuickSelectionThreshold_c0, &_call_f_mouseQuickSelectionThreshold_c0); methods += new qt_gsi::GenericMethod (":passwordMaskCharacter", "@brief Method QChar QStyleHints::passwordMaskCharacter()\n", true, &_init_f_passwordMaskCharacter_c0, &_call_f_passwordMaskCharacter_c0); methods += new qt_gsi::GenericMethod (":passwordMaskDelay", "@brief Method int QStyleHints::passwordMaskDelay()\n", true, &_init_f_passwordMaskDelay_c0, &_call_f_passwordMaskDelay_c0); methods += new qt_gsi::GenericMethod ("setCursorFlashTime", "@brief Method void QStyleHints::setCursorFlashTime(int cursorFlashTime)\n", false, &_init_f_setCursorFlashTime_767, &_call_f_setCursorFlashTime_767); @@ -639,23 +639,23 @@ static gsi::Methods methods_QStyleHints () { methods += new qt_gsi::GenericMethod ("setKeyboardInputInterval", "@brief Method void QStyleHints::setKeyboardInputInterval(int keyboardInputInterval)\n", false, &_init_f_setKeyboardInputInterval_767, &_call_f_setKeyboardInputInterval_767); methods += new qt_gsi::GenericMethod ("setMouseDoubleClickInterval", "@brief Method void QStyleHints::setMouseDoubleClickInterval(int mouseDoubleClickInterval)\n", false, &_init_f_setMouseDoubleClickInterval_767, &_call_f_setMouseDoubleClickInterval_767); methods += new qt_gsi::GenericMethod ("setMousePressAndHoldInterval", "@brief Method void QStyleHints::setMousePressAndHoldInterval(int mousePressAndHoldInterval)\n", false, &_init_f_setMousePressAndHoldInterval_767, &_call_f_setMousePressAndHoldInterval_767); - methods += new qt_gsi::GenericMethod ("setMouseQuickSelectionThreshold", "@brief Method void QStyleHints::setMouseQuickSelectionThreshold(int threshold)\n", false, &_init_f_setMouseQuickSelectionThreshold_767, &_call_f_setMouseQuickSelectionThreshold_767); + methods += new qt_gsi::GenericMethod ("setMouseQuickSelectionThreshold|mouseQuickSelectionThreshold=", "@brief Method void QStyleHints::setMouseQuickSelectionThreshold(int threshold)\n", false, &_init_f_setMouseQuickSelectionThreshold_767, &_call_f_setMouseQuickSelectionThreshold_767); methods += new qt_gsi::GenericMethod ("setStartDragDistance", "@brief Method void QStyleHints::setStartDragDistance(int startDragDistance)\n", false, &_init_f_setStartDragDistance_767, &_call_f_setStartDragDistance_767); methods += new qt_gsi::GenericMethod ("setStartDragTime", "@brief Method void QStyleHints::setStartDragTime(int startDragTime)\n", false, &_init_f_setStartDragTime_767, &_call_f_setStartDragTime_767); methods += new qt_gsi::GenericMethod ("setTabFocusBehavior", "@brief Method void QStyleHints::setTabFocusBehavior(Qt::TabFocusBehavior tabFocusBehavior)\n", false, &_init_f_setTabFocusBehavior_2356, &_call_f_setTabFocusBehavior_2356); - methods += new qt_gsi::GenericMethod ("setUseHoverEffects", "@brief Method void QStyleHints::setUseHoverEffects(bool useHoverEffects)\n", false, &_init_f_setUseHoverEffects_864, &_call_f_setUseHoverEffects_864); + methods += new qt_gsi::GenericMethod ("setUseHoverEffects|useHoverEffects=", "@brief Method void QStyleHints::setUseHoverEffects(bool useHoverEffects)\n", false, &_init_f_setUseHoverEffects_864, &_call_f_setUseHoverEffects_864); methods += new qt_gsi::GenericMethod ("setWheelScrollLines", "@brief Method void QStyleHints::setWheelScrollLines(int scrollLines)\n", false, &_init_f_setWheelScrollLines_767, &_call_f_setWheelScrollLines_767); methods += new qt_gsi::GenericMethod (":showIsFullScreen", "@brief Method bool QStyleHints::showIsFullScreen()\n", true, &_init_f_showIsFullScreen_c0, &_call_f_showIsFullScreen_c0); - methods += new qt_gsi::GenericMethod ("showIsMaximized", "@brief Method bool QStyleHints::showIsMaximized()\n", true, &_init_f_showIsMaximized_c0, &_call_f_showIsMaximized_c0); - methods += new qt_gsi::GenericMethod ("showShortcutsInContextMenus", "@brief Method bool QStyleHints::showShortcutsInContextMenus()\n", true, &_init_f_showShortcutsInContextMenus_c0, &_call_f_showShortcutsInContextMenus_c0); + methods += new qt_gsi::GenericMethod (":showIsMaximized", "@brief Method bool QStyleHints::showIsMaximized()\n", true, &_init_f_showIsMaximized_c0, &_call_f_showIsMaximized_c0); + methods += new qt_gsi::GenericMethod (":showShortcutsInContextMenus", "@brief Method bool QStyleHints::showShortcutsInContextMenus()\n", true, &_init_f_showShortcutsInContextMenus_c0, &_call_f_showShortcutsInContextMenus_c0); methods += new qt_gsi::GenericMethod (":singleClickActivation", "@brief Method bool QStyleHints::singleClickActivation()\n", true, &_init_f_singleClickActivation_c0, &_call_f_singleClickActivation_c0); methods += new qt_gsi::GenericMethod (":startDragDistance", "@brief Method int QStyleHints::startDragDistance()\n", true, &_init_f_startDragDistance_c0, &_call_f_startDragDistance_c0); methods += new qt_gsi::GenericMethod (":startDragTime", "@brief Method int QStyleHints::startDragTime()\n", true, &_init_f_startDragTime_c0, &_call_f_startDragTime_c0); methods += new qt_gsi::GenericMethod (":startDragVelocity", "@brief Method int QStyleHints::startDragVelocity()\n", true, &_init_f_startDragVelocity_c0, &_call_f_startDragVelocity_c0); methods += new qt_gsi::GenericMethod (":tabFocusBehavior", "@brief Method Qt::TabFocusBehavior QStyleHints::tabFocusBehavior()\n", true, &_init_f_tabFocusBehavior_c0, &_call_f_tabFocusBehavior_c0); - methods += new qt_gsi::GenericMethod ("useHoverEffects", "@brief Method bool QStyleHints::useHoverEffects()\n", true, &_init_f_useHoverEffects_c0, &_call_f_useHoverEffects_c0); + methods += new qt_gsi::GenericMethod (":useHoverEffects", "@brief Method bool QStyleHints::useHoverEffects()\n", true, &_init_f_useHoverEffects_c0, &_call_f_useHoverEffects_c0); methods += new qt_gsi::GenericMethod (":useRtlExtensions", "@brief Method bool QStyleHints::useRtlExtensions()\n", true, &_init_f_useRtlExtensions_c0, &_call_f_useRtlExtensions_c0); - methods += new qt_gsi::GenericMethod ("wheelScrollLines", "@brief Method int QStyleHints::wheelScrollLines()\n", true, &_init_f_wheelScrollLines_c0, &_call_f_wheelScrollLines_c0); + methods += new qt_gsi::GenericMethod (":wheelScrollLines", "@brief Method int QStyleHints::wheelScrollLines()\n", true, &_init_f_wheelScrollLines_c0, &_call_f_wheelScrollLines_c0); methods += gsi::qt_signal ("cursorFlashTimeChanged(int)", "cursorFlashTimeChanged", gsi::arg("cursorFlashTime"), "@brief Signal declaration for QStyleHints::cursorFlashTimeChanged(int cursorFlashTime)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QStyleHints::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("keyboardInputIntervalChanged(int)", "keyboardInputIntervalChanged", gsi::arg("keyboardInputInterval"), "@brief Signal declaration for QStyleHints::keyboardInputIntervalChanged(int keyboardInputInterval)\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQSurfaceFormat.cc b/src/gsiqt/qt5/QtGui/gsiDeclQSurfaceFormat.cc index 5e807c7103..d04e6cd3af 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQSurfaceFormat.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQSurfaceFormat.cc @@ -857,7 +857,7 @@ static gsi::Methods methods_QSurfaceFormat () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSurfaceFormat::QSurfaceFormat(const QSurfaceFormat &other)\nThis method creates an object of class QSurfaceFormat.", &_init_ctor_QSurfaceFormat_2724, &_call_ctor_QSurfaceFormat_2724); methods += new qt_gsi::GenericMethod (":alphaBufferSize", "@brief Method int QSurfaceFormat::alphaBufferSize()\n", true, &_init_f_alphaBufferSize_c0, &_call_f_alphaBufferSize_c0); methods += new qt_gsi::GenericMethod (":blueBufferSize", "@brief Method int QSurfaceFormat::blueBufferSize()\n", true, &_init_f_blueBufferSize_c0, &_call_f_blueBufferSize_c0); - methods += new qt_gsi::GenericMethod ("colorSpace", "@brief Method QSurfaceFormat::ColorSpace QSurfaceFormat::colorSpace()\n", true, &_init_f_colorSpace_c0, &_call_f_colorSpace_c0); + methods += new qt_gsi::GenericMethod (":colorSpace", "@brief Method QSurfaceFormat::ColorSpace QSurfaceFormat::colorSpace()\n", true, &_init_f_colorSpace_c0, &_call_f_colorSpace_c0); methods += new qt_gsi::GenericMethod (":depthBufferSize", "@brief Method int QSurfaceFormat::depthBufferSize()\n", true, &_init_f_depthBufferSize_c0, &_call_f_depthBufferSize_c0); methods += new qt_gsi::GenericMethod (":greenBufferSize", "@brief Method int QSurfaceFormat::greenBufferSize()\n", true, &_init_f_greenBufferSize_c0, &_call_f_greenBufferSize_c0); methods += new qt_gsi::GenericMethod ("hasAlpha", "@brief Method bool QSurfaceFormat::hasAlpha()\n", true, &_init_f_hasAlpha_c0, &_call_f_hasAlpha_c0); @@ -871,7 +871,7 @@ static gsi::Methods methods_QSurfaceFormat () { methods += new qt_gsi::GenericMethod (":samples", "@brief Method int QSurfaceFormat::samples()\n", true, &_init_f_samples_c0, &_call_f_samples_c0); methods += new qt_gsi::GenericMethod ("setAlphaBufferSize|alphaBufferSize=", "@brief Method void QSurfaceFormat::setAlphaBufferSize(int size)\n", false, &_init_f_setAlphaBufferSize_767, &_call_f_setAlphaBufferSize_767); methods += new qt_gsi::GenericMethod ("setBlueBufferSize|blueBufferSize=", "@brief Method void QSurfaceFormat::setBlueBufferSize(int size)\n", false, &_init_f_setBlueBufferSize_767, &_call_f_setBlueBufferSize_767); - methods += new qt_gsi::GenericMethod ("setColorSpace", "@brief Method void QSurfaceFormat::setColorSpace(QSurfaceFormat::ColorSpace colorSpace)\n", false, &_init_f_setColorSpace_2966, &_call_f_setColorSpace_2966); + methods += new qt_gsi::GenericMethod ("setColorSpace|colorSpace=", "@brief Method void QSurfaceFormat::setColorSpace(QSurfaceFormat::ColorSpace colorSpace)\n", false, &_init_f_setColorSpace_2966, &_call_f_setColorSpace_2966); methods += new qt_gsi::GenericMethod ("setDepthBufferSize|depthBufferSize=", "@brief Method void QSurfaceFormat::setDepthBufferSize(int size)\n", false, &_init_f_setDepthBufferSize_767, &_call_f_setDepthBufferSize_767); methods += new qt_gsi::GenericMethod ("setGreenBufferSize|greenBufferSize=", "@brief Method void QSurfaceFormat::setGreenBufferSize(int size)\n", false, &_init_f_setGreenBufferSize_767, &_call_f_setGreenBufferSize_767); methods += new qt_gsi::GenericMethod ("setMajorVersion|majorVersion=", "@brief Method void QSurfaceFormat::setMajorVersion(int majorVersion)\n", false, &_init_f_setMajorVersion_767, &_call_f_setMajorVersion_767); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockFormat.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockFormat.cc index 9afd82e5a0..4414ebdbaa 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockFormat.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockFormat.cc @@ -545,7 +545,7 @@ static gsi::Methods methods_QTextBlockFormat () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTextBlockFormat::QTextBlockFormat()\nThis method creates an object of class QTextBlockFormat.", &_init_ctor_QTextBlockFormat_0, &_call_ctor_QTextBlockFormat_0); methods += new qt_gsi::GenericMethod (":alignment", "@brief Method QFlags QTextBlockFormat::alignment()\n", true, &_init_f_alignment_c0, &_call_f_alignment_c0); methods += new qt_gsi::GenericMethod (":bottomMargin", "@brief Method double QTextBlockFormat::bottomMargin()\n", true, &_init_f_bottomMargin_c0, &_call_f_bottomMargin_c0); - methods += new qt_gsi::GenericMethod ("headingLevel", "@brief Method int QTextBlockFormat::headingLevel()\n", true, &_init_f_headingLevel_c0, &_call_f_headingLevel_c0); + methods += new qt_gsi::GenericMethod (":headingLevel", "@brief Method int QTextBlockFormat::headingLevel()\n", true, &_init_f_headingLevel_c0, &_call_f_headingLevel_c0); methods += new qt_gsi::GenericMethod (":indent", "@brief Method int QTextBlockFormat::indent()\n", true, &_init_f_indent_c0, &_call_f_indent_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QTextBlockFormat::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod (":leftMargin", "@brief Method double QTextBlockFormat::leftMargin()\n", true, &_init_f_leftMargin_c0, &_call_f_leftMargin_c0); @@ -557,7 +557,7 @@ static gsi::Methods methods_QTextBlockFormat () { methods += new qt_gsi::GenericMethod (":rightMargin", "@brief Method double QTextBlockFormat::rightMargin()\n", true, &_init_f_rightMargin_c0, &_call_f_rightMargin_c0); methods += new qt_gsi::GenericMethod ("setAlignment|alignment=", "@brief Method void QTextBlockFormat::setAlignment(QFlags alignment)\n", false, &_init_f_setAlignment_2750, &_call_f_setAlignment_2750); methods += new qt_gsi::GenericMethod ("setBottomMargin|bottomMargin=", "@brief Method void QTextBlockFormat::setBottomMargin(double margin)\n", false, &_init_f_setBottomMargin_1071, &_call_f_setBottomMargin_1071); - methods += new qt_gsi::GenericMethod ("setHeadingLevel", "@brief Method void QTextBlockFormat::setHeadingLevel(int alevel)\n", false, &_init_f_setHeadingLevel_767, &_call_f_setHeadingLevel_767); + methods += new qt_gsi::GenericMethod ("setHeadingLevel|headingLevel=", "@brief Method void QTextBlockFormat::setHeadingLevel(int alevel)\n", false, &_init_f_setHeadingLevel_767, &_call_f_setHeadingLevel_767); methods += new qt_gsi::GenericMethod ("setIndent|indent=", "@brief Method void QTextBlockFormat::setIndent(int indent)\n", false, &_init_f_setIndent_767, &_call_f_setIndent_767); methods += new qt_gsi::GenericMethod ("setLeftMargin|leftMargin=", "@brief Method void QTextBlockFormat::setLeftMargin(double margin)\n", false, &_init_f_setLeftMargin_1071, &_call_f_setLeftMargin_1071); methods += new qt_gsi::GenericMethod ("setLineHeight", "@brief Method void QTextBlockFormat::setLineHeight(double height, int heightType)\n", false, &_init_f_setLineHeight_1730, &_call_f_setLineHeight_1730); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextImageFormat.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextImageFormat.cc index 0c6b8f31b5..641365fcb7 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextImageFormat.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextImageFormat.cc @@ -227,10 +227,10 @@ static gsi::Methods methods_QTextImageFormat () { methods += new qt_gsi::GenericMethod (":height", "@brief Method double QTextImageFormat::height()\n", true, &_init_f_height_c0, &_call_f_height_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QTextImageFormat::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod (":name", "@brief Method QString QTextImageFormat::name()\n", true, &_init_f_name_c0, &_call_f_name_c0); - methods += new qt_gsi::GenericMethod ("quality", "@brief Method int QTextImageFormat::quality()\n", true, &_init_f_quality_c0, &_call_f_quality_c0); + methods += new qt_gsi::GenericMethod (":quality", "@brief Method int QTextImageFormat::quality()\n", true, &_init_f_quality_c0, &_call_f_quality_c0); methods += new qt_gsi::GenericMethod ("setHeight|height=", "@brief Method void QTextImageFormat::setHeight(double height)\n", false, &_init_f_setHeight_1071, &_call_f_setHeight_1071); methods += new qt_gsi::GenericMethod ("setName|name=", "@brief Method void QTextImageFormat::setName(const QString &name)\n", false, &_init_f_setName_2025, &_call_f_setName_2025); - methods += new qt_gsi::GenericMethod ("setQuality", "@brief Method void QTextImageFormat::setQuality(int quality)\n", false, &_init_f_setQuality_767, &_call_f_setQuality_767); + methods += new qt_gsi::GenericMethod ("setQuality|quality=", "@brief Method void QTextImageFormat::setQuality(int quality)\n", false, &_init_f_setQuality_767, &_call_f_setQuality_767); methods += new qt_gsi::GenericMethod ("setWidth|width=", "@brief Method void QTextImageFormat::setWidth(double width)\n", false, &_init_f_setWidth_1071, &_call_f_setWidth_1071); methods += new qt_gsi::GenericMethod (":width", "@brief Method double QTextImageFormat::width()\n", true, &_init_f_width_c0, &_call_f_width_c0); return methods; diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextLayout.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextLayout.cc index c26947339e..18fa61b05c 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextLayout.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextLayout.cc @@ -920,7 +920,7 @@ static gsi::Methods methods_QTextLayout () { methods += new qt_gsi::GenericMethod ("drawCursor", "@brief Method void QTextLayout::drawCursor(QPainter *p, const QPointF &pos, int cursorPosition, int width)\n", true, &_init_f_drawCursor_c4622, &_call_f_drawCursor_c4622); methods += new qt_gsi::GenericMethod ("endLayout", "@brief Method void QTextLayout::endLayout()\n", false, &_init_f_endLayout_0, &_call_f_endLayout_0); methods += new qt_gsi::GenericMethod (":font", "@brief Method QFont QTextLayout::font()\n", true, &_init_f_font_c0, &_call_f_font_c0); - methods += new qt_gsi::GenericMethod ("formats", "@brief Method QVector QTextLayout::formats()\n", true, &_init_f_formats_c0, &_call_f_formats_c0); + methods += new qt_gsi::GenericMethod (":formats", "@brief Method QVector QTextLayout::formats()\n", true, &_init_f_formats_c0, &_call_f_formats_c0); methods += new qt_gsi::GenericMethod ("glyphRuns", "@brief Method QList QTextLayout::glyphRuns(int from, int length)\n", true, &_init_f_glyphRuns_c1426, &_call_f_glyphRuns_c1426); methods += new qt_gsi::GenericMethod ("isValidCursorPosition?", "@brief Method bool QTextLayout::isValidCursorPosition(int pos)\n", true, &_init_f_isValidCursorPosition_c767, &_call_f_isValidCursorPosition_c767); methods += new qt_gsi::GenericMethod ("leftCursorPosition", "@brief Method int QTextLayout::leftCursorPosition(int oldPos)\n", true, &_init_f_leftCursorPosition_c767, &_call_f_leftCursorPosition_c767); @@ -940,7 +940,7 @@ static gsi::Methods methods_QTextLayout () { methods += new qt_gsi::GenericMethod ("setCursorMoveStyle|cursorMoveStyle=", "@brief Method void QTextLayout::setCursorMoveStyle(Qt::CursorMoveStyle style)\n", false, &_init_f_setCursorMoveStyle_2323, &_call_f_setCursorMoveStyle_2323); methods += new qt_gsi::GenericMethod ("setFlags", "@brief Method void QTextLayout::setFlags(int flags)\n", false, &_init_f_setFlags_767, &_call_f_setFlags_767); methods += new qt_gsi::GenericMethod ("setFont|font=", "@brief Method void QTextLayout::setFont(const QFont &f)\n", false, &_init_f_setFont_1801, &_call_f_setFont_1801); - methods += new qt_gsi::GenericMethod ("setFormats", "@brief Method void QTextLayout::setFormats(const QVector &overrides)\n", false, &_init_f_setFormats_4509, &_call_f_setFormats_4509); + methods += new qt_gsi::GenericMethod ("setFormats|formats=", "@brief Method void QTextLayout::setFormats(const QVector &overrides)\n", false, &_init_f_setFormats_4509, &_call_f_setFormats_4509); methods += new qt_gsi::GenericMethod ("setPosition|position=", "@brief Method void QTextLayout::setPosition(const QPointF &p)\n", false, &_init_f_setPosition_1986, &_call_f_setPosition_1986); methods += new qt_gsi::GenericMethod ("setPreeditArea", "@brief Method void QTextLayout::setPreeditArea(int position, const QString &text)\n", false, &_init_f_setPreeditArea_2684, &_call_f_setPreeditArea_2684); methods += new qt_gsi::GenericMethod ("setRawFont", "@brief Method void QTextLayout::setRawFont(const QRawFont &rawFont)\n", false, &_init_f_setRawFont_2099, &_call_f_setRawFont_2099); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextOption.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextOption.cc index 4c7f4e1b63..850f2f5e51 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextOption.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextOption.cc @@ -438,14 +438,14 @@ static gsi::Methods methods_QTextOption () { methods += new qt_gsi::GenericMethod ("setFlags|flags=", "@brief Method void QTextOption::setFlags(QFlags flags)\n", false, &_init_f_setFlags_2761, &_call_f_setFlags_2761); methods += new qt_gsi::GenericMethod ("setTabArray|tabArray=", "@brief Method void QTextOption::setTabArray(const QList &tabStops)\n", false, &_init_f_setTabArray_2461, &_call_f_setTabArray_2461); methods += new qt_gsi::GenericMethod ("setTabStop|tabStop=", "@brief Method void QTextOption::setTabStop(double tabStop)\n", false, &_init_f_setTabStop_1071, &_call_f_setTabStop_1071); - methods += new qt_gsi::GenericMethod ("setTabStopDistance", "@brief Method void QTextOption::setTabStopDistance(double tabStopDistance)\n", false, &_init_f_setTabStopDistance_1071, &_call_f_setTabStopDistance_1071); + methods += new qt_gsi::GenericMethod ("setTabStopDistance|tabStopDistance=", "@brief Method void QTextOption::setTabStopDistance(double tabStopDistance)\n", false, &_init_f_setTabStopDistance_1071, &_call_f_setTabStopDistance_1071); methods += new qt_gsi::GenericMethod ("setTabs|tabs=", "@brief Method void QTextOption::setTabs(const QList &tabStops)\n", false, &_init_f_setTabs_3458, &_call_f_setTabs_3458); methods += new qt_gsi::GenericMethod ("setTextDirection|textDirection=", "@brief Method void QTextOption::setTextDirection(Qt::LayoutDirection aDirection)\n", false, &_init_f_setTextDirection_2316, &_call_f_setTextDirection_2316); methods += new qt_gsi::GenericMethod ("setUseDesignMetrics|useDesignMetrics=", "@brief Method void QTextOption::setUseDesignMetrics(bool b)\n", false, &_init_f_setUseDesignMetrics_864, &_call_f_setUseDesignMetrics_864); methods += new qt_gsi::GenericMethod ("setWrapMode|wrapMode=", "@brief Method void QTextOption::setWrapMode(QTextOption::WrapMode wrap)\n", false, &_init_f_setWrapMode_2486, &_call_f_setWrapMode_2486); methods += new qt_gsi::GenericMethod (":tabArray", "@brief Method QList QTextOption::tabArray()\n", true, &_init_f_tabArray_c0, &_call_f_tabArray_c0); methods += new qt_gsi::GenericMethod (":tabStop", "@brief Method double QTextOption::tabStop()\n", true, &_init_f_tabStop_c0, &_call_f_tabStop_c0); - methods += new qt_gsi::GenericMethod ("tabStopDistance", "@brief Method double QTextOption::tabStopDistance()\n", true, &_init_f_tabStopDistance_c0, &_call_f_tabStopDistance_c0); + methods += new qt_gsi::GenericMethod (":tabStopDistance", "@brief Method double QTextOption::tabStopDistance()\n", true, &_init_f_tabStopDistance_c0, &_call_f_tabStopDistance_c0); methods += new qt_gsi::GenericMethod (":tabs", "@brief Method QList QTextOption::tabs()\n", true, &_init_f_tabs_c0, &_call_f_tabs_c0); methods += new qt_gsi::GenericMethod (":textDirection", "@brief Method Qt::LayoutDirection QTextOption::textDirection()\n", true, &_init_f_textDirection_c0, &_call_f_textDirection_c0); methods += new qt_gsi::GenericMethod (":useDesignMetrics", "@brief Method bool QTextOption::useDesignMetrics()\n", true, &_init_f_useDesignMetrics_c0, &_call_f_useDesignMetrics_c0); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQWindow.cc b/src/gsiqt/qt5/QtGui/gsiDeclQWindow.cc index 25c3a79adf..5e87218a57 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQWindow.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQWindow.cc @@ -2081,7 +2081,7 @@ static gsi::Methods methods_QWindow () { methods += new qt_gsi::GenericMethod ("setVisible|visible=", "@brief Method void QWindow::setVisible(bool visible)\n", false, &_init_f_setVisible_864, &_call_f_setVisible_864); methods += new qt_gsi::GenericMethod ("setWidth|width=", "@brief Method void QWindow::setWidth(int arg)\n", false, &_init_f_setWidth_767, &_call_f_setWidth_767); methods += new qt_gsi::GenericMethod ("setWindowState|windowState=", "@brief Method void QWindow::setWindowState(Qt::WindowState state)\n", false, &_init_f_setWindowState_1894, &_call_f_setWindowState_1894); - methods += new qt_gsi::GenericMethod ("setWindowStates", "@brief Method void QWindow::setWindowStates(QFlags states)\n", false, &_init_f_setWindowStates_2590, &_call_f_setWindowStates_2590); + methods += new qt_gsi::GenericMethod ("setWindowStates|windowStates=", "@brief Method void QWindow::setWindowStates(QFlags states)\n", false, &_init_f_setWindowStates_2590, &_call_f_setWindowStates_2590); methods += new qt_gsi::GenericMethod ("setX|x=", "@brief Method void QWindow::setX(int arg)\n", false, &_init_f_setX_767, &_call_f_setX_767); methods += new qt_gsi::GenericMethod ("setY|y=", "@brief Method void QWindow::setY(int arg)\n", false, &_init_f_setY_767, &_call_f_setY_767); methods += new qt_gsi::GenericMethod ("show", "@brief Method void QWindow::show()\n", false, &_init_f_show_0, &_call_f_show_0); @@ -2100,7 +2100,7 @@ static gsi::Methods methods_QWindow () { methods += new qt_gsi::GenericMethod (":width", "@brief Method int QWindow::width()\n", true, &_init_f_width_c0, &_call_f_width_c0); methods += new qt_gsi::GenericMethod ("winId", "@brief Method WId QWindow::winId()\n", true, &_init_f_winId_c0, &_call_f_winId_c0); methods += new qt_gsi::GenericMethod (":windowState", "@brief Method Qt::WindowState QWindow::windowState()\n", true, &_init_f_windowState_c0, &_call_f_windowState_c0); - methods += new qt_gsi::GenericMethod ("windowStates", "@brief Method QFlags QWindow::windowStates()\n", true, &_init_f_windowStates_c0, &_call_f_windowStates_c0); + methods += new qt_gsi::GenericMethod (":windowStates", "@brief Method QFlags QWindow::windowStates()\n", true, &_init_f_windowStates_c0, &_call_f_windowStates_c0); methods += new qt_gsi::GenericMethod (":x", "@brief Method int QWindow::x()\n", true, &_init_f_x_c0, &_call_f_x_c0); methods += new qt_gsi::GenericMethod (":y", "@brief Method int QWindow::y()\n", true, &_init_f_y_c0, &_call_f_y_c0); methods += gsi::qt_signal ("activeChanged()", "activeChanged", "@brief Signal declaration for QWindow::activeChanged()\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioDeviceInfo.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioDeviceInfo.cc index d38b6b2f13..d85bf89ffe 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioDeviceInfo.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioDeviceInfo.cc @@ -259,6 +259,8 @@ static gsi::Methods methods_QAbstractAudioDeviceInfo () { methods += new qt_gsi::GenericMethod ("supportedSampleRates", "@brief Method QList QAbstractAudioDeviceInfo::supportedSampleRates()\n", false, &_init_f_supportedSampleRates_0, &_call_f_supportedSampleRates_0); methods += new qt_gsi::GenericMethod ("supportedSampleSizes", "@brief Method QList QAbstractAudioDeviceInfo::supportedSampleSizes()\n", false, &_init_f_supportedSampleSizes_0, &_call_f_supportedSampleSizes_0); methods += new qt_gsi::GenericMethod ("supportedSampleTypes", "@brief Method QList QAbstractAudioDeviceInfo::supportedSampleTypes()\n", false, &_init_f_supportedSampleTypes_0, &_call_f_supportedSampleTypes_0); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAbstractAudioDeviceInfo::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAbstractAudioDeviceInfo::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAbstractAudioDeviceInfo::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QAbstractAudioDeviceInfo::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -307,6 +309,12 @@ class QAbstractAudioDeviceInfo_Adaptor : public QAbstractAudioDeviceInfo, public return QAbstractAudioDeviceInfo::senderSignalIndex(); } + // [emitter impl] void QAbstractAudioDeviceInfo::destroyed(QObject *) + void emitter_QAbstractAudioDeviceInfo_destroyed_1302(QObject *arg1) + { + emit QAbstractAudioDeviceInfo::destroyed(arg1); + } + // [adaptor impl] QString QAbstractAudioDeviceInfo::deviceName() QString cbs_deviceName_c0_0() const { @@ -368,6 +376,13 @@ class QAbstractAudioDeviceInfo_Adaptor : public QAbstractAudioDeviceInfo, public } } + // [emitter impl] void QAbstractAudioDeviceInfo::objectNameChanged(const QString &objectName) + void emitter_QAbstractAudioDeviceInfo_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAbstractAudioDeviceInfo::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] QAudioFormat QAbstractAudioDeviceInfo::preferredFormat() QAudioFormat cbs_preferredFormat_c0_0() const { @@ -614,6 +629,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAbstractAudioDeviceInfo::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAbstractAudioDeviceInfo_Adaptor *)cls)->emitter_QAbstractAudioDeviceInfo_destroyed_1302 (arg1); +} + + // QString QAbstractAudioDeviceInfo::deviceName() static void _init_cbs_deviceName_c0_0 (qt_gsi::GenericMethod *decl) @@ -747,6 +780,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAbstractAudioDeviceInfo::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAbstractAudioDeviceInfo_Adaptor *)cls)->emitter_QAbstractAudioDeviceInfo_objectNameChanged_4567 (arg1); +} + + // QAudioFormat QAbstractAudioDeviceInfo::preferredFormat() static void _init_cbs_preferredFormat_c0_0 (qt_gsi::GenericMethod *decl) @@ -962,6 +1013,7 @@ static gsi::Methods methods_QAbstractAudioDeviceInfo_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractAudioDeviceInfo::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractAudioDeviceInfo::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("deviceName", "@brief Virtual method QString QAbstractAudioDeviceInfo::deviceName()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_deviceName_c0_0, &_call_cbs_deviceName_c0_0); methods += new qt_gsi::GenericMethod ("deviceName", "@hide", true, &_init_cbs_deviceName_c0_0, &_call_cbs_deviceName_c0_0, &_set_callback_cbs_deviceName_c0_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractAudioDeviceInfo::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); @@ -973,6 +1025,7 @@ static gsi::Methods methods_QAbstractAudioDeviceInfo_Adaptor () { methods += new qt_gsi::GenericMethod ("isFormatSupported", "@brief Virtual method bool QAbstractAudioDeviceInfo::isFormatSupported(const QAudioFormat &format)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isFormatSupported_c2509_0, &_call_cbs_isFormatSupported_c2509_0); methods += new qt_gsi::GenericMethod ("isFormatSupported", "@hide", true, &_init_cbs_isFormatSupported_c2509_0, &_call_cbs_isFormatSupported_c2509_0, &_set_callback_cbs_isFormatSupported_c2509_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAbstractAudioDeviceInfo::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAbstractAudioDeviceInfo::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("preferredFormat", "@brief Virtual method QAudioFormat QAbstractAudioDeviceInfo::preferredFormat()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_preferredFormat_c0_0, &_call_cbs_preferredFormat_c0_0); methods += new qt_gsi::GenericMethod ("preferredFormat", "@hide", true, &_init_cbs_preferredFormat_c0_0, &_call_cbs_preferredFormat_c0_0, &_set_callback_cbs_preferredFormat_c0_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAbstractAudioDeviceInfo::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioInput.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioInput.cc index 3487504d76..0c19ce0392 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioInput.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioInput.cc @@ -116,26 +116,6 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QAbstractAudioInput::errorChanged(QAudio::Error error) - - -static void _init_f_errorChanged_1653 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("error"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_errorChanged_1653 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAbstractAudioInput *)cls)->errorChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QAudioFormat QAbstractAudioInput::format() @@ -151,22 +131,6 @@ static void _call_f_format_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QAbstractAudioInput::notify() - - -static void _init_f_notify_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_notify_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAbstractAudioInput *)cls)->notify (); -} - - // int QAbstractAudioInput::notifyInterval() @@ -374,26 +338,6 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QAbstractAudioInput::stateChanged(QAudio::State state) - - -static void _init_f_stateChanged_1644 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("state"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_stateChanged_1644 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAbstractAudioInput *)cls)->stateChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // void QAbstractAudioInput::stop() @@ -501,9 +445,7 @@ static gsi::Methods methods_QAbstractAudioInput () { methods += new qt_gsi::GenericMethod ("bytesReady", "@brief Method int QAbstractAudioInput::bytesReady()\n", true, &_init_f_bytesReady_c0, &_call_f_bytesReady_c0); methods += new qt_gsi::GenericMethod ("elapsedUSecs", "@brief Method qint64 QAbstractAudioInput::elapsedUSecs()\n", true, &_init_f_elapsedUSecs_c0, &_call_f_elapsedUSecs_c0); methods += new qt_gsi::GenericMethod ("error", "@brief Method QAudio::Error QAbstractAudioInput::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("errorChanged", "@brief Method void QAbstractAudioInput::errorChanged(QAudio::Error error)\n", false, &_init_f_errorChanged_1653, &_call_f_errorChanged_1653); methods += new qt_gsi::GenericMethod (":format", "@brief Method QAudioFormat QAbstractAudioInput::format()\n", true, &_init_f_format_c0, &_call_f_format_c0); - methods += new qt_gsi::GenericMethod ("notify", "@brief Method void QAbstractAudioInput::notify()\n", false, &_init_f_notify_0, &_call_f_notify_0); methods += new qt_gsi::GenericMethod (":notifyInterval", "@brief Method int QAbstractAudioInput::notifyInterval()\n", true, &_init_f_notifyInterval_c0, &_call_f_notifyInterval_c0); methods += new qt_gsi::GenericMethod ("periodSize", "@brief Method int QAbstractAudioInput::periodSize()\n", true, &_init_f_periodSize_c0, &_call_f_periodSize_c0); methods += new qt_gsi::GenericMethod ("processedUSecs", "@brief Method qint64 QAbstractAudioInput::processedUSecs()\n", true, &_init_f_processedUSecs_c0, &_call_f_processedUSecs_c0); @@ -516,10 +458,14 @@ static gsi::Methods methods_QAbstractAudioInput () { methods += new qt_gsi::GenericMethod ("start", "@brief Method void QAbstractAudioInput::start(QIODevice *device)\n", false, &_init_f_start_1447, &_call_f_start_1447); methods += new qt_gsi::GenericMethod ("start", "@brief Method QIODevice *QAbstractAudioInput::start()\n", false, &_init_f_start_0, &_call_f_start_0); methods += new qt_gsi::GenericMethod ("state", "@brief Method QAudio::State QAbstractAudioInput::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QAbstractAudioInput::stateChanged(QAudio::State state)\n", false, &_init_f_stateChanged_1644, &_call_f_stateChanged_1644); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QAbstractAudioInput::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); methods += new qt_gsi::GenericMethod ("suspend", "@brief Method void QAbstractAudioInput::suspend()\n", false, &_init_f_suspend_0, &_call_f_suspend_0); methods += new qt_gsi::GenericMethod (":volume", "@brief Method double QAbstractAudioInput::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAbstractAudioInput::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("errorChanged(QAudio::Error)", "errorChanged", gsi::arg("error"), "@brief Signal declaration for QAbstractAudioInput::errorChanged(QAudio::Error error)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("notify()", "notify", "@brief Signal declaration for QAbstractAudioInput::notify()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAbstractAudioInput::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("stateChanged(QAudio::State)", "stateChanged", gsi::arg("state"), "@brief Signal declaration for QAbstractAudioInput::stateChanged(QAudio::State state)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAbstractAudioInput::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QAbstractAudioInput::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -598,6 +544,12 @@ class QAbstractAudioInput_Adaptor : public QAbstractAudioInput, public qt_gsi::Q } } + // [emitter impl] void QAbstractAudioInput::destroyed(QObject *) + void emitter_QAbstractAudioInput_destroyed_1302(QObject *arg1) + { + emit QAbstractAudioInput::destroyed(arg1); + } + // [adaptor impl] qint64 QAbstractAudioInput::elapsedUSecs() qint64 cbs_elapsedUSecs_c0_0() const { @@ -628,6 +580,12 @@ class QAbstractAudioInput_Adaptor : public QAbstractAudioInput, public qt_gsi::Q } } + // [emitter impl] void QAbstractAudioInput::errorChanged(QAudio::Error error) + void emitter_QAbstractAudioInput_errorChanged_1653(QAudio::Error error) + { + emit QAbstractAudioInput::errorChanged(error); + } + // [adaptor impl] bool QAbstractAudioInput::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -673,6 +631,12 @@ class QAbstractAudioInput_Adaptor : public QAbstractAudioInput, public qt_gsi::Q } } + // [emitter impl] void QAbstractAudioInput::notify() + void emitter_QAbstractAudioInput_notify_0() + { + emit QAbstractAudioInput::notify(); + } + // [adaptor impl] int QAbstractAudioInput::notifyInterval() int cbs_notifyInterval_c0_0() const { @@ -688,6 +652,13 @@ class QAbstractAudioInput_Adaptor : public QAbstractAudioInput, public qt_gsi::Q } } + // [emitter impl] void QAbstractAudioInput::objectNameChanged(const QString &objectName) + void emitter_QAbstractAudioInput_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAbstractAudioInput::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] int QAbstractAudioInput::periodSize() int cbs_periodSize_c0_0() const { @@ -858,6 +829,12 @@ class QAbstractAudioInput_Adaptor : public QAbstractAudioInput, public qt_gsi::Q } } + // [emitter impl] void QAbstractAudioInput::stateChanged(QAudio::State state) + void emitter_QAbstractAudioInput_stateChanged_1644(QAudio::State state) + { + emit QAbstractAudioInput::stateChanged(state); + } + // [adaptor impl] void QAbstractAudioInput::stop() void cbs_stop_0_0() { @@ -1093,6 +1070,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAbstractAudioInput::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAbstractAudioInput_Adaptor *)cls)->emitter_QAbstractAudioInput_destroyed_1302 (arg1); +} + + // void QAbstractAudioInput::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1155,6 +1150,24 @@ static void _set_callback_cbs_error_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QAbstractAudioInput::errorChanged(QAudio::Error error) + +static void _init_emitter_errorChanged_1653 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("error"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_errorChanged_1653 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QAbstractAudioInput_Adaptor *)cls)->emitter_QAbstractAudioInput_errorChanged_1653 (arg1); +} + + // bool QAbstractAudioInput::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -1241,6 +1254,20 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAbstractAudioInput::notify() + +static void _init_emitter_notify_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_notify_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAbstractAudioInput_Adaptor *)cls)->emitter_QAbstractAudioInput_notify_0 (); +} + + // int QAbstractAudioInput::notifyInterval() static void _init_cbs_notifyInterval_c0_0 (qt_gsi::GenericMethod *decl) @@ -1260,6 +1287,24 @@ static void _set_callback_cbs_notifyInterval_c0_0 (void *cls, const gsi::Callbac } +// emitter void QAbstractAudioInput::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAbstractAudioInput_Adaptor *)cls)->emitter_QAbstractAudioInput_objectNameChanged_4567 (arg1); +} + + // int QAbstractAudioInput::periodSize() static void _init_cbs_periodSize_c0_0 (qt_gsi::GenericMethod *decl) @@ -1542,6 +1587,24 @@ static void _set_callback_cbs_state_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QAbstractAudioInput::stateChanged(QAudio::State state) + +static void _init_emitter_stateChanged_1644 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("state"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stateChanged_1644 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QAbstractAudioInput_Adaptor *)cls)->emitter_QAbstractAudioInput_stateChanged_1644 (arg1); +} + + // void QAbstractAudioInput::stop() static void _init_cbs_stop_0_0 (qt_gsi::GenericMethod *decl) @@ -1641,12 +1704,14 @@ static gsi::Methods methods_QAbstractAudioInput_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractAudioInput::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractAudioInput::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractAudioInput::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("elapsedUSecs", "@brief Virtual method qint64 QAbstractAudioInput::elapsedUSecs()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_elapsedUSecs_c0_0, &_call_cbs_elapsedUSecs_c0_0); methods += new qt_gsi::GenericMethod ("elapsedUSecs", "@hide", true, &_init_cbs_elapsedUSecs_c0_0, &_call_cbs_elapsedUSecs_c0_0, &_set_callback_cbs_elapsedUSecs_c0_0); methods += new qt_gsi::GenericMethod ("error", "@brief Virtual method QAudio::Error QAbstractAudioInput::error()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_error_c0_0, &_call_cbs_error_c0_0); methods += new qt_gsi::GenericMethod ("error", "@hide", true, &_init_cbs_error_c0_0, &_call_cbs_error_c0_0, &_set_callback_cbs_error_c0_0); + methods += new qt_gsi::GenericMethod ("emit_errorChanged", "@brief Emitter for signal void QAbstractAudioInput::errorChanged(QAudio::Error error)\nCall this method to emit this signal.", false, &_init_emitter_errorChanged_1653, &_call_emitter_errorChanged_1653); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractAudioInput::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractAudioInput::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); @@ -1654,8 +1719,10 @@ static gsi::Methods methods_QAbstractAudioInput_Adaptor () { methods += new qt_gsi::GenericMethod ("format", "@brief Virtual method QAudioFormat QAbstractAudioInput::format()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_format_c0_0, &_call_cbs_format_c0_0); methods += new qt_gsi::GenericMethod ("format", "@hide", true, &_init_cbs_format_c0_0, &_call_cbs_format_c0_0, &_set_callback_cbs_format_c0_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAbstractAudioInput::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_notify", "@brief Emitter for signal void QAbstractAudioInput::notify()\nCall this method to emit this signal.", false, &_init_emitter_notify_0, &_call_emitter_notify_0); methods += new qt_gsi::GenericMethod ("notifyInterval", "@brief Virtual method int QAbstractAudioInput::notifyInterval()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_notifyInterval_c0_0, &_call_cbs_notifyInterval_c0_0); methods += new qt_gsi::GenericMethod ("notifyInterval", "@hide", true, &_init_cbs_notifyInterval_c0_0, &_call_cbs_notifyInterval_c0_0, &_set_callback_cbs_notifyInterval_c0_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAbstractAudioInput::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("periodSize", "@brief Virtual method int QAbstractAudioInput::periodSize()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_periodSize_c0_0, &_call_cbs_periodSize_c0_0); methods += new qt_gsi::GenericMethod ("periodSize", "@hide", true, &_init_cbs_periodSize_c0_0, &_call_cbs_periodSize_c0_0, &_set_callback_cbs_periodSize_c0_0); methods += new qt_gsi::GenericMethod ("processedUSecs", "@brief Virtual method qint64 QAbstractAudioInput::processedUSecs()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_processedUSecs_c0_0, &_call_cbs_processedUSecs_c0_0); @@ -1681,6 +1748,7 @@ static gsi::Methods methods_QAbstractAudioInput_Adaptor () { methods += new qt_gsi::GenericMethod ("start", "@hide", false, &_init_cbs_start_0_0, &_call_cbs_start_0_0, &_set_callback_cbs_start_0_0); methods += new qt_gsi::GenericMethod ("state", "@brief Virtual method QAudio::State QAbstractAudioInput::state()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_state_c0_0, &_call_cbs_state_c0_0); methods += new qt_gsi::GenericMethod ("state", "@hide", true, &_init_cbs_state_c0_0, &_call_cbs_state_c0_0, &_set_callback_cbs_state_c0_0); + methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QAbstractAudioInput::stateChanged(QAudio::State state)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_1644, &_call_emitter_stateChanged_1644); methods += new qt_gsi::GenericMethod ("stop", "@brief Virtual method void QAbstractAudioInput::stop()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0); methods += new qt_gsi::GenericMethod ("stop", "@hide", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0, &_set_callback_cbs_stop_0_0); methods += new qt_gsi::GenericMethod ("suspend", "@brief Virtual method void QAbstractAudioInput::suspend()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_suspend_0_0, &_call_cbs_suspend_0_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioOutput.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioOutput.cc index ee6f2ecb39..6cac15b39a 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioOutput.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioOutput.cc @@ -131,26 +131,6 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QAbstractAudioOutput::errorChanged(QAudio::Error error) - - -static void _init_f_errorChanged_1653 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("error"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_errorChanged_1653 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAbstractAudioOutput *)cls)->errorChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QAudioFormat QAbstractAudioOutput::format() @@ -166,22 +146,6 @@ static void _call_f_format_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QAbstractAudioOutput::notify() - - -static void _init_f_notify_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_notify_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAbstractAudioOutput *)cls)->notify (); -} - - // int QAbstractAudioOutput::notifyInterval() @@ -409,26 +373,6 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QAbstractAudioOutput::stateChanged(QAudio::State state) - - -static void _init_f_stateChanged_1644 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("state"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_stateChanged_1644 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAbstractAudioOutput *)cls)->stateChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // void QAbstractAudioOutput::stop() @@ -537,9 +481,7 @@ static gsi::Methods methods_QAbstractAudioOutput () { methods += new qt_gsi::GenericMethod (":category", "@brief Method QString QAbstractAudioOutput::category()\n", true, &_init_f_category_c0, &_call_f_category_c0); methods += new qt_gsi::GenericMethod ("elapsedUSecs", "@brief Method qint64 QAbstractAudioOutput::elapsedUSecs()\n", true, &_init_f_elapsedUSecs_c0, &_call_f_elapsedUSecs_c0); methods += new qt_gsi::GenericMethod ("error", "@brief Method QAudio::Error QAbstractAudioOutput::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("errorChanged", "@brief Method void QAbstractAudioOutput::errorChanged(QAudio::Error error)\n", false, &_init_f_errorChanged_1653, &_call_f_errorChanged_1653); methods += new qt_gsi::GenericMethod (":format", "@brief Method QAudioFormat QAbstractAudioOutput::format()\n", true, &_init_f_format_c0, &_call_f_format_c0); - methods += new qt_gsi::GenericMethod ("notify", "@brief Method void QAbstractAudioOutput::notify()\n", false, &_init_f_notify_0, &_call_f_notify_0); methods += new qt_gsi::GenericMethod (":notifyInterval", "@brief Method int QAbstractAudioOutput::notifyInterval()\n", true, &_init_f_notifyInterval_c0, &_call_f_notifyInterval_c0); methods += new qt_gsi::GenericMethod ("periodSize", "@brief Method int QAbstractAudioOutput::periodSize()\n", true, &_init_f_periodSize_c0, &_call_f_periodSize_c0); methods += new qt_gsi::GenericMethod ("processedUSecs", "@brief Method qint64 QAbstractAudioOutput::processedUSecs()\n", true, &_init_f_processedUSecs_c0, &_call_f_processedUSecs_c0); @@ -553,10 +495,14 @@ static gsi::Methods methods_QAbstractAudioOutput () { methods += new qt_gsi::GenericMethod ("start", "@brief Method void QAbstractAudioOutput::start(QIODevice *device)\n", false, &_init_f_start_1447, &_call_f_start_1447); methods += new qt_gsi::GenericMethod ("start", "@brief Method QIODevice *QAbstractAudioOutput::start()\n", false, &_init_f_start_0, &_call_f_start_0); methods += new qt_gsi::GenericMethod ("state", "@brief Method QAudio::State QAbstractAudioOutput::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QAbstractAudioOutput::stateChanged(QAudio::State state)\n", false, &_init_f_stateChanged_1644, &_call_f_stateChanged_1644); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QAbstractAudioOutput::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); methods += new qt_gsi::GenericMethod ("suspend", "@brief Method void QAbstractAudioOutput::suspend()\n", false, &_init_f_suspend_0, &_call_f_suspend_0); methods += new qt_gsi::GenericMethod (":volume", "@brief Method double QAbstractAudioOutput::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAbstractAudioOutput::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("errorChanged(QAudio::Error)", "errorChanged", gsi::arg("error"), "@brief Signal declaration for QAbstractAudioOutput::errorChanged(QAudio::Error error)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("notify()", "notify", "@brief Signal declaration for QAbstractAudioOutput::notify()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAbstractAudioOutput::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("stateChanged(QAudio::State)", "stateChanged", gsi::arg("state"), "@brief Signal declaration for QAbstractAudioOutput::stateChanged(QAudio::State state)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAbstractAudioOutput::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QAbstractAudioOutput::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -650,6 +596,12 @@ class QAbstractAudioOutput_Adaptor : public QAbstractAudioOutput, public qt_gsi: } } + // [emitter impl] void QAbstractAudioOutput::destroyed(QObject *) + void emitter_QAbstractAudioOutput_destroyed_1302(QObject *arg1) + { + emit QAbstractAudioOutput::destroyed(arg1); + } + // [adaptor impl] qint64 QAbstractAudioOutput::elapsedUSecs() qint64 cbs_elapsedUSecs_c0_0() const { @@ -680,6 +632,12 @@ class QAbstractAudioOutput_Adaptor : public QAbstractAudioOutput, public qt_gsi: } } + // [emitter impl] void QAbstractAudioOutput::errorChanged(QAudio::Error error) + void emitter_QAbstractAudioOutput_errorChanged_1653(QAudio::Error error) + { + emit QAbstractAudioOutput::errorChanged(error); + } + // [adaptor impl] bool QAbstractAudioOutput::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -725,6 +683,12 @@ class QAbstractAudioOutput_Adaptor : public QAbstractAudioOutput, public qt_gsi: } } + // [emitter impl] void QAbstractAudioOutput::notify() + void emitter_QAbstractAudioOutput_notify_0() + { + emit QAbstractAudioOutput::notify(); + } + // [adaptor impl] int QAbstractAudioOutput::notifyInterval() int cbs_notifyInterval_c0_0() const { @@ -740,6 +704,13 @@ class QAbstractAudioOutput_Adaptor : public QAbstractAudioOutput, public qt_gsi: } } + // [emitter impl] void QAbstractAudioOutput::objectNameChanged(const QString &objectName) + void emitter_QAbstractAudioOutput_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAbstractAudioOutput::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] int QAbstractAudioOutput::periodSize() int cbs_periodSize_c0_0() const { @@ -924,6 +895,12 @@ class QAbstractAudioOutput_Adaptor : public QAbstractAudioOutput, public qt_gsi: } } + // [emitter impl] void QAbstractAudioOutput::stateChanged(QAudio::State state) + void emitter_QAbstractAudioOutput_stateChanged_1644(QAudio::State state) + { + emit QAbstractAudioOutput::stateChanged(state); + } + // [adaptor impl] void QAbstractAudioOutput::stop() void cbs_stop_0_0() { @@ -1180,6 +1157,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAbstractAudioOutput::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAbstractAudioOutput_Adaptor *)cls)->emitter_QAbstractAudioOutput_destroyed_1302 (arg1); +} + + // void QAbstractAudioOutput::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1242,6 +1237,24 @@ static void _set_callback_cbs_error_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QAbstractAudioOutput::errorChanged(QAudio::Error error) + +static void _init_emitter_errorChanged_1653 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("error"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_errorChanged_1653 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QAbstractAudioOutput_Adaptor *)cls)->emitter_QAbstractAudioOutput_errorChanged_1653 (arg1); +} + + // bool QAbstractAudioOutput::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -1328,6 +1341,20 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAbstractAudioOutput::notify() + +static void _init_emitter_notify_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_notify_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAbstractAudioOutput_Adaptor *)cls)->emitter_QAbstractAudioOutput_notify_0 (); +} + + // int QAbstractAudioOutput::notifyInterval() static void _init_cbs_notifyInterval_c0_0 (qt_gsi::GenericMethod *decl) @@ -1347,6 +1374,24 @@ static void _set_callback_cbs_notifyInterval_c0_0 (void *cls, const gsi::Callbac } +// emitter void QAbstractAudioOutput::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAbstractAudioOutput_Adaptor *)cls)->emitter_QAbstractAudioOutput_objectNameChanged_4567 (arg1); +} + + // int QAbstractAudioOutput::periodSize() static void _init_cbs_periodSize_c0_0 (qt_gsi::GenericMethod *decl) @@ -1653,6 +1698,24 @@ static void _set_callback_cbs_state_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QAbstractAudioOutput::stateChanged(QAudio::State state) + +static void _init_emitter_stateChanged_1644 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("state"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stateChanged_1644 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QAbstractAudioOutput_Adaptor *)cls)->emitter_QAbstractAudioOutput_stateChanged_1644 (arg1); +} + + // void QAbstractAudioOutput::stop() static void _init_cbs_stop_0_0 (qt_gsi::GenericMethod *decl) @@ -1754,12 +1817,14 @@ static gsi::Methods methods_QAbstractAudioOutput_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractAudioOutput::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractAudioOutput::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractAudioOutput::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("elapsedUSecs", "@brief Virtual method qint64 QAbstractAudioOutput::elapsedUSecs()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_elapsedUSecs_c0_0, &_call_cbs_elapsedUSecs_c0_0); methods += new qt_gsi::GenericMethod ("elapsedUSecs", "@hide", true, &_init_cbs_elapsedUSecs_c0_0, &_call_cbs_elapsedUSecs_c0_0, &_set_callback_cbs_elapsedUSecs_c0_0); methods += new qt_gsi::GenericMethod ("error", "@brief Virtual method QAudio::Error QAbstractAudioOutput::error()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_error_c0_0, &_call_cbs_error_c0_0); methods += new qt_gsi::GenericMethod ("error", "@hide", true, &_init_cbs_error_c0_0, &_call_cbs_error_c0_0, &_set_callback_cbs_error_c0_0); + methods += new qt_gsi::GenericMethod ("emit_errorChanged", "@brief Emitter for signal void QAbstractAudioOutput::errorChanged(QAudio::Error error)\nCall this method to emit this signal.", false, &_init_emitter_errorChanged_1653, &_call_emitter_errorChanged_1653); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractAudioOutput::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractAudioOutput::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); @@ -1767,8 +1832,10 @@ static gsi::Methods methods_QAbstractAudioOutput_Adaptor () { methods += new qt_gsi::GenericMethod ("format", "@brief Virtual method QAudioFormat QAbstractAudioOutput::format()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_format_c0_0, &_call_cbs_format_c0_0); methods += new qt_gsi::GenericMethod ("format", "@hide", true, &_init_cbs_format_c0_0, &_call_cbs_format_c0_0, &_set_callback_cbs_format_c0_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAbstractAudioOutput::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_notify", "@brief Emitter for signal void QAbstractAudioOutput::notify()\nCall this method to emit this signal.", false, &_init_emitter_notify_0, &_call_emitter_notify_0); methods += new qt_gsi::GenericMethod ("notifyInterval", "@brief Virtual method int QAbstractAudioOutput::notifyInterval()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_notifyInterval_c0_0, &_call_cbs_notifyInterval_c0_0); methods += new qt_gsi::GenericMethod ("notifyInterval", "@hide", true, &_init_cbs_notifyInterval_c0_0, &_call_cbs_notifyInterval_c0_0, &_set_callback_cbs_notifyInterval_c0_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAbstractAudioOutput::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("periodSize", "@brief Virtual method int QAbstractAudioOutput::periodSize()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_periodSize_c0_0, &_call_cbs_periodSize_c0_0); methods += new qt_gsi::GenericMethod ("periodSize", "@hide", true, &_init_cbs_periodSize_c0_0, &_call_cbs_periodSize_c0_0, &_set_callback_cbs_periodSize_c0_0); methods += new qt_gsi::GenericMethod ("processedUSecs", "@brief Virtual method qint64 QAbstractAudioOutput::processedUSecs()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_processedUSecs_c0_0, &_call_cbs_processedUSecs_c0_0); @@ -1796,6 +1863,7 @@ static gsi::Methods methods_QAbstractAudioOutput_Adaptor () { methods += new qt_gsi::GenericMethod ("start", "@hide", false, &_init_cbs_start_0_0, &_call_cbs_start_0_0, &_set_callback_cbs_start_0_0); methods += new qt_gsi::GenericMethod ("state", "@brief Virtual method QAudio::State QAbstractAudioOutput::state()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_state_c0_0, &_call_cbs_state_c0_0); methods += new qt_gsi::GenericMethod ("state", "@hide", true, &_init_cbs_state_c0_0, &_call_cbs_state_c0_0, &_set_callback_cbs_state_c0_0); + methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QAbstractAudioOutput::stateChanged(QAudio::State state)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_1644, &_call_emitter_stateChanged_1644); methods += new qt_gsi::GenericMethod ("stop", "@brief Virtual method void QAbstractAudioOutput::stop()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0); methods += new qt_gsi::GenericMethod ("stop", "@hide", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0, &_set_callback_cbs_stop_0_0); methods += new qt_gsi::GenericMethod ("suspend", "@brief Virtual method void QAbstractAudioOutput::suspend()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_suspend_0_0, &_call_cbs_suspend_0_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoFilter.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoFilter.cc index 0211088875..a6441addbf 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoFilter.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoFilter.cc @@ -55,22 +55,6 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// void QAbstractVideoFilter::activeChanged() - - -static void _init_f_activeChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_activeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAbstractVideoFilter *)cls)->activeChanged (); -} - - // QVideoFilterRunnable *QAbstractVideoFilter::createFilterRunnable() @@ -177,10 +161,12 @@ namespace gsi static gsi::Methods methods_QAbstractVideoFilter () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("activeChanged", "@brief Method void QAbstractVideoFilter::activeChanged()\n", false, &_init_f_activeChanged_0, &_call_f_activeChanged_0); methods += new qt_gsi::GenericMethod ("createFilterRunnable", "@brief Method QVideoFilterRunnable *QAbstractVideoFilter::createFilterRunnable()\n", false, &_init_f_createFilterRunnable_0, &_call_f_createFilterRunnable_0); methods += new qt_gsi::GenericMethod ("isActive?|:active", "@brief Method bool QAbstractVideoFilter::isActive()\n", true, &_init_f_isActive_c0, &_call_f_isActive_c0); methods += new qt_gsi::GenericMethod ("setActive|active=", "@brief Method void QAbstractVideoFilter::setActive(bool v)\n", false, &_init_f_setActive_864, &_call_f_setActive_864); + methods += gsi::qt_signal ("activeChanged()", "activeChanged", "@brief Signal declaration for QAbstractVideoFilter::activeChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAbstractVideoFilter::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAbstractVideoFilter::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAbstractVideoFilter::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QAbstractVideoFilter::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -235,6 +221,12 @@ class QAbstractVideoFilter_Adaptor : public QAbstractVideoFilter, public qt_gsi: return QAbstractVideoFilter::senderSignalIndex(); } + // [emitter impl] void QAbstractVideoFilter::activeChanged() + void emitter_QAbstractVideoFilter_activeChanged_0() + { + emit QAbstractVideoFilter::activeChanged(); + } + // [adaptor impl] QVideoFilterRunnable *QAbstractVideoFilter::createFilterRunnable() QVideoFilterRunnable * cbs_createFilterRunnable_0_0() { @@ -250,6 +242,12 @@ class QAbstractVideoFilter_Adaptor : public QAbstractVideoFilter, public qt_gsi: } } + // [emitter impl] void QAbstractVideoFilter::destroyed(QObject *) + void emitter_QAbstractVideoFilter_destroyed_1302(QObject *arg1) + { + emit QAbstractVideoFilter::destroyed(arg1); + } + // [adaptor impl] bool QAbstractVideoFilter::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -280,6 +278,13 @@ class QAbstractVideoFilter_Adaptor : public QAbstractVideoFilter, public qt_gsi: } } + // [emitter impl] void QAbstractVideoFilter::objectNameChanged(const QString &objectName) + void emitter_QAbstractVideoFilter_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAbstractVideoFilter::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QAbstractVideoFilter::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -369,6 +374,20 @@ static void _call_ctor_QAbstractVideoFilter_Adaptor_1302 (const qt_gsi::GenericS } +// emitter void QAbstractVideoFilter::activeChanged() + +static void _init_emitter_activeChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_activeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAbstractVideoFilter_Adaptor *)cls)->emitter_QAbstractVideoFilter_activeChanged_0 (); +} + + // void QAbstractVideoFilter::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -436,6 +455,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAbstractVideoFilter::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAbstractVideoFilter_Adaptor *)cls)->emitter_QAbstractVideoFilter_destroyed_1302 (arg1); +} + + // void QAbstractVideoFilter::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -527,6 +564,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAbstractVideoFilter::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAbstractVideoFilter_Adaptor *)cls)->emitter_QAbstractVideoFilter_objectNameChanged_4567 (arg1); +} + + // exposed int QAbstractVideoFilter::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -605,12 +660,14 @@ gsi::Class &qtdecl_QAbstractVideoFilter (); static gsi::Methods methods_QAbstractVideoFilter_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractVideoFilter::QAbstractVideoFilter(QObject *parent)\nThis method creates an object of class QAbstractVideoFilter.", &_init_ctor_QAbstractVideoFilter_Adaptor_1302, &_call_ctor_QAbstractVideoFilter_Adaptor_1302); + methods += new qt_gsi::GenericMethod ("emit_activeChanged", "@brief Emitter for signal void QAbstractVideoFilter::activeChanged()\nCall this method to emit this signal.", false, &_init_emitter_activeChanged_0, &_call_emitter_activeChanged_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractVideoFilter::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("createFilterRunnable", "@brief Virtual method QVideoFilterRunnable *QAbstractVideoFilter::createFilterRunnable()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_createFilterRunnable_0_0, &_call_cbs_createFilterRunnable_0_0); methods += new qt_gsi::GenericMethod ("createFilterRunnable", "@hide", false, &_init_cbs_createFilterRunnable_0_0, &_call_cbs_createFilterRunnable_0_0, &_set_callback_cbs_createFilterRunnable_0_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractVideoFilter::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractVideoFilter::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractVideoFilter::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractVideoFilter::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -618,6 +675,7 @@ static gsi::Methods methods_QAbstractVideoFilter_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractVideoFilter::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAbstractVideoFilter::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAbstractVideoFilter::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAbstractVideoFilter::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAbstractVideoFilter::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAbstractVideoFilter::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoSurface.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoSurface.cc index e2f8ea7c0c..fc569552e2 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoSurface.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoSurface.cc @@ -57,26 +57,6 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// void QAbstractVideoSurface::activeChanged(bool active) - - -static void _init_f_activeChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("active"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_activeChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAbstractVideoSurface *)cls)->activeChanged (arg1); -} - - // QAbstractVideoSurface::Error QAbstractVideoSurface::error() @@ -141,26 +121,6 @@ static void _call_f_nativeResolution_c0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QAbstractVideoSurface::nativeResolutionChanged(const QSize &resolution) - - -static void _init_f_nativeResolutionChanged_1805 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("resolution"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_nativeResolutionChanged_1805 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QSize &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAbstractVideoSurface *)cls)->nativeResolutionChanged (arg1); -} - - // QVideoSurfaceFormat QAbstractVideoSurface::nearestFormat(const QVideoSurfaceFormat &format) @@ -234,22 +194,6 @@ static void _call_f_stop_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, g } -// void QAbstractVideoSurface::supportedFormatsChanged() - - -static void _init_f_supportedFormatsChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_supportedFormatsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAbstractVideoSurface *)cls)->supportedFormatsChanged (); -} - - // QList QAbstractVideoSurface::supportedPixelFormats(QAbstractVideoBuffer::HandleType type) @@ -284,26 +228,6 @@ static void _call_f_surfaceFormat_c0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QAbstractVideoSurface::surfaceFormatChanged(const QVideoSurfaceFormat &format) - - -static void _init_f_surfaceFormatChanged_3227 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("format"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_surfaceFormatChanged_3227 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QVideoSurfaceFormat &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAbstractVideoSurface *)cls)->surfaceFormatChanged (arg1); -} - - // static QString QAbstractVideoSurface::tr(const char *s, const char *c, int n) @@ -360,20 +284,22 @@ namespace gsi static gsi::Methods methods_QAbstractVideoSurface () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("activeChanged", "@brief Method void QAbstractVideoSurface::activeChanged(bool active)\n", false, &_init_f_activeChanged_864, &_call_f_activeChanged_864); methods += new qt_gsi::GenericMethod ("error", "@brief Method QAbstractVideoSurface::Error QAbstractVideoSurface::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); methods += new qt_gsi::GenericMethod ("isActive?", "@brief Method bool QAbstractVideoSurface::isActive()\n", true, &_init_f_isActive_c0, &_call_f_isActive_c0); methods += new qt_gsi::GenericMethod ("isFormatSupported?", "@brief Method bool QAbstractVideoSurface::isFormatSupported(const QVideoSurfaceFormat &format)\n", true, &_init_f_isFormatSupported_c3227, &_call_f_isFormatSupported_c3227); methods += new qt_gsi::GenericMethod (":nativeResolution", "@brief Method QSize QAbstractVideoSurface::nativeResolution()\n", true, &_init_f_nativeResolution_c0, &_call_f_nativeResolution_c0); - methods += new qt_gsi::GenericMethod ("nativeResolutionChanged", "@brief Method void QAbstractVideoSurface::nativeResolutionChanged(const QSize &resolution)\n", false, &_init_f_nativeResolutionChanged_1805, &_call_f_nativeResolutionChanged_1805); methods += new qt_gsi::GenericMethod ("nearestFormat", "@brief Method QVideoSurfaceFormat QAbstractVideoSurface::nearestFormat(const QVideoSurfaceFormat &format)\n", true, &_init_f_nearestFormat_c3227, &_call_f_nearestFormat_c3227); methods += new qt_gsi::GenericMethod ("present", "@brief Method bool QAbstractVideoSurface::present(const QVideoFrame &frame)\n", false, &_init_f_present_2388, &_call_f_present_2388); methods += new qt_gsi::GenericMethod ("start", "@brief Method bool QAbstractVideoSurface::start(const QVideoSurfaceFormat &format)\n", false, &_init_f_start_3227, &_call_f_start_3227); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QAbstractVideoSurface::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); - methods += new qt_gsi::GenericMethod ("supportedFormatsChanged", "@brief Method void QAbstractVideoSurface::supportedFormatsChanged()\n", false, &_init_f_supportedFormatsChanged_0, &_call_f_supportedFormatsChanged_0); methods += new qt_gsi::GenericMethod ("supportedPixelFormats", "@brief Method QList QAbstractVideoSurface::supportedPixelFormats(QAbstractVideoBuffer::HandleType type)\n", true, &_init_f_supportedPixelFormats_c3564, &_call_f_supportedPixelFormats_c3564); methods += new qt_gsi::GenericMethod ("surfaceFormat", "@brief Method QVideoSurfaceFormat QAbstractVideoSurface::surfaceFormat()\n", true, &_init_f_surfaceFormat_c0, &_call_f_surfaceFormat_c0); - methods += new qt_gsi::GenericMethod ("surfaceFormatChanged", "@brief Method void QAbstractVideoSurface::surfaceFormatChanged(const QVideoSurfaceFormat &format)\n", false, &_init_f_surfaceFormatChanged_3227, &_call_f_surfaceFormatChanged_3227); + methods += gsi::qt_signal ("activeChanged(bool)", "activeChanged", gsi::arg("active"), "@brief Signal declaration for QAbstractVideoSurface::activeChanged(bool active)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAbstractVideoSurface::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("nativeResolutionChanged(const QSize &)", "nativeResolutionChanged", gsi::arg("resolution"), "@brief Signal declaration for QAbstractVideoSurface::nativeResolutionChanged(const QSize &resolution)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAbstractVideoSurface::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("supportedFormatsChanged()", "supportedFormatsChanged", "@brief Signal declaration for QAbstractVideoSurface::supportedFormatsChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("surfaceFormatChanged(const QVideoSurfaceFormat &)", "surfaceFormatChanged", gsi::arg("format"), "@brief Signal declaration for QAbstractVideoSurface::surfaceFormatChanged(const QVideoSurfaceFormat &format)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAbstractVideoSurface::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QAbstractVideoSurface::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -438,6 +364,18 @@ class QAbstractVideoSurface_Adaptor : public QAbstractVideoSurface, public qt_gs QAbstractVideoSurface::setNativeResolution(resolution); } + // [emitter impl] void QAbstractVideoSurface::activeChanged(bool active) + void emitter_QAbstractVideoSurface_activeChanged_864(bool active) + { + emit QAbstractVideoSurface::activeChanged(active); + } + + // [emitter impl] void QAbstractVideoSurface::destroyed(QObject *) + void emitter_QAbstractVideoSurface_destroyed_1302(QObject *arg1) + { + emit QAbstractVideoSurface::destroyed(arg1); + } + // [adaptor impl] bool QAbstractVideoSurface::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -483,6 +421,12 @@ class QAbstractVideoSurface_Adaptor : public QAbstractVideoSurface, public qt_gs } } + // [emitter impl] void QAbstractVideoSurface::nativeResolutionChanged(const QSize &resolution) + void emitter_QAbstractVideoSurface_nativeResolutionChanged_1805(const QSize &resolution) + { + emit QAbstractVideoSurface::nativeResolutionChanged(resolution); + } + // [adaptor impl] QVideoSurfaceFormat QAbstractVideoSurface::nearestFormat(const QVideoSurfaceFormat &format) QVideoSurfaceFormat cbs_nearestFormat_c3227_0(const QVideoSurfaceFormat &format) const { @@ -498,6 +442,13 @@ class QAbstractVideoSurface_Adaptor : public QAbstractVideoSurface, public qt_gs } } + // [emitter impl] void QAbstractVideoSurface::objectNameChanged(const QString &objectName) + void emitter_QAbstractVideoSurface_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAbstractVideoSurface::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] bool QAbstractVideoSurface::present(const QVideoFrame &frame) bool cbs_present_2388_0(const QVideoFrame &frame) { @@ -544,6 +495,12 @@ class QAbstractVideoSurface_Adaptor : public QAbstractVideoSurface, public qt_gs } } + // [emitter impl] void QAbstractVideoSurface::supportedFormatsChanged() + void emitter_QAbstractVideoSurface_supportedFormatsChanged_0() + { + emit QAbstractVideoSurface::supportedFormatsChanged(); + } + // [adaptor impl] QList QAbstractVideoSurface::supportedPixelFormats(QAbstractVideoBuffer::HandleType type) QList cbs_supportedPixelFormats_c3564_1(const qt_gsi::Converter::target_type & type) const { @@ -560,6 +517,12 @@ class QAbstractVideoSurface_Adaptor : public QAbstractVideoSurface, public qt_gs } } + // [emitter impl] void QAbstractVideoSurface::surfaceFormatChanged(const QVideoSurfaceFormat &format) + void emitter_QAbstractVideoSurface_surfaceFormatChanged_3227(const QVideoSurfaceFormat &format) + { + emit QAbstractVideoSurface::surfaceFormatChanged(format); + } + // [adaptor impl] void QAbstractVideoSurface::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -654,6 +617,24 @@ static void _call_ctor_QAbstractVideoSurface_Adaptor_1302 (const qt_gsi::Generic } +// emitter void QAbstractVideoSurface::activeChanged(bool active) + +static void _init_emitter_activeChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("active"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_activeChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QAbstractVideoSurface_Adaptor *)cls)->emitter_QAbstractVideoSurface_activeChanged_864 (arg1); +} + + // void QAbstractVideoSurface::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -702,6 +683,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAbstractVideoSurface::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAbstractVideoSurface_Adaptor *)cls)->emitter_QAbstractVideoSurface_destroyed_1302 (arg1); +} + + // void QAbstractVideoSurface::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -816,6 +815,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAbstractVideoSurface::nativeResolutionChanged(const QSize &resolution) + +static void _init_emitter_nativeResolutionChanged_1805 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("resolution"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_nativeResolutionChanged_1805 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QSize &arg1 = gsi::arg_reader() (args, heap); + ((QAbstractVideoSurface_Adaptor *)cls)->emitter_QAbstractVideoSurface_nativeResolutionChanged_1805 (arg1); +} + + // QVideoSurfaceFormat QAbstractVideoSurface::nearestFormat(const QVideoSurfaceFormat &format) static void _init_cbs_nearestFormat_c3227_0 (qt_gsi::GenericMethod *decl) @@ -839,6 +856,24 @@ static void _set_callback_cbs_nearestFormat_c3227_0 (void *cls, const gsi::Callb } +// emitter void QAbstractVideoSurface::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAbstractVideoSurface_Adaptor *)cls)->emitter_QAbstractVideoSurface_objectNameChanged_4567 (arg1); +} + + // bool QAbstractVideoSurface::present(const QVideoFrame &frame) static void _init_cbs_present_2388_0 (qt_gsi::GenericMethod *decl) @@ -989,6 +1024,20 @@ static void _set_callback_cbs_stop_0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QAbstractVideoSurface::supportedFormatsChanged() + +static void _init_emitter_supportedFormatsChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_supportedFormatsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAbstractVideoSurface_Adaptor *)cls)->emitter_QAbstractVideoSurface_supportedFormatsChanged_0 (); +} + + // QList QAbstractVideoSurface::supportedPixelFormats(QAbstractVideoBuffer::HandleType type) static void _init_cbs_supportedPixelFormats_c3564_1 (qt_gsi::GenericMethod *decl) @@ -1012,6 +1061,24 @@ static void _set_callback_cbs_supportedPixelFormats_c3564_1 (void *cls, const gs } +// emitter void QAbstractVideoSurface::surfaceFormatChanged(const QVideoSurfaceFormat &format) + +static void _init_emitter_surfaceFormatChanged_3227 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("format"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_surfaceFormatChanged_3227 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QVideoSurfaceFormat &arg1 = gsi::arg_reader() (args, heap); + ((QAbstractVideoSurface_Adaptor *)cls)->emitter_QAbstractVideoSurface_surfaceFormatChanged_3227 (arg1); +} + + // void QAbstractVideoSurface::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -1044,10 +1111,12 @@ gsi::Class &qtdecl_QAbstractVideoSurface (); static gsi::Methods methods_QAbstractVideoSurface_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractVideoSurface::QAbstractVideoSurface(QObject *parent)\nThis method creates an object of class QAbstractVideoSurface.", &_init_ctor_QAbstractVideoSurface_Adaptor_1302, &_call_ctor_QAbstractVideoSurface_Adaptor_1302); + methods += new qt_gsi::GenericMethod ("emit_activeChanged", "@brief Emitter for signal void QAbstractVideoSurface::activeChanged(bool active)\nCall this method to emit this signal.", false, &_init_emitter_activeChanged_864, &_call_emitter_activeChanged_864); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAbstractVideoSurface::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractVideoSurface::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractVideoSurface::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractVideoSurface::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractVideoSurface::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -1057,8 +1126,10 @@ static gsi::Methods methods_QAbstractVideoSurface_Adaptor () { methods += new qt_gsi::GenericMethod ("isFormatSupported", "@brief Virtual method bool QAbstractVideoSurface::isFormatSupported(const QVideoSurfaceFormat &format)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isFormatSupported_c3227_0, &_call_cbs_isFormatSupported_c3227_0); methods += new qt_gsi::GenericMethod ("isFormatSupported", "@hide", true, &_init_cbs_isFormatSupported_c3227_0, &_call_cbs_isFormatSupported_c3227_0, &_set_callback_cbs_isFormatSupported_c3227_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAbstractVideoSurface::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_nativeResolutionChanged", "@brief Emitter for signal void QAbstractVideoSurface::nativeResolutionChanged(const QSize &resolution)\nCall this method to emit this signal.", false, &_init_emitter_nativeResolutionChanged_1805, &_call_emitter_nativeResolutionChanged_1805); methods += new qt_gsi::GenericMethod ("nearestFormat", "@brief Virtual method QVideoSurfaceFormat QAbstractVideoSurface::nearestFormat(const QVideoSurfaceFormat &format)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_nearestFormat_c3227_0, &_call_cbs_nearestFormat_c3227_0); methods += new qt_gsi::GenericMethod ("nearestFormat", "@hide", true, &_init_cbs_nearestFormat_c3227_0, &_call_cbs_nearestFormat_c3227_0, &_set_callback_cbs_nearestFormat_c3227_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAbstractVideoSurface::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("present", "@brief Virtual method bool QAbstractVideoSurface::present(const QVideoFrame &frame)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_present_2388_0, &_call_cbs_present_2388_0); methods += new qt_gsi::GenericMethod ("present", "@hide", false, &_init_cbs_present_2388_0, &_call_cbs_present_2388_0, &_set_callback_cbs_present_2388_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAbstractVideoSurface::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); @@ -1070,8 +1141,10 @@ static gsi::Methods methods_QAbstractVideoSurface_Adaptor () { methods += new qt_gsi::GenericMethod ("start", "@hide", false, &_init_cbs_start_3227_0, &_call_cbs_start_3227_0, &_set_callback_cbs_start_3227_0); methods += new qt_gsi::GenericMethod ("stop", "@brief Virtual method void QAbstractVideoSurface::stop()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0); methods += new qt_gsi::GenericMethod ("stop", "@hide", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0, &_set_callback_cbs_stop_0_0); + methods += new qt_gsi::GenericMethod ("emit_supportedFormatsChanged", "@brief Emitter for signal void QAbstractVideoSurface::supportedFormatsChanged()\nCall this method to emit this signal.", false, &_init_emitter_supportedFormatsChanged_0, &_call_emitter_supportedFormatsChanged_0); methods += new qt_gsi::GenericMethod ("supportedPixelFormats", "@brief Virtual method QList QAbstractVideoSurface::supportedPixelFormats(QAbstractVideoBuffer::HandleType type)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_supportedPixelFormats_c3564_1, &_call_cbs_supportedPixelFormats_c3564_1); methods += new qt_gsi::GenericMethod ("supportedPixelFormats", "@hide", true, &_init_cbs_supportedPixelFormats_c3564_1, &_call_cbs_supportedPixelFormats_c3564_1, &_set_callback_cbs_supportedPixelFormats_c3564_1); + methods += new qt_gsi::GenericMethod ("emit_surfaceFormatChanged", "@brief Emitter for signal void QAbstractVideoSurface::surfaceFormatChanged(const QVideoSurfaceFormat &format)\nCall this method to emit this signal.", false, &_init_emitter_surfaceFormatChanged_3227, &_call_emitter_surfaceFormatChanged_3227); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAbstractVideoSurface::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoder.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoder.cc index 29c8b558cb..e1f3bd1430 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoder.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoder.cc @@ -107,42 +107,6 @@ static void _call_f_bufferAvailable_c0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QAudioDecoder::bufferAvailableChanged(bool) - - -static void _init_f_bufferAvailableChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_bufferAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoder *)cls)->bufferAvailableChanged (arg1); -} - - -// void QAudioDecoder::bufferReady() - - -static void _init_f_bufferReady_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_bufferReady_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoder *)cls)->bufferReady (); -} - - // qint64 QAudioDecoder::duration() @@ -158,26 +122,6 @@ static void _call_f_duration_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QAudioDecoder::durationChanged(qint64 duration) - - -static void _init_f_durationChanged_986 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("duration"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_durationChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - qint64 arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoder *)cls)->durationChanged (arg1); -} - - // QAudioDecoder::Error QAudioDecoder::error() @@ -193,26 +137,6 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QAudioDecoder::error(QAudioDecoder::Error error) - - -static void _init_f_error_2347 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("error"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_error_2347 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoder *)cls)->error (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QString QAudioDecoder::errorString() @@ -228,42 +152,6 @@ static void _call_f_errorString_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QAudioDecoder::finished() - - -static void _init_f_finished_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_finished_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoder *)cls)->finished (); -} - - -// void QAudioDecoder::formatChanged(const QAudioFormat &format) - - -static void _init_f_formatChanged_2509 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("format"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_formatChanged_2509 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QAudioFormat &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoder *)cls)->formatChanged (arg1); -} - - // qint64 QAudioDecoder::position() @@ -279,26 +167,6 @@ static void _call_f_position_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QAudioDecoder::positionChanged(qint64 position) - - -static void _init_f_positionChanged_986 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("position"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_positionChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - qint64 arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoder *)cls)->positionChanged (arg1); -} - - // QAudioBuffer QAudioDecoder::read() @@ -374,22 +242,6 @@ static void _call_f_setSourceFilename_2025 (const qt_gsi::GenericMethod * /*decl } -// void QAudioDecoder::sourceChanged() - - -static void _init_f_sourceChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_sourceChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoder *)cls)->sourceChanged (); -} - - // QIODevice *QAudioDecoder::sourceDevice() @@ -451,26 +303,6 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QAudioDecoder::stateChanged(QAudioDecoder::State newState) - - -static void _init_f_stateChanged_2338 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("newState"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_stateChanged_2338 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoder *)cls)->stateChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // void QAudioDecoder::stop() @@ -588,29 +420,37 @@ static gsi::Methods methods_QAudioDecoder () { methods += new qt_gsi::GenericMethod (":audioFormat", "@brief Method QAudioFormat QAudioDecoder::audioFormat()\n", true, &_init_f_audioFormat_c0, &_call_f_audioFormat_c0); methods += new qt_gsi::GenericMethod ("bind", "@brief Method bool QAudioDecoder::bind(QObject *)\nThis is a reimplementation of QMediaObject::bind", false, &_init_f_bind_1302, &_call_f_bind_1302); methods += new qt_gsi::GenericMethod (":bufferAvailable", "@brief Method bool QAudioDecoder::bufferAvailable()\n", true, &_init_f_bufferAvailable_c0, &_call_f_bufferAvailable_c0); - methods += new qt_gsi::GenericMethod ("bufferAvailableChanged", "@brief Method void QAudioDecoder::bufferAvailableChanged(bool)\n", false, &_init_f_bufferAvailableChanged_864, &_call_f_bufferAvailableChanged_864); - methods += new qt_gsi::GenericMethod ("bufferReady", "@brief Method void QAudioDecoder::bufferReady()\n", false, &_init_f_bufferReady_0, &_call_f_bufferReady_0); methods += new qt_gsi::GenericMethod ("duration", "@brief Method qint64 QAudioDecoder::duration()\n", true, &_init_f_duration_c0, &_call_f_duration_c0); - methods += new qt_gsi::GenericMethod ("durationChanged", "@brief Method void QAudioDecoder::durationChanged(qint64 duration)\n", false, &_init_f_durationChanged_986, &_call_f_durationChanged_986); methods += new qt_gsi::GenericMethod (":error", "@brief Method QAudioDecoder::Error QAudioDecoder::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("error_sig", "@brief Method void QAudioDecoder::error(QAudioDecoder::Error error)\n", false, &_init_f_error_2347, &_call_f_error_2347); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QAudioDecoder::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); - methods += new qt_gsi::GenericMethod ("finished", "@brief Method void QAudioDecoder::finished()\n", false, &_init_f_finished_0, &_call_f_finished_0); - methods += new qt_gsi::GenericMethod ("formatChanged", "@brief Method void QAudioDecoder::formatChanged(const QAudioFormat &format)\n", false, &_init_f_formatChanged_2509, &_call_f_formatChanged_2509); methods += new qt_gsi::GenericMethod ("position", "@brief Method qint64 QAudioDecoder::position()\n", true, &_init_f_position_c0, &_call_f_position_c0); - methods += new qt_gsi::GenericMethod ("positionChanged", "@brief Method void QAudioDecoder::positionChanged(qint64 position)\n", false, &_init_f_positionChanged_986, &_call_f_positionChanged_986); methods += new qt_gsi::GenericMethod ("read", "@brief Method QAudioBuffer QAudioDecoder::read()\n", true, &_init_f_read_c0, &_call_f_read_c0); methods += new qt_gsi::GenericMethod ("setAudioFormat|audioFormat=", "@brief Method void QAudioDecoder::setAudioFormat(const QAudioFormat &format)\n", false, &_init_f_setAudioFormat_2509, &_call_f_setAudioFormat_2509); methods += new qt_gsi::GenericMethod ("setSourceDevice|sourceDevice=", "@brief Method void QAudioDecoder::setSourceDevice(QIODevice *device)\n", false, &_init_f_setSourceDevice_1447, &_call_f_setSourceDevice_1447); methods += new qt_gsi::GenericMethod ("setSourceFilename|sourceFilename=", "@brief Method void QAudioDecoder::setSourceFilename(const QString &fileName)\n", false, &_init_f_setSourceFilename_2025, &_call_f_setSourceFilename_2025); - methods += new qt_gsi::GenericMethod ("sourceChanged", "@brief Method void QAudioDecoder::sourceChanged()\n", false, &_init_f_sourceChanged_0, &_call_f_sourceChanged_0); methods += new qt_gsi::GenericMethod (":sourceDevice", "@brief Method QIODevice *QAudioDecoder::sourceDevice()\n", true, &_init_f_sourceDevice_c0, &_call_f_sourceDevice_c0); methods += new qt_gsi::GenericMethod (":sourceFilename", "@brief Method QString QAudioDecoder::sourceFilename()\n", true, &_init_f_sourceFilename_c0, &_call_f_sourceFilename_c0); methods += new qt_gsi::GenericMethod ("start", "@brief Method void QAudioDecoder::start()\n", false, &_init_f_start_0, &_call_f_start_0); methods += new qt_gsi::GenericMethod (":state", "@brief Method QAudioDecoder::State QAudioDecoder::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QAudioDecoder::stateChanged(QAudioDecoder::State newState)\n", false, &_init_f_stateChanged_2338, &_call_f_stateChanged_2338); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QAudioDecoder::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); methods += new qt_gsi::GenericMethod ("unbind", "@brief Method void QAudioDecoder::unbind(QObject *)\nThis is a reimplementation of QMediaObject::unbind", false, &_init_f_unbind_1302, &_call_f_unbind_1302); + methods += gsi::qt_signal ("availabilityChanged(bool)", "availabilityChanged_bool", gsi::arg("available"), "@brief Signal declaration for QAudioDecoder::availabilityChanged(bool available)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("availabilityChanged(QMultimedia::AvailabilityStatus)", "availabilityChanged_status", gsi::arg("availability"), "@brief Signal declaration for QAudioDecoder::availabilityChanged(QMultimedia::AvailabilityStatus availability)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("bufferAvailableChanged(bool)", "bufferAvailableChanged", gsi::arg("arg1"), "@brief Signal declaration for QAudioDecoder::bufferAvailableChanged(bool)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("bufferReady()", "bufferReady", "@brief Signal declaration for QAudioDecoder::bufferReady()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAudioDecoder::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("durationChanged(qint64)", "durationChanged", gsi::arg("duration"), "@brief Signal declaration for QAudioDecoder::durationChanged(qint64 duration)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("error(QAudioDecoder::Error)", "error_sig", gsi::arg("error"), "@brief Signal declaration for QAudioDecoder::error(QAudioDecoder::Error error)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("finished()", "finished", "@brief Signal declaration for QAudioDecoder::finished()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("formatChanged(const QAudioFormat &)", "formatChanged", gsi::arg("format"), "@brief Signal declaration for QAudioDecoder::formatChanged(const QAudioFormat &format)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataAvailableChanged(bool)", "metaDataAvailableChanged", gsi::arg("available"), "@brief Signal declaration for QAudioDecoder::metaDataAvailableChanged(bool available)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged()", "metaDataChanged", "@brief Signal declaration for QAudioDecoder::metaDataChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged(const QString &, const QVariant &)", "metaDataChanged_kv", gsi::arg("key"), gsi::arg("value"), "@brief Signal declaration for QAudioDecoder::metaDataChanged(const QString &key, const QVariant &value)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("notifyIntervalChanged(int)", "notifyIntervalChanged", gsi::arg("milliSeconds"), "@brief Signal declaration for QAudioDecoder::notifyIntervalChanged(int milliSeconds)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAudioDecoder::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("positionChanged(qint64)", "positionChanged", gsi::arg("position"), "@brief Signal declaration for QAudioDecoder::positionChanged(qint64 position)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("sourceChanged()", "sourceChanged", "@brief Signal declaration for QAudioDecoder::sourceChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("stateChanged(QAudioDecoder::State)", "stateChanged", gsi::arg("newState"), "@brief Signal declaration for QAudioDecoder::stateChanged(QAudioDecoder::State newState)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("hasSupport", "@brief Static method QMultimedia::SupportEstimate QAudioDecoder::hasSupport(const QString &mimeType, const QStringList &codecs)\nThis method is static and can be called without an instance.", &_init_f_hasSupport_4354, &_call_f_hasSupport_4354); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAudioDecoder::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QAudioDecoder::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); @@ -691,6 +531,18 @@ class QAudioDecoder_Adaptor : public QAudioDecoder, public qt_gsi::QtObjectBase } } + // [emitter impl] void QAudioDecoder::availabilityChanged(bool available) + void emitter_QAudioDecoder_availabilityChanged_864(bool available) + { + emit QAudioDecoder::availabilityChanged(available); + } + + // [emitter impl] void QAudioDecoder::availabilityChanged(QMultimedia::AvailabilityStatus availability) + void emitter_QAudioDecoder_availabilityChanged_3555(QMultimedia::AvailabilityStatus availability) + { + emit QAudioDecoder::availabilityChanged(availability); + } + // [adaptor impl] bool QAudioDecoder::bind(QObject *) bool cbs_bind_1302_0(QObject *arg1) { @@ -706,6 +558,36 @@ class QAudioDecoder_Adaptor : public QAudioDecoder, public qt_gsi::QtObjectBase } } + // [emitter impl] void QAudioDecoder::bufferAvailableChanged(bool) + void emitter_QAudioDecoder_bufferAvailableChanged_864(bool arg1) + { + emit QAudioDecoder::bufferAvailableChanged(arg1); + } + + // [emitter impl] void QAudioDecoder::bufferReady() + void emitter_QAudioDecoder_bufferReady_0() + { + emit QAudioDecoder::bufferReady(); + } + + // [emitter impl] void QAudioDecoder::destroyed(QObject *) + void emitter_QAudioDecoder_destroyed_1302(QObject *arg1) + { + emit QAudioDecoder::destroyed(arg1); + } + + // [emitter impl] void QAudioDecoder::durationChanged(qint64 duration) + void emitter_QAudioDecoder_durationChanged_986(qint64 duration) + { + emit QAudioDecoder::durationChanged(duration); + } + + // [emitter impl] void QAudioDecoder::error(QAudioDecoder::Error error) + void emitter_QAudioDecoder_error_2347(QAudioDecoder::Error _error) + { + emit QAudioDecoder::error(_error); + } + // [adaptor impl] bool QAudioDecoder::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -736,6 +618,18 @@ class QAudioDecoder_Adaptor : public QAudioDecoder, public qt_gsi::QtObjectBase } } + // [emitter impl] void QAudioDecoder::finished() + void emitter_QAudioDecoder_finished_0() + { + emit QAudioDecoder::finished(); + } + + // [emitter impl] void QAudioDecoder::formatChanged(const QAudioFormat &format) + void emitter_QAudioDecoder_formatChanged_2509(const QAudioFormat &format) + { + emit QAudioDecoder::formatChanged(format); + } + // [adaptor impl] bool QAudioDecoder::isAvailable() bool cbs_isAvailable_c0_0() const { @@ -751,6 +645,43 @@ class QAudioDecoder_Adaptor : public QAudioDecoder, public qt_gsi::QtObjectBase } } + // [emitter impl] void QAudioDecoder::metaDataAvailableChanged(bool available) + void emitter_QAudioDecoder_metaDataAvailableChanged_864(bool available) + { + emit QAudioDecoder::metaDataAvailableChanged(available); + } + + // [emitter impl] void QAudioDecoder::metaDataChanged() + void emitter_QAudioDecoder_metaDataChanged_0() + { + emit QAudioDecoder::metaDataChanged(); + } + + // [emitter impl] void QAudioDecoder::metaDataChanged(const QString &key, const QVariant &value) + void emitter_QAudioDecoder_metaDataChanged_4036(const QString &key, const QVariant &value) + { + emit QAudioDecoder::metaDataChanged(key, value); + } + + // [emitter impl] void QAudioDecoder::notifyIntervalChanged(int milliSeconds) + void emitter_QAudioDecoder_notifyIntervalChanged_767(int milliSeconds) + { + emit QAudioDecoder::notifyIntervalChanged(milliSeconds); + } + + // [emitter impl] void QAudioDecoder::objectNameChanged(const QString &objectName) + void emitter_QAudioDecoder_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAudioDecoder::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QAudioDecoder::positionChanged(qint64 position) + void emitter_QAudioDecoder_positionChanged_986(qint64 position) + { + emit QAudioDecoder::positionChanged(position); + } + // [adaptor impl] QMediaService *QAudioDecoder::service() QMediaService * cbs_service_c0_0() const { @@ -766,6 +697,18 @@ class QAudioDecoder_Adaptor : public QAudioDecoder, public qt_gsi::QtObjectBase } } + // [emitter impl] void QAudioDecoder::sourceChanged() + void emitter_QAudioDecoder_sourceChanged_0() + { + emit QAudioDecoder::sourceChanged(); + } + + // [emitter impl] void QAudioDecoder::stateChanged(QAudioDecoder::State newState) + void emitter_QAudioDecoder_stateChanged_2338(QAudioDecoder::State newState) + { + emit QAudioDecoder::stateChanged(newState); + } + // [adaptor impl] void QAudioDecoder::unbind(QObject *) void cbs_unbind_1302_0(QObject *arg1) { @@ -912,6 +855,42 @@ static void _set_callback_cbs_availability_c0_0 (void *cls, const gsi::Callback } +// emitter void QAudioDecoder::availabilityChanged(bool available) + +static void _init_emitter_availabilityChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("available"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_availabilityChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_availabilityChanged_864 (arg1); +} + + +// emitter void QAudioDecoder::availabilityChanged(QMultimedia::AvailabilityStatus availability) + +static void _init_emitter_availabilityChanged_3555 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("availability"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_availabilityChanged_3555 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_availabilityChanged_3555 (arg1); +} + + // bool QAudioDecoder::bind(QObject *) static void _init_cbs_bind_1302_0 (qt_gsi::GenericMethod *decl) @@ -935,6 +914,38 @@ static void _set_callback_cbs_bind_1302_0 (void *cls, const gsi::Callback &cb) } +// emitter void QAudioDecoder::bufferAvailableChanged(bool) + +static void _init_emitter_bufferAvailableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_bufferAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_bufferAvailableChanged_864 (arg1); +} + + +// emitter void QAudioDecoder::bufferReady() + +static void _init_emitter_bufferReady_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_bufferReady_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_bufferReady_0 (); +} + + // void QAudioDecoder::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -983,6 +994,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAudioDecoder::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_destroyed_1302 (arg1); +} + + // void QAudioDecoder::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1007,6 +1036,42 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } +// emitter void QAudioDecoder::durationChanged(qint64 duration) + +static void _init_emitter_durationChanged_986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("duration"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_durationChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_durationChanged_986 (arg1); +} + + +// emitter void QAudioDecoder::error(QAudioDecoder::Error error) + +static void _init_emitter_error_2347 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("error"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_error_2347 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_error_2347 (arg1); +} + + // bool QAudioDecoder::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -1056,6 +1121,38 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } +// emitter void QAudioDecoder::finished() + +static void _init_emitter_finished_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_finished_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_finished_0 (); +} + + +// emitter void QAudioDecoder::formatChanged(const QAudioFormat &format) + +static void _init_emitter_formatChanged_2509 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("format"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_formatChanged_2509 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QAudioFormat &arg1 = gsi::arg_reader() (args, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_formatChanged_2509 (arg1); +} + + // bool QAudioDecoder::isAvailable() static void _init_cbs_isAvailable_c0_0 (qt_gsi::GenericMethod *decl) @@ -1093,6 +1190,113 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAudioDecoder::metaDataAvailableChanged(bool available) + +static void _init_emitter_metaDataAvailableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("available"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_metaDataAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_metaDataAvailableChanged_864 (arg1); +} + + +// emitter void QAudioDecoder::metaDataChanged() + +static void _init_emitter_metaDataChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_metaDataChanged_0 (); +} + + +// emitter void QAudioDecoder::metaDataChanged(const QString &key, const QVariant &value) + +static void _init_emitter_metaDataChanged_4036 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("key"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("value"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_4036 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + const QVariant &arg2 = gsi::arg_reader() (args, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_metaDataChanged_4036 (arg1, arg2); +} + + +// emitter void QAudioDecoder::notifyIntervalChanged(int milliSeconds) + +static void _init_emitter_notifyIntervalChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("milliSeconds"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_notifyIntervalChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_notifyIntervalChanged_767 (arg1); +} + + +// emitter void QAudioDecoder::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_objectNameChanged_4567 (arg1); +} + + +// emitter void QAudioDecoder::positionChanged(qint64 position) + +static void _init_emitter_positionChanged_986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("position"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_positionChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_positionChanged_986 (arg1); +} + + // exposed int QAudioDecoder::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1177,6 +1381,38 @@ static void _set_callback_cbs_service_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QAudioDecoder::sourceChanged() + +static void _init_emitter_sourceChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_sourceChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_sourceChanged_0 (); +} + + +// emitter void QAudioDecoder::stateChanged(QAudioDecoder::State newState) + +static void _init_emitter_stateChanged_2338 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("newState"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stateChanged_2338 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_stateChanged_2338 (arg1); +} + + // void QAudioDecoder::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -1236,27 +1472,44 @@ static gsi::Methods methods_QAudioDecoder_Adaptor () { methods += new qt_gsi::GenericMethod ("*addPropertyWatch", "@brief Method void QAudioDecoder::addPropertyWatch(const QByteArray &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_addPropertyWatch_2309, &_call_fp_addPropertyWatch_2309); methods += new qt_gsi::GenericMethod ("availability", "@brief Virtual method QMultimedia::AvailabilityStatus QAudioDecoder::availability()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0); methods += new qt_gsi::GenericMethod ("availability", "@hide", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0, &_set_callback_cbs_availability_c0_0); + methods += new qt_gsi::GenericMethod ("emit_availabilityChanged_bool", "@brief Emitter for signal void QAudioDecoder::availabilityChanged(bool available)\nCall this method to emit this signal.", false, &_init_emitter_availabilityChanged_864, &_call_emitter_availabilityChanged_864); + methods += new qt_gsi::GenericMethod ("emit_availabilityChanged_status", "@brief Emitter for signal void QAudioDecoder::availabilityChanged(QMultimedia::AvailabilityStatus availability)\nCall this method to emit this signal.", false, &_init_emitter_availabilityChanged_3555, &_call_emitter_availabilityChanged_3555); methods += new qt_gsi::GenericMethod ("bind", "@brief Virtual method bool QAudioDecoder::bind(QObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_bind_1302_0, &_call_cbs_bind_1302_0); methods += new qt_gsi::GenericMethod ("bind", "@hide", false, &_init_cbs_bind_1302_0, &_call_cbs_bind_1302_0, &_set_callback_cbs_bind_1302_0); + methods += new qt_gsi::GenericMethod ("emit_bufferAvailableChanged", "@brief Emitter for signal void QAudioDecoder::bufferAvailableChanged(bool)\nCall this method to emit this signal.", false, &_init_emitter_bufferAvailableChanged_864, &_call_emitter_bufferAvailableChanged_864); + methods += new qt_gsi::GenericMethod ("emit_bufferReady", "@brief Emitter for signal void QAudioDecoder::bufferReady()\nCall this method to emit this signal.", false, &_init_emitter_bufferReady_0, &_call_emitter_bufferReady_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioDecoder::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioDecoder::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAudioDecoder::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioDecoder::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("emit_durationChanged", "@brief Emitter for signal void QAudioDecoder::durationChanged(qint64 duration)\nCall this method to emit this signal.", false, &_init_emitter_durationChanged_986, &_call_emitter_durationChanged_986); + methods += new qt_gsi::GenericMethod ("emit_error_sig", "@brief Emitter for signal void QAudioDecoder::error(QAudioDecoder::Error error)\nCall this method to emit this signal.", false, &_init_emitter_error_2347, &_call_emitter_error_2347); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioDecoder::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioDecoder::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QAudioDecoder::finished()\nCall this method to emit this signal.", false, &_init_emitter_finished_0, &_call_emitter_finished_0); + methods += new qt_gsi::GenericMethod ("emit_formatChanged", "@brief Emitter for signal void QAudioDecoder::formatChanged(const QAudioFormat &format)\nCall this method to emit this signal.", false, &_init_emitter_formatChanged_2509, &_call_emitter_formatChanged_2509); methods += new qt_gsi::GenericMethod ("isAvailable", "@brief Virtual method bool QAudioDecoder::isAvailable()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isAvailable_c0_0, &_call_cbs_isAvailable_c0_0); methods += new qt_gsi::GenericMethod ("isAvailable", "@hide", true, &_init_cbs_isAvailable_c0_0, &_call_cbs_isAvailable_c0_0, &_set_callback_cbs_isAvailable_c0_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioDecoder::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_metaDataAvailableChanged", "@brief Emitter for signal void QAudioDecoder::metaDataAvailableChanged(bool available)\nCall this method to emit this signal.", false, &_init_emitter_metaDataAvailableChanged_864, &_call_emitter_metaDataAvailableChanged_864); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged", "@brief Emitter for signal void QAudioDecoder::metaDataChanged()\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_0, &_call_emitter_metaDataChanged_0); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged_kv", "@brief Emitter for signal void QAudioDecoder::metaDataChanged(const QString &key, const QVariant &value)\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_4036, &_call_emitter_metaDataChanged_4036); + methods += new qt_gsi::GenericMethod ("emit_notifyIntervalChanged", "@brief Emitter for signal void QAudioDecoder::notifyIntervalChanged(int milliSeconds)\nCall this method to emit this signal.", false, &_init_emitter_notifyIntervalChanged_767, &_call_emitter_notifyIntervalChanged_767); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAudioDecoder::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); + methods += new qt_gsi::GenericMethod ("emit_positionChanged", "@brief Emitter for signal void QAudioDecoder::positionChanged(qint64 position)\nCall this method to emit this signal.", false, &_init_emitter_positionChanged_986, &_call_emitter_positionChanged_986); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioDecoder::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*removePropertyWatch", "@brief Method void QAudioDecoder::removePropertyWatch(const QByteArray &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_removePropertyWatch_2309, &_call_fp_removePropertyWatch_2309); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioDecoder::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioDecoder::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("service", "@brief Virtual method QMediaService *QAudioDecoder::service()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_service_c0_0, &_call_cbs_service_c0_0); methods += new qt_gsi::GenericMethod ("service", "@hide", true, &_init_cbs_service_c0_0, &_call_cbs_service_c0_0, &_set_callback_cbs_service_c0_0); + methods += new qt_gsi::GenericMethod ("emit_sourceChanged", "@brief Emitter for signal void QAudioDecoder::sourceChanged()\nCall this method to emit this signal.", false, &_init_emitter_sourceChanged_0, &_call_emitter_sourceChanged_0); + methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QAudioDecoder::stateChanged(QAudioDecoder::State newState)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_2338, &_call_emitter_stateChanged_2338); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioDecoder::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("unbind", "@brief Virtual method void QAudioDecoder::unbind(QObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_unbind_1302_0, &_call_cbs_unbind_1302_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoderControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoderControl.cc index 48a6354f0b..700529eaff 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoderControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoderControl.cc @@ -87,42 +87,6 @@ static void _call_f_bufferAvailable_c0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QAudioDecoderControl::bufferAvailableChanged(bool available) - - -static void _init_f_bufferAvailableChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("available"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_bufferAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoderControl *)cls)->bufferAvailableChanged (arg1); -} - - -// void QAudioDecoderControl::bufferReady() - - -static void _init_f_bufferReady_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_bufferReady_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoderControl *)cls)->bufferReady (); -} - - // qint64 QAudioDecoderControl::duration() @@ -138,85 +102,6 @@ static void _call_f_duration_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QAudioDecoderControl::durationChanged(qint64 duration) - - -static void _init_f_durationChanged_986 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("duration"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_durationChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - qint64 arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoderControl *)cls)->durationChanged (arg1); -} - - -// void QAudioDecoderControl::error(int error, const QString &errorString) - - -static void _init_f_error_2684 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("error"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("errorString"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_error_2684 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - const QString &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoderControl *)cls)->error (arg1, arg2); -} - - -// void QAudioDecoderControl::finished() - - -static void _init_f_finished_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_finished_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoderControl *)cls)->finished (); -} - - -// void QAudioDecoderControl::formatChanged(const QAudioFormat &format) - - -static void _init_f_formatChanged_2509 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("format"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_formatChanged_2509 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QAudioFormat &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoderControl *)cls)->formatChanged (arg1); -} - - // qint64 QAudioDecoderControl::position() @@ -232,26 +117,6 @@ static void _call_f_position_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QAudioDecoderControl::positionChanged(qint64 position) - - -static void _init_f_positionChanged_986 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("position"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_positionChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - qint64 arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoderControl *)cls)->positionChanged (arg1); -} - - // QAudioBuffer QAudioDecoderControl::read() @@ -327,22 +192,6 @@ static void _call_f_setSourceFilename_2025 (const qt_gsi::GenericMethod * /*decl } -// void QAudioDecoderControl::sourceChanged() - - -static void _init_f_sourceChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_sourceChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoderControl *)cls)->sourceChanged (); -} - - // QIODevice *QAudioDecoderControl::sourceDevice() @@ -404,26 +253,6 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QAudioDecoderControl::stateChanged(QAudioDecoder::State newState) - - -static void _init_f_stateChanged_2338 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("newState"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_stateChanged_2338 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoderControl *)cls)->stateChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // void QAudioDecoderControl::stop() @@ -498,26 +327,28 @@ static gsi::Methods methods_QAudioDecoderControl () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":audioFormat", "@brief Method QAudioFormat QAudioDecoderControl::audioFormat()\n", true, &_init_f_audioFormat_c0, &_call_f_audioFormat_c0); methods += new qt_gsi::GenericMethod ("bufferAvailable", "@brief Method bool QAudioDecoderControl::bufferAvailable()\n", true, &_init_f_bufferAvailable_c0, &_call_f_bufferAvailable_c0); - methods += new qt_gsi::GenericMethod ("bufferAvailableChanged", "@brief Method void QAudioDecoderControl::bufferAvailableChanged(bool available)\n", false, &_init_f_bufferAvailableChanged_864, &_call_f_bufferAvailableChanged_864); - methods += new qt_gsi::GenericMethod ("bufferReady", "@brief Method void QAudioDecoderControl::bufferReady()\n", false, &_init_f_bufferReady_0, &_call_f_bufferReady_0); methods += new qt_gsi::GenericMethod ("duration", "@brief Method qint64 QAudioDecoderControl::duration()\n", true, &_init_f_duration_c0, &_call_f_duration_c0); - methods += new qt_gsi::GenericMethod ("durationChanged", "@brief Method void QAudioDecoderControl::durationChanged(qint64 duration)\n", false, &_init_f_durationChanged_986, &_call_f_durationChanged_986); - methods += new qt_gsi::GenericMethod ("error", "@brief Method void QAudioDecoderControl::error(int error, const QString &errorString)\n", false, &_init_f_error_2684, &_call_f_error_2684); - methods += new qt_gsi::GenericMethod ("finished", "@brief Method void QAudioDecoderControl::finished()\n", false, &_init_f_finished_0, &_call_f_finished_0); - methods += new qt_gsi::GenericMethod ("formatChanged", "@brief Method void QAudioDecoderControl::formatChanged(const QAudioFormat &format)\n", false, &_init_f_formatChanged_2509, &_call_f_formatChanged_2509); methods += new qt_gsi::GenericMethod ("position", "@brief Method qint64 QAudioDecoderControl::position()\n", true, &_init_f_position_c0, &_call_f_position_c0); - methods += new qt_gsi::GenericMethod ("positionChanged", "@brief Method void QAudioDecoderControl::positionChanged(qint64 position)\n", false, &_init_f_positionChanged_986, &_call_f_positionChanged_986); methods += new qt_gsi::GenericMethod ("read", "@brief Method QAudioBuffer QAudioDecoderControl::read()\n", false, &_init_f_read_0, &_call_f_read_0); methods += new qt_gsi::GenericMethod ("setAudioFormat|audioFormat=", "@brief Method void QAudioDecoderControl::setAudioFormat(const QAudioFormat &format)\n", false, &_init_f_setAudioFormat_2509, &_call_f_setAudioFormat_2509); methods += new qt_gsi::GenericMethod ("setSourceDevice|sourceDevice=", "@brief Method void QAudioDecoderControl::setSourceDevice(QIODevice *device)\n", false, &_init_f_setSourceDevice_1447, &_call_f_setSourceDevice_1447); methods += new qt_gsi::GenericMethod ("setSourceFilename|sourceFilename=", "@brief Method void QAudioDecoderControl::setSourceFilename(const QString &fileName)\n", false, &_init_f_setSourceFilename_2025, &_call_f_setSourceFilename_2025); - methods += new qt_gsi::GenericMethod ("sourceChanged", "@brief Method void QAudioDecoderControl::sourceChanged()\n", false, &_init_f_sourceChanged_0, &_call_f_sourceChanged_0); methods += new qt_gsi::GenericMethod (":sourceDevice", "@brief Method QIODevice *QAudioDecoderControl::sourceDevice()\n", true, &_init_f_sourceDevice_c0, &_call_f_sourceDevice_c0); methods += new qt_gsi::GenericMethod (":sourceFilename", "@brief Method QString QAudioDecoderControl::sourceFilename()\n", true, &_init_f_sourceFilename_c0, &_call_f_sourceFilename_c0); methods += new qt_gsi::GenericMethod ("start", "@brief Method void QAudioDecoderControl::start()\n", false, &_init_f_start_0, &_call_f_start_0); methods += new qt_gsi::GenericMethod ("state", "@brief Method QAudioDecoder::State QAudioDecoderControl::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QAudioDecoderControl::stateChanged(QAudioDecoder::State newState)\n", false, &_init_f_stateChanged_2338, &_call_f_stateChanged_2338); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QAudioDecoderControl::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); + methods += gsi::qt_signal ("bufferAvailableChanged(bool)", "bufferAvailableChanged", gsi::arg("available"), "@brief Signal declaration for QAudioDecoderControl::bufferAvailableChanged(bool available)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("bufferReady()", "bufferReady", "@brief Signal declaration for QAudioDecoderControl::bufferReady()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAudioDecoderControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("durationChanged(qint64)", "durationChanged", gsi::arg("duration"), "@brief Signal declaration for QAudioDecoderControl::durationChanged(qint64 duration)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("error(int, const QString &)", "error", gsi::arg("error"), gsi::arg("errorString"), "@brief Signal declaration for QAudioDecoderControl::error(int error, const QString &errorString)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("finished()", "finished", "@brief Signal declaration for QAudioDecoderControl::finished()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("formatChanged(const QAudioFormat &)", "formatChanged", gsi::arg("format"), "@brief Signal declaration for QAudioDecoderControl::formatChanged(const QAudioFormat &format)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAudioDecoderControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("positionChanged(qint64)", "positionChanged", gsi::arg("position"), "@brief Signal declaration for QAudioDecoderControl::positionChanged(qint64 position)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("sourceChanged()", "sourceChanged", "@brief Signal declaration for QAudioDecoderControl::sourceChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("stateChanged(QAudioDecoder::State)", "stateChanged", gsi::arg("newState"), "@brief Signal declaration for QAudioDecoderControl::stateChanged(QAudioDecoder::State newState)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAudioDecoderControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QAudioDecoderControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -596,6 +427,24 @@ class QAudioDecoderControl_Adaptor : public QAudioDecoderControl, public qt_gsi: } } + // [emitter impl] void QAudioDecoderControl::bufferAvailableChanged(bool available) + void emitter_QAudioDecoderControl_bufferAvailableChanged_864(bool available) + { + emit QAudioDecoderControl::bufferAvailableChanged(available); + } + + // [emitter impl] void QAudioDecoderControl::bufferReady() + void emitter_QAudioDecoderControl_bufferReady_0() + { + emit QAudioDecoderControl::bufferReady(); + } + + // [emitter impl] void QAudioDecoderControl::destroyed(QObject *) + void emitter_QAudioDecoderControl_destroyed_1302(QObject *arg1) + { + emit QAudioDecoderControl::destroyed(arg1); + } + // [adaptor impl] qint64 QAudioDecoderControl::duration() qint64 cbs_duration_c0_0() const { @@ -611,6 +460,18 @@ class QAudioDecoderControl_Adaptor : public QAudioDecoderControl, public qt_gsi: } } + // [emitter impl] void QAudioDecoderControl::durationChanged(qint64 duration) + void emitter_QAudioDecoderControl_durationChanged_986(qint64 duration) + { + emit QAudioDecoderControl::durationChanged(duration); + } + + // [emitter impl] void QAudioDecoderControl::error(int error, const QString &errorString) + void emitter_QAudioDecoderControl_error_2684(int _error, const QString &errorString) + { + emit QAudioDecoderControl::error(_error, errorString); + } + // [adaptor impl] bool QAudioDecoderControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -641,6 +502,25 @@ class QAudioDecoderControl_Adaptor : public QAudioDecoderControl, public qt_gsi: } } + // [emitter impl] void QAudioDecoderControl::finished() + void emitter_QAudioDecoderControl_finished_0() + { + emit QAudioDecoderControl::finished(); + } + + // [emitter impl] void QAudioDecoderControl::formatChanged(const QAudioFormat &format) + void emitter_QAudioDecoderControl_formatChanged_2509(const QAudioFormat &format) + { + emit QAudioDecoderControl::formatChanged(format); + } + + // [emitter impl] void QAudioDecoderControl::objectNameChanged(const QString &objectName) + void emitter_QAudioDecoderControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAudioDecoderControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] qint64 QAudioDecoderControl::position() qint64 cbs_position_c0_0() const { @@ -656,6 +536,12 @@ class QAudioDecoderControl_Adaptor : public QAudioDecoderControl, public qt_gsi: } } + // [emitter impl] void QAudioDecoderControl::positionChanged(qint64 position) + void emitter_QAudioDecoderControl_positionChanged_986(qint64 position) + { + emit QAudioDecoderControl::positionChanged(position); + } + // [adaptor impl] QAudioBuffer QAudioDecoderControl::read() QAudioBuffer cbs_read_0_0() { @@ -719,6 +605,12 @@ class QAudioDecoderControl_Adaptor : public QAudioDecoderControl, public qt_gsi: } } + // [emitter impl] void QAudioDecoderControl::sourceChanged() + void emitter_QAudioDecoderControl_sourceChanged_0() + { + emit QAudioDecoderControl::sourceChanged(); + } + // [adaptor impl] QIODevice *QAudioDecoderControl::sourceDevice() QIODevice * cbs_sourceDevice_c0_0() const { @@ -779,6 +671,12 @@ class QAudioDecoderControl_Adaptor : public QAudioDecoderControl, public qt_gsi: } } + // [emitter impl] void QAudioDecoderControl::stateChanged(QAudioDecoder::State newState) + void emitter_QAudioDecoderControl_stateChanged_2338(QAudioDecoder::State newState) + { + emit QAudioDecoderControl::stateChanged(newState); + } + // [adaptor impl] void QAudioDecoderControl::stop() void cbs_stop_0_0() { @@ -929,6 +827,38 @@ static void _set_callback_cbs_bufferAvailable_c0_0 (void *cls, const gsi::Callba } +// emitter void QAudioDecoderControl::bufferAvailableChanged(bool available) + +static void _init_emitter_bufferAvailableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("available"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_bufferAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QAudioDecoderControl_Adaptor *)cls)->emitter_QAudioDecoderControl_bufferAvailableChanged_864 (arg1); +} + + +// emitter void QAudioDecoderControl::bufferReady() + +static void _init_emitter_bufferReady_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_bufferReady_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAudioDecoderControl_Adaptor *)cls)->emitter_QAudioDecoderControl_bufferReady_0 (); +} + + // void QAudioDecoderControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -977,6 +907,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAudioDecoderControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAudioDecoderControl_Adaptor *)cls)->emitter_QAudioDecoderControl_destroyed_1302 (arg1); +} + + // void QAudioDecoderControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1020,6 +968,45 @@ static void _set_callback_cbs_duration_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QAudioDecoderControl::durationChanged(qint64 duration) + +static void _init_emitter_durationChanged_986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("duration"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_durationChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + ((QAudioDecoderControl_Adaptor *)cls)->emitter_QAudioDecoderControl_durationChanged_986 (arg1); +} + + +// emitter void QAudioDecoderControl::error(int error, const QString &errorString) + +static void _init_emitter_error_2684 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("error"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("errorString"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_error_2684 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + const QString &arg2 = gsi::arg_reader() (args, heap); + ((QAudioDecoderControl_Adaptor *)cls)->emitter_QAudioDecoderControl_error_2684 (arg1, arg2); +} + + // bool QAudioDecoderControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -1069,6 +1056,38 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } +// emitter void QAudioDecoderControl::finished() + +static void _init_emitter_finished_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_finished_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAudioDecoderControl_Adaptor *)cls)->emitter_QAudioDecoderControl_finished_0 (); +} + + +// emitter void QAudioDecoderControl::formatChanged(const QAudioFormat &format) + +static void _init_emitter_formatChanged_2509 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("format"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_formatChanged_2509 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QAudioFormat &arg1 = gsi::arg_reader() (args, heap); + ((QAudioDecoderControl_Adaptor *)cls)->emitter_QAudioDecoderControl_formatChanged_2509 (arg1); +} + + // exposed bool QAudioDecoderControl::isSignalConnected(const QMetaMethod &signal) static void _init_fp_isSignalConnected_c2394 (qt_gsi::GenericMethod *decl) @@ -1087,6 +1106,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAudioDecoderControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAudioDecoderControl_Adaptor *)cls)->emitter_QAudioDecoderControl_objectNameChanged_4567 (arg1); +} + + // qint64 QAudioDecoderControl::position() static void _init_cbs_position_c0_0 (qt_gsi::GenericMethod *decl) @@ -1106,6 +1143,24 @@ static void _set_callback_cbs_position_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QAudioDecoderControl::positionChanged(qint64 position) + +static void _init_emitter_positionChanged_986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("position"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_positionChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + ((QAudioDecoderControl_Adaptor *)cls)->emitter_QAudioDecoderControl_positionChanged_986 (arg1); +} + + // QAudioBuffer QAudioDecoderControl::read() static void _init_cbs_read_0_0 (qt_gsi::GenericMethod *decl) @@ -1243,6 +1298,20 @@ static void _set_callback_cbs_setSourceFilename_2025_0 (void *cls, const gsi::Ca } +// emitter void QAudioDecoderControl::sourceChanged() + +static void _init_emitter_sourceChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_sourceChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAudioDecoderControl_Adaptor *)cls)->emitter_QAudioDecoderControl_sourceChanged_0 (); +} + + // QIODevice *QAudioDecoderControl::sourceDevice() static void _init_cbs_sourceDevice_c0_0 (qt_gsi::GenericMethod *decl) @@ -1320,6 +1389,24 @@ static void _set_callback_cbs_state_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QAudioDecoderControl::stateChanged(QAudioDecoder::State newState) + +static void _init_emitter_stateChanged_2338 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("newState"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stateChanged_2338 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QAudioDecoderControl_Adaptor *)cls)->emitter_QAudioDecoderControl_stateChanged_2338 (arg1); +} + + // void QAudioDecoderControl::stop() static void _init_cbs_stop_0_0 (qt_gsi::GenericMethod *decl) @@ -1376,21 +1463,30 @@ static gsi::Methods methods_QAudioDecoderControl_Adaptor () { methods += new qt_gsi::GenericMethod ("audioFormat", "@hide", true, &_init_cbs_audioFormat_c0_0, &_call_cbs_audioFormat_c0_0, &_set_callback_cbs_audioFormat_c0_0); methods += new qt_gsi::GenericMethod ("bufferAvailable", "@brief Virtual method bool QAudioDecoderControl::bufferAvailable()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_bufferAvailable_c0_0, &_call_cbs_bufferAvailable_c0_0); methods += new qt_gsi::GenericMethod ("bufferAvailable", "@hide", true, &_init_cbs_bufferAvailable_c0_0, &_call_cbs_bufferAvailable_c0_0, &_set_callback_cbs_bufferAvailable_c0_0); + methods += new qt_gsi::GenericMethod ("emit_bufferAvailableChanged", "@brief Emitter for signal void QAudioDecoderControl::bufferAvailableChanged(bool available)\nCall this method to emit this signal.", false, &_init_emitter_bufferAvailableChanged_864, &_call_emitter_bufferAvailableChanged_864); + methods += new qt_gsi::GenericMethod ("emit_bufferReady", "@brief Emitter for signal void QAudioDecoderControl::bufferReady()\nCall this method to emit this signal.", false, &_init_emitter_bufferReady_0, &_call_emitter_bufferReady_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioDecoderControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioDecoderControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAudioDecoderControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioDecoderControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("duration", "@brief Virtual method qint64 QAudioDecoderControl::duration()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_duration_c0_0, &_call_cbs_duration_c0_0); methods += new qt_gsi::GenericMethod ("duration", "@hide", true, &_init_cbs_duration_c0_0, &_call_cbs_duration_c0_0, &_set_callback_cbs_duration_c0_0); + methods += new qt_gsi::GenericMethod ("emit_durationChanged", "@brief Emitter for signal void QAudioDecoderControl::durationChanged(qint64 duration)\nCall this method to emit this signal.", false, &_init_emitter_durationChanged_986, &_call_emitter_durationChanged_986); + methods += new qt_gsi::GenericMethod ("emit_error", "@brief Emitter for signal void QAudioDecoderControl::error(int error, const QString &errorString)\nCall this method to emit this signal.", false, &_init_emitter_error_2684, &_call_emitter_error_2684); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioDecoderControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioDecoderControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QAudioDecoderControl::finished()\nCall this method to emit this signal.", false, &_init_emitter_finished_0, &_call_emitter_finished_0); + methods += new qt_gsi::GenericMethod ("emit_formatChanged", "@brief Emitter for signal void QAudioDecoderControl::formatChanged(const QAudioFormat &format)\nCall this method to emit this signal.", false, &_init_emitter_formatChanged_2509, &_call_emitter_formatChanged_2509); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioDecoderControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAudioDecoderControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("position", "@brief Virtual method qint64 QAudioDecoderControl::position()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_position_c0_0, &_call_cbs_position_c0_0); methods += new qt_gsi::GenericMethod ("position", "@hide", true, &_init_cbs_position_c0_0, &_call_cbs_position_c0_0, &_set_callback_cbs_position_c0_0); + methods += new qt_gsi::GenericMethod ("emit_positionChanged", "@brief Emitter for signal void QAudioDecoderControl::positionChanged(qint64 position)\nCall this method to emit this signal.", false, &_init_emitter_positionChanged_986, &_call_emitter_positionChanged_986); methods += new qt_gsi::GenericMethod ("read", "@brief Virtual method QAudioBuffer QAudioDecoderControl::read()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_read_0_0, &_call_cbs_read_0_0); methods += new qt_gsi::GenericMethod ("read", "@hide", false, &_init_cbs_read_0_0, &_call_cbs_read_0_0, &_set_callback_cbs_read_0_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioDecoderControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); @@ -1402,6 +1498,7 @@ static gsi::Methods methods_QAudioDecoderControl_Adaptor () { methods += new qt_gsi::GenericMethod ("setSourceDevice", "@hide", false, &_init_cbs_setSourceDevice_1447_0, &_call_cbs_setSourceDevice_1447_0, &_set_callback_cbs_setSourceDevice_1447_0); methods += new qt_gsi::GenericMethod ("setSourceFilename", "@brief Virtual method void QAudioDecoderControl::setSourceFilename(const QString &fileName)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setSourceFilename_2025_0, &_call_cbs_setSourceFilename_2025_0); methods += new qt_gsi::GenericMethod ("setSourceFilename", "@hide", false, &_init_cbs_setSourceFilename_2025_0, &_call_cbs_setSourceFilename_2025_0, &_set_callback_cbs_setSourceFilename_2025_0); + methods += new qt_gsi::GenericMethod ("emit_sourceChanged", "@brief Emitter for signal void QAudioDecoderControl::sourceChanged()\nCall this method to emit this signal.", false, &_init_emitter_sourceChanged_0, &_call_emitter_sourceChanged_0); methods += new qt_gsi::GenericMethod ("sourceDevice", "@brief Virtual method QIODevice *QAudioDecoderControl::sourceDevice()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sourceDevice_c0_0, &_call_cbs_sourceDevice_c0_0); methods += new qt_gsi::GenericMethod ("sourceDevice", "@hide", true, &_init_cbs_sourceDevice_c0_0, &_call_cbs_sourceDevice_c0_0, &_set_callback_cbs_sourceDevice_c0_0); methods += new qt_gsi::GenericMethod ("sourceFilename", "@brief Virtual method QString QAudioDecoderControl::sourceFilename()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sourceFilename_c0_0, &_call_cbs_sourceFilename_c0_0); @@ -1410,6 +1507,7 @@ static gsi::Methods methods_QAudioDecoderControl_Adaptor () { methods += new qt_gsi::GenericMethod ("start", "@hide", false, &_init_cbs_start_0_0, &_call_cbs_start_0_0, &_set_callback_cbs_start_0_0); methods += new qt_gsi::GenericMethod ("state", "@brief Virtual method QAudioDecoder::State QAudioDecoderControl::state()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_state_c0_0, &_call_cbs_state_c0_0); methods += new qt_gsi::GenericMethod ("state", "@hide", true, &_init_cbs_state_c0_0, &_call_cbs_state_c0_0, &_set_callback_cbs_state_c0_0); + methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QAudioDecoderControl::stateChanged(QAudioDecoder::State newState)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_2338, &_call_emitter_stateChanged_2338); methods += new qt_gsi::GenericMethod ("stop", "@brief Virtual method void QAudioDecoderControl::stop()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0); methods += new qt_gsi::GenericMethod ("stop", "@hide", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0, &_set_callback_cbs_stop_0_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioDecoderControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioEncoderSettingsControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioEncoderSettingsControl.cc index f2278acb7b..750964acf8 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioEncoderSettingsControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioEncoderSettingsControl.cc @@ -207,6 +207,8 @@ static gsi::Methods methods_QAudioEncoderSettingsControl () { methods += new qt_gsi::GenericMethod ("setAudioSettings|audioSettings=", "@brief Method void QAudioEncoderSettingsControl::setAudioSettings(const QAudioEncoderSettings &settings)\n", false, &_init_f_setAudioSettings_3445, &_call_f_setAudioSettings_3445); methods += new qt_gsi::GenericMethod ("supportedAudioCodecs", "@brief Method QStringList QAudioEncoderSettingsControl::supportedAudioCodecs()\n", true, &_init_f_supportedAudioCodecs_c0, &_call_f_supportedAudioCodecs_c0); methods += new qt_gsi::GenericMethod ("supportedSampleRates", "@brief Method QList QAudioEncoderSettingsControl::supportedSampleRates(const QAudioEncoderSettings &settings, bool *continuous)\n", true, &_init_f_supportedSampleRates_c4387, &_call_f_supportedSampleRates_c4387); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAudioEncoderSettingsControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAudioEncoderSettingsControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAudioEncoderSettingsControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QAudioEncoderSettingsControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -286,6 +288,12 @@ class QAudioEncoderSettingsControl_Adaptor : public QAudioEncoderSettingsControl } } + // [emitter impl] void QAudioEncoderSettingsControl::destroyed(QObject *) + void emitter_QAudioEncoderSettingsControl_destroyed_1302(QObject *arg1) + { + emit QAudioEncoderSettingsControl::destroyed(arg1); + } + // [adaptor impl] bool QAudioEncoderSettingsControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -316,6 +324,13 @@ class QAudioEncoderSettingsControl_Adaptor : public QAudioEncoderSettingsControl } } + // [emitter impl] void QAudioEncoderSettingsControl::objectNameChanged(const QString &objectName) + void emitter_QAudioEncoderSettingsControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAudioEncoderSettingsControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QAudioEncoderSettingsControl::setAudioSettings(const QAudioEncoderSettings &settings) void cbs_setAudioSettings_3445_0(const QAudioEncoderSettings &settings) { @@ -543,6 +558,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAudioEncoderSettingsControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAudioEncoderSettingsControl_Adaptor *)cls)->emitter_QAudioEncoderSettingsControl_destroyed_1302 (arg1); +} + + // void QAudioEncoderSettingsControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -634,6 +667,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAudioEncoderSettingsControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAudioEncoderSettingsControl_Adaptor *)cls)->emitter_QAudioEncoderSettingsControl_objectNameChanged_4567 (arg1); +} + + // exposed int QAudioEncoderSettingsControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -789,6 +840,7 @@ static gsi::Methods methods_QAudioEncoderSettingsControl_Adaptor () { methods += new qt_gsi::GenericMethod ("codecDescription", "@hide", true, &_init_cbs_codecDescription_c2025_0, &_call_cbs_codecDescription_c2025_0, &_set_callback_cbs_codecDescription_c2025_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioEncoderSettingsControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAudioEncoderSettingsControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioEncoderSettingsControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioEncoderSettingsControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -796,6 +848,7 @@ static gsi::Methods methods_QAudioEncoderSettingsControl_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioEncoderSettingsControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioEncoderSettingsControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAudioEncoderSettingsControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioEncoderSettingsControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioEncoderSettingsControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioEncoderSettingsControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInput.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInput.cc index a14c953d4d..5d25990834 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInput.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInput.cc @@ -132,22 +132,6 @@ static void _call_f_format_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QAudioInput::notify() - - -static void _init_f_notify_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_notify_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioInput *)cls)->notify (); -} - - // int QAudioInput::notifyInterval() @@ -335,26 +319,6 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QAudioInput::stateChanged(QAudio::State state) - - -static void _init_f_stateChanged_1644 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("state"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_stateChanged_1644 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioInput *)cls)->stateChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // void QAudioInput::stop() @@ -463,7 +427,6 @@ static gsi::Methods methods_QAudioInput () { methods += new qt_gsi::GenericMethod ("elapsedUSecs", "@brief Method qint64 QAudioInput::elapsedUSecs()\n", true, &_init_f_elapsedUSecs_c0, &_call_f_elapsedUSecs_c0); methods += new qt_gsi::GenericMethod ("error", "@brief Method QAudio::Error QAudioInput::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); methods += new qt_gsi::GenericMethod ("format", "@brief Method QAudioFormat QAudioInput::format()\n", true, &_init_f_format_c0, &_call_f_format_c0); - methods += new qt_gsi::GenericMethod ("notify", "@brief Method void QAudioInput::notify()\n", false, &_init_f_notify_0, &_call_f_notify_0); methods += new qt_gsi::GenericMethod (":notifyInterval", "@brief Method int QAudioInput::notifyInterval()\n", true, &_init_f_notifyInterval_c0, &_call_f_notifyInterval_c0); methods += new qt_gsi::GenericMethod ("periodSize", "@brief Method int QAudioInput::periodSize()\n", true, &_init_f_periodSize_c0, &_call_f_periodSize_c0); methods += new qt_gsi::GenericMethod ("processedUSecs", "@brief Method qint64 QAudioInput::processedUSecs()\n", true, &_init_f_processedUSecs_c0, &_call_f_processedUSecs_c0); @@ -475,10 +438,13 @@ static gsi::Methods methods_QAudioInput () { methods += new qt_gsi::GenericMethod ("start", "@brief Method void QAudioInput::start(QIODevice *device)\n", false, &_init_f_start_1447, &_call_f_start_1447); methods += new qt_gsi::GenericMethod ("start", "@brief Method QIODevice *QAudioInput::start()\n", false, &_init_f_start_0, &_call_f_start_0); methods += new qt_gsi::GenericMethod ("state", "@brief Method QAudio::State QAudioInput::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QAudioInput::stateChanged(QAudio::State state)\n", false, &_init_f_stateChanged_1644, &_call_f_stateChanged_1644); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QAudioInput::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); methods += new qt_gsi::GenericMethod ("suspend", "@brief Method void QAudioInput::suspend()\n", false, &_init_f_suspend_0, &_call_f_suspend_0); methods += new qt_gsi::GenericMethod (":volume", "@brief Method double QAudioInput::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAudioInput::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("notify()", "notify", "@brief Signal declaration for QAudioInput::notify()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAudioInput::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("stateChanged(QAudio::State)", "stateChanged", gsi::arg("state"), "@brief Signal declaration for QAudioInput::stateChanged(QAudio::State state)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAudioInput::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QAudioInput::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -557,6 +523,12 @@ class QAudioInput_Adaptor : public QAudioInput, public qt_gsi::QtObjectBase return QAudioInput::senderSignalIndex(); } + // [emitter impl] void QAudioInput::destroyed(QObject *) + void emitter_QAudioInput_destroyed_1302(QObject *arg1) + { + emit QAudioInput::destroyed(arg1); + } + // [adaptor impl] bool QAudioInput::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -587,6 +559,25 @@ class QAudioInput_Adaptor : public QAudioInput, public qt_gsi::QtObjectBase } } + // [emitter impl] void QAudioInput::notify() + void emitter_QAudioInput_notify_0() + { + emit QAudioInput::notify(); + } + + // [emitter impl] void QAudioInput::objectNameChanged(const QString &objectName) + void emitter_QAudioInput_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAudioInput::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QAudioInput::stateChanged(QAudio::State state) + void emitter_QAudioInput_stateChanged_1644(QAudio::State state) + { + emit QAudioInput::stateChanged(state); + } + // [adaptor impl] void QAudioInput::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -750,6 +741,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAudioInput::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAudioInput_Adaptor *)cls)->emitter_QAudioInput_destroyed_1302 (arg1); +} + + // void QAudioInput::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -841,6 +850,38 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAudioInput::notify() + +static void _init_emitter_notify_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_notify_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAudioInput_Adaptor *)cls)->emitter_QAudioInput_notify_0 (); +} + + +// emitter void QAudioInput::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAudioInput_Adaptor *)cls)->emitter_QAudioInput_objectNameChanged_4567 (arg1); +} + + // exposed int QAudioInput::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -887,6 +928,24 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } +// emitter void QAudioInput::stateChanged(QAudio::State state) + +static void _init_emitter_stateChanged_1644 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("state"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stateChanged_1644 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QAudioInput_Adaptor *)cls)->emitter_QAudioInput_stateChanged_1644 (arg1); +} + + // void QAudioInput::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -924,6 +983,7 @@ static gsi::Methods methods_QAudioInput_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioInput::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAudioInput::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioInput::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioInput::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -931,9 +991,12 @@ static gsi::Methods methods_QAudioInput_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioInput::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioInput::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_notify", "@brief Emitter for signal void QAudioInput::notify()\nCall this method to emit this signal.", false, &_init_emitter_notify_0, &_call_emitter_notify_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAudioInput::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioInput::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioInput::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioInput::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); + methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QAudioInput::stateChanged(QAudio::State state)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_1644, &_call_emitter_stateChanged_1644); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioInput::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInputSelectorControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInputSelectorControl.cc index 1dfeb54bb0..48fcd6a63a 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInputSelectorControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInputSelectorControl.cc @@ -69,26 +69,6 @@ static void _call_f_activeInput_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QAudioInputSelectorControl::activeInputChanged(const QString &name) - - -static void _init_f_activeInputChanged_2025 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_activeInputChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioInputSelectorControl *)cls)->activeInputChanged (arg1); -} - - // QList QAudioInputSelectorControl::availableInputs() @@ -104,22 +84,6 @@ static void _call_f_availableInputs_c0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QAudioInputSelectorControl::availableInputsChanged() - - -static void _init_f_availableInputsChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_availableInputsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioInputSelectorControl *)cls)->availableInputsChanged (); -} - - // QString QAudioInputSelectorControl::defaultInput() @@ -231,12 +195,14 @@ static gsi::Methods methods_QAudioInputSelectorControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":activeInput", "@brief Method QString QAudioInputSelectorControl::activeInput()\n", true, &_init_f_activeInput_c0, &_call_f_activeInput_c0); - methods += new qt_gsi::GenericMethod ("activeInputChanged", "@brief Method void QAudioInputSelectorControl::activeInputChanged(const QString &name)\n", false, &_init_f_activeInputChanged_2025, &_call_f_activeInputChanged_2025); methods += new qt_gsi::GenericMethod ("availableInputs", "@brief Method QList QAudioInputSelectorControl::availableInputs()\n", true, &_init_f_availableInputs_c0, &_call_f_availableInputs_c0); - methods += new qt_gsi::GenericMethod ("availableInputsChanged", "@brief Method void QAudioInputSelectorControl::availableInputsChanged()\n", false, &_init_f_availableInputsChanged_0, &_call_f_availableInputsChanged_0); methods += new qt_gsi::GenericMethod ("defaultInput", "@brief Method QString QAudioInputSelectorControl::defaultInput()\n", true, &_init_f_defaultInput_c0, &_call_f_defaultInput_c0); methods += new qt_gsi::GenericMethod ("inputDescription", "@brief Method QString QAudioInputSelectorControl::inputDescription(const QString &name)\n", true, &_init_f_inputDescription_c2025, &_call_f_inputDescription_c2025); methods += new qt_gsi::GenericMethod ("setActiveInput|activeInput=", "@brief Method void QAudioInputSelectorControl::setActiveInput(const QString &name)\n", false, &_init_f_setActiveInput_2025, &_call_f_setActiveInput_2025); + methods += gsi::qt_signal ("activeInputChanged(const QString &)", "activeInputChanged", gsi::arg("name"), "@brief Signal declaration for QAudioInputSelectorControl::activeInputChanged(const QString &name)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("availableInputsChanged()", "availableInputsChanged", "@brief Signal declaration for QAudioInputSelectorControl::availableInputsChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAudioInputSelectorControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAudioInputSelectorControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAudioInputSelectorControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QAudioInputSelectorControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -300,6 +266,12 @@ class QAudioInputSelectorControl_Adaptor : public QAudioInputSelectorControl, pu } } + // [emitter impl] void QAudioInputSelectorControl::activeInputChanged(const QString &name) + void emitter_QAudioInputSelectorControl_activeInputChanged_2025(const QString &name) + { + emit QAudioInputSelectorControl::activeInputChanged(name); + } + // [adaptor impl] QList QAudioInputSelectorControl::availableInputs() QList cbs_availableInputs_c0_0() const { @@ -315,6 +287,12 @@ class QAudioInputSelectorControl_Adaptor : public QAudioInputSelectorControl, pu } } + // [emitter impl] void QAudioInputSelectorControl::availableInputsChanged() + void emitter_QAudioInputSelectorControl_availableInputsChanged_0() + { + emit QAudioInputSelectorControl::availableInputsChanged(); + } + // [adaptor impl] QString QAudioInputSelectorControl::defaultInput() QString cbs_defaultInput_c0_0() const { @@ -330,6 +308,12 @@ class QAudioInputSelectorControl_Adaptor : public QAudioInputSelectorControl, pu } } + // [emitter impl] void QAudioInputSelectorControl::destroyed(QObject *) + void emitter_QAudioInputSelectorControl_destroyed_1302(QObject *arg1) + { + emit QAudioInputSelectorControl::destroyed(arg1); + } + // [adaptor impl] bool QAudioInputSelectorControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -376,6 +360,13 @@ class QAudioInputSelectorControl_Adaptor : public QAudioInputSelectorControl, pu } } + // [emitter impl] void QAudioInputSelectorControl::objectNameChanged(const QString &objectName) + void emitter_QAudioInputSelectorControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAudioInputSelectorControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QAudioInputSelectorControl::setActiveInput(const QString &name) void cbs_setActiveInput_2025_0(const QString &name) { @@ -500,6 +491,24 @@ static void _set_callback_cbs_activeInput_c0_0 (void *cls, const gsi::Callback & } +// emitter void QAudioInputSelectorControl::activeInputChanged(const QString &name) + +static void _init_emitter_activeInputChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("name"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_activeInputChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAudioInputSelectorControl_Adaptor *)cls)->emitter_QAudioInputSelectorControl_activeInputChanged_2025 (arg1); +} + + // QList QAudioInputSelectorControl::availableInputs() static void _init_cbs_availableInputs_c0_0 (qt_gsi::GenericMethod *decl) @@ -519,6 +528,20 @@ static void _set_callback_cbs_availableInputs_c0_0 (void *cls, const gsi::Callba } +// emitter void QAudioInputSelectorControl::availableInputsChanged() + +static void _init_emitter_availableInputsChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_availableInputsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAudioInputSelectorControl_Adaptor *)cls)->emitter_QAudioInputSelectorControl_availableInputsChanged_0 (); +} + + // void QAudioInputSelectorControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -586,6 +609,24 @@ static void _set_callback_cbs_defaultInput_c0_0 (void *cls, const gsi::Callback } +// emitter void QAudioInputSelectorControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAudioInputSelectorControl_Adaptor *)cls)->emitter_QAudioInputSelectorControl_destroyed_1302 (arg1); +} + + // void QAudioInputSelectorControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -700,6 +741,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAudioInputSelectorControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAudioInputSelectorControl_Adaptor *)cls)->emitter_QAudioInputSelectorControl_objectNameChanged_4567 (arg1); +} + + // exposed int QAudioInputSelectorControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -804,14 +863,17 @@ static gsi::Methods methods_QAudioInputSelectorControl_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAudioInputSelectorControl::QAudioInputSelectorControl()\nThis method creates an object of class QAudioInputSelectorControl.", &_init_ctor_QAudioInputSelectorControl_Adaptor_0, &_call_ctor_QAudioInputSelectorControl_Adaptor_0); methods += new qt_gsi::GenericMethod ("activeInput", "@brief Virtual method QString QAudioInputSelectorControl::activeInput()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_activeInput_c0_0, &_call_cbs_activeInput_c0_0); methods += new qt_gsi::GenericMethod ("activeInput", "@hide", true, &_init_cbs_activeInput_c0_0, &_call_cbs_activeInput_c0_0, &_set_callback_cbs_activeInput_c0_0); + methods += new qt_gsi::GenericMethod ("emit_activeInputChanged", "@brief Emitter for signal void QAudioInputSelectorControl::activeInputChanged(const QString &name)\nCall this method to emit this signal.", false, &_init_emitter_activeInputChanged_2025, &_call_emitter_activeInputChanged_2025); methods += new qt_gsi::GenericMethod ("availableInputs", "@brief Virtual method QList QAudioInputSelectorControl::availableInputs()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_availableInputs_c0_0, &_call_cbs_availableInputs_c0_0); methods += new qt_gsi::GenericMethod ("availableInputs", "@hide", true, &_init_cbs_availableInputs_c0_0, &_call_cbs_availableInputs_c0_0, &_set_callback_cbs_availableInputs_c0_0); + methods += new qt_gsi::GenericMethod ("emit_availableInputsChanged", "@brief Emitter for signal void QAudioInputSelectorControl::availableInputsChanged()\nCall this method to emit this signal.", false, &_init_emitter_availableInputsChanged_0, &_call_emitter_availableInputsChanged_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioInputSelectorControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioInputSelectorControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("defaultInput", "@brief Virtual method QString QAudioInputSelectorControl::defaultInput()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_defaultInput_c0_0, &_call_cbs_defaultInput_c0_0); methods += new qt_gsi::GenericMethod ("defaultInput", "@hide", true, &_init_cbs_defaultInput_c0_0, &_call_cbs_defaultInput_c0_0, &_set_callback_cbs_defaultInput_c0_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAudioInputSelectorControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioInputSelectorControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioInputSelectorControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -821,6 +883,7 @@ static gsi::Methods methods_QAudioInputSelectorControl_Adaptor () { methods += new qt_gsi::GenericMethod ("inputDescription", "@brief Virtual method QString QAudioInputSelectorControl::inputDescription(const QString &name)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_inputDescription_c2025_0, &_call_cbs_inputDescription_c2025_0); methods += new qt_gsi::GenericMethod ("inputDescription", "@hide", true, &_init_cbs_inputDescription_c2025_0, &_call_cbs_inputDescription_c2025_0, &_set_callback_cbs_inputDescription_c2025_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioInputSelectorControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAudioInputSelectorControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioInputSelectorControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioInputSelectorControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioInputSelectorControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutput.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutput.cc index 9871e5f5e4..74de58b84c 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutput.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutput.cc @@ -147,22 +147,6 @@ static void _call_f_format_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QAudioOutput::notify() - - -static void _init_f_notify_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_notify_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioOutput *)cls)->notify (); -} - - // int QAudioOutput::notifyInterval() @@ -370,26 +354,6 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QAudioOutput::stateChanged(QAudio::State state) - - -static void _init_f_stateChanged_1644 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("state"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_stateChanged_1644 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioOutput *)cls)->stateChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // void QAudioOutput::stop() @@ -499,7 +463,6 @@ static gsi::Methods methods_QAudioOutput () { methods += new qt_gsi::GenericMethod ("elapsedUSecs", "@brief Method qint64 QAudioOutput::elapsedUSecs()\n", true, &_init_f_elapsedUSecs_c0, &_call_f_elapsedUSecs_c0); methods += new qt_gsi::GenericMethod ("error", "@brief Method QAudio::Error QAudioOutput::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); methods += new qt_gsi::GenericMethod ("format", "@brief Method QAudioFormat QAudioOutput::format()\n", true, &_init_f_format_c0, &_call_f_format_c0); - methods += new qt_gsi::GenericMethod ("notify", "@brief Method void QAudioOutput::notify()\n", false, &_init_f_notify_0, &_call_f_notify_0); methods += new qt_gsi::GenericMethod (":notifyInterval", "@brief Method int QAudioOutput::notifyInterval()\n", true, &_init_f_notifyInterval_c0, &_call_f_notifyInterval_c0); methods += new qt_gsi::GenericMethod ("periodSize", "@brief Method int QAudioOutput::periodSize()\n", true, &_init_f_periodSize_c0, &_call_f_periodSize_c0); methods += new qt_gsi::GenericMethod ("processedUSecs", "@brief Method qint64 QAudioOutput::processedUSecs()\n", true, &_init_f_processedUSecs_c0, &_call_f_processedUSecs_c0); @@ -512,10 +475,13 @@ static gsi::Methods methods_QAudioOutput () { methods += new qt_gsi::GenericMethod ("start", "@brief Method void QAudioOutput::start(QIODevice *device)\n", false, &_init_f_start_1447, &_call_f_start_1447); methods += new qt_gsi::GenericMethod ("start", "@brief Method QIODevice *QAudioOutput::start()\n", false, &_init_f_start_0, &_call_f_start_0); methods += new qt_gsi::GenericMethod ("state", "@brief Method QAudio::State QAudioOutput::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QAudioOutput::stateChanged(QAudio::State state)\n", false, &_init_f_stateChanged_1644, &_call_f_stateChanged_1644); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QAudioOutput::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); methods += new qt_gsi::GenericMethod ("suspend", "@brief Method void QAudioOutput::suspend()\n", false, &_init_f_suspend_0, &_call_f_suspend_0); methods += new qt_gsi::GenericMethod (":volume", "@brief Method double QAudioOutput::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAudioOutput::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("notify()", "notify", "@brief Signal declaration for QAudioOutput::notify()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAudioOutput::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("stateChanged(QAudio::State)", "stateChanged", gsi::arg("state"), "@brief Signal declaration for QAudioOutput::stateChanged(QAudio::State state)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAudioOutput::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QAudioOutput::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -594,6 +560,12 @@ class QAudioOutput_Adaptor : public QAudioOutput, public qt_gsi::QtObjectBase return QAudioOutput::senderSignalIndex(); } + // [emitter impl] void QAudioOutput::destroyed(QObject *) + void emitter_QAudioOutput_destroyed_1302(QObject *arg1) + { + emit QAudioOutput::destroyed(arg1); + } + // [adaptor impl] bool QAudioOutput::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -624,6 +596,25 @@ class QAudioOutput_Adaptor : public QAudioOutput, public qt_gsi::QtObjectBase } } + // [emitter impl] void QAudioOutput::notify() + void emitter_QAudioOutput_notify_0() + { + emit QAudioOutput::notify(); + } + + // [emitter impl] void QAudioOutput::objectNameChanged(const QString &objectName) + void emitter_QAudioOutput_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAudioOutput::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QAudioOutput::stateChanged(QAudio::State state) + void emitter_QAudioOutput_stateChanged_1644(QAudio::State state) + { + emit QAudioOutput::stateChanged(state); + } + // [adaptor impl] void QAudioOutput::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -787,6 +778,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAudioOutput::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAudioOutput_Adaptor *)cls)->emitter_QAudioOutput_destroyed_1302 (arg1); +} + + // void QAudioOutput::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -878,6 +887,38 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAudioOutput::notify() + +static void _init_emitter_notify_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_notify_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAudioOutput_Adaptor *)cls)->emitter_QAudioOutput_notify_0 (); +} + + +// emitter void QAudioOutput::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAudioOutput_Adaptor *)cls)->emitter_QAudioOutput_objectNameChanged_4567 (arg1); +} + + // exposed int QAudioOutput::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -924,6 +965,24 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } +// emitter void QAudioOutput::stateChanged(QAudio::State state) + +static void _init_emitter_stateChanged_1644 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("state"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stateChanged_1644 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QAudioOutput_Adaptor *)cls)->emitter_QAudioOutput_stateChanged_1644 (arg1); +} + + // void QAudioOutput::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -961,6 +1020,7 @@ static gsi::Methods methods_QAudioOutput_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioOutput::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAudioOutput::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioOutput::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioOutput::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -968,9 +1028,12 @@ static gsi::Methods methods_QAudioOutput_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioOutput::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioOutput::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_notify", "@brief Emitter for signal void QAudioOutput::notify()\nCall this method to emit this signal.", false, &_init_emitter_notify_0, &_call_emitter_notify_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAudioOutput::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioOutput::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioOutput::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioOutput::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); + methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QAudioOutput::stateChanged(QAudio::State state)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_1644, &_call_emitter_stateChanged_1644); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioOutput::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutputSelectorControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutputSelectorControl.cc index 61e859078d..c6098d3569 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutputSelectorControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutputSelectorControl.cc @@ -69,26 +69,6 @@ static void _call_f_activeOutput_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QAudioOutputSelectorControl::activeOutputChanged(const QString &name) - - -static void _init_f_activeOutputChanged_2025 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_activeOutputChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioOutputSelectorControl *)cls)->activeOutputChanged (arg1); -} - - // QList QAudioOutputSelectorControl::availableOutputs() @@ -104,22 +84,6 @@ static void _call_f_availableOutputs_c0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QAudioOutputSelectorControl::availableOutputsChanged() - - -static void _init_f_availableOutputsChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_availableOutputsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioOutputSelectorControl *)cls)->availableOutputsChanged (); -} - - // QString QAudioOutputSelectorControl::defaultOutput() @@ -231,12 +195,14 @@ static gsi::Methods methods_QAudioOutputSelectorControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":activeOutput", "@brief Method QString QAudioOutputSelectorControl::activeOutput()\n", true, &_init_f_activeOutput_c0, &_call_f_activeOutput_c0); - methods += new qt_gsi::GenericMethod ("activeOutputChanged", "@brief Method void QAudioOutputSelectorControl::activeOutputChanged(const QString &name)\n", false, &_init_f_activeOutputChanged_2025, &_call_f_activeOutputChanged_2025); methods += new qt_gsi::GenericMethod ("availableOutputs", "@brief Method QList QAudioOutputSelectorControl::availableOutputs()\n", true, &_init_f_availableOutputs_c0, &_call_f_availableOutputs_c0); - methods += new qt_gsi::GenericMethod ("availableOutputsChanged", "@brief Method void QAudioOutputSelectorControl::availableOutputsChanged()\n", false, &_init_f_availableOutputsChanged_0, &_call_f_availableOutputsChanged_0); methods += new qt_gsi::GenericMethod ("defaultOutput", "@brief Method QString QAudioOutputSelectorControl::defaultOutput()\n", true, &_init_f_defaultOutput_c0, &_call_f_defaultOutput_c0); methods += new qt_gsi::GenericMethod ("outputDescription", "@brief Method QString QAudioOutputSelectorControl::outputDescription(const QString &name)\n", true, &_init_f_outputDescription_c2025, &_call_f_outputDescription_c2025); methods += new qt_gsi::GenericMethod ("setActiveOutput|activeOutput=", "@brief Method void QAudioOutputSelectorControl::setActiveOutput(const QString &name)\n", false, &_init_f_setActiveOutput_2025, &_call_f_setActiveOutput_2025); + methods += gsi::qt_signal ("activeOutputChanged(const QString &)", "activeOutputChanged", gsi::arg("name"), "@brief Signal declaration for QAudioOutputSelectorControl::activeOutputChanged(const QString &name)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("availableOutputsChanged()", "availableOutputsChanged", "@brief Signal declaration for QAudioOutputSelectorControl::availableOutputsChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAudioOutputSelectorControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAudioOutputSelectorControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAudioOutputSelectorControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QAudioOutputSelectorControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -300,6 +266,12 @@ class QAudioOutputSelectorControl_Adaptor : public QAudioOutputSelectorControl, } } + // [emitter impl] void QAudioOutputSelectorControl::activeOutputChanged(const QString &name) + void emitter_QAudioOutputSelectorControl_activeOutputChanged_2025(const QString &name) + { + emit QAudioOutputSelectorControl::activeOutputChanged(name); + } + // [adaptor impl] QList QAudioOutputSelectorControl::availableOutputs() QList cbs_availableOutputs_c0_0() const { @@ -315,6 +287,12 @@ class QAudioOutputSelectorControl_Adaptor : public QAudioOutputSelectorControl, } } + // [emitter impl] void QAudioOutputSelectorControl::availableOutputsChanged() + void emitter_QAudioOutputSelectorControl_availableOutputsChanged_0() + { + emit QAudioOutputSelectorControl::availableOutputsChanged(); + } + // [adaptor impl] QString QAudioOutputSelectorControl::defaultOutput() QString cbs_defaultOutput_c0_0() const { @@ -330,6 +308,12 @@ class QAudioOutputSelectorControl_Adaptor : public QAudioOutputSelectorControl, } } + // [emitter impl] void QAudioOutputSelectorControl::destroyed(QObject *) + void emitter_QAudioOutputSelectorControl_destroyed_1302(QObject *arg1) + { + emit QAudioOutputSelectorControl::destroyed(arg1); + } + // [adaptor impl] bool QAudioOutputSelectorControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -360,6 +344,13 @@ class QAudioOutputSelectorControl_Adaptor : public QAudioOutputSelectorControl, } } + // [emitter impl] void QAudioOutputSelectorControl::objectNameChanged(const QString &objectName) + void emitter_QAudioOutputSelectorControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAudioOutputSelectorControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] QString QAudioOutputSelectorControl::outputDescription(const QString &name) QString cbs_outputDescription_c2025_0(const QString &name) const { @@ -500,6 +491,24 @@ static void _set_callback_cbs_activeOutput_c0_0 (void *cls, const gsi::Callback } +// emitter void QAudioOutputSelectorControl::activeOutputChanged(const QString &name) + +static void _init_emitter_activeOutputChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("name"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_activeOutputChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAudioOutputSelectorControl_Adaptor *)cls)->emitter_QAudioOutputSelectorControl_activeOutputChanged_2025 (arg1); +} + + // QList QAudioOutputSelectorControl::availableOutputs() static void _init_cbs_availableOutputs_c0_0 (qt_gsi::GenericMethod *decl) @@ -519,6 +528,20 @@ static void _set_callback_cbs_availableOutputs_c0_0 (void *cls, const gsi::Callb } +// emitter void QAudioOutputSelectorControl::availableOutputsChanged() + +static void _init_emitter_availableOutputsChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_availableOutputsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAudioOutputSelectorControl_Adaptor *)cls)->emitter_QAudioOutputSelectorControl_availableOutputsChanged_0 (); +} + + // void QAudioOutputSelectorControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -586,6 +609,24 @@ static void _set_callback_cbs_defaultOutput_c0_0 (void *cls, const gsi::Callback } +// emitter void QAudioOutputSelectorControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAudioOutputSelectorControl_Adaptor *)cls)->emitter_QAudioOutputSelectorControl_destroyed_1302 (arg1); +} + + // void QAudioOutputSelectorControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -677,6 +718,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAudioOutputSelectorControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAudioOutputSelectorControl_Adaptor *)cls)->emitter_QAudioOutputSelectorControl_objectNameChanged_4567 (arg1); +} + + // QString QAudioOutputSelectorControl::outputDescription(const QString &name) static void _init_cbs_outputDescription_c2025_0 (qt_gsi::GenericMethod *decl) @@ -804,14 +863,17 @@ static gsi::Methods methods_QAudioOutputSelectorControl_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAudioOutputSelectorControl::QAudioOutputSelectorControl()\nThis method creates an object of class QAudioOutputSelectorControl.", &_init_ctor_QAudioOutputSelectorControl_Adaptor_0, &_call_ctor_QAudioOutputSelectorControl_Adaptor_0); methods += new qt_gsi::GenericMethod ("activeOutput", "@brief Virtual method QString QAudioOutputSelectorControl::activeOutput()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_activeOutput_c0_0, &_call_cbs_activeOutput_c0_0); methods += new qt_gsi::GenericMethod ("activeOutput", "@hide", true, &_init_cbs_activeOutput_c0_0, &_call_cbs_activeOutput_c0_0, &_set_callback_cbs_activeOutput_c0_0); + methods += new qt_gsi::GenericMethod ("emit_activeOutputChanged", "@brief Emitter for signal void QAudioOutputSelectorControl::activeOutputChanged(const QString &name)\nCall this method to emit this signal.", false, &_init_emitter_activeOutputChanged_2025, &_call_emitter_activeOutputChanged_2025); methods += new qt_gsi::GenericMethod ("availableOutputs", "@brief Virtual method QList QAudioOutputSelectorControl::availableOutputs()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_availableOutputs_c0_0, &_call_cbs_availableOutputs_c0_0); methods += new qt_gsi::GenericMethod ("availableOutputs", "@hide", true, &_init_cbs_availableOutputs_c0_0, &_call_cbs_availableOutputs_c0_0, &_set_callback_cbs_availableOutputs_c0_0); + methods += new qt_gsi::GenericMethod ("emit_availableOutputsChanged", "@brief Emitter for signal void QAudioOutputSelectorControl::availableOutputsChanged()\nCall this method to emit this signal.", false, &_init_emitter_availableOutputsChanged_0, &_call_emitter_availableOutputsChanged_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioOutputSelectorControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioOutputSelectorControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("defaultOutput", "@brief Virtual method QString QAudioOutputSelectorControl::defaultOutput()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_defaultOutput_c0_0, &_call_cbs_defaultOutput_c0_0); methods += new qt_gsi::GenericMethod ("defaultOutput", "@hide", true, &_init_cbs_defaultOutput_c0_0, &_call_cbs_defaultOutput_c0_0, &_set_callback_cbs_defaultOutput_c0_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAudioOutputSelectorControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioOutputSelectorControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioOutputSelectorControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -819,6 +881,7 @@ static gsi::Methods methods_QAudioOutputSelectorControl_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioOutputSelectorControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioOutputSelectorControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAudioOutputSelectorControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("outputDescription", "@brief Virtual method QString QAudioOutputSelectorControl::outputDescription(const QString &name)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_outputDescription_c2025_0, &_call_cbs_outputDescription_c2025_0); methods += new qt_gsi::GenericMethod ("outputDescription", "@hide", true, &_init_cbs_outputDescription_c2025_0, &_call_cbs_outputDescription_c2025_0, &_set_callback_cbs_outputDescription_c2025_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioOutputSelectorControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioProbe.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioProbe.cc index 49776e4e4e..5846f388b6 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioProbe.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioProbe.cc @@ -57,42 +57,6 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// void QAudioProbe::audioBufferProbed(const QAudioBuffer &buffer) - - -static void _init_f_audioBufferProbed_2494 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("buffer"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_audioBufferProbed_2494 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QAudioBuffer &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioProbe *)cls)->audioBufferProbed (arg1); -} - - -// void QAudioProbe::flush() - - -static void _init_f_flush_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_flush_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioProbe *)cls)->flush (); -} - - // bool QAudioProbe::isActive() @@ -202,11 +166,13 @@ namespace gsi static gsi::Methods methods_QAudioProbe () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("audioBufferProbed", "@brief Method void QAudioProbe::audioBufferProbed(const QAudioBuffer &buffer)\n", false, &_init_f_audioBufferProbed_2494, &_call_f_audioBufferProbed_2494); - methods += new qt_gsi::GenericMethod ("flush", "@brief Method void QAudioProbe::flush()\n", false, &_init_f_flush_0, &_call_f_flush_0); methods += new qt_gsi::GenericMethod ("isActive?", "@brief Method bool QAudioProbe::isActive()\n", true, &_init_f_isActive_c0, &_call_f_isActive_c0); methods += new qt_gsi::GenericMethod ("setSource", "@brief Method bool QAudioProbe::setSource(QMediaObject *source)\n", false, &_init_f_setSource_1782, &_call_f_setSource_1782); methods += new qt_gsi::GenericMethod ("setSource", "@brief Method bool QAudioProbe::setSource(QMediaRecorder *source)\n", false, &_init_f_setSource_2005, &_call_f_setSource_2005); + methods += gsi::qt_signal ("audioBufferProbed(const QAudioBuffer &)", "audioBufferProbed", gsi::arg("buffer"), "@brief Signal declaration for QAudioProbe::audioBufferProbed(const QAudioBuffer &buffer)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAudioProbe::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("flush()", "flush", "@brief Signal declaration for QAudioProbe::flush()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAudioProbe::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAudioProbe::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QAudioProbe::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -261,6 +227,18 @@ class QAudioProbe_Adaptor : public QAudioProbe, public qt_gsi::QtObjectBase return QAudioProbe::senderSignalIndex(); } + // [emitter impl] void QAudioProbe::audioBufferProbed(const QAudioBuffer &buffer) + void emitter_QAudioProbe_audioBufferProbed_2494(const QAudioBuffer &buffer) + { + emit QAudioProbe::audioBufferProbed(buffer); + } + + // [emitter impl] void QAudioProbe::destroyed(QObject *) + void emitter_QAudioProbe_destroyed_1302(QObject *arg1) + { + emit QAudioProbe::destroyed(arg1); + } + // [adaptor impl] bool QAudioProbe::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -291,6 +269,19 @@ class QAudioProbe_Adaptor : public QAudioProbe, public qt_gsi::QtObjectBase } } + // [emitter impl] void QAudioProbe::flush() + void emitter_QAudioProbe_flush_0() + { + emit QAudioProbe::flush(); + } + + // [emitter impl] void QAudioProbe::objectNameChanged(const QString &objectName) + void emitter_QAudioProbe_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAudioProbe::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QAudioProbe::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -379,6 +370,24 @@ static void _call_ctor_QAudioProbe_Adaptor_1302 (const qt_gsi::GenericStaticMeth } +// emitter void QAudioProbe::audioBufferProbed(const QAudioBuffer &buffer) + +static void _init_emitter_audioBufferProbed_2494 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("buffer"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_audioBufferProbed_2494 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QAudioBuffer &arg1 = gsi::arg_reader() (args, heap); + ((QAudioProbe_Adaptor *)cls)->emitter_QAudioProbe_audioBufferProbed_2494 (arg1); +} + + // void QAudioProbe::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -427,6 +436,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAudioProbe::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAudioProbe_Adaptor *)cls)->emitter_QAudioProbe_destroyed_1302 (arg1); +} + + // void QAudioProbe::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -500,6 +527,20 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } +// emitter void QAudioProbe::flush() + +static void _init_emitter_flush_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_flush_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAudioProbe_Adaptor *)cls)->emitter_QAudioProbe_flush_0 (); +} + + // exposed bool QAudioProbe::isSignalConnected(const QMetaMethod &signal) static void _init_fp_isSignalConnected_c2394 (qt_gsi::GenericMethod *decl) @@ -518,6 +559,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAudioProbe::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAudioProbe_Adaptor *)cls)->emitter_QAudioProbe_objectNameChanged_4567 (arg1); +} + + // exposed int QAudioProbe::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -596,17 +655,21 @@ gsi::Class &qtdecl_QAudioProbe (); static gsi::Methods methods_QAudioProbe_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAudioProbe::QAudioProbe(QObject *parent)\nThis method creates an object of class QAudioProbe.", &_init_ctor_QAudioProbe_Adaptor_1302, &_call_ctor_QAudioProbe_Adaptor_1302); + methods += new qt_gsi::GenericMethod ("emit_audioBufferProbed", "@brief Emitter for signal void QAudioProbe::audioBufferProbed(const QAudioBuffer &buffer)\nCall this method to emit this signal.", false, &_init_emitter_audioBufferProbed_2494, &_call_emitter_audioBufferProbed_2494); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioProbe::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioProbe::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAudioProbe::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioProbe::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioProbe::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioProbe::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("emit_flush", "@brief Emitter for signal void QAudioProbe::flush()\nCall this method to emit this signal.", false, &_init_emitter_flush_0, &_call_emitter_flush_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioProbe::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAudioProbe::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioProbe::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioProbe::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioProbe::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRecorder.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRecorder.cc index a5cb4523e7..2037522f4f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRecorder.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRecorder.cc @@ -74,26 +74,6 @@ static void _call_f_audioInput_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QAudioRecorder::audioInputChanged(const QString &name) - - -static void _init_f_audioInputChanged_2025 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_audioInputChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioRecorder *)cls)->audioInputChanged (arg1); -} - - // QString QAudioRecorder::audioInputDescription(const QString &name) @@ -128,22 +108,6 @@ static void _call_f_audioInputs_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QAudioRecorder::availableAudioInputsChanged() - - -static void _init_f_availableAudioInputsChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_availableAudioInputsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioRecorder *)cls)->availableAudioInputsChanged (); -} - - // QString QAudioRecorder::defaultAudioInput() @@ -236,12 +200,27 @@ static gsi::Methods methods_QAudioRecorder () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":audioInput", "@brief Method QString QAudioRecorder::audioInput()\n", true, &_init_f_audioInput_c0, &_call_f_audioInput_c0); - methods += new qt_gsi::GenericMethod ("audioInputChanged", "@brief Method void QAudioRecorder::audioInputChanged(const QString &name)\n", false, &_init_f_audioInputChanged_2025, &_call_f_audioInputChanged_2025); methods += new qt_gsi::GenericMethod ("audioInputDescription", "@brief Method QString QAudioRecorder::audioInputDescription(const QString &name)\n", true, &_init_f_audioInputDescription_c2025, &_call_f_audioInputDescription_c2025); methods += new qt_gsi::GenericMethod ("audioInputs", "@brief Method QStringList QAudioRecorder::audioInputs()\n", true, &_init_f_audioInputs_c0, &_call_f_audioInputs_c0); - methods += new qt_gsi::GenericMethod ("availableAudioInputsChanged", "@brief Method void QAudioRecorder::availableAudioInputsChanged()\n", false, &_init_f_availableAudioInputsChanged_0, &_call_f_availableAudioInputsChanged_0); methods += new qt_gsi::GenericMethod ("defaultAudioInput", "@brief Method QString QAudioRecorder::defaultAudioInput()\n", true, &_init_f_defaultAudioInput_c0, &_call_f_defaultAudioInput_c0); methods += new qt_gsi::GenericMethod ("setAudioInput|audioInput=", "@brief Method void QAudioRecorder::setAudioInput(const QString &name)\n", false, &_init_f_setAudioInput_2025, &_call_f_setAudioInput_2025); + methods += gsi::qt_signal ("actualLocationChanged(const QUrl &)", "actualLocationChanged", gsi::arg("location"), "@brief Signal declaration for QAudioRecorder::actualLocationChanged(const QUrl &location)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("audioInputChanged(const QString &)", "audioInputChanged", gsi::arg("name"), "@brief Signal declaration for QAudioRecorder::audioInputChanged(const QString &name)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("availabilityChanged(bool)", "availabilityChanged_bool", gsi::arg("available"), "@brief Signal declaration for QAudioRecorder::availabilityChanged(bool available)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("availabilityChanged(QMultimedia::AvailabilityStatus)", "availabilityChanged_status", gsi::arg("availability"), "@brief Signal declaration for QAudioRecorder::availabilityChanged(QMultimedia::AvailabilityStatus availability)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("availableAudioInputsChanged()", "availableAudioInputsChanged", "@brief Signal declaration for QAudioRecorder::availableAudioInputsChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAudioRecorder::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("durationChanged(qint64)", "durationChanged", gsi::arg("duration"), "@brief Signal declaration for QAudioRecorder::durationChanged(qint64 duration)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("error(QMediaRecorder::Error)", "error", gsi::arg("error"), "@brief Signal declaration for QAudioRecorder::error(QMediaRecorder::Error error)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataAvailableChanged(bool)", "metaDataAvailableChanged", gsi::arg("available"), "@brief Signal declaration for QAudioRecorder::metaDataAvailableChanged(bool available)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged()", "metaDataChanged", "@brief Signal declaration for QAudioRecorder::metaDataChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged(const QString &, const QVariant &)", "metaDataChanged_kv", gsi::arg("key"), gsi::arg("value"), "@brief Signal declaration for QAudioRecorder::metaDataChanged(const QString &key, const QVariant &value)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataWritableChanged(bool)", "metaDataWritableChanged", gsi::arg("writable"), "@brief Signal declaration for QAudioRecorder::metaDataWritableChanged(bool writable)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mutedChanged(bool)", "mutedChanged", gsi::arg("muted"), "@brief Signal declaration for QAudioRecorder::mutedChanged(bool muted)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAudioRecorder::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("stateChanged(QMediaRecorder::State)", "stateChanged", gsi::arg("state"), "@brief Signal declaration for QAudioRecorder::stateChanged(QMediaRecorder::State state)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("statusChanged(QMediaRecorder::Status)", "statusChanged", gsi::arg("status"), "@brief Signal declaration for QAudioRecorder::statusChanged(QMediaRecorder::Status status)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("volumeChanged(double)", "volumeChanged", gsi::arg("volume"), "@brief Signal declaration for QAudioRecorder::volumeChanged(double volume)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAudioRecorder::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QAudioRecorder::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -296,6 +275,54 @@ class QAudioRecorder_Adaptor : public QAudioRecorder, public qt_gsi::QtObjectBas return QAudioRecorder::senderSignalIndex(); } + // [emitter impl] void QAudioRecorder::actualLocationChanged(const QUrl &location) + void emitter_QAudioRecorder_actualLocationChanged_1701(const QUrl &location) + { + emit QAudioRecorder::actualLocationChanged(location); + } + + // [emitter impl] void QAudioRecorder::audioInputChanged(const QString &name) + void emitter_QAudioRecorder_audioInputChanged_2025(const QString &name) + { + emit QAudioRecorder::audioInputChanged(name); + } + + // [emitter impl] void QAudioRecorder::availabilityChanged(bool available) + void emitter_QAudioRecorder_availabilityChanged_864(bool available) + { + emit QAudioRecorder::availabilityChanged(available); + } + + // [emitter impl] void QAudioRecorder::availabilityChanged(QMultimedia::AvailabilityStatus availability) + void emitter_QAudioRecorder_availabilityChanged_3555(QMultimedia::AvailabilityStatus availability) + { + emit QAudioRecorder::availabilityChanged(availability); + } + + // [emitter impl] void QAudioRecorder::availableAudioInputsChanged() + void emitter_QAudioRecorder_availableAudioInputsChanged_0() + { + emit QAudioRecorder::availableAudioInputsChanged(); + } + + // [emitter impl] void QAudioRecorder::destroyed(QObject *) + void emitter_QAudioRecorder_destroyed_1302(QObject *arg1) + { + emit QAudioRecorder::destroyed(arg1); + } + + // [emitter impl] void QAudioRecorder::durationChanged(qint64 duration) + void emitter_QAudioRecorder_durationChanged_986(qint64 duration) + { + emit QAudioRecorder::durationChanged(duration); + } + + // [emitter impl] void QAudioRecorder::error(QMediaRecorder::Error error) + void emitter_QAudioRecorder_error_2457(QMediaRecorder::Error _error) + { + emit QAudioRecorder::error(_error); + } + // [adaptor impl] bool QAudioRecorder::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -341,6 +368,61 @@ class QAudioRecorder_Adaptor : public QAudioRecorder, public qt_gsi::QtObjectBas } } + // [emitter impl] void QAudioRecorder::metaDataAvailableChanged(bool available) + void emitter_QAudioRecorder_metaDataAvailableChanged_864(bool available) + { + emit QAudioRecorder::metaDataAvailableChanged(available); + } + + // [emitter impl] void QAudioRecorder::metaDataChanged() + void emitter_QAudioRecorder_metaDataChanged_0() + { + emit QAudioRecorder::metaDataChanged(); + } + + // [emitter impl] void QAudioRecorder::metaDataChanged(const QString &key, const QVariant &value) + void emitter_QAudioRecorder_metaDataChanged_4036(const QString &key, const QVariant &value) + { + emit QAudioRecorder::metaDataChanged(key, value); + } + + // [emitter impl] void QAudioRecorder::metaDataWritableChanged(bool writable) + void emitter_QAudioRecorder_metaDataWritableChanged_864(bool writable) + { + emit QAudioRecorder::metaDataWritableChanged(writable); + } + + // [emitter impl] void QAudioRecorder::mutedChanged(bool muted) + void emitter_QAudioRecorder_mutedChanged_864(bool muted) + { + emit QAudioRecorder::mutedChanged(muted); + } + + // [emitter impl] void QAudioRecorder::objectNameChanged(const QString &objectName) + void emitter_QAudioRecorder_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAudioRecorder::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QAudioRecorder::stateChanged(QMediaRecorder::State state) + void emitter_QAudioRecorder_stateChanged_2448(QMediaRecorder::State state) + { + emit QAudioRecorder::stateChanged(state); + } + + // [emitter impl] void QAudioRecorder::statusChanged(QMediaRecorder::Status status) + void emitter_QAudioRecorder_statusChanged_2579(QMediaRecorder::Status status) + { + emit QAudioRecorder::statusChanged(status); + } + + // [emitter impl] void QAudioRecorder::volumeChanged(double volume) + void emitter_QAudioRecorder_volumeChanged_1071(double volume) + { + emit QAudioRecorder::volumeChanged(volume); + } + // [adaptor impl] void QAudioRecorder::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -446,6 +528,92 @@ static void _call_ctor_QAudioRecorder_Adaptor_1302 (const qt_gsi::GenericStaticM } +// emitter void QAudioRecorder::actualLocationChanged(const QUrl &location) + +static void _init_emitter_actualLocationChanged_1701 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("location"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_actualLocationChanged_1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QUrl &arg1 = gsi::arg_reader() (args, heap); + ((QAudioRecorder_Adaptor *)cls)->emitter_QAudioRecorder_actualLocationChanged_1701 (arg1); +} + + +// emitter void QAudioRecorder::audioInputChanged(const QString &name) + +static void _init_emitter_audioInputChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("name"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_audioInputChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAudioRecorder_Adaptor *)cls)->emitter_QAudioRecorder_audioInputChanged_2025 (arg1); +} + + +// emitter void QAudioRecorder::availabilityChanged(bool available) + +static void _init_emitter_availabilityChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("available"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_availabilityChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QAudioRecorder_Adaptor *)cls)->emitter_QAudioRecorder_availabilityChanged_864 (arg1); +} + + +// emitter void QAudioRecorder::availabilityChanged(QMultimedia::AvailabilityStatus availability) + +static void _init_emitter_availabilityChanged_3555 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("availability"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_availabilityChanged_3555 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QAudioRecorder_Adaptor *)cls)->emitter_QAudioRecorder_availabilityChanged_3555 (arg1); +} + + +// emitter void QAudioRecorder::availableAudioInputsChanged() + +static void _init_emitter_availableAudioInputsChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_availableAudioInputsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAudioRecorder_Adaptor *)cls)->emitter_QAudioRecorder_availableAudioInputsChanged_0 (); +} + + // void QAudioRecorder::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -494,6 +662,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAudioRecorder::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAudioRecorder_Adaptor *)cls)->emitter_QAudioRecorder_destroyed_1302 (arg1); +} + + // void QAudioRecorder::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -518,6 +704,42 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } +// emitter void QAudioRecorder::durationChanged(qint64 duration) + +static void _init_emitter_durationChanged_986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("duration"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_durationChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + ((QAudioRecorder_Adaptor *)cls)->emitter_QAudioRecorder_durationChanged_986 (arg1); +} + + +// emitter void QAudioRecorder::error(QMediaRecorder::Error error) + +static void _init_emitter_error_2457 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("error"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_error_2457 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QAudioRecorder_Adaptor *)cls)->emitter_QAudioRecorder_error_2457 (arg1); +} + + // bool QAudioRecorder::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -604,6 +826,113 @@ static void _set_callback_cbs_mediaObject_c0_0 (void *cls, const gsi::Callback & } +// emitter void QAudioRecorder::metaDataAvailableChanged(bool available) + +static void _init_emitter_metaDataAvailableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("available"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_metaDataAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QAudioRecorder_Adaptor *)cls)->emitter_QAudioRecorder_metaDataAvailableChanged_864 (arg1); +} + + +// emitter void QAudioRecorder::metaDataChanged() + +static void _init_emitter_metaDataChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAudioRecorder_Adaptor *)cls)->emitter_QAudioRecorder_metaDataChanged_0 (); +} + + +// emitter void QAudioRecorder::metaDataChanged(const QString &key, const QVariant &value) + +static void _init_emitter_metaDataChanged_4036 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("key"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("value"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_4036 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + const QVariant &arg2 = gsi::arg_reader() (args, heap); + ((QAudioRecorder_Adaptor *)cls)->emitter_QAudioRecorder_metaDataChanged_4036 (arg1, arg2); +} + + +// emitter void QAudioRecorder::metaDataWritableChanged(bool writable) + +static void _init_emitter_metaDataWritableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("writable"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_metaDataWritableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QAudioRecorder_Adaptor *)cls)->emitter_QAudioRecorder_metaDataWritableChanged_864 (arg1); +} + + +// emitter void QAudioRecorder::mutedChanged(bool muted) + +static void _init_emitter_mutedChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("muted"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_mutedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QAudioRecorder_Adaptor *)cls)->emitter_QAudioRecorder_mutedChanged_864 (arg1); +} + + +// emitter void QAudioRecorder::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAudioRecorder_Adaptor *)cls)->emitter_QAudioRecorder_objectNameChanged_4567 (arg1); +} + + // exposed int QAudioRecorder::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -673,6 +1002,42 @@ static void _set_callback_cbs_setMediaObject_1782_0 (void *cls, const gsi::Callb } +// emitter void QAudioRecorder::stateChanged(QMediaRecorder::State state) + +static void _init_emitter_stateChanged_2448 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("state"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stateChanged_2448 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QAudioRecorder_Adaptor *)cls)->emitter_QAudioRecorder_stateChanged_2448 (arg1); +} + + +// emitter void QAudioRecorder::statusChanged(QMediaRecorder::Status status) + +static void _init_emitter_statusChanged_2579 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("status"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_statusChanged_2579 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QAudioRecorder_Adaptor *)cls)->emitter_QAudioRecorder_statusChanged_2579 (arg1); +} + + // void QAudioRecorder::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -697,6 +1062,24 @@ static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback } +// emitter void QAudioRecorder::volumeChanged(double volume) + +static void _init_emitter_volumeChanged_1071 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("volume"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_volumeChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + ((QAudioRecorder_Adaptor *)cls)->emitter_QAudioRecorder_volumeChanged_1071 (arg1); +} + + namespace gsi { @@ -705,12 +1088,20 @@ gsi::Class &qtdecl_QAudioRecorder (); static gsi::Methods methods_QAudioRecorder_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAudioRecorder::QAudioRecorder(QObject *parent)\nThis method creates an object of class QAudioRecorder.", &_init_ctor_QAudioRecorder_Adaptor_1302, &_call_ctor_QAudioRecorder_Adaptor_1302); + methods += new qt_gsi::GenericMethod ("emit_actualLocationChanged", "@brief Emitter for signal void QAudioRecorder::actualLocationChanged(const QUrl &location)\nCall this method to emit this signal.", false, &_init_emitter_actualLocationChanged_1701, &_call_emitter_actualLocationChanged_1701); + methods += new qt_gsi::GenericMethod ("emit_audioInputChanged", "@brief Emitter for signal void QAudioRecorder::audioInputChanged(const QString &name)\nCall this method to emit this signal.", false, &_init_emitter_audioInputChanged_2025, &_call_emitter_audioInputChanged_2025); + methods += new qt_gsi::GenericMethod ("emit_availabilityChanged_bool", "@brief Emitter for signal void QAudioRecorder::availabilityChanged(bool available)\nCall this method to emit this signal.", false, &_init_emitter_availabilityChanged_864, &_call_emitter_availabilityChanged_864); + methods += new qt_gsi::GenericMethod ("emit_availabilityChanged_status", "@brief Emitter for signal void QAudioRecorder::availabilityChanged(QMultimedia::AvailabilityStatus availability)\nCall this method to emit this signal.", false, &_init_emitter_availabilityChanged_3555, &_call_emitter_availabilityChanged_3555); + methods += new qt_gsi::GenericMethod ("emit_availableAudioInputsChanged", "@brief Emitter for signal void QAudioRecorder::availableAudioInputsChanged()\nCall this method to emit this signal.", false, &_init_emitter_availableAudioInputsChanged_0, &_call_emitter_availableAudioInputsChanged_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioRecorder::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioRecorder::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAudioRecorder::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioRecorder::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("emit_durationChanged", "@brief Emitter for signal void QAudioRecorder::durationChanged(qint64 duration)\nCall this method to emit this signal.", false, &_init_emitter_durationChanged_986, &_call_emitter_durationChanged_986); + methods += new qt_gsi::GenericMethod ("emit_error", "@brief Emitter for signal void QAudioRecorder::error(QMediaRecorder::Error error)\nCall this method to emit this signal.", false, &_init_emitter_error_2457, &_call_emitter_error_2457); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioRecorder::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioRecorder::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); @@ -718,13 +1109,22 @@ static gsi::Methods methods_QAudioRecorder_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioRecorder::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("mediaObject", "@brief Virtual method QMediaObject *QAudioRecorder::mediaObject()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_mediaObject_c0_0, &_call_cbs_mediaObject_c0_0); methods += new qt_gsi::GenericMethod ("mediaObject", "@hide", true, &_init_cbs_mediaObject_c0_0, &_call_cbs_mediaObject_c0_0, &_set_callback_cbs_mediaObject_c0_0); + methods += new qt_gsi::GenericMethod ("emit_metaDataAvailableChanged", "@brief Emitter for signal void QAudioRecorder::metaDataAvailableChanged(bool available)\nCall this method to emit this signal.", false, &_init_emitter_metaDataAvailableChanged_864, &_call_emitter_metaDataAvailableChanged_864); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged", "@brief Emitter for signal void QAudioRecorder::metaDataChanged()\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_0, &_call_emitter_metaDataChanged_0); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged_kv", "@brief Emitter for signal void QAudioRecorder::metaDataChanged(const QString &key, const QVariant &value)\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_4036, &_call_emitter_metaDataChanged_4036); + methods += new qt_gsi::GenericMethod ("emit_metaDataWritableChanged", "@brief Emitter for signal void QAudioRecorder::metaDataWritableChanged(bool writable)\nCall this method to emit this signal.", false, &_init_emitter_metaDataWritableChanged_864, &_call_emitter_metaDataWritableChanged_864); + methods += new qt_gsi::GenericMethod ("emit_mutedChanged", "@brief Emitter for signal void QAudioRecorder::mutedChanged(bool muted)\nCall this method to emit this signal.", false, &_init_emitter_mutedChanged_864, &_call_emitter_mutedChanged_864); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAudioRecorder::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioRecorder::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioRecorder::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioRecorder::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*setMediaObject", "@brief Virtual method bool QAudioRecorder::setMediaObject(QMediaObject *object)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setMediaObject_1782_0, &_call_cbs_setMediaObject_1782_0); methods += new qt_gsi::GenericMethod ("*setMediaObject", "@hide", false, &_init_cbs_setMediaObject_1782_0, &_call_cbs_setMediaObject_1782_0, &_set_callback_cbs_setMediaObject_1782_0); + methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QAudioRecorder::stateChanged(QMediaRecorder::State state)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_2448, &_call_emitter_stateChanged_2448); + methods += new qt_gsi::GenericMethod ("emit_statusChanged", "@brief Emitter for signal void QAudioRecorder::statusChanged(QMediaRecorder::Status status)\nCall this method to emit this signal.", false, &_init_emitter_statusChanged_2579, &_call_emitter_statusChanged_2579); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioRecorder::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("emit_volumeChanged", "@brief Emitter for signal void QAudioRecorder::volumeChanged(double volume)\nCall this method to emit this signal.", false, &_init_emitter_volumeChanged_1071, &_call_emitter_volumeChanged_1071); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRoleControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRoleControl.cc index 9c27454f7e..a478924858 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRoleControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRoleControl.cc @@ -69,26 +69,6 @@ static void _call_f_audioRole_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QAudioRoleControl::audioRoleChanged(QAudio::Role role) - - -static void _init_f_audioRoleChanged_1533 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("role"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_audioRoleChanged_1533 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioRoleControl *)cls)->audioRoleChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // void QAudioRoleControl::setAudioRole(QAudio::Role role) @@ -180,10 +160,12 @@ namespace gsi static gsi::Methods methods_QAudioRoleControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("audioRole", "@brief Method QAudio::Role QAudioRoleControl::audioRole()\n", true, &_init_f_audioRole_c0, &_call_f_audioRole_c0); - methods += new qt_gsi::GenericMethod ("audioRoleChanged", "@brief Method void QAudioRoleControl::audioRoleChanged(QAudio::Role role)\n", false, &_init_f_audioRoleChanged_1533, &_call_f_audioRoleChanged_1533); - methods += new qt_gsi::GenericMethod ("setAudioRole", "@brief Method void QAudioRoleControl::setAudioRole(QAudio::Role role)\n", false, &_init_f_setAudioRole_1533, &_call_f_setAudioRole_1533); + methods += new qt_gsi::GenericMethod (":audioRole", "@brief Method QAudio::Role QAudioRoleControl::audioRole()\n", true, &_init_f_audioRole_c0, &_call_f_audioRole_c0); + methods += new qt_gsi::GenericMethod ("setAudioRole|audioRole=", "@brief Method void QAudioRoleControl::setAudioRole(QAudio::Role role)\n", false, &_init_f_setAudioRole_1533, &_call_f_setAudioRole_1533); methods += new qt_gsi::GenericMethod ("supportedAudioRoles", "@brief Method QList QAudioRoleControl::supportedAudioRoles()\n", true, &_init_f_supportedAudioRoles_c0, &_call_f_supportedAudioRoles_c0); + methods += gsi::qt_signal::target_type & > ("audioRoleChanged(QAudio::Role)", "audioRoleChanged", gsi::arg("role"), "@brief Signal declaration for QAudioRoleControl::audioRoleChanged(QAudio::Role role)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAudioRoleControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAudioRoleControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAudioRoleControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QAudioRoleControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -247,6 +229,18 @@ class QAudioRoleControl_Adaptor : public QAudioRoleControl, public qt_gsi::QtObj } } + // [emitter impl] void QAudioRoleControl::audioRoleChanged(QAudio::Role role) + void emitter_QAudioRoleControl_audioRoleChanged_1533(QAudio::Role role) + { + emit QAudioRoleControl::audioRoleChanged(role); + } + + // [emitter impl] void QAudioRoleControl::destroyed(QObject *) + void emitter_QAudioRoleControl_destroyed_1302(QObject *arg1) + { + emit QAudioRoleControl::destroyed(arg1); + } + // [adaptor impl] bool QAudioRoleControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -277,6 +271,13 @@ class QAudioRoleControl_Adaptor : public QAudioRoleControl, public qt_gsi::QtObj } } + // [emitter impl] void QAudioRoleControl::objectNameChanged(const QString &objectName) + void emitter_QAudioRoleControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAudioRoleControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QAudioRoleControl::setAudioRole(QAudio::Role role) void cbs_setAudioRole_1533_0(const qt_gsi::Converter::target_type & role) { @@ -414,6 +415,24 @@ static void _set_callback_cbs_audioRole_c0_0 (void *cls, const gsi::Callback &cb } +// emitter void QAudioRoleControl::audioRoleChanged(QAudio::Role role) + +static void _init_emitter_audioRoleChanged_1533 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("role"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_audioRoleChanged_1533 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QAudioRoleControl_Adaptor *)cls)->emitter_QAudioRoleControl_audioRoleChanged_1533 (arg1); +} + + // void QAudioRoleControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -462,6 +481,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAudioRoleControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAudioRoleControl_Adaptor *)cls)->emitter_QAudioRoleControl_destroyed_1302 (arg1); +} + + // void QAudioRoleControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -553,6 +590,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAudioRoleControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAudioRoleControl_Adaptor *)cls)->emitter_QAudioRoleControl_objectNameChanged_4567 (arg1); +} + + // exposed int QAudioRoleControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -676,10 +731,12 @@ static gsi::Methods methods_QAudioRoleControl_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAudioRoleControl::QAudioRoleControl()\nThis method creates an object of class QAudioRoleControl.", &_init_ctor_QAudioRoleControl_Adaptor_0, &_call_ctor_QAudioRoleControl_Adaptor_0); methods += new qt_gsi::GenericMethod ("audioRole", "@brief Virtual method QAudio::Role QAudioRoleControl::audioRole()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_audioRole_c0_0, &_call_cbs_audioRole_c0_0); methods += new qt_gsi::GenericMethod ("audioRole", "@hide", true, &_init_cbs_audioRole_c0_0, &_call_cbs_audioRole_c0_0, &_set_callback_cbs_audioRole_c0_0); + methods += new qt_gsi::GenericMethod ("emit_audioRoleChanged", "@brief Emitter for signal void QAudioRoleControl::audioRoleChanged(QAudio::Role role)\nCall this method to emit this signal.", false, &_init_emitter_audioRoleChanged_1533, &_call_emitter_audioRoleChanged_1533); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioRoleControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioRoleControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAudioRoleControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioRoleControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioRoleControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -687,6 +744,7 @@ static gsi::Methods methods_QAudioRoleControl_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioRoleControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioRoleControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAudioRoleControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioRoleControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioRoleControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioRoleControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioSystemPlugin.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioSystemPlugin.cc index 6a2236199a..d8eed00524 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioSystemPlugin.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioSystemPlugin.cc @@ -241,6 +241,8 @@ static gsi::Methods methods_QAudioSystemPlugin () { methods += new qt_gsi::GenericMethod ("createDeviceInfo", "@brief Method QAbstractAudioDeviceInfo *QAudioSystemPlugin::createDeviceInfo(const QByteArray &device, QAudio::Mode mode)\nThis is a reimplementation of QAudioSystemFactoryInterface::createDeviceInfo", false, &_init_f_createDeviceInfo_3721, &_call_f_createDeviceInfo_3721); methods += new qt_gsi::GenericMethod ("createInput", "@brief Method QAbstractAudioInput *QAudioSystemPlugin::createInput(const QByteArray &device)\nThis is a reimplementation of QAudioSystemFactoryInterface::createInput", false, &_init_f_createInput_2309, &_call_f_createInput_2309); methods += new qt_gsi::GenericMethod ("createOutput", "@brief Method QAbstractAudioOutput *QAudioSystemPlugin::createOutput(const QByteArray &device)\nThis is a reimplementation of QAudioSystemFactoryInterface::createOutput", false, &_init_f_createOutput_2309, &_call_f_createOutput_2309); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAudioSystemPlugin::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAudioSystemPlugin::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAudioSystemPlugin::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QAudioSystemPlugin::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); methods += new qt_gsi::GenericMethod ("asQObject", "@brief Delivers the base class interface QObject of QAudioSystemPlugin\nClass QAudioSystemPlugin is derived from multiple base classes. This method delivers the QObject base class aspect.", false, &_init_f_QAudioSystemPlugin_as_QObject, &_call_f_QAudioSystemPlugin_as_QObject); @@ -370,6 +372,12 @@ class QAudioSystemPlugin_Adaptor : public QAudioSystemPlugin, public qt_gsi::QtO } } + // [emitter impl] void QAudioSystemPlugin::destroyed(QObject *) + void emitter_QAudioSystemPlugin_destroyed_1302(QObject *arg1) + { + emit QAudioSystemPlugin::destroyed(arg1); + } + // [adaptor impl] bool QAudioSystemPlugin::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -400,6 +408,13 @@ class QAudioSystemPlugin_Adaptor : public QAudioSystemPlugin, public qt_gsi::QtO } } + // [emitter impl] void QAudioSystemPlugin::objectNameChanged(const QString &objectName) + void emitter_QAudioSystemPlugin_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAudioSystemPlugin::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QAudioSystemPlugin::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -635,6 +650,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAudioSystemPlugin::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAudioSystemPlugin_Adaptor *)cls)->emitter_QAudioSystemPlugin_destroyed_1302 (arg1); +} + + // void QAudioSystemPlugin::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -726,6 +759,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAudioSystemPlugin::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAudioSystemPlugin_Adaptor *)cls)->emitter_QAudioSystemPlugin_objectNameChanged_4567 (arg1); +} + + // exposed int QAudioSystemPlugin::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -816,6 +867,7 @@ static gsi::Methods methods_QAudioSystemPlugin_Adaptor () { methods += new qt_gsi::GenericMethod ("createOutput", "@hide", false, &_init_cbs_createOutput_2309_0, &_call_cbs_createOutput_2309_0, &_set_callback_cbs_createOutput_2309_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioSystemPlugin::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAudioSystemPlugin::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioSystemPlugin::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioSystemPlugin::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -823,6 +875,7 @@ static gsi::Methods methods_QAudioSystemPlugin_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioSystemPlugin::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioSystemPlugin::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAudioSystemPlugin::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioSystemPlugin::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioSystemPlugin::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioSystemPlugin::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCamera.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCamera.cc index e685f03393..c4e7de7d2b 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCamera.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCamera.cc @@ -82,26 +82,6 @@ static void _call_f_captureMode_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QCamera::captureModeChanged(QFlags) - - -static void _init_f_captureModeChanged_3027 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg > (argspec_0); - decl->set_return (); -} - -static void _call_f_captureModeChanged_3027 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QFlags arg1 = gsi::arg_reader >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->captureModeChanged (arg1); -} - - // QCamera::Error QCamera::error() @@ -117,26 +97,6 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QCamera::error(QCamera::Error) - - -static void _init_f_error_1740 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_error_1740 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->error (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QString QCamera::errorString() @@ -232,22 +192,6 @@ static void _call_f_load_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, g } -// void QCamera::lockFailed() - - -static void _init_f_lockFailed_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_lockFailed_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->lockFailed (); -} - - // QCamera::LockStatus QCamera::lockStatus() @@ -282,71 +226,6 @@ static void _call_f_lockStatus_c2029 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QCamera::lockStatusChanged(QCamera::LockStatus status, QCamera::LockChangeReason reason) - - -static void _init_f_lockStatusChanged_4956 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("status"); - decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("reason"); - decl->add_arg::target_type & > (argspec_1); - decl->set_return (); -} - -static void _call_f_lockStatusChanged_4956 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->lockStatusChanged (qt_gsi::QtToCppAdaptor(arg1).cref(), qt_gsi::QtToCppAdaptor(arg2).cref()); -} - - -// void QCamera::lockStatusChanged(QCamera::LockType lock, QCamera::LockStatus status, QCamera::LockChangeReason reason) - - -static void _init_f_lockStatusChanged_6877 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("lock"); - decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("status"); - decl->add_arg::target_type & > (argspec_1); - static gsi::ArgSpecBase argspec_2 ("reason"); - decl->add_arg::target_type & > (argspec_2); - decl->set_return (); -} - -static void _call_f_lockStatusChanged_6877 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); - const qt_gsi::Converter::target_type & arg3 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->lockStatusChanged (qt_gsi::QtToCppAdaptor(arg1).cref(), qt_gsi::QtToCppAdaptor(arg2).cref(), qt_gsi::QtToCppAdaptor(arg3).cref()); -} - - -// void QCamera::locked() - - -static void _init_f_locked_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_locked_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->locked (); -} - - // QFlags QCamera::requestedLocks() @@ -529,26 +408,6 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QCamera::stateChanged(QCamera::State state) - - -static void _init_f_stateChanged_1731 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("state"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_stateChanged_1731 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->stateChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QCamera::Status QCamera::status() @@ -564,26 +423,6 @@ static void _call_f_status_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QCamera::statusChanged(QCamera::Status status) - - -static void _init_f_statusChanged_1862 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("status"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_statusChanged_1862 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->statusChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // void QCamera::stop() @@ -850,21 +689,15 @@ static gsi::Methods methods_QCamera () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("availability", "@brief Method QMultimedia::AvailabilityStatus QCamera::availability()\nThis is a reimplementation of QMediaObject::availability", true, &_init_f_availability_c0, &_call_f_availability_c0); methods += new qt_gsi::GenericMethod (":captureMode", "@brief Method QFlags QCamera::captureMode()\n", true, &_init_f_captureMode_c0, &_call_f_captureMode_c0); - methods += new qt_gsi::GenericMethod ("captureModeChanged", "@brief Method void QCamera::captureModeChanged(QFlags)\n", false, &_init_f_captureModeChanged_3027, &_call_f_captureModeChanged_3027); methods += new qt_gsi::GenericMethod ("error", "@brief Method QCamera::Error QCamera::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("error_sig", "@brief Method void QCamera::error(QCamera::Error)\n", false, &_init_f_error_1740, &_call_f_error_1740); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QCamera::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); methods += new qt_gsi::GenericMethod ("exposure", "@brief Method QCameraExposure *QCamera::exposure()\n", true, &_init_f_exposure_c0, &_call_f_exposure_c0); methods += new qt_gsi::GenericMethod ("focus", "@brief Method QCameraFocus *QCamera::focus()\n", true, &_init_f_focus_c0, &_call_f_focus_c0); methods += new qt_gsi::GenericMethod ("imageProcessing", "@brief Method QCameraImageProcessing *QCamera::imageProcessing()\n", true, &_init_f_imageProcessing_c0, &_call_f_imageProcessing_c0); methods += new qt_gsi::GenericMethod ("isCaptureModeSupported?", "@brief Method bool QCamera::isCaptureModeSupported(QFlags mode)\n", true, &_init_f_isCaptureModeSupported_c3027, &_call_f_isCaptureModeSupported_c3027); methods += new qt_gsi::GenericMethod ("load", "@brief Method void QCamera::load()\n", false, &_init_f_load_0, &_call_f_load_0); - methods += new qt_gsi::GenericMethod ("lockFailed", "@brief Method void QCamera::lockFailed()\n", false, &_init_f_lockFailed_0, &_call_f_lockFailed_0); methods += new qt_gsi::GenericMethod (":lockStatus", "@brief Method QCamera::LockStatus QCamera::lockStatus()\n", true, &_init_f_lockStatus_c0, &_call_f_lockStatus_c0); methods += new qt_gsi::GenericMethod ("lockStatus", "@brief Method QCamera::LockStatus QCamera::lockStatus(QCamera::LockType lock)\n", true, &_init_f_lockStatus_c2029, &_call_f_lockStatus_c2029); - methods += new qt_gsi::GenericMethod ("lockStatusChanged", "@brief Method void QCamera::lockStatusChanged(QCamera::LockStatus status, QCamera::LockChangeReason reason)\n", false, &_init_f_lockStatusChanged_4956, &_call_f_lockStatusChanged_4956); - methods += new qt_gsi::GenericMethod ("lockStatusChanged_withType", "@brief Method void QCamera::lockStatusChanged(QCamera::LockType lock, QCamera::LockStatus status, QCamera::LockChangeReason reason)\n", false, &_init_f_lockStatusChanged_6877, &_call_f_lockStatusChanged_6877); - methods += new qt_gsi::GenericMethod ("locked", "@brief Method void QCamera::locked()\n", false, &_init_f_locked_0, &_call_f_locked_0); methods += new qt_gsi::GenericMethod ("requestedLocks", "@brief Method QFlags QCamera::requestedLocks()\n", true, &_init_f_requestedLocks_c0, &_call_f_requestedLocks_c0); methods += new qt_gsi::GenericMethod ("searchAndLock", "@brief Method void QCamera::searchAndLock()\n", false, &_init_f_searchAndLock_0, &_call_f_searchAndLock_0); methods += new qt_gsi::GenericMethod ("searchAndLock", "@brief Method void QCamera::searchAndLock(QFlags locks)\n", false, &_init_f_searchAndLock_2725, &_call_f_searchAndLock_2725); @@ -875,9 +708,7 @@ static gsi::Methods methods_QCamera () { methods += new qt_gsi::GenericMethod ("setViewfinderSettings|viewfinderSettings=", "@brief Method void QCamera::setViewfinderSettings(const QCameraViewfinderSettings &settings)\n", false, &_init_f_setViewfinderSettings_3871, &_call_f_setViewfinderSettings_3871); methods += new qt_gsi::GenericMethod ("start", "@brief Method void QCamera::start()\n", false, &_init_f_start_0, &_call_f_start_0); methods += new qt_gsi::GenericMethod (":state", "@brief Method QCamera::State QCamera::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QCamera::stateChanged(QCamera::State state)\n", false, &_init_f_stateChanged_1731, &_call_f_stateChanged_1731); methods += new qt_gsi::GenericMethod (":status", "@brief Method QCamera::Status QCamera::status()\n", true, &_init_f_status_c0, &_call_f_status_c0); - methods += new qt_gsi::GenericMethod ("statusChanged", "@brief Method void QCamera::statusChanged(QCamera::Status status)\n", false, &_init_f_statusChanged_1862, &_call_f_statusChanged_1862); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QCamera::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); methods += new qt_gsi::GenericMethod ("supportedLocks", "@brief Method QFlags QCamera::supportedLocks()\n", true, &_init_f_supportedLocks_c0, &_call_f_supportedLocks_c0); methods += new qt_gsi::GenericMethod ("supportedViewfinderFrameRateRanges", "@brief Method QList QCamera::supportedViewfinderFrameRateRanges(const QCameraViewfinderSettings &settings)\n", true, &_init_f_supportedViewfinderFrameRateRanges_c3871, &_call_f_supportedViewfinderFrameRateRanges_c3871); @@ -888,6 +719,22 @@ static gsi::Methods methods_QCamera () { methods += new qt_gsi::GenericMethod ("unlock", "@brief Method void QCamera::unlock()\n", false, &_init_f_unlock_0, &_call_f_unlock_0); methods += new qt_gsi::GenericMethod ("unlock", "@brief Method void QCamera::unlock(QFlags locks)\n", false, &_init_f_unlock_2725, &_call_f_unlock_2725); methods += new qt_gsi::GenericMethod (":viewfinderSettings", "@brief Method QCameraViewfinderSettings QCamera::viewfinderSettings()\n", true, &_init_f_viewfinderSettings_c0, &_call_f_viewfinderSettings_c0); + methods += gsi::qt_signal ("availabilityChanged(bool)", "availabilityChanged_bool", gsi::arg("available"), "@brief Signal declaration for QCamera::availabilityChanged(bool available)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("availabilityChanged(QMultimedia::AvailabilityStatus)", "availabilityChanged_status", gsi::arg("availability"), "@brief Signal declaration for QCamera::availabilityChanged(QMultimedia::AvailabilityStatus availability)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal > ("captureModeChanged(QFlags)", "captureModeChanged", gsi::arg("arg1"), "@brief Signal declaration for QCamera::captureModeChanged(QFlags)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCamera::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("error(QCamera::Error)", "error_sig", gsi::arg("arg1"), "@brief Signal declaration for QCamera::error(QCamera::Error)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("lockFailed()", "lockFailed", "@brief Signal declaration for QCamera::lockFailed()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type &, const qt_gsi::Converter::target_type & > ("lockStatusChanged(QCamera::LockStatus, QCamera::LockChangeReason)", "lockStatusChanged", gsi::arg("status"), gsi::arg("reason"), "@brief Signal declaration for QCamera::lockStatusChanged(QCamera::LockStatus status, QCamera::LockChangeReason reason)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type &, const qt_gsi::Converter::target_type &, const qt_gsi::Converter::target_type & > ("lockStatusChanged(QCamera::LockType, QCamera::LockStatus, QCamera::LockChangeReason)", "lockStatusChanged_withType", gsi::arg("lock"), gsi::arg("status"), gsi::arg("reason"), "@brief Signal declaration for QCamera::lockStatusChanged(QCamera::LockType lock, QCamera::LockStatus status, QCamera::LockChangeReason reason)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("locked()", "locked", "@brief Signal declaration for QCamera::locked()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataAvailableChanged(bool)", "metaDataAvailableChanged", gsi::arg("available"), "@brief Signal declaration for QCamera::metaDataAvailableChanged(bool available)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged()", "metaDataChanged", "@brief Signal declaration for QCamera::metaDataChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged(const QString &, const QVariant &)", "metaDataChanged_kv", gsi::arg("key"), gsi::arg("value"), "@brief Signal declaration for QCamera::metaDataChanged(const QString &key, const QVariant &value)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("notifyIntervalChanged(int)", "notifyIntervalChanged", gsi::arg("milliSeconds"), "@brief Signal declaration for QCamera::notifyIntervalChanged(int milliSeconds)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCamera::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("stateChanged(QCamera::State)", "stateChanged", gsi::arg("state"), "@brief Signal declaration for QCamera::stateChanged(QCamera::State state)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("statusChanged(QCamera::Status)", "statusChanged", gsi::arg("status"), "@brief Signal declaration for QCamera::statusChanged(QCamera::Status status)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("availableDevices", "@brief Static method QList QCamera::availableDevices()\nThis method is static and can be called without an instance.", &_init_f_availableDevices_0, &_call_f_availableDevices_0); methods += new qt_gsi::GenericStaticMethod ("deviceDescription", "@brief Static method QString QCamera::deviceDescription(const QByteArray &device)\nThis method is static and can be called without an instance.", &_init_f_deviceDescription_2309, &_call_f_deviceDescription_2309); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCamera::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); @@ -1005,6 +852,18 @@ class QCamera_Adaptor : public QCamera, public qt_gsi::QtObjectBase } } + // [emitter impl] void QCamera::availabilityChanged(bool available) + void emitter_QCamera_availabilityChanged_864(bool available) + { + emit QCamera::availabilityChanged(available); + } + + // [emitter impl] void QCamera::availabilityChanged(QMultimedia::AvailabilityStatus availability) + void emitter_QCamera_availabilityChanged_3555(QMultimedia::AvailabilityStatus availability) + { + emit QCamera::availabilityChanged(availability); + } + // [adaptor impl] bool QCamera::bind(QObject *) bool cbs_bind_1302_0(QObject *arg1) { @@ -1020,6 +879,24 @@ class QCamera_Adaptor : public QCamera, public qt_gsi::QtObjectBase } } + // [emitter impl] void QCamera::captureModeChanged(QFlags) + void emitter_QCamera_captureModeChanged_3027(QFlags arg1) + { + emit QCamera::captureModeChanged(arg1); + } + + // [emitter impl] void QCamera::destroyed(QObject *) + void emitter_QCamera_destroyed_1302(QObject *arg1) + { + emit QCamera::destroyed(arg1); + } + + // [emitter impl] void QCamera::error(QCamera::Error) + void emitter_QCamera_error_1740(QCamera::Error arg1) + { + emit QCamera::error(arg1); + } + // [adaptor impl] bool QCamera::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -1065,6 +942,61 @@ class QCamera_Adaptor : public QCamera, public qt_gsi::QtObjectBase } } + // [emitter impl] void QCamera::lockFailed() + void emitter_QCamera_lockFailed_0() + { + emit QCamera::lockFailed(); + } + + // [emitter impl] void QCamera::lockStatusChanged(QCamera::LockStatus status, QCamera::LockChangeReason reason) + void emitter_QCamera_lockStatusChanged_4956(QCamera::LockStatus status, QCamera::LockChangeReason reason) + { + emit QCamera::lockStatusChanged(status, reason); + } + + // [emitter impl] void QCamera::lockStatusChanged(QCamera::LockType lock, QCamera::LockStatus status, QCamera::LockChangeReason reason) + void emitter_QCamera_lockStatusChanged_6877(QCamera::LockType lock, QCamera::LockStatus status, QCamera::LockChangeReason reason) + { + emit QCamera::lockStatusChanged(lock, status, reason); + } + + // [emitter impl] void QCamera::locked() + void emitter_QCamera_locked_0() + { + emit QCamera::locked(); + } + + // [emitter impl] void QCamera::metaDataAvailableChanged(bool available) + void emitter_QCamera_metaDataAvailableChanged_864(bool available) + { + emit QCamera::metaDataAvailableChanged(available); + } + + // [emitter impl] void QCamera::metaDataChanged() + void emitter_QCamera_metaDataChanged_0() + { + emit QCamera::metaDataChanged(); + } + + // [emitter impl] void QCamera::metaDataChanged(const QString &key, const QVariant &value) + void emitter_QCamera_metaDataChanged_4036(const QString &key, const QVariant &value) + { + emit QCamera::metaDataChanged(key, value); + } + + // [emitter impl] void QCamera::notifyIntervalChanged(int milliSeconds) + void emitter_QCamera_notifyIntervalChanged_767(int milliSeconds) + { + emit QCamera::notifyIntervalChanged(milliSeconds); + } + + // [emitter impl] void QCamera::objectNameChanged(const QString &objectName) + void emitter_QCamera_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QCamera::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] QMediaService *QCamera::service() QMediaService * cbs_service_c0_0() const { @@ -1080,6 +1012,18 @@ class QCamera_Adaptor : public QCamera, public qt_gsi::QtObjectBase } } + // [emitter impl] void QCamera::stateChanged(QCamera::State state) + void emitter_QCamera_stateChanged_1731(QCamera::State state) + { + emit QCamera::stateChanged(state); + } + + // [emitter impl] void QCamera::statusChanged(QCamera::Status status) + void emitter_QCamera_statusChanged_1862(QCamera::Status status) + { + emit QCamera::statusChanged(status); + } + // [adaptor impl] void QCamera::unbind(QObject *) void cbs_unbind_1302_0(QObject *arg1) { @@ -1289,6 +1233,42 @@ static void _set_callback_cbs_availability_c0_0 (void *cls, const gsi::Callback } +// emitter void QCamera::availabilityChanged(bool available) + +static void _init_emitter_availabilityChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("available"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_availabilityChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_availabilityChanged_864 (arg1); +} + + +// emitter void QCamera::availabilityChanged(QMultimedia::AvailabilityStatus availability) + +static void _init_emitter_availabilityChanged_3555 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("availability"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_availabilityChanged_3555 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_availabilityChanged_3555 (arg1); +} + + // bool QCamera::bind(QObject *) static void _init_cbs_bind_1302_0 (qt_gsi::GenericMethod *decl) @@ -1312,6 +1292,24 @@ static void _set_callback_cbs_bind_1302_0 (void *cls, const gsi::Callback &cb) } +// emitter void QCamera::captureModeChanged(QFlags) + +static void _init_emitter_captureModeChanged_3027 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_captureModeChanged_3027 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QFlags arg1 = gsi::arg_reader >() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_captureModeChanged_3027 (arg1); +} + + // void QCamera::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -1360,6 +1358,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QCamera::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_destroyed_1302 (arg1); +} + + // void QCamera::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1384,6 +1400,24 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } +// emitter void QCamera::error(QCamera::Error) + +static void _init_emitter_error_1740 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_error_1740 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_error_1740 (arg1); +} + + // bool QCamera::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -1470,6 +1504,168 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QCamera::lockFailed() + +static void _init_emitter_lockFailed_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_lockFailed_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QCamera_Adaptor *)cls)->emitter_QCamera_lockFailed_0 (); +} + + +// emitter void QCamera::lockStatusChanged(QCamera::LockStatus status, QCamera::LockChangeReason reason) + +static void _init_emitter_lockStatusChanged_4956 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("status"); + decl->add_arg::target_type & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("reason"); + decl->add_arg::target_type & > (argspec_1); + decl->set_return (); +} + +static void _call_emitter_lockStatusChanged_4956 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_lockStatusChanged_4956 (arg1, arg2); +} + + +// emitter void QCamera::lockStatusChanged(QCamera::LockType lock, QCamera::LockStatus status, QCamera::LockChangeReason reason) + +static void _init_emitter_lockStatusChanged_6877 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("lock"); + decl->add_arg::target_type & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("status"); + decl->add_arg::target_type & > (argspec_1); + static gsi::ArgSpecBase argspec_2 ("reason"); + decl->add_arg::target_type & > (argspec_2); + decl->set_return (); +} + +static void _call_emitter_lockStatusChanged_6877 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); + const qt_gsi::Converter::target_type & arg3 = gsi::arg_reader::target_type & >() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_lockStatusChanged_6877 (arg1, arg2, arg3); +} + + +// emitter void QCamera::locked() + +static void _init_emitter_locked_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_locked_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QCamera_Adaptor *)cls)->emitter_QCamera_locked_0 (); +} + + +// emitter void QCamera::metaDataAvailableChanged(bool available) + +static void _init_emitter_metaDataAvailableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("available"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_metaDataAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_metaDataAvailableChanged_864 (arg1); +} + + +// emitter void QCamera::metaDataChanged() + +static void _init_emitter_metaDataChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QCamera_Adaptor *)cls)->emitter_QCamera_metaDataChanged_0 (); +} + + +// emitter void QCamera::metaDataChanged(const QString &key, const QVariant &value) + +static void _init_emitter_metaDataChanged_4036 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("key"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("value"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_4036 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + const QVariant &arg2 = gsi::arg_reader() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_metaDataChanged_4036 (arg1, arg2); +} + + +// emitter void QCamera::notifyIntervalChanged(int milliSeconds) + +static void _init_emitter_notifyIntervalChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("milliSeconds"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_notifyIntervalChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_notifyIntervalChanged_767 (arg1); +} + + +// emitter void QCamera::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_objectNameChanged_4567 (arg1); +} + + // exposed int QCamera::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1554,6 +1750,42 @@ static void _set_callback_cbs_service_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QCamera::stateChanged(QCamera::State state) + +static void _init_emitter_stateChanged_1731 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("state"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stateChanged_1731 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_stateChanged_1731 (arg1); +} + + +// emitter void QCamera::statusChanged(QCamera::Status status) + +static void _init_emitter_statusChanged_1862 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("status"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_statusChanged_1862 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_statusChanged_1862 (arg1); +} + + // void QCamera::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -1616,14 +1848,19 @@ static gsi::Methods methods_QCamera_Adaptor () { methods += new qt_gsi::GenericMethod ("*addPropertyWatch", "@brief Method void QCamera::addPropertyWatch(const QByteArray &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_addPropertyWatch_2309, &_call_fp_addPropertyWatch_2309); methods += new qt_gsi::GenericMethod ("availability", "@brief Virtual method QMultimedia::AvailabilityStatus QCamera::availability()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0); methods += new qt_gsi::GenericMethod ("availability", "@hide", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0, &_set_callback_cbs_availability_c0_0); + methods += new qt_gsi::GenericMethod ("emit_availabilityChanged_bool", "@brief Emitter for signal void QCamera::availabilityChanged(bool available)\nCall this method to emit this signal.", false, &_init_emitter_availabilityChanged_864, &_call_emitter_availabilityChanged_864); + methods += new qt_gsi::GenericMethod ("emit_availabilityChanged_status", "@brief Emitter for signal void QCamera::availabilityChanged(QMultimedia::AvailabilityStatus availability)\nCall this method to emit this signal.", false, &_init_emitter_availabilityChanged_3555, &_call_emitter_availabilityChanged_3555); methods += new qt_gsi::GenericMethod ("bind", "@brief Virtual method bool QCamera::bind(QObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_bind_1302_0, &_call_cbs_bind_1302_0); methods += new qt_gsi::GenericMethod ("bind", "@hide", false, &_init_cbs_bind_1302_0, &_call_cbs_bind_1302_0, &_set_callback_cbs_bind_1302_0); + methods += new qt_gsi::GenericMethod ("emit_captureModeChanged", "@brief Emitter for signal void QCamera::captureModeChanged(QFlags)\nCall this method to emit this signal.", false, &_init_emitter_captureModeChanged_3027, &_call_emitter_captureModeChanged_3027); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCamera::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCamera::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCamera::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCamera::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("emit_error_sig", "@brief Emitter for signal void QCamera::error(QCamera::Error)\nCall this method to emit this signal.", false, &_init_emitter_error_1740, &_call_emitter_error_1740); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCamera::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCamera::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); @@ -1631,12 +1868,23 @@ static gsi::Methods methods_QCamera_Adaptor () { methods += new qt_gsi::GenericMethod ("isAvailable", "@brief Virtual method bool QCamera::isAvailable()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isAvailable_c0_0, &_call_cbs_isAvailable_c0_0); methods += new qt_gsi::GenericMethod ("isAvailable", "@hide", true, &_init_cbs_isAvailable_c0_0, &_call_cbs_isAvailable_c0_0, &_set_callback_cbs_isAvailable_c0_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCamera::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_lockFailed", "@brief Emitter for signal void QCamera::lockFailed()\nCall this method to emit this signal.", false, &_init_emitter_lockFailed_0, &_call_emitter_lockFailed_0); + methods += new qt_gsi::GenericMethod ("emit_lockStatusChanged", "@brief Emitter for signal void QCamera::lockStatusChanged(QCamera::LockStatus status, QCamera::LockChangeReason reason)\nCall this method to emit this signal.", false, &_init_emitter_lockStatusChanged_4956, &_call_emitter_lockStatusChanged_4956); + methods += new qt_gsi::GenericMethod ("emit_lockStatusChanged_withType", "@brief Emitter for signal void QCamera::lockStatusChanged(QCamera::LockType lock, QCamera::LockStatus status, QCamera::LockChangeReason reason)\nCall this method to emit this signal.", false, &_init_emitter_lockStatusChanged_6877, &_call_emitter_lockStatusChanged_6877); + methods += new qt_gsi::GenericMethod ("emit_locked", "@brief Emitter for signal void QCamera::locked()\nCall this method to emit this signal.", false, &_init_emitter_locked_0, &_call_emitter_locked_0); + methods += new qt_gsi::GenericMethod ("emit_metaDataAvailableChanged", "@brief Emitter for signal void QCamera::metaDataAvailableChanged(bool available)\nCall this method to emit this signal.", false, &_init_emitter_metaDataAvailableChanged_864, &_call_emitter_metaDataAvailableChanged_864); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged", "@brief Emitter for signal void QCamera::metaDataChanged()\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_0, &_call_emitter_metaDataChanged_0); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged_kv", "@brief Emitter for signal void QCamera::metaDataChanged(const QString &key, const QVariant &value)\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_4036, &_call_emitter_metaDataChanged_4036); + methods += new qt_gsi::GenericMethod ("emit_notifyIntervalChanged", "@brief Emitter for signal void QCamera::notifyIntervalChanged(int milliSeconds)\nCall this method to emit this signal.", false, &_init_emitter_notifyIntervalChanged_767, &_call_emitter_notifyIntervalChanged_767); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QCamera::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCamera::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*removePropertyWatch", "@brief Method void QCamera::removePropertyWatch(const QByteArray &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_removePropertyWatch_2309, &_call_fp_removePropertyWatch_2309); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCamera::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCamera::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("service", "@brief Virtual method QMediaService *QCamera::service()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_service_c0_0, &_call_cbs_service_c0_0); methods += new qt_gsi::GenericMethod ("service", "@hide", true, &_init_cbs_service_c0_0, &_call_cbs_service_c0_0, &_set_callback_cbs_service_c0_0); + methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QCamera::stateChanged(QCamera::State state)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_1731, &_call_emitter_stateChanged_1731); + methods += new qt_gsi::GenericMethod ("emit_statusChanged", "@brief Emitter for signal void QCamera::statusChanged(QCamera::Status status)\nCall this method to emit this signal.", false, &_init_emitter_statusChanged_1862, &_call_emitter_statusChanged_1862); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCamera::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("unbind", "@brief Virtual method void QCamera::unbind(QObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_unbind_1302_0, &_call_cbs_unbind_1302_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureBufferFormatControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureBufferFormatControl.cc index 7c798067ac..626fbf9447 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureBufferFormatControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureBufferFormatControl.cc @@ -69,26 +69,6 @@ static void _call_f_bufferFormat_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QCameraCaptureBufferFormatControl::bufferFormatChanged(QVideoFrame::PixelFormat format) - - -static void _init_f_bufferFormatChanged_2758 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("format"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_bufferFormatChanged_2758 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraCaptureBufferFormatControl *)cls)->bufferFormatChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // void QCameraCaptureBufferFormatControl::setBufferFormat(QVideoFrame::PixelFormat format) @@ -181,9 +161,11 @@ static gsi::Methods methods_QCameraCaptureBufferFormatControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":bufferFormat", "@brief Method QVideoFrame::PixelFormat QCameraCaptureBufferFormatControl::bufferFormat()\n", true, &_init_f_bufferFormat_c0, &_call_f_bufferFormat_c0); - methods += new qt_gsi::GenericMethod ("bufferFormatChanged", "@brief Method void QCameraCaptureBufferFormatControl::bufferFormatChanged(QVideoFrame::PixelFormat format)\n", false, &_init_f_bufferFormatChanged_2758, &_call_f_bufferFormatChanged_2758); methods += new qt_gsi::GenericMethod ("setBufferFormat|bufferFormat=", "@brief Method void QCameraCaptureBufferFormatControl::setBufferFormat(QVideoFrame::PixelFormat format)\n", false, &_init_f_setBufferFormat_2758, &_call_f_setBufferFormat_2758); methods += new qt_gsi::GenericMethod ("supportedBufferFormats", "@brief Method QList QCameraCaptureBufferFormatControl::supportedBufferFormats()\n", true, &_init_f_supportedBufferFormats_c0, &_call_f_supportedBufferFormats_c0); + methods += gsi::qt_signal::target_type & > ("bufferFormatChanged(QVideoFrame::PixelFormat)", "bufferFormatChanged", gsi::arg("format"), "@brief Signal declaration for QCameraCaptureBufferFormatControl::bufferFormatChanged(QVideoFrame::PixelFormat format)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCameraCaptureBufferFormatControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCameraCaptureBufferFormatControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraCaptureBufferFormatControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCameraCaptureBufferFormatControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -247,6 +229,18 @@ class QCameraCaptureBufferFormatControl_Adaptor : public QCameraCaptureBufferFor } } + // [emitter impl] void QCameraCaptureBufferFormatControl::bufferFormatChanged(QVideoFrame::PixelFormat format) + void emitter_QCameraCaptureBufferFormatControl_bufferFormatChanged_2758(QVideoFrame::PixelFormat format) + { + emit QCameraCaptureBufferFormatControl::bufferFormatChanged(format); + } + + // [emitter impl] void QCameraCaptureBufferFormatControl::destroyed(QObject *) + void emitter_QCameraCaptureBufferFormatControl_destroyed_1302(QObject *arg1) + { + emit QCameraCaptureBufferFormatControl::destroyed(arg1); + } + // [adaptor impl] bool QCameraCaptureBufferFormatControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -277,6 +271,13 @@ class QCameraCaptureBufferFormatControl_Adaptor : public QCameraCaptureBufferFor } } + // [emitter impl] void QCameraCaptureBufferFormatControl::objectNameChanged(const QString &objectName) + void emitter_QCameraCaptureBufferFormatControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QCameraCaptureBufferFormatControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QCameraCaptureBufferFormatControl::setBufferFormat(QVideoFrame::PixelFormat format) void cbs_setBufferFormat_2758_0(const qt_gsi::Converter::target_type & format) { @@ -414,6 +415,24 @@ static void _set_callback_cbs_bufferFormat_c0_0 (void *cls, const gsi::Callback } +// emitter void QCameraCaptureBufferFormatControl::bufferFormatChanged(QVideoFrame::PixelFormat format) + +static void _init_emitter_bufferFormatChanged_2758 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("format"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_bufferFormatChanged_2758 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QCameraCaptureBufferFormatControl_Adaptor *)cls)->emitter_QCameraCaptureBufferFormatControl_bufferFormatChanged_2758 (arg1); +} + + // void QCameraCaptureBufferFormatControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -462,6 +481,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QCameraCaptureBufferFormatControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QCameraCaptureBufferFormatControl_Adaptor *)cls)->emitter_QCameraCaptureBufferFormatControl_destroyed_1302 (arg1); +} + + // void QCameraCaptureBufferFormatControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -553,6 +590,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QCameraCaptureBufferFormatControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QCameraCaptureBufferFormatControl_Adaptor *)cls)->emitter_QCameraCaptureBufferFormatControl_objectNameChanged_4567 (arg1); +} + + // exposed int QCameraCaptureBufferFormatControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -676,10 +731,12 @@ static gsi::Methods methods_QCameraCaptureBufferFormatControl_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCameraCaptureBufferFormatControl::QCameraCaptureBufferFormatControl()\nThis method creates an object of class QCameraCaptureBufferFormatControl.", &_init_ctor_QCameraCaptureBufferFormatControl_Adaptor_0, &_call_ctor_QCameraCaptureBufferFormatControl_Adaptor_0); methods += new qt_gsi::GenericMethod ("bufferFormat", "@brief Virtual method QVideoFrame::PixelFormat QCameraCaptureBufferFormatControl::bufferFormat()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_bufferFormat_c0_0, &_call_cbs_bufferFormat_c0_0); methods += new qt_gsi::GenericMethod ("bufferFormat", "@hide", true, &_init_cbs_bufferFormat_c0_0, &_call_cbs_bufferFormat_c0_0, &_set_callback_cbs_bufferFormat_c0_0); + methods += new qt_gsi::GenericMethod ("emit_bufferFormatChanged", "@brief Emitter for signal void QCameraCaptureBufferFormatControl::bufferFormatChanged(QVideoFrame::PixelFormat format)\nCall this method to emit this signal.", false, &_init_emitter_bufferFormatChanged_2758, &_call_emitter_bufferFormatChanged_2758); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraCaptureBufferFormatControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraCaptureBufferFormatControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCameraCaptureBufferFormatControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraCaptureBufferFormatControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraCaptureBufferFormatControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -687,6 +744,7 @@ static gsi::Methods methods_QCameraCaptureBufferFormatControl_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraCaptureBufferFormatControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraCaptureBufferFormatControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QCameraCaptureBufferFormatControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCameraCaptureBufferFormatControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCameraCaptureBufferFormatControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraCaptureBufferFormatControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureDestinationControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureDestinationControl.cc index f176cc4532..db50dcb95e 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureDestinationControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureDestinationControl.cc @@ -69,26 +69,6 @@ static void _call_f_captureDestination_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QCameraCaptureDestinationControl::captureDestinationChanged(QFlags destination) - - -static void _init_f_captureDestinationChanged_4999 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("destination"); - decl->add_arg > (argspec_0); - decl->set_return (); -} - -static void _call_f_captureDestinationChanged_4999 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QFlags arg1 = gsi::arg_reader >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraCaptureDestinationControl *)cls)->captureDestinationChanged (arg1); -} - - // bool QCameraCaptureDestinationControl::isCaptureDestinationSupported(QFlags destination) @@ -185,9 +165,11 @@ static gsi::Methods methods_QCameraCaptureDestinationControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":captureDestination", "@brief Method QFlags QCameraCaptureDestinationControl::captureDestination()\n", true, &_init_f_captureDestination_c0, &_call_f_captureDestination_c0); - methods += new qt_gsi::GenericMethod ("captureDestinationChanged", "@brief Method void QCameraCaptureDestinationControl::captureDestinationChanged(QFlags destination)\n", false, &_init_f_captureDestinationChanged_4999, &_call_f_captureDestinationChanged_4999); methods += new qt_gsi::GenericMethod ("isCaptureDestinationSupported?", "@brief Method bool QCameraCaptureDestinationControl::isCaptureDestinationSupported(QFlags destination)\n", true, &_init_f_isCaptureDestinationSupported_c4999, &_call_f_isCaptureDestinationSupported_c4999); methods += new qt_gsi::GenericMethod ("setCaptureDestination|captureDestination=", "@brief Method void QCameraCaptureDestinationControl::setCaptureDestination(QFlags destination)\n", false, &_init_f_setCaptureDestination_4999, &_call_f_setCaptureDestination_4999); + methods += gsi::qt_signal > ("captureDestinationChanged(QFlags)", "captureDestinationChanged", gsi::arg("destination"), "@brief Signal declaration for QCameraCaptureDestinationControl::captureDestinationChanged(QFlags destination)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCameraCaptureDestinationControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCameraCaptureDestinationControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraCaptureDestinationControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCameraCaptureDestinationControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -251,6 +233,18 @@ class QCameraCaptureDestinationControl_Adaptor : public QCameraCaptureDestinatio } } + // [emitter impl] void QCameraCaptureDestinationControl::captureDestinationChanged(QFlags destination) + void emitter_QCameraCaptureDestinationControl_captureDestinationChanged_4999(QFlags destination) + { + emit QCameraCaptureDestinationControl::captureDestinationChanged(destination); + } + + // [emitter impl] void QCameraCaptureDestinationControl::destroyed(QObject *) + void emitter_QCameraCaptureDestinationControl_destroyed_1302(QObject *arg1) + { + emit QCameraCaptureDestinationControl::destroyed(arg1); + } + // [adaptor impl] bool QCameraCaptureDestinationControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -297,6 +291,13 @@ class QCameraCaptureDestinationControl_Adaptor : public QCameraCaptureDestinatio } } + // [emitter impl] void QCameraCaptureDestinationControl::objectNameChanged(const QString &objectName) + void emitter_QCameraCaptureDestinationControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QCameraCaptureDestinationControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QCameraCaptureDestinationControl::setCaptureDestination(QFlags destination) void cbs_setCaptureDestination_4999_0(QFlags destination) { @@ -419,6 +420,24 @@ static void _set_callback_cbs_captureDestination_c0_0 (void *cls, const gsi::Cal } +// emitter void QCameraCaptureDestinationControl::captureDestinationChanged(QFlags destination) + +static void _init_emitter_captureDestinationChanged_4999 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("destination"); + decl->add_arg > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_captureDestinationChanged_4999 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QFlags arg1 = gsi::arg_reader >() (args, heap); + ((QCameraCaptureDestinationControl_Adaptor *)cls)->emitter_QCameraCaptureDestinationControl_captureDestinationChanged_4999 (arg1); +} + + // void QCameraCaptureDestinationControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -467,6 +486,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QCameraCaptureDestinationControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QCameraCaptureDestinationControl_Adaptor *)cls)->emitter_QCameraCaptureDestinationControl_destroyed_1302 (arg1); +} + + // void QCameraCaptureDestinationControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -581,6 +618,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QCameraCaptureDestinationControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QCameraCaptureDestinationControl_Adaptor *)cls)->emitter_QCameraCaptureDestinationControl_objectNameChanged_4567 (arg1); +} + + // exposed int QCameraCaptureDestinationControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -685,10 +740,12 @@ static gsi::Methods methods_QCameraCaptureDestinationControl_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCameraCaptureDestinationControl::QCameraCaptureDestinationControl()\nThis method creates an object of class QCameraCaptureDestinationControl.", &_init_ctor_QCameraCaptureDestinationControl_Adaptor_0, &_call_ctor_QCameraCaptureDestinationControl_Adaptor_0); methods += new qt_gsi::GenericMethod ("captureDestination", "@brief Virtual method QFlags QCameraCaptureDestinationControl::captureDestination()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_captureDestination_c0_0, &_call_cbs_captureDestination_c0_0); methods += new qt_gsi::GenericMethod ("captureDestination", "@hide", true, &_init_cbs_captureDestination_c0_0, &_call_cbs_captureDestination_c0_0, &_set_callback_cbs_captureDestination_c0_0); + methods += new qt_gsi::GenericMethod ("emit_captureDestinationChanged", "@brief Emitter for signal void QCameraCaptureDestinationControl::captureDestinationChanged(QFlags destination)\nCall this method to emit this signal.", false, &_init_emitter_captureDestinationChanged_4999, &_call_emitter_captureDestinationChanged_4999); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraCaptureDestinationControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraCaptureDestinationControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCameraCaptureDestinationControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraCaptureDestinationControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraCaptureDestinationControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -698,6 +755,7 @@ static gsi::Methods methods_QCameraCaptureDestinationControl_Adaptor () { methods += new qt_gsi::GenericMethod ("isCaptureDestinationSupported", "@brief Virtual method bool QCameraCaptureDestinationControl::isCaptureDestinationSupported(QFlags destination)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isCaptureDestinationSupported_c4999_0, &_call_cbs_isCaptureDestinationSupported_c4999_0); methods += new qt_gsi::GenericMethod ("isCaptureDestinationSupported", "@hide", true, &_init_cbs_isCaptureDestinationSupported_c4999_0, &_call_cbs_isCaptureDestinationSupported_c4999_0, &_set_callback_cbs_isCaptureDestinationSupported_c4999_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraCaptureDestinationControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QCameraCaptureDestinationControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCameraCaptureDestinationControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCameraCaptureDestinationControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraCaptureDestinationControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraControl.cc index 9ee0e7618c..13b2c97857 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraControl.cc @@ -91,49 +91,6 @@ static void _call_f_captureMode_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QCameraControl::captureModeChanged(QFlags mode) - - -static void _init_f_captureModeChanged_3027 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("mode"); - decl->add_arg > (argspec_0); - decl->set_return (); -} - -static void _call_f_captureModeChanged_3027 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QFlags arg1 = gsi::arg_reader >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraControl *)cls)->captureModeChanged (arg1); -} - - -// void QCameraControl::error(int error, const QString &errorString) - - -static void _init_f_error_2684 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("error"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("errorString"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_error_2684 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - const QString &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraControl *)cls)->error (arg1, arg2); -} - - // bool QCameraControl::isCaptureModeSupported(QFlags mode) @@ -208,26 +165,6 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QCameraControl::stateChanged(QCamera::State) - - -static void _init_f_stateChanged_1731 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_stateChanged_1731 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraControl *)cls)->stateChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QCamera::Status QCameraControl::status() @@ -243,26 +180,6 @@ static void _call_f_status_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QCameraControl::statusChanged(QCamera::Status) - - -static void _init_f_statusChanged_1862 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_statusChanged_1862 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraControl *)cls)->statusChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // static QString QCameraControl::tr(const char *s, const char *c, int n) @@ -321,15 +238,17 @@ static gsi::Methods methods_QCameraControl () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("canChangeProperty", "@brief Method bool QCameraControl::canChangeProperty(QCameraControl::PropertyChangeType changeType, QCamera::Status status)\n", true, &_init_f_canChangeProperty_c5578, &_call_f_canChangeProperty_c5578); methods += new qt_gsi::GenericMethod (":captureMode", "@brief Method QFlags QCameraControl::captureMode()\n", true, &_init_f_captureMode_c0, &_call_f_captureMode_c0); - methods += new qt_gsi::GenericMethod ("captureModeChanged", "@brief Method void QCameraControl::captureModeChanged(QFlags mode)\n", false, &_init_f_captureModeChanged_3027, &_call_f_captureModeChanged_3027); - methods += new qt_gsi::GenericMethod ("error", "@brief Method void QCameraControl::error(int error, const QString &errorString)\n", false, &_init_f_error_2684, &_call_f_error_2684); methods += new qt_gsi::GenericMethod ("isCaptureModeSupported?", "@brief Method bool QCameraControl::isCaptureModeSupported(QFlags mode)\n", true, &_init_f_isCaptureModeSupported_c3027, &_call_f_isCaptureModeSupported_c3027); methods += new qt_gsi::GenericMethod ("setCaptureMode|captureMode=", "@brief Method void QCameraControl::setCaptureMode(QFlags)\n", false, &_init_f_setCaptureMode_3027, &_call_f_setCaptureMode_3027); methods += new qt_gsi::GenericMethod ("setState|state=", "@brief Method void QCameraControl::setState(QCamera::State state)\n", false, &_init_f_setState_1731, &_call_f_setState_1731); methods += new qt_gsi::GenericMethod (":state", "@brief Method QCamera::State QCameraControl::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QCameraControl::stateChanged(QCamera::State)\n", false, &_init_f_stateChanged_1731, &_call_f_stateChanged_1731); methods += new qt_gsi::GenericMethod ("status", "@brief Method QCamera::Status QCameraControl::status()\n", true, &_init_f_status_c0, &_call_f_status_c0); - methods += new qt_gsi::GenericMethod ("statusChanged", "@brief Method void QCameraControl::statusChanged(QCamera::Status)\n", false, &_init_f_statusChanged_1862, &_call_f_statusChanged_1862); + methods += gsi::qt_signal > ("captureModeChanged(QFlags)", "captureModeChanged", gsi::arg("mode"), "@brief Signal declaration for QCameraControl::captureModeChanged(QFlags mode)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCameraControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("error(int, const QString &)", "error", gsi::arg("error"), gsi::arg("errorString"), "@brief Signal declaration for QCameraControl::error(int error, const QString &errorString)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCameraControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("stateChanged(QCamera::State)", "stateChanged", gsi::arg("arg1"), "@brief Signal declaration for QCameraControl::stateChanged(QCamera::State)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("statusChanged(QCamera::Status)", "statusChanged", gsi::arg("arg1"), "@brief Signal declaration for QCameraControl::statusChanged(QCamera::Status)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCameraControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -410,6 +329,24 @@ class QCameraControl_Adaptor : public QCameraControl, public qt_gsi::QtObjectBas } } + // [emitter impl] void QCameraControl::captureModeChanged(QFlags mode) + void emitter_QCameraControl_captureModeChanged_3027(QFlags mode) + { + emit QCameraControl::captureModeChanged(mode); + } + + // [emitter impl] void QCameraControl::destroyed(QObject *) + void emitter_QCameraControl_destroyed_1302(QObject *arg1) + { + emit QCameraControl::destroyed(arg1); + } + + // [emitter impl] void QCameraControl::error(int error, const QString &errorString) + void emitter_QCameraControl_error_2684(int _error, const QString &errorString) + { + emit QCameraControl::error(_error, errorString); + } + // [adaptor impl] bool QCameraControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -456,6 +393,13 @@ class QCameraControl_Adaptor : public QCameraControl, public qt_gsi::QtObjectBas } } + // [emitter impl] void QCameraControl::objectNameChanged(const QString &objectName) + void emitter_QCameraControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QCameraControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QCameraControl::setCaptureMode(QFlags) void cbs_setCaptureMode_3027_0(QFlags arg1) { @@ -503,6 +447,12 @@ class QCameraControl_Adaptor : public QCameraControl, public qt_gsi::QtObjectBas } } + // [emitter impl] void QCameraControl::stateChanged(QCamera::State) + void emitter_QCameraControl_stateChanged_1731(QCamera::State arg1) + { + emit QCameraControl::stateChanged(arg1); + } + // [adaptor impl] QCamera::Status QCameraControl::status() qt_gsi::Converter::target_type cbs_status_c0_0() const { @@ -518,6 +468,12 @@ class QCameraControl_Adaptor : public QCameraControl, public qt_gsi::QtObjectBas } } + // [emitter impl] void QCameraControl::statusChanged(QCamera::Status) + void emitter_QCameraControl_statusChanged_1862(QCamera::Status arg1) + { + emit QCameraControl::statusChanged(arg1); + } + // [adaptor impl] void QCameraControl::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -654,6 +610,24 @@ static void _set_callback_cbs_captureMode_c0_0 (void *cls, const gsi::Callback & } +// emitter void QCameraControl::captureModeChanged(QFlags mode) + +static void _init_emitter_captureModeChanged_3027 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("mode"); + decl->add_arg > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_captureModeChanged_3027 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QFlags arg1 = gsi::arg_reader >() (args, heap); + ((QCameraControl_Adaptor *)cls)->emitter_QCameraControl_captureModeChanged_3027 (arg1); +} + + // void QCameraControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -702,6 +676,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QCameraControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QCameraControl_Adaptor *)cls)->emitter_QCameraControl_destroyed_1302 (arg1); +} + + // void QCameraControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -726,6 +718,27 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } +// emitter void QCameraControl::error(int error, const QString &errorString) + +static void _init_emitter_error_2684 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("error"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("errorString"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_error_2684 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + const QString &arg2 = gsi::arg_reader() (args, heap); + ((QCameraControl_Adaptor *)cls)->emitter_QCameraControl_error_2684 (arg1, arg2); +} + + // bool QCameraControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -816,6 +829,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QCameraControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QCameraControl_Adaptor *)cls)->emitter_QCameraControl_objectNameChanged_4567 (arg1); +} + + // exposed int QCameraControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -929,6 +960,24 @@ static void _set_callback_cbs_state_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QCameraControl::stateChanged(QCamera::State) + +static void _init_emitter_stateChanged_1731 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stateChanged_1731 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QCameraControl_Adaptor *)cls)->emitter_QCameraControl_stateChanged_1731 (arg1); +} + + // QCamera::Status QCameraControl::status() static void _init_cbs_status_c0_0 (qt_gsi::GenericMethod *decl) @@ -948,6 +997,24 @@ static void _set_callback_cbs_status_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QCameraControl::statusChanged(QCamera::Status) + +static void _init_emitter_statusChanged_1862 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_statusChanged_1862 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QCameraControl_Adaptor *)cls)->emitter_QCameraControl_statusChanged_1862 (arg1); +} + + // void QCameraControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -984,12 +1051,15 @@ static gsi::Methods methods_QCameraControl_Adaptor () { methods += new qt_gsi::GenericMethod ("canChangeProperty", "@hide", true, &_init_cbs_canChangeProperty_c5578_0, &_call_cbs_canChangeProperty_c5578_0, &_set_callback_cbs_canChangeProperty_c5578_0); methods += new qt_gsi::GenericMethod ("captureMode", "@brief Virtual method QFlags QCameraControl::captureMode()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_captureMode_c0_0, &_call_cbs_captureMode_c0_0); methods += new qt_gsi::GenericMethod ("captureMode", "@hide", true, &_init_cbs_captureMode_c0_0, &_call_cbs_captureMode_c0_0, &_set_callback_cbs_captureMode_c0_0); + methods += new qt_gsi::GenericMethod ("emit_captureModeChanged", "@brief Emitter for signal void QCameraControl::captureModeChanged(QFlags mode)\nCall this method to emit this signal.", false, &_init_emitter_captureModeChanged_3027, &_call_emitter_captureModeChanged_3027); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCameraControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("emit_error", "@brief Emitter for signal void QCameraControl::error(int error, const QString &errorString)\nCall this method to emit this signal.", false, &_init_emitter_error_2684, &_call_emitter_error_2684); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); @@ -997,6 +1067,7 @@ static gsi::Methods methods_QCameraControl_Adaptor () { methods += new qt_gsi::GenericMethod ("isCaptureModeSupported", "@brief Virtual method bool QCameraControl::isCaptureModeSupported(QFlags mode)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isCaptureModeSupported_c3027_0, &_call_cbs_isCaptureModeSupported_c3027_0); methods += new qt_gsi::GenericMethod ("isCaptureModeSupported", "@hide", true, &_init_cbs_isCaptureModeSupported_c3027_0, &_call_cbs_isCaptureModeSupported_c3027_0, &_set_callback_cbs_isCaptureModeSupported_c3027_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QCameraControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCameraControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCameraControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -1006,8 +1077,10 @@ static gsi::Methods methods_QCameraControl_Adaptor () { methods += new qt_gsi::GenericMethod ("setState", "@hide", false, &_init_cbs_setState_1731_0, &_call_cbs_setState_1731_0, &_set_callback_cbs_setState_1731_0); methods += new qt_gsi::GenericMethod ("state", "@brief Virtual method QCamera::State QCameraControl::state()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_state_c0_0, &_call_cbs_state_c0_0); methods += new qt_gsi::GenericMethod ("state", "@hide", true, &_init_cbs_state_c0_0, &_call_cbs_state_c0_0, &_set_callback_cbs_state_c0_0); + methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QCameraControl::stateChanged(QCamera::State)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_1731, &_call_emitter_stateChanged_1731); methods += new qt_gsi::GenericMethod ("status", "@brief Virtual method QCamera::Status QCameraControl::status()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_status_c0_0, &_call_cbs_status_c0_0); methods += new qt_gsi::GenericMethod ("status", "@hide", true, &_init_cbs_status_c0_0, &_call_cbs_status_c0_0, &_set_callback_cbs_status_c0_0); + methods += new qt_gsi::GenericMethod ("emit_statusChanged", "@brief Emitter for signal void QCameraControl::statusChanged(QCamera::Status)\nCall this method to emit this signal.", false, &_init_emitter_statusChanged_1862, &_call_emitter_statusChanged_1862); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposure.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposure.cc index 6ea108d02f..db982afe74 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposure.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposure.cc @@ -68,42 +68,6 @@ static void _call_f_aperture_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QCameraExposure::apertureChanged(double) - - -static void _init_f_apertureChanged_1071 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_apertureChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - double arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraExposure *)cls)->apertureChanged (arg1); -} - - -// void QCameraExposure::apertureRangeChanged() - - -static void _init_f_apertureRangeChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_apertureRangeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraExposure *)cls)->apertureRangeChanged (); -} - - // double QCameraExposure::exposureCompensation() @@ -119,26 +83,6 @@ static void _call_f_exposureCompensation_c0 (const qt_gsi::GenericMethod * /*dec } -// void QCameraExposure::exposureCompensationChanged(double) - - -static void _init_f_exposureCompensationChanged_1071 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_exposureCompensationChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - double arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraExposure *)cls)->exposureCompensationChanged (arg1); -} - - // QCameraExposure::ExposureMode QCameraExposure::exposureMode() @@ -169,26 +113,6 @@ static void _call_f_flashMode_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QCameraExposure::flashReady(bool) - - -static void _init_f_flashReady_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_flashReady_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraExposure *)cls)->flashReady (arg1); -} - - // bool QCameraExposure::isAvailable() @@ -291,26 +215,6 @@ static void _call_f_isoSensitivity_c0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QCameraExposure::isoSensitivityChanged(int) - - -static void _init_f_isoSensitivityChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_isoSensitivityChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraExposure *)cls)->isoSensitivityChanged (arg1); -} - - // QCameraExposure::MeteringMode QCameraExposure::meteringMode() @@ -594,42 +498,6 @@ static void _call_f_shutterSpeed_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QCameraExposure::shutterSpeedChanged(double speed) - - -static void _init_f_shutterSpeedChanged_1071 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("speed"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_shutterSpeedChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - double arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraExposure *)cls)->shutterSpeedChanged (arg1); -} - - -// void QCameraExposure::shutterSpeedRangeChanged() - - -static void _init_f_shutterSpeedRangeChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_shutterSpeedRangeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraExposure *)cls)->shutterSpeedRangeChanged (); -} - - // QPointF QCameraExposure::spotMeteringPoint() @@ -760,20 +628,15 @@ static gsi::Methods methods_QCameraExposure () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":aperture", "@brief Method double QCameraExposure::aperture()\n", true, &_init_f_aperture_c0, &_call_f_aperture_c0); - methods += new qt_gsi::GenericMethod ("apertureChanged", "@brief Method void QCameraExposure::apertureChanged(double)\n", false, &_init_f_apertureChanged_1071, &_call_f_apertureChanged_1071); - methods += new qt_gsi::GenericMethod ("apertureRangeChanged", "@brief Method void QCameraExposure::apertureRangeChanged()\n", false, &_init_f_apertureRangeChanged_0, &_call_f_apertureRangeChanged_0); methods += new qt_gsi::GenericMethod (":exposureCompensation", "@brief Method double QCameraExposure::exposureCompensation()\n", true, &_init_f_exposureCompensation_c0, &_call_f_exposureCompensation_c0); - methods += new qt_gsi::GenericMethod ("exposureCompensationChanged", "@brief Method void QCameraExposure::exposureCompensationChanged(double)\n", false, &_init_f_exposureCompensationChanged_1071, &_call_f_exposureCompensationChanged_1071); methods += new qt_gsi::GenericMethod (":exposureMode", "@brief Method QCameraExposure::ExposureMode QCameraExposure::exposureMode()\n", true, &_init_f_exposureMode_c0, &_call_f_exposureMode_c0); methods += new qt_gsi::GenericMethod (":flashMode", "@brief Method QFlags QCameraExposure::flashMode()\n", true, &_init_f_flashMode_c0, &_call_f_flashMode_c0); - methods += new qt_gsi::GenericMethod ("flashReady_sig", "@brief Method void QCameraExposure::flashReady(bool)\n", false, &_init_f_flashReady_864, &_call_f_flashReady_864); methods += new qt_gsi::GenericMethod ("isAvailable?", "@brief Method bool QCameraExposure::isAvailable()\n", true, &_init_f_isAvailable_c0, &_call_f_isAvailable_c0); methods += new qt_gsi::GenericMethod ("isExposureModeSupported?", "@brief Method bool QCameraExposure::isExposureModeSupported(QCameraExposure::ExposureMode mode)\n", true, &_init_f_isExposureModeSupported_c3325, &_call_f_isExposureModeSupported_c3325); methods += new qt_gsi::GenericMethod ("isFlashModeSupported?", "@brief Method bool QCameraExposure::isFlashModeSupported(QFlags mode)\n", true, &_init_f_isFlashModeSupported_c3656, &_call_f_isFlashModeSupported_c3656); methods += new qt_gsi::GenericMethod ("isFlashReady?|:flashReady", "@brief Method bool QCameraExposure::isFlashReady()\n", true, &_init_f_isFlashReady_c0, &_call_f_isFlashReady_c0); methods += new qt_gsi::GenericMethod ("isMeteringModeSupported?", "@brief Method bool QCameraExposure::isMeteringModeSupported(QCameraExposure::MeteringMode mode)\n", true, &_init_f_isMeteringModeSupported_c3293, &_call_f_isMeteringModeSupported_c3293); methods += new qt_gsi::GenericMethod (":isoSensitivity", "@brief Method int QCameraExposure::isoSensitivity()\n", true, &_init_f_isoSensitivity_c0, &_call_f_isoSensitivity_c0); - methods += new qt_gsi::GenericMethod ("isoSensitivityChanged", "@brief Method void QCameraExposure::isoSensitivityChanged(int)\n", false, &_init_f_isoSensitivityChanged_767, &_call_f_isoSensitivityChanged_767); methods += new qt_gsi::GenericMethod (":meteringMode", "@brief Method QCameraExposure::MeteringMode QCameraExposure::meteringMode()\n", true, &_init_f_meteringMode_c0, &_call_f_meteringMode_c0); methods += new qt_gsi::GenericMethod ("requestedAperture", "@brief Method double QCameraExposure::requestedAperture()\n", true, &_init_f_requestedAperture_c0, &_call_f_requestedAperture_c0); methods += new qt_gsi::GenericMethod ("requestedIsoSensitivity", "@brief Method int QCameraExposure::requestedIsoSensitivity()\n", true, &_init_f_requestedIsoSensitivity_c0, &_call_f_requestedIsoSensitivity_c0); @@ -790,12 +653,19 @@ static gsi::Methods methods_QCameraExposure () { methods += new qt_gsi::GenericMethod ("setMeteringMode|meteringMode=", "@brief Method void QCameraExposure::setMeteringMode(QCameraExposure::MeteringMode mode)\n", false, &_init_f_setMeteringMode_3293, &_call_f_setMeteringMode_3293); methods += new qt_gsi::GenericMethod ("setSpotMeteringPoint|spotMeteringPoint=", "@brief Method void QCameraExposure::setSpotMeteringPoint(const QPointF &point)\n", false, &_init_f_setSpotMeteringPoint_1986, &_call_f_setSpotMeteringPoint_1986); methods += new qt_gsi::GenericMethod (":shutterSpeed", "@brief Method double QCameraExposure::shutterSpeed()\n", true, &_init_f_shutterSpeed_c0, &_call_f_shutterSpeed_c0); - methods += new qt_gsi::GenericMethod ("shutterSpeedChanged", "@brief Method void QCameraExposure::shutterSpeedChanged(double speed)\n", false, &_init_f_shutterSpeedChanged_1071, &_call_f_shutterSpeedChanged_1071); - methods += new qt_gsi::GenericMethod ("shutterSpeedRangeChanged", "@brief Method void QCameraExposure::shutterSpeedRangeChanged()\n", false, &_init_f_shutterSpeedRangeChanged_0, &_call_f_shutterSpeedRangeChanged_0); methods += new qt_gsi::GenericMethod (":spotMeteringPoint", "@brief Method QPointF QCameraExposure::spotMeteringPoint()\n", true, &_init_f_spotMeteringPoint_c0, &_call_f_spotMeteringPoint_c0); methods += new qt_gsi::GenericMethod ("supportedApertures", "@brief Method QList QCameraExposure::supportedApertures(bool *continuous)\n", true, &_init_f_supportedApertures_c1050, &_call_f_supportedApertures_c1050); methods += new qt_gsi::GenericMethod ("supportedIsoSensitivities", "@brief Method QList QCameraExposure::supportedIsoSensitivities(bool *continuous)\n", true, &_init_f_supportedIsoSensitivities_c1050, &_call_f_supportedIsoSensitivities_c1050); methods += new qt_gsi::GenericMethod ("supportedShutterSpeeds", "@brief Method QList QCameraExposure::supportedShutterSpeeds(bool *continuous)\n", true, &_init_f_supportedShutterSpeeds_c1050, &_call_f_supportedShutterSpeeds_c1050); + methods += gsi::qt_signal ("apertureChanged(double)", "apertureChanged", gsi::arg("arg1"), "@brief Signal declaration for QCameraExposure::apertureChanged(double)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("apertureRangeChanged()", "apertureRangeChanged", "@brief Signal declaration for QCameraExposure::apertureRangeChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCameraExposure::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("exposureCompensationChanged(double)", "exposureCompensationChanged", gsi::arg("arg1"), "@brief Signal declaration for QCameraExposure::exposureCompensationChanged(double)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("flashReady(bool)", "flashReady_sig", gsi::arg("arg1"), "@brief Signal declaration for QCameraExposure::flashReady(bool)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("isoSensitivityChanged(int)", "isoSensitivityChanged", gsi::arg("arg1"), "@brief Signal declaration for QCameraExposure::isoSensitivityChanged(int)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCameraExposure::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("shutterSpeedChanged(double)", "shutterSpeedChanged", gsi::arg("speed"), "@brief Signal declaration for QCameraExposure::shutterSpeedChanged(double speed)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("shutterSpeedRangeChanged()", "shutterSpeedRangeChanged", "@brief Signal declaration for QCameraExposure::shutterSpeedRangeChanged()\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraExposure::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCameraExposure::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposureControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposureControl.cc index eab23c2570..2f9aee216c 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposureControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposureControl.cc @@ -73,26 +73,6 @@ static void _call_f_actualValue_c4602 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QCameraExposureControl::actualValueChanged(int parameter) - - -static void _init_f_actualValueChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("parameter"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_actualValueChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraExposureControl *)cls)->actualValueChanged (arg1); -} - - // bool QCameraExposureControl::isParameterSupported(QCameraExposureControl::ExposureParameter parameter) @@ -112,26 +92,6 @@ static void _call_f_isParameterSupported_c4602 (const qt_gsi::GenericMethod * /* } -// void QCameraExposureControl::parameterRangeChanged(int parameter) - - -static void _init_f_parameterRangeChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("parameter"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_parameterRangeChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraExposureControl *)cls)->parameterRangeChanged (arg1); -} - - // QVariant QCameraExposureControl::requestedValue(QCameraExposureControl::ExposureParameter parameter) @@ -151,26 +111,6 @@ static void _call_f_requestedValue_c4602 (const qt_gsi::GenericMethod * /*decl*/ } -// void QCameraExposureControl::requestedValueChanged(int parameter) - - -static void _init_f_requestedValueChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("parameter"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_requestedValueChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraExposureControl *)cls)->requestedValueChanged (arg1); -} - - // bool QCameraExposureControl::setValue(QCameraExposureControl::ExposureParameter parameter, const QVariant &value) @@ -272,13 +212,15 @@ static gsi::Methods methods_QCameraExposureControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("actualValue", "@brief Method QVariant QCameraExposureControl::actualValue(QCameraExposureControl::ExposureParameter parameter)\n", true, &_init_f_actualValue_c4602, &_call_f_actualValue_c4602); - methods += new qt_gsi::GenericMethod ("actualValueChanged", "@brief Method void QCameraExposureControl::actualValueChanged(int parameter)\n", false, &_init_f_actualValueChanged_767, &_call_f_actualValueChanged_767); methods += new qt_gsi::GenericMethod ("isParameterSupported?", "@brief Method bool QCameraExposureControl::isParameterSupported(QCameraExposureControl::ExposureParameter parameter)\n", true, &_init_f_isParameterSupported_c4602, &_call_f_isParameterSupported_c4602); - methods += new qt_gsi::GenericMethod ("parameterRangeChanged", "@brief Method void QCameraExposureControl::parameterRangeChanged(int parameter)\n", false, &_init_f_parameterRangeChanged_767, &_call_f_parameterRangeChanged_767); methods += new qt_gsi::GenericMethod ("requestedValue", "@brief Method QVariant QCameraExposureControl::requestedValue(QCameraExposureControl::ExposureParameter parameter)\n", true, &_init_f_requestedValue_c4602, &_call_f_requestedValue_c4602); - methods += new qt_gsi::GenericMethod ("requestedValueChanged", "@brief Method void QCameraExposureControl::requestedValueChanged(int parameter)\n", false, &_init_f_requestedValueChanged_767, &_call_f_requestedValueChanged_767); methods += new qt_gsi::GenericMethod ("setValue", "@brief Method bool QCameraExposureControl::setValue(QCameraExposureControl::ExposureParameter parameter, const QVariant &value)\n", false, &_init_f_setValue_6613, &_call_f_setValue_6613); methods += new qt_gsi::GenericMethod ("supportedParameterRange", "@brief Method QList QCameraExposureControl::supportedParameterRange(QCameraExposureControl::ExposureParameter parameter, bool *continuous)\n", true, &_init_f_supportedParameterRange_c5544, &_call_f_supportedParameterRange_c5544); + methods += gsi::qt_signal ("actualValueChanged(int)", "actualValueChanged", gsi::arg("parameter"), "@brief Signal declaration for QCameraExposureControl::actualValueChanged(int parameter)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCameraExposureControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCameraExposureControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("parameterRangeChanged(int)", "parameterRangeChanged", gsi::arg("parameter"), "@brief Signal declaration for QCameraExposureControl::parameterRangeChanged(int parameter)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("requestedValueChanged(int)", "requestedValueChanged", gsi::arg("parameter"), "@brief Signal declaration for QCameraExposureControl::requestedValueChanged(int parameter)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraExposureControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCameraExposureControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -343,6 +285,18 @@ class QCameraExposureControl_Adaptor : public QCameraExposureControl, public qt_ } } + // [emitter impl] void QCameraExposureControl::actualValueChanged(int parameter) + void emitter_QCameraExposureControl_actualValueChanged_767(int parameter) + { + emit QCameraExposureControl::actualValueChanged(parameter); + } + + // [emitter impl] void QCameraExposureControl::destroyed(QObject *) + void emitter_QCameraExposureControl_destroyed_1302(QObject *arg1) + { + emit QCameraExposureControl::destroyed(arg1); + } + // [adaptor impl] bool QCameraExposureControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -389,6 +343,19 @@ class QCameraExposureControl_Adaptor : public QCameraExposureControl, public qt_ } } + // [emitter impl] void QCameraExposureControl::objectNameChanged(const QString &objectName) + void emitter_QCameraExposureControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QCameraExposureControl::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QCameraExposureControl::parameterRangeChanged(int parameter) + void emitter_QCameraExposureControl_parameterRangeChanged_767(int parameter) + { + emit QCameraExposureControl::parameterRangeChanged(parameter); + } + // [adaptor impl] QVariant QCameraExposureControl::requestedValue(QCameraExposureControl::ExposureParameter parameter) QVariant cbs_requestedValue_c4602_0(const qt_gsi::Converter::target_type & parameter) const { @@ -405,6 +372,12 @@ class QCameraExposureControl_Adaptor : public QCameraExposureControl, public qt_ } } + // [emitter impl] void QCameraExposureControl::requestedValueChanged(int parameter) + void emitter_QCameraExposureControl_requestedValueChanged_767(int parameter) + { + emit QCameraExposureControl::requestedValueChanged(parameter); + } + // [adaptor impl] bool QCameraExposureControl::setValue(QCameraExposureControl::ExposureParameter parameter, const QVariant &value) bool cbs_setValue_6613_0(const qt_gsi::Converter::target_type & parameter, const QVariant &value) { @@ -551,6 +524,24 @@ static void _set_callback_cbs_actualValue_c4602_0 (void *cls, const gsi::Callbac } +// emitter void QCameraExposureControl::actualValueChanged(int parameter) + +static void _init_emitter_actualValueChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parameter"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_actualValueChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QCameraExposureControl_Adaptor *)cls)->emitter_QCameraExposureControl_actualValueChanged_767 (arg1); +} + + // void QCameraExposureControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -599,6 +590,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QCameraExposureControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QCameraExposureControl_Adaptor *)cls)->emitter_QCameraExposureControl_destroyed_1302 (arg1); +} + + // void QCameraExposureControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -713,6 +722,42 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QCameraExposureControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QCameraExposureControl_Adaptor *)cls)->emitter_QCameraExposureControl_objectNameChanged_4567 (arg1); +} + + +// emitter void QCameraExposureControl::parameterRangeChanged(int parameter) + +static void _init_emitter_parameterRangeChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parameter"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_parameterRangeChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QCameraExposureControl_Adaptor *)cls)->emitter_QCameraExposureControl_parameterRangeChanged_767 (arg1); +} + + // exposed int QCameraExposureControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -754,6 +799,24 @@ static void _set_callback_cbs_requestedValue_c4602_0 (void *cls, const gsi::Call } +// emitter void QCameraExposureControl::requestedValueChanged(int parameter) + +static void _init_emitter_requestedValueChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parameter"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_requestedValueChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QCameraExposureControl_Adaptor *)cls)->emitter_QCameraExposureControl_requestedValueChanged_767 (arg1); +} + + // exposed QObject *QCameraExposureControl::sender() static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) @@ -868,10 +931,12 @@ static gsi::Methods methods_QCameraExposureControl_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCameraExposureControl::QCameraExposureControl()\nThis method creates an object of class QCameraExposureControl.", &_init_ctor_QCameraExposureControl_Adaptor_0, &_call_ctor_QCameraExposureControl_Adaptor_0); methods += new qt_gsi::GenericMethod ("actualValue", "@brief Virtual method QVariant QCameraExposureControl::actualValue(QCameraExposureControl::ExposureParameter parameter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_actualValue_c4602_0, &_call_cbs_actualValue_c4602_0); methods += new qt_gsi::GenericMethod ("actualValue", "@hide", true, &_init_cbs_actualValue_c4602_0, &_call_cbs_actualValue_c4602_0, &_set_callback_cbs_actualValue_c4602_0); + methods += new qt_gsi::GenericMethod ("emit_actualValueChanged", "@brief Emitter for signal void QCameraExposureControl::actualValueChanged(int parameter)\nCall this method to emit this signal.", false, &_init_emitter_actualValueChanged_767, &_call_emitter_actualValueChanged_767); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraExposureControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraExposureControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCameraExposureControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraExposureControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraExposureControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -881,9 +946,12 @@ static gsi::Methods methods_QCameraExposureControl_Adaptor () { methods += new qt_gsi::GenericMethod ("isParameterSupported", "@brief Virtual method bool QCameraExposureControl::isParameterSupported(QCameraExposureControl::ExposureParameter parameter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isParameterSupported_c4602_0, &_call_cbs_isParameterSupported_c4602_0); methods += new qt_gsi::GenericMethod ("isParameterSupported", "@hide", true, &_init_cbs_isParameterSupported_c4602_0, &_call_cbs_isParameterSupported_c4602_0, &_set_callback_cbs_isParameterSupported_c4602_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraExposureControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QCameraExposureControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); + methods += new qt_gsi::GenericMethod ("emit_parameterRangeChanged", "@brief Emitter for signal void QCameraExposureControl::parameterRangeChanged(int parameter)\nCall this method to emit this signal.", false, &_init_emitter_parameterRangeChanged_767, &_call_emitter_parameterRangeChanged_767); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCameraExposureControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("requestedValue", "@brief Virtual method QVariant QCameraExposureControl::requestedValue(QCameraExposureControl::ExposureParameter parameter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_requestedValue_c4602_0, &_call_cbs_requestedValue_c4602_0); methods += new qt_gsi::GenericMethod ("requestedValue", "@hide", true, &_init_cbs_requestedValue_c4602_0, &_call_cbs_requestedValue_c4602_0, &_set_callback_cbs_requestedValue_c4602_0); + methods += new qt_gsi::GenericMethod ("emit_requestedValueChanged", "@brief Emitter for signal void QCameraExposureControl::requestedValueChanged(int parameter)\nCall this method to emit this signal.", false, &_init_emitter_requestedValueChanged_767, &_call_emitter_requestedValueChanged_767); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCameraExposureControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraExposureControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setValue", "@brief Virtual method bool QCameraExposureControl::setValue(QCameraExposureControl::ExposureParameter parameter, const QVariant &value)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setValue_6613_0, &_call_cbs_setValue_6613_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFeedbackControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFeedbackControl.cc index 4062378551..e86c952bf6 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFeedbackControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFeedbackControl.cc @@ -217,6 +217,8 @@ static gsi::Methods methods_QCameraFeedbackControl () { methods += new qt_gsi::GenericMethod ("resetEventFeedback", "@brief Method void QCameraFeedbackControl::resetEventFeedback(QCameraFeedbackControl::EventType)\n", false, &_init_f_resetEventFeedback_3660, &_call_f_resetEventFeedback_3660); methods += new qt_gsi::GenericMethod ("setEventFeedbackEnabled", "@brief Method bool QCameraFeedbackControl::setEventFeedbackEnabled(QCameraFeedbackControl::EventType, bool)\n", false, &_init_f_setEventFeedbackEnabled_4416, &_call_f_setEventFeedbackEnabled_4416); methods += new qt_gsi::GenericMethod ("setEventFeedbackSound", "@brief Method bool QCameraFeedbackControl::setEventFeedbackSound(QCameraFeedbackControl::EventType, const QString &filePath)\n", false, &_init_f_setEventFeedbackSound_5577, &_call_f_setEventFeedbackSound_5577); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCameraFeedbackControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCameraFeedbackControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraFeedbackControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCameraFeedbackControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -265,6 +267,12 @@ class QCameraFeedbackControl_Adaptor : public QCameraFeedbackControl, public qt_ return QCameraFeedbackControl::senderSignalIndex(); } + // [emitter impl] void QCameraFeedbackControl::destroyed(QObject *) + void emitter_QCameraFeedbackControl_destroyed_1302(QObject *arg1) + { + emit QCameraFeedbackControl::destroyed(arg1); + } + // [adaptor impl] bool QCameraFeedbackControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -327,6 +335,13 @@ class QCameraFeedbackControl_Adaptor : public QCameraFeedbackControl, public qt_ } } + // [emitter impl] void QCameraFeedbackControl::objectNameChanged(const QString &objectName) + void emitter_QCameraFeedbackControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QCameraFeedbackControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QCameraFeedbackControl::resetEventFeedback(QCameraFeedbackControl::EventType) void cbs_resetEventFeedback_3660_0(const qt_gsi::Converter::target_type & arg1) { @@ -514,6 +529,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QCameraFeedbackControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QCameraFeedbackControl_Adaptor *)cls)->emitter_QCameraFeedbackControl_destroyed_1302 (arg1); +} + + // void QCameraFeedbackControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -651,6 +684,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QCameraFeedbackControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QCameraFeedbackControl_Adaptor *)cls)->emitter_QCameraFeedbackControl_objectNameChanged_4567 (arg1); +} + + // exposed int QCameraFeedbackControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -809,6 +860,7 @@ static gsi::Methods methods_QCameraFeedbackControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraFeedbackControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCameraFeedbackControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraFeedbackControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraFeedbackControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -820,6 +872,7 @@ static gsi::Methods methods_QCameraFeedbackControl_Adaptor () { methods += new qt_gsi::GenericMethod ("isEventFeedbackLocked", "@brief Virtual method bool QCameraFeedbackControl::isEventFeedbackLocked(QCameraFeedbackControl::EventType)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isEventFeedbackLocked_c3660_0, &_call_cbs_isEventFeedbackLocked_c3660_0); methods += new qt_gsi::GenericMethod ("isEventFeedbackLocked", "@hide", true, &_init_cbs_isEventFeedbackLocked_c3660_0, &_call_cbs_isEventFeedbackLocked_c3660_0, &_set_callback_cbs_isEventFeedbackLocked_c3660_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraFeedbackControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QCameraFeedbackControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCameraFeedbackControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("resetEventFeedback", "@brief Virtual method void QCameraFeedbackControl::resetEventFeedback(QCameraFeedbackControl::EventType)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resetEventFeedback_3660_0, &_call_cbs_resetEventFeedback_3660_0); methods += new qt_gsi::GenericMethod ("resetEventFeedback", "@hide", false, &_init_cbs_resetEventFeedback_3660_0, &_call_cbs_resetEventFeedback_3660_0, &_set_callback_cbs_resetEventFeedback_3660_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFlashControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFlashControl.cc index 4b77243704..b912d8a53f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFlashControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFlashControl.cc @@ -69,26 +69,6 @@ static void _call_f_flashMode_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QCameraFlashControl::flashReady(bool) - - -static void _init_f_flashReady_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_flashReady_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraFlashControl *)cls)->flashReady (arg1); -} - - // bool QCameraFlashControl::isFlashModeSupported(QFlags mode) @@ -200,10 +180,12 @@ static gsi::Methods methods_QCameraFlashControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":flashMode", "@brief Method QFlags QCameraFlashControl::flashMode()\n", true, &_init_f_flashMode_c0, &_call_f_flashMode_c0); - methods += new qt_gsi::GenericMethod ("flashReady", "@brief Method void QCameraFlashControl::flashReady(bool)\n", false, &_init_f_flashReady_864, &_call_f_flashReady_864); methods += new qt_gsi::GenericMethod ("isFlashModeSupported?", "@brief Method bool QCameraFlashControl::isFlashModeSupported(QFlags mode)\n", true, &_init_f_isFlashModeSupported_c3656, &_call_f_isFlashModeSupported_c3656); methods += new qt_gsi::GenericMethod ("isFlashReady?", "@brief Method bool QCameraFlashControl::isFlashReady()\n", true, &_init_f_isFlashReady_c0, &_call_f_isFlashReady_c0); methods += new qt_gsi::GenericMethod ("setFlashMode|flashMode=", "@brief Method void QCameraFlashControl::setFlashMode(QFlags mode)\n", false, &_init_f_setFlashMode_3656, &_call_f_setFlashMode_3656); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCameraFlashControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("flashReady(bool)", "flashReady", gsi::arg("arg1"), "@brief Signal declaration for QCameraFlashControl::flashReady(bool)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCameraFlashControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraFlashControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCameraFlashControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -252,6 +234,12 @@ class QCameraFlashControl_Adaptor : public QCameraFlashControl, public qt_gsi::Q return QCameraFlashControl::senderSignalIndex(); } + // [emitter impl] void QCameraFlashControl::destroyed(QObject *) + void emitter_QCameraFlashControl_destroyed_1302(QObject *arg1) + { + emit QCameraFlashControl::destroyed(arg1); + } + // [adaptor impl] bool QCameraFlashControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -297,6 +285,12 @@ class QCameraFlashControl_Adaptor : public QCameraFlashControl, public qt_gsi::Q } } + // [emitter impl] void QCameraFlashControl::flashReady(bool) + void emitter_QCameraFlashControl_flashReady_864(bool arg1) + { + emit QCameraFlashControl::flashReady(arg1); + } + // [adaptor impl] bool QCameraFlashControl::isFlashModeSupported(QFlags mode) bool cbs_isFlashModeSupported_c3656_0(QFlags mode) const { @@ -328,6 +322,13 @@ class QCameraFlashControl_Adaptor : public QCameraFlashControl, public qt_gsi::Q } } + // [emitter impl] void QCameraFlashControl::objectNameChanged(const QString &objectName) + void emitter_QCameraFlashControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QCameraFlashControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QCameraFlashControl::setFlashMode(QFlags mode) void cbs_setFlashMode_3656_0(QFlags mode) { @@ -480,6 +481,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QCameraFlashControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QCameraFlashControl_Adaptor *)cls)->emitter_QCameraFlashControl_destroyed_1302 (arg1); +} + + // void QCameraFlashControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -572,6 +591,24 @@ static void _set_callback_cbs_flashMode_c0_0 (void *cls, const gsi::Callback &cb } +// emitter void QCameraFlashControl::flashReady(bool) + +static void _init_emitter_flashReady_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_flashReady_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QCameraFlashControl_Adaptor *)cls)->emitter_QCameraFlashControl_flashReady_864 (arg1); +} + + // bool QCameraFlashControl::isFlashModeSupported(QFlags mode) static void _init_cbs_isFlashModeSupported_c3656_0 (qt_gsi::GenericMethod *decl) @@ -632,6 +669,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QCameraFlashControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QCameraFlashControl_Adaptor *)cls)->emitter_QCameraFlashControl_objectNameChanged_4567 (arg1); +} + + // exposed int QCameraFlashControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -738,6 +793,7 @@ static gsi::Methods methods_QCameraFlashControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraFlashControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCameraFlashControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraFlashControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraFlashControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -746,11 +802,13 @@ static gsi::Methods methods_QCameraFlashControl_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("flashMode", "@brief Virtual method QFlags QCameraFlashControl::flashMode()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_flashMode_c0_0, &_call_cbs_flashMode_c0_0); methods += new qt_gsi::GenericMethod ("flashMode", "@hide", true, &_init_cbs_flashMode_c0_0, &_call_cbs_flashMode_c0_0, &_set_callback_cbs_flashMode_c0_0); + methods += new qt_gsi::GenericMethod ("emit_flashReady", "@brief Emitter for signal void QCameraFlashControl::flashReady(bool)\nCall this method to emit this signal.", false, &_init_emitter_flashReady_864, &_call_emitter_flashReady_864); methods += new qt_gsi::GenericMethod ("isFlashModeSupported", "@brief Virtual method bool QCameraFlashControl::isFlashModeSupported(QFlags mode)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isFlashModeSupported_c3656_0, &_call_cbs_isFlashModeSupported_c3656_0); methods += new qt_gsi::GenericMethod ("isFlashModeSupported", "@hide", true, &_init_cbs_isFlashModeSupported_c3656_0, &_call_cbs_isFlashModeSupported_c3656_0, &_set_callback_cbs_isFlashModeSupported_c3656_0); methods += new qt_gsi::GenericMethod ("isFlashReady", "@brief Virtual method bool QCameraFlashControl::isFlashReady()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isFlashReady_c0_0, &_call_cbs_isFlashReady_c0_0); methods += new qt_gsi::GenericMethod ("isFlashReady", "@hide", true, &_init_cbs_isFlashReady_c0_0, &_call_cbs_isFlashReady_c0_0, &_set_callback_cbs_isFlashReady_c0_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraFlashControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QCameraFlashControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCameraFlashControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCameraFlashControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraFlashControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocus.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocus.cc index 96611010d3..94f444e47d 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocus.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocus.cc @@ -84,26 +84,6 @@ static void _call_f_digitalZoom_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QCameraFocus::digitalZoomChanged(double) - - -static void _init_f_digitalZoomChanged_1071 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_digitalZoomChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - double arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraFocus *)cls)->digitalZoomChanged (arg1); -} - - // QFlags QCameraFocus::focusMode() @@ -149,22 +129,6 @@ static void _call_f_focusZones_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QCameraFocus::focusZonesChanged() - - -static void _init_f_focusZonesChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_focusZonesChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraFocus *)cls)->focusZonesChanged (); -} - - // bool QCameraFocus::isAvailable() @@ -233,26 +197,6 @@ static void _call_f_maximumDigitalZoom_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QCameraFocus::maximumDigitalZoomChanged(double) - - -static void _init_f_maximumDigitalZoomChanged_1071 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_maximumDigitalZoomChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - double arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraFocus *)cls)->maximumDigitalZoomChanged (arg1); -} - - // double QCameraFocus::maximumOpticalZoom() @@ -268,26 +212,6 @@ static void _call_f_maximumOpticalZoom_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QCameraFocus::maximumOpticalZoomChanged(double) - - -static void _init_f_maximumOpticalZoomChanged_1071 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_maximumOpticalZoomChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - double arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraFocus *)cls)->maximumOpticalZoomChanged (arg1); -} - - // double QCameraFocus::opticalZoom() @@ -303,26 +227,6 @@ static void _call_f_opticalZoom_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QCameraFocus::opticalZoomChanged(double) - - -static void _init_f_opticalZoomChanged_1071 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_opticalZoomChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - double arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraFocus *)cls)->opticalZoomChanged (arg1); -} - - // void QCameraFocus::setCustomFocusPoint(const QPointF &point) @@ -465,24 +369,26 @@ static gsi::Methods methods_QCameraFocus () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":customFocusPoint", "@brief Method QPointF QCameraFocus::customFocusPoint()\n", true, &_init_f_customFocusPoint_c0, &_call_f_customFocusPoint_c0); methods += new qt_gsi::GenericMethod (":digitalZoom", "@brief Method double QCameraFocus::digitalZoom()\n", true, &_init_f_digitalZoom_c0, &_call_f_digitalZoom_c0); - methods += new qt_gsi::GenericMethod ("digitalZoomChanged", "@brief Method void QCameraFocus::digitalZoomChanged(double)\n", false, &_init_f_digitalZoomChanged_1071, &_call_f_digitalZoomChanged_1071); methods += new qt_gsi::GenericMethod (":focusMode", "@brief Method QFlags QCameraFocus::focusMode()\n", true, &_init_f_focusMode_c0, &_call_f_focusMode_c0); methods += new qt_gsi::GenericMethod (":focusPointMode", "@brief Method QCameraFocus::FocusPointMode QCameraFocus::focusPointMode()\n", true, &_init_f_focusPointMode_c0, &_call_f_focusPointMode_c0); methods += new qt_gsi::GenericMethod (":focusZones", "@brief Method QList QCameraFocus::focusZones()\n", true, &_init_f_focusZones_c0, &_call_f_focusZones_c0); - methods += new qt_gsi::GenericMethod ("focusZonesChanged", "@brief Method void QCameraFocus::focusZonesChanged()\n", false, &_init_f_focusZonesChanged_0, &_call_f_focusZonesChanged_0); methods += new qt_gsi::GenericMethod ("isAvailable?", "@brief Method bool QCameraFocus::isAvailable()\n", true, &_init_f_isAvailable_c0, &_call_f_isAvailable_c0); methods += new qt_gsi::GenericMethod ("isFocusModeSupported?", "@brief Method bool QCameraFocus::isFocusModeSupported(QFlags mode)\n", true, &_init_f_isFocusModeSupported_c3327, &_call_f_isFocusModeSupported_c3327); methods += new qt_gsi::GenericMethod ("isFocusPointModeSupported?", "@brief Method bool QCameraFocus::isFocusPointModeSupported(QCameraFocus::FocusPointMode)\n", true, &_init_f_isFocusPointModeSupported_c3153, &_call_f_isFocusPointModeSupported_c3153); methods += new qt_gsi::GenericMethod ("maximumDigitalZoom", "@brief Method double QCameraFocus::maximumDigitalZoom()\n", true, &_init_f_maximumDigitalZoom_c0, &_call_f_maximumDigitalZoom_c0); - methods += new qt_gsi::GenericMethod ("maximumDigitalZoomChanged", "@brief Method void QCameraFocus::maximumDigitalZoomChanged(double)\n", false, &_init_f_maximumDigitalZoomChanged_1071, &_call_f_maximumDigitalZoomChanged_1071); methods += new qt_gsi::GenericMethod ("maximumOpticalZoom", "@brief Method double QCameraFocus::maximumOpticalZoom()\n", true, &_init_f_maximumOpticalZoom_c0, &_call_f_maximumOpticalZoom_c0); - methods += new qt_gsi::GenericMethod ("maximumOpticalZoomChanged", "@brief Method void QCameraFocus::maximumOpticalZoomChanged(double)\n", false, &_init_f_maximumOpticalZoomChanged_1071, &_call_f_maximumOpticalZoomChanged_1071); methods += new qt_gsi::GenericMethod (":opticalZoom", "@brief Method double QCameraFocus::opticalZoom()\n", true, &_init_f_opticalZoom_c0, &_call_f_opticalZoom_c0); - methods += new qt_gsi::GenericMethod ("opticalZoomChanged", "@brief Method void QCameraFocus::opticalZoomChanged(double)\n", false, &_init_f_opticalZoomChanged_1071, &_call_f_opticalZoomChanged_1071); methods += new qt_gsi::GenericMethod ("setCustomFocusPoint|customFocusPoint=", "@brief Method void QCameraFocus::setCustomFocusPoint(const QPointF &point)\n", false, &_init_f_setCustomFocusPoint_1986, &_call_f_setCustomFocusPoint_1986); methods += new qt_gsi::GenericMethod ("setFocusMode|focusMode=", "@brief Method void QCameraFocus::setFocusMode(QFlags mode)\n", false, &_init_f_setFocusMode_3327, &_call_f_setFocusMode_3327); methods += new qt_gsi::GenericMethod ("setFocusPointMode|focusPointMode=", "@brief Method void QCameraFocus::setFocusPointMode(QCameraFocus::FocusPointMode mode)\n", false, &_init_f_setFocusPointMode_3153, &_call_f_setFocusPointMode_3153); methods += new qt_gsi::GenericMethod ("zoomTo", "@brief Method void QCameraFocus::zoomTo(double opticalZoom, double digitalZoom)\n", false, &_init_f_zoomTo_2034, &_call_f_zoomTo_2034); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCameraFocus::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("digitalZoomChanged(double)", "digitalZoomChanged", gsi::arg("arg1"), "@brief Signal declaration for QCameraFocus::digitalZoomChanged(double)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("focusZonesChanged()", "focusZonesChanged", "@brief Signal declaration for QCameraFocus::focusZonesChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("maximumDigitalZoomChanged(double)", "maximumDigitalZoomChanged", gsi::arg("arg1"), "@brief Signal declaration for QCameraFocus::maximumDigitalZoomChanged(double)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("maximumOpticalZoomChanged(double)", "maximumOpticalZoomChanged", gsi::arg("arg1"), "@brief Signal declaration for QCameraFocus::maximumOpticalZoomChanged(double)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCameraFocus::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("opticalZoomChanged(double)", "opticalZoomChanged", gsi::arg("arg1"), "@brief Signal declaration for QCameraFocus::opticalZoomChanged(double)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraFocus::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCameraFocus::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocusControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocusControl.cc index 0caf22a0cd..7b8188189f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocusControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocusControl.cc @@ -71,26 +71,6 @@ static void _call_f_customFocusPoint_c0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QCameraFocusControl::customFocusPointChanged(const QPointF &point) - - -static void _init_f_customFocusPointChanged_1986 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("point"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_customFocusPointChanged_1986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QPointF &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraFocusControl *)cls)->customFocusPointChanged (arg1); -} - - // QFlags QCameraFocusControl::focusMode() @@ -106,26 +86,6 @@ static void _call_f_focusMode_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QCameraFocusControl::focusModeChanged(QFlags mode) - - -static void _init_f_focusModeChanged_3327 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("mode"); - decl->add_arg > (argspec_0); - decl->set_return (); -} - -static void _call_f_focusModeChanged_3327 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QFlags arg1 = gsi::arg_reader >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraFocusControl *)cls)->focusModeChanged (arg1); -} - - // QCameraFocus::FocusPointMode QCameraFocusControl::focusPointMode() @@ -141,26 +101,6 @@ static void _call_f_focusPointMode_c0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QCameraFocusControl::focusPointModeChanged(QCameraFocus::FocusPointMode mode) - - -static void _init_f_focusPointModeChanged_3153 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("mode"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_focusPointModeChanged_3153 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraFocusControl *)cls)->focusPointModeChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QList QCameraFocusControl::focusZones() @@ -176,22 +116,6 @@ static void _call_f_focusZones_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QCameraFocusControl::focusZonesChanged() - - -static void _init_f_focusZonesChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_focusZonesChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraFocusControl *)cls)->focusZonesChanged (); -} - - // bool QCameraFocusControl::isFocusModeSupported(QFlags mode) @@ -347,18 +271,20 @@ static gsi::Methods methods_QCameraFocusControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":customFocusPoint", "@brief Method QPointF QCameraFocusControl::customFocusPoint()\n", true, &_init_f_customFocusPoint_c0, &_call_f_customFocusPoint_c0); - methods += new qt_gsi::GenericMethod ("customFocusPointChanged", "@brief Method void QCameraFocusControl::customFocusPointChanged(const QPointF &point)\n", false, &_init_f_customFocusPointChanged_1986, &_call_f_customFocusPointChanged_1986); methods += new qt_gsi::GenericMethod (":focusMode", "@brief Method QFlags QCameraFocusControl::focusMode()\n", true, &_init_f_focusMode_c0, &_call_f_focusMode_c0); - methods += new qt_gsi::GenericMethod ("focusModeChanged", "@brief Method void QCameraFocusControl::focusModeChanged(QFlags mode)\n", false, &_init_f_focusModeChanged_3327, &_call_f_focusModeChanged_3327); methods += new qt_gsi::GenericMethod (":focusPointMode", "@brief Method QCameraFocus::FocusPointMode QCameraFocusControl::focusPointMode()\n", true, &_init_f_focusPointMode_c0, &_call_f_focusPointMode_c0); - methods += new qt_gsi::GenericMethod ("focusPointModeChanged", "@brief Method void QCameraFocusControl::focusPointModeChanged(QCameraFocus::FocusPointMode mode)\n", false, &_init_f_focusPointModeChanged_3153, &_call_f_focusPointModeChanged_3153); methods += new qt_gsi::GenericMethod ("focusZones", "@brief Method QList QCameraFocusControl::focusZones()\n", true, &_init_f_focusZones_c0, &_call_f_focusZones_c0); - methods += new qt_gsi::GenericMethod ("focusZonesChanged", "@brief Method void QCameraFocusControl::focusZonesChanged()\n", false, &_init_f_focusZonesChanged_0, &_call_f_focusZonesChanged_0); methods += new qt_gsi::GenericMethod ("isFocusModeSupported?", "@brief Method bool QCameraFocusControl::isFocusModeSupported(QFlags mode)\n", true, &_init_f_isFocusModeSupported_c3327, &_call_f_isFocusModeSupported_c3327); methods += new qt_gsi::GenericMethod ("isFocusPointModeSupported?", "@brief Method bool QCameraFocusControl::isFocusPointModeSupported(QCameraFocus::FocusPointMode mode)\n", true, &_init_f_isFocusPointModeSupported_c3153, &_call_f_isFocusPointModeSupported_c3153); methods += new qt_gsi::GenericMethod ("setCustomFocusPoint|customFocusPoint=", "@brief Method void QCameraFocusControl::setCustomFocusPoint(const QPointF &point)\n", false, &_init_f_setCustomFocusPoint_1986, &_call_f_setCustomFocusPoint_1986); methods += new qt_gsi::GenericMethod ("setFocusMode|focusMode=", "@brief Method void QCameraFocusControl::setFocusMode(QFlags mode)\n", false, &_init_f_setFocusMode_3327, &_call_f_setFocusMode_3327); methods += new qt_gsi::GenericMethod ("setFocusPointMode|focusPointMode=", "@brief Method void QCameraFocusControl::setFocusPointMode(QCameraFocus::FocusPointMode mode)\n", false, &_init_f_setFocusPointMode_3153, &_call_f_setFocusPointMode_3153); + methods += gsi::qt_signal ("customFocusPointChanged(const QPointF &)", "customFocusPointChanged", gsi::arg("point"), "@brief Signal declaration for QCameraFocusControl::customFocusPointChanged(const QPointF &point)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCameraFocusControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal > ("focusModeChanged(QFlags)", "focusModeChanged", gsi::arg("mode"), "@brief Signal declaration for QCameraFocusControl::focusModeChanged(QFlags mode)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("focusPointModeChanged(QCameraFocus::FocusPointMode)", "focusPointModeChanged", gsi::arg("mode"), "@brief Signal declaration for QCameraFocusControl::focusPointModeChanged(QCameraFocus::FocusPointMode mode)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("focusZonesChanged()", "focusZonesChanged", "@brief Signal declaration for QCameraFocusControl::focusZonesChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCameraFocusControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraFocusControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCameraFocusControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -422,6 +348,18 @@ class QCameraFocusControl_Adaptor : public QCameraFocusControl, public qt_gsi::Q } } + // [emitter impl] void QCameraFocusControl::customFocusPointChanged(const QPointF &point) + void emitter_QCameraFocusControl_customFocusPointChanged_1986(const QPointF &point) + { + emit QCameraFocusControl::customFocusPointChanged(point); + } + + // [emitter impl] void QCameraFocusControl::destroyed(QObject *) + void emitter_QCameraFocusControl_destroyed_1302(QObject *arg1) + { + emit QCameraFocusControl::destroyed(arg1); + } + // [adaptor impl] bool QCameraFocusControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -467,6 +405,12 @@ class QCameraFocusControl_Adaptor : public QCameraFocusControl, public qt_gsi::Q } } + // [emitter impl] void QCameraFocusControl::focusModeChanged(QFlags mode) + void emitter_QCameraFocusControl_focusModeChanged_3327(QFlags mode) + { + emit QCameraFocusControl::focusModeChanged(mode); + } + // [adaptor impl] QCameraFocus::FocusPointMode QCameraFocusControl::focusPointMode() qt_gsi::Converter::target_type cbs_focusPointMode_c0_0() const { @@ -482,6 +426,12 @@ class QCameraFocusControl_Adaptor : public QCameraFocusControl, public qt_gsi::Q } } + // [emitter impl] void QCameraFocusControl::focusPointModeChanged(QCameraFocus::FocusPointMode mode) + void emitter_QCameraFocusControl_focusPointModeChanged_3153(QCameraFocus::FocusPointMode mode) + { + emit QCameraFocusControl::focusPointModeChanged(mode); + } + // [adaptor impl] QList QCameraFocusControl::focusZones() QList cbs_focusZones_c0_0() const { @@ -497,6 +447,12 @@ class QCameraFocusControl_Adaptor : public QCameraFocusControl, public qt_gsi::Q } } + // [emitter impl] void QCameraFocusControl::focusZonesChanged() + void emitter_QCameraFocusControl_focusZonesChanged_0() + { + emit QCameraFocusControl::focusZonesChanged(); + } + // [adaptor impl] bool QCameraFocusControl::isFocusModeSupported(QFlags mode) bool cbs_isFocusModeSupported_c3327_0(QFlags mode) const { @@ -529,6 +485,13 @@ class QCameraFocusControl_Adaptor : public QCameraFocusControl, public qt_gsi::Q } } + // [emitter impl] void QCameraFocusControl::objectNameChanged(const QString &objectName) + void emitter_QCameraFocusControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QCameraFocusControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QCameraFocusControl::setCustomFocusPoint(const QPointF &point) void cbs_setCustomFocusPoint_1986_0(const QPointF &point) { @@ -737,6 +700,42 @@ static void _set_callback_cbs_customFocusPoint_c0_0 (void *cls, const gsi::Callb } +// emitter void QCameraFocusControl::customFocusPointChanged(const QPointF &point) + +static void _init_emitter_customFocusPointChanged_1986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("point"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_customFocusPointChanged_1986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPointF &arg1 = gsi::arg_reader() (args, heap); + ((QCameraFocusControl_Adaptor *)cls)->emitter_QCameraFocusControl_customFocusPointChanged_1986 (arg1); +} + + +// emitter void QCameraFocusControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QCameraFocusControl_Adaptor *)cls)->emitter_QCameraFocusControl_destroyed_1302 (arg1); +} + + // void QCameraFocusControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -829,6 +828,24 @@ static void _set_callback_cbs_focusMode_c0_0 (void *cls, const gsi::Callback &cb } +// emitter void QCameraFocusControl::focusModeChanged(QFlags mode) + +static void _init_emitter_focusModeChanged_3327 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("mode"); + decl->add_arg > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_focusModeChanged_3327 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QFlags arg1 = gsi::arg_reader >() (args, heap); + ((QCameraFocusControl_Adaptor *)cls)->emitter_QCameraFocusControl_focusModeChanged_3327 (arg1); +} + + // QCameraFocus::FocusPointMode QCameraFocusControl::focusPointMode() static void _init_cbs_focusPointMode_c0_0 (qt_gsi::GenericMethod *decl) @@ -848,6 +865,24 @@ static void _set_callback_cbs_focusPointMode_c0_0 (void *cls, const gsi::Callbac } +// emitter void QCameraFocusControl::focusPointModeChanged(QCameraFocus::FocusPointMode mode) + +static void _init_emitter_focusPointModeChanged_3153 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("mode"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_focusPointModeChanged_3153 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QCameraFocusControl_Adaptor *)cls)->emitter_QCameraFocusControl_focusPointModeChanged_3153 (arg1); +} + + // QList QCameraFocusControl::focusZones() static void _init_cbs_focusZones_c0_0 (qt_gsi::GenericMethod *decl) @@ -867,6 +902,20 @@ static void _set_callback_cbs_focusZones_c0_0 (void *cls, const gsi::Callback &c } +// emitter void QCameraFocusControl::focusZonesChanged() + +static void _init_emitter_focusZonesChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_focusZonesChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QCameraFocusControl_Adaptor *)cls)->emitter_QCameraFocusControl_focusZonesChanged_0 (); +} + + // bool QCameraFocusControl::isFocusModeSupported(QFlags mode) static void _init_cbs_isFocusModeSupported_c3327_0 (qt_gsi::GenericMethod *decl) @@ -931,6 +980,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QCameraFocusControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QCameraFocusControl_Adaptor *)cls)->emitter_QCameraFocusControl_objectNameChanged_4567 (arg1); +} + + // exposed int QCameraFocusControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1087,6 +1154,8 @@ static gsi::Methods methods_QCameraFocusControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("customFocusPoint", "@brief Virtual method QPointF QCameraFocusControl::customFocusPoint()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_customFocusPoint_c0_0, &_call_cbs_customFocusPoint_c0_0); methods += new qt_gsi::GenericMethod ("customFocusPoint", "@hide", true, &_init_cbs_customFocusPoint_c0_0, &_call_cbs_customFocusPoint_c0_0, &_set_callback_cbs_customFocusPoint_c0_0); + methods += new qt_gsi::GenericMethod ("emit_customFocusPointChanged", "@brief Emitter for signal void QCameraFocusControl::customFocusPointChanged(const QPointF &point)\nCall this method to emit this signal.", false, &_init_emitter_customFocusPointChanged_1986, &_call_emitter_customFocusPointChanged_1986); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCameraFocusControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraFocusControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraFocusControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -1095,15 +1164,19 @@ static gsi::Methods methods_QCameraFocusControl_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("focusMode", "@brief Virtual method QFlags QCameraFocusControl::focusMode()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_focusMode_c0_0, &_call_cbs_focusMode_c0_0); methods += new qt_gsi::GenericMethod ("focusMode", "@hide", true, &_init_cbs_focusMode_c0_0, &_call_cbs_focusMode_c0_0, &_set_callback_cbs_focusMode_c0_0); + methods += new qt_gsi::GenericMethod ("emit_focusModeChanged", "@brief Emitter for signal void QCameraFocusControl::focusModeChanged(QFlags mode)\nCall this method to emit this signal.", false, &_init_emitter_focusModeChanged_3327, &_call_emitter_focusModeChanged_3327); methods += new qt_gsi::GenericMethod ("focusPointMode", "@brief Virtual method QCameraFocus::FocusPointMode QCameraFocusControl::focusPointMode()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_focusPointMode_c0_0, &_call_cbs_focusPointMode_c0_0); methods += new qt_gsi::GenericMethod ("focusPointMode", "@hide", true, &_init_cbs_focusPointMode_c0_0, &_call_cbs_focusPointMode_c0_0, &_set_callback_cbs_focusPointMode_c0_0); + methods += new qt_gsi::GenericMethod ("emit_focusPointModeChanged", "@brief Emitter for signal void QCameraFocusControl::focusPointModeChanged(QCameraFocus::FocusPointMode mode)\nCall this method to emit this signal.", false, &_init_emitter_focusPointModeChanged_3153, &_call_emitter_focusPointModeChanged_3153); methods += new qt_gsi::GenericMethod ("focusZones", "@brief Virtual method QList QCameraFocusControl::focusZones()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_focusZones_c0_0, &_call_cbs_focusZones_c0_0); methods += new qt_gsi::GenericMethod ("focusZones", "@hide", true, &_init_cbs_focusZones_c0_0, &_call_cbs_focusZones_c0_0, &_set_callback_cbs_focusZones_c0_0); + methods += new qt_gsi::GenericMethod ("emit_focusZonesChanged", "@brief Emitter for signal void QCameraFocusControl::focusZonesChanged()\nCall this method to emit this signal.", false, &_init_emitter_focusZonesChanged_0, &_call_emitter_focusZonesChanged_0); methods += new qt_gsi::GenericMethod ("isFocusModeSupported", "@brief Virtual method bool QCameraFocusControl::isFocusModeSupported(QFlags mode)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isFocusModeSupported_c3327_0, &_call_cbs_isFocusModeSupported_c3327_0); methods += new qt_gsi::GenericMethod ("isFocusModeSupported", "@hide", true, &_init_cbs_isFocusModeSupported_c3327_0, &_call_cbs_isFocusModeSupported_c3327_0, &_set_callback_cbs_isFocusModeSupported_c3327_0); methods += new qt_gsi::GenericMethod ("isFocusPointModeSupported", "@brief Virtual method bool QCameraFocusControl::isFocusPointModeSupported(QCameraFocus::FocusPointMode mode)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isFocusPointModeSupported_c3153_0, &_call_cbs_isFocusPointModeSupported_c3153_0); methods += new qt_gsi::GenericMethod ("isFocusPointModeSupported", "@hide", true, &_init_cbs_isFocusPointModeSupported_c3153_0, &_call_cbs_isFocusPointModeSupported_c3153_0, &_set_callback_cbs_isFocusPointModeSupported_c3153_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraFocusControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QCameraFocusControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCameraFocusControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCameraFocusControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraFocusControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCapture.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCapture.cc index 04972495a7..75b54852a9 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCapture.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCapture.cc @@ -89,26 +89,6 @@ static void _call_f_bufferFormat_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QCameraImageCapture::bufferFormatChanged(QVideoFrame::PixelFormat format) - - -static void _init_f_bufferFormatChanged_2758 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("format"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_bufferFormatChanged_2758 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraImageCapture *)cls)->bufferFormatChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // void QCameraImageCapture::cancelCapture() @@ -159,26 +139,6 @@ static void _call_f_captureDestination_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QCameraImageCapture::captureDestinationChanged(QFlags destination) - - -static void _init_f_captureDestinationChanged_4999 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("destination"); - decl->add_arg > (argspec_0); - decl->set_return (); -} - -static void _call_f_captureDestinationChanged_4999 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QFlags arg1 = gsi::arg_reader >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraImageCapture *)cls)->captureDestinationChanged (arg1); -} - - // QImageEncoderSettings QCameraImageCapture::encodingSettings() @@ -209,32 +169,6 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QCameraImageCapture::error(int id, QCameraImageCapture::Error error, const QString &errorString) - - -static void _init_f_error_5523 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("id"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("error"); - decl->add_arg::target_type & > (argspec_1); - static gsi::ArgSpecBase argspec_2 ("errorString"); - decl->add_arg (argspec_2); - decl->set_return (); -} - -static void _call_f_error_5523 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); - const QString &arg3 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraImageCapture *)cls)->error (arg1, qt_gsi::QtToCppAdaptor(arg2).cref(), arg3); -} - - // QString QCameraImageCapture::errorString() @@ -250,52 +184,6 @@ static void _call_f_errorString_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QCameraImageCapture::imageAvailable(int id, const QVideoFrame &frame) - - -static void _init_f_imageAvailable_3047 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("id"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("frame"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_imageAvailable_3047 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - const QVideoFrame &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraImageCapture *)cls)->imageAvailable (arg1, arg2); -} - - -// void QCameraImageCapture::imageCaptured(int id, const QImage &preview) - - -static void _init_f_imageCaptured_2536 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("id"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("preview"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_imageCaptured_2536 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - const QImage &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraImageCapture *)cls)->imageCaptured (arg1, arg2); -} - - // QString QCameraImageCapture::imageCodecDescription(const QString &codecName) @@ -315,75 +203,6 @@ static void _call_f_imageCodecDescription_c2025 (const qt_gsi::GenericMethod * / } -// void QCameraImageCapture::imageExposed(int id) - - -static void _init_f_imageExposed_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("id"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_imageExposed_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraImageCapture *)cls)->imageExposed (arg1); -} - - -// void QCameraImageCapture::imageMetadataAvailable(int id, const QString &key, const QVariant &value) - - -static void _init_f_imageMetadataAvailable_4695 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("id"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("key"); - decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("value"); - decl->add_arg (argspec_2); - decl->set_return (); -} - -static void _call_f_imageMetadataAvailable_4695 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - const QString &arg2 = gsi::arg_reader() (args, heap); - const QVariant &arg3 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraImageCapture *)cls)->imageMetadataAvailable (arg1, arg2, arg3); -} - - -// void QCameraImageCapture::imageSaved(int id, const QString &fileName) - - -static void _init_f_imageSaved_2684 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("id"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("fileName"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_imageSaved_2684 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - const QString &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraImageCapture *)cls)->imageSaved (arg1, arg2); -} - - // bool QCameraImageCapture::isAvailable() @@ -448,26 +267,6 @@ static void _call_f_mediaObject_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QCameraImageCapture::readyForCaptureChanged(bool ready) - - -static void _init_f_readyForCaptureChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("ready"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_readyForCaptureChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraImageCapture *)cls)->readyForCaptureChanged (arg1); -} - - // void QCameraImageCapture::setBufferFormat(const QVideoFrame::PixelFormat format) @@ -683,32 +482,34 @@ static gsi::Methods methods_QCameraImageCapture () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("availability", "@brief Method QMultimedia::AvailabilityStatus QCameraImageCapture::availability()\n", true, &_init_f_availability_c0, &_call_f_availability_c0); methods += new qt_gsi::GenericMethod (":bufferFormat", "@brief Method QVideoFrame::PixelFormat QCameraImageCapture::bufferFormat()\n", true, &_init_f_bufferFormat_c0, &_call_f_bufferFormat_c0); - methods += new qt_gsi::GenericMethod ("bufferFormatChanged", "@brief Method void QCameraImageCapture::bufferFormatChanged(QVideoFrame::PixelFormat format)\n", false, &_init_f_bufferFormatChanged_2758, &_call_f_bufferFormatChanged_2758); methods += new qt_gsi::GenericMethod ("cancelCapture", "@brief Method void QCameraImageCapture::cancelCapture()\n", false, &_init_f_cancelCapture_0, &_call_f_cancelCapture_0); methods += new qt_gsi::GenericMethod ("capture", "@brief Method int QCameraImageCapture::capture(const QString &location)\n", false, &_init_f_capture_2025, &_call_f_capture_2025); methods += new qt_gsi::GenericMethod (":captureDestination", "@brief Method QFlags QCameraImageCapture::captureDestination()\n", true, &_init_f_captureDestination_c0, &_call_f_captureDestination_c0); - methods += new qt_gsi::GenericMethod ("captureDestinationChanged", "@brief Method void QCameraImageCapture::captureDestinationChanged(QFlags destination)\n", false, &_init_f_captureDestinationChanged_4999, &_call_f_captureDestinationChanged_4999); methods += new qt_gsi::GenericMethod (":encodingSettings", "@brief Method QImageEncoderSettings QCameraImageCapture::encodingSettings()\n", true, &_init_f_encodingSettings_c0, &_call_f_encodingSettings_c0); methods += new qt_gsi::GenericMethod ("error", "@brief Method QCameraImageCapture::Error QCameraImageCapture::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("error_sig", "@brief Method void QCameraImageCapture::error(int id, QCameraImageCapture::Error error, const QString &errorString)\n", false, &_init_f_error_5523, &_call_f_error_5523); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QCameraImageCapture::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); - methods += new qt_gsi::GenericMethod ("imageAvailable", "@brief Method void QCameraImageCapture::imageAvailable(int id, const QVideoFrame &frame)\n", false, &_init_f_imageAvailable_3047, &_call_f_imageAvailable_3047); - methods += new qt_gsi::GenericMethod ("imageCaptured", "@brief Method void QCameraImageCapture::imageCaptured(int id, const QImage &preview)\n", false, &_init_f_imageCaptured_2536, &_call_f_imageCaptured_2536); methods += new qt_gsi::GenericMethod ("imageCodecDescription", "@brief Method QString QCameraImageCapture::imageCodecDescription(const QString &codecName)\n", true, &_init_f_imageCodecDescription_c2025, &_call_f_imageCodecDescription_c2025); - methods += new qt_gsi::GenericMethod ("imageExposed", "@brief Method void QCameraImageCapture::imageExposed(int id)\n", false, &_init_f_imageExposed_767, &_call_f_imageExposed_767); - methods += new qt_gsi::GenericMethod ("imageMetadataAvailable", "@brief Method void QCameraImageCapture::imageMetadataAvailable(int id, const QString &key, const QVariant &value)\n", false, &_init_f_imageMetadataAvailable_4695, &_call_f_imageMetadataAvailable_4695); - methods += new qt_gsi::GenericMethod ("imageSaved", "@brief Method void QCameraImageCapture::imageSaved(int id, const QString &fileName)\n", false, &_init_f_imageSaved_2684, &_call_f_imageSaved_2684); methods += new qt_gsi::GenericMethod ("isAvailable?", "@brief Method bool QCameraImageCapture::isAvailable()\n", true, &_init_f_isAvailable_c0, &_call_f_isAvailable_c0); methods += new qt_gsi::GenericMethod ("isCaptureDestinationSupported?", "@brief Method bool QCameraImageCapture::isCaptureDestinationSupported(QFlags destination)\n", true, &_init_f_isCaptureDestinationSupported_c4999, &_call_f_isCaptureDestinationSupported_c4999); methods += new qt_gsi::GenericMethod ("isReadyForCapture?|:readyForCapture", "@brief Method bool QCameraImageCapture::isReadyForCapture()\n", true, &_init_f_isReadyForCapture_c0, &_call_f_isReadyForCapture_c0); methods += new qt_gsi::GenericMethod ("mediaObject", "@brief Method QMediaObject *QCameraImageCapture::mediaObject()\nThis is a reimplementation of QMediaBindableInterface::mediaObject", true, &_init_f_mediaObject_c0, &_call_f_mediaObject_c0); - methods += new qt_gsi::GenericMethod ("readyForCaptureChanged", "@brief Method void QCameraImageCapture::readyForCaptureChanged(bool ready)\n", false, &_init_f_readyForCaptureChanged_864, &_call_f_readyForCaptureChanged_864); methods += new qt_gsi::GenericMethod ("setBufferFormat|bufferFormat=", "@brief Method void QCameraImageCapture::setBufferFormat(const QVideoFrame::PixelFormat format)\n", false, &_init_f_setBufferFormat_3453, &_call_f_setBufferFormat_3453); methods += new qt_gsi::GenericMethod ("setCaptureDestination|captureDestination=", "@brief Method void QCameraImageCapture::setCaptureDestination(QFlags destination)\n", false, &_init_f_setCaptureDestination_4999, &_call_f_setCaptureDestination_4999); methods += new qt_gsi::GenericMethod ("setEncodingSettings|encodingSettings=", "@brief Method void QCameraImageCapture::setEncodingSettings(const QImageEncoderSettings &settings)\n", false, &_init_f_setEncodingSettings_3430, &_call_f_setEncodingSettings_3430); methods += new qt_gsi::GenericMethod ("supportedBufferFormats", "@brief Method QList QCameraImageCapture::supportedBufferFormats()\n", true, &_init_f_supportedBufferFormats_c0, &_call_f_supportedBufferFormats_c0); methods += new qt_gsi::GenericMethod ("supportedImageCodecs", "@brief Method QStringList QCameraImageCapture::supportedImageCodecs()\n", true, &_init_f_supportedImageCodecs_c0, &_call_f_supportedImageCodecs_c0); methods += new qt_gsi::GenericMethod ("supportedResolutions", "@brief Method QList QCameraImageCapture::supportedResolutions(const QImageEncoderSettings &settings, bool *continuous)\n", true, &_init_f_supportedResolutions_c4372, &_call_f_supportedResolutions_c4372); + methods += gsi::qt_signal::target_type & > ("bufferFormatChanged(QVideoFrame::PixelFormat)", "bufferFormatChanged", gsi::arg("format"), "@brief Signal declaration for QCameraImageCapture::bufferFormatChanged(QVideoFrame::PixelFormat format)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal > ("captureDestinationChanged(QFlags)", "captureDestinationChanged", gsi::arg("destination"), "@brief Signal declaration for QCameraImageCapture::captureDestinationChanged(QFlags destination)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCameraImageCapture::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type &, const QString & > ("error(int, QCameraImageCapture::Error, const QString &)", "error_sig", gsi::arg("id"), gsi::arg("error"), gsi::arg("errorString"), "@brief Signal declaration for QCameraImageCapture::error(int id, QCameraImageCapture::Error error, const QString &errorString)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("imageAvailable(int, const QVideoFrame &)", "imageAvailable", gsi::arg("id"), gsi::arg("frame"), "@brief Signal declaration for QCameraImageCapture::imageAvailable(int id, const QVideoFrame &frame)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("imageCaptured(int, const QImage &)", "imageCaptured", gsi::arg("id"), gsi::arg("preview"), "@brief Signal declaration for QCameraImageCapture::imageCaptured(int id, const QImage &preview)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("imageExposed(int)", "imageExposed", gsi::arg("id"), "@brief Signal declaration for QCameraImageCapture::imageExposed(int id)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("imageMetadataAvailable(int, const QString &, const QVariant &)", "imageMetadataAvailable", gsi::arg("id"), gsi::arg("key"), gsi::arg("value"), "@brief Signal declaration for QCameraImageCapture::imageMetadataAvailable(int id, const QString &key, const QVariant &value)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("imageSaved(int, const QString &)", "imageSaved", gsi::arg("id"), gsi::arg("fileName"), "@brief Signal declaration for QCameraImageCapture::imageSaved(int id, const QString &fileName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCameraImageCapture::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("readyForCaptureChanged(bool)", "readyForCaptureChanged", gsi::arg("ready"), "@brief Signal declaration for QCameraImageCapture::readyForCaptureChanged(bool ready)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraImageCapture::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCameraImageCapture::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); methods += new qt_gsi::GenericMethod ("asQObject", "@brief Delivers the base class interface QObject of QCameraImageCapture\nClass QCameraImageCapture is derived from multiple base classes. This method delivers the QObject base class aspect.", false, &_init_f_QCameraImageCapture_as_QObject, &_call_f_QCameraImageCapture_as_QObject); @@ -773,6 +574,30 @@ class QCameraImageCapture_Adaptor : public QCameraImageCapture, public qt_gsi::Q return QCameraImageCapture::senderSignalIndex(); } + // [emitter impl] void QCameraImageCapture::bufferFormatChanged(QVideoFrame::PixelFormat format) + void emitter_QCameraImageCapture_bufferFormatChanged_2758(QVideoFrame::PixelFormat format) + { + emit QCameraImageCapture::bufferFormatChanged(format); + } + + // [emitter impl] void QCameraImageCapture::captureDestinationChanged(QFlags destination) + void emitter_QCameraImageCapture_captureDestinationChanged_4999(QFlags destination) + { + emit QCameraImageCapture::captureDestinationChanged(destination); + } + + // [emitter impl] void QCameraImageCapture::destroyed(QObject *) + void emitter_QCameraImageCapture_destroyed_1302(QObject *arg1) + { + emit QCameraImageCapture::destroyed(arg1); + } + + // [emitter impl] void QCameraImageCapture::error(int id, QCameraImageCapture::Error error, const QString &errorString) + void emitter_QCameraImageCapture_error_5523(int id, QCameraImageCapture::Error _error, const QString &errorString) + { + emit QCameraImageCapture::error(id, _error, errorString); + } + // [adaptor impl] bool QCameraImageCapture::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -803,6 +628,36 @@ class QCameraImageCapture_Adaptor : public QCameraImageCapture, public qt_gsi::Q } } + // [emitter impl] void QCameraImageCapture::imageAvailable(int id, const QVideoFrame &frame) + void emitter_QCameraImageCapture_imageAvailable_3047(int id, const QVideoFrame &frame) + { + emit QCameraImageCapture::imageAvailable(id, frame); + } + + // [emitter impl] void QCameraImageCapture::imageCaptured(int id, const QImage &preview) + void emitter_QCameraImageCapture_imageCaptured_2536(int id, const QImage &preview) + { + emit QCameraImageCapture::imageCaptured(id, preview); + } + + // [emitter impl] void QCameraImageCapture::imageExposed(int id) + void emitter_QCameraImageCapture_imageExposed_767(int id) + { + emit QCameraImageCapture::imageExposed(id); + } + + // [emitter impl] void QCameraImageCapture::imageMetadataAvailable(int id, const QString &key, const QVariant &value) + void emitter_QCameraImageCapture_imageMetadataAvailable_4695(int id, const QString &key, const QVariant &value) + { + emit QCameraImageCapture::imageMetadataAvailable(id, key, value); + } + + // [emitter impl] void QCameraImageCapture::imageSaved(int id, const QString &fileName) + void emitter_QCameraImageCapture_imageSaved_2684(int id, const QString &fileName) + { + emit QCameraImageCapture::imageSaved(id, fileName); + } + // [adaptor impl] QMediaObject *QCameraImageCapture::mediaObject() QMediaObject * cbs_mediaObject_c0_0() const { @@ -818,6 +673,19 @@ class QCameraImageCapture_Adaptor : public QCameraImageCapture, public qt_gsi::Q } } + // [emitter impl] void QCameraImageCapture::objectNameChanged(const QString &objectName) + void emitter_QCameraImageCapture_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QCameraImageCapture::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QCameraImageCapture::readyForCaptureChanged(bool ready) + void emitter_QCameraImageCapture_readyForCaptureChanged_864(bool ready) + { + emit QCameraImageCapture::readyForCaptureChanged(ready); + } + // [adaptor impl] void QCameraImageCapture::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -926,6 +794,42 @@ static void _call_ctor_QCameraImageCapture_Adaptor_2976 (const qt_gsi::GenericSt } +// emitter void QCameraImageCapture::bufferFormatChanged(QVideoFrame::PixelFormat format) + +static void _init_emitter_bufferFormatChanged_2758 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("format"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_bufferFormatChanged_2758 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QCameraImageCapture_Adaptor *)cls)->emitter_QCameraImageCapture_bufferFormatChanged_2758 (arg1); +} + + +// emitter void QCameraImageCapture::captureDestinationChanged(QFlags destination) + +static void _init_emitter_captureDestinationChanged_4999 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("destination"); + decl->add_arg > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_captureDestinationChanged_4999 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QFlags arg1 = gsi::arg_reader >() (args, heap); + ((QCameraImageCapture_Adaptor *)cls)->emitter_QCameraImageCapture_captureDestinationChanged_4999 (arg1); +} + + // void QCameraImageCapture::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -974,6 +878,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QCameraImageCapture::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QCameraImageCapture_Adaptor *)cls)->emitter_QCameraImageCapture_destroyed_1302 (arg1); +} + + // void QCameraImageCapture::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -998,6 +920,30 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } +// emitter void QCameraImageCapture::error(int id, QCameraImageCapture::Error error, const QString &errorString) + +static void _init_emitter_error_5523 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("id"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("error"); + decl->add_arg::target_type & > (argspec_1); + static gsi::ArgSpecBase argspec_2 ("errorString"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_error_5523 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); + const QString &arg3 = gsi::arg_reader() (args, heap); + ((QCameraImageCapture_Adaptor *)cls)->emitter_QCameraImageCapture_error_5523 (arg1, arg2, arg3); +} + + // bool QCameraImageCapture::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -1047,6 +993,111 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } +// emitter void QCameraImageCapture::imageAvailable(int id, const QVideoFrame &frame) + +static void _init_emitter_imageAvailable_3047 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("id"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("frame"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_imageAvailable_3047 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + const QVideoFrame &arg2 = gsi::arg_reader() (args, heap); + ((QCameraImageCapture_Adaptor *)cls)->emitter_QCameraImageCapture_imageAvailable_3047 (arg1, arg2); +} + + +// emitter void QCameraImageCapture::imageCaptured(int id, const QImage &preview) + +static void _init_emitter_imageCaptured_2536 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("id"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("preview"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_imageCaptured_2536 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + const QImage &arg2 = gsi::arg_reader() (args, heap); + ((QCameraImageCapture_Adaptor *)cls)->emitter_QCameraImageCapture_imageCaptured_2536 (arg1, arg2); +} + + +// emitter void QCameraImageCapture::imageExposed(int id) + +static void _init_emitter_imageExposed_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("id"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_imageExposed_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QCameraImageCapture_Adaptor *)cls)->emitter_QCameraImageCapture_imageExposed_767 (arg1); +} + + +// emitter void QCameraImageCapture::imageMetadataAvailable(int id, const QString &key, const QVariant &value) + +static void _init_emitter_imageMetadataAvailable_4695 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("id"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("key"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("value"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_imageMetadataAvailable_4695 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + const QString &arg2 = gsi::arg_reader() (args, heap); + const QVariant &arg3 = gsi::arg_reader() (args, heap); + ((QCameraImageCapture_Adaptor *)cls)->emitter_QCameraImageCapture_imageMetadataAvailable_4695 (arg1, arg2, arg3); +} + + +// emitter void QCameraImageCapture::imageSaved(int id, const QString &fileName) + +static void _init_emitter_imageSaved_2684 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("id"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("fileName"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_imageSaved_2684 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + const QString &arg2 = gsi::arg_reader() (args, heap); + ((QCameraImageCapture_Adaptor *)cls)->emitter_QCameraImageCapture_imageSaved_2684 (arg1, arg2); +} + + // exposed bool QCameraImageCapture::isSignalConnected(const QMetaMethod &signal) static void _init_fp_isSignalConnected_c2394 (qt_gsi::GenericMethod *decl) @@ -1084,6 +1135,42 @@ static void _set_callback_cbs_mediaObject_c0_0 (void *cls, const gsi::Callback & } +// emitter void QCameraImageCapture::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QCameraImageCapture_Adaptor *)cls)->emitter_QCameraImageCapture_objectNameChanged_4567 (arg1); +} + + +// emitter void QCameraImageCapture::readyForCaptureChanged(bool ready) + +static void _init_emitter_readyForCaptureChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("ready"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_readyForCaptureChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QCameraImageCapture_Adaptor *)cls)->emitter_QCameraImageCapture_readyForCaptureChanged_864 (arg1); +} + + // exposed int QCameraImageCapture::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1185,19 +1272,30 @@ gsi::Class &qtdecl_QCameraImageCapture (); static gsi::Methods methods_QCameraImageCapture_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCameraImageCapture::QCameraImageCapture(QMediaObject *mediaObject, QObject *parent)\nThis method creates an object of class QCameraImageCapture.", &_init_ctor_QCameraImageCapture_Adaptor_2976, &_call_ctor_QCameraImageCapture_Adaptor_2976); + methods += new qt_gsi::GenericMethod ("emit_bufferFormatChanged", "@brief Emitter for signal void QCameraImageCapture::bufferFormatChanged(QVideoFrame::PixelFormat format)\nCall this method to emit this signal.", false, &_init_emitter_bufferFormatChanged_2758, &_call_emitter_bufferFormatChanged_2758); + methods += new qt_gsi::GenericMethod ("emit_captureDestinationChanged", "@brief Emitter for signal void QCameraImageCapture::captureDestinationChanged(QFlags destination)\nCall this method to emit this signal.", false, &_init_emitter_captureDestinationChanged_4999, &_call_emitter_captureDestinationChanged_4999); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCameraImageCapture::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraImageCapture::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCameraImageCapture::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraImageCapture::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("emit_error_sig", "@brief Emitter for signal void QCameraImageCapture::error(int id, QCameraImageCapture::Error error, const QString &errorString)\nCall this method to emit this signal.", false, &_init_emitter_error_5523, &_call_emitter_error_5523); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraImageCapture::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraImageCapture::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("emit_imageAvailable", "@brief Emitter for signal void QCameraImageCapture::imageAvailable(int id, const QVideoFrame &frame)\nCall this method to emit this signal.", false, &_init_emitter_imageAvailable_3047, &_call_emitter_imageAvailable_3047); + methods += new qt_gsi::GenericMethod ("emit_imageCaptured", "@brief Emitter for signal void QCameraImageCapture::imageCaptured(int id, const QImage &preview)\nCall this method to emit this signal.", false, &_init_emitter_imageCaptured_2536, &_call_emitter_imageCaptured_2536); + methods += new qt_gsi::GenericMethod ("emit_imageExposed", "@brief Emitter for signal void QCameraImageCapture::imageExposed(int id)\nCall this method to emit this signal.", false, &_init_emitter_imageExposed_767, &_call_emitter_imageExposed_767); + methods += new qt_gsi::GenericMethod ("emit_imageMetadataAvailable", "@brief Emitter for signal void QCameraImageCapture::imageMetadataAvailable(int id, const QString &key, const QVariant &value)\nCall this method to emit this signal.", false, &_init_emitter_imageMetadataAvailable_4695, &_call_emitter_imageMetadataAvailable_4695); + methods += new qt_gsi::GenericMethod ("emit_imageSaved", "@brief Emitter for signal void QCameraImageCapture::imageSaved(int id, const QString &fileName)\nCall this method to emit this signal.", false, &_init_emitter_imageSaved_2684, &_call_emitter_imageSaved_2684); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraImageCapture::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("mediaObject", "@brief Virtual method QMediaObject *QCameraImageCapture::mediaObject()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_mediaObject_c0_0, &_call_cbs_mediaObject_c0_0); methods += new qt_gsi::GenericMethod ("mediaObject", "@hide", true, &_init_cbs_mediaObject_c0_0, &_call_cbs_mediaObject_c0_0, &_set_callback_cbs_mediaObject_c0_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QCameraImageCapture::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); + methods += new qt_gsi::GenericMethod ("emit_readyForCaptureChanged", "@brief Emitter for signal void QCameraImageCapture::readyForCaptureChanged(bool ready)\nCall this method to emit this signal.", false, &_init_emitter_readyForCaptureChanged_864, &_call_emitter_readyForCaptureChanged_864); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCameraImageCapture::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCameraImageCapture::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraImageCapture::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCaptureControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCaptureControl.cc index 07eda5a5f5..d31c7bb074 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCaptureControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCaptureControl.cc @@ -106,147 +106,6 @@ static void _call_f_driveMode_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QCameraImageCaptureControl::error(int id, int error, const QString &errorString) - - -static void _init_f_error_3343 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("id"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("error"); - decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("errorString"); - decl->add_arg (argspec_2); - decl->set_return (); -} - -static void _call_f_error_3343 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - int arg2 = gsi::arg_reader() (args, heap); - const QString &arg3 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraImageCaptureControl *)cls)->error (arg1, arg2, arg3); -} - - -// void QCameraImageCaptureControl::imageAvailable(int requestId, const QVideoFrame &buffer) - - -static void _init_f_imageAvailable_3047 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("requestId"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("buffer"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_imageAvailable_3047 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - const QVideoFrame &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraImageCaptureControl *)cls)->imageAvailable (arg1, arg2); -} - - -// void QCameraImageCaptureControl::imageCaptured(int requestId, const QImage &preview) - - -static void _init_f_imageCaptured_2536 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("requestId"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("preview"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_imageCaptured_2536 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - const QImage &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraImageCaptureControl *)cls)->imageCaptured (arg1, arg2); -} - - -// void QCameraImageCaptureControl::imageExposed(int requestId) - - -static void _init_f_imageExposed_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("requestId"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_imageExposed_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraImageCaptureControl *)cls)->imageExposed (arg1); -} - - -// void QCameraImageCaptureControl::imageMetadataAvailable(int id, const QString &key, const QVariant &value) - - -static void _init_f_imageMetadataAvailable_4695 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("id"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("key"); - decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("value"); - decl->add_arg (argspec_2); - decl->set_return (); -} - -static void _call_f_imageMetadataAvailable_4695 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - const QString &arg2 = gsi::arg_reader() (args, heap); - const QVariant &arg3 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraImageCaptureControl *)cls)->imageMetadataAvailable (arg1, arg2, arg3); -} - - -// void QCameraImageCaptureControl::imageSaved(int requestId, const QString &fileName) - - -static void _init_f_imageSaved_2684 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("requestId"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("fileName"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_imageSaved_2684 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - const QString &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraImageCaptureControl *)cls)->imageSaved (arg1, arg2); -} - - // bool QCameraImageCaptureControl::isReadyForCapture() @@ -262,26 +121,6 @@ static void _call_f_isReadyForCapture_c0 (const qt_gsi::GenericMethod * /*decl*/ } -// void QCameraImageCaptureControl::readyForCaptureChanged(bool ready) - - -static void _init_f_readyForCaptureChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("ready"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_readyForCaptureChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraImageCaptureControl *)cls)->readyForCaptureChanged (arg1); -} - - // void QCameraImageCaptureControl::setDriveMode(QCameraImageCapture::DriveMode mode) @@ -361,15 +200,17 @@ static gsi::Methods methods_QCameraImageCaptureControl () { methods += new qt_gsi::GenericMethod ("cancelCapture", "@brief Method void QCameraImageCaptureControl::cancelCapture()\n", false, &_init_f_cancelCapture_0, &_call_f_cancelCapture_0); methods += new qt_gsi::GenericMethod ("capture", "@brief Method int QCameraImageCaptureControl::capture(const QString &fileName)\n", false, &_init_f_capture_2025, &_call_f_capture_2025); methods += new qt_gsi::GenericMethod (":driveMode", "@brief Method QCameraImageCapture::DriveMode QCameraImageCaptureControl::driveMode()\n", true, &_init_f_driveMode_c0, &_call_f_driveMode_c0); - methods += new qt_gsi::GenericMethod ("error", "@brief Method void QCameraImageCaptureControl::error(int id, int error, const QString &errorString)\n", false, &_init_f_error_3343, &_call_f_error_3343); - methods += new qt_gsi::GenericMethod ("imageAvailable", "@brief Method void QCameraImageCaptureControl::imageAvailable(int requestId, const QVideoFrame &buffer)\n", false, &_init_f_imageAvailable_3047, &_call_f_imageAvailable_3047); - methods += new qt_gsi::GenericMethod ("imageCaptured", "@brief Method void QCameraImageCaptureControl::imageCaptured(int requestId, const QImage &preview)\n", false, &_init_f_imageCaptured_2536, &_call_f_imageCaptured_2536); - methods += new qt_gsi::GenericMethod ("imageExposed", "@brief Method void QCameraImageCaptureControl::imageExposed(int requestId)\n", false, &_init_f_imageExposed_767, &_call_f_imageExposed_767); - methods += new qt_gsi::GenericMethod ("imageMetadataAvailable", "@brief Method void QCameraImageCaptureControl::imageMetadataAvailable(int id, const QString &key, const QVariant &value)\n", false, &_init_f_imageMetadataAvailable_4695, &_call_f_imageMetadataAvailable_4695); - methods += new qt_gsi::GenericMethod ("imageSaved", "@brief Method void QCameraImageCaptureControl::imageSaved(int requestId, const QString &fileName)\n", false, &_init_f_imageSaved_2684, &_call_f_imageSaved_2684); methods += new qt_gsi::GenericMethod ("isReadyForCapture?", "@brief Method bool QCameraImageCaptureControl::isReadyForCapture()\n", true, &_init_f_isReadyForCapture_c0, &_call_f_isReadyForCapture_c0); - methods += new qt_gsi::GenericMethod ("readyForCaptureChanged", "@brief Method void QCameraImageCaptureControl::readyForCaptureChanged(bool ready)\n", false, &_init_f_readyForCaptureChanged_864, &_call_f_readyForCaptureChanged_864); methods += new qt_gsi::GenericMethod ("setDriveMode|driveMode=", "@brief Method void QCameraImageCaptureControl::setDriveMode(QCameraImageCapture::DriveMode mode)\n", false, &_init_f_setDriveMode_3320, &_call_f_setDriveMode_3320); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCameraImageCaptureControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("error(int, int, const QString &)", "error", gsi::arg("id"), gsi::arg("error"), gsi::arg("errorString"), "@brief Signal declaration for QCameraImageCaptureControl::error(int id, int error, const QString &errorString)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("imageAvailable(int, const QVideoFrame &)", "imageAvailable", gsi::arg("requestId"), gsi::arg("buffer"), "@brief Signal declaration for QCameraImageCaptureControl::imageAvailable(int requestId, const QVideoFrame &buffer)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("imageCaptured(int, const QImage &)", "imageCaptured", gsi::arg("requestId"), gsi::arg("preview"), "@brief Signal declaration for QCameraImageCaptureControl::imageCaptured(int requestId, const QImage &preview)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("imageExposed(int)", "imageExposed", gsi::arg("requestId"), "@brief Signal declaration for QCameraImageCaptureControl::imageExposed(int requestId)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("imageMetadataAvailable(int, const QString &, const QVariant &)", "imageMetadataAvailable", gsi::arg("id"), gsi::arg("key"), gsi::arg("value"), "@brief Signal declaration for QCameraImageCaptureControl::imageMetadataAvailable(int id, const QString &key, const QVariant &value)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("imageSaved(int, const QString &)", "imageSaved", gsi::arg("requestId"), gsi::arg("fileName"), "@brief Signal declaration for QCameraImageCaptureControl::imageSaved(int requestId, const QString &fileName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCameraImageCaptureControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("readyForCaptureChanged(bool)", "readyForCaptureChanged", gsi::arg("ready"), "@brief Signal declaration for QCameraImageCaptureControl::readyForCaptureChanged(bool ready)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraImageCaptureControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCameraImageCaptureControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -449,6 +290,12 @@ class QCameraImageCaptureControl_Adaptor : public QCameraImageCaptureControl, pu } } + // [emitter impl] void QCameraImageCaptureControl::destroyed(QObject *) + void emitter_QCameraImageCaptureControl_destroyed_1302(QObject *arg1) + { + emit QCameraImageCaptureControl::destroyed(arg1); + } + // [adaptor impl] QCameraImageCapture::DriveMode QCameraImageCaptureControl::driveMode() qt_gsi::Converter::target_type cbs_driveMode_c0_0() const { @@ -464,6 +311,12 @@ class QCameraImageCaptureControl_Adaptor : public QCameraImageCaptureControl, pu } } + // [emitter impl] void QCameraImageCaptureControl::error(int id, int error, const QString &errorString) + void emitter_QCameraImageCaptureControl_error_3343(int id, int _error, const QString &errorString) + { + emit QCameraImageCaptureControl::error(id, _error, errorString); + } + // [adaptor impl] bool QCameraImageCaptureControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -494,6 +347,36 @@ class QCameraImageCaptureControl_Adaptor : public QCameraImageCaptureControl, pu } } + // [emitter impl] void QCameraImageCaptureControl::imageAvailable(int requestId, const QVideoFrame &buffer) + void emitter_QCameraImageCaptureControl_imageAvailable_3047(int requestId, const QVideoFrame &buffer) + { + emit QCameraImageCaptureControl::imageAvailable(requestId, buffer); + } + + // [emitter impl] void QCameraImageCaptureControl::imageCaptured(int requestId, const QImage &preview) + void emitter_QCameraImageCaptureControl_imageCaptured_2536(int requestId, const QImage &preview) + { + emit QCameraImageCaptureControl::imageCaptured(requestId, preview); + } + + // [emitter impl] void QCameraImageCaptureControl::imageExposed(int requestId) + void emitter_QCameraImageCaptureControl_imageExposed_767(int requestId) + { + emit QCameraImageCaptureControl::imageExposed(requestId); + } + + // [emitter impl] void QCameraImageCaptureControl::imageMetadataAvailable(int id, const QString &key, const QVariant &value) + void emitter_QCameraImageCaptureControl_imageMetadataAvailable_4695(int id, const QString &key, const QVariant &value) + { + emit QCameraImageCaptureControl::imageMetadataAvailable(id, key, value); + } + + // [emitter impl] void QCameraImageCaptureControl::imageSaved(int requestId, const QString &fileName) + void emitter_QCameraImageCaptureControl_imageSaved_2684(int requestId, const QString &fileName) + { + emit QCameraImageCaptureControl::imageSaved(requestId, fileName); + } + // [adaptor impl] bool QCameraImageCaptureControl::isReadyForCapture() bool cbs_isReadyForCapture_c0_0() const { @@ -509,6 +392,19 @@ class QCameraImageCaptureControl_Adaptor : public QCameraImageCaptureControl, pu } } + // [emitter impl] void QCameraImageCaptureControl::objectNameChanged(const QString &objectName) + void emitter_QCameraImageCaptureControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QCameraImageCaptureControl::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QCameraImageCaptureControl::readyForCaptureChanged(bool ready) + void emitter_QCameraImageCaptureControl_readyForCaptureChanged_864(bool ready) + { + emit QCameraImageCaptureControl::readyForCaptureChanged(ready); + } + // [adaptor impl] void QCameraImageCaptureControl::setDriveMode(QCameraImageCapture::DriveMode mode) void cbs_setDriveMode_3320_0(const qt_gsi::Converter::target_type & mode) { @@ -705,6 +601,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QCameraImageCaptureControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QCameraImageCaptureControl_Adaptor *)cls)->emitter_QCameraImageCaptureControl_destroyed_1302 (arg1); +} + + // void QCameraImageCaptureControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -748,6 +662,30 @@ static void _set_callback_cbs_driveMode_c0_0 (void *cls, const gsi::Callback &cb } +// emitter void QCameraImageCaptureControl::error(int id, int error, const QString &errorString) + +static void _init_emitter_error_3343 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("id"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("error"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("errorString"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_error_3343 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + const QString &arg3 = gsi::arg_reader() (args, heap); + ((QCameraImageCaptureControl_Adaptor *)cls)->emitter_QCameraImageCaptureControl_error_3343 (arg1, arg2, arg3); +} + + // bool QCameraImageCaptureControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -797,6 +735,111 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } +// emitter void QCameraImageCaptureControl::imageAvailable(int requestId, const QVideoFrame &buffer) + +static void _init_emitter_imageAvailable_3047 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("requestId"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("buffer"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_imageAvailable_3047 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + const QVideoFrame &arg2 = gsi::arg_reader() (args, heap); + ((QCameraImageCaptureControl_Adaptor *)cls)->emitter_QCameraImageCaptureControl_imageAvailable_3047 (arg1, arg2); +} + + +// emitter void QCameraImageCaptureControl::imageCaptured(int requestId, const QImage &preview) + +static void _init_emitter_imageCaptured_2536 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("requestId"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("preview"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_imageCaptured_2536 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + const QImage &arg2 = gsi::arg_reader() (args, heap); + ((QCameraImageCaptureControl_Adaptor *)cls)->emitter_QCameraImageCaptureControl_imageCaptured_2536 (arg1, arg2); +} + + +// emitter void QCameraImageCaptureControl::imageExposed(int requestId) + +static void _init_emitter_imageExposed_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("requestId"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_imageExposed_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QCameraImageCaptureControl_Adaptor *)cls)->emitter_QCameraImageCaptureControl_imageExposed_767 (arg1); +} + + +// emitter void QCameraImageCaptureControl::imageMetadataAvailable(int id, const QString &key, const QVariant &value) + +static void _init_emitter_imageMetadataAvailable_4695 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("id"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("key"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("value"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_imageMetadataAvailable_4695 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + const QString &arg2 = gsi::arg_reader() (args, heap); + const QVariant &arg3 = gsi::arg_reader() (args, heap); + ((QCameraImageCaptureControl_Adaptor *)cls)->emitter_QCameraImageCaptureControl_imageMetadataAvailable_4695 (arg1, arg2, arg3); +} + + +// emitter void QCameraImageCaptureControl::imageSaved(int requestId, const QString &fileName) + +static void _init_emitter_imageSaved_2684 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("requestId"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("fileName"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_imageSaved_2684 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + const QString &arg2 = gsi::arg_reader() (args, heap); + ((QCameraImageCaptureControl_Adaptor *)cls)->emitter_QCameraImageCaptureControl_imageSaved_2684 (arg1, arg2); +} + + // bool QCameraImageCaptureControl::isReadyForCapture() static void _init_cbs_isReadyForCapture_c0_0 (qt_gsi::GenericMethod *decl) @@ -834,6 +877,42 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QCameraImageCaptureControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QCameraImageCaptureControl_Adaptor *)cls)->emitter_QCameraImageCaptureControl_objectNameChanged_4567 (arg1); +} + + +// emitter void QCameraImageCaptureControl::readyForCaptureChanged(bool ready) + +static void _init_emitter_readyForCaptureChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("ready"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_readyForCaptureChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QCameraImageCaptureControl_Adaptor *)cls)->emitter_QCameraImageCaptureControl_readyForCaptureChanged_864 (arg1); +} + + // exposed int QCameraImageCaptureControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -944,17 +1023,26 @@ static gsi::Methods methods_QCameraImageCaptureControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraImageCaptureControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCameraImageCaptureControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraImageCaptureControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("driveMode", "@brief Virtual method QCameraImageCapture::DriveMode QCameraImageCaptureControl::driveMode()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_driveMode_c0_0, &_call_cbs_driveMode_c0_0); methods += new qt_gsi::GenericMethod ("driveMode", "@hide", true, &_init_cbs_driveMode_c0_0, &_call_cbs_driveMode_c0_0, &_set_callback_cbs_driveMode_c0_0); + methods += new qt_gsi::GenericMethod ("emit_error", "@brief Emitter for signal void QCameraImageCaptureControl::error(int id, int error, const QString &errorString)\nCall this method to emit this signal.", false, &_init_emitter_error_3343, &_call_emitter_error_3343); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraImageCaptureControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraImageCaptureControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("emit_imageAvailable", "@brief Emitter for signal void QCameraImageCaptureControl::imageAvailable(int requestId, const QVideoFrame &buffer)\nCall this method to emit this signal.", false, &_init_emitter_imageAvailable_3047, &_call_emitter_imageAvailable_3047); + methods += new qt_gsi::GenericMethod ("emit_imageCaptured", "@brief Emitter for signal void QCameraImageCaptureControl::imageCaptured(int requestId, const QImage &preview)\nCall this method to emit this signal.", false, &_init_emitter_imageCaptured_2536, &_call_emitter_imageCaptured_2536); + methods += new qt_gsi::GenericMethod ("emit_imageExposed", "@brief Emitter for signal void QCameraImageCaptureControl::imageExposed(int requestId)\nCall this method to emit this signal.", false, &_init_emitter_imageExposed_767, &_call_emitter_imageExposed_767); + methods += new qt_gsi::GenericMethod ("emit_imageMetadataAvailable", "@brief Emitter for signal void QCameraImageCaptureControl::imageMetadataAvailable(int id, const QString &key, const QVariant &value)\nCall this method to emit this signal.", false, &_init_emitter_imageMetadataAvailable_4695, &_call_emitter_imageMetadataAvailable_4695); + methods += new qt_gsi::GenericMethod ("emit_imageSaved", "@brief Emitter for signal void QCameraImageCaptureControl::imageSaved(int requestId, const QString &fileName)\nCall this method to emit this signal.", false, &_init_emitter_imageSaved_2684, &_call_emitter_imageSaved_2684); methods += new qt_gsi::GenericMethod ("isReadyForCapture", "@brief Virtual method bool QCameraImageCaptureControl::isReadyForCapture()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isReadyForCapture_c0_0, &_call_cbs_isReadyForCapture_c0_0); methods += new qt_gsi::GenericMethod ("isReadyForCapture", "@hide", true, &_init_cbs_isReadyForCapture_c0_0, &_call_cbs_isReadyForCapture_c0_0, &_set_callback_cbs_isReadyForCapture_c0_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraImageCaptureControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QCameraImageCaptureControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); + methods += new qt_gsi::GenericMethod ("emit_readyForCaptureChanged", "@brief Emitter for signal void QCameraImageCaptureControl::readyForCaptureChanged(bool ready)\nCall this method to emit this signal.", false, &_init_emitter_readyForCaptureChanged_864, &_call_emitter_readyForCaptureChanged_864); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCameraImageCaptureControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCameraImageCaptureControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraImageCaptureControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessing.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessing.cc index 47d5790ce6..12ab6f3660 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessing.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessing.cc @@ -442,7 +442,7 @@ namespace gsi static gsi::Methods methods_QCameraImageProcessing () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("brightness", "@brief Method double QCameraImageProcessing::brightness()\n", true, &_init_f_brightness_c0, &_call_f_brightness_c0); + methods += new qt_gsi::GenericMethod (":brightness", "@brief Method double QCameraImageProcessing::brightness()\n", true, &_init_f_brightness_c0, &_call_f_brightness_c0); methods += new qt_gsi::GenericMethod (":colorFilter", "@brief Method QCameraImageProcessing::ColorFilter QCameraImageProcessing::colorFilter()\n", true, &_init_f_colorFilter_c0, &_call_f_colorFilter_c0); methods += new qt_gsi::GenericMethod (":contrast", "@brief Method double QCameraImageProcessing::contrast()\n", true, &_init_f_contrast_c0, &_call_f_contrast_c0); methods += new qt_gsi::GenericMethod (":denoisingLevel", "@brief Method double QCameraImageProcessing::denoisingLevel()\n", true, &_init_f_denoisingLevel_c0, &_call_f_denoisingLevel_c0); @@ -451,7 +451,7 @@ static gsi::Methods methods_QCameraImageProcessing () { methods += new qt_gsi::GenericMethod ("isWhiteBalanceModeSupported?", "@brief Method bool QCameraImageProcessing::isWhiteBalanceModeSupported(QCameraImageProcessing::WhiteBalanceMode mode)\n", true, &_init_f_isWhiteBalanceModeSupported_c4334, &_call_f_isWhiteBalanceModeSupported_c4334); methods += new qt_gsi::GenericMethod (":manualWhiteBalance", "@brief Method double QCameraImageProcessing::manualWhiteBalance()\n", true, &_init_f_manualWhiteBalance_c0, &_call_f_manualWhiteBalance_c0); methods += new qt_gsi::GenericMethod (":saturation", "@brief Method double QCameraImageProcessing::saturation()\n", true, &_init_f_saturation_c0, &_call_f_saturation_c0); - methods += new qt_gsi::GenericMethod ("setBrightness", "@brief Method void QCameraImageProcessing::setBrightness(double value)\n", false, &_init_f_setBrightness_1071, &_call_f_setBrightness_1071); + methods += new qt_gsi::GenericMethod ("setBrightness|brightness=", "@brief Method void QCameraImageProcessing::setBrightness(double value)\n", false, &_init_f_setBrightness_1071, &_call_f_setBrightness_1071); methods += new qt_gsi::GenericMethod ("setColorFilter|colorFilter=", "@brief Method void QCameraImageProcessing::setColorFilter(QCameraImageProcessing::ColorFilter filter)\n", false, &_init_f_setColorFilter_3879, &_call_f_setColorFilter_3879); methods += new qt_gsi::GenericMethod ("setContrast|contrast=", "@brief Method void QCameraImageProcessing::setContrast(double value)\n", false, &_init_f_setContrast_1071, &_call_f_setContrast_1071); methods += new qt_gsi::GenericMethod ("setDenoisingLevel|denoisingLevel=", "@brief Method void QCameraImageProcessing::setDenoisingLevel(double value)\n", false, &_init_f_setDenoisingLevel_1071, &_call_f_setDenoisingLevel_1071); @@ -461,6 +461,8 @@ static gsi::Methods methods_QCameraImageProcessing () { methods += new qt_gsi::GenericMethod ("setWhiteBalanceMode|whiteBalanceMode=", "@brief Method void QCameraImageProcessing::setWhiteBalanceMode(QCameraImageProcessing::WhiteBalanceMode mode)\n", false, &_init_f_setWhiteBalanceMode_4334, &_call_f_setWhiteBalanceMode_4334); methods += new qt_gsi::GenericMethod (":sharpeningLevel", "@brief Method double QCameraImageProcessing::sharpeningLevel()\n", true, &_init_f_sharpeningLevel_c0, &_call_f_sharpeningLevel_c0); methods += new qt_gsi::GenericMethod (":whiteBalanceMode", "@brief Method QCameraImageProcessing::WhiteBalanceMode QCameraImageProcessing::whiteBalanceMode()\n", true, &_init_f_whiteBalanceMode_c0, &_call_f_whiteBalanceMode_c0); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCameraImageProcessing::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCameraImageProcessing::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraImageProcessing::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCameraImageProcessing::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessingControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessingControl.cc index 86e0a99636..52891e9ad9 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessingControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessingControl.cc @@ -197,6 +197,8 @@ static gsi::Methods methods_QCameraImageProcessingControl () { methods += new qt_gsi::GenericMethod ("isParameterValueSupported?", "@brief Method bool QCameraImageProcessingControl::isParameterValueSupported(QCameraImageProcessingControl::ProcessingParameter parameter, const QVariant &value)\n", true, &_init_f_isParameterValueSupported_c7484, &_call_f_isParameterValueSupported_c7484); methods += new qt_gsi::GenericMethod ("parameter", "@brief Method QVariant QCameraImageProcessingControl::parameter(QCameraImageProcessingControl::ProcessingParameter parameter)\n", true, &_init_f_parameter_c5473, &_call_f_parameter_c5473); methods += new qt_gsi::GenericMethod ("setParameter", "@brief Method void QCameraImageProcessingControl::setParameter(QCameraImageProcessingControl::ProcessingParameter parameter, const QVariant &value)\n", false, &_init_f_setParameter_7484, &_call_f_setParameter_7484); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCameraImageProcessingControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCameraImageProcessingControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraImageProcessingControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCameraImageProcessingControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -245,6 +247,12 @@ class QCameraImageProcessingControl_Adaptor : public QCameraImageProcessingContr return QCameraImageProcessingControl::senderSignalIndex(); } + // [emitter impl] void QCameraImageProcessingControl::destroyed(QObject *) + void emitter_QCameraImageProcessingControl_destroyed_1302(QObject *arg1) + { + emit QCameraImageProcessingControl::destroyed(arg1); + } + // [adaptor impl] bool QCameraImageProcessingControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -308,6 +316,13 @@ class QCameraImageProcessingControl_Adaptor : public QCameraImageProcessingContr } } + // [emitter impl] void QCameraImageProcessingControl::objectNameChanged(const QString &objectName) + void emitter_QCameraImageProcessingControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QCameraImageProcessingControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] QVariant QCameraImageProcessingControl::parameter(QCameraImageProcessingControl::ProcessingParameter parameter) QVariant cbs_parameter_c5473_0(const qt_gsi::Converter::target_type & _parameter) const { @@ -477,6 +492,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QCameraImageProcessingControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QCameraImageProcessingControl_Adaptor *)cls)->emitter_QCameraImageProcessingControl_destroyed_1302 (arg1); +} + + // void QCameraImageProcessingControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -617,6 +650,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QCameraImageProcessingControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QCameraImageProcessingControl_Adaptor *)cls)->emitter_QCameraImageProcessingControl_objectNameChanged_4567 (arg1); +} + + // QVariant QCameraImageProcessingControl::parameter(QCameraImageProcessingControl::ProcessingParameter parameter) static void _init_cbs_parameter_c5473_0 (qt_gsi::GenericMethod *decl) @@ -749,6 +800,7 @@ static gsi::Methods methods_QCameraImageProcessingControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraImageProcessingControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCameraImageProcessingControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraImageProcessingControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraImageProcessingControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -760,6 +812,7 @@ static gsi::Methods methods_QCameraImageProcessingControl_Adaptor () { methods += new qt_gsi::GenericMethod ("isParameterValueSupported", "@brief Virtual method bool QCameraImageProcessingControl::isParameterValueSupported(QCameraImageProcessingControl::ProcessingParameter parameter, const QVariant &value)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isParameterValueSupported_c7484_0, &_call_cbs_isParameterValueSupported_c7484_0); methods += new qt_gsi::GenericMethod ("isParameterValueSupported", "@hide", true, &_init_cbs_isParameterValueSupported_c7484_0, &_call_cbs_isParameterValueSupported_c7484_0, &_set_callback_cbs_isParameterValueSupported_c7484_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraImageProcessingControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QCameraImageProcessingControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("parameter", "@brief Virtual method QVariant QCameraImageProcessingControl::parameter(QCameraImageProcessingControl::ProcessingParameter parameter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_parameter_c5473_0, &_call_cbs_parameter_c5473_0); methods += new qt_gsi::GenericMethod ("parameter", "@hide", true, &_init_cbs_parameter_c5473_0, &_call_cbs_parameter_c5473_0, &_set_callback_cbs_parameter_c5473_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCameraImageProcessingControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraInfoControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraInfoControl.cc index e5bf0bbbaf..53b0ddec59 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraInfoControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraInfoControl.cc @@ -150,6 +150,8 @@ static gsi::Methods methods_QCameraInfoControl () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("cameraOrientation", "@brief Method int QCameraInfoControl::cameraOrientation(const QString &deviceName)\n", true, &_init_f_cameraOrientation_c2025, &_call_f_cameraOrientation_c2025); methods += new qt_gsi::GenericMethod ("cameraPosition", "@brief Method QCamera::Position QCameraInfoControl::cameraPosition(const QString &deviceName)\n", true, &_init_f_cameraPosition_c2025, &_call_f_cameraPosition_c2025); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCameraInfoControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCameraInfoControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraInfoControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCameraInfoControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -230,6 +232,12 @@ class QCameraInfoControl_Adaptor : public QCameraInfoControl, public qt_gsi::QtO } } + // [emitter impl] void QCameraInfoControl::destroyed(QObject *) + void emitter_QCameraInfoControl_destroyed_1302(QObject *arg1) + { + emit QCameraInfoControl::destroyed(arg1); + } + // [adaptor impl] bool QCameraInfoControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -260,6 +268,13 @@ class QCameraInfoControl_Adaptor : public QCameraInfoControl, public qt_gsi::QtO } } + // [emitter impl] void QCameraInfoControl::objectNameChanged(const QString &objectName) + void emitter_QCameraInfoControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QCameraInfoControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QCameraInfoControl::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -440,6 +455,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QCameraInfoControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QCameraInfoControl_Adaptor *)cls)->emitter_QCameraInfoControl_destroyed_1302 (arg1); +} + + // void QCameraInfoControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -531,6 +564,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QCameraInfoControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QCameraInfoControl_Adaptor *)cls)->emitter_QCameraInfoControl_objectNameChanged_4567 (arg1); +} + + // exposed int QCameraInfoControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -617,6 +668,7 @@ static gsi::Methods methods_QCameraInfoControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraInfoControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCameraInfoControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraInfoControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraInfoControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -624,6 +676,7 @@ static gsi::Methods methods_QCameraInfoControl_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraInfoControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraInfoControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QCameraInfoControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCameraInfoControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCameraInfoControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraInfoControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraLocksControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraLocksControl.cc index 1a4c6fb31f..b27ef7b659 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraLocksControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraLocksControl.cc @@ -73,32 +73,6 @@ static void _call_f_lockStatus_c2029 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QCameraLocksControl::lockStatusChanged(QCamera::LockType type, QCamera::LockStatus status, QCamera::LockChangeReason reason) - - -static void _init_f_lockStatusChanged_6877 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("type"); - decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("status"); - decl->add_arg::target_type & > (argspec_1); - static gsi::ArgSpecBase argspec_2 ("reason"); - decl->add_arg::target_type & > (argspec_2); - decl->set_return (); -} - -static void _call_f_lockStatusChanged_6877 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); - const qt_gsi::Converter::target_type & arg3 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraLocksControl *)cls)->lockStatusChanged (qt_gsi::QtToCppAdaptor(arg1).cref(), qt_gsi::QtToCppAdaptor(arg2).cref(), qt_gsi::QtToCppAdaptor(arg3).cref()); -} - - // void QCameraLocksControl::searchAndLock(QFlags locks) @@ -211,10 +185,12 @@ static gsi::Methods methods_QCameraLocksControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("lockStatus", "@brief Method QCamera::LockStatus QCameraLocksControl::lockStatus(QCamera::LockType lock)\n", true, &_init_f_lockStatus_c2029, &_call_f_lockStatus_c2029); - methods += new qt_gsi::GenericMethod ("lockStatusChanged", "@brief Method void QCameraLocksControl::lockStatusChanged(QCamera::LockType type, QCamera::LockStatus status, QCamera::LockChangeReason reason)\n", false, &_init_f_lockStatusChanged_6877, &_call_f_lockStatusChanged_6877); methods += new qt_gsi::GenericMethod ("searchAndLock", "@brief Method void QCameraLocksControl::searchAndLock(QFlags locks)\n", false, &_init_f_searchAndLock_2725, &_call_f_searchAndLock_2725); methods += new qt_gsi::GenericMethod ("supportedLocks", "@brief Method QFlags QCameraLocksControl::supportedLocks()\n", true, &_init_f_supportedLocks_c0, &_call_f_supportedLocks_c0); methods += new qt_gsi::GenericMethod ("unlock", "@brief Method void QCameraLocksControl::unlock(QFlags locks)\n", false, &_init_f_unlock_2725, &_call_f_unlock_2725); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCameraLocksControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type &, const qt_gsi::Converter::target_type &, const qt_gsi::Converter::target_type & > ("lockStatusChanged(QCamera::LockType, QCamera::LockStatus, QCamera::LockChangeReason)", "lockStatusChanged", gsi::arg("type"), gsi::arg("status"), gsi::arg("reason"), "@brief Signal declaration for QCameraLocksControl::lockStatusChanged(QCamera::LockType type, QCamera::LockStatus status, QCamera::LockChangeReason reason)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCameraLocksControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraLocksControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCameraLocksControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -263,6 +239,12 @@ class QCameraLocksControl_Adaptor : public QCameraLocksControl, public qt_gsi::Q return QCameraLocksControl::senderSignalIndex(); } + // [emitter impl] void QCameraLocksControl::destroyed(QObject *) + void emitter_QCameraLocksControl_destroyed_1302(QObject *arg1) + { + emit QCameraLocksControl::destroyed(arg1); + } + // [adaptor impl] bool QCameraLocksControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -309,6 +291,19 @@ class QCameraLocksControl_Adaptor : public QCameraLocksControl, public qt_gsi::Q } } + // [emitter impl] void QCameraLocksControl::lockStatusChanged(QCamera::LockType type, QCamera::LockStatus status, QCamera::LockChangeReason reason) + void emitter_QCameraLocksControl_lockStatusChanged_6877(QCamera::LockType type, QCamera::LockStatus status, QCamera::LockChangeReason reason) + { + emit QCameraLocksControl::lockStatusChanged(type, status, reason); + } + + // [emitter impl] void QCameraLocksControl::objectNameChanged(const QString &objectName) + void emitter_QCameraLocksControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QCameraLocksControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QCameraLocksControl::searchAndLock(QFlags locks) void cbs_searchAndLock_2725_0(QFlags locks) { @@ -492,6 +487,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QCameraLocksControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QCameraLocksControl_Adaptor *)cls)->emitter_QCameraLocksControl_destroyed_1302 (arg1); +} + + // void QCameraLocksControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -606,6 +619,48 @@ static void _set_callback_cbs_lockStatus_c2029_0 (void *cls, const gsi::Callback } +// emitter void QCameraLocksControl::lockStatusChanged(QCamera::LockType type, QCamera::LockStatus status, QCamera::LockChangeReason reason) + +static void _init_emitter_lockStatusChanged_6877 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("type"); + decl->add_arg::target_type & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("status"); + decl->add_arg::target_type & > (argspec_1); + static gsi::ArgSpecBase argspec_2 ("reason"); + decl->add_arg::target_type & > (argspec_2); + decl->set_return (); +} + +static void _call_emitter_lockStatusChanged_6877 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); + const qt_gsi::Converter::target_type & arg3 = gsi::arg_reader::target_type & >() (args, heap); + ((QCameraLocksControl_Adaptor *)cls)->emitter_QCameraLocksControl_lockStatusChanged_6877 (arg1, arg2, arg3); +} + + +// emitter void QCameraLocksControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QCameraLocksControl_Adaptor *)cls)->emitter_QCameraLocksControl_objectNameChanged_4567 (arg1); +} + + // exposed int QCameraLocksControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -755,6 +810,7 @@ static gsi::Methods methods_QCameraLocksControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraLocksControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCameraLocksControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraLocksControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraLocksControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -764,6 +820,8 @@ static gsi::Methods methods_QCameraLocksControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraLocksControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("lockStatus", "@brief Virtual method QCamera::LockStatus QCameraLocksControl::lockStatus(QCamera::LockType lock)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_lockStatus_c2029_0, &_call_cbs_lockStatus_c2029_0); methods += new qt_gsi::GenericMethod ("lockStatus", "@hide", true, &_init_cbs_lockStatus_c2029_0, &_call_cbs_lockStatus_c2029_0, &_set_callback_cbs_lockStatus_c2029_0); + methods += new qt_gsi::GenericMethod ("emit_lockStatusChanged", "@brief Emitter for signal void QCameraLocksControl::lockStatusChanged(QCamera::LockType type, QCamera::LockStatus status, QCamera::LockChangeReason reason)\nCall this method to emit this signal.", false, &_init_emitter_lockStatusChanged_6877, &_call_emitter_lockStatusChanged_6877); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QCameraLocksControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCameraLocksControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("searchAndLock", "@brief Virtual method void QCameraLocksControl::searchAndLock(QFlags locks)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_searchAndLock_2725_0, &_call_cbs_searchAndLock_2725_0); methods += new qt_gsi::GenericMethod ("searchAndLock", "@hide", false, &_init_cbs_searchAndLock_2725_0, &_call_cbs_searchAndLock_2725_0, &_set_callback_cbs_searchAndLock_2725_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl.cc index 6594d5d53e..90a001849c 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl.cc @@ -174,6 +174,8 @@ static gsi::Methods methods_QCameraViewfinderSettingsControl () { methods += new qt_gsi::GenericMethod ("isViewfinderParameterSupported?", "@brief Method bool QCameraViewfinderSettingsControl::isViewfinderParameterSupported(QCameraViewfinderSettingsControl::ViewfinderParameter parameter)\n", true, &_init_f_isViewfinderParameterSupported_c5819, &_call_f_isViewfinderParameterSupported_c5819); methods += new qt_gsi::GenericMethod ("setViewfinderParameter", "@brief Method void QCameraViewfinderSettingsControl::setViewfinderParameter(QCameraViewfinderSettingsControl::ViewfinderParameter parameter, const QVariant &value)\n", false, &_init_f_setViewfinderParameter_7830, &_call_f_setViewfinderParameter_7830); methods += new qt_gsi::GenericMethod ("viewfinderParameter", "@brief Method QVariant QCameraViewfinderSettingsControl::viewfinderParameter(QCameraViewfinderSettingsControl::ViewfinderParameter parameter)\n", true, &_init_f_viewfinderParameter_c5819, &_call_f_viewfinderParameter_c5819); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCameraViewfinderSettingsControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCameraViewfinderSettingsControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraViewfinderSettingsControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCameraViewfinderSettingsControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -222,6 +224,12 @@ class QCameraViewfinderSettingsControl_Adaptor : public QCameraViewfinderSetting return QCameraViewfinderSettingsControl::senderSignalIndex(); } + // [emitter impl] void QCameraViewfinderSettingsControl::destroyed(QObject *) + void emitter_QCameraViewfinderSettingsControl_destroyed_1302(QObject *arg1) + { + emit QCameraViewfinderSettingsControl::destroyed(arg1); + } + // [adaptor impl] bool QCameraViewfinderSettingsControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -268,6 +276,13 @@ class QCameraViewfinderSettingsControl_Adaptor : public QCameraViewfinderSetting } } + // [emitter impl] void QCameraViewfinderSettingsControl::objectNameChanged(const QString &objectName) + void emitter_QCameraViewfinderSettingsControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QCameraViewfinderSettingsControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QCameraViewfinderSettingsControl::setViewfinderParameter(QCameraViewfinderSettingsControl::ViewfinderParameter parameter, const QVariant &value) void cbs_setViewfinderParameter_7830_0(const qt_gsi::Converter::target_type & parameter, const QVariant &value) { @@ -436,6 +451,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QCameraViewfinderSettingsControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QCameraViewfinderSettingsControl_Adaptor *)cls)->emitter_QCameraViewfinderSettingsControl_destroyed_1302 (arg1); +} + + // void QCameraViewfinderSettingsControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -550,6 +583,24 @@ static void _set_callback_cbs_isViewfinderParameterSupported_c5819_0 (void *cls, } +// emitter void QCameraViewfinderSettingsControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QCameraViewfinderSettingsControl_Adaptor *)cls)->emitter_QCameraViewfinderSettingsControl_objectNameChanged_4567 (arg1); +} + + // exposed int QCameraViewfinderSettingsControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -682,6 +733,7 @@ static gsi::Methods methods_QCameraViewfinderSettingsControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraViewfinderSettingsControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCameraViewfinderSettingsControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraViewfinderSettingsControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraViewfinderSettingsControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -691,6 +743,7 @@ static gsi::Methods methods_QCameraViewfinderSettingsControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraViewfinderSettingsControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("isViewfinderParameterSupported", "@brief Virtual method bool QCameraViewfinderSettingsControl::isViewfinderParameterSupported(QCameraViewfinderSettingsControl::ViewfinderParameter parameter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isViewfinderParameterSupported_c5819_0, &_call_cbs_isViewfinderParameterSupported_c5819_0); methods += new qt_gsi::GenericMethod ("isViewfinderParameterSupported", "@hide", true, &_init_cbs_isViewfinderParameterSupported_c5819_0, &_call_cbs_isViewfinderParameterSupported_c5819_0, &_set_callback_cbs_isViewfinderParameterSupported_c5819_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QCameraViewfinderSettingsControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCameraViewfinderSettingsControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCameraViewfinderSettingsControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraViewfinderSettingsControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl2.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl2.cc index f1a431fbe4..18d3cd517d 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl2.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl2.cc @@ -164,6 +164,8 @@ static gsi::Methods methods_QCameraViewfinderSettingsControl2 () { methods += new qt_gsi::GenericMethod ("setViewfinderSettings|viewfinderSettings=", "@brief Method void QCameraViewfinderSettingsControl2::setViewfinderSettings(const QCameraViewfinderSettings &settings)\n", false, &_init_f_setViewfinderSettings_3871, &_call_f_setViewfinderSettings_3871); methods += new qt_gsi::GenericMethod ("supportedViewfinderSettings", "@brief Method QList QCameraViewfinderSettingsControl2::supportedViewfinderSettings()\n", true, &_init_f_supportedViewfinderSettings_c0, &_call_f_supportedViewfinderSettings_c0); methods += new qt_gsi::GenericMethod (":viewfinderSettings", "@brief Method QCameraViewfinderSettings QCameraViewfinderSettingsControl2::viewfinderSettings()\n", true, &_init_f_viewfinderSettings_c0, &_call_f_viewfinderSettings_c0); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCameraViewfinderSettingsControl2::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCameraViewfinderSettingsControl2::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraViewfinderSettingsControl2::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCameraViewfinderSettingsControl2::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -212,6 +214,12 @@ class QCameraViewfinderSettingsControl2_Adaptor : public QCameraViewfinderSettin return QCameraViewfinderSettingsControl2::senderSignalIndex(); } + // [emitter impl] void QCameraViewfinderSettingsControl2::destroyed(QObject *) + void emitter_QCameraViewfinderSettingsControl2_destroyed_1302(QObject *arg1) + { + emit QCameraViewfinderSettingsControl2::destroyed(arg1); + } + // [adaptor impl] bool QCameraViewfinderSettingsControl2::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -242,6 +250,13 @@ class QCameraViewfinderSettingsControl2_Adaptor : public QCameraViewfinderSettin } } + // [emitter impl] void QCameraViewfinderSettingsControl2::objectNameChanged(const QString &objectName) + void emitter_QCameraViewfinderSettingsControl2_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QCameraViewfinderSettingsControl2::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QCameraViewfinderSettingsControl2::setViewfinderSettings(const QCameraViewfinderSettings &settings) void cbs_setViewfinderSettings_3871_0(const QCameraViewfinderSettings &settings) { @@ -423,6 +438,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QCameraViewfinderSettingsControl2::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QCameraViewfinderSettingsControl2_Adaptor *)cls)->emitter_QCameraViewfinderSettingsControl2_destroyed_1302 (arg1); +} + + // void QCameraViewfinderSettingsControl2::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -514,6 +547,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QCameraViewfinderSettingsControl2::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QCameraViewfinderSettingsControl2_Adaptor *)cls)->emitter_QCameraViewfinderSettingsControl2_objectNameChanged_4567 (arg1); +} + + // exposed int QCameraViewfinderSettingsControl2::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -658,6 +709,7 @@ static gsi::Methods methods_QCameraViewfinderSettingsControl2_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraViewfinderSettingsControl2::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCameraViewfinderSettingsControl2::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraViewfinderSettingsControl2::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraViewfinderSettingsControl2::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -665,6 +717,7 @@ static gsi::Methods methods_QCameraViewfinderSettingsControl2_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCameraViewfinderSettingsControl2::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraViewfinderSettingsControl2::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QCameraViewfinderSettingsControl2::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCameraViewfinderSettingsControl2::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCameraViewfinderSettingsControl2::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraViewfinderSettingsControl2::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraZoomControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraZoomControl.cc index 5d9c86fa1d..94079c8ab7 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraZoomControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraZoomControl.cc @@ -69,26 +69,6 @@ static void _call_f_currentDigitalZoom_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QCameraZoomControl::currentDigitalZoomChanged(double digitalZoom) - - -static void _init_f_currentDigitalZoomChanged_1071 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("digitalZoom"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_currentDigitalZoomChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - double arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraZoomControl *)cls)->currentDigitalZoomChanged (arg1); -} - - // double QCameraZoomControl::currentOpticalZoom() @@ -104,26 +84,6 @@ static void _call_f_currentOpticalZoom_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QCameraZoomControl::currentOpticalZoomChanged(double opticalZoom) - - -static void _init_f_currentOpticalZoomChanged_1071 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("opticalZoom"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_currentOpticalZoomChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - double arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraZoomControl *)cls)->currentOpticalZoomChanged (arg1); -} - - // double QCameraZoomControl::maximumDigitalZoom() @@ -139,26 +99,6 @@ static void _call_f_maximumDigitalZoom_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QCameraZoomControl::maximumDigitalZoomChanged(double) - - -static void _init_f_maximumDigitalZoomChanged_1071 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_maximumDigitalZoomChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - double arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraZoomControl *)cls)->maximumDigitalZoomChanged (arg1); -} - - // double QCameraZoomControl::maximumOpticalZoom() @@ -174,26 +114,6 @@ static void _call_f_maximumOpticalZoom_c0 (const qt_gsi::GenericMethod * /*decl* } -// void QCameraZoomControl::maximumOpticalZoomChanged(double) - - -static void _init_f_maximumOpticalZoomChanged_1071 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_maximumOpticalZoomChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - double arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraZoomControl *)cls)->maximumOpticalZoomChanged (arg1); -} - - // double QCameraZoomControl::requestedDigitalZoom() @@ -209,26 +129,6 @@ static void _call_f_requestedDigitalZoom_c0 (const qt_gsi::GenericMethod * /*dec } -// void QCameraZoomControl::requestedDigitalZoomChanged(double digitalZoom) - - -static void _init_f_requestedDigitalZoomChanged_1071 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("digitalZoom"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_requestedDigitalZoomChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - double arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraZoomControl *)cls)->requestedDigitalZoomChanged (arg1); -} - - // double QCameraZoomControl::requestedOpticalZoom() @@ -244,26 +144,6 @@ static void _call_f_requestedOpticalZoom_c0 (const qt_gsi::GenericMethod * /*dec } -// void QCameraZoomControl::requestedOpticalZoomChanged(double opticalZoom) - - -static void _init_f_requestedOpticalZoomChanged_1071 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("opticalZoom"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_requestedOpticalZoomChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - double arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCameraZoomControl *)cls)->requestedOpticalZoomChanged (arg1); -} - - // void QCameraZoomControl::zoomTo(double optical, double digital) @@ -344,18 +224,20 @@ static gsi::Methods methods_QCameraZoomControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("currentDigitalZoom", "@brief Method double QCameraZoomControl::currentDigitalZoom()\n", true, &_init_f_currentDigitalZoom_c0, &_call_f_currentDigitalZoom_c0); - methods += new qt_gsi::GenericMethod ("currentDigitalZoomChanged", "@brief Method void QCameraZoomControl::currentDigitalZoomChanged(double digitalZoom)\n", false, &_init_f_currentDigitalZoomChanged_1071, &_call_f_currentDigitalZoomChanged_1071); methods += new qt_gsi::GenericMethod ("currentOpticalZoom", "@brief Method double QCameraZoomControl::currentOpticalZoom()\n", true, &_init_f_currentOpticalZoom_c0, &_call_f_currentOpticalZoom_c0); - methods += new qt_gsi::GenericMethod ("currentOpticalZoomChanged", "@brief Method void QCameraZoomControl::currentOpticalZoomChanged(double opticalZoom)\n", false, &_init_f_currentOpticalZoomChanged_1071, &_call_f_currentOpticalZoomChanged_1071); methods += new qt_gsi::GenericMethod ("maximumDigitalZoom", "@brief Method double QCameraZoomControl::maximumDigitalZoom()\n", true, &_init_f_maximumDigitalZoom_c0, &_call_f_maximumDigitalZoom_c0); - methods += new qt_gsi::GenericMethod ("maximumDigitalZoomChanged", "@brief Method void QCameraZoomControl::maximumDigitalZoomChanged(double)\n", false, &_init_f_maximumDigitalZoomChanged_1071, &_call_f_maximumDigitalZoomChanged_1071); methods += new qt_gsi::GenericMethod ("maximumOpticalZoom", "@brief Method double QCameraZoomControl::maximumOpticalZoom()\n", true, &_init_f_maximumOpticalZoom_c0, &_call_f_maximumOpticalZoom_c0); - methods += new qt_gsi::GenericMethod ("maximumOpticalZoomChanged", "@brief Method void QCameraZoomControl::maximumOpticalZoomChanged(double)\n", false, &_init_f_maximumOpticalZoomChanged_1071, &_call_f_maximumOpticalZoomChanged_1071); methods += new qt_gsi::GenericMethod ("requestedDigitalZoom", "@brief Method double QCameraZoomControl::requestedDigitalZoom()\n", true, &_init_f_requestedDigitalZoom_c0, &_call_f_requestedDigitalZoom_c0); - methods += new qt_gsi::GenericMethod ("requestedDigitalZoomChanged", "@brief Method void QCameraZoomControl::requestedDigitalZoomChanged(double digitalZoom)\n", false, &_init_f_requestedDigitalZoomChanged_1071, &_call_f_requestedDigitalZoomChanged_1071); methods += new qt_gsi::GenericMethod ("requestedOpticalZoom", "@brief Method double QCameraZoomControl::requestedOpticalZoom()\n", true, &_init_f_requestedOpticalZoom_c0, &_call_f_requestedOpticalZoom_c0); - methods += new qt_gsi::GenericMethod ("requestedOpticalZoomChanged", "@brief Method void QCameraZoomControl::requestedOpticalZoomChanged(double opticalZoom)\n", false, &_init_f_requestedOpticalZoomChanged_1071, &_call_f_requestedOpticalZoomChanged_1071); methods += new qt_gsi::GenericMethod ("zoomTo", "@brief Method void QCameraZoomControl::zoomTo(double optical, double digital)\n", false, &_init_f_zoomTo_2034, &_call_f_zoomTo_2034); + methods += gsi::qt_signal ("currentDigitalZoomChanged(double)", "currentDigitalZoomChanged", gsi::arg("digitalZoom"), "@brief Signal declaration for QCameraZoomControl::currentDigitalZoomChanged(double digitalZoom)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("currentOpticalZoomChanged(double)", "currentOpticalZoomChanged", gsi::arg("opticalZoom"), "@brief Signal declaration for QCameraZoomControl::currentOpticalZoomChanged(double opticalZoom)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCameraZoomControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("maximumDigitalZoomChanged(double)", "maximumDigitalZoomChanged", gsi::arg("arg1"), "@brief Signal declaration for QCameraZoomControl::maximumDigitalZoomChanged(double)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("maximumOpticalZoomChanged(double)", "maximumOpticalZoomChanged", gsi::arg("arg1"), "@brief Signal declaration for QCameraZoomControl::maximumOpticalZoomChanged(double)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCameraZoomControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("requestedDigitalZoomChanged(double)", "requestedDigitalZoomChanged", gsi::arg("digitalZoom"), "@brief Signal declaration for QCameraZoomControl::requestedDigitalZoomChanged(double digitalZoom)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("requestedOpticalZoomChanged(double)", "requestedOpticalZoomChanged", gsi::arg("opticalZoom"), "@brief Signal declaration for QCameraZoomControl::requestedOpticalZoomChanged(double opticalZoom)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCameraZoomControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCameraZoomControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -419,6 +301,12 @@ class QCameraZoomControl_Adaptor : public QCameraZoomControl, public qt_gsi::QtO } } + // [emitter impl] void QCameraZoomControl::currentDigitalZoomChanged(double digitalZoom) + void emitter_QCameraZoomControl_currentDigitalZoomChanged_1071(double digitalZoom) + { + emit QCameraZoomControl::currentDigitalZoomChanged(digitalZoom); + } + // [adaptor impl] double QCameraZoomControl::currentOpticalZoom() double cbs_currentOpticalZoom_c0_0() const { @@ -434,6 +322,18 @@ class QCameraZoomControl_Adaptor : public QCameraZoomControl, public qt_gsi::QtO } } + // [emitter impl] void QCameraZoomControl::currentOpticalZoomChanged(double opticalZoom) + void emitter_QCameraZoomControl_currentOpticalZoomChanged_1071(double opticalZoom) + { + emit QCameraZoomControl::currentOpticalZoomChanged(opticalZoom); + } + + // [emitter impl] void QCameraZoomControl::destroyed(QObject *) + void emitter_QCameraZoomControl_destroyed_1302(QObject *arg1) + { + emit QCameraZoomControl::destroyed(arg1); + } + // [adaptor impl] bool QCameraZoomControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -479,6 +379,12 @@ class QCameraZoomControl_Adaptor : public QCameraZoomControl, public qt_gsi::QtO } } + // [emitter impl] void QCameraZoomControl::maximumDigitalZoomChanged(double) + void emitter_QCameraZoomControl_maximumDigitalZoomChanged_1071(double arg1) + { + emit QCameraZoomControl::maximumDigitalZoomChanged(arg1); + } + // [adaptor impl] double QCameraZoomControl::maximumOpticalZoom() double cbs_maximumOpticalZoom_c0_0() const { @@ -494,6 +400,19 @@ class QCameraZoomControl_Adaptor : public QCameraZoomControl, public qt_gsi::QtO } } + // [emitter impl] void QCameraZoomControl::maximumOpticalZoomChanged(double) + void emitter_QCameraZoomControl_maximumOpticalZoomChanged_1071(double arg1) + { + emit QCameraZoomControl::maximumOpticalZoomChanged(arg1); + } + + // [emitter impl] void QCameraZoomControl::objectNameChanged(const QString &objectName) + void emitter_QCameraZoomControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QCameraZoomControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] double QCameraZoomControl::requestedDigitalZoom() double cbs_requestedDigitalZoom_c0_0() const { @@ -509,6 +428,12 @@ class QCameraZoomControl_Adaptor : public QCameraZoomControl, public qt_gsi::QtO } } + // [emitter impl] void QCameraZoomControl::requestedDigitalZoomChanged(double digitalZoom) + void emitter_QCameraZoomControl_requestedDigitalZoomChanged_1071(double digitalZoom) + { + emit QCameraZoomControl::requestedDigitalZoomChanged(digitalZoom); + } + // [adaptor impl] double QCameraZoomControl::requestedOpticalZoom() double cbs_requestedOpticalZoom_c0_0() const { @@ -524,6 +449,12 @@ class QCameraZoomControl_Adaptor : public QCameraZoomControl, public qt_gsi::QtO } } + // [emitter impl] void QCameraZoomControl::requestedOpticalZoomChanged(double opticalZoom) + void emitter_QCameraZoomControl_requestedOpticalZoomChanged_1071(double opticalZoom) + { + emit QCameraZoomControl::requestedOpticalZoomChanged(opticalZoom); + } + // [adaptor impl] void QCameraZoomControl::zoomTo(double optical, double digital) void cbs_zoomTo_2034_0(double optical, double digital) { @@ -675,6 +606,24 @@ static void _set_callback_cbs_currentDigitalZoom_c0_0 (void *cls, const gsi::Cal } +// emitter void QCameraZoomControl::currentDigitalZoomChanged(double digitalZoom) + +static void _init_emitter_currentDigitalZoomChanged_1071 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("digitalZoom"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_currentDigitalZoomChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + ((QCameraZoomControl_Adaptor *)cls)->emitter_QCameraZoomControl_currentDigitalZoomChanged_1071 (arg1); +} + + // double QCameraZoomControl::currentOpticalZoom() static void _init_cbs_currentOpticalZoom_c0_0 (qt_gsi::GenericMethod *decl) @@ -694,6 +643,24 @@ static void _set_callback_cbs_currentOpticalZoom_c0_0 (void *cls, const gsi::Cal } +// emitter void QCameraZoomControl::currentOpticalZoomChanged(double opticalZoom) + +static void _init_emitter_currentOpticalZoomChanged_1071 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("opticalZoom"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_currentOpticalZoomChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + ((QCameraZoomControl_Adaptor *)cls)->emitter_QCameraZoomControl_currentOpticalZoomChanged_1071 (arg1); +} + + // void QCameraZoomControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) @@ -718,6 +685,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QCameraZoomControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QCameraZoomControl_Adaptor *)cls)->emitter_QCameraZoomControl_destroyed_1302 (arg1); +} + + // void QCameraZoomControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -828,6 +813,24 @@ static void _set_callback_cbs_maximumDigitalZoom_c0_0 (void *cls, const gsi::Cal } +// emitter void QCameraZoomControl::maximumDigitalZoomChanged(double) + +static void _init_emitter_maximumDigitalZoomChanged_1071 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_maximumDigitalZoomChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + ((QCameraZoomControl_Adaptor *)cls)->emitter_QCameraZoomControl_maximumDigitalZoomChanged_1071 (arg1); +} + + // double QCameraZoomControl::maximumOpticalZoom() static void _init_cbs_maximumOpticalZoom_c0_0 (qt_gsi::GenericMethod *decl) @@ -847,6 +850,42 @@ static void _set_callback_cbs_maximumOpticalZoom_c0_0 (void *cls, const gsi::Cal } +// emitter void QCameraZoomControl::maximumOpticalZoomChanged(double) + +static void _init_emitter_maximumOpticalZoomChanged_1071 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_maximumOpticalZoomChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + ((QCameraZoomControl_Adaptor *)cls)->emitter_QCameraZoomControl_maximumOpticalZoomChanged_1071 (arg1); +} + + +// emitter void QCameraZoomControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QCameraZoomControl_Adaptor *)cls)->emitter_QCameraZoomControl_objectNameChanged_4567 (arg1); +} + + // exposed int QCameraZoomControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -884,6 +923,24 @@ static void _set_callback_cbs_requestedDigitalZoom_c0_0 (void *cls, const gsi::C } +// emitter void QCameraZoomControl::requestedDigitalZoomChanged(double digitalZoom) + +static void _init_emitter_requestedDigitalZoomChanged_1071 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("digitalZoom"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_requestedDigitalZoomChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + ((QCameraZoomControl_Adaptor *)cls)->emitter_QCameraZoomControl_requestedDigitalZoomChanged_1071 (arg1); +} + + // double QCameraZoomControl::requestedOpticalZoom() static void _init_cbs_requestedOpticalZoom_c0_0 (qt_gsi::GenericMethod *decl) @@ -903,6 +960,24 @@ static void _set_callback_cbs_requestedOpticalZoom_c0_0 (void *cls, const gsi::C } +// emitter void QCameraZoomControl::requestedOpticalZoomChanged(double opticalZoom) + +static void _init_emitter_requestedOpticalZoomChanged_1071 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("opticalZoom"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_requestedOpticalZoomChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + ((QCameraZoomControl_Adaptor *)cls)->emitter_QCameraZoomControl_requestedOpticalZoomChanged_1071 (arg1); +} + + // exposed QObject *QCameraZoomControl::sender() static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) @@ -994,10 +1069,13 @@ static gsi::Methods methods_QCameraZoomControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("currentDigitalZoom", "@brief Virtual method double QCameraZoomControl::currentDigitalZoom()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_currentDigitalZoom_c0_0, &_call_cbs_currentDigitalZoom_c0_0); methods += new qt_gsi::GenericMethod ("currentDigitalZoom", "@hide", true, &_init_cbs_currentDigitalZoom_c0_0, &_call_cbs_currentDigitalZoom_c0_0, &_set_callback_cbs_currentDigitalZoom_c0_0); + methods += new qt_gsi::GenericMethod ("emit_currentDigitalZoomChanged", "@brief Emitter for signal void QCameraZoomControl::currentDigitalZoomChanged(double digitalZoom)\nCall this method to emit this signal.", false, &_init_emitter_currentDigitalZoomChanged_1071, &_call_emitter_currentDigitalZoomChanged_1071); methods += new qt_gsi::GenericMethod ("currentOpticalZoom", "@brief Virtual method double QCameraZoomControl::currentOpticalZoom()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_currentOpticalZoom_c0_0, &_call_cbs_currentOpticalZoom_c0_0); methods += new qt_gsi::GenericMethod ("currentOpticalZoom", "@hide", true, &_init_cbs_currentOpticalZoom_c0_0, &_call_cbs_currentOpticalZoom_c0_0, &_set_callback_cbs_currentOpticalZoom_c0_0); + methods += new qt_gsi::GenericMethod ("emit_currentOpticalZoomChanged", "@brief Emitter for signal void QCameraZoomControl::currentOpticalZoomChanged(double opticalZoom)\nCall this method to emit this signal.", false, &_init_emitter_currentOpticalZoomChanged_1071, &_call_emitter_currentOpticalZoomChanged_1071); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCameraZoomControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCameraZoomControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCameraZoomControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCameraZoomControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -1007,13 +1085,18 @@ static gsi::Methods methods_QCameraZoomControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCameraZoomControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("maximumDigitalZoom", "@brief Virtual method double QCameraZoomControl::maximumDigitalZoom()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_maximumDigitalZoom_c0_0, &_call_cbs_maximumDigitalZoom_c0_0); methods += new qt_gsi::GenericMethod ("maximumDigitalZoom", "@hide", true, &_init_cbs_maximumDigitalZoom_c0_0, &_call_cbs_maximumDigitalZoom_c0_0, &_set_callback_cbs_maximumDigitalZoom_c0_0); + methods += new qt_gsi::GenericMethod ("emit_maximumDigitalZoomChanged", "@brief Emitter for signal void QCameraZoomControl::maximumDigitalZoomChanged(double)\nCall this method to emit this signal.", false, &_init_emitter_maximumDigitalZoomChanged_1071, &_call_emitter_maximumDigitalZoomChanged_1071); methods += new qt_gsi::GenericMethod ("maximumOpticalZoom", "@brief Virtual method double QCameraZoomControl::maximumOpticalZoom()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_maximumOpticalZoom_c0_0, &_call_cbs_maximumOpticalZoom_c0_0); methods += new qt_gsi::GenericMethod ("maximumOpticalZoom", "@hide", true, &_init_cbs_maximumOpticalZoom_c0_0, &_call_cbs_maximumOpticalZoom_c0_0, &_set_callback_cbs_maximumOpticalZoom_c0_0); + methods += new qt_gsi::GenericMethod ("emit_maximumOpticalZoomChanged", "@brief Emitter for signal void QCameraZoomControl::maximumOpticalZoomChanged(double)\nCall this method to emit this signal.", false, &_init_emitter_maximumOpticalZoomChanged_1071, &_call_emitter_maximumOpticalZoomChanged_1071); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QCameraZoomControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCameraZoomControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("requestedDigitalZoom", "@brief Virtual method double QCameraZoomControl::requestedDigitalZoom()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_requestedDigitalZoom_c0_0, &_call_cbs_requestedDigitalZoom_c0_0); methods += new qt_gsi::GenericMethod ("requestedDigitalZoom", "@hide", true, &_init_cbs_requestedDigitalZoom_c0_0, &_call_cbs_requestedDigitalZoom_c0_0, &_set_callback_cbs_requestedDigitalZoom_c0_0); + methods += new qt_gsi::GenericMethod ("emit_requestedDigitalZoomChanged", "@brief Emitter for signal void QCameraZoomControl::requestedDigitalZoomChanged(double digitalZoom)\nCall this method to emit this signal.", false, &_init_emitter_requestedDigitalZoomChanged_1071, &_call_emitter_requestedDigitalZoomChanged_1071); methods += new qt_gsi::GenericMethod ("requestedOpticalZoom", "@brief Virtual method double QCameraZoomControl::requestedOpticalZoom()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_requestedOpticalZoom_c0_0, &_call_cbs_requestedOpticalZoom_c0_0); methods += new qt_gsi::GenericMethod ("requestedOpticalZoom", "@hide", true, &_init_cbs_requestedOpticalZoom_c0_0, &_call_cbs_requestedOpticalZoom_c0_0, &_set_callback_cbs_requestedOpticalZoom_c0_0); + methods += new qt_gsi::GenericMethod ("emit_requestedOpticalZoomChanged", "@brief Emitter for signal void QCameraZoomControl::requestedOpticalZoomChanged(double opticalZoom)\nCall this method to emit this signal.", false, &_init_emitter_requestedOpticalZoomChanged_1071, &_call_emitter_requestedOpticalZoomChanged_1071); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCameraZoomControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCameraZoomControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCameraZoomControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCustomAudioRoleControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCustomAudioRoleControl.cc index 95454c0726..02585c9d06 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCustomAudioRoleControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCustomAudioRoleControl.cc @@ -69,26 +69,6 @@ static void _call_f_customAudioRole_c0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QCustomAudioRoleControl::customAudioRoleChanged(const QString &role) - - -static void _init_f_customAudioRoleChanged_2025 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("role"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_customAudioRoleChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCustomAudioRoleControl *)cls)->customAudioRoleChanged (arg1); -} - - // void QCustomAudioRoleControl::setCustomAudioRole(const QString &role) @@ -180,10 +160,12 @@ namespace gsi static gsi::Methods methods_QCustomAudioRoleControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("customAudioRole", "@brief Method QString QCustomAudioRoleControl::customAudioRole()\n", true, &_init_f_customAudioRole_c0, &_call_f_customAudioRole_c0); - methods += new qt_gsi::GenericMethod ("customAudioRoleChanged", "@brief Method void QCustomAudioRoleControl::customAudioRoleChanged(const QString &role)\n", false, &_init_f_customAudioRoleChanged_2025, &_call_f_customAudioRoleChanged_2025); - methods += new qt_gsi::GenericMethod ("setCustomAudioRole", "@brief Method void QCustomAudioRoleControl::setCustomAudioRole(const QString &role)\n", false, &_init_f_setCustomAudioRole_2025, &_call_f_setCustomAudioRole_2025); + methods += new qt_gsi::GenericMethod (":customAudioRole", "@brief Method QString QCustomAudioRoleControl::customAudioRole()\n", true, &_init_f_customAudioRole_c0, &_call_f_customAudioRole_c0); + methods += new qt_gsi::GenericMethod ("setCustomAudioRole|customAudioRole=", "@brief Method void QCustomAudioRoleControl::setCustomAudioRole(const QString &role)\n", false, &_init_f_setCustomAudioRole_2025, &_call_f_setCustomAudioRole_2025); methods += new qt_gsi::GenericMethod ("supportedCustomAudioRoles", "@brief Method QStringList QCustomAudioRoleControl::supportedCustomAudioRoles()\n", true, &_init_f_supportedCustomAudioRoles_c0, &_call_f_supportedCustomAudioRoles_c0); + methods += gsi::qt_signal ("customAudioRoleChanged(const QString &)", "customAudioRoleChanged", gsi::arg("role"), "@brief Signal declaration for QCustomAudioRoleControl::customAudioRoleChanged(const QString &role)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCustomAudioRoleControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCustomAudioRoleControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCustomAudioRoleControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QCustomAudioRoleControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -247,6 +229,18 @@ class QCustomAudioRoleControl_Adaptor : public QCustomAudioRoleControl, public q } } + // [emitter impl] void QCustomAudioRoleControl::customAudioRoleChanged(const QString &role) + void emitter_QCustomAudioRoleControl_customAudioRoleChanged_2025(const QString &role) + { + emit QCustomAudioRoleControl::customAudioRoleChanged(role); + } + + // [emitter impl] void QCustomAudioRoleControl::destroyed(QObject *) + void emitter_QCustomAudioRoleControl_destroyed_1302(QObject *arg1) + { + emit QCustomAudioRoleControl::destroyed(arg1); + } + // [adaptor impl] bool QCustomAudioRoleControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -277,6 +271,13 @@ class QCustomAudioRoleControl_Adaptor : public QCustomAudioRoleControl, public q } } + // [emitter impl] void QCustomAudioRoleControl::objectNameChanged(const QString &objectName) + void emitter_QCustomAudioRoleControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QCustomAudioRoleControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QCustomAudioRoleControl::setCustomAudioRole(const QString &role) void cbs_setCustomAudioRole_2025_0(const QString &role) { @@ -438,6 +439,24 @@ static void _set_callback_cbs_customAudioRole_c0_0 (void *cls, const gsi::Callba } +// emitter void QCustomAudioRoleControl::customAudioRoleChanged(const QString &role) + +static void _init_emitter_customAudioRoleChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("role"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_customAudioRoleChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QCustomAudioRoleControl_Adaptor *)cls)->emitter_QCustomAudioRoleControl_customAudioRoleChanged_2025 (arg1); +} + + // void QCustomAudioRoleControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) @@ -462,6 +481,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QCustomAudioRoleControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QCustomAudioRoleControl_Adaptor *)cls)->emitter_QCustomAudioRoleControl_destroyed_1302 (arg1); +} + + // void QCustomAudioRoleControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -553,6 +590,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QCustomAudioRoleControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QCustomAudioRoleControl_Adaptor *)cls)->emitter_QCustomAudioRoleControl_objectNameChanged_4567 (arg1); +} + + // exposed int QCustomAudioRoleControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -678,8 +733,10 @@ static gsi::Methods methods_QCustomAudioRoleControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("customAudioRole", "@brief Virtual method QString QCustomAudioRoleControl::customAudioRole()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_customAudioRole_c0_0, &_call_cbs_customAudioRole_c0_0); methods += new qt_gsi::GenericMethod ("customAudioRole", "@hide", true, &_init_cbs_customAudioRole_c0_0, &_call_cbs_customAudioRole_c0_0, &_set_callback_cbs_customAudioRole_c0_0); + methods += new qt_gsi::GenericMethod ("emit_customAudioRoleChanged", "@brief Emitter for signal void QCustomAudioRoleControl::customAudioRoleChanged(const QString &role)\nCall this method to emit this signal.", false, &_init_emitter_customAudioRoleChanged_2025, &_call_emitter_customAudioRoleChanged_2025); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCustomAudioRoleControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCustomAudioRoleControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCustomAudioRoleControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCustomAudioRoleControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -687,6 +744,7 @@ static gsi::Methods methods_QCustomAudioRoleControl_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCustomAudioRoleControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCustomAudioRoleControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QCustomAudioRoleControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCustomAudioRoleControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCustomAudioRoleControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCustomAudioRoleControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQGraphicsVideoItem.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQGraphicsVideoItem.cc index 338f79cec3..a1c1542875 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQGraphicsVideoItem.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQGraphicsVideoItem.cc @@ -142,26 +142,6 @@ static void _call_f_nativeSize_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QGraphicsVideoItem::nativeSizeChanged(const QSizeF &size) - - -static void _init_f_nativeSizeChanged_1875 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("size"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_nativeSizeChanged_1875 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QSizeF &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QGraphicsVideoItem *)cls)->nativeSizeChanged (arg1); -} - - // QPointF QGraphicsVideoItem::offset() @@ -383,13 +363,27 @@ static gsi::Methods methods_QGraphicsVideoItem () { methods += new qt_gsi::GenericMethod ("boundingRect", "@brief Method QRectF QGraphicsVideoItem::boundingRect()\nThis is a reimplementation of QGraphicsItem::boundingRect", true, &_init_f_boundingRect_c0, &_call_f_boundingRect_c0); methods += new qt_gsi::GenericMethod (":mediaObject", "@brief Method QMediaObject *QGraphicsVideoItem::mediaObject()\nThis is a reimplementation of QMediaBindableInterface::mediaObject", true, &_init_f_mediaObject_c0, &_call_f_mediaObject_c0); methods += new qt_gsi::GenericMethod (":nativeSize", "@brief Method QSizeF QGraphicsVideoItem::nativeSize()\n", true, &_init_f_nativeSize_c0, &_call_f_nativeSize_c0); - methods += new qt_gsi::GenericMethod ("nativeSizeChanged", "@brief Method void QGraphicsVideoItem::nativeSizeChanged(const QSizeF &size)\n", false, &_init_f_nativeSizeChanged_1875, &_call_f_nativeSizeChanged_1875); methods += new qt_gsi::GenericMethod (":offset", "@brief Method QPointF QGraphicsVideoItem::offset()\n", true, &_init_f_offset_c0, &_call_f_offset_c0); methods += new qt_gsi::GenericMethod ("paint", "@brief Method void QGraphicsVideoItem::paint(QPainter *painter, const QStyleOptionGraphicsItem *option, QWidget *widget)\nThis is a reimplementation of QGraphicsItem::paint", false, &_init_f_paint_6301, &_call_f_paint_6301); methods += new qt_gsi::GenericMethod ("setAspectRatioMode|aspectRatioMode=", "@brief Method void QGraphicsVideoItem::setAspectRatioMode(Qt::AspectRatioMode mode)\n", false, &_init_f_setAspectRatioMode_2257, &_call_f_setAspectRatioMode_2257); methods += new qt_gsi::GenericMethod ("setOffset|offset=", "@brief Method void QGraphicsVideoItem::setOffset(const QPointF &offset)\n", false, &_init_f_setOffset_1986, &_call_f_setOffset_1986); methods += new qt_gsi::GenericMethod ("setSize|size=", "@brief Method void QGraphicsVideoItem::setSize(const QSizeF &size)\n", false, &_init_f_setSize_1875, &_call_f_setSize_1875); methods += new qt_gsi::GenericMethod (":size", "@brief Method QSizeF QGraphicsVideoItem::size()\n", true, &_init_f_size_c0, &_call_f_size_c0); + methods += gsi::qt_signal ("childrenChanged()", "childrenChanged", "@brief Signal declaration for QGraphicsVideoItem::childrenChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QGraphicsVideoItem::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("enabledChanged()", "enabledChanged", "@brief Signal declaration for QGraphicsVideoItem::enabledChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("heightChanged()", "heightChanged", "@brief Signal declaration for QGraphicsVideoItem::heightChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("nativeSizeChanged(const QSizeF &)", "nativeSizeChanged", gsi::arg("size"), "@brief Signal declaration for QGraphicsVideoItem::nativeSizeChanged(const QSizeF &size)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QGraphicsVideoItem::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("opacityChanged()", "opacityChanged", "@brief Signal declaration for QGraphicsVideoItem::opacityChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("parentChanged()", "parentChanged", "@brief Signal declaration for QGraphicsVideoItem::parentChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("rotationChanged()", "rotationChanged", "@brief Signal declaration for QGraphicsVideoItem::rotationChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("scaleChanged()", "scaleChanged", "@brief Signal declaration for QGraphicsVideoItem::scaleChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("visibleChanged()", "visibleChanged", "@brief Signal declaration for QGraphicsVideoItem::visibleChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("widthChanged()", "widthChanged", "@brief Signal declaration for QGraphicsVideoItem::widthChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("xChanged()", "xChanged", "@brief Signal declaration for QGraphicsVideoItem::xChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("yChanged()", "yChanged", "@brief Signal declaration for QGraphicsVideoItem::yChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("zChanged()", "zChanged", "@brief Signal declaration for QGraphicsVideoItem::zChanged()\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QGraphicsVideoItem::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QGraphicsVideoItem::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); methods += new qt_gsi::GenericMethod ("asQGraphicsObject", "@brief Delivers the base class interface QGraphicsObject of QGraphicsVideoItem\nClass QGraphicsVideoItem is derived from multiple base classes. This method delivers the QGraphicsObject base class aspect.", false, &_init_f_QGraphicsVideoItem_as_QGraphicsObject, &_call_f_QGraphicsVideoItem_as_QGraphicsObject); @@ -504,6 +498,12 @@ class QGraphicsVideoItem_Adaptor : public QGraphicsVideoItem, public qt_gsi::QtO } } + // [emitter impl] void QGraphicsVideoItem::childrenChanged() + void emitter_QGraphicsVideoItem_childrenChanged_0() + { + emit QGraphicsVideoItem::childrenChanged(); + } + // [adaptor impl] bool QGraphicsVideoItem::collidesWithItem(const QGraphicsItem *other, Qt::ItemSelectionMode mode) bool cbs_collidesWithItem_c4977_1(const QGraphicsItem *other, const qt_gsi::Converter::target_type & mode) const { @@ -549,6 +549,18 @@ class QGraphicsVideoItem_Adaptor : public QGraphicsVideoItem, public qt_gsi::QtO } } + // [emitter impl] void QGraphicsVideoItem::destroyed(QObject *) + void emitter_QGraphicsVideoItem_destroyed_1302(QObject *arg1) + { + emit QGraphicsVideoItem::destroyed(arg1); + } + + // [emitter impl] void QGraphicsVideoItem::enabledChanged() + void emitter_QGraphicsVideoItem_enabledChanged_0() + { + emit QGraphicsVideoItem::enabledChanged(); + } + // [adaptor impl] bool QGraphicsVideoItem::eventFilter(QObject *watched, QEvent *event) bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { @@ -564,6 +576,12 @@ class QGraphicsVideoItem_Adaptor : public QGraphicsVideoItem, public qt_gsi::QtO } } + // [emitter impl] void QGraphicsVideoItem::heightChanged() + void emitter_QGraphicsVideoItem_heightChanged_0() + { + emit QGraphicsVideoItem::heightChanged(); + } + // [adaptor impl] bool QGraphicsVideoItem::isObscuredBy(const QGraphicsItem *item) bool cbs_isObscuredBy_c2614_0(const QGraphicsItem *item) const { @@ -594,6 +612,25 @@ class QGraphicsVideoItem_Adaptor : public QGraphicsVideoItem, public qt_gsi::QtO } } + // [emitter impl] void QGraphicsVideoItem::nativeSizeChanged(const QSizeF &size) + void emitter_QGraphicsVideoItem_nativeSizeChanged_1875(const QSizeF &size) + { + emit QGraphicsVideoItem::nativeSizeChanged(size); + } + + // [emitter impl] void QGraphicsVideoItem::objectNameChanged(const QString &objectName) + void emitter_QGraphicsVideoItem_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QGraphicsVideoItem::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QGraphicsVideoItem::opacityChanged() + void emitter_QGraphicsVideoItem_opacityChanged_0() + { + emit QGraphicsVideoItem::opacityChanged(); + } + // [adaptor impl] QPainterPath QGraphicsVideoItem::opaqueArea() QPainterPath cbs_opaqueArea_c0_0() const { @@ -624,6 +661,24 @@ class QGraphicsVideoItem_Adaptor : public QGraphicsVideoItem, public qt_gsi::QtO } } + // [emitter impl] void QGraphicsVideoItem::parentChanged() + void emitter_QGraphicsVideoItem_parentChanged_0() + { + emit QGraphicsVideoItem::parentChanged(); + } + + // [emitter impl] void QGraphicsVideoItem::rotationChanged() + void emitter_QGraphicsVideoItem_rotationChanged_0() + { + emit QGraphicsVideoItem::rotationChanged(); + } + + // [emitter impl] void QGraphicsVideoItem::scaleChanged() + void emitter_QGraphicsVideoItem_scaleChanged_0() + { + emit QGraphicsVideoItem::scaleChanged(); + } + // [adaptor impl] QPainterPath QGraphicsVideoItem::shape() QPainterPath cbs_shape_c0_0() const { @@ -654,6 +709,36 @@ class QGraphicsVideoItem_Adaptor : public QGraphicsVideoItem, public qt_gsi::QtO } } + // [emitter impl] void QGraphicsVideoItem::visibleChanged() + void emitter_QGraphicsVideoItem_visibleChanged_0() + { + emit QGraphicsVideoItem::visibleChanged(); + } + + // [emitter impl] void QGraphicsVideoItem::widthChanged() + void emitter_QGraphicsVideoItem_widthChanged_0() + { + emit QGraphicsVideoItem::widthChanged(); + } + + // [emitter impl] void QGraphicsVideoItem::xChanged() + void emitter_QGraphicsVideoItem_xChanged_0() + { + emit QGraphicsVideoItem::xChanged(); + } + + // [emitter impl] void QGraphicsVideoItem::yChanged() + void emitter_QGraphicsVideoItem_yChanged_0() + { + emit QGraphicsVideoItem::yChanged(); + } + + // [emitter impl] void QGraphicsVideoItem::zChanged() + void emitter_QGraphicsVideoItem_zChanged_0() + { + emit QGraphicsVideoItem::zChanged(); + } + // [adaptor impl] void QGraphicsVideoItem::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -1266,6 +1351,20 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } +// emitter void QGraphicsVideoItem::childrenChanged() + +static void _init_emitter_childrenChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_childrenChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsVideoItem_Adaptor *)cls)->emitter_QGraphicsVideoItem_childrenChanged_0 (); +} + + // bool QGraphicsVideoItem::collidesWithItem(const QGraphicsItem *other, Qt::ItemSelectionMode mode) static void _init_cbs_collidesWithItem_c4977_1 (qt_gsi::GenericMethod *decl) @@ -1389,6 +1488,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QGraphicsVideoItem::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QGraphicsVideoItem_Adaptor *)cls)->emitter_QGraphicsVideoItem_destroyed_1302 (arg1); +} + + // void QGraphicsVideoItem::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1509,6 +1626,20 @@ static void _set_callback_cbs_dropEvent_3315_0 (void *cls, const gsi::Callback & } +// emitter void QGraphicsVideoItem::enabledChanged() + +static void _init_emitter_enabledChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_enabledChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsVideoItem_Adaptor *)cls)->emitter_QGraphicsVideoItem_enabledChanged_0 (); +} + + // bool QGraphicsVideoItem::event(QEvent *ev) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -1629,6 +1760,20 @@ static void _set_callback_cbs_focusOutEvent_1729_0 (void *cls, const gsi::Callba } +// emitter void QGraphicsVideoItem::heightChanged() + +static void _init_emitter_heightChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_heightChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsVideoItem_Adaptor *)cls)->emitter_QGraphicsVideoItem_heightChanged_0 (); +} + + // void QGraphicsVideoItem::hoverEnterEvent(QGraphicsSceneHoverEvent *event) static void _init_cbs_hoverEnterEvent_3044_0 (qt_gsi::GenericMethod *decl) @@ -1978,6 +2123,56 @@ static void _set_callback_cbs_mouseReleaseEvent_3049_0 (void *cls, const gsi::Ca } +// emitter void QGraphicsVideoItem::nativeSizeChanged(const QSizeF &size) + +static void _init_emitter_nativeSizeChanged_1875 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("size"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_nativeSizeChanged_1875 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QSizeF &arg1 = gsi::arg_reader() (args, heap); + ((QGraphicsVideoItem_Adaptor *)cls)->emitter_QGraphicsVideoItem_nativeSizeChanged_1875 (arg1); +} + + +// emitter void QGraphicsVideoItem::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QGraphicsVideoItem_Adaptor *)cls)->emitter_QGraphicsVideoItem_objectNameChanged_4567 (arg1); +} + + +// emitter void QGraphicsVideoItem::opacityChanged() + +static void _init_emitter_opacityChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_opacityChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsVideoItem_Adaptor *)cls)->emitter_QGraphicsVideoItem_opacityChanged_0 (); +} + + // QPainterPath QGraphicsVideoItem::opaqueArea() static void _init_cbs_opaqueArea_c0_0 (qt_gsi::GenericMethod *decl) @@ -2027,6 +2222,20 @@ static void _set_callback_cbs_paint_6301_1 (void *cls, const gsi::Callback &cb) } +// emitter void QGraphicsVideoItem::parentChanged() + +static void _init_emitter_parentChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_parentChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsVideoItem_Adaptor *)cls)->emitter_QGraphicsVideoItem_parentChanged_0 (); +} + + // exposed void QGraphicsVideoItem::prepareGeometryChange() static void _init_fp_prepareGeometryChange_0 (qt_gsi::GenericMethod *decl) @@ -2075,6 +2284,34 @@ static void _call_fp_removeFromIndex_0 (const qt_gsi::GenericMethod * /*decl*/, } +// emitter void QGraphicsVideoItem::rotationChanged() + +static void _init_emitter_rotationChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_rotationChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsVideoItem_Adaptor *)cls)->emitter_QGraphicsVideoItem_rotationChanged_0 (); +} + + +// emitter void QGraphicsVideoItem::scaleChanged() + +static void _init_emitter_scaleChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_scaleChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsVideoItem_Adaptor *)cls)->emitter_QGraphicsVideoItem_scaleChanged_0 (); +} + + // bool QGraphicsVideoItem::sceneEvent(QEvent *event) static void _init_cbs_sceneEvent_1217_0 (qt_gsi::GenericMethod *decl) @@ -2302,6 +2539,20 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } +// emitter void QGraphicsVideoItem::visibleChanged() + +static void _init_emitter_visibleChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_visibleChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsVideoItem_Adaptor *)cls)->emitter_QGraphicsVideoItem_visibleChanged_0 (); +} + + // void QGraphicsVideoItem::wheelEvent(QGraphicsSceneWheelEvent *event) static void _init_cbs_wheelEvent_3029_0 (qt_gsi::GenericMethod *decl) @@ -2326,6 +2577,62 @@ static void _set_callback_cbs_wheelEvent_3029_0 (void *cls, const gsi::Callback } +// emitter void QGraphicsVideoItem::widthChanged() + +static void _init_emitter_widthChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_widthChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsVideoItem_Adaptor *)cls)->emitter_QGraphicsVideoItem_widthChanged_0 (); +} + + +// emitter void QGraphicsVideoItem::xChanged() + +static void _init_emitter_xChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_xChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsVideoItem_Adaptor *)cls)->emitter_QGraphicsVideoItem_xChanged_0 (); +} + + +// emitter void QGraphicsVideoItem::yChanged() + +static void _init_emitter_yChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_yChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsVideoItem_Adaptor *)cls)->emitter_QGraphicsVideoItem_yChanged_0 (); +} + + +// emitter void QGraphicsVideoItem::zChanged() + +static void _init_emitter_zChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_zChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsVideoItem_Adaptor *)cls)->emitter_QGraphicsVideoItem_zChanged_0 (); +} + + namespace gsi { @@ -2341,6 +2648,7 @@ static gsi::Methods methods_QGraphicsVideoItem_Adaptor () { methods += new qt_gsi::GenericMethod ("boundingRect", "@hide", true, &_init_cbs_boundingRect_c0_0, &_call_cbs_boundingRect_c0_0, &_set_callback_cbs_boundingRect_c0_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsVideoItem::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("emit_childrenChanged", "@brief Emitter for signal void QGraphicsVideoItem::childrenChanged()\nCall this method to emit this signal.", false, &_init_emitter_childrenChanged_0, &_call_emitter_childrenChanged_0); methods += new qt_gsi::GenericMethod ("collidesWithItem", "@brief Virtual method bool QGraphicsVideoItem::collidesWithItem(const QGraphicsItem *other, Qt::ItemSelectionMode mode)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_collidesWithItem_c4977_1, &_call_cbs_collidesWithItem_c4977_1); methods += new qt_gsi::GenericMethod ("collidesWithItem", "@hide", true, &_init_cbs_collidesWithItem_c4977_1, &_call_cbs_collidesWithItem_c4977_1, &_set_callback_cbs_collidesWithItem_c4977_1); methods += new qt_gsi::GenericMethod ("collidesWithPath", "@brief Virtual method bool QGraphicsVideoItem::collidesWithPath(const QPainterPath &path, Qt::ItemSelectionMode mode)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_collidesWithPath_c4877_1, &_call_cbs_collidesWithPath_c4877_1); @@ -2351,6 +2659,7 @@ static gsi::Methods methods_QGraphicsVideoItem_Adaptor () { methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_3674_0, &_call_cbs_contextMenuEvent_3674_0, &_set_callback_cbs_contextMenuEvent_3674_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsVideoItem::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGraphicsVideoItem::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsVideoItem::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QGraphicsVideoItem::dragEnterEvent(QGraphicsSceneDragDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_3315_0, &_call_cbs_dragEnterEvent_3315_0); @@ -2361,6 +2670,7 @@ static gsi::Methods methods_QGraphicsVideoItem_Adaptor () { methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_3315_0, &_call_cbs_dragMoveEvent_3315_0, &_set_callback_cbs_dragMoveEvent_3315_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QGraphicsVideoItem::dropEvent(QGraphicsSceneDragDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_3315_0, &_call_cbs_dropEvent_3315_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_3315_0, &_call_cbs_dropEvent_3315_0, &_set_callback_cbs_dropEvent_3315_0); + methods += new qt_gsi::GenericMethod ("emit_enabledChanged", "@brief Emitter for signal void QGraphicsVideoItem::enabledChanged()\nCall this method to emit this signal.", false, &_init_emitter_enabledChanged_0, &_call_emitter_enabledChanged_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QGraphicsVideoItem::event(QEvent *ev)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsVideoItem::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); @@ -2371,6 +2681,7 @@ static gsi::Methods methods_QGraphicsVideoItem_Adaptor () { methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QGraphicsVideoItem::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("emit_heightChanged", "@brief Emitter for signal void QGraphicsVideoItem::heightChanged()\nCall this method to emit this signal.", false, &_init_emitter_heightChanged_0, &_call_emitter_heightChanged_0); methods += new qt_gsi::GenericMethod ("*hoverEnterEvent", "@brief Virtual method void QGraphicsVideoItem::hoverEnterEvent(QGraphicsSceneHoverEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hoverEnterEvent_3044_0, &_call_cbs_hoverEnterEvent_3044_0); methods += new qt_gsi::GenericMethod ("*hoverEnterEvent", "@hide", false, &_init_cbs_hoverEnterEvent_3044_0, &_call_cbs_hoverEnterEvent_3044_0, &_set_callback_cbs_hoverEnterEvent_3044_0); methods += new qt_gsi::GenericMethod ("*hoverLeaveEvent", "@brief Virtual method void QGraphicsVideoItem::hoverLeaveEvent(QGraphicsSceneHoverEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hoverLeaveEvent_3044_0, &_call_cbs_hoverLeaveEvent_3044_0); @@ -2400,13 +2711,19 @@ static gsi::Methods methods_QGraphicsVideoItem_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_3049_0, &_call_cbs_mousePressEvent_3049_0, &_set_callback_cbs_mousePressEvent_3049_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QGraphicsVideoItem::mouseReleaseEvent(QGraphicsSceneMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_3049_0, &_call_cbs_mouseReleaseEvent_3049_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_3049_0, &_call_cbs_mouseReleaseEvent_3049_0, &_set_callback_cbs_mouseReleaseEvent_3049_0); + methods += new qt_gsi::GenericMethod ("emit_nativeSizeChanged", "@brief Emitter for signal void QGraphicsVideoItem::nativeSizeChanged(const QSizeF &size)\nCall this method to emit this signal.", false, &_init_emitter_nativeSizeChanged_1875, &_call_emitter_nativeSizeChanged_1875); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QGraphicsVideoItem::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); + methods += new qt_gsi::GenericMethod ("emit_opacityChanged", "@brief Emitter for signal void QGraphicsVideoItem::opacityChanged()\nCall this method to emit this signal.", false, &_init_emitter_opacityChanged_0, &_call_emitter_opacityChanged_0); methods += new qt_gsi::GenericMethod ("opaqueArea", "@brief Virtual method QPainterPath QGraphicsVideoItem::opaqueArea()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_opaqueArea_c0_0, &_call_cbs_opaqueArea_c0_0); methods += new qt_gsi::GenericMethod ("opaqueArea", "@hide", true, &_init_cbs_opaqueArea_c0_0, &_call_cbs_opaqueArea_c0_0, &_set_callback_cbs_opaqueArea_c0_0); methods += new qt_gsi::GenericMethod ("paint", "@brief Virtual method void QGraphicsVideoItem::paint(QPainter *painter, const QStyleOptionGraphicsItem *option, QWidget *widget)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paint_6301_1, &_call_cbs_paint_6301_1); methods += new qt_gsi::GenericMethod ("paint", "@hide", false, &_init_cbs_paint_6301_1, &_call_cbs_paint_6301_1, &_set_callback_cbs_paint_6301_1); + methods += new qt_gsi::GenericMethod ("emit_parentChanged", "@brief Emitter for signal void QGraphicsVideoItem::parentChanged()\nCall this method to emit this signal.", false, &_init_emitter_parentChanged_0, &_call_emitter_parentChanged_0); methods += new qt_gsi::GenericMethod ("*prepareGeometryChange", "@brief Method void QGraphicsVideoItem::prepareGeometryChange()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_prepareGeometryChange_0, &_call_fp_prepareGeometryChange_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QGraphicsVideoItem::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*removeFromIndex", "@brief Method void QGraphicsVideoItem::removeFromIndex()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_removeFromIndex_0, &_call_fp_removeFromIndex_0); + methods += new qt_gsi::GenericMethod ("emit_rotationChanged", "@brief Emitter for signal void QGraphicsVideoItem::rotationChanged()\nCall this method to emit this signal.", false, &_init_emitter_rotationChanged_0, &_call_emitter_rotationChanged_0); + methods += new qt_gsi::GenericMethod ("emit_scaleChanged", "@brief Emitter for signal void QGraphicsVideoItem::scaleChanged()\nCall this method to emit this signal.", false, &_init_emitter_scaleChanged_0, &_call_emitter_scaleChanged_0); methods += new qt_gsi::GenericMethod ("*sceneEvent", "@brief Virtual method bool QGraphicsVideoItem::sceneEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_sceneEvent_1217_0, &_call_cbs_sceneEvent_1217_0); methods += new qt_gsi::GenericMethod ("*sceneEvent", "@hide", false, &_init_cbs_sceneEvent_1217_0, &_call_cbs_sceneEvent_1217_0, &_set_callback_cbs_sceneEvent_1217_0); methods += new qt_gsi::GenericMethod ("*sceneEventFilter", "@brief Virtual method bool QGraphicsVideoItem::sceneEventFilter(QGraphicsItem *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_sceneEventFilter_3028_0, &_call_cbs_sceneEventFilter_3028_0); @@ -2426,8 +2743,13 @@ static gsi::Methods methods_QGraphicsVideoItem_Adaptor () { methods += new qt_gsi::GenericMethod ("type", "@brief Virtual method int QGraphicsVideoItem::type()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_type_c0_0, &_call_cbs_type_c0_0); methods += new qt_gsi::GenericMethod ("type", "@hide", true, &_init_cbs_type_c0_0, &_call_cbs_type_c0_0, &_set_callback_cbs_type_c0_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QGraphicsVideoItem::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); + methods += new qt_gsi::GenericMethod ("emit_visibleChanged", "@brief Emitter for signal void QGraphicsVideoItem::visibleChanged()\nCall this method to emit this signal.", false, &_init_emitter_visibleChanged_0, &_call_emitter_visibleChanged_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QGraphicsVideoItem::wheelEvent(QGraphicsSceneWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_3029_0, &_call_cbs_wheelEvent_3029_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_3029_0, &_call_cbs_wheelEvent_3029_0, &_set_callback_cbs_wheelEvent_3029_0); + methods += new qt_gsi::GenericMethod ("emit_widthChanged", "@brief Emitter for signal void QGraphicsVideoItem::widthChanged()\nCall this method to emit this signal.", false, &_init_emitter_widthChanged_0, &_call_emitter_widthChanged_0); + methods += new qt_gsi::GenericMethod ("emit_xChanged", "@brief Emitter for signal void QGraphicsVideoItem::xChanged()\nCall this method to emit this signal.", false, &_init_emitter_xChanged_0, &_call_emitter_xChanged_0); + methods += new qt_gsi::GenericMethod ("emit_yChanged", "@brief Emitter for signal void QGraphicsVideoItem::yChanged()\nCall this method to emit this signal.", false, &_init_emitter_yChanged_0, &_call_emitter_yChanged_0); + methods += new qt_gsi::GenericMethod ("emit_zChanged", "@brief Emitter for signal void QGraphicsVideoItem::zChanged()\nCall this method to emit this signal.", false, &_init_emitter_zChanged_0, &_call_emitter_zChanged_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQImageEncoderControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQImageEncoderControl.cc index 45ed4c9103..d8cc78aa7b 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQImageEncoderControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQImageEncoderControl.cc @@ -208,6 +208,8 @@ static gsi::Methods methods_QImageEncoderControl () { methods += new qt_gsi::GenericMethod ("setImageSettings|imageSettings=", "@brief Method void QImageEncoderControl::setImageSettings(const QImageEncoderSettings &settings)\n", false, &_init_f_setImageSettings_3430, &_call_f_setImageSettings_3430); methods += new qt_gsi::GenericMethod ("supportedImageCodecs", "@brief Method QStringList QImageEncoderControl::supportedImageCodecs()\n", true, &_init_f_supportedImageCodecs_c0, &_call_f_supportedImageCodecs_c0); methods += new qt_gsi::GenericMethod ("supportedResolutions", "@brief Method QList QImageEncoderControl::supportedResolutions(const QImageEncoderSettings &settings, bool *continuous)\n", true, &_init_f_supportedResolutions_c4372, &_call_f_supportedResolutions_c4372); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QImageEncoderControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QImageEncoderControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QImageEncoderControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QImageEncoderControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -256,6 +258,12 @@ class QImageEncoderControl_Adaptor : public QImageEncoderControl, public qt_gsi: return QImageEncoderControl::senderSignalIndex(); } + // [emitter impl] void QImageEncoderControl::destroyed(QObject *) + void emitter_QImageEncoderControl_destroyed_1302(QObject *arg1) + { + emit QImageEncoderControl::destroyed(arg1); + } + // [adaptor impl] bool QImageEncoderControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -317,6 +325,13 @@ class QImageEncoderControl_Adaptor : public QImageEncoderControl, public qt_gsi: } } + // [emitter impl] void QImageEncoderControl::objectNameChanged(const QString &objectName) + void emitter_QImageEncoderControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QImageEncoderControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QImageEncoderControl::setImageSettings(const QImageEncoderSettings &settings) void cbs_setImageSettings_3430_0(const QImageEncoderSettings &settings) { @@ -502,6 +517,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QImageEncoderControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QImageEncoderControl_Adaptor *)cls)->emitter_QImageEncoderControl_destroyed_1302 (arg1); +} + + // void QImageEncoderControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -635,6 +668,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QImageEncoderControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QImageEncoderControl_Adaptor *)cls)->emitter_QImageEncoderControl_objectNameChanged_4567 (arg1); +} + + // exposed int QImageEncoderControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -786,6 +837,7 @@ static gsi::Methods methods_QImageEncoderControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QImageEncoderControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QImageEncoderControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QImageEncoderControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QImageEncoderControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -797,6 +849,7 @@ static gsi::Methods methods_QImageEncoderControl_Adaptor () { methods += new qt_gsi::GenericMethod ("imageSettings", "@brief Virtual method QImageEncoderSettings QImageEncoderControl::imageSettings()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_imageSettings_c0_0, &_call_cbs_imageSettings_c0_0); methods += new qt_gsi::GenericMethod ("imageSettings", "@hide", true, &_init_cbs_imageSettings_c0_0, &_call_cbs_imageSettings_c0_0, &_set_callback_cbs_imageSettings_c0_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QImageEncoderControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QImageEncoderControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QImageEncoderControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QImageEncoderControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QImageEncoderControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAudioProbeControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAudioProbeControl.cc index 23e086bf2b..842f7e4795 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAudioProbeControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAudioProbeControl.cc @@ -55,42 +55,6 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// void QMediaAudioProbeControl::audioBufferProbed(const QAudioBuffer &buffer) - - -static void _init_f_audioBufferProbed_2494 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("buffer"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_audioBufferProbed_2494 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QAudioBuffer &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaAudioProbeControl *)cls)->audioBufferProbed (arg1); -} - - -// void QMediaAudioProbeControl::flush() - - -static void _init_f_flush_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_flush_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaAudioProbeControl *)cls)->flush (); -} - - // static QString QMediaAudioProbeControl::tr(const char *s, const char *c, int n) @@ -147,8 +111,10 @@ namespace gsi static gsi::Methods methods_QMediaAudioProbeControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("audioBufferProbed", "@brief Method void QMediaAudioProbeControl::audioBufferProbed(const QAudioBuffer &buffer)\n", false, &_init_f_audioBufferProbed_2494, &_call_f_audioBufferProbed_2494); - methods += new qt_gsi::GenericMethod ("flush", "@brief Method void QMediaAudioProbeControl::flush()\n", false, &_init_f_flush_0, &_call_f_flush_0); + methods += gsi::qt_signal ("audioBufferProbed(const QAudioBuffer &)", "audioBufferProbed", gsi::arg("buffer"), "@brief Signal declaration for QMediaAudioProbeControl::audioBufferProbed(const QAudioBuffer &buffer)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMediaAudioProbeControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("flush()", "flush", "@brief Signal declaration for QMediaAudioProbeControl::flush()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMediaAudioProbeControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaAudioProbeControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QMediaAudioProbeControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -191,6 +157,18 @@ class QMediaAudioProbeControl_Adaptor : public QMediaAudioProbeControl, public q return QMediaAudioProbeControl::senderSignalIndex(); } + // [emitter impl] void QMediaAudioProbeControl::audioBufferProbed(const QAudioBuffer &buffer) + void emitter_QMediaAudioProbeControl_audioBufferProbed_2494(const QAudioBuffer &buffer) + { + emit QMediaAudioProbeControl::audioBufferProbed(buffer); + } + + // [emitter impl] void QMediaAudioProbeControl::destroyed(QObject *) + void emitter_QMediaAudioProbeControl_destroyed_1302(QObject *arg1) + { + emit QMediaAudioProbeControl::destroyed(arg1); + } + // [adaptor impl] bool QMediaAudioProbeControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -221,6 +199,19 @@ class QMediaAudioProbeControl_Adaptor : public QMediaAudioProbeControl, public q } } + // [emitter impl] void QMediaAudioProbeControl::flush() + void emitter_QMediaAudioProbeControl_flush_0() + { + emit QMediaAudioProbeControl::flush(); + } + + // [emitter impl] void QMediaAudioProbeControl::objectNameChanged(const QString &objectName) + void emitter_QMediaAudioProbeControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMediaAudioProbeControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QMediaAudioProbeControl::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -291,6 +282,24 @@ class QMediaAudioProbeControl_Adaptor : public QMediaAudioProbeControl, public q QMediaAudioProbeControl_Adaptor::~QMediaAudioProbeControl_Adaptor() { } +// emitter void QMediaAudioProbeControl::audioBufferProbed(const QAudioBuffer &buffer) + +static void _init_emitter_audioBufferProbed_2494 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("buffer"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_audioBufferProbed_2494 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QAudioBuffer &arg1 = gsi::arg_reader() (args, heap); + ((QMediaAudioProbeControl_Adaptor *)cls)->emitter_QMediaAudioProbeControl_audioBufferProbed_2494 (arg1); +} + + // void QMediaAudioProbeControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -339,6 +348,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMediaAudioProbeControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMediaAudioProbeControl_Adaptor *)cls)->emitter_QMediaAudioProbeControl_destroyed_1302 (arg1); +} + + // void QMediaAudioProbeControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -412,6 +439,20 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } +// emitter void QMediaAudioProbeControl::flush() + +static void _init_emitter_flush_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_flush_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaAudioProbeControl_Adaptor *)cls)->emitter_QMediaAudioProbeControl_flush_0 (); +} + + // exposed bool QMediaAudioProbeControl::isSignalConnected(const QMetaMethod &signal) static void _init_fp_isSignalConnected_c2394 (qt_gsi::GenericMethod *decl) @@ -430,6 +471,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QMediaAudioProbeControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaAudioProbeControl_Adaptor *)cls)->emitter_QMediaAudioProbeControl_objectNameChanged_4567 (arg1); +} + + // exposed int QMediaAudioProbeControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -507,17 +566,21 @@ gsi::Class &qtdecl_QMediaAudioProbeControl (); static gsi::Methods methods_QMediaAudioProbeControl_Adaptor () { gsi::Methods methods; + methods += new qt_gsi::GenericMethod ("emit_audioBufferProbed", "@brief Emitter for signal void QMediaAudioProbeControl::audioBufferProbed(const QAudioBuffer &buffer)\nCall this method to emit this signal.", false, &_init_emitter_audioBufferProbed_2494, &_call_emitter_audioBufferProbed_2494); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaAudioProbeControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaAudioProbeControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMediaAudioProbeControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaAudioProbeControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaAudioProbeControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaAudioProbeControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("emit_flush", "@brief Emitter for signal void QMediaAudioProbeControl::flush()\nCall this method to emit this signal.", false, &_init_emitter_flush_0, &_call_emitter_flush_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaAudioProbeControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMediaAudioProbeControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaAudioProbeControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaAudioProbeControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaAudioProbeControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAvailabilityControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAvailabilityControl.cc index a7e4c5feae..0d85058681 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAvailabilityControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAvailabilityControl.cc @@ -69,26 +69,6 @@ static void _call_f_availability_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QMediaAvailabilityControl::availabilityChanged(QMultimedia::AvailabilityStatus availability) - - -static void _init_f_availabilityChanged_3555 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("availability"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_availabilityChanged_3555 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaAvailabilityControl *)cls)->availabilityChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // static QString QMediaAvailabilityControl::tr(const char *s, const char *c, int n) @@ -146,7 +126,9 @@ static gsi::Methods methods_QMediaAvailabilityControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("availability", "@brief Method QMultimedia::AvailabilityStatus QMediaAvailabilityControl::availability()\n", true, &_init_f_availability_c0, &_call_f_availability_c0); - methods += new qt_gsi::GenericMethod ("availabilityChanged", "@brief Method void QMediaAvailabilityControl::availabilityChanged(QMultimedia::AvailabilityStatus availability)\n", false, &_init_f_availabilityChanged_3555, &_call_f_availabilityChanged_3555); + methods += gsi::qt_signal::target_type & > ("availabilityChanged(QMultimedia::AvailabilityStatus)", "availabilityChanged", gsi::arg("availability"), "@brief Signal declaration for QMediaAvailabilityControl::availabilityChanged(QMultimedia::AvailabilityStatus availability)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMediaAvailabilityControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMediaAvailabilityControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaAvailabilityControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QMediaAvailabilityControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -210,6 +192,18 @@ class QMediaAvailabilityControl_Adaptor : public QMediaAvailabilityControl, publ } } + // [emitter impl] void QMediaAvailabilityControl::availabilityChanged(QMultimedia::AvailabilityStatus availability) + void emitter_QMediaAvailabilityControl_availabilityChanged_3555(QMultimedia::AvailabilityStatus availability) + { + emit QMediaAvailabilityControl::availabilityChanged(availability); + } + + // [emitter impl] void QMediaAvailabilityControl::destroyed(QObject *) + void emitter_QMediaAvailabilityControl_destroyed_1302(QObject *arg1) + { + emit QMediaAvailabilityControl::destroyed(arg1); + } + // [adaptor impl] bool QMediaAvailabilityControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -240,6 +234,13 @@ class QMediaAvailabilityControl_Adaptor : public QMediaAvailabilityControl, publ } } + // [emitter impl] void QMediaAvailabilityControl::objectNameChanged(const QString &objectName) + void emitter_QMediaAvailabilityControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMediaAvailabilityControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QMediaAvailabilityControl::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -344,6 +345,24 @@ static void _set_callback_cbs_availability_c0_0 (void *cls, const gsi::Callback } +// emitter void QMediaAvailabilityControl::availabilityChanged(QMultimedia::AvailabilityStatus availability) + +static void _init_emitter_availabilityChanged_3555 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("availability"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_availabilityChanged_3555 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QMediaAvailabilityControl_Adaptor *)cls)->emitter_QMediaAvailabilityControl_availabilityChanged_3555 (arg1); +} + + // void QMediaAvailabilityControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -392,6 +411,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMediaAvailabilityControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMediaAvailabilityControl_Adaptor *)cls)->emitter_QMediaAvailabilityControl_destroyed_1302 (arg1); +} + + // void QMediaAvailabilityControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -483,6 +520,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QMediaAvailabilityControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaAvailabilityControl_Adaptor *)cls)->emitter_QMediaAvailabilityControl_objectNameChanged_4567 (arg1); +} + + // exposed int QMediaAvailabilityControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -563,10 +618,12 @@ static gsi::Methods methods_QMediaAvailabilityControl_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaAvailabilityControl::QMediaAvailabilityControl()\nThis method creates an object of class QMediaAvailabilityControl.", &_init_ctor_QMediaAvailabilityControl_Adaptor_0, &_call_ctor_QMediaAvailabilityControl_Adaptor_0); methods += new qt_gsi::GenericMethod ("availability", "@brief Virtual method QMultimedia::AvailabilityStatus QMediaAvailabilityControl::availability()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0); methods += new qt_gsi::GenericMethod ("availability", "@hide", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0, &_set_callback_cbs_availability_c0_0); + methods += new qt_gsi::GenericMethod ("emit_availabilityChanged", "@brief Emitter for signal void QMediaAvailabilityControl::availabilityChanged(QMultimedia::AvailabilityStatus availability)\nCall this method to emit this signal.", false, &_init_emitter_availabilityChanged_3555, &_call_emitter_availabilityChanged_3555); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaAvailabilityControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaAvailabilityControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMediaAvailabilityControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaAvailabilityControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaAvailabilityControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -574,6 +631,7 @@ static gsi::Methods methods_QMediaAvailabilityControl_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaAvailabilityControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaAvailabilityControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMediaAvailabilityControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaAvailabilityControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaAvailabilityControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaAvailabilityControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaContainerControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaContainerControl.cc index e5a06a28cd..f70f168aca 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaContainerControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaContainerControl.cc @@ -183,6 +183,8 @@ static gsi::Methods methods_QMediaContainerControl () { methods += new qt_gsi::GenericMethod (":containerFormat", "@brief Method QString QMediaContainerControl::containerFormat()\n", true, &_init_f_containerFormat_c0, &_call_f_containerFormat_c0); methods += new qt_gsi::GenericMethod ("setContainerFormat|containerFormat=", "@brief Method void QMediaContainerControl::setContainerFormat(const QString &format)\n", false, &_init_f_setContainerFormat_2025, &_call_f_setContainerFormat_2025); methods += new qt_gsi::GenericMethod ("supportedContainers", "@brief Method QStringList QMediaContainerControl::supportedContainers()\n", true, &_init_f_supportedContainers_c0, &_call_f_supportedContainers_c0); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMediaContainerControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMediaContainerControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaContainerControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QMediaContainerControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -262,6 +264,12 @@ class QMediaContainerControl_Adaptor : public QMediaContainerControl, public qt_ } } + // [emitter impl] void QMediaContainerControl::destroyed(QObject *) + void emitter_QMediaContainerControl_destroyed_1302(QObject *arg1) + { + emit QMediaContainerControl::destroyed(arg1); + } + // [adaptor impl] bool QMediaContainerControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -292,6 +300,13 @@ class QMediaContainerControl_Adaptor : public QMediaContainerControl, public qt_ } } + // [emitter impl] void QMediaContainerControl::objectNameChanged(const QString &objectName) + void emitter_QMediaContainerControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMediaContainerControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QMediaContainerControl::setContainerFormat(const QString &format) void cbs_setContainerFormat_2025_0(const QString &format) { @@ -501,6 +516,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMediaContainerControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMediaContainerControl_Adaptor *)cls)->emitter_QMediaContainerControl_destroyed_1302 (arg1); +} + + // void QMediaContainerControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -592,6 +625,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QMediaContainerControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaContainerControl_Adaptor *)cls)->emitter_QMediaContainerControl_objectNameChanged_4567 (arg1); +} + + // exposed int QMediaContainerControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -721,6 +772,7 @@ static gsi::Methods methods_QMediaContainerControl_Adaptor () { methods += new qt_gsi::GenericMethod ("containerFormat", "@hide", true, &_init_cbs_containerFormat_c0_0, &_call_cbs_containerFormat_c0_0, &_set_callback_cbs_containerFormat_c0_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaContainerControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMediaContainerControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaContainerControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaContainerControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -728,6 +780,7 @@ static gsi::Methods methods_QMediaContainerControl_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaContainerControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaContainerControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMediaContainerControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaContainerControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaContainerControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaContainerControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaControl.cc index 83f69d8e10..ed24d5299b 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaControl.cc @@ -110,6 +110,8 @@ namespace gsi static gsi::Methods methods_QMediaControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMediaControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMediaControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QMediaControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -152,6 +154,12 @@ class QMediaControl_Adaptor : public QMediaControl, public qt_gsi::QtObjectBase return QMediaControl::senderSignalIndex(); } + // [emitter impl] void QMediaControl::destroyed(QObject *) + void emitter_QMediaControl_destroyed_1302(QObject *arg1) + { + emit QMediaControl::destroyed(arg1); + } + // [adaptor impl] bool QMediaControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -182,6 +190,13 @@ class QMediaControl_Adaptor : public QMediaControl, public qt_gsi::QtObjectBase } } + // [emitter impl] void QMediaControl::objectNameChanged(const QString &objectName) + void emitter_QMediaControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMediaControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QMediaControl::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -300,6 +315,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMediaControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMediaControl_Adaptor *)cls)->emitter_QMediaControl_destroyed_1302 (arg1); +} + + // void QMediaControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -391,6 +424,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QMediaControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaControl_Adaptor *)cls)->emitter_QMediaControl_objectNameChanged_4567 (arg1); +} + + // exposed int QMediaControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -472,6 +523,7 @@ static gsi::Methods methods_QMediaControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMediaControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -479,6 +531,7 @@ static gsi::Methods methods_QMediaControl_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMediaControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaGaplessPlaybackControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaGaplessPlaybackControl.cc index 87f48112aa..b04361a3d9 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaGaplessPlaybackControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaGaplessPlaybackControl.cc @@ -55,22 +55,6 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// void QMediaGaplessPlaybackControl::advancedToNextMedia() - - -static void _init_f_advancedToNextMedia_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_advancedToNextMedia_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaGaplessPlaybackControl *)cls)->advancedToNextMedia (); -} - - // double QMediaGaplessPlaybackControl::crossfadeTime() @@ -86,26 +70,6 @@ static void _call_f_crossfadeTime_c0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QMediaGaplessPlaybackControl::crossfadeTimeChanged(double crossfadeTime) - - -static void _init_f_crossfadeTimeChanged_1071 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("crossfadeTime"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_crossfadeTimeChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - double arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaGaplessPlaybackControl *)cls)->crossfadeTimeChanged (arg1); -} - - // bool QMediaGaplessPlaybackControl::isCrossfadeSupported() @@ -136,26 +100,6 @@ static void _call_f_nextMedia_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QMediaGaplessPlaybackControl::nextMediaChanged(const QMediaContent &media) - - -static void _init_f_nextMediaChanged_2605 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("media"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_nextMediaChanged_2605 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QMediaContent &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaGaplessPlaybackControl *)cls)->nextMediaChanged (arg1); -} - - // void QMediaGaplessPlaybackControl::setCrossfadeTime(double crossfadeTime) @@ -252,14 +196,16 @@ namespace gsi static gsi::Methods methods_QMediaGaplessPlaybackControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("advancedToNextMedia", "@brief Method void QMediaGaplessPlaybackControl::advancedToNextMedia()\n", false, &_init_f_advancedToNextMedia_0, &_call_f_advancedToNextMedia_0); methods += new qt_gsi::GenericMethod (":crossfadeTime", "@brief Method double QMediaGaplessPlaybackControl::crossfadeTime()\n", true, &_init_f_crossfadeTime_c0, &_call_f_crossfadeTime_c0); - methods += new qt_gsi::GenericMethod ("crossfadeTimeChanged", "@brief Method void QMediaGaplessPlaybackControl::crossfadeTimeChanged(double crossfadeTime)\n", false, &_init_f_crossfadeTimeChanged_1071, &_call_f_crossfadeTimeChanged_1071); methods += new qt_gsi::GenericMethod ("isCrossfadeSupported?", "@brief Method bool QMediaGaplessPlaybackControl::isCrossfadeSupported()\n", true, &_init_f_isCrossfadeSupported_c0, &_call_f_isCrossfadeSupported_c0); methods += new qt_gsi::GenericMethod (":nextMedia", "@brief Method QMediaContent QMediaGaplessPlaybackControl::nextMedia()\n", true, &_init_f_nextMedia_c0, &_call_f_nextMedia_c0); - methods += new qt_gsi::GenericMethod ("nextMediaChanged", "@brief Method void QMediaGaplessPlaybackControl::nextMediaChanged(const QMediaContent &media)\n", false, &_init_f_nextMediaChanged_2605, &_call_f_nextMediaChanged_2605); methods += new qt_gsi::GenericMethod ("setCrossfadeTime|crossfadeTime=", "@brief Method void QMediaGaplessPlaybackControl::setCrossfadeTime(double crossfadeTime)\n", false, &_init_f_setCrossfadeTime_1071, &_call_f_setCrossfadeTime_1071); methods += new qt_gsi::GenericMethod ("setNextMedia|nextMedia=", "@brief Method void QMediaGaplessPlaybackControl::setNextMedia(const QMediaContent &media)\n", false, &_init_f_setNextMedia_2605, &_call_f_setNextMedia_2605); + methods += gsi::qt_signal ("advancedToNextMedia()", "advancedToNextMedia", "@brief Signal declaration for QMediaGaplessPlaybackControl::advancedToNextMedia()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("crossfadeTimeChanged(double)", "crossfadeTimeChanged", gsi::arg("crossfadeTime"), "@brief Signal declaration for QMediaGaplessPlaybackControl::crossfadeTimeChanged(double crossfadeTime)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMediaGaplessPlaybackControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("nextMediaChanged(const QMediaContent &)", "nextMediaChanged", gsi::arg("media"), "@brief Signal declaration for QMediaGaplessPlaybackControl::nextMediaChanged(const QMediaContent &media)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMediaGaplessPlaybackControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaGaplessPlaybackControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QMediaGaplessPlaybackControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -308,6 +254,12 @@ class QMediaGaplessPlaybackControl_Adaptor : public QMediaGaplessPlaybackControl return QMediaGaplessPlaybackControl::senderSignalIndex(); } + // [emitter impl] void QMediaGaplessPlaybackControl::advancedToNextMedia() + void emitter_QMediaGaplessPlaybackControl_advancedToNextMedia_0() + { + emit QMediaGaplessPlaybackControl::advancedToNextMedia(); + } + // [adaptor impl] double QMediaGaplessPlaybackControl::crossfadeTime() double cbs_crossfadeTime_c0_0() const { @@ -323,6 +275,18 @@ class QMediaGaplessPlaybackControl_Adaptor : public QMediaGaplessPlaybackControl } } + // [emitter impl] void QMediaGaplessPlaybackControl::crossfadeTimeChanged(double crossfadeTime) + void emitter_QMediaGaplessPlaybackControl_crossfadeTimeChanged_1071(double crossfadeTime) + { + emit QMediaGaplessPlaybackControl::crossfadeTimeChanged(crossfadeTime); + } + + // [emitter impl] void QMediaGaplessPlaybackControl::destroyed(QObject *) + void emitter_QMediaGaplessPlaybackControl_destroyed_1302(QObject *arg1) + { + emit QMediaGaplessPlaybackControl::destroyed(arg1); + } + // [adaptor impl] bool QMediaGaplessPlaybackControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -383,6 +347,19 @@ class QMediaGaplessPlaybackControl_Adaptor : public QMediaGaplessPlaybackControl } } + // [emitter impl] void QMediaGaplessPlaybackControl::nextMediaChanged(const QMediaContent &media) + void emitter_QMediaGaplessPlaybackControl_nextMediaChanged_2605(const QMediaContent &media) + { + emit QMediaGaplessPlaybackControl::nextMediaChanged(media); + } + + // [emitter impl] void QMediaGaplessPlaybackControl::objectNameChanged(const QString &objectName) + void emitter_QMediaGaplessPlaybackControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMediaGaplessPlaybackControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QMediaGaplessPlaybackControl::setCrossfadeTime(double crossfadeTime) void cbs_setCrossfadeTime_1071_0(double crossfadeTime) { @@ -504,6 +481,20 @@ static void _call_ctor_QMediaGaplessPlaybackControl_Adaptor_0 (const qt_gsi::Gen } +// emitter void QMediaGaplessPlaybackControl::advancedToNextMedia() + +static void _init_emitter_advancedToNextMedia_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_advancedToNextMedia_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaGaplessPlaybackControl_Adaptor *)cls)->emitter_QMediaGaplessPlaybackControl_advancedToNextMedia_0 (); +} + + // void QMediaGaplessPlaybackControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -547,6 +538,24 @@ static void _set_callback_cbs_crossfadeTime_c0_0 (void *cls, const gsi::Callback } +// emitter void QMediaGaplessPlaybackControl::crossfadeTimeChanged(double crossfadeTime) + +static void _init_emitter_crossfadeTimeChanged_1071 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("crossfadeTime"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_crossfadeTimeChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + ((QMediaGaplessPlaybackControl_Adaptor *)cls)->emitter_QMediaGaplessPlaybackControl_crossfadeTimeChanged_1071 (arg1); +} + + // void QMediaGaplessPlaybackControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) @@ -571,6 +580,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMediaGaplessPlaybackControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMediaGaplessPlaybackControl_Adaptor *)cls)->emitter_QMediaGaplessPlaybackControl_destroyed_1302 (arg1); +} + + // void QMediaGaplessPlaybackControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -700,6 +727,42 @@ static void _set_callback_cbs_nextMedia_c0_0 (void *cls, const gsi::Callback &cb } +// emitter void QMediaGaplessPlaybackControl::nextMediaChanged(const QMediaContent &media) + +static void _init_emitter_nextMediaChanged_2605 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("media"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_nextMediaChanged_2605 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QMediaContent &arg1 = gsi::arg_reader() (args, heap); + ((QMediaGaplessPlaybackControl_Adaptor *)cls)->emitter_QMediaGaplessPlaybackControl_nextMediaChanged_2605 (arg1); +} + + +// emitter void QMediaGaplessPlaybackControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaGaplessPlaybackControl_Adaptor *)cls)->emitter_QMediaGaplessPlaybackControl_objectNameChanged_4567 (arg1); +} + + // exposed int QMediaGaplessPlaybackControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -826,12 +889,15 @@ gsi::Class &qtdecl_QMediaGaplessPlaybackControl () static gsi::Methods methods_QMediaGaplessPlaybackControl_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaGaplessPlaybackControl::QMediaGaplessPlaybackControl()\nThis method creates an object of class QMediaGaplessPlaybackControl.", &_init_ctor_QMediaGaplessPlaybackControl_Adaptor_0, &_call_ctor_QMediaGaplessPlaybackControl_Adaptor_0); + methods += new qt_gsi::GenericMethod ("emit_advancedToNextMedia", "@brief Emitter for signal void QMediaGaplessPlaybackControl::advancedToNextMedia()\nCall this method to emit this signal.", false, &_init_emitter_advancedToNextMedia_0, &_call_emitter_advancedToNextMedia_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaGaplessPlaybackControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("crossfadeTime", "@brief Virtual method double QMediaGaplessPlaybackControl::crossfadeTime()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_crossfadeTime_c0_0, &_call_cbs_crossfadeTime_c0_0); methods += new qt_gsi::GenericMethod ("crossfadeTime", "@hide", true, &_init_cbs_crossfadeTime_c0_0, &_call_cbs_crossfadeTime_c0_0, &_set_callback_cbs_crossfadeTime_c0_0); + methods += new qt_gsi::GenericMethod ("emit_crossfadeTimeChanged", "@brief Emitter for signal void QMediaGaplessPlaybackControl::crossfadeTimeChanged(double crossfadeTime)\nCall this method to emit this signal.", false, &_init_emitter_crossfadeTimeChanged_1071, &_call_emitter_crossfadeTimeChanged_1071); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaGaplessPlaybackControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMediaGaplessPlaybackControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaGaplessPlaybackControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaGaplessPlaybackControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -843,6 +909,8 @@ static gsi::Methods methods_QMediaGaplessPlaybackControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaGaplessPlaybackControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("nextMedia", "@brief Virtual method QMediaContent QMediaGaplessPlaybackControl::nextMedia()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_nextMedia_c0_0, &_call_cbs_nextMedia_c0_0); methods += new qt_gsi::GenericMethod ("nextMedia", "@hide", true, &_init_cbs_nextMedia_c0_0, &_call_cbs_nextMedia_c0_0, &_set_callback_cbs_nextMedia_c0_0); + methods += new qt_gsi::GenericMethod ("emit_nextMediaChanged", "@brief Emitter for signal void QMediaGaplessPlaybackControl::nextMediaChanged(const QMediaContent &media)\nCall this method to emit this signal.", false, &_init_emitter_nextMediaChanged_2605, &_call_emitter_nextMediaChanged_2605); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMediaGaplessPlaybackControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaGaplessPlaybackControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaGaplessPlaybackControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaGaplessPlaybackControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaNetworkAccessControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaNetworkAccessControl.cc index 2b2ede6e02..08b265f420 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaNetworkAccessControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaNetworkAccessControl.cc @@ -55,26 +55,6 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// void QMediaNetworkAccessControl::configurationChanged(const QNetworkConfiguration &configuration) - - -static void _init_f_configurationChanged_3508 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("configuration"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_configurationChanged_3508 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QNetworkConfiguration &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaNetworkAccessControl *)cls)->configurationChanged (arg1); -} - - // QNetworkConfiguration QMediaNetworkAccessControl::currentConfiguration() @@ -166,9 +146,11 @@ namespace gsi static gsi::Methods methods_QMediaNetworkAccessControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("configurationChanged", "@brief Method void QMediaNetworkAccessControl::configurationChanged(const QNetworkConfiguration &configuration)\n", false, &_init_f_configurationChanged_3508, &_call_f_configurationChanged_3508); methods += new qt_gsi::GenericMethod ("currentConfiguration", "@brief Method QNetworkConfiguration QMediaNetworkAccessControl::currentConfiguration()\n", true, &_init_f_currentConfiguration_c0, &_call_f_currentConfiguration_c0); methods += new qt_gsi::GenericMethod ("setConfigurations", "@brief Method void QMediaNetworkAccessControl::setConfigurations(const QList &configuration)\n", false, &_init_f_setConfigurations_4123, &_call_f_setConfigurations_4123); + methods += gsi::qt_signal ("configurationChanged(const QNetworkConfiguration &)", "configurationChanged", gsi::arg("configuration"), "@brief Signal declaration for QMediaNetworkAccessControl::configurationChanged(const QNetworkConfiguration &configuration)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMediaNetworkAccessControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMediaNetworkAccessControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaNetworkAccessControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QMediaNetworkAccessControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -217,6 +199,12 @@ class QMediaNetworkAccessControl_Adaptor : public QMediaNetworkAccessControl, pu return QMediaNetworkAccessControl::senderSignalIndex(); } + // [emitter impl] void QMediaNetworkAccessControl::configurationChanged(const QNetworkConfiguration &configuration) + void emitter_QMediaNetworkAccessControl_configurationChanged_3508(const QNetworkConfiguration &configuration) + { + emit QMediaNetworkAccessControl::configurationChanged(configuration); + } + // [adaptor impl] QNetworkConfiguration QMediaNetworkAccessControl::currentConfiguration() QNetworkConfiguration cbs_currentConfiguration_c0_0() const { @@ -232,6 +220,12 @@ class QMediaNetworkAccessControl_Adaptor : public QMediaNetworkAccessControl, pu } } + // [emitter impl] void QMediaNetworkAccessControl::destroyed(QObject *) + void emitter_QMediaNetworkAccessControl_destroyed_1302(QObject *arg1) + { + emit QMediaNetworkAccessControl::destroyed(arg1); + } + // [adaptor impl] bool QMediaNetworkAccessControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -262,6 +256,13 @@ class QMediaNetworkAccessControl_Adaptor : public QMediaNetworkAccessControl, pu } } + // [emitter impl] void QMediaNetworkAccessControl::objectNameChanged(const QString &objectName) + void emitter_QMediaNetworkAccessControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMediaNetworkAccessControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QMediaNetworkAccessControl::setConfigurations(const QList &configuration) void cbs_setConfigurations_4123_0(const QList &configuration) { @@ -388,6 +389,24 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } +// emitter void QMediaNetworkAccessControl::configurationChanged(const QNetworkConfiguration &configuration) + +static void _init_emitter_configurationChanged_3508 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("configuration"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_configurationChanged_3508 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QNetworkConfiguration &arg1 = gsi::arg_reader() (args, heap); + ((QMediaNetworkAccessControl_Adaptor *)cls)->emitter_QMediaNetworkAccessControl_configurationChanged_3508 (arg1); +} + + // QNetworkConfiguration QMediaNetworkAccessControl::currentConfiguration() static void _init_cbs_currentConfiguration_c0_0 (qt_gsi::GenericMethod *decl) @@ -431,6 +450,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMediaNetworkAccessControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMediaNetworkAccessControl_Adaptor *)cls)->emitter_QMediaNetworkAccessControl_destroyed_1302 (arg1); +} + + // void QMediaNetworkAccessControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -522,6 +559,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QMediaNetworkAccessControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaNetworkAccessControl_Adaptor *)cls)->emitter_QMediaNetworkAccessControl_objectNameChanged_4567 (arg1); +} + + // exposed int QMediaNetworkAccessControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -626,10 +681,12 @@ static gsi::Methods methods_QMediaNetworkAccessControl_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaNetworkAccessControl::QMediaNetworkAccessControl()\nThis method creates an object of class QMediaNetworkAccessControl.", &_init_ctor_QMediaNetworkAccessControl_Adaptor_0, &_call_ctor_QMediaNetworkAccessControl_Adaptor_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaNetworkAccessControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("emit_configurationChanged", "@brief Emitter for signal void QMediaNetworkAccessControl::configurationChanged(const QNetworkConfiguration &configuration)\nCall this method to emit this signal.", false, &_init_emitter_configurationChanged_3508, &_call_emitter_configurationChanged_3508); methods += new qt_gsi::GenericMethod ("currentConfiguration", "@brief Virtual method QNetworkConfiguration QMediaNetworkAccessControl::currentConfiguration()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_currentConfiguration_c0_0, &_call_cbs_currentConfiguration_c0_0); methods += new qt_gsi::GenericMethod ("currentConfiguration", "@hide", true, &_init_cbs_currentConfiguration_c0_0, &_call_cbs_currentConfiguration_c0_0, &_set_callback_cbs_currentConfiguration_c0_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaNetworkAccessControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMediaNetworkAccessControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaNetworkAccessControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaNetworkAccessControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -637,6 +694,7 @@ static gsi::Methods methods_QMediaNetworkAccessControl_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaNetworkAccessControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaNetworkAccessControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMediaNetworkAccessControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaNetworkAccessControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaNetworkAccessControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaNetworkAccessControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaObject.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaObject.cc index 765daead95..b7d64d02ee 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaObject.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaObject.cc @@ -70,46 +70,6 @@ static void _call_f_availability_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QMediaObject::availabilityChanged(bool available) - - -static void _init_f_availabilityChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("available"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_availabilityChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaObject *)cls)->availabilityChanged (arg1); -} - - -// void QMediaObject::availabilityChanged(QMultimedia::AvailabilityStatus availability) - - -static void _init_f_availabilityChanged_3555 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("availability"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_availabilityChanged_3555 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaObject *)cls)->availabilityChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QStringList QMediaObject::availableMetaData() @@ -193,65 +153,6 @@ static void _call_f_metaData_c2025 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMediaObject::metaDataAvailableChanged(bool available) - - -static void _init_f_metaDataAvailableChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("available"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_metaDataAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaObject *)cls)->metaDataAvailableChanged (arg1); -} - - -// void QMediaObject::metaDataChanged() - - -static void _init_f_metaDataChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_metaDataChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaObject *)cls)->metaDataChanged (); -} - - -// void QMediaObject::metaDataChanged(const QString &key, const QVariant &value) - - -static void _init_f_metaDataChanged_4036 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("key"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("value"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_metaDataChanged_4036 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - const QVariant &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaObject *)cls)->metaDataChanged (arg1, arg2); -} - - // int QMediaObject::notifyInterval() @@ -267,26 +168,6 @@ static void _call_f_notifyInterval_c0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QMediaObject::notifyIntervalChanged(int milliSeconds) - - -static void _init_f_notifyIntervalChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("milliSeconds"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_notifyIntervalChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaObject *)cls)->notifyIntervalChanged (arg1); -} - - // QMediaService *QMediaObject::service() @@ -399,21 +280,23 @@ static gsi::Methods methods_QMediaObject () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("availability", "@brief Method QMultimedia::AvailabilityStatus QMediaObject::availability()\n", true, &_init_f_availability_c0, &_call_f_availability_c0); - methods += new qt_gsi::GenericMethod ("availabilityChanged_bool", "@brief Method void QMediaObject::availabilityChanged(bool available)\n", false, &_init_f_availabilityChanged_864, &_call_f_availabilityChanged_864); - methods += new qt_gsi::GenericMethod ("availabilityChanged_status", "@brief Method void QMediaObject::availabilityChanged(QMultimedia::AvailabilityStatus availability)\n", false, &_init_f_availabilityChanged_3555, &_call_f_availabilityChanged_3555); methods += new qt_gsi::GenericMethod ("availableMetaData", "@brief Method QStringList QMediaObject::availableMetaData()\n", true, &_init_f_availableMetaData_c0, &_call_f_availableMetaData_c0); methods += new qt_gsi::GenericMethod ("bind", "@brief Method bool QMediaObject::bind(QObject *)\n", false, &_init_f_bind_1302, &_call_f_bind_1302); methods += new qt_gsi::GenericMethod ("isAvailable?", "@brief Method bool QMediaObject::isAvailable()\n", true, &_init_f_isAvailable_c0, &_call_f_isAvailable_c0); methods += new qt_gsi::GenericMethod ("isMetaDataAvailable?", "@brief Method bool QMediaObject::isMetaDataAvailable()\n", true, &_init_f_isMetaDataAvailable_c0, &_call_f_isMetaDataAvailable_c0); methods += new qt_gsi::GenericMethod ("metaData", "@brief Method QVariant QMediaObject::metaData(const QString &key)\n", true, &_init_f_metaData_c2025, &_call_f_metaData_c2025); - methods += new qt_gsi::GenericMethod ("metaDataAvailableChanged", "@brief Method void QMediaObject::metaDataAvailableChanged(bool available)\n", false, &_init_f_metaDataAvailableChanged_864, &_call_f_metaDataAvailableChanged_864); - methods += new qt_gsi::GenericMethod ("metaDataChanged", "@brief Method void QMediaObject::metaDataChanged()\n", false, &_init_f_metaDataChanged_0, &_call_f_metaDataChanged_0); - methods += new qt_gsi::GenericMethod ("metaDataChanged_kv", "@brief Method void QMediaObject::metaDataChanged(const QString &key, const QVariant &value)\n", false, &_init_f_metaDataChanged_4036, &_call_f_metaDataChanged_4036); methods += new qt_gsi::GenericMethod (":notifyInterval", "@brief Method int QMediaObject::notifyInterval()\n", true, &_init_f_notifyInterval_c0, &_call_f_notifyInterval_c0); - methods += new qt_gsi::GenericMethod ("notifyIntervalChanged", "@brief Method void QMediaObject::notifyIntervalChanged(int milliSeconds)\n", false, &_init_f_notifyIntervalChanged_767, &_call_f_notifyIntervalChanged_767); methods += new qt_gsi::GenericMethod ("service", "@brief Method QMediaService *QMediaObject::service()\n", true, &_init_f_service_c0, &_call_f_service_c0); methods += new qt_gsi::GenericMethod ("setNotifyInterval|notifyInterval=", "@brief Method void QMediaObject::setNotifyInterval(int milliSeconds)\n", false, &_init_f_setNotifyInterval_767, &_call_f_setNotifyInterval_767); methods += new qt_gsi::GenericMethod ("unbind", "@brief Method void QMediaObject::unbind(QObject *)\n", false, &_init_f_unbind_1302, &_call_f_unbind_1302); + methods += gsi::qt_signal ("availabilityChanged(bool)", "availabilityChanged_bool", gsi::arg("available"), "@brief Signal declaration for QMediaObject::availabilityChanged(bool available)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("availabilityChanged(QMultimedia::AvailabilityStatus)", "availabilityChanged_status", gsi::arg("availability"), "@brief Signal declaration for QMediaObject::availabilityChanged(QMultimedia::AvailabilityStatus availability)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMediaObject::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataAvailableChanged(bool)", "metaDataAvailableChanged", gsi::arg("available"), "@brief Signal declaration for QMediaObject::metaDataAvailableChanged(bool available)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged()", "metaDataChanged", "@brief Signal declaration for QMediaObject::metaDataChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged(const QString &, const QVariant &)", "metaDataChanged_kv", gsi::arg("key"), gsi::arg("value"), "@brief Signal declaration for QMediaObject::metaDataChanged(const QString &key, const QVariant &value)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("notifyIntervalChanged(int)", "notifyIntervalChanged", gsi::arg("milliSeconds"), "@brief Signal declaration for QMediaObject::notifyIntervalChanged(int milliSeconds)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMediaObject::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaObject::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QMediaObject::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -481,6 +364,18 @@ class QMediaObject_Adaptor : public QMediaObject, public qt_gsi::QtObjectBase } } + // [emitter impl] void QMediaObject::availabilityChanged(bool available) + void emitter_QMediaObject_availabilityChanged_864(bool available) + { + emit QMediaObject::availabilityChanged(available); + } + + // [emitter impl] void QMediaObject::availabilityChanged(QMultimedia::AvailabilityStatus availability) + void emitter_QMediaObject_availabilityChanged_3555(QMultimedia::AvailabilityStatus availability) + { + emit QMediaObject::availabilityChanged(availability); + } + // [adaptor impl] bool QMediaObject::bind(QObject *) bool cbs_bind_1302_0(QObject *arg1) { @@ -496,6 +391,12 @@ class QMediaObject_Adaptor : public QMediaObject, public qt_gsi::QtObjectBase } } + // [emitter impl] void QMediaObject::destroyed(QObject *) + void emitter_QMediaObject_destroyed_1302(QObject *arg1) + { + emit QMediaObject::destroyed(arg1); + } + // [adaptor impl] bool QMediaObject::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -541,6 +442,37 @@ class QMediaObject_Adaptor : public QMediaObject, public qt_gsi::QtObjectBase } } + // [emitter impl] void QMediaObject::metaDataAvailableChanged(bool available) + void emitter_QMediaObject_metaDataAvailableChanged_864(bool available) + { + emit QMediaObject::metaDataAvailableChanged(available); + } + + // [emitter impl] void QMediaObject::metaDataChanged() + void emitter_QMediaObject_metaDataChanged_0() + { + emit QMediaObject::metaDataChanged(); + } + + // [emitter impl] void QMediaObject::metaDataChanged(const QString &key, const QVariant &value) + void emitter_QMediaObject_metaDataChanged_4036(const QString &key, const QVariant &value) + { + emit QMediaObject::metaDataChanged(key, value); + } + + // [emitter impl] void QMediaObject::notifyIntervalChanged(int milliSeconds) + void emitter_QMediaObject_notifyIntervalChanged_767(int milliSeconds) + { + emit QMediaObject::notifyIntervalChanged(milliSeconds); + } + + // [emitter impl] void QMediaObject::objectNameChanged(const QString &objectName) + void emitter_QMediaObject_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMediaObject::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] QMediaService *QMediaObject::service() QMediaService * cbs_service_c0_0() const { @@ -684,6 +616,42 @@ static void _set_callback_cbs_availability_c0_0 (void *cls, const gsi::Callback } +// emitter void QMediaObject::availabilityChanged(bool available) + +static void _init_emitter_availabilityChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("available"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_availabilityChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMediaObject_Adaptor *)cls)->emitter_QMediaObject_availabilityChanged_864 (arg1); +} + + +// emitter void QMediaObject::availabilityChanged(QMultimedia::AvailabilityStatus availability) + +static void _init_emitter_availabilityChanged_3555 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("availability"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_availabilityChanged_3555 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QMediaObject_Adaptor *)cls)->emitter_QMediaObject_availabilityChanged_3555 (arg1); +} + + // bool QMediaObject::bind(QObject *) static void _init_cbs_bind_1302_0 (qt_gsi::GenericMethod *decl) @@ -755,6 +723,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMediaObject::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMediaObject_Adaptor *)cls)->emitter_QMediaObject_destroyed_1302 (arg1); +} + + // void QMediaObject::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -865,6 +851,95 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QMediaObject::metaDataAvailableChanged(bool available) + +static void _init_emitter_metaDataAvailableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("available"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_metaDataAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMediaObject_Adaptor *)cls)->emitter_QMediaObject_metaDataAvailableChanged_864 (arg1); +} + + +// emitter void QMediaObject::metaDataChanged() + +static void _init_emitter_metaDataChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaObject_Adaptor *)cls)->emitter_QMediaObject_metaDataChanged_0 (); +} + + +// emitter void QMediaObject::metaDataChanged(const QString &key, const QVariant &value) + +static void _init_emitter_metaDataChanged_4036 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("key"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("value"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_4036 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + const QVariant &arg2 = gsi::arg_reader() (args, heap); + ((QMediaObject_Adaptor *)cls)->emitter_QMediaObject_metaDataChanged_4036 (arg1, arg2); +} + + +// emitter void QMediaObject::notifyIntervalChanged(int milliSeconds) + +static void _init_emitter_notifyIntervalChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("milliSeconds"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_notifyIntervalChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QMediaObject_Adaptor *)cls)->emitter_QMediaObject_notifyIntervalChanged_767 (arg1); +} + + +// emitter void QMediaObject::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaObject_Adaptor *)cls)->emitter_QMediaObject_objectNameChanged_4567 (arg1); +} + + // exposed int QMediaObject::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1007,12 +1082,15 @@ static gsi::Methods methods_QMediaObject_Adaptor () { methods += new qt_gsi::GenericMethod ("*addPropertyWatch", "@brief Method void QMediaObject::addPropertyWatch(const QByteArray &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_addPropertyWatch_2309, &_call_fp_addPropertyWatch_2309); methods += new qt_gsi::GenericMethod ("availability", "@brief Virtual method QMultimedia::AvailabilityStatus QMediaObject::availability()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0); methods += new qt_gsi::GenericMethod ("availability", "@hide", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0, &_set_callback_cbs_availability_c0_0); + methods += new qt_gsi::GenericMethod ("emit_availabilityChanged_bool", "@brief Emitter for signal void QMediaObject::availabilityChanged(bool available)\nCall this method to emit this signal.", false, &_init_emitter_availabilityChanged_864, &_call_emitter_availabilityChanged_864); + methods += new qt_gsi::GenericMethod ("emit_availabilityChanged_status", "@brief Emitter for signal void QMediaObject::availabilityChanged(QMultimedia::AvailabilityStatus availability)\nCall this method to emit this signal.", false, &_init_emitter_availabilityChanged_3555, &_call_emitter_availabilityChanged_3555); methods += new qt_gsi::GenericMethod ("bind", "@brief Virtual method bool QMediaObject::bind(QObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_bind_1302_0, &_call_cbs_bind_1302_0); methods += new qt_gsi::GenericMethod ("bind", "@hide", false, &_init_cbs_bind_1302_0, &_call_cbs_bind_1302_0, &_set_callback_cbs_bind_1302_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaObject::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaObject::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMediaObject::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaObject::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaObject::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -1022,6 +1100,11 @@ static gsi::Methods methods_QMediaObject_Adaptor () { methods += new qt_gsi::GenericMethod ("isAvailable", "@brief Virtual method bool QMediaObject::isAvailable()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isAvailable_c0_0, &_call_cbs_isAvailable_c0_0); methods += new qt_gsi::GenericMethod ("isAvailable", "@hide", true, &_init_cbs_isAvailable_c0_0, &_call_cbs_isAvailable_c0_0, &_set_callback_cbs_isAvailable_c0_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaObject::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_metaDataAvailableChanged", "@brief Emitter for signal void QMediaObject::metaDataAvailableChanged(bool available)\nCall this method to emit this signal.", false, &_init_emitter_metaDataAvailableChanged_864, &_call_emitter_metaDataAvailableChanged_864); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged", "@brief Emitter for signal void QMediaObject::metaDataChanged()\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_0, &_call_emitter_metaDataChanged_0); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged_kv", "@brief Emitter for signal void QMediaObject::metaDataChanged(const QString &key, const QVariant &value)\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_4036, &_call_emitter_metaDataChanged_4036); + methods += new qt_gsi::GenericMethod ("emit_notifyIntervalChanged", "@brief Emitter for signal void QMediaObject::notifyIntervalChanged(int milliSeconds)\nCall this method to emit this signal.", false, &_init_emitter_notifyIntervalChanged_767, &_call_emitter_notifyIntervalChanged_767); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMediaObject::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaObject::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*removePropertyWatch", "@brief Method void QMediaObject::removePropertyWatch(const QByteArray &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_removePropertyWatch_2309, &_call_fp_removePropertyWatch_2309); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaObject::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayer.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayer.cc index ae539eeb5d..3f78d11f92 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayer.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayer.cc @@ -53,26 +53,6 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// void QMediaPlayer::audioAvailableChanged(bool available) - - -static void _init_f_audioAvailableChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("available"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_audioAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->audioAvailableChanged (arg1); -} - - // QAudio::Role QMediaPlayer::audioRole() @@ -88,26 +68,6 @@ static void _call_f_audioRole_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QMediaPlayer::audioRoleChanged(QAudio::Role role) - - -static void _init_f_audioRoleChanged_1533 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("role"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_audioRoleChanged_1533 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->audioRoleChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QMultimedia::AvailabilityStatus QMediaPlayer::availability() @@ -157,26 +117,6 @@ static void _call_f_bufferStatus_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QMediaPlayer::bufferStatusChanged(int percentFilled) - - -static void _init_f_bufferStatusChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("percentFilled"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_bufferStatusChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->bufferStatusChanged (arg1); -} - - // QMediaContent QMediaPlayer::currentMedia() @@ -192,26 +132,6 @@ static void _call_f_currentMedia_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QMediaPlayer::currentMediaChanged(const QMediaContent &media) - - -static void _init_f_currentMediaChanged_2605 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("media"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_currentMediaChanged_2605 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QMediaContent &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->currentMediaChanged (arg1); -} - - // QNetworkConfiguration QMediaPlayer::currentNetworkConfiguration() @@ -242,26 +162,6 @@ static void _call_f_customAudioRole_c0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QMediaPlayer::customAudioRoleChanged(const QString &role) - - -static void _init_f_customAudioRoleChanged_2025 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("role"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_customAudioRoleChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->customAudioRoleChanged (arg1); -} - - // qint64 QMediaPlayer::duration() @@ -277,26 +177,6 @@ static void _call_f_duration_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QMediaPlayer::durationChanged(qint64 duration) - - -static void _init_f_durationChanged_986 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("duration"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_durationChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - qint64 arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->durationChanged (arg1); -} - - // QMediaPlayer::Error QMediaPlayer::error() @@ -312,26 +192,6 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QMediaPlayer::error(QMediaPlayer::Error error) - - -static void _init_f_error_2256 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("error"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_error_2256 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->error (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QString QMediaPlayer::errorString() @@ -422,26 +282,6 @@ static void _call_f_media_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QMediaPlayer::mediaChanged(const QMediaContent &media) - - -static void _init_f_mediaChanged_2605 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("media"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_mediaChanged_2605 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QMediaContent &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->mediaChanged (arg1); -} - - // QMediaPlayer::MediaStatus QMediaPlayer::mediaStatus() @@ -457,26 +297,6 @@ static void _call_f_mediaStatus_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMediaPlayer::mediaStatusChanged(QMediaPlayer::MediaStatus status) - - -static void _init_f_mediaStatusChanged_2858 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("status"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_mediaStatusChanged_2858 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->mediaStatusChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // const QIODevice *QMediaPlayer::mediaStream() @@ -492,46 +312,6 @@ static void _call_f_mediaStream_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMediaPlayer::mutedChanged(bool muted) - - -static void _init_f_mutedChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("muted"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_mutedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->mutedChanged (arg1); -} - - -// void QMediaPlayer::networkConfigurationChanged(const QNetworkConfiguration &configuration) - - -static void _init_f_networkConfigurationChanged_3508 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("configuration"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_networkConfigurationChanged_3508 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QNetworkConfiguration &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->networkConfigurationChanged (arg1); -} - - // void QMediaPlayer::pause() @@ -579,26 +359,6 @@ static void _call_f_playbackRate_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QMediaPlayer::playbackRateChanged(double rate) - - -static void _init_f_playbackRateChanged_1071 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("rate"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_playbackRateChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - double arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->playbackRateChanged (arg1); -} - - // QMediaPlaylist *QMediaPlayer::playlist() @@ -629,46 +389,6 @@ static void _call_f_position_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QMediaPlayer::positionChanged(qint64 position) - - -static void _init_f_positionChanged_986 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("position"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_positionChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - qint64 arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->positionChanged (arg1); -} - - -// void QMediaPlayer::seekableChanged(bool seekable) - - -static void _init_f_seekableChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("seekable"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_seekableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->seekableChanged (arg1); -} - - // void QMediaPlayer::setAudioRole(QAudio::Role audioRole) @@ -927,26 +647,6 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QMediaPlayer::stateChanged(QMediaPlayer::State newState) - - -static void _init_f_stateChanged_2247 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("newState"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_stateChanged_2247 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->stateChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // void QMediaPlayer::stop() @@ -1013,26 +713,6 @@ static void _call_f_unbind_1302 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QMediaPlayer::videoAvailableChanged(bool videoAvailable) - - -static void _init_f_videoAvailableChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("videoAvailable"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_videoAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->videoAvailableChanged (arg1); -} - - // int QMediaPlayer::volume() @@ -1048,26 +728,6 @@ static void _call_f_volume_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QMediaPlayer::volumeChanged(int volume) - - -static void _init_f_volumeChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("volume"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_volumeChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->volumeChanged (arg1); -} - - // static QMultimedia::SupportEstimate QMediaPlayer::hasSupport(const QString &mimeType, const QStringList &codecs, QFlags flags) @@ -1168,44 +828,30 @@ namespace gsi static gsi::Methods methods_QMediaPlayer () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("audioAvailableChanged", "@brief Method void QMediaPlayer::audioAvailableChanged(bool available)\n", false, &_init_f_audioAvailableChanged_864, &_call_f_audioAvailableChanged_864); - methods += new qt_gsi::GenericMethod ("audioRole", "@brief Method QAudio::Role QMediaPlayer::audioRole()\n", true, &_init_f_audioRole_c0, &_call_f_audioRole_c0); - methods += new qt_gsi::GenericMethod ("audioRoleChanged", "@brief Method void QMediaPlayer::audioRoleChanged(QAudio::Role role)\n", false, &_init_f_audioRoleChanged_1533, &_call_f_audioRoleChanged_1533); + methods += new qt_gsi::GenericMethod (":audioRole", "@brief Method QAudio::Role QMediaPlayer::audioRole()\n", true, &_init_f_audioRole_c0, &_call_f_audioRole_c0); methods += new qt_gsi::GenericMethod ("availability", "@brief Method QMultimedia::AvailabilityStatus QMediaPlayer::availability()\nThis is a reimplementation of QMediaObject::availability", true, &_init_f_availability_c0, &_call_f_availability_c0); methods += new qt_gsi::GenericMethod ("bind", "@brief Method bool QMediaPlayer::bind(QObject *)\nThis is a reimplementation of QMediaObject::bind", false, &_init_f_bind_1302, &_call_f_bind_1302); methods += new qt_gsi::GenericMethod (":bufferStatus", "@brief Method int QMediaPlayer::bufferStatus()\n", true, &_init_f_bufferStatus_c0, &_call_f_bufferStatus_c0); - methods += new qt_gsi::GenericMethod ("bufferStatusChanged", "@brief Method void QMediaPlayer::bufferStatusChanged(int percentFilled)\n", false, &_init_f_bufferStatusChanged_767, &_call_f_bufferStatusChanged_767); methods += new qt_gsi::GenericMethod (":currentMedia", "@brief Method QMediaContent QMediaPlayer::currentMedia()\n", true, &_init_f_currentMedia_c0, &_call_f_currentMedia_c0); - methods += new qt_gsi::GenericMethod ("currentMediaChanged", "@brief Method void QMediaPlayer::currentMediaChanged(const QMediaContent &media)\n", false, &_init_f_currentMediaChanged_2605, &_call_f_currentMediaChanged_2605); methods += new qt_gsi::GenericMethod ("currentNetworkConfiguration", "@brief Method QNetworkConfiguration QMediaPlayer::currentNetworkConfiguration()\n", true, &_init_f_currentNetworkConfiguration_c0, &_call_f_currentNetworkConfiguration_c0); - methods += new qt_gsi::GenericMethod ("customAudioRole", "@brief Method QString QMediaPlayer::customAudioRole()\n", true, &_init_f_customAudioRole_c0, &_call_f_customAudioRole_c0); - methods += new qt_gsi::GenericMethod ("customAudioRoleChanged", "@brief Method void QMediaPlayer::customAudioRoleChanged(const QString &role)\n", false, &_init_f_customAudioRoleChanged_2025, &_call_f_customAudioRoleChanged_2025); + methods += new qt_gsi::GenericMethod (":customAudioRole", "@brief Method QString QMediaPlayer::customAudioRole()\n", true, &_init_f_customAudioRole_c0, &_call_f_customAudioRole_c0); methods += new qt_gsi::GenericMethod (":duration", "@brief Method qint64 QMediaPlayer::duration()\n", true, &_init_f_duration_c0, &_call_f_duration_c0); - methods += new qt_gsi::GenericMethod ("durationChanged", "@brief Method void QMediaPlayer::durationChanged(qint64 duration)\n", false, &_init_f_durationChanged_986, &_call_f_durationChanged_986); methods += new qt_gsi::GenericMethod (":error", "@brief Method QMediaPlayer::Error QMediaPlayer::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("error_sig", "@brief Method void QMediaPlayer::error(QMediaPlayer::Error error)\n", false, &_init_f_error_2256, &_call_f_error_2256); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QMediaPlayer::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); methods += new qt_gsi::GenericMethod ("isAudioAvailable?|:audioAvailable", "@brief Method bool QMediaPlayer::isAudioAvailable()\n", true, &_init_f_isAudioAvailable_c0, &_call_f_isAudioAvailable_c0); methods += new qt_gsi::GenericMethod ("isMuted?|:muted", "@brief Method bool QMediaPlayer::isMuted()\n", true, &_init_f_isMuted_c0, &_call_f_isMuted_c0); methods += new qt_gsi::GenericMethod ("isSeekable?|:seekable", "@brief Method bool QMediaPlayer::isSeekable()\n", true, &_init_f_isSeekable_c0, &_call_f_isSeekable_c0); methods += new qt_gsi::GenericMethod ("isVideoAvailable?|:videoAvailable", "@brief Method bool QMediaPlayer::isVideoAvailable()\n", true, &_init_f_isVideoAvailable_c0, &_call_f_isVideoAvailable_c0); methods += new qt_gsi::GenericMethod (":media", "@brief Method QMediaContent QMediaPlayer::media()\n", true, &_init_f_media_c0, &_call_f_media_c0); - methods += new qt_gsi::GenericMethod ("mediaChanged", "@brief Method void QMediaPlayer::mediaChanged(const QMediaContent &media)\n", false, &_init_f_mediaChanged_2605, &_call_f_mediaChanged_2605); methods += new qt_gsi::GenericMethod (":mediaStatus", "@brief Method QMediaPlayer::MediaStatus QMediaPlayer::mediaStatus()\n", true, &_init_f_mediaStatus_c0, &_call_f_mediaStatus_c0); - methods += new qt_gsi::GenericMethod ("mediaStatusChanged", "@brief Method void QMediaPlayer::mediaStatusChanged(QMediaPlayer::MediaStatus status)\n", false, &_init_f_mediaStatusChanged_2858, &_call_f_mediaStatusChanged_2858); methods += new qt_gsi::GenericMethod ("mediaStream", "@brief Method const QIODevice *QMediaPlayer::mediaStream()\n", true, &_init_f_mediaStream_c0, &_call_f_mediaStream_c0); - methods += new qt_gsi::GenericMethod ("mutedChanged", "@brief Method void QMediaPlayer::mutedChanged(bool muted)\n", false, &_init_f_mutedChanged_864, &_call_f_mutedChanged_864); - methods += new qt_gsi::GenericMethod ("networkConfigurationChanged", "@brief Method void QMediaPlayer::networkConfigurationChanged(const QNetworkConfiguration &configuration)\n", false, &_init_f_networkConfigurationChanged_3508, &_call_f_networkConfigurationChanged_3508); methods += new qt_gsi::GenericMethod ("pause", "@brief Method void QMediaPlayer::pause()\n", false, &_init_f_pause_0, &_call_f_pause_0); methods += new qt_gsi::GenericMethod ("play", "@brief Method void QMediaPlayer::play()\n", false, &_init_f_play_0, &_call_f_play_0); methods += new qt_gsi::GenericMethod (":playbackRate", "@brief Method double QMediaPlayer::playbackRate()\n", true, &_init_f_playbackRate_c0, &_call_f_playbackRate_c0); - methods += new qt_gsi::GenericMethod ("playbackRateChanged", "@brief Method void QMediaPlayer::playbackRateChanged(double rate)\n", false, &_init_f_playbackRateChanged_1071, &_call_f_playbackRateChanged_1071); methods += new qt_gsi::GenericMethod (":playlist", "@brief Method QMediaPlaylist *QMediaPlayer::playlist()\n", true, &_init_f_playlist_c0, &_call_f_playlist_c0); methods += new qt_gsi::GenericMethod (":position", "@brief Method qint64 QMediaPlayer::position()\n", true, &_init_f_position_c0, &_call_f_position_c0); - methods += new qt_gsi::GenericMethod ("positionChanged", "@brief Method void QMediaPlayer::positionChanged(qint64 position)\n", false, &_init_f_positionChanged_986, &_call_f_positionChanged_986); - methods += new qt_gsi::GenericMethod ("seekableChanged", "@brief Method void QMediaPlayer::seekableChanged(bool seekable)\n", false, &_init_f_seekableChanged_864, &_call_f_seekableChanged_864); - methods += new qt_gsi::GenericMethod ("setAudioRole", "@brief Method void QMediaPlayer::setAudioRole(QAudio::Role audioRole)\n", false, &_init_f_setAudioRole_1533, &_call_f_setAudioRole_1533); - methods += new qt_gsi::GenericMethod ("setCustomAudioRole", "@brief Method void QMediaPlayer::setCustomAudioRole(const QString &audioRole)\n", false, &_init_f_setCustomAudioRole_2025, &_call_f_setCustomAudioRole_2025); + methods += new qt_gsi::GenericMethod ("setAudioRole|audioRole=", "@brief Method void QMediaPlayer::setAudioRole(QAudio::Role audioRole)\n", false, &_init_f_setAudioRole_1533, &_call_f_setAudioRole_1533); + methods += new qt_gsi::GenericMethod ("setCustomAudioRole|customAudioRole=", "@brief Method void QMediaPlayer::setCustomAudioRole(const QString &audioRole)\n", false, &_init_f_setCustomAudioRole_2025, &_call_f_setCustomAudioRole_2025); methods += new qt_gsi::GenericMethod ("setMedia", "@brief Method void QMediaPlayer::setMedia(const QMediaContent &media, QIODevice *stream)\n", false, &_init_f_setMedia_3944, &_call_f_setMedia_3944); methods += new qt_gsi::GenericMethod ("setMuted|muted=", "@brief Method void QMediaPlayer::setMuted(bool muted)\n", false, &_init_f_setMuted_864, &_call_f_setMuted_864); methods += new qt_gsi::GenericMethod ("setNetworkConfigurations", "@brief Method void QMediaPlayer::setNetworkConfigurations(const QList &configurations)\n", false, &_init_f_setNetworkConfigurations_4123, &_call_f_setNetworkConfigurations_4123); @@ -1217,14 +863,36 @@ static gsi::Methods methods_QMediaPlayer () { methods += new qt_gsi::GenericMethod ("setVideoOutput", "@brief Method void QMediaPlayer::setVideoOutput(QAbstractVideoSurface *surface)\n", false, &_init_f_setVideoOutput_2739, &_call_f_setVideoOutput_2739); methods += new qt_gsi::GenericMethod ("setVolume|volume=", "@brief Method void QMediaPlayer::setVolume(int volume)\n", false, &_init_f_setVolume_767, &_call_f_setVolume_767); methods += new qt_gsi::GenericMethod (":state", "@brief Method QMediaPlayer::State QMediaPlayer::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QMediaPlayer::stateChanged(QMediaPlayer::State newState)\n", false, &_init_f_stateChanged_2247, &_call_f_stateChanged_2247); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QMediaPlayer::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); methods += new qt_gsi::GenericMethod ("supportedAudioRoles", "@brief Method QList QMediaPlayer::supportedAudioRoles()\n", true, &_init_f_supportedAudioRoles_c0, &_call_f_supportedAudioRoles_c0); methods += new qt_gsi::GenericMethod ("supportedCustomAudioRoles", "@brief Method QStringList QMediaPlayer::supportedCustomAudioRoles()\n", true, &_init_f_supportedCustomAudioRoles_c0, &_call_f_supportedCustomAudioRoles_c0); methods += new qt_gsi::GenericMethod ("unbind", "@brief Method void QMediaPlayer::unbind(QObject *)\nThis is a reimplementation of QMediaObject::unbind", false, &_init_f_unbind_1302, &_call_f_unbind_1302); - methods += new qt_gsi::GenericMethod ("videoAvailableChanged", "@brief Method void QMediaPlayer::videoAvailableChanged(bool videoAvailable)\n", false, &_init_f_videoAvailableChanged_864, &_call_f_videoAvailableChanged_864); methods += new qt_gsi::GenericMethod (":volume", "@brief Method int QMediaPlayer::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); - methods += new qt_gsi::GenericMethod ("volumeChanged", "@brief Method void QMediaPlayer::volumeChanged(int volume)\n", false, &_init_f_volumeChanged_767, &_call_f_volumeChanged_767); + methods += gsi::qt_signal ("audioAvailableChanged(bool)", "audioAvailableChanged", gsi::arg("available"), "@brief Signal declaration for QMediaPlayer::audioAvailableChanged(bool available)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("audioRoleChanged(QAudio::Role)", "audioRoleChanged", gsi::arg("role"), "@brief Signal declaration for QMediaPlayer::audioRoleChanged(QAudio::Role role)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("availabilityChanged(bool)", "availabilityChanged_bool", gsi::arg("available"), "@brief Signal declaration for QMediaPlayer::availabilityChanged(bool available)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("availabilityChanged(QMultimedia::AvailabilityStatus)", "availabilityChanged_status", gsi::arg("availability"), "@brief Signal declaration for QMediaPlayer::availabilityChanged(QMultimedia::AvailabilityStatus availability)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("bufferStatusChanged(int)", "bufferStatusChanged", gsi::arg("percentFilled"), "@brief Signal declaration for QMediaPlayer::bufferStatusChanged(int percentFilled)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("currentMediaChanged(const QMediaContent &)", "currentMediaChanged", gsi::arg("media"), "@brief Signal declaration for QMediaPlayer::currentMediaChanged(const QMediaContent &media)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("customAudioRoleChanged(const QString &)", "customAudioRoleChanged", gsi::arg("role"), "@brief Signal declaration for QMediaPlayer::customAudioRoleChanged(const QString &role)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMediaPlayer::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("durationChanged(qint64)", "durationChanged", gsi::arg("duration"), "@brief Signal declaration for QMediaPlayer::durationChanged(qint64 duration)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("error(QMediaPlayer::Error)", "error_sig", gsi::arg("error"), "@brief Signal declaration for QMediaPlayer::error(QMediaPlayer::Error error)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mediaChanged(const QMediaContent &)", "mediaChanged", gsi::arg("media"), "@brief Signal declaration for QMediaPlayer::mediaChanged(const QMediaContent &media)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("mediaStatusChanged(QMediaPlayer::MediaStatus)", "mediaStatusChanged", gsi::arg("status"), "@brief Signal declaration for QMediaPlayer::mediaStatusChanged(QMediaPlayer::MediaStatus status)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataAvailableChanged(bool)", "metaDataAvailableChanged", gsi::arg("available"), "@brief Signal declaration for QMediaPlayer::metaDataAvailableChanged(bool available)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged()", "metaDataChanged", "@brief Signal declaration for QMediaPlayer::metaDataChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged(const QString &, const QVariant &)", "metaDataChanged_kv", gsi::arg("key"), gsi::arg("value"), "@brief Signal declaration for QMediaPlayer::metaDataChanged(const QString &key, const QVariant &value)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mutedChanged(bool)", "mutedChanged", gsi::arg("muted"), "@brief Signal declaration for QMediaPlayer::mutedChanged(bool muted)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("networkConfigurationChanged(const QNetworkConfiguration &)", "networkConfigurationChanged", gsi::arg("configuration"), "@brief Signal declaration for QMediaPlayer::networkConfigurationChanged(const QNetworkConfiguration &configuration)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("notifyIntervalChanged(int)", "notifyIntervalChanged", gsi::arg("milliSeconds"), "@brief Signal declaration for QMediaPlayer::notifyIntervalChanged(int milliSeconds)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMediaPlayer::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("playbackRateChanged(double)", "playbackRateChanged", gsi::arg("rate"), "@brief Signal declaration for QMediaPlayer::playbackRateChanged(double rate)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("positionChanged(qint64)", "positionChanged", gsi::arg("position"), "@brief Signal declaration for QMediaPlayer::positionChanged(qint64 position)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("seekableChanged(bool)", "seekableChanged", gsi::arg("seekable"), "@brief Signal declaration for QMediaPlayer::seekableChanged(bool seekable)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("stateChanged(QMediaPlayer::State)", "stateChanged", gsi::arg("newState"), "@brief Signal declaration for QMediaPlayer::stateChanged(QMediaPlayer::State newState)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("videoAvailableChanged(bool)", "videoAvailableChanged", gsi::arg("videoAvailable"), "@brief Signal declaration for QMediaPlayer::videoAvailableChanged(bool videoAvailable)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("volumeChanged(int)", "volumeChanged", gsi::arg("volume"), "@brief Signal declaration for QMediaPlayer::volumeChanged(int volume)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("hasSupport", "@brief Static method QMultimedia::SupportEstimate QMediaPlayer::hasSupport(const QString &mimeType, const QStringList &codecs, QFlags flags)\nThis method is static and can be called without an instance.", &_init_f_hasSupport_7054, &_call_f_hasSupport_7054); methods += new qt_gsi::GenericStaticMethod ("supportedMimeTypes", "@brief Static method QStringList QMediaPlayer::supportedMimeTypes(QFlags flags)\nThis method is static and can be called without an instance.", &_init_f_supportedMimeTypes_2808, &_call_f_supportedMimeTypes_2808); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaPlayer::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); @@ -1297,6 +965,18 @@ class QMediaPlayer_Adaptor : public QMediaPlayer, public qt_gsi::QtObjectBase return QMediaPlayer::senderSignalIndex(); } + // [emitter impl] void QMediaPlayer::audioAvailableChanged(bool available) + void emitter_QMediaPlayer_audioAvailableChanged_864(bool available) + { + emit QMediaPlayer::audioAvailableChanged(available); + } + + // [emitter impl] void QMediaPlayer::audioRoleChanged(QAudio::Role role) + void emitter_QMediaPlayer_audioRoleChanged_1533(QAudio::Role role) + { + emit QMediaPlayer::audioRoleChanged(role); + } + // [adaptor impl] QMultimedia::AvailabilityStatus QMediaPlayer::availability() qt_gsi::Converter::target_type cbs_availability_c0_0() const { @@ -1312,6 +992,18 @@ class QMediaPlayer_Adaptor : public QMediaPlayer, public qt_gsi::QtObjectBase } } + // [emitter impl] void QMediaPlayer::availabilityChanged(bool available) + void emitter_QMediaPlayer_availabilityChanged_864(bool available) + { + emit QMediaPlayer::availabilityChanged(available); + } + + // [emitter impl] void QMediaPlayer::availabilityChanged(QMultimedia::AvailabilityStatus availability) + void emitter_QMediaPlayer_availabilityChanged_3555(QMultimedia::AvailabilityStatus availability) + { + emit QMediaPlayer::availabilityChanged(availability); + } + // [adaptor impl] bool QMediaPlayer::bind(QObject *) bool cbs_bind_1302_0(QObject *arg1) { @@ -1327,6 +1019,42 @@ class QMediaPlayer_Adaptor : public QMediaPlayer, public qt_gsi::QtObjectBase } } + // [emitter impl] void QMediaPlayer::bufferStatusChanged(int percentFilled) + void emitter_QMediaPlayer_bufferStatusChanged_767(int percentFilled) + { + emit QMediaPlayer::bufferStatusChanged(percentFilled); + } + + // [emitter impl] void QMediaPlayer::currentMediaChanged(const QMediaContent &media) + void emitter_QMediaPlayer_currentMediaChanged_2605(const QMediaContent &media) + { + emit QMediaPlayer::currentMediaChanged(media); + } + + // [emitter impl] void QMediaPlayer::customAudioRoleChanged(const QString &role) + void emitter_QMediaPlayer_customAudioRoleChanged_2025(const QString &role) + { + emit QMediaPlayer::customAudioRoleChanged(role); + } + + // [emitter impl] void QMediaPlayer::destroyed(QObject *) + void emitter_QMediaPlayer_destroyed_1302(QObject *arg1) + { + emit QMediaPlayer::destroyed(arg1); + } + + // [emitter impl] void QMediaPlayer::durationChanged(qint64 duration) + void emitter_QMediaPlayer_durationChanged_986(qint64 duration) + { + emit QMediaPlayer::durationChanged(duration); + } + + // [emitter impl] void QMediaPlayer::error(QMediaPlayer::Error error) + void emitter_QMediaPlayer_error_2256(QMediaPlayer::Error _error) + { + emit QMediaPlayer::error(_error); + } + // [adaptor impl] bool QMediaPlayer::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -1372,6 +1100,79 @@ class QMediaPlayer_Adaptor : public QMediaPlayer, public qt_gsi::QtObjectBase } } + // [emitter impl] void QMediaPlayer::mediaChanged(const QMediaContent &media) + void emitter_QMediaPlayer_mediaChanged_2605(const QMediaContent &media) + { + emit QMediaPlayer::mediaChanged(media); + } + + // [emitter impl] void QMediaPlayer::mediaStatusChanged(QMediaPlayer::MediaStatus status) + void emitter_QMediaPlayer_mediaStatusChanged_2858(QMediaPlayer::MediaStatus status) + { + emit QMediaPlayer::mediaStatusChanged(status); + } + + // [emitter impl] void QMediaPlayer::metaDataAvailableChanged(bool available) + void emitter_QMediaPlayer_metaDataAvailableChanged_864(bool available) + { + emit QMediaPlayer::metaDataAvailableChanged(available); + } + + // [emitter impl] void QMediaPlayer::metaDataChanged() + void emitter_QMediaPlayer_metaDataChanged_0() + { + emit QMediaPlayer::metaDataChanged(); + } + + // [emitter impl] void QMediaPlayer::metaDataChanged(const QString &key, const QVariant &value) + void emitter_QMediaPlayer_metaDataChanged_4036(const QString &key, const QVariant &value) + { + emit QMediaPlayer::metaDataChanged(key, value); + } + + // [emitter impl] void QMediaPlayer::mutedChanged(bool muted) + void emitter_QMediaPlayer_mutedChanged_864(bool muted) + { + emit QMediaPlayer::mutedChanged(muted); + } + + // [emitter impl] void QMediaPlayer::networkConfigurationChanged(const QNetworkConfiguration &configuration) + void emitter_QMediaPlayer_networkConfigurationChanged_3508(const QNetworkConfiguration &configuration) + { + emit QMediaPlayer::networkConfigurationChanged(configuration); + } + + // [emitter impl] void QMediaPlayer::notifyIntervalChanged(int milliSeconds) + void emitter_QMediaPlayer_notifyIntervalChanged_767(int milliSeconds) + { + emit QMediaPlayer::notifyIntervalChanged(milliSeconds); + } + + // [emitter impl] void QMediaPlayer::objectNameChanged(const QString &objectName) + void emitter_QMediaPlayer_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMediaPlayer::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QMediaPlayer::playbackRateChanged(double rate) + void emitter_QMediaPlayer_playbackRateChanged_1071(double rate) + { + emit QMediaPlayer::playbackRateChanged(rate); + } + + // [emitter impl] void QMediaPlayer::positionChanged(qint64 position) + void emitter_QMediaPlayer_positionChanged_986(qint64 position) + { + emit QMediaPlayer::positionChanged(position); + } + + // [emitter impl] void QMediaPlayer::seekableChanged(bool seekable) + void emitter_QMediaPlayer_seekableChanged_864(bool seekable) + { + emit QMediaPlayer::seekableChanged(seekable); + } + // [adaptor impl] QMediaService *QMediaPlayer::service() QMediaService * cbs_service_c0_0() const { @@ -1387,6 +1188,12 @@ class QMediaPlayer_Adaptor : public QMediaPlayer, public qt_gsi::QtObjectBase } } + // [emitter impl] void QMediaPlayer::stateChanged(QMediaPlayer::State newState) + void emitter_QMediaPlayer_stateChanged_2247(QMediaPlayer::State newState) + { + emit QMediaPlayer::stateChanged(newState); + } + // [adaptor impl] void QMediaPlayer::unbind(QObject *) void cbs_unbind_1302_0(QObject *arg1) { @@ -1402,6 +1209,18 @@ class QMediaPlayer_Adaptor : public QMediaPlayer, public qt_gsi::QtObjectBase } } + // [emitter impl] void QMediaPlayer::videoAvailableChanged(bool videoAvailable) + void emitter_QMediaPlayer_videoAvailableChanged_864(bool videoAvailable) + { + emit QMediaPlayer::videoAvailableChanged(videoAvailable); + } + + // [emitter impl] void QMediaPlayer::volumeChanged(int volume) + void emitter_QMediaPlayer_volumeChanged_767(int volume) + { + emit QMediaPlayer::volumeChanged(volume); + } + // [adaptor impl] void QMediaPlayer::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -1517,6 +1336,42 @@ static void _call_fp_addPropertyWatch_2309 (const qt_gsi::GenericMethod * /*decl } +// emitter void QMediaPlayer::audioAvailableChanged(bool available) + +static void _init_emitter_audioAvailableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("available"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_audioAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_audioAvailableChanged_864 (arg1); +} + + +// emitter void QMediaPlayer::audioRoleChanged(QAudio::Role role) + +static void _init_emitter_audioRoleChanged_1533 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("role"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_audioRoleChanged_1533 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_audioRoleChanged_1533 (arg1); +} + + // QMultimedia::AvailabilityStatus QMediaPlayer::availability() static void _init_cbs_availability_c0_0 (qt_gsi::GenericMethod *decl) @@ -1536,6 +1391,42 @@ static void _set_callback_cbs_availability_c0_0 (void *cls, const gsi::Callback } +// emitter void QMediaPlayer::availabilityChanged(bool available) + +static void _init_emitter_availabilityChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("available"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_availabilityChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_availabilityChanged_864 (arg1); +} + + +// emitter void QMediaPlayer::availabilityChanged(QMultimedia::AvailabilityStatus availability) + +static void _init_emitter_availabilityChanged_3555 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("availability"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_availabilityChanged_3555 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_availabilityChanged_3555 (arg1); +} + + // bool QMediaPlayer::bind(QObject *) static void _init_cbs_bind_1302_0 (qt_gsi::GenericMethod *decl) @@ -1559,6 +1450,24 @@ static void _set_callback_cbs_bind_1302_0 (void *cls, const gsi::Callback &cb) } +// emitter void QMediaPlayer::bufferStatusChanged(int percentFilled) + +static void _init_emitter_bufferStatusChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("percentFilled"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_bufferStatusChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_bufferStatusChanged_767 (arg1); +} + + // void QMediaPlayer::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -1583,6 +1492,42 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } +// emitter void QMediaPlayer::currentMediaChanged(const QMediaContent &media) + +static void _init_emitter_currentMediaChanged_2605 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("media"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_currentMediaChanged_2605 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QMediaContent &arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_currentMediaChanged_2605 (arg1); +} + + +// emitter void QMediaPlayer::customAudioRoleChanged(const QString &role) + +static void _init_emitter_customAudioRoleChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("role"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_customAudioRoleChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_customAudioRoleChanged_2025 (arg1); +} + + // void QMediaPlayer::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) @@ -1607,6 +1552,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMediaPlayer::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_destroyed_1302 (arg1); +} + + // void QMediaPlayer::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1631,6 +1594,42 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } +// emitter void QMediaPlayer::durationChanged(qint64 duration) + +static void _init_emitter_durationChanged_986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("duration"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_durationChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_durationChanged_986 (arg1); +} + + +// emitter void QMediaPlayer::error(QMediaPlayer::Error error) + +static void _init_emitter_error_2256 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("error"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_error_2256 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_error_2256 (arg1); +} + + // bool QMediaPlayer::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -1717,6 +1716,203 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QMediaPlayer::mediaChanged(const QMediaContent &media) + +static void _init_emitter_mediaChanged_2605 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("media"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_mediaChanged_2605 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QMediaContent &arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_mediaChanged_2605 (arg1); +} + + +// emitter void QMediaPlayer::mediaStatusChanged(QMediaPlayer::MediaStatus status) + +static void _init_emitter_mediaStatusChanged_2858 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("status"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_mediaStatusChanged_2858 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_mediaStatusChanged_2858 (arg1); +} + + +// emitter void QMediaPlayer::metaDataAvailableChanged(bool available) + +static void _init_emitter_metaDataAvailableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("available"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_metaDataAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_metaDataAvailableChanged_864 (arg1); +} + + +// emitter void QMediaPlayer::metaDataChanged() + +static void _init_emitter_metaDataChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_metaDataChanged_0 (); +} + + +// emitter void QMediaPlayer::metaDataChanged(const QString &key, const QVariant &value) + +static void _init_emitter_metaDataChanged_4036 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("key"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("value"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_4036 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + const QVariant &arg2 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_metaDataChanged_4036 (arg1, arg2); +} + + +// emitter void QMediaPlayer::mutedChanged(bool muted) + +static void _init_emitter_mutedChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("muted"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_mutedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_mutedChanged_864 (arg1); +} + + +// emitter void QMediaPlayer::networkConfigurationChanged(const QNetworkConfiguration &configuration) + +static void _init_emitter_networkConfigurationChanged_3508 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("configuration"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_networkConfigurationChanged_3508 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QNetworkConfiguration &arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_networkConfigurationChanged_3508 (arg1); +} + + +// emitter void QMediaPlayer::notifyIntervalChanged(int milliSeconds) + +static void _init_emitter_notifyIntervalChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("milliSeconds"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_notifyIntervalChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_notifyIntervalChanged_767 (arg1); +} + + +// emitter void QMediaPlayer::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_objectNameChanged_4567 (arg1); +} + + +// emitter void QMediaPlayer::playbackRateChanged(double rate) + +static void _init_emitter_playbackRateChanged_1071 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("rate"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_playbackRateChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_playbackRateChanged_1071 (arg1); +} + + +// emitter void QMediaPlayer::positionChanged(qint64 position) + +static void _init_emitter_positionChanged_986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("position"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_positionChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_positionChanged_986 (arg1); +} + + // exposed int QMediaPlayer::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1754,6 +1950,24 @@ static void _call_fp_removePropertyWatch_2309 (const qt_gsi::GenericMethod * /*d } +// emitter void QMediaPlayer::seekableChanged(bool seekable) + +static void _init_emitter_seekableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("seekable"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_seekableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_seekableChanged_864 (arg1); +} + + // exposed QObject *QMediaPlayer::sender() static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) @@ -1801,6 +2015,24 @@ static void _set_callback_cbs_service_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QMediaPlayer::stateChanged(QMediaPlayer::State newState) + +static void _init_emitter_stateChanged_2247 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("newState"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stateChanged_2247 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_stateChanged_2247 (arg1); +} + + // void QMediaPlayer::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -1849,6 +2081,42 @@ static void _set_callback_cbs_unbind_1302_0 (void *cls, const gsi::Callback &cb) } +// emitter void QMediaPlayer::videoAvailableChanged(bool videoAvailable) + +static void _init_emitter_videoAvailableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("videoAvailable"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_videoAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_videoAvailableChanged_864 (arg1); +} + + +// emitter void QMediaPlayer::volumeChanged(int volume) + +static void _init_emitter_volumeChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("volume"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_volumeChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_volumeChanged_767 (arg1); +} + + namespace gsi { @@ -1858,16 +2126,26 @@ static gsi::Methods methods_QMediaPlayer_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaPlayer::QMediaPlayer(QObject *parent, QFlags flags)\nThis method creates an object of class QMediaPlayer.", &_init_ctor_QMediaPlayer_Adaptor_4002, &_call_ctor_QMediaPlayer_Adaptor_4002); methods += new qt_gsi::GenericMethod ("*addPropertyWatch", "@brief Method void QMediaPlayer::addPropertyWatch(const QByteArray &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_addPropertyWatch_2309, &_call_fp_addPropertyWatch_2309); + methods += new qt_gsi::GenericMethod ("emit_audioAvailableChanged", "@brief Emitter for signal void QMediaPlayer::audioAvailableChanged(bool available)\nCall this method to emit this signal.", false, &_init_emitter_audioAvailableChanged_864, &_call_emitter_audioAvailableChanged_864); + methods += new qt_gsi::GenericMethod ("emit_audioRoleChanged", "@brief Emitter for signal void QMediaPlayer::audioRoleChanged(QAudio::Role role)\nCall this method to emit this signal.", false, &_init_emitter_audioRoleChanged_1533, &_call_emitter_audioRoleChanged_1533); methods += new qt_gsi::GenericMethod ("availability", "@brief Virtual method QMultimedia::AvailabilityStatus QMediaPlayer::availability()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0); methods += new qt_gsi::GenericMethod ("availability", "@hide", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0, &_set_callback_cbs_availability_c0_0); + methods += new qt_gsi::GenericMethod ("emit_availabilityChanged_bool", "@brief Emitter for signal void QMediaPlayer::availabilityChanged(bool available)\nCall this method to emit this signal.", false, &_init_emitter_availabilityChanged_864, &_call_emitter_availabilityChanged_864); + methods += new qt_gsi::GenericMethod ("emit_availabilityChanged_status", "@brief Emitter for signal void QMediaPlayer::availabilityChanged(QMultimedia::AvailabilityStatus availability)\nCall this method to emit this signal.", false, &_init_emitter_availabilityChanged_3555, &_call_emitter_availabilityChanged_3555); methods += new qt_gsi::GenericMethod ("bind", "@brief Virtual method bool QMediaPlayer::bind(QObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_bind_1302_0, &_call_cbs_bind_1302_0); methods += new qt_gsi::GenericMethod ("bind", "@hide", false, &_init_cbs_bind_1302_0, &_call_cbs_bind_1302_0, &_set_callback_cbs_bind_1302_0); + methods += new qt_gsi::GenericMethod ("emit_bufferStatusChanged", "@brief Emitter for signal void QMediaPlayer::bufferStatusChanged(int percentFilled)\nCall this method to emit this signal.", false, &_init_emitter_bufferStatusChanged_767, &_call_emitter_bufferStatusChanged_767); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaPlayer::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("emit_currentMediaChanged", "@brief Emitter for signal void QMediaPlayer::currentMediaChanged(const QMediaContent &media)\nCall this method to emit this signal.", false, &_init_emitter_currentMediaChanged_2605, &_call_emitter_currentMediaChanged_2605); + methods += new qt_gsi::GenericMethod ("emit_customAudioRoleChanged", "@brief Emitter for signal void QMediaPlayer::customAudioRoleChanged(const QString &role)\nCall this method to emit this signal.", false, &_init_emitter_customAudioRoleChanged_2025, &_call_emitter_customAudioRoleChanged_2025); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaPlayer::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMediaPlayer::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaPlayer::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("emit_durationChanged", "@brief Emitter for signal void QMediaPlayer::durationChanged(qint64 duration)\nCall this method to emit this signal.", false, &_init_emitter_durationChanged_986, &_call_emitter_durationChanged_986); + methods += new qt_gsi::GenericMethod ("emit_error_sig", "@brief Emitter for signal void QMediaPlayer::error(QMediaPlayer::Error error)\nCall this method to emit this signal.", false, &_init_emitter_error_2256, &_call_emitter_error_2256); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaPlayer::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaPlayer::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); @@ -1875,16 +2153,31 @@ static gsi::Methods methods_QMediaPlayer_Adaptor () { methods += new qt_gsi::GenericMethod ("isAvailable", "@brief Virtual method bool QMediaPlayer::isAvailable()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isAvailable_c0_0, &_call_cbs_isAvailable_c0_0); methods += new qt_gsi::GenericMethod ("isAvailable", "@hide", true, &_init_cbs_isAvailable_c0_0, &_call_cbs_isAvailable_c0_0, &_set_callback_cbs_isAvailable_c0_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaPlayer::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_mediaChanged", "@brief Emitter for signal void QMediaPlayer::mediaChanged(const QMediaContent &media)\nCall this method to emit this signal.", false, &_init_emitter_mediaChanged_2605, &_call_emitter_mediaChanged_2605); + methods += new qt_gsi::GenericMethod ("emit_mediaStatusChanged", "@brief Emitter for signal void QMediaPlayer::mediaStatusChanged(QMediaPlayer::MediaStatus status)\nCall this method to emit this signal.", false, &_init_emitter_mediaStatusChanged_2858, &_call_emitter_mediaStatusChanged_2858); + methods += new qt_gsi::GenericMethod ("emit_metaDataAvailableChanged", "@brief Emitter for signal void QMediaPlayer::metaDataAvailableChanged(bool available)\nCall this method to emit this signal.", false, &_init_emitter_metaDataAvailableChanged_864, &_call_emitter_metaDataAvailableChanged_864); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged", "@brief Emitter for signal void QMediaPlayer::metaDataChanged()\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_0, &_call_emitter_metaDataChanged_0); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged_kv", "@brief Emitter for signal void QMediaPlayer::metaDataChanged(const QString &key, const QVariant &value)\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_4036, &_call_emitter_metaDataChanged_4036); + methods += new qt_gsi::GenericMethod ("emit_mutedChanged", "@brief Emitter for signal void QMediaPlayer::mutedChanged(bool muted)\nCall this method to emit this signal.", false, &_init_emitter_mutedChanged_864, &_call_emitter_mutedChanged_864); + methods += new qt_gsi::GenericMethod ("emit_networkConfigurationChanged", "@brief Emitter for signal void QMediaPlayer::networkConfigurationChanged(const QNetworkConfiguration &configuration)\nCall this method to emit this signal.", false, &_init_emitter_networkConfigurationChanged_3508, &_call_emitter_networkConfigurationChanged_3508); + methods += new qt_gsi::GenericMethod ("emit_notifyIntervalChanged", "@brief Emitter for signal void QMediaPlayer::notifyIntervalChanged(int milliSeconds)\nCall this method to emit this signal.", false, &_init_emitter_notifyIntervalChanged_767, &_call_emitter_notifyIntervalChanged_767); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMediaPlayer::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); + methods += new qt_gsi::GenericMethod ("emit_playbackRateChanged", "@brief Emitter for signal void QMediaPlayer::playbackRateChanged(double rate)\nCall this method to emit this signal.", false, &_init_emitter_playbackRateChanged_1071, &_call_emitter_playbackRateChanged_1071); + methods += new qt_gsi::GenericMethod ("emit_positionChanged", "@brief Emitter for signal void QMediaPlayer::positionChanged(qint64 position)\nCall this method to emit this signal.", false, &_init_emitter_positionChanged_986, &_call_emitter_positionChanged_986); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaPlayer::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*removePropertyWatch", "@brief Method void QMediaPlayer::removePropertyWatch(const QByteArray &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_removePropertyWatch_2309, &_call_fp_removePropertyWatch_2309); + methods += new qt_gsi::GenericMethod ("emit_seekableChanged", "@brief Emitter for signal void QMediaPlayer::seekableChanged(bool seekable)\nCall this method to emit this signal.", false, &_init_emitter_seekableChanged_864, &_call_emitter_seekableChanged_864); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaPlayer::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaPlayer::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("service", "@brief Virtual method QMediaService *QMediaPlayer::service()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_service_c0_0, &_call_cbs_service_c0_0); methods += new qt_gsi::GenericMethod ("service", "@hide", true, &_init_cbs_service_c0_0, &_call_cbs_service_c0_0, &_set_callback_cbs_service_c0_0); + methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QMediaPlayer::stateChanged(QMediaPlayer::State newState)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_2247, &_call_emitter_stateChanged_2247); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaPlayer::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("unbind", "@brief Virtual method void QMediaPlayer::unbind(QObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_unbind_1302_0, &_call_cbs_unbind_1302_0); methods += new qt_gsi::GenericMethod ("unbind", "@hide", false, &_init_cbs_unbind_1302_0, &_call_cbs_unbind_1302_0, &_set_callback_cbs_unbind_1302_0); + methods += new qt_gsi::GenericMethod ("emit_videoAvailableChanged", "@brief Emitter for signal void QMediaPlayer::videoAvailableChanged(bool videoAvailable)\nCall this method to emit this signal.", false, &_init_emitter_videoAvailableChanged_864, &_call_emitter_videoAvailableChanged_864); + methods += new qt_gsi::GenericMethod ("emit_volumeChanged", "@brief Emitter for signal void QMediaPlayer::volumeChanged(int volume)\nCall this method to emit this signal.", false, &_init_emitter_volumeChanged_767, &_call_emitter_volumeChanged_767); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayerControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayerControl.cc index ff0cb74a9f..6ebb04fb5b 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayerControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayerControl.cc @@ -57,26 +57,6 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// void QMediaPlayerControl::audioAvailableChanged(bool audioAvailable) - - -static void _init_f_audioAvailableChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("audioAvailable"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_audioAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayerControl *)cls)->audioAvailableChanged (arg1); -} - - // QMediaTimeRange QMediaPlayerControl::availablePlaybackRanges() @@ -92,26 +72,6 @@ static void _call_f_availablePlaybackRanges_c0 (const qt_gsi::GenericMethod * /* } -// void QMediaPlayerControl::availablePlaybackRangesChanged(const QMediaTimeRange &ranges) - - -static void _init_f_availablePlaybackRangesChanged_2766 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("ranges"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_availablePlaybackRangesChanged_2766 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QMediaTimeRange &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayerControl *)cls)->availablePlaybackRangesChanged (arg1); -} - - // int QMediaPlayerControl::bufferStatus() @@ -127,26 +87,6 @@ static void _call_f_bufferStatus_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QMediaPlayerControl::bufferStatusChanged(int percentFilled) - - -static void _init_f_bufferStatusChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("percentFilled"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_bufferStatusChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayerControl *)cls)->bufferStatusChanged (arg1); -} - - // qint64 QMediaPlayerControl::duration() @@ -162,49 +102,6 @@ static void _call_f_duration_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QMediaPlayerControl::durationChanged(qint64 duration) - - -static void _init_f_durationChanged_986 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("duration"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_durationChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - qint64 arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayerControl *)cls)->durationChanged (arg1); -} - - -// void QMediaPlayerControl::error(int error, const QString &errorString) - - -static void _init_f_error_2684 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("error"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("errorString"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_error_2684 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - const QString &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayerControl *)cls)->error (arg1, arg2); -} - - // bool QMediaPlayerControl::isAudioAvailable() @@ -280,26 +177,6 @@ static void _call_f_media_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QMediaPlayerControl::mediaChanged(const QMediaContent &content) - - -static void _init_f_mediaChanged_2605 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("content"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_mediaChanged_2605 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QMediaContent &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayerControl *)cls)->mediaChanged (arg1); -} - - // QMediaPlayer::MediaStatus QMediaPlayerControl::mediaStatus() @@ -315,26 +192,6 @@ static void _call_f_mediaStatus_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMediaPlayerControl::mediaStatusChanged(QMediaPlayer::MediaStatus status) - - -static void _init_f_mediaStatusChanged_2858 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("status"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_mediaStatusChanged_2858 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayerControl *)cls)->mediaStatusChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // const QIODevice *QMediaPlayerControl::mediaStream() @@ -350,26 +207,6 @@ static void _call_f_mediaStream_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMediaPlayerControl::mutedChanged(bool mute) - - -static void _init_f_mutedChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("mute"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_mutedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayerControl *)cls)->mutedChanged (arg1); -} - - // void QMediaPlayerControl::pause() @@ -417,26 +254,6 @@ static void _call_f_playbackRate_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QMediaPlayerControl::playbackRateChanged(double rate) - - -static void _init_f_playbackRateChanged_1071 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("rate"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_playbackRateChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - double arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayerControl *)cls)->playbackRateChanged (arg1); -} - - // qint64 QMediaPlayerControl::position() @@ -452,46 +269,6 @@ static void _call_f_position_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QMediaPlayerControl::positionChanged(qint64 position) - - -static void _init_f_positionChanged_986 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("position"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_positionChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - qint64 arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayerControl *)cls)->positionChanged (arg1); -} - - -// void QMediaPlayerControl::seekableChanged(bool seekable) - - -static void _init_f_seekableChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("seekable"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_seekableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayerControl *)cls)->seekableChanged (arg1); -} - - // void QMediaPlayerControl::setMedia(const QMediaContent &media, QIODevice *stream) @@ -610,26 +387,6 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QMediaPlayerControl::stateChanged(QMediaPlayer::State newState) - - -static void _init_f_stateChanged_2247 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("newState"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_stateChanged_2247 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayerControl *)cls)->stateChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // void QMediaPlayerControl::stop() @@ -646,26 +403,6 @@ static void _call_f_stop_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, g } -// void QMediaPlayerControl::videoAvailableChanged(bool videoAvailable) - - -static void _init_f_videoAvailableChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("videoAvailable"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_videoAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayerControl *)cls)->videoAvailableChanged (arg1); -} - - // int QMediaPlayerControl::volume() @@ -681,26 +418,6 @@ static void _call_f_volume_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QMediaPlayerControl::volumeChanged(int volume) - - -static void _init_f_volumeChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("volume"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_volumeChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayerControl *)cls)->volumeChanged (arg1); -} - - // static QString QMediaPlayerControl::tr(const char *s, const char *c, int n) @@ -757,42 +474,44 @@ namespace gsi static gsi::Methods methods_QMediaPlayerControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("audioAvailableChanged", "@brief Method void QMediaPlayerControl::audioAvailableChanged(bool audioAvailable)\n", false, &_init_f_audioAvailableChanged_864, &_call_f_audioAvailableChanged_864); methods += new qt_gsi::GenericMethod ("availablePlaybackRanges", "@brief Method QMediaTimeRange QMediaPlayerControl::availablePlaybackRanges()\n", true, &_init_f_availablePlaybackRanges_c0, &_call_f_availablePlaybackRanges_c0); - methods += new qt_gsi::GenericMethod ("availablePlaybackRangesChanged", "@brief Method void QMediaPlayerControl::availablePlaybackRangesChanged(const QMediaTimeRange &ranges)\n", false, &_init_f_availablePlaybackRangesChanged_2766, &_call_f_availablePlaybackRangesChanged_2766); methods += new qt_gsi::GenericMethod ("bufferStatus", "@brief Method int QMediaPlayerControl::bufferStatus()\n", true, &_init_f_bufferStatus_c0, &_call_f_bufferStatus_c0); - methods += new qt_gsi::GenericMethod ("bufferStatusChanged", "@brief Method void QMediaPlayerControl::bufferStatusChanged(int percentFilled)\n", false, &_init_f_bufferStatusChanged_767, &_call_f_bufferStatusChanged_767); methods += new qt_gsi::GenericMethod ("duration", "@brief Method qint64 QMediaPlayerControl::duration()\n", true, &_init_f_duration_c0, &_call_f_duration_c0); - methods += new qt_gsi::GenericMethod ("durationChanged", "@brief Method void QMediaPlayerControl::durationChanged(qint64 duration)\n", false, &_init_f_durationChanged_986, &_call_f_durationChanged_986); - methods += new qt_gsi::GenericMethod ("error", "@brief Method void QMediaPlayerControl::error(int error, const QString &errorString)\n", false, &_init_f_error_2684, &_call_f_error_2684); methods += new qt_gsi::GenericMethod ("isAudioAvailable?", "@brief Method bool QMediaPlayerControl::isAudioAvailable()\n", true, &_init_f_isAudioAvailable_c0, &_call_f_isAudioAvailable_c0); methods += new qt_gsi::GenericMethod ("isMuted?|:muted", "@brief Method bool QMediaPlayerControl::isMuted()\n", true, &_init_f_isMuted_c0, &_call_f_isMuted_c0); methods += new qt_gsi::GenericMethod ("isSeekable?", "@brief Method bool QMediaPlayerControl::isSeekable()\n", true, &_init_f_isSeekable_c0, &_call_f_isSeekable_c0); methods += new qt_gsi::GenericMethod ("isVideoAvailable?", "@brief Method bool QMediaPlayerControl::isVideoAvailable()\n", true, &_init_f_isVideoAvailable_c0, &_call_f_isVideoAvailable_c0); methods += new qt_gsi::GenericMethod ("media", "@brief Method QMediaContent QMediaPlayerControl::media()\n", true, &_init_f_media_c0, &_call_f_media_c0); - methods += new qt_gsi::GenericMethod ("mediaChanged", "@brief Method void QMediaPlayerControl::mediaChanged(const QMediaContent &content)\n", false, &_init_f_mediaChanged_2605, &_call_f_mediaChanged_2605); methods += new qt_gsi::GenericMethod ("mediaStatus", "@brief Method QMediaPlayer::MediaStatus QMediaPlayerControl::mediaStatus()\n", true, &_init_f_mediaStatus_c0, &_call_f_mediaStatus_c0); - methods += new qt_gsi::GenericMethod ("mediaStatusChanged", "@brief Method void QMediaPlayerControl::mediaStatusChanged(QMediaPlayer::MediaStatus status)\n", false, &_init_f_mediaStatusChanged_2858, &_call_f_mediaStatusChanged_2858); methods += new qt_gsi::GenericMethod ("mediaStream", "@brief Method const QIODevice *QMediaPlayerControl::mediaStream()\n", true, &_init_f_mediaStream_c0, &_call_f_mediaStream_c0); - methods += new qt_gsi::GenericMethod ("mutedChanged", "@brief Method void QMediaPlayerControl::mutedChanged(bool mute)\n", false, &_init_f_mutedChanged_864, &_call_f_mutedChanged_864); methods += new qt_gsi::GenericMethod ("pause", "@brief Method void QMediaPlayerControl::pause()\n", false, &_init_f_pause_0, &_call_f_pause_0); methods += new qt_gsi::GenericMethod ("play", "@brief Method void QMediaPlayerControl::play()\n", false, &_init_f_play_0, &_call_f_play_0); methods += new qt_gsi::GenericMethod (":playbackRate", "@brief Method double QMediaPlayerControl::playbackRate()\n", true, &_init_f_playbackRate_c0, &_call_f_playbackRate_c0); - methods += new qt_gsi::GenericMethod ("playbackRateChanged", "@brief Method void QMediaPlayerControl::playbackRateChanged(double rate)\n", false, &_init_f_playbackRateChanged_1071, &_call_f_playbackRateChanged_1071); methods += new qt_gsi::GenericMethod (":position", "@brief Method qint64 QMediaPlayerControl::position()\n", true, &_init_f_position_c0, &_call_f_position_c0); - methods += new qt_gsi::GenericMethod ("positionChanged", "@brief Method void QMediaPlayerControl::positionChanged(qint64 position)\n", false, &_init_f_positionChanged_986, &_call_f_positionChanged_986); - methods += new qt_gsi::GenericMethod ("seekableChanged", "@brief Method void QMediaPlayerControl::seekableChanged(bool seekable)\n", false, &_init_f_seekableChanged_864, &_call_f_seekableChanged_864); methods += new qt_gsi::GenericMethod ("setMedia", "@brief Method void QMediaPlayerControl::setMedia(const QMediaContent &media, QIODevice *stream)\n", false, &_init_f_setMedia_3944, &_call_f_setMedia_3944); methods += new qt_gsi::GenericMethod ("setMuted|muted=", "@brief Method void QMediaPlayerControl::setMuted(bool mute)\n", false, &_init_f_setMuted_864, &_call_f_setMuted_864); methods += new qt_gsi::GenericMethod ("setPlaybackRate|playbackRate=", "@brief Method void QMediaPlayerControl::setPlaybackRate(double rate)\n", false, &_init_f_setPlaybackRate_1071, &_call_f_setPlaybackRate_1071); methods += new qt_gsi::GenericMethod ("setPosition|position=", "@brief Method void QMediaPlayerControl::setPosition(qint64 position)\n", false, &_init_f_setPosition_986, &_call_f_setPosition_986); methods += new qt_gsi::GenericMethod ("setVolume|volume=", "@brief Method void QMediaPlayerControl::setVolume(int volume)\n", false, &_init_f_setVolume_767, &_call_f_setVolume_767); methods += new qt_gsi::GenericMethod ("state", "@brief Method QMediaPlayer::State QMediaPlayerControl::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QMediaPlayerControl::stateChanged(QMediaPlayer::State newState)\n", false, &_init_f_stateChanged_2247, &_call_f_stateChanged_2247); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QMediaPlayerControl::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); - methods += new qt_gsi::GenericMethod ("videoAvailableChanged", "@brief Method void QMediaPlayerControl::videoAvailableChanged(bool videoAvailable)\n", false, &_init_f_videoAvailableChanged_864, &_call_f_videoAvailableChanged_864); methods += new qt_gsi::GenericMethod (":volume", "@brief Method int QMediaPlayerControl::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); - methods += new qt_gsi::GenericMethod ("volumeChanged", "@brief Method void QMediaPlayerControl::volumeChanged(int volume)\n", false, &_init_f_volumeChanged_767, &_call_f_volumeChanged_767); + methods += gsi::qt_signal ("audioAvailableChanged(bool)", "audioAvailableChanged", gsi::arg("audioAvailable"), "@brief Signal declaration for QMediaPlayerControl::audioAvailableChanged(bool audioAvailable)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("availablePlaybackRangesChanged(const QMediaTimeRange &)", "availablePlaybackRangesChanged", gsi::arg("ranges"), "@brief Signal declaration for QMediaPlayerControl::availablePlaybackRangesChanged(const QMediaTimeRange &ranges)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("bufferStatusChanged(int)", "bufferStatusChanged", gsi::arg("percentFilled"), "@brief Signal declaration for QMediaPlayerControl::bufferStatusChanged(int percentFilled)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMediaPlayerControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("durationChanged(qint64)", "durationChanged", gsi::arg("duration"), "@brief Signal declaration for QMediaPlayerControl::durationChanged(qint64 duration)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("error(int, const QString &)", "error", gsi::arg("error"), gsi::arg("errorString"), "@brief Signal declaration for QMediaPlayerControl::error(int error, const QString &errorString)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mediaChanged(const QMediaContent &)", "mediaChanged", gsi::arg("content"), "@brief Signal declaration for QMediaPlayerControl::mediaChanged(const QMediaContent &content)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("mediaStatusChanged(QMediaPlayer::MediaStatus)", "mediaStatusChanged", gsi::arg("status"), "@brief Signal declaration for QMediaPlayerControl::mediaStatusChanged(QMediaPlayer::MediaStatus status)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mutedChanged(bool)", "mutedChanged", gsi::arg("mute"), "@brief Signal declaration for QMediaPlayerControl::mutedChanged(bool mute)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMediaPlayerControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("playbackRateChanged(double)", "playbackRateChanged", gsi::arg("rate"), "@brief Signal declaration for QMediaPlayerControl::playbackRateChanged(double rate)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("positionChanged(qint64)", "positionChanged", gsi::arg("position"), "@brief Signal declaration for QMediaPlayerControl::positionChanged(qint64 position)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("seekableChanged(bool)", "seekableChanged", gsi::arg("seekable"), "@brief Signal declaration for QMediaPlayerControl::seekableChanged(bool seekable)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("stateChanged(QMediaPlayer::State)", "stateChanged", gsi::arg("newState"), "@brief Signal declaration for QMediaPlayerControl::stateChanged(QMediaPlayer::State newState)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("videoAvailableChanged(bool)", "videoAvailableChanged", gsi::arg("videoAvailable"), "@brief Signal declaration for QMediaPlayerControl::videoAvailableChanged(bool videoAvailable)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("volumeChanged(int)", "volumeChanged", gsi::arg("volume"), "@brief Signal declaration for QMediaPlayerControl::volumeChanged(int volume)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaPlayerControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QMediaPlayerControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -841,6 +560,12 @@ class QMediaPlayerControl_Adaptor : public QMediaPlayerControl, public qt_gsi::Q return QMediaPlayerControl::senderSignalIndex(); } + // [emitter impl] void QMediaPlayerControl::audioAvailableChanged(bool audioAvailable) + void emitter_QMediaPlayerControl_audioAvailableChanged_864(bool audioAvailable) + { + emit QMediaPlayerControl::audioAvailableChanged(audioAvailable); + } + // [adaptor impl] QMediaTimeRange QMediaPlayerControl::availablePlaybackRanges() QMediaTimeRange cbs_availablePlaybackRanges_c0_0() const { @@ -856,6 +581,12 @@ class QMediaPlayerControl_Adaptor : public QMediaPlayerControl, public qt_gsi::Q } } + // [emitter impl] void QMediaPlayerControl::availablePlaybackRangesChanged(const QMediaTimeRange &ranges) + void emitter_QMediaPlayerControl_availablePlaybackRangesChanged_2766(const QMediaTimeRange &ranges) + { + emit QMediaPlayerControl::availablePlaybackRangesChanged(ranges); + } + // [adaptor impl] int QMediaPlayerControl::bufferStatus() int cbs_bufferStatus_c0_0() const { @@ -871,6 +602,18 @@ class QMediaPlayerControl_Adaptor : public QMediaPlayerControl, public qt_gsi::Q } } + // [emitter impl] void QMediaPlayerControl::bufferStatusChanged(int percentFilled) + void emitter_QMediaPlayerControl_bufferStatusChanged_767(int percentFilled) + { + emit QMediaPlayerControl::bufferStatusChanged(percentFilled); + } + + // [emitter impl] void QMediaPlayerControl::destroyed(QObject *) + void emitter_QMediaPlayerControl_destroyed_1302(QObject *arg1) + { + emit QMediaPlayerControl::destroyed(arg1); + } + // [adaptor impl] qint64 QMediaPlayerControl::duration() qint64 cbs_duration_c0_0() const { @@ -886,6 +629,18 @@ class QMediaPlayerControl_Adaptor : public QMediaPlayerControl, public qt_gsi::Q } } + // [emitter impl] void QMediaPlayerControl::durationChanged(qint64 duration) + void emitter_QMediaPlayerControl_durationChanged_986(qint64 duration) + { + emit QMediaPlayerControl::durationChanged(duration); + } + + // [emitter impl] void QMediaPlayerControl::error(int error, const QString &errorString) + void emitter_QMediaPlayerControl_error_2684(int _error, const QString &errorString) + { + emit QMediaPlayerControl::error(_error, errorString); + } + // [adaptor impl] bool QMediaPlayerControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -991,6 +746,12 @@ class QMediaPlayerControl_Adaptor : public QMediaPlayerControl, public qt_gsi::Q } } + // [emitter impl] void QMediaPlayerControl::mediaChanged(const QMediaContent &content) + void emitter_QMediaPlayerControl_mediaChanged_2605(const QMediaContent &content) + { + emit QMediaPlayerControl::mediaChanged(content); + } + // [adaptor impl] QMediaPlayer::MediaStatus QMediaPlayerControl::mediaStatus() qt_gsi::Converter::target_type cbs_mediaStatus_c0_0() const { @@ -1006,6 +767,12 @@ class QMediaPlayerControl_Adaptor : public QMediaPlayerControl, public qt_gsi::Q } } + // [emitter impl] void QMediaPlayerControl::mediaStatusChanged(QMediaPlayer::MediaStatus status) + void emitter_QMediaPlayerControl_mediaStatusChanged_2858(QMediaPlayer::MediaStatus status) + { + emit QMediaPlayerControl::mediaStatusChanged(status); + } + // [adaptor impl] const QIODevice *QMediaPlayerControl::mediaStream() const QIODevice * cbs_mediaStream_c0_0() const { @@ -1021,6 +788,19 @@ class QMediaPlayerControl_Adaptor : public QMediaPlayerControl, public qt_gsi::Q } } + // [emitter impl] void QMediaPlayerControl::mutedChanged(bool mute) + void emitter_QMediaPlayerControl_mutedChanged_864(bool mute) + { + emit QMediaPlayerControl::mutedChanged(mute); + } + + // [emitter impl] void QMediaPlayerControl::objectNameChanged(const QString &objectName) + void emitter_QMediaPlayerControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMediaPlayerControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QMediaPlayerControl::pause() void cbs_pause_0_0() { @@ -1066,6 +846,12 @@ class QMediaPlayerControl_Adaptor : public QMediaPlayerControl, public qt_gsi::Q } } + // [emitter impl] void QMediaPlayerControl::playbackRateChanged(double rate) + void emitter_QMediaPlayerControl_playbackRateChanged_1071(double rate) + { + emit QMediaPlayerControl::playbackRateChanged(rate); + } + // [adaptor impl] qint64 QMediaPlayerControl::position() qint64 cbs_position_c0_0() const { @@ -1081,6 +867,18 @@ class QMediaPlayerControl_Adaptor : public QMediaPlayerControl, public qt_gsi::Q } } + // [emitter impl] void QMediaPlayerControl::positionChanged(qint64 position) + void emitter_QMediaPlayerControl_positionChanged_986(qint64 position) + { + emit QMediaPlayerControl::positionChanged(position); + } + + // [emitter impl] void QMediaPlayerControl::seekableChanged(bool seekable) + void emitter_QMediaPlayerControl_seekableChanged_864(bool seekable) + { + emit QMediaPlayerControl::seekableChanged(seekable); + } + // [adaptor impl] void QMediaPlayerControl::setMedia(const QMediaContent &media, QIODevice *stream) void cbs_setMedia_3944_0(const QMediaContent &media, QIODevice *stream) { @@ -1177,6 +975,12 @@ class QMediaPlayerControl_Adaptor : public QMediaPlayerControl, public qt_gsi::Q } } + // [emitter impl] void QMediaPlayerControl::stateChanged(QMediaPlayer::State newState) + void emitter_QMediaPlayerControl_stateChanged_2247(QMediaPlayer::State newState) + { + emit QMediaPlayerControl::stateChanged(newState); + } + // [adaptor impl] void QMediaPlayerControl::stop() void cbs_stop_0_0() { @@ -1192,6 +996,12 @@ class QMediaPlayerControl_Adaptor : public QMediaPlayerControl, public qt_gsi::Q } } + // [emitter impl] void QMediaPlayerControl::videoAvailableChanged(bool videoAvailable) + void emitter_QMediaPlayerControl_videoAvailableChanged_864(bool videoAvailable) + { + emit QMediaPlayerControl::videoAvailableChanged(videoAvailable); + } + // [adaptor impl] int QMediaPlayerControl::volume() int cbs_volume_c0_0() const { @@ -1207,6 +1017,12 @@ class QMediaPlayerControl_Adaptor : public QMediaPlayerControl, public qt_gsi::Q } } + // [emitter impl] void QMediaPlayerControl::volumeChanged(int volume) + void emitter_QMediaPlayerControl_volumeChanged_767(int volume) + { + emit QMediaPlayerControl::volumeChanged(volume); + } + // [adaptor impl] void QMediaPlayerControl::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -1313,6 +1129,24 @@ static void _call_ctor_QMediaPlayerControl_Adaptor_0 (const qt_gsi::GenericStati } +// emitter void QMediaPlayerControl::audioAvailableChanged(bool audioAvailable) + +static void _init_emitter_audioAvailableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("audioAvailable"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_audioAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayerControl_Adaptor *)cls)->emitter_QMediaPlayerControl_audioAvailableChanged_864 (arg1); +} + + // QMediaTimeRange QMediaPlayerControl::availablePlaybackRanges() static void _init_cbs_availablePlaybackRanges_c0_0 (qt_gsi::GenericMethod *decl) @@ -1332,6 +1166,24 @@ static void _set_callback_cbs_availablePlaybackRanges_c0_0 (void *cls, const gsi } +// emitter void QMediaPlayerControl::availablePlaybackRangesChanged(const QMediaTimeRange &ranges) + +static void _init_emitter_availablePlaybackRangesChanged_2766 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("ranges"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_availablePlaybackRangesChanged_2766 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QMediaTimeRange &arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayerControl_Adaptor *)cls)->emitter_QMediaPlayerControl_availablePlaybackRangesChanged_2766 (arg1); +} + + // int QMediaPlayerControl::bufferStatus() static void _init_cbs_bufferStatus_c0_0 (qt_gsi::GenericMethod *decl) @@ -1351,6 +1203,24 @@ static void _set_callback_cbs_bufferStatus_c0_0 (void *cls, const gsi::Callback } +// emitter void QMediaPlayerControl::bufferStatusChanged(int percentFilled) + +static void _init_emitter_bufferStatusChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("percentFilled"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_bufferStatusChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayerControl_Adaptor *)cls)->emitter_QMediaPlayerControl_bufferStatusChanged_767 (arg1); +} + + // void QMediaPlayerControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -1399,6 +1269,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMediaPlayerControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMediaPlayerControl_Adaptor *)cls)->emitter_QMediaPlayerControl_destroyed_1302 (arg1); +} + + // void QMediaPlayerControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1442,6 +1330,45 @@ static void _set_callback_cbs_duration_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QMediaPlayerControl::durationChanged(qint64 duration) + +static void _init_emitter_durationChanged_986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("duration"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_durationChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayerControl_Adaptor *)cls)->emitter_QMediaPlayerControl_durationChanged_986 (arg1); +} + + +// emitter void QMediaPlayerControl::error(int error, const QString &errorString) + +static void _init_emitter_error_2684 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("error"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("errorString"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_error_2684 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + const QString &arg2 = gsi::arg_reader() (args, heap); + ((QMediaPlayerControl_Adaptor *)cls)->emitter_QMediaPlayerControl_error_2684 (arg1, arg2); +} + + // bool QMediaPlayerControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -1604,6 +1531,24 @@ static void _set_callback_cbs_media_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QMediaPlayerControl::mediaChanged(const QMediaContent &content) + +static void _init_emitter_mediaChanged_2605 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("content"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_mediaChanged_2605 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QMediaContent &arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayerControl_Adaptor *)cls)->emitter_QMediaPlayerControl_mediaChanged_2605 (arg1); +} + + // QMediaPlayer::MediaStatus QMediaPlayerControl::mediaStatus() static void _init_cbs_mediaStatus_c0_0 (qt_gsi::GenericMethod *decl) @@ -1623,6 +1568,24 @@ static void _set_callback_cbs_mediaStatus_c0_0 (void *cls, const gsi::Callback & } +// emitter void QMediaPlayerControl::mediaStatusChanged(QMediaPlayer::MediaStatus status) + +static void _init_emitter_mediaStatusChanged_2858 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("status"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_mediaStatusChanged_2858 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QMediaPlayerControl_Adaptor *)cls)->emitter_QMediaPlayerControl_mediaStatusChanged_2858 (arg1); +} + + // const QIODevice *QMediaPlayerControl::mediaStream() static void _init_cbs_mediaStream_c0_0 (qt_gsi::GenericMethod *decl) @@ -1642,6 +1605,42 @@ static void _set_callback_cbs_mediaStream_c0_0 (void *cls, const gsi::Callback & } +// emitter void QMediaPlayerControl::mutedChanged(bool mute) + +static void _init_emitter_mutedChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("mute"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_mutedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayerControl_Adaptor *)cls)->emitter_QMediaPlayerControl_mutedChanged_864 (arg1); +} + + +// emitter void QMediaPlayerControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayerControl_Adaptor *)cls)->emitter_QMediaPlayerControl_objectNameChanged_4567 (arg1); +} + + // void QMediaPlayerControl::pause() static void _init_cbs_pause_0_0 (qt_gsi::GenericMethod *decl) @@ -1701,6 +1700,24 @@ static void _set_callback_cbs_playbackRate_c0_0 (void *cls, const gsi::Callback } +// emitter void QMediaPlayerControl::playbackRateChanged(double rate) + +static void _init_emitter_playbackRateChanged_1071 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("rate"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_playbackRateChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayerControl_Adaptor *)cls)->emitter_QMediaPlayerControl_playbackRateChanged_1071 (arg1); +} + + // qint64 QMediaPlayerControl::position() static void _init_cbs_position_c0_0 (qt_gsi::GenericMethod *decl) @@ -1720,6 +1737,24 @@ static void _set_callback_cbs_position_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QMediaPlayerControl::positionChanged(qint64 position) + +static void _init_emitter_positionChanged_986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("position"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_positionChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayerControl_Adaptor *)cls)->emitter_QMediaPlayerControl_positionChanged_986 (arg1); +} + + // exposed int QMediaPlayerControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1738,6 +1773,24 @@ static void _call_fp_receivers_c1731 (const qt_gsi::GenericMethod * /*decl*/, vo } +// emitter void QMediaPlayerControl::seekableChanged(bool seekable) + +static void _init_emitter_seekableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("seekable"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_seekableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayerControl_Adaptor *)cls)->emitter_QMediaPlayerControl_seekableChanged_864 (arg1); +} + + // exposed QObject *QMediaPlayerControl::sender() static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) @@ -1908,6 +1961,24 @@ static void _set_callback_cbs_state_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QMediaPlayerControl::stateChanged(QMediaPlayer::State newState) + +static void _init_emitter_stateChanged_2247 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("newState"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stateChanged_2247 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QMediaPlayerControl_Adaptor *)cls)->emitter_QMediaPlayerControl_stateChanged_2247 (arg1); +} + + // void QMediaPlayerControl::stop() static void _init_cbs_stop_0_0 (qt_gsi::GenericMethod *decl) @@ -1952,6 +2023,24 @@ static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback } +// emitter void QMediaPlayerControl::videoAvailableChanged(bool videoAvailable) + +static void _init_emitter_videoAvailableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("videoAvailable"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_videoAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayerControl_Adaptor *)cls)->emitter_QMediaPlayerControl_videoAvailableChanged_864 (arg1); +} + + // int QMediaPlayerControl::volume() static void _init_cbs_volume_c0_0 (qt_gsi::GenericMethod *decl) @@ -1971,6 +2060,24 @@ static void _set_callback_cbs_volume_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QMediaPlayerControl::volumeChanged(int volume) + +static void _init_emitter_volumeChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("volume"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_volumeChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayerControl_Adaptor *)cls)->emitter_QMediaPlayerControl_volumeChanged_767 (arg1); +} + + namespace gsi { @@ -1979,18 +2086,24 @@ gsi::Class &qtdecl_QMediaPlayerControl (); static gsi::Methods methods_QMediaPlayerControl_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaPlayerControl::QMediaPlayerControl()\nThis method creates an object of class QMediaPlayerControl.", &_init_ctor_QMediaPlayerControl_Adaptor_0, &_call_ctor_QMediaPlayerControl_Adaptor_0); + methods += new qt_gsi::GenericMethod ("emit_audioAvailableChanged", "@brief Emitter for signal void QMediaPlayerControl::audioAvailableChanged(bool audioAvailable)\nCall this method to emit this signal.", false, &_init_emitter_audioAvailableChanged_864, &_call_emitter_audioAvailableChanged_864); methods += new qt_gsi::GenericMethod ("availablePlaybackRanges", "@brief Virtual method QMediaTimeRange QMediaPlayerControl::availablePlaybackRanges()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_availablePlaybackRanges_c0_0, &_call_cbs_availablePlaybackRanges_c0_0); methods += new qt_gsi::GenericMethod ("availablePlaybackRanges", "@hide", true, &_init_cbs_availablePlaybackRanges_c0_0, &_call_cbs_availablePlaybackRanges_c0_0, &_set_callback_cbs_availablePlaybackRanges_c0_0); + methods += new qt_gsi::GenericMethod ("emit_availablePlaybackRangesChanged", "@brief Emitter for signal void QMediaPlayerControl::availablePlaybackRangesChanged(const QMediaTimeRange &ranges)\nCall this method to emit this signal.", false, &_init_emitter_availablePlaybackRangesChanged_2766, &_call_emitter_availablePlaybackRangesChanged_2766); methods += new qt_gsi::GenericMethod ("bufferStatus", "@brief Virtual method int QMediaPlayerControl::bufferStatus()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_bufferStatus_c0_0, &_call_cbs_bufferStatus_c0_0); methods += new qt_gsi::GenericMethod ("bufferStatus", "@hide", true, &_init_cbs_bufferStatus_c0_0, &_call_cbs_bufferStatus_c0_0, &_set_callback_cbs_bufferStatus_c0_0); + methods += new qt_gsi::GenericMethod ("emit_bufferStatusChanged", "@brief Emitter for signal void QMediaPlayerControl::bufferStatusChanged(int percentFilled)\nCall this method to emit this signal.", false, &_init_emitter_bufferStatusChanged_767, &_call_emitter_bufferStatusChanged_767); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaPlayerControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaPlayerControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMediaPlayerControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaPlayerControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("duration", "@brief Virtual method qint64 QMediaPlayerControl::duration()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_duration_c0_0, &_call_cbs_duration_c0_0); methods += new qt_gsi::GenericMethod ("duration", "@hide", true, &_init_cbs_duration_c0_0, &_call_cbs_duration_c0_0, &_set_callback_cbs_duration_c0_0); + methods += new qt_gsi::GenericMethod ("emit_durationChanged", "@brief Emitter for signal void QMediaPlayerControl::durationChanged(qint64 duration)\nCall this method to emit this signal.", false, &_init_emitter_durationChanged_986, &_call_emitter_durationChanged_986); + methods += new qt_gsi::GenericMethod ("emit_error", "@brief Emitter for signal void QMediaPlayerControl::error(int error, const QString &errorString)\nCall this method to emit this signal.", false, &_init_emitter_error_2684, &_call_emitter_error_2684); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaPlayerControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaPlayerControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); @@ -2006,19 +2119,26 @@ static gsi::Methods methods_QMediaPlayerControl_Adaptor () { methods += new qt_gsi::GenericMethod ("isVideoAvailable", "@hide", true, &_init_cbs_isVideoAvailable_c0_0, &_call_cbs_isVideoAvailable_c0_0, &_set_callback_cbs_isVideoAvailable_c0_0); methods += new qt_gsi::GenericMethod ("media", "@brief Virtual method QMediaContent QMediaPlayerControl::media()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_media_c0_0, &_call_cbs_media_c0_0); methods += new qt_gsi::GenericMethod ("media", "@hide", true, &_init_cbs_media_c0_0, &_call_cbs_media_c0_0, &_set_callback_cbs_media_c0_0); + methods += new qt_gsi::GenericMethod ("emit_mediaChanged", "@brief Emitter for signal void QMediaPlayerControl::mediaChanged(const QMediaContent &content)\nCall this method to emit this signal.", false, &_init_emitter_mediaChanged_2605, &_call_emitter_mediaChanged_2605); methods += new qt_gsi::GenericMethod ("mediaStatus", "@brief Virtual method QMediaPlayer::MediaStatus QMediaPlayerControl::mediaStatus()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_mediaStatus_c0_0, &_call_cbs_mediaStatus_c0_0); methods += new qt_gsi::GenericMethod ("mediaStatus", "@hide", true, &_init_cbs_mediaStatus_c0_0, &_call_cbs_mediaStatus_c0_0, &_set_callback_cbs_mediaStatus_c0_0); + methods += new qt_gsi::GenericMethod ("emit_mediaStatusChanged", "@brief Emitter for signal void QMediaPlayerControl::mediaStatusChanged(QMediaPlayer::MediaStatus status)\nCall this method to emit this signal.", false, &_init_emitter_mediaStatusChanged_2858, &_call_emitter_mediaStatusChanged_2858); methods += new qt_gsi::GenericMethod ("mediaStream", "@brief Virtual method const QIODevice *QMediaPlayerControl::mediaStream()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_mediaStream_c0_0, &_call_cbs_mediaStream_c0_0); methods += new qt_gsi::GenericMethod ("mediaStream", "@hide", true, &_init_cbs_mediaStream_c0_0, &_call_cbs_mediaStream_c0_0, &_set_callback_cbs_mediaStream_c0_0); + methods += new qt_gsi::GenericMethod ("emit_mutedChanged", "@brief Emitter for signal void QMediaPlayerControl::mutedChanged(bool mute)\nCall this method to emit this signal.", false, &_init_emitter_mutedChanged_864, &_call_emitter_mutedChanged_864); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMediaPlayerControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("pause", "@brief Virtual method void QMediaPlayerControl::pause()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_pause_0_0, &_call_cbs_pause_0_0); methods += new qt_gsi::GenericMethod ("pause", "@hide", false, &_init_cbs_pause_0_0, &_call_cbs_pause_0_0, &_set_callback_cbs_pause_0_0); methods += new qt_gsi::GenericMethod ("play", "@brief Virtual method void QMediaPlayerControl::play()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_play_0_0, &_call_cbs_play_0_0); methods += new qt_gsi::GenericMethod ("play", "@hide", false, &_init_cbs_play_0_0, &_call_cbs_play_0_0, &_set_callback_cbs_play_0_0); methods += new qt_gsi::GenericMethod ("playbackRate", "@brief Virtual method double QMediaPlayerControl::playbackRate()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_playbackRate_c0_0, &_call_cbs_playbackRate_c0_0); methods += new qt_gsi::GenericMethod ("playbackRate", "@hide", true, &_init_cbs_playbackRate_c0_0, &_call_cbs_playbackRate_c0_0, &_set_callback_cbs_playbackRate_c0_0); + methods += new qt_gsi::GenericMethod ("emit_playbackRateChanged", "@brief Emitter for signal void QMediaPlayerControl::playbackRateChanged(double rate)\nCall this method to emit this signal.", false, &_init_emitter_playbackRateChanged_1071, &_call_emitter_playbackRateChanged_1071); methods += new qt_gsi::GenericMethod ("position", "@brief Virtual method qint64 QMediaPlayerControl::position()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_position_c0_0, &_call_cbs_position_c0_0); methods += new qt_gsi::GenericMethod ("position", "@hide", true, &_init_cbs_position_c0_0, &_call_cbs_position_c0_0, &_set_callback_cbs_position_c0_0); + methods += new qt_gsi::GenericMethod ("emit_positionChanged", "@brief Emitter for signal void QMediaPlayerControl::positionChanged(qint64 position)\nCall this method to emit this signal.", false, &_init_emitter_positionChanged_986, &_call_emitter_positionChanged_986); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaPlayerControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); + methods += new qt_gsi::GenericMethod ("emit_seekableChanged", "@brief Emitter for signal void QMediaPlayerControl::seekableChanged(bool seekable)\nCall this method to emit this signal.", false, &_init_emitter_seekableChanged_864, &_call_emitter_seekableChanged_864); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaPlayerControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaPlayerControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setMedia", "@brief Virtual method void QMediaPlayerControl::setMedia(const QMediaContent &media, QIODevice *stream)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setMedia_3944_0, &_call_cbs_setMedia_3944_0); @@ -2033,12 +2153,15 @@ static gsi::Methods methods_QMediaPlayerControl_Adaptor () { methods += new qt_gsi::GenericMethod ("setVolume", "@hide", false, &_init_cbs_setVolume_767_0, &_call_cbs_setVolume_767_0, &_set_callback_cbs_setVolume_767_0); methods += new qt_gsi::GenericMethod ("state", "@brief Virtual method QMediaPlayer::State QMediaPlayerControl::state()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_state_c0_0, &_call_cbs_state_c0_0); methods += new qt_gsi::GenericMethod ("state", "@hide", true, &_init_cbs_state_c0_0, &_call_cbs_state_c0_0, &_set_callback_cbs_state_c0_0); + methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QMediaPlayerControl::stateChanged(QMediaPlayer::State newState)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_2247, &_call_emitter_stateChanged_2247); methods += new qt_gsi::GenericMethod ("stop", "@brief Virtual method void QMediaPlayerControl::stop()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0); methods += new qt_gsi::GenericMethod ("stop", "@hide", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0, &_set_callback_cbs_stop_0_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaPlayerControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("emit_videoAvailableChanged", "@brief Emitter for signal void QMediaPlayerControl::videoAvailableChanged(bool videoAvailable)\nCall this method to emit this signal.", false, &_init_emitter_videoAvailableChanged_864, &_call_emitter_videoAvailableChanged_864); methods += new qt_gsi::GenericMethod ("volume", "@brief Virtual method int QMediaPlayerControl::volume()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_volume_c0_0, &_call_cbs_volume_c0_0); methods += new qt_gsi::GenericMethod ("volume", "@hide", true, &_init_cbs_volume_c0_0, &_call_cbs_volume_c0_0, &_set_callback_cbs_volume_c0_0); + methods += new qt_gsi::GenericMethod ("emit_volumeChanged", "@brief Emitter for signal void QMediaPlayerControl::volumeChanged(int volume)\nCall this method to emit this signal.", false, &_init_emitter_volumeChanged_767, &_call_emitter_volumeChanged_767); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlaylist.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlaylist.cc index 17efee2077..4495cc406b 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlaylist.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlaylist.cc @@ -127,26 +127,6 @@ static void _call_f_currentIndex_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QMediaPlaylist::currentIndexChanged(int index) - - -static void _init_f_currentIndexChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("index"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_currentIndexChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlaylist *)cls)->currentIndexChanged (arg1); -} - - // QMediaContent QMediaPlaylist::currentMedia() @@ -162,26 +142,6 @@ static void _call_f_currentMedia_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QMediaPlaylist::currentMediaChanged(const QMediaContent &) - - -static void _init_f_currentMediaChanged_2605 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_currentMediaChanged_2605 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QMediaContent &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlaylist *)cls)->currentMediaChanged (arg1); -} - - // QMediaPlaylist::Error QMediaPlaylist::error() @@ -355,38 +315,6 @@ static void _call_f_load_3070 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QMediaPlaylist::loadFailed() - - -static void _init_f_loadFailed_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_loadFailed_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlaylist *)cls)->loadFailed (); -} - - -// void QMediaPlaylist::loaded() - - -static void _init_f_loaded_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_loaded_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlaylist *)cls)->loaded (); -} - - // QMediaContent QMediaPlaylist::media(int index) @@ -406,75 +334,6 @@ static void _call_f_media_c767 (const qt_gsi::GenericMethod * /*decl*/, void *cl } -// void QMediaPlaylist::mediaAboutToBeInserted(int start, int end) - - -static void _init_f_mediaAboutToBeInserted_1426 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("start"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("end"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_mediaAboutToBeInserted_1426 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - int arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlaylist *)cls)->mediaAboutToBeInserted (arg1, arg2); -} - - -// void QMediaPlaylist::mediaAboutToBeRemoved(int start, int end) - - -static void _init_f_mediaAboutToBeRemoved_1426 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("start"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("end"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_mediaAboutToBeRemoved_1426 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - int arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlaylist *)cls)->mediaAboutToBeRemoved (arg1, arg2); -} - - -// void QMediaPlaylist::mediaChanged(int start, int end) - - -static void _init_f_mediaChanged_1426 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("start"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("end"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_mediaChanged_1426 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - int arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlaylist *)cls)->mediaChanged (arg1, arg2); -} - - // int QMediaPlaylist::mediaCount() @@ -490,29 +349,6 @@ static void _call_f_mediaCount_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMediaPlaylist::mediaInserted(int start, int end) - - -static void _init_f_mediaInserted_1426 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("start"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("end"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_mediaInserted_1426 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - int arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlaylist *)cls)->mediaInserted (arg1, arg2); -} - - // QMediaObject *QMediaPlaylist::mediaObject() @@ -528,29 +364,6 @@ static void _call_f_mediaObject_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMediaPlaylist::mediaRemoved(int start, int end) - - -static void _init_f_mediaRemoved_1426 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("start"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("end"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_mediaRemoved_1426 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - int arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlaylist *)cls)->mediaRemoved (arg1, arg2); -} - - // bool QMediaPlaylist::moveMedia(int from, int to) @@ -623,26 +436,6 @@ static void _call_f_playbackMode_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QMediaPlaylist::playbackModeChanged(QMediaPlaylist::PlaybackMode mode) - - -static void _init_f_playbackModeChanged_3159 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("mode"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_playbackModeChanged_3159 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlaylist *)cls)->playbackModeChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // void QMediaPlaylist::previous() @@ -924,9 +717,7 @@ static gsi::Methods methods_QMediaPlaylist () { methods += new qt_gsi::GenericMethod ("addMedia", "@brief Method bool QMediaPlaylist::addMedia(const QList &items)\n", false, &_init_f_addMedia_3220, &_call_f_addMedia_3220); methods += new qt_gsi::GenericMethod ("clear", "@brief Method bool QMediaPlaylist::clear()\n", false, &_init_f_clear_0, &_call_f_clear_0); methods += new qt_gsi::GenericMethod (":currentIndex", "@brief Method int QMediaPlaylist::currentIndex()\n", true, &_init_f_currentIndex_c0, &_call_f_currentIndex_c0); - methods += new qt_gsi::GenericMethod ("currentIndexChanged", "@brief Method void QMediaPlaylist::currentIndexChanged(int index)\n", false, &_init_f_currentIndexChanged_767, &_call_f_currentIndexChanged_767); methods += new qt_gsi::GenericMethod (":currentMedia", "@brief Method QMediaContent QMediaPlaylist::currentMedia()\n", true, &_init_f_currentMedia_c0, &_call_f_currentMedia_c0); - methods += new qt_gsi::GenericMethod ("currentMediaChanged", "@brief Method void QMediaPlaylist::currentMediaChanged(const QMediaContent &)\n", false, &_init_f_currentMediaChanged_2605, &_call_f_currentMediaChanged_2605); methods += new qt_gsi::GenericMethod ("error", "@brief Method QMediaPlaylist::Error QMediaPlaylist::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QMediaPlaylist::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); methods += new qt_gsi::GenericMethod ("insertMedia", "@brief Method bool QMediaPlaylist::insertMedia(int index, const QMediaContent &content)\n", false, &_init_f_insertMedia_3264, &_call_f_insertMedia_3264); @@ -936,21 +727,13 @@ static gsi::Methods methods_QMediaPlaylist () { methods += new qt_gsi::GenericMethod ("load", "@brief Method void QMediaPlaylist::load(const QNetworkRequest &request, const char *format)\n", false, &_init_f_load_4508, &_call_f_load_4508); methods += new qt_gsi::GenericMethod ("load", "@brief Method void QMediaPlaylist::load(const QUrl &location, const char *format)\n", false, &_init_f_load_3324, &_call_f_load_3324); methods += new qt_gsi::GenericMethod ("load", "@brief Method void QMediaPlaylist::load(QIODevice *device, const char *format)\n", false, &_init_f_load_3070, &_call_f_load_3070); - methods += new qt_gsi::GenericMethod ("loadFailed", "@brief Method void QMediaPlaylist::loadFailed()\n", false, &_init_f_loadFailed_0, &_call_f_loadFailed_0); - methods += new qt_gsi::GenericMethod ("loaded", "@brief Method void QMediaPlaylist::loaded()\n", false, &_init_f_loaded_0, &_call_f_loaded_0); methods += new qt_gsi::GenericMethod ("media", "@brief Method QMediaContent QMediaPlaylist::media(int index)\n", true, &_init_f_media_c767, &_call_f_media_c767); - methods += new qt_gsi::GenericMethod ("mediaAboutToBeInserted", "@brief Method void QMediaPlaylist::mediaAboutToBeInserted(int start, int end)\n", false, &_init_f_mediaAboutToBeInserted_1426, &_call_f_mediaAboutToBeInserted_1426); - methods += new qt_gsi::GenericMethod ("mediaAboutToBeRemoved", "@brief Method void QMediaPlaylist::mediaAboutToBeRemoved(int start, int end)\n", false, &_init_f_mediaAboutToBeRemoved_1426, &_call_f_mediaAboutToBeRemoved_1426); - methods += new qt_gsi::GenericMethod ("mediaChanged", "@brief Method void QMediaPlaylist::mediaChanged(int start, int end)\n", false, &_init_f_mediaChanged_1426, &_call_f_mediaChanged_1426); methods += new qt_gsi::GenericMethod ("mediaCount", "@brief Method int QMediaPlaylist::mediaCount()\n", true, &_init_f_mediaCount_c0, &_call_f_mediaCount_c0); - methods += new qt_gsi::GenericMethod ("mediaInserted", "@brief Method void QMediaPlaylist::mediaInserted(int start, int end)\n", false, &_init_f_mediaInserted_1426, &_call_f_mediaInserted_1426); methods += new qt_gsi::GenericMethod ("mediaObject", "@brief Method QMediaObject *QMediaPlaylist::mediaObject()\nThis is a reimplementation of QMediaBindableInterface::mediaObject", true, &_init_f_mediaObject_c0, &_call_f_mediaObject_c0); - methods += new qt_gsi::GenericMethod ("mediaRemoved", "@brief Method void QMediaPlaylist::mediaRemoved(int start, int end)\n", false, &_init_f_mediaRemoved_1426, &_call_f_mediaRemoved_1426); methods += new qt_gsi::GenericMethod ("moveMedia", "@brief Method bool QMediaPlaylist::moveMedia(int from, int to)\n", false, &_init_f_moveMedia_1426, &_call_f_moveMedia_1426); methods += new qt_gsi::GenericMethod ("next", "@brief Method void QMediaPlaylist::next()\n", false, &_init_f_next_0, &_call_f_next_0); methods += new qt_gsi::GenericMethod ("nextIndex", "@brief Method int QMediaPlaylist::nextIndex(int steps)\n", true, &_init_f_nextIndex_c767, &_call_f_nextIndex_c767); methods += new qt_gsi::GenericMethod (":playbackMode", "@brief Method QMediaPlaylist::PlaybackMode QMediaPlaylist::playbackMode()\n", true, &_init_f_playbackMode_c0, &_call_f_playbackMode_c0); - methods += new qt_gsi::GenericMethod ("playbackModeChanged", "@brief Method void QMediaPlaylist::playbackModeChanged(QMediaPlaylist::PlaybackMode mode)\n", false, &_init_f_playbackModeChanged_3159, &_call_f_playbackModeChanged_3159); methods += new qt_gsi::GenericMethod ("previous", "@brief Method void QMediaPlaylist::previous()\n", false, &_init_f_previous_0, &_call_f_previous_0); methods += new qt_gsi::GenericMethod ("previousIndex", "@brief Method int QMediaPlaylist::previousIndex(int steps)\n", true, &_init_f_previousIndex_c767, &_call_f_previousIndex_c767); methods += new qt_gsi::GenericMethod ("removeMedia", "@brief Method bool QMediaPlaylist::removeMedia(int pos)\n", false, &_init_f_removeMedia_767, &_call_f_removeMedia_767); @@ -960,6 +743,18 @@ static gsi::Methods methods_QMediaPlaylist () { methods += new qt_gsi::GenericMethod ("setCurrentIndex|currentIndex=", "@brief Method void QMediaPlaylist::setCurrentIndex(int index)\n", false, &_init_f_setCurrentIndex_767, &_call_f_setCurrentIndex_767); methods += new qt_gsi::GenericMethod ("setPlaybackMode|playbackMode=", "@brief Method void QMediaPlaylist::setPlaybackMode(QMediaPlaylist::PlaybackMode mode)\n", false, &_init_f_setPlaybackMode_3159, &_call_f_setPlaybackMode_3159); methods += new qt_gsi::GenericMethod ("shuffle", "@brief Method void QMediaPlaylist::shuffle()\n", false, &_init_f_shuffle_0, &_call_f_shuffle_0); + methods += gsi::qt_signal ("currentIndexChanged(int)", "currentIndexChanged", gsi::arg("index"), "@brief Signal declaration for QMediaPlaylist::currentIndexChanged(int index)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("currentMediaChanged(const QMediaContent &)", "currentMediaChanged", gsi::arg("arg1"), "@brief Signal declaration for QMediaPlaylist::currentMediaChanged(const QMediaContent &)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMediaPlaylist::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("loadFailed()", "loadFailed", "@brief Signal declaration for QMediaPlaylist::loadFailed()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("loaded()", "loaded", "@brief Signal declaration for QMediaPlaylist::loaded()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mediaAboutToBeInserted(int, int)", "mediaAboutToBeInserted", gsi::arg("start"), gsi::arg("end"), "@brief Signal declaration for QMediaPlaylist::mediaAboutToBeInserted(int start, int end)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mediaAboutToBeRemoved(int, int)", "mediaAboutToBeRemoved", gsi::arg("start"), gsi::arg("end"), "@brief Signal declaration for QMediaPlaylist::mediaAboutToBeRemoved(int start, int end)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mediaChanged(int, int)", "mediaChanged", gsi::arg("start"), gsi::arg("end"), "@brief Signal declaration for QMediaPlaylist::mediaChanged(int start, int end)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mediaInserted(int, int)", "mediaInserted", gsi::arg("start"), gsi::arg("end"), "@brief Signal declaration for QMediaPlaylist::mediaInserted(int start, int end)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mediaRemoved(int, int)", "mediaRemoved", gsi::arg("start"), gsi::arg("end"), "@brief Signal declaration for QMediaPlaylist::mediaRemoved(int start, int end)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMediaPlaylist::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("playbackModeChanged(QMediaPlaylist::PlaybackMode)", "playbackModeChanged", gsi::arg("mode"), "@brief Signal declaration for QMediaPlaylist::playbackModeChanged(QMediaPlaylist::PlaybackMode mode)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaPlaylist::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QMediaPlaylist::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); methods += new qt_gsi::GenericMethod ("asQObject", "@brief Delivers the base class interface QObject of QMediaPlaylist\nClass QMediaPlaylist is derived from multiple base classes. This method delivers the QObject base class aspect.", false, &_init_f_QMediaPlaylist_as_QObject, &_call_f_QMediaPlaylist_as_QObject); @@ -1024,6 +819,24 @@ class QMediaPlaylist_Adaptor : public QMediaPlaylist, public qt_gsi::QtObjectBas return QMediaPlaylist::senderSignalIndex(); } + // [emitter impl] void QMediaPlaylist::currentIndexChanged(int index) + void emitter_QMediaPlaylist_currentIndexChanged_767(int index) + { + emit QMediaPlaylist::currentIndexChanged(index); + } + + // [emitter impl] void QMediaPlaylist::currentMediaChanged(const QMediaContent &) + void emitter_QMediaPlaylist_currentMediaChanged_2605(const QMediaContent &arg1) + { + emit QMediaPlaylist::currentMediaChanged(arg1); + } + + // [emitter impl] void QMediaPlaylist::destroyed(QObject *) + void emitter_QMediaPlaylist_destroyed_1302(QObject *arg1) + { + emit QMediaPlaylist::destroyed(arg1); + } + // [adaptor impl] bool QMediaPlaylist::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -1054,6 +867,42 @@ class QMediaPlaylist_Adaptor : public QMediaPlaylist, public qt_gsi::QtObjectBas } } + // [emitter impl] void QMediaPlaylist::loadFailed() + void emitter_QMediaPlaylist_loadFailed_0() + { + emit QMediaPlaylist::loadFailed(); + } + + // [emitter impl] void QMediaPlaylist::loaded() + void emitter_QMediaPlaylist_loaded_0() + { + emit QMediaPlaylist::loaded(); + } + + // [emitter impl] void QMediaPlaylist::mediaAboutToBeInserted(int start, int end) + void emitter_QMediaPlaylist_mediaAboutToBeInserted_1426(int start, int end) + { + emit QMediaPlaylist::mediaAboutToBeInserted(start, end); + } + + // [emitter impl] void QMediaPlaylist::mediaAboutToBeRemoved(int start, int end) + void emitter_QMediaPlaylist_mediaAboutToBeRemoved_1426(int start, int end) + { + emit QMediaPlaylist::mediaAboutToBeRemoved(start, end); + } + + // [emitter impl] void QMediaPlaylist::mediaChanged(int start, int end) + void emitter_QMediaPlaylist_mediaChanged_1426(int start, int end) + { + emit QMediaPlaylist::mediaChanged(start, end); + } + + // [emitter impl] void QMediaPlaylist::mediaInserted(int start, int end) + void emitter_QMediaPlaylist_mediaInserted_1426(int start, int end) + { + emit QMediaPlaylist::mediaInserted(start, end); + } + // [adaptor impl] QMediaObject *QMediaPlaylist::mediaObject() QMediaObject * cbs_mediaObject_c0_0() const { @@ -1069,6 +918,25 @@ class QMediaPlaylist_Adaptor : public QMediaPlaylist, public qt_gsi::QtObjectBas } } + // [emitter impl] void QMediaPlaylist::mediaRemoved(int start, int end) + void emitter_QMediaPlaylist_mediaRemoved_1426(int start, int end) + { + emit QMediaPlaylist::mediaRemoved(start, end); + } + + // [emitter impl] void QMediaPlaylist::objectNameChanged(const QString &objectName) + void emitter_QMediaPlaylist_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMediaPlaylist::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QMediaPlaylist::playbackModeChanged(QMediaPlaylist::PlaybackMode mode) + void emitter_QMediaPlaylist_playbackModeChanged_3159(QMediaPlaylist::PlaybackMode mode) + { + emit QMediaPlaylist::playbackModeChanged(mode); + } + // [adaptor impl] void QMediaPlaylist::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -1198,6 +1066,42 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } +// emitter void QMediaPlaylist::currentIndexChanged(int index) + +static void _init_emitter_currentIndexChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("index"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_currentIndexChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlaylist_Adaptor *)cls)->emitter_QMediaPlaylist_currentIndexChanged_767 (arg1); +} + + +// emitter void QMediaPlaylist::currentMediaChanged(const QMediaContent &) + +static void _init_emitter_currentMediaChanged_2605 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_currentMediaChanged_2605 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QMediaContent &arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlaylist_Adaptor *)cls)->emitter_QMediaPlaylist_currentMediaChanged_2605 (arg1); +} + + // void QMediaPlaylist::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) @@ -1222,6 +1126,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMediaPlaylist::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMediaPlaylist_Adaptor *)cls)->emitter_QMediaPlaylist_destroyed_1302 (arg1); +} + + // void QMediaPlaylist::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1313,6 +1235,118 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QMediaPlaylist::loadFailed() + +static void _init_emitter_loadFailed_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_loadFailed_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaPlaylist_Adaptor *)cls)->emitter_QMediaPlaylist_loadFailed_0 (); +} + + +// emitter void QMediaPlaylist::loaded() + +static void _init_emitter_loaded_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_loaded_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaPlaylist_Adaptor *)cls)->emitter_QMediaPlaylist_loaded_0 (); +} + + +// emitter void QMediaPlaylist::mediaAboutToBeInserted(int start, int end) + +static void _init_emitter_mediaAboutToBeInserted_1426 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("start"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("end"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_mediaAboutToBeInserted_1426 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + ((QMediaPlaylist_Adaptor *)cls)->emitter_QMediaPlaylist_mediaAboutToBeInserted_1426 (arg1, arg2); +} + + +// emitter void QMediaPlaylist::mediaAboutToBeRemoved(int start, int end) + +static void _init_emitter_mediaAboutToBeRemoved_1426 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("start"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("end"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_mediaAboutToBeRemoved_1426 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + ((QMediaPlaylist_Adaptor *)cls)->emitter_QMediaPlaylist_mediaAboutToBeRemoved_1426 (arg1, arg2); +} + + +// emitter void QMediaPlaylist::mediaChanged(int start, int end) + +static void _init_emitter_mediaChanged_1426 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("start"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("end"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_mediaChanged_1426 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + ((QMediaPlaylist_Adaptor *)cls)->emitter_QMediaPlaylist_mediaChanged_1426 (arg1, arg2); +} + + +// emitter void QMediaPlaylist::mediaInserted(int start, int end) + +static void _init_emitter_mediaInserted_1426 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("start"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("end"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_mediaInserted_1426 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + ((QMediaPlaylist_Adaptor *)cls)->emitter_QMediaPlaylist_mediaInserted_1426 (arg1, arg2); +} + + // QMediaObject *QMediaPlaylist::mediaObject() static void _init_cbs_mediaObject_c0_0 (qt_gsi::GenericMethod *decl) @@ -1332,6 +1366,63 @@ static void _set_callback_cbs_mediaObject_c0_0 (void *cls, const gsi::Callback & } +// emitter void QMediaPlaylist::mediaRemoved(int start, int end) + +static void _init_emitter_mediaRemoved_1426 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("start"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("end"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_mediaRemoved_1426 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + ((QMediaPlaylist_Adaptor *)cls)->emitter_QMediaPlaylist_mediaRemoved_1426 (arg1, arg2); +} + + +// emitter void QMediaPlaylist::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlaylist_Adaptor *)cls)->emitter_QMediaPlaylist_objectNameChanged_4567 (arg1); +} + + +// emitter void QMediaPlaylist::playbackModeChanged(QMediaPlaylist::PlaybackMode mode) + +static void _init_emitter_playbackModeChanged_3159 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("mode"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_playbackModeChanged_3159 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QMediaPlaylist_Adaptor *)cls)->emitter_QMediaPlaylist_playbackModeChanged_3159 (arg1); +} + + // exposed int QMediaPlaylist::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1435,8 +1526,11 @@ static gsi::Methods methods_QMediaPlaylist_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaPlaylist::QMediaPlaylist(QObject *parent)\nThis method creates an object of class QMediaPlaylist.", &_init_ctor_QMediaPlaylist_Adaptor_1302, &_call_ctor_QMediaPlaylist_Adaptor_1302); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaPlaylist::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("emit_currentIndexChanged", "@brief Emitter for signal void QMediaPlaylist::currentIndexChanged(int index)\nCall this method to emit this signal.", false, &_init_emitter_currentIndexChanged_767, &_call_emitter_currentIndexChanged_767); + methods += new qt_gsi::GenericMethod ("emit_currentMediaChanged", "@brief Emitter for signal void QMediaPlaylist::currentMediaChanged(const QMediaContent &)\nCall this method to emit this signal.", false, &_init_emitter_currentMediaChanged_2605, &_call_emitter_currentMediaChanged_2605); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaPlaylist::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMediaPlaylist::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaPlaylist::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaPlaylist::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -1444,8 +1538,17 @@ static gsi::Methods methods_QMediaPlaylist_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaPlaylist::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaPlaylist::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_loadFailed", "@brief Emitter for signal void QMediaPlaylist::loadFailed()\nCall this method to emit this signal.", false, &_init_emitter_loadFailed_0, &_call_emitter_loadFailed_0); + methods += new qt_gsi::GenericMethod ("emit_loaded", "@brief Emitter for signal void QMediaPlaylist::loaded()\nCall this method to emit this signal.", false, &_init_emitter_loaded_0, &_call_emitter_loaded_0); + methods += new qt_gsi::GenericMethod ("emit_mediaAboutToBeInserted", "@brief Emitter for signal void QMediaPlaylist::mediaAboutToBeInserted(int start, int end)\nCall this method to emit this signal.", false, &_init_emitter_mediaAboutToBeInserted_1426, &_call_emitter_mediaAboutToBeInserted_1426); + methods += new qt_gsi::GenericMethod ("emit_mediaAboutToBeRemoved", "@brief Emitter for signal void QMediaPlaylist::mediaAboutToBeRemoved(int start, int end)\nCall this method to emit this signal.", false, &_init_emitter_mediaAboutToBeRemoved_1426, &_call_emitter_mediaAboutToBeRemoved_1426); + methods += new qt_gsi::GenericMethod ("emit_mediaChanged", "@brief Emitter for signal void QMediaPlaylist::mediaChanged(int start, int end)\nCall this method to emit this signal.", false, &_init_emitter_mediaChanged_1426, &_call_emitter_mediaChanged_1426); + methods += new qt_gsi::GenericMethod ("emit_mediaInserted", "@brief Emitter for signal void QMediaPlaylist::mediaInserted(int start, int end)\nCall this method to emit this signal.", false, &_init_emitter_mediaInserted_1426, &_call_emitter_mediaInserted_1426); methods += new qt_gsi::GenericMethod ("mediaObject", "@brief Virtual method QMediaObject *QMediaPlaylist::mediaObject()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_mediaObject_c0_0, &_call_cbs_mediaObject_c0_0); methods += new qt_gsi::GenericMethod ("mediaObject", "@hide", true, &_init_cbs_mediaObject_c0_0, &_call_cbs_mediaObject_c0_0, &_set_callback_cbs_mediaObject_c0_0); + methods += new qt_gsi::GenericMethod ("emit_mediaRemoved", "@brief Emitter for signal void QMediaPlaylist::mediaRemoved(int start, int end)\nCall this method to emit this signal.", false, &_init_emitter_mediaRemoved_1426, &_call_emitter_mediaRemoved_1426); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMediaPlaylist::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); + methods += new qt_gsi::GenericMethod ("emit_playbackModeChanged", "@brief Emitter for signal void QMediaPlaylist::playbackModeChanged(QMediaPlaylist::PlaybackMode mode)\nCall this method to emit this signal.", false, &_init_emitter_playbackModeChanged_3159, &_call_emitter_playbackModeChanged_3159); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaPlaylist::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaPlaylist::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaPlaylist::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorder.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorder.cc index 21beac146b..37c3767cb1 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorder.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorder.cc @@ -74,26 +74,6 @@ static void _call_f_actualLocation_c0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QMediaRecorder::actualLocationChanged(const QUrl &location) - - -static void _init_f_actualLocationChanged_1701 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("location"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_actualLocationChanged_1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QUrl &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->actualLocationChanged (arg1); -} - - // QString QMediaRecorder::audioCodecDescription(const QString &codecName) @@ -143,46 +123,6 @@ static void _call_f_availability_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QMediaRecorder::availabilityChanged(bool available) - - -static void _init_f_availabilityChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("available"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_availabilityChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->availabilityChanged (arg1); -} - - -// void QMediaRecorder::availabilityChanged(QMultimedia::AvailabilityStatus availability) - - -static void _init_f_availabilityChanged_3555 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("availability"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_availabilityChanged_3555 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->availabilityChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QStringList QMediaRecorder::availableMetaData() @@ -247,26 +187,6 @@ static void _call_f_duration_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QMediaRecorder::durationChanged(qint64 duration) - - -static void _init_f_durationChanged_986 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("duration"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_durationChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - qint64 arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->durationChanged (arg1); -} - - // QMediaRecorder::Error QMediaRecorder::error() @@ -282,26 +202,6 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QMediaRecorder::error(QMediaRecorder::Error error) - - -static void _init_f_error_2457 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("error"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_error_2457 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->error (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QString QMediaRecorder::errorString() @@ -411,105 +311,6 @@ static void _call_f_metaData_c2025 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMediaRecorder::metaDataAvailableChanged(bool available) - - -static void _init_f_metaDataAvailableChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("available"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_metaDataAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->metaDataAvailableChanged (arg1); -} - - -// void QMediaRecorder::metaDataChanged() - - -static void _init_f_metaDataChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_metaDataChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->metaDataChanged (); -} - - -// void QMediaRecorder::metaDataChanged(const QString &key, const QVariant &value) - - -static void _init_f_metaDataChanged_4036 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("key"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("value"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_metaDataChanged_4036 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - const QVariant &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->metaDataChanged (arg1, arg2); -} - - -// void QMediaRecorder::metaDataWritableChanged(bool writable) - - -static void _init_f_metaDataWritableChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("writable"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_metaDataWritableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->metaDataWritableChanged (arg1); -} - - -// void QMediaRecorder::mutedChanged(bool muted) - - -static void _init_f_mutedChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("muted"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_mutedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->mutedChanged (arg1); -} - - // QUrl QMediaRecorder::outputLocation() @@ -740,26 +541,6 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QMediaRecorder::stateChanged(QMediaRecorder::State state) - - -static void _init_f_stateChanged_2448 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("state"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_stateChanged_2448 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->stateChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QMediaRecorder::Status QMediaRecorder::status() @@ -775,26 +556,6 @@ static void _call_f_status_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QMediaRecorder::statusChanged(QMediaRecorder::Status status) - - -static void _init_f_statusChanged_2579 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("status"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_statusChanged_2579 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->statusChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // void QMediaRecorder::stop() @@ -971,26 +732,6 @@ static void _call_f_volume_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QMediaRecorder::volumeChanged(double volume) - - -static void _init_f_volumeChanged_1071 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("volume"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_volumeChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - double arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->volumeChanged (arg1); -} - - // static QString QMediaRecorder::tr(const char *s, const char *c, int n) @@ -1093,19 +834,14 @@ static gsi::Methods methods_QMediaRecorder () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":actualLocation", "@brief Method QUrl QMediaRecorder::actualLocation()\n", true, &_init_f_actualLocation_c0, &_call_f_actualLocation_c0); - methods += new qt_gsi::GenericMethod ("actualLocationChanged", "@brief Method void QMediaRecorder::actualLocationChanged(const QUrl &location)\n", false, &_init_f_actualLocationChanged_1701, &_call_f_actualLocationChanged_1701); methods += new qt_gsi::GenericMethod ("audioCodecDescription", "@brief Method QString QMediaRecorder::audioCodecDescription(const QString &codecName)\n", true, &_init_f_audioCodecDescription_c2025, &_call_f_audioCodecDescription_c2025); methods += new qt_gsi::GenericMethod (":audioSettings", "@brief Method QAudioEncoderSettings QMediaRecorder::audioSettings()\n", true, &_init_f_audioSettings_c0, &_call_f_audioSettings_c0); methods += new qt_gsi::GenericMethod ("availability", "@brief Method QMultimedia::AvailabilityStatus QMediaRecorder::availability()\n", true, &_init_f_availability_c0, &_call_f_availability_c0); - methods += new qt_gsi::GenericMethod ("availabilityChanged_bool", "@brief Method void QMediaRecorder::availabilityChanged(bool available)\n", false, &_init_f_availabilityChanged_864, &_call_f_availabilityChanged_864); - methods += new qt_gsi::GenericMethod ("availabilityChanged_status", "@brief Method void QMediaRecorder::availabilityChanged(QMultimedia::AvailabilityStatus availability)\n", false, &_init_f_availabilityChanged_3555, &_call_f_availabilityChanged_3555); methods += new qt_gsi::GenericMethod ("availableMetaData", "@brief Method QStringList QMediaRecorder::availableMetaData()\n", true, &_init_f_availableMetaData_c0, &_call_f_availableMetaData_c0); methods += new qt_gsi::GenericMethod ("containerDescription", "@brief Method QString QMediaRecorder::containerDescription(const QString &format)\n", true, &_init_f_containerDescription_c2025, &_call_f_containerDescription_c2025); methods += new qt_gsi::GenericMethod (":containerFormat", "@brief Method QString QMediaRecorder::containerFormat()\n", true, &_init_f_containerFormat_c0, &_call_f_containerFormat_c0); methods += new qt_gsi::GenericMethod (":duration", "@brief Method qint64 QMediaRecorder::duration()\n", true, &_init_f_duration_c0, &_call_f_duration_c0); - methods += new qt_gsi::GenericMethod ("durationChanged", "@brief Method void QMediaRecorder::durationChanged(qint64 duration)\n", false, &_init_f_durationChanged_986, &_call_f_durationChanged_986); methods += new qt_gsi::GenericMethod ("error", "@brief Method QMediaRecorder::Error QMediaRecorder::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("error_sig", "@brief Method void QMediaRecorder::error(QMediaRecorder::Error error)\n", false, &_init_f_error_2457, &_call_f_error_2457); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QMediaRecorder::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); methods += new qt_gsi::GenericMethod ("isAvailable?", "@brief Method bool QMediaRecorder::isAvailable()\n", true, &_init_f_isAvailable_c0, &_call_f_isAvailable_c0); methods += new qt_gsi::GenericMethod ("isMetaDataAvailable?|:metaDataAvailable", "@brief Method bool QMediaRecorder::isMetaDataAvailable()\n", true, &_init_f_isMetaDataAvailable_c0, &_call_f_isMetaDataAvailable_c0); @@ -1113,11 +849,6 @@ static gsi::Methods methods_QMediaRecorder () { methods += new qt_gsi::GenericMethod ("isMuted?|:muted", "@brief Method bool QMediaRecorder::isMuted()\n", true, &_init_f_isMuted_c0, &_call_f_isMuted_c0); methods += new qt_gsi::GenericMethod ("mediaObject", "@brief Method QMediaObject *QMediaRecorder::mediaObject()\nThis is a reimplementation of QMediaBindableInterface::mediaObject", true, &_init_f_mediaObject_c0, &_call_f_mediaObject_c0); methods += new qt_gsi::GenericMethod ("metaData", "@brief Method QVariant QMediaRecorder::metaData(const QString &key)\n", true, &_init_f_metaData_c2025, &_call_f_metaData_c2025); - methods += new qt_gsi::GenericMethod ("metaDataAvailableChanged", "@brief Method void QMediaRecorder::metaDataAvailableChanged(bool available)\n", false, &_init_f_metaDataAvailableChanged_864, &_call_f_metaDataAvailableChanged_864); - methods += new qt_gsi::GenericMethod ("metaDataChanged", "@brief Method void QMediaRecorder::metaDataChanged()\n", false, &_init_f_metaDataChanged_0, &_call_f_metaDataChanged_0); - methods += new qt_gsi::GenericMethod ("metaDataChanged_kv", "@brief Method void QMediaRecorder::metaDataChanged(const QString &key, const QVariant &value)\n", false, &_init_f_metaDataChanged_4036, &_call_f_metaDataChanged_4036); - methods += new qt_gsi::GenericMethod ("metaDataWritableChanged", "@brief Method void QMediaRecorder::metaDataWritableChanged(bool writable)\n", false, &_init_f_metaDataWritableChanged_864, &_call_f_metaDataWritableChanged_864); - methods += new qt_gsi::GenericMethod ("mutedChanged", "@brief Method void QMediaRecorder::mutedChanged(bool muted)\n", false, &_init_f_mutedChanged_864, &_call_f_mutedChanged_864); methods += new qt_gsi::GenericMethod (":outputLocation", "@brief Method QUrl QMediaRecorder::outputLocation()\n", true, &_init_f_outputLocation_c0, &_call_f_outputLocation_c0); methods += new qt_gsi::GenericMethod ("pause", "@brief Method void QMediaRecorder::pause()\n", false, &_init_f_pause_0, &_call_f_pause_0); methods += new qt_gsi::GenericMethod ("record", "@brief Method void QMediaRecorder::record()\n", false, &_init_f_record_0, &_call_f_record_0); @@ -1130,9 +861,7 @@ static gsi::Methods methods_QMediaRecorder () { methods += new qt_gsi::GenericMethod ("setVideoSettings|videoSettings=", "@brief Method void QMediaRecorder::setVideoSettings(const QVideoEncoderSettings &videoSettings)\n", false, &_init_f_setVideoSettings_3450, &_call_f_setVideoSettings_3450); methods += new qt_gsi::GenericMethod ("setVolume|volume=", "@brief Method void QMediaRecorder::setVolume(double volume)\n", false, &_init_f_setVolume_1071, &_call_f_setVolume_1071); methods += new qt_gsi::GenericMethod (":state", "@brief Method QMediaRecorder::State QMediaRecorder::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QMediaRecorder::stateChanged(QMediaRecorder::State state)\n", false, &_init_f_stateChanged_2448, &_call_f_stateChanged_2448); methods += new qt_gsi::GenericMethod (":status", "@brief Method QMediaRecorder::Status QMediaRecorder::status()\n", true, &_init_f_status_c0, &_call_f_status_c0); - methods += new qt_gsi::GenericMethod ("statusChanged", "@brief Method void QMediaRecorder::statusChanged(QMediaRecorder::Status status)\n", false, &_init_f_statusChanged_2579, &_call_f_statusChanged_2579); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QMediaRecorder::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); methods += new qt_gsi::GenericMethod ("supportedAudioCodecs", "@brief Method QStringList QMediaRecorder::supportedAudioCodecs()\n", true, &_init_f_supportedAudioCodecs_c0, &_call_f_supportedAudioCodecs_c0); methods += new qt_gsi::GenericMethod ("supportedAudioSampleRates", "@brief Method QList QMediaRecorder::supportedAudioSampleRates(const QAudioEncoderSettings &settings, bool *continuous)\n", true, &_init_f_supportedAudioSampleRates_c4387, &_call_f_supportedAudioSampleRates_c4387); @@ -1143,7 +872,21 @@ static gsi::Methods methods_QMediaRecorder () { methods += new qt_gsi::GenericMethod ("videoCodecDescription", "@brief Method QString QMediaRecorder::videoCodecDescription(const QString &codecName)\n", true, &_init_f_videoCodecDescription_c2025, &_call_f_videoCodecDescription_c2025); methods += new qt_gsi::GenericMethod (":videoSettings", "@brief Method QVideoEncoderSettings QMediaRecorder::videoSettings()\n", true, &_init_f_videoSettings_c0, &_call_f_videoSettings_c0); methods += new qt_gsi::GenericMethod (":volume", "@brief Method double QMediaRecorder::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); - methods += new qt_gsi::GenericMethod ("volumeChanged", "@brief Method void QMediaRecorder::volumeChanged(double volume)\n", false, &_init_f_volumeChanged_1071, &_call_f_volumeChanged_1071); + methods += gsi::qt_signal ("actualLocationChanged(const QUrl &)", "actualLocationChanged", gsi::arg("location"), "@brief Signal declaration for QMediaRecorder::actualLocationChanged(const QUrl &location)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("availabilityChanged(bool)", "availabilityChanged_bool", gsi::arg("available"), "@brief Signal declaration for QMediaRecorder::availabilityChanged(bool available)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("availabilityChanged(QMultimedia::AvailabilityStatus)", "availabilityChanged_status", gsi::arg("availability"), "@brief Signal declaration for QMediaRecorder::availabilityChanged(QMultimedia::AvailabilityStatus availability)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMediaRecorder::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("durationChanged(qint64)", "durationChanged", gsi::arg("duration"), "@brief Signal declaration for QMediaRecorder::durationChanged(qint64 duration)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("error(QMediaRecorder::Error)", "error_sig", gsi::arg("error"), "@brief Signal declaration for QMediaRecorder::error(QMediaRecorder::Error error)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataAvailableChanged(bool)", "metaDataAvailableChanged", gsi::arg("available"), "@brief Signal declaration for QMediaRecorder::metaDataAvailableChanged(bool available)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged()", "metaDataChanged", "@brief Signal declaration for QMediaRecorder::metaDataChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged(const QString &, const QVariant &)", "metaDataChanged_kv", gsi::arg("key"), gsi::arg("value"), "@brief Signal declaration for QMediaRecorder::metaDataChanged(const QString &key, const QVariant &value)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataWritableChanged(bool)", "metaDataWritableChanged", gsi::arg("writable"), "@brief Signal declaration for QMediaRecorder::metaDataWritableChanged(bool writable)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mutedChanged(bool)", "mutedChanged", gsi::arg("muted"), "@brief Signal declaration for QMediaRecorder::mutedChanged(bool muted)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMediaRecorder::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("stateChanged(QMediaRecorder::State)", "stateChanged", gsi::arg("state"), "@brief Signal declaration for QMediaRecorder::stateChanged(QMediaRecorder::State state)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("statusChanged(QMediaRecorder::Status)", "statusChanged", gsi::arg("status"), "@brief Signal declaration for QMediaRecorder::statusChanged(QMediaRecorder::Status status)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("volumeChanged(double)", "volumeChanged", gsi::arg("volume"), "@brief Signal declaration for QMediaRecorder::volumeChanged(double volume)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaRecorder::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QMediaRecorder::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); methods += new qt_gsi::GenericMethod ("asQObject", "@brief Delivers the base class interface QObject of QMediaRecorder\nClass QMediaRecorder is derived from multiple base classes. This method delivers the QObject base class aspect.", false, &_init_f_QMediaRecorder_as_QObject, &_call_f_QMediaRecorder_as_QObject); @@ -1208,6 +951,42 @@ class QMediaRecorder_Adaptor : public QMediaRecorder, public qt_gsi::QtObjectBas return QMediaRecorder::senderSignalIndex(); } + // [emitter impl] void QMediaRecorder::actualLocationChanged(const QUrl &location) + void emitter_QMediaRecorder_actualLocationChanged_1701(const QUrl &location) + { + emit QMediaRecorder::actualLocationChanged(location); + } + + // [emitter impl] void QMediaRecorder::availabilityChanged(bool available) + void emitter_QMediaRecorder_availabilityChanged_864(bool available) + { + emit QMediaRecorder::availabilityChanged(available); + } + + // [emitter impl] void QMediaRecorder::availabilityChanged(QMultimedia::AvailabilityStatus availability) + void emitter_QMediaRecorder_availabilityChanged_3555(QMultimedia::AvailabilityStatus availability) + { + emit QMediaRecorder::availabilityChanged(availability); + } + + // [emitter impl] void QMediaRecorder::destroyed(QObject *) + void emitter_QMediaRecorder_destroyed_1302(QObject *arg1) + { + emit QMediaRecorder::destroyed(arg1); + } + + // [emitter impl] void QMediaRecorder::durationChanged(qint64 duration) + void emitter_QMediaRecorder_durationChanged_986(qint64 duration) + { + emit QMediaRecorder::durationChanged(duration); + } + + // [emitter impl] void QMediaRecorder::error(QMediaRecorder::Error error) + void emitter_QMediaRecorder_error_2457(QMediaRecorder::Error _error) + { + emit QMediaRecorder::error(_error); + } + // [adaptor impl] bool QMediaRecorder::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -1253,6 +1032,61 @@ class QMediaRecorder_Adaptor : public QMediaRecorder, public qt_gsi::QtObjectBas } } + // [emitter impl] void QMediaRecorder::metaDataAvailableChanged(bool available) + void emitter_QMediaRecorder_metaDataAvailableChanged_864(bool available) + { + emit QMediaRecorder::metaDataAvailableChanged(available); + } + + // [emitter impl] void QMediaRecorder::metaDataChanged() + void emitter_QMediaRecorder_metaDataChanged_0() + { + emit QMediaRecorder::metaDataChanged(); + } + + // [emitter impl] void QMediaRecorder::metaDataChanged(const QString &key, const QVariant &value) + void emitter_QMediaRecorder_metaDataChanged_4036(const QString &key, const QVariant &value) + { + emit QMediaRecorder::metaDataChanged(key, value); + } + + // [emitter impl] void QMediaRecorder::metaDataWritableChanged(bool writable) + void emitter_QMediaRecorder_metaDataWritableChanged_864(bool writable) + { + emit QMediaRecorder::metaDataWritableChanged(writable); + } + + // [emitter impl] void QMediaRecorder::mutedChanged(bool muted) + void emitter_QMediaRecorder_mutedChanged_864(bool muted) + { + emit QMediaRecorder::mutedChanged(muted); + } + + // [emitter impl] void QMediaRecorder::objectNameChanged(const QString &objectName) + void emitter_QMediaRecorder_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMediaRecorder::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QMediaRecorder::stateChanged(QMediaRecorder::State state) + void emitter_QMediaRecorder_stateChanged_2448(QMediaRecorder::State state) + { + emit QMediaRecorder::stateChanged(state); + } + + // [emitter impl] void QMediaRecorder::statusChanged(QMediaRecorder::Status status) + void emitter_QMediaRecorder_statusChanged_2579(QMediaRecorder::Status status) + { + emit QMediaRecorder::statusChanged(status); + } + + // [emitter impl] void QMediaRecorder::volumeChanged(double volume) + void emitter_QMediaRecorder_volumeChanged_1071(double volume) + { + emit QMediaRecorder::volumeChanged(volume); + } + // [adaptor impl] void QMediaRecorder::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -1361,6 +1195,60 @@ static void _call_ctor_QMediaRecorder_Adaptor_2976 (const qt_gsi::GenericStaticM } +// emitter void QMediaRecorder::actualLocationChanged(const QUrl &location) + +static void _init_emitter_actualLocationChanged_1701 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("location"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_actualLocationChanged_1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QUrl &arg1 = gsi::arg_reader() (args, heap); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_actualLocationChanged_1701 (arg1); +} + + +// emitter void QMediaRecorder::availabilityChanged(bool available) + +static void _init_emitter_availabilityChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("available"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_availabilityChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_availabilityChanged_864 (arg1); +} + + +// emitter void QMediaRecorder::availabilityChanged(QMultimedia::AvailabilityStatus availability) + +static void _init_emitter_availabilityChanged_3555 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("availability"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_availabilityChanged_3555 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_availabilityChanged_3555 (arg1); +} + + // void QMediaRecorder::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -1409,6 +1297,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMediaRecorder::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_destroyed_1302 (arg1); +} + + // void QMediaRecorder::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1433,6 +1339,42 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } +// emitter void QMediaRecorder::durationChanged(qint64 duration) + +static void _init_emitter_durationChanged_986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("duration"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_durationChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_durationChanged_986 (arg1); +} + + +// emitter void QMediaRecorder::error(QMediaRecorder::Error error) + +static void _init_emitter_error_2457 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("error"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_error_2457 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_error_2457 (arg1); +} + + // bool QMediaRecorder::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -1519,6 +1461,113 @@ static void _set_callback_cbs_mediaObject_c0_0 (void *cls, const gsi::Callback & } +// emitter void QMediaRecorder::metaDataAvailableChanged(bool available) + +static void _init_emitter_metaDataAvailableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("available"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_metaDataAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_metaDataAvailableChanged_864 (arg1); +} + + +// emitter void QMediaRecorder::metaDataChanged() + +static void _init_emitter_metaDataChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_metaDataChanged_0 (); +} + + +// emitter void QMediaRecorder::metaDataChanged(const QString &key, const QVariant &value) + +static void _init_emitter_metaDataChanged_4036 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("key"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("value"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_4036 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + const QVariant &arg2 = gsi::arg_reader() (args, heap); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_metaDataChanged_4036 (arg1, arg2); +} + + +// emitter void QMediaRecorder::metaDataWritableChanged(bool writable) + +static void _init_emitter_metaDataWritableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("writable"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_metaDataWritableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_metaDataWritableChanged_864 (arg1); +} + + +// emitter void QMediaRecorder::mutedChanged(bool muted) + +static void _init_emitter_mutedChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("muted"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_mutedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_mutedChanged_864 (arg1); +} + + +// emitter void QMediaRecorder::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_objectNameChanged_4567 (arg1); +} + + // exposed int QMediaRecorder::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1588,6 +1637,42 @@ static void _set_callback_cbs_setMediaObject_1782_0 (void *cls, const gsi::Callb } +// emitter void QMediaRecorder::stateChanged(QMediaRecorder::State state) + +static void _init_emitter_stateChanged_2448 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("state"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stateChanged_2448 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_stateChanged_2448 (arg1); +} + + +// emitter void QMediaRecorder::statusChanged(QMediaRecorder::Status status) + +static void _init_emitter_statusChanged_2579 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("status"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_statusChanged_2579 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_statusChanged_2579 (arg1); +} + + // void QMediaRecorder::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -1612,6 +1697,24 @@ static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback } +// emitter void QMediaRecorder::volumeChanged(double volume) + +static void _init_emitter_volumeChanged_1071 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("volume"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_volumeChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_volumeChanged_1071 (arg1); +} + + namespace gsi { @@ -1620,12 +1723,18 @@ gsi::Class &qtdecl_QMediaRecorder (); static gsi::Methods methods_QMediaRecorder_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaRecorder::QMediaRecorder(QMediaObject *mediaObject, QObject *parent)\nThis method creates an object of class QMediaRecorder.", &_init_ctor_QMediaRecorder_Adaptor_2976, &_call_ctor_QMediaRecorder_Adaptor_2976); + methods += new qt_gsi::GenericMethod ("emit_actualLocationChanged", "@brief Emitter for signal void QMediaRecorder::actualLocationChanged(const QUrl &location)\nCall this method to emit this signal.", false, &_init_emitter_actualLocationChanged_1701, &_call_emitter_actualLocationChanged_1701); + methods += new qt_gsi::GenericMethod ("emit_availabilityChanged_bool", "@brief Emitter for signal void QMediaRecorder::availabilityChanged(bool available)\nCall this method to emit this signal.", false, &_init_emitter_availabilityChanged_864, &_call_emitter_availabilityChanged_864); + methods += new qt_gsi::GenericMethod ("emit_availabilityChanged_status", "@brief Emitter for signal void QMediaRecorder::availabilityChanged(QMultimedia::AvailabilityStatus availability)\nCall this method to emit this signal.", false, &_init_emitter_availabilityChanged_3555, &_call_emitter_availabilityChanged_3555); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaRecorder::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaRecorder::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMediaRecorder::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaRecorder::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("emit_durationChanged", "@brief Emitter for signal void QMediaRecorder::durationChanged(qint64 duration)\nCall this method to emit this signal.", false, &_init_emitter_durationChanged_986, &_call_emitter_durationChanged_986); + methods += new qt_gsi::GenericMethod ("emit_error_sig", "@brief Emitter for signal void QMediaRecorder::error(QMediaRecorder::Error error)\nCall this method to emit this signal.", false, &_init_emitter_error_2457, &_call_emitter_error_2457); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaRecorder::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaRecorder::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); @@ -1633,13 +1742,22 @@ static gsi::Methods methods_QMediaRecorder_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaRecorder::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("mediaObject", "@brief Virtual method QMediaObject *QMediaRecorder::mediaObject()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_mediaObject_c0_0, &_call_cbs_mediaObject_c0_0); methods += new qt_gsi::GenericMethod ("mediaObject", "@hide", true, &_init_cbs_mediaObject_c0_0, &_call_cbs_mediaObject_c0_0, &_set_callback_cbs_mediaObject_c0_0); + methods += new qt_gsi::GenericMethod ("emit_metaDataAvailableChanged", "@brief Emitter for signal void QMediaRecorder::metaDataAvailableChanged(bool available)\nCall this method to emit this signal.", false, &_init_emitter_metaDataAvailableChanged_864, &_call_emitter_metaDataAvailableChanged_864); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged", "@brief Emitter for signal void QMediaRecorder::metaDataChanged()\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_0, &_call_emitter_metaDataChanged_0); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged_kv", "@brief Emitter for signal void QMediaRecorder::metaDataChanged(const QString &key, const QVariant &value)\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_4036, &_call_emitter_metaDataChanged_4036); + methods += new qt_gsi::GenericMethod ("emit_metaDataWritableChanged", "@brief Emitter for signal void QMediaRecorder::metaDataWritableChanged(bool writable)\nCall this method to emit this signal.", false, &_init_emitter_metaDataWritableChanged_864, &_call_emitter_metaDataWritableChanged_864); + methods += new qt_gsi::GenericMethod ("emit_mutedChanged", "@brief Emitter for signal void QMediaRecorder::mutedChanged(bool muted)\nCall this method to emit this signal.", false, &_init_emitter_mutedChanged_864, &_call_emitter_mutedChanged_864); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMediaRecorder::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaRecorder::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaRecorder::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaRecorder::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*setMediaObject", "@brief Virtual method bool QMediaRecorder::setMediaObject(QMediaObject *object)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setMediaObject_1782_0, &_call_cbs_setMediaObject_1782_0); methods += new qt_gsi::GenericMethod ("*setMediaObject", "@hide", false, &_init_cbs_setMediaObject_1782_0, &_call_cbs_setMediaObject_1782_0, &_set_callback_cbs_setMediaObject_1782_0); + methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QMediaRecorder::stateChanged(QMediaRecorder::State state)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_2448, &_call_emitter_stateChanged_2448); + methods += new qt_gsi::GenericMethod ("emit_statusChanged", "@brief Emitter for signal void QMediaRecorder::statusChanged(QMediaRecorder::Status status)\nCall this method to emit this signal.", false, &_init_emitter_statusChanged_2579, &_call_emitter_statusChanged_2579); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaRecorder::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("emit_volumeChanged", "@brief Emitter for signal void QMediaRecorder::volumeChanged(double volume)\nCall this method to emit this signal.", false, &_init_emitter_volumeChanged_1071, &_call_emitter_volumeChanged_1071); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorderControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorderControl.cc index a986845deb..a0f4c6f5ed 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorderControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorderControl.cc @@ -55,26 +55,6 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// void QMediaRecorderControl::actualLocationChanged(const QUrl &location) - - -static void _init_f_actualLocationChanged_1701 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("location"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_actualLocationChanged_1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QUrl &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorderControl *)cls)->actualLocationChanged (arg1); -} - - // void QMediaRecorderControl::applySettings() @@ -106,49 +86,6 @@ static void _call_f_duration_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QMediaRecorderControl::durationChanged(qint64 position) - - -static void _init_f_durationChanged_986 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("position"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_durationChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - qint64 arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorderControl *)cls)->durationChanged (arg1); -} - - -// void QMediaRecorderControl::error(int error, const QString &errorString) - - -static void _init_f_error_2684 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("error"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("errorString"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_error_2684 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - const QString &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorderControl *)cls)->error (arg1, arg2); -} - - // bool QMediaRecorderControl::isMuted() @@ -164,26 +101,6 @@ static void _call_f_isMuted_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cl } -// void QMediaRecorderControl::mutedChanged(bool muted) - - -static void _init_f_mutedChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("muted"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_mutedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorderControl *)cls)->mutedChanged (arg1); -} - - // QUrl QMediaRecorderControl::outputLocation() @@ -293,26 +210,6 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QMediaRecorderControl::stateChanged(QMediaRecorder::State state) - - -static void _init_f_stateChanged_2448 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("state"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_stateChanged_2448 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorderControl *)cls)->stateChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QMediaRecorder::Status QMediaRecorderControl::status() @@ -328,26 +225,6 @@ static void _call_f_status_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QMediaRecorderControl::statusChanged(QMediaRecorder::Status status) - - -static void _init_f_statusChanged_2579 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("status"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_statusChanged_2579 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorderControl *)cls)->statusChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // double QMediaRecorderControl::volume() @@ -363,26 +240,6 @@ static void _call_f_volume_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QMediaRecorderControl::volumeChanged(double volume) - - -static void _init_f_volumeChanged_1071 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("volume"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_volumeChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - double arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorderControl *)cls)->volumeChanged (arg1); -} - - // static QString QMediaRecorderControl::tr(const char *s, const char *c, int n) @@ -439,24 +296,26 @@ namespace gsi static gsi::Methods methods_QMediaRecorderControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("actualLocationChanged", "@brief Method void QMediaRecorderControl::actualLocationChanged(const QUrl &location)\n", false, &_init_f_actualLocationChanged_1701, &_call_f_actualLocationChanged_1701); methods += new qt_gsi::GenericMethod ("applySettings", "@brief Method void QMediaRecorderControl::applySettings()\n", false, &_init_f_applySettings_0, &_call_f_applySettings_0); methods += new qt_gsi::GenericMethod ("duration", "@brief Method qint64 QMediaRecorderControl::duration()\n", true, &_init_f_duration_c0, &_call_f_duration_c0); - methods += new qt_gsi::GenericMethod ("durationChanged", "@brief Method void QMediaRecorderControl::durationChanged(qint64 position)\n", false, &_init_f_durationChanged_986, &_call_f_durationChanged_986); - methods += new qt_gsi::GenericMethod ("error", "@brief Method void QMediaRecorderControl::error(int error, const QString &errorString)\n", false, &_init_f_error_2684, &_call_f_error_2684); methods += new qt_gsi::GenericMethod ("isMuted?|:muted", "@brief Method bool QMediaRecorderControl::isMuted()\n", true, &_init_f_isMuted_c0, &_call_f_isMuted_c0); - methods += new qt_gsi::GenericMethod ("mutedChanged", "@brief Method void QMediaRecorderControl::mutedChanged(bool muted)\n", false, &_init_f_mutedChanged_864, &_call_f_mutedChanged_864); methods += new qt_gsi::GenericMethod ("outputLocation", "@brief Method QUrl QMediaRecorderControl::outputLocation()\n", true, &_init_f_outputLocation_c0, &_call_f_outputLocation_c0); methods += new qt_gsi::GenericMethod ("setMuted|muted=", "@brief Method void QMediaRecorderControl::setMuted(bool muted)\n", false, &_init_f_setMuted_864, &_call_f_setMuted_864); methods += new qt_gsi::GenericMethod ("setOutputLocation", "@brief Method bool QMediaRecorderControl::setOutputLocation(const QUrl &location)\n", false, &_init_f_setOutputLocation_1701, &_call_f_setOutputLocation_1701); methods += new qt_gsi::GenericMethod ("setState|state=", "@brief Method void QMediaRecorderControl::setState(QMediaRecorder::State state)\n", false, &_init_f_setState_2448, &_call_f_setState_2448); methods += new qt_gsi::GenericMethod ("setVolume|volume=", "@brief Method void QMediaRecorderControl::setVolume(double volume)\n", false, &_init_f_setVolume_1071, &_call_f_setVolume_1071); methods += new qt_gsi::GenericMethod (":state", "@brief Method QMediaRecorder::State QMediaRecorderControl::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QMediaRecorderControl::stateChanged(QMediaRecorder::State state)\n", false, &_init_f_stateChanged_2448, &_call_f_stateChanged_2448); methods += new qt_gsi::GenericMethod ("status", "@brief Method QMediaRecorder::Status QMediaRecorderControl::status()\n", true, &_init_f_status_c0, &_call_f_status_c0); - methods += new qt_gsi::GenericMethod ("statusChanged", "@brief Method void QMediaRecorderControl::statusChanged(QMediaRecorder::Status status)\n", false, &_init_f_statusChanged_2579, &_call_f_statusChanged_2579); methods += new qt_gsi::GenericMethod (":volume", "@brief Method double QMediaRecorderControl::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); - methods += new qt_gsi::GenericMethod ("volumeChanged", "@brief Method void QMediaRecorderControl::volumeChanged(double volume)\n", false, &_init_f_volumeChanged_1071, &_call_f_volumeChanged_1071); + methods += gsi::qt_signal ("actualLocationChanged(const QUrl &)", "actualLocationChanged", gsi::arg("location"), "@brief Signal declaration for QMediaRecorderControl::actualLocationChanged(const QUrl &location)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMediaRecorderControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("durationChanged(qint64)", "durationChanged", gsi::arg("position"), "@brief Signal declaration for QMediaRecorderControl::durationChanged(qint64 position)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("error(int, const QString &)", "error", gsi::arg("error"), gsi::arg("errorString"), "@brief Signal declaration for QMediaRecorderControl::error(int error, const QString &errorString)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mutedChanged(bool)", "mutedChanged", gsi::arg("muted"), "@brief Signal declaration for QMediaRecorderControl::mutedChanged(bool muted)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMediaRecorderControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("stateChanged(QMediaRecorder::State)", "stateChanged", gsi::arg("state"), "@brief Signal declaration for QMediaRecorderControl::stateChanged(QMediaRecorder::State state)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("statusChanged(QMediaRecorder::Status)", "statusChanged", gsi::arg("status"), "@brief Signal declaration for QMediaRecorderControl::statusChanged(QMediaRecorder::Status status)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("volumeChanged(double)", "volumeChanged", gsi::arg("volume"), "@brief Signal declaration for QMediaRecorderControl::volumeChanged(double volume)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaRecorderControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QMediaRecorderControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -505,6 +364,12 @@ class QMediaRecorderControl_Adaptor : public QMediaRecorderControl, public qt_gs return QMediaRecorderControl::senderSignalIndex(); } + // [emitter impl] void QMediaRecorderControl::actualLocationChanged(const QUrl &location) + void emitter_QMediaRecorderControl_actualLocationChanged_1701(const QUrl &location) + { + emit QMediaRecorderControl::actualLocationChanged(location); + } + // [adaptor impl] void QMediaRecorderControl::applySettings() void cbs_applySettings_0_0() { @@ -520,6 +385,12 @@ class QMediaRecorderControl_Adaptor : public QMediaRecorderControl, public qt_gs } } + // [emitter impl] void QMediaRecorderControl::destroyed(QObject *) + void emitter_QMediaRecorderControl_destroyed_1302(QObject *arg1) + { + emit QMediaRecorderControl::destroyed(arg1); + } + // [adaptor impl] qint64 QMediaRecorderControl::duration() qint64 cbs_duration_c0_0() const { @@ -535,6 +406,18 @@ class QMediaRecorderControl_Adaptor : public QMediaRecorderControl, public qt_gs } } + // [emitter impl] void QMediaRecorderControl::durationChanged(qint64 position) + void emitter_QMediaRecorderControl_durationChanged_986(qint64 position) + { + emit QMediaRecorderControl::durationChanged(position); + } + + // [emitter impl] void QMediaRecorderControl::error(int error, const QString &errorString) + void emitter_QMediaRecorderControl_error_2684(int _error, const QString &errorString) + { + emit QMediaRecorderControl::error(_error, errorString); + } + // [adaptor impl] bool QMediaRecorderControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -580,6 +463,19 @@ class QMediaRecorderControl_Adaptor : public QMediaRecorderControl, public qt_gs } } + // [emitter impl] void QMediaRecorderControl::mutedChanged(bool muted) + void emitter_QMediaRecorderControl_mutedChanged_864(bool muted) + { + emit QMediaRecorderControl::mutedChanged(muted); + } + + // [emitter impl] void QMediaRecorderControl::objectNameChanged(const QString &objectName) + void emitter_QMediaRecorderControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMediaRecorderControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] QUrl QMediaRecorderControl::outputLocation() QUrl cbs_outputLocation_c0_0() const { @@ -674,6 +570,12 @@ class QMediaRecorderControl_Adaptor : public QMediaRecorderControl, public qt_gs } } + // [emitter impl] void QMediaRecorderControl::stateChanged(QMediaRecorder::State state) + void emitter_QMediaRecorderControl_stateChanged_2448(QMediaRecorder::State state) + { + emit QMediaRecorderControl::stateChanged(state); + } + // [adaptor impl] QMediaRecorder::Status QMediaRecorderControl::status() qt_gsi::Converter::target_type cbs_status_c0_0() const { @@ -689,6 +591,12 @@ class QMediaRecorderControl_Adaptor : public QMediaRecorderControl, public qt_gs } } + // [emitter impl] void QMediaRecorderControl::statusChanged(QMediaRecorder::Status status) + void emitter_QMediaRecorderControl_statusChanged_2579(QMediaRecorder::Status status) + { + emit QMediaRecorderControl::statusChanged(status); + } + // [adaptor impl] double QMediaRecorderControl::volume() double cbs_volume_c0_0() const { @@ -704,6 +612,12 @@ class QMediaRecorderControl_Adaptor : public QMediaRecorderControl, public qt_gs } } + // [emitter impl] void QMediaRecorderControl::volumeChanged(double volume) + void emitter_QMediaRecorderControl_volumeChanged_1071(double volume) + { + emit QMediaRecorderControl::volumeChanged(volume); + } + // [adaptor impl] void QMediaRecorderControl::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -799,6 +713,24 @@ static void _call_ctor_QMediaRecorderControl_Adaptor_0 (const qt_gsi::GenericSta } +// emitter void QMediaRecorderControl::actualLocationChanged(const QUrl &location) + +static void _init_emitter_actualLocationChanged_1701 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("location"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_actualLocationChanged_1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QUrl &arg1 = gsi::arg_reader() (args, heap); + ((QMediaRecorderControl_Adaptor *)cls)->emitter_QMediaRecorderControl_actualLocationChanged_1701 (arg1); +} + + // void QMediaRecorderControl::applySettings() static void _init_cbs_applySettings_0_0 (qt_gsi::GenericMethod *decl) @@ -867,6 +799,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMediaRecorderControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMediaRecorderControl_Adaptor *)cls)->emitter_QMediaRecorderControl_destroyed_1302 (arg1); +} + + // void QMediaRecorderControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -910,6 +860,45 @@ static void _set_callback_cbs_duration_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QMediaRecorderControl::durationChanged(qint64 position) + +static void _init_emitter_durationChanged_986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("position"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_durationChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + ((QMediaRecorderControl_Adaptor *)cls)->emitter_QMediaRecorderControl_durationChanged_986 (arg1); +} + + +// emitter void QMediaRecorderControl::error(int error, const QString &errorString) + +static void _init_emitter_error_2684 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("error"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("errorString"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_error_2684 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + const QString &arg2 = gsi::arg_reader() (args, heap); + ((QMediaRecorderControl_Adaptor *)cls)->emitter_QMediaRecorderControl_error_2684 (arg1, arg2); +} + + // bool QMediaRecorderControl::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -996,6 +985,42 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QMediaRecorderControl::mutedChanged(bool muted) + +static void _init_emitter_mutedChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("muted"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_mutedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMediaRecorderControl_Adaptor *)cls)->emitter_QMediaRecorderControl_mutedChanged_864 (arg1); +} + + +// emitter void QMediaRecorderControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaRecorderControl_Adaptor *)cls)->emitter_QMediaRecorderControl_objectNameChanged_4567 (arg1); +} + + // QUrl QMediaRecorderControl::outputLocation() static void _init_cbs_outputLocation_c0_0 (qt_gsi::GenericMethod *decl) @@ -1175,6 +1200,24 @@ static void _set_callback_cbs_state_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QMediaRecorderControl::stateChanged(QMediaRecorder::State state) + +static void _init_emitter_stateChanged_2448 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("state"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stateChanged_2448 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QMediaRecorderControl_Adaptor *)cls)->emitter_QMediaRecorderControl_stateChanged_2448 (arg1); +} + + // QMediaRecorder::Status QMediaRecorderControl::status() static void _init_cbs_status_c0_0 (qt_gsi::GenericMethod *decl) @@ -1194,6 +1237,24 @@ static void _set_callback_cbs_status_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QMediaRecorderControl::statusChanged(QMediaRecorder::Status status) + +static void _init_emitter_statusChanged_2579 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("status"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_statusChanged_2579 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QMediaRecorderControl_Adaptor *)cls)->emitter_QMediaRecorderControl_statusChanged_2579 (arg1); +} + + // void QMediaRecorderControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -1237,6 +1298,24 @@ static void _set_callback_cbs_volume_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QMediaRecorderControl::volumeChanged(double volume) + +static void _init_emitter_volumeChanged_1071 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("volume"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_volumeChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + ((QMediaRecorderControl_Adaptor *)cls)->emitter_QMediaRecorderControl_volumeChanged_1071 (arg1); +} + + namespace gsi { @@ -1245,16 +1324,20 @@ gsi::Class &qtdecl_QMediaRecorderControl (); static gsi::Methods methods_QMediaRecorderControl_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaRecorderControl::QMediaRecorderControl()\nThis method creates an object of class QMediaRecorderControl.", &_init_ctor_QMediaRecorderControl_Adaptor_0, &_call_ctor_QMediaRecorderControl_Adaptor_0); + methods += new qt_gsi::GenericMethod ("emit_actualLocationChanged", "@brief Emitter for signal void QMediaRecorderControl::actualLocationChanged(const QUrl &location)\nCall this method to emit this signal.", false, &_init_emitter_actualLocationChanged_1701, &_call_emitter_actualLocationChanged_1701); methods += new qt_gsi::GenericMethod ("applySettings", "@brief Virtual method void QMediaRecorderControl::applySettings()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_applySettings_0_0, &_call_cbs_applySettings_0_0); methods += new qt_gsi::GenericMethod ("applySettings", "@hide", false, &_init_cbs_applySettings_0_0, &_call_cbs_applySettings_0_0, &_set_callback_cbs_applySettings_0_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaRecorderControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaRecorderControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMediaRecorderControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaRecorderControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("duration", "@brief Virtual method qint64 QMediaRecorderControl::duration()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_duration_c0_0, &_call_cbs_duration_c0_0); methods += new qt_gsi::GenericMethod ("duration", "@hide", true, &_init_cbs_duration_c0_0, &_call_cbs_duration_c0_0, &_set_callback_cbs_duration_c0_0); + methods += new qt_gsi::GenericMethod ("emit_durationChanged", "@brief Emitter for signal void QMediaRecorderControl::durationChanged(qint64 position)\nCall this method to emit this signal.", false, &_init_emitter_durationChanged_986, &_call_emitter_durationChanged_986); + methods += new qt_gsi::GenericMethod ("emit_error", "@brief Emitter for signal void QMediaRecorderControl::error(int error, const QString &errorString)\nCall this method to emit this signal.", false, &_init_emitter_error_2684, &_call_emitter_error_2684); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaRecorderControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaRecorderControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); @@ -1262,6 +1345,8 @@ static gsi::Methods methods_QMediaRecorderControl_Adaptor () { methods += new qt_gsi::GenericMethod ("isMuted", "@brief Virtual method bool QMediaRecorderControl::isMuted()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isMuted_c0_0, &_call_cbs_isMuted_c0_0); methods += new qt_gsi::GenericMethod ("isMuted", "@hide", true, &_init_cbs_isMuted_c0_0, &_call_cbs_isMuted_c0_0, &_set_callback_cbs_isMuted_c0_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaRecorderControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_mutedChanged", "@brief Emitter for signal void QMediaRecorderControl::mutedChanged(bool muted)\nCall this method to emit this signal.", false, &_init_emitter_mutedChanged_864, &_call_emitter_mutedChanged_864); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMediaRecorderControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("outputLocation", "@brief Virtual method QUrl QMediaRecorderControl::outputLocation()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_outputLocation_c0_0, &_call_cbs_outputLocation_c0_0); methods += new qt_gsi::GenericMethod ("outputLocation", "@hide", true, &_init_cbs_outputLocation_c0_0, &_call_cbs_outputLocation_c0_0, &_set_callback_cbs_outputLocation_c0_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaRecorderControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); @@ -1277,12 +1362,15 @@ static gsi::Methods methods_QMediaRecorderControl_Adaptor () { methods += new qt_gsi::GenericMethod ("setVolume", "@hide", false, &_init_cbs_setVolume_1071_0, &_call_cbs_setVolume_1071_0, &_set_callback_cbs_setVolume_1071_0); methods += new qt_gsi::GenericMethod ("state", "@brief Virtual method QMediaRecorder::State QMediaRecorderControl::state()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_state_c0_0, &_call_cbs_state_c0_0); methods += new qt_gsi::GenericMethod ("state", "@hide", true, &_init_cbs_state_c0_0, &_call_cbs_state_c0_0, &_set_callback_cbs_state_c0_0); + methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QMediaRecorderControl::stateChanged(QMediaRecorder::State state)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_2448, &_call_emitter_stateChanged_2448); methods += new qt_gsi::GenericMethod ("status", "@brief Virtual method QMediaRecorder::Status QMediaRecorderControl::status()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_status_c0_0, &_call_cbs_status_c0_0); methods += new qt_gsi::GenericMethod ("status", "@hide", true, &_init_cbs_status_c0_0, &_call_cbs_status_c0_0, &_set_callback_cbs_status_c0_0); + methods += new qt_gsi::GenericMethod ("emit_statusChanged", "@brief Emitter for signal void QMediaRecorderControl::statusChanged(QMediaRecorder::Status status)\nCall this method to emit this signal.", false, &_init_emitter_statusChanged_2579, &_call_emitter_statusChanged_2579); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaRecorderControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("volume", "@brief Virtual method double QMediaRecorderControl::volume()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_volume_c0_0, &_call_cbs_volume_c0_0); methods += new qt_gsi::GenericMethod ("volume", "@hide", true, &_init_cbs_volume_c0_0, &_call_cbs_volume_c0_0, &_set_callback_cbs_volume_c0_0); + methods += new qt_gsi::GenericMethod ("emit_volumeChanged", "@brief Emitter for signal void QMediaRecorderControl::volumeChanged(double volume)\nCall this method to emit this signal.", false, &_init_emitter_volumeChanged_1071, &_call_emitter_volumeChanged_1071); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaService.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaService.cc index 4f6722fb9a..bf3ddcf874 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaService.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaService.cc @@ -152,6 +152,8 @@ static gsi::Methods methods_QMediaService () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("releaseControl", "@brief Method void QMediaService::releaseControl(QMediaControl *control)\n", false, &_init_f_releaseControl_1920, &_call_f_releaseControl_1920); methods += new qt_gsi::GenericMethod ("requestControl", "@brief Method QMediaControl *QMediaService::requestControl(const char *name)\n", false, &_init_f_requestControl_1731, &_call_f_requestControl_1731); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMediaService::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMediaService::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaService::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QMediaService::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -194,6 +196,12 @@ class QMediaService_Adaptor : public QMediaService, public qt_gsi::QtObjectBase return QMediaService::senderSignalIndex(); } + // [emitter impl] void QMediaService::destroyed(QObject *) + void emitter_QMediaService_destroyed_1302(QObject *arg1) + { + emit QMediaService::destroyed(arg1); + } + // [adaptor impl] bool QMediaService::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -224,6 +232,13 @@ class QMediaService_Adaptor : public QMediaService, public qt_gsi::QtObjectBase } } + // [emitter impl] void QMediaService::objectNameChanged(const QString &objectName) + void emitter_QMediaService_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMediaService::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QMediaService::releaseControl(QMediaControl *control) void cbs_releaseControl_1920_0(QMediaControl *control) { @@ -376,6 +391,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMediaService::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMediaService_Adaptor *)cls)->emitter_QMediaService_destroyed_1302 (arg1); +} + + // void QMediaService::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -467,6 +500,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QMediaService::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaService_Adaptor *)cls)->emitter_QMediaService_objectNameChanged_4567 (arg1); +} + + // exposed int QMediaService::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -595,6 +646,7 @@ static gsi::Methods methods_QMediaService_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaService::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMediaService::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaService::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaService::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -602,6 +654,7 @@ static gsi::Methods methods_QMediaService_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaService::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaService::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMediaService::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaService::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("releaseControl", "@brief Virtual method void QMediaService::releaseControl(QMediaControl *control)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_releaseControl_1920_0, &_call_cbs_releaseControl_1920_0); methods += new qt_gsi::GenericMethod ("releaseControl", "@hide", false, &_init_cbs_releaseControl_1920_0, &_call_cbs_releaseControl_1920_0, &_set_callback_cbs_releaseControl_1920_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderPlugin.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderPlugin.cc index 09b27a9089..97098a95ca 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderPlugin.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderPlugin.cc @@ -197,6 +197,8 @@ static gsi::Methods methods_QMediaServiceProviderPlugin () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("create|qt_create", "@brief Method QMediaService *QMediaServiceProviderPlugin::create(const QString &key)\nThis is a reimplementation of QMediaServiceProviderFactoryInterface::create", false, &_init_f_create_2025, &_call_f_create_2025); methods += new qt_gsi::GenericMethod ("release", "@brief Method void QMediaServiceProviderPlugin::release(QMediaService *service)\nThis is a reimplementation of QMediaServiceProviderFactoryInterface::release", false, &_init_f_release_1904, &_call_f_release_1904); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMediaServiceProviderPlugin::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMediaServiceProviderPlugin::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaServiceProviderPlugin::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QMediaServiceProviderPlugin::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); methods += new qt_gsi::GenericMethod ("asQObject", "@brief Delivers the base class interface QObject of QMediaServiceProviderPlugin\nClass QMediaServiceProviderPlugin is derived from multiple base classes. This method delivers the QObject base class aspect.", false, &_init_f_QMediaServiceProviderPlugin_as_QObject, &_call_f_QMediaServiceProviderPlugin_as_QObject); @@ -271,6 +273,12 @@ class QMediaServiceProviderPlugin_Adaptor : public QMediaServiceProviderPlugin, } } + // [emitter impl] void QMediaServiceProviderPlugin::destroyed(QObject *) + void emitter_QMediaServiceProviderPlugin_destroyed_1302(QObject *arg1) + { + emit QMediaServiceProviderPlugin::destroyed(arg1); + } + // [adaptor impl] bool QMediaServiceProviderPlugin::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -301,6 +309,13 @@ class QMediaServiceProviderPlugin_Adaptor : public QMediaServiceProviderPlugin, } } + // [emitter impl] void QMediaServiceProviderPlugin::objectNameChanged(const QString &objectName) + void emitter_QMediaServiceProviderPlugin_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMediaServiceProviderPlugin::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QMediaServiceProviderPlugin::release(QMediaService *service) void cbs_release_1904_0(QMediaService *service) { @@ -474,6 +489,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMediaServiceProviderPlugin::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMediaServiceProviderPlugin_Adaptor *)cls)->emitter_QMediaServiceProviderPlugin_destroyed_1302 (arg1); +} + + // void QMediaServiceProviderPlugin::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -565,6 +598,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QMediaServiceProviderPlugin::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaServiceProviderPlugin_Adaptor *)cls)->emitter_QMediaServiceProviderPlugin_objectNameChanged_4567 (arg1); +} + + // exposed int QMediaServiceProviderPlugin::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -673,6 +724,7 @@ static gsi::Methods methods_QMediaServiceProviderPlugin_Adaptor () { methods += new qt_gsi::GenericMethod ("create|qt_create", "@hide", false, &_init_cbs_create_2025_0, &_call_cbs_create_2025_0, &_set_callback_cbs_create_2025_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaServiceProviderPlugin::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMediaServiceProviderPlugin::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaServiceProviderPlugin::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaServiceProviderPlugin::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -680,6 +732,7 @@ static gsi::Methods methods_QMediaServiceProviderPlugin_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaServiceProviderPlugin::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaServiceProviderPlugin::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMediaServiceProviderPlugin::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaServiceProviderPlugin::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("release", "@brief Virtual method void QMediaServiceProviderPlugin::release(QMediaService *service)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_release_1904_0, &_call_cbs_release_1904_0); methods += new qt_gsi::GenericMethod ("release", "@hide", false, &_init_cbs_release_1904_0, &_call_cbs_release_1904_0, &_set_callback_cbs_release_1904_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaStreamsControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaStreamsControl.cc index 0b59463fac..759be4c51f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaStreamsControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaStreamsControl.cc @@ -54,22 +54,6 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// void QMediaStreamsControl::activeStreamsChanged() - - -static void _init_f_activeStreamsChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_activeStreamsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaStreamsControl *)cls)->activeStreamsChanged (); -} - - // bool QMediaStreamsControl::isActive(int streamNumber) @@ -168,22 +152,6 @@ static void _call_f_streamType_767 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMediaStreamsControl::streamsChanged() - - -static void _init_f_streamsChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_streamsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaStreamsControl *)cls)->streamsChanged (); -} - - // static QString QMediaStreamsControl::tr(const char *s, const char *c, int n) @@ -240,13 +208,15 @@ namespace gsi static gsi::Methods methods_QMediaStreamsControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("activeStreamsChanged", "@brief Method void QMediaStreamsControl::activeStreamsChanged()\n", false, &_init_f_activeStreamsChanged_0, &_call_f_activeStreamsChanged_0); methods += new qt_gsi::GenericMethod ("isActive?", "@brief Method bool QMediaStreamsControl::isActive(int streamNumber)\n", false, &_init_f_isActive_767, &_call_f_isActive_767); methods += new qt_gsi::GenericMethod ("metaData", "@brief Method QVariant QMediaStreamsControl::metaData(int streamNumber, const QString &key)\n", false, &_init_f_metaData_2684, &_call_f_metaData_2684); methods += new qt_gsi::GenericMethod ("setActive", "@brief Method void QMediaStreamsControl::setActive(int streamNumber, bool state)\n", false, &_init_f_setActive_1523, &_call_f_setActive_1523); methods += new qt_gsi::GenericMethod ("streamCount", "@brief Method int QMediaStreamsControl::streamCount()\n", false, &_init_f_streamCount_0, &_call_f_streamCount_0); methods += new qt_gsi::GenericMethod ("streamType", "@brief Method QMediaStreamsControl::StreamType QMediaStreamsControl::streamType(int streamNumber)\n", false, &_init_f_streamType_767, &_call_f_streamType_767); - methods += new qt_gsi::GenericMethod ("streamsChanged", "@brief Method void QMediaStreamsControl::streamsChanged()\n", false, &_init_f_streamsChanged_0, &_call_f_streamsChanged_0); + methods += gsi::qt_signal ("activeStreamsChanged()", "activeStreamsChanged", "@brief Signal declaration for QMediaStreamsControl::activeStreamsChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMediaStreamsControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMediaStreamsControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("streamsChanged()", "streamsChanged", "@brief Signal declaration for QMediaStreamsControl::streamsChanged()\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaStreamsControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QMediaStreamsControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -295,6 +265,18 @@ class QMediaStreamsControl_Adaptor : public QMediaStreamsControl, public qt_gsi: return QMediaStreamsControl::senderSignalIndex(); } + // [emitter impl] void QMediaStreamsControl::activeStreamsChanged() + void emitter_QMediaStreamsControl_activeStreamsChanged_0() + { + emit QMediaStreamsControl::activeStreamsChanged(); + } + + // [emitter impl] void QMediaStreamsControl::destroyed(QObject *) + void emitter_QMediaStreamsControl_destroyed_1302(QObject *arg1) + { + emit QMediaStreamsControl::destroyed(arg1); + } + // [adaptor impl] bool QMediaStreamsControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -358,6 +340,13 @@ class QMediaStreamsControl_Adaptor : public QMediaStreamsControl, public qt_gsi: } } + // [emitter impl] void QMediaStreamsControl::objectNameChanged(const QString &objectName) + void emitter_QMediaStreamsControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMediaStreamsControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QMediaStreamsControl::setActive(int streamNumber, bool state) void cbs_setActive_1523_0(int streamNumber, bool state) { @@ -406,6 +395,12 @@ class QMediaStreamsControl_Adaptor : public QMediaStreamsControl, public qt_gsi: } } + // [emitter impl] void QMediaStreamsControl::streamsChanged() + void emitter_QMediaStreamsControl_streamsChanged_0() + { + emit QMediaStreamsControl::streamsChanged(); + } + // [adaptor impl] void QMediaStreamsControl::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -495,6 +490,20 @@ static void _call_ctor_QMediaStreamsControl_Adaptor_0 (const qt_gsi::GenericStat } +// emitter void QMediaStreamsControl::activeStreamsChanged() + +static void _init_emitter_activeStreamsChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_activeStreamsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaStreamsControl_Adaptor *)cls)->emitter_QMediaStreamsControl_activeStreamsChanged_0 (); +} + + // void QMediaStreamsControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -543,6 +552,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMediaStreamsControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMediaStreamsControl_Adaptor *)cls)->emitter_QMediaStreamsControl_destroyed_1302 (arg1); +} + + // void QMediaStreamsControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -683,6 +710,24 @@ static void _set_callback_cbs_metaData_2684_0 (void *cls, const gsi::Callback &c } +// emitter void QMediaStreamsControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaStreamsControl_Adaptor *)cls)->emitter_QMediaStreamsControl_objectNameChanged_4567 (arg1); +} + + // exposed int QMediaStreamsControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -798,6 +843,20 @@ static void _set_callback_cbs_streamType_767_0 (void *cls, const gsi::Callback & } +// emitter void QMediaStreamsControl::streamsChanged() + +static void _init_emitter_streamsChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_streamsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaStreamsControl_Adaptor *)cls)->emitter_QMediaStreamsControl_streamsChanged_0 (); +} + + // void QMediaStreamsControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -830,10 +889,12 @@ gsi::Class &qtdecl_QMediaStreamsControl (); static gsi::Methods methods_QMediaStreamsControl_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaStreamsControl::QMediaStreamsControl()\nThis method creates an object of class QMediaStreamsControl.", &_init_ctor_QMediaStreamsControl_Adaptor_0, &_call_ctor_QMediaStreamsControl_Adaptor_0); + methods += new qt_gsi::GenericMethod ("emit_activeStreamsChanged", "@brief Emitter for signal void QMediaStreamsControl::activeStreamsChanged()\nCall this method to emit this signal.", false, &_init_emitter_activeStreamsChanged_0, &_call_emitter_activeStreamsChanged_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaStreamsControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaStreamsControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMediaStreamsControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaStreamsControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaStreamsControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -845,6 +906,7 @@ static gsi::Methods methods_QMediaStreamsControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaStreamsControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("metaData", "@brief Virtual method QVariant QMediaStreamsControl::metaData(int streamNumber, const QString &key)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_metaData_2684_0, &_call_cbs_metaData_2684_0); methods += new qt_gsi::GenericMethod ("metaData", "@hide", false, &_init_cbs_metaData_2684_0, &_call_cbs_metaData_2684_0, &_set_callback_cbs_metaData_2684_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMediaStreamsControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaStreamsControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaStreamsControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaStreamsControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -854,6 +916,7 @@ static gsi::Methods methods_QMediaStreamsControl_Adaptor () { methods += new qt_gsi::GenericMethod ("streamCount", "@hide", false, &_init_cbs_streamCount_0_0, &_call_cbs_streamCount_0_0, &_set_callback_cbs_streamCount_0_0); methods += new qt_gsi::GenericMethod ("streamType", "@brief Virtual method QMediaStreamsControl::StreamType QMediaStreamsControl::streamType(int streamNumber)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_streamType_767_0, &_call_cbs_streamType_767_0); methods += new qt_gsi::GenericMethod ("streamType", "@hide", false, &_init_cbs_streamType_767_0, &_call_cbs_streamType_767_0, &_set_callback_cbs_streamType_767_0); + methods += new qt_gsi::GenericMethod ("emit_streamsChanged", "@brief Emitter for signal void QMediaStreamsControl::streamsChanged()\nCall this method to emit this signal.", false, &_init_emitter_streamsChanged_0, &_call_emitter_streamsChanged_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaStreamsControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaVideoProbeControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaVideoProbeControl.cc index ececd710b8..5d536caaba 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaVideoProbeControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaVideoProbeControl.cc @@ -55,42 +55,6 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// void QMediaVideoProbeControl::flush() - - -static void _init_f_flush_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_flush_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaVideoProbeControl *)cls)->flush (); -} - - -// void QMediaVideoProbeControl::videoFrameProbed(const QVideoFrame &frame) - - -static void _init_f_videoFrameProbed_2388 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("frame"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_videoFrameProbed_2388 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QVideoFrame &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaVideoProbeControl *)cls)->videoFrameProbed (arg1); -} - - // static QString QMediaVideoProbeControl::tr(const char *s, const char *c, int n) @@ -147,8 +111,10 @@ namespace gsi static gsi::Methods methods_QMediaVideoProbeControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("flush", "@brief Method void QMediaVideoProbeControl::flush()\n", false, &_init_f_flush_0, &_call_f_flush_0); - methods += new qt_gsi::GenericMethod ("videoFrameProbed", "@brief Method void QMediaVideoProbeControl::videoFrameProbed(const QVideoFrame &frame)\n", false, &_init_f_videoFrameProbed_2388, &_call_f_videoFrameProbed_2388); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMediaVideoProbeControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("flush()", "flush", "@brief Signal declaration for QMediaVideoProbeControl::flush()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMediaVideoProbeControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("videoFrameProbed(const QVideoFrame &)", "videoFrameProbed", gsi::arg("frame"), "@brief Signal declaration for QMediaVideoProbeControl::videoFrameProbed(const QVideoFrame &frame)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaVideoProbeControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QMediaVideoProbeControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -191,6 +157,12 @@ class QMediaVideoProbeControl_Adaptor : public QMediaVideoProbeControl, public q return QMediaVideoProbeControl::senderSignalIndex(); } + // [emitter impl] void QMediaVideoProbeControl::destroyed(QObject *) + void emitter_QMediaVideoProbeControl_destroyed_1302(QObject *arg1) + { + emit QMediaVideoProbeControl::destroyed(arg1); + } + // [adaptor impl] bool QMediaVideoProbeControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -221,6 +193,25 @@ class QMediaVideoProbeControl_Adaptor : public QMediaVideoProbeControl, public q } } + // [emitter impl] void QMediaVideoProbeControl::flush() + void emitter_QMediaVideoProbeControl_flush_0() + { + emit QMediaVideoProbeControl::flush(); + } + + // [emitter impl] void QMediaVideoProbeControl::objectNameChanged(const QString &objectName) + void emitter_QMediaVideoProbeControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMediaVideoProbeControl::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QMediaVideoProbeControl::videoFrameProbed(const QVideoFrame &frame) + void emitter_QMediaVideoProbeControl_videoFrameProbed_2388(const QVideoFrame &frame) + { + emit QMediaVideoProbeControl::videoFrameProbed(frame); + } + // [adaptor impl] void QMediaVideoProbeControl::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -339,6 +330,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMediaVideoProbeControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMediaVideoProbeControl_Adaptor *)cls)->emitter_QMediaVideoProbeControl_destroyed_1302 (arg1); +} + + // void QMediaVideoProbeControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -412,6 +421,20 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } +// emitter void QMediaVideoProbeControl::flush() + +static void _init_emitter_flush_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_flush_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaVideoProbeControl_Adaptor *)cls)->emitter_QMediaVideoProbeControl_flush_0 (); +} + + // exposed bool QMediaVideoProbeControl::isSignalConnected(const QMetaMethod &signal) static void _init_fp_isSignalConnected_c2394 (qt_gsi::GenericMethod *decl) @@ -430,6 +453,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QMediaVideoProbeControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaVideoProbeControl_Adaptor *)cls)->emitter_QMediaVideoProbeControl_objectNameChanged_4567 (arg1); +} + + // exposed int QMediaVideoProbeControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -500,6 +541,24 @@ static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback } +// emitter void QMediaVideoProbeControl::videoFrameProbed(const QVideoFrame &frame) + +static void _init_emitter_videoFrameProbed_2388 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("frame"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_videoFrameProbed_2388 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QVideoFrame &arg1 = gsi::arg_reader() (args, heap); + ((QMediaVideoProbeControl_Adaptor *)cls)->emitter_QMediaVideoProbeControl_videoFrameProbed_2388 (arg1); +} + + namespace gsi { @@ -511,18 +570,22 @@ static gsi::Methods methods_QMediaVideoProbeControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaVideoProbeControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMediaVideoProbeControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaVideoProbeControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaVideoProbeControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaVideoProbeControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("emit_flush", "@brief Emitter for signal void QMediaVideoProbeControl::flush()\nCall this method to emit this signal.", false, &_init_emitter_flush_0, &_call_emitter_flush_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaVideoProbeControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMediaVideoProbeControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaVideoProbeControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaVideoProbeControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaVideoProbeControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaVideoProbeControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("emit_videoFrameProbed", "@brief Emitter for signal void QMediaVideoProbeControl::videoFrameProbed(const QVideoFrame &frame)\nCall this method to emit this signal.", false, &_init_emitter_videoFrameProbed_2388, &_call_emitter_videoFrameProbed_2388); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataReaderControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataReaderControl.cc index 91480a8c53..56e4ee2ac5 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataReaderControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataReaderControl.cc @@ -103,65 +103,6 @@ static void _call_f_metaData_c2025 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMetaDataReaderControl::metaDataAvailableChanged(bool available) - - -static void _init_f_metaDataAvailableChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("available"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_metaDataAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMetaDataReaderControl *)cls)->metaDataAvailableChanged (arg1); -} - - -// void QMetaDataReaderControl::metaDataChanged() - - -static void _init_f_metaDataChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_metaDataChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMetaDataReaderControl *)cls)->metaDataChanged (); -} - - -// void QMetaDataReaderControl::metaDataChanged(const QString &key, const QVariant &value) - - -static void _init_f_metaDataChanged_4036 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("key"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("value"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_metaDataChanged_4036 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - const QVariant &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMetaDataReaderControl *)cls)->metaDataChanged (arg1, arg2); -} - - // static QString QMetaDataReaderControl::tr(const char *s, const char *c, int n) @@ -221,9 +162,11 @@ static gsi::Methods methods_QMetaDataReaderControl () { methods += new qt_gsi::GenericMethod ("availableMetaData", "@brief Method QStringList QMetaDataReaderControl::availableMetaData()\n", true, &_init_f_availableMetaData_c0, &_call_f_availableMetaData_c0); methods += new qt_gsi::GenericMethod ("isMetaDataAvailable?", "@brief Method bool QMetaDataReaderControl::isMetaDataAvailable()\n", true, &_init_f_isMetaDataAvailable_c0, &_call_f_isMetaDataAvailable_c0); methods += new qt_gsi::GenericMethod ("metaData", "@brief Method QVariant QMetaDataReaderControl::metaData(const QString &key)\n", true, &_init_f_metaData_c2025, &_call_f_metaData_c2025); - methods += new qt_gsi::GenericMethod ("metaDataAvailableChanged", "@brief Method void QMetaDataReaderControl::metaDataAvailableChanged(bool available)\n", false, &_init_f_metaDataAvailableChanged_864, &_call_f_metaDataAvailableChanged_864); - methods += new qt_gsi::GenericMethod ("metaDataChanged", "@brief Method void QMetaDataReaderControl::metaDataChanged()\n", false, &_init_f_metaDataChanged_0, &_call_f_metaDataChanged_0); - methods += new qt_gsi::GenericMethod ("metaDataChanged_kv", "@brief Method void QMetaDataReaderControl::metaDataChanged(const QString &key, const QVariant &value)\n", false, &_init_f_metaDataChanged_4036, &_call_f_metaDataChanged_4036); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMetaDataReaderControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataAvailableChanged(bool)", "metaDataAvailableChanged", gsi::arg("available"), "@brief Signal declaration for QMetaDataReaderControl::metaDataAvailableChanged(bool available)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged()", "metaDataChanged", "@brief Signal declaration for QMetaDataReaderControl::metaDataChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged(const QString &, const QVariant &)", "metaDataChanged_kv", gsi::arg("key"), gsi::arg("value"), "@brief Signal declaration for QMetaDataReaderControl::metaDataChanged(const QString &key, const QVariant &value)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMetaDataReaderControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMetaDataReaderControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QMetaDataReaderControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -287,6 +230,12 @@ class QMetaDataReaderControl_Adaptor : public QMetaDataReaderControl, public qt_ } } + // [emitter impl] void QMetaDataReaderControl::destroyed(QObject *) + void emitter_QMetaDataReaderControl_destroyed_1302(QObject *arg1) + { + emit QMetaDataReaderControl::destroyed(arg1); + } + // [adaptor impl] bool QMetaDataReaderControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -348,6 +297,31 @@ class QMetaDataReaderControl_Adaptor : public QMetaDataReaderControl, public qt_ } } + // [emitter impl] void QMetaDataReaderControl::metaDataAvailableChanged(bool available) + void emitter_QMetaDataReaderControl_metaDataAvailableChanged_864(bool available) + { + emit QMetaDataReaderControl::metaDataAvailableChanged(available); + } + + // [emitter impl] void QMetaDataReaderControl::metaDataChanged() + void emitter_QMetaDataReaderControl_metaDataChanged_0() + { + emit QMetaDataReaderControl::metaDataChanged(); + } + + // [emitter impl] void QMetaDataReaderControl::metaDataChanged(const QString &key, const QVariant &value) + void emitter_QMetaDataReaderControl_metaDataChanged_4036(const QString &key, const QVariant &value) + { + emit QMetaDataReaderControl::metaDataChanged(key, value); + } + + // [emitter impl] void QMetaDataReaderControl::objectNameChanged(const QString &objectName) + void emitter_QMetaDataReaderControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMetaDataReaderControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QMetaDataReaderControl::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -502,6 +476,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMetaDataReaderControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMetaDataReaderControl_Adaptor *)cls)->emitter_QMetaDataReaderControl_destroyed_1302 (arg1); +} + + // void QMetaDataReaderControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -635,6 +627,77 @@ static void _set_callback_cbs_metaData_c2025_0 (void *cls, const gsi::Callback & } +// emitter void QMetaDataReaderControl::metaDataAvailableChanged(bool available) + +static void _init_emitter_metaDataAvailableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("available"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_metaDataAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMetaDataReaderControl_Adaptor *)cls)->emitter_QMetaDataReaderControl_metaDataAvailableChanged_864 (arg1); +} + + +// emitter void QMetaDataReaderControl::metaDataChanged() + +static void _init_emitter_metaDataChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMetaDataReaderControl_Adaptor *)cls)->emitter_QMetaDataReaderControl_metaDataChanged_0 (); +} + + +// emitter void QMetaDataReaderControl::metaDataChanged(const QString &key, const QVariant &value) + +static void _init_emitter_metaDataChanged_4036 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("key"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("value"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_4036 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + const QVariant &arg2 = gsi::arg_reader() (args, heap); + ((QMetaDataReaderControl_Adaptor *)cls)->emitter_QMetaDataReaderControl_metaDataChanged_4036 (arg1, arg2); +} + + +// emitter void QMetaDataReaderControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMetaDataReaderControl_Adaptor *)cls)->emitter_QMetaDataReaderControl_objectNameChanged_4567 (arg1); +} + + // exposed int QMetaDataReaderControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -719,6 +782,7 @@ static gsi::Methods methods_QMetaDataReaderControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMetaDataReaderControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMetaDataReaderControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMetaDataReaderControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMetaDataReaderControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -730,6 +794,10 @@ static gsi::Methods methods_QMetaDataReaderControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMetaDataReaderControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("metaData", "@brief Virtual method QVariant QMetaDataReaderControl::metaData(const QString &key)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metaData_c2025_0, &_call_cbs_metaData_c2025_0); methods += new qt_gsi::GenericMethod ("metaData", "@hide", true, &_init_cbs_metaData_c2025_0, &_call_cbs_metaData_c2025_0, &_set_callback_cbs_metaData_c2025_0); + methods += new qt_gsi::GenericMethod ("emit_metaDataAvailableChanged", "@brief Emitter for signal void QMetaDataReaderControl::metaDataAvailableChanged(bool available)\nCall this method to emit this signal.", false, &_init_emitter_metaDataAvailableChanged_864, &_call_emitter_metaDataAvailableChanged_864); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged", "@brief Emitter for signal void QMetaDataReaderControl::metaDataChanged()\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_0, &_call_emitter_metaDataChanged_0); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged_kv", "@brief Emitter for signal void QMetaDataReaderControl::metaDataChanged(const QString &key, const QVariant &value)\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_4036, &_call_emitter_metaDataChanged_4036); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMetaDataReaderControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMetaDataReaderControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMetaDataReaderControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMetaDataReaderControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataWriterControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataWriterControl.cc index 1dedd67013..0d3a874bab 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataWriterControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataWriterControl.cc @@ -118,65 +118,6 @@ static void _call_f_metaData_c2025 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMetaDataWriterControl::metaDataAvailableChanged(bool available) - - -static void _init_f_metaDataAvailableChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("available"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_metaDataAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMetaDataWriterControl *)cls)->metaDataAvailableChanged (arg1); -} - - -// void QMetaDataWriterControl::metaDataChanged() - - -static void _init_f_metaDataChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_metaDataChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMetaDataWriterControl *)cls)->metaDataChanged (); -} - - -// void QMetaDataWriterControl::metaDataChanged(const QString &key, const QVariant &value) - - -static void _init_f_metaDataChanged_4036 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("key"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("value"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_metaDataChanged_4036 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - const QVariant &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMetaDataWriterControl *)cls)->metaDataChanged (arg1, arg2); -} - - // void QMetaDataWriterControl::setMetaData(const QString &key, const QVariant &value) @@ -200,26 +141,6 @@ static void _call_f_setMetaData_4036 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QMetaDataWriterControl::writableChanged(bool writable) - - -static void _init_f_writableChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("writable"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_writableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMetaDataWriterControl *)cls)->writableChanged (arg1); -} - - // static QString QMetaDataWriterControl::tr(const char *s, const char *c, int n) @@ -280,11 +201,13 @@ static gsi::Methods methods_QMetaDataWriterControl () { methods += new qt_gsi::GenericMethod ("isMetaDataAvailable?", "@brief Method bool QMetaDataWriterControl::isMetaDataAvailable()\n", true, &_init_f_isMetaDataAvailable_c0, &_call_f_isMetaDataAvailable_c0); methods += new qt_gsi::GenericMethod ("isWritable?", "@brief Method bool QMetaDataWriterControl::isWritable()\n", true, &_init_f_isWritable_c0, &_call_f_isWritable_c0); methods += new qt_gsi::GenericMethod ("metaData", "@brief Method QVariant QMetaDataWriterControl::metaData(const QString &key)\n", true, &_init_f_metaData_c2025, &_call_f_metaData_c2025); - methods += new qt_gsi::GenericMethod ("metaDataAvailableChanged", "@brief Method void QMetaDataWriterControl::metaDataAvailableChanged(bool available)\n", false, &_init_f_metaDataAvailableChanged_864, &_call_f_metaDataAvailableChanged_864); - methods += new qt_gsi::GenericMethod ("metaDataChanged", "@brief Method void QMetaDataWriterControl::metaDataChanged()\n", false, &_init_f_metaDataChanged_0, &_call_f_metaDataChanged_0); - methods += new qt_gsi::GenericMethod ("metaDataChanged_kv", "@brief Method void QMetaDataWriterControl::metaDataChanged(const QString &key, const QVariant &value)\n", false, &_init_f_metaDataChanged_4036, &_call_f_metaDataChanged_4036); methods += new qt_gsi::GenericMethod ("setMetaData", "@brief Method void QMetaDataWriterControl::setMetaData(const QString &key, const QVariant &value)\n", false, &_init_f_setMetaData_4036, &_call_f_setMetaData_4036); - methods += new qt_gsi::GenericMethod ("writableChanged", "@brief Method void QMetaDataWriterControl::writableChanged(bool writable)\n", false, &_init_f_writableChanged_864, &_call_f_writableChanged_864); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMetaDataWriterControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataAvailableChanged(bool)", "metaDataAvailableChanged", gsi::arg("available"), "@brief Signal declaration for QMetaDataWriterControl::metaDataAvailableChanged(bool available)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged()", "metaDataChanged", "@brief Signal declaration for QMetaDataWriterControl::metaDataChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged(const QString &, const QVariant &)", "metaDataChanged_kv", gsi::arg("key"), gsi::arg("value"), "@brief Signal declaration for QMetaDataWriterControl::metaDataChanged(const QString &key, const QVariant &value)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMetaDataWriterControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("writableChanged(bool)", "writableChanged", gsi::arg("writable"), "@brief Signal declaration for QMetaDataWriterControl::writableChanged(bool writable)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMetaDataWriterControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QMetaDataWriterControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -348,6 +271,12 @@ class QMetaDataWriterControl_Adaptor : public QMetaDataWriterControl, public qt_ } } + // [emitter impl] void QMetaDataWriterControl::destroyed(QObject *) + void emitter_QMetaDataWriterControl_destroyed_1302(QObject *arg1) + { + emit QMetaDataWriterControl::destroyed(arg1); + } + // [adaptor impl] bool QMetaDataWriterControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -424,6 +353,31 @@ class QMetaDataWriterControl_Adaptor : public QMetaDataWriterControl, public qt_ } } + // [emitter impl] void QMetaDataWriterControl::metaDataAvailableChanged(bool available) + void emitter_QMetaDataWriterControl_metaDataAvailableChanged_864(bool available) + { + emit QMetaDataWriterControl::metaDataAvailableChanged(available); + } + + // [emitter impl] void QMetaDataWriterControl::metaDataChanged() + void emitter_QMetaDataWriterControl_metaDataChanged_0() + { + emit QMetaDataWriterControl::metaDataChanged(); + } + + // [emitter impl] void QMetaDataWriterControl::metaDataChanged(const QString &key, const QVariant &value) + void emitter_QMetaDataWriterControl_metaDataChanged_4036(const QString &key, const QVariant &value) + { + emit QMetaDataWriterControl::metaDataChanged(key, value); + } + + // [emitter impl] void QMetaDataWriterControl::objectNameChanged(const QString &objectName) + void emitter_QMetaDataWriterControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMetaDataWriterControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QMetaDataWriterControl::setMetaData(const QString &key, const QVariant &value) void cbs_setMetaData_4036_0(const QString &key, const QVariant &value) { @@ -441,6 +395,12 @@ class QMetaDataWriterControl_Adaptor : public QMetaDataWriterControl, public qt_ } } + // [emitter impl] void QMetaDataWriterControl::writableChanged(bool writable) + void emitter_QMetaDataWriterControl_writableChanged_864(bool writable) + { + emit QMetaDataWriterControl::writableChanged(writable); + } + // [adaptor impl] void QMetaDataWriterControl::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -597,6 +557,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMetaDataWriterControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMetaDataWriterControl_Adaptor *)cls)->emitter_QMetaDataWriterControl_destroyed_1302 (arg1); +} + + // void QMetaDataWriterControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -749,6 +727,77 @@ static void _set_callback_cbs_metaData_c2025_0 (void *cls, const gsi::Callback & } +// emitter void QMetaDataWriterControl::metaDataAvailableChanged(bool available) + +static void _init_emitter_metaDataAvailableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("available"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_metaDataAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMetaDataWriterControl_Adaptor *)cls)->emitter_QMetaDataWriterControl_metaDataAvailableChanged_864 (arg1); +} + + +// emitter void QMetaDataWriterControl::metaDataChanged() + +static void _init_emitter_metaDataChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMetaDataWriterControl_Adaptor *)cls)->emitter_QMetaDataWriterControl_metaDataChanged_0 (); +} + + +// emitter void QMetaDataWriterControl::metaDataChanged(const QString &key, const QVariant &value) + +static void _init_emitter_metaDataChanged_4036 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("key"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("value"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_4036 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + const QVariant &arg2 = gsi::arg_reader() (args, heap); + ((QMetaDataWriterControl_Adaptor *)cls)->emitter_QMetaDataWriterControl_metaDataChanged_4036 (arg1, arg2); +} + + +// emitter void QMetaDataWriterControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMetaDataWriterControl_Adaptor *)cls)->emitter_QMetaDataWriterControl_objectNameChanged_4567 (arg1); +} + + // exposed int QMetaDataWriterControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -846,6 +895,24 @@ static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback } +// emitter void QMetaDataWriterControl::writableChanged(bool writable) + +static void _init_emitter_writableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("writable"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_writableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMetaDataWriterControl_Adaptor *)cls)->emitter_QMetaDataWriterControl_writableChanged_864 (arg1); +} + + namespace gsi { @@ -860,6 +927,7 @@ static gsi::Methods methods_QMetaDataWriterControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMetaDataWriterControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMetaDataWriterControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMetaDataWriterControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMetaDataWriterControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -873,6 +941,10 @@ static gsi::Methods methods_QMetaDataWriterControl_Adaptor () { methods += new qt_gsi::GenericMethod ("isWritable", "@hide", true, &_init_cbs_isWritable_c0_0, &_call_cbs_isWritable_c0_0, &_set_callback_cbs_isWritable_c0_0); methods += new qt_gsi::GenericMethod ("metaData", "@brief Virtual method QVariant QMetaDataWriterControl::metaData(const QString &key)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metaData_c2025_0, &_call_cbs_metaData_c2025_0); methods += new qt_gsi::GenericMethod ("metaData", "@hide", true, &_init_cbs_metaData_c2025_0, &_call_cbs_metaData_c2025_0, &_set_callback_cbs_metaData_c2025_0); + methods += new qt_gsi::GenericMethod ("emit_metaDataAvailableChanged", "@brief Emitter for signal void QMetaDataWriterControl::metaDataAvailableChanged(bool available)\nCall this method to emit this signal.", false, &_init_emitter_metaDataAvailableChanged_864, &_call_emitter_metaDataAvailableChanged_864); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged", "@brief Emitter for signal void QMetaDataWriterControl::metaDataChanged()\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_0, &_call_emitter_metaDataChanged_0); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged_kv", "@brief Emitter for signal void QMetaDataWriterControl::metaDataChanged(const QString &key, const QVariant &value)\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_4036, &_call_emitter_metaDataChanged_4036); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMetaDataWriterControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMetaDataWriterControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMetaDataWriterControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMetaDataWriterControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -880,6 +952,7 @@ static gsi::Methods methods_QMetaDataWriterControl_Adaptor () { methods += new qt_gsi::GenericMethod ("setMetaData", "@hide", false, &_init_cbs_setMetaData_4036_0, &_call_cbs_setMetaData_4036_0, &_set_callback_cbs_setMetaData_4036_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMetaDataWriterControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("emit_writableChanged", "@brief Emitter for signal void QMetaDataWriterControl::writableChanged(bool writable)\nCall this method to emit this signal.", false, &_init_emitter_writableChanged_864, &_call_emitter_writableChanged_864); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioData.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioData.cc index 3e89b46e79..81c0981d2f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioData.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioData.cc @@ -55,26 +55,6 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// void QRadioData::alternativeFrequenciesEnabledChanged(bool enabled) - - -static void _init_f_alternativeFrequenciesEnabledChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("enabled"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_alternativeFrequenciesEnabledChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioData *)cls)->alternativeFrequenciesEnabledChanged (arg1); -} - - // QMultimedia::AvailabilityStatus QRadioData::availability() @@ -105,26 +85,6 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QRadioData::error(QRadioData::Error error) - - -static void _init_f_error_2028 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("error"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_error_2028 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioData *)cls)->error (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QString QRadioData::errorString() @@ -185,26 +145,6 @@ static void _call_f_programType_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QRadioData::programTypeChanged(QRadioData::ProgramType programType) - - -static void _init_f_programTypeChanged_2652 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("programType"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_programTypeChanged_2652 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioData *)cls)->programTypeChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QString QRadioData::programTypeName() @@ -220,26 +160,6 @@ static void _call_f_programTypeName_c0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QRadioData::programTypeNameChanged(QString programTypeName) - - -static void _init_f_programTypeNameChanged_1148 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("programTypeName"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_programTypeNameChanged_1148 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QString arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioData *)cls)->programTypeNameChanged (arg1); -} - - // QString QRadioData::radioText() @@ -255,26 +175,6 @@ static void _call_f_radioText_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QRadioData::radioTextChanged(QString radioText) - - -static void _init_f_radioTextChanged_1148 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("radioText"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_radioTextChanged_1148 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QString arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioData *)cls)->radioTextChanged (arg1); -} - - // void QRadioData::setAlternativeFrequenciesEnabled(bool enabled) @@ -310,26 +210,6 @@ static void _call_f_stationId_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QRadioData::stationIdChanged(QString stationId) - - -static void _init_f_stationIdChanged_1148 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("stationId"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_stationIdChanged_1148 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QString arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioData *)cls)->stationIdChanged (arg1); -} - - // QString QRadioData::stationName() @@ -345,26 +225,6 @@ static void _call_f_stationName_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QRadioData::stationNameChanged(QString stationName) - - -static void _init_f_stationNameChanged_1148 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("stationName"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_stationNameChanged_1148 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QString arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioData *)cls)->stationNameChanged (arg1); -} - - // static QString QRadioData::tr(const char *s, const char *c, int n) @@ -466,24 +326,26 @@ namespace gsi static gsi::Methods methods_QRadioData () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("alternativeFrequenciesEnabledChanged", "@brief Method void QRadioData::alternativeFrequenciesEnabledChanged(bool enabled)\n", false, &_init_f_alternativeFrequenciesEnabledChanged_864, &_call_f_alternativeFrequenciesEnabledChanged_864); methods += new qt_gsi::GenericMethod ("availability", "@brief Method QMultimedia::AvailabilityStatus QRadioData::availability()\n", true, &_init_f_availability_c0, &_call_f_availability_c0); methods += new qt_gsi::GenericMethod ("error", "@brief Method QRadioData::Error QRadioData::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("error_sig", "@brief Method void QRadioData::error(QRadioData::Error error)\n", false, &_init_f_error_2028, &_call_f_error_2028); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QRadioData::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); methods += new qt_gsi::GenericMethod ("isAlternativeFrequenciesEnabled?|:alternativeFrequenciesEnabled", "@brief Method bool QRadioData::isAlternativeFrequenciesEnabled()\n", true, &_init_f_isAlternativeFrequenciesEnabled_c0, &_call_f_isAlternativeFrequenciesEnabled_c0); methods += new qt_gsi::GenericMethod ("mediaObject", "@brief Method QMediaObject *QRadioData::mediaObject()\nThis is a reimplementation of QMediaBindableInterface::mediaObject", true, &_init_f_mediaObject_c0, &_call_f_mediaObject_c0); methods += new qt_gsi::GenericMethod (":programType", "@brief Method QRadioData::ProgramType QRadioData::programType()\n", true, &_init_f_programType_c0, &_call_f_programType_c0); - methods += new qt_gsi::GenericMethod ("programTypeChanged", "@brief Method void QRadioData::programTypeChanged(QRadioData::ProgramType programType)\n", false, &_init_f_programTypeChanged_2652, &_call_f_programTypeChanged_2652); methods += new qt_gsi::GenericMethod (":programTypeName", "@brief Method QString QRadioData::programTypeName()\n", true, &_init_f_programTypeName_c0, &_call_f_programTypeName_c0); - methods += new qt_gsi::GenericMethod ("programTypeNameChanged", "@brief Method void QRadioData::programTypeNameChanged(QString programTypeName)\n", false, &_init_f_programTypeNameChanged_1148, &_call_f_programTypeNameChanged_1148); methods += new qt_gsi::GenericMethod (":radioText", "@brief Method QString QRadioData::radioText()\n", true, &_init_f_radioText_c0, &_call_f_radioText_c0); - methods += new qt_gsi::GenericMethod ("radioTextChanged", "@brief Method void QRadioData::radioTextChanged(QString radioText)\n", false, &_init_f_radioTextChanged_1148, &_call_f_radioTextChanged_1148); methods += new qt_gsi::GenericMethod ("setAlternativeFrequenciesEnabled|alternativeFrequenciesEnabled=", "@brief Method void QRadioData::setAlternativeFrequenciesEnabled(bool enabled)\n", false, &_init_f_setAlternativeFrequenciesEnabled_864, &_call_f_setAlternativeFrequenciesEnabled_864); methods += new qt_gsi::GenericMethod (":stationId", "@brief Method QString QRadioData::stationId()\n", true, &_init_f_stationId_c0, &_call_f_stationId_c0); - methods += new qt_gsi::GenericMethod ("stationIdChanged", "@brief Method void QRadioData::stationIdChanged(QString stationId)\n", false, &_init_f_stationIdChanged_1148, &_call_f_stationIdChanged_1148); methods += new qt_gsi::GenericMethod (":stationName", "@brief Method QString QRadioData::stationName()\n", true, &_init_f_stationName_c0, &_call_f_stationName_c0); - methods += new qt_gsi::GenericMethod ("stationNameChanged", "@brief Method void QRadioData::stationNameChanged(QString stationName)\n", false, &_init_f_stationNameChanged_1148, &_call_f_stationNameChanged_1148); + methods += gsi::qt_signal ("alternativeFrequenciesEnabledChanged(bool)", "alternativeFrequenciesEnabledChanged", gsi::arg("enabled"), "@brief Signal declaration for QRadioData::alternativeFrequenciesEnabledChanged(bool enabled)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QRadioData::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("error(QRadioData::Error)", "error_sig", gsi::arg("error"), "@brief Signal declaration for QRadioData::error(QRadioData::Error error)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QRadioData::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("programTypeChanged(QRadioData::ProgramType)", "programTypeChanged", gsi::arg("programType"), "@brief Signal declaration for QRadioData::programTypeChanged(QRadioData::ProgramType programType)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("programTypeNameChanged(QString)", "programTypeNameChanged", gsi::arg("programTypeName"), "@brief Signal declaration for QRadioData::programTypeNameChanged(QString programTypeName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("radioTextChanged(QString)", "radioTextChanged", gsi::arg("radioText"), "@brief Signal declaration for QRadioData::radioTextChanged(QString radioText)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("stationIdChanged(QString)", "stationIdChanged", gsi::arg("stationId"), "@brief Signal declaration for QRadioData::stationIdChanged(QString stationId)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("stationNameChanged(QString)", "stationNameChanged", gsi::arg("stationName"), "@brief Signal declaration for QRadioData::stationNameChanged(QString stationName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QRadioData::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QRadioData::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); methods += new qt_gsi::GenericMethod ("asQObject", "@brief Delivers the base class interface QObject of QRadioData\nClass QRadioData is derived from multiple base classes. This method delivers the QObject base class aspect.", false, &_init_f_QRadioData_as_QObject, &_call_f_QRadioData_as_QObject); @@ -548,6 +410,24 @@ class QRadioData_Adaptor : public QRadioData, public qt_gsi::QtObjectBase return QRadioData::senderSignalIndex(); } + // [emitter impl] void QRadioData::alternativeFrequenciesEnabledChanged(bool enabled) + void emitter_QRadioData_alternativeFrequenciesEnabledChanged_864(bool enabled) + { + emit QRadioData::alternativeFrequenciesEnabledChanged(enabled); + } + + // [emitter impl] void QRadioData::destroyed(QObject *) + void emitter_QRadioData_destroyed_1302(QObject *arg1) + { + emit QRadioData::destroyed(arg1); + } + + // [emitter impl] void QRadioData::error(QRadioData::Error error) + void emitter_QRadioData_error_2028(QRadioData::Error _error) + { + emit QRadioData::error(_error); + } + // [adaptor impl] bool QRadioData::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -593,6 +473,43 @@ class QRadioData_Adaptor : public QRadioData, public qt_gsi::QtObjectBase } } + // [emitter impl] void QRadioData::objectNameChanged(const QString &objectName) + void emitter_QRadioData_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QRadioData::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QRadioData::programTypeChanged(QRadioData::ProgramType programType) + void emitter_QRadioData_programTypeChanged_2652(QRadioData::ProgramType programType) + { + emit QRadioData::programTypeChanged(programType); + } + + // [emitter impl] void QRadioData::programTypeNameChanged(QString programTypeName) + void emitter_QRadioData_programTypeNameChanged_1148(QString programTypeName) + { + emit QRadioData::programTypeNameChanged(programTypeName); + } + + // [emitter impl] void QRadioData::radioTextChanged(QString radioText) + void emitter_QRadioData_radioTextChanged_1148(QString radioText) + { + emit QRadioData::radioTextChanged(radioText); + } + + // [emitter impl] void QRadioData::stationIdChanged(QString stationId) + void emitter_QRadioData_stationIdChanged_1148(QString stationId) + { + emit QRadioData::stationIdChanged(stationId); + } + + // [emitter impl] void QRadioData::stationNameChanged(QString stationName) + void emitter_QRadioData_stationNameChanged_1148(QString stationName) + { + emit QRadioData::stationNameChanged(stationName); + } + // [adaptor impl] void QRadioData::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -701,6 +618,24 @@ static void _call_ctor_QRadioData_Adaptor_2976 (const qt_gsi::GenericStaticMetho } +// emitter void QRadioData::alternativeFrequenciesEnabledChanged(bool enabled) + +static void _init_emitter_alternativeFrequenciesEnabledChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("enabled"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_alternativeFrequenciesEnabledChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QRadioData_Adaptor *)cls)->emitter_QRadioData_alternativeFrequenciesEnabledChanged_864 (arg1); +} + + // void QRadioData::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -749,6 +684,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QRadioData::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QRadioData_Adaptor *)cls)->emitter_QRadioData_destroyed_1302 (arg1); +} + + // void QRadioData::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -773,6 +726,24 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } +// emitter void QRadioData::error(QRadioData::Error error) + +static void _init_emitter_error_2028 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("error"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_error_2028 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QRadioData_Adaptor *)cls)->emitter_QRadioData_error_2028 (arg1); +} + + // bool QRadioData::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -859,6 +830,78 @@ static void _set_callback_cbs_mediaObject_c0_0 (void *cls, const gsi::Callback & } +// emitter void QRadioData::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QRadioData_Adaptor *)cls)->emitter_QRadioData_objectNameChanged_4567 (arg1); +} + + +// emitter void QRadioData::programTypeChanged(QRadioData::ProgramType programType) + +static void _init_emitter_programTypeChanged_2652 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("programType"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_programTypeChanged_2652 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QRadioData_Adaptor *)cls)->emitter_QRadioData_programTypeChanged_2652 (arg1); +} + + +// emitter void QRadioData::programTypeNameChanged(QString programTypeName) + +static void _init_emitter_programTypeNameChanged_1148 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("programTypeName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_programTypeNameChanged_1148 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QString arg1 = gsi::arg_reader() (args, heap); + ((QRadioData_Adaptor *)cls)->emitter_QRadioData_programTypeNameChanged_1148 (arg1); +} + + +// emitter void QRadioData::radioTextChanged(QString radioText) + +static void _init_emitter_radioTextChanged_1148 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("radioText"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_radioTextChanged_1148 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QString arg1 = gsi::arg_reader() (args, heap); + ((QRadioData_Adaptor *)cls)->emitter_QRadioData_radioTextChanged_1148 (arg1); +} + + // exposed int QRadioData::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -928,6 +971,42 @@ static void _set_callback_cbs_setMediaObject_1782_0 (void *cls, const gsi::Callb } +// emitter void QRadioData::stationIdChanged(QString stationId) + +static void _init_emitter_stationIdChanged_1148 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("stationId"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stationIdChanged_1148 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QString arg1 = gsi::arg_reader() (args, heap); + ((QRadioData_Adaptor *)cls)->emitter_QRadioData_stationIdChanged_1148 (arg1); +} + + +// emitter void QRadioData::stationNameChanged(QString stationName) + +static void _init_emitter_stationNameChanged_1148 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("stationName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stationNameChanged_1148 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QString arg1 = gsi::arg_reader() (args, heap); + ((QRadioData_Adaptor *)cls)->emitter_QRadioData_stationNameChanged_1148 (arg1); +} + + // void QRadioData::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -960,12 +1039,15 @@ gsi::Class &qtdecl_QRadioData (); static gsi::Methods methods_QRadioData_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRadioData::QRadioData(QMediaObject *mediaObject, QObject *parent)\nThis method creates an object of class QRadioData.", &_init_ctor_QRadioData_Adaptor_2976, &_call_ctor_QRadioData_Adaptor_2976); + methods += new qt_gsi::GenericMethod ("emit_alternativeFrequenciesEnabledChanged", "@brief Emitter for signal void QRadioData::alternativeFrequenciesEnabledChanged(bool enabled)\nCall this method to emit this signal.", false, &_init_emitter_alternativeFrequenciesEnabledChanged_864, &_call_emitter_alternativeFrequenciesEnabledChanged_864); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRadioData::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRadioData::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QRadioData::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QRadioData::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("emit_error_sig", "@brief Emitter for signal void QRadioData::error(QRadioData::Error error)\nCall this method to emit this signal.", false, &_init_emitter_error_2028, &_call_emitter_error_2028); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QRadioData::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QRadioData::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); @@ -973,11 +1055,17 @@ static gsi::Methods methods_QRadioData_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QRadioData::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("mediaObject", "@brief Virtual method QMediaObject *QRadioData::mediaObject()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_mediaObject_c0_0, &_call_cbs_mediaObject_c0_0); methods += new qt_gsi::GenericMethod ("mediaObject", "@hide", true, &_init_cbs_mediaObject_c0_0, &_call_cbs_mediaObject_c0_0, &_set_callback_cbs_mediaObject_c0_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QRadioData::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); + methods += new qt_gsi::GenericMethod ("emit_programTypeChanged", "@brief Emitter for signal void QRadioData::programTypeChanged(QRadioData::ProgramType programType)\nCall this method to emit this signal.", false, &_init_emitter_programTypeChanged_2652, &_call_emitter_programTypeChanged_2652); + methods += new qt_gsi::GenericMethod ("emit_programTypeNameChanged", "@brief Emitter for signal void QRadioData::programTypeNameChanged(QString programTypeName)\nCall this method to emit this signal.", false, &_init_emitter_programTypeNameChanged_1148, &_call_emitter_programTypeNameChanged_1148); + methods += new qt_gsi::GenericMethod ("emit_radioTextChanged", "@brief Emitter for signal void QRadioData::radioTextChanged(QString radioText)\nCall this method to emit this signal.", false, &_init_emitter_radioTextChanged_1148, &_call_emitter_radioTextChanged_1148); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QRadioData::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QRadioData::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QRadioData::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*setMediaObject", "@brief Virtual method bool QRadioData::setMediaObject(QMediaObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setMediaObject_1782_0, &_call_cbs_setMediaObject_1782_0); methods += new qt_gsi::GenericMethod ("*setMediaObject", "@hide", false, &_init_cbs_setMediaObject_1782_0, &_call_cbs_setMediaObject_1782_0, &_set_callback_cbs_setMediaObject_1782_0); + methods += new qt_gsi::GenericMethod ("emit_stationIdChanged", "@brief Emitter for signal void QRadioData::stationIdChanged(QString stationId)\nCall this method to emit this signal.", false, &_init_emitter_stationIdChanged_1148, &_call_emitter_stationIdChanged_1148); + methods += new qt_gsi::GenericMethod ("emit_stationNameChanged", "@brief Emitter for signal void QRadioData::stationNameChanged(QString stationName)\nCall this method to emit this signal.", false, &_init_emitter_stationNameChanged_1148, &_call_emitter_stationNameChanged_1148); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRadioData::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioDataControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioDataControl.cc index 2c5adfb59b..6988e44323 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioDataControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioDataControl.cc @@ -54,26 +54,6 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// void QRadioDataControl::alternativeFrequenciesEnabledChanged(bool enabled) - - -static void _init_f_alternativeFrequenciesEnabledChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("enabled"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_alternativeFrequenciesEnabledChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioDataControl *)cls)->alternativeFrequenciesEnabledChanged (arg1); -} - - // QRadioData::Error QRadioDataControl::error() @@ -89,26 +69,6 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QRadioDataControl::error(QRadioData::Error err) - - -static void _init_f_error_2028 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("err"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_error_2028 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioDataControl *)cls)->error (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QString QRadioDataControl::errorString() @@ -154,26 +114,6 @@ static void _call_f_programType_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QRadioDataControl::programTypeChanged(QRadioData::ProgramType programType) - - -static void _init_f_programTypeChanged_2652 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("programType"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_programTypeChanged_2652 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioDataControl *)cls)->programTypeChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QString QRadioDataControl::programTypeName() @@ -189,26 +129,6 @@ static void _call_f_programTypeName_c0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QRadioDataControl::programTypeNameChanged(QString programTypeName) - - -static void _init_f_programTypeNameChanged_1148 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("programTypeName"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_programTypeNameChanged_1148 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QString arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioDataControl *)cls)->programTypeNameChanged (arg1); -} - - // QString QRadioDataControl::radioText() @@ -224,26 +144,6 @@ static void _call_f_radioText_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QRadioDataControl::radioTextChanged(QString radioText) - - -static void _init_f_radioTextChanged_1148 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("radioText"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_radioTextChanged_1148 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QString arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioDataControl *)cls)->radioTextChanged (arg1); -} - - // void QRadioDataControl::setAlternativeFrequenciesEnabled(bool enabled) @@ -279,26 +179,6 @@ static void _call_f_stationId_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QRadioDataControl::stationIdChanged(QString stationId) - - -static void _init_f_stationIdChanged_1148 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("stationId"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_stationIdChanged_1148 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QString arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioDataControl *)cls)->stationIdChanged (arg1); -} - - // QString QRadioDataControl::stationName() @@ -314,26 +194,6 @@ static void _call_f_stationName_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QRadioDataControl::stationNameChanged(QString stationName) - - -static void _init_f_stationNameChanged_1148 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("stationName"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_stationNameChanged_1148 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QString arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioDataControl *)cls)->stationNameChanged (arg1); -} - - // static QString QRadioDataControl::tr(const char *s, const char *c, int n) @@ -390,22 +250,24 @@ namespace gsi static gsi::Methods methods_QRadioDataControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("alternativeFrequenciesEnabledChanged", "@brief Method void QRadioDataControl::alternativeFrequenciesEnabledChanged(bool enabled)\n", false, &_init_f_alternativeFrequenciesEnabledChanged_864, &_call_f_alternativeFrequenciesEnabledChanged_864); methods += new qt_gsi::GenericMethod ("error", "@brief Method QRadioData::Error QRadioDataControl::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("error_sig", "@brief Method void QRadioDataControl::error(QRadioData::Error err)\n", false, &_init_f_error_2028, &_call_f_error_2028); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QRadioDataControl::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); methods += new qt_gsi::GenericMethod ("isAlternativeFrequenciesEnabled?|:alternativeFrequenciesEnabled", "@brief Method bool QRadioDataControl::isAlternativeFrequenciesEnabled()\n", true, &_init_f_isAlternativeFrequenciesEnabled_c0, &_call_f_isAlternativeFrequenciesEnabled_c0); methods += new qt_gsi::GenericMethod ("programType", "@brief Method QRadioData::ProgramType QRadioDataControl::programType()\n", true, &_init_f_programType_c0, &_call_f_programType_c0); - methods += new qt_gsi::GenericMethod ("programTypeChanged", "@brief Method void QRadioDataControl::programTypeChanged(QRadioData::ProgramType programType)\n", false, &_init_f_programTypeChanged_2652, &_call_f_programTypeChanged_2652); methods += new qt_gsi::GenericMethod ("programTypeName", "@brief Method QString QRadioDataControl::programTypeName()\n", true, &_init_f_programTypeName_c0, &_call_f_programTypeName_c0); - methods += new qt_gsi::GenericMethod ("programTypeNameChanged", "@brief Method void QRadioDataControl::programTypeNameChanged(QString programTypeName)\n", false, &_init_f_programTypeNameChanged_1148, &_call_f_programTypeNameChanged_1148); methods += new qt_gsi::GenericMethod ("radioText", "@brief Method QString QRadioDataControl::radioText()\n", true, &_init_f_radioText_c0, &_call_f_radioText_c0); - methods += new qt_gsi::GenericMethod ("radioTextChanged", "@brief Method void QRadioDataControl::radioTextChanged(QString radioText)\n", false, &_init_f_radioTextChanged_1148, &_call_f_radioTextChanged_1148); methods += new qt_gsi::GenericMethod ("setAlternativeFrequenciesEnabled|alternativeFrequenciesEnabled=", "@brief Method void QRadioDataControl::setAlternativeFrequenciesEnabled(bool enabled)\n", false, &_init_f_setAlternativeFrequenciesEnabled_864, &_call_f_setAlternativeFrequenciesEnabled_864); methods += new qt_gsi::GenericMethod ("stationId", "@brief Method QString QRadioDataControl::stationId()\n", true, &_init_f_stationId_c0, &_call_f_stationId_c0); - methods += new qt_gsi::GenericMethod ("stationIdChanged", "@brief Method void QRadioDataControl::stationIdChanged(QString stationId)\n", false, &_init_f_stationIdChanged_1148, &_call_f_stationIdChanged_1148); methods += new qt_gsi::GenericMethod ("stationName", "@brief Method QString QRadioDataControl::stationName()\n", true, &_init_f_stationName_c0, &_call_f_stationName_c0); - methods += new qt_gsi::GenericMethod ("stationNameChanged", "@brief Method void QRadioDataControl::stationNameChanged(QString stationName)\n", false, &_init_f_stationNameChanged_1148, &_call_f_stationNameChanged_1148); + methods += gsi::qt_signal ("alternativeFrequenciesEnabledChanged(bool)", "alternativeFrequenciesEnabledChanged", gsi::arg("enabled"), "@brief Signal declaration for QRadioDataControl::alternativeFrequenciesEnabledChanged(bool enabled)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QRadioDataControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("error(QRadioData::Error)", "error_sig", gsi::arg("err"), "@brief Signal declaration for QRadioDataControl::error(QRadioData::Error err)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QRadioDataControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("programTypeChanged(QRadioData::ProgramType)", "programTypeChanged", gsi::arg("programType"), "@brief Signal declaration for QRadioDataControl::programTypeChanged(QRadioData::ProgramType programType)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("programTypeNameChanged(QString)", "programTypeNameChanged", gsi::arg("programTypeName"), "@brief Signal declaration for QRadioDataControl::programTypeNameChanged(QString programTypeName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("radioTextChanged(QString)", "radioTextChanged", gsi::arg("radioText"), "@brief Signal declaration for QRadioDataControl::radioTextChanged(QString radioText)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("stationIdChanged(QString)", "stationIdChanged", gsi::arg("stationId"), "@brief Signal declaration for QRadioDataControl::stationIdChanged(QString stationId)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("stationNameChanged(QString)", "stationNameChanged", gsi::arg("stationName"), "@brief Signal declaration for QRadioDataControl::stationNameChanged(QString stationName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QRadioDataControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QRadioDataControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -448,6 +310,18 @@ class QRadioDataControl_Adaptor : public QRadioDataControl, public qt_gsi::QtObj return QRadioDataControl::senderSignalIndex(); } + // [emitter impl] void QRadioDataControl::alternativeFrequenciesEnabledChanged(bool enabled) + void emitter_QRadioDataControl_alternativeFrequenciesEnabledChanged_864(bool enabled) + { + emit QRadioDataControl::alternativeFrequenciesEnabledChanged(enabled); + } + + // [emitter impl] void QRadioDataControl::destroyed(QObject *) + void emitter_QRadioDataControl_destroyed_1302(QObject *arg1) + { + emit QRadioDataControl::destroyed(arg1); + } + // [adaptor impl] QRadioData::Error QRadioDataControl::error() qt_gsi::Converter::target_type cbs_error_c0_0() const { @@ -463,6 +337,12 @@ class QRadioDataControl_Adaptor : public QRadioDataControl, public qt_gsi::QtObj } } + // [emitter impl] void QRadioDataControl::error(QRadioData::Error err) + void emitter_QRadioDataControl_error_2028(QRadioData::Error err) + { + emit QRadioDataControl::error(err); + } + // [adaptor impl] QString QRadioDataControl::errorString() QString cbs_errorString_c0_0() const { @@ -523,6 +403,13 @@ class QRadioDataControl_Adaptor : public QRadioDataControl, public qt_gsi::QtObj } } + // [emitter impl] void QRadioDataControl::objectNameChanged(const QString &objectName) + void emitter_QRadioDataControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QRadioDataControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] QRadioData::ProgramType QRadioDataControl::programType() qt_gsi::Converter::target_type cbs_programType_c0_0() const { @@ -538,6 +425,12 @@ class QRadioDataControl_Adaptor : public QRadioDataControl, public qt_gsi::QtObj } } + // [emitter impl] void QRadioDataControl::programTypeChanged(QRadioData::ProgramType programType) + void emitter_QRadioDataControl_programTypeChanged_2652(QRadioData::ProgramType programType) + { + emit QRadioDataControl::programTypeChanged(programType); + } + // [adaptor impl] QString QRadioDataControl::programTypeName() QString cbs_programTypeName_c0_0() const { @@ -553,6 +446,12 @@ class QRadioDataControl_Adaptor : public QRadioDataControl, public qt_gsi::QtObj } } + // [emitter impl] void QRadioDataControl::programTypeNameChanged(QString programTypeName) + void emitter_QRadioDataControl_programTypeNameChanged_1148(QString programTypeName) + { + emit QRadioDataControl::programTypeNameChanged(programTypeName); + } + // [adaptor impl] QString QRadioDataControl::radioText() QString cbs_radioText_c0_0() const { @@ -568,6 +467,12 @@ class QRadioDataControl_Adaptor : public QRadioDataControl, public qt_gsi::QtObj } } + // [emitter impl] void QRadioDataControl::radioTextChanged(QString radioText) + void emitter_QRadioDataControl_radioTextChanged_1148(QString radioText) + { + emit QRadioDataControl::radioTextChanged(radioText); + } + // [adaptor impl] void QRadioDataControl::setAlternativeFrequenciesEnabled(bool enabled) void cbs_setAlternativeFrequenciesEnabled_864_0(bool enabled) { @@ -599,6 +504,12 @@ class QRadioDataControl_Adaptor : public QRadioDataControl, public qt_gsi::QtObj } } + // [emitter impl] void QRadioDataControl::stationIdChanged(QString stationId) + void emitter_QRadioDataControl_stationIdChanged_1148(QString stationId) + { + emit QRadioDataControl::stationIdChanged(stationId); + } + // [adaptor impl] QString QRadioDataControl::stationName() QString cbs_stationName_c0_0() const { @@ -614,6 +525,12 @@ class QRadioDataControl_Adaptor : public QRadioDataControl, public qt_gsi::QtObj } } + // [emitter impl] void QRadioDataControl::stationNameChanged(QString stationName) + void emitter_QRadioDataControl_stationNameChanged_1148(QString stationName) + { + emit QRadioDataControl::stationNameChanged(stationName); + } + // [adaptor impl] void QRadioDataControl::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -693,6 +610,24 @@ class QRadioDataControl_Adaptor : public QRadioDataControl, public qt_gsi::QtObj QRadioDataControl_Adaptor::~QRadioDataControl_Adaptor() { } +// emitter void QRadioDataControl::alternativeFrequenciesEnabledChanged(bool enabled) + +static void _init_emitter_alternativeFrequenciesEnabledChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("enabled"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_alternativeFrequenciesEnabledChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QRadioDataControl_Adaptor *)cls)->emitter_QRadioDataControl_alternativeFrequenciesEnabledChanged_864 (arg1); +} + + // void QRadioDataControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -741,6 +676,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QRadioDataControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QRadioDataControl_Adaptor *)cls)->emitter_QRadioDataControl_destroyed_1302 (arg1); +} + + // void QRadioDataControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -784,6 +737,24 @@ static void _set_callback_cbs_error_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QRadioDataControl::error(QRadioData::Error err) + +static void _init_emitter_error_2028 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("err"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_error_2028 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QRadioDataControl_Adaptor *)cls)->emitter_QRadioDataControl_error_2028 (arg1); +} + + // QString QRadioDataControl::errorString() static void _init_cbs_errorString_c0_0 (qt_gsi::GenericMethod *decl) @@ -889,6 +860,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QRadioDataControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QRadioDataControl_Adaptor *)cls)->emitter_QRadioDataControl_objectNameChanged_4567 (arg1); +} + + // QRadioData::ProgramType QRadioDataControl::programType() static void _init_cbs_programType_c0_0 (qt_gsi::GenericMethod *decl) @@ -908,6 +897,24 @@ static void _set_callback_cbs_programType_c0_0 (void *cls, const gsi::Callback & } +// emitter void QRadioDataControl::programTypeChanged(QRadioData::ProgramType programType) + +static void _init_emitter_programTypeChanged_2652 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("programType"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_programTypeChanged_2652 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QRadioDataControl_Adaptor *)cls)->emitter_QRadioDataControl_programTypeChanged_2652 (arg1); +} + + // QString QRadioDataControl::programTypeName() static void _init_cbs_programTypeName_c0_0 (qt_gsi::GenericMethod *decl) @@ -927,6 +934,24 @@ static void _set_callback_cbs_programTypeName_c0_0 (void *cls, const gsi::Callba } +// emitter void QRadioDataControl::programTypeNameChanged(QString programTypeName) + +static void _init_emitter_programTypeNameChanged_1148 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("programTypeName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_programTypeNameChanged_1148 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QString arg1 = gsi::arg_reader() (args, heap); + ((QRadioDataControl_Adaptor *)cls)->emitter_QRadioDataControl_programTypeNameChanged_1148 (arg1); +} + + // QString QRadioDataControl::radioText() static void _init_cbs_radioText_c0_0 (qt_gsi::GenericMethod *decl) @@ -946,6 +971,24 @@ static void _set_callback_cbs_radioText_c0_0 (void *cls, const gsi::Callback &cb } +// emitter void QRadioDataControl::radioTextChanged(QString radioText) + +static void _init_emitter_radioTextChanged_1148 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("radioText"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_radioTextChanged_1148 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QString arg1 = gsi::arg_reader() (args, heap); + ((QRadioDataControl_Adaptor *)cls)->emitter_QRadioDataControl_radioTextChanged_1148 (arg1); +} + + // exposed int QRadioDataControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1035,6 +1078,24 @@ static void _set_callback_cbs_stationId_c0_0 (void *cls, const gsi::Callback &cb } +// emitter void QRadioDataControl::stationIdChanged(QString stationId) + +static void _init_emitter_stationIdChanged_1148 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("stationId"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stationIdChanged_1148 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QString arg1 = gsi::arg_reader() (args, heap); + ((QRadioDataControl_Adaptor *)cls)->emitter_QRadioDataControl_stationIdChanged_1148 (arg1); +} + + // QString QRadioDataControl::stationName() static void _init_cbs_stationName_c0_0 (qt_gsi::GenericMethod *decl) @@ -1054,6 +1115,24 @@ static void _set_callback_cbs_stationName_c0_0 (void *cls, const gsi::Callback & } +// emitter void QRadioDataControl::stationNameChanged(QString stationName) + +static void _init_emitter_stationNameChanged_1148 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("stationName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stationNameChanged_1148 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QString arg1 = gsi::arg_reader() (args, heap); + ((QRadioDataControl_Adaptor *)cls)->emitter_QRadioDataControl_stationNameChanged_1148 (arg1); +} + + // void QRadioDataControl::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -1085,14 +1164,17 @@ gsi::Class &qtdecl_QRadioDataControl (); static gsi::Methods methods_QRadioDataControl_Adaptor () { gsi::Methods methods; + methods += new qt_gsi::GenericMethod ("emit_alternativeFrequenciesEnabledChanged", "@brief Emitter for signal void QRadioDataControl::alternativeFrequenciesEnabledChanged(bool enabled)\nCall this method to emit this signal.", false, &_init_emitter_alternativeFrequenciesEnabledChanged_864, &_call_emitter_alternativeFrequenciesEnabledChanged_864); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRadioDataControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRadioDataControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QRadioDataControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QRadioDataControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("error", "@brief Virtual method QRadioData::Error QRadioDataControl::error()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_error_c0_0, &_call_cbs_error_c0_0); methods += new qt_gsi::GenericMethod ("error", "@hide", true, &_init_cbs_error_c0_0, &_call_cbs_error_c0_0, &_set_callback_cbs_error_c0_0); + methods += new qt_gsi::GenericMethod ("emit_error_sig", "@brief Emitter for signal void QRadioDataControl::error(QRadioData::Error err)\nCall this method to emit this signal.", false, &_init_emitter_error_2028, &_call_emitter_error_2028); methods += new qt_gsi::GenericMethod ("errorString", "@brief Virtual method QString QRadioDataControl::errorString()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_errorString_c0_0, &_call_cbs_errorString_c0_0); methods += new qt_gsi::GenericMethod ("errorString", "@hide", true, &_init_cbs_errorString_c0_0, &_call_cbs_errorString_c0_0, &_set_callback_cbs_errorString_c0_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QRadioDataControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -1102,12 +1184,16 @@ static gsi::Methods methods_QRadioDataControl_Adaptor () { methods += new qt_gsi::GenericMethod ("isAlternativeFrequenciesEnabled", "@brief Virtual method bool QRadioDataControl::isAlternativeFrequenciesEnabled()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isAlternativeFrequenciesEnabled_c0_0, &_call_cbs_isAlternativeFrequenciesEnabled_c0_0); methods += new qt_gsi::GenericMethod ("isAlternativeFrequenciesEnabled", "@hide", true, &_init_cbs_isAlternativeFrequenciesEnabled_c0_0, &_call_cbs_isAlternativeFrequenciesEnabled_c0_0, &_set_callback_cbs_isAlternativeFrequenciesEnabled_c0_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QRadioDataControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QRadioDataControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("programType", "@brief Virtual method QRadioData::ProgramType QRadioDataControl::programType()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_programType_c0_0, &_call_cbs_programType_c0_0); methods += new qt_gsi::GenericMethod ("programType", "@hide", true, &_init_cbs_programType_c0_0, &_call_cbs_programType_c0_0, &_set_callback_cbs_programType_c0_0); + methods += new qt_gsi::GenericMethod ("emit_programTypeChanged", "@brief Emitter for signal void QRadioDataControl::programTypeChanged(QRadioData::ProgramType programType)\nCall this method to emit this signal.", false, &_init_emitter_programTypeChanged_2652, &_call_emitter_programTypeChanged_2652); methods += new qt_gsi::GenericMethod ("programTypeName", "@brief Virtual method QString QRadioDataControl::programTypeName()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_programTypeName_c0_0, &_call_cbs_programTypeName_c0_0); methods += new qt_gsi::GenericMethod ("programTypeName", "@hide", true, &_init_cbs_programTypeName_c0_0, &_call_cbs_programTypeName_c0_0, &_set_callback_cbs_programTypeName_c0_0); + methods += new qt_gsi::GenericMethod ("emit_programTypeNameChanged", "@brief Emitter for signal void QRadioDataControl::programTypeNameChanged(QString programTypeName)\nCall this method to emit this signal.", false, &_init_emitter_programTypeNameChanged_1148, &_call_emitter_programTypeNameChanged_1148); methods += new qt_gsi::GenericMethod ("radioText", "@brief Virtual method QString QRadioDataControl::radioText()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_radioText_c0_0, &_call_cbs_radioText_c0_0); methods += new qt_gsi::GenericMethod ("radioText", "@hide", true, &_init_cbs_radioText_c0_0, &_call_cbs_radioText_c0_0, &_set_callback_cbs_radioText_c0_0); + methods += new qt_gsi::GenericMethod ("emit_radioTextChanged", "@brief Emitter for signal void QRadioDataControl::radioTextChanged(QString radioText)\nCall this method to emit this signal.", false, &_init_emitter_radioTextChanged_1148, &_call_emitter_radioTextChanged_1148); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QRadioDataControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QRadioDataControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QRadioDataControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); @@ -1115,8 +1201,10 @@ static gsi::Methods methods_QRadioDataControl_Adaptor () { methods += new qt_gsi::GenericMethod ("setAlternativeFrequenciesEnabled", "@hide", false, &_init_cbs_setAlternativeFrequenciesEnabled_864_0, &_call_cbs_setAlternativeFrequenciesEnabled_864_0, &_set_callback_cbs_setAlternativeFrequenciesEnabled_864_0); methods += new qt_gsi::GenericMethod ("stationId", "@brief Virtual method QString QRadioDataControl::stationId()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_stationId_c0_0, &_call_cbs_stationId_c0_0); methods += new qt_gsi::GenericMethod ("stationId", "@hide", true, &_init_cbs_stationId_c0_0, &_call_cbs_stationId_c0_0, &_set_callback_cbs_stationId_c0_0); + methods += new qt_gsi::GenericMethod ("emit_stationIdChanged", "@brief Emitter for signal void QRadioDataControl::stationIdChanged(QString stationId)\nCall this method to emit this signal.", false, &_init_emitter_stationIdChanged_1148, &_call_emitter_stationIdChanged_1148); methods += new qt_gsi::GenericMethod ("stationName", "@brief Virtual method QString QRadioDataControl::stationName()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_stationName_c0_0, &_call_cbs_stationName_c0_0); methods += new qt_gsi::GenericMethod ("stationName", "@hide", true, &_init_cbs_stationName_c0_0, &_call_cbs_stationName_c0_0, &_set_callback_cbs_stationName_c0_0); + methods += new qt_gsi::GenericMethod ("emit_stationNameChanged", "@brief Emitter for signal void QRadioDataControl::stationNameChanged(QString stationName)\nCall this method to emit this signal.", false, &_init_emitter_stationNameChanged_1148, &_call_emitter_stationNameChanged_1148); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRadioDataControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTuner.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTuner.cc index 76468c19df..ef61226577 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTuner.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTuner.cc @@ -56,26 +56,6 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// void QRadioTuner::antennaConnectedChanged(bool connectionStatus) - - -static void _init_f_antennaConnectedChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("connectionStatus"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_antennaConnectedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTuner *)cls)->antennaConnectedChanged (arg1); -} - - // QMultimedia::AvailabilityStatus QRadioTuner::availability() @@ -106,26 +86,6 @@ static void _call_f_band_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QRadioTuner::bandChanged(QRadioTuner::Band band) - - -static void _init_f_bandChanged_2027 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("band"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_bandChanged_2027 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTuner *)cls)->bandChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // void QRadioTuner::cancelSearch() @@ -157,26 +117,6 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QRadioTuner::error(QRadioTuner::Error error) - - -static void _init_f_error_2176 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("error"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_error_2176 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTuner *)cls)->error (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QString QRadioTuner::errorString() @@ -207,26 +147,6 @@ static void _call_f_frequency_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QRadioTuner::frequencyChanged(int frequency) - - -static void _init_f_frequencyChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("frequency"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_frequencyChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTuner *)cls)->frequencyChanged (arg1); -} - - // QPair QRadioTuner::frequencyRange(QRadioTuner::Band band) @@ -344,26 +264,6 @@ static void _call_f_isStereo_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QRadioTuner::mutedChanged(bool muted) - - -static void _init_f_mutedChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("muted"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_mutedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTuner *)cls)->mutedChanged (arg1); -} - - // QRadioData *QRadioTuner::radioData() @@ -431,26 +331,6 @@ static void _call_f_searchForward_0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QRadioTuner::searchingChanged(bool searching) - - -static void _init_f_searchingChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("searching"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_searchingChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTuner *)cls)->searchingChanged (arg1); -} - - // void QRadioTuner::setBand(QRadioTuner::Band band) @@ -566,26 +446,6 @@ static void _call_f_signalStrength_c0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QRadioTuner::signalStrengthChanged(int signalStrength) - - -static void _init_f_signalStrengthChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("signalStrength"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_signalStrengthChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTuner *)cls)->signalStrengthChanged (arg1); -} - - // void QRadioTuner::start() @@ -617,49 +477,6 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QRadioTuner::stateChanged(QRadioTuner::State state) - - -static void _init_f_stateChanged_2167 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("state"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_stateChanged_2167 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTuner *)cls)->stateChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - -// void QRadioTuner::stationFound(int frequency, QString stationId) - - -static void _init_f_stationFound_1807 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("frequency"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("stationId"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_stationFound_1807 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - QString arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTuner *)cls)->stationFound (arg1, arg2); -} - - // QRadioTuner::StereoMode QRadioTuner::stereoMode() @@ -675,26 +492,6 @@ static void _call_f_stereoMode_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QRadioTuner::stereoStatusChanged(bool stereo) - - -static void _init_f_stereoStatusChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("stereo"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_stereoStatusChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTuner *)cls)->stereoStatusChanged (arg1); -} - - // void QRadioTuner::stop() @@ -726,26 +523,6 @@ static void _call_f_volume_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QRadioTuner::volumeChanged(int volume) - - -static void _init_f_volumeChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("volume"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_volumeChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTuner *)cls)->volumeChanged (arg1); -} - - // static QString QRadioTuner::tr(const char *s, const char *c, int n) @@ -802,16 +579,12 @@ namespace gsi static gsi::Methods methods_QRadioTuner () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("antennaConnectedChanged", "@brief Method void QRadioTuner::antennaConnectedChanged(bool connectionStatus)\n", false, &_init_f_antennaConnectedChanged_864, &_call_f_antennaConnectedChanged_864); methods += new qt_gsi::GenericMethod ("availability", "@brief Method QMultimedia::AvailabilityStatus QRadioTuner::availability()\nThis is a reimplementation of QMediaObject::availability", true, &_init_f_availability_c0, &_call_f_availability_c0); methods += new qt_gsi::GenericMethod (":band", "@brief Method QRadioTuner::Band QRadioTuner::band()\n", true, &_init_f_band_c0, &_call_f_band_c0); - methods += new qt_gsi::GenericMethod ("bandChanged", "@brief Method void QRadioTuner::bandChanged(QRadioTuner::Band band)\n", false, &_init_f_bandChanged_2027, &_call_f_bandChanged_2027); methods += new qt_gsi::GenericMethod ("cancelSearch", "@brief Method void QRadioTuner::cancelSearch()\n", false, &_init_f_cancelSearch_0, &_call_f_cancelSearch_0); methods += new qt_gsi::GenericMethod ("error", "@brief Method QRadioTuner::Error QRadioTuner::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("error_sig", "@brief Method void QRadioTuner::error(QRadioTuner::Error error)\n", false, &_init_f_error_2176, &_call_f_error_2176); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QRadioTuner::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); methods += new qt_gsi::GenericMethod (":frequency", "@brief Method int QRadioTuner::frequency()\n", true, &_init_f_frequency_c0, &_call_f_frequency_c0); - methods += new qt_gsi::GenericMethod ("frequencyChanged", "@brief Method void QRadioTuner::frequencyChanged(int frequency)\n", false, &_init_f_frequencyChanged_767, &_call_f_frequencyChanged_767); methods += new qt_gsi::GenericMethod ("frequencyRange", "@brief Method QPair QRadioTuner::frequencyRange(QRadioTuner::Band band)\n", true, &_init_f_frequencyRange_c2027, &_call_f_frequencyRange_c2027); methods += new qt_gsi::GenericMethod ("frequencyStep", "@brief Method int QRadioTuner::frequencyStep(QRadioTuner::Band band)\n", true, &_init_f_frequencyStep_c2027, &_call_f_frequencyStep_c2027); methods += new qt_gsi::GenericMethod ("isAntennaConnected?|:antennaConnected", "@brief Method bool QRadioTuner::isAntennaConnected()\n", true, &_init_f_isAntennaConnected_c0, &_call_f_isAntennaConnected_c0); @@ -819,28 +592,40 @@ static gsi::Methods methods_QRadioTuner () { methods += new qt_gsi::GenericMethod ("isMuted?|:muted", "@brief Method bool QRadioTuner::isMuted()\n", true, &_init_f_isMuted_c0, &_call_f_isMuted_c0); methods += new qt_gsi::GenericMethod ("isSearching?|:searching", "@brief Method bool QRadioTuner::isSearching()\n", true, &_init_f_isSearching_c0, &_call_f_isSearching_c0); methods += new qt_gsi::GenericMethod ("isStereo?|:stereo", "@brief Method bool QRadioTuner::isStereo()\n", true, &_init_f_isStereo_c0, &_call_f_isStereo_c0); - methods += new qt_gsi::GenericMethod ("mutedChanged", "@brief Method void QRadioTuner::mutedChanged(bool muted)\n", false, &_init_f_mutedChanged_864, &_call_f_mutedChanged_864); methods += new qt_gsi::GenericMethod (":radioData", "@brief Method QRadioData *QRadioTuner::radioData()\n", true, &_init_f_radioData_c0, &_call_f_radioData_c0); methods += new qt_gsi::GenericMethod ("searchAllStations", "@brief Method void QRadioTuner::searchAllStations(QRadioTuner::SearchMode searchMode)\n", false, &_init_f_searchAllStations_2641, &_call_f_searchAllStations_2641); methods += new qt_gsi::GenericMethod ("searchBackward", "@brief Method void QRadioTuner::searchBackward()\n", false, &_init_f_searchBackward_0, &_call_f_searchBackward_0); methods += new qt_gsi::GenericMethod ("searchForward", "@brief Method void QRadioTuner::searchForward()\n", false, &_init_f_searchForward_0, &_call_f_searchForward_0); - methods += new qt_gsi::GenericMethod ("searchingChanged", "@brief Method void QRadioTuner::searchingChanged(bool searching)\n", false, &_init_f_searchingChanged_864, &_call_f_searchingChanged_864); methods += new qt_gsi::GenericMethod ("setBand|band=", "@brief Method void QRadioTuner::setBand(QRadioTuner::Band band)\n", false, &_init_f_setBand_2027, &_call_f_setBand_2027); methods += new qt_gsi::GenericMethod ("setFrequency|frequency=", "@brief Method void QRadioTuner::setFrequency(int frequency)\n", false, &_init_f_setFrequency_767, &_call_f_setFrequency_767); methods += new qt_gsi::GenericMethod ("setMuted|muted=", "@brief Method void QRadioTuner::setMuted(bool muted)\n", false, &_init_f_setMuted_864, &_call_f_setMuted_864); methods += new qt_gsi::GenericMethod ("setStereoMode|stereoMode=", "@brief Method void QRadioTuner::setStereoMode(QRadioTuner::StereoMode mode)\n", false, &_init_f_setStereoMode_2669, &_call_f_setStereoMode_2669); methods += new qt_gsi::GenericMethod ("setVolume|volume=", "@brief Method void QRadioTuner::setVolume(int volume)\n", false, &_init_f_setVolume_767, &_call_f_setVolume_767); methods += new qt_gsi::GenericMethod (":signalStrength", "@brief Method int QRadioTuner::signalStrength()\n", true, &_init_f_signalStrength_c0, &_call_f_signalStrength_c0); - methods += new qt_gsi::GenericMethod ("signalStrengthChanged", "@brief Method void QRadioTuner::signalStrengthChanged(int signalStrength)\n", false, &_init_f_signalStrengthChanged_767, &_call_f_signalStrengthChanged_767); methods += new qt_gsi::GenericMethod ("start", "@brief Method void QRadioTuner::start()\n", false, &_init_f_start_0, &_call_f_start_0); methods += new qt_gsi::GenericMethod (":state", "@brief Method QRadioTuner::State QRadioTuner::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QRadioTuner::stateChanged(QRadioTuner::State state)\n", false, &_init_f_stateChanged_2167, &_call_f_stateChanged_2167); - methods += new qt_gsi::GenericMethod ("stationFound", "@brief Method void QRadioTuner::stationFound(int frequency, QString stationId)\n", false, &_init_f_stationFound_1807, &_call_f_stationFound_1807); methods += new qt_gsi::GenericMethod (":stereoMode", "@brief Method QRadioTuner::StereoMode QRadioTuner::stereoMode()\n", true, &_init_f_stereoMode_c0, &_call_f_stereoMode_c0); - methods += new qt_gsi::GenericMethod ("stereoStatusChanged", "@brief Method void QRadioTuner::stereoStatusChanged(bool stereo)\n", false, &_init_f_stereoStatusChanged_864, &_call_f_stereoStatusChanged_864); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QRadioTuner::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); methods += new qt_gsi::GenericMethod (":volume", "@brief Method int QRadioTuner::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); - methods += new qt_gsi::GenericMethod ("volumeChanged", "@brief Method void QRadioTuner::volumeChanged(int volume)\n", false, &_init_f_volumeChanged_767, &_call_f_volumeChanged_767); + methods += gsi::qt_signal ("antennaConnectedChanged(bool)", "antennaConnectedChanged", gsi::arg("connectionStatus"), "@brief Signal declaration for QRadioTuner::antennaConnectedChanged(bool connectionStatus)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("availabilityChanged(bool)", "availabilityChanged_bool", gsi::arg("available"), "@brief Signal declaration for QRadioTuner::availabilityChanged(bool available)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("availabilityChanged(QMultimedia::AvailabilityStatus)", "availabilityChanged_status", gsi::arg("availability"), "@brief Signal declaration for QRadioTuner::availabilityChanged(QMultimedia::AvailabilityStatus availability)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("bandChanged(QRadioTuner::Band)", "bandChanged", gsi::arg("band"), "@brief Signal declaration for QRadioTuner::bandChanged(QRadioTuner::Band band)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QRadioTuner::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("error(QRadioTuner::Error)", "error_sig", gsi::arg("error"), "@brief Signal declaration for QRadioTuner::error(QRadioTuner::Error error)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("frequencyChanged(int)", "frequencyChanged", gsi::arg("frequency"), "@brief Signal declaration for QRadioTuner::frequencyChanged(int frequency)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataAvailableChanged(bool)", "metaDataAvailableChanged", gsi::arg("available"), "@brief Signal declaration for QRadioTuner::metaDataAvailableChanged(bool available)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged()", "metaDataChanged", "@brief Signal declaration for QRadioTuner::metaDataChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged(const QString &, const QVariant &)", "metaDataChanged_kv", gsi::arg("key"), gsi::arg("value"), "@brief Signal declaration for QRadioTuner::metaDataChanged(const QString &key, const QVariant &value)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mutedChanged(bool)", "mutedChanged", gsi::arg("muted"), "@brief Signal declaration for QRadioTuner::mutedChanged(bool muted)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("notifyIntervalChanged(int)", "notifyIntervalChanged", gsi::arg("milliSeconds"), "@brief Signal declaration for QRadioTuner::notifyIntervalChanged(int milliSeconds)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QRadioTuner::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("searchingChanged(bool)", "searchingChanged", gsi::arg("searching"), "@brief Signal declaration for QRadioTuner::searchingChanged(bool searching)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("signalStrengthChanged(int)", "signalStrengthChanged", gsi::arg("signalStrength"), "@brief Signal declaration for QRadioTuner::signalStrengthChanged(int signalStrength)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("stateChanged(QRadioTuner::State)", "stateChanged", gsi::arg("state"), "@brief Signal declaration for QRadioTuner::stateChanged(QRadioTuner::State state)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("stationFound(int, QString)", "stationFound", gsi::arg("frequency"), gsi::arg("stationId"), "@brief Signal declaration for QRadioTuner::stationFound(int frequency, QString stationId)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("stereoStatusChanged(bool)", "stereoStatusChanged", gsi::arg("stereo"), "@brief Signal declaration for QRadioTuner::stereoStatusChanged(bool stereo)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("volumeChanged(int)", "volumeChanged", gsi::arg("volume"), "@brief Signal declaration for QRadioTuner::volumeChanged(int volume)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QRadioTuner::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QRadioTuner::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -905,6 +690,12 @@ class QRadioTuner_Adaptor : public QRadioTuner, public qt_gsi::QtObjectBase return QRadioTuner::senderSignalIndex(); } + // [emitter impl] void QRadioTuner::antennaConnectedChanged(bool connectionStatus) + void emitter_QRadioTuner_antennaConnectedChanged_864(bool connectionStatus) + { + emit QRadioTuner::antennaConnectedChanged(connectionStatus); + } + // [adaptor impl] QMultimedia::AvailabilityStatus QRadioTuner::availability() qt_gsi::Converter::target_type cbs_availability_c0_0() const { @@ -920,6 +711,24 @@ class QRadioTuner_Adaptor : public QRadioTuner, public qt_gsi::QtObjectBase } } + // [emitter impl] void QRadioTuner::availabilityChanged(bool available) + void emitter_QRadioTuner_availabilityChanged_864(bool available) + { + emit QRadioTuner::availabilityChanged(available); + } + + // [emitter impl] void QRadioTuner::availabilityChanged(QMultimedia::AvailabilityStatus availability) + void emitter_QRadioTuner_availabilityChanged_3555(QMultimedia::AvailabilityStatus availability) + { + emit QRadioTuner::availabilityChanged(availability); + } + + // [emitter impl] void QRadioTuner::bandChanged(QRadioTuner::Band band) + void emitter_QRadioTuner_bandChanged_2027(QRadioTuner::Band band) + { + emit QRadioTuner::bandChanged(band); + } + // [adaptor impl] bool QRadioTuner::bind(QObject *) bool cbs_bind_1302_0(QObject *arg1) { @@ -935,6 +744,18 @@ class QRadioTuner_Adaptor : public QRadioTuner, public qt_gsi::QtObjectBase } } + // [emitter impl] void QRadioTuner::destroyed(QObject *) + void emitter_QRadioTuner_destroyed_1302(QObject *arg1) + { + emit QRadioTuner::destroyed(arg1); + } + + // [emitter impl] void QRadioTuner::error(QRadioTuner::Error error) + void emitter_QRadioTuner_error_2176(QRadioTuner::Error _error) + { + emit QRadioTuner::error(_error); + } + // [adaptor impl] bool QRadioTuner::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -965,6 +786,12 @@ class QRadioTuner_Adaptor : public QRadioTuner, public qt_gsi::QtObjectBase } } + // [emitter impl] void QRadioTuner::frequencyChanged(int frequency) + void emitter_QRadioTuner_frequencyChanged_767(int frequency) + { + emit QRadioTuner::frequencyChanged(frequency); + } + // [adaptor impl] bool QRadioTuner::isAvailable() bool cbs_isAvailable_c0_0() const { @@ -980,6 +807,49 @@ class QRadioTuner_Adaptor : public QRadioTuner, public qt_gsi::QtObjectBase } } + // [emitter impl] void QRadioTuner::metaDataAvailableChanged(bool available) + void emitter_QRadioTuner_metaDataAvailableChanged_864(bool available) + { + emit QRadioTuner::metaDataAvailableChanged(available); + } + + // [emitter impl] void QRadioTuner::metaDataChanged() + void emitter_QRadioTuner_metaDataChanged_0() + { + emit QRadioTuner::metaDataChanged(); + } + + // [emitter impl] void QRadioTuner::metaDataChanged(const QString &key, const QVariant &value) + void emitter_QRadioTuner_metaDataChanged_4036(const QString &key, const QVariant &value) + { + emit QRadioTuner::metaDataChanged(key, value); + } + + // [emitter impl] void QRadioTuner::mutedChanged(bool muted) + void emitter_QRadioTuner_mutedChanged_864(bool muted) + { + emit QRadioTuner::mutedChanged(muted); + } + + // [emitter impl] void QRadioTuner::notifyIntervalChanged(int milliSeconds) + void emitter_QRadioTuner_notifyIntervalChanged_767(int milliSeconds) + { + emit QRadioTuner::notifyIntervalChanged(milliSeconds); + } + + // [emitter impl] void QRadioTuner::objectNameChanged(const QString &objectName) + void emitter_QRadioTuner_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QRadioTuner::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QRadioTuner::searchingChanged(bool searching) + void emitter_QRadioTuner_searchingChanged_864(bool searching) + { + emit QRadioTuner::searchingChanged(searching); + } + // [adaptor impl] QMediaService *QRadioTuner::service() QMediaService * cbs_service_c0_0() const { @@ -995,6 +865,30 @@ class QRadioTuner_Adaptor : public QRadioTuner, public qt_gsi::QtObjectBase } } + // [emitter impl] void QRadioTuner::signalStrengthChanged(int signalStrength) + void emitter_QRadioTuner_signalStrengthChanged_767(int signalStrength) + { + emit QRadioTuner::signalStrengthChanged(signalStrength); + } + + // [emitter impl] void QRadioTuner::stateChanged(QRadioTuner::State state) + void emitter_QRadioTuner_stateChanged_2167(QRadioTuner::State state) + { + emit QRadioTuner::stateChanged(state); + } + + // [emitter impl] void QRadioTuner::stationFound(int frequency, QString stationId) + void emitter_QRadioTuner_stationFound_1807(int frequency, QString stationId) + { + emit QRadioTuner::stationFound(frequency, stationId); + } + + // [emitter impl] void QRadioTuner::stereoStatusChanged(bool stereo) + void emitter_QRadioTuner_stereoStatusChanged_864(bool stereo) + { + emit QRadioTuner::stereoStatusChanged(stereo); + } + // [adaptor impl] void QRadioTuner::unbind(QObject *) void cbs_unbind_1302_0(QObject *arg1) { @@ -1010,6 +904,12 @@ class QRadioTuner_Adaptor : public QRadioTuner, public qt_gsi::QtObjectBase } } + // [emitter impl] void QRadioTuner::volumeChanged(int volume) + void emitter_QRadioTuner_volumeChanged_767(int volume) + { + emit QRadioTuner::volumeChanged(volume); + } + // [adaptor impl] void QRadioTuner::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -1122,6 +1022,24 @@ static void _call_fp_addPropertyWatch_2309 (const qt_gsi::GenericMethod * /*decl } +// emitter void QRadioTuner::antennaConnectedChanged(bool connectionStatus) + +static void _init_emitter_antennaConnectedChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("connectionStatus"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_antennaConnectedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QRadioTuner_Adaptor *)cls)->emitter_QRadioTuner_antennaConnectedChanged_864 (arg1); +} + + // QMultimedia::AvailabilityStatus QRadioTuner::availability() static void _init_cbs_availability_c0_0 (qt_gsi::GenericMethod *decl) @@ -1141,6 +1059,60 @@ static void _set_callback_cbs_availability_c0_0 (void *cls, const gsi::Callback } +// emitter void QRadioTuner::availabilityChanged(bool available) + +static void _init_emitter_availabilityChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("available"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_availabilityChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QRadioTuner_Adaptor *)cls)->emitter_QRadioTuner_availabilityChanged_864 (arg1); +} + + +// emitter void QRadioTuner::availabilityChanged(QMultimedia::AvailabilityStatus availability) + +static void _init_emitter_availabilityChanged_3555 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("availability"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_availabilityChanged_3555 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QRadioTuner_Adaptor *)cls)->emitter_QRadioTuner_availabilityChanged_3555 (arg1); +} + + +// emitter void QRadioTuner::bandChanged(QRadioTuner::Band band) + +static void _init_emitter_bandChanged_2027 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("band"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_bandChanged_2027 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QRadioTuner_Adaptor *)cls)->emitter_QRadioTuner_bandChanged_2027 (arg1); +} + + // bool QRadioTuner::bind(QObject *) static void _init_cbs_bind_1302_0 (qt_gsi::GenericMethod *decl) @@ -1212,6 +1184,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QRadioTuner::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QRadioTuner_Adaptor *)cls)->emitter_QRadioTuner_destroyed_1302 (arg1); +} + + // void QRadioTuner::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1236,6 +1226,24 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } +// emitter void QRadioTuner::error(QRadioTuner::Error error) + +static void _init_emitter_error_2176 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("error"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_error_2176 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QRadioTuner_Adaptor *)cls)->emitter_QRadioTuner_error_2176 (arg1); +} + + // bool QRadioTuner::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -1285,6 +1293,24 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } +// emitter void QRadioTuner::frequencyChanged(int frequency) + +static void _init_emitter_frequencyChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("frequency"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_frequencyChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QRadioTuner_Adaptor *)cls)->emitter_QRadioTuner_frequencyChanged_767 (arg1); +} + + // bool QRadioTuner::isAvailable() static void _init_cbs_isAvailable_c0_0 (qt_gsi::GenericMethod *decl) @@ -1322,6 +1348,113 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QRadioTuner::metaDataAvailableChanged(bool available) + +static void _init_emitter_metaDataAvailableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("available"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_metaDataAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QRadioTuner_Adaptor *)cls)->emitter_QRadioTuner_metaDataAvailableChanged_864 (arg1); +} + + +// emitter void QRadioTuner::metaDataChanged() + +static void _init_emitter_metaDataChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QRadioTuner_Adaptor *)cls)->emitter_QRadioTuner_metaDataChanged_0 (); +} + + +// emitter void QRadioTuner::metaDataChanged(const QString &key, const QVariant &value) + +static void _init_emitter_metaDataChanged_4036 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("key"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("value"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_4036 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + const QVariant &arg2 = gsi::arg_reader() (args, heap); + ((QRadioTuner_Adaptor *)cls)->emitter_QRadioTuner_metaDataChanged_4036 (arg1, arg2); +} + + +// emitter void QRadioTuner::mutedChanged(bool muted) + +static void _init_emitter_mutedChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("muted"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_mutedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QRadioTuner_Adaptor *)cls)->emitter_QRadioTuner_mutedChanged_864 (arg1); +} + + +// emitter void QRadioTuner::notifyIntervalChanged(int milliSeconds) + +static void _init_emitter_notifyIntervalChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("milliSeconds"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_notifyIntervalChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QRadioTuner_Adaptor *)cls)->emitter_QRadioTuner_notifyIntervalChanged_767 (arg1); +} + + +// emitter void QRadioTuner::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QRadioTuner_Adaptor *)cls)->emitter_QRadioTuner_objectNameChanged_4567 (arg1); +} + + // exposed int QRadioTuner::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1359,6 +1492,24 @@ static void _call_fp_removePropertyWatch_2309 (const qt_gsi::GenericMethod * /*d } +// emitter void QRadioTuner::searchingChanged(bool searching) + +static void _init_emitter_searchingChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("searching"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_searchingChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QRadioTuner_Adaptor *)cls)->emitter_QRadioTuner_searchingChanged_864 (arg1); +} + + // exposed QObject *QRadioTuner::sender() static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) @@ -1406,6 +1557,81 @@ static void _set_callback_cbs_service_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QRadioTuner::signalStrengthChanged(int signalStrength) + +static void _init_emitter_signalStrengthChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("signalStrength"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_signalStrengthChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QRadioTuner_Adaptor *)cls)->emitter_QRadioTuner_signalStrengthChanged_767 (arg1); +} + + +// emitter void QRadioTuner::stateChanged(QRadioTuner::State state) + +static void _init_emitter_stateChanged_2167 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("state"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stateChanged_2167 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QRadioTuner_Adaptor *)cls)->emitter_QRadioTuner_stateChanged_2167 (arg1); +} + + +// emitter void QRadioTuner::stationFound(int frequency, QString stationId) + +static void _init_emitter_stationFound_1807 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("frequency"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("stationId"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_stationFound_1807 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + QString arg2 = gsi::arg_reader() (args, heap); + ((QRadioTuner_Adaptor *)cls)->emitter_QRadioTuner_stationFound_1807 (arg1, arg2); +} + + +// emitter void QRadioTuner::stereoStatusChanged(bool stereo) + +static void _init_emitter_stereoStatusChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("stereo"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stereoStatusChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QRadioTuner_Adaptor *)cls)->emitter_QRadioTuner_stereoStatusChanged_864 (arg1); +} + + // void QRadioTuner::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -1454,6 +1680,24 @@ static void _set_callback_cbs_unbind_1302_0 (void *cls, const gsi::Callback &cb) } +// emitter void QRadioTuner::volumeChanged(int volume) + +static void _init_emitter_volumeChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("volume"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_volumeChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QRadioTuner_Adaptor *)cls)->emitter_QRadioTuner_volumeChanged_767 (arg1); +} + + namespace gsi { @@ -1463,33 +1707,52 @@ static gsi::Methods methods_QRadioTuner_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRadioTuner::QRadioTuner(QObject *parent)\nThis method creates an object of class QRadioTuner.", &_init_ctor_QRadioTuner_Adaptor_1302, &_call_ctor_QRadioTuner_Adaptor_1302); methods += new qt_gsi::GenericMethod ("*addPropertyWatch", "@brief Method void QRadioTuner::addPropertyWatch(const QByteArray &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_addPropertyWatch_2309, &_call_fp_addPropertyWatch_2309); + methods += new qt_gsi::GenericMethod ("emit_antennaConnectedChanged", "@brief Emitter for signal void QRadioTuner::antennaConnectedChanged(bool connectionStatus)\nCall this method to emit this signal.", false, &_init_emitter_antennaConnectedChanged_864, &_call_emitter_antennaConnectedChanged_864); methods += new qt_gsi::GenericMethod ("availability", "@brief Virtual method QMultimedia::AvailabilityStatus QRadioTuner::availability()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0); methods += new qt_gsi::GenericMethod ("availability", "@hide", true, &_init_cbs_availability_c0_0, &_call_cbs_availability_c0_0, &_set_callback_cbs_availability_c0_0); + methods += new qt_gsi::GenericMethod ("emit_availabilityChanged_bool", "@brief Emitter for signal void QRadioTuner::availabilityChanged(bool available)\nCall this method to emit this signal.", false, &_init_emitter_availabilityChanged_864, &_call_emitter_availabilityChanged_864); + methods += new qt_gsi::GenericMethod ("emit_availabilityChanged_status", "@brief Emitter for signal void QRadioTuner::availabilityChanged(QMultimedia::AvailabilityStatus availability)\nCall this method to emit this signal.", false, &_init_emitter_availabilityChanged_3555, &_call_emitter_availabilityChanged_3555); + methods += new qt_gsi::GenericMethod ("emit_bandChanged", "@brief Emitter for signal void QRadioTuner::bandChanged(QRadioTuner::Band band)\nCall this method to emit this signal.", false, &_init_emitter_bandChanged_2027, &_call_emitter_bandChanged_2027); methods += new qt_gsi::GenericMethod ("bind", "@brief Virtual method bool QRadioTuner::bind(QObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_bind_1302_0, &_call_cbs_bind_1302_0); methods += new qt_gsi::GenericMethod ("bind", "@hide", false, &_init_cbs_bind_1302_0, &_call_cbs_bind_1302_0, &_set_callback_cbs_bind_1302_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRadioTuner::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRadioTuner::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QRadioTuner::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QRadioTuner::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("emit_error_sig", "@brief Emitter for signal void QRadioTuner::error(QRadioTuner::Error error)\nCall this method to emit this signal.", false, &_init_emitter_error_2176, &_call_emitter_error_2176); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QRadioTuner::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QRadioTuner::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("emit_frequencyChanged", "@brief Emitter for signal void QRadioTuner::frequencyChanged(int frequency)\nCall this method to emit this signal.", false, &_init_emitter_frequencyChanged_767, &_call_emitter_frequencyChanged_767); methods += new qt_gsi::GenericMethod ("isAvailable", "@brief Virtual method bool QRadioTuner::isAvailable()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isAvailable_c0_0, &_call_cbs_isAvailable_c0_0); methods += new qt_gsi::GenericMethod ("isAvailable", "@hide", true, &_init_cbs_isAvailable_c0_0, &_call_cbs_isAvailable_c0_0, &_set_callback_cbs_isAvailable_c0_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QRadioTuner::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_metaDataAvailableChanged", "@brief Emitter for signal void QRadioTuner::metaDataAvailableChanged(bool available)\nCall this method to emit this signal.", false, &_init_emitter_metaDataAvailableChanged_864, &_call_emitter_metaDataAvailableChanged_864); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged", "@brief Emitter for signal void QRadioTuner::metaDataChanged()\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_0, &_call_emitter_metaDataChanged_0); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged_kv", "@brief Emitter for signal void QRadioTuner::metaDataChanged(const QString &key, const QVariant &value)\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_4036, &_call_emitter_metaDataChanged_4036); + methods += new qt_gsi::GenericMethod ("emit_mutedChanged", "@brief Emitter for signal void QRadioTuner::mutedChanged(bool muted)\nCall this method to emit this signal.", false, &_init_emitter_mutedChanged_864, &_call_emitter_mutedChanged_864); + methods += new qt_gsi::GenericMethod ("emit_notifyIntervalChanged", "@brief Emitter for signal void QRadioTuner::notifyIntervalChanged(int milliSeconds)\nCall this method to emit this signal.", false, &_init_emitter_notifyIntervalChanged_767, &_call_emitter_notifyIntervalChanged_767); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QRadioTuner::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QRadioTuner::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*removePropertyWatch", "@brief Method void QRadioTuner::removePropertyWatch(const QByteArray &name)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_removePropertyWatch_2309, &_call_fp_removePropertyWatch_2309); + methods += new qt_gsi::GenericMethod ("emit_searchingChanged", "@brief Emitter for signal void QRadioTuner::searchingChanged(bool searching)\nCall this method to emit this signal.", false, &_init_emitter_searchingChanged_864, &_call_emitter_searchingChanged_864); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QRadioTuner::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QRadioTuner::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("service", "@brief Virtual method QMediaService *QRadioTuner::service()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_service_c0_0, &_call_cbs_service_c0_0); methods += new qt_gsi::GenericMethod ("service", "@hide", true, &_init_cbs_service_c0_0, &_call_cbs_service_c0_0, &_set_callback_cbs_service_c0_0); + methods += new qt_gsi::GenericMethod ("emit_signalStrengthChanged", "@brief Emitter for signal void QRadioTuner::signalStrengthChanged(int signalStrength)\nCall this method to emit this signal.", false, &_init_emitter_signalStrengthChanged_767, &_call_emitter_signalStrengthChanged_767); + methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QRadioTuner::stateChanged(QRadioTuner::State state)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_2167, &_call_emitter_stateChanged_2167); + methods += new qt_gsi::GenericMethod ("emit_stationFound", "@brief Emitter for signal void QRadioTuner::stationFound(int frequency, QString stationId)\nCall this method to emit this signal.", false, &_init_emitter_stationFound_1807, &_call_emitter_stationFound_1807); + methods += new qt_gsi::GenericMethod ("emit_stereoStatusChanged", "@brief Emitter for signal void QRadioTuner::stereoStatusChanged(bool stereo)\nCall this method to emit this signal.", false, &_init_emitter_stereoStatusChanged_864, &_call_emitter_stereoStatusChanged_864); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRadioTuner::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("unbind", "@brief Virtual method void QRadioTuner::unbind(QObject *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_unbind_1302_0, &_call_cbs_unbind_1302_0); methods += new qt_gsi::GenericMethod ("unbind", "@hide", false, &_init_cbs_unbind_1302_0, &_call_cbs_unbind_1302_0, &_set_callback_cbs_unbind_1302_0); + methods += new qt_gsi::GenericMethod ("emit_volumeChanged", "@brief Emitter for signal void QRadioTuner::volumeChanged(int volume)\nCall this method to emit this signal.", false, &_init_emitter_volumeChanged_767, &_call_emitter_volumeChanged_767); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTunerControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTunerControl.cc index caca20b57f..63f55e980f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTunerControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTunerControl.cc @@ -54,26 +54,6 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// void QRadioTunerControl::antennaConnectedChanged(bool connectionStatus) - - -static void _init_f_antennaConnectedChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("connectionStatus"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_antennaConnectedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTunerControl *)cls)->antennaConnectedChanged (arg1); -} - - // QRadioTuner::Band QRadioTunerControl::band() @@ -89,26 +69,6 @@ static void _call_f_band_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QRadioTunerControl::bandChanged(QRadioTuner::Band band) - - -static void _init_f_bandChanged_2027 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("band"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_bandChanged_2027 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTunerControl *)cls)->bandChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // void QRadioTunerControl::cancelSearch() @@ -140,26 +100,6 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QRadioTunerControl::error(QRadioTuner::Error err) - - -static void _init_f_error_2176 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("err"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_error_2176 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTunerControl *)cls)->error (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QString QRadioTunerControl::errorString() @@ -190,26 +130,6 @@ static void _call_f_frequency_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QRadioTunerControl::frequencyChanged(int frequency) - - -static void _init_f_frequencyChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("frequency"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_frequencyChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTunerControl *)cls)->frequencyChanged (arg1); -} - - // QPair QRadioTunerControl::frequencyRange(QRadioTuner::Band b) @@ -327,26 +247,6 @@ static void _call_f_isStereo_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QRadioTunerControl::mutedChanged(bool muted) - - -static void _init_f_mutedChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("muted"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_mutedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTunerControl *)cls)->mutedChanged (arg1); -} - - // void QRadioTunerControl::searchAllStations(QRadioTuner::SearchMode searchMode) @@ -399,26 +299,6 @@ static void _call_f_searchForward_0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QRadioTunerControl::searchingChanged(bool searching) - - -static void _init_f_searchingChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("searching"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_searchingChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTunerControl *)cls)->searchingChanged (arg1); -} - - // void QRadioTunerControl::setBand(QRadioTuner::Band b) @@ -534,26 +414,6 @@ static void _call_f_signalStrength_c0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QRadioTunerControl::signalStrengthChanged(int signalStrength) - - -static void _init_f_signalStrengthChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("signalStrength"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_signalStrengthChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTunerControl *)cls)->signalStrengthChanged (arg1); -} - - // void QRadioTunerControl::start() @@ -585,49 +445,6 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QRadioTunerControl::stateChanged(QRadioTuner::State state) - - -static void _init_f_stateChanged_2167 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("state"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_stateChanged_2167 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTunerControl *)cls)->stateChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - -// void QRadioTunerControl::stationFound(int frequency, QString stationId) - - -static void _init_f_stationFound_1807 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("frequency"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("stationId"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_stationFound_1807 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - QString arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTunerControl *)cls)->stationFound (arg1, arg2); -} - - // QRadioTuner::StereoMode QRadioTunerControl::stereoMode() @@ -643,26 +460,6 @@ static void _call_f_stereoMode_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QRadioTunerControl::stereoStatusChanged(bool stereo) - - -static void _init_f_stereoStatusChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("stereo"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_stereoStatusChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTunerControl *)cls)->stereoStatusChanged (arg1); -} - - // void QRadioTunerControl::stop() @@ -694,26 +491,6 @@ static void _call_f_volume_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QRadioTunerControl::volumeChanged(int volume) - - -static void _init_f_volumeChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("volume"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_volumeChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QRadioTunerControl *)cls)->volumeChanged (arg1); -} - - // static QString QRadioTunerControl::tr(const char *s, const char *c, int n) @@ -770,15 +547,11 @@ namespace gsi static gsi::Methods methods_QRadioTunerControl () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("antennaConnectedChanged", "@brief Method void QRadioTunerControl::antennaConnectedChanged(bool connectionStatus)\n", false, &_init_f_antennaConnectedChanged_864, &_call_f_antennaConnectedChanged_864); methods += new qt_gsi::GenericMethod (":band", "@brief Method QRadioTuner::Band QRadioTunerControl::band()\n", true, &_init_f_band_c0, &_call_f_band_c0); - methods += new qt_gsi::GenericMethod ("bandChanged", "@brief Method void QRadioTunerControl::bandChanged(QRadioTuner::Band band)\n", false, &_init_f_bandChanged_2027, &_call_f_bandChanged_2027); methods += new qt_gsi::GenericMethod ("cancelSearch", "@brief Method void QRadioTunerControl::cancelSearch()\n", false, &_init_f_cancelSearch_0, &_call_f_cancelSearch_0); methods += new qt_gsi::GenericMethod ("error", "@brief Method QRadioTuner::Error QRadioTunerControl::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("error_sig", "@brief Method void QRadioTunerControl::error(QRadioTuner::Error err)\n", false, &_init_f_error_2176, &_call_f_error_2176); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QRadioTunerControl::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); methods += new qt_gsi::GenericMethod (":frequency", "@brief Method int QRadioTunerControl::frequency()\n", true, &_init_f_frequency_c0, &_call_f_frequency_c0); - methods += new qt_gsi::GenericMethod ("frequencyChanged", "@brief Method void QRadioTunerControl::frequencyChanged(int frequency)\n", false, &_init_f_frequencyChanged_767, &_call_f_frequencyChanged_767); methods += new qt_gsi::GenericMethod ("frequencyRange", "@brief Method QPair QRadioTunerControl::frequencyRange(QRadioTuner::Band b)\n", true, &_init_f_frequencyRange_c2027, &_call_f_frequencyRange_c2027); methods += new qt_gsi::GenericMethod ("frequencyStep", "@brief Method int QRadioTunerControl::frequencyStep(QRadioTuner::Band b)\n", true, &_init_f_frequencyStep_c2027, &_call_f_frequencyStep_c2027); methods += new qt_gsi::GenericMethod ("isAntennaConnected?", "@brief Method bool QRadioTunerControl::isAntennaConnected()\n", true, &_init_f_isAntennaConnected_c0, &_call_f_isAntennaConnected_c0); @@ -786,27 +559,33 @@ static gsi::Methods methods_QRadioTunerControl () { methods += new qt_gsi::GenericMethod ("isMuted?|:muted", "@brief Method bool QRadioTunerControl::isMuted()\n", true, &_init_f_isMuted_c0, &_call_f_isMuted_c0); methods += new qt_gsi::GenericMethod ("isSearching?", "@brief Method bool QRadioTunerControl::isSearching()\n", true, &_init_f_isSearching_c0, &_call_f_isSearching_c0); methods += new qt_gsi::GenericMethod ("isStereo?", "@brief Method bool QRadioTunerControl::isStereo()\n", true, &_init_f_isStereo_c0, &_call_f_isStereo_c0); - methods += new qt_gsi::GenericMethod ("mutedChanged", "@brief Method void QRadioTunerControl::mutedChanged(bool muted)\n", false, &_init_f_mutedChanged_864, &_call_f_mutedChanged_864); methods += new qt_gsi::GenericMethod ("searchAllStations", "@brief Method void QRadioTunerControl::searchAllStations(QRadioTuner::SearchMode searchMode)\n", false, &_init_f_searchAllStations_2641, &_call_f_searchAllStations_2641); methods += new qt_gsi::GenericMethod ("searchBackward", "@brief Method void QRadioTunerControl::searchBackward()\n", false, &_init_f_searchBackward_0, &_call_f_searchBackward_0); methods += new qt_gsi::GenericMethod ("searchForward", "@brief Method void QRadioTunerControl::searchForward()\n", false, &_init_f_searchForward_0, &_call_f_searchForward_0); - methods += new qt_gsi::GenericMethod ("searchingChanged", "@brief Method void QRadioTunerControl::searchingChanged(bool searching)\n", false, &_init_f_searchingChanged_864, &_call_f_searchingChanged_864); methods += new qt_gsi::GenericMethod ("setBand|band=", "@brief Method void QRadioTunerControl::setBand(QRadioTuner::Band b)\n", false, &_init_f_setBand_2027, &_call_f_setBand_2027); methods += new qt_gsi::GenericMethod ("setFrequency|frequency=", "@brief Method void QRadioTunerControl::setFrequency(int frequency)\n", false, &_init_f_setFrequency_767, &_call_f_setFrequency_767); methods += new qt_gsi::GenericMethod ("setMuted|muted=", "@brief Method void QRadioTunerControl::setMuted(bool muted)\n", false, &_init_f_setMuted_864, &_call_f_setMuted_864); methods += new qt_gsi::GenericMethod ("setStereoMode|stereoMode=", "@brief Method void QRadioTunerControl::setStereoMode(QRadioTuner::StereoMode mode)\n", false, &_init_f_setStereoMode_2669, &_call_f_setStereoMode_2669); methods += new qt_gsi::GenericMethod ("setVolume|volume=", "@brief Method void QRadioTunerControl::setVolume(int volume)\n", false, &_init_f_setVolume_767, &_call_f_setVolume_767); methods += new qt_gsi::GenericMethod ("signalStrength", "@brief Method int QRadioTunerControl::signalStrength()\n", true, &_init_f_signalStrength_c0, &_call_f_signalStrength_c0); - methods += new qt_gsi::GenericMethod ("signalStrengthChanged", "@brief Method void QRadioTunerControl::signalStrengthChanged(int signalStrength)\n", false, &_init_f_signalStrengthChanged_767, &_call_f_signalStrengthChanged_767); methods += new qt_gsi::GenericMethod ("start", "@brief Method void QRadioTunerControl::start()\n", false, &_init_f_start_0, &_call_f_start_0); methods += new qt_gsi::GenericMethod ("state", "@brief Method QRadioTuner::State QRadioTunerControl::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QRadioTunerControl::stateChanged(QRadioTuner::State state)\n", false, &_init_f_stateChanged_2167, &_call_f_stateChanged_2167); - methods += new qt_gsi::GenericMethod ("stationFound", "@brief Method void QRadioTunerControl::stationFound(int frequency, QString stationId)\n", false, &_init_f_stationFound_1807, &_call_f_stationFound_1807); methods += new qt_gsi::GenericMethod (":stereoMode", "@brief Method QRadioTuner::StereoMode QRadioTunerControl::stereoMode()\n", true, &_init_f_stereoMode_c0, &_call_f_stereoMode_c0); - methods += new qt_gsi::GenericMethod ("stereoStatusChanged", "@brief Method void QRadioTunerControl::stereoStatusChanged(bool stereo)\n", false, &_init_f_stereoStatusChanged_864, &_call_f_stereoStatusChanged_864); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QRadioTunerControl::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); methods += new qt_gsi::GenericMethod (":volume", "@brief Method int QRadioTunerControl::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); - methods += new qt_gsi::GenericMethod ("volumeChanged", "@brief Method void QRadioTunerControl::volumeChanged(int volume)\n", false, &_init_f_volumeChanged_767, &_call_f_volumeChanged_767); + methods += gsi::qt_signal ("antennaConnectedChanged(bool)", "antennaConnectedChanged", gsi::arg("connectionStatus"), "@brief Signal declaration for QRadioTunerControl::antennaConnectedChanged(bool connectionStatus)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("bandChanged(QRadioTuner::Band)", "bandChanged", gsi::arg("band"), "@brief Signal declaration for QRadioTunerControl::bandChanged(QRadioTuner::Band band)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QRadioTunerControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("error(QRadioTuner::Error)", "error_sig", gsi::arg("err"), "@brief Signal declaration for QRadioTunerControl::error(QRadioTuner::Error err)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("frequencyChanged(int)", "frequencyChanged", gsi::arg("frequency"), "@brief Signal declaration for QRadioTunerControl::frequencyChanged(int frequency)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mutedChanged(bool)", "mutedChanged", gsi::arg("muted"), "@brief Signal declaration for QRadioTunerControl::mutedChanged(bool muted)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QRadioTunerControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("searchingChanged(bool)", "searchingChanged", gsi::arg("searching"), "@brief Signal declaration for QRadioTunerControl::searchingChanged(bool searching)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("signalStrengthChanged(int)", "signalStrengthChanged", gsi::arg("signalStrength"), "@brief Signal declaration for QRadioTunerControl::signalStrengthChanged(int signalStrength)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("stateChanged(QRadioTuner::State)", "stateChanged", gsi::arg("state"), "@brief Signal declaration for QRadioTunerControl::stateChanged(QRadioTuner::State state)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("stationFound(int, QString)", "stationFound", gsi::arg("frequency"), gsi::arg("stationId"), "@brief Signal declaration for QRadioTunerControl::stationFound(int frequency, QString stationId)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("stereoStatusChanged(bool)", "stereoStatusChanged", gsi::arg("stereo"), "@brief Signal declaration for QRadioTunerControl::stereoStatusChanged(bool stereo)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("volumeChanged(int)", "volumeChanged", gsi::arg("volume"), "@brief Signal declaration for QRadioTunerControl::volumeChanged(int volume)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QRadioTunerControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QRadioTunerControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -849,6 +628,12 @@ class QRadioTunerControl_Adaptor : public QRadioTunerControl, public qt_gsi::QtO return QRadioTunerControl::senderSignalIndex(); } + // [emitter impl] void QRadioTunerControl::antennaConnectedChanged(bool connectionStatus) + void emitter_QRadioTunerControl_antennaConnectedChanged_864(bool connectionStatus) + { + emit QRadioTunerControl::antennaConnectedChanged(connectionStatus); + } + // [adaptor impl] QRadioTuner::Band QRadioTunerControl::band() qt_gsi::Converter::target_type cbs_band_c0_0() const { @@ -864,6 +649,12 @@ class QRadioTunerControl_Adaptor : public QRadioTunerControl, public qt_gsi::QtO } } + // [emitter impl] void QRadioTunerControl::bandChanged(QRadioTuner::Band band) + void emitter_QRadioTunerControl_bandChanged_2027(QRadioTuner::Band band) + { + emit QRadioTunerControl::bandChanged(band); + } + // [adaptor impl] void QRadioTunerControl::cancelSearch() void cbs_cancelSearch_0_0() { @@ -879,6 +670,12 @@ class QRadioTunerControl_Adaptor : public QRadioTunerControl, public qt_gsi::QtO } } + // [emitter impl] void QRadioTunerControl::destroyed(QObject *) + void emitter_QRadioTunerControl_destroyed_1302(QObject *arg1) + { + emit QRadioTunerControl::destroyed(arg1); + } + // [adaptor impl] QRadioTuner::Error QRadioTunerControl::error() qt_gsi::Converter::target_type cbs_error_c0_0() const { @@ -894,6 +691,12 @@ class QRadioTunerControl_Adaptor : public QRadioTunerControl, public qt_gsi::QtO } } + // [emitter impl] void QRadioTunerControl::error(QRadioTuner::Error err) + void emitter_QRadioTunerControl_error_2176(QRadioTuner::Error err) + { + emit QRadioTunerControl::error(err); + } + // [adaptor impl] QString QRadioTunerControl::errorString() QString cbs_errorString_c0_0() const { @@ -954,6 +757,12 @@ class QRadioTunerControl_Adaptor : public QRadioTunerControl, public qt_gsi::QtO } } + // [emitter impl] void QRadioTunerControl::frequencyChanged(int frequency) + void emitter_QRadioTunerControl_frequencyChanged_767(int frequency) + { + emit QRadioTunerControl::frequencyChanged(frequency); + } + // [adaptor impl] QPair QRadioTunerControl::frequencyRange(QRadioTuner::Band b) QPair cbs_frequencyRange_c2027_0(const qt_gsi::Converter::target_type & b) const { @@ -1062,6 +871,19 @@ class QRadioTunerControl_Adaptor : public QRadioTunerControl, public qt_gsi::QtO } } + // [emitter impl] void QRadioTunerControl::mutedChanged(bool muted) + void emitter_QRadioTunerControl_mutedChanged_864(bool muted) + { + emit QRadioTunerControl::mutedChanged(muted); + } + + // [emitter impl] void QRadioTunerControl::objectNameChanged(const QString &objectName) + void emitter_QRadioTunerControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QRadioTunerControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QRadioTunerControl::searchAllStations(QRadioTuner::SearchMode searchMode) void cbs_searchAllStations_2641_1(const qt_gsi::Converter::target_type & searchMode) { @@ -1108,6 +930,12 @@ class QRadioTunerControl_Adaptor : public QRadioTunerControl, public qt_gsi::QtO } } + // [emitter impl] void QRadioTunerControl::searchingChanged(bool searching) + void emitter_QRadioTunerControl_searchingChanged_864(bool searching) + { + emit QRadioTunerControl::searchingChanged(searching); + } + // [adaptor impl] void QRadioTunerControl::setBand(QRadioTuner::Band b) void cbs_setBand_2027_0(const qt_gsi::Converter::target_type & b) { @@ -1203,6 +1031,12 @@ class QRadioTunerControl_Adaptor : public QRadioTunerControl, public qt_gsi::QtO } } + // [emitter impl] void QRadioTunerControl::signalStrengthChanged(int signalStrength) + void emitter_QRadioTunerControl_signalStrengthChanged_767(int signalStrength) + { + emit QRadioTunerControl::signalStrengthChanged(signalStrength); + } + // [adaptor impl] void QRadioTunerControl::start() void cbs_start_0_0() { @@ -1233,6 +1067,18 @@ class QRadioTunerControl_Adaptor : public QRadioTunerControl, public qt_gsi::QtO } } + // [emitter impl] void QRadioTunerControl::stateChanged(QRadioTuner::State state) + void emitter_QRadioTunerControl_stateChanged_2167(QRadioTuner::State state) + { + emit QRadioTunerControl::stateChanged(state); + } + + // [emitter impl] void QRadioTunerControl::stationFound(int frequency, QString stationId) + void emitter_QRadioTunerControl_stationFound_1807(int frequency, QString stationId) + { + emit QRadioTunerControl::stationFound(frequency, stationId); + } + // [adaptor impl] QRadioTuner::StereoMode QRadioTunerControl::stereoMode() qt_gsi::Converter::target_type cbs_stereoMode_c0_0() const { @@ -1248,6 +1094,12 @@ class QRadioTunerControl_Adaptor : public QRadioTunerControl, public qt_gsi::QtO } } + // [emitter impl] void QRadioTunerControl::stereoStatusChanged(bool stereo) + void emitter_QRadioTunerControl_stereoStatusChanged_864(bool stereo) + { + emit QRadioTunerControl::stereoStatusChanged(stereo); + } + // [adaptor impl] void QRadioTunerControl::stop() void cbs_stop_0_0() { @@ -1278,6 +1130,12 @@ class QRadioTunerControl_Adaptor : public QRadioTunerControl, public qt_gsi::QtO } } + // [emitter impl] void QRadioTunerControl::volumeChanged(int volume) + void emitter_QRadioTunerControl_volumeChanged_767(int volume) + { + emit QRadioTunerControl::volumeChanged(volume); + } + // [adaptor impl] void QRadioTunerControl::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -1374,6 +1232,24 @@ class QRadioTunerControl_Adaptor : public QRadioTunerControl, public qt_gsi::QtO QRadioTunerControl_Adaptor::~QRadioTunerControl_Adaptor() { } +// emitter void QRadioTunerControl::antennaConnectedChanged(bool connectionStatus) + +static void _init_emitter_antennaConnectedChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("connectionStatus"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_antennaConnectedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QRadioTunerControl_Adaptor *)cls)->emitter_QRadioTunerControl_antennaConnectedChanged_864 (arg1); +} + + // QRadioTuner::Band QRadioTunerControl::band() static void _init_cbs_band_c0_0 (qt_gsi::GenericMethod *decl) @@ -1393,6 +1269,24 @@ static void _set_callback_cbs_band_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QRadioTunerControl::bandChanged(QRadioTuner::Band band) + +static void _init_emitter_bandChanged_2027 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("band"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_bandChanged_2027 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QRadioTunerControl_Adaptor *)cls)->emitter_QRadioTunerControl_bandChanged_2027 (arg1); +} + + // void QRadioTunerControl::cancelSearch() static void _init_cbs_cancelSearch_0_0 (qt_gsi::GenericMethod *decl) @@ -1461,6 +1355,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QRadioTunerControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QRadioTunerControl_Adaptor *)cls)->emitter_QRadioTunerControl_destroyed_1302 (arg1); +} + + // void QRadioTunerControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1504,6 +1416,24 @@ static void _set_callback_cbs_error_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QRadioTunerControl::error(QRadioTuner::Error err) + +static void _init_emitter_error_2176 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("err"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_error_2176 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QRadioTunerControl_Adaptor *)cls)->emitter_QRadioTunerControl_error_2176 (arg1); +} + + // QString QRadioTunerControl::errorString() static void _init_cbs_errorString_c0_0 (qt_gsi::GenericMethod *decl) @@ -1591,6 +1521,24 @@ static void _set_callback_cbs_frequency_c0_0 (void *cls, const gsi::Callback &cb } +// emitter void QRadioTunerControl::frequencyChanged(int frequency) + +static void _init_emitter_frequencyChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("frequency"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_frequencyChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QRadioTunerControl_Adaptor *)cls)->emitter_QRadioTunerControl_frequencyChanged_767 (arg1); +} + + // QPair QRadioTunerControl::frequencyRange(QRadioTuner::Band b) static void _init_cbs_frequencyRange_c2027_0 (qt_gsi::GenericMethod *decl) @@ -1754,6 +1702,42 @@ static void _set_callback_cbs_isStereo_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QRadioTunerControl::mutedChanged(bool muted) + +static void _init_emitter_mutedChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("muted"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_mutedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QRadioTunerControl_Adaptor *)cls)->emitter_QRadioTunerControl_mutedChanged_864 (arg1); +} + + +// emitter void QRadioTunerControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QRadioTunerControl_Adaptor *)cls)->emitter_QRadioTunerControl_objectNameChanged_4567 (arg1); +} + + // exposed int QRadioTunerControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1836,6 +1820,24 @@ static void _set_callback_cbs_searchForward_0_0 (void *cls, const gsi::Callback } +// emitter void QRadioTunerControl::searchingChanged(bool searching) + +static void _init_emitter_searchingChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("searching"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_searchingChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QRadioTunerControl_Adaptor *)cls)->emitter_QRadioTunerControl_searchingChanged_864 (arg1); +} + + // exposed QObject *QRadioTunerControl::sender() static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) @@ -2003,6 +2005,24 @@ static void _set_callback_cbs_signalStrength_c0_0 (void *cls, const gsi::Callbac } +// emitter void QRadioTunerControl::signalStrengthChanged(int signalStrength) + +static void _init_emitter_signalStrengthChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("signalStrength"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_signalStrengthChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QRadioTunerControl_Adaptor *)cls)->emitter_QRadioTunerControl_signalStrengthChanged_767 (arg1); +} + + // void QRadioTunerControl::start() static void _init_cbs_start_0_0 (qt_gsi::GenericMethod *decl) @@ -2042,6 +2062,45 @@ static void _set_callback_cbs_state_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QRadioTunerControl::stateChanged(QRadioTuner::State state) + +static void _init_emitter_stateChanged_2167 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("state"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stateChanged_2167 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QRadioTunerControl_Adaptor *)cls)->emitter_QRadioTunerControl_stateChanged_2167 (arg1); +} + + +// emitter void QRadioTunerControl::stationFound(int frequency, QString stationId) + +static void _init_emitter_stationFound_1807 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("frequency"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("stationId"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_stationFound_1807 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + QString arg2 = gsi::arg_reader() (args, heap); + ((QRadioTunerControl_Adaptor *)cls)->emitter_QRadioTunerControl_stationFound_1807 (arg1, arg2); +} + + // QRadioTuner::StereoMode QRadioTunerControl::stereoMode() static void _init_cbs_stereoMode_c0_0 (qt_gsi::GenericMethod *decl) @@ -2061,6 +2120,24 @@ static void _set_callback_cbs_stereoMode_c0_0 (void *cls, const gsi::Callback &c } +// emitter void QRadioTunerControl::stereoStatusChanged(bool stereo) + +static void _init_emitter_stereoStatusChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("stereo"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stereoStatusChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QRadioTunerControl_Adaptor *)cls)->emitter_QRadioTunerControl_stereoStatusChanged_864 (arg1); +} + + // void QRadioTunerControl::stop() static void _init_cbs_stop_0_0 (qt_gsi::GenericMethod *decl) @@ -2124,6 +2201,24 @@ static void _set_callback_cbs_volume_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QRadioTunerControl::volumeChanged(int volume) + +static void _init_emitter_volumeChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("volume"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_volumeChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QRadioTunerControl_Adaptor *)cls)->emitter_QRadioTunerControl_volumeChanged_767 (arg1); +} + + namespace gsi { @@ -2131,18 +2226,22 @@ gsi::Class &qtdecl_QRadioTunerControl (); static gsi::Methods methods_QRadioTunerControl_Adaptor () { gsi::Methods methods; + methods += new qt_gsi::GenericMethod ("emit_antennaConnectedChanged", "@brief Emitter for signal void QRadioTunerControl::antennaConnectedChanged(bool connectionStatus)\nCall this method to emit this signal.", false, &_init_emitter_antennaConnectedChanged_864, &_call_emitter_antennaConnectedChanged_864); methods += new qt_gsi::GenericMethod ("band", "@brief Virtual method QRadioTuner::Band QRadioTunerControl::band()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_band_c0_0, &_call_cbs_band_c0_0); methods += new qt_gsi::GenericMethod ("band", "@hide", true, &_init_cbs_band_c0_0, &_call_cbs_band_c0_0, &_set_callback_cbs_band_c0_0); + methods += new qt_gsi::GenericMethod ("emit_bandChanged", "@brief Emitter for signal void QRadioTunerControl::bandChanged(QRadioTuner::Band band)\nCall this method to emit this signal.", false, &_init_emitter_bandChanged_2027, &_call_emitter_bandChanged_2027); methods += new qt_gsi::GenericMethod ("cancelSearch", "@brief Virtual method void QRadioTunerControl::cancelSearch()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_cancelSearch_0_0, &_call_cbs_cancelSearch_0_0); methods += new qt_gsi::GenericMethod ("cancelSearch", "@hide", false, &_init_cbs_cancelSearch_0_0, &_call_cbs_cancelSearch_0_0, &_set_callback_cbs_cancelSearch_0_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QRadioTunerControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QRadioTunerControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QRadioTunerControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QRadioTunerControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("error", "@brief Virtual method QRadioTuner::Error QRadioTunerControl::error()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_error_c0_0, &_call_cbs_error_c0_0); methods += new qt_gsi::GenericMethod ("error", "@hide", true, &_init_cbs_error_c0_0, &_call_cbs_error_c0_0, &_set_callback_cbs_error_c0_0); + methods += new qt_gsi::GenericMethod ("emit_error_sig", "@brief Emitter for signal void QRadioTunerControl::error(QRadioTuner::Error err)\nCall this method to emit this signal.", false, &_init_emitter_error_2176, &_call_emitter_error_2176); methods += new qt_gsi::GenericMethod ("errorString", "@brief Virtual method QString QRadioTunerControl::errorString()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_errorString_c0_0, &_call_cbs_errorString_c0_0); methods += new qt_gsi::GenericMethod ("errorString", "@hide", true, &_init_cbs_errorString_c0_0, &_call_cbs_errorString_c0_0, &_set_callback_cbs_errorString_c0_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QRadioTunerControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -2151,6 +2250,7 @@ static gsi::Methods methods_QRadioTunerControl_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("frequency", "@brief Virtual method int QRadioTunerControl::frequency()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_frequency_c0_0, &_call_cbs_frequency_c0_0); methods += new qt_gsi::GenericMethod ("frequency", "@hide", true, &_init_cbs_frequency_c0_0, &_call_cbs_frequency_c0_0, &_set_callback_cbs_frequency_c0_0); + methods += new qt_gsi::GenericMethod ("emit_frequencyChanged", "@brief Emitter for signal void QRadioTunerControl::frequencyChanged(int frequency)\nCall this method to emit this signal.", false, &_init_emitter_frequencyChanged_767, &_call_emitter_frequencyChanged_767); methods += new qt_gsi::GenericMethod ("frequencyRange", "@brief Virtual method QPair QRadioTunerControl::frequencyRange(QRadioTuner::Band b)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_frequencyRange_c2027_0, &_call_cbs_frequencyRange_c2027_0); methods += new qt_gsi::GenericMethod ("frequencyRange", "@hide", true, &_init_cbs_frequencyRange_c2027_0, &_call_cbs_frequencyRange_c2027_0, &_set_callback_cbs_frequencyRange_c2027_0); methods += new qt_gsi::GenericMethod ("frequencyStep", "@brief Virtual method int QRadioTunerControl::frequencyStep(QRadioTuner::Band b)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_frequencyStep_c2027_0, &_call_cbs_frequencyStep_c2027_0); @@ -2166,6 +2266,8 @@ static gsi::Methods methods_QRadioTunerControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QRadioTunerControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("isStereo", "@brief Virtual method bool QRadioTunerControl::isStereo()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isStereo_c0_0, &_call_cbs_isStereo_c0_0); methods += new qt_gsi::GenericMethod ("isStereo", "@hide", true, &_init_cbs_isStereo_c0_0, &_call_cbs_isStereo_c0_0, &_set_callback_cbs_isStereo_c0_0); + methods += new qt_gsi::GenericMethod ("emit_mutedChanged", "@brief Emitter for signal void QRadioTunerControl::mutedChanged(bool muted)\nCall this method to emit this signal.", false, &_init_emitter_mutedChanged_864, &_call_emitter_mutedChanged_864); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QRadioTunerControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QRadioTunerControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("searchAllStations", "@brief Virtual method void QRadioTunerControl::searchAllStations(QRadioTuner::SearchMode searchMode)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_searchAllStations_2641_1, &_call_cbs_searchAllStations_2641_1); methods += new qt_gsi::GenericMethod ("searchAllStations", "@hide", false, &_init_cbs_searchAllStations_2641_1, &_call_cbs_searchAllStations_2641_1, &_set_callback_cbs_searchAllStations_2641_1); @@ -2173,6 +2275,7 @@ static gsi::Methods methods_QRadioTunerControl_Adaptor () { methods += new qt_gsi::GenericMethod ("searchBackward", "@hide", false, &_init_cbs_searchBackward_0_0, &_call_cbs_searchBackward_0_0, &_set_callback_cbs_searchBackward_0_0); methods += new qt_gsi::GenericMethod ("searchForward", "@brief Virtual method void QRadioTunerControl::searchForward()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_searchForward_0_0, &_call_cbs_searchForward_0_0); methods += new qt_gsi::GenericMethod ("searchForward", "@hide", false, &_init_cbs_searchForward_0_0, &_call_cbs_searchForward_0_0, &_set_callback_cbs_searchForward_0_0); + methods += new qt_gsi::GenericMethod ("emit_searchingChanged", "@brief Emitter for signal void QRadioTunerControl::searchingChanged(bool searching)\nCall this method to emit this signal.", false, &_init_emitter_searchingChanged_864, &_call_emitter_searchingChanged_864); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QRadioTunerControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QRadioTunerControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setBand", "@brief Virtual method void QRadioTunerControl::setBand(QRadioTuner::Band b)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setBand_2027_0, &_call_cbs_setBand_2027_0); @@ -2187,18 +2290,23 @@ static gsi::Methods methods_QRadioTunerControl_Adaptor () { methods += new qt_gsi::GenericMethod ("setVolume", "@hide", false, &_init_cbs_setVolume_767_0, &_call_cbs_setVolume_767_0, &_set_callback_cbs_setVolume_767_0); methods += new qt_gsi::GenericMethod ("signalStrength", "@brief Virtual method int QRadioTunerControl::signalStrength()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_signalStrength_c0_0, &_call_cbs_signalStrength_c0_0); methods += new qt_gsi::GenericMethod ("signalStrength", "@hide", true, &_init_cbs_signalStrength_c0_0, &_call_cbs_signalStrength_c0_0, &_set_callback_cbs_signalStrength_c0_0); + methods += new qt_gsi::GenericMethod ("emit_signalStrengthChanged", "@brief Emitter for signal void QRadioTunerControl::signalStrengthChanged(int signalStrength)\nCall this method to emit this signal.", false, &_init_emitter_signalStrengthChanged_767, &_call_emitter_signalStrengthChanged_767); methods += new qt_gsi::GenericMethod ("start", "@brief Virtual method void QRadioTunerControl::start()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_start_0_0, &_call_cbs_start_0_0); methods += new qt_gsi::GenericMethod ("start", "@hide", false, &_init_cbs_start_0_0, &_call_cbs_start_0_0, &_set_callback_cbs_start_0_0); methods += new qt_gsi::GenericMethod ("state", "@brief Virtual method QRadioTuner::State QRadioTunerControl::state()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_state_c0_0, &_call_cbs_state_c0_0); methods += new qt_gsi::GenericMethod ("state", "@hide", true, &_init_cbs_state_c0_0, &_call_cbs_state_c0_0, &_set_callback_cbs_state_c0_0); + methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QRadioTunerControl::stateChanged(QRadioTuner::State state)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_2167, &_call_emitter_stateChanged_2167); + methods += new qt_gsi::GenericMethod ("emit_stationFound", "@brief Emitter for signal void QRadioTunerControl::stationFound(int frequency, QString stationId)\nCall this method to emit this signal.", false, &_init_emitter_stationFound_1807, &_call_emitter_stationFound_1807); methods += new qt_gsi::GenericMethod ("stereoMode", "@brief Virtual method QRadioTuner::StereoMode QRadioTunerControl::stereoMode()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_stereoMode_c0_0, &_call_cbs_stereoMode_c0_0); methods += new qt_gsi::GenericMethod ("stereoMode", "@hide", true, &_init_cbs_stereoMode_c0_0, &_call_cbs_stereoMode_c0_0, &_set_callback_cbs_stereoMode_c0_0); + methods += new qt_gsi::GenericMethod ("emit_stereoStatusChanged", "@brief Emitter for signal void QRadioTunerControl::stereoStatusChanged(bool stereo)\nCall this method to emit this signal.", false, &_init_emitter_stereoStatusChanged_864, &_call_emitter_stereoStatusChanged_864); methods += new qt_gsi::GenericMethod ("stop", "@brief Virtual method void QRadioTunerControl::stop()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0); methods += new qt_gsi::GenericMethod ("stop", "@hide", false, &_init_cbs_stop_0_0, &_call_cbs_stop_0_0, &_set_callback_cbs_stop_0_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QRadioTunerControl::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("volume", "@brief Virtual method int QRadioTunerControl::volume()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_volume_c0_0, &_call_cbs_volume_c0_0); methods += new qt_gsi::GenericMethod ("volume", "@hide", true, &_init_cbs_volume_c0_0, &_call_cbs_volume_c0_0, &_set_callback_cbs_volume_c0_0); + methods += new qt_gsi::GenericMethod ("emit_volumeChanged", "@brief Emitter for signal void QRadioTunerControl::volumeChanged(int volume)\nCall this method to emit this signal.", false, &_init_emitter_volumeChanged_767, &_call_emitter_volumeChanged_767); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQSound.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQSound.cc index 42a1048c51..740f598c62 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQSound.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQSound.cc @@ -249,6 +249,8 @@ static gsi::Methods methods_QSound () { methods += new qt_gsi::GenericMethod ("play", "@brief Method void QSound::play()\n", false, &_init_f_play_0, &_call_f_play_0); methods += new qt_gsi::GenericMethod ("setLoops|loops=", "@brief Method void QSound::setLoops(int)\n", false, &_init_f_setLoops_767, &_call_f_setLoops_767); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QSound::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QSound::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QSound::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("play", "@brief Static method void QSound::play(const QString &filename)\nThis method is static and can be called without an instance.", &_init_f_play_2025, &_call_f_play_2025); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QSound::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QSound::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); @@ -304,6 +306,12 @@ class QSound_Adaptor : public QSound, public qt_gsi::QtObjectBase return QSound::senderSignalIndex(); } + // [emitter impl] void QSound::destroyed(QObject *) + void emitter_QSound_destroyed_1302(QObject *arg1) + { + emit QSound::destroyed(arg1); + } + // [adaptor impl] bool QSound::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -334,6 +342,13 @@ class QSound_Adaptor : public QSound, public qt_gsi::QtObjectBase } } + // [emitter impl] void QSound::objectNameChanged(const QString &objectName) + void emitter_QSound_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QSound::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QSound::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -473,6 +488,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QSound::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QSound_Adaptor *)cls)->emitter_QSound_destroyed_1302 (arg1); +} + + // void QSound::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -564,6 +597,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QSound::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QSound_Adaptor *)cls)->emitter_QSound_objectNameChanged_4567 (arg1); +} + + // exposed int QSound::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -646,6 +697,7 @@ static gsi::Methods methods_QSound_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSound::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSound::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSound::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSound::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -653,6 +705,7 @@ static gsi::Methods methods_QSound_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSound::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSound::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QSound::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QSound::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QSound::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QSound::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQSoundEffect.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQSoundEffect.cc index 10173587c3..3b40fa7b86 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQSoundEffect.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQSoundEffect.cc @@ -70,22 +70,6 @@ static void _call_f_category_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QSoundEffect::categoryChanged() - - -static void _init_f_categoryChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_categoryChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSoundEffect *)cls)->categoryChanged (); -} - - // bool QSoundEffect::isLoaded() @@ -131,22 +115,6 @@ static void _call_f_isPlaying_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QSoundEffect::loadedChanged() - - -static void _init_f_loadedChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_loadedChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSoundEffect *)cls)->loadedChanged (); -} - - // int QSoundEffect::loopCount() @@ -162,22 +130,6 @@ static void _call_f_loopCount_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QSoundEffect::loopCountChanged() - - -static void _init_f_loopCountChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_loopCountChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSoundEffect *)cls)->loopCountChanged (); -} - - // int QSoundEffect::loopsRemaining() @@ -193,38 +145,6 @@ static void _call_f_loopsRemaining_c0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QSoundEffect::loopsRemainingChanged() - - -static void _init_f_loopsRemainingChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_loopsRemainingChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSoundEffect *)cls)->loopsRemainingChanged (); -} - - -// void QSoundEffect::mutedChanged() - - -static void _init_f_mutedChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_mutedChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSoundEffect *)cls)->mutedChanged (); -} - - // void QSoundEffect::play() @@ -241,22 +161,6 @@ static void _call_f_play_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, g } -// void QSoundEffect::playingChanged() - - -static void _init_f_playingChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_playingChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSoundEffect *)cls)->playingChanged (); -} - - // void QSoundEffect::setCategory(const QString &category) @@ -372,22 +276,6 @@ static void _call_f_source_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QSoundEffect::sourceChanged() - - -static void _init_f_sourceChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_sourceChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSoundEffect *)cls)->sourceChanged (); -} - - // QSoundEffect::Status QSoundEffect::status() @@ -403,22 +291,6 @@ static void _call_f_status_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QSoundEffect::statusChanged() - - -static void _init_f_statusChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_statusChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSoundEffect *)cls)->statusChanged (); -} - - // void QSoundEffect::stop() @@ -450,22 +322,6 @@ static void _call_f_volume_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QSoundEffect::volumeChanged() - - -static void _init_f_volumeChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_volumeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSoundEffect *)cls)->volumeChanged (); -} - - // static QStringList QSoundEffect::supportedMimeTypes() @@ -538,30 +394,32 @@ static gsi::Methods methods_QSoundEffect () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":category", "@brief Method QString QSoundEffect::category()\n", true, &_init_f_category_c0, &_call_f_category_c0); - methods += new qt_gsi::GenericMethod ("categoryChanged", "@brief Method void QSoundEffect::categoryChanged()\n", false, &_init_f_categoryChanged_0, &_call_f_categoryChanged_0); methods += new qt_gsi::GenericMethod ("isLoaded?", "@brief Method bool QSoundEffect::isLoaded()\n", true, &_init_f_isLoaded_c0, &_call_f_isLoaded_c0); methods += new qt_gsi::GenericMethod ("isMuted?|:muted", "@brief Method bool QSoundEffect::isMuted()\n", true, &_init_f_isMuted_c0, &_call_f_isMuted_c0); methods += new qt_gsi::GenericMethod ("isPlaying?|:playing", "@brief Method bool QSoundEffect::isPlaying()\n", true, &_init_f_isPlaying_c0, &_call_f_isPlaying_c0); - methods += new qt_gsi::GenericMethod ("loadedChanged", "@brief Method void QSoundEffect::loadedChanged()\n", false, &_init_f_loadedChanged_0, &_call_f_loadedChanged_0); methods += new qt_gsi::GenericMethod (":loopCount", "@brief Method int QSoundEffect::loopCount()\n", true, &_init_f_loopCount_c0, &_call_f_loopCount_c0); - methods += new qt_gsi::GenericMethod ("loopCountChanged", "@brief Method void QSoundEffect::loopCountChanged()\n", false, &_init_f_loopCountChanged_0, &_call_f_loopCountChanged_0); methods += new qt_gsi::GenericMethod (":loopsRemaining", "@brief Method int QSoundEffect::loopsRemaining()\n", true, &_init_f_loopsRemaining_c0, &_call_f_loopsRemaining_c0); - methods += new qt_gsi::GenericMethod ("loopsRemainingChanged", "@brief Method void QSoundEffect::loopsRemainingChanged()\n", false, &_init_f_loopsRemainingChanged_0, &_call_f_loopsRemainingChanged_0); - methods += new qt_gsi::GenericMethod ("mutedChanged", "@brief Method void QSoundEffect::mutedChanged()\n", false, &_init_f_mutedChanged_0, &_call_f_mutedChanged_0); methods += new qt_gsi::GenericMethod ("play", "@brief Method void QSoundEffect::play()\n", false, &_init_f_play_0, &_call_f_play_0); - methods += new qt_gsi::GenericMethod ("playingChanged", "@brief Method void QSoundEffect::playingChanged()\n", false, &_init_f_playingChanged_0, &_call_f_playingChanged_0); methods += new qt_gsi::GenericMethod ("setCategory|category=", "@brief Method void QSoundEffect::setCategory(const QString &category)\n", false, &_init_f_setCategory_2025, &_call_f_setCategory_2025); methods += new qt_gsi::GenericMethod ("setLoopCount|loopCount=", "@brief Method void QSoundEffect::setLoopCount(int loopCount)\n", false, &_init_f_setLoopCount_767, &_call_f_setLoopCount_767); methods += new qt_gsi::GenericMethod ("setMuted|muted=", "@brief Method void QSoundEffect::setMuted(bool muted)\n", false, &_init_f_setMuted_864, &_call_f_setMuted_864); methods += new qt_gsi::GenericMethod ("setSource|source=", "@brief Method void QSoundEffect::setSource(const QUrl &url)\n", false, &_init_f_setSource_1701, &_call_f_setSource_1701); methods += new qt_gsi::GenericMethod ("setVolume|volume=", "@brief Method void QSoundEffect::setVolume(double volume)\n", false, &_init_f_setVolume_1071, &_call_f_setVolume_1071); methods += new qt_gsi::GenericMethod (":source", "@brief Method QUrl QSoundEffect::source()\n", true, &_init_f_source_c0, &_call_f_source_c0); - methods += new qt_gsi::GenericMethod ("sourceChanged", "@brief Method void QSoundEffect::sourceChanged()\n", false, &_init_f_sourceChanged_0, &_call_f_sourceChanged_0); methods += new qt_gsi::GenericMethod (":status", "@brief Method QSoundEffect::Status QSoundEffect::status()\n", true, &_init_f_status_c0, &_call_f_status_c0); - methods += new qt_gsi::GenericMethod ("statusChanged", "@brief Method void QSoundEffect::statusChanged()\n", false, &_init_f_statusChanged_0, &_call_f_statusChanged_0); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QSoundEffect::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); methods += new qt_gsi::GenericMethod (":volume", "@brief Method double QSoundEffect::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); - methods += new qt_gsi::GenericMethod ("volumeChanged", "@brief Method void QSoundEffect::volumeChanged()\n", false, &_init_f_volumeChanged_0, &_call_f_volumeChanged_0); + methods += gsi::qt_signal ("categoryChanged()", "categoryChanged", "@brief Signal declaration for QSoundEffect::categoryChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QSoundEffect::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("loadedChanged()", "loadedChanged", "@brief Signal declaration for QSoundEffect::loadedChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("loopCountChanged()", "loopCountChanged", "@brief Signal declaration for QSoundEffect::loopCountChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("loopsRemainingChanged()", "loopsRemainingChanged", "@brief Signal declaration for QSoundEffect::loopsRemainingChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mutedChanged()", "mutedChanged", "@brief Signal declaration for QSoundEffect::mutedChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QSoundEffect::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("playingChanged()", "playingChanged", "@brief Signal declaration for QSoundEffect::playingChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("sourceChanged()", "sourceChanged", "@brief Signal declaration for QSoundEffect::sourceChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("statusChanged()", "statusChanged", "@brief Signal declaration for QSoundEffect::statusChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("volumeChanged()", "volumeChanged", "@brief Signal declaration for QSoundEffect::volumeChanged()\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("supportedMimeTypes", "@brief Static method QStringList QSoundEffect::supportedMimeTypes()\nThis method is static and can be called without an instance.", &_init_f_supportedMimeTypes_0, &_call_f_supportedMimeTypes_0); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QSoundEffect::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QSoundEffect::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); @@ -617,6 +475,18 @@ class QSoundEffect_Adaptor : public QSoundEffect, public qt_gsi::QtObjectBase return QSoundEffect::senderSignalIndex(); } + // [emitter impl] void QSoundEffect::categoryChanged() + void emitter_QSoundEffect_categoryChanged_0() + { + emit QSoundEffect::categoryChanged(); + } + + // [emitter impl] void QSoundEffect::destroyed(QObject *) + void emitter_QSoundEffect_destroyed_1302(QObject *arg1) + { + emit QSoundEffect::destroyed(arg1); + } + // [adaptor impl] bool QSoundEffect::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -647,6 +517,61 @@ class QSoundEffect_Adaptor : public QSoundEffect, public qt_gsi::QtObjectBase } } + // [emitter impl] void QSoundEffect::loadedChanged() + void emitter_QSoundEffect_loadedChanged_0() + { + emit QSoundEffect::loadedChanged(); + } + + // [emitter impl] void QSoundEffect::loopCountChanged() + void emitter_QSoundEffect_loopCountChanged_0() + { + emit QSoundEffect::loopCountChanged(); + } + + // [emitter impl] void QSoundEffect::loopsRemainingChanged() + void emitter_QSoundEffect_loopsRemainingChanged_0() + { + emit QSoundEffect::loopsRemainingChanged(); + } + + // [emitter impl] void QSoundEffect::mutedChanged() + void emitter_QSoundEffect_mutedChanged_0() + { + emit QSoundEffect::mutedChanged(); + } + + // [emitter impl] void QSoundEffect::objectNameChanged(const QString &objectName) + void emitter_QSoundEffect_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QSoundEffect::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QSoundEffect::playingChanged() + void emitter_QSoundEffect_playingChanged_0() + { + emit QSoundEffect::playingChanged(); + } + + // [emitter impl] void QSoundEffect::sourceChanged() + void emitter_QSoundEffect_sourceChanged_0() + { + emit QSoundEffect::sourceChanged(); + } + + // [emitter impl] void QSoundEffect::statusChanged() + void emitter_QSoundEffect_statusChanged_0() + { + emit QSoundEffect::statusChanged(); + } + + // [emitter impl] void QSoundEffect::volumeChanged() + void emitter_QSoundEffect_volumeChanged_0() + { + emit QSoundEffect::volumeChanged(); + } + // [adaptor impl] void QSoundEffect::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -735,6 +660,20 @@ static void _call_ctor_QSoundEffect_Adaptor_1302 (const qt_gsi::GenericStaticMet } +// emitter void QSoundEffect::categoryChanged() + +static void _init_emitter_categoryChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_categoryChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_categoryChanged_0 (); +} + + // void QSoundEffect::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -783,6 +722,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QSoundEffect::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_destroyed_1302 (arg1); +} + + // void QSoundEffect::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -874,6 +831,94 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QSoundEffect::loadedChanged() + +static void _init_emitter_loadedChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_loadedChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_loadedChanged_0 (); +} + + +// emitter void QSoundEffect::loopCountChanged() + +static void _init_emitter_loopCountChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_loopCountChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_loopCountChanged_0 (); +} + + +// emitter void QSoundEffect::loopsRemainingChanged() + +static void _init_emitter_loopsRemainingChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_loopsRemainingChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_loopsRemainingChanged_0 (); +} + + +// emitter void QSoundEffect::mutedChanged() + +static void _init_emitter_mutedChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_mutedChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_mutedChanged_0 (); +} + + +// emitter void QSoundEffect::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_objectNameChanged_4567 (arg1); +} + + +// emitter void QSoundEffect::playingChanged() + +static void _init_emitter_playingChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_playingChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_playingChanged_0 (); +} + + // exposed int QSoundEffect::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -920,6 +965,34 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } +// emitter void QSoundEffect::sourceChanged() + +static void _init_emitter_sourceChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_sourceChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_sourceChanged_0 (); +} + + +// emitter void QSoundEffect::statusChanged() + +static void _init_emitter_statusChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_statusChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_statusChanged_0 (); +} + + // void QSoundEffect::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -944,6 +1017,20 @@ static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback } +// emitter void QSoundEffect::volumeChanged() + +static void _init_emitter_volumeChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_volumeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_volumeChanged_0 (); +} + + namespace gsi { @@ -952,10 +1039,12 @@ gsi::Class &qtdecl_QSoundEffect (); static gsi::Methods methods_QSoundEffect_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSoundEffect::QSoundEffect(QObject *parent)\nThis method creates an object of class QSoundEffect.", &_init_ctor_QSoundEffect_Adaptor_1302, &_call_ctor_QSoundEffect_Adaptor_1302); + methods += new qt_gsi::GenericMethod ("emit_categoryChanged", "@brief Emitter for signal void QSoundEffect::categoryChanged()\nCall this method to emit this signal.", false, &_init_emitter_categoryChanged_0, &_call_emitter_categoryChanged_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSoundEffect::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSoundEffect::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSoundEffect::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSoundEffect::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSoundEffect::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -963,11 +1052,20 @@ static gsi::Methods methods_QSoundEffect_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSoundEffect::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSoundEffect::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_loadedChanged", "@brief Emitter for signal void QSoundEffect::loadedChanged()\nCall this method to emit this signal.", false, &_init_emitter_loadedChanged_0, &_call_emitter_loadedChanged_0); + methods += new qt_gsi::GenericMethod ("emit_loopCountChanged", "@brief Emitter for signal void QSoundEffect::loopCountChanged()\nCall this method to emit this signal.", false, &_init_emitter_loopCountChanged_0, &_call_emitter_loopCountChanged_0); + methods += new qt_gsi::GenericMethod ("emit_loopsRemainingChanged", "@brief Emitter for signal void QSoundEffect::loopsRemainingChanged()\nCall this method to emit this signal.", false, &_init_emitter_loopsRemainingChanged_0, &_call_emitter_loopsRemainingChanged_0); + methods += new qt_gsi::GenericMethod ("emit_mutedChanged", "@brief Emitter for signal void QSoundEffect::mutedChanged()\nCall this method to emit this signal.", false, &_init_emitter_mutedChanged_0, &_call_emitter_mutedChanged_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QSoundEffect::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); + methods += new qt_gsi::GenericMethod ("emit_playingChanged", "@brief Emitter for signal void QSoundEffect::playingChanged()\nCall this method to emit this signal.", false, &_init_emitter_playingChanged_0, &_call_emitter_playingChanged_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QSoundEffect::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QSoundEffect::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QSoundEffect::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); + methods += new qt_gsi::GenericMethod ("emit_sourceChanged", "@brief Emitter for signal void QSoundEffect::sourceChanged()\nCall this method to emit this signal.", false, &_init_emitter_sourceChanged_0, &_call_emitter_sourceChanged_0); + methods += new qt_gsi::GenericMethod ("emit_statusChanged", "@brief Emitter for signal void QSoundEffect::statusChanged()\nCall this method to emit this signal.", false, &_init_emitter_statusChanged_0, &_call_emitter_statusChanged_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSoundEffect::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("emit_volumeChanged", "@brief Emitter for signal void QSoundEffect::volumeChanged()\nCall this method to emit this signal.", false, &_init_emitter_volumeChanged_0, &_call_emitter_volumeChanged_0); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoDeviceSelectorControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoDeviceSelectorControl.cc index 13badf1bca..2c8bfda3e4 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoDeviceSelectorControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoDeviceSelectorControl.cc @@ -122,22 +122,6 @@ static void _call_f_deviceName_c767 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QVideoDeviceSelectorControl::devicesChanged() - - -static void _init_f_devicesChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_devicesChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QVideoDeviceSelectorControl *)cls)->devicesChanged (); -} - - // int QVideoDeviceSelectorControl::selectedDevice() @@ -153,46 +137,6 @@ static void _call_f_selectedDevice_c0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QVideoDeviceSelectorControl::selectedDeviceChanged(int index) - - -static void _init_f_selectedDeviceChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("index"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_selectedDeviceChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QVideoDeviceSelectorControl *)cls)->selectedDeviceChanged (arg1); -} - - -// void QVideoDeviceSelectorControl::selectedDeviceChanged(const QString &name) - - -static void _init_f_selectedDeviceChanged_2025 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_selectedDeviceChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QVideoDeviceSelectorControl *)cls)->selectedDeviceChanged (arg1); -} - - // void QVideoDeviceSelectorControl::setSelectedDevice(int index) @@ -273,11 +217,13 @@ static gsi::Methods methods_QVideoDeviceSelectorControl () { methods += new qt_gsi::GenericMethod ("deviceCount", "@brief Method int QVideoDeviceSelectorControl::deviceCount()\n", true, &_init_f_deviceCount_c0, &_call_f_deviceCount_c0); methods += new qt_gsi::GenericMethod ("deviceDescription", "@brief Method QString QVideoDeviceSelectorControl::deviceDescription(int index)\n", true, &_init_f_deviceDescription_c767, &_call_f_deviceDescription_c767); methods += new qt_gsi::GenericMethod ("deviceName", "@brief Method QString QVideoDeviceSelectorControl::deviceName(int index)\n", true, &_init_f_deviceName_c767, &_call_f_deviceName_c767); - methods += new qt_gsi::GenericMethod ("devicesChanged", "@brief Method void QVideoDeviceSelectorControl::devicesChanged()\n", false, &_init_f_devicesChanged_0, &_call_f_devicesChanged_0); methods += new qt_gsi::GenericMethod (":selectedDevice", "@brief Method int QVideoDeviceSelectorControl::selectedDevice()\n", true, &_init_f_selectedDevice_c0, &_call_f_selectedDevice_c0); - methods += new qt_gsi::GenericMethod ("selectedDeviceChanged_int", "@brief Method void QVideoDeviceSelectorControl::selectedDeviceChanged(int index)\n", false, &_init_f_selectedDeviceChanged_767, &_call_f_selectedDeviceChanged_767); - methods += new qt_gsi::GenericMethod ("selectedDeviceChanged_string", "@brief Method void QVideoDeviceSelectorControl::selectedDeviceChanged(const QString &name)\n", false, &_init_f_selectedDeviceChanged_2025, &_call_f_selectedDeviceChanged_2025); methods += new qt_gsi::GenericMethod ("setSelectedDevice|selectedDevice=", "@brief Method void QVideoDeviceSelectorControl::setSelectedDevice(int index)\n", false, &_init_f_setSelectedDevice_767, &_call_f_setSelectedDevice_767); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QVideoDeviceSelectorControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("devicesChanged()", "devicesChanged", "@brief Signal declaration for QVideoDeviceSelectorControl::devicesChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QVideoDeviceSelectorControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("selectedDeviceChanged(int)", "selectedDeviceChanged_int", gsi::arg("index"), "@brief Signal declaration for QVideoDeviceSelectorControl::selectedDeviceChanged(int index)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("selectedDeviceChanged(const QString &)", "selectedDeviceChanged_string", gsi::arg("name"), "@brief Signal declaration for QVideoDeviceSelectorControl::selectedDeviceChanged(const QString &name)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QVideoDeviceSelectorControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QVideoDeviceSelectorControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -341,6 +287,12 @@ class QVideoDeviceSelectorControl_Adaptor : public QVideoDeviceSelectorControl, } } + // [emitter impl] void QVideoDeviceSelectorControl::destroyed(QObject *) + void emitter_QVideoDeviceSelectorControl_destroyed_1302(QObject *arg1) + { + emit QVideoDeviceSelectorControl::destroyed(arg1); + } + // [adaptor impl] int QVideoDeviceSelectorControl::deviceCount() int cbs_deviceCount_c0_0() const { @@ -388,6 +340,12 @@ class QVideoDeviceSelectorControl_Adaptor : public QVideoDeviceSelectorControl, } } + // [emitter impl] void QVideoDeviceSelectorControl::devicesChanged() + void emitter_QVideoDeviceSelectorControl_devicesChanged_0() + { + emit QVideoDeviceSelectorControl::devicesChanged(); + } + // [adaptor impl] bool QVideoDeviceSelectorControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -418,6 +376,13 @@ class QVideoDeviceSelectorControl_Adaptor : public QVideoDeviceSelectorControl, } } + // [emitter impl] void QVideoDeviceSelectorControl::objectNameChanged(const QString &objectName) + void emitter_QVideoDeviceSelectorControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QVideoDeviceSelectorControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] int QVideoDeviceSelectorControl::selectedDevice() int cbs_selectedDevice_c0_0() const { @@ -433,6 +398,18 @@ class QVideoDeviceSelectorControl_Adaptor : public QVideoDeviceSelectorControl, } } + // [emitter impl] void QVideoDeviceSelectorControl::selectedDeviceChanged(int index) + void emitter_QVideoDeviceSelectorControl_selectedDeviceChanged_767(int index) + { + emit QVideoDeviceSelectorControl::selectedDeviceChanged(index); + } + + // [emitter impl] void QVideoDeviceSelectorControl::selectedDeviceChanged(const QString &name) + void emitter_QVideoDeviceSelectorControl_selectedDeviceChanged_2025(const QString &name) + { + emit QVideoDeviceSelectorControl::selectedDeviceChanged(name); + } + // [adaptor impl] void QVideoDeviceSelectorControl::setSelectedDevice(int index) void cbs_setSelectedDevice_767_0(int index) { @@ -606,6 +583,24 @@ static void _set_callback_cbs_defaultDevice_c0_0 (void *cls, const gsi::Callback } +// emitter void QVideoDeviceSelectorControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QVideoDeviceSelectorControl_Adaptor *)cls)->emitter_QVideoDeviceSelectorControl_destroyed_1302 (arg1); +} + + // int QVideoDeviceSelectorControl::deviceCount() static void _init_cbs_deviceCount_c0_0 (qt_gsi::GenericMethod *decl) @@ -671,6 +666,20 @@ static void _set_callback_cbs_deviceName_c767_0 (void *cls, const gsi::Callback } +// emitter void QVideoDeviceSelectorControl::devicesChanged() + +static void _init_emitter_devicesChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_devicesChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QVideoDeviceSelectorControl_Adaptor *)cls)->emitter_QVideoDeviceSelectorControl_devicesChanged_0 (); +} + + // void QVideoDeviceSelectorControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -762,6 +771,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QVideoDeviceSelectorControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QVideoDeviceSelectorControl_Adaptor *)cls)->emitter_QVideoDeviceSelectorControl_objectNameChanged_4567 (arg1); +} + + // exposed int QVideoDeviceSelectorControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -799,6 +826,42 @@ static void _set_callback_cbs_selectedDevice_c0_0 (void *cls, const gsi::Callbac } +// emitter void QVideoDeviceSelectorControl::selectedDeviceChanged(int index) + +static void _init_emitter_selectedDeviceChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("index"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_selectedDeviceChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QVideoDeviceSelectorControl_Adaptor *)cls)->emitter_QVideoDeviceSelectorControl_selectedDeviceChanged_767 (arg1); +} + + +// emitter void QVideoDeviceSelectorControl::selectedDeviceChanged(const QString &name) + +static void _init_emitter_selectedDeviceChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("name"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_selectedDeviceChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QVideoDeviceSelectorControl_Adaptor *)cls)->emitter_QVideoDeviceSelectorControl_selectedDeviceChanged_2025 (arg1); +} + + // exposed QObject *QVideoDeviceSelectorControl::sender() static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) @@ -889,12 +952,14 @@ static gsi::Methods methods_QVideoDeviceSelectorControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("defaultDevice", "@brief Virtual method int QVideoDeviceSelectorControl::defaultDevice()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_defaultDevice_c0_0, &_call_cbs_defaultDevice_c0_0); methods += new qt_gsi::GenericMethod ("defaultDevice", "@hide", true, &_init_cbs_defaultDevice_c0_0, &_call_cbs_defaultDevice_c0_0, &_set_callback_cbs_defaultDevice_c0_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QVideoDeviceSelectorControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("deviceCount", "@brief Virtual method int QVideoDeviceSelectorControl::deviceCount()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_deviceCount_c0_0, &_call_cbs_deviceCount_c0_0); methods += new qt_gsi::GenericMethod ("deviceCount", "@hide", true, &_init_cbs_deviceCount_c0_0, &_call_cbs_deviceCount_c0_0, &_set_callback_cbs_deviceCount_c0_0); methods += new qt_gsi::GenericMethod ("deviceDescription", "@brief Virtual method QString QVideoDeviceSelectorControl::deviceDescription(int index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_deviceDescription_c767_0, &_call_cbs_deviceDescription_c767_0); methods += new qt_gsi::GenericMethod ("deviceDescription", "@hide", true, &_init_cbs_deviceDescription_c767_0, &_call_cbs_deviceDescription_c767_0, &_set_callback_cbs_deviceDescription_c767_0); methods += new qt_gsi::GenericMethod ("deviceName", "@brief Virtual method QString QVideoDeviceSelectorControl::deviceName(int index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_deviceName_c767_0, &_call_cbs_deviceName_c767_0); methods += new qt_gsi::GenericMethod ("deviceName", "@hide", true, &_init_cbs_deviceName_c767_0, &_call_cbs_deviceName_c767_0, &_set_callback_cbs_deviceName_c767_0); + methods += new qt_gsi::GenericMethod ("emit_devicesChanged", "@brief Emitter for signal void QVideoDeviceSelectorControl::devicesChanged()\nCall this method to emit this signal.", false, &_init_emitter_devicesChanged_0, &_call_emitter_devicesChanged_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QVideoDeviceSelectorControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QVideoDeviceSelectorControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -902,9 +967,12 @@ static gsi::Methods methods_QVideoDeviceSelectorControl_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVideoDeviceSelectorControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QVideoDeviceSelectorControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QVideoDeviceSelectorControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QVideoDeviceSelectorControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("selectedDevice", "@brief Virtual method int QVideoDeviceSelectorControl::selectedDevice()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_selectedDevice_c0_0, &_call_cbs_selectedDevice_c0_0); methods += new qt_gsi::GenericMethod ("selectedDevice", "@hide", true, &_init_cbs_selectedDevice_c0_0, &_call_cbs_selectedDevice_c0_0, &_set_callback_cbs_selectedDevice_c0_0); + methods += new qt_gsi::GenericMethod ("emit_selectedDeviceChanged_int", "@brief Emitter for signal void QVideoDeviceSelectorControl::selectedDeviceChanged(int index)\nCall this method to emit this signal.", false, &_init_emitter_selectedDeviceChanged_767, &_call_emitter_selectedDeviceChanged_767); + methods += new qt_gsi::GenericMethod ("emit_selectedDeviceChanged_string", "@brief Emitter for signal void QVideoDeviceSelectorControl::selectedDeviceChanged(const QString &name)\nCall this method to emit this signal.", false, &_init_emitter_selectedDeviceChanged_2025, &_call_emitter_selectedDeviceChanged_2025); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QVideoDeviceSelectorControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QVideoDeviceSelectorControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setSelectedDevice", "@brief Virtual method void QVideoDeviceSelectorControl::setSelectedDevice(int index)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setSelectedDevice_767_0, &_call_cbs_setSelectedDevice_767_0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoEncoderSettingsControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoEncoderSettingsControl.cc index ed304cc30f..69cd381946 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoEncoderSettingsControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoEncoderSettingsControl.cc @@ -231,6 +231,8 @@ static gsi::Methods methods_QVideoEncoderSettingsControl () { methods += new qt_gsi::GenericMethod ("supportedVideoCodecs", "@brief Method QStringList QVideoEncoderSettingsControl::supportedVideoCodecs()\n", true, &_init_f_supportedVideoCodecs_c0, &_call_f_supportedVideoCodecs_c0); methods += new qt_gsi::GenericMethod ("videoCodecDescription", "@brief Method QString QVideoEncoderSettingsControl::videoCodecDescription(const QString &codec)\n", true, &_init_f_videoCodecDescription_c2025, &_call_f_videoCodecDescription_c2025); methods += new qt_gsi::GenericMethod (":videoSettings", "@brief Method QVideoEncoderSettings QVideoEncoderSettingsControl::videoSettings()\n", true, &_init_f_videoSettings_c0, &_call_f_videoSettings_c0); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QVideoEncoderSettingsControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QVideoEncoderSettingsControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QVideoEncoderSettingsControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QVideoEncoderSettingsControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -279,6 +281,12 @@ class QVideoEncoderSettingsControl_Adaptor : public QVideoEncoderSettingsControl return QVideoEncoderSettingsControl::senderSignalIndex(); } + // [emitter impl] void QVideoEncoderSettingsControl::destroyed(QObject *) + void emitter_QVideoEncoderSettingsControl_destroyed_1302(QObject *arg1) + { + emit QVideoEncoderSettingsControl::destroyed(arg1); + } + // [adaptor impl] bool QVideoEncoderSettingsControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -309,6 +317,13 @@ class QVideoEncoderSettingsControl_Adaptor : public QVideoEncoderSettingsControl } } + // [emitter impl] void QVideoEncoderSettingsControl::objectNameChanged(const QString &objectName) + void emitter_QVideoEncoderSettingsControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QVideoEncoderSettingsControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QVideoEncoderSettingsControl::setVideoSettings(const QVideoEncoderSettings &settings) void cbs_setVideoSettings_3450_0(const QVideoEncoderSettings &settings) { @@ -543,6 +558,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QVideoEncoderSettingsControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QVideoEncoderSettingsControl_Adaptor *)cls)->emitter_QVideoEncoderSettingsControl_destroyed_1302 (arg1); +} + + // void QVideoEncoderSettingsControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -634,6 +667,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QVideoEncoderSettingsControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QVideoEncoderSettingsControl_Adaptor *)cls)->emitter_QVideoEncoderSettingsControl_objectNameChanged_4567 (arg1); +} + + // exposed int QVideoEncoderSettingsControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -853,6 +904,7 @@ static gsi::Methods methods_QVideoEncoderSettingsControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVideoEncoderSettingsControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QVideoEncoderSettingsControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QVideoEncoderSettingsControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QVideoEncoderSettingsControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -860,6 +912,7 @@ static gsi::Methods methods_QVideoEncoderSettingsControl_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVideoEncoderSettingsControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QVideoEncoderSettingsControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QVideoEncoderSettingsControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QVideoEncoderSettingsControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QVideoEncoderSettingsControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QVideoEncoderSettingsControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoProbe.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoProbe.cc index 68061dd3ab..93b0ca27e6 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoProbe.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoProbe.cc @@ -57,22 +57,6 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// void QVideoProbe::flush() - - -static void _init_f_flush_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_flush_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QVideoProbe *)cls)->flush (); -} - - // bool QVideoProbe::isActive() @@ -126,26 +110,6 @@ static void _call_f_setSource_2005 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QVideoProbe::videoFrameProbed(const QVideoFrame &frame) - - -static void _init_f_videoFrameProbed_2388 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("frame"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_videoFrameProbed_2388 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QVideoFrame &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QVideoProbe *)cls)->videoFrameProbed (arg1); -} - - // static QString QVideoProbe::tr(const char *s, const char *c, int n) @@ -202,11 +166,13 @@ namespace gsi static gsi::Methods methods_QVideoProbe () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("flush", "@brief Method void QVideoProbe::flush()\n", false, &_init_f_flush_0, &_call_f_flush_0); methods += new qt_gsi::GenericMethod ("isActive?", "@brief Method bool QVideoProbe::isActive()\n", true, &_init_f_isActive_c0, &_call_f_isActive_c0); methods += new qt_gsi::GenericMethod ("setSource", "@brief Method bool QVideoProbe::setSource(QMediaObject *source)\n", false, &_init_f_setSource_1782, &_call_f_setSource_1782); methods += new qt_gsi::GenericMethod ("setSource", "@brief Method bool QVideoProbe::setSource(QMediaRecorder *source)\n", false, &_init_f_setSource_2005, &_call_f_setSource_2005); - methods += new qt_gsi::GenericMethod ("videoFrameProbed", "@brief Method void QVideoProbe::videoFrameProbed(const QVideoFrame &frame)\n", false, &_init_f_videoFrameProbed_2388, &_call_f_videoFrameProbed_2388); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QVideoProbe::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("flush()", "flush", "@brief Signal declaration for QVideoProbe::flush()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QVideoProbe::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("videoFrameProbed(const QVideoFrame &)", "videoFrameProbed", gsi::arg("frame"), "@brief Signal declaration for QVideoProbe::videoFrameProbed(const QVideoFrame &frame)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QVideoProbe::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QVideoProbe::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -261,6 +227,12 @@ class QVideoProbe_Adaptor : public QVideoProbe, public qt_gsi::QtObjectBase return QVideoProbe::senderSignalIndex(); } + // [emitter impl] void QVideoProbe::destroyed(QObject *) + void emitter_QVideoProbe_destroyed_1302(QObject *arg1) + { + emit QVideoProbe::destroyed(arg1); + } + // [adaptor impl] bool QVideoProbe::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -291,6 +263,25 @@ class QVideoProbe_Adaptor : public QVideoProbe, public qt_gsi::QtObjectBase } } + // [emitter impl] void QVideoProbe::flush() + void emitter_QVideoProbe_flush_0() + { + emit QVideoProbe::flush(); + } + + // [emitter impl] void QVideoProbe::objectNameChanged(const QString &objectName) + void emitter_QVideoProbe_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QVideoProbe::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QVideoProbe::videoFrameProbed(const QVideoFrame &frame) + void emitter_QVideoProbe_videoFrameProbed_2388(const QVideoFrame &frame) + { + emit QVideoProbe::videoFrameProbed(frame); + } + // [adaptor impl] void QVideoProbe::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -427,6 +418,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QVideoProbe::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QVideoProbe_Adaptor *)cls)->emitter_QVideoProbe_destroyed_1302 (arg1); +} + + // void QVideoProbe::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -500,6 +509,20 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } +// emitter void QVideoProbe::flush() + +static void _init_emitter_flush_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_flush_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QVideoProbe_Adaptor *)cls)->emitter_QVideoProbe_flush_0 (); +} + + // exposed bool QVideoProbe::isSignalConnected(const QMetaMethod &signal) static void _init_fp_isSignalConnected_c2394 (qt_gsi::GenericMethod *decl) @@ -518,6 +541,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QVideoProbe::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QVideoProbe_Adaptor *)cls)->emitter_QVideoProbe_objectNameChanged_4567 (arg1); +} + + // exposed int QVideoProbe::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -588,6 +629,24 @@ static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback } +// emitter void QVideoProbe::videoFrameProbed(const QVideoFrame &frame) + +static void _init_emitter_videoFrameProbed_2388 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("frame"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_videoFrameProbed_2388 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QVideoFrame &arg1 = gsi::arg_reader() (args, heap); + ((QVideoProbe_Adaptor *)cls)->emitter_QVideoProbe_videoFrameProbed_2388 (arg1); +} + + namespace gsi { @@ -600,18 +659,22 @@ static gsi::Methods methods_QVideoProbe_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVideoProbe::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QVideoProbe::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QVideoProbe::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QVideoProbe::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVideoProbe::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("emit_flush", "@brief Emitter for signal void QVideoProbe::flush()\nCall this method to emit this signal.", false, &_init_emitter_flush_0, &_call_emitter_flush_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QVideoProbe::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QVideoProbe::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QVideoProbe::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QVideoProbe::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QVideoProbe::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QVideoProbe::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("emit_videoFrameProbed", "@brief Emitter for signal void QVideoProbe::videoFrameProbed(const QVideoFrame &frame)\nCall this method to emit this signal.", false, &_init_emitter_videoFrameProbed_2388, &_call_emitter_videoFrameProbed_2388); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoRendererControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoRendererControl.cc index 612a576538..01744ecdcc 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoRendererControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoRendererControl.cc @@ -148,6 +148,8 @@ static gsi::Methods methods_QVideoRendererControl () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("setSurface|surface=", "@brief Method void QVideoRendererControl::setSurface(QAbstractVideoSurface *surface)\n", false, &_init_f_setSurface_2739, &_call_f_setSurface_2739); methods += new qt_gsi::GenericMethod (":surface", "@brief Method QAbstractVideoSurface *QVideoRendererControl::surface()\n", true, &_init_f_surface_c0, &_call_f_surface_c0); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QVideoRendererControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QVideoRendererControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QVideoRendererControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QVideoRendererControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -196,6 +198,12 @@ class QVideoRendererControl_Adaptor : public QVideoRendererControl, public qt_gs return QVideoRendererControl::senderSignalIndex(); } + // [emitter impl] void QVideoRendererControl::destroyed(QObject *) + void emitter_QVideoRendererControl_destroyed_1302(QObject *arg1) + { + emit QVideoRendererControl::destroyed(arg1); + } + // [adaptor impl] bool QVideoRendererControl::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -226,6 +234,13 @@ class QVideoRendererControl_Adaptor : public QVideoRendererControl, public qt_gs } } + // [emitter impl] void QVideoRendererControl::objectNameChanged(const QString &objectName) + void emitter_QVideoRendererControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QVideoRendererControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QVideoRendererControl::setSurface(QAbstractVideoSurface *surface) void cbs_setSurface_2739_0(QAbstractVideoSurface *surface) { @@ -391,6 +406,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QVideoRendererControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QVideoRendererControl_Adaptor *)cls)->emitter_QVideoRendererControl_destroyed_1302 (arg1); +} + + // void QVideoRendererControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -482,6 +515,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QVideoRendererControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QVideoRendererControl_Adaptor *)cls)->emitter_QVideoRendererControl_objectNameChanged_4567 (arg1); +} + + // exposed int QVideoRendererControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -607,6 +658,7 @@ static gsi::Methods methods_QVideoRendererControl_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVideoRendererControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QVideoRendererControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QVideoRendererControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QVideoRendererControl::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -614,6 +666,7 @@ static gsi::Methods methods_QVideoRendererControl_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVideoRendererControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QVideoRendererControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QVideoRendererControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QVideoRendererControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QVideoRendererControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QVideoRendererControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoSurfaceFormat.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoSurfaceFormat.cc index b13e573cc3..b45d657619 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoSurfaceFormat.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoSurfaceFormat.cc @@ -605,7 +605,7 @@ static gsi::Methods methods_QVideoSurfaceFormat () { methods += new qt_gsi::GenericMethod (":frameSize", "@brief Method QSize QVideoSurfaceFormat::frameSize()\n", true, &_init_f_frameSize_c0, &_call_f_frameSize_c0); methods += new qt_gsi::GenericMethod ("frameWidth", "@brief Method int QVideoSurfaceFormat::frameWidth()\n", true, &_init_f_frameWidth_c0, &_call_f_frameWidth_c0); methods += new qt_gsi::GenericMethod ("handleType", "@brief Method QAbstractVideoBuffer::HandleType QVideoSurfaceFormat::handleType()\n", true, &_init_f_handleType_c0, &_call_f_handleType_c0); - methods += new qt_gsi::GenericMethod ("isMirrored?", "@brief Method bool QVideoSurfaceFormat::isMirrored()\n", true, &_init_f_isMirrored_c0, &_call_f_isMirrored_c0); + methods += new qt_gsi::GenericMethod ("isMirrored?|:mirrored", "@brief Method bool QVideoSurfaceFormat::isMirrored()\n", true, &_init_f_isMirrored_c0, &_call_f_isMirrored_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QVideoSurfaceFormat::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QVideoSurfaceFormat::operator !=(const QVideoSurfaceFormat &format)\n", true, &_init_f_operator_excl__eq__c3227, &_call_f_operator_excl__eq__c3227); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QVideoSurfaceFormat &QVideoSurfaceFormat::operator =(const QVideoSurfaceFormat &format)\n", false, &_init_f_operator_eq__3227, &_call_f_operator_eq__3227); @@ -618,7 +618,7 @@ static gsi::Methods methods_QVideoSurfaceFormat () { methods += new qt_gsi::GenericMethod ("setFrameRate|frameRate=", "@brief Method void QVideoSurfaceFormat::setFrameRate(double rate)\n", false, &_init_f_setFrameRate_1071, &_call_f_setFrameRate_1071); methods += new qt_gsi::GenericMethod ("setFrameSize|frameSize=", "@brief Method void QVideoSurfaceFormat::setFrameSize(const QSize &size)\n", false, &_init_f_setFrameSize_1805, &_call_f_setFrameSize_1805); methods += new qt_gsi::GenericMethod ("setFrameSize", "@brief Method void QVideoSurfaceFormat::setFrameSize(int width, int height)\n", false, &_init_f_setFrameSize_1426, &_call_f_setFrameSize_1426); - methods += new qt_gsi::GenericMethod ("setMirrored", "@brief Method void QVideoSurfaceFormat::setMirrored(bool mirrored)\n", false, &_init_f_setMirrored_864, &_call_f_setMirrored_864); + methods += new qt_gsi::GenericMethod ("setMirrored|mirrored=", "@brief Method void QVideoSurfaceFormat::setMirrored(bool mirrored)\n", false, &_init_f_setMirrored_864, &_call_f_setMirrored_864); methods += new qt_gsi::GenericMethod ("setPixelAspectRatio|pixelAspectRatio=", "@brief Method void QVideoSurfaceFormat::setPixelAspectRatio(const QSize &ratio)\n", false, &_init_f_setPixelAspectRatio_1805, &_call_f_setPixelAspectRatio_1805); methods += new qt_gsi::GenericMethod ("setPixelAspectRatio", "@brief Method void QVideoSurfaceFormat::setPixelAspectRatio(int width, int height)\n", false, &_init_f_setPixelAspectRatio_1426, &_call_f_setPixelAspectRatio_1426); methods += new qt_gsi::GenericMethod ("setProperty", "@brief Method void QVideoSurfaceFormat::setProperty(const char *name, const QVariant &value)\n", false, &_init_f_setProperty_3742, &_call_f_setProperty_3742); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWidget.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWidget.cc index 4a9d44011d..01f4306500 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWidget.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWidget.cc @@ -130,26 +130,6 @@ static void _call_f_brightness_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QVideoWidget::brightnessChanged(int brightness) - - -static void _init_f_brightnessChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("brightness"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_brightnessChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QVideoWidget *)cls)->brightnessChanged (arg1); -} - - // int QVideoWidget::contrast() @@ -165,46 +145,6 @@ static void _call_f_contrast_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QVideoWidget::contrastChanged(int contrast) - - -static void _init_f_contrastChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("contrast"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_contrastChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QVideoWidget *)cls)->contrastChanged (arg1); -} - - -// void QVideoWidget::fullScreenChanged(bool fullScreen) - - -static void _init_f_fullScreenChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("fullScreen"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_fullScreenChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QVideoWidget *)cls)->fullScreenChanged (arg1); -} - - // int QVideoWidget::hue() @@ -220,26 +160,6 @@ static void _call_f_hue_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, g } -// void QVideoWidget::hueChanged(int hue) - - -static void _init_f_hueChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("hue"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_hueChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QVideoWidget *)cls)->hueChanged (arg1); -} - - // QMediaObject *QVideoWidget::mediaObject() @@ -270,26 +190,6 @@ static void _call_f_saturation_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QVideoWidget::saturationChanged(int saturation) - - -static void _init_f_saturationChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("saturation"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_saturationChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QVideoWidget *)cls)->saturationChanged (arg1); -} - - // void QVideoWidget::setAspectRatioMode(Qt::AspectRatioMode mode) @@ -528,15 +428,10 @@ static gsi::Methods methods_QVideoWidget () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":aspectRatioMode", "@brief Method Qt::AspectRatioMode QVideoWidget::aspectRatioMode()\n", true, &_init_f_aspectRatioMode_c0, &_call_f_aspectRatioMode_c0); methods += new qt_gsi::GenericMethod (":brightness", "@brief Method int QVideoWidget::brightness()\n", true, &_init_f_brightness_c0, &_call_f_brightness_c0); - methods += new qt_gsi::GenericMethod ("brightnessChanged", "@brief Method void QVideoWidget::brightnessChanged(int brightness)\n", false, &_init_f_brightnessChanged_767, &_call_f_brightnessChanged_767); methods += new qt_gsi::GenericMethod (":contrast", "@brief Method int QVideoWidget::contrast()\n", true, &_init_f_contrast_c0, &_call_f_contrast_c0); - methods += new qt_gsi::GenericMethod ("contrastChanged", "@brief Method void QVideoWidget::contrastChanged(int contrast)\n", false, &_init_f_contrastChanged_767, &_call_f_contrastChanged_767); - methods += new qt_gsi::GenericMethod ("fullScreenChanged", "@brief Method void QVideoWidget::fullScreenChanged(bool fullScreen)\n", false, &_init_f_fullScreenChanged_864, &_call_f_fullScreenChanged_864); methods += new qt_gsi::GenericMethod (":hue", "@brief Method int QVideoWidget::hue()\n", true, &_init_f_hue_c0, &_call_f_hue_c0); - methods += new qt_gsi::GenericMethod ("hueChanged", "@brief Method void QVideoWidget::hueChanged(int hue)\n", false, &_init_f_hueChanged_767, &_call_f_hueChanged_767); methods += new qt_gsi::GenericMethod (":mediaObject", "@brief Method QMediaObject *QVideoWidget::mediaObject()\nThis is a reimplementation of QMediaBindableInterface::mediaObject", true, &_init_f_mediaObject_c0, &_call_f_mediaObject_c0); methods += new qt_gsi::GenericMethod (":saturation", "@brief Method int QVideoWidget::saturation()\n", true, &_init_f_saturation_c0, &_call_f_saturation_c0); - methods += new qt_gsi::GenericMethod ("saturationChanged", "@brief Method void QVideoWidget::saturationChanged(int saturation)\n", false, &_init_f_saturationChanged_767, &_call_f_saturationChanged_767); methods += new qt_gsi::GenericMethod ("setAspectRatioMode|aspectRatioMode=", "@brief Method void QVideoWidget::setAspectRatioMode(Qt::AspectRatioMode mode)\n", false, &_init_f_setAspectRatioMode_2257, &_call_f_setAspectRatioMode_2257); methods += new qt_gsi::GenericMethod ("setBrightness|brightness=", "@brief Method void QVideoWidget::setBrightness(int brightness)\n", false, &_init_f_setBrightness_767, &_call_f_setBrightness_767); methods += new qt_gsi::GenericMethod ("setContrast|contrast=", "@brief Method void QVideoWidget::setContrast(int contrast)\n", false, &_init_f_setContrast_767, &_call_f_setContrast_767); @@ -544,6 +439,17 @@ static gsi::Methods methods_QVideoWidget () { methods += new qt_gsi::GenericMethod ("setHue|hue=", "@brief Method void QVideoWidget::setHue(int hue)\n", false, &_init_f_setHue_767, &_call_f_setHue_767); methods += new qt_gsi::GenericMethod ("setSaturation|saturation=", "@brief Method void QVideoWidget::setSaturation(int saturation)\n", false, &_init_f_setSaturation_767, &_call_f_setSaturation_767); methods += new qt_gsi::GenericMethod (":sizeHint", "@brief Method QSize QVideoWidget::sizeHint()\nThis is a reimplementation of QWidget::sizeHint", true, &_init_f_sizeHint_c0, &_call_f_sizeHint_c0); + methods += gsi::qt_signal ("brightnessChanged(int)", "brightnessChanged", gsi::arg("brightness"), "@brief Signal declaration for QVideoWidget::brightnessChanged(int brightness)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("contrastChanged(int)", "contrastChanged", gsi::arg("contrast"), "@brief Signal declaration for QVideoWidget::contrastChanged(int contrast)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("customContextMenuRequested(const QPoint &)", "customContextMenuRequested", gsi::arg("pos"), "@brief Signal declaration for QVideoWidget::customContextMenuRequested(const QPoint &pos)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QVideoWidget::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("fullScreenChanged(bool)", "fullScreenChanged", gsi::arg("fullScreen"), "@brief Signal declaration for QVideoWidget::fullScreenChanged(bool fullScreen)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("hueChanged(int)", "hueChanged", gsi::arg("hue"), "@brief Signal declaration for QVideoWidget::hueChanged(int hue)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QVideoWidget::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("saturationChanged(int)", "saturationChanged", gsi::arg("saturation"), "@brief Signal declaration for QVideoWidget::saturationChanged(int saturation)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowIconChanged(const QIcon &)", "windowIconChanged", gsi::arg("icon"), "@brief Signal declaration for QVideoWidget::windowIconChanged(const QIcon &icon)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowIconTextChanged(const QString &)", "windowIconTextChanged", gsi::arg("iconText"), "@brief Signal declaration for QVideoWidget::windowIconTextChanged(const QString &iconText)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowTitleChanged(const QString &)", "windowTitleChanged", gsi::arg("title"), "@brief Signal declaration for QVideoWidget::windowTitleChanged(const QString &title)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QVideoWidget::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QVideoWidget::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); methods += new qt_gsi::GenericMethod ("asQWidget", "@brief Delivers the base class interface QWidget of QVideoWidget\nClass QVideoWidget is derived from multiple base classes. This method delivers the QWidget base class aspect.", false, &_init_f_QVideoWidget_as_QWidget, &_call_f_QVideoWidget_as_QWidget); @@ -633,6 +539,30 @@ class QVideoWidget_Adaptor : public QVideoWidget, public qt_gsi::QtObjectBase QVideoWidget::updateMicroFocus(); } + // [emitter impl] void QVideoWidget::brightnessChanged(int brightness) + void emitter_QVideoWidget_brightnessChanged_767(int brightness) + { + emit QVideoWidget::brightnessChanged(brightness); + } + + // [emitter impl] void QVideoWidget::contrastChanged(int contrast) + void emitter_QVideoWidget_contrastChanged_767(int contrast) + { + emit QVideoWidget::contrastChanged(contrast); + } + + // [emitter impl] void QVideoWidget::customContextMenuRequested(const QPoint &pos) + void emitter_QVideoWidget_customContextMenuRequested_1916(const QPoint &pos) + { + emit QVideoWidget::customContextMenuRequested(pos); + } + + // [emitter impl] void QVideoWidget::destroyed(QObject *) + void emitter_QVideoWidget_destroyed_1302(QObject *arg1) + { + emit QVideoWidget::destroyed(arg1); + } + // [adaptor impl] bool QVideoWidget::eventFilter(QObject *watched, QEvent *event) bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { @@ -648,6 +578,12 @@ class QVideoWidget_Adaptor : public QVideoWidget, public qt_gsi::QtObjectBase } } + // [emitter impl] void QVideoWidget::fullScreenChanged(bool fullScreen) + void emitter_QVideoWidget_fullScreenChanged_864(bool fullScreen) + { + emit QVideoWidget::fullScreenChanged(fullScreen); + } + // [adaptor impl] bool QVideoWidget::hasHeightForWidth() bool cbs_hasHeightForWidth_c0_0() const { @@ -678,6 +614,12 @@ class QVideoWidget_Adaptor : public QVideoWidget, public qt_gsi::QtObjectBase } } + // [emitter impl] void QVideoWidget::hueChanged(int hue) + void emitter_QVideoWidget_hueChanged_767(int hue) + { + emit QVideoWidget::hueChanged(hue); + } + // [adaptor impl] QVariant QVideoWidget::inputMethodQuery(Qt::InputMethodQuery) QVariant cbs_inputMethodQuery_c2420_0(const qt_gsi::Converter::target_type & arg1) const { @@ -723,6 +665,13 @@ class QVideoWidget_Adaptor : public QVideoWidget, public qt_gsi::QtObjectBase } } + // [emitter impl] void QVideoWidget::objectNameChanged(const QString &objectName) + void emitter_QVideoWidget_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QVideoWidget::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] QPaintEngine *QVideoWidget::paintEngine() QPaintEngine * cbs_paintEngine_c0_0() const { @@ -738,6 +687,12 @@ class QVideoWidget_Adaptor : public QVideoWidget, public qt_gsi::QtObjectBase } } + // [emitter impl] void QVideoWidget::saturationChanged(int saturation) + void emitter_QVideoWidget_saturationChanged_767(int saturation) + { + emit QVideoWidget::saturationChanged(saturation); + } + // [adaptor impl] void QVideoWidget::setVisible(bool visible) void cbs_setVisible_864_0(bool visible) { @@ -768,6 +723,24 @@ class QVideoWidget_Adaptor : public QVideoWidget, public qt_gsi::QtObjectBase } } + // [emitter impl] void QVideoWidget::windowIconChanged(const QIcon &icon) + void emitter_QVideoWidget_windowIconChanged_1787(const QIcon &icon) + { + emit QVideoWidget::windowIconChanged(icon); + } + + // [emitter impl] void QVideoWidget::windowIconTextChanged(const QString &iconText) + void emitter_QVideoWidget_windowIconTextChanged_2025(const QString &iconText) + { + emit QVideoWidget::windowIconTextChanged(iconText); + } + + // [emitter impl] void QVideoWidget::windowTitleChanged(const QString &title) + void emitter_QVideoWidget_windowTitleChanged_2025(const QString &title) + { + emit QVideoWidget::windowTitleChanged(title); + } + // [adaptor impl] void QVideoWidget::actionEvent(QActionEvent *event) void cbs_actionEvent_1823_0(QActionEvent *event) { @@ -1431,6 +1404,24 @@ static void _set_callback_cbs_actionEvent_1823_0 (void *cls, const gsi::Callback } +// emitter void QVideoWidget::brightnessChanged(int brightness) + +static void _init_emitter_brightnessChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("brightness"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_brightnessChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QVideoWidget_Adaptor *)cls)->emitter_QVideoWidget_brightnessChanged_767 (arg1); +} + + // void QVideoWidget::changeEvent(QEvent *) static void _init_cbs_changeEvent_1217_0 (qt_gsi::GenericMethod *decl) @@ -1527,6 +1518,24 @@ static void _set_callback_cbs_contextMenuEvent_2363_0 (void *cls, const gsi::Cal } +// emitter void QVideoWidget::contrastChanged(int contrast) + +static void _init_emitter_contrastChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("contrast"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_contrastChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QVideoWidget_Adaptor *)cls)->emitter_QVideoWidget_contrastChanged_767 (arg1); +} + + // exposed void QVideoWidget::create(WId, bool initializeWindow, bool destroyOldWindow) static void _init_fp_create_2208 (qt_gsi::GenericMethod *decl) @@ -1552,6 +1561,24 @@ static void _call_fp_create_2208 (const qt_gsi::GenericMethod * /*decl*/, void * } +// emitter void QVideoWidget::customContextMenuRequested(const QPoint &pos) + +static void _init_emitter_customContextMenuRequested_1916 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("pos"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPoint &arg1 = gsi::arg_reader() (args, heap); + ((QVideoWidget_Adaptor *)cls)->emitter_QVideoWidget_customContextMenuRequested_1916 (arg1); +} + + // void QVideoWidget::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) @@ -1598,6 +1625,24 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void } +// emitter void QVideoWidget::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QVideoWidget_Adaptor *)cls)->emitter_QVideoWidget_destroyed_1302 (arg1); +} + + // void QVideoWidget::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1890,6 +1935,24 @@ static void _call_fp_focusPreviousChild_0 (const qt_gsi::GenericMethod * /*decl* } +// emitter void QVideoWidget::fullScreenChanged(bool fullScreen) + +static void _init_emitter_fullScreenChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("fullScreen"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_fullScreenChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QVideoWidget_Adaptor *)cls)->emitter_QVideoWidget_fullScreenChanged_864 (arg1); +} + + // bool QVideoWidget::hasHeightForWidth() static void _init_cbs_hasHeightForWidth_c0_0 (qt_gsi::GenericMethod *decl) @@ -1956,6 +2019,24 @@ static void _set_callback_cbs_hideEvent_1595_0 (void *cls, const gsi::Callback & } +// emitter void QVideoWidget::hueChanged(int hue) + +static void _init_emitter_hueChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("hue"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_hueChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QVideoWidget_Adaptor *)cls)->emitter_QVideoWidget_hueChanged_767 (arg1); +} + + // void QVideoWidget::initPainter(QPainter *painter) static void _init_cbs_initPainter_c1426_0 (qt_gsi::GenericMethod *decl) @@ -2327,6 +2408,24 @@ static void _set_callback_cbs_nativeEvent_4678_0 (void *cls, const gsi::Callback } +// emitter void QVideoWidget::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QVideoWidget_Adaptor *)cls)->emitter_QVideoWidget_objectNameChanged_4567 (arg1); +} + + // QPaintEngine *QVideoWidget::paintEngine() static void _init_cbs_paintEngine_c0_0 (qt_gsi::GenericMethod *decl) @@ -2435,6 +2534,24 @@ static void _set_callback_cbs_resizeEvent_1843_0 (void *cls, const gsi::Callback } +// emitter void QVideoWidget::saturationChanged(int saturation) + +static void _init_emitter_saturationChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("saturation"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_saturationChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QVideoWidget_Adaptor *)cls)->emitter_QVideoWidget_saturationChanged_767 (arg1); +} + + // exposed QObject *QVideoWidget::sender() static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) @@ -2659,6 +2776,60 @@ static void _set_callback_cbs_wheelEvent_1718_0 (void *cls, const gsi::Callback } +// emitter void QVideoWidget::windowIconChanged(const QIcon &icon) + +static void _init_emitter_windowIconChanged_1787 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("icon"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowIconChanged_1787 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QIcon &arg1 = gsi::arg_reader() (args, heap); + ((QVideoWidget_Adaptor *)cls)->emitter_QVideoWidget_windowIconChanged_1787 (arg1); +} + + +// emitter void QVideoWidget::windowIconTextChanged(const QString &iconText) + +static void _init_emitter_windowIconTextChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("iconText"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowIconTextChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QVideoWidget_Adaptor *)cls)->emitter_QVideoWidget_windowIconTextChanged_2025 (arg1); +} + + +// emitter void QVideoWidget::windowTitleChanged(const QString &title) + +static void _init_emitter_windowTitleChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("title"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowTitleChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QVideoWidget_Adaptor *)cls)->emitter_QVideoWidget_windowTitleChanged_2025 (arg1); +} + + namespace gsi { @@ -2669,6 +2840,7 @@ static gsi::Methods methods_QVideoWidget_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QVideoWidget::QVideoWidget(QWidget *parent)\nThis method creates an object of class QVideoWidget.", &_init_ctor_QVideoWidget_Adaptor_1315, &_call_ctor_QVideoWidget_Adaptor_1315); methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QVideoWidget::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); + methods += new qt_gsi::GenericMethod ("emit_brightnessChanged", "@brief Emitter for signal void QVideoWidget::brightnessChanged(int brightness)\nCall this method to emit this signal.", false, &_init_emitter_brightnessChanged_767, &_call_emitter_brightnessChanged_767); methods += new qt_gsi::GenericMethod ("*changeEvent", "@brief Virtual method void QVideoWidget::changeEvent(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*changeEvent", "@hide", false, &_init_cbs_changeEvent_1217_0, &_call_cbs_changeEvent_1217_0, &_set_callback_cbs_changeEvent_1217_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QVideoWidget::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); @@ -2677,10 +2849,13 @@ static gsi::Methods methods_QVideoWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*closeEvent", "@hide", false, &_init_cbs_closeEvent_1719_0, &_call_cbs_closeEvent_1719_0, &_set_callback_cbs_closeEvent_1719_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QVideoWidget::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); + methods += new qt_gsi::GenericMethod ("emit_contrastChanged", "@brief Emitter for signal void QVideoWidget::contrastChanged(int contrast)\nCall this method to emit this signal.", false, &_init_emitter_contrastChanged_767, &_call_emitter_contrastChanged_767); methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QVideoWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QVideoWidget::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVideoWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QVideoWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QVideoWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QVideoWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QVideoWidget::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); @@ -2705,12 +2880,14 @@ static gsi::Methods methods_QVideoWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QVideoWidget::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusPreviousChild", "@brief Method bool QVideoWidget::focusPreviousChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusPreviousChild_0, &_call_fp_focusPreviousChild_0); + methods += new qt_gsi::GenericMethod ("emit_fullScreenChanged", "@brief Emitter for signal void QVideoWidget::fullScreenChanged(bool fullScreen)\nCall this method to emit this signal.", false, &_init_emitter_fullScreenChanged_864, &_call_emitter_fullScreenChanged_864); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Virtual method bool QVideoWidget::hasHeightForWidth()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@hide", true, &_init_cbs_hasHeightForWidth_c0_0, &_call_cbs_hasHeightForWidth_c0_0, &_set_callback_cbs_hasHeightForWidth_c0_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Virtual method int QVideoWidget::heightForWidth(int)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@hide", true, &_init_cbs_heightForWidth_c767_0, &_call_cbs_heightForWidth_c767_0, &_set_callback_cbs_heightForWidth_c767_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@brief Virtual method void QVideoWidget::hideEvent(QHideEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0); methods += new qt_gsi::GenericMethod ("*hideEvent", "@hide", false, &_init_cbs_hideEvent_1595_0, &_call_cbs_hideEvent_1595_0, &_set_callback_cbs_hideEvent_1595_0); + methods += new qt_gsi::GenericMethod ("emit_hueChanged", "@brief Emitter for signal void QVideoWidget::hueChanged(int hue)\nCall this method to emit this signal.", false, &_init_emitter_hueChanged_767, &_call_emitter_hueChanged_767); methods += new qt_gsi::GenericMethod ("*initPainter", "@brief Virtual method void QVideoWidget::initPainter(QPainter *painter)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*initPainter", "@hide", true, &_init_cbs_initPainter_c1426_0, &_call_cbs_initPainter_c1426_0, &_set_callback_cbs_initPainter_c1426_0); methods += new qt_gsi::GenericMethod ("*inputMethodEvent", "@brief Virtual method void QVideoWidget::inputMethodEvent(QInputMethodEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_inputMethodEvent_2354_0, &_call_cbs_inputMethodEvent_2354_0); @@ -2742,6 +2919,7 @@ static gsi::Methods methods_QVideoWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QVideoWidget::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QVideoWidget::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QVideoWidget::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QVideoWidget::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); @@ -2751,6 +2929,7 @@ static gsi::Methods methods_QVideoWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QVideoWidget::resizeEvent(QResizeEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); + methods += new qt_gsi::GenericMethod ("emit_saturationChanged", "@brief Emitter for signal void QVideoWidget::saturationChanged(int saturation)\nCall this method to emit this signal.", false, &_init_emitter_saturationChanged_767, &_call_emitter_saturationChanged_767); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QVideoWidget::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QVideoWidget::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*setMediaObject", "@brief Virtual method bool QVideoWidget::setMediaObject(QMediaObject *object)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setMediaObject_1782_0, &_call_cbs_setMediaObject_1782_0); @@ -2770,6 +2949,9 @@ static gsi::Methods methods_QVideoWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QVideoWidget::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QVideoWidget::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QVideoWidget::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); + methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QVideoWidget::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); + methods += new qt_gsi::GenericMethod ("emit_windowTitleChanged", "@brief Emitter for signal void QVideoWidget::windowTitleChanged(const QString &title)\nCall this method to emit this signal.", false, &_init_emitter_windowTitleChanged_2025, &_call_emitter_windowTitleChanged_2025); return methods; } diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWindowControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWindowControl.cc index a468ce0eb4..eaafec0dc8 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWindowControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWindowControl.cc @@ -86,26 +86,6 @@ static void _call_f_brightness_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QVideoWindowControl::brightnessChanged(int brightness) - - -static void _init_f_brightnessChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("brightness"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_brightnessChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QVideoWindowControl *)cls)->brightnessChanged (arg1); -} - - // int QVideoWindowControl::contrast() @@ -121,26 +101,6 @@ static void _call_f_contrast_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QVideoWindowControl::contrastChanged(int contrast) - - -static void _init_f_contrastChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("contrast"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_contrastChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QVideoWindowControl *)cls)->contrastChanged (arg1); -} - - // QRect QVideoWindowControl::displayRect() @@ -156,26 +116,6 @@ static void _call_f_displayRect_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QVideoWindowControl::fullScreenChanged(bool fullScreen) - - -static void _init_f_fullScreenChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("fullScreen"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_fullScreenChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QVideoWindowControl *)cls)->fullScreenChanged (arg1); -} - - // int QVideoWindowControl::hue() @@ -191,26 +131,6 @@ static void _call_f_hue_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, g } -// void QVideoWindowControl::hueChanged(int hue) - - -static void _init_f_hueChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("hue"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_hueChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QVideoWindowControl *)cls)->hueChanged (arg1); -} - - // bool QVideoWindowControl::isFullScreen() @@ -241,22 +161,6 @@ static void _call_f_nativeSize_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QVideoWindowControl::nativeSizeChanged() - - -static void _init_f_nativeSizeChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_nativeSizeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QVideoWindowControl *)cls)->nativeSizeChanged (); -} - - // void QVideoWindowControl::repaint() @@ -288,26 +192,6 @@ static void _call_f_saturation_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QVideoWindowControl::saturationChanged(int saturation) - - -static void _init_f_saturationChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("saturation"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_saturationChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QVideoWindowControl *)cls)->saturationChanged (arg1); -} - - // void QVideoWindowControl::setAspectRatioMode(Qt::AspectRatioMode mode) @@ -541,19 +425,13 @@ static gsi::Methods methods_QVideoWindowControl () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":aspectRatioMode", "@brief Method Qt::AspectRatioMode QVideoWindowControl::aspectRatioMode()\n", true, &_init_f_aspectRatioMode_c0, &_call_f_aspectRatioMode_c0); methods += new qt_gsi::GenericMethod (":brightness", "@brief Method int QVideoWindowControl::brightness()\n", true, &_init_f_brightness_c0, &_call_f_brightness_c0); - methods += new qt_gsi::GenericMethod ("brightnessChanged", "@brief Method void QVideoWindowControl::brightnessChanged(int brightness)\n", false, &_init_f_brightnessChanged_767, &_call_f_brightnessChanged_767); methods += new qt_gsi::GenericMethod (":contrast", "@brief Method int QVideoWindowControl::contrast()\n", true, &_init_f_contrast_c0, &_call_f_contrast_c0); - methods += new qt_gsi::GenericMethod ("contrastChanged", "@brief Method void QVideoWindowControl::contrastChanged(int contrast)\n", false, &_init_f_contrastChanged_767, &_call_f_contrastChanged_767); methods += new qt_gsi::GenericMethod (":displayRect", "@brief Method QRect QVideoWindowControl::displayRect()\n", true, &_init_f_displayRect_c0, &_call_f_displayRect_c0); - methods += new qt_gsi::GenericMethod ("fullScreenChanged", "@brief Method void QVideoWindowControl::fullScreenChanged(bool fullScreen)\n", false, &_init_f_fullScreenChanged_864, &_call_f_fullScreenChanged_864); methods += new qt_gsi::GenericMethod (":hue", "@brief Method int QVideoWindowControl::hue()\n", true, &_init_f_hue_c0, &_call_f_hue_c0); - methods += new qt_gsi::GenericMethod ("hueChanged", "@brief Method void QVideoWindowControl::hueChanged(int hue)\n", false, &_init_f_hueChanged_767, &_call_f_hueChanged_767); methods += new qt_gsi::GenericMethod ("isFullScreen?|:fullScreen", "@brief Method bool QVideoWindowControl::isFullScreen()\n", true, &_init_f_isFullScreen_c0, &_call_f_isFullScreen_c0); methods += new qt_gsi::GenericMethod ("nativeSize", "@brief Method QSize QVideoWindowControl::nativeSize()\n", true, &_init_f_nativeSize_c0, &_call_f_nativeSize_c0); - methods += new qt_gsi::GenericMethod ("nativeSizeChanged", "@brief Method void QVideoWindowControl::nativeSizeChanged()\n", false, &_init_f_nativeSizeChanged_0, &_call_f_nativeSizeChanged_0); methods += new qt_gsi::GenericMethod ("repaint", "@brief Method void QVideoWindowControl::repaint()\n", false, &_init_f_repaint_0, &_call_f_repaint_0); methods += new qt_gsi::GenericMethod (":saturation", "@brief Method int QVideoWindowControl::saturation()\n", true, &_init_f_saturation_c0, &_call_f_saturation_c0); - methods += new qt_gsi::GenericMethod ("saturationChanged", "@brief Method void QVideoWindowControl::saturationChanged(int saturation)\n", false, &_init_f_saturationChanged_767, &_call_f_saturationChanged_767); methods += new qt_gsi::GenericMethod ("setAspectRatioMode|aspectRatioMode=", "@brief Method void QVideoWindowControl::setAspectRatioMode(Qt::AspectRatioMode mode)\n", false, &_init_f_setAspectRatioMode_2257, &_call_f_setAspectRatioMode_2257); methods += new qt_gsi::GenericMethod ("setBrightness|brightness=", "@brief Method void QVideoWindowControl::setBrightness(int brightness)\n", false, &_init_f_setBrightness_767, &_call_f_setBrightness_767); methods += new qt_gsi::GenericMethod ("setContrast|contrast=", "@brief Method void QVideoWindowControl::setContrast(int contrast)\n", false, &_init_f_setContrast_767, &_call_f_setContrast_767); @@ -563,6 +441,14 @@ static gsi::Methods methods_QVideoWindowControl () { methods += new qt_gsi::GenericMethod ("setSaturation|saturation=", "@brief Method void QVideoWindowControl::setSaturation(int saturation)\n", false, &_init_f_setSaturation_767, &_call_f_setSaturation_767); methods += new qt_gsi::GenericMethod ("setWinId|winId=", "@brief Method void QVideoWindowControl::setWinId(WId id)\n", false, &_init_f_setWinId_696, &_call_f_setWinId_696); methods += new qt_gsi::GenericMethod (":winId", "@brief Method WId QVideoWindowControl::winId()\n", true, &_init_f_winId_c0, &_call_f_winId_c0); + methods += gsi::qt_signal ("brightnessChanged(int)", "brightnessChanged", gsi::arg("brightness"), "@brief Signal declaration for QVideoWindowControl::brightnessChanged(int brightness)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("contrastChanged(int)", "contrastChanged", gsi::arg("contrast"), "@brief Signal declaration for QVideoWindowControl::contrastChanged(int contrast)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QVideoWindowControl::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("fullScreenChanged(bool)", "fullScreenChanged", gsi::arg("fullScreen"), "@brief Signal declaration for QVideoWindowControl::fullScreenChanged(bool fullScreen)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("hueChanged(int)", "hueChanged", gsi::arg("hue"), "@brief Signal declaration for QVideoWindowControl::hueChanged(int hue)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("nativeSizeChanged()", "nativeSizeChanged", "@brief Signal declaration for QVideoWindowControl::nativeSizeChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QVideoWindowControl::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("saturationChanged(int)", "saturationChanged", gsi::arg("saturation"), "@brief Signal declaration for QVideoWindowControl::saturationChanged(int saturation)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QVideoWindowControl::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QVideoWindowControl::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -641,6 +527,12 @@ class QVideoWindowControl_Adaptor : public QVideoWindowControl, public qt_gsi::Q } } + // [emitter impl] void QVideoWindowControl::brightnessChanged(int brightness) + void emitter_QVideoWindowControl_brightnessChanged_767(int brightness) + { + emit QVideoWindowControl::brightnessChanged(brightness); + } + // [adaptor impl] int QVideoWindowControl::contrast() int cbs_contrast_c0_0() const { @@ -656,6 +548,18 @@ class QVideoWindowControl_Adaptor : public QVideoWindowControl, public qt_gsi::Q } } + // [emitter impl] void QVideoWindowControl::contrastChanged(int contrast) + void emitter_QVideoWindowControl_contrastChanged_767(int contrast) + { + emit QVideoWindowControl::contrastChanged(contrast); + } + + // [emitter impl] void QVideoWindowControl::destroyed(QObject *) + void emitter_QVideoWindowControl_destroyed_1302(QObject *arg1) + { + emit QVideoWindowControl::destroyed(arg1); + } + // [adaptor impl] QRect QVideoWindowControl::displayRect() QRect cbs_displayRect_c0_0() const { @@ -701,6 +605,12 @@ class QVideoWindowControl_Adaptor : public QVideoWindowControl, public qt_gsi::Q } } + // [emitter impl] void QVideoWindowControl::fullScreenChanged(bool fullScreen) + void emitter_QVideoWindowControl_fullScreenChanged_864(bool fullScreen) + { + emit QVideoWindowControl::fullScreenChanged(fullScreen); + } + // [adaptor impl] int QVideoWindowControl::hue() int cbs_hue_c0_0() const { @@ -716,6 +626,12 @@ class QVideoWindowControl_Adaptor : public QVideoWindowControl, public qt_gsi::Q } } + // [emitter impl] void QVideoWindowControl::hueChanged(int hue) + void emitter_QVideoWindowControl_hueChanged_767(int hue) + { + emit QVideoWindowControl::hueChanged(hue); + } + // [adaptor impl] bool QVideoWindowControl::isFullScreen() bool cbs_isFullScreen_c0_0() const { @@ -746,6 +662,19 @@ class QVideoWindowControl_Adaptor : public QVideoWindowControl, public qt_gsi::Q } } + // [emitter impl] void QVideoWindowControl::nativeSizeChanged() + void emitter_QVideoWindowControl_nativeSizeChanged_0() + { + emit QVideoWindowControl::nativeSizeChanged(); + } + + // [emitter impl] void QVideoWindowControl::objectNameChanged(const QString &objectName) + void emitter_QVideoWindowControl_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QVideoWindowControl::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QVideoWindowControl::repaint() void cbs_repaint_0_0() { @@ -776,6 +705,12 @@ class QVideoWindowControl_Adaptor : public QVideoWindowControl, public qt_gsi::Q } } + // [emitter impl] void QVideoWindowControl::saturationChanged(int saturation) + void emitter_QVideoWindowControl_saturationChanged_767(int saturation) + { + emit QVideoWindowControl::saturationChanged(saturation); + } + // [adaptor impl] void QVideoWindowControl::setAspectRatioMode(Qt::AspectRatioMode mode) void cbs_setAspectRatioMode_2257_0(const qt_gsi::Converter::target_type & mode) { @@ -1059,6 +994,24 @@ static void _set_callback_cbs_brightness_c0_0 (void *cls, const gsi::Callback &c } +// emitter void QVideoWindowControl::brightnessChanged(int brightness) + +static void _init_emitter_brightnessChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("brightness"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_brightnessChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QVideoWindowControl_Adaptor *)cls)->emitter_QVideoWindowControl_brightnessChanged_767 (arg1); +} + + // void QVideoWindowControl::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -1102,6 +1055,24 @@ static void _set_callback_cbs_contrast_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QVideoWindowControl::contrastChanged(int contrast) + +static void _init_emitter_contrastChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("contrast"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_contrastChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QVideoWindowControl_Adaptor *)cls)->emitter_QVideoWindowControl_contrastChanged_767 (arg1); +} + + // void QVideoWindowControl::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) @@ -1126,6 +1097,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QVideoWindowControl::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QVideoWindowControl_Adaptor *)cls)->emitter_QVideoWindowControl_destroyed_1302 (arg1); +} + + // void QVideoWindowControl::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1218,6 +1207,24 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } +// emitter void QVideoWindowControl::fullScreenChanged(bool fullScreen) + +static void _init_emitter_fullScreenChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("fullScreen"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_fullScreenChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QVideoWindowControl_Adaptor *)cls)->emitter_QVideoWindowControl_fullScreenChanged_864 (arg1); +} + + // int QVideoWindowControl::hue() static void _init_cbs_hue_c0_0 (qt_gsi::GenericMethod *decl) @@ -1237,6 +1244,24 @@ static void _set_callback_cbs_hue_c0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QVideoWindowControl::hueChanged(int hue) + +static void _init_emitter_hueChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("hue"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_hueChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QVideoWindowControl_Adaptor *)cls)->emitter_QVideoWindowControl_hueChanged_767 (arg1); +} + + // bool QVideoWindowControl::isFullScreen() static void _init_cbs_isFullScreen_c0_0 (qt_gsi::GenericMethod *decl) @@ -1293,6 +1318,38 @@ static void _set_callback_cbs_nativeSize_c0_0 (void *cls, const gsi::Callback &c } +// emitter void QVideoWindowControl::nativeSizeChanged() + +static void _init_emitter_nativeSizeChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_nativeSizeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QVideoWindowControl_Adaptor *)cls)->emitter_QVideoWindowControl_nativeSizeChanged_0 (); +} + + +// emitter void QVideoWindowControl::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QVideoWindowControl_Adaptor *)cls)->emitter_QVideoWindowControl_objectNameChanged_4567 (arg1); +} + + // exposed int QVideoWindowControl::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1350,6 +1407,24 @@ static void _set_callback_cbs_saturation_c0_0 (void *cls, const gsi::Callback &c } +// emitter void QVideoWindowControl::saturationChanged(int saturation) + +static void _init_emitter_saturationChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("saturation"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_saturationChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QVideoWindowControl_Adaptor *)cls)->emitter_QVideoWindowControl_saturationChanged_767 (arg1); +} + + // exposed QObject *QVideoWindowControl::sender() static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) @@ -1625,12 +1700,15 @@ static gsi::Methods methods_QVideoWindowControl_Adaptor () { methods += new qt_gsi::GenericMethod ("aspectRatioMode", "@hide", true, &_init_cbs_aspectRatioMode_c0_0, &_call_cbs_aspectRatioMode_c0_0, &_set_callback_cbs_aspectRatioMode_c0_0); methods += new qt_gsi::GenericMethod ("brightness", "@brief Virtual method int QVideoWindowControl::brightness()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_brightness_c0_0, &_call_cbs_brightness_c0_0); methods += new qt_gsi::GenericMethod ("brightness", "@hide", true, &_init_cbs_brightness_c0_0, &_call_cbs_brightness_c0_0, &_set_callback_cbs_brightness_c0_0); + methods += new qt_gsi::GenericMethod ("emit_brightnessChanged", "@brief Emitter for signal void QVideoWindowControl::brightnessChanged(int brightness)\nCall this method to emit this signal.", false, &_init_emitter_brightnessChanged_767, &_call_emitter_brightnessChanged_767); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QVideoWindowControl::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("contrast", "@brief Virtual method int QVideoWindowControl::contrast()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_contrast_c0_0, &_call_cbs_contrast_c0_0); methods += new qt_gsi::GenericMethod ("contrast", "@hide", true, &_init_cbs_contrast_c0_0, &_call_cbs_contrast_c0_0, &_set_callback_cbs_contrast_c0_0); + methods += new qt_gsi::GenericMethod ("emit_contrastChanged", "@brief Emitter for signal void QVideoWindowControl::contrastChanged(int contrast)\nCall this method to emit this signal.", false, &_init_emitter_contrastChanged_767, &_call_emitter_contrastChanged_767); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVideoWindowControl::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QVideoWindowControl::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QVideoWindowControl::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("displayRect", "@brief Virtual method QRect QVideoWindowControl::displayRect()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_displayRect_c0_0, &_call_cbs_displayRect_c0_0); @@ -1639,18 +1717,23 @@ static gsi::Methods methods_QVideoWindowControl_Adaptor () { methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVideoWindowControl::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("emit_fullScreenChanged", "@brief Emitter for signal void QVideoWindowControl::fullScreenChanged(bool fullScreen)\nCall this method to emit this signal.", false, &_init_emitter_fullScreenChanged_864, &_call_emitter_fullScreenChanged_864); methods += new qt_gsi::GenericMethod ("hue", "@brief Virtual method int QVideoWindowControl::hue()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hue_c0_0, &_call_cbs_hue_c0_0); methods += new qt_gsi::GenericMethod ("hue", "@hide", true, &_init_cbs_hue_c0_0, &_call_cbs_hue_c0_0, &_set_callback_cbs_hue_c0_0); + methods += new qt_gsi::GenericMethod ("emit_hueChanged", "@brief Emitter for signal void QVideoWindowControl::hueChanged(int hue)\nCall this method to emit this signal.", false, &_init_emitter_hueChanged_767, &_call_emitter_hueChanged_767); methods += new qt_gsi::GenericMethod ("isFullScreen", "@brief Virtual method bool QVideoWindowControl::isFullScreen()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_isFullScreen_c0_0, &_call_cbs_isFullScreen_c0_0); methods += new qt_gsi::GenericMethod ("isFullScreen", "@hide", true, &_init_cbs_isFullScreen_c0_0, &_call_cbs_isFullScreen_c0_0, &_set_callback_cbs_isFullScreen_c0_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QVideoWindowControl::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("nativeSize", "@brief Virtual method QSize QVideoWindowControl::nativeSize()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_nativeSize_c0_0, &_call_cbs_nativeSize_c0_0); methods += new qt_gsi::GenericMethod ("nativeSize", "@hide", true, &_init_cbs_nativeSize_c0_0, &_call_cbs_nativeSize_c0_0, &_set_callback_cbs_nativeSize_c0_0); + methods += new qt_gsi::GenericMethod ("emit_nativeSizeChanged", "@brief Emitter for signal void QVideoWindowControl::nativeSizeChanged()\nCall this method to emit this signal.", false, &_init_emitter_nativeSizeChanged_0, &_call_emitter_nativeSizeChanged_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QVideoWindowControl::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QVideoWindowControl::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("repaint", "@brief Virtual method void QVideoWindowControl::repaint()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_repaint_0_0, &_call_cbs_repaint_0_0); methods += new qt_gsi::GenericMethod ("repaint", "@hide", false, &_init_cbs_repaint_0_0, &_call_cbs_repaint_0_0, &_set_callback_cbs_repaint_0_0); methods += new qt_gsi::GenericMethod ("saturation", "@brief Virtual method int QVideoWindowControl::saturation()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_saturation_c0_0, &_call_cbs_saturation_c0_0); methods += new qt_gsi::GenericMethod ("saturation", "@hide", true, &_init_cbs_saturation_c0_0, &_call_cbs_saturation_c0_0, &_set_callback_cbs_saturation_c0_0); + methods += new qt_gsi::GenericMethod ("emit_saturationChanged", "@brief Emitter for signal void QVideoWindowControl::saturationChanged(int saturation)\nCall this method to emit this signal.", false, &_init_emitter_saturationChanged_767, &_call_emitter_saturationChanged_767); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QVideoWindowControl::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QVideoWindowControl::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setAspectRatioMode", "@brief Virtual method void QVideoWindowControl::setAspectRatioMode(Qt::AspectRatioMode mode)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setAspectRatioMode_2257_0, &_call_cbs_setAspectRatioMode_2257_0); diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQDtls.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQDtls.cc index 0a06a2b793..8b24e7764c 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQDtls.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQDtls.cc @@ -217,22 +217,6 @@ static void _call_f_handshakeState_c0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QDtls::handshakeTimeout() - - -static void _init_f_handshakeTimeout_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_handshakeTimeout_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QDtls *)cls)->handshakeTimeout (); -} - - // void QDtls::ignoreVerificationErrors(const QVector &errorsToIgnore) @@ -343,26 +327,6 @@ static void _call_f_peerVerificationName_c0 (const qt_gsi::GenericMethod * /*dec } -// void QDtls::pskRequired(QSslPreSharedKeyAuthenticator *authenticator) - - -static void _init_f_pskRequired_3571 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("authenticator"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_pskRequired_3571 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QSslPreSharedKeyAuthenticator *arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QDtls *)cls)->pskRequired (arg1); -} - - // bool QDtls::resumeHandshake(QUdpSocket *socket) @@ -635,26 +599,28 @@ static gsi::Methods methods_QDtls () { methods += new qt_gsi::GenericMethod ("dtlsErrorString", "@brief Method QString QDtls::dtlsErrorString()\n", true, &_init_f_dtlsErrorString_c0, &_call_f_dtlsErrorString_c0); methods += new qt_gsi::GenericMethod ("handleTimeout", "@brief Method bool QDtls::handleTimeout(QUdpSocket *socket)\n", false, &_init_f_handleTimeout_1617, &_call_f_handleTimeout_1617); methods += new qt_gsi::GenericMethod ("handshakeState", "@brief Method QDtls::HandshakeState QDtls::handshakeState()\n", true, &_init_f_handshakeState_c0, &_call_f_handshakeState_c0); - methods += new qt_gsi::GenericMethod ("handshakeTimeout", "@brief Method void QDtls::handshakeTimeout()\n", false, &_init_f_handshakeTimeout_0, &_call_f_handshakeTimeout_0); methods += new qt_gsi::GenericMethod ("ignoreVerificationErrors", "@brief Method void QDtls::ignoreVerificationErrors(const QVector &errorsToIgnore)\n", false, &_init_f_ignoreVerificationErrors_3052, &_call_f_ignoreVerificationErrors_3052); methods += new qt_gsi::GenericMethod ("isConnectionEncrypted?", "@brief Method bool QDtls::isConnectionEncrypted()\n", true, &_init_f_isConnectionEncrypted_c0, &_call_f_isConnectionEncrypted_c0); - methods += new qt_gsi::GenericMethod ("mtuHint", "@brief Method quint16 QDtls::mtuHint()\n", true, &_init_f_mtuHint_c0, &_call_f_mtuHint_c0); + methods += new qt_gsi::GenericMethod (":mtuHint", "@brief Method quint16 QDtls::mtuHint()\n", true, &_init_f_mtuHint_c0, &_call_f_mtuHint_c0); methods += new qt_gsi::GenericMethod ("peerAddress", "@brief Method QHostAddress QDtls::peerAddress()\n", true, &_init_f_peerAddress_c0, &_call_f_peerAddress_c0); methods += new qt_gsi::GenericMethod ("peerPort", "@brief Method quint16 QDtls::peerPort()\n", true, &_init_f_peerPort_c0, &_call_f_peerPort_c0); methods += new qt_gsi::GenericMethod ("peerVerificationErrors", "@brief Method QVector QDtls::peerVerificationErrors()\n", true, &_init_f_peerVerificationErrors_c0, &_call_f_peerVerificationErrors_c0); methods += new qt_gsi::GenericMethod ("peerVerificationName", "@brief Method QString QDtls::peerVerificationName()\n", true, &_init_f_peerVerificationName_c0, &_call_f_peerVerificationName_c0); - methods += new qt_gsi::GenericMethod ("pskRequired", "@brief Method void QDtls::pskRequired(QSslPreSharedKeyAuthenticator *authenticator)\n", false, &_init_f_pskRequired_3571, &_call_f_pskRequired_3571); methods += new qt_gsi::GenericMethod ("resumeHandshake", "@brief Method bool QDtls::resumeHandshake(QUdpSocket *socket)\n", false, &_init_f_resumeHandshake_1617, &_call_f_resumeHandshake_1617); methods += new qt_gsi::GenericMethod ("sessionCipher", "@brief Method QSslCipher QDtls::sessionCipher()\n", true, &_init_f_sessionCipher_c0, &_call_f_sessionCipher_c0); methods += new qt_gsi::GenericMethod ("sessionProtocol", "@brief Method QSsl::SslProtocol QDtls::sessionProtocol()\n", true, &_init_f_sessionProtocol_c0, &_call_f_sessionProtocol_c0); methods += new qt_gsi::GenericMethod ("setCookieGeneratorParameters", "@brief Method bool QDtls::setCookieGeneratorParameters(const QDtls::GeneratorParameters ¶ms)\n", false, &_init_f_setCookieGeneratorParameters_3896, &_call_f_setCookieGeneratorParameters_3896); methods += new qt_gsi::GenericMethod ("setDtlsConfiguration", "@brief Method bool QDtls::setDtlsConfiguration(const QSslConfiguration &configuration)\n", false, &_init_f_setDtlsConfiguration_3068, &_call_f_setDtlsConfiguration_3068); - methods += new qt_gsi::GenericMethod ("setMtuHint", "@brief Method void QDtls::setMtuHint(quint16 mtuHint)\n", false, &_init_f_setMtuHint_1100, &_call_f_setMtuHint_1100); + methods += new qt_gsi::GenericMethod ("setMtuHint|mtuHint=", "@brief Method void QDtls::setMtuHint(quint16 mtuHint)\n", false, &_init_f_setMtuHint_1100, &_call_f_setMtuHint_1100); methods += new qt_gsi::GenericMethod ("setPeer", "@brief Method bool QDtls::setPeer(const QHostAddress &address, quint16 port, const QString &verificationName)\n", false, &_init_f_setPeer_5427, &_call_f_setPeer_5427); methods += new qt_gsi::GenericMethod ("setPeerVerificationName", "@brief Method bool QDtls::setPeerVerificationName(const QString &name)\n", false, &_init_f_setPeerVerificationName_2025, &_call_f_setPeerVerificationName_2025); methods += new qt_gsi::GenericMethod ("shutdown", "@brief Method bool QDtls::shutdown(QUdpSocket *socket)\n", false, &_init_f_shutdown_1617, &_call_f_shutdown_1617); methods += new qt_gsi::GenericMethod ("sslMode", "@brief Method QSslSocket::SslMode QDtls::sslMode()\n", true, &_init_f_sslMode_c0, &_call_f_sslMode_c0); methods += new qt_gsi::GenericMethod ("writeDatagramEncrypted", "@brief Method qint64 QDtls::writeDatagramEncrypted(QUdpSocket *socket, const QByteArray &dgram)\n", false, &_init_f_writeDatagramEncrypted_3818, &_call_f_writeDatagramEncrypted_3818); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QDtls::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("handshakeTimeout()", "handshakeTimeout", "@brief Signal declaration for QDtls::handshakeTimeout()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QDtls::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("pskRequired(QSslPreSharedKeyAuthenticator *)", "pskRequired", gsi::arg("authenticator"), "@brief Signal declaration for QDtls::pskRequired(QSslPreSharedKeyAuthenticator *authenticator)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QDtls::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QDtls::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -709,6 +675,12 @@ class QDtls_Adaptor : public QDtls, public qt_gsi::QtObjectBase return QDtls::senderSignalIndex(); } + // [emitter impl] void QDtls::destroyed(QObject *) + void emitter_QDtls_destroyed_1302(QObject *arg1) + { + emit QDtls::destroyed(arg1); + } + // [adaptor impl] bool QDtls::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -739,6 +711,25 @@ class QDtls_Adaptor : public QDtls, public qt_gsi::QtObjectBase } } + // [emitter impl] void QDtls::handshakeTimeout() + void emitter_QDtls_handshakeTimeout_0() + { + emit QDtls::handshakeTimeout(); + } + + // [emitter impl] void QDtls::objectNameChanged(const QString &objectName) + void emitter_QDtls_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QDtls::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QDtls::pskRequired(QSslPreSharedKeyAuthenticator *authenticator) + void emitter_QDtls_pskRequired_3571(QSslPreSharedKeyAuthenticator *authenticator) + { + emit QDtls::pskRequired(authenticator); + } + // [adaptor impl] void QDtls::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -878,6 +869,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QDtls::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QDtls_Adaptor *)cls)->emitter_QDtls_destroyed_1302 (arg1); +} + + // void QDtls::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -951,6 +960,20 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } +// emitter void QDtls::handshakeTimeout() + +static void _init_emitter_handshakeTimeout_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_handshakeTimeout_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QDtls_Adaptor *)cls)->emitter_QDtls_handshakeTimeout_0 (); +} + + // exposed bool QDtls::isSignalConnected(const QMetaMethod &signal) static void _init_fp_isSignalConnected_c2394 (qt_gsi::GenericMethod *decl) @@ -969,6 +992,42 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QDtls::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QDtls_Adaptor *)cls)->emitter_QDtls_objectNameChanged_4567 (arg1); +} + + +// emitter void QDtls::pskRequired(QSslPreSharedKeyAuthenticator *authenticator) + +static void _init_emitter_pskRequired_3571 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("authenticator"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_pskRequired_3571 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QSslPreSharedKeyAuthenticator *arg1 = gsi::arg_reader() (args, heap); + ((QDtls_Adaptor *)cls)->emitter_QDtls_pskRequired_3571 (arg1); +} + + // exposed int QDtls::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1051,13 +1110,17 @@ static gsi::Methods methods_QDtls_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDtls::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDtls::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDtls::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QDtls::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDtls::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("emit_handshakeTimeout", "@brief Emitter for signal void QDtls::handshakeTimeout()\nCall this method to emit this signal.", false, &_init_emitter_handshakeTimeout_0, &_call_emitter_handshakeTimeout_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QDtls::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QDtls::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); + methods += new qt_gsi::GenericMethod ("emit_pskRequired", "@brief Emitter for signal void QDtls::pskRequired(QSslPreSharedKeyAuthenticator *authenticator)\nCall this method to emit this signal.", false, &_init_emitter_pskRequired_3571, &_call_emitter_pskRequired_3571); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QDtls::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QDtls::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QDtls::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier.cc index 64f9400395..54f9ecc7f8 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier.cc @@ -225,6 +225,8 @@ static gsi::Methods methods_QDtlsClientVerifier () { methods += new qt_gsi::GenericMethod ("setCookieGeneratorParameters", "@brief Method bool QDtlsClientVerifier::setCookieGeneratorParameters(const QDtlsClientVerifier::GeneratorParameters ¶ms)\n", false, &_init_f_setCookieGeneratorParameters_5331, &_call_f_setCookieGeneratorParameters_5331); methods += new qt_gsi::GenericMethod ("verifiedHello", "@brief Method QByteArray QDtlsClientVerifier::verifiedHello()\n", true, &_init_f_verifiedHello_c0, &_call_f_verifiedHello_c0); methods += new qt_gsi::GenericMethod ("verifyClient", "@brief Method bool QDtlsClientVerifier::verifyClient(QUdpSocket *socket, const QByteArray &dgram, const QHostAddress &address, quint16 port)\n", false, &_init_f_verifyClient_7220, &_call_f_verifyClient_7220); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QDtlsClientVerifier::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QDtlsClientVerifier::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QDtlsClientVerifier::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QDtlsClientVerifier::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -279,6 +281,12 @@ class QDtlsClientVerifier_Adaptor : public QDtlsClientVerifier, public qt_gsi::Q return QDtlsClientVerifier::senderSignalIndex(); } + // [emitter impl] void QDtlsClientVerifier::destroyed(QObject *) + void emitter_QDtlsClientVerifier_destroyed_1302(QObject *arg1) + { + emit QDtlsClientVerifier::destroyed(arg1); + } + // [adaptor impl] bool QDtlsClientVerifier::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -309,6 +317,13 @@ class QDtlsClientVerifier_Adaptor : public QDtlsClientVerifier, public qt_gsi::Q } } + // [emitter impl] void QDtlsClientVerifier::objectNameChanged(const QString &objectName) + void emitter_QDtlsClientVerifier_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QDtlsClientVerifier::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QDtlsClientVerifier::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -445,6 +460,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QDtlsClientVerifier::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QDtlsClientVerifier_Adaptor *)cls)->emitter_QDtlsClientVerifier_destroyed_1302 (arg1); +} + + // void QDtlsClientVerifier::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -536,6 +569,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QDtlsClientVerifier::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QDtlsClientVerifier_Adaptor *)cls)->emitter_QDtlsClientVerifier_objectNameChanged_4567 (arg1); +} + + // exposed int QDtlsClientVerifier::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -618,6 +669,7 @@ static gsi::Methods methods_QDtlsClientVerifier_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDtlsClientVerifier::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDtlsClientVerifier::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDtlsClientVerifier::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QDtlsClientVerifier::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -625,6 +677,7 @@ static gsi::Methods methods_QDtlsClientVerifier_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDtlsClientVerifier::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QDtlsClientVerifier::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QDtlsClientVerifier::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QDtlsClientVerifier::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QDtlsClientVerifier::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QDtlsClientVerifier::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQHstsPolicy.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQHstsPolicy.cc index acdd9a23ed..de98fe1c65 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQHstsPolicy.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQHstsPolicy.cc @@ -283,14 +283,14 @@ static gsi::Methods methods_QHstsPolicy () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QHstsPolicy::QHstsPolicy()\nThis method creates an object of class QHstsPolicy.", &_init_ctor_QHstsPolicy_0, &_call_ctor_QHstsPolicy_0); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QHstsPolicy::QHstsPolicy(const QDateTime &expiry, QFlags flags, const QString &host, QUrl::ParsingMode mode)\nThis method creates an object of class QHstsPolicy.", &_init_ctor_QHstsPolicy_9302, &_call_ctor_QHstsPolicy_9302); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QHstsPolicy::QHstsPolicy(const QHstsPolicy &rhs)\nThis method creates an object of class QHstsPolicy.", &_init_ctor_QHstsPolicy_2436, &_call_ctor_QHstsPolicy_2436); - methods += new qt_gsi::GenericMethod ("expiry", "@brief Method QDateTime QHstsPolicy::expiry()\n", true, &_init_f_expiry_c0, &_call_f_expiry_c0); + methods += new qt_gsi::GenericMethod (":expiry", "@brief Method QDateTime QHstsPolicy::expiry()\n", true, &_init_f_expiry_c0, &_call_f_expiry_c0); methods += new qt_gsi::GenericMethod ("host", "@brief Method QString QHstsPolicy::host(QFlags options)\n", true, &_init_f_host_c4267, &_call_f_host_c4267); - methods += new qt_gsi::GenericMethod ("includesSubDomains", "@brief Method bool QHstsPolicy::includesSubDomains()\n", true, &_init_f_includesSubDomains_c0, &_call_f_includesSubDomains_c0); + methods += new qt_gsi::GenericMethod (":includesSubDomains", "@brief Method bool QHstsPolicy::includesSubDomains()\n", true, &_init_f_includesSubDomains_c0, &_call_f_includesSubDomains_c0); methods += new qt_gsi::GenericMethod ("isExpired?", "@brief Method bool QHstsPolicy::isExpired()\n", true, &_init_f_isExpired_c0, &_call_f_isExpired_c0); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QHstsPolicy &QHstsPolicy::operator=(const QHstsPolicy &rhs)\n", false, &_init_f_operator_eq__2436, &_call_f_operator_eq__2436); - methods += new qt_gsi::GenericMethod ("setExpiry", "@brief Method void QHstsPolicy::setExpiry(const QDateTime &expiry)\n", false, &_init_f_setExpiry_2175, &_call_f_setExpiry_2175); + methods += new qt_gsi::GenericMethod ("setExpiry|expiry=", "@brief Method void QHstsPolicy::setExpiry(const QDateTime &expiry)\n", false, &_init_f_setExpiry_2175, &_call_f_setExpiry_2175); methods += new qt_gsi::GenericMethod ("setHost", "@brief Method void QHstsPolicy::setHost(const QString &host, QUrl::ParsingMode mode)\n", false, &_init_f_setHost_3970, &_call_f_setHost_3970); - methods += new qt_gsi::GenericMethod ("setIncludesSubDomains", "@brief Method void QHstsPolicy::setIncludesSubDomains(bool include)\n", false, &_init_f_setIncludesSubDomains_864, &_call_f_setIncludesSubDomains_864); + methods += new qt_gsi::GenericMethod ("setIncludesSubDomains|includesSubDomains=", "@brief Method void QHstsPolicy::setIncludesSubDomains(bool include)\n", false, &_init_f_setIncludesSubDomains_864, &_call_f_setIncludesSubDomains_864); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QHstsPolicy::swap(QHstsPolicy &other)\n", false, &_init_f_swap_1741, &_call_f_swap_1741); methods += gsi::method_ext("==", &::op_QHstsPolicy_operator_eq__eq__4764, gsi::arg ("rhs"), "@brief Operator bool ::operator==(const QHstsPolicy &lhs, const QHstsPolicy &rhs)\nThis is the mapping of the global operator to the instance method."); methods += gsi::method_ext("!=", &::op_QHstsPolicy_operator_excl__eq__4764, gsi::arg ("rhs"), "@brief Operator bool ::operator!=(const QHstsPolicy &lhs, const QHstsPolicy &rhs)\nThis is the mapping of the global operator to the instance method."); diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAccessManager.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAccessManager.cc index 07c3218460..f867fbfd13 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAccessManager.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAccessManager.cc @@ -865,7 +865,7 @@ static gsi::Methods methods_QNetworkAccessManager () { methods += new qt_gsi::GenericMethod ("enableStrictTransportSecurityStore", "@brief Method void QNetworkAccessManager::enableStrictTransportSecurityStore(bool enabled, const QString &storeDir)\n", false, &_init_f_enableStrictTransportSecurityStore_2781, &_call_f_enableStrictTransportSecurityStore_2781); methods += new qt_gsi::GenericMethod ("get", "@brief Method QNetworkReply *QNetworkAccessManager::get(const QNetworkRequest &request)\n", false, &_init_f_get_2885, &_call_f_get_2885); methods += new qt_gsi::GenericMethod ("head", "@brief Method QNetworkReply *QNetworkAccessManager::head(const QNetworkRequest &request)\n", false, &_init_f_head_2885, &_call_f_head_2885); - methods += new qt_gsi::GenericMethod ("isStrictTransportSecurityEnabled?", "@brief Method bool QNetworkAccessManager::isStrictTransportSecurityEnabled()\n", true, &_init_f_isStrictTransportSecurityEnabled_c0, &_call_f_isStrictTransportSecurityEnabled_c0); + methods += new qt_gsi::GenericMethod ("isStrictTransportSecurityEnabled?|:strictTransportSecurityEnabled", "@brief Method bool QNetworkAccessManager::isStrictTransportSecurityEnabled()\n", true, &_init_f_isStrictTransportSecurityEnabled_c0, &_call_f_isStrictTransportSecurityEnabled_c0); methods += new qt_gsi::GenericMethod ("isStrictTransportSecurityStoreEnabled?", "@brief Method bool QNetworkAccessManager::isStrictTransportSecurityStoreEnabled()\n", true, &_init_f_isStrictTransportSecurityStoreEnabled_c0, &_call_f_isStrictTransportSecurityStoreEnabled_c0); methods += new qt_gsi::GenericMethod (":networkAccessible", "@brief Method QNetworkAccessManager::NetworkAccessibility QNetworkAccessManager::networkAccessible()\n", true, &_init_f_networkAccessible_c0, &_call_f_networkAccessible_c0); methods += new qt_gsi::GenericMethod ("post", "@brief Method QNetworkReply *QNetworkAccessManager::post(const QNetworkRequest &request, QIODevice *data)\n", false, &_init_f_post_4224, &_call_f_post_4224); @@ -876,7 +876,7 @@ static gsi::Methods methods_QNetworkAccessManager () { methods += new qt_gsi::GenericMethod ("put", "@brief Method QNetworkReply *QNetworkAccessManager::put(const QNetworkRequest &request, QIODevice *data)\n", false, &_init_f_put_4224, &_call_f_put_4224); methods += new qt_gsi::GenericMethod ("put", "@brief Method QNetworkReply *QNetworkAccessManager::put(const QNetworkRequest &request, const QByteArray &data)\n", false, &_init_f_put_5086, &_call_f_put_5086); methods += new qt_gsi::GenericMethod ("put", "@brief Method QNetworkReply *QNetworkAccessManager::put(const QNetworkRequest &request, QHttpMultiPart *multiPart)\n", false, &_init_f_put_4826, &_call_f_put_4826); - methods += new qt_gsi::GenericMethod ("redirectPolicy", "@brief Method QNetworkRequest::RedirectPolicy QNetworkAccessManager::redirectPolicy()\n", true, &_init_f_redirectPolicy_c0, &_call_f_redirectPolicy_c0); + methods += new qt_gsi::GenericMethod (":redirectPolicy", "@brief Method QNetworkRequest::RedirectPolicy QNetworkAccessManager::redirectPolicy()\n", true, &_init_f_redirectPolicy_c0, &_call_f_redirectPolicy_c0); methods += new qt_gsi::GenericMethod ("sendCustomRequest", "@brief Method QNetworkReply *QNetworkAccessManager::sendCustomRequest(const QNetworkRequest &request, const QByteArray &verb, QIODevice *data)\n", false, &_init_f_sendCustomRequest_6425, &_call_f_sendCustomRequest_6425); methods += new qt_gsi::GenericMethod ("sendCustomRequest", "@brief Method QNetworkReply *QNetworkAccessManager::sendCustomRequest(const QNetworkRequest &request, const QByteArray &verb, const QByteArray &data)\n", false, &_init_f_sendCustomRequest_7287, &_call_f_sendCustomRequest_7287); methods += new qt_gsi::GenericMethod ("sendCustomRequest", "@brief Method QNetworkReply *QNetworkAccessManager::sendCustomRequest(const QNetworkRequest &request, const QByteArray &verb, QHttpMultiPart *multiPart)\n", false, &_init_f_sendCustomRequest_7027, &_call_f_sendCustomRequest_7027); @@ -886,8 +886,8 @@ static gsi::Methods methods_QNetworkAccessManager () { methods += new qt_gsi::GenericMethod ("setNetworkAccessible|networkAccessible=", "@brief Method void QNetworkAccessManager::setNetworkAccessible(QNetworkAccessManager::NetworkAccessibility accessible)\n", false, &_init_f_setNetworkAccessible_4770, &_call_f_setNetworkAccessible_4770); methods += new qt_gsi::GenericMethod ("setProxy|proxy=", "@brief Method void QNetworkAccessManager::setProxy(const QNetworkProxy &proxy)\n", false, &_init_f_setProxy_2686, &_call_f_setProxy_2686); methods += new qt_gsi::GenericMethod ("setProxyFactory|proxyFactory=", "@brief Method void QNetworkAccessManager::setProxyFactory(QNetworkProxyFactory *factory)\n", false, &_init_f_setProxyFactory_2723, &_call_f_setProxyFactory_2723); - methods += new qt_gsi::GenericMethod ("setRedirectPolicy", "@brief Method void QNetworkAccessManager::setRedirectPolicy(QNetworkRequest::RedirectPolicy policy)\n", false, &_init_f_setRedirectPolicy_3566, &_call_f_setRedirectPolicy_3566); - methods += new qt_gsi::GenericMethod ("setStrictTransportSecurityEnabled", "@brief Method void QNetworkAccessManager::setStrictTransportSecurityEnabled(bool enabled)\n", false, &_init_f_setStrictTransportSecurityEnabled_864, &_call_f_setStrictTransportSecurityEnabled_864); + methods += new qt_gsi::GenericMethod ("setRedirectPolicy|redirectPolicy=", "@brief Method void QNetworkAccessManager::setRedirectPolicy(QNetworkRequest::RedirectPolicy policy)\n", false, &_init_f_setRedirectPolicy_3566, &_call_f_setRedirectPolicy_3566); + methods += new qt_gsi::GenericMethod ("setStrictTransportSecurityEnabled|strictTransportSecurityEnabled=", "@brief Method void QNetworkAccessManager::setStrictTransportSecurityEnabled(bool enabled)\n", false, &_init_f_setStrictTransportSecurityEnabled_864, &_call_f_setStrictTransportSecurityEnabled_864); methods += new qt_gsi::GenericMethod ("strictTransportSecurityHosts", "@brief Method QVector QNetworkAccessManager::strictTransportSecurityHosts()\n", true, &_init_f_strictTransportSecurityHosts_c0, &_call_f_strictTransportSecurityHosts_c0); methods += new qt_gsi::GenericMethod ("supportedSchemes", "@brief Method QStringList QNetworkAccessManager::supportedSchemes()\n", true, &_init_f_supportedSchemes_c0, &_call_f_supportedSchemes_c0); methods += gsi::qt_signal ("authenticationRequired(QNetworkReply *, QAuthenticator *)", "authenticationRequired", gsi::arg("reply"), gsi::arg("authenticator"), "@brief Signal declaration for QNetworkAccessManager::authenticationRequired(QNetworkReply *reply, QAuthenticator *authenticator)\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAddressEntry.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAddressEntry.cc index ae185a117b..fe5e098e03 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAddressEntry.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAddressEntry.cc @@ -447,7 +447,7 @@ static gsi::Methods methods_QNetworkAddressEntry () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkAddressEntry::QNetworkAddressEntry(const QNetworkAddressEntry &other)\nThis method creates an object of class QNetworkAddressEntry.", &_init_ctor_QNetworkAddressEntry_3380, &_call_ctor_QNetworkAddressEntry_3380); methods += new qt_gsi::GenericMethod (":broadcast", "@brief Method QHostAddress QNetworkAddressEntry::broadcast()\n", true, &_init_f_broadcast_c0, &_call_f_broadcast_c0); methods += new qt_gsi::GenericMethod ("clearAddressLifetime", "@brief Method void QNetworkAddressEntry::clearAddressLifetime()\n", false, &_init_f_clearAddressLifetime_0, &_call_f_clearAddressLifetime_0); - methods += new qt_gsi::GenericMethod ("dnsEligibility", "@brief Method QNetworkAddressEntry::DnsEligibilityStatus QNetworkAddressEntry::dnsEligibility()\n", true, &_init_f_dnsEligibility_c0, &_call_f_dnsEligibility_c0); + methods += new qt_gsi::GenericMethod (":dnsEligibility", "@brief Method QNetworkAddressEntry::DnsEligibilityStatus QNetworkAddressEntry::dnsEligibility()\n", true, &_init_f_dnsEligibility_c0, &_call_f_dnsEligibility_c0); methods += new qt_gsi::GenericMethod (":ip", "@brief Method QHostAddress QNetworkAddressEntry::ip()\n", true, &_init_f_ip_c0, &_call_f_ip_c0); methods += new qt_gsi::GenericMethod ("isLifetimeKnown?", "@brief Method bool QNetworkAddressEntry::isLifetimeKnown()\n", true, &_init_f_isLifetimeKnown_c0, &_call_f_isLifetimeKnown_c0); methods += new qt_gsi::GenericMethod ("isPermanent?", "@brief Method bool QNetworkAddressEntry::isPermanent()\n", true, &_init_f_isPermanent_c0, &_call_f_isPermanent_c0); @@ -460,7 +460,7 @@ static gsi::Methods methods_QNetworkAddressEntry () { methods += new qt_gsi::GenericMethod (":prefixLength", "@brief Method int QNetworkAddressEntry::prefixLength()\n", true, &_init_f_prefixLength_c0, &_call_f_prefixLength_c0); methods += new qt_gsi::GenericMethod ("setAddressLifetime", "@brief Method void QNetworkAddressEntry::setAddressLifetime(QDeadlineTimer preferred, QDeadlineTimer validity)\n", false, &_init_f_setAddressLifetime_3532, &_call_f_setAddressLifetime_3532); methods += new qt_gsi::GenericMethod ("setBroadcast|broadcast=", "@brief Method void QNetworkAddressEntry::setBroadcast(const QHostAddress &newBroadcast)\n", false, &_init_f_setBroadcast_2518, &_call_f_setBroadcast_2518); - methods += new qt_gsi::GenericMethod ("setDnsEligibility", "@brief Method void QNetworkAddressEntry::setDnsEligibility(QNetworkAddressEntry::DnsEligibilityStatus status)\n", false, &_init_f_setDnsEligibility_4699, &_call_f_setDnsEligibility_4699); + methods += new qt_gsi::GenericMethod ("setDnsEligibility|dnsEligibility=", "@brief Method void QNetworkAddressEntry::setDnsEligibility(QNetworkAddressEntry::DnsEligibilityStatus status)\n", false, &_init_f_setDnsEligibility_4699, &_call_f_setDnsEligibility_4699); methods += new qt_gsi::GenericMethod ("setIp|ip=", "@brief Method void QNetworkAddressEntry::setIp(const QHostAddress &newIp)\n", false, &_init_f_setIp_2518, &_call_f_setIp_2518); methods += new qt_gsi::GenericMethod ("setNetmask|netmask=", "@brief Method void QNetworkAddressEntry::setNetmask(const QHostAddress &newNetmask)\n", false, &_init_f_setNetmask_2518, &_call_f_setNetmask_2518); methods += new qt_gsi::GenericMethod ("setPrefixLength|prefixLength=", "@brief Method void QNetworkAddressEntry::setPrefixLength(int length)\n", false, &_init_f_setPrefixLength_767, &_call_f_setPrefixLength_767); diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDatagram.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDatagram.cc index 818e37bfdc..04cd36b94f 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDatagram.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDatagram.cc @@ -420,21 +420,21 @@ static gsi::Methods methods_QNetworkDatagram () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkDatagram::QNetworkDatagram(const QByteArray &data, const QHostAddress &destinationAddress, quint16 port)\nThis method creates an object of class QNetworkDatagram.", &_init_ctor_QNetworkDatagram_5711, &_call_ctor_QNetworkDatagram_5711); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkDatagram::QNetworkDatagram(const QNetworkDatagram &other)\nThis method creates an object of class QNetworkDatagram.", &_init_ctor_QNetworkDatagram_2941, &_call_ctor_QNetworkDatagram_2941); methods += new qt_gsi::GenericMethod ("clear", "@brief Method void QNetworkDatagram::clear()\n", false, &_init_f_clear_0, &_call_f_clear_0); - methods += new qt_gsi::GenericMethod ("data", "@brief Method QByteArray QNetworkDatagram::data()\n", true, &_init_f_data_c0, &_call_f_data_c0); + methods += new qt_gsi::GenericMethod (":data", "@brief Method QByteArray QNetworkDatagram::data()\n", true, &_init_f_data_c0, &_call_f_data_c0); methods += new qt_gsi::GenericMethod ("destinationAddress", "@brief Method QHostAddress QNetworkDatagram::destinationAddress()\n", true, &_init_f_destinationAddress_c0, &_call_f_destinationAddress_c0); methods += new qt_gsi::GenericMethod ("destinationPort", "@brief Method int QNetworkDatagram::destinationPort()\n", true, &_init_f_destinationPort_c0, &_call_f_destinationPort_c0); - methods += new qt_gsi::GenericMethod ("hopLimit", "@brief Method int QNetworkDatagram::hopLimit()\n", true, &_init_f_hopLimit_c0, &_call_f_hopLimit_c0); - methods += new qt_gsi::GenericMethod ("interfaceIndex", "@brief Method unsigned int QNetworkDatagram::interfaceIndex()\n", true, &_init_f_interfaceIndex_c0, &_call_f_interfaceIndex_c0); + methods += new qt_gsi::GenericMethod (":hopLimit", "@brief Method int QNetworkDatagram::hopLimit()\n", true, &_init_f_hopLimit_c0, &_call_f_hopLimit_c0); + methods += new qt_gsi::GenericMethod (":interfaceIndex", "@brief Method unsigned int QNetworkDatagram::interfaceIndex()\n", true, &_init_f_interfaceIndex_c0, &_call_f_interfaceIndex_c0); methods += new qt_gsi::GenericMethod ("isNull?", "@brief Method bool QNetworkDatagram::isNull()\n", true, &_init_f_isNull_c0, &_call_f_isNull_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QNetworkDatagram::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod ("makeReply", "@brief Method QNetworkDatagram QNetworkDatagram::makeReply(const QByteArray &payload)\n", true, &_init_f_makeReply_cr2309, &_call_f_makeReply_cr2309); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QNetworkDatagram &QNetworkDatagram::operator=(const QNetworkDatagram &other)\n", false, &_init_f_operator_eq__2941, &_call_f_operator_eq__2941); methods += new qt_gsi::GenericMethod ("senderAddress", "@brief Method QHostAddress QNetworkDatagram::senderAddress()\n", true, &_init_f_senderAddress_c0, &_call_f_senderAddress_c0); methods += new qt_gsi::GenericMethod ("senderPort", "@brief Method int QNetworkDatagram::senderPort()\n", true, &_init_f_senderPort_c0, &_call_f_senderPort_c0); - methods += new qt_gsi::GenericMethod ("setData", "@brief Method void QNetworkDatagram::setData(const QByteArray &data)\n", false, &_init_f_setData_2309, &_call_f_setData_2309); + methods += new qt_gsi::GenericMethod ("setData|data=", "@brief Method void QNetworkDatagram::setData(const QByteArray &data)\n", false, &_init_f_setData_2309, &_call_f_setData_2309); methods += new qt_gsi::GenericMethod ("setDestination", "@brief Method void QNetworkDatagram::setDestination(const QHostAddress &address, quint16 port)\n", false, &_init_f_setDestination_3510, &_call_f_setDestination_3510); - methods += new qt_gsi::GenericMethod ("setHopLimit", "@brief Method void QNetworkDatagram::setHopLimit(int count)\n", false, &_init_f_setHopLimit_767, &_call_f_setHopLimit_767); - methods += new qt_gsi::GenericMethod ("setInterfaceIndex", "@brief Method void QNetworkDatagram::setInterfaceIndex(unsigned int index)\n", false, &_init_f_setInterfaceIndex_1772, &_call_f_setInterfaceIndex_1772); + methods += new qt_gsi::GenericMethod ("setHopLimit|hopLimit=", "@brief Method void QNetworkDatagram::setHopLimit(int count)\n", false, &_init_f_setHopLimit_767, &_call_f_setHopLimit_767); + methods += new qt_gsi::GenericMethod ("setInterfaceIndex|interfaceIndex=", "@brief Method void QNetworkDatagram::setInterfaceIndex(unsigned int index)\n", false, &_init_f_setInterfaceIndex_1772, &_call_f_setInterfaceIndex_1772); methods += new qt_gsi::GenericMethod ("setSender", "@brief Method void QNetworkDatagram::setSender(const QHostAddress &address, quint16 port)\n", false, &_init_f_setSender_3510, &_call_f_setSender_3510); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QNetworkDatagram::swap(QNetworkDatagram &other)\n", false, &_init_f_swap_2246, &_call_f_swap_2246); return methods; diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkRequest.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkRequest.cc index d9d97dd5b9..bfc64c9b8c 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkRequest.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkRequest.cc @@ -502,7 +502,7 @@ static gsi::Methods methods_QNetworkRequest () { methods += new qt_gsi::GenericMethod ("attribute", "@brief Method QVariant QNetworkRequest::attribute(QNetworkRequest::Attribute code, const QVariant &defaultValue)\n", true, &_init_f_attribute_c5083, &_call_f_attribute_c5083); methods += new qt_gsi::GenericMethod ("hasRawHeader", "@brief Method bool QNetworkRequest::hasRawHeader(const QByteArray &headerName)\n", true, &_init_f_hasRawHeader_c2309, &_call_f_hasRawHeader_c2309); methods += new qt_gsi::GenericMethod ("header", "@brief Method QVariant QNetworkRequest::header(QNetworkRequest::KnownHeaders header)\n", true, &_init_f_header_c3349, &_call_f_header_c3349); - methods += new qt_gsi::GenericMethod ("maximumRedirectsAllowed", "@brief Method int QNetworkRequest::maximumRedirectsAllowed()\n", true, &_init_f_maximumRedirectsAllowed_c0, &_call_f_maximumRedirectsAllowed_c0); + methods += new qt_gsi::GenericMethod (":maximumRedirectsAllowed", "@brief Method int QNetworkRequest::maximumRedirectsAllowed()\n", true, &_init_f_maximumRedirectsAllowed_c0, &_call_f_maximumRedirectsAllowed_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QNetworkRequest::operator!=(const QNetworkRequest &other)\n", true, &_init_f_operator_excl__eq__c2885, &_call_f_operator_excl__eq__c2885); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QNetworkRequest &QNetworkRequest::operator=(const QNetworkRequest &other)\n", false, &_init_f_operator_eq__2885, &_call_f_operator_eq__2885); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QNetworkRequest::operator==(const QNetworkRequest &other)\n", true, &_init_f_operator_eq__eq__c2885, &_call_f_operator_eq__eq__c2885); @@ -512,7 +512,7 @@ static gsi::Methods methods_QNetworkRequest () { methods += new qt_gsi::GenericMethod ("rawHeaderList", "@brief Method QList QNetworkRequest::rawHeaderList()\n", true, &_init_f_rawHeaderList_c0, &_call_f_rawHeaderList_c0); methods += new qt_gsi::GenericMethod ("setAttribute", "@brief Method void QNetworkRequest::setAttribute(QNetworkRequest::Attribute code, const QVariant &value)\n", false, &_init_f_setAttribute_5083, &_call_f_setAttribute_5083); methods += new qt_gsi::GenericMethod ("setHeader", "@brief Method void QNetworkRequest::setHeader(QNetworkRequest::KnownHeaders header, const QVariant &value)\n", false, &_init_f_setHeader_5360, &_call_f_setHeader_5360); - methods += new qt_gsi::GenericMethod ("setMaximumRedirectsAllowed", "@brief Method void QNetworkRequest::setMaximumRedirectsAllowed(int maximumRedirectsAllowed)\n", false, &_init_f_setMaximumRedirectsAllowed_767, &_call_f_setMaximumRedirectsAllowed_767); + methods += new qt_gsi::GenericMethod ("setMaximumRedirectsAllowed|maximumRedirectsAllowed=", "@brief Method void QNetworkRequest::setMaximumRedirectsAllowed(int maximumRedirectsAllowed)\n", false, &_init_f_setMaximumRedirectsAllowed_767, &_call_f_setMaximumRedirectsAllowed_767); methods += new qt_gsi::GenericMethod ("setOriginatingObject|originatingObject=", "@brief Method void QNetworkRequest::setOriginatingObject(QObject *object)\n", false, &_init_f_setOriginatingObject_1302, &_call_f_setOriginatingObject_1302); methods += new qt_gsi::GenericMethod ("setPriority|priority=", "@brief Method void QNetworkRequest::setPriority(QNetworkRequest::Priority priority)\n", false, &_init_f_setPriority_2990, &_call_f_setPriority_2990); methods += new qt_gsi::GenericMethod ("setRawHeader", "@brief Method void QNetworkRequest::setRawHeader(const QByteArray &headerName, const QByteArray &value)\n", false, &_init_f_setRawHeader_4510, &_call_f_setRawHeader_4510); diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslConfiguration.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslConfiguration.cc index e5700a2b63..ef57985db3 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslConfiguration.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslConfiguration.cc @@ -1000,11 +1000,11 @@ static gsi::Methods methods_QSslConfiguration () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSslConfiguration::QSslConfiguration()\nThis method creates an object of class QSslConfiguration.", &_init_ctor_QSslConfiguration_0, &_call_ctor_QSslConfiguration_0); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSslConfiguration::QSslConfiguration(const QSslConfiguration &other)\nThis method creates an object of class QSslConfiguration.", &_init_ctor_QSslConfiguration_3068, &_call_ctor_QSslConfiguration_3068); methods += new qt_gsi::GenericMethod (":allowedNextProtocols", "@brief Method QList QSslConfiguration::allowedNextProtocols()\n", true, &_init_f_allowedNextProtocols_c0, &_call_f_allowedNextProtocols_c0); - methods += new qt_gsi::GenericMethod ("backendConfiguration", "@brief Method QMap QSslConfiguration::backendConfiguration()\n", true, &_init_f_backendConfiguration_c0, &_call_f_backendConfiguration_c0); + methods += new qt_gsi::GenericMethod (":backendConfiguration", "@brief Method QMap QSslConfiguration::backendConfiguration()\n", true, &_init_f_backendConfiguration_c0, &_call_f_backendConfiguration_c0); methods += new qt_gsi::GenericMethod (":caCertificates", "@brief Method QList QSslConfiguration::caCertificates()\n", true, &_init_f_caCertificates_c0, &_call_f_caCertificates_c0); methods += new qt_gsi::GenericMethod (":ciphers", "@brief Method QList QSslConfiguration::ciphers()\n", true, &_init_f_ciphers_c0, &_call_f_ciphers_c0); - methods += new qt_gsi::GenericMethod ("diffieHellmanParameters", "@brief Method QSslDiffieHellmanParameters QSslConfiguration::diffieHellmanParameters()\n", true, &_init_f_diffieHellmanParameters_c0, &_call_f_diffieHellmanParameters_c0); - methods += new qt_gsi::GenericMethod ("dtlsCookieVerificationEnabled", "@brief Method bool QSslConfiguration::dtlsCookieVerificationEnabled()\n", true, &_init_f_dtlsCookieVerificationEnabled_c0, &_call_f_dtlsCookieVerificationEnabled_c0); + methods += new qt_gsi::GenericMethod (":diffieHellmanParameters", "@brief Method QSslDiffieHellmanParameters QSslConfiguration::diffieHellmanParameters()\n", true, &_init_f_diffieHellmanParameters_c0, &_call_f_diffieHellmanParameters_c0); + methods += new qt_gsi::GenericMethod (":dtlsCookieVerificationEnabled", "@brief Method bool QSslConfiguration::dtlsCookieVerificationEnabled()\n", true, &_init_f_dtlsCookieVerificationEnabled_c0, &_call_f_dtlsCookieVerificationEnabled_c0); methods += new qt_gsi::GenericMethod (":ellipticCurves", "@brief Method QVector QSslConfiguration::ellipticCurves()\n", true, &_init_f_ellipticCurves_c0, &_call_f_ellipticCurves_c0); methods += new qt_gsi::GenericMethod ("ephemeralServerKey", "@brief Method QSslKey QSslConfiguration::ephemeralServerKey()\n", true, &_init_f_ephemeralServerKey_c0, &_call_f_ephemeralServerKey_c0); methods += new qt_gsi::GenericMethod ("isNull?", "@brief Method bool QSslConfiguration::isNull()\n", true, &_init_f_isNull_c0, &_call_f_isNull_c0); @@ -1019,7 +1019,7 @@ static gsi::Methods methods_QSslConfiguration () { methods += new qt_gsi::GenericMethod ("peerCertificateChain", "@brief Method QList QSslConfiguration::peerCertificateChain()\n", true, &_init_f_peerCertificateChain_c0, &_call_f_peerCertificateChain_c0); methods += new qt_gsi::GenericMethod (":peerVerifyDepth", "@brief Method int QSslConfiguration::peerVerifyDepth()\n", true, &_init_f_peerVerifyDepth_c0, &_call_f_peerVerifyDepth_c0); methods += new qt_gsi::GenericMethod (":peerVerifyMode", "@brief Method QSslSocket::PeerVerifyMode QSslConfiguration::peerVerifyMode()\n", true, &_init_f_peerVerifyMode_c0, &_call_f_peerVerifyMode_c0); - methods += new qt_gsi::GenericMethod ("preSharedKeyIdentityHint", "@brief Method QByteArray QSslConfiguration::preSharedKeyIdentityHint()\n", true, &_init_f_preSharedKeyIdentityHint_c0, &_call_f_preSharedKeyIdentityHint_c0); + methods += new qt_gsi::GenericMethod (":preSharedKeyIdentityHint", "@brief Method QByteArray QSslConfiguration::preSharedKeyIdentityHint()\n", true, &_init_f_preSharedKeyIdentityHint_c0, &_call_f_preSharedKeyIdentityHint_c0); methods += new qt_gsi::GenericMethod (":privateKey", "@brief Method QSslKey QSslConfiguration::privateKey()\n", true, &_init_f_privateKey_c0, &_call_f_privateKey_c0); methods += new qt_gsi::GenericMethod (":protocol", "@brief Method QSsl::SslProtocol QSslConfiguration::protocol()\n", true, &_init_f_protocol_c0, &_call_f_protocol_c0); methods += new qt_gsi::GenericMethod ("sessionCipher", "@brief Method QSslCipher QSslConfiguration::sessionCipher()\n", true, &_init_f_sessionCipher_c0, &_call_f_sessionCipher_c0); @@ -1027,18 +1027,18 @@ static gsi::Methods methods_QSslConfiguration () { methods += new qt_gsi::GenericMethod (":sessionTicket", "@brief Method QByteArray QSslConfiguration::sessionTicket()\n", true, &_init_f_sessionTicket_c0, &_call_f_sessionTicket_c0); methods += new qt_gsi::GenericMethod ("sessionTicketLifeTimeHint", "@brief Method int QSslConfiguration::sessionTicketLifeTimeHint()\n", true, &_init_f_sessionTicketLifeTimeHint_c0, &_call_f_sessionTicketLifeTimeHint_c0); methods += new qt_gsi::GenericMethod ("setAllowedNextProtocols|allowedNextProtocols=", "@brief Method void QSslConfiguration::setAllowedNextProtocols(QList protocols)\n", false, &_init_f_setAllowedNextProtocols_2047, &_call_f_setAllowedNextProtocols_2047); - methods += new qt_gsi::GenericMethod ("setBackendConfiguration", "@brief Method void QSslConfiguration::setBackendConfiguration(const QMap &backendConfiguration)\n", false, &_init_f_setBackendConfiguration_3792, &_call_f_setBackendConfiguration_3792); + methods += new qt_gsi::GenericMethod ("setBackendConfiguration|backendConfiguration=", "@brief Method void QSslConfiguration::setBackendConfiguration(const QMap &backendConfiguration)\n", false, &_init_f_setBackendConfiguration_3792, &_call_f_setBackendConfiguration_3792); methods += new qt_gsi::GenericMethod ("setBackendConfigurationOption", "@brief Method void QSslConfiguration::setBackendConfigurationOption(const QByteArray &name, const QVariant &value)\n", false, &_init_f_setBackendConfigurationOption_4320, &_call_f_setBackendConfigurationOption_4320); methods += new qt_gsi::GenericMethod ("setCaCertificates|caCertificates=", "@brief Method void QSslConfiguration::setCaCertificates(const QList &certificates)\n", false, &_init_f_setCaCertificates_3438, &_call_f_setCaCertificates_3438); methods += new qt_gsi::GenericMethod ("setCiphers|ciphers=", "@brief Method void QSslConfiguration::setCiphers(const QList &ciphers)\n", false, &_init_f_setCiphers_2918, &_call_f_setCiphers_2918); - methods += new qt_gsi::GenericMethod ("setDiffieHellmanParameters", "@brief Method void QSslConfiguration::setDiffieHellmanParameters(const QSslDiffieHellmanParameters &dhparams)\n", false, &_init_f_setDiffieHellmanParameters_4032, &_call_f_setDiffieHellmanParameters_4032); - methods += new qt_gsi::GenericMethod ("setDtlsCookieVerificationEnabled", "@brief Method void QSslConfiguration::setDtlsCookieVerificationEnabled(bool enable)\n", false, &_init_f_setDtlsCookieVerificationEnabled_864, &_call_f_setDtlsCookieVerificationEnabled_864); + methods += new qt_gsi::GenericMethod ("setDiffieHellmanParameters|diffieHellmanParameters=", "@brief Method void QSslConfiguration::setDiffieHellmanParameters(const QSslDiffieHellmanParameters &dhparams)\n", false, &_init_f_setDiffieHellmanParameters_4032, &_call_f_setDiffieHellmanParameters_4032); + methods += new qt_gsi::GenericMethod ("setDtlsCookieVerificationEnabled|dtlsCookieVerificationEnabled=", "@brief Method void QSslConfiguration::setDtlsCookieVerificationEnabled(bool enable)\n", false, &_init_f_setDtlsCookieVerificationEnabled_864, &_call_f_setDtlsCookieVerificationEnabled_864); methods += new qt_gsi::GenericMethod ("setEllipticCurves|ellipticCurves=", "@brief Method void QSslConfiguration::setEllipticCurves(const QVector &curves)\n", false, &_init_f_setEllipticCurves_3869, &_call_f_setEllipticCurves_3869); methods += new qt_gsi::GenericMethod ("setLocalCertificate|localCertificate=", "@brief Method void QSslConfiguration::setLocalCertificate(const QSslCertificate &certificate)\n", false, &_init_f_setLocalCertificate_2823, &_call_f_setLocalCertificate_2823); methods += new qt_gsi::GenericMethod ("setLocalCertificateChain|localCertificateChain=", "@brief Method void QSslConfiguration::setLocalCertificateChain(const QList &localChain)\n", false, &_init_f_setLocalCertificateChain_3438, &_call_f_setLocalCertificateChain_3438); methods += new qt_gsi::GenericMethod ("setPeerVerifyDepth|peerVerifyDepth=", "@brief Method void QSslConfiguration::setPeerVerifyDepth(int depth)\n", false, &_init_f_setPeerVerifyDepth_767, &_call_f_setPeerVerifyDepth_767); methods += new qt_gsi::GenericMethod ("setPeerVerifyMode|peerVerifyMode=", "@brief Method void QSslConfiguration::setPeerVerifyMode(QSslSocket::PeerVerifyMode mode)\n", false, &_init_f_setPeerVerifyMode_2970, &_call_f_setPeerVerifyMode_2970); - methods += new qt_gsi::GenericMethod ("setPreSharedKeyIdentityHint", "@brief Method void QSslConfiguration::setPreSharedKeyIdentityHint(const QByteArray &hint)\n", false, &_init_f_setPreSharedKeyIdentityHint_2309, &_call_f_setPreSharedKeyIdentityHint_2309); + methods += new qt_gsi::GenericMethod ("setPreSharedKeyIdentityHint|preSharedKeyIdentityHint=", "@brief Method void QSslConfiguration::setPreSharedKeyIdentityHint(const QByteArray &hint)\n", false, &_init_f_setPreSharedKeyIdentityHint_2309, &_call_f_setPreSharedKeyIdentityHint_2309); methods += new qt_gsi::GenericMethod ("setPrivateKey|privateKey=", "@brief Method void QSslConfiguration::setPrivateKey(const QSslKey &key)\n", false, &_init_f_setPrivateKey_1997, &_call_f_setPrivateKey_1997); methods += new qt_gsi::GenericMethod ("setProtocol|protocol=", "@brief Method void QSslConfiguration::setProtocol(QSsl::SslProtocol protocol)\n", false, &_init_f_setProtocol_2095, &_call_f_setProtocol_2095); methods += new qt_gsi::GenericMethod ("setSessionTicket|sessionTicket=", "@brief Method void QSslConfiguration::setSessionTicket(const QByteArray &sessionTicket)\n", false, &_init_f_setSessionTicket_2309, &_call_f_setSessionTicket_2309); @@ -1046,9 +1046,9 @@ static gsi::Methods methods_QSslConfiguration () { methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QSslConfiguration::swap(QSslConfiguration &other)\n", false, &_init_f_swap_2373, &_call_f_swap_2373); methods += new qt_gsi::GenericMethod ("testSslOption", "@brief Method bool QSslConfiguration::testSslOption(QSsl::SslOption option)\n", true, &_init_f_testSslOption_c1878, &_call_f_testSslOption_c1878); methods += new qt_gsi::GenericStaticMethod (":defaultConfiguration", "@brief Static method QSslConfiguration QSslConfiguration::defaultConfiguration()\nThis method is static and can be called without an instance.", &_init_f_defaultConfiguration_0, &_call_f_defaultConfiguration_0); - methods += new qt_gsi::GenericStaticMethod ("defaultDtlsConfiguration", "@brief Static method QSslConfiguration QSslConfiguration::defaultDtlsConfiguration()\nThis method is static and can be called without an instance.", &_init_f_defaultDtlsConfiguration_0, &_call_f_defaultDtlsConfiguration_0); + methods += new qt_gsi::GenericStaticMethod (":defaultDtlsConfiguration", "@brief Static method QSslConfiguration QSslConfiguration::defaultDtlsConfiguration()\nThis method is static and can be called without an instance.", &_init_f_defaultDtlsConfiguration_0, &_call_f_defaultDtlsConfiguration_0); methods += new qt_gsi::GenericStaticMethod ("setDefaultConfiguration|defaultConfiguration=", "@brief Static method void QSslConfiguration::setDefaultConfiguration(const QSslConfiguration &configuration)\nThis method is static and can be called without an instance.", &_init_f_setDefaultConfiguration_3068, &_call_f_setDefaultConfiguration_3068); - methods += new qt_gsi::GenericStaticMethod ("setDefaultDtlsConfiguration", "@brief Static method void QSslConfiguration::setDefaultDtlsConfiguration(const QSslConfiguration &configuration)\nThis method is static and can be called without an instance.", &_init_f_setDefaultDtlsConfiguration_3068, &_call_f_setDefaultDtlsConfiguration_3068); + methods += new qt_gsi::GenericStaticMethod ("setDefaultDtlsConfiguration|defaultDtlsConfiguration=", "@brief Static method void QSslConfiguration::setDefaultDtlsConfiguration(const QSslConfiguration &configuration)\nThis method is static and can be called without an instance.", &_init_f_setDefaultDtlsConfiguration_3068, &_call_f_setDefaultDtlsConfiguration_3068); methods += new qt_gsi::GenericStaticMethod ("supportedCiphers", "@brief Static method QList QSslConfiguration::supportedCiphers()\nThis method is static and can be called without an instance.", &_init_f_supportedCiphers_0, &_call_f_supportedCiphers_0); methods += new qt_gsi::GenericStaticMethod ("supportedEllipticCurves", "@brief Static method QVector QSslConfiguration::supportedEllipticCurves()\nThis method is static and can be called without an instance.", &_init_f_supportedEllipticCurves_0, &_call_f_supportedEllipticCurves_0); methods += new qt_gsi::GenericStaticMethod ("systemCaCertificates", "@brief Static method QList QSslConfiguration::systemCaCertificates()\nThis method is static and can be called without an instance.", &_init_f_systemCaCertificates_0, &_call_f_systemCaCertificates_0); diff --git a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc index 741a99b9eb..c921b6dc23 100644 --- a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc +++ b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc @@ -436,6 +436,15 @@ static gsi::Methods methods_QAbstractPrintDialog () { methods += new qt_gsi::GenericMethod ("setOptionTabs", "@brief Method void QAbstractPrintDialog::setOptionTabs(const QList &tabs)\n", false, &_init_f_setOptionTabs_2663, &_call_f_setOptionTabs_2663); methods += new qt_gsi::GenericMethod ("setPrintRange|printRange=", "@brief Method void QAbstractPrintDialog::setPrintRange(QAbstractPrintDialog::PrintRange range)\n", false, &_init_f_setPrintRange_3588, &_call_f_setPrintRange_3588); methods += new qt_gsi::GenericMethod ("toPage", "@brief Method int QAbstractPrintDialog::toPage()\n", true, &_init_f_toPage_c0, &_call_f_toPage_c0); + methods += gsi::qt_signal ("accepted()", "accepted", "@brief Signal declaration for QAbstractPrintDialog::accepted()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("customContextMenuRequested(const QPoint &)", "customContextMenuRequested", gsi::arg("pos"), "@brief Signal declaration for QAbstractPrintDialog::customContextMenuRequested(const QPoint &pos)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAbstractPrintDialog::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("finished(int)", "finished", gsi::arg("result"), "@brief Signal declaration for QAbstractPrintDialog::finished(int result)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAbstractPrintDialog::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("rejected()", "rejected", "@brief Signal declaration for QAbstractPrintDialog::rejected()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowIconChanged(const QIcon &)", "windowIconChanged", gsi::arg("icon"), "@brief Signal declaration for QAbstractPrintDialog::windowIconChanged(const QIcon &icon)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowIconTextChanged(const QString &)", "windowIconTextChanged", gsi::arg("iconText"), "@brief Signal declaration for QAbstractPrintDialog::windowIconTextChanged(const QString &iconText)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowTitleChanged(const QString &)", "windowTitleChanged", gsi::arg("title"), "@brief Signal declaration for QAbstractPrintDialog::windowTitleChanged(const QString &title)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAbstractPrintDialog::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QAbstractPrintDialog::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -535,6 +544,24 @@ class QAbstractPrintDialog_Adaptor : public QAbstractPrintDialog, public qt_gsi: } } + // [emitter impl] void QAbstractPrintDialog::accepted() + void emitter_QAbstractPrintDialog_accepted_0() + { + emit QAbstractPrintDialog::accepted(); + } + + // [emitter impl] void QAbstractPrintDialog::customContextMenuRequested(const QPoint &pos) + void emitter_QAbstractPrintDialog_customContextMenuRequested_1916(const QPoint &pos) + { + emit QAbstractPrintDialog::customContextMenuRequested(pos); + } + + // [emitter impl] void QAbstractPrintDialog::destroyed(QObject *) + void emitter_QAbstractPrintDialog_destroyed_1302(QObject *arg1) + { + emit QAbstractPrintDialog::destroyed(arg1); + } + // [adaptor impl] void QAbstractPrintDialog::done(int) void cbs_done_767_0(int arg1) { @@ -565,6 +592,12 @@ class QAbstractPrintDialog_Adaptor : public QAbstractPrintDialog, public qt_gsi: } } + // [emitter impl] void QAbstractPrintDialog::finished(int result) + void emitter_QAbstractPrintDialog_finished_767(int result) + { + emit QAbstractPrintDialog::finished(result); + } + // [adaptor impl] bool QAbstractPrintDialog::hasHeightForWidth() bool cbs_hasHeightForWidth_c0_0() const { @@ -625,6 +658,13 @@ class QAbstractPrintDialog_Adaptor : public QAbstractPrintDialog, public qt_gsi: } } + // [emitter impl] void QAbstractPrintDialog::objectNameChanged(const QString &objectName) + void emitter_QAbstractPrintDialog_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAbstractPrintDialog::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QAbstractPrintDialog::open() void cbs_open_0_0() { @@ -670,6 +710,12 @@ class QAbstractPrintDialog_Adaptor : public QAbstractPrintDialog, public qt_gsi: } } + // [emitter impl] void QAbstractPrintDialog::rejected() + void emitter_QAbstractPrintDialog_rejected_0() + { + emit QAbstractPrintDialog::rejected(); + } + // [adaptor impl] void QAbstractPrintDialog::setVisible(bool visible) void cbs_setVisible_864_0(bool visible) { @@ -700,6 +746,24 @@ class QAbstractPrintDialog_Adaptor : public QAbstractPrintDialog, public qt_gsi: } } + // [emitter impl] void QAbstractPrintDialog::windowIconChanged(const QIcon &icon) + void emitter_QAbstractPrintDialog_windowIconChanged_1787(const QIcon &icon) + { + emit QAbstractPrintDialog::windowIconChanged(icon); + } + + // [emitter impl] void QAbstractPrintDialog::windowIconTextChanged(const QString &iconText) + void emitter_QAbstractPrintDialog_windowIconTextChanged_2025(const QString &iconText) + { + emit QAbstractPrintDialog::windowIconTextChanged(iconText); + } + + // [emitter impl] void QAbstractPrintDialog::windowTitleChanged(const QString &title) + void emitter_QAbstractPrintDialog_windowTitleChanged_2025(const QString &title) + { + emit QAbstractPrintDialog::windowTitleChanged(title); + } + // [adaptor impl] void QAbstractPrintDialog::actionEvent(QActionEvent *event) void cbs_actionEvent_1823_0(QActionEvent *event) { @@ -1365,6 +1429,20 @@ static void _set_callback_cbs_accept_0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QAbstractPrintDialog::accepted() + +static void _init_emitter_accepted_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_accepted_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAbstractPrintDialog_Adaptor *)cls)->emitter_QAbstractPrintDialog_accepted_0 (); +} + + // void QAbstractPrintDialog::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) @@ -1529,6 +1607,24 @@ static void _call_fp_create_2208 (const qt_gsi::GenericMethod * /*decl*/, void * } +// emitter void QAbstractPrintDialog::customContextMenuRequested(const QPoint &pos) + +static void _init_emitter_customContextMenuRequested_1916 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("pos"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPoint &arg1 = gsi::arg_reader() (args, heap); + ((QAbstractPrintDialog_Adaptor *)cls)->emitter_QAbstractPrintDialog_customContextMenuRequested_1916 (arg1); +} + + // void QAbstractPrintDialog::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) @@ -1575,6 +1671,24 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void } +// emitter void QAbstractPrintDialog::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAbstractPrintDialog_Adaptor *)cls)->emitter_QAbstractPrintDialog_destroyed_1302 (arg1); +} + + // void QAbstractPrintDialog::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1811,6 +1925,24 @@ static void _set_callback_cbs_exec_0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QAbstractPrintDialog::finished(int result) + +static void _init_emitter_finished_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("result"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_finished_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QAbstractPrintDialog_Adaptor *)cls)->emitter_QAbstractPrintDialog_finished_767 (arg1); +} + + // void QAbstractPrintDialog::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) @@ -2328,6 +2460,24 @@ static void _set_callback_cbs_nativeEvent_4678_0 (void *cls, const gsi::Callback } +// emitter void QAbstractPrintDialog::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAbstractPrintDialog_Adaptor *)cls)->emitter_QAbstractPrintDialog_objectNameChanged_4567 (arg1); +} + + // void QAbstractPrintDialog::open() static void _init_cbs_open_0_0 (qt_gsi::GenericMethod *decl) @@ -2452,6 +2602,20 @@ static void _set_callback_cbs_reject_0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QAbstractPrintDialog::rejected() + +static void _init_emitter_rejected_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_rejected_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAbstractPrintDialog_Adaptor *)cls)->emitter_QAbstractPrintDialog_rejected_0 (); +} + + // void QAbstractPrintDialog::resizeEvent(QResizeEvent *) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) @@ -2677,6 +2841,60 @@ static void _set_callback_cbs_wheelEvent_1718_0 (void *cls, const gsi::Callback } +// emitter void QAbstractPrintDialog::windowIconChanged(const QIcon &icon) + +static void _init_emitter_windowIconChanged_1787 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("icon"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowIconChanged_1787 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QIcon &arg1 = gsi::arg_reader() (args, heap); + ((QAbstractPrintDialog_Adaptor *)cls)->emitter_QAbstractPrintDialog_windowIconChanged_1787 (arg1); +} + + +// emitter void QAbstractPrintDialog::windowIconTextChanged(const QString &iconText) + +static void _init_emitter_windowIconTextChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("iconText"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowIconTextChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAbstractPrintDialog_Adaptor *)cls)->emitter_QAbstractPrintDialog_windowIconTextChanged_2025 (arg1); +} + + +// emitter void QAbstractPrintDialog::windowTitleChanged(const QString &title) + +static void _init_emitter_windowTitleChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("title"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowTitleChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAbstractPrintDialog_Adaptor *)cls)->emitter_QAbstractPrintDialog_windowTitleChanged_2025 (arg1); +} + + namespace gsi { @@ -2687,6 +2905,7 @@ static gsi::Methods methods_QAbstractPrintDialog_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractPrintDialog::QAbstractPrintDialog(QPrinter *printer, QWidget *parent)\nThis method creates an object of class QAbstractPrintDialog.", &_init_ctor_QAbstractPrintDialog_Adaptor_2650, &_call_ctor_QAbstractPrintDialog_Adaptor_2650); methods += new qt_gsi::GenericMethod ("accept", "@brief Virtual method void QAbstractPrintDialog::accept()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("accept", "@hide", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0, &_set_callback_cbs_accept_0_0); + methods += new qt_gsi::GenericMethod ("emit_accepted", "@brief Emitter for signal void QAbstractPrintDialog::accepted()\nCall this method to emit this signal.", false, &_init_emitter_accepted_0, &_call_emitter_accepted_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QAbstractPrintDialog::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*adjustPosition", "@brief Method void QAbstractPrintDialog::adjustPosition(QWidget *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_adjustPosition_1315, &_call_fp_adjustPosition_1315); @@ -2699,9 +2918,11 @@ static gsi::Methods methods_QAbstractPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QAbstractPrintDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QAbstractPrintDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QAbstractPrintDialog::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractPrintDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QAbstractPrintDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractPrintDialog::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractPrintDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("done", "@brief Virtual method void QAbstractPrintDialog::done(int)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0); @@ -2722,6 +2943,7 @@ static gsi::Methods methods_QAbstractPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("exec", "@brief Virtual method int QAbstractPrintDialog::exec()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("exec", "@hide", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0, &_set_callback_cbs_exec_0_0); + methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QAbstractPrintDialog::finished(int result)\nCall this method to emit this signal.", false, &_init_emitter_finished_767, &_call_emitter_finished_767); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QAbstractPrintDialog::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QAbstractPrintDialog::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); @@ -2765,6 +2987,7 @@ static gsi::Methods methods_QAbstractPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QAbstractPrintDialog::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAbstractPrintDialog::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("open", "@brief Virtual method void QAbstractPrintDialog::open()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("open", "@hide", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0, &_set_callback_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QAbstractPrintDialog::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); @@ -2776,6 +2999,7 @@ static gsi::Methods methods_QAbstractPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("reject", "@brief Virtual method void QAbstractPrintDialog::reject()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_reject_0_0, &_call_cbs_reject_0_0); methods += new qt_gsi::GenericMethod ("reject", "@hide", false, &_init_cbs_reject_0_0, &_call_cbs_reject_0_0, &_set_callback_cbs_reject_0_0); + methods += new qt_gsi::GenericMethod ("emit_rejected", "@brief Emitter for signal void QAbstractPrintDialog::rejected()\nCall this method to emit this signal.", false, &_init_emitter_rejected_0, &_call_emitter_rejected_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QAbstractPrintDialog::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAbstractPrintDialog::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); @@ -2795,6 +3019,9 @@ static gsi::Methods methods_QAbstractPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QAbstractPrintDialog::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QAbstractPrintDialog::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QAbstractPrintDialog::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); + methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QAbstractPrintDialog::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); + methods += new qt_gsi::GenericMethod ("emit_windowTitleChanged", "@brief Emitter for signal void QAbstractPrintDialog::windowTitleChanged(const QString &title)\nCall this method to emit this signal.", false, &_init_emitter_windowTitleChanged_2025, &_call_emitter_windowTitleChanged_2025); return methods; } diff --git a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintDialog.cc b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintDialog.cc index 6fcbf06d55..6785f19b23 100644 --- a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintDialog.cc +++ b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintDialog.cc @@ -116,42 +116,6 @@ static void _call_f_accept_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QPrintDialog::accepted() - - -static void _init_f_accepted_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_accepted_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QPrintDialog *)cls)->accepted (); -} - - -// void QPrintDialog::accepted(QPrinter *printer) - - -static void _init_f_accepted_1443 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("printer"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_accepted_1443 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QPrinter *arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QPrintDialog *)cls)->accepted (arg1); -} - - // void QPrintDialog::done(int result) @@ -380,8 +344,6 @@ static gsi::Methods methods_QPrintDialog () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("accept", "@brief Method void QPrintDialog::accept()\nThis is a reimplementation of QDialog::accept", false, &_init_f_accept_0, &_call_f_accept_0); - methods += new qt_gsi::GenericMethod ("accepted", "@brief Method void QPrintDialog::accepted()\n", false, &_init_f_accepted_0, &_call_f_accepted_0); - methods += new qt_gsi::GenericMethod ("accepted_sig", "@brief Method void QPrintDialog::accepted(QPrinter *printer)\n", false, &_init_f_accepted_1443, &_call_f_accepted_1443); methods += new qt_gsi::GenericMethod ("done", "@brief Method void QPrintDialog::done(int result)\nThis is a reimplementation of QDialog::done", false, &_init_f_done_767, &_call_f_done_767); methods += new qt_gsi::GenericMethod ("exec", "@brief Method int QPrintDialog::exec()\nThis is a reimplementation of QAbstractPrintDialog::exec", false, &_init_f_exec_0, &_call_f_exec_0); methods += new qt_gsi::GenericMethod ("open", "@brief Method void QPrintDialog::open()\nThis is a reimplementation of QDialog::open", false, &_init_f_open_0, &_call_f_open_0); @@ -391,6 +353,16 @@ static gsi::Methods methods_QPrintDialog () { methods += new qt_gsi::GenericMethod ("setOptions|options=", "@brief Method void QPrintDialog::setOptions(QFlags options)\n", false, &_init_f_setOptions_5016, &_call_f_setOptions_5016); methods += new qt_gsi::GenericMethod ("setVisible|visible=", "@brief Method void QPrintDialog::setVisible(bool visible)\nThis is a reimplementation of QDialog::setVisible", false, &_init_f_setVisible_864, &_call_f_setVisible_864); methods += new qt_gsi::GenericMethod ("testOption", "@brief Method bool QPrintDialog::testOption(QAbstractPrintDialog::PrintDialogOption option)\n", true, &_init_f_testOption_c4320, &_call_f_testOption_c4320); + methods += gsi::qt_signal ("accepted()", "accepted", "@brief Signal declaration for QPrintDialog::accepted()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("accepted(QPrinter *)", "accepted_sig", gsi::arg("printer"), "@brief Signal declaration for QPrintDialog::accepted(QPrinter *printer)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("customContextMenuRequested(const QPoint &)", "customContextMenuRequested", gsi::arg("pos"), "@brief Signal declaration for QPrintDialog::customContextMenuRequested(const QPoint &pos)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QPrintDialog::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("finished(int)", "finished", gsi::arg("result"), "@brief Signal declaration for QPrintDialog::finished(int result)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QPrintDialog::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("rejected()", "rejected", "@brief Signal declaration for QPrintDialog::rejected()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowIconChanged(const QIcon &)", "windowIconChanged", gsi::arg("icon"), "@brief Signal declaration for QPrintDialog::windowIconChanged(const QIcon &icon)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowIconTextChanged(const QString &)", "windowIconTextChanged", gsi::arg("iconText"), "@brief Signal declaration for QPrintDialog::windowIconTextChanged(const QString &iconText)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowTitleChanged(const QString &)", "windowTitleChanged", gsi::arg("title"), "@brief Signal declaration for QPrintDialog::windowTitleChanged(const QString &title)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QPrintDialog::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QPrintDialog::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -502,6 +474,30 @@ class QPrintDialog_Adaptor : public QPrintDialog, public qt_gsi::QtObjectBase } } + // [emitter impl] void QPrintDialog::accepted() + void emitter_QPrintDialog_accepted_0() + { + emit QPrintDialog::accepted(); + } + + // [emitter impl] void QPrintDialog::accepted(QPrinter *printer) + void emitter_QPrintDialog_accepted_1443(QPrinter *printer) + { + emit QPrintDialog::accepted(printer); + } + + // [emitter impl] void QPrintDialog::customContextMenuRequested(const QPoint &pos) + void emitter_QPrintDialog_customContextMenuRequested_1916(const QPoint &pos) + { + emit QPrintDialog::customContextMenuRequested(pos); + } + + // [emitter impl] void QPrintDialog::destroyed(QObject *) + void emitter_QPrintDialog_destroyed_1302(QObject *arg1) + { + emit QPrintDialog::destroyed(arg1); + } + // [adaptor impl] void QPrintDialog::done(int result) void cbs_done_767_0(int result) { @@ -532,6 +528,12 @@ class QPrintDialog_Adaptor : public QPrintDialog, public qt_gsi::QtObjectBase } } + // [emitter impl] void QPrintDialog::finished(int result) + void emitter_QPrintDialog_finished_767(int result) + { + emit QPrintDialog::finished(result); + } + // [adaptor impl] bool QPrintDialog::hasHeightForWidth() bool cbs_hasHeightForWidth_c0_0() const { @@ -592,6 +594,13 @@ class QPrintDialog_Adaptor : public QPrintDialog, public qt_gsi::QtObjectBase } } + // [emitter impl] void QPrintDialog::objectNameChanged(const QString &objectName) + void emitter_QPrintDialog_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QPrintDialog::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QPrintDialog::open() void cbs_open_0_0() { @@ -637,6 +646,12 @@ class QPrintDialog_Adaptor : public QPrintDialog, public qt_gsi::QtObjectBase } } + // [emitter impl] void QPrintDialog::rejected() + void emitter_QPrintDialog_rejected_0() + { + emit QPrintDialog::rejected(); + } + // [adaptor impl] void QPrintDialog::setVisible(bool visible) void cbs_setVisible_864_0(bool visible) { @@ -667,6 +682,24 @@ class QPrintDialog_Adaptor : public QPrintDialog, public qt_gsi::QtObjectBase } } + // [emitter impl] void QPrintDialog::windowIconChanged(const QIcon &icon) + void emitter_QPrintDialog_windowIconChanged_1787(const QIcon &icon) + { + emit QPrintDialog::windowIconChanged(icon); + } + + // [emitter impl] void QPrintDialog::windowIconTextChanged(const QString &iconText) + void emitter_QPrintDialog_windowIconTextChanged_2025(const QString &iconText) + { + emit QPrintDialog::windowIconTextChanged(iconText); + } + + // [emitter impl] void QPrintDialog::windowTitleChanged(const QString &title) + void emitter_QPrintDialog_windowTitleChanged_2025(const QString &title) + { + emit QPrintDialog::windowTitleChanged(title); + } + // [adaptor impl] void QPrintDialog::actionEvent(QActionEvent *event) void cbs_actionEvent_1823_0(QActionEvent *event) { @@ -1350,6 +1383,38 @@ static void _set_callback_cbs_accept_0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QPrintDialog::accepted() + +static void _init_emitter_accepted_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_accepted_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QPrintDialog_Adaptor *)cls)->emitter_QPrintDialog_accepted_0 (); +} + + +// emitter void QPrintDialog::accepted(QPrinter *printer) + +static void _init_emitter_accepted_1443 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("printer"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_accepted_1443 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QPrinter *arg1 = gsi::arg_reader() (args, heap); + ((QPrintDialog_Adaptor *)cls)->emitter_QPrintDialog_accepted_1443 (arg1); +} + + // void QPrintDialog::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) @@ -1514,6 +1579,24 @@ static void _call_fp_create_2208 (const qt_gsi::GenericMethod * /*decl*/, void * } +// emitter void QPrintDialog::customContextMenuRequested(const QPoint &pos) + +static void _init_emitter_customContextMenuRequested_1916 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("pos"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPoint &arg1 = gsi::arg_reader() (args, heap); + ((QPrintDialog_Adaptor *)cls)->emitter_QPrintDialog_customContextMenuRequested_1916 (arg1); +} + + // void QPrintDialog::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) @@ -1560,6 +1643,24 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void } +// emitter void QPrintDialog::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QPrintDialog_Adaptor *)cls)->emitter_QPrintDialog_destroyed_1302 (arg1); +} + + // void QPrintDialog::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1796,6 +1897,24 @@ static void _set_callback_cbs_exec_0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QPrintDialog::finished(int result) + +static void _init_emitter_finished_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("result"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_finished_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QPrintDialog_Adaptor *)cls)->emitter_QPrintDialog_finished_767 (arg1); +} + + // void QPrintDialog::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) @@ -2313,6 +2432,24 @@ static void _set_callback_cbs_nativeEvent_4678_0 (void *cls, const gsi::Callback } +// emitter void QPrintDialog::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QPrintDialog_Adaptor *)cls)->emitter_QPrintDialog_objectNameChanged_4567 (arg1); +} + + // void QPrintDialog::open() static void _init_cbs_open_0_0 (qt_gsi::GenericMethod *decl) @@ -2437,6 +2574,20 @@ static void _set_callback_cbs_reject_0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QPrintDialog::rejected() + +static void _init_emitter_rejected_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_rejected_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QPrintDialog_Adaptor *)cls)->emitter_QPrintDialog_rejected_0 (); +} + + // void QPrintDialog::resizeEvent(QResizeEvent *) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) @@ -2662,6 +2813,60 @@ static void _set_callback_cbs_wheelEvent_1718_0 (void *cls, const gsi::Callback } +// emitter void QPrintDialog::windowIconChanged(const QIcon &icon) + +static void _init_emitter_windowIconChanged_1787 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("icon"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowIconChanged_1787 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QIcon &arg1 = gsi::arg_reader() (args, heap); + ((QPrintDialog_Adaptor *)cls)->emitter_QPrintDialog_windowIconChanged_1787 (arg1); +} + + +// emitter void QPrintDialog::windowIconTextChanged(const QString &iconText) + +static void _init_emitter_windowIconTextChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("iconText"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowIconTextChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QPrintDialog_Adaptor *)cls)->emitter_QPrintDialog_windowIconTextChanged_2025 (arg1); +} + + +// emitter void QPrintDialog::windowTitleChanged(const QString &title) + +static void _init_emitter_windowTitleChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("title"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowTitleChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QPrintDialog_Adaptor *)cls)->emitter_QPrintDialog_windowTitleChanged_2025 (arg1); +} + + namespace gsi { @@ -2673,6 +2878,8 @@ static gsi::Methods methods_QPrintDialog_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPrintDialog::QPrintDialog(QWidget *parent)\nThis method creates an object of class QPrintDialog.", &_init_ctor_QPrintDialog_Adaptor_1315, &_call_ctor_QPrintDialog_Adaptor_1315); methods += new qt_gsi::GenericMethod ("accept", "@brief Virtual method void QPrintDialog::accept()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("accept", "@hide", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0, &_set_callback_cbs_accept_0_0); + methods += new qt_gsi::GenericMethod ("emit_accepted", "@brief Emitter for signal void QPrintDialog::accepted()\nCall this method to emit this signal.", false, &_init_emitter_accepted_0, &_call_emitter_accepted_0); + methods += new qt_gsi::GenericMethod ("emit_accepted_sig", "@brief Emitter for signal void QPrintDialog::accepted(QPrinter *printer)\nCall this method to emit this signal.", false, &_init_emitter_accepted_1443, &_call_emitter_accepted_1443); methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QPrintDialog::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*adjustPosition", "@brief Method void QPrintDialog::adjustPosition(QWidget *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_adjustPosition_1315, &_call_fp_adjustPosition_1315); @@ -2685,9 +2892,11 @@ static gsi::Methods methods_QPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QPrintDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QPrintDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QPrintDialog::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPrintDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QPrintDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QPrintDialog::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPrintDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("done", "@brief Virtual method void QPrintDialog::done(int result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0); @@ -2708,6 +2917,7 @@ static gsi::Methods methods_QPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("exec", "@brief Virtual method int QPrintDialog::exec()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("exec", "@hide", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0, &_set_callback_cbs_exec_0_0); + methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QPrintDialog::finished(int result)\nCall this method to emit this signal.", false, &_init_emitter_finished_767, &_call_emitter_finished_767); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QPrintDialog::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QPrintDialog::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); @@ -2751,6 +2961,7 @@ static gsi::Methods methods_QPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QPrintDialog::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QPrintDialog::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("open", "@brief Virtual method void QPrintDialog::open()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("open", "@hide", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0, &_set_callback_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QPrintDialog::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); @@ -2762,6 +2973,7 @@ static gsi::Methods methods_QPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("reject", "@brief Virtual method void QPrintDialog::reject()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_reject_0_0, &_call_cbs_reject_0_0); methods += new qt_gsi::GenericMethod ("reject", "@hide", false, &_init_cbs_reject_0_0, &_call_cbs_reject_0_0, &_set_callback_cbs_reject_0_0); + methods += new qt_gsi::GenericMethod ("emit_rejected", "@brief Emitter for signal void QPrintDialog::rejected()\nCall this method to emit this signal.", false, &_init_emitter_rejected_0, &_call_emitter_rejected_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QPrintDialog::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QPrintDialog::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); @@ -2781,6 +2993,9 @@ static gsi::Methods methods_QPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QPrintDialog::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QPrintDialog::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QPrintDialog::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); + methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QPrintDialog::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); + methods += new qt_gsi::GenericMethod ("emit_windowTitleChanged", "@brief Emitter for signal void QPrintDialog::windowTitleChanged(const QString &title)\nCall this method to emit this signal.", false, &_init_emitter_windowTitleChanged_2025, &_call_emitter_windowTitleChanged_2025); return methods; } diff --git a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc index 4de3238ea9..60d13099d3 100644 --- a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc +++ b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc @@ -159,26 +159,6 @@ static void _call_f_open_2925 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QPrintPreviewDialog::paintRequested(QPrinter *printer) - - -static void _init_f_paintRequested_1443 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("printer"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_paintRequested_1443 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QPrinter *arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QPrintPreviewDialog *)cls)->paintRequested (arg1); -} - - // QPrinter *QPrintPreviewDialog::printer() @@ -273,9 +253,18 @@ static gsi::Methods methods_QPrintPreviewDialog () { methods += new qt_gsi::GenericMethod ("done", "@brief Method void QPrintPreviewDialog::done(int result)\nThis is a reimplementation of QDialog::done", false, &_init_f_done_767, &_call_f_done_767); methods += new qt_gsi::GenericMethod ("open", "@brief Method void QPrintPreviewDialog::open()\nThis is a reimplementation of QDialog::open", false, &_init_f_open_0, &_call_f_open_0); methods += new qt_gsi::GenericMethod ("open", "@brief Method void QPrintPreviewDialog::open(QObject *receiver, const char *member)\n", false, &_init_f_open_2925, &_call_f_open_2925); - methods += new qt_gsi::GenericMethod ("paintRequested", "@brief Method void QPrintPreviewDialog::paintRequested(QPrinter *printer)\n", false, &_init_f_paintRequested_1443, &_call_f_paintRequested_1443); methods += new qt_gsi::GenericMethod ("printer", "@brief Method QPrinter *QPrintPreviewDialog::printer()\n", false, &_init_f_printer_0, &_call_f_printer_0); methods += new qt_gsi::GenericMethod ("setVisible|visible=", "@brief Method void QPrintPreviewDialog::setVisible(bool visible)\nThis is a reimplementation of QDialog::setVisible", false, &_init_f_setVisible_864, &_call_f_setVisible_864); + methods += gsi::qt_signal ("accepted()", "accepted", "@brief Signal declaration for QPrintPreviewDialog::accepted()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("customContextMenuRequested(const QPoint &)", "customContextMenuRequested", gsi::arg("pos"), "@brief Signal declaration for QPrintPreviewDialog::customContextMenuRequested(const QPoint &pos)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QPrintPreviewDialog::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("finished(int)", "finished", gsi::arg("result"), "@brief Signal declaration for QPrintPreviewDialog::finished(int result)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QPrintPreviewDialog::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("paintRequested(QPrinter *)", "paintRequested", gsi::arg("printer"), "@brief Signal declaration for QPrintPreviewDialog::paintRequested(QPrinter *printer)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("rejected()", "rejected", "@brief Signal declaration for QPrintPreviewDialog::rejected()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowIconChanged(const QIcon &)", "windowIconChanged", gsi::arg("icon"), "@brief Signal declaration for QPrintPreviewDialog::windowIconChanged(const QIcon &icon)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowIconTextChanged(const QString &)", "windowIconTextChanged", gsi::arg("iconText"), "@brief Signal declaration for QPrintPreviewDialog::windowIconTextChanged(const QString &iconText)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowTitleChanged(const QString &)", "windowTitleChanged", gsi::arg("title"), "@brief Signal declaration for QPrintPreviewDialog::windowTitleChanged(const QString &title)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QPrintPreviewDialog::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QPrintPreviewDialog::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -399,6 +388,24 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } + // [emitter impl] void QPrintPreviewDialog::accepted() + void emitter_QPrintPreviewDialog_accepted_0() + { + emit QPrintPreviewDialog::accepted(); + } + + // [emitter impl] void QPrintPreviewDialog::customContextMenuRequested(const QPoint &pos) + void emitter_QPrintPreviewDialog_customContextMenuRequested_1916(const QPoint &pos) + { + emit QPrintPreviewDialog::customContextMenuRequested(pos); + } + + // [emitter impl] void QPrintPreviewDialog::destroyed(QObject *) + void emitter_QPrintPreviewDialog_destroyed_1302(QObject *arg1) + { + emit QPrintPreviewDialog::destroyed(arg1); + } + // [adaptor impl] void QPrintPreviewDialog::done(int result) void cbs_done_767_0(int result) { @@ -429,6 +436,12 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } + // [emitter impl] void QPrintPreviewDialog::finished(int result) + void emitter_QPrintPreviewDialog_finished_767(int result) + { + emit QPrintPreviewDialog::finished(result); + } + // [adaptor impl] bool QPrintPreviewDialog::hasHeightForWidth() bool cbs_hasHeightForWidth_c0_0() const { @@ -489,6 +502,13 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } + // [emitter impl] void QPrintPreviewDialog::objectNameChanged(const QString &objectName) + void emitter_QPrintPreviewDialog_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QPrintPreviewDialog::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QPrintPreviewDialog::open() void cbs_open_0_0() { @@ -519,6 +539,12 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } + // [emitter impl] void QPrintPreviewDialog::paintRequested(QPrinter *printer) + void emitter_QPrintPreviewDialog_paintRequested_1443(QPrinter *printer) + { + emit QPrintPreviewDialog::paintRequested(printer); + } + // [adaptor impl] void QPrintPreviewDialog::reject() void cbs_reject_0_0() { @@ -534,6 +560,12 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } + // [emitter impl] void QPrintPreviewDialog::rejected() + void emitter_QPrintPreviewDialog_rejected_0() + { + emit QPrintPreviewDialog::rejected(); + } + // [adaptor impl] void QPrintPreviewDialog::setVisible(bool visible) void cbs_setVisible_864_0(bool visible) { @@ -564,6 +596,24 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } + // [emitter impl] void QPrintPreviewDialog::windowIconChanged(const QIcon &icon) + void emitter_QPrintPreviewDialog_windowIconChanged_1787(const QIcon &icon) + { + emit QPrintPreviewDialog::windowIconChanged(icon); + } + + // [emitter impl] void QPrintPreviewDialog::windowIconTextChanged(const QString &iconText) + void emitter_QPrintPreviewDialog_windowIconTextChanged_2025(const QString &iconText) + { + emit QPrintPreviewDialog::windowIconTextChanged(iconText); + } + + // [emitter impl] void QPrintPreviewDialog::windowTitleChanged(const QString &title) + void emitter_QPrintPreviewDialog_windowTitleChanged_2025(const QString &title) + { + emit QPrintPreviewDialog::windowTitleChanged(title); + } + // [adaptor impl] void QPrintPreviewDialog::actionEvent(QActionEvent *event) void cbs_actionEvent_1823_0(QActionEvent *event) { @@ -1253,6 +1303,20 @@ static void _set_callback_cbs_accept_0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QPrintPreviewDialog::accepted() + +static void _init_emitter_accepted_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_accepted_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QPrintPreviewDialog_Adaptor *)cls)->emitter_QPrintPreviewDialog_accepted_0 (); +} + + // void QPrintPreviewDialog::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) @@ -1417,6 +1481,24 @@ static void _call_fp_create_2208 (const qt_gsi::GenericMethod * /*decl*/, void * } +// emitter void QPrintPreviewDialog::customContextMenuRequested(const QPoint &pos) + +static void _init_emitter_customContextMenuRequested_1916 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("pos"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPoint &arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewDialog_Adaptor *)cls)->emitter_QPrintPreviewDialog_customContextMenuRequested_1916 (arg1); +} + + // void QPrintPreviewDialog::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) @@ -1463,6 +1545,24 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void } +// emitter void QPrintPreviewDialog::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QPrintPreviewDialog_Adaptor *)cls)->emitter_QPrintPreviewDialog_destroyed_1302 (arg1); +} + + // void QPrintPreviewDialog::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1699,6 +1799,24 @@ static void _set_callback_cbs_exec_0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QPrintPreviewDialog::finished(int result) + +static void _init_emitter_finished_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("result"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_finished_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewDialog_Adaptor *)cls)->emitter_QPrintPreviewDialog_finished_767 (arg1); +} + + // void QPrintPreviewDialog::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) @@ -2216,6 +2334,24 @@ static void _set_callback_cbs_nativeEvent_4678_0 (void *cls, const gsi::Callback } +// emitter void QPrintPreviewDialog::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewDialog_Adaptor *)cls)->emitter_QPrintPreviewDialog_objectNameChanged_4567 (arg1); +} + + // void QPrintPreviewDialog::open() static void _init_cbs_open_0_0 (qt_gsi::GenericMethod *decl) @@ -2279,6 +2415,24 @@ static void _set_callback_cbs_paintEvent_1725_0 (void *cls, const gsi::Callback } +// emitter void QPrintPreviewDialog::paintRequested(QPrinter *printer) + +static void _init_emitter_paintRequested_1443 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("printer"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_paintRequested_1443 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QPrinter *arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewDialog_Adaptor *)cls)->emitter_QPrintPreviewDialog_paintRequested_1443 (arg1); +} + + // exposed int QPrintPreviewDialog::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -2340,6 +2494,20 @@ static void _set_callback_cbs_reject_0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QPrintPreviewDialog::rejected() + +static void _init_emitter_rejected_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_rejected_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QPrintPreviewDialog_Adaptor *)cls)->emitter_QPrintPreviewDialog_rejected_0 (); +} + + // void QPrintPreviewDialog::resizeEvent(QResizeEvent *) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) @@ -2565,6 +2733,60 @@ static void _set_callback_cbs_wheelEvent_1718_0 (void *cls, const gsi::Callback } +// emitter void QPrintPreviewDialog::windowIconChanged(const QIcon &icon) + +static void _init_emitter_windowIconChanged_1787 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("icon"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowIconChanged_1787 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QIcon &arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewDialog_Adaptor *)cls)->emitter_QPrintPreviewDialog_windowIconChanged_1787 (arg1); +} + + +// emitter void QPrintPreviewDialog::windowIconTextChanged(const QString &iconText) + +static void _init_emitter_windowIconTextChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("iconText"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowIconTextChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewDialog_Adaptor *)cls)->emitter_QPrintPreviewDialog_windowIconTextChanged_2025 (arg1); +} + + +// emitter void QPrintPreviewDialog::windowTitleChanged(const QString &title) + +static void _init_emitter_windowTitleChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("title"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowTitleChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewDialog_Adaptor *)cls)->emitter_QPrintPreviewDialog_windowTitleChanged_2025 (arg1); +} + + namespace gsi { @@ -2576,6 +2798,7 @@ static gsi::Methods methods_QPrintPreviewDialog_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPrintPreviewDialog::QPrintPreviewDialog(QPrinter *printer, QWidget *parent, QFlags flags)\nThis method creates an object of class QPrintPreviewDialog.", &_init_ctor_QPrintPreviewDialog_Adaptor_5037, &_call_ctor_QPrintPreviewDialog_Adaptor_5037); methods += new qt_gsi::GenericMethod ("accept", "@brief Virtual method void QPrintPreviewDialog::accept()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("accept", "@hide", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0, &_set_callback_cbs_accept_0_0); + methods += new qt_gsi::GenericMethod ("emit_accepted", "@brief Emitter for signal void QPrintPreviewDialog::accepted()\nCall this method to emit this signal.", false, &_init_emitter_accepted_0, &_call_emitter_accepted_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QPrintPreviewDialog::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*adjustPosition", "@brief Method void QPrintPreviewDialog::adjustPosition(QWidget *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_adjustPosition_1315, &_call_fp_adjustPosition_1315); @@ -2588,9 +2811,11 @@ static gsi::Methods methods_QPrintPreviewDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QPrintPreviewDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QPrintPreviewDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QPrintPreviewDialog::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPrintPreviewDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QPrintPreviewDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QPrintPreviewDialog::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPrintPreviewDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("done", "@brief Virtual method void QPrintPreviewDialog::done(int result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0); @@ -2611,6 +2836,7 @@ static gsi::Methods methods_QPrintPreviewDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("exec", "@brief Virtual method int QPrintPreviewDialog::exec()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("exec", "@hide", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0, &_set_callback_cbs_exec_0_0); + methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QPrintPreviewDialog::finished(int result)\nCall this method to emit this signal.", false, &_init_emitter_finished_767, &_call_emitter_finished_767); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QPrintPreviewDialog::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QPrintPreviewDialog::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); @@ -2654,17 +2880,20 @@ static gsi::Methods methods_QPrintPreviewDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QPrintPreviewDialog::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QPrintPreviewDialog::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("open", "@brief Virtual method void QPrintPreviewDialog::open()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("open", "@hide", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0, &_set_callback_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QPrintPreviewDialog::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QPrintPreviewDialog::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("emit_paintRequested", "@brief Emitter for signal void QPrintPreviewDialog::paintRequested(QPrinter *printer)\nCall this method to emit this signal.", false, &_init_emitter_paintRequested_1443, &_call_emitter_paintRequested_1443); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QPrintPreviewDialog::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QPrintPreviewDialog::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("reject", "@brief Virtual method void QPrintPreviewDialog::reject()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_reject_0_0, &_call_cbs_reject_0_0); methods += new qt_gsi::GenericMethod ("reject", "@hide", false, &_init_cbs_reject_0_0, &_call_cbs_reject_0_0, &_set_callback_cbs_reject_0_0); + methods += new qt_gsi::GenericMethod ("emit_rejected", "@brief Emitter for signal void QPrintPreviewDialog::rejected()\nCall this method to emit this signal.", false, &_init_emitter_rejected_0, &_call_emitter_rejected_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QPrintPreviewDialog::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QPrintPreviewDialog::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); @@ -2684,6 +2913,9 @@ static gsi::Methods methods_QPrintPreviewDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QPrintPreviewDialog::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QPrintPreviewDialog::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QPrintPreviewDialog::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); + methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QPrintPreviewDialog::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); + methods += new qt_gsi::GenericMethod ("emit_windowTitleChanged", "@brief Emitter for signal void QPrintPreviewDialog::windowTitleChanged(const QString &title)\nCall this method to emit this signal.", false, &_init_emitter_windowTitleChanged_2025, &_call_emitter_windowTitleChanged_2025); return methods; } diff --git a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc index d8105555e1..5d3c625d66 100644 --- a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc +++ b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc @@ -177,42 +177,6 @@ static void _call_f_pageCount_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QPrintPreviewWidget::paintRequested(QPrinter *printer) - - -static void _init_f_paintRequested_1443 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("printer"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_paintRequested_1443 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QPrinter *arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QPrintPreviewWidget *)cls)->paintRequested (arg1); -} - - -// void QPrintPreviewWidget::previewChanged() - - -static void _init_f_previewChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_previewChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QPrintPreviewWidget *)cls)->previewChanged (); -} - - // void QPrintPreviewWidget::print() @@ -591,8 +555,6 @@ static gsi::Methods methods_QPrintPreviewWidget () { methods += new qt_gsi::GenericMethod ("fitToWidth", "@brief Method void QPrintPreviewWidget::fitToWidth()\n", false, &_init_f_fitToWidth_0, &_call_f_fitToWidth_0); methods += new qt_gsi::GenericMethod (":orientation", "@brief Method QPrinter::Orientation QPrintPreviewWidget::orientation()\n", true, &_init_f_orientation_c0, &_call_f_orientation_c0); methods += new qt_gsi::GenericMethod ("pageCount", "@brief Method int QPrintPreviewWidget::pageCount()\n", true, &_init_f_pageCount_c0, &_call_f_pageCount_c0); - methods += new qt_gsi::GenericMethod ("paintRequested", "@brief Method void QPrintPreviewWidget::paintRequested(QPrinter *printer)\n", false, &_init_f_paintRequested_1443, &_call_f_paintRequested_1443); - methods += new qt_gsi::GenericMethod ("previewChanged", "@brief Method void QPrintPreviewWidget::previewChanged()\n", false, &_init_f_previewChanged_0, &_call_f_previewChanged_0); methods += new qt_gsi::GenericMethod ("print", "@brief Method void QPrintPreviewWidget::print()\n", false, &_init_f_print_0, &_call_f_print_0); methods += new qt_gsi::GenericMethod ("setAllPagesViewMode", "@brief Method void QPrintPreviewWidget::setAllPagesViewMode()\n", false, &_init_f_setAllPagesViewMode_0, &_call_f_setAllPagesViewMode_0); methods += new qt_gsi::GenericMethod ("setCurrentPage|currentPage=", "@brief Method void QPrintPreviewWidget::setCurrentPage(int pageNumber)\n", false, &_init_f_setCurrentPage_767, &_call_f_setCurrentPage_767); @@ -611,6 +573,14 @@ static gsi::Methods methods_QPrintPreviewWidget () { methods += new qt_gsi::GenericMethod ("zoomIn", "@brief Method void QPrintPreviewWidget::zoomIn(double zoom)\n", false, &_init_f_zoomIn_1071, &_call_f_zoomIn_1071); methods += new qt_gsi::GenericMethod (":zoomMode", "@brief Method QPrintPreviewWidget::ZoomMode QPrintPreviewWidget::zoomMode()\n", true, &_init_f_zoomMode_c0, &_call_f_zoomMode_c0); methods += new qt_gsi::GenericMethod ("zoomOut", "@brief Method void QPrintPreviewWidget::zoomOut(double zoom)\n", false, &_init_f_zoomOut_1071, &_call_f_zoomOut_1071); + methods += gsi::qt_signal ("customContextMenuRequested(const QPoint &)", "customContextMenuRequested", gsi::arg("pos"), "@brief Signal declaration for QPrintPreviewWidget::customContextMenuRequested(const QPoint &pos)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QPrintPreviewWidget::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QPrintPreviewWidget::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("paintRequested(QPrinter *)", "paintRequested", gsi::arg("printer"), "@brief Signal declaration for QPrintPreviewWidget::paintRequested(QPrinter *printer)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("previewChanged()", "previewChanged", "@brief Signal declaration for QPrintPreviewWidget::previewChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowIconChanged(const QIcon &)", "windowIconChanged", gsi::arg("icon"), "@brief Signal declaration for QPrintPreviewWidget::windowIconChanged(const QIcon &icon)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowIconTextChanged(const QString &)", "windowIconTextChanged", gsi::arg("iconText"), "@brief Signal declaration for QPrintPreviewWidget::windowIconTextChanged(const QString &iconText)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowTitleChanged(const QString &)", "windowTitleChanged", gsi::arg("title"), "@brief Signal declaration for QPrintPreviewWidget::windowTitleChanged(const QString &title)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QPrintPreviewWidget::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QPrintPreviewWidget::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -714,6 +684,18 @@ class QPrintPreviewWidget_Adaptor : public QPrintPreviewWidget, public qt_gsi::Q QPrintPreviewWidget::updateMicroFocus(); } + // [emitter impl] void QPrintPreviewWidget::customContextMenuRequested(const QPoint &pos) + void emitter_QPrintPreviewWidget_customContextMenuRequested_1916(const QPoint &pos) + { + emit QPrintPreviewWidget::customContextMenuRequested(pos); + } + + // [emitter impl] void QPrintPreviewWidget::destroyed(QObject *) + void emitter_QPrintPreviewWidget_destroyed_1302(QObject *arg1) + { + emit QPrintPreviewWidget::destroyed(arg1); + } + // [adaptor impl] bool QPrintPreviewWidget::eventFilter(QObject *watched, QEvent *event) bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { @@ -789,6 +771,13 @@ class QPrintPreviewWidget_Adaptor : public QPrintPreviewWidget, public qt_gsi::Q } } + // [emitter impl] void QPrintPreviewWidget::objectNameChanged(const QString &objectName) + void emitter_QPrintPreviewWidget_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QPrintPreviewWidget::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] QPaintEngine *QPrintPreviewWidget::paintEngine() QPaintEngine * cbs_paintEngine_c0_0() const { @@ -804,6 +793,18 @@ class QPrintPreviewWidget_Adaptor : public QPrintPreviewWidget, public qt_gsi::Q } } + // [emitter impl] void QPrintPreviewWidget::paintRequested(QPrinter *printer) + void emitter_QPrintPreviewWidget_paintRequested_1443(QPrinter *printer) + { + emit QPrintPreviewWidget::paintRequested(printer); + } + + // [emitter impl] void QPrintPreviewWidget::previewChanged() + void emitter_QPrintPreviewWidget_previewChanged_0() + { + emit QPrintPreviewWidget::previewChanged(); + } + // [adaptor impl] void QPrintPreviewWidget::setVisible(bool visible) void cbs_setVisible_864_0(bool visible) { @@ -834,6 +835,24 @@ class QPrintPreviewWidget_Adaptor : public QPrintPreviewWidget, public qt_gsi::Q } } + // [emitter impl] void QPrintPreviewWidget::windowIconChanged(const QIcon &icon) + void emitter_QPrintPreviewWidget_windowIconChanged_1787(const QIcon &icon) + { + emit QPrintPreviewWidget::windowIconChanged(icon); + } + + // [emitter impl] void QPrintPreviewWidget::windowIconTextChanged(const QString &iconText) + void emitter_QPrintPreviewWidget_windowIconTextChanged_2025(const QString &iconText) + { + emit QPrintPreviewWidget::windowIconTextChanged(iconText); + } + + // [emitter impl] void QPrintPreviewWidget::windowTitleChanged(const QString &title) + void emitter_QPrintPreviewWidget_windowTitleChanged_2025(const QString &title) + { + emit QPrintPreviewWidget::windowTitleChanged(title); + } + // [adaptor impl] void QPrintPreviewWidget::actionEvent(QActionEvent *event) void cbs_actionEvent_1823_0(QActionEvent *event) { @@ -1628,6 +1647,24 @@ static void _call_fp_create_2208 (const qt_gsi::GenericMethod * /*decl*/, void * } +// emitter void QPrintPreviewWidget::customContextMenuRequested(const QPoint &pos) + +static void _init_emitter_customContextMenuRequested_1916 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("pos"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPoint &arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewWidget_Adaptor *)cls)->emitter_QPrintPreviewWidget_customContextMenuRequested_1916 (arg1); +} + + // void QPrintPreviewWidget::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) @@ -1674,6 +1711,24 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void } +// emitter void QPrintPreviewWidget::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QPrintPreviewWidget_Adaptor *)cls)->emitter_QPrintPreviewWidget_destroyed_1302 (arg1); +} + + // void QPrintPreviewWidget::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -2384,6 +2439,24 @@ static void _set_callback_cbs_nativeEvent_4678_0 (void *cls, const gsi::Callback } +// emitter void QPrintPreviewWidget::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewWidget_Adaptor *)cls)->emitter_QPrintPreviewWidget_objectNameChanged_4567 (arg1); +} + + // QPaintEngine *QPrintPreviewWidget::paintEngine() static void _init_cbs_paintEngine_c0_0 (qt_gsi::GenericMethod *decl) @@ -2427,6 +2500,38 @@ static void _set_callback_cbs_paintEvent_1725_0 (void *cls, const gsi::Callback } +// emitter void QPrintPreviewWidget::paintRequested(QPrinter *printer) + +static void _init_emitter_paintRequested_1443 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("printer"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_paintRequested_1443 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QPrinter *arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewWidget_Adaptor *)cls)->emitter_QPrintPreviewWidget_paintRequested_1443 (arg1); +} + + +// emitter void QPrintPreviewWidget::previewChanged() + +static void _init_emitter_previewChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_previewChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QPrintPreviewWidget_Adaptor *)cls)->emitter_QPrintPreviewWidget_previewChanged_0 (); +} + + // exposed int QPrintPreviewWidget::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -2693,6 +2798,60 @@ static void _set_callback_cbs_wheelEvent_1718_0 (void *cls, const gsi::Callback } +// emitter void QPrintPreviewWidget::windowIconChanged(const QIcon &icon) + +static void _init_emitter_windowIconChanged_1787 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("icon"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowIconChanged_1787 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QIcon &arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewWidget_Adaptor *)cls)->emitter_QPrintPreviewWidget_windowIconChanged_1787 (arg1); +} + + +// emitter void QPrintPreviewWidget::windowIconTextChanged(const QString &iconText) + +static void _init_emitter_windowIconTextChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("iconText"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowIconTextChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewWidget_Adaptor *)cls)->emitter_QPrintPreviewWidget_windowIconTextChanged_2025 (arg1); +} + + +// emitter void QPrintPreviewWidget::windowTitleChanged(const QString &title) + +static void _init_emitter_windowTitleChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("title"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowTitleChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewWidget_Adaptor *)cls)->emitter_QPrintPreviewWidget_windowTitleChanged_2025 (arg1); +} + + namespace gsi { @@ -2713,9 +2872,11 @@ static gsi::Methods methods_QPrintPreviewWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QPrintPreviewWidget::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QPrintPreviewWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QPrintPreviewWidget::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPrintPreviewWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QPrintPreviewWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QPrintPreviewWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPrintPreviewWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QPrintPreviewWidget::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); @@ -2775,10 +2936,13 @@ static gsi::Methods methods_QPrintPreviewWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QPrintPreviewWidget::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QPrintPreviewWidget::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QPrintPreviewWidget::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QPrintPreviewWidget::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("emit_paintRequested", "@brief Emitter for signal void QPrintPreviewWidget::paintRequested(QPrinter *printer)\nCall this method to emit this signal.", false, &_init_emitter_paintRequested_1443, &_call_emitter_paintRequested_1443); + methods += new qt_gsi::GenericMethod ("emit_previewChanged", "@brief Emitter for signal void QPrintPreviewWidget::previewChanged()\nCall this method to emit this signal.", false, &_init_emitter_previewChanged_0, &_call_emitter_previewChanged_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QPrintPreviewWidget::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QPrintPreviewWidget::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); @@ -2801,6 +2965,9 @@ static gsi::Methods methods_QPrintPreviewWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QPrintPreviewWidget::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QPrintPreviewWidget::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QPrintPreviewWidget::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); + methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QPrintPreviewWidget::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); + methods += new qt_gsi::GenericMethod ("emit_windowTitleChanged", "@brief Emitter for signal void QPrintPreviewWidget::windowTitleChanged(const QString &title)\nCall this method to emit this signal.", false, &_init_emitter_windowTitleChanged_2025, &_call_emitter_windowTitleChanged_2025); return methods; } diff --git a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrinter.cc b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrinter.cc index e29c2efbd8..27edb44eab 100644 --- a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrinter.cc +++ b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrinter.cc @@ -1345,7 +1345,7 @@ static gsi::Methods methods_QPrinter () { methods += new qt_gsi::GenericMethod (":paperSize", "@brief Method QPagedPaintDevice::PageSize QPrinter::paperSize()\n", true, &_init_f_paperSize_c0, &_call_f_paperSize_c0); methods += new qt_gsi::GenericMethod ("paperSize", "@brief Method QSizeF QPrinter::paperSize(QPrinter::Unit unit)\n", true, &_init_f_paperSize_c1789, &_call_f_paperSize_c1789); methods += new qt_gsi::GenericMethod (":paperSource", "@brief Method QPrinter::PaperSource QPrinter::paperSource()\n", true, &_init_f_paperSource_c0, &_call_f_paperSource_c0); - methods += new qt_gsi::GenericMethod ("pdfVersion", "@brief Method QPagedPaintDevice::PdfVersion QPrinter::pdfVersion()\n", true, &_init_f_pdfVersion_c0, &_call_f_pdfVersion_c0); + methods += new qt_gsi::GenericMethod (":pdfVersion", "@brief Method QPagedPaintDevice::PdfVersion QPrinter::pdfVersion()\n", true, &_init_f_pdfVersion_c0, &_call_f_pdfVersion_c0); methods += new qt_gsi::GenericMethod ("printEngine", "@brief Method QPrintEngine *QPrinter::printEngine()\n", true, &_init_f_printEngine_c0, &_call_f_printEngine_c0); methods += new qt_gsi::GenericMethod (":printProgram", "@brief Method QString QPrinter::printProgram()\n", true, &_init_f_printProgram_c0, &_call_f_printProgram_c0); methods += new qt_gsi::GenericMethod (":printRange", "@brief Method QPrinter::PrintRange QPrinter::printRange()\n", true, &_init_f_printRange_c0, &_call_f_printRange_c0); @@ -1376,7 +1376,7 @@ static gsi::Methods methods_QPrinter () { methods += new qt_gsi::GenericMethod ("setPaperSize|paperSize=", "@brief Method void QPrinter::setPaperSize(QPagedPaintDevice::PageSize)\n", false, &_init_f_setPaperSize_3006, &_call_f_setPaperSize_3006); methods += new qt_gsi::GenericMethod ("setPaperSize", "@brief Method void QPrinter::setPaperSize(const QSizeF &paperSize, QPrinter::Unit unit)\n", false, &_init_f_setPaperSize_3556, &_call_f_setPaperSize_3556); methods += new qt_gsi::GenericMethod ("setPaperSource|paperSource=", "@brief Method void QPrinter::setPaperSource(QPrinter::PaperSource)\n", false, &_init_f_setPaperSource_2502, &_call_f_setPaperSource_2502); - methods += new qt_gsi::GenericMethod ("setPdfVersion", "@brief Method void QPrinter::setPdfVersion(QPagedPaintDevice::PdfVersion version)\n", false, &_init_f_setPdfVersion_3238, &_call_f_setPdfVersion_3238); + methods += new qt_gsi::GenericMethod ("setPdfVersion|pdfVersion=", "@brief Method void QPrinter::setPdfVersion(QPagedPaintDevice::PdfVersion version)\n", false, &_init_f_setPdfVersion_3238, &_call_f_setPdfVersion_3238); methods += new qt_gsi::GenericMethod ("setPrintProgram|printProgram=", "@brief Method void QPrinter::setPrintProgram(const QString &)\n", false, &_init_f_setPrintProgram_2025, &_call_f_setPrintProgram_2025); methods += new qt_gsi::GenericMethod ("setPrintRange|printRange=", "@brief Method void QPrinter::setPrintRange(QPrinter::PrintRange range)\n", false, &_init_f_setPrintRange_2391, &_call_f_setPrintRange_2391); methods += new qt_gsi::GenericMethod ("setPrinterName|printerName=", "@brief Method void QPrinter::setPrinterName(const QString &)\n", false, &_init_f_setPrinterName_2025, &_call_f_setPrinterName_2025); diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlField.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlField.cc index b939e5b9bb..35031b3d7c 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlField.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlField.cc @@ -677,10 +677,10 @@ static gsi::Methods methods_QSqlField () { methods += new qt_gsi::GenericMethod ("setRequired", "@brief Method void QSqlField::setRequired(bool required)\n", false, &_init_f_setRequired_864, &_call_f_setRequired_864); methods += new qt_gsi::GenericMethod ("setRequiredStatus|requiredStatus=", "@brief Method void QSqlField::setRequiredStatus(QSqlField::RequiredStatus status)\n", false, &_init_f_setRequiredStatus_2898, &_call_f_setRequiredStatus_2898); methods += new qt_gsi::GenericMethod ("setSqlType", "@brief Method void QSqlField::setSqlType(int type)\n", false, &_init_f_setSqlType_767, &_call_f_setSqlType_767); - methods += new qt_gsi::GenericMethod ("setTableName", "@brief Method void QSqlField::setTableName(const QString &tableName)\n", false, &_init_f_setTableName_2025, &_call_f_setTableName_2025); + methods += new qt_gsi::GenericMethod ("setTableName|tableName=", "@brief Method void QSqlField::setTableName(const QString &tableName)\n", false, &_init_f_setTableName_2025, &_call_f_setTableName_2025); methods += new qt_gsi::GenericMethod ("setType|type=", "@brief Method void QSqlField::setType(QVariant::Type type)\n", false, &_init_f_setType_1776, &_call_f_setType_1776); methods += new qt_gsi::GenericMethod ("setValue|value=", "@brief Method void QSqlField::setValue(const QVariant &value)\n", false, &_init_f_setValue_2119, &_call_f_setValue_2119); - methods += new qt_gsi::GenericMethod ("tableName", "@brief Method QString QSqlField::tableName()\n", true, &_init_f_tableName_c0, &_call_f_tableName_c0); + methods += new qt_gsi::GenericMethod (":tableName", "@brief Method QString QSqlField::tableName()\n", true, &_init_f_tableName_c0, &_call_f_tableName_c0); methods += new qt_gsi::GenericMethod (":type", "@brief Method QVariant::Type QSqlField::type()\n", true, &_init_f_type_c0, &_call_f_type_c0); methods += new qt_gsi::GenericMethod ("typeID", "@brief Method int QSqlField::typeID()\n", true, &_init_f_typeID_c0, &_call_f_typeID_c0); methods += new qt_gsi::GenericMethod (":value", "@brief Method QVariant QSqlField::value()\n", true, &_init_f_value_c0, &_call_f_value_c0); diff --git a/src/gsiqt/qt5/QtSvg/gsiDeclQGraphicsSvgItem.cc b/src/gsiqt/qt5/QtSvg/gsiDeclQGraphicsSvgItem.cc index 1778f416d0..55f6bda6d5 100644 --- a/src/gsiqt/qt5/QtSvg/gsiDeclQGraphicsSvgItem.cc +++ b/src/gsiqt/qt5/QtSvg/gsiDeclQGraphicsSvgItem.cc @@ -344,6 +344,20 @@ static gsi::Methods methods_QGraphicsSvgItem () { methods += new qt_gsi::GenericMethod ("setMaximumCacheSize|maximumCacheSize=", "@brief Method void QGraphicsSvgItem::setMaximumCacheSize(const QSize &size)\n", false, &_init_f_setMaximumCacheSize_1805, &_call_f_setMaximumCacheSize_1805); methods += new qt_gsi::GenericMethod ("setSharedRenderer", "@brief Method void QGraphicsSvgItem::setSharedRenderer(QSvgRenderer *renderer)\n", false, &_init_f_setSharedRenderer_1830, &_call_f_setSharedRenderer_1830); methods += new qt_gsi::GenericMethod ("type", "@brief Method int QGraphicsSvgItem::type()\nThis is a reimplementation of QGraphicsItem::type", true, &_init_f_type_c0, &_call_f_type_c0); + methods += gsi::qt_signal ("childrenChanged()", "childrenChanged", "@brief Signal declaration for QGraphicsSvgItem::childrenChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QGraphicsSvgItem::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("enabledChanged()", "enabledChanged", "@brief Signal declaration for QGraphicsSvgItem::enabledChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("heightChanged()", "heightChanged", "@brief Signal declaration for QGraphicsSvgItem::heightChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QGraphicsSvgItem::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("opacityChanged()", "opacityChanged", "@brief Signal declaration for QGraphicsSvgItem::opacityChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("parentChanged()", "parentChanged", "@brief Signal declaration for QGraphicsSvgItem::parentChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("rotationChanged()", "rotationChanged", "@brief Signal declaration for QGraphicsSvgItem::rotationChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("scaleChanged()", "scaleChanged", "@brief Signal declaration for QGraphicsSvgItem::scaleChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("visibleChanged()", "visibleChanged", "@brief Signal declaration for QGraphicsSvgItem::visibleChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("widthChanged()", "widthChanged", "@brief Signal declaration for QGraphicsSvgItem::widthChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("xChanged()", "xChanged", "@brief Signal declaration for QGraphicsSvgItem::xChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("yChanged()", "yChanged", "@brief Signal declaration for QGraphicsSvgItem::yChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("zChanged()", "zChanged", "@brief Signal declaration for QGraphicsSvgItem::zChanged()\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QGraphicsSvgItem::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QGraphicsSvgItem::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -460,6 +474,12 @@ class QGraphicsSvgItem_Adaptor : public QGraphicsSvgItem, public qt_gsi::QtObjec } } + // [emitter impl] void QGraphicsSvgItem::childrenChanged() + void emitter_QGraphicsSvgItem_childrenChanged_0() + { + emit QGraphicsSvgItem::childrenChanged(); + } + // [adaptor impl] bool QGraphicsSvgItem::collidesWithItem(const QGraphicsItem *other, Qt::ItemSelectionMode mode) bool cbs_collidesWithItem_c4977_1(const QGraphicsItem *other, const qt_gsi::Converter::target_type & mode) const { @@ -505,6 +525,18 @@ class QGraphicsSvgItem_Adaptor : public QGraphicsSvgItem, public qt_gsi::QtObjec } } + // [emitter impl] void QGraphicsSvgItem::destroyed(QObject *) + void emitter_QGraphicsSvgItem_destroyed_1302(QObject *arg1) + { + emit QGraphicsSvgItem::destroyed(arg1); + } + + // [emitter impl] void QGraphicsSvgItem::enabledChanged() + void emitter_QGraphicsSvgItem_enabledChanged_0() + { + emit QGraphicsSvgItem::enabledChanged(); + } + // [adaptor impl] bool QGraphicsSvgItem::eventFilter(QObject *watched, QEvent *event) bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { @@ -520,6 +552,12 @@ class QGraphicsSvgItem_Adaptor : public QGraphicsSvgItem, public qt_gsi::QtObjec } } + // [emitter impl] void QGraphicsSvgItem::heightChanged() + void emitter_QGraphicsSvgItem_heightChanged_0() + { + emit QGraphicsSvgItem::heightChanged(); + } + // [adaptor impl] bool QGraphicsSvgItem::isObscuredBy(const QGraphicsItem *item) bool cbs_isObscuredBy_c2614_0(const QGraphicsItem *item) const { @@ -535,6 +573,19 @@ class QGraphicsSvgItem_Adaptor : public QGraphicsSvgItem, public qt_gsi::QtObjec } } + // [emitter impl] void QGraphicsSvgItem::objectNameChanged(const QString &objectName) + void emitter_QGraphicsSvgItem_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QGraphicsSvgItem::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QGraphicsSvgItem::opacityChanged() + void emitter_QGraphicsSvgItem_opacityChanged_0() + { + emit QGraphicsSvgItem::opacityChanged(); + } + // [adaptor impl] QPainterPath QGraphicsSvgItem::opaqueArea() QPainterPath cbs_opaqueArea_c0_0() const { @@ -565,6 +616,24 @@ class QGraphicsSvgItem_Adaptor : public QGraphicsSvgItem, public qt_gsi::QtObjec } } + // [emitter impl] void QGraphicsSvgItem::parentChanged() + void emitter_QGraphicsSvgItem_parentChanged_0() + { + emit QGraphicsSvgItem::parentChanged(); + } + + // [emitter impl] void QGraphicsSvgItem::rotationChanged() + void emitter_QGraphicsSvgItem_rotationChanged_0() + { + emit QGraphicsSvgItem::rotationChanged(); + } + + // [emitter impl] void QGraphicsSvgItem::scaleChanged() + void emitter_QGraphicsSvgItem_scaleChanged_0() + { + emit QGraphicsSvgItem::scaleChanged(); + } + // [adaptor impl] QPainterPath QGraphicsSvgItem::shape() QPainterPath cbs_shape_c0_0() const { @@ -595,6 +664,36 @@ class QGraphicsSvgItem_Adaptor : public QGraphicsSvgItem, public qt_gsi::QtObjec } } + // [emitter impl] void QGraphicsSvgItem::visibleChanged() + void emitter_QGraphicsSvgItem_visibleChanged_0() + { + emit QGraphicsSvgItem::visibleChanged(); + } + + // [emitter impl] void QGraphicsSvgItem::widthChanged() + void emitter_QGraphicsSvgItem_widthChanged_0() + { + emit QGraphicsSvgItem::widthChanged(); + } + + // [emitter impl] void QGraphicsSvgItem::xChanged() + void emitter_QGraphicsSvgItem_xChanged_0() + { + emit QGraphicsSvgItem::xChanged(); + } + + // [emitter impl] void QGraphicsSvgItem::yChanged() + void emitter_QGraphicsSvgItem_yChanged_0() + { + emit QGraphicsSvgItem::yChanged(); + } + + // [emitter impl] void QGraphicsSvgItem::zChanged() + void emitter_QGraphicsSvgItem_zChanged_0() + { + emit QGraphicsSvgItem::zChanged(); + } + // [adaptor impl] void QGraphicsSvgItem::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -1211,6 +1310,20 @@ static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback } +// emitter void QGraphicsSvgItem::childrenChanged() + +static void _init_emitter_childrenChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_childrenChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsSvgItem_Adaptor *)cls)->emitter_QGraphicsSvgItem_childrenChanged_0 (); +} + + // bool QGraphicsSvgItem::collidesWithItem(const QGraphicsItem *other, Qt::ItemSelectionMode mode) static void _init_cbs_collidesWithItem_c4977_1 (qt_gsi::GenericMethod *decl) @@ -1334,6 +1447,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QGraphicsSvgItem::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QGraphicsSvgItem_Adaptor *)cls)->emitter_QGraphicsSvgItem_destroyed_1302 (arg1); +} + + // void QGraphicsSvgItem::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1454,6 +1585,20 @@ static void _set_callback_cbs_dropEvent_3315_0 (void *cls, const gsi::Callback & } +// emitter void QGraphicsSvgItem::enabledChanged() + +static void _init_emitter_enabledChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_enabledChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsSvgItem_Adaptor *)cls)->emitter_QGraphicsSvgItem_enabledChanged_0 (); +} + + // bool QGraphicsSvgItem::event(QEvent *ev) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -1574,6 +1719,20 @@ static void _set_callback_cbs_focusOutEvent_1729_0 (void *cls, const gsi::Callba } +// emitter void QGraphicsSvgItem::heightChanged() + +static void _init_emitter_heightChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_heightChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsSvgItem_Adaptor *)cls)->emitter_QGraphicsSvgItem_heightChanged_0 (); +} + + // void QGraphicsSvgItem::hoverEnterEvent(QGraphicsSceneHoverEvent *event) static void _init_cbs_hoverEnterEvent_3044_0 (qt_gsi::GenericMethod *decl) @@ -1904,6 +2063,38 @@ static void _set_callback_cbs_mouseReleaseEvent_3049_0 (void *cls, const gsi::Ca } +// emitter void QGraphicsSvgItem::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QGraphicsSvgItem_Adaptor *)cls)->emitter_QGraphicsSvgItem_objectNameChanged_4567 (arg1); +} + + +// emitter void QGraphicsSvgItem::opacityChanged() + +static void _init_emitter_opacityChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_opacityChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsSvgItem_Adaptor *)cls)->emitter_QGraphicsSvgItem_opacityChanged_0 (); +} + + // QPainterPath QGraphicsSvgItem::opaqueArea() static void _init_cbs_opaqueArea_c0_0 (qt_gsi::GenericMethod *decl) @@ -1953,6 +2144,20 @@ static void _set_callback_cbs_paint_6301_1 (void *cls, const gsi::Callback &cb) } +// emitter void QGraphicsSvgItem::parentChanged() + +static void _init_emitter_parentChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_parentChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsSvgItem_Adaptor *)cls)->emitter_QGraphicsSvgItem_parentChanged_0 (); +} + + // exposed void QGraphicsSvgItem::prepareGeometryChange() static void _init_fp_prepareGeometryChange_0 (qt_gsi::GenericMethod *decl) @@ -2001,6 +2206,34 @@ static void _call_fp_removeFromIndex_0 (const qt_gsi::GenericMethod * /*decl*/, } +// emitter void QGraphicsSvgItem::rotationChanged() + +static void _init_emitter_rotationChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_rotationChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsSvgItem_Adaptor *)cls)->emitter_QGraphicsSvgItem_rotationChanged_0 (); +} + + +// emitter void QGraphicsSvgItem::scaleChanged() + +static void _init_emitter_scaleChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_scaleChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsSvgItem_Adaptor *)cls)->emitter_QGraphicsSvgItem_scaleChanged_0 (); +} + + // bool QGraphicsSvgItem::sceneEvent(QEvent *event) static void _init_cbs_sceneEvent_1217_0 (qt_gsi::GenericMethod *decl) @@ -2205,6 +2438,20 @@ static void _call_fp_updateMicroFocus_0 (const qt_gsi::GenericMethod * /*decl*/, } +// emitter void QGraphicsSvgItem::visibleChanged() + +static void _init_emitter_visibleChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_visibleChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsSvgItem_Adaptor *)cls)->emitter_QGraphicsSvgItem_visibleChanged_0 (); +} + + // void QGraphicsSvgItem::wheelEvent(QGraphicsSceneWheelEvent *event) static void _init_cbs_wheelEvent_3029_0 (qt_gsi::GenericMethod *decl) @@ -2229,6 +2476,62 @@ static void _set_callback_cbs_wheelEvent_3029_0 (void *cls, const gsi::Callback } +// emitter void QGraphicsSvgItem::widthChanged() + +static void _init_emitter_widthChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_widthChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsSvgItem_Adaptor *)cls)->emitter_QGraphicsSvgItem_widthChanged_0 (); +} + + +// emitter void QGraphicsSvgItem::xChanged() + +static void _init_emitter_xChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_xChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsSvgItem_Adaptor *)cls)->emitter_QGraphicsSvgItem_xChanged_0 (); +} + + +// emitter void QGraphicsSvgItem::yChanged() + +static void _init_emitter_yChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_yChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsSvgItem_Adaptor *)cls)->emitter_QGraphicsSvgItem_yChanged_0 (); +} + + +// emitter void QGraphicsSvgItem::zChanged() + +static void _init_emitter_zChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_zChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QGraphicsSvgItem_Adaptor *)cls)->emitter_QGraphicsSvgItem_zChanged_0 (); +} + + namespace gsi { @@ -2245,6 +2548,7 @@ static gsi::Methods methods_QGraphicsSvgItem_Adaptor () { methods += new qt_gsi::GenericMethod ("boundingRect", "@hide", true, &_init_cbs_boundingRect_c0_0, &_call_cbs_boundingRect_c0_0, &_set_callback_cbs_boundingRect_c0_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QGraphicsSvgItem::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("emit_childrenChanged", "@brief Emitter for signal void QGraphicsSvgItem::childrenChanged()\nCall this method to emit this signal.", false, &_init_emitter_childrenChanged_0, &_call_emitter_childrenChanged_0); methods += new qt_gsi::GenericMethod ("collidesWithItem", "@brief Virtual method bool QGraphicsSvgItem::collidesWithItem(const QGraphicsItem *other, Qt::ItemSelectionMode mode)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_collidesWithItem_c4977_1, &_call_cbs_collidesWithItem_c4977_1); methods += new qt_gsi::GenericMethod ("collidesWithItem", "@hide", true, &_init_cbs_collidesWithItem_c4977_1, &_call_cbs_collidesWithItem_c4977_1, &_set_callback_cbs_collidesWithItem_c4977_1); methods += new qt_gsi::GenericMethod ("collidesWithPath", "@brief Virtual method bool QGraphicsSvgItem::collidesWithPath(const QPainterPath &path, Qt::ItemSelectionMode mode)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_collidesWithPath_c4877_1, &_call_cbs_collidesWithPath_c4877_1); @@ -2255,6 +2559,7 @@ static gsi::Methods methods_QGraphicsSvgItem_Adaptor () { methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_3674_0, &_call_cbs_contextMenuEvent_3674_0, &_set_callback_cbs_contextMenuEvent_3674_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QGraphicsSvgItem::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QGraphicsSvgItem::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QGraphicsSvgItem::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QGraphicsSvgItem::dragEnterEvent(QGraphicsSceneDragDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_3315_0, &_call_cbs_dragEnterEvent_3315_0); @@ -2265,6 +2570,7 @@ static gsi::Methods methods_QGraphicsSvgItem_Adaptor () { methods += new qt_gsi::GenericMethod ("*dragMoveEvent", "@hide", false, &_init_cbs_dragMoveEvent_3315_0, &_call_cbs_dragMoveEvent_3315_0, &_set_callback_cbs_dragMoveEvent_3315_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@brief Virtual method void QGraphicsSvgItem::dropEvent(QGraphicsSceneDragDropEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropEvent_3315_0, &_call_cbs_dropEvent_3315_0); methods += new qt_gsi::GenericMethod ("*dropEvent", "@hide", false, &_init_cbs_dropEvent_3315_0, &_call_cbs_dropEvent_3315_0, &_set_callback_cbs_dropEvent_3315_0); + methods += new qt_gsi::GenericMethod ("emit_enabledChanged", "@brief Emitter for signal void QGraphicsSvgItem::enabledChanged()\nCall this method to emit this signal.", false, &_init_emitter_enabledChanged_0, &_call_emitter_enabledChanged_0); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QGraphicsSvgItem::event(QEvent *ev)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QGraphicsSvgItem::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); @@ -2275,6 +2581,7 @@ static gsi::Methods methods_QGraphicsSvgItem_Adaptor () { methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@brief Virtual method void QGraphicsSvgItem::focusOutEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusOutEvent", "@hide", false, &_init_cbs_focusOutEvent_1729_0, &_call_cbs_focusOutEvent_1729_0, &_set_callback_cbs_focusOutEvent_1729_0); + methods += new qt_gsi::GenericMethod ("emit_heightChanged", "@brief Emitter for signal void QGraphicsSvgItem::heightChanged()\nCall this method to emit this signal.", false, &_init_emitter_heightChanged_0, &_call_emitter_heightChanged_0); methods += new qt_gsi::GenericMethod ("*hoverEnterEvent", "@brief Virtual method void QGraphicsSvgItem::hoverEnterEvent(QGraphicsSceneHoverEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hoverEnterEvent_3044_0, &_call_cbs_hoverEnterEvent_3044_0); methods += new qt_gsi::GenericMethod ("*hoverEnterEvent", "@hide", false, &_init_cbs_hoverEnterEvent_3044_0, &_call_cbs_hoverEnterEvent_3044_0, &_set_callback_cbs_hoverEnterEvent_3044_0); methods += new qt_gsi::GenericMethod ("*hoverLeaveEvent", "@brief Virtual method void QGraphicsSvgItem::hoverLeaveEvent(QGraphicsSceneHoverEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_hoverLeaveEvent_3044_0, &_call_cbs_hoverLeaveEvent_3044_0); @@ -2302,13 +2609,18 @@ static gsi::Methods methods_QGraphicsSvgItem_Adaptor () { methods += new qt_gsi::GenericMethod ("*mousePressEvent", "@hide", false, &_init_cbs_mousePressEvent_3049_0, &_call_cbs_mousePressEvent_3049_0, &_set_callback_cbs_mousePressEvent_3049_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@brief Virtual method void QGraphicsSvgItem::mouseReleaseEvent(QGraphicsSceneMouseEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_mouseReleaseEvent_3049_0, &_call_cbs_mouseReleaseEvent_3049_0); methods += new qt_gsi::GenericMethod ("*mouseReleaseEvent", "@hide", false, &_init_cbs_mouseReleaseEvent_3049_0, &_call_cbs_mouseReleaseEvent_3049_0, &_set_callback_cbs_mouseReleaseEvent_3049_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QGraphicsSvgItem::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); + methods += new qt_gsi::GenericMethod ("emit_opacityChanged", "@brief Emitter for signal void QGraphicsSvgItem::opacityChanged()\nCall this method to emit this signal.", false, &_init_emitter_opacityChanged_0, &_call_emitter_opacityChanged_0); methods += new qt_gsi::GenericMethod ("opaqueArea", "@brief Virtual method QPainterPath QGraphicsSvgItem::opaqueArea()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_opaqueArea_c0_0, &_call_cbs_opaqueArea_c0_0); methods += new qt_gsi::GenericMethod ("opaqueArea", "@hide", true, &_init_cbs_opaqueArea_c0_0, &_call_cbs_opaqueArea_c0_0, &_set_callback_cbs_opaqueArea_c0_0); methods += new qt_gsi::GenericMethod ("paint", "@brief Virtual method void QGraphicsSvgItem::paint(QPainter *painter, const QStyleOptionGraphicsItem *option, QWidget *widget)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paint_6301_1, &_call_cbs_paint_6301_1); methods += new qt_gsi::GenericMethod ("paint", "@hide", false, &_init_cbs_paint_6301_1, &_call_cbs_paint_6301_1, &_set_callback_cbs_paint_6301_1); + methods += new qt_gsi::GenericMethod ("emit_parentChanged", "@brief Emitter for signal void QGraphicsSvgItem::parentChanged()\nCall this method to emit this signal.", false, &_init_emitter_parentChanged_0, &_call_emitter_parentChanged_0); methods += new qt_gsi::GenericMethod ("*prepareGeometryChange", "@brief Method void QGraphicsSvgItem::prepareGeometryChange()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_prepareGeometryChange_0, &_call_fp_prepareGeometryChange_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QGraphicsSvgItem::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*removeFromIndex", "@brief Method void QGraphicsSvgItem::removeFromIndex()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_removeFromIndex_0, &_call_fp_removeFromIndex_0); + methods += new qt_gsi::GenericMethod ("emit_rotationChanged", "@brief Emitter for signal void QGraphicsSvgItem::rotationChanged()\nCall this method to emit this signal.", false, &_init_emitter_rotationChanged_0, &_call_emitter_rotationChanged_0); + methods += new qt_gsi::GenericMethod ("emit_scaleChanged", "@brief Emitter for signal void QGraphicsSvgItem::scaleChanged()\nCall this method to emit this signal.", false, &_init_emitter_scaleChanged_0, &_call_emitter_scaleChanged_0); methods += new qt_gsi::GenericMethod ("*sceneEvent", "@brief Virtual method bool QGraphicsSvgItem::sceneEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_sceneEvent_1217_0, &_call_cbs_sceneEvent_1217_0); methods += new qt_gsi::GenericMethod ("*sceneEvent", "@hide", false, &_init_cbs_sceneEvent_1217_0, &_call_cbs_sceneEvent_1217_0, &_set_callback_cbs_sceneEvent_1217_0); methods += new qt_gsi::GenericMethod ("*sceneEventFilter", "@brief Virtual method bool QGraphicsSvgItem::sceneEventFilter(QGraphicsItem *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_sceneEventFilter_3028_0, &_call_cbs_sceneEventFilter_3028_0); @@ -2326,8 +2638,13 @@ static gsi::Methods methods_QGraphicsSvgItem_Adaptor () { methods += new qt_gsi::GenericMethod ("type", "@brief Virtual method int QGraphicsSvgItem::type()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_type_c0_0, &_call_cbs_type_c0_0); methods += new qt_gsi::GenericMethod ("type", "@hide", true, &_init_cbs_type_c0_0, &_call_cbs_type_c0_0, &_set_callback_cbs_type_c0_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QGraphicsSvgItem::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); + methods += new qt_gsi::GenericMethod ("emit_visibleChanged", "@brief Emitter for signal void QGraphicsSvgItem::visibleChanged()\nCall this method to emit this signal.", false, &_init_emitter_visibleChanged_0, &_call_emitter_visibleChanged_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QGraphicsSvgItem::wheelEvent(QGraphicsSceneWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_3029_0, &_call_cbs_wheelEvent_3029_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_3029_0, &_call_cbs_wheelEvent_3029_0, &_set_callback_cbs_wheelEvent_3029_0); + methods += new qt_gsi::GenericMethod ("emit_widthChanged", "@brief Emitter for signal void QGraphicsSvgItem::widthChanged()\nCall this method to emit this signal.", false, &_init_emitter_widthChanged_0, &_call_emitter_widthChanged_0); + methods += new qt_gsi::GenericMethod ("emit_xChanged", "@brief Emitter for signal void QGraphicsSvgItem::xChanged()\nCall this method to emit this signal.", false, &_init_emitter_xChanged_0, &_call_emitter_xChanged_0); + methods += new qt_gsi::GenericMethod ("emit_yChanged", "@brief Emitter for signal void QGraphicsSvgItem::yChanged()\nCall this method to emit this signal.", false, &_init_emitter_yChanged_0, &_call_emitter_yChanged_0); + methods += new qt_gsi::GenericMethod ("emit_zChanged", "@brief Emitter for signal void QGraphicsSvgItem::zChanged()\nCall this method to emit this signal.", false, &_init_emitter_zChanged_0, &_call_emitter_zChanged_0); return methods; } diff --git a/src/gsiqt/qt5/QtSvg/gsiDeclQSvgRenderer.cc b/src/gsiqt/qt5/QtSvg/gsiDeclQSvgRenderer.cc index 78441a16f2..a43cedfa38 100644 --- a/src/gsiqt/qt5/QtSvg/gsiDeclQSvgRenderer.cc +++ b/src/gsiqt/qt5/QtSvg/gsiDeclQSvgRenderer.cc @@ -333,22 +333,6 @@ static void _call_f_render_5097 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QSvgRenderer::repaintNeeded() - - -static void _init_f_repaintNeeded_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_repaintNeeded_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSvgRenderer *)cls)->repaintNeeded (); -} - - // void QSvgRenderer::setCurrentFrame(int) @@ -530,13 +514,15 @@ static gsi::Methods methods_QSvgRenderer () { methods += new qt_gsi::GenericMethod ("render", "@brief Method void QSvgRenderer::render(QPainter *p)\n", false, &_init_f_render_1426, &_call_f_render_1426); methods += new qt_gsi::GenericMethod ("render", "@brief Method void QSvgRenderer::render(QPainter *p, const QRectF &bounds)\n", false, &_init_f_render_3180, &_call_f_render_3180); methods += new qt_gsi::GenericMethod ("render", "@brief Method void QSvgRenderer::render(QPainter *p, const QString &elementId, const QRectF &bounds)\n", false, &_init_f_render_5097, &_call_f_render_5097); - methods += new qt_gsi::GenericMethod ("repaintNeeded", "@brief Method void QSvgRenderer::repaintNeeded()\n", false, &_init_f_repaintNeeded_0, &_call_f_repaintNeeded_0); methods += new qt_gsi::GenericMethod ("setCurrentFrame|currentFrame=", "@brief Method void QSvgRenderer::setCurrentFrame(int)\n", false, &_init_f_setCurrentFrame_767, &_call_f_setCurrentFrame_767); methods += new qt_gsi::GenericMethod ("setFramesPerSecond|framesPerSecond=", "@brief Method void QSvgRenderer::setFramesPerSecond(int num)\n", false, &_init_f_setFramesPerSecond_767, &_call_f_setFramesPerSecond_767); methods += new qt_gsi::GenericMethod ("setViewBox|viewBox=", "@brief Method void QSvgRenderer::setViewBox(const QRect &viewbox)\n", false, &_init_f_setViewBox_1792, &_call_f_setViewBox_1792); methods += new qt_gsi::GenericMethod ("setViewBox|viewBox=", "@brief Method void QSvgRenderer::setViewBox(const QRectF &viewbox)\n", false, &_init_f_setViewBox_1862, &_call_f_setViewBox_1862); methods += new qt_gsi::GenericMethod (":viewBox", "@brief Method QRect QSvgRenderer::viewBox()\n", true, &_init_f_viewBox_c0, &_call_f_viewBox_c0); methods += new qt_gsi::GenericMethod ("viewBoxF", "@brief Method QRectF QSvgRenderer::viewBoxF()\n", true, &_init_f_viewBoxF_c0, &_call_f_viewBoxF_c0); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QSvgRenderer::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QSvgRenderer::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("repaintNeeded()", "repaintNeeded", "@brief Signal declaration for QSvgRenderer::repaintNeeded()\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QSvgRenderer::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QSvgRenderer::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -627,6 +613,12 @@ class QSvgRenderer_Adaptor : public QSvgRenderer, public qt_gsi::QtObjectBase return QSvgRenderer::senderSignalIndex(); } + // [emitter impl] void QSvgRenderer::destroyed(QObject *) + void emitter_QSvgRenderer_destroyed_1302(QObject *arg1) + { + emit QSvgRenderer::destroyed(arg1); + } + // [adaptor impl] bool QSvgRenderer::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -657,6 +649,19 @@ class QSvgRenderer_Adaptor : public QSvgRenderer, public qt_gsi::QtObjectBase } } + // [emitter impl] void QSvgRenderer::objectNameChanged(const QString &objectName) + void emitter_QSvgRenderer_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QSvgRenderer::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QSvgRenderer::repaintNeeded() + void emitter_QSvgRenderer_repaintNeeded_0() + { + emit QSvgRenderer::repaintNeeded(); + } + // [adaptor impl] void QSvgRenderer::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -856,6 +861,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QSvgRenderer::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QSvgRenderer_Adaptor *)cls)->emitter_QSvgRenderer_destroyed_1302 (arg1); +} + + // void QSvgRenderer::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -947,6 +970,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QSvgRenderer::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QSvgRenderer_Adaptor *)cls)->emitter_QSvgRenderer_objectNameChanged_4567 (arg1); +} + + // exposed int QSvgRenderer::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -965,6 +1006,20 @@ static void _call_fp_receivers_c1731 (const qt_gsi::GenericMethod * /*decl*/, vo } +// emitter void QSvgRenderer::repaintNeeded() + +static void _init_emitter_repaintNeeded_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_repaintNeeded_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QSvgRenderer_Adaptor *)cls)->emitter_QSvgRenderer_repaintNeeded_0 (); +} + + // exposed QObject *QSvgRenderer::sender() static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) @@ -1032,6 +1087,7 @@ static gsi::Methods methods_QSvgRenderer_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSvgRenderer::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSvgRenderer::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSvgRenderer::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSvgRenderer::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -1039,7 +1095,9 @@ static gsi::Methods methods_QSvgRenderer_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSvgRenderer::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSvgRenderer::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QSvgRenderer::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QSvgRenderer::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); + methods += new qt_gsi::GenericMethod ("emit_repaintNeeded", "@brief Emitter for signal void QSvgRenderer::repaintNeeded()\nCall this method to emit this signal.", false, &_init_emitter_repaintNeeded_0, &_call_emitter_repaintNeeded_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QSvgRenderer::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QSvgRenderer::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSvgRenderer::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt5/QtSvg/gsiDeclQSvgWidget.cc b/src/gsiqt/qt5/QtSvg/gsiDeclQSvgWidget.cc index 20ad68f9fe..5c19379fc8 100644 --- a/src/gsiqt/qt5/QtSvg/gsiDeclQSvgWidget.cc +++ b/src/gsiqt/qt5/QtSvg/gsiDeclQSvgWidget.cc @@ -230,6 +230,12 @@ static gsi::Methods methods_QSvgWidget () { methods += new qt_gsi::GenericMethod ("load", "@brief Method void QSvgWidget::load(const QByteArray &contents)\n", false, &_init_f_load_2309, &_call_f_load_2309); methods += new qt_gsi::GenericMethod ("renderer", "@brief Method QSvgRenderer *QSvgWidget::renderer()\n", true, &_init_f_renderer_c0, &_call_f_renderer_c0); methods += new qt_gsi::GenericMethod (":sizeHint", "@brief Method QSize QSvgWidget::sizeHint()\nThis is a reimplementation of QWidget::sizeHint", true, &_init_f_sizeHint_c0, &_call_f_sizeHint_c0); + methods += gsi::qt_signal ("customContextMenuRequested(const QPoint &)", "customContextMenuRequested", gsi::arg("pos"), "@brief Signal declaration for QSvgWidget::customContextMenuRequested(const QPoint &pos)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QSvgWidget::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QSvgWidget::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowIconChanged(const QIcon &)", "windowIconChanged", gsi::arg("icon"), "@brief Signal declaration for QSvgWidget::windowIconChanged(const QIcon &icon)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowIconTextChanged(const QString &)", "windowIconTextChanged", gsi::arg("iconText"), "@brief Signal declaration for QSvgWidget::windowIconTextChanged(const QString &iconText)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowTitleChanged(const QString &)", "windowTitleChanged", gsi::arg("title"), "@brief Signal declaration for QSvgWidget::windowTitleChanged(const QString &title)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QSvgWidget::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QSvgWidget::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -321,6 +327,18 @@ class QSvgWidget_Adaptor : public QSvgWidget, public qt_gsi::QtObjectBase QSvgWidget::updateMicroFocus(); } + // [emitter impl] void QSvgWidget::customContextMenuRequested(const QPoint &pos) + void emitter_QSvgWidget_customContextMenuRequested_1916(const QPoint &pos) + { + emit QSvgWidget::customContextMenuRequested(pos); + } + + // [emitter impl] void QSvgWidget::destroyed(QObject *) + void emitter_QSvgWidget_destroyed_1302(QObject *arg1) + { + emit QSvgWidget::destroyed(arg1); + } + // [adaptor impl] bool QSvgWidget::eventFilter(QObject *watched, QEvent *event) bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { @@ -396,6 +414,13 @@ class QSvgWidget_Adaptor : public QSvgWidget, public qt_gsi::QtObjectBase } } + // [emitter impl] void QSvgWidget::objectNameChanged(const QString &objectName) + void emitter_QSvgWidget_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QSvgWidget::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] QPaintEngine *QSvgWidget::paintEngine() QPaintEngine * cbs_paintEngine_c0_0() const { @@ -441,6 +466,24 @@ class QSvgWidget_Adaptor : public QSvgWidget, public qt_gsi::QtObjectBase } } + // [emitter impl] void QSvgWidget::windowIconChanged(const QIcon &icon) + void emitter_QSvgWidget_windowIconChanged_1787(const QIcon &icon) + { + emit QSvgWidget::windowIconChanged(icon); + } + + // [emitter impl] void QSvgWidget::windowIconTextChanged(const QString &iconText) + void emitter_QSvgWidget_windowIconTextChanged_2025(const QString &iconText) + { + emit QSvgWidget::windowIconTextChanged(iconText); + } + + // [emitter impl] void QSvgWidget::windowTitleChanged(const QString &title) + void emitter_QSvgWidget_windowTitleChanged_2025(const QString &title) + { + emit QSvgWidget::windowTitleChanged(title); + } + // [adaptor impl] void QSvgWidget::actionEvent(QActionEvent *event) void cbs_actionEvent_1823_0(QActionEvent *event) { @@ -1229,6 +1272,24 @@ static void _call_fp_create_2208 (const qt_gsi::GenericMethod * /*decl*/, void * } +// emitter void QSvgWidget::customContextMenuRequested(const QPoint &pos) + +static void _init_emitter_customContextMenuRequested_1916 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("pos"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPoint &arg1 = gsi::arg_reader() (args, heap); + ((QSvgWidget_Adaptor *)cls)->emitter_QSvgWidget_customContextMenuRequested_1916 (arg1); +} + + // void QSvgWidget::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) @@ -1275,6 +1336,24 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void } +// emitter void QSvgWidget::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QSvgWidget_Adaptor *)cls)->emitter_QSvgWidget_destroyed_1302 (arg1); +} + + // void QSvgWidget::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1985,6 +2064,24 @@ static void _set_callback_cbs_nativeEvent_4678_0 (void *cls, const gsi::Callback } +// emitter void QSvgWidget::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QSvgWidget_Adaptor *)cls)->emitter_QSvgWidget_objectNameChanged_4567 (arg1); +} + + // QPaintEngine *QSvgWidget::paintEngine() static void _init_cbs_paintEngine_c0_0 (qt_gsi::GenericMethod *decl) @@ -2294,6 +2391,60 @@ static void _set_callback_cbs_wheelEvent_1718_0 (void *cls, const gsi::Callback } +// emitter void QSvgWidget::windowIconChanged(const QIcon &icon) + +static void _init_emitter_windowIconChanged_1787 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("icon"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowIconChanged_1787 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QIcon &arg1 = gsi::arg_reader() (args, heap); + ((QSvgWidget_Adaptor *)cls)->emitter_QSvgWidget_windowIconChanged_1787 (arg1); +} + + +// emitter void QSvgWidget::windowIconTextChanged(const QString &iconText) + +static void _init_emitter_windowIconTextChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("iconText"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowIconTextChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QSvgWidget_Adaptor *)cls)->emitter_QSvgWidget_windowIconTextChanged_2025 (arg1); +} + + +// emitter void QSvgWidget::windowTitleChanged(const QString &title) + +static void _init_emitter_windowTitleChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("title"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowTitleChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QSvgWidget_Adaptor *)cls)->emitter_QSvgWidget_windowTitleChanged_2025 (arg1); +} + + namespace gsi { @@ -2314,9 +2465,11 @@ static gsi::Methods methods_QSvgWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QSvgWidget::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QSvgWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QSvgWidget::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSvgWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QSvgWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSvgWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSvgWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QSvgWidget::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); @@ -2376,6 +2529,7 @@ static gsi::Methods methods_QSvgWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QSvgWidget::nativeEvent(const QByteArray &eventType, void *message, long int *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_4678_0, &_call_cbs_nativeEvent_4678_0, &_set_callback_cbs_nativeEvent_4678_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QSvgWidget::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QSvgWidget::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QSvgWidget::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); @@ -2402,6 +2556,9 @@ static gsi::Methods methods_QSvgWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QSvgWidget::updateMicroFocus()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_0, &_call_fp_updateMicroFocus_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QSvgWidget::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QSvgWidget::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); + methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QSvgWidget::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); + methods += new qt_gsi::GenericMethod ("emit_windowTitleChanged", "@brief Emitter for signal void QSvgWidget::windowTitleChanged(const QString &title)\nCall this method to emit this signal.", false, &_init_emitter_windowTitleChanged_2025, &_call_emitter_windowTitleChanged_2025); return methods; } diff --git a/src/gsiqt/qt5/QtUiTools/gsiDeclQUiLoader.cc b/src/gsiqt/qt5/QtUiTools/gsiDeclQUiLoader.cc index 05e88035bf..c65fea1cc1 100644 --- a/src/gsiqt/qt5/QtUiTools/gsiDeclQUiLoader.cc +++ b/src/gsiqt/qt5/QtUiTools/gsiDeclQUiLoader.cc @@ -438,14 +438,16 @@ static gsi::Methods methods_QUiLoader () { methods += new qt_gsi::GenericMethod ("createLayout", "@brief Method QLayout *QUiLoader::createLayout(const QString &className, QObject *parent, const QString &name)\n", false, &_init_f_createLayout_5136, &_call_f_createLayout_5136); methods += new qt_gsi::GenericMethod ("createWidget", "@brief Method QWidget *QUiLoader::createWidget(const QString &className, QWidget *parent, const QString &name)\n", false, &_init_f_createWidget_5149, &_call_f_createWidget_5149); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QUiLoader::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); - methods += new qt_gsi::GenericMethod ("isLanguageChangeEnabled?", "@brief Method bool QUiLoader::isLanguageChangeEnabled()\n", true, &_init_f_isLanguageChangeEnabled_c0, &_call_f_isLanguageChangeEnabled_c0); - methods += new qt_gsi::GenericMethod ("isTranslationEnabled?", "@brief Method bool QUiLoader::isTranslationEnabled()\n", true, &_init_f_isTranslationEnabled_c0, &_call_f_isTranslationEnabled_c0); + methods += new qt_gsi::GenericMethod ("isLanguageChangeEnabled?|:languageChangeEnabled", "@brief Method bool QUiLoader::isLanguageChangeEnabled()\n", true, &_init_f_isLanguageChangeEnabled_c0, &_call_f_isLanguageChangeEnabled_c0); + methods += new qt_gsi::GenericMethod ("isTranslationEnabled?|:translationEnabled", "@brief Method bool QUiLoader::isTranslationEnabled()\n", true, &_init_f_isTranslationEnabled_c0, &_call_f_isTranslationEnabled_c0); methods += new qt_gsi::GenericMethod ("load", "@brief Method QWidget *QUiLoader::load(QIODevice *device, QWidget *parentWidget)\n", false, &_init_f_load_2654, &_call_f_load_2654); methods += new qt_gsi::GenericMethod ("pluginPaths", "@brief Method QStringList QUiLoader::pluginPaths()\n", true, &_init_f_pluginPaths_c0, &_call_f_pluginPaths_c0); - methods += new qt_gsi::GenericMethod ("setLanguageChangeEnabled", "@brief Method void QUiLoader::setLanguageChangeEnabled(bool enabled)\n", false, &_init_f_setLanguageChangeEnabled_864, &_call_f_setLanguageChangeEnabled_864); - methods += new qt_gsi::GenericMethod ("setTranslationEnabled", "@brief Method void QUiLoader::setTranslationEnabled(bool enabled)\n", false, &_init_f_setTranslationEnabled_864, &_call_f_setTranslationEnabled_864); - methods += new qt_gsi::GenericMethod ("setWorkingDirectory", "@brief Method void QUiLoader::setWorkingDirectory(const QDir &dir)\n", false, &_init_f_setWorkingDirectory_1681, &_call_f_setWorkingDirectory_1681); - methods += new qt_gsi::GenericMethod ("workingDirectory", "@brief Method QDir QUiLoader::workingDirectory()\n", true, &_init_f_workingDirectory_c0, &_call_f_workingDirectory_c0); + methods += new qt_gsi::GenericMethod ("setLanguageChangeEnabled|languageChangeEnabled=", "@brief Method void QUiLoader::setLanguageChangeEnabled(bool enabled)\n", false, &_init_f_setLanguageChangeEnabled_864, &_call_f_setLanguageChangeEnabled_864); + methods += new qt_gsi::GenericMethod ("setTranslationEnabled|translationEnabled=", "@brief Method void QUiLoader::setTranslationEnabled(bool enabled)\n", false, &_init_f_setTranslationEnabled_864, &_call_f_setTranslationEnabled_864); + methods += new qt_gsi::GenericMethod ("setWorkingDirectory|workingDirectory=", "@brief Method void QUiLoader::setWorkingDirectory(const QDir &dir)\n", false, &_init_f_setWorkingDirectory_1681, &_call_f_setWorkingDirectory_1681); + methods += new qt_gsi::GenericMethod (":workingDirectory", "@brief Method QDir QUiLoader::workingDirectory()\n", true, &_init_f_workingDirectory_c0, &_call_f_workingDirectory_c0); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QUiLoader::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QUiLoader::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QUiLoader::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QUiLoader::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -560,6 +562,12 @@ class QUiLoader_Adaptor : public QUiLoader, public qt_gsi::QtObjectBase } } + // [emitter impl] void QUiLoader::destroyed(QObject *) + void emitter_QUiLoader_destroyed_1302(QObject *arg1) + { + emit QUiLoader::destroyed(arg1); + } + // [adaptor impl] bool QUiLoader::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -590,6 +598,13 @@ class QUiLoader_Adaptor : public QUiLoader, public qt_gsi::QtObjectBase } } + // [emitter impl] void QUiLoader::objectNameChanged(const QString &objectName) + void emitter_QUiLoader_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QUiLoader::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QUiLoader::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -840,6 +855,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QUiLoader::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QUiLoader_Adaptor *)cls)->emitter_QUiLoader_destroyed_1302 (arg1); +} + + // void QUiLoader::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -931,6 +964,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QUiLoader::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QUiLoader_Adaptor *)cls)->emitter_QUiLoader_objectNameChanged_4567 (arg1); +} + + // exposed int QUiLoader::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1021,6 +1072,7 @@ static gsi::Methods methods_QUiLoader_Adaptor () { methods += new qt_gsi::GenericMethod ("createWidget", "@hide", false, &_init_cbs_createWidget_5149_2, &_call_cbs_createWidget_5149_2, &_set_callback_cbs_createWidget_5149_2); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QUiLoader::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QUiLoader::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QUiLoader::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QUiLoader::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -1028,6 +1080,7 @@ static gsi::Methods methods_QUiLoader_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QUiLoader::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QUiLoader::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QUiLoader::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QUiLoader::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QUiLoader::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QUiLoader::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQAction.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQAction.cc index a0cb1ed4bb..cdf809b636 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQAction.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQAction.cc @@ -1098,7 +1098,7 @@ static gsi::Methods methods_QAction () { methods += new qt_gsi::GenericMethod ("isEnabled?|:enabled", "@brief Method bool QAction::isEnabled()\n", true, &_init_f_isEnabled_c0, &_call_f_isEnabled_c0); methods += new qt_gsi::GenericMethod ("isIconVisibleInMenu?|:iconVisibleInMenu", "@brief Method bool QAction::isIconVisibleInMenu()\n", true, &_init_f_isIconVisibleInMenu_c0, &_call_f_isIconVisibleInMenu_c0); methods += new qt_gsi::GenericMethod ("isSeparator?|:separator", "@brief Method bool QAction::isSeparator()\n", true, &_init_f_isSeparator_c0, &_call_f_isSeparator_c0); - methods += new qt_gsi::GenericMethod ("isShortcutVisibleInContextMenu?", "@brief Method bool QAction::isShortcutVisibleInContextMenu()\n", true, &_init_f_isShortcutVisibleInContextMenu_c0, &_call_f_isShortcutVisibleInContextMenu_c0); + methods += new qt_gsi::GenericMethod ("isShortcutVisibleInContextMenu?|:shortcutVisibleInContextMenu", "@brief Method bool QAction::isShortcutVisibleInContextMenu()\n", true, &_init_f_isShortcutVisibleInContextMenu_c0, &_call_f_isShortcutVisibleInContextMenu_c0); methods += new qt_gsi::GenericMethod ("isVisible?|:visible", "@brief Method bool QAction::isVisible()\n", true, &_init_f_isVisible_c0, &_call_f_isVisible_c0); methods += new qt_gsi::GenericMethod (":menu", "@brief Method QMenu *QAction::menu()\n", true, &_init_f_menu_c0, &_call_f_menu_c0); methods += new qt_gsi::GenericMethod (":menuRole", "@brief Method QAction::MenuRole QAction::menuRole()\n", true, &_init_f_menuRole_c0, &_call_f_menuRole_c0); @@ -1121,7 +1121,7 @@ static gsi::Methods methods_QAction () { methods += new qt_gsi::GenericMethod ("setSeparator|separator=", "@brief Method void QAction::setSeparator(bool b)\n", false, &_init_f_setSeparator_864, &_call_f_setSeparator_864); methods += new qt_gsi::GenericMethod ("setShortcut|shortcut=", "@brief Method void QAction::setShortcut(const QKeySequence &shortcut)\n", false, &_init_f_setShortcut_2516, &_call_f_setShortcut_2516); methods += new qt_gsi::GenericMethod ("setShortcutContext|shortcutContext=", "@brief Method void QAction::setShortcutContext(Qt::ShortcutContext context)\n", false, &_init_f_setShortcutContext_2350, &_call_f_setShortcutContext_2350); - methods += new qt_gsi::GenericMethod ("setShortcutVisibleInContextMenu", "@brief Method void QAction::setShortcutVisibleInContextMenu(bool show)\n", false, &_init_f_setShortcutVisibleInContextMenu_864, &_call_f_setShortcutVisibleInContextMenu_864); + methods += new qt_gsi::GenericMethod ("setShortcutVisibleInContextMenu|shortcutVisibleInContextMenu=", "@brief Method void QAction::setShortcutVisibleInContextMenu(bool show)\n", false, &_init_f_setShortcutVisibleInContextMenu_864, &_call_f_setShortcutVisibleInContextMenu_864); methods += new qt_gsi::GenericMethod ("setShortcuts|shortcuts=", "@brief Method void QAction::setShortcuts(const QList &shortcuts)\n", false, &_init_f_setShortcuts_3131, &_call_f_setShortcuts_3131); methods += new qt_gsi::GenericMethod ("setShortcuts|shortcuts=", "@brief Method void QAction::setShortcuts(QKeySequence::StandardKey)\n", false, &_init_f_setShortcuts_2869, &_call_f_setShortcuts_2869); methods += new qt_gsi::GenericMethod ("setStatusTip|statusTip=", "@brief Method void QAction::setStatusTip(const QString &statusTip)\n", false, &_init_f_setStatusTip_2025, &_call_f_setStatusTip_2025); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDoubleSpinBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDoubleSpinBox.cc index c025a2441c..2a176501fc 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDoubleSpinBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDoubleSpinBox.cc @@ -567,11 +567,11 @@ static gsi::Methods methods_QDoubleSpinBox () { methods += new qt_gsi::GenericMethod ("setPrefix|prefix=", "@brief Method void QDoubleSpinBox::setPrefix(const QString &prefix)\n", false, &_init_f_setPrefix_2025, &_call_f_setPrefix_2025); methods += new qt_gsi::GenericMethod ("setRange", "@brief Method void QDoubleSpinBox::setRange(double min, double max)\n", false, &_init_f_setRange_2034, &_call_f_setRange_2034); methods += new qt_gsi::GenericMethod ("setSingleStep|singleStep=", "@brief Method void QDoubleSpinBox::setSingleStep(double val)\n", false, &_init_f_setSingleStep_1071, &_call_f_setSingleStep_1071); - methods += new qt_gsi::GenericMethod ("setStepType", "@brief Method void QDoubleSpinBox::setStepType(QAbstractSpinBox::StepType stepType)\n", false, &_init_f_setStepType_2990, &_call_f_setStepType_2990); + methods += new qt_gsi::GenericMethod ("setStepType|stepType=", "@brief Method void QDoubleSpinBox::setStepType(QAbstractSpinBox::StepType stepType)\n", false, &_init_f_setStepType_2990, &_call_f_setStepType_2990); methods += new qt_gsi::GenericMethod ("setSuffix|suffix=", "@brief Method void QDoubleSpinBox::setSuffix(const QString &suffix)\n", false, &_init_f_setSuffix_2025, &_call_f_setSuffix_2025); methods += new qt_gsi::GenericMethod ("setValue|value=", "@brief Method void QDoubleSpinBox::setValue(double val)\n", false, &_init_f_setValue_1071, &_call_f_setValue_1071); methods += new qt_gsi::GenericMethod (":singleStep", "@brief Method double QDoubleSpinBox::singleStep()\n", true, &_init_f_singleStep_c0, &_call_f_singleStep_c0); - methods += new qt_gsi::GenericMethod ("stepType", "@brief Method QAbstractSpinBox::StepType QDoubleSpinBox::stepType()\n", true, &_init_f_stepType_c0, &_call_f_stepType_c0); + methods += new qt_gsi::GenericMethod (":stepType", "@brief Method QAbstractSpinBox::StepType QDoubleSpinBox::stepType()\n", true, &_init_f_stepType_c0, &_call_f_stepType_c0); methods += new qt_gsi::GenericMethod (":suffix", "@brief Method QString QDoubleSpinBox::suffix()\n", true, &_init_f_suffix_c0, &_call_f_suffix_c0); methods += new qt_gsi::GenericMethod ("textFromValue", "@brief Method QString QDoubleSpinBox::textFromValue(double val)\n", true, &_init_f_textFromValue_c1071, &_call_f_textFromValue_c1071); methods += new qt_gsi::GenericMethod ("validate", "@brief Method QValidator::State QDoubleSpinBox::validate(QString &input, int &pos)\nThis is a reimplementation of QAbstractSpinBox::validate", true, &_init_f_validate_c2171, &_call_f_validate_c2171); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQFileDialog.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQFileDialog.cc index 0f6ab7c7a8..ce0b426b96 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQFileDialog.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQFileDialog.cc @@ -1541,11 +1541,11 @@ static gsi::Methods methods_QFileDialog () { methods += new qt_gsi::GenericMethod ("setReadOnly|readOnly=", "@brief Method void QFileDialog::setReadOnly(bool enabled)\n", false, &_init_f_setReadOnly_864, &_call_f_setReadOnly_864); methods += new qt_gsi::GenericMethod ("setResolveSymlinks|resolveSymlinks=", "@brief Method void QFileDialog::setResolveSymlinks(bool enabled)\n", false, &_init_f_setResolveSymlinks_864, &_call_f_setResolveSymlinks_864); methods += new qt_gsi::GenericMethod ("setSidebarUrls|sidebarUrls=", "@brief Method void QFileDialog::setSidebarUrls(const QList &urls)\n", false, &_init_f_setSidebarUrls_2316, &_call_f_setSidebarUrls_2316); - methods += new qt_gsi::GenericMethod ("setSupportedSchemes", "@brief Method void QFileDialog::setSupportedSchemes(const QStringList &schemes)\n", false, &_init_f_setSupportedSchemes_2437, &_call_f_setSupportedSchemes_2437); + methods += new qt_gsi::GenericMethod ("setSupportedSchemes|supportedSchemes=", "@brief Method void QFileDialog::setSupportedSchemes(const QStringList &schemes)\n", false, &_init_f_setSupportedSchemes_2437, &_call_f_setSupportedSchemes_2437); methods += new qt_gsi::GenericMethod ("setViewMode|viewMode=", "@brief Method void QFileDialog::setViewMode(QFileDialog::ViewMode mode)\n", false, &_init_f_setViewMode_2409, &_call_f_setViewMode_2409); methods += new qt_gsi::GenericMethod ("setVisible|visible=", "@brief Method void QFileDialog::setVisible(bool visible)\nThis is a reimplementation of QDialog::setVisible", false, &_init_f_setVisible_864, &_call_f_setVisible_864); methods += new qt_gsi::GenericMethod (":sidebarUrls", "@brief Method QList QFileDialog::sidebarUrls()\n", true, &_init_f_sidebarUrls_c0, &_call_f_sidebarUrls_c0); - methods += new qt_gsi::GenericMethod ("supportedSchemes", "@brief Method QStringList QFileDialog::supportedSchemes()\n", true, &_init_f_supportedSchemes_c0, &_call_f_supportedSchemes_c0); + methods += new qt_gsi::GenericMethod (":supportedSchemes", "@brief Method QStringList QFileDialog::supportedSchemes()\n", true, &_init_f_supportedSchemes_c0, &_call_f_supportedSchemes_c0); methods += new qt_gsi::GenericMethod ("testOption", "@brief Method bool QFileDialog::testOption(QFileDialog::Option option)\n", true, &_init_f_testOption_c2242, &_call_f_testOption_c2242); methods += new qt_gsi::GenericMethod (":viewMode", "@brief Method QFileDialog::ViewMode QFileDialog::viewMode()\n", true, &_init_f_viewMode_c0, &_call_f_viewMode_c0); methods += gsi::qt_signal ("accepted()", "accepted", "@brief Signal declaration for QFileDialog::accepted()\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScene.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScene.cc index 1bdd598a81..97ee18a030 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScene.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScene.cc @@ -1799,7 +1799,7 @@ static gsi::Methods methods_QGraphicsScene () { methods += new qt_gsi::GenericMethod ("createItemGroup", "@brief Method QGraphicsItemGroup *QGraphicsScene::createItemGroup(const QList &items)\n", false, &_init_f_createItemGroup_3411, &_call_f_createItemGroup_3411); methods += new qt_gsi::GenericMethod ("destroyItemGroup", "@brief Method void QGraphicsScene::destroyItemGroup(QGraphicsItemGroup *group)\n", false, &_init_f_destroyItemGroup_2444, &_call_f_destroyItemGroup_2444); methods += new qt_gsi::GenericMethod (":focusItem", "@brief Method QGraphicsItem *QGraphicsScene::focusItem()\n", true, &_init_f_focusItem_c0, &_call_f_focusItem_c0); - methods += new qt_gsi::GenericMethod ("focusOnTouch", "@brief Method bool QGraphicsScene::focusOnTouch()\n", true, &_init_f_focusOnTouch_c0, &_call_f_focusOnTouch_c0); + methods += new qt_gsi::GenericMethod (":focusOnTouch", "@brief Method bool QGraphicsScene::focusOnTouch()\n", true, &_init_f_focusOnTouch_c0, &_call_f_focusOnTouch_c0); methods += new qt_gsi::GenericMethod (":font", "@brief Method QFont QGraphicsScene::font()\n", true, &_init_f_font_c0, &_call_f_font_c0); methods += new qt_gsi::GenericMethod (":foregroundBrush", "@brief Method QBrush QGraphicsScene::foregroundBrush()\n", true, &_init_f_foregroundBrush_c0, &_call_f_foregroundBrush_c0); methods += new qt_gsi::GenericMethod ("hasFocus", "@brief Method bool QGraphicsScene::hasFocus()\n", true, &_init_f_hasFocus_c0, &_call_f_hasFocus_c0); @@ -1834,7 +1834,7 @@ static gsi::Methods methods_QGraphicsScene () { methods += new qt_gsi::GenericMethod ("setBspTreeDepth|bspTreeDepth=", "@brief Method void QGraphicsScene::setBspTreeDepth(int depth)\n", false, &_init_f_setBspTreeDepth_767, &_call_f_setBspTreeDepth_767); methods += new qt_gsi::GenericMethod ("setFocus", "@brief Method void QGraphicsScene::setFocus(Qt::FocusReason focusReason)\n", false, &_init_f_setFocus_1877, &_call_f_setFocus_1877); methods += new qt_gsi::GenericMethod ("setFocusItem", "@brief Method void QGraphicsScene::setFocusItem(QGraphicsItem *item, Qt::FocusReason focusReason)\n", false, &_init_f_setFocusItem_3688, &_call_f_setFocusItem_3688); - methods += new qt_gsi::GenericMethod ("setFocusOnTouch", "@brief Method void QGraphicsScene::setFocusOnTouch(bool enabled)\n", false, &_init_f_setFocusOnTouch_864, &_call_f_setFocusOnTouch_864); + methods += new qt_gsi::GenericMethod ("setFocusOnTouch|focusOnTouch=", "@brief Method void QGraphicsScene::setFocusOnTouch(bool enabled)\n", false, &_init_f_setFocusOnTouch_864, &_call_f_setFocusOnTouch_864); methods += new qt_gsi::GenericMethod ("setFont|font=", "@brief Method void QGraphicsScene::setFont(const QFont &font)\n", false, &_init_f_setFont_1801, &_call_f_setFont_1801); methods += new qt_gsi::GenericMethod ("setForegroundBrush|foregroundBrush=", "@brief Method void QGraphicsScene::setForegroundBrush(const QBrush &brush)\n", false, &_init_f_setForegroundBrush_1910, &_call_f_setForegroundBrush_1910); methods += new qt_gsi::GenericMethod ("setItemIndexMethod|itemIndexMethod=", "@brief Method void QGraphicsScene::setItemIndexMethod(QGraphicsScene::ItemIndexMethod method)\n", false, &_init_f_setItemIndexMethod_3456, &_call_f_setItemIndexMethod_3456); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQHeaderView.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQHeaderView.cc index 0d3cd5dfcd..2309062262 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQHeaderView.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQHeaderView.cc @@ -1410,7 +1410,7 @@ static gsi::Methods methods_QHeaderView () { methods += new qt_gsi::GenericMethod ("hiddenSectionCount", "@brief Method int QHeaderView::hiddenSectionCount()\n", true, &_init_f_hiddenSectionCount_c0, &_call_f_hiddenSectionCount_c0); methods += new qt_gsi::GenericMethod ("hideSection", "@brief Method void QHeaderView::hideSection(int logicalIndex)\n", false, &_init_f_hideSection_767, &_call_f_hideSection_767); methods += new qt_gsi::GenericMethod (":highlightSections", "@brief Method bool QHeaderView::highlightSections()\n", true, &_init_f_highlightSections_c0, &_call_f_highlightSections_c0); - methods += new qt_gsi::GenericMethod ("isFirstSectionMovable?", "@brief Method bool QHeaderView::isFirstSectionMovable()\n", true, &_init_f_isFirstSectionMovable_c0, &_call_f_isFirstSectionMovable_c0); + methods += new qt_gsi::GenericMethod ("isFirstSectionMovable?|:firstSectionMovable", "@brief Method bool QHeaderView::isFirstSectionMovable()\n", true, &_init_f_isFirstSectionMovable_c0, &_call_f_isFirstSectionMovable_c0); methods += new qt_gsi::GenericMethod ("isSectionHidden?", "@brief Method bool QHeaderView::isSectionHidden(int logicalIndex)\n", true, &_init_f_isSectionHidden_c767, &_call_f_isSectionHidden_c767); methods += new qt_gsi::GenericMethod ("isSortIndicatorShown?|:sortIndicatorShown", "@brief Method bool QHeaderView::isSortIndicatorShown()\n", true, &_init_f_isSortIndicatorShown_c0, &_call_f_isSortIndicatorShown_c0); methods += new qt_gsi::GenericMethod ("length", "@brief Method int QHeaderView::length()\n", true, &_init_f_length_c0, &_call_f_length_c0); @@ -1442,7 +1442,7 @@ static gsi::Methods methods_QHeaderView () { methods += new qt_gsi::GenericMethod ("setCascadingSectionResizes|cascadingSectionResizes=", "@brief Method void QHeaderView::setCascadingSectionResizes(bool enable)\n", false, &_init_f_setCascadingSectionResizes_864, &_call_f_setCascadingSectionResizes_864); methods += new qt_gsi::GenericMethod ("setDefaultAlignment|defaultAlignment=", "@brief Method void QHeaderView::setDefaultAlignment(QFlags alignment)\n", false, &_init_f_setDefaultAlignment_2750, &_call_f_setDefaultAlignment_2750); methods += new qt_gsi::GenericMethod ("setDefaultSectionSize|defaultSectionSize=", "@brief Method void QHeaderView::setDefaultSectionSize(int size)\n", false, &_init_f_setDefaultSectionSize_767, &_call_f_setDefaultSectionSize_767); - methods += new qt_gsi::GenericMethod ("setFirstSectionMovable", "@brief Method void QHeaderView::setFirstSectionMovable(bool movable)\n", false, &_init_f_setFirstSectionMovable_864, &_call_f_setFirstSectionMovable_864); + methods += new qt_gsi::GenericMethod ("setFirstSectionMovable|firstSectionMovable=", "@brief Method void QHeaderView::setFirstSectionMovable(bool movable)\n", false, &_init_f_setFirstSectionMovable_864, &_call_f_setFirstSectionMovable_864); methods += new qt_gsi::GenericMethod ("setHighlightSections|highlightSections=", "@brief Method void QHeaderView::setHighlightSections(bool highlight)\n", false, &_init_f_setHighlightSections_864, &_call_f_setHighlightSections_864); methods += new qt_gsi::GenericMethod ("setMaximumSectionSize|maximumSectionSize=", "@brief Method void QHeaderView::setMaximumSectionSize(int size)\n", false, &_init_f_setMaximumSectionSize_767, &_call_f_setMaximumSectionSize_767); methods += new qt_gsi::GenericMethod ("setMinimumSectionSize|minimumSectionSize=", "@brief Method void QHeaderView::setMinimumSectionSize(int size)\n", false, &_init_f_setMinimumSectionSize_767, &_call_f_setMinimumSectionSize_767); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQInputDialog.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQInputDialog.cc index 49806af6fa..9ceffa2139 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQInputDialog.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQInputDialog.cc @@ -1240,7 +1240,7 @@ static gsi::Methods methods_QInputDialog () { methods += new qt_gsi::GenericMethod (":doubleDecimals", "@brief Method int QInputDialog::doubleDecimals()\n", true, &_init_f_doubleDecimals_c0, &_call_f_doubleDecimals_c0); methods += new qt_gsi::GenericMethod (":doubleMaximum", "@brief Method double QInputDialog::doubleMaximum()\n", true, &_init_f_doubleMaximum_c0, &_call_f_doubleMaximum_c0); methods += new qt_gsi::GenericMethod (":doubleMinimum", "@brief Method double QInputDialog::doubleMinimum()\n", true, &_init_f_doubleMinimum_c0, &_call_f_doubleMinimum_c0); - methods += new qt_gsi::GenericMethod ("doubleStep", "@brief Method double QInputDialog::doubleStep()\n", true, &_init_f_doubleStep_c0, &_call_f_doubleStep_c0); + methods += new qt_gsi::GenericMethod (":doubleStep", "@brief Method double QInputDialog::doubleStep()\n", true, &_init_f_doubleStep_c0, &_call_f_doubleStep_c0); methods += new qt_gsi::GenericMethod (":doubleValue", "@brief Method double QInputDialog::doubleValue()\n", true, &_init_f_doubleValue_c0, &_call_f_doubleValue_c0); methods += new qt_gsi::GenericMethod (":inputMode", "@brief Method QInputDialog::InputMode QInputDialog::inputMode()\n", true, &_init_f_inputMode_c0, &_call_f_inputMode_c0); methods += new qt_gsi::GenericMethod (":intMaximum", "@brief Method int QInputDialog::intMaximum()\n", true, &_init_f_intMaximum_c0, &_call_f_intMaximum_c0); @@ -1261,7 +1261,7 @@ static gsi::Methods methods_QInputDialog () { methods += new qt_gsi::GenericMethod ("setDoubleMaximum|doubleMaximum=", "@brief Method void QInputDialog::setDoubleMaximum(double max)\n", false, &_init_f_setDoubleMaximum_1071, &_call_f_setDoubleMaximum_1071); methods += new qt_gsi::GenericMethod ("setDoubleMinimum|doubleMinimum=", "@brief Method void QInputDialog::setDoubleMinimum(double min)\n", false, &_init_f_setDoubleMinimum_1071, &_call_f_setDoubleMinimum_1071); methods += new qt_gsi::GenericMethod ("setDoubleRange", "@brief Method void QInputDialog::setDoubleRange(double min, double max)\n", false, &_init_f_setDoubleRange_2034, &_call_f_setDoubleRange_2034); - methods += new qt_gsi::GenericMethod ("setDoubleStep", "@brief Method void QInputDialog::setDoubleStep(double step)\n", false, &_init_f_setDoubleStep_1071, &_call_f_setDoubleStep_1071); + methods += new qt_gsi::GenericMethod ("setDoubleStep|doubleStep=", "@brief Method void QInputDialog::setDoubleStep(double step)\n", false, &_init_f_setDoubleStep_1071, &_call_f_setDoubleStep_1071); methods += new qt_gsi::GenericMethod ("setDoubleValue|doubleValue=", "@brief Method void QInputDialog::setDoubleValue(double value)\n", false, &_init_f_setDoubleValue_1071, &_call_f_setDoubleValue_1071); methods += new qt_gsi::GenericMethod ("setInputMode|inputMode=", "@brief Method void QInputDialog::setInputMode(QInputDialog::InputMode mode)\n", false, &_init_f_setInputMode_2670, &_call_f_setInputMode_2670); methods += new qt_gsi::GenericMethod ("setIntMaximum|intMaximum=", "@brief Method void QInputDialog::setIntMaximum(int max)\n", false, &_init_f_setIntMaximum_767, &_call_f_setIntMaximum_767); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQListView.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQListView.cc index 64652cd8c0..c30c25482c 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQListView.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQListView.cc @@ -833,7 +833,7 @@ static gsi::Methods methods_QListView () { methods += new qt_gsi::GenericMethod ("isRowHidden?", "@brief Method bool QListView::isRowHidden(int row)\n", true, &_init_f_isRowHidden_c767, &_call_f_isRowHidden_c767); methods += new qt_gsi::GenericMethod ("isSelectionRectVisible?|:selectionRectVisible", "@brief Method bool QListView::isSelectionRectVisible()\n", true, &_init_f_isSelectionRectVisible_c0, &_call_f_isSelectionRectVisible_c0); methods += new qt_gsi::GenericMethod ("isWrapping?|:isWrapping", "@brief Method bool QListView::isWrapping()\n", true, &_init_f_isWrapping_c0, &_call_f_isWrapping_c0); - methods += new qt_gsi::GenericMethod ("itemAlignment", "@brief Method QFlags QListView::itemAlignment()\n", true, &_init_f_itemAlignment_c0, &_call_f_itemAlignment_c0); + methods += new qt_gsi::GenericMethod (":itemAlignment", "@brief Method QFlags QListView::itemAlignment()\n", true, &_init_f_itemAlignment_c0, &_call_f_itemAlignment_c0); methods += new qt_gsi::GenericMethod (":layoutMode", "@brief Method QListView::LayoutMode QListView::layoutMode()\n", true, &_init_f_layoutMode_c0, &_call_f_layoutMode_c0); methods += new qt_gsi::GenericMethod (":modelColumn", "@brief Method int QListView::modelColumn()\n", true, &_init_f_modelColumn_c0, &_call_f_modelColumn_c0); methods += new qt_gsi::GenericMethod (":movement", "@brief Method QListView::Movement QListView::movement()\n", true, &_init_f_movement_c0, &_call_f_movement_c0); @@ -843,7 +843,7 @@ static gsi::Methods methods_QListView () { methods += new qt_gsi::GenericMethod ("setBatchSize|batchSize=", "@brief Method void QListView::setBatchSize(int batchSize)\n", false, &_init_f_setBatchSize_767, &_call_f_setBatchSize_767); methods += new qt_gsi::GenericMethod ("setFlow|flow=", "@brief Method void QListView::setFlow(QListView::Flow flow)\n", false, &_init_f_setFlow_1864, &_call_f_setFlow_1864); methods += new qt_gsi::GenericMethod ("setGridSize|gridSize=", "@brief Method void QListView::setGridSize(const QSize &size)\n", false, &_init_f_setGridSize_1805, &_call_f_setGridSize_1805); - methods += new qt_gsi::GenericMethod ("setItemAlignment", "@brief Method void QListView::setItemAlignment(QFlags alignment)\n", false, &_init_f_setItemAlignment_2750, &_call_f_setItemAlignment_2750); + methods += new qt_gsi::GenericMethod ("setItemAlignment|itemAlignment=", "@brief Method void QListView::setItemAlignment(QFlags alignment)\n", false, &_init_f_setItemAlignment_2750, &_call_f_setItemAlignment_2750); methods += new qt_gsi::GenericMethod ("setLayoutMode|layoutMode=", "@brief Method void QListView::setLayoutMode(QListView::LayoutMode mode)\n", false, &_init_f_setLayoutMode_2483, &_call_f_setLayoutMode_2483); methods += new qt_gsi::GenericMethod ("setModelColumn|modelColumn=", "@brief Method void QListView::setModelColumn(int column)\n", false, &_init_f_setModelColumn_767, &_call_f_setModelColumn_767); methods += new qt_gsi::GenericMethod ("setMovement|movement=", "@brief Method void QListView::setMovement(QListView::Movement movement)\n", false, &_init_f_setMovement_2299, &_call_f_setMovement_2299); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQListWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQListWidget.cc index 0b8afb08d2..b91d52b86f 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQListWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQListWidget.cc @@ -994,7 +994,7 @@ static gsi::Methods methods_QListWidget () { methods += new qt_gsi::GenericMethod ("setItemHidden", "@brief Method void QListWidget::setItemHidden(const QListWidgetItem *item, bool hide)\n", false, &_init_f_setItemHidden_3577, &_call_f_setItemHidden_3577); methods += new qt_gsi::GenericMethod ("setItemSelected", "@brief Method void QListWidget::setItemSelected(const QListWidgetItem *item, bool select)\n", false, &_init_f_setItemSelected_3577, &_call_f_setItemSelected_3577); methods += new qt_gsi::GenericMethod ("setItemWidget", "@brief Method void QListWidget::setItemWidget(QListWidgetItem *item, QWidget *widget)\n", false, &_init_f_setItemWidget_3333, &_call_f_setItemWidget_3333); - methods += new qt_gsi::GenericMethod ("setSelectionModel", "@brief Method void QListWidget::setSelectionModel(QItemSelectionModel *selectionModel)\nThis is a reimplementation of QAbstractItemView::setSelectionModel", false, &_init_f_setSelectionModel_2533, &_call_f_setSelectionModel_2533); + methods += new qt_gsi::GenericMethod ("setSelectionModel|selectionModel=", "@brief Method void QListWidget::setSelectionModel(QItemSelectionModel *selectionModel)\nThis is a reimplementation of QAbstractItemView::setSelectionModel", false, &_init_f_setSelectionModel_2533, &_call_f_setSelectionModel_2533); methods += new qt_gsi::GenericMethod ("setSortingEnabled|sortingEnabled=", "@brief Method void QListWidget::setSortingEnabled(bool enable)\n", false, &_init_f_setSortingEnabled_864, &_call_f_setSortingEnabled_864); methods += new qt_gsi::GenericMethod ("sortItems", "@brief Method void QListWidget::sortItems(Qt::SortOrder order)\n", false, &_init_f_sortItems_1681, &_call_f_sortItems_1681); methods += new qt_gsi::GenericMethod ("takeItem", "@brief Method QListWidgetItem *QListWidget::takeItem(int row)\n", false, &_init_f_takeItem_767, &_call_f_takeItem_767); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextEdit.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextEdit.cc index b928504a55..ce13802ed9 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextEdit.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextEdit.cc @@ -1472,14 +1472,14 @@ static gsi::Methods methods_QPlainTextEdit () { methods += new qt_gsi::GenericMethod ("setPlainText|plainText=", "@brief Method void QPlainTextEdit::setPlainText(const QString &text)\n", false, &_init_f_setPlainText_2025, &_call_f_setPlainText_2025); methods += new qt_gsi::GenericMethod ("setReadOnly|readOnly=", "@brief Method void QPlainTextEdit::setReadOnly(bool ro)\n", false, &_init_f_setReadOnly_864, &_call_f_setReadOnly_864); methods += new qt_gsi::GenericMethod ("setTabChangesFocus|tabChangesFocus=", "@brief Method void QPlainTextEdit::setTabChangesFocus(bool b)\n", false, &_init_f_setTabChangesFocus_864, &_call_f_setTabChangesFocus_864); - methods += new qt_gsi::GenericMethod ("setTabStopDistance", "@brief Method void QPlainTextEdit::setTabStopDistance(double distance)\n", false, &_init_f_setTabStopDistance_1071, &_call_f_setTabStopDistance_1071); + methods += new qt_gsi::GenericMethod ("setTabStopDistance|tabStopDistance=", "@brief Method void QPlainTextEdit::setTabStopDistance(double distance)\n", false, &_init_f_setTabStopDistance_1071, &_call_f_setTabStopDistance_1071); methods += new qt_gsi::GenericMethod ("setTabStopWidth|tabStopWidth=", "@brief Method void QPlainTextEdit::setTabStopWidth(int width)\n", false, &_init_f_setTabStopWidth_767, &_call_f_setTabStopWidth_767); methods += new qt_gsi::GenericMethod ("setTextCursor|textCursor=", "@brief Method void QPlainTextEdit::setTextCursor(const QTextCursor &cursor)\n", false, &_init_f_setTextCursor_2453, &_call_f_setTextCursor_2453); methods += new qt_gsi::GenericMethod ("setTextInteractionFlags|textInteractionFlags=", "@brief Method void QPlainTextEdit::setTextInteractionFlags(QFlags flags)\n", false, &_init_f_setTextInteractionFlags_3396, &_call_f_setTextInteractionFlags_3396); methods += new qt_gsi::GenericMethod ("setUndoRedoEnabled|undoRedoEnabled=", "@brief Method void QPlainTextEdit::setUndoRedoEnabled(bool enable)\n", false, &_init_f_setUndoRedoEnabled_864, &_call_f_setUndoRedoEnabled_864); methods += new qt_gsi::GenericMethod ("setWordWrapMode|wordWrapMode=", "@brief Method void QPlainTextEdit::setWordWrapMode(QTextOption::WrapMode policy)\n", false, &_init_f_setWordWrapMode_2486, &_call_f_setWordWrapMode_2486); methods += new qt_gsi::GenericMethod (":tabChangesFocus", "@brief Method bool QPlainTextEdit::tabChangesFocus()\n", true, &_init_f_tabChangesFocus_c0, &_call_f_tabChangesFocus_c0); - methods += new qt_gsi::GenericMethod ("tabStopDistance", "@brief Method double QPlainTextEdit::tabStopDistance()\n", true, &_init_f_tabStopDistance_c0, &_call_f_tabStopDistance_c0); + methods += new qt_gsi::GenericMethod (":tabStopDistance", "@brief Method double QPlainTextEdit::tabStopDistance()\n", true, &_init_f_tabStopDistance_c0, &_call_f_tabStopDistance_c0); methods += new qt_gsi::GenericMethod (":tabStopWidth", "@brief Method int QPlainTextEdit::tabStopWidth()\n", true, &_init_f_tabStopWidth_c0, &_call_f_tabStopWidth_c0); methods += new qt_gsi::GenericMethod (":textCursor", "@brief Method QTextCursor QPlainTextEdit::textCursor()\n", true, &_init_f_textCursor_c0, &_call_f_textCursor_c0); methods += new qt_gsi::GenericMethod (":textInteractionFlags", "@brief Method QFlags QPlainTextEdit::textInteractionFlags()\n", true, &_init_f_textInteractionFlags_c0, &_call_f_textInteractionFlags_c0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQSpinBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQSpinBox.cc index 2a13ee85eb..6e1529d73a 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQSpinBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQSpinBox.cc @@ -486,11 +486,11 @@ static gsi::Methods methods_QSpinBox () { methods += new qt_gsi::GenericMethod ("setPrefix|prefix=", "@brief Method void QSpinBox::setPrefix(const QString &prefix)\n", false, &_init_f_setPrefix_2025, &_call_f_setPrefix_2025); methods += new qt_gsi::GenericMethod ("setRange", "@brief Method void QSpinBox::setRange(int min, int max)\n", false, &_init_f_setRange_1426, &_call_f_setRange_1426); methods += new qt_gsi::GenericMethod ("setSingleStep|singleStep=", "@brief Method void QSpinBox::setSingleStep(int val)\n", false, &_init_f_setSingleStep_767, &_call_f_setSingleStep_767); - methods += new qt_gsi::GenericMethod ("setStepType", "@brief Method void QSpinBox::setStepType(QAbstractSpinBox::StepType stepType)\n", false, &_init_f_setStepType_2990, &_call_f_setStepType_2990); + methods += new qt_gsi::GenericMethod ("setStepType|stepType=", "@brief Method void QSpinBox::setStepType(QAbstractSpinBox::StepType stepType)\n", false, &_init_f_setStepType_2990, &_call_f_setStepType_2990); methods += new qt_gsi::GenericMethod ("setSuffix|suffix=", "@brief Method void QSpinBox::setSuffix(const QString &suffix)\n", false, &_init_f_setSuffix_2025, &_call_f_setSuffix_2025); methods += new qt_gsi::GenericMethod ("setValue|value=", "@brief Method void QSpinBox::setValue(int val)\n", false, &_init_f_setValue_767, &_call_f_setValue_767); methods += new qt_gsi::GenericMethod (":singleStep", "@brief Method int QSpinBox::singleStep()\n", true, &_init_f_singleStep_c0, &_call_f_singleStep_c0); - methods += new qt_gsi::GenericMethod ("stepType", "@brief Method QAbstractSpinBox::StepType QSpinBox::stepType()\n", true, &_init_f_stepType_c0, &_call_f_stepType_c0); + methods += new qt_gsi::GenericMethod (":stepType", "@brief Method QAbstractSpinBox::StepType QSpinBox::stepType()\n", true, &_init_f_stepType_c0, &_call_f_stepType_c0); methods += new qt_gsi::GenericMethod (":suffix", "@brief Method QString QSpinBox::suffix()\n", true, &_init_f_suffix_c0, &_call_f_suffix_c0); methods += new qt_gsi::GenericMethod (":value", "@brief Method int QSpinBox::value()\n", true, &_init_f_value_c0, &_call_f_value_c0); methods += gsi::qt_signal ("customContextMenuRequested(const QPoint &)", "customContextMenuRequested", gsi::arg("pos"), "@brief Signal declaration for QSpinBox::customContextMenuRequested(const QPoint &pos)\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTextEdit.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTextEdit.cc index e3bdb2cf52..ddaf62a717 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTextEdit.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTextEdit.cc @@ -1843,7 +1843,7 @@ static gsi::Methods methods_QTextEdit () { methods += new qt_gsi::GenericMethod ("setPlainText|plainText=", "@brief Method void QTextEdit::setPlainText(const QString &text)\n", false, &_init_f_setPlainText_2025, &_call_f_setPlainText_2025); methods += new qt_gsi::GenericMethod ("setReadOnly|readOnly=", "@brief Method void QTextEdit::setReadOnly(bool ro)\n", false, &_init_f_setReadOnly_864, &_call_f_setReadOnly_864); methods += new qt_gsi::GenericMethod ("setTabChangesFocus|tabChangesFocus=", "@brief Method void QTextEdit::setTabChangesFocus(bool b)\n", false, &_init_f_setTabChangesFocus_864, &_call_f_setTabChangesFocus_864); - methods += new qt_gsi::GenericMethod ("setTabStopDistance", "@brief Method void QTextEdit::setTabStopDistance(double distance)\n", false, &_init_f_setTabStopDistance_1071, &_call_f_setTabStopDistance_1071); + methods += new qt_gsi::GenericMethod ("setTabStopDistance|tabStopDistance=", "@brief Method void QTextEdit::setTabStopDistance(double distance)\n", false, &_init_f_setTabStopDistance_1071, &_call_f_setTabStopDistance_1071); methods += new qt_gsi::GenericMethod ("setTabStopWidth|tabStopWidth=", "@brief Method void QTextEdit::setTabStopWidth(int width)\n", false, &_init_f_setTabStopWidth_767, &_call_f_setTabStopWidth_767); methods += new qt_gsi::GenericMethod ("setText", "@brief Method void QTextEdit::setText(const QString &text)\n", false, &_init_f_setText_2025, &_call_f_setText_2025); methods += new qt_gsi::GenericMethod ("setTextBackgroundColor|textBackgroundColor=", "@brief Method void QTextEdit::setTextBackgroundColor(const QColor &c)\n", false, &_init_f_setTextBackgroundColor_1905, &_call_f_setTextBackgroundColor_1905); @@ -1853,7 +1853,7 @@ static gsi::Methods methods_QTextEdit () { methods += new qt_gsi::GenericMethod ("setUndoRedoEnabled|undoRedoEnabled=", "@brief Method void QTextEdit::setUndoRedoEnabled(bool enable)\n", false, &_init_f_setUndoRedoEnabled_864, &_call_f_setUndoRedoEnabled_864); methods += new qt_gsi::GenericMethod ("setWordWrapMode|wordWrapMode=", "@brief Method void QTextEdit::setWordWrapMode(QTextOption::WrapMode policy)\n", false, &_init_f_setWordWrapMode_2486, &_call_f_setWordWrapMode_2486); methods += new qt_gsi::GenericMethod (":tabChangesFocus", "@brief Method bool QTextEdit::tabChangesFocus()\n", true, &_init_f_tabChangesFocus_c0, &_call_f_tabChangesFocus_c0); - methods += new qt_gsi::GenericMethod ("tabStopDistance", "@brief Method double QTextEdit::tabStopDistance()\n", true, &_init_f_tabStopDistance_c0, &_call_f_tabStopDistance_c0); + methods += new qt_gsi::GenericMethod (":tabStopDistance", "@brief Method double QTextEdit::tabStopDistance()\n", true, &_init_f_tabStopDistance_c0, &_call_f_tabStopDistance_c0); methods += new qt_gsi::GenericMethod (":tabStopWidth", "@brief Method int QTextEdit::tabStopWidth()\n", true, &_init_f_tabStopWidth_c0, &_call_f_tabStopWidth_c0); methods += new qt_gsi::GenericMethod (":textBackgroundColor", "@brief Method QColor QTextEdit::textBackgroundColor()\n", true, &_init_f_textBackgroundColor_c0, &_call_f_textBackgroundColor_c0); methods += new qt_gsi::GenericMethod (":textColor", "@brief Method QColor QTextEdit::textColor()\n", true, &_init_f_textColor_c0, &_call_f_textColor_c0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoCommand.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoCommand.cc index 4c1abf8097..2244b61baa 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoCommand.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoCommand.cc @@ -229,10 +229,10 @@ static gsi::Methods methods_QUndoCommand () { methods += new qt_gsi::GenericMethod ("child", "@brief Method const QUndoCommand *QUndoCommand::child(int index)\n", true, &_init_f_child_c767, &_call_f_child_c767); methods += new qt_gsi::GenericMethod ("childCount", "@brief Method int QUndoCommand::childCount()\n", true, &_init_f_childCount_c0, &_call_f_childCount_c0); methods += new qt_gsi::GenericMethod ("id", "@brief Method int QUndoCommand::id()\n", true, &_init_f_id_c0, &_call_f_id_c0); - methods += new qt_gsi::GenericMethod ("isObsolete?", "@brief Method bool QUndoCommand::isObsolete()\n", true, &_init_f_isObsolete_c0, &_call_f_isObsolete_c0); + methods += new qt_gsi::GenericMethod ("isObsolete?|:obsolete", "@brief Method bool QUndoCommand::isObsolete()\n", true, &_init_f_isObsolete_c0, &_call_f_isObsolete_c0); methods += new qt_gsi::GenericMethod ("mergeWith", "@brief Method bool QUndoCommand::mergeWith(const QUndoCommand *other)\n", false, &_init_f_mergeWith_2507, &_call_f_mergeWith_2507); methods += new qt_gsi::GenericMethod ("redo", "@brief Method void QUndoCommand::redo()\n", false, &_init_f_redo_0, &_call_f_redo_0); - methods += new qt_gsi::GenericMethod ("setObsolete", "@brief Method void QUndoCommand::setObsolete(bool obsolete)\n", false, &_init_f_setObsolete_864, &_call_f_setObsolete_864); + methods += new qt_gsi::GenericMethod ("setObsolete|obsolete=", "@brief Method void QUndoCommand::setObsolete(bool obsolete)\n", false, &_init_f_setObsolete_864, &_call_f_setObsolete_864); methods += new qt_gsi::GenericMethod ("setText|text=", "@brief Method void QUndoCommand::setText(const QString &text)\n", false, &_init_f_setText_2025, &_call_f_setText_2025); methods += new qt_gsi::GenericMethod (":text", "@brief Method QString QUndoCommand::text()\n", true, &_init_f_text_c0, &_call_f_text_c0); methods += new qt_gsi::GenericMethod ("undo", "@brief Method void QUndoCommand::undo()\n", false, &_init_f_undo_0, &_call_f_undo_0); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoStack.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoStack.cc index 41a884e643..e80b33f8dc 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoStack.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoStack.cc @@ -541,8 +541,8 @@ static gsi::Methods methods_QUndoStack () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("beginMacro", "@brief Method void QUndoStack::beginMacro(const QString &text)\n", false, &_init_f_beginMacro_2025, &_call_f_beginMacro_2025); - methods += new qt_gsi::GenericMethod ("canRedo", "@brief Method bool QUndoStack::canRedo()\n", true, &_init_f_canRedo_c0, &_call_f_canRedo_c0); - methods += new qt_gsi::GenericMethod ("canUndo", "@brief Method bool QUndoStack::canUndo()\n", true, &_init_f_canUndo_c0, &_call_f_canUndo_c0); + methods += new qt_gsi::GenericMethod (":canRedo", "@brief Method bool QUndoStack::canRedo()\n", true, &_init_f_canRedo_c0, &_call_f_canRedo_c0); + methods += new qt_gsi::GenericMethod (":canUndo", "@brief Method bool QUndoStack::canUndo()\n", true, &_init_f_canUndo_c0, &_call_f_canUndo_c0); methods += new qt_gsi::GenericMethod ("cleanIndex", "@brief Method int QUndoStack::cleanIndex()\n", true, &_init_f_cleanIndex_c0, &_call_f_cleanIndex_c0); methods += new qt_gsi::GenericMethod ("clear", "@brief Method void QUndoStack::clear()\n", false, &_init_f_clear_0, &_call_f_clear_0); methods += new qt_gsi::GenericMethod ("command", "@brief Method const QUndoCommand *QUndoStack::command(int index)\n", true, &_init_f_command_c767, &_call_f_command_c767); @@ -552,10 +552,10 @@ static gsi::Methods methods_QUndoStack () { methods += new qt_gsi::GenericMethod ("endMacro", "@brief Method void QUndoStack::endMacro()\n", false, &_init_f_endMacro_0, &_call_f_endMacro_0); methods += new qt_gsi::GenericMethod (":index", "@brief Method int QUndoStack::index()\n", true, &_init_f_index_c0, &_call_f_index_c0); methods += new qt_gsi::GenericMethod ("isActive?|:active", "@brief Method bool QUndoStack::isActive()\n", true, &_init_f_isActive_c0, &_call_f_isActive_c0); - methods += new qt_gsi::GenericMethod ("isClean?", "@brief Method bool QUndoStack::isClean()\n", true, &_init_f_isClean_c0, &_call_f_isClean_c0); + methods += new qt_gsi::GenericMethod ("isClean?|:clean", "@brief Method bool QUndoStack::isClean()\n", true, &_init_f_isClean_c0, &_call_f_isClean_c0); methods += new qt_gsi::GenericMethod ("push", "@brief Method void QUndoStack::push(QUndoCommand *cmd)\n", false, &_init_f_push_1812, &_call_f_push_1812); methods += new qt_gsi::GenericMethod ("redo", "@brief Method void QUndoStack::redo()\n", false, &_init_f_redo_0, &_call_f_redo_0); - methods += new qt_gsi::GenericMethod ("redoText", "@brief Method QString QUndoStack::redoText()\n", true, &_init_f_redoText_c0, &_call_f_redoText_c0); + methods += new qt_gsi::GenericMethod (":redoText", "@brief Method QString QUndoStack::redoText()\n", true, &_init_f_redoText_c0, &_call_f_redoText_c0); methods += new qt_gsi::GenericMethod ("resetClean", "@brief Method void QUndoStack::resetClean()\n", false, &_init_f_resetClean_0, &_call_f_resetClean_0); methods += new qt_gsi::GenericMethod ("setActive|active=", "@brief Method void QUndoStack::setActive(bool active)\n", false, &_init_f_setActive_864, &_call_f_setActive_864); methods += new qt_gsi::GenericMethod ("setClean", "@brief Method void QUndoStack::setClean()\n", false, &_init_f_setClean_0, &_call_f_setClean_0); @@ -564,7 +564,7 @@ static gsi::Methods methods_QUndoStack () { methods += new qt_gsi::GenericMethod ("text", "@brief Method QString QUndoStack::text(int idx)\n", true, &_init_f_text_c767, &_call_f_text_c767); methods += new qt_gsi::GenericMethod ("undo", "@brief Method void QUndoStack::undo()\n", false, &_init_f_undo_0, &_call_f_undo_0); methods += new qt_gsi::GenericMethod (":undoLimit", "@brief Method int QUndoStack::undoLimit()\n", true, &_init_f_undoLimit_c0, &_call_f_undoLimit_c0); - methods += new qt_gsi::GenericMethod ("undoText", "@brief Method QString QUndoStack::undoText()\n", true, &_init_f_undoText_c0, &_call_f_undoText_c0); + methods += new qt_gsi::GenericMethod (":undoText", "@brief Method QString QUndoStack::undoText()\n", true, &_init_f_undoText_c0, &_call_f_undoText_c0); methods += gsi::qt_signal ("canRedoChanged(bool)", "canRedoChanged", gsi::arg("canRedo"), "@brief Signal declaration for QUndoStack::canRedoChanged(bool canRedo)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("canUndoChanged(bool)", "canUndoChanged", gsi::arg("canUndo"), "@brief Signal declaration for QUndoStack::canUndoChanged(bool canUndo)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("cleanChanged(bool)", "cleanChanged", gsi::arg("clean"), "@brief Signal declaration for QUndoStack::cleanChanged(bool clean)\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQWidget.cc index 9f26c6f3a5..d9893f0bb9 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQWidget.cc @@ -4670,7 +4670,7 @@ static gsi::Methods methods_QWidget () { methods += new qt_gsi::GenericMethod ("hasFocus|:focus", "@brief Method bool QWidget::hasFocus()\n", true, &_init_f_hasFocus_c0, &_call_f_hasFocus_c0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Method bool QWidget::hasHeightForWidth()\n", true, &_init_f_hasHeightForWidth_c0, &_call_f_hasHeightForWidth_c0); methods += new qt_gsi::GenericMethod ("hasMouseTracking|:mouseTracking", "@brief Method bool QWidget::hasMouseTracking()\n", true, &_init_f_hasMouseTracking_c0, &_call_f_hasMouseTracking_c0); - methods += new qt_gsi::GenericMethod ("hasTabletTracking", "@brief Method bool QWidget::hasTabletTracking()\n", true, &_init_f_hasTabletTracking_c0, &_call_f_hasTabletTracking_c0); + methods += new qt_gsi::GenericMethod ("hasTabletTracking|:tabletTracking", "@brief Method bool QWidget::hasTabletTracking()\n", true, &_init_f_hasTabletTracking_c0, &_call_f_hasTabletTracking_c0); methods += new qt_gsi::GenericMethod (":height", "@brief Method int QWidget::height()\n", true, &_init_f_height_c0, &_call_f_height_c0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Method int QWidget::heightForWidth(int)\n", true, &_init_f_heightForWidth_c767, &_call_f_heightForWidth_c767); methods += new qt_gsi::GenericMethod ("hide", "@brief Method void QWidget::hide()\n", false, &_init_f_hide_0, &_call_f_hide_0); @@ -4799,7 +4799,7 @@ static gsi::Methods methods_QWidget () { methods += new qt_gsi::GenericMethod ("setStatusTip|statusTip=", "@brief Method void QWidget::setStatusTip(const QString &)\n", false, &_init_f_setStatusTip_2025, &_call_f_setStatusTip_2025); methods += new qt_gsi::GenericMethod ("setStyle|style=", "@brief Method void QWidget::setStyle(QStyle *)\n", false, &_init_f_setStyle_1232, &_call_f_setStyle_1232); methods += new qt_gsi::GenericMethod ("setStyleSheet|styleSheet=", "@brief Method void QWidget::setStyleSheet(const QString &styleSheet)\n", false, &_init_f_setStyleSheet_2025, &_call_f_setStyleSheet_2025); - methods += new qt_gsi::GenericMethod ("setTabletTracking", "@brief Method void QWidget::setTabletTracking(bool enable)\n", false, &_init_f_setTabletTracking_864, &_call_f_setTabletTracking_864); + methods += new qt_gsi::GenericMethod ("setTabletTracking|tabletTracking=", "@brief Method void QWidget::setTabletTracking(bool enable)\n", false, &_init_f_setTabletTracking_864, &_call_f_setTabletTracking_864); methods += new qt_gsi::GenericMethod ("setToolTip|toolTip=", "@brief Method void QWidget::setToolTip(const QString &)\n", false, &_init_f_setToolTip_2025, &_call_f_setToolTip_2025); methods += new qt_gsi::GenericMethod ("setToolTipDuration|toolTipDuration=", "@brief Method void QWidget::setToolTipDuration(int msec)\n", false, &_init_f_setToolTipDuration_767, &_call_f_setToolTipDuration_767); methods += new qt_gsi::GenericMethod ("setUpdatesEnabled|updatesEnabled=", "@brief Method void QWidget::setUpdatesEnabled(bool enable)\n", false, &_init_f_setUpdatesEnabled_864, &_call_f_setUpdatesEnabled_864); diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractMessageHandler.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractMessageHandler.cc index 4ffa5493cd..5a1c0e2b2d 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractMessageHandler.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractMessageHandler.cc @@ -142,6 +142,8 @@ static gsi::Methods methods_QAbstractMessageHandler () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("message", "@brief Method void QAbstractMessageHandler::message(QtMsgType type, const QString &description, const QUrl &identifier, const QSourceLocation &sourceLocation)\n", false, &_init_f_message_7592, &_call_f_message_7592); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAbstractMessageHandler::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAbstractMessageHandler::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAbstractMessageHandler::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QAbstractMessageHandler::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -196,6 +198,12 @@ class QAbstractMessageHandler_Adaptor : public QAbstractMessageHandler, public q return QAbstractMessageHandler::senderSignalIndex(); } + // [emitter impl] void QAbstractMessageHandler::destroyed(QObject *) + void emitter_QAbstractMessageHandler_destroyed_1302(QObject *arg1) + { + emit QAbstractMessageHandler::destroyed(arg1); + } + // [adaptor impl] bool QAbstractMessageHandler::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -226,6 +234,13 @@ class QAbstractMessageHandler_Adaptor : public QAbstractMessageHandler, public q } } + // [emitter impl] void QAbstractMessageHandler::objectNameChanged(const QString &objectName) + void emitter_QAbstractMessageHandler_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAbstractMessageHandler::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QAbstractMessageHandler::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -382,6 +397,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAbstractMessageHandler::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAbstractMessageHandler_Adaptor *)cls)->emitter_QAbstractMessageHandler_destroyed_1302 (arg1); +} + + // void QAbstractMessageHandler::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -506,6 +539,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAbstractMessageHandler::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAbstractMessageHandler_Adaptor *)cls)->emitter_QAbstractMessageHandler_objectNameChanged_4567 (arg1); +} + + // exposed int QAbstractMessageHandler::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -588,6 +639,7 @@ static gsi::Methods methods_QAbstractMessageHandler_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractMessageHandler::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractMessageHandler::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractMessageHandler::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractMessageHandler::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -597,6 +649,7 @@ static gsi::Methods methods_QAbstractMessageHandler_Adaptor () { methods += new qt_gsi::GenericMethod ("*handleMessage", "@brief Virtual method void QAbstractMessageHandler::handleMessage(QtMsgType type, const QString &description, const QUrl &identifier, const QSourceLocation &sourceLocation)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_handleMessage_7592_0, &_call_cbs_handleMessage_7592_0); methods += new qt_gsi::GenericMethod ("*handleMessage", "@hide", false, &_init_cbs_handleMessage_7592_0, &_call_cbs_handleMessage_7592_0, &_set_callback_cbs_handleMessage_7592_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAbstractMessageHandler::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAbstractMessageHandler::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAbstractMessageHandler::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAbstractMessageHandler::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAbstractMessageHandler::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractUriResolver.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractUriResolver.cc index e98e62ebcd..5c596996f4 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractUriResolver.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractUriResolver.cc @@ -134,6 +134,8 @@ static gsi::Methods methods_QAbstractUriResolver () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("resolve", "@brief Method QUrl QAbstractUriResolver::resolve(const QUrl &relative, const QUrl &baseURI)\n", true, &_init_f_resolve_c3294, &_call_f_resolve_c3294); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAbstractUriResolver::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAbstractUriResolver::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAbstractUriResolver::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); methods += new qt_gsi::GenericStaticMethod ("trUtf8", "@brief Static method QString QAbstractUriResolver::trUtf8(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_trUtf8_4013, &_call_f_trUtf8_4013); return methods; @@ -188,6 +190,12 @@ class QAbstractUriResolver_Adaptor : public QAbstractUriResolver, public qt_gsi: return QAbstractUriResolver::senderSignalIndex(); } + // [emitter impl] void QAbstractUriResolver::destroyed(QObject *) + void emitter_QAbstractUriResolver_destroyed_1302(QObject *arg1) + { + emit QAbstractUriResolver::destroyed(arg1); + } + // [adaptor impl] bool QAbstractUriResolver::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -218,6 +226,13 @@ class QAbstractUriResolver_Adaptor : public QAbstractUriResolver, public qt_gsi: } } + // [emitter impl] void QAbstractUriResolver::objectNameChanged(const QString &objectName) + void emitter_QAbstractUriResolver_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAbstractUriResolver::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] QUrl QAbstractUriResolver::resolve(const QUrl &relative, const QUrl &baseURI) QUrl cbs_resolve_c3294_0(const QUrl &relative, const QUrl &baseURI) const { @@ -372,6 +387,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAbstractUriResolver::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAbstractUriResolver_Adaptor *)cls)->emitter_QAbstractUriResolver_destroyed_1302 (arg1); +} + + // void QAbstractUriResolver::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -463,6 +496,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAbstractUriResolver::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAbstractUriResolver_Adaptor *)cls)->emitter_QAbstractUriResolver_objectNameChanged_4567 (arg1); +} + + // exposed int QAbstractUriResolver::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -571,6 +622,7 @@ static gsi::Methods methods_QAbstractUriResolver_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractUriResolver::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractUriResolver::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractUriResolver::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAbstractUriResolver::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -578,6 +630,7 @@ static gsi::Methods methods_QAbstractUriResolver_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAbstractUriResolver::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAbstractUriResolver::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAbstractUriResolver::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAbstractUriResolver::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("resolve", "@brief Virtual method QUrl QAbstractUriResolver::resolve(const QUrl &relative, const QUrl &baseURI)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_resolve_c3294_0, &_call_cbs_resolve_c3294_0); methods += new qt_gsi::GenericMethod ("resolve", "@hide", true, &_init_cbs_resolve_c3294_0, &_call_cbs_resolve_c3294_0, &_set_callback_cbs_resolve_c3294_0); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQCommandLineOption.cc b/src/gsiqt/qt6/QtCore/gsiDeclQCommandLineOption.cc index c3095f3c48..b0ed027375 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQCommandLineOption.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQCommandLineOption.cc @@ -375,13 +375,13 @@ static gsi::Methods methods_QCommandLineOption () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCommandLineOption::QCommandLineOption(const QCommandLineOption &other)\nThis method creates an object of class QCommandLineOption.", &_init_ctor_QCommandLineOption_3122, &_call_ctor_QCommandLineOption_3122); methods += new qt_gsi::GenericMethod (":defaultValues", "@brief Method QStringList QCommandLineOption::defaultValues()\n", true, &_init_f_defaultValues_c0, &_call_f_defaultValues_c0); methods += new qt_gsi::GenericMethod (":description", "@brief Method QString QCommandLineOption::description()\n", true, &_init_f_description_c0, &_call_f_description_c0); - methods += new qt_gsi::GenericMethod ("flags", "@brief Method QFlags QCommandLineOption::flags()\n", true, &_init_f_flags_c0, &_call_f_flags_c0); + methods += new qt_gsi::GenericMethod (":flags", "@brief Method QFlags QCommandLineOption::flags()\n", true, &_init_f_flags_c0, &_call_f_flags_c0); methods += new qt_gsi::GenericMethod ("names", "@brief Method QStringList QCommandLineOption::names()\n", true, &_init_f_names_c0, &_call_f_names_c0); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QCommandLineOption &QCommandLineOption::operator=(const QCommandLineOption &other)\n", false, &_init_f_operator_eq__3122, &_call_f_operator_eq__3122); methods += new qt_gsi::GenericMethod ("setDefaultValue", "@brief Method void QCommandLineOption::setDefaultValue(const QString &defaultValue)\n", false, &_init_f_setDefaultValue_2025, &_call_f_setDefaultValue_2025); methods += new qt_gsi::GenericMethod ("setDefaultValues|defaultValues=", "@brief Method void QCommandLineOption::setDefaultValues(const QStringList &defaultValues)\n", false, &_init_f_setDefaultValues_2437, &_call_f_setDefaultValues_2437); methods += new qt_gsi::GenericMethod ("setDescription|description=", "@brief Method void QCommandLineOption::setDescription(const QString &description)\n", false, &_init_f_setDescription_2025, &_call_f_setDescription_2025); - methods += new qt_gsi::GenericMethod ("setFlags", "@brief Method void QCommandLineOption::setFlags(QFlags aflags)\n", false, &_init_f_setFlags_3435, &_call_f_setFlags_3435); + methods += new qt_gsi::GenericMethod ("setFlags|flags=", "@brief Method void QCommandLineOption::setFlags(QFlags aflags)\n", false, &_init_f_setFlags_3435, &_call_f_setFlags_3435); methods += new qt_gsi::GenericMethod ("setValueName|valueName=", "@brief Method void QCommandLineOption::setValueName(const QString &name)\n", false, &_init_f_setValueName_2025, &_call_f_setValueName_2025); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QCommandLineOption::swap(QCommandLineOption &other)\n", false, &_init_f_swap_2427, &_call_f_swap_2427); methods += new qt_gsi::GenericMethod (":valueName", "@brief Method QString QCommandLineOption::valueName()\n", true, &_init_f_valueName_c0, &_call_f_valueName_c0); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQConcatenateTablesProxyModel.cc b/src/gsiqt/qt6/QtCore/gsiDeclQConcatenateTablesProxyModel.cc index ed1168a9e4..4dbd555265 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQConcatenateTablesProxyModel.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQConcatenateTablesProxyModel.cc @@ -534,6 +534,26 @@ static gsi::Methods methods_QConcatenateTablesProxyModel () { methods += new qt_gsi::GenericMethod ("setItemData", "@brief Method bool QConcatenateTablesProxyModel::setItemData(const QModelIndex &index, const QMap &roles)\nThis is a reimplementation of QAbstractItemModel::setItemData", false, &_init_f_setItemData_5414, &_call_f_setItemData_5414); methods += new qt_gsi::GenericMethod ("sourceModels", "@brief Method QList QConcatenateTablesProxyModel::sourceModels()\n", true, &_init_f_sourceModels_c0, &_call_f_sourceModels_c0); methods += new qt_gsi::GenericMethod ("span", "@brief Method QSize QConcatenateTablesProxyModel::span(const QModelIndex &index)\nThis is a reimplementation of QAbstractItemModel::span", true, &_init_f_span_c2395, &_call_f_span_c2395); + methods += gsi::qt_signal ("columnsAboutToBeInserted(const QModelIndex &, int, int)", "columnsAboutToBeInserted", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QConcatenateTablesProxyModel::columnsAboutToBeInserted(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("columnsAboutToBeMoved(const QModelIndex &, int, int, const QModelIndex &, int)", "columnsAboutToBeMoved", gsi::arg("sourceParent"), gsi::arg("sourceStart"), gsi::arg("sourceEnd"), gsi::arg("destinationParent"), gsi::arg("destinationColumn"), "@brief Signal declaration for QConcatenateTablesProxyModel::columnsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationColumn)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("columnsAboutToBeRemoved(const QModelIndex &, int, int)", "columnsAboutToBeRemoved", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QConcatenateTablesProxyModel::columnsAboutToBeRemoved(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("columnsInserted(const QModelIndex &, int, int)", "columnsInserted", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QConcatenateTablesProxyModel::columnsInserted(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("columnsMoved(const QModelIndex &, int, int, const QModelIndex &, int)", "columnsMoved", gsi::arg("parent"), gsi::arg("start"), gsi::arg("end"), gsi::arg("destination"), gsi::arg("column"), "@brief Signal declaration for QConcatenateTablesProxyModel::columnsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int column)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("columnsRemoved(const QModelIndex &, int, int)", "columnsRemoved", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QConcatenateTablesProxyModel::columnsRemoved(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal & > ("dataChanged(const QModelIndex &, const QModelIndex &, const QList &)", "dataChanged", gsi::arg("topLeft"), gsi::arg("bottomRight"), gsi::arg("roles"), "@brief Signal declaration for QConcatenateTablesProxyModel::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QConcatenateTablesProxyModel::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type &, int, int > ("headerDataChanged(Qt::Orientation, int, int)", "headerDataChanged", gsi::arg("orientation"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QConcatenateTablesProxyModel::headerDataChanged(Qt::Orientation orientation, int first, int last)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal &, const qt_gsi::Converter::target_type & > ("layoutAboutToBeChanged(const QList &, QAbstractItemModel::LayoutChangeHint)", "layoutAboutToBeChanged", gsi::arg("parents"), gsi::arg("hint"), "@brief Signal declaration for QConcatenateTablesProxyModel::layoutAboutToBeChanged(const QList &parents, QAbstractItemModel::LayoutChangeHint hint)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal &, const qt_gsi::Converter::target_type & > ("layoutChanged(const QList &, QAbstractItemModel::LayoutChangeHint)", "layoutChanged", gsi::arg("parents"), gsi::arg("hint"), "@brief Signal declaration for QConcatenateTablesProxyModel::layoutChanged(const QList &parents, QAbstractItemModel::LayoutChangeHint hint)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("modelAboutToBeReset()", "modelAboutToBeReset", "@brief Signal declaration for QConcatenateTablesProxyModel::modelAboutToBeReset()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("modelReset()", "modelReset", "@brief Signal declaration for QConcatenateTablesProxyModel::modelReset()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QConcatenateTablesProxyModel::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("rowsAboutToBeInserted(const QModelIndex &, int, int)", "rowsAboutToBeInserted", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QConcatenateTablesProxyModel::rowsAboutToBeInserted(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("rowsAboutToBeMoved(const QModelIndex &, int, int, const QModelIndex &, int)", "rowsAboutToBeMoved", gsi::arg("sourceParent"), gsi::arg("sourceStart"), gsi::arg("sourceEnd"), gsi::arg("destinationParent"), gsi::arg("destinationRow"), "@brief Signal declaration for QConcatenateTablesProxyModel::rowsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationRow)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("rowsAboutToBeRemoved(const QModelIndex &, int, int)", "rowsAboutToBeRemoved", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QConcatenateTablesProxyModel::rowsAboutToBeRemoved(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("rowsInserted(const QModelIndex &, int, int)", "rowsInserted", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QConcatenateTablesProxyModel::rowsInserted(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("rowsMoved(const QModelIndex &, int, int, const QModelIndex &, int)", "rowsMoved", gsi::arg("parent"), gsi::arg("start"), gsi::arg("end"), gsi::arg("destination"), gsi::arg("row"), "@brief Signal declaration for QConcatenateTablesProxyModel::rowsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int row)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("rowsRemoved(const QModelIndex &, int, int)", "rowsRemoved", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QConcatenateTablesProxyModel::rowsRemoved(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QConcatenateTablesProxyModel::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -767,6 +787,64 @@ class QConcatenateTablesProxyModel_Adaptor : public QConcatenateTablesProxyModel } } + // [emitter impl] void QConcatenateTablesProxyModel::columnsAboutToBeInserted(const QModelIndex &parent, int first, int last) + void emitter_QConcatenateTablesProxyModel_columnsAboutToBeInserted_7372(const QModelIndex &parent, int first, int last) + { + __SUPPRESS_UNUSED_WARNING (parent); + __SUPPRESS_UNUSED_WARNING (first); + __SUPPRESS_UNUSED_WARNING (last); + throw tl::Exception ("Can't emit private signal 'void QConcatenateTablesProxyModel::columnsAboutToBeInserted(const QModelIndex &parent, int first, int last)'"); + } + + // [emitter impl] void QConcatenateTablesProxyModel::columnsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationColumn) + void emitter_QConcatenateTablesProxyModel_columnsAboutToBeMoved_10318(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationColumn) + { + __SUPPRESS_UNUSED_WARNING (sourceParent); + __SUPPRESS_UNUSED_WARNING (sourceStart); + __SUPPRESS_UNUSED_WARNING (sourceEnd); + __SUPPRESS_UNUSED_WARNING (destinationParent); + __SUPPRESS_UNUSED_WARNING (destinationColumn); + throw tl::Exception ("Can't emit private signal 'void QConcatenateTablesProxyModel::columnsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationColumn)'"); + } + + // [emitter impl] void QConcatenateTablesProxyModel::columnsAboutToBeRemoved(const QModelIndex &parent, int first, int last) + void emitter_QConcatenateTablesProxyModel_columnsAboutToBeRemoved_7372(const QModelIndex &parent, int first, int last) + { + __SUPPRESS_UNUSED_WARNING (parent); + __SUPPRESS_UNUSED_WARNING (first); + __SUPPRESS_UNUSED_WARNING (last); + throw tl::Exception ("Can't emit private signal 'void QConcatenateTablesProxyModel::columnsAboutToBeRemoved(const QModelIndex &parent, int first, int last)'"); + } + + // [emitter impl] void QConcatenateTablesProxyModel::columnsInserted(const QModelIndex &parent, int first, int last) + void emitter_QConcatenateTablesProxyModel_columnsInserted_7372(const QModelIndex &parent, int first, int last) + { + __SUPPRESS_UNUSED_WARNING (parent); + __SUPPRESS_UNUSED_WARNING (first); + __SUPPRESS_UNUSED_WARNING (last); + throw tl::Exception ("Can't emit private signal 'void QConcatenateTablesProxyModel::columnsInserted(const QModelIndex &parent, int first, int last)'"); + } + + // [emitter impl] void QConcatenateTablesProxyModel::columnsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int column) + void emitter_QConcatenateTablesProxyModel_columnsMoved_10318(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int column) + { + __SUPPRESS_UNUSED_WARNING (parent); + __SUPPRESS_UNUSED_WARNING (start); + __SUPPRESS_UNUSED_WARNING (end); + __SUPPRESS_UNUSED_WARNING (destination); + __SUPPRESS_UNUSED_WARNING (column); + throw tl::Exception ("Can't emit private signal 'void QConcatenateTablesProxyModel::columnsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int column)'"); + } + + // [emitter impl] void QConcatenateTablesProxyModel::columnsRemoved(const QModelIndex &parent, int first, int last) + void emitter_QConcatenateTablesProxyModel_columnsRemoved_7372(const QModelIndex &parent, int first, int last) + { + __SUPPRESS_UNUSED_WARNING (parent); + __SUPPRESS_UNUSED_WARNING (first); + __SUPPRESS_UNUSED_WARNING (last); + throw tl::Exception ("Can't emit private signal 'void QConcatenateTablesProxyModel::columnsRemoved(const QModelIndex &parent, int first, int last)'"); + } + // [adaptor impl] QVariant QConcatenateTablesProxyModel::data(const QModelIndex &index, int role) QVariant cbs_data_c3054_1(const QModelIndex &index, int role) const { @@ -782,6 +860,18 @@ class QConcatenateTablesProxyModel_Adaptor : public QConcatenateTablesProxyModel } } + // [emitter impl] void QConcatenateTablesProxyModel::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles) + void emitter_QConcatenateTablesProxyModel_dataChanged_6833(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles) + { + emit QConcatenateTablesProxyModel::dataChanged(topLeft, bottomRight, roles); + } + + // [emitter impl] void QConcatenateTablesProxyModel::destroyed(QObject *) + void emitter_QConcatenateTablesProxyModel_destroyed_1302(QObject *arg1) + { + emit QConcatenateTablesProxyModel::destroyed(arg1); + } + // [adaptor impl] bool QConcatenateTablesProxyModel::dropMimeData(const QMimeData *data, Qt::DropAction action, int row, int column, const QModelIndex &parent) bool cbs_dropMimeData_7425_0(const QMimeData *data, const qt_gsi::Converter::target_type & action, int row, int column, const QModelIndex &parent) { @@ -887,6 +977,12 @@ class QConcatenateTablesProxyModel_Adaptor : public QConcatenateTablesProxyModel } } + // [emitter impl] void QConcatenateTablesProxyModel::headerDataChanged(Qt::Orientation orientation, int first, int last) + void emitter_QConcatenateTablesProxyModel_headerDataChanged_3231(Qt::Orientation orientation, int first, int last) + { + emit QConcatenateTablesProxyModel::headerDataChanged(orientation, first, last); + } + // [adaptor impl] QModelIndex QConcatenateTablesProxyModel::index(int row, int column, const QModelIndex &parent) QModelIndex cbs_index_c3713_1(int row, int column, const QModelIndex &parent) const { @@ -947,6 +1043,18 @@ class QConcatenateTablesProxyModel_Adaptor : public QConcatenateTablesProxyModel } } + // [emitter impl] void QConcatenateTablesProxyModel::layoutAboutToBeChanged(const QList &parents, QAbstractItemModel::LayoutChangeHint hint) + void emitter_QConcatenateTablesProxyModel_layoutAboutToBeChanged_7947(const QList &parents, QAbstractItemModel::LayoutChangeHint hint) + { + emit QConcatenateTablesProxyModel::layoutAboutToBeChanged(parents, hint); + } + + // [emitter impl] void QConcatenateTablesProxyModel::layoutChanged(const QList &parents, QAbstractItemModel::LayoutChangeHint hint) + void emitter_QConcatenateTablesProxyModel_layoutChanged_7947(const QList &parents, QAbstractItemModel::LayoutChangeHint hint) + { + emit QConcatenateTablesProxyModel::layoutChanged(parents, hint); + } + // [adaptor impl] QList QConcatenateTablesProxyModel::match(const QModelIndex &start, int role, const QVariant &value, int hits, QFlags flags) QList cbs_match_c7932_2(const QModelIndex &start, int role, const QVariant &value, int hits, QFlags flags) const { @@ -992,6 +1100,18 @@ class QConcatenateTablesProxyModel_Adaptor : public QConcatenateTablesProxyModel } } + // [emitter impl] void QConcatenateTablesProxyModel::modelAboutToBeReset() + void emitter_QConcatenateTablesProxyModel_modelAboutToBeReset_3767() + { + throw tl::Exception ("Can't emit private signal 'void QConcatenateTablesProxyModel::modelAboutToBeReset()'"); + } + + // [emitter impl] void QConcatenateTablesProxyModel::modelReset() + void emitter_QConcatenateTablesProxyModel_modelReset_3767() + { + throw tl::Exception ("Can't emit private signal 'void QConcatenateTablesProxyModel::modelReset()'"); + } + // [adaptor impl] bool QConcatenateTablesProxyModel::moveColumns(const QModelIndex &sourceParent, int sourceColumn, int count, const QModelIndex &destinationParent, int destinationChild) bool cbs_moveColumns_6659_0(const QModelIndex &sourceParent, int sourceColumn, int count, const QModelIndex &destinationParent, int destinationChild) { @@ -1037,6 +1157,13 @@ class QConcatenateTablesProxyModel_Adaptor : public QConcatenateTablesProxyModel } } + // [emitter impl] void QConcatenateTablesProxyModel::objectNameChanged(const QString &objectName) + void emitter_QConcatenateTablesProxyModel_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QConcatenateTablesProxyModel::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] QModelIndex QConcatenateTablesProxyModel::parent(const QModelIndex &index) QModelIndex cbs_parent_c2395_0(const QModelIndex &index) const { @@ -1127,6 +1254,64 @@ class QConcatenateTablesProxyModel_Adaptor : public QConcatenateTablesProxyModel } } + // [emitter impl] void QConcatenateTablesProxyModel::rowsAboutToBeInserted(const QModelIndex &parent, int first, int last) + void emitter_QConcatenateTablesProxyModel_rowsAboutToBeInserted_7372(const QModelIndex &parent, int first, int last) + { + __SUPPRESS_UNUSED_WARNING (parent); + __SUPPRESS_UNUSED_WARNING (first); + __SUPPRESS_UNUSED_WARNING (last); + throw tl::Exception ("Can't emit private signal 'void QConcatenateTablesProxyModel::rowsAboutToBeInserted(const QModelIndex &parent, int first, int last)'"); + } + + // [emitter impl] void QConcatenateTablesProxyModel::rowsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationRow) + void emitter_QConcatenateTablesProxyModel_rowsAboutToBeMoved_10318(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationRow) + { + __SUPPRESS_UNUSED_WARNING (sourceParent); + __SUPPRESS_UNUSED_WARNING (sourceStart); + __SUPPRESS_UNUSED_WARNING (sourceEnd); + __SUPPRESS_UNUSED_WARNING (destinationParent); + __SUPPRESS_UNUSED_WARNING (destinationRow); + throw tl::Exception ("Can't emit private signal 'void QConcatenateTablesProxyModel::rowsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationRow)'"); + } + + // [emitter impl] void QConcatenateTablesProxyModel::rowsAboutToBeRemoved(const QModelIndex &parent, int first, int last) + void emitter_QConcatenateTablesProxyModel_rowsAboutToBeRemoved_7372(const QModelIndex &parent, int first, int last) + { + __SUPPRESS_UNUSED_WARNING (parent); + __SUPPRESS_UNUSED_WARNING (first); + __SUPPRESS_UNUSED_WARNING (last); + throw tl::Exception ("Can't emit private signal 'void QConcatenateTablesProxyModel::rowsAboutToBeRemoved(const QModelIndex &parent, int first, int last)'"); + } + + // [emitter impl] void QConcatenateTablesProxyModel::rowsInserted(const QModelIndex &parent, int first, int last) + void emitter_QConcatenateTablesProxyModel_rowsInserted_7372(const QModelIndex &parent, int first, int last) + { + __SUPPRESS_UNUSED_WARNING (parent); + __SUPPRESS_UNUSED_WARNING (first); + __SUPPRESS_UNUSED_WARNING (last); + throw tl::Exception ("Can't emit private signal 'void QConcatenateTablesProxyModel::rowsInserted(const QModelIndex &parent, int first, int last)'"); + } + + // [emitter impl] void QConcatenateTablesProxyModel::rowsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int row) + void emitter_QConcatenateTablesProxyModel_rowsMoved_10318(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int row) + { + __SUPPRESS_UNUSED_WARNING (parent); + __SUPPRESS_UNUSED_WARNING (start); + __SUPPRESS_UNUSED_WARNING (end); + __SUPPRESS_UNUSED_WARNING (destination); + __SUPPRESS_UNUSED_WARNING (row); + throw tl::Exception ("Can't emit private signal 'void QConcatenateTablesProxyModel::rowsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int row)'"); + } + + // [emitter impl] void QConcatenateTablesProxyModel::rowsRemoved(const QModelIndex &parent, int first, int last) + void emitter_QConcatenateTablesProxyModel_rowsRemoved_7372(const QModelIndex &parent, int first, int last) + { + __SUPPRESS_UNUSED_WARNING (parent); + __SUPPRESS_UNUSED_WARNING (first); + __SUPPRESS_UNUSED_WARNING (last); + throw tl::Exception ("Can't emit private signal 'void QConcatenateTablesProxyModel::rowsRemoved(const QModelIndex &parent, int first, int last)'"); + } + // [adaptor impl] bool QConcatenateTablesProxyModel::setData(const QModelIndex &index, const QVariant &value, int role) bool cbs_setData_5065_1(const QModelIndex &index, const QVariant &value, int role) { @@ -1772,6 +1957,162 @@ static void _set_callback_cbs_columnCount_c2395_1 (void *cls, const gsi::Callbac } +// emitter void QConcatenateTablesProxyModel::columnsAboutToBeInserted(const QModelIndex &parent, int first, int last) + +static void _init_emitter_columnsAboutToBeInserted_7372 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("first"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("last"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_columnsAboutToBeInserted_7372 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ((QConcatenateTablesProxyModel_Adaptor *)cls)->emitter_QConcatenateTablesProxyModel_columnsAboutToBeInserted_7372 (arg1, arg2, arg3); +} + + +// emitter void QConcatenateTablesProxyModel::columnsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationColumn) + +static void _init_emitter_columnsAboutToBeMoved_10318 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("sourceParent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("sourceStart"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("sourceEnd"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("destinationParent"); + decl->add_arg (argspec_3); + static gsi::ArgSpecBase argspec_4 ("destinationColumn"); + decl->add_arg (argspec_4); + decl->set_return (); +} + +static void _call_emitter_columnsAboutToBeMoved_10318 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + const QModelIndex &arg4 = gsi::arg_reader() (args, heap); + int arg5 = gsi::arg_reader() (args, heap); + ((QConcatenateTablesProxyModel_Adaptor *)cls)->emitter_QConcatenateTablesProxyModel_columnsAboutToBeMoved_10318 (arg1, arg2, arg3, arg4, arg5); +} + + +// emitter void QConcatenateTablesProxyModel::columnsAboutToBeRemoved(const QModelIndex &parent, int first, int last) + +static void _init_emitter_columnsAboutToBeRemoved_7372 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("first"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("last"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_columnsAboutToBeRemoved_7372 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ((QConcatenateTablesProxyModel_Adaptor *)cls)->emitter_QConcatenateTablesProxyModel_columnsAboutToBeRemoved_7372 (arg1, arg2, arg3); +} + + +// emitter void QConcatenateTablesProxyModel::columnsInserted(const QModelIndex &parent, int first, int last) + +static void _init_emitter_columnsInserted_7372 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("first"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("last"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_columnsInserted_7372 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ((QConcatenateTablesProxyModel_Adaptor *)cls)->emitter_QConcatenateTablesProxyModel_columnsInserted_7372 (arg1, arg2, arg3); +} + + +// emitter void QConcatenateTablesProxyModel::columnsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int column) + +static void _init_emitter_columnsMoved_10318 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("start"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("end"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("destination"); + decl->add_arg (argspec_3); + static gsi::ArgSpecBase argspec_4 ("column"); + decl->add_arg (argspec_4); + decl->set_return (); +} + +static void _call_emitter_columnsMoved_10318 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + const QModelIndex &arg4 = gsi::arg_reader() (args, heap); + int arg5 = gsi::arg_reader() (args, heap); + ((QConcatenateTablesProxyModel_Adaptor *)cls)->emitter_QConcatenateTablesProxyModel_columnsMoved_10318 (arg1, arg2, arg3, arg4, arg5); +} + + +// emitter void QConcatenateTablesProxyModel::columnsRemoved(const QModelIndex &parent, int first, int last) + +static void _init_emitter_columnsRemoved_7372 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("first"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("last"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_columnsRemoved_7372 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ((QConcatenateTablesProxyModel_Adaptor *)cls)->emitter_QConcatenateTablesProxyModel_columnsRemoved_7372 (arg1, arg2, arg3); +} + + // exposed QModelIndex QConcatenateTablesProxyModel::createIndex(int row, int column, const void *data) static void _init_fp_createIndex_c3069 (qt_gsi::GenericMethod *decl) @@ -1870,6 +2211,30 @@ static void _set_callback_cbs_data_c3054_1 (void *cls, const gsi::Callback &cb) } +// emitter void QConcatenateTablesProxyModel::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles) + +static void _init_emitter_dataChanged_6833 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("topLeft"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("bottomRight"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("roles", true, "QList()"); + decl->add_arg & > (argspec_2); + decl->set_return (); +} + +static void _call_emitter_dataChanged_6833 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + const QModelIndex &arg2 = gsi::arg_reader() (args, heap); + const QList &arg3 = args ? gsi::arg_reader & >() (args, heap) : gsi::arg_maker & >() (QList(), heap); + ((QConcatenateTablesProxyModel_Adaptor *)cls)->emitter_QConcatenateTablesProxyModel_dataChanged_6833 (arg1, arg2, arg3); +} + + // exposed bool QConcatenateTablesProxyModel::decodeData(int row, int column, const QModelIndex &parent, QDataStream &stream) static void _init_fp_decodeData_5302 (qt_gsi::GenericMethod *decl) @@ -1897,6 +2262,24 @@ static void _call_fp_decodeData_5302 (const qt_gsi::GenericMethod * /*decl*/, vo } +// emitter void QConcatenateTablesProxyModel::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QConcatenateTablesProxyModel_Adaptor *)cls)->emitter_QConcatenateTablesProxyModel_destroyed_1302 (arg1); +} + + // void QConcatenateTablesProxyModel::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -2231,6 +2614,30 @@ static void _set_callback_cbs_headerData_c3231_1 (void *cls, const gsi::Callback } +// emitter void QConcatenateTablesProxyModel::headerDataChanged(Qt::Orientation orientation, int first, int last) + +static void _init_emitter_headerDataChanged_3231 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("orientation"); + decl->add_arg::target_type & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("first"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("last"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_headerDataChanged_3231 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ((QConcatenateTablesProxyModel_Adaptor *)cls)->emitter_QConcatenateTablesProxyModel_headerDataChanged_3231 (arg1, arg2, arg3); +} + + // QModelIndex QConcatenateTablesProxyModel::index(int row, int column, const QModelIndex &parent) static void _init_cbs_index_c3713_1 (qt_gsi::GenericMethod *decl) @@ -2359,6 +2766,48 @@ static void _set_callback_cbs_itemData_c2395_0 (void *cls, const gsi::Callback & } +// emitter void QConcatenateTablesProxyModel::layoutAboutToBeChanged(const QList &parents, QAbstractItemModel::LayoutChangeHint hint) + +static void _init_emitter_layoutAboutToBeChanged_7947 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parents", true, "QList()"); + decl->add_arg & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("hint", true, "QAbstractItemModel::NoLayoutChangeHint"); + decl->add_arg::target_type & > (argspec_1); + decl->set_return (); +} + +static void _call_emitter_layoutAboutToBeChanged_7947 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QList &arg1 = args ? gsi::arg_reader & >() (args, heap) : gsi::arg_maker & >() (QList(), heap); + const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QAbstractItemModel::NoLayoutChangeHint), heap); + ((QConcatenateTablesProxyModel_Adaptor *)cls)->emitter_QConcatenateTablesProxyModel_layoutAboutToBeChanged_7947 (arg1, arg2); +} + + +// emitter void QConcatenateTablesProxyModel::layoutChanged(const QList &parents, QAbstractItemModel::LayoutChangeHint hint) + +static void _init_emitter_layoutChanged_7947 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parents", true, "QList()"); + decl->add_arg & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("hint", true, "QAbstractItemModel::NoLayoutChangeHint"); + decl->add_arg::target_type & > (argspec_1); + decl->set_return (); +} + +static void _call_emitter_layoutChanged_7947 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QList &arg1 = args ? gsi::arg_reader & >() (args, heap) : gsi::arg_maker & >() (QList(), heap); + const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QAbstractItemModel::NoLayoutChangeHint), heap); + ((QConcatenateTablesProxyModel_Adaptor *)cls)->emitter_QConcatenateTablesProxyModel_layoutChanged_7947 (arg1, arg2); +} + + // QList QConcatenateTablesProxyModel::match(const QModelIndex &start, int role, const QVariant &value, int hits, QFlags flags) static void _init_cbs_match_c7932_2 (qt_gsi::GenericMethod *decl) @@ -2436,6 +2885,34 @@ static void _set_callback_cbs_mimeTypes_c0_0 (void *cls, const gsi::Callback &cb } +// emitter void QConcatenateTablesProxyModel::modelAboutToBeReset() + +static void _init_emitter_modelAboutToBeReset_3767 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_modelAboutToBeReset_3767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QConcatenateTablesProxyModel_Adaptor *)cls)->emitter_QConcatenateTablesProxyModel_modelAboutToBeReset_3767 (); +} + + +// emitter void QConcatenateTablesProxyModel::modelReset() + +static void _init_emitter_modelReset_3767 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_modelReset_3767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QConcatenateTablesProxyModel_Adaptor *)cls)->emitter_QConcatenateTablesProxyModel_modelReset_3767 (); +} + + // bool QConcatenateTablesProxyModel::moveColumns(const QModelIndex &sourceParent, int sourceColumn, int count, const QModelIndex &destinationParent, int destinationChild) static void _init_cbs_moveColumns_6659_0 (qt_gsi::GenericMethod *decl) @@ -2533,6 +3010,24 @@ static void _set_callback_cbs_multiData_c4483_0 (void *cls, const gsi::Callback } +// emitter void QConcatenateTablesProxyModel::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QConcatenateTablesProxyModel_Adaptor *)cls)->emitter_QConcatenateTablesProxyModel_objectNameChanged_4567 (arg1); +} + + // QModelIndex QConcatenateTablesProxyModel::parent(const QModelIndex &index) static void _init_cbs_parent_c2395_0 (qt_gsi::GenericMethod *decl) @@ -2728,6 +3223,162 @@ static void _set_callback_cbs_rowCount_c2395_1 (void *cls, const gsi::Callback & } +// emitter void QConcatenateTablesProxyModel::rowsAboutToBeInserted(const QModelIndex &parent, int first, int last) + +static void _init_emitter_rowsAboutToBeInserted_7372 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("first"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("last"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_rowsAboutToBeInserted_7372 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ((QConcatenateTablesProxyModel_Adaptor *)cls)->emitter_QConcatenateTablesProxyModel_rowsAboutToBeInserted_7372 (arg1, arg2, arg3); +} + + +// emitter void QConcatenateTablesProxyModel::rowsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationRow) + +static void _init_emitter_rowsAboutToBeMoved_10318 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("sourceParent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("sourceStart"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("sourceEnd"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("destinationParent"); + decl->add_arg (argspec_3); + static gsi::ArgSpecBase argspec_4 ("destinationRow"); + decl->add_arg (argspec_4); + decl->set_return (); +} + +static void _call_emitter_rowsAboutToBeMoved_10318 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + const QModelIndex &arg4 = gsi::arg_reader() (args, heap); + int arg5 = gsi::arg_reader() (args, heap); + ((QConcatenateTablesProxyModel_Adaptor *)cls)->emitter_QConcatenateTablesProxyModel_rowsAboutToBeMoved_10318 (arg1, arg2, arg3, arg4, arg5); +} + + +// emitter void QConcatenateTablesProxyModel::rowsAboutToBeRemoved(const QModelIndex &parent, int first, int last) + +static void _init_emitter_rowsAboutToBeRemoved_7372 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("first"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("last"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_rowsAboutToBeRemoved_7372 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ((QConcatenateTablesProxyModel_Adaptor *)cls)->emitter_QConcatenateTablesProxyModel_rowsAboutToBeRemoved_7372 (arg1, arg2, arg3); +} + + +// emitter void QConcatenateTablesProxyModel::rowsInserted(const QModelIndex &parent, int first, int last) + +static void _init_emitter_rowsInserted_7372 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("first"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("last"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_rowsInserted_7372 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ((QConcatenateTablesProxyModel_Adaptor *)cls)->emitter_QConcatenateTablesProxyModel_rowsInserted_7372 (arg1, arg2, arg3); +} + + +// emitter void QConcatenateTablesProxyModel::rowsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int row) + +static void _init_emitter_rowsMoved_10318 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("start"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("end"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("destination"); + decl->add_arg (argspec_3); + static gsi::ArgSpecBase argspec_4 ("row"); + decl->add_arg (argspec_4); + decl->set_return (); +} + +static void _call_emitter_rowsMoved_10318 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + const QModelIndex &arg4 = gsi::arg_reader() (args, heap); + int arg5 = gsi::arg_reader() (args, heap); + ((QConcatenateTablesProxyModel_Adaptor *)cls)->emitter_QConcatenateTablesProxyModel_rowsMoved_10318 (arg1, arg2, arg3, arg4, arg5); +} + + +// emitter void QConcatenateTablesProxyModel::rowsRemoved(const QModelIndex &parent, int first, int last) + +static void _init_emitter_rowsRemoved_7372 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("first"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("last"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_rowsRemoved_7372 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ((QConcatenateTablesProxyModel_Adaptor *)cls)->emitter_QConcatenateTablesProxyModel_rowsRemoved_7372 (arg1, arg2, arg3); +} + + // exposed QObject *QConcatenateTablesProxyModel::sender() static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) @@ -3032,13 +3683,21 @@ static gsi::Methods methods_QConcatenateTablesProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("clearItemData", "@hide", false, &_init_cbs_clearItemData_2395_0, &_call_cbs_clearItemData_2395_0, &_set_callback_cbs_clearItemData_2395_0); methods += new qt_gsi::GenericMethod ("columnCount", "@brief Virtual method int QConcatenateTablesProxyModel::columnCount(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_columnCount_c2395_1, &_call_cbs_columnCount_c2395_1); methods += new qt_gsi::GenericMethod ("columnCount", "@hide", true, &_init_cbs_columnCount_c2395_1, &_call_cbs_columnCount_c2395_1, &_set_callback_cbs_columnCount_c2395_1); + methods += new qt_gsi::GenericMethod ("emit_columnsAboutToBeInserted", "@brief Emitter for signal void QConcatenateTablesProxyModel::columnsAboutToBeInserted(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsAboutToBeInserted_7372, &_call_emitter_columnsAboutToBeInserted_7372); + methods += new qt_gsi::GenericMethod ("emit_columnsAboutToBeMoved", "@brief Emitter for signal void QConcatenateTablesProxyModel::columnsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationColumn)\nCall this method to emit this signal.", false, &_init_emitter_columnsAboutToBeMoved_10318, &_call_emitter_columnsAboutToBeMoved_10318); + methods += new qt_gsi::GenericMethod ("emit_columnsAboutToBeRemoved", "@brief Emitter for signal void QConcatenateTablesProxyModel::columnsAboutToBeRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsAboutToBeRemoved_7372, &_call_emitter_columnsAboutToBeRemoved_7372); + methods += new qt_gsi::GenericMethod ("emit_columnsInserted", "@brief Emitter for signal void QConcatenateTablesProxyModel::columnsInserted(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsInserted_7372, &_call_emitter_columnsInserted_7372); + methods += new qt_gsi::GenericMethod ("emit_columnsMoved", "@brief Emitter for signal void QConcatenateTablesProxyModel::columnsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int column)\nCall this method to emit this signal.", false, &_init_emitter_columnsMoved_10318, &_call_emitter_columnsMoved_10318); + methods += new qt_gsi::GenericMethod ("emit_columnsRemoved", "@brief Emitter for signal void QConcatenateTablesProxyModel::columnsRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsRemoved_7372, &_call_emitter_columnsRemoved_7372); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QConcatenateTablesProxyModel::createIndex(int row, int column, const void *data)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c3069, &_call_fp_createIndex_c3069); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QConcatenateTablesProxyModel::createIndex(int row, int column, quintptr id)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2657, &_call_fp_createIndex_c2657); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QConcatenateTablesProxyModel::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("data", "@brief Virtual method QVariant QConcatenateTablesProxyModel::data(const QModelIndex &index, int role)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1); methods += new qt_gsi::GenericMethod ("data", "@hide", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1, &_set_callback_cbs_data_c3054_1); + methods += new qt_gsi::GenericMethod ("emit_dataChanged", "@brief Emitter for signal void QConcatenateTablesProxyModel::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles)\nCall this method to emit this signal.", false, &_init_emitter_dataChanged_6833, &_call_emitter_dataChanged_6833); methods += new qt_gsi::GenericMethod ("*decodeData", "@brief Method bool QConcatenateTablesProxyModel::decodeData(int row, int column, const QModelIndex &parent, QDataStream &stream)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_decodeData_5302, &_call_fp_decodeData_5302); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QConcatenateTablesProxyModel::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QConcatenateTablesProxyModel::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("dropMimeData", "@brief Virtual method bool QConcatenateTablesProxyModel::dropMimeData(const QMimeData *data, Qt::DropAction action, int row, int column, const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropMimeData_7425_0, &_call_cbs_dropMimeData_7425_0); @@ -3063,6 +3722,7 @@ static gsi::Methods methods_QConcatenateTablesProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("hasChildren", "@hide", true, &_init_cbs_hasChildren_c2395_1, &_call_cbs_hasChildren_c2395_1, &_set_callback_cbs_hasChildren_c2395_1); methods += new qt_gsi::GenericMethod ("headerData", "@brief Virtual method QVariant QConcatenateTablesProxyModel::headerData(int section, Qt::Orientation orientation, int role)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_headerData_c3231_1, &_call_cbs_headerData_c3231_1); methods += new qt_gsi::GenericMethod ("headerData", "@hide", true, &_init_cbs_headerData_c3231_1, &_call_cbs_headerData_c3231_1, &_set_callback_cbs_headerData_c3231_1); + methods += new qt_gsi::GenericMethod ("emit_headerDataChanged", "@brief Emitter for signal void QConcatenateTablesProxyModel::headerDataChanged(Qt::Orientation orientation, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_headerDataChanged_3231, &_call_emitter_headerDataChanged_3231); methods += new qt_gsi::GenericMethod ("index", "@brief Virtual method QModelIndex QConcatenateTablesProxyModel::index(int row, int column, const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_index_c3713_1, &_call_cbs_index_c3713_1); methods += new qt_gsi::GenericMethod ("index", "@hide", true, &_init_cbs_index_c3713_1, &_call_cbs_index_c3713_1, &_set_callback_cbs_index_c3713_1); methods += new qt_gsi::GenericMethod ("insertColumns", "@brief Virtual method bool QConcatenateTablesProxyModel::insertColumns(int column, int count, const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_insertColumns_3713_1, &_call_cbs_insertColumns_3713_1); @@ -3072,18 +3732,23 @@ static gsi::Methods methods_QConcatenateTablesProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QConcatenateTablesProxyModel::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("itemData", "@brief Virtual method QMap QConcatenateTablesProxyModel::itemData(const QModelIndex &proxyIndex)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_itemData_c2395_0, &_call_cbs_itemData_c2395_0); methods += new qt_gsi::GenericMethod ("itemData", "@hide", true, &_init_cbs_itemData_c2395_0, &_call_cbs_itemData_c2395_0, &_set_callback_cbs_itemData_c2395_0); + methods += new qt_gsi::GenericMethod ("emit_layoutAboutToBeChanged", "@brief Emitter for signal void QConcatenateTablesProxyModel::layoutAboutToBeChanged(const QList &parents, QAbstractItemModel::LayoutChangeHint hint)\nCall this method to emit this signal.", false, &_init_emitter_layoutAboutToBeChanged_7947, &_call_emitter_layoutAboutToBeChanged_7947); + methods += new qt_gsi::GenericMethod ("emit_layoutChanged", "@brief Emitter for signal void QConcatenateTablesProxyModel::layoutChanged(const QList &parents, QAbstractItemModel::LayoutChangeHint hint)\nCall this method to emit this signal.", false, &_init_emitter_layoutChanged_7947, &_call_emitter_layoutChanged_7947); methods += new qt_gsi::GenericMethod ("match", "@brief Virtual method QList QConcatenateTablesProxyModel::match(const QModelIndex &start, int role, const QVariant &value, int hits, QFlags flags)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_match_c7932_2, &_call_cbs_match_c7932_2); methods += new qt_gsi::GenericMethod ("match", "@hide", true, &_init_cbs_match_c7932_2, &_call_cbs_match_c7932_2, &_set_callback_cbs_match_c7932_2); methods += new qt_gsi::GenericMethod ("mimeData", "@brief Virtual method QMimeData *QConcatenateTablesProxyModel::mimeData(const QList &indexes)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_mimeData_c3010_0, &_call_cbs_mimeData_c3010_0); methods += new qt_gsi::GenericMethod ("mimeData", "@hide", true, &_init_cbs_mimeData_c3010_0, &_call_cbs_mimeData_c3010_0, &_set_callback_cbs_mimeData_c3010_0); methods += new qt_gsi::GenericMethod ("mimeTypes", "@brief Virtual method QStringList QConcatenateTablesProxyModel::mimeTypes()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_mimeTypes_c0_0, &_call_cbs_mimeTypes_c0_0); methods += new qt_gsi::GenericMethod ("mimeTypes", "@hide", true, &_init_cbs_mimeTypes_c0_0, &_call_cbs_mimeTypes_c0_0, &_set_callback_cbs_mimeTypes_c0_0); + methods += new qt_gsi::GenericMethod ("emit_modelAboutToBeReset", "@brief Emitter for signal void QConcatenateTablesProxyModel::modelAboutToBeReset()\nCall this method to emit this signal.", false, &_init_emitter_modelAboutToBeReset_3767, &_call_emitter_modelAboutToBeReset_3767); + methods += new qt_gsi::GenericMethod ("emit_modelReset", "@brief Emitter for signal void QConcatenateTablesProxyModel::modelReset()\nCall this method to emit this signal.", false, &_init_emitter_modelReset_3767, &_call_emitter_modelReset_3767); methods += new qt_gsi::GenericMethod ("moveColumns", "@brief Virtual method bool QConcatenateTablesProxyModel::moveColumns(const QModelIndex &sourceParent, int sourceColumn, int count, const QModelIndex &destinationParent, int destinationChild)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveColumns_6659_0, &_call_cbs_moveColumns_6659_0); methods += new qt_gsi::GenericMethod ("moveColumns", "@hide", false, &_init_cbs_moveColumns_6659_0, &_call_cbs_moveColumns_6659_0, &_set_callback_cbs_moveColumns_6659_0); methods += new qt_gsi::GenericMethod ("moveRows", "@brief Virtual method bool QConcatenateTablesProxyModel::moveRows(const QModelIndex &sourceParent, int sourceRow, int count, const QModelIndex &destinationParent, int destinationChild)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveRows_6659_0, &_call_cbs_moveRows_6659_0); methods += new qt_gsi::GenericMethod ("moveRows", "@hide", false, &_init_cbs_moveRows_6659_0, &_call_cbs_moveRows_6659_0, &_set_callback_cbs_moveRows_6659_0); methods += new qt_gsi::GenericMethod ("multiData", "@brief Virtual method void QConcatenateTablesProxyModel::multiData(const QModelIndex &index, QModelRoleDataSpan roleDataSpan)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_multiData_c4483_0, &_call_cbs_multiData_c4483_0); methods += new qt_gsi::GenericMethod ("multiData", "@hide", true, &_init_cbs_multiData_c4483_0, &_call_cbs_multiData_c4483_0, &_set_callback_cbs_multiData_c4483_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QConcatenateTablesProxyModel::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("parent", "@brief Virtual method QModelIndex QConcatenateTablesProxyModel::parent(const QModelIndex &index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_parent_c2395_0, &_call_cbs_parent_c2395_0); methods += new qt_gsi::GenericMethod ("parent", "@hide", true, &_init_cbs_parent_c2395_0, &_call_cbs_parent_c2395_0, &_set_callback_cbs_parent_c2395_0); methods += new qt_gsi::GenericMethod ("*persistentIndexList", "@brief Method QList QConcatenateTablesProxyModel::persistentIndexList()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_persistentIndexList_c0, &_call_fp_persistentIndexList_c0); @@ -3100,6 +3765,12 @@ static gsi::Methods methods_QConcatenateTablesProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("roleNames", "@hide", true, &_init_cbs_roleNames_c0_0, &_call_cbs_roleNames_c0_0, &_set_callback_cbs_roleNames_c0_0); methods += new qt_gsi::GenericMethod ("rowCount", "@brief Virtual method int QConcatenateTablesProxyModel::rowCount(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_rowCount_c2395_1, &_call_cbs_rowCount_c2395_1); methods += new qt_gsi::GenericMethod ("rowCount", "@hide", true, &_init_cbs_rowCount_c2395_1, &_call_cbs_rowCount_c2395_1, &_set_callback_cbs_rowCount_c2395_1); + methods += new qt_gsi::GenericMethod ("emit_rowsAboutToBeInserted", "@brief Emitter for signal void QConcatenateTablesProxyModel::rowsAboutToBeInserted(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_rowsAboutToBeInserted_7372, &_call_emitter_rowsAboutToBeInserted_7372); + methods += new qt_gsi::GenericMethod ("emit_rowsAboutToBeMoved", "@brief Emitter for signal void QConcatenateTablesProxyModel::rowsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationRow)\nCall this method to emit this signal.", false, &_init_emitter_rowsAboutToBeMoved_10318, &_call_emitter_rowsAboutToBeMoved_10318); + methods += new qt_gsi::GenericMethod ("emit_rowsAboutToBeRemoved", "@brief Emitter for signal void QConcatenateTablesProxyModel::rowsAboutToBeRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_rowsAboutToBeRemoved_7372, &_call_emitter_rowsAboutToBeRemoved_7372); + methods += new qt_gsi::GenericMethod ("emit_rowsInserted", "@brief Emitter for signal void QConcatenateTablesProxyModel::rowsInserted(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_rowsInserted_7372, &_call_emitter_rowsInserted_7372); + methods += new qt_gsi::GenericMethod ("emit_rowsMoved", "@brief Emitter for signal void QConcatenateTablesProxyModel::rowsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int row)\nCall this method to emit this signal.", false, &_init_emitter_rowsMoved_10318, &_call_emitter_rowsMoved_10318); + methods += new qt_gsi::GenericMethod ("emit_rowsRemoved", "@brief Emitter for signal void QConcatenateTablesProxyModel::rowsRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_rowsRemoved_7372, &_call_emitter_rowsRemoved_7372); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QConcatenateTablesProxyModel::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QConcatenateTablesProxyModel::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setData", "@brief Virtual method bool QConcatenateTablesProxyModel::setData(const QModelIndex &index, const QVariant &value, int role)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setData_5065_1, &_call_cbs_setData_5065_1); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQDeadlineTimer.cc b/src/gsiqt/qt6/QtCore/gsiDeclQDeadlineTimer.cc index 6b99f51306..ef3baec08a 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQDeadlineTimer.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQDeadlineTimer.cc @@ -429,21 +429,21 @@ static gsi::Methods methods_QDeadlineTimer () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDeadlineTimer::QDeadlineTimer(Qt::TimerType type_)\nThis method creates an object of class QDeadlineTimer.", &_init_ctor_QDeadlineTimer_1680, &_call_ctor_QDeadlineTimer_1680); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDeadlineTimer::QDeadlineTimer(QDeadlineTimer::ForeverConstant, Qt::TimerType type_)\nThis method creates an object of class QDeadlineTimer.", &_init_ctor_QDeadlineTimer_5079, &_call_ctor_QDeadlineTimer_5079); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QDeadlineTimer::QDeadlineTimer(qint64 msecs, Qt::TimerType type)\nThis method creates an object of class QDeadlineTimer.", &_init_ctor_QDeadlineTimer_2558, &_call_ctor_QDeadlineTimer_2558); - methods += new qt_gsi::GenericMethod ("deadline", "@brief Method qint64 QDeadlineTimer::deadline()\n", true, &_init_f_deadline_c0, &_call_f_deadline_c0); + methods += new qt_gsi::GenericMethod (":deadline", "@brief Method qint64 QDeadlineTimer::deadline()\n", true, &_init_f_deadline_c0, &_call_f_deadline_c0); methods += new qt_gsi::GenericMethod ("deadlineNSecs", "@brief Method qint64 QDeadlineTimer::deadlineNSecs()\n", true, &_init_f_deadlineNSecs_c0, &_call_f_deadlineNSecs_c0); methods += new qt_gsi::GenericMethod ("hasExpired", "@brief Method bool QDeadlineTimer::hasExpired()\n", true, &_init_f_hasExpired_c0, &_call_f_hasExpired_c0); methods += new qt_gsi::GenericMethod ("isForever?", "@brief Method bool QDeadlineTimer::isForever()\n", true, &_init_f_isForever_c0, &_call_f_isForever_c0); methods += new qt_gsi::GenericMethod ("+=", "@brief Method QDeadlineTimer &QDeadlineTimer::operator+=(qint64 msecs)\n", false, &_init_f_operator_plus__eq__986, &_call_f_operator_plus__eq__986); methods += new qt_gsi::GenericMethod ("-=", "@brief Method QDeadlineTimer &QDeadlineTimer::operator-=(qint64 msecs)\n", false, &_init_f_operator_minus__eq__986, &_call_f_operator_minus__eq__986); - methods += new qt_gsi::GenericMethod ("remainingTime", "@brief Method qint64 QDeadlineTimer::remainingTime()\n", true, &_init_f_remainingTime_c0, &_call_f_remainingTime_c0); + methods += new qt_gsi::GenericMethod (":remainingTime", "@brief Method qint64 QDeadlineTimer::remainingTime()\n", true, &_init_f_remainingTime_c0, &_call_f_remainingTime_c0); methods += new qt_gsi::GenericMethod ("remainingTimeNSecs", "@brief Method qint64 QDeadlineTimer::remainingTimeNSecs()\n", true, &_init_f_remainingTimeNSecs_c0, &_call_f_remainingTimeNSecs_c0); methods += new qt_gsi::GenericMethod ("setDeadline", "@brief Method void QDeadlineTimer::setDeadline(qint64 msecs, Qt::TimerType timerType)\n", false, &_init_f_setDeadline_2558, &_call_f_setDeadline_2558); methods += new qt_gsi::GenericMethod ("setPreciseDeadline", "@brief Method void QDeadlineTimer::setPreciseDeadline(qint64 secs, qint64 nsecs, Qt::TimerType type)\n", false, &_init_f_setPreciseDeadline_3436, &_call_f_setPreciseDeadline_3436); methods += new qt_gsi::GenericMethod ("setPreciseRemainingTime", "@brief Method void QDeadlineTimer::setPreciseRemainingTime(qint64 secs, qint64 nsecs, Qt::TimerType type)\n", false, &_init_f_setPreciseRemainingTime_3436, &_call_f_setPreciseRemainingTime_3436); methods += new qt_gsi::GenericMethod ("setRemainingTime", "@brief Method void QDeadlineTimer::setRemainingTime(qint64 msecs, Qt::TimerType type)\n", false, &_init_f_setRemainingTime_2558, &_call_f_setRemainingTime_2558); - methods += new qt_gsi::GenericMethod ("setTimerType", "@brief Method void QDeadlineTimer::setTimerType(Qt::TimerType type)\n", false, &_init_f_setTimerType_1680, &_call_f_setTimerType_1680); + methods += new qt_gsi::GenericMethod ("setTimerType|timerType=", "@brief Method void QDeadlineTimer::setTimerType(Qt::TimerType type)\n", false, &_init_f_setTimerType_1680, &_call_f_setTimerType_1680); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QDeadlineTimer::swap(QDeadlineTimer &other)\n", false, &_init_f_swap_2002, &_call_f_swap_2002); - methods += new qt_gsi::GenericMethod ("timerType", "@brief Method Qt::TimerType QDeadlineTimer::timerType()\n", true, &_init_f_timerType_c0, &_call_f_timerType_c0); + methods += new qt_gsi::GenericMethod (":timerType", "@brief Method Qt::TimerType QDeadlineTimer::timerType()\n", true, &_init_f_timerType_c0, &_call_f_timerType_c0); methods += new qt_gsi::GenericStaticMethod ("addNSecs", "@brief Static method QDeadlineTimer QDeadlineTimer::addNSecs(QDeadlineTimer dt, qint64 nsecs)\nThis method is static and can be called without an instance.", &_init_f_addNSecs_2698, &_call_f_addNSecs_2698); methods += new qt_gsi::GenericStaticMethod ("current", "@brief Static method QDeadlineTimer QDeadlineTimer::current(Qt::TimerType timerType)\nThis method is static and can be called without an instance.", &_init_f_current_1680, &_call_f_current_1680); return methods; diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQDebug.cc b/src/gsiqt/qt6/QtCore/gsiDeclQDebug.cc index 1958c76d6f..6b44726cf6 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQDebug.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQDebug.cc @@ -388,11 +388,11 @@ static gsi::Methods methods_QDebug () { methods += new qt_gsi::GenericMethod ("quote", "@brief Method QDebug &QDebug::quote()\n", false, &_init_f_quote_0, &_call_f_quote_0); methods += new qt_gsi::GenericMethod ("resetFormat", "@brief Method QDebug &QDebug::resetFormat()\n", false, &_init_f_resetFormat_0, &_call_f_resetFormat_0); methods += new qt_gsi::GenericMethod ("setAutoInsertSpaces|autoInsertSpaces=", "@brief Method void QDebug::setAutoInsertSpaces(bool b)\n", false, &_init_f_setAutoInsertSpaces_864, &_call_f_setAutoInsertSpaces_864); - methods += new qt_gsi::GenericMethod ("setVerbosity", "@brief Method void QDebug::setVerbosity(int verbosityLevel)\n", false, &_init_f_setVerbosity_767, &_call_f_setVerbosity_767); + methods += new qt_gsi::GenericMethod ("setVerbosity|verbosity=", "@brief Method void QDebug::setVerbosity(int verbosityLevel)\n", false, &_init_f_setVerbosity_767, &_call_f_setVerbosity_767); methods += new qt_gsi::GenericMethod ("space", "@brief Method QDebug &QDebug::space()\n", false, &_init_f_space_0, &_call_f_space_0); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QDebug::swap(QDebug &other)\n", false, &_init_f_swap_1186, &_call_f_swap_1186); methods += new qt_gsi::GenericMethod ("verbosity", "@brief Method QDebug &QDebug::verbosity(int verbosityLevel)\n", false, &_init_f_verbosity_767, &_call_f_verbosity_767); - methods += new qt_gsi::GenericMethod ("verbosity", "@brief Method int QDebug::verbosity()\n", true, &_init_f_verbosity_c0, &_call_f_verbosity_c0); + methods += new qt_gsi::GenericMethod (":verbosity", "@brief Method int QDebug::verbosity()\n", true, &_init_f_verbosity_c0, &_call_f_verbosity_c0); return methods; } diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQIODevice.cc b/src/gsiqt/qt6/QtCore/gsiDeclQIODevice.cc index d739084e86..99fa7e53eb 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQIODevice.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQIODevice.cc @@ -791,8 +791,8 @@ static gsi::Methods methods_QIODevice () { methods += new qt_gsi::GenericMethod ("canReadLine", "@brief Method bool QIODevice::canReadLine()\n", true, &_init_f_canReadLine_c0, &_call_f_canReadLine_c0); methods += new qt_gsi::GenericMethod ("close", "@brief Method void QIODevice::close()\n", false, &_init_f_close_0, &_call_f_close_0); methods += new qt_gsi::GenericMethod ("commitTransaction", "@brief Method void QIODevice::commitTransaction()\n", false, &_init_f_commitTransaction_0, &_call_f_commitTransaction_0); - methods += new qt_gsi::GenericMethod ("currentReadChannel", "@brief Method int QIODevice::currentReadChannel()\n", true, &_init_f_currentReadChannel_c0, &_call_f_currentReadChannel_c0); - methods += new qt_gsi::GenericMethod ("currentWriteChannel", "@brief Method int QIODevice::currentWriteChannel()\n", true, &_init_f_currentWriteChannel_c0, &_call_f_currentWriteChannel_c0); + methods += new qt_gsi::GenericMethod (":currentReadChannel", "@brief Method int QIODevice::currentReadChannel()\n", true, &_init_f_currentReadChannel_c0, &_call_f_currentReadChannel_c0); + methods += new qt_gsi::GenericMethod (":currentWriteChannel", "@brief Method int QIODevice::currentWriteChannel()\n", true, &_init_f_currentWriteChannel_c0, &_call_f_currentWriteChannel_c0); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QIODevice::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); methods += new qt_gsi::GenericMethod ("isOpen?", "@brief Method bool QIODevice::isOpen()\n", true, &_init_f_isOpen_c0, &_call_f_isOpen_c0); methods += new qt_gsi::GenericMethod ("isReadable?", "@brief Method bool QIODevice::isReadable()\n", true, &_init_f_isReadable_c0, &_call_f_isReadable_c0); @@ -812,8 +812,8 @@ static gsi::Methods methods_QIODevice () { methods += new qt_gsi::GenericMethod ("reset", "@brief Method bool QIODevice::reset()\n", false, &_init_f_reset_0, &_call_f_reset_0); methods += new qt_gsi::GenericMethod ("rollbackTransaction", "@brief Method void QIODevice::rollbackTransaction()\n", false, &_init_f_rollbackTransaction_0, &_call_f_rollbackTransaction_0); methods += new qt_gsi::GenericMethod ("seek", "@brief Method bool QIODevice::seek(qint64 pos)\n", false, &_init_f_seek_986, &_call_f_seek_986); - methods += new qt_gsi::GenericMethod ("setCurrentReadChannel", "@brief Method void QIODevice::setCurrentReadChannel(int channel)\n", false, &_init_f_setCurrentReadChannel_767, &_call_f_setCurrentReadChannel_767); - methods += new qt_gsi::GenericMethod ("setCurrentWriteChannel", "@brief Method void QIODevice::setCurrentWriteChannel(int channel)\n", false, &_init_f_setCurrentWriteChannel_767, &_call_f_setCurrentWriteChannel_767); + methods += new qt_gsi::GenericMethod ("setCurrentReadChannel|currentReadChannel=", "@brief Method void QIODevice::setCurrentReadChannel(int channel)\n", false, &_init_f_setCurrentReadChannel_767, &_call_f_setCurrentReadChannel_767); + methods += new qt_gsi::GenericMethod ("setCurrentWriteChannel|currentWriteChannel=", "@brief Method void QIODevice::setCurrentWriteChannel(int channel)\n", false, &_init_f_setCurrentWriteChannel_767, &_call_f_setCurrentWriteChannel_767); methods += new qt_gsi::GenericMethod ("setTextModeEnabled|textModeEnabled=", "@brief Method void QIODevice::setTextModeEnabled(bool enabled)\n", false, &_init_f_setTextModeEnabled_864, &_call_f_setTextModeEnabled_864); methods += new qt_gsi::GenericMethod ("size", "@brief Method qint64 QIODevice::size()\n", true, &_init_f_size_c0, &_call_f_size_c0); methods += new qt_gsi::GenericMethod ("skip", "@brief Method qint64 QIODevice::skip(qint64 maxSize)\n", false, &_init_f_skip_986, &_call_f_skip_986); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQSettings.cc b/src/gsiqt/qt6/QtCore/gsiDeclQSettings.cc index f045172682..ad9f7245f3 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQSettings.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQSettings.cc @@ -626,13 +626,13 @@ static gsi::Methods methods_QSettings () { methods += new qt_gsi::GenericMethod ("fileName", "@brief Method QString QSettings::fileName()\n", true, &_init_f_fileName_c0, &_call_f_fileName_c0); methods += new qt_gsi::GenericMethod ("format", "@brief Method QSettings::Format QSettings::format()\n", true, &_init_f_format_c0, &_call_f_format_c0); methods += new qt_gsi::GenericMethod ("group", "@brief Method QString QSettings::group()\n", true, &_init_f_group_c0, &_call_f_group_c0); - methods += new qt_gsi::GenericMethod ("isAtomicSyncRequired?", "@brief Method bool QSettings::isAtomicSyncRequired()\n", true, &_init_f_isAtomicSyncRequired_c0, &_call_f_isAtomicSyncRequired_c0); + methods += new qt_gsi::GenericMethod ("isAtomicSyncRequired?|:atomicSyncRequired", "@brief Method bool QSettings::isAtomicSyncRequired()\n", true, &_init_f_isAtomicSyncRequired_c0, &_call_f_isAtomicSyncRequired_c0); methods += new qt_gsi::GenericMethod ("isWritable?", "@brief Method bool QSettings::isWritable()\n", true, &_init_f_isWritable_c0, &_call_f_isWritable_c0); methods += new qt_gsi::GenericMethod ("organizationName", "@brief Method QString QSettings::organizationName()\n", true, &_init_f_organizationName_c0, &_call_f_organizationName_c0); methods += new qt_gsi::GenericMethod ("remove", "@brief Method void QSettings::remove(const QString &key)\n", false, &_init_f_remove_2025, &_call_f_remove_2025); methods += new qt_gsi::GenericMethod ("scope", "@brief Method QSettings::Scope QSettings::scope()\n", true, &_init_f_scope_c0, &_call_f_scope_c0); methods += new qt_gsi::GenericMethod ("setArrayIndex", "@brief Method void QSettings::setArrayIndex(int i)\n", false, &_init_f_setArrayIndex_767, &_call_f_setArrayIndex_767); - methods += new qt_gsi::GenericMethod ("setAtomicSyncRequired", "@brief Method void QSettings::setAtomicSyncRequired(bool enable)\n", false, &_init_f_setAtomicSyncRequired_864, &_call_f_setAtomicSyncRequired_864); + methods += new qt_gsi::GenericMethod ("setAtomicSyncRequired|atomicSyncRequired=", "@brief Method void QSettings::setAtomicSyncRequired(bool enable)\n", false, &_init_f_setAtomicSyncRequired_864, &_call_f_setAtomicSyncRequired_864); methods += new qt_gsi::GenericMethod ("setFallbacksEnabled|fallbacksEnabled=", "@brief Method void QSettings::setFallbacksEnabled(bool b)\n", false, &_init_f_setFallbacksEnabled_864, &_call_f_setFallbacksEnabled_864); methods += new qt_gsi::GenericMethod ("setValue", "@brief Method void QSettings::setValue(const QString &key, const QVariant &value)\n", false, &_init_f_setValue_4036, &_call_f_setValue_4036); methods += new qt_gsi::GenericMethod ("status", "@brief Method QSettings::Status QSettings::status()\n", true, &_init_f_status_c0, &_call_f_status_c0); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQSignalMapper.cc b/src/gsiqt/qt6/QtCore/gsiDeclQSignalMapper.cc index 41644981f4..7cd8641103 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQSignalMapper.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQSignalMapper.cc @@ -90,66 +90,6 @@ static void _call_f_map_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QSignalMapper::mappedInt(int) - - -static void _init_f_mappedInt_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_mappedInt_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSignalMapper *)cls)->mappedInt (arg1); -} - - -// void QSignalMapper::mappedObject(QObject *) - - -static void _init_f_mappedObject_1302 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_mappedObject_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QObject *arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSignalMapper *)cls)->mappedObject (arg1); -} - - -// void QSignalMapper::mappedString(const QString &) - - -static void _init_f_mappedString_2025 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_mappedString_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSignalMapper *)cls)->mappedString (arg1); -} - - // QObject *QSignalMapper::mapping(int id) @@ -329,9 +269,6 @@ static gsi::Methods methods_QSignalMapper () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("map", "@brief Method void QSignalMapper::map()\n", false, &_init_f_map_0, &_call_f_map_0); methods += new qt_gsi::GenericMethod ("map", "@brief Method void QSignalMapper::map(QObject *sender)\n", false, &_init_f_map_1302, &_call_f_map_1302); - methods += new qt_gsi::GenericMethod ("mappedInt", "@brief Method void QSignalMapper::mappedInt(int)\n", false, &_init_f_mappedInt_767, &_call_f_mappedInt_767); - methods += new qt_gsi::GenericMethod ("mappedObject", "@brief Method void QSignalMapper::mappedObject(QObject *)\n", false, &_init_f_mappedObject_1302, &_call_f_mappedObject_1302); - methods += new qt_gsi::GenericMethod ("mappedString", "@brief Method void QSignalMapper::mappedString(const QString &)\n", false, &_init_f_mappedString_2025, &_call_f_mappedString_2025); methods += new qt_gsi::GenericMethod ("mapping", "@brief Method QObject *QSignalMapper::mapping(int id)\n", true, &_init_f_mapping_c767, &_call_f_mapping_c767); methods += new qt_gsi::GenericMethod ("mapping", "@brief Method QObject *QSignalMapper::mapping(const QString &text)\n", true, &_init_f_mapping_c2025, &_call_f_mapping_c2025); methods += new qt_gsi::GenericMethod ("mapping", "@brief Method QObject *QSignalMapper::mapping(QObject *object)\n", true, &_init_f_mapping_c1302, &_call_f_mapping_c1302); @@ -340,6 +277,9 @@ static gsi::Methods methods_QSignalMapper () { methods += new qt_gsi::GenericMethod ("setMapping", "@brief Method void QSignalMapper::setMapping(QObject *sender, const QString &text)\n", false, &_init_f_setMapping_3219, &_call_f_setMapping_3219); methods += new qt_gsi::GenericMethod ("setMapping", "@brief Method void QSignalMapper::setMapping(QObject *sender, QObject *object)\n", false, &_init_f_setMapping_2496, &_call_f_setMapping_2496); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QSignalMapper::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mappedInt(int)", "mappedInt", gsi::arg("arg1"), "@brief Signal declaration for QSignalMapper::mappedInt(int)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mappedObject(QObject *)", "mappedObject", gsi::arg("arg1"), "@brief Signal declaration for QSignalMapper::mappedObject(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mappedString(const QString &)", "mappedString", gsi::arg("arg1"), "@brief Signal declaration for QSignalMapper::mappedString(const QString &)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QSignalMapper::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QSignalMapper::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; @@ -430,6 +370,24 @@ class QSignalMapper_Adaptor : public QSignalMapper, public qt_gsi::QtObjectBase } } + // [emitter impl] void QSignalMapper::mappedInt(int) + void emitter_QSignalMapper_mappedInt_767(int arg1) + { + emit QSignalMapper::mappedInt(arg1); + } + + // [emitter impl] void QSignalMapper::mappedObject(QObject *) + void emitter_QSignalMapper_mappedObject_1302(QObject *arg1) + { + emit QSignalMapper::mappedObject(arg1); + } + + // [emitter impl] void QSignalMapper::mappedString(const QString &) + void emitter_QSignalMapper_mappedString_2025(const QString &arg1) + { + emit QSignalMapper::mappedString(arg1); + } + // [emitter impl] void QSignalMapper::objectNameChanged(const QString &objectName) void emitter_QSignalMapper_objectNameChanged_4567(const QString &objectName) { @@ -682,6 +640,60 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QSignalMapper::mappedInt(int) + +static void _init_emitter_mappedInt_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_mappedInt_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QSignalMapper_Adaptor *)cls)->emitter_QSignalMapper_mappedInt_767 (arg1); +} + + +// emitter void QSignalMapper::mappedObject(QObject *) + +static void _init_emitter_mappedObject_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_mappedObject_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = gsi::arg_reader() (args, heap); + ((QSignalMapper_Adaptor *)cls)->emitter_QSignalMapper_mappedObject_1302 (arg1); +} + + +// emitter void QSignalMapper::mappedString(const QString &) + +static void _init_emitter_mappedString_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_mappedString_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QSignalMapper_Adaptor *)cls)->emitter_QSignalMapper_mappedString_2025 (arg1); +} + + // emitter void QSignalMapper::objectNameChanged(const QString &objectName) static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) @@ -790,6 +802,9 @@ static gsi::Methods methods_QSignalMapper_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSignalMapper::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSignalMapper::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_mappedInt", "@brief Emitter for signal void QSignalMapper::mappedInt(int)\nCall this method to emit this signal.", false, &_init_emitter_mappedInt_767, &_call_emitter_mappedInt_767); + methods += new qt_gsi::GenericMethod ("emit_mappedObject", "@brief Emitter for signal void QSignalMapper::mappedObject(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_mappedObject_1302, &_call_emitter_mappedObject_1302); + methods += new qt_gsi::GenericMethod ("emit_mappedString", "@brief Emitter for signal void QSignalMapper::mappedString(const QString &)\nCall this method to emit this signal.", false, &_init_emitter_mappedString_2025, &_call_emitter_mappedString_2025); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QSignalMapper::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QSignalMapper::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QSignalMapper::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQSocketNotifier.cc b/src/gsiqt/qt6/QtCore/gsiDeclQSocketNotifier.cc index ce08a1a0a3..5e67bcb488 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQSocketNotifier.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQSocketNotifier.cc @@ -189,8 +189,8 @@ static gsi::Methods methods_QSocketNotifier () { methods += new qt_gsi::GenericMethod ("isEnabled?|:enabled", "@brief Method bool QSocketNotifier::isEnabled()\n", true, &_init_f_isEnabled_c0, &_call_f_isEnabled_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QSocketNotifier::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod ("setEnabled|enabled=", "@brief Method void QSocketNotifier::setEnabled(bool)\n", false, &_init_f_setEnabled_864, &_call_f_setEnabled_864); - methods += new qt_gsi::GenericMethod ("setSocket", "@brief Method void QSocketNotifier::setSocket(QIntegerForSizeof::Signed socket)\n", false, &_init_f_setSocket_3614, &_call_f_setSocket_3614); - methods += new qt_gsi::GenericMethod ("socket", "@brief Method QIntegerForSizeof::Signed QSocketNotifier::socket()\n", true, &_init_f_socket_c0, &_call_f_socket_c0); + methods += new qt_gsi::GenericMethod ("setSocket|socket=", "@brief Method void QSocketNotifier::setSocket(QIntegerForSizeof::Signed socket)\n", false, &_init_f_setSocket_3614, &_call_f_setSocket_3614); + methods += new qt_gsi::GenericMethod (":socket", "@brief Method QIntegerForSizeof::Signed QSocketNotifier::socket()\n", true, &_init_f_socket_c0, &_call_f_socket_c0); methods += new qt_gsi::GenericMethod ("type", "@brief Method QSocketNotifier::Type QSocketNotifier::type()\n", true, &_init_f_type_c0, &_call_f_type_c0); methods += gsi::qt_signal::target_type & > ("activated(QSocketDescriptor, QSocketNotifier::Type)", "activated", gsi::arg("socket"), gsi::arg("activationEvent"), "@brief Signal declaration for QSocketNotifier::activated(QSocketDescriptor socket, QSocketNotifier::Type activationEvent)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QSocketNotifier::destroyed(QObject *)\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQSortFilterProxyModel.cc b/src/gsiqt/qt6/QtCore/gsiDeclQSortFilterProxyModel.cc index 708ebba521..25651eed06 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQSortFilterProxyModel.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQSortFilterProxyModel.cc @@ -78,26 +78,6 @@ static void _call_f_autoAcceptChildRows_c0 (const qt_gsi::GenericMethod * /*decl } -// void QSortFilterProxyModel::autoAcceptChildRowsChanged(bool autoAcceptChildRows) - - -static void _init_f_autoAcceptChildRowsChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("autoAcceptChildRows"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_autoAcceptChildRowsChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSortFilterProxyModel *)cls)->autoAcceptChildRowsChanged (arg1); -} - - // QModelIndex QSortFilterProxyModel::buddy(const QModelIndex &index) @@ -223,26 +203,6 @@ static void _call_f_dynamicSortFilter_c0 (const qt_gsi::GenericMethod * /*decl*/ } -// void QSortFilterProxyModel::dynamicSortFilterChanged(bool dynamicSortFilter) - - -static void _init_f_dynamicSortFilterChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("dynamicSortFilter"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_dynamicSortFilterChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSortFilterProxyModel *)cls)->dynamicSortFilterChanged (arg1); -} - - // void QSortFilterProxyModel::fetchMore(const QModelIndex &parent) @@ -278,26 +238,6 @@ static void _call_f_filterCaseSensitivity_c0 (const qt_gsi::GenericMethod * /*de } -// void QSortFilterProxyModel::filterCaseSensitivityChanged(Qt::CaseSensitivity filterCaseSensitivity) - - -static void _init_f_filterCaseSensitivityChanged_2324 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("filterCaseSensitivity"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_filterCaseSensitivityChanged_2324 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSortFilterProxyModel *)cls)->filterCaseSensitivityChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // int QSortFilterProxyModel::filterKeyColumn() @@ -343,26 +283,6 @@ static void _call_f_filterRole_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QSortFilterProxyModel::filterRoleChanged(int filterRole) - - -static void _init_f_filterRoleChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("filterRole"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_filterRoleChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSortFilterProxyModel *)cls)->filterRoleChanged (arg1); -} - - // QFlags QSortFilterProxyModel::flags(const QModelIndex &index) @@ -722,26 +642,6 @@ static void _call_f_parent_c2395 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QSortFilterProxyModel::recursiveFilteringEnabledChanged(bool recursiveFilteringEnabled) - - -static void _init_f_recursiveFilteringEnabledChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("recursiveFilteringEnabled"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_recursiveFilteringEnabledChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSortFilterProxyModel *)cls)->recursiveFilteringEnabledChanged (arg1); -} - - // bool QSortFilterProxyModel::removeColumns(int column, int count, const QModelIndex &parent) @@ -1207,26 +1107,6 @@ static void _call_f_sortCaseSensitivity_c0 (const qt_gsi::GenericMethod * /*decl } -// void QSortFilterProxyModel::sortCaseSensitivityChanged(Qt::CaseSensitivity sortCaseSensitivity) - - -static void _init_f_sortCaseSensitivityChanged_2324 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("sortCaseSensitivity"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_sortCaseSensitivityChanged_2324 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSortFilterProxyModel *)cls)->sortCaseSensitivityChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // int QSortFilterProxyModel::sortColumn() @@ -1242,26 +1122,6 @@ static void _call_f_sortColumn_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QSortFilterProxyModel::sortLocaleAwareChanged(bool sortLocaleAware) - - -static void _init_f_sortLocaleAwareChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("sortLocaleAware"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_sortLocaleAwareChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSortFilterProxyModel *)cls)->sortLocaleAwareChanged (arg1); -} - - // Qt::SortOrder QSortFilterProxyModel::sortOrder() @@ -1292,26 +1152,6 @@ static void _call_f_sortRole_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QSortFilterProxyModel::sortRoleChanged(int sortRole) - - -static void _init_f_sortRoleChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("sortRole"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_sortRoleChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSortFilterProxyModel *)cls)->sortRoleChanged (arg1); -} - - // QSize QSortFilterProxyModel::span(const QModelIndex &index) @@ -1377,22 +1217,18 @@ namespace gsi static gsi::Methods methods_QSortFilterProxyModel () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("autoAcceptChildRows", "@brief Method bool QSortFilterProxyModel::autoAcceptChildRows()\n", true, &_init_f_autoAcceptChildRows_c0, &_call_f_autoAcceptChildRows_c0); - methods += new qt_gsi::GenericMethod ("autoAcceptChildRowsChanged", "@brief Method void QSortFilterProxyModel::autoAcceptChildRowsChanged(bool autoAcceptChildRows)\n", false, &_init_f_autoAcceptChildRowsChanged_864, &_call_f_autoAcceptChildRowsChanged_864); + methods += new qt_gsi::GenericMethod (":autoAcceptChildRows", "@brief Method bool QSortFilterProxyModel::autoAcceptChildRows()\n", true, &_init_f_autoAcceptChildRows_c0, &_call_f_autoAcceptChildRows_c0); methods += new qt_gsi::GenericMethod ("buddy", "@brief Method QModelIndex QSortFilterProxyModel::buddy(const QModelIndex &index)\nThis is a reimplementation of QAbstractProxyModel::buddy", true, &_init_f_buddy_c2395, &_call_f_buddy_c2395); methods += new qt_gsi::GenericMethod ("canFetchMore", "@brief Method bool QSortFilterProxyModel::canFetchMore(const QModelIndex &parent)\nThis is a reimplementation of QAbstractProxyModel::canFetchMore", true, &_init_f_canFetchMore_c2395, &_call_f_canFetchMore_c2395); methods += new qt_gsi::GenericMethod ("columnCount", "@brief Method int QSortFilterProxyModel::columnCount(const QModelIndex &parent)\nThis is a reimplementation of QAbstractItemModel::columnCount", true, &_init_f_columnCount_c2395, &_call_f_columnCount_c2395); methods += new qt_gsi::GenericMethod ("data", "@brief Method QVariant QSortFilterProxyModel::data(const QModelIndex &index, int role)\nThis is a reimplementation of QAbstractProxyModel::data", true, &_init_f_data_c3054, &_call_f_data_c3054); methods += new qt_gsi::GenericMethod ("dropMimeData", "@brief Method bool QSortFilterProxyModel::dropMimeData(const QMimeData *data, Qt::DropAction action, int row, int column, const QModelIndex &parent)\nThis is a reimplementation of QAbstractProxyModel::dropMimeData", false, &_init_f_dropMimeData_7425, &_call_f_dropMimeData_7425); methods += new qt_gsi::GenericMethod (":dynamicSortFilter", "@brief Method bool QSortFilterProxyModel::dynamicSortFilter()\n", true, &_init_f_dynamicSortFilter_c0, &_call_f_dynamicSortFilter_c0); - methods += new qt_gsi::GenericMethod ("dynamicSortFilterChanged", "@brief Method void QSortFilterProxyModel::dynamicSortFilterChanged(bool dynamicSortFilter)\n", false, &_init_f_dynamicSortFilterChanged_864, &_call_f_dynamicSortFilterChanged_864); methods += new qt_gsi::GenericMethod ("fetchMore", "@brief Method void QSortFilterProxyModel::fetchMore(const QModelIndex &parent)\nThis is a reimplementation of QAbstractProxyModel::fetchMore", false, &_init_f_fetchMore_2395, &_call_f_fetchMore_2395); methods += new qt_gsi::GenericMethod (":filterCaseSensitivity", "@brief Method Qt::CaseSensitivity QSortFilterProxyModel::filterCaseSensitivity()\n", true, &_init_f_filterCaseSensitivity_c0, &_call_f_filterCaseSensitivity_c0); - methods += new qt_gsi::GenericMethod ("filterCaseSensitivityChanged", "@brief Method void QSortFilterProxyModel::filterCaseSensitivityChanged(Qt::CaseSensitivity filterCaseSensitivity)\n", false, &_init_f_filterCaseSensitivityChanged_2324, &_call_f_filterCaseSensitivityChanged_2324); methods += new qt_gsi::GenericMethod (":filterKeyColumn", "@brief Method int QSortFilterProxyModel::filterKeyColumn()\n", true, &_init_f_filterKeyColumn_c0, &_call_f_filterKeyColumn_c0); - methods += new qt_gsi::GenericMethod ("filterRegularExpression", "@brief Method QRegularExpression QSortFilterProxyModel::filterRegularExpression()\n", true, &_init_f_filterRegularExpression_c0, &_call_f_filterRegularExpression_c0); + methods += new qt_gsi::GenericMethod (":filterRegularExpression", "@brief Method QRegularExpression QSortFilterProxyModel::filterRegularExpression()\n", true, &_init_f_filterRegularExpression_c0, &_call_f_filterRegularExpression_c0); methods += new qt_gsi::GenericMethod (":filterRole", "@brief Method int QSortFilterProxyModel::filterRole()\n", true, &_init_f_filterRole_c0, &_call_f_filterRole_c0); - methods += new qt_gsi::GenericMethod ("filterRoleChanged", "@brief Method void QSortFilterProxyModel::filterRoleChanged(int filterRole)\n", false, &_init_f_filterRoleChanged_767, &_call_f_filterRoleChanged_767); methods += new qt_gsi::GenericMethod ("flags", "@brief Method QFlags QSortFilterProxyModel::flags(const QModelIndex &index)\nThis is a reimplementation of QAbstractProxyModel::flags", true, &_init_f_flags_c2395, &_call_f_flags_c2395); methods += new qt_gsi::GenericMethod ("hasChildren", "@brief Method bool QSortFilterProxyModel::hasChildren(const QModelIndex &parent)\nThis is a reimplementation of QAbstractProxyModel::hasChildren", true, &_init_f_hasChildren_c2395, &_call_f_hasChildren_c2395); methods += new qt_gsi::GenericMethod ("headerData", "@brief Method QVariant QSortFilterProxyModel::headerData(int section, Qt::Orientation orientation, int role)\nThis is a reimplementation of QAbstractProxyModel::headerData", true, &_init_f_headerData_c3231, &_call_f_headerData_c3231); @@ -1400,7 +1236,7 @@ static gsi::Methods methods_QSortFilterProxyModel () { methods += new qt_gsi::GenericMethod ("insertColumns", "@brief Method bool QSortFilterProxyModel::insertColumns(int column, int count, const QModelIndex &parent)\nThis is a reimplementation of QAbstractItemModel::insertColumns", false, &_init_f_insertColumns_3713, &_call_f_insertColumns_3713); methods += new qt_gsi::GenericMethod ("insertRows", "@brief Method bool QSortFilterProxyModel::insertRows(int row, int count, const QModelIndex &parent)\nThis is a reimplementation of QAbstractItemModel::insertRows", false, &_init_f_insertRows_3713, &_call_f_insertRows_3713); methods += new qt_gsi::GenericMethod ("invalidate", "@brief Method void QSortFilterProxyModel::invalidate()\n", false, &_init_f_invalidate_0, &_call_f_invalidate_0); - methods += new qt_gsi::GenericMethod ("isRecursiveFilteringEnabled?", "@brief Method bool QSortFilterProxyModel::isRecursiveFilteringEnabled()\n", true, &_init_f_isRecursiveFilteringEnabled_c0, &_call_f_isRecursiveFilteringEnabled_c0); + methods += new qt_gsi::GenericMethod ("isRecursiveFilteringEnabled?|:recursiveFilteringEnabled", "@brief Method bool QSortFilterProxyModel::isRecursiveFilteringEnabled()\n", true, &_init_f_isRecursiveFilteringEnabled_c0, &_call_f_isRecursiveFilteringEnabled_c0); methods += new qt_gsi::GenericMethod ("isSortLocaleAware?|:isSortLocaleAware", "@brief Method bool QSortFilterProxyModel::isSortLocaleAware()\n", true, &_init_f_isSortLocaleAware_c0, &_call_f_isSortLocaleAware_c0); methods += new qt_gsi::GenericMethod ("mapFromSource", "@brief Method QModelIndex QSortFilterProxyModel::mapFromSource(const QModelIndex &sourceIndex)\nThis is a reimplementation of QAbstractProxyModel::mapFromSource", true, &_init_f_mapFromSource_c2395, &_call_f_mapFromSource_c2395); methods += new qt_gsi::GenericMethod ("mapSelectionFromSource", "@brief Method QItemSelection QSortFilterProxyModel::mapSelectionFromSource(const QItemSelection &sourceSelection)\nThis is a reimplementation of QAbstractProxyModel::mapSelectionFromSource", true, &_init_f_mapSelectionFromSource_c2727, &_call_f_mapSelectionFromSource_c2727); @@ -1411,22 +1247,21 @@ static gsi::Methods methods_QSortFilterProxyModel () { methods += new qt_gsi::GenericMethod ("mimeTypes", "@brief Method QStringList QSortFilterProxyModel::mimeTypes()\nThis is a reimplementation of QAbstractProxyModel::mimeTypes", true, &_init_f_mimeTypes_c0, &_call_f_mimeTypes_c0); methods += new qt_gsi::GenericMethod (":parent", "@brief Method QObject *QSortFilterProxyModel::parent()\n", true, &_init_f_parent_c0, &_call_f_parent_c0); methods += new qt_gsi::GenericMethod ("parent", "@brief Method QModelIndex QSortFilterProxyModel::parent(const QModelIndex &child)\nThis is a reimplementation of QAbstractItemModel::parent", true, &_init_f_parent_c2395, &_call_f_parent_c2395); - methods += new qt_gsi::GenericMethod ("recursiveFilteringEnabledChanged", "@brief Method void QSortFilterProxyModel::recursiveFilteringEnabledChanged(bool recursiveFilteringEnabled)\n", false, &_init_f_recursiveFilteringEnabledChanged_864, &_call_f_recursiveFilteringEnabledChanged_864); methods += new qt_gsi::GenericMethod ("removeColumns", "@brief Method bool QSortFilterProxyModel::removeColumns(int column, int count, const QModelIndex &parent)\nThis is a reimplementation of QAbstractItemModel::removeColumns", false, &_init_f_removeColumns_3713, &_call_f_removeColumns_3713); methods += new qt_gsi::GenericMethod ("removeRows", "@brief Method bool QSortFilterProxyModel::removeRows(int row, int count, const QModelIndex &parent)\nThis is a reimplementation of QAbstractItemModel::removeRows", false, &_init_f_removeRows_3713, &_call_f_removeRows_3713); methods += new qt_gsi::GenericMethod ("rowCount", "@brief Method int QSortFilterProxyModel::rowCount(const QModelIndex &parent)\nThis is a reimplementation of QAbstractItemModel::rowCount", true, &_init_f_rowCount_c2395, &_call_f_rowCount_c2395); - methods += new qt_gsi::GenericMethod ("setAutoAcceptChildRows", "@brief Method void QSortFilterProxyModel::setAutoAcceptChildRows(bool accept)\n", false, &_init_f_setAutoAcceptChildRows_864, &_call_f_setAutoAcceptChildRows_864); + methods += new qt_gsi::GenericMethod ("setAutoAcceptChildRows|autoAcceptChildRows=", "@brief Method void QSortFilterProxyModel::setAutoAcceptChildRows(bool accept)\n", false, &_init_f_setAutoAcceptChildRows_864, &_call_f_setAutoAcceptChildRows_864); methods += new qt_gsi::GenericMethod ("setData", "@brief Method bool QSortFilterProxyModel::setData(const QModelIndex &index, const QVariant &value, int role)\nThis is a reimplementation of QAbstractProxyModel::setData", false, &_init_f_setData_5065, &_call_f_setData_5065); methods += new qt_gsi::GenericMethod ("setDynamicSortFilter|dynamicSortFilter=", "@brief Method void QSortFilterProxyModel::setDynamicSortFilter(bool enable)\n", false, &_init_f_setDynamicSortFilter_864, &_call_f_setDynamicSortFilter_864); methods += new qt_gsi::GenericMethod ("setFilterCaseSensitivity|filterCaseSensitivity=", "@brief Method void QSortFilterProxyModel::setFilterCaseSensitivity(Qt::CaseSensitivity cs)\n", false, &_init_f_setFilterCaseSensitivity_2324, &_call_f_setFilterCaseSensitivity_2324); methods += new qt_gsi::GenericMethod ("setFilterFixedString", "@brief Method void QSortFilterProxyModel::setFilterFixedString(const QString &pattern)\n", false, &_init_f_setFilterFixedString_2025, &_call_f_setFilterFixedString_2025); methods += new qt_gsi::GenericMethod ("setFilterKeyColumn|filterKeyColumn=", "@brief Method void QSortFilterProxyModel::setFilterKeyColumn(int column)\n", false, &_init_f_setFilterKeyColumn_767, &_call_f_setFilterKeyColumn_767); - methods += new qt_gsi::GenericMethod ("setFilterRegularExpression", "@brief Method void QSortFilterProxyModel::setFilterRegularExpression(const QString &pattern)\n", false, &_init_f_setFilterRegularExpression_2025, &_call_f_setFilterRegularExpression_2025); - methods += new qt_gsi::GenericMethod ("setFilterRegularExpression", "@brief Method void QSortFilterProxyModel::setFilterRegularExpression(const QRegularExpression ®ularExpression)\n", false, &_init_f_setFilterRegularExpression_3188, &_call_f_setFilterRegularExpression_3188); + methods += new qt_gsi::GenericMethod ("setFilterRegularExpression|filterRegularExpression=", "@brief Method void QSortFilterProxyModel::setFilterRegularExpression(const QString &pattern)\n", false, &_init_f_setFilterRegularExpression_2025, &_call_f_setFilterRegularExpression_2025); + methods += new qt_gsi::GenericMethod ("setFilterRegularExpression|filterRegularExpression=", "@brief Method void QSortFilterProxyModel::setFilterRegularExpression(const QRegularExpression ®ularExpression)\n", false, &_init_f_setFilterRegularExpression_3188, &_call_f_setFilterRegularExpression_3188); methods += new qt_gsi::GenericMethod ("setFilterRole|filterRole=", "@brief Method void QSortFilterProxyModel::setFilterRole(int role)\n", false, &_init_f_setFilterRole_767, &_call_f_setFilterRole_767); methods += new qt_gsi::GenericMethod ("setFilterWildcard", "@brief Method void QSortFilterProxyModel::setFilterWildcard(const QString &pattern)\n", false, &_init_f_setFilterWildcard_2025, &_call_f_setFilterWildcard_2025); methods += new qt_gsi::GenericMethod ("setHeaderData", "@brief Method bool QSortFilterProxyModel::setHeaderData(int section, Qt::Orientation orientation, const QVariant &value, int role)\nThis is a reimplementation of QAbstractProxyModel::setHeaderData", false, &_init_f_setHeaderData_5242, &_call_f_setHeaderData_5242); - methods += new qt_gsi::GenericMethod ("setRecursiveFilteringEnabled", "@brief Method void QSortFilterProxyModel::setRecursiveFilteringEnabled(bool recursive)\n", false, &_init_f_setRecursiveFilteringEnabled_864, &_call_f_setRecursiveFilteringEnabled_864); + methods += new qt_gsi::GenericMethod ("setRecursiveFilteringEnabled|recursiveFilteringEnabled=", "@brief Method void QSortFilterProxyModel::setRecursiveFilteringEnabled(bool recursive)\n", false, &_init_f_setRecursiveFilteringEnabled_864, &_call_f_setRecursiveFilteringEnabled_864); methods += new qt_gsi::GenericMethod ("setSortCaseSensitivity|sortCaseSensitivity=", "@brief Method void QSortFilterProxyModel::setSortCaseSensitivity(Qt::CaseSensitivity cs)\n", false, &_init_f_setSortCaseSensitivity_2324, &_call_f_setSortCaseSensitivity_2324); methods += new qt_gsi::GenericMethod ("setSortLocaleAware", "@brief Method void QSortFilterProxyModel::setSortLocaleAware(bool on)\n", false, &_init_f_setSortLocaleAware_864, &_call_f_setSortLocaleAware_864); methods += new qt_gsi::GenericMethod ("setSortRole|sortRole=", "@brief Method void QSortFilterProxyModel::setSortRole(int role)\n", false, &_init_f_setSortRole_767, &_call_f_setSortRole_767); @@ -1434,14 +1269,12 @@ static gsi::Methods methods_QSortFilterProxyModel () { methods += new qt_gsi::GenericMethod ("sibling", "@brief Method QModelIndex QSortFilterProxyModel::sibling(int row, int column, const QModelIndex &idx)\nThis is a reimplementation of QAbstractProxyModel::sibling", true, &_init_f_sibling_c3713, &_call_f_sibling_c3713); methods += new qt_gsi::GenericMethod ("sort", "@brief Method void QSortFilterProxyModel::sort(int column, Qt::SortOrder order)\nThis is a reimplementation of QAbstractProxyModel::sort", false, &_init_f_sort_2340, &_call_f_sort_2340); methods += new qt_gsi::GenericMethod (":sortCaseSensitivity", "@brief Method Qt::CaseSensitivity QSortFilterProxyModel::sortCaseSensitivity()\n", true, &_init_f_sortCaseSensitivity_c0, &_call_f_sortCaseSensitivity_c0); - methods += new qt_gsi::GenericMethod ("sortCaseSensitivityChanged", "@brief Method void QSortFilterProxyModel::sortCaseSensitivityChanged(Qt::CaseSensitivity sortCaseSensitivity)\n", false, &_init_f_sortCaseSensitivityChanged_2324, &_call_f_sortCaseSensitivityChanged_2324); methods += new qt_gsi::GenericMethod ("sortColumn", "@brief Method int QSortFilterProxyModel::sortColumn()\n", true, &_init_f_sortColumn_c0, &_call_f_sortColumn_c0); - methods += new qt_gsi::GenericMethod ("sortLocaleAwareChanged", "@brief Method void QSortFilterProxyModel::sortLocaleAwareChanged(bool sortLocaleAware)\n", false, &_init_f_sortLocaleAwareChanged_864, &_call_f_sortLocaleAwareChanged_864); methods += new qt_gsi::GenericMethod ("sortOrder", "@brief Method Qt::SortOrder QSortFilterProxyModel::sortOrder()\n", true, &_init_f_sortOrder_c0, &_call_f_sortOrder_c0); methods += new qt_gsi::GenericMethod (":sortRole", "@brief Method int QSortFilterProxyModel::sortRole()\n", true, &_init_f_sortRole_c0, &_call_f_sortRole_c0); - methods += new qt_gsi::GenericMethod ("sortRoleChanged", "@brief Method void QSortFilterProxyModel::sortRoleChanged(int sortRole)\n", false, &_init_f_sortRoleChanged_767, &_call_f_sortRoleChanged_767); methods += new qt_gsi::GenericMethod ("span", "@brief Method QSize QSortFilterProxyModel::span(const QModelIndex &index)\nThis is a reimplementation of QAbstractProxyModel::span", true, &_init_f_span_c2395, &_call_f_span_c2395); methods += new qt_gsi::GenericMethod ("supportedDropActions", "@brief Method QFlags QSortFilterProxyModel::supportedDropActions()\nThis is a reimplementation of QAbstractProxyModel::supportedDropActions", true, &_init_f_supportedDropActions_c0, &_call_f_supportedDropActions_c0); + methods += gsi::qt_signal ("autoAcceptChildRowsChanged(bool)", "autoAcceptChildRowsChanged", gsi::arg("autoAcceptChildRows"), "@brief Signal declaration for QSortFilterProxyModel::autoAcceptChildRowsChanged(bool autoAcceptChildRows)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("columnsAboutToBeInserted(const QModelIndex &, int, int)", "columnsAboutToBeInserted", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QSortFilterProxyModel::columnsAboutToBeInserted(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("columnsAboutToBeMoved(const QModelIndex &, int, int, const QModelIndex &, int)", "columnsAboutToBeMoved", gsi::arg("sourceParent"), gsi::arg("sourceStart"), gsi::arg("sourceEnd"), gsi::arg("destinationParent"), gsi::arg("destinationColumn"), "@brief Signal declaration for QSortFilterProxyModel::columnsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationColumn)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("columnsAboutToBeRemoved(const QModelIndex &, int, int)", "columnsAboutToBeRemoved", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QSortFilterProxyModel::columnsAboutToBeRemoved(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); @@ -1450,18 +1283,25 @@ static gsi::Methods methods_QSortFilterProxyModel () { methods += gsi::qt_signal ("columnsRemoved(const QModelIndex &, int, int)", "columnsRemoved", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QSortFilterProxyModel::columnsRemoved(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal & > ("dataChanged(const QModelIndex &, const QModelIndex &, const QList &)", "dataChanged", gsi::arg("topLeft"), gsi::arg("bottomRight"), gsi::arg("roles"), "@brief Signal declaration for QSortFilterProxyModel::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QSortFilterProxyModel::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("dynamicSortFilterChanged(bool)", "dynamicSortFilterChanged", gsi::arg("dynamicSortFilter"), "@brief Signal declaration for QSortFilterProxyModel::dynamicSortFilterChanged(bool dynamicSortFilter)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("filterCaseSensitivityChanged(Qt::CaseSensitivity)", "filterCaseSensitivityChanged", gsi::arg("filterCaseSensitivity"), "@brief Signal declaration for QSortFilterProxyModel::filterCaseSensitivityChanged(Qt::CaseSensitivity filterCaseSensitivity)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("filterRoleChanged(int)", "filterRoleChanged", gsi::arg("filterRole"), "@brief Signal declaration for QSortFilterProxyModel::filterRoleChanged(int filterRole)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal::target_type &, int, int > ("headerDataChanged(Qt::Orientation, int, int)", "headerDataChanged", gsi::arg("orientation"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QSortFilterProxyModel::headerDataChanged(Qt::Orientation orientation, int first, int last)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal &, const qt_gsi::Converter::target_type & > ("layoutAboutToBeChanged(const QList &, QAbstractItemModel::LayoutChangeHint)", "layoutAboutToBeChanged", gsi::arg("parents"), gsi::arg("hint"), "@brief Signal declaration for QSortFilterProxyModel::layoutAboutToBeChanged(const QList &parents, QAbstractItemModel::LayoutChangeHint hint)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal &, const qt_gsi::Converter::target_type & > ("layoutChanged(const QList &, QAbstractItemModel::LayoutChangeHint)", "layoutChanged", gsi::arg("parents"), gsi::arg("hint"), "@brief Signal declaration for QSortFilterProxyModel::layoutChanged(const QList &parents, QAbstractItemModel::LayoutChangeHint hint)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("modelAboutToBeReset()", "modelAboutToBeReset", "@brief Signal declaration for QSortFilterProxyModel::modelAboutToBeReset()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("modelReset()", "modelReset", "@brief Signal declaration for QSortFilterProxyModel::modelReset()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QSortFilterProxyModel::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("recursiveFilteringEnabledChanged(bool)", "recursiveFilteringEnabledChanged", gsi::arg("recursiveFilteringEnabled"), "@brief Signal declaration for QSortFilterProxyModel::recursiveFilteringEnabledChanged(bool recursiveFilteringEnabled)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("rowsAboutToBeInserted(const QModelIndex &, int, int)", "rowsAboutToBeInserted", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QSortFilterProxyModel::rowsAboutToBeInserted(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("rowsAboutToBeMoved(const QModelIndex &, int, int, const QModelIndex &, int)", "rowsAboutToBeMoved", gsi::arg("sourceParent"), gsi::arg("sourceStart"), gsi::arg("sourceEnd"), gsi::arg("destinationParent"), gsi::arg("destinationRow"), "@brief Signal declaration for QSortFilterProxyModel::rowsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationRow)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("rowsAboutToBeRemoved(const QModelIndex &, int, int)", "rowsAboutToBeRemoved", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QSortFilterProxyModel::rowsAboutToBeRemoved(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("rowsInserted(const QModelIndex &, int, int)", "rowsInserted", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QSortFilterProxyModel::rowsInserted(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("rowsMoved(const QModelIndex &, int, int, const QModelIndex &, int)", "rowsMoved", gsi::arg("parent"), gsi::arg("start"), gsi::arg("end"), gsi::arg("destination"), gsi::arg("row"), "@brief Signal declaration for QSortFilterProxyModel::rowsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int row)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("rowsRemoved(const QModelIndex &, int, int)", "rowsRemoved", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QSortFilterProxyModel::rowsRemoved(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("sortCaseSensitivityChanged(Qt::CaseSensitivity)", "sortCaseSensitivityChanged", gsi::arg("sortCaseSensitivity"), "@brief Signal declaration for QSortFilterProxyModel::sortCaseSensitivityChanged(Qt::CaseSensitivity sortCaseSensitivity)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("sortLocaleAwareChanged(bool)", "sortLocaleAwareChanged", gsi::arg("sortLocaleAware"), "@brief Signal declaration for QSortFilterProxyModel::sortLocaleAwareChanged(bool sortLocaleAware)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("sortRoleChanged(int)", "sortRoleChanged", gsi::arg("sortRole"), "@brief Signal declaration for QSortFilterProxyModel::sortRoleChanged(int sortRole)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("sourceModelChanged()", "sourceModelChanged", "@brief Signal declaration for QSortFilterProxyModel::sourceModelChanged()\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QSortFilterProxyModel::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; @@ -1641,6 +1481,12 @@ class QSortFilterProxyModel_Adaptor : public QSortFilterProxyModel, public qt_gs return QSortFilterProxyModel::senderSignalIndex(); } + // [emitter impl] void QSortFilterProxyModel::autoAcceptChildRowsChanged(bool autoAcceptChildRows) + void emitter_QSortFilterProxyModel_autoAcceptChildRowsChanged_864(bool autoAcceptChildRows) + { + emit QSortFilterProxyModel::autoAcceptChildRowsChanged(autoAcceptChildRows); + } + // [adaptor impl] QModelIndex QSortFilterProxyModel::buddy(const QModelIndex &index) QModelIndex cbs_buddy_c2395_0(const QModelIndex &index) const { @@ -1816,6 +1662,12 @@ class QSortFilterProxyModel_Adaptor : public QSortFilterProxyModel, public qt_gs } } + // [emitter impl] void QSortFilterProxyModel::dynamicSortFilterChanged(bool dynamicSortFilter) + void emitter_QSortFilterProxyModel_dynamicSortFilterChanged_864(bool dynamicSortFilter) + { + emit QSortFilterProxyModel::dynamicSortFilterChanged(dynamicSortFilter); + } + // [adaptor impl] bool QSortFilterProxyModel::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -1861,6 +1713,18 @@ class QSortFilterProxyModel_Adaptor : public QSortFilterProxyModel, public qt_gs } } + // [emitter impl] void QSortFilterProxyModel::filterCaseSensitivityChanged(Qt::CaseSensitivity filterCaseSensitivity) + void emitter_QSortFilterProxyModel_filterCaseSensitivityChanged_2324(Qt::CaseSensitivity filterCaseSensitivity) + { + emit QSortFilterProxyModel::filterCaseSensitivityChanged(filterCaseSensitivity); + } + + // [emitter impl] void QSortFilterProxyModel::filterRoleChanged(int filterRole) + void emitter_QSortFilterProxyModel_filterRoleChanged_767(int filterRole) + { + emit QSortFilterProxyModel::filterRoleChanged(filterRole); + } + // [adaptor impl] QFlags QSortFilterProxyModel::flags(const QModelIndex &index) QFlags cbs_flags_c2395_0(const QModelIndex &index) const { @@ -2168,6 +2032,12 @@ class QSortFilterProxyModel_Adaptor : public QSortFilterProxyModel, public qt_gs } } + // [emitter impl] void QSortFilterProxyModel::recursiveFilteringEnabledChanged(bool recursiveFilteringEnabled) + void emitter_QSortFilterProxyModel_recursiveFilteringEnabledChanged_864(bool recursiveFilteringEnabled) + { + emit QSortFilterProxyModel::recursiveFilteringEnabledChanged(recursiveFilteringEnabled); + } + // [adaptor impl] bool QSortFilterProxyModel::removeColumns(int column, int count, const QModelIndex &parent) bool cbs_removeColumns_3713_1(int column, int count, const QModelIndex &parent) { @@ -2391,6 +2261,24 @@ class QSortFilterProxyModel_Adaptor : public QSortFilterProxyModel, public qt_gs } } + // [emitter impl] void QSortFilterProxyModel::sortCaseSensitivityChanged(Qt::CaseSensitivity sortCaseSensitivity) + void emitter_QSortFilterProxyModel_sortCaseSensitivityChanged_2324(Qt::CaseSensitivity sortCaseSensitivity) + { + emit QSortFilterProxyModel::sortCaseSensitivityChanged(sortCaseSensitivity); + } + + // [emitter impl] void QSortFilterProxyModel::sortLocaleAwareChanged(bool sortLocaleAware) + void emitter_QSortFilterProxyModel_sortLocaleAwareChanged_864(bool sortLocaleAware) + { + emit QSortFilterProxyModel::sortLocaleAwareChanged(sortLocaleAware); + } + + // [emitter impl] void QSortFilterProxyModel::sortRoleChanged(int sortRole) + void emitter_QSortFilterProxyModel_sortRoleChanged_767(int sortRole) + { + emit QSortFilterProxyModel::sortRoleChanged(sortRole); + } + // [emitter impl] void QSortFilterProxyModel::sourceModelChanged() void emitter_QSortFilterProxyModel_sourceModelChanged_3914() { @@ -2650,6 +2538,24 @@ static void _call_ctor_QSortFilterProxyModel_Adaptor_1302 (const qt_gsi::Generic } +// emitter void QSortFilterProxyModel::autoAcceptChildRowsChanged(bool autoAcceptChildRows) + +static void _init_emitter_autoAcceptChildRowsChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("autoAcceptChildRows"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_autoAcceptChildRowsChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QSortFilterProxyModel_Adaptor *)cls)->emitter_QSortFilterProxyModel_autoAcceptChildRowsChanged_864 (arg1); +} + + // exposed void QSortFilterProxyModel::beginInsertColumns(const QModelIndex &parent, int first, int last) static void _init_fp_beginInsertColumns_3713 (qt_gsi::GenericMethod *decl) @@ -3426,6 +3332,24 @@ static void _set_callback_cbs_dropMimeData_7425_0 (void *cls, const gsi::Callbac } +// emitter void QSortFilterProxyModel::dynamicSortFilterChanged(bool dynamicSortFilter) + +static void _init_emitter_dynamicSortFilterChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("dynamicSortFilter"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_dynamicSortFilterChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QSortFilterProxyModel_Adaptor *)cls)->emitter_QSortFilterProxyModel_dynamicSortFilterChanged_864 (arg1); +} + + // exposed void QSortFilterProxyModel::encodeData(const QList &indexes, QDataStream &stream) static void _init_fp_encodeData_c4599 (qt_gsi::GenericMethod *decl) @@ -3678,6 +3602,42 @@ static void _set_callback_cbs_filterAcceptsRow_c3054_0 (void *cls, const gsi::Ca } +// emitter void QSortFilterProxyModel::filterCaseSensitivityChanged(Qt::CaseSensitivity filterCaseSensitivity) + +static void _init_emitter_filterCaseSensitivityChanged_2324 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("filterCaseSensitivity"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_filterCaseSensitivityChanged_2324 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QSortFilterProxyModel_Adaptor *)cls)->emitter_QSortFilterProxyModel_filterCaseSensitivityChanged_2324 (arg1); +} + + +// emitter void QSortFilterProxyModel::filterRoleChanged(int filterRole) + +static void _init_emitter_filterRoleChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("filterRole"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_filterRoleChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QSortFilterProxyModel_Adaptor *)cls)->emitter_QSortFilterProxyModel_filterRoleChanged_767 (arg1); +} + + // QFlags QSortFilterProxyModel::flags(const QModelIndex &index) static void _init_cbs_flags_c2395_0 (qt_gsi::GenericMethod *decl) @@ -4385,6 +4345,24 @@ static void _call_fp_receivers_c1731 (const qt_gsi::GenericMethod * /*decl*/, vo } +// emitter void QSortFilterProxyModel::recursiveFilteringEnabledChanged(bool recursiveFilteringEnabled) + +static void _init_emitter_recursiveFilteringEnabledChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("recursiveFilteringEnabled"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_recursiveFilteringEnabledChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QSortFilterProxyModel_Adaptor *)cls)->emitter_QSortFilterProxyModel_recursiveFilteringEnabledChanged_864 (arg1); +} + + // bool QSortFilterProxyModel::removeColumns(int column, int count, const QModelIndex &parent) static void _init_cbs_removeColumns_3713_1 (qt_gsi::GenericMethod *decl) @@ -4876,6 +4854,60 @@ static void _set_callback_cbs_sort_2340_1 (void *cls, const gsi::Callback &cb) } +// emitter void QSortFilterProxyModel::sortCaseSensitivityChanged(Qt::CaseSensitivity sortCaseSensitivity) + +static void _init_emitter_sortCaseSensitivityChanged_2324 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("sortCaseSensitivity"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_sortCaseSensitivityChanged_2324 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QSortFilterProxyModel_Adaptor *)cls)->emitter_QSortFilterProxyModel_sortCaseSensitivityChanged_2324 (arg1); +} + + +// emitter void QSortFilterProxyModel::sortLocaleAwareChanged(bool sortLocaleAware) + +static void _init_emitter_sortLocaleAwareChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("sortLocaleAware"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_sortLocaleAwareChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QSortFilterProxyModel_Adaptor *)cls)->emitter_QSortFilterProxyModel_sortLocaleAwareChanged_864 (arg1); +} + + +// emitter void QSortFilterProxyModel::sortRoleChanged(int sortRole) + +static void _init_emitter_sortRoleChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("sortRole"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_sortRoleChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QSortFilterProxyModel_Adaptor *)cls)->emitter_QSortFilterProxyModel_sortRoleChanged_767 (arg1); +} + + // emitter void QSortFilterProxyModel::sourceModelChanged() static void _init_emitter_sourceModelChanged_3914 (qt_gsi::GenericMethod *decl) @@ -5002,6 +5034,7 @@ gsi::Class &qtdecl_QSortFilterProxyModel (); static gsi::Methods methods_QSortFilterProxyModel_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSortFilterProxyModel::QSortFilterProxyModel(QObject *parent)\nThis method creates an object of class QSortFilterProxyModel.", &_init_ctor_QSortFilterProxyModel_Adaptor_1302, &_call_ctor_QSortFilterProxyModel_Adaptor_1302); + methods += new qt_gsi::GenericMethod ("emit_autoAcceptChildRowsChanged", "@brief Emitter for signal void QSortFilterProxyModel::autoAcceptChildRowsChanged(bool autoAcceptChildRows)\nCall this method to emit this signal.", false, &_init_emitter_autoAcceptChildRowsChanged_864, &_call_emitter_autoAcceptChildRowsChanged_864); methods += new qt_gsi::GenericMethod ("*beginInsertColumns", "@brief Method void QSortFilterProxyModel::beginInsertColumns(const QModelIndex &parent, int first, int last)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_beginInsertColumns_3713, &_call_fp_beginInsertColumns_3713); methods += new qt_gsi::GenericMethod ("*beginInsertRows", "@brief Method void QSortFilterProxyModel::beginInsertRows(const QModelIndex &parent, int first, int last)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_beginInsertRows_3713, &_call_fp_beginInsertRows_3713); methods += new qt_gsi::GenericMethod ("*beginMoveColumns", "@brief Method bool QSortFilterProxyModel::beginMoveColumns(const QModelIndex &sourceParent, int sourceFirst, int sourceLast, const QModelIndex &destinationParent, int destinationColumn)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_beginMoveColumns_6659, &_call_fp_beginMoveColumns_6659); @@ -5043,6 +5076,7 @@ static gsi::Methods methods_QSortFilterProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("dropMimeData", "@brief Virtual method bool QSortFilterProxyModel::dropMimeData(const QMimeData *data, Qt::DropAction action, int row, int column, const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropMimeData_7425_0, &_call_cbs_dropMimeData_7425_0); methods += new qt_gsi::GenericMethod ("dropMimeData", "@hide", false, &_init_cbs_dropMimeData_7425_0, &_call_cbs_dropMimeData_7425_0, &_set_callback_cbs_dropMimeData_7425_0); + methods += new qt_gsi::GenericMethod ("emit_dynamicSortFilterChanged", "@brief Emitter for signal void QSortFilterProxyModel::dynamicSortFilterChanged(bool dynamicSortFilter)\nCall this method to emit this signal.", false, &_init_emitter_dynamicSortFilterChanged_864, &_call_emitter_dynamicSortFilterChanged_864); methods += new qt_gsi::GenericMethod ("*encodeData", "@brief Method void QSortFilterProxyModel::encodeData(const QList &indexes, QDataStream &stream)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_encodeData_c4599, &_call_fp_encodeData_c4599); methods += new qt_gsi::GenericMethod ("*endInsertColumns", "@brief Method void QSortFilterProxyModel::endInsertColumns()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endInsertColumns_0, &_call_fp_endInsertColumns_0); methods += new qt_gsi::GenericMethod ("*endInsertRows", "@brief Method void QSortFilterProxyModel::endInsertRows()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_endInsertRows_0, &_call_fp_endInsertRows_0); @@ -5061,6 +5095,8 @@ static gsi::Methods methods_QSortFilterProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("*filterAcceptsColumn", "@hide", true, &_init_cbs_filterAcceptsColumn_c3054_0, &_call_cbs_filterAcceptsColumn_c3054_0, &_set_callback_cbs_filterAcceptsColumn_c3054_0); methods += new qt_gsi::GenericMethod ("*filterAcceptsRow", "@brief Virtual method bool QSortFilterProxyModel::filterAcceptsRow(int source_row, const QModelIndex &source_parent)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_filterAcceptsRow_c3054_0, &_call_cbs_filterAcceptsRow_c3054_0); methods += new qt_gsi::GenericMethod ("*filterAcceptsRow", "@hide", true, &_init_cbs_filterAcceptsRow_c3054_0, &_call_cbs_filterAcceptsRow_c3054_0, &_set_callback_cbs_filterAcceptsRow_c3054_0); + methods += new qt_gsi::GenericMethod ("emit_filterCaseSensitivityChanged", "@brief Emitter for signal void QSortFilterProxyModel::filterCaseSensitivityChanged(Qt::CaseSensitivity filterCaseSensitivity)\nCall this method to emit this signal.", false, &_init_emitter_filterCaseSensitivityChanged_2324, &_call_emitter_filterCaseSensitivityChanged_2324); + methods += new qt_gsi::GenericMethod ("emit_filterRoleChanged", "@brief Emitter for signal void QSortFilterProxyModel::filterRoleChanged(int filterRole)\nCall this method to emit this signal.", false, &_init_emitter_filterRoleChanged_767, &_call_emitter_filterRoleChanged_767); methods += new qt_gsi::GenericMethod ("flags", "@brief Virtual method QFlags QSortFilterProxyModel::flags(const QModelIndex &index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_flags_c2395_0, &_call_cbs_flags_c2395_0); methods += new qt_gsi::GenericMethod ("flags", "@hide", true, &_init_cbs_flags_c2395_0, &_call_cbs_flags_c2395_0, &_set_callback_cbs_flags_c2395_0); methods += new qt_gsi::GenericMethod ("hasChildren", "@brief Virtual method bool QSortFilterProxyModel::hasChildren(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_hasChildren_c2395_1, &_call_cbs_hasChildren_c2395_1); @@ -5111,6 +5147,7 @@ static gsi::Methods methods_QSortFilterProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("parent", "@hide", true, &_init_cbs_parent_c2395_0, &_call_cbs_parent_c2395_0, &_set_callback_cbs_parent_c2395_0); methods += new qt_gsi::GenericMethod ("*persistentIndexList", "@brief Method QList QSortFilterProxyModel::persistentIndexList()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_persistentIndexList_c0, &_call_fp_persistentIndexList_c0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QSortFilterProxyModel::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); + methods += new qt_gsi::GenericMethod ("emit_recursiveFilteringEnabledChanged", "@brief Emitter for signal void QSortFilterProxyModel::recursiveFilteringEnabledChanged(bool recursiveFilteringEnabled)\nCall this method to emit this signal.", false, &_init_emitter_recursiveFilteringEnabledChanged_864, &_call_emitter_recursiveFilteringEnabledChanged_864); methods += new qt_gsi::GenericMethod ("removeColumns", "@brief Virtual method bool QSortFilterProxyModel::removeColumns(int column, int count, const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_removeColumns_3713_1, &_call_cbs_removeColumns_3713_1); methods += new qt_gsi::GenericMethod ("removeColumns", "@hide", false, &_init_cbs_removeColumns_3713_1, &_call_cbs_removeColumns_3713_1, &_set_callback_cbs_removeColumns_3713_1); methods += new qt_gsi::GenericMethod ("removeRows", "@brief Virtual method bool QSortFilterProxyModel::removeRows(int row, int count, const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_removeRows_3713_1, &_call_cbs_removeRows_3713_1); @@ -5143,6 +5180,9 @@ static gsi::Methods methods_QSortFilterProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("sibling", "@hide", true, &_init_cbs_sibling_c3713_0, &_call_cbs_sibling_c3713_0, &_set_callback_cbs_sibling_c3713_0); methods += new qt_gsi::GenericMethod ("sort", "@brief Virtual method void QSortFilterProxyModel::sort(int column, Qt::SortOrder order)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_sort_2340_1, &_call_cbs_sort_2340_1); methods += new qt_gsi::GenericMethod ("sort", "@hide", false, &_init_cbs_sort_2340_1, &_call_cbs_sort_2340_1, &_set_callback_cbs_sort_2340_1); + methods += new qt_gsi::GenericMethod ("emit_sortCaseSensitivityChanged", "@brief Emitter for signal void QSortFilterProxyModel::sortCaseSensitivityChanged(Qt::CaseSensitivity sortCaseSensitivity)\nCall this method to emit this signal.", false, &_init_emitter_sortCaseSensitivityChanged_2324, &_call_emitter_sortCaseSensitivityChanged_2324); + methods += new qt_gsi::GenericMethod ("emit_sortLocaleAwareChanged", "@brief Emitter for signal void QSortFilterProxyModel::sortLocaleAwareChanged(bool sortLocaleAware)\nCall this method to emit this signal.", false, &_init_emitter_sortLocaleAwareChanged_864, &_call_emitter_sortLocaleAwareChanged_864); + methods += new qt_gsi::GenericMethod ("emit_sortRoleChanged", "@brief Emitter for signal void QSortFilterProxyModel::sortRoleChanged(int sortRole)\nCall this method to emit this signal.", false, &_init_emitter_sortRoleChanged_767, &_call_emitter_sortRoleChanged_767); methods += new qt_gsi::GenericMethod ("emit_sourceModelChanged", "@brief Emitter for signal void QSortFilterProxyModel::sourceModelChanged()\nCall this method to emit this signal.", false, &_init_emitter_sourceModelChanged_3914, &_call_emitter_sourceModelChanged_3914); methods += new qt_gsi::GenericMethod ("span", "@brief Virtual method QSize QSortFilterProxyModel::span(const QModelIndex &index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_span_c2395_0, &_call_cbs_span_c2395_0); methods += new qt_gsi::GenericMethod ("span", "@hide", true, &_init_cbs_span_c2395_0, &_call_cbs_span_c2395_0, &_set_callback_cbs_span_c2395_0); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQTextStream.cc b/src/gsiqt/qt6/QtCore/gsiDeclQTextStream.cc index ad53705f68..12d4642c74 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQTextStream.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQTextStream.cc @@ -869,7 +869,7 @@ static gsi::Methods methods_QTextStream () { methods += new qt_gsi::GenericMethod ("atEnd", "@brief Method bool QTextStream::atEnd()\n", true, &_init_f_atEnd_c0, &_call_f_atEnd_c0); methods += new qt_gsi::GenericMethod (":autoDetectUnicode", "@brief Method bool QTextStream::autoDetectUnicode()\n", true, &_init_f_autoDetectUnicode_c0, &_call_f_autoDetectUnicode_c0); methods += new qt_gsi::GenericMethod (":device", "@brief Method QIODevice *QTextStream::device()\n", true, &_init_f_device_c0, &_call_f_device_c0); - methods += new qt_gsi::GenericMethod ("encoding", "@brief Method QStringConverter::Encoding QTextStream::encoding()\n", true, &_init_f_encoding_c0, &_call_f_encoding_c0); + methods += new qt_gsi::GenericMethod (":encoding", "@brief Method QStringConverter::Encoding QTextStream::encoding()\n", true, &_init_f_encoding_c0, &_call_f_encoding_c0); methods += new qt_gsi::GenericMethod (":fieldAlignment", "@brief Method QTextStream::FieldAlignment QTextStream::fieldAlignment()\n", true, &_init_f_fieldAlignment_c0, &_call_f_fieldAlignment_c0); methods += new qt_gsi::GenericMethod (":fieldWidth", "@brief Method int QTextStream::fieldWidth()\n", true, &_init_f_fieldWidth_c0, &_call_f_fieldWidth_c0); methods += new qt_gsi::GenericMethod ("flush", "@brief Method void QTextStream::flush()\n", false, &_init_f_flush_0, &_call_f_flush_0); @@ -890,7 +890,7 @@ static gsi::Methods methods_QTextStream () { methods += new qt_gsi::GenericMethod ("seek", "@brief Method bool QTextStream::seek(qint64 pos)\n", false, &_init_f_seek_986, &_call_f_seek_986); methods += new qt_gsi::GenericMethod ("setAutoDetectUnicode|autoDetectUnicode=", "@brief Method void QTextStream::setAutoDetectUnicode(bool enabled)\n", false, &_init_f_setAutoDetectUnicode_864, &_call_f_setAutoDetectUnicode_864); methods += new qt_gsi::GenericMethod ("setDevice|device=", "@brief Method void QTextStream::setDevice(QIODevice *device)\n", false, &_init_f_setDevice_1447, &_call_f_setDevice_1447); - methods += new qt_gsi::GenericMethod ("setEncoding", "@brief Method void QTextStream::setEncoding(QStringConverter::Encoding encoding)\n", false, &_init_f_setEncoding_3023, &_call_f_setEncoding_3023); + methods += new qt_gsi::GenericMethod ("setEncoding|encoding=", "@brief Method void QTextStream::setEncoding(QStringConverter::Encoding encoding)\n", false, &_init_f_setEncoding_3023, &_call_f_setEncoding_3023); methods += new qt_gsi::GenericMethod ("setFieldAlignment|fieldAlignment=", "@brief Method void QTextStream::setFieldAlignment(QTextStream::FieldAlignment alignment)\n", false, &_init_f_setFieldAlignment_3085, &_call_f_setFieldAlignment_3085); methods += new qt_gsi::GenericMethod ("setFieldWidth|fieldWidth=", "@brief Method void QTextStream::setFieldWidth(int width)\n", false, &_init_f_setFieldWidth_767, &_call_f_setFieldWidth_767); methods += new qt_gsi::GenericMethod ("setGenerateByteOrderMark|generateByteOrderMark=", "@brief Method void QTextStream::setGenerateByteOrderMark(bool generate)\n", false, &_init_f_setGenerateByteOrderMark_864, &_call_f_setGenerateByteOrderMark_864); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQThreadPool.cc b/src/gsiqt/qt6/QtCore/gsiDeclQThreadPool.cc index d858783d8c..ce87a83819 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQThreadPool.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQThreadPool.cc @@ -412,11 +412,11 @@ static gsi::Methods methods_QThreadPool () { methods += new qt_gsi::GenericMethod ("reserveThread", "@brief Method void QThreadPool::reserveThread()\n", false, &_init_f_reserveThread_0, &_call_f_reserveThread_0); methods += new qt_gsi::GenericMethod ("setExpiryTimeout|expiryTimeout=", "@brief Method void QThreadPool::setExpiryTimeout(int expiryTimeout)\n", false, &_init_f_setExpiryTimeout_767, &_call_f_setExpiryTimeout_767); methods += new qt_gsi::GenericMethod ("setMaxThreadCount|maxThreadCount=", "@brief Method void QThreadPool::setMaxThreadCount(int maxThreadCount)\n", false, &_init_f_setMaxThreadCount_767, &_call_f_setMaxThreadCount_767); - methods += new qt_gsi::GenericMethod ("setStackSize", "@brief Method void QThreadPool::setStackSize(unsigned int stackSize)\n", false, &_init_f_setStackSize_1772, &_call_f_setStackSize_1772); - methods += new qt_gsi::GenericMethod ("setThreadPriority", "@brief Method void QThreadPool::setThreadPriority(QThread::Priority priority)\n", false, &_init_f_setThreadPriority_2099, &_call_f_setThreadPriority_2099); - methods += new qt_gsi::GenericMethod ("stackSize", "@brief Method unsigned int QThreadPool::stackSize()\n", true, &_init_f_stackSize_c0, &_call_f_stackSize_c0); + methods += new qt_gsi::GenericMethod ("setStackSize|stackSize=", "@brief Method void QThreadPool::setStackSize(unsigned int stackSize)\n", false, &_init_f_setStackSize_1772, &_call_f_setStackSize_1772); + methods += new qt_gsi::GenericMethod ("setThreadPriority|threadPriority=", "@brief Method void QThreadPool::setThreadPriority(QThread::Priority priority)\n", false, &_init_f_setThreadPriority_2099, &_call_f_setThreadPriority_2099); + methods += new qt_gsi::GenericMethod (":stackSize", "@brief Method unsigned int QThreadPool::stackSize()\n", true, &_init_f_stackSize_c0, &_call_f_stackSize_c0); methods += new qt_gsi::GenericMethod ("start", "@brief Method void QThreadPool::start(QRunnable *runnable, int priority)\n", false, &_init_f_start_2185, &_call_f_start_2185); - methods += new qt_gsi::GenericMethod ("threadPriority", "@brief Method QThread::Priority QThreadPool::threadPriority()\n", true, &_init_f_threadPriority_c0, &_call_f_threadPriority_c0); + methods += new qt_gsi::GenericMethod (":threadPriority", "@brief Method QThread::Priority QThreadPool::threadPriority()\n", true, &_init_f_threadPriority_c0, &_call_f_threadPriority_c0); methods += new qt_gsi::GenericMethod ("tryStart", "@brief Method bool QThreadPool::tryStart(QRunnable *runnable)\n", false, &_init_f_tryStart_1526, &_call_f_tryStart_1526); methods += new qt_gsi::GenericMethod ("tryTake", "@brief Method bool QThreadPool::tryTake(QRunnable *runnable)\n", false, &_init_f_tryTake_1526, &_call_f_tryTake_1526); methods += new qt_gsi::GenericMethod ("waitForDone", "@brief Method bool QThreadPool::waitForDone(int msecs)\n", false, &_init_f_waitForDone_767, &_call_f_waitForDone_767); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQTransposeProxyModel.cc b/src/gsiqt/qt6/QtCore/gsiDeclQTransposeProxyModel.cc index 82c96fb614..d49e1f95ce 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQTransposeProxyModel.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQTransposeProxyModel.cc @@ -547,9 +547,30 @@ static gsi::Methods methods_QTransposeProxyModel () { methods += new qt_gsi::GenericMethod ("rowCount", "@brief Method int QTransposeProxyModel::rowCount(const QModelIndex &parent)\nThis is a reimplementation of QAbstractItemModel::rowCount", true, &_init_f_rowCount_c2395, &_call_f_rowCount_c2395); methods += new qt_gsi::GenericMethod ("setHeaderData", "@brief Method bool QTransposeProxyModel::setHeaderData(int section, Qt::Orientation orientation, const QVariant &value, int role)\nThis is a reimplementation of QAbstractProxyModel::setHeaderData", false, &_init_f_setHeaderData_5242, &_call_f_setHeaderData_5242); methods += new qt_gsi::GenericMethod ("setItemData", "@brief Method bool QTransposeProxyModel::setItemData(const QModelIndex &index, const QMap &roles)\nThis is a reimplementation of QAbstractProxyModel::setItemData", false, &_init_f_setItemData_5414, &_call_f_setItemData_5414); - methods += new qt_gsi::GenericMethod ("setSourceModel", "@brief Method void QTransposeProxyModel::setSourceModel(QAbstractItemModel *newSourceModel)\nThis is a reimplementation of QAbstractProxyModel::setSourceModel", false, &_init_f_setSourceModel_2419, &_call_f_setSourceModel_2419); + methods += new qt_gsi::GenericMethod ("setSourceModel|sourceModel=", "@brief Method void QTransposeProxyModel::setSourceModel(QAbstractItemModel *newSourceModel)\nThis is a reimplementation of QAbstractProxyModel::setSourceModel", false, &_init_f_setSourceModel_2419, &_call_f_setSourceModel_2419); methods += new qt_gsi::GenericMethod ("sort", "@brief Method void QTransposeProxyModel::sort(int column, Qt::SortOrder order)\nThis is a reimplementation of QAbstractProxyModel::sort", false, &_init_f_sort_2340, &_call_f_sort_2340); methods += new qt_gsi::GenericMethod ("span", "@brief Method QSize QTransposeProxyModel::span(const QModelIndex &index)\nThis is a reimplementation of QAbstractProxyModel::span", true, &_init_f_span_c2395, &_call_f_span_c2395); + methods += gsi::qt_signal ("columnsAboutToBeInserted(const QModelIndex &, int, int)", "columnsAboutToBeInserted", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QTransposeProxyModel::columnsAboutToBeInserted(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("columnsAboutToBeMoved(const QModelIndex &, int, int, const QModelIndex &, int)", "columnsAboutToBeMoved", gsi::arg("sourceParent"), gsi::arg("sourceStart"), gsi::arg("sourceEnd"), gsi::arg("destinationParent"), gsi::arg("destinationColumn"), "@brief Signal declaration for QTransposeProxyModel::columnsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationColumn)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("columnsAboutToBeRemoved(const QModelIndex &, int, int)", "columnsAboutToBeRemoved", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QTransposeProxyModel::columnsAboutToBeRemoved(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("columnsInserted(const QModelIndex &, int, int)", "columnsInserted", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QTransposeProxyModel::columnsInserted(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("columnsMoved(const QModelIndex &, int, int, const QModelIndex &, int)", "columnsMoved", gsi::arg("parent"), gsi::arg("start"), gsi::arg("end"), gsi::arg("destination"), gsi::arg("column"), "@brief Signal declaration for QTransposeProxyModel::columnsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int column)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("columnsRemoved(const QModelIndex &, int, int)", "columnsRemoved", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QTransposeProxyModel::columnsRemoved(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal & > ("dataChanged(const QModelIndex &, const QModelIndex &, const QList &)", "dataChanged", gsi::arg("topLeft"), gsi::arg("bottomRight"), gsi::arg("roles"), "@brief Signal declaration for QTransposeProxyModel::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QTransposeProxyModel::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type &, int, int > ("headerDataChanged(Qt::Orientation, int, int)", "headerDataChanged", gsi::arg("orientation"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QTransposeProxyModel::headerDataChanged(Qt::Orientation orientation, int first, int last)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal &, const qt_gsi::Converter::target_type & > ("layoutAboutToBeChanged(const QList &, QAbstractItemModel::LayoutChangeHint)", "layoutAboutToBeChanged", gsi::arg("parents"), gsi::arg("hint"), "@brief Signal declaration for QTransposeProxyModel::layoutAboutToBeChanged(const QList &parents, QAbstractItemModel::LayoutChangeHint hint)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal &, const qt_gsi::Converter::target_type & > ("layoutChanged(const QList &, QAbstractItemModel::LayoutChangeHint)", "layoutChanged", gsi::arg("parents"), gsi::arg("hint"), "@brief Signal declaration for QTransposeProxyModel::layoutChanged(const QList &parents, QAbstractItemModel::LayoutChangeHint hint)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("modelAboutToBeReset()", "modelAboutToBeReset", "@brief Signal declaration for QTransposeProxyModel::modelAboutToBeReset()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("modelReset()", "modelReset", "@brief Signal declaration for QTransposeProxyModel::modelReset()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QTransposeProxyModel::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("rowsAboutToBeInserted(const QModelIndex &, int, int)", "rowsAboutToBeInserted", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QTransposeProxyModel::rowsAboutToBeInserted(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("rowsAboutToBeMoved(const QModelIndex &, int, int, const QModelIndex &, int)", "rowsAboutToBeMoved", gsi::arg("sourceParent"), gsi::arg("sourceStart"), gsi::arg("sourceEnd"), gsi::arg("destinationParent"), gsi::arg("destinationRow"), "@brief Signal declaration for QTransposeProxyModel::rowsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationRow)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("rowsAboutToBeRemoved(const QModelIndex &, int, int)", "rowsAboutToBeRemoved", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QTransposeProxyModel::rowsAboutToBeRemoved(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("rowsInserted(const QModelIndex &, int, int)", "rowsInserted", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QTransposeProxyModel::rowsInserted(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("rowsMoved(const QModelIndex &, int, int, const QModelIndex &, int)", "rowsMoved", gsi::arg("parent"), gsi::arg("start"), gsi::arg("end"), gsi::arg("destination"), gsi::arg("row"), "@brief Signal declaration for QTransposeProxyModel::rowsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int row)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("rowsRemoved(const QModelIndex &, int, int)", "rowsRemoved", gsi::arg("parent"), gsi::arg("first"), gsi::arg("last"), "@brief Signal declaration for QTransposeProxyModel::rowsRemoved(const QModelIndex &parent, int first, int last)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("sourceModelChanged()", "sourceModelChanged", "@brief Signal declaration for QTransposeProxyModel::sourceModelChanged()\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QTransposeProxyModel::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -788,6 +809,64 @@ class QTransposeProxyModel_Adaptor : public QTransposeProxyModel, public qt_gsi: } } + // [emitter impl] void QTransposeProxyModel::columnsAboutToBeInserted(const QModelIndex &parent, int first, int last) + void emitter_QTransposeProxyModel_columnsAboutToBeInserted_7372(const QModelIndex &parent, int first, int last) + { + __SUPPRESS_UNUSED_WARNING (parent); + __SUPPRESS_UNUSED_WARNING (first); + __SUPPRESS_UNUSED_WARNING (last); + throw tl::Exception ("Can't emit private signal 'void QTransposeProxyModel::columnsAboutToBeInserted(const QModelIndex &parent, int first, int last)'"); + } + + // [emitter impl] void QTransposeProxyModel::columnsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationColumn) + void emitter_QTransposeProxyModel_columnsAboutToBeMoved_10318(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationColumn) + { + __SUPPRESS_UNUSED_WARNING (sourceParent); + __SUPPRESS_UNUSED_WARNING (sourceStart); + __SUPPRESS_UNUSED_WARNING (sourceEnd); + __SUPPRESS_UNUSED_WARNING (destinationParent); + __SUPPRESS_UNUSED_WARNING (destinationColumn); + throw tl::Exception ("Can't emit private signal 'void QTransposeProxyModel::columnsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationColumn)'"); + } + + // [emitter impl] void QTransposeProxyModel::columnsAboutToBeRemoved(const QModelIndex &parent, int first, int last) + void emitter_QTransposeProxyModel_columnsAboutToBeRemoved_7372(const QModelIndex &parent, int first, int last) + { + __SUPPRESS_UNUSED_WARNING (parent); + __SUPPRESS_UNUSED_WARNING (first); + __SUPPRESS_UNUSED_WARNING (last); + throw tl::Exception ("Can't emit private signal 'void QTransposeProxyModel::columnsAboutToBeRemoved(const QModelIndex &parent, int first, int last)'"); + } + + // [emitter impl] void QTransposeProxyModel::columnsInserted(const QModelIndex &parent, int first, int last) + void emitter_QTransposeProxyModel_columnsInserted_7372(const QModelIndex &parent, int first, int last) + { + __SUPPRESS_UNUSED_WARNING (parent); + __SUPPRESS_UNUSED_WARNING (first); + __SUPPRESS_UNUSED_WARNING (last); + throw tl::Exception ("Can't emit private signal 'void QTransposeProxyModel::columnsInserted(const QModelIndex &parent, int first, int last)'"); + } + + // [emitter impl] void QTransposeProxyModel::columnsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int column) + void emitter_QTransposeProxyModel_columnsMoved_10318(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int column) + { + __SUPPRESS_UNUSED_WARNING (parent); + __SUPPRESS_UNUSED_WARNING (start); + __SUPPRESS_UNUSED_WARNING (end); + __SUPPRESS_UNUSED_WARNING (destination); + __SUPPRESS_UNUSED_WARNING (column); + throw tl::Exception ("Can't emit private signal 'void QTransposeProxyModel::columnsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int column)'"); + } + + // [emitter impl] void QTransposeProxyModel::columnsRemoved(const QModelIndex &parent, int first, int last) + void emitter_QTransposeProxyModel_columnsRemoved_7372(const QModelIndex &parent, int first, int last) + { + __SUPPRESS_UNUSED_WARNING (parent); + __SUPPRESS_UNUSED_WARNING (first); + __SUPPRESS_UNUSED_WARNING (last); + throw tl::Exception ("Can't emit private signal 'void QTransposeProxyModel::columnsRemoved(const QModelIndex &parent, int first, int last)'"); + } + // [adaptor impl] QVariant QTransposeProxyModel::data(const QModelIndex &proxyIndex, int role) QVariant cbs_data_c3054_1(const QModelIndex &proxyIndex, int role) const { @@ -803,6 +882,18 @@ class QTransposeProxyModel_Adaptor : public QTransposeProxyModel, public qt_gsi: } } + // [emitter impl] void QTransposeProxyModel::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles) + void emitter_QTransposeProxyModel_dataChanged_6833(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles) + { + emit QTransposeProxyModel::dataChanged(topLeft, bottomRight, roles); + } + + // [emitter impl] void QTransposeProxyModel::destroyed(QObject *) + void emitter_QTransposeProxyModel_destroyed_1302(QObject *arg1) + { + emit QTransposeProxyModel::destroyed(arg1); + } + // [adaptor impl] bool QTransposeProxyModel::dropMimeData(const QMimeData *data, Qt::DropAction action, int row, int column, const QModelIndex &parent) bool cbs_dropMimeData_7425_0(const QMimeData *data, const qt_gsi::Converter::target_type & action, int row, int column, const QModelIndex &parent) { @@ -908,6 +999,12 @@ class QTransposeProxyModel_Adaptor : public QTransposeProxyModel, public qt_gsi: } } + // [emitter impl] void QTransposeProxyModel::headerDataChanged(Qt::Orientation orientation, int first, int last) + void emitter_QTransposeProxyModel_headerDataChanged_3231(Qt::Orientation orientation, int first, int last) + { + emit QTransposeProxyModel::headerDataChanged(orientation, first, last); + } + // [adaptor impl] QModelIndex QTransposeProxyModel::index(int row, int column, const QModelIndex &parent) QModelIndex cbs_index_c3713_1(int row, int column, const QModelIndex &parent) const { @@ -968,6 +1065,18 @@ class QTransposeProxyModel_Adaptor : public QTransposeProxyModel, public qt_gsi: } } + // [emitter impl] void QTransposeProxyModel::layoutAboutToBeChanged(const QList &parents, QAbstractItemModel::LayoutChangeHint hint) + void emitter_QTransposeProxyModel_layoutAboutToBeChanged_7947(const QList &parents, QAbstractItemModel::LayoutChangeHint hint) + { + emit QTransposeProxyModel::layoutAboutToBeChanged(parents, hint); + } + + // [emitter impl] void QTransposeProxyModel::layoutChanged(const QList &parents, QAbstractItemModel::LayoutChangeHint hint) + void emitter_QTransposeProxyModel_layoutChanged_7947(const QList &parents, QAbstractItemModel::LayoutChangeHint hint) + { + emit QTransposeProxyModel::layoutChanged(parents, hint); + } + // [adaptor impl] QModelIndex QTransposeProxyModel::mapFromSource(const QModelIndex &sourceIndex) QModelIndex cbs_mapFromSource_c2395_0(const QModelIndex &sourceIndex) const { @@ -1073,6 +1182,18 @@ class QTransposeProxyModel_Adaptor : public QTransposeProxyModel, public qt_gsi: } } + // [emitter impl] void QTransposeProxyModel::modelAboutToBeReset() + void emitter_QTransposeProxyModel_modelAboutToBeReset_3767() + { + throw tl::Exception ("Can't emit private signal 'void QTransposeProxyModel::modelAboutToBeReset()'"); + } + + // [emitter impl] void QTransposeProxyModel::modelReset() + void emitter_QTransposeProxyModel_modelReset_3767() + { + throw tl::Exception ("Can't emit private signal 'void QTransposeProxyModel::modelReset()'"); + } + // [adaptor impl] bool QTransposeProxyModel::moveColumns(const QModelIndex &sourceParent, int sourceColumn, int count, const QModelIndex &destinationParent, int destinationChild) bool cbs_moveColumns_6659_0(const QModelIndex &sourceParent, int sourceColumn, int count, const QModelIndex &destinationParent, int destinationChild) { @@ -1118,6 +1239,13 @@ class QTransposeProxyModel_Adaptor : public QTransposeProxyModel, public qt_gsi: } } + // [emitter impl] void QTransposeProxyModel::objectNameChanged(const QString &objectName) + void emitter_QTransposeProxyModel_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QTransposeProxyModel::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] QModelIndex QTransposeProxyModel::parent(const QModelIndex &index) QModelIndex cbs_parent_c2395_0(const QModelIndex &index) const { @@ -1208,6 +1336,64 @@ class QTransposeProxyModel_Adaptor : public QTransposeProxyModel, public qt_gsi: } } + // [emitter impl] void QTransposeProxyModel::rowsAboutToBeInserted(const QModelIndex &parent, int first, int last) + void emitter_QTransposeProxyModel_rowsAboutToBeInserted_7372(const QModelIndex &parent, int first, int last) + { + __SUPPRESS_UNUSED_WARNING (parent); + __SUPPRESS_UNUSED_WARNING (first); + __SUPPRESS_UNUSED_WARNING (last); + throw tl::Exception ("Can't emit private signal 'void QTransposeProxyModel::rowsAboutToBeInserted(const QModelIndex &parent, int first, int last)'"); + } + + // [emitter impl] void QTransposeProxyModel::rowsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationRow) + void emitter_QTransposeProxyModel_rowsAboutToBeMoved_10318(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationRow) + { + __SUPPRESS_UNUSED_WARNING (sourceParent); + __SUPPRESS_UNUSED_WARNING (sourceStart); + __SUPPRESS_UNUSED_WARNING (sourceEnd); + __SUPPRESS_UNUSED_WARNING (destinationParent); + __SUPPRESS_UNUSED_WARNING (destinationRow); + throw tl::Exception ("Can't emit private signal 'void QTransposeProxyModel::rowsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationRow)'"); + } + + // [emitter impl] void QTransposeProxyModel::rowsAboutToBeRemoved(const QModelIndex &parent, int first, int last) + void emitter_QTransposeProxyModel_rowsAboutToBeRemoved_7372(const QModelIndex &parent, int first, int last) + { + __SUPPRESS_UNUSED_WARNING (parent); + __SUPPRESS_UNUSED_WARNING (first); + __SUPPRESS_UNUSED_WARNING (last); + throw tl::Exception ("Can't emit private signal 'void QTransposeProxyModel::rowsAboutToBeRemoved(const QModelIndex &parent, int first, int last)'"); + } + + // [emitter impl] void QTransposeProxyModel::rowsInserted(const QModelIndex &parent, int first, int last) + void emitter_QTransposeProxyModel_rowsInserted_7372(const QModelIndex &parent, int first, int last) + { + __SUPPRESS_UNUSED_WARNING (parent); + __SUPPRESS_UNUSED_WARNING (first); + __SUPPRESS_UNUSED_WARNING (last); + throw tl::Exception ("Can't emit private signal 'void QTransposeProxyModel::rowsInserted(const QModelIndex &parent, int first, int last)'"); + } + + // [emitter impl] void QTransposeProxyModel::rowsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int row) + void emitter_QTransposeProxyModel_rowsMoved_10318(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int row) + { + __SUPPRESS_UNUSED_WARNING (parent); + __SUPPRESS_UNUSED_WARNING (start); + __SUPPRESS_UNUSED_WARNING (end); + __SUPPRESS_UNUSED_WARNING (destination); + __SUPPRESS_UNUSED_WARNING (row); + throw tl::Exception ("Can't emit private signal 'void QTransposeProxyModel::rowsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int row)'"); + } + + // [emitter impl] void QTransposeProxyModel::rowsRemoved(const QModelIndex &parent, int first, int last) + void emitter_QTransposeProxyModel_rowsRemoved_7372(const QModelIndex &parent, int first, int last) + { + __SUPPRESS_UNUSED_WARNING (parent); + __SUPPRESS_UNUSED_WARNING (first); + __SUPPRESS_UNUSED_WARNING (last); + throw tl::Exception ("Can't emit private signal 'void QTransposeProxyModel::rowsRemoved(const QModelIndex &parent, int first, int last)'"); + } + // [adaptor impl] bool QTransposeProxyModel::setData(const QModelIndex &index, const QVariant &value, int role) bool cbs_setData_5065_1(const QModelIndex &index, const QVariant &value, int role) { @@ -1298,6 +1484,12 @@ class QTransposeProxyModel_Adaptor : public QTransposeProxyModel, public qt_gsi: } } + // [emitter impl] void QTransposeProxyModel::sourceModelChanged() + void emitter_QTransposeProxyModel_sourceModelChanged_3914() + { + throw tl::Exception ("Can't emit private signal 'void QTransposeProxyModel::sourceModelChanged()'"); + } + // [adaptor impl] QSize QTransposeProxyModel::span(const QModelIndex &index) QSize cbs_span_c2395_0(const QModelIndex &index) const { @@ -1873,6 +2065,162 @@ static void _set_callback_cbs_columnCount_c2395_1 (void *cls, const gsi::Callbac } +// emitter void QTransposeProxyModel::columnsAboutToBeInserted(const QModelIndex &parent, int first, int last) + +static void _init_emitter_columnsAboutToBeInserted_7372 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("first"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("last"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_columnsAboutToBeInserted_7372 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_columnsAboutToBeInserted_7372 (arg1, arg2, arg3); +} + + +// emitter void QTransposeProxyModel::columnsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationColumn) + +static void _init_emitter_columnsAboutToBeMoved_10318 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("sourceParent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("sourceStart"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("sourceEnd"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("destinationParent"); + decl->add_arg (argspec_3); + static gsi::ArgSpecBase argspec_4 ("destinationColumn"); + decl->add_arg (argspec_4); + decl->set_return (); +} + +static void _call_emitter_columnsAboutToBeMoved_10318 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + const QModelIndex &arg4 = gsi::arg_reader() (args, heap); + int arg5 = gsi::arg_reader() (args, heap); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_columnsAboutToBeMoved_10318 (arg1, arg2, arg3, arg4, arg5); +} + + +// emitter void QTransposeProxyModel::columnsAboutToBeRemoved(const QModelIndex &parent, int first, int last) + +static void _init_emitter_columnsAboutToBeRemoved_7372 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("first"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("last"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_columnsAboutToBeRemoved_7372 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_columnsAboutToBeRemoved_7372 (arg1, arg2, arg3); +} + + +// emitter void QTransposeProxyModel::columnsInserted(const QModelIndex &parent, int first, int last) + +static void _init_emitter_columnsInserted_7372 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("first"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("last"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_columnsInserted_7372 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_columnsInserted_7372 (arg1, arg2, arg3); +} + + +// emitter void QTransposeProxyModel::columnsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int column) + +static void _init_emitter_columnsMoved_10318 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("start"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("end"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("destination"); + decl->add_arg (argspec_3); + static gsi::ArgSpecBase argspec_4 ("column"); + decl->add_arg (argspec_4); + decl->set_return (); +} + +static void _call_emitter_columnsMoved_10318 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + const QModelIndex &arg4 = gsi::arg_reader() (args, heap); + int arg5 = gsi::arg_reader() (args, heap); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_columnsMoved_10318 (arg1, arg2, arg3, arg4, arg5); +} + + +// emitter void QTransposeProxyModel::columnsRemoved(const QModelIndex &parent, int first, int last) + +static void _init_emitter_columnsRemoved_7372 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("first"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("last"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_columnsRemoved_7372 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_columnsRemoved_7372 (arg1, arg2, arg3); +} + + // exposed QModelIndex QTransposeProxyModel::createIndex(int row, int column, const void *data) static void _init_fp_createIndex_c3069 (qt_gsi::GenericMethod *decl) @@ -1995,6 +2343,30 @@ static void _set_callback_cbs_data_c3054_1 (void *cls, const gsi::Callback &cb) } +// emitter void QTransposeProxyModel::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles) + +static void _init_emitter_dataChanged_6833 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("topLeft"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("bottomRight"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("roles", true, "QList()"); + decl->add_arg & > (argspec_2); + decl->set_return (); +} + +static void _call_emitter_dataChanged_6833 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + const QModelIndex &arg2 = gsi::arg_reader() (args, heap); + const QList &arg3 = args ? gsi::arg_reader & >() (args, heap) : gsi::arg_maker & >() (QList(), heap); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_dataChanged_6833 (arg1, arg2, arg3); +} + + // exposed bool QTransposeProxyModel::decodeData(int row, int column, const QModelIndex &parent, QDataStream &stream) static void _init_fp_decodeData_5302 (qt_gsi::GenericMethod *decl) @@ -2022,6 +2394,24 @@ static void _call_fp_decodeData_5302 (const qt_gsi::GenericMethod * /*decl*/, vo } +// emitter void QTransposeProxyModel::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_destroyed_1302 (arg1); +} + + // void QTransposeProxyModel::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -2356,6 +2746,30 @@ static void _set_callback_cbs_headerData_c3231_1 (void *cls, const gsi::Callback } +// emitter void QTransposeProxyModel::headerDataChanged(Qt::Orientation orientation, int first, int last) + +static void _init_emitter_headerDataChanged_3231 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("orientation"); + decl->add_arg::target_type & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("first"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("last"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_headerDataChanged_3231 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_headerDataChanged_3231 (arg1, arg2, arg3); +} + + // QModelIndex QTransposeProxyModel::index(int row, int column, const QModelIndex &parent) static void _init_cbs_index_c3713_1 (qt_gsi::GenericMethod *decl) @@ -2484,6 +2898,48 @@ static void _set_callback_cbs_itemData_c2395_0 (void *cls, const gsi::Callback & } +// emitter void QTransposeProxyModel::layoutAboutToBeChanged(const QList &parents, QAbstractItemModel::LayoutChangeHint hint) + +static void _init_emitter_layoutAboutToBeChanged_7947 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parents", true, "QList()"); + decl->add_arg & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("hint", true, "QAbstractItemModel::NoLayoutChangeHint"); + decl->add_arg::target_type & > (argspec_1); + decl->set_return (); +} + +static void _call_emitter_layoutAboutToBeChanged_7947 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QList &arg1 = args ? gsi::arg_reader & >() (args, heap) : gsi::arg_maker & >() (QList(), heap); + const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QAbstractItemModel::NoLayoutChangeHint), heap); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_layoutAboutToBeChanged_7947 (arg1, arg2); +} + + +// emitter void QTransposeProxyModel::layoutChanged(const QList &parents, QAbstractItemModel::LayoutChangeHint hint) + +static void _init_emitter_layoutChanged_7947 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parents", true, "QList()"); + decl->add_arg & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("hint", true, "QAbstractItemModel::NoLayoutChangeHint"); + decl->add_arg::target_type & > (argspec_1); + decl->set_return (); +} + +static void _call_emitter_layoutChanged_7947 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QList &arg1 = args ? gsi::arg_reader & >() (args, heap) : gsi::arg_maker & >() (QList(), heap); + const qt_gsi::Converter::target_type & arg2 = args ? gsi::arg_reader::target_type & >() (args, heap) : gsi::arg_maker::target_type & >() (qt_gsi::CppToQtReadAdaptor(heap, QAbstractItemModel::NoLayoutChangeHint), heap); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_layoutChanged_7947 (arg1, arg2); +} + + // QModelIndex QTransposeProxyModel::mapFromSource(const QModelIndex &sourceIndex) static void _init_cbs_mapFromSource_c2395_0 (qt_gsi::GenericMethod *decl) @@ -2653,6 +3109,34 @@ static void _set_callback_cbs_mimeTypes_c0_0 (void *cls, const gsi::Callback &cb } +// emitter void QTransposeProxyModel::modelAboutToBeReset() + +static void _init_emitter_modelAboutToBeReset_3767 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_modelAboutToBeReset_3767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_modelAboutToBeReset_3767 (); +} + + +// emitter void QTransposeProxyModel::modelReset() + +static void _init_emitter_modelReset_3767 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_modelReset_3767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_modelReset_3767 (); +} + + // bool QTransposeProxyModel::moveColumns(const QModelIndex &sourceParent, int sourceColumn, int count, const QModelIndex &destinationParent, int destinationChild) static void _init_cbs_moveColumns_6659_0 (qt_gsi::GenericMethod *decl) @@ -2750,6 +3234,24 @@ static void _set_callback_cbs_multiData_c4483_0 (void *cls, const gsi::Callback } +// emitter void QTransposeProxyModel::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_objectNameChanged_4567 (arg1); +} + + // QModelIndex QTransposeProxyModel::parent(const QModelIndex &index) static void _init_cbs_parent_c2395_0 (qt_gsi::GenericMethod *decl) @@ -2945,6 +3447,162 @@ static void _set_callback_cbs_rowCount_c2395_1 (void *cls, const gsi::Callback & } +// emitter void QTransposeProxyModel::rowsAboutToBeInserted(const QModelIndex &parent, int first, int last) + +static void _init_emitter_rowsAboutToBeInserted_7372 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("first"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("last"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_rowsAboutToBeInserted_7372 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_rowsAboutToBeInserted_7372 (arg1, arg2, arg3); +} + + +// emitter void QTransposeProxyModel::rowsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationRow) + +static void _init_emitter_rowsAboutToBeMoved_10318 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("sourceParent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("sourceStart"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("sourceEnd"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("destinationParent"); + decl->add_arg (argspec_3); + static gsi::ArgSpecBase argspec_4 ("destinationRow"); + decl->add_arg (argspec_4); + decl->set_return (); +} + +static void _call_emitter_rowsAboutToBeMoved_10318 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + const QModelIndex &arg4 = gsi::arg_reader() (args, heap); + int arg5 = gsi::arg_reader() (args, heap); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_rowsAboutToBeMoved_10318 (arg1, arg2, arg3, arg4, arg5); +} + + +// emitter void QTransposeProxyModel::rowsAboutToBeRemoved(const QModelIndex &parent, int first, int last) + +static void _init_emitter_rowsAboutToBeRemoved_7372 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("first"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("last"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_rowsAboutToBeRemoved_7372 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_rowsAboutToBeRemoved_7372 (arg1, arg2, arg3); +} + + +// emitter void QTransposeProxyModel::rowsInserted(const QModelIndex &parent, int first, int last) + +static void _init_emitter_rowsInserted_7372 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("first"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("last"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_rowsInserted_7372 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_rowsInserted_7372 (arg1, arg2, arg3); +} + + +// emitter void QTransposeProxyModel::rowsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int row) + +static void _init_emitter_rowsMoved_10318 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("start"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("end"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("destination"); + decl->add_arg (argspec_3); + static gsi::ArgSpecBase argspec_4 ("row"); + decl->add_arg (argspec_4); + decl->set_return (); +} + +static void _call_emitter_rowsMoved_10318 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + const QModelIndex &arg4 = gsi::arg_reader() (args, heap); + int arg5 = gsi::arg_reader() (args, heap); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_rowsMoved_10318 (arg1, arg2, arg3, arg4, arg5); +} + + +// emitter void QTransposeProxyModel::rowsRemoved(const QModelIndex &parent, int first, int last) + +static void _init_emitter_rowsRemoved_7372 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("parent"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("first"); + decl->add_arg (argspec_1); + static gsi::ArgSpecBase argspec_2 ("last"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_rowsRemoved_7372 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QModelIndex &arg1 = gsi::arg_reader() (args, heap); + int arg2 = gsi::arg_reader() (args, heap); + int arg3 = gsi::arg_reader() (args, heap); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_rowsRemoved_7372 (arg1, arg2, arg3); +} + + // exposed QObject *QTransposeProxyModel::sender() static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) @@ -3140,6 +3798,20 @@ static void _set_callback_cbs_sort_2340_1 (void *cls, const gsi::Callback &cb) } +// emitter void QTransposeProxyModel::sourceModelChanged() + +static void _init_emitter_sourceModelChanged_3914 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_sourceModelChanged_3914 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QTransposeProxyModel_Adaptor *)cls)->emitter_QTransposeProxyModel_sourceModelChanged_3914 (); +} + + // QSize QTransposeProxyModel::span(const QModelIndex &index) static void _init_cbs_span_c2395_0 (qt_gsi::GenericMethod *decl) @@ -3273,6 +3945,12 @@ static gsi::Methods methods_QTransposeProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("clearItemData", "@hide", false, &_init_cbs_clearItemData_2395_0, &_call_cbs_clearItemData_2395_0, &_set_callback_cbs_clearItemData_2395_0); methods += new qt_gsi::GenericMethod ("columnCount", "@brief Virtual method int QTransposeProxyModel::columnCount(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_columnCount_c2395_1, &_call_cbs_columnCount_c2395_1); methods += new qt_gsi::GenericMethod ("columnCount", "@hide", true, &_init_cbs_columnCount_c2395_1, &_call_cbs_columnCount_c2395_1, &_set_callback_cbs_columnCount_c2395_1); + methods += new qt_gsi::GenericMethod ("emit_columnsAboutToBeInserted", "@brief Emitter for signal void QTransposeProxyModel::columnsAboutToBeInserted(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsAboutToBeInserted_7372, &_call_emitter_columnsAboutToBeInserted_7372); + methods += new qt_gsi::GenericMethod ("emit_columnsAboutToBeMoved", "@brief Emitter for signal void QTransposeProxyModel::columnsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationColumn)\nCall this method to emit this signal.", false, &_init_emitter_columnsAboutToBeMoved_10318, &_call_emitter_columnsAboutToBeMoved_10318); + methods += new qt_gsi::GenericMethod ("emit_columnsAboutToBeRemoved", "@brief Emitter for signal void QTransposeProxyModel::columnsAboutToBeRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsAboutToBeRemoved_7372, &_call_emitter_columnsAboutToBeRemoved_7372); + methods += new qt_gsi::GenericMethod ("emit_columnsInserted", "@brief Emitter for signal void QTransposeProxyModel::columnsInserted(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsInserted_7372, &_call_emitter_columnsInserted_7372); + methods += new qt_gsi::GenericMethod ("emit_columnsMoved", "@brief Emitter for signal void QTransposeProxyModel::columnsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int column)\nCall this method to emit this signal.", false, &_init_emitter_columnsMoved_10318, &_call_emitter_columnsMoved_10318); + methods += new qt_gsi::GenericMethod ("emit_columnsRemoved", "@brief Emitter for signal void QTransposeProxyModel::columnsRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_columnsRemoved_7372, &_call_emitter_columnsRemoved_7372); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QTransposeProxyModel::createIndex(int row, int column, const void *data)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c3069, &_call_fp_createIndex_c3069); methods += new qt_gsi::GenericMethod ("*createIndex", "@brief Method QModelIndex QTransposeProxyModel::createIndex(int row, int column, quintptr id)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createIndex_c2657, &_call_fp_createIndex_c2657); methods += new qt_gsi::GenericMethod ("*createSourceIndex", "@brief Method QModelIndex QTransposeProxyModel::createSourceIndex(int row, int col, void *internalPtr)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_createSourceIndex_c2374, &_call_fp_createSourceIndex_c2374); @@ -3280,7 +3958,9 @@ static gsi::Methods methods_QTransposeProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("data", "@brief Virtual method QVariant QTransposeProxyModel::data(const QModelIndex &proxyIndex, int role)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1); methods += new qt_gsi::GenericMethod ("data", "@hide", true, &_init_cbs_data_c3054_1, &_call_cbs_data_c3054_1, &_set_callback_cbs_data_c3054_1); + methods += new qt_gsi::GenericMethod ("emit_dataChanged", "@brief Emitter for signal void QTransposeProxyModel::dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList &roles)\nCall this method to emit this signal.", false, &_init_emitter_dataChanged_6833, &_call_emitter_dataChanged_6833); methods += new qt_gsi::GenericMethod ("*decodeData", "@brief Method bool QTransposeProxyModel::decodeData(int row, int column, const QModelIndex &parent, QDataStream &stream)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_decodeData_5302, &_call_fp_decodeData_5302); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QTransposeProxyModel::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QTransposeProxyModel::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("dropMimeData", "@brief Virtual method bool QTransposeProxyModel::dropMimeData(const QMimeData *data, Qt::DropAction action, int row, int column, const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dropMimeData_7425_0, &_call_cbs_dropMimeData_7425_0); @@ -3305,6 +3985,7 @@ static gsi::Methods methods_QTransposeProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("hasChildren", "@hide", true, &_init_cbs_hasChildren_c2395_1, &_call_cbs_hasChildren_c2395_1, &_set_callback_cbs_hasChildren_c2395_1); methods += new qt_gsi::GenericMethod ("headerData", "@brief Virtual method QVariant QTransposeProxyModel::headerData(int section, Qt::Orientation orientation, int role)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_headerData_c3231_1, &_call_cbs_headerData_c3231_1); methods += new qt_gsi::GenericMethod ("headerData", "@hide", true, &_init_cbs_headerData_c3231_1, &_call_cbs_headerData_c3231_1, &_set_callback_cbs_headerData_c3231_1); + methods += new qt_gsi::GenericMethod ("emit_headerDataChanged", "@brief Emitter for signal void QTransposeProxyModel::headerDataChanged(Qt::Orientation orientation, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_headerDataChanged_3231, &_call_emitter_headerDataChanged_3231); methods += new qt_gsi::GenericMethod ("index", "@brief Virtual method QModelIndex QTransposeProxyModel::index(int row, int column, const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_index_c3713_1, &_call_cbs_index_c3713_1); methods += new qt_gsi::GenericMethod ("index", "@hide", true, &_init_cbs_index_c3713_1, &_call_cbs_index_c3713_1, &_set_callback_cbs_index_c3713_1); methods += new qt_gsi::GenericMethod ("insertColumns", "@brief Virtual method bool QTransposeProxyModel::insertColumns(int column, int count, const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_insertColumns_3713_1, &_call_cbs_insertColumns_3713_1); @@ -3314,6 +3995,8 @@ static gsi::Methods methods_QTransposeProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QTransposeProxyModel::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("itemData", "@brief Virtual method QMap QTransposeProxyModel::itemData(const QModelIndex &index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_itemData_c2395_0, &_call_cbs_itemData_c2395_0); methods += new qt_gsi::GenericMethod ("itemData", "@hide", true, &_init_cbs_itemData_c2395_0, &_call_cbs_itemData_c2395_0, &_set_callback_cbs_itemData_c2395_0); + methods += new qt_gsi::GenericMethod ("emit_layoutAboutToBeChanged", "@brief Emitter for signal void QTransposeProxyModel::layoutAboutToBeChanged(const QList &parents, QAbstractItemModel::LayoutChangeHint hint)\nCall this method to emit this signal.", false, &_init_emitter_layoutAboutToBeChanged_7947, &_call_emitter_layoutAboutToBeChanged_7947); + methods += new qt_gsi::GenericMethod ("emit_layoutChanged", "@brief Emitter for signal void QTransposeProxyModel::layoutChanged(const QList &parents, QAbstractItemModel::LayoutChangeHint hint)\nCall this method to emit this signal.", false, &_init_emitter_layoutChanged_7947, &_call_emitter_layoutChanged_7947); methods += new qt_gsi::GenericMethod ("mapFromSource", "@brief Virtual method QModelIndex QTransposeProxyModel::mapFromSource(const QModelIndex &sourceIndex)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_mapFromSource_c2395_0, &_call_cbs_mapFromSource_c2395_0); methods += new qt_gsi::GenericMethod ("mapFromSource", "@hide", true, &_init_cbs_mapFromSource_c2395_0, &_call_cbs_mapFromSource_c2395_0, &_set_callback_cbs_mapFromSource_c2395_0); methods += new qt_gsi::GenericMethod ("mapSelectionFromSource", "@brief Virtual method QItemSelection QTransposeProxyModel::mapSelectionFromSource(const QItemSelection &selection)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_mapSelectionFromSource_c2727_0, &_call_cbs_mapSelectionFromSource_c2727_0); @@ -3328,12 +4011,15 @@ static gsi::Methods methods_QTransposeProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("mimeData", "@hide", true, &_init_cbs_mimeData_c3010_0, &_call_cbs_mimeData_c3010_0, &_set_callback_cbs_mimeData_c3010_0); methods += new qt_gsi::GenericMethod ("mimeTypes", "@brief Virtual method QStringList QTransposeProxyModel::mimeTypes()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_mimeTypes_c0_0, &_call_cbs_mimeTypes_c0_0); methods += new qt_gsi::GenericMethod ("mimeTypes", "@hide", true, &_init_cbs_mimeTypes_c0_0, &_call_cbs_mimeTypes_c0_0, &_set_callback_cbs_mimeTypes_c0_0); + methods += new qt_gsi::GenericMethod ("emit_modelAboutToBeReset", "@brief Emitter for signal void QTransposeProxyModel::modelAboutToBeReset()\nCall this method to emit this signal.", false, &_init_emitter_modelAboutToBeReset_3767, &_call_emitter_modelAboutToBeReset_3767); + methods += new qt_gsi::GenericMethod ("emit_modelReset", "@brief Emitter for signal void QTransposeProxyModel::modelReset()\nCall this method to emit this signal.", false, &_init_emitter_modelReset_3767, &_call_emitter_modelReset_3767); methods += new qt_gsi::GenericMethod ("moveColumns", "@brief Virtual method bool QTransposeProxyModel::moveColumns(const QModelIndex &sourceParent, int sourceColumn, int count, const QModelIndex &destinationParent, int destinationChild)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveColumns_6659_0, &_call_cbs_moveColumns_6659_0); methods += new qt_gsi::GenericMethod ("moveColumns", "@hide", false, &_init_cbs_moveColumns_6659_0, &_call_cbs_moveColumns_6659_0, &_set_callback_cbs_moveColumns_6659_0); methods += new qt_gsi::GenericMethod ("moveRows", "@brief Virtual method bool QTransposeProxyModel::moveRows(const QModelIndex &sourceParent, int sourceRow, int count, const QModelIndex &destinationParent, int destinationChild)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_moveRows_6659_0, &_call_cbs_moveRows_6659_0); methods += new qt_gsi::GenericMethod ("moveRows", "@hide", false, &_init_cbs_moveRows_6659_0, &_call_cbs_moveRows_6659_0, &_set_callback_cbs_moveRows_6659_0); methods += new qt_gsi::GenericMethod ("multiData", "@brief Virtual method void QTransposeProxyModel::multiData(const QModelIndex &index, QModelRoleDataSpan roleDataSpan)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_multiData_c4483_0, &_call_cbs_multiData_c4483_0); methods += new qt_gsi::GenericMethod ("multiData", "@hide", true, &_init_cbs_multiData_c4483_0, &_call_cbs_multiData_c4483_0, &_set_callback_cbs_multiData_c4483_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QTransposeProxyModel::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("parent", "@brief Virtual method QModelIndex QTransposeProxyModel::parent(const QModelIndex &index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_parent_c2395_0, &_call_cbs_parent_c2395_0); methods += new qt_gsi::GenericMethod ("parent", "@hide", true, &_init_cbs_parent_c2395_0, &_call_cbs_parent_c2395_0, &_set_callback_cbs_parent_c2395_0); methods += new qt_gsi::GenericMethod ("*persistentIndexList", "@brief Method QList QTransposeProxyModel::persistentIndexList()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_persistentIndexList_c0, &_call_fp_persistentIndexList_c0); @@ -3350,6 +4036,12 @@ static gsi::Methods methods_QTransposeProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("roleNames", "@hide", true, &_init_cbs_roleNames_c0_0, &_call_cbs_roleNames_c0_0, &_set_callback_cbs_roleNames_c0_0); methods += new qt_gsi::GenericMethod ("rowCount", "@brief Virtual method int QTransposeProxyModel::rowCount(const QModelIndex &parent)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_rowCount_c2395_1, &_call_cbs_rowCount_c2395_1); methods += new qt_gsi::GenericMethod ("rowCount", "@hide", true, &_init_cbs_rowCount_c2395_1, &_call_cbs_rowCount_c2395_1, &_set_callback_cbs_rowCount_c2395_1); + methods += new qt_gsi::GenericMethod ("emit_rowsAboutToBeInserted", "@brief Emitter for signal void QTransposeProxyModel::rowsAboutToBeInserted(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_rowsAboutToBeInserted_7372, &_call_emitter_rowsAboutToBeInserted_7372); + methods += new qt_gsi::GenericMethod ("emit_rowsAboutToBeMoved", "@brief Emitter for signal void QTransposeProxyModel::rowsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationRow)\nCall this method to emit this signal.", false, &_init_emitter_rowsAboutToBeMoved_10318, &_call_emitter_rowsAboutToBeMoved_10318); + methods += new qt_gsi::GenericMethod ("emit_rowsAboutToBeRemoved", "@brief Emitter for signal void QTransposeProxyModel::rowsAboutToBeRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_rowsAboutToBeRemoved_7372, &_call_emitter_rowsAboutToBeRemoved_7372); + methods += new qt_gsi::GenericMethod ("emit_rowsInserted", "@brief Emitter for signal void QTransposeProxyModel::rowsInserted(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_rowsInserted_7372, &_call_emitter_rowsInserted_7372); + methods += new qt_gsi::GenericMethod ("emit_rowsMoved", "@brief Emitter for signal void QTransposeProxyModel::rowsMoved(const QModelIndex &parent, int start, int end, const QModelIndex &destination, int row)\nCall this method to emit this signal.", false, &_init_emitter_rowsMoved_10318, &_call_emitter_rowsMoved_10318); + methods += new qt_gsi::GenericMethod ("emit_rowsRemoved", "@brief Emitter for signal void QTransposeProxyModel::rowsRemoved(const QModelIndex &parent, int first, int last)\nCall this method to emit this signal.", false, &_init_emitter_rowsRemoved_7372, &_call_emitter_rowsRemoved_7372); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QTransposeProxyModel::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QTransposeProxyModel::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("setData", "@brief Virtual method bool QTransposeProxyModel::setData(const QModelIndex &index, const QVariant &value, int role)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_setData_5065_1, &_call_cbs_setData_5065_1); @@ -3364,6 +4056,7 @@ static gsi::Methods methods_QTransposeProxyModel_Adaptor () { methods += new qt_gsi::GenericMethod ("sibling", "@hide", true, &_init_cbs_sibling_c3713_0, &_call_cbs_sibling_c3713_0, &_set_callback_cbs_sibling_c3713_0); methods += new qt_gsi::GenericMethod ("sort", "@brief Virtual method void QTransposeProxyModel::sort(int column, Qt::SortOrder order)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_sort_2340_1, &_call_cbs_sort_2340_1); methods += new qt_gsi::GenericMethod ("sort", "@hide", false, &_init_cbs_sort_2340_1, &_call_cbs_sort_2340_1, &_set_callback_cbs_sort_2340_1); + methods += new qt_gsi::GenericMethod ("emit_sourceModelChanged", "@brief Emitter for signal void QTransposeProxyModel::sourceModelChanged()\nCall this method to emit this signal.", false, &_init_emitter_sourceModelChanged_3914, &_call_emitter_sourceModelChanged_3914); methods += new qt_gsi::GenericMethod ("span", "@brief Virtual method QSize QTransposeProxyModel::span(const QModelIndex &index)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_span_c2395_0, &_call_cbs_span_c2395_0); methods += new qt_gsi::GenericMethod ("span", "@hide", true, &_init_cbs_span_c2395_0, &_call_cbs_span_c2395_0, &_set_callback_cbs_span_c2395_0); methods += new qt_gsi::GenericMethod ("submit", "@brief Virtual method bool QTransposeProxyModel::submit()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_submit_0_0, &_call_cbs_submit_0_0); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamReader.cc b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamReader.cc index 6d9a9a64d8..82b64fc792 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamReader.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamReader.cc @@ -830,7 +830,7 @@ static gsi::Methods methods_QXmlStreamReader () { methods += new qt_gsi::GenericMethod ("columnNumber", "@brief Method qint64 QXmlStreamReader::columnNumber()\n", true, &_init_f_columnNumber_c0, &_call_f_columnNumber_c0); methods += new qt_gsi::GenericMethod (":device", "@brief Method QIODevice *QXmlStreamReader::device()\n", true, &_init_f_device_c0, &_call_f_device_c0); methods += new qt_gsi::GenericMethod ("entityDeclarations", "@brief Method QList QXmlStreamReader::entityDeclarations()\n", true, &_init_f_entityDeclarations_c0, &_call_f_entityDeclarations_c0); - methods += new qt_gsi::GenericMethod ("entityExpansionLimit", "@brief Method int QXmlStreamReader::entityExpansionLimit()\n", true, &_init_f_entityExpansionLimit_c0, &_call_f_entityExpansionLimit_c0); + methods += new qt_gsi::GenericMethod (":entityExpansionLimit", "@brief Method int QXmlStreamReader::entityExpansionLimit()\n", true, &_init_f_entityExpansionLimit_c0, &_call_f_entityExpansionLimit_c0); methods += new qt_gsi::GenericMethod (":entityResolver", "@brief Method QXmlStreamEntityResolver *QXmlStreamReader::entityResolver()\n", true, &_init_f_entityResolver_c0, &_call_f_entityResolver_c0); methods += new qt_gsi::GenericMethod ("error", "@brief Method QXmlStreamReader::Error QXmlStreamReader::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QXmlStreamReader::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); @@ -856,7 +856,7 @@ static gsi::Methods methods_QXmlStreamReader () { methods += new qt_gsi::GenericMethod ("readNext", "@brief Method QXmlStreamReader::TokenType QXmlStreamReader::readNext()\n", false, &_init_f_readNext_0, &_call_f_readNext_0); methods += new qt_gsi::GenericMethod ("readNextStartElement", "@brief Method bool QXmlStreamReader::readNextStartElement()\n", false, &_init_f_readNextStartElement_0, &_call_f_readNextStartElement_0); methods += new qt_gsi::GenericMethod ("setDevice|device=", "@brief Method void QXmlStreamReader::setDevice(QIODevice *device)\n", false, &_init_f_setDevice_1447, &_call_f_setDevice_1447); - methods += new qt_gsi::GenericMethod ("setEntityExpansionLimit", "@brief Method void QXmlStreamReader::setEntityExpansionLimit(int limit)\n", false, &_init_f_setEntityExpansionLimit_767, &_call_f_setEntityExpansionLimit_767); + methods += new qt_gsi::GenericMethod ("setEntityExpansionLimit|entityExpansionLimit=", "@brief Method void QXmlStreamReader::setEntityExpansionLimit(int limit)\n", false, &_init_f_setEntityExpansionLimit_767, &_call_f_setEntityExpansionLimit_767); methods += new qt_gsi::GenericMethod ("setEntityResolver|entityResolver=", "@brief Method void QXmlStreamReader::setEntityResolver(QXmlStreamEntityResolver *resolver)\n", false, &_init_f_setEntityResolver_3115, &_call_f_setEntityResolver_3115); methods += new qt_gsi::GenericMethod ("setNamespaceProcessing|namespaceProcessing=", "@brief Method void QXmlStreamReader::setNamespaceProcessing(bool)\n", false, &_init_f_setNamespaceProcessing_864, &_call_f_setNamespaceProcessing_864); methods += new qt_gsi::GenericMethod ("skipCurrentElement", "@brief Method void QXmlStreamReader::skipCurrentElement()\n", false, &_init_f_skipCurrentElement_0, &_call_f_skipCurrentElement_0); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAbstractFileIconProvider.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAbstractFileIconProvider.cc index ac8356f140..57956afc50 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAbstractFileIconProvider.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAbstractFileIconProvider.cc @@ -136,8 +136,8 @@ static gsi::Methods methods_QAbstractFileIconProvider () { gsi::Methods methods; methods += new qt_gsi::GenericMethod ("icon", "@brief Method QIcon QAbstractFileIconProvider::icon(QAbstractFileIconProvider::IconType)\n", true, &_init_f_icon_c3884, &_call_f_icon_c3884); methods += new qt_gsi::GenericMethod ("icon", "@brief Method QIcon QAbstractFileIconProvider::icon(const QFileInfo &)\n", true, &_init_f_icon_c2174, &_call_f_icon_c2174); - methods += new qt_gsi::GenericMethod ("options", "@brief Method QFlags QAbstractFileIconProvider::options()\n", true, &_init_f_options_c0, &_call_f_options_c0); - methods += new qt_gsi::GenericMethod ("setOptions", "@brief Method void QAbstractFileIconProvider::setOptions(QFlags)\n", false, &_init_f_setOptions_4402, &_call_f_setOptions_4402); + methods += new qt_gsi::GenericMethod (":options", "@brief Method QFlags QAbstractFileIconProvider::options()\n", true, &_init_f_options_c0, &_call_f_options_c0); + methods += new qt_gsi::GenericMethod ("setOptions|options=", "@brief Method void QAbstractFileIconProvider::setOptions(QFlags)\n", false, &_init_f_setOptions_4402, &_call_f_setOptions_4402); methods += new qt_gsi::GenericMethod ("type", "@brief Method QString QAbstractFileIconProvider::type(const QFileInfo &)\n", true, &_init_f_type_c2174, &_call_f_type_c2174); return methods; } diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAction.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAction.cc index 1003052e83..348df5d7a9 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAction.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAction.cc @@ -116,26 +116,6 @@ static void _call_f_autoRepeat_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QAction::checkableChanged(bool checkable) - - -static void _init_f_checkableChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("checkable"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_checkableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAction *)cls)->checkableChanged (arg1); -} - - // QVariant QAction::data() @@ -151,26 +131,6 @@ static void _call_f_data_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QAction::enabledChanged(bool enabled) - - -static void _init_f_enabledChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("enabled"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_enabledChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAction *)cls)->enabledChanged (arg1); -} - - // QFont QAction::font() @@ -1004,22 +964,6 @@ static void _call_f_trigger_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QAction::visibleChanged() - - -static void _init_f_visibleChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_visibleChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAction *)cls)->visibleChanged (); -} - - // QString QAction::whatsThis() @@ -1070,9 +1014,7 @@ static gsi::Methods methods_QAction () { methods += new qt_gsi::GenericMethod ("activate", "@brief Method void QAction::activate(QAction::ActionEvent event)\n", false, &_init_f_activate_2359, &_call_f_activate_2359); methods += new qt_gsi::GenericMethod ("associatedObjects", "@brief Method QList QAction::associatedObjects()\n", true, &_init_f_associatedObjects_c0, &_call_f_associatedObjects_c0); methods += new qt_gsi::GenericMethod (":autoRepeat", "@brief Method bool QAction::autoRepeat()\n", true, &_init_f_autoRepeat_c0, &_call_f_autoRepeat_c0); - methods += new qt_gsi::GenericMethod ("checkableChanged", "@brief Method void QAction::checkableChanged(bool checkable)\n", false, &_init_f_checkableChanged_864, &_call_f_checkableChanged_864); methods += new qt_gsi::GenericMethod (":data", "@brief Method QVariant QAction::data()\n", true, &_init_f_data_c0, &_call_f_data_c0); - methods += new qt_gsi::GenericMethod ("enabledChanged", "@brief Method void QAction::enabledChanged(bool enabled)\n", false, &_init_f_enabledChanged_864, &_call_f_enabledChanged_864); methods += new qt_gsi::GenericMethod (":font", "@brief Method QFont QAction::font()\n", true, &_init_f_font_c0, &_call_f_font_c0); methods += new qt_gsi::GenericMethod ("hover", "@brief Method void QAction::hover()\n", false, &_init_f_hover_0, &_call_f_hover_0); methods += new qt_gsi::GenericMethod (":icon", "@brief Method QIcon QAction::icon()\n", true, &_init_f_icon_c0, &_call_f_icon_c0); @@ -1082,7 +1024,7 @@ static gsi::Methods methods_QAction () { methods += new qt_gsi::GenericMethod ("isEnabled?|:enabled", "@brief Method bool QAction::isEnabled()\n", true, &_init_f_isEnabled_c0, &_call_f_isEnabled_c0); methods += new qt_gsi::GenericMethod ("isIconVisibleInMenu?|:iconVisibleInMenu", "@brief Method bool QAction::isIconVisibleInMenu()\n", true, &_init_f_isIconVisibleInMenu_c0, &_call_f_isIconVisibleInMenu_c0); methods += new qt_gsi::GenericMethod ("isSeparator?|:separator", "@brief Method bool QAction::isSeparator()\n", true, &_init_f_isSeparator_c0, &_call_f_isSeparator_c0); - methods += new qt_gsi::GenericMethod ("isShortcutVisibleInContextMenu?", "@brief Method bool QAction::isShortcutVisibleInContextMenu()\n", true, &_init_f_isShortcutVisibleInContextMenu_c0, &_call_f_isShortcutVisibleInContextMenu_c0); + methods += new qt_gsi::GenericMethod ("isShortcutVisibleInContextMenu?|:shortcutVisibleInContextMenu", "@brief Method bool QAction::isShortcutVisibleInContextMenu()\n", true, &_init_f_isShortcutVisibleInContextMenu_c0, &_call_f_isShortcutVisibleInContextMenu_c0); methods += new qt_gsi::GenericMethod ("isVisible?|:visible", "@brief Method bool QAction::isVisible()\n", true, &_init_f_isVisible_c0, &_call_f_isVisible_c0); methods += new qt_gsi::GenericMethod (":menuRole", "@brief Method QAction::MenuRole QAction::menuRole()\n", true, &_init_f_menuRole_c0, &_call_f_menuRole_c0); methods += new qt_gsi::GenericMethod (":priority", "@brief Method QAction::Priority QAction::priority()\n", true, &_init_f_priority_c0, &_call_f_priority_c0); @@ -1103,7 +1045,7 @@ static gsi::Methods methods_QAction () { methods += new qt_gsi::GenericMethod ("setSeparator|separator=", "@brief Method void QAction::setSeparator(bool b)\n", false, &_init_f_setSeparator_864, &_call_f_setSeparator_864); methods += new qt_gsi::GenericMethod ("setShortcut|shortcut=", "@brief Method void QAction::setShortcut(const QKeySequence &shortcut)\n", false, &_init_f_setShortcut_2516, &_call_f_setShortcut_2516); methods += new qt_gsi::GenericMethod ("setShortcutContext|shortcutContext=", "@brief Method void QAction::setShortcutContext(Qt::ShortcutContext context)\n", false, &_init_f_setShortcutContext_2350, &_call_f_setShortcutContext_2350); - methods += new qt_gsi::GenericMethod ("setShortcutVisibleInContextMenu", "@brief Method void QAction::setShortcutVisibleInContextMenu(bool show)\n", false, &_init_f_setShortcutVisibleInContextMenu_864, &_call_f_setShortcutVisibleInContextMenu_864); + methods += new qt_gsi::GenericMethod ("setShortcutVisibleInContextMenu|shortcutVisibleInContextMenu=", "@brief Method void QAction::setShortcutVisibleInContextMenu(bool show)\n", false, &_init_f_setShortcutVisibleInContextMenu_864, &_call_f_setShortcutVisibleInContextMenu_864); methods += new qt_gsi::GenericMethod ("setShortcuts|shortcuts=", "@brief Method void QAction::setShortcuts(const QList &shortcuts)\n", false, &_init_f_setShortcuts_3131, &_call_f_setShortcuts_3131); methods += new qt_gsi::GenericMethod ("setShortcuts|shortcuts=", "@brief Method void QAction::setShortcuts(QKeySequence::StandardKey)\n", false, &_init_f_setShortcuts_2869, &_call_f_setShortcuts_2869); methods += new qt_gsi::GenericMethod ("setStatusTip|statusTip=", "@brief Method void QAction::setStatusTip(const QString &statusTip)\n", false, &_init_f_setStatusTip_2025, &_call_f_setStatusTip_2025); @@ -1120,14 +1062,16 @@ static gsi::Methods methods_QAction () { methods += new qt_gsi::GenericMethod ("toggle", "@brief Method void QAction::toggle()\n", false, &_init_f_toggle_0, &_call_f_toggle_0); methods += new qt_gsi::GenericMethod (":toolTip", "@brief Method QString QAction::toolTip()\n", true, &_init_f_toolTip_c0, &_call_f_toolTip_c0); methods += new qt_gsi::GenericMethod ("trigger", "@brief Method void QAction::trigger()\n", false, &_init_f_trigger_0, &_call_f_trigger_0); - methods += new qt_gsi::GenericMethod ("visibleChanged", "@brief Method void QAction::visibleChanged()\n", false, &_init_f_visibleChanged_0, &_call_f_visibleChanged_0); methods += new qt_gsi::GenericMethod (":whatsThis", "@brief Method QString QAction::whatsThis()\n", true, &_init_f_whatsThis_c0, &_call_f_whatsThis_c0); methods += gsi::qt_signal ("changed()", "changed", "@brief Signal declaration for QAction::changed()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("checkableChanged(bool)", "checkableChanged", gsi::arg("checkable"), "@brief Signal declaration for QAction::checkableChanged(bool checkable)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAction::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("enabledChanged(bool)", "enabledChanged", gsi::arg("enabled"), "@brief Signal declaration for QAction::enabledChanged(bool enabled)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("hovered()", "hovered", "@brief Signal declaration for QAction::hovered()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAction::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("toggled(bool)", "toggled", gsi::arg("arg1"), "@brief Signal declaration for QAction::toggled(bool)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("triggered(bool)", "triggered", gsi::arg("checked"), "@brief Signal declaration for QAction::triggered(bool checked)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("visibleChanged()", "visibleChanged", "@brief Signal declaration for QAction::visibleChanged()\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAction::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -1211,12 +1155,24 @@ class QAction_Adaptor : public QAction, public qt_gsi::QtObjectBase emit QAction::changed(); } + // [emitter impl] void QAction::checkableChanged(bool checkable) + void emitter_QAction_checkableChanged_864(bool checkable) + { + emit QAction::checkableChanged(checkable); + } + // [emitter impl] void QAction::destroyed(QObject *) void emitter_QAction_destroyed_1302(QObject *arg1) { emit QAction::destroyed(arg1); } + // [emitter impl] void QAction::enabledChanged(bool enabled) + void emitter_QAction_enabledChanged_864(bool enabled) + { + emit QAction::enabledChanged(enabled); + } + // [adaptor impl] bool QAction::eventFilter(QObject *watched, QEvent *event) bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { @@ -1257,6 +1213,12 @@ class QAction_Adaptor : public QAction, public qt_gsi::QtObjectBase emit QAction::triggered(checked); } + // [emitter impl] void QAction::visibleChanged() + void emitter_QAction_visibleChanged_0() + { + emit QAction::visibleChanged(); + } + // [adaptor impl] void QAction::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -1419,6 +1381,24 @@ static void _call_emitter_changed_0 (const qt_gsi::GenericMethod * /*decl*/, voi } +// emitter void QAction::checkableChanged(bool checkable) + +static void _init_emitter_checkableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("checkable"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_checkableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QAction_Adaptor *)cls)->emitter_QAction_checkableChanged_864 (arg1); +} + + // void QAction::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -1509,6 +1489,24 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } +// emitter void QAction::enabledChanged(bool enabled) + +static void _init_emitter_enabledChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("enabled"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_enabledChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QAction_Adaptor *)cls)->emitter_QAction_enabledChanged_864 (arg1); +} + + // bool QAction::event(QEvent *) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -1714,6 +1712,20 @@ static void _call_emitter_triggered_864 (const qt_gsi::GenericMethod * /*decl*/, } +// emitter void QAction::visibleChanged() + +static void _init_emitter_visibleChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_visibleChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAction_Adaptor *)cls)->emitter_QAction_visibleChanged_0 (); +} + + namespace gsi { @@ -1725,6 +1737,7 @@ static gsi::Methods methods_QAction_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAction::QAction(const QString &text, QObject *parent)\nThis method creates an object of class QAction.", &_init_ctor_QAction_Adaptor_3219, &_call_ctor_QAction_Adaptor_3219); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAction::QAction(const QIcon &icon, const QString &text, QObject *parent)\nThis method creates an object of class QAction.", &_init_ctor_QAction_Adaptor_4898, &_call_ctor_QAction_Adaptor_4898); methods += new qt_gsi::GenericMethod ("emit_changed", "@brief Emitter for signal void QAction::changed()\nCall this method to emit this signal.", false, &_init_emitter_changed_0, &_call_emitter_changed_0); + methods += new qt_gsi::GenericMethod ("emit_checkableChanged", "@brief Emitter for signal void QAction::checkableChanged(bool checkable)\nCall this method to emit this signal.", false, &_init_emitter_checkableChanged_864, &_call_emitter_checkableChanged_864); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAction::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAction::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); @@ -1732,6 +1745,7 @@ static gsi::Methods methods_QAction_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAction::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAction::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("emit_enabledChanged", "@brief Emitter for signal void QAction::enabledChanged(bool enabled)\nCall this method to emit this signal.", false, &_init_emitter_enabledChanged_864, &_call_emitter_enabledChanged_864); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QAction::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAction::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); @@ -1746,6 +1760,7 @@ static gsi::Methods methods_QAction_Adaptor () { methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_toggled", "@brief Emitter for signal void QAction::toggled(bool)\nCall this method to emit this signal.", false, &_init_emitter_toggled_864, &_call_emitter_toggled_864); methods += new qt_gsi::GenericMethod ("emit_triggered", "@brief Emitter for signal void QAction::triggered(bool checked)\nCall this method to emit this signal.", false, &_init_emitter_triggered_864, &_call_emitter_triggered_864); + methods += new qt_gsi::GenericMethod ("emit_visibleChanged", "@brief Emitter for signal void QAction::visibleChanged()\nCall this method to emit this signal.", false, &_init_emitter_visibleChanged_0, &_call_emitter_visibleChanged_0); return methods; } diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQActionGroup.cc b/src/gsiqt/qt6/QtGui/gsiDeclQActionGroup.cc index 9f2f7c62f6..6da65ba9fa 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQActionGroup.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQActionGroup.cc @@ -362,14 +362,14 @@ static gsi::Methods methods_QActionGroup () { methods += new qt_gsi::GenericMethod ("addAction", "@brief Method QAction *QActionGroup::addAction(const QString &text)\n", false, &_init_f_addAction_2025, &_call_f_addAction_2025); methods += new qt_gsi::GenericMethod ("addAction", "@brief Method QAction *QActionGroup::addAction(const QIcon &icon, const QString &text)\n", false, &_init_f_addAction_3704, &_call_f_addAction_3704); methods += new qt_gsi::GenericMethod ("checkedAction", "@brief Method QAction *QActionGroup::checkedAction()\n", true, &_init_f_checkedAction_c0, &_call_f_checkedAction_c0); - methods += new qt_gsi::GenericMethod ("exclusionPolicy", "@brief Method QActionGroup::ExclusionPolicy QActionGroup::exclusionPolicy()\n", true, &_init_f_exclusionPolicy_c0, &_call_f_exclusionPolicy_c0); + methods += new qt_gsi::GenericMethod (":exclusionPolicy", "@brief Method QActionGroup::ExclusionPolicy QActionGroup::exclusionPolicy()\n", true, &_init_f_exclusionPolicy_c0, &_call_f_exclusionPolicy_c0); methods += new qt_gsi::GenericMethod ("isEnabled?|:enabled", "@brief Method bool QActionGroup::isEnabled()\n", true, &_init_f_isEnabled_c0, &_call_f_isEnabled_c0); methods += new qt_gsi::GenericMethod ("isExclusive?|:exclusive", "@brief Method bool QActionGroup::isExclusive()\n", true, &_init_f_isExclusive_c0, &_call_f_isExclusive_c0); methods += new qt_gsi::GenericMethod ("isVisible?|:visible", "@brief Method bool QActionGroup::isVisible()\n", true, &_init_f_isVisible_c0, &_call_f_isVisible_c0); methods += new qt_gsi::GenericMethod ("removeAction", "@brief Method void QActionGroup::removeAction(QAction *a)\n", false, &_init_f_removeAction_1309, &_call_f_removeAction_1309); methods += new qt_gsi::GenericMethod ("setDisabled", "@brief Method void QActionGroup::setDisabled(bool b)\n", false, &_init_f_setDisabled_864, &_call_f_setDisabled_864); methods += new qt_gsi::GenericMethod ("setEnabled|enabled=", "@brief Method void QActionGroup::setEnabled(bool)\n", false, &_init_f_setEnabled_864, &_call_f_setEnabled_864); - methods += new qt_gsi::GenericMethod ("setExclusionPolicy", "@brief Method void QActionGroup::setExclusionPolicy(QActionGroup::ExclusionPolicy policy)\n", false, &_init_f_setExclusionPolicy_3342, &_call_f_setExclusionPolicy_3342); + methods += new qt_gsi::GenericMethod ("setExclusionPolicy|exclusionPolicy=", "@brief Method void QActionGroup::setExclusionPolicy(QActionGroup::ExclusionPolicy policy)\n", false, &_init_f_setExclusionPolicy_3342, &_call_f_setExclusionPolicy_3342); methods += new qt_gsi::GenericMethod ("setExclusive|exclusive=", "@brief Method void QActionGroup::setExclusive(bool)\n", false, &_init_f_setExclusive_864, &_call_f_setExclusive_864); methods += new qt_gsi::GenericMethod ("setVisible|visible=", "@brief Method void QActionGroup::setVisible(bool)\n", false, &_init_f_setVisible_864, &_call_f_setVisible_864); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QActionGroup::destroyed(QObject *)\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQColor.cc b/src/gsiqt/qt6/QtGui/gsiDeclQColor.cc index 085d06dad2..84005b5a57 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQColor.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQColor.cc @@ -2153,7 +2153,7 @@ static gsi::Methods methods_QColor () { methods += new qt_gsi::GenericMethod (":redF", "@brief Method float QColor::redF()\n", true, &_init_f_redF_c0, &_call_f_redF_c0); methods += new qt_gsi::GenericMethod (":rgb", "@brief Method unsigned int QColor::rgb()\n", true, &_init_f_rgb_c0, &_call_f_rgb_c0); methods += new qt_gsi::GenericMethod (":rgba", "@brief Method unsigned int QColor::rgba()\n", true, &_init_f_rgba_c0, &_call_f_rgba_c0); - methods += new qt_gsi::GenericMethod ("rgba64", "@brief Method QRgba64 QColor::rgba64()\n", true, &_init_f_rgba64_c0, &_call_f_rgba64_c0); + methods += new qt_gsi::GenericMethod (":rgba64", "@brief Method QRgba64 QColor::rgba64()\n", true, &_init_f_rgba64_c0, &_call_f_rgba64_c0); methods += new qt_gsi::GenericMethod ("saturation", "@brief Method int QColor::saturation()\n", true, &_init_f_saturation_c0, &_call_f_saturation_c0); methods += new qt_gsi::GenericMethod ("saturationF", "@brief Method float QColor::saturationF()\n", true, &_init_f_saturationF_c0, &_call_f_saturationF_c0); methods += new qt_gsi::GenericMethod ("setAlpha|alpha=", "@brief Method void QColor::setAlpha(int alpha)\n", false, &_init_f_setAlpha_767, &_call_f_setAlpha_767); @@ -2176,7 +2176,7 @@ static gsi::Methods methods_QColor () { methods += new qt_gsi::GenericMethod ("setRgb|rgb=", "@brief Method void QColor::setRgb(unsigned int rgb)\n", false, &_init_f_setRgb_1772, &_call_f_setRgb_1772); methods += new qt_gsi::GenericMethod ("setRgbF", "@brief Method void QColor::setRgbF(float r, float g, float b, float a)\n", false, &_init_f_setRgbF_3556, &_call_f_setRgbF_3556); methods += new qt_gsi::GenericMethod ("setRgba|rgba=", "@brief Method void QColor::setRgba(unsigned int rgba)\n", false, &_init_f_setRgba_1772, &_call_f_setRgba_1772); - methods += new qt_gsi::GenericMethod ("setRgba64", "@brief Method void QColor::setRgba64(QRgba64 rgba)\n", false, &_init_f_setRgba64_1003, &_call_f_setRgba64_1003); + methods += new qt_gsi::GenericMethod ("setRgba64|rgba64=", "@brief Method void QColor::setRgba64(QRgba64 rgba)\n", false, &_init_f_setRgba64_1003, &_call_f_setRgba64_1003); methods += new qt_gsi::GenericMethod ("spec", "@brief Method QColor::Spec QColor::spec()\n", true, &_init_f_spec_c0, &_call_f_spec_c0); methods += new qt_gsi::GenericMethod ("toCmyk", "@brief Method QColor QColor::toCmyk()\n", true, &_init_f_toCmyk_c0, &_call_f_toCmyk_c0); methods += new qt_gsi::GenericMethod ("toExtendedRgb", "@brief Method QColor QColor::toExtendedRgb()\n", true, &_init_f_toExtendedRgb_c0, &_call_f_toExtendedRgb_c0); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQColorSpace.cc b/src/gsiqt/qt6/QtGui/gsiDeclQColorSpace.cc index 9147ac3ce1..53bd0cf60e 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQColorSpace.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQColorSpace.cc @@ -663,21 +663,21 @@ static gsi::Methods methods_QColorSpace () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColorSpace::QColorSpace(const QPointF &whitePoint, const QPointF &redPoint, const QPointF &greenPoint, const QPointF &bluePoint, const QList &transferFunctionTable)\nThis method creates an object of class QColorSpace.", &_init_ctor_QColorSpace_10202, &_call_ctor_QColorSpace_10202); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColorSpace::QColorSpace(const QPointF &whitePoint, const QPointF &redPoint, const QPointF &greenPoint, const QPointF &bluePoint, const QList &redTransferFunctionTable, const QList &greenTransferFunctionTable, const QList &blueTransferFunctionTable)\nThis method creates an object of class QColorSpace.", &_init_ctor_QColorSpace_15366, &_call_ctor_QColorSpace_15366); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColorSpace::QColorSpace(const QColorSpace &colorSpace)\nThis method creates an object of class QColorSpace.", &_init_ctor_QColorSpace_2397, &_call_ctor_QColorSpace_2397); - methods += new qt_gsi::GenericMethod ("description", "@brief Method QString QColorSpace::description()\n", true, &_init_f_description_c0, &_call_f_description_c0); + methods += new qt_gsi::GenericMethod (":description", "@brief Method QString QColorSpace::description()\n", true, &_init_f_description_c0, &_call_f_description_c0); methods += new qt_gsi::GenericMethod ("detach", "@brief Method void QColorSpace::detach()\n", false, &_init_f_detach_0, &_call_f_detach_0); methods += new qt_gsi::GenericMethod ("gamma", "@brief Method float QColorSpace::gamma()\n", true, &_init_f_gamma_c0, &_call_f_gamma_c0); methods += new qt_gsi::GenericMethod ("iccProfile", "@brief Method QByteArray QColorSpace::iccProfile()\n", true, &_init_f_iccProfile_c0, &_call_f_iccProfile_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QColorSpace::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QColorSpace &QColorSpace::operator=(const QColorSpace &colorSpace)\n", false, &_init_f_operator_eq__2397, &_call_f_operator_eq__2397); - methods += new qt_gsi::GenericMethod ("primaries", "@brief Method QColorSpace::Primaries QColorSpace::primaries()\n", true, &_init_f_primaries_c0, &_call_f_primaries_c0); - methods += new qt_gsi::GenericMethod ("setDescription", "@brief Method void QColorSpace::setDescription(const QString &description)\n", false, &_init_f_setDescription_2025, &_call_f_setDescription_2025); - methods += new qt_gsi::GenericMethod ("setPrimaries", "@brief Method void QColorSpace::setPrimaries(QColorSpace::Primaries primariesId)\n", false, &_init_f_setPrimaries_2576, &_call_f_setPrimaries_2576); + methods += new qt_gsi::GenericMethod (":primaries", "@brief Method QColorSpace::Primaries QColorSpace::primaries()\n", true, &_init_f_primaries_c0, &_call_f_primaries_c0); + methods += new qt_gsi::GenericMethod ("setDescription|description=", "@brief Method void QColorSpace::setDescription(const QString &description)\n", false, &_init_f_setDescription_2025, &_call_f_setDescription_2025); + methods += new qt_gsi::GenericMethod ("setPrimaries|primaries=", "@brief Method void QColorSpace::setPrimaries(QColorSpace::Primaries primariesId)\n", false, &_init_f_setPrimaries_2576, &_call_f_setPrimaries_2576); methods += new qt_gsi::GenericMethod ("setPrimaries", "@brief Method void QColorSpace::setPrimaries(const QPointF &whitePoint, const QPointF &redPoint, const QPointF &greenPoint, const QPointF &bluePoint)\n", false, &_init_f_setPrimaries_7620, &_call_f_setPrimaries_7620); methods += new qt_gsi::GenericMethod ("setTransferFunction", "@brief Method void QColorSpace::setTransferFunction(QColorSpace::TransferFunction transferFunction, float gamma)\n", false, &_init_f_setTransferFunction_4173, &_call_f_setTransferFunction_4173); - methods += new qt_gsi::GenericMethod ("setTransferFunction", "@brief Method void QColorSpace::setTransferFunction(const QList &transferFunctionTable)\n", false, &_init_f_setTransferFunction_2690, &_call_f_setTransferFunction_2690); + methods += new qt_gsi::GenericMethod ("setTransferFunction|transferFunction=", "@brief Method void QColorSpace::setTransferFunction(const QList &transferFunctionTable)\n", false, &_init_f_setTransferFunction_2690, &_call_f_setTransferFunction_2690); methods += new qt_gsi::GenericMethod ("setTransferFunctions", "@brief Method void QColorSpace::setTransferFunctions(const QList &redTransferFunctionTable, const QList &greenTransferFunctionTable, const QList &blueTransferFunctionTable)\n", false, &_init_f_setTransferFunctions_7854, &_call_f_setTransferFunctions_7854); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QColorSpace::swap(QColorSpace &colorSpace)\n", false, &_init_f_swap_1702, &_call_f_swap_1702); - methods += new qt_gsi::GenericMethod ("transferFunction", "@brief Method QColorSpace::TransferFunction QColorSpace::transferFunction()\n", true, &_init_f_transferFunction_c0, &_call_f_transferFunction_c0); + methods += new qt_gsi::GenericMethod (":transferFunction", "@brief Method QColorSpace::TransferFunction QColorSpace::transferFunction()\n", true, &_init_f_transferFunction_c0, &_call_f_transferFunction_c0); methods += new qt_gsi::GenericMethod ("transformationToColorSpace", "@brief Method QColorTransform QColorSpace::transformationToColorSpace(const QColorSpace &colorspace)\n", true, &_init_f_transformationToColorSpace_c2397, &_call_f_transformationToColorSpace_c2397); methods += new qt_gsi::GenericMethod ("withTransferFunction", "@brief Method QColorSpace QColorSpace::withTransferFunction(QColorSpace::TransferFunction transferFunction, float gamma)\n", true, &_init_f_withTransferFunction_c4173, &_call_f_withTransferFunction_c4173); methods += new qt_gsi::GenericMethod ("withTransferFunction", "@brief Method QColorSpace QColorSpace::withTransferFunction(const QList &transferFunctionTable)\n", true, &_init_f_withTransferFunction_c2690, &_call_f_withTransferFunction_c2690); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQEventPoint.cc b/src/gsiqt/qt6/QtGui/gsiDeclQEventPoint.cc index 32205c01b9..0f0bb0f738 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQEventPoint.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQEventPoint.cc @@ -793,7 +793,7 @@ static gsi::Methods methods_QEventPoint () { methods += new qt_gsi::GenericMethod ("globalPressPosition", "@brief Method QPointF QEventPoint::globalPressPosition()\n", true, &_init_f_globalPressPosition_c0, &_call_f_globalPressPosition_c0); methods += new qt_gsi::GenericMethod ("grabPosition", "@brief Method QPointF QEventPoint::grabPosition()\n", true, &_init_f_grabPosition_c0, &_call_f_grabPosition_c0); methods += new qt_gsi::GenericMethod ("id", "@brief Method int QEventPoint::id()\n", true, &_init_f_id_c0, &_call_f_id_c0); - methods += new qt_gsi::GenericMethod ("isAccepted?", "@brief Method bool QEventPoint::isAccepted()\n", true, &_init_f_isAccepted_c0, &_call_f_isAccepted_c0); + methods += new qt_gsi::GenericMethod ("isAccepted?|:accepted", "@brief Method bool QEventPoint::isAccepted()\n", true, &_init_f_isAccepted_c0, &_call_f_isAccepted_c0); methods += new qt_gsi::GenericMethod ("lastNormalizedPos", "@brief Method QPointF QEventPoint::lastNormalizedPos()\n", true, &_init_f_lastNormalizedPos_c0, &_call_f_lastNormalizedPos_c0); methods += new qt_gsi::GenericMethod ("lastPos", "@brief Method QPointF QEventPoint::lastPos()\n", true, &_init_f_lastPos_c0, &_call_f_lastPos_c0); methods += new qt_gsi::GenericMethod ("lastPosition", "@brief Method QPointF QEventPoint::lastPosition()\n", true, &_init_f_lastPosition_c0, &_call_f_lastPosition_c0); @@ -817,7 +817,7 @@ static gsi::Methods methods_QEventPoint () { methods += new qt_gsi::GenericMethod ("scenePosition", "@brief Method QPointF QEventPoint::scenePosition()\n", true, &_init_f_scenePosition_c0, &_call_f_scenePosition_c0); methods += new qt_gsi::GenericMethod ("scenePressPosition", "@brief Method QPointF QEventPoint::scenePressPosition()\n", true, &_init_f_scenePressPosition_c0, &_call_f_scenePressPosition_c0); methods += new qt_gsi::GenericMethod ("screenPos", "@brief Method QPointF QEventPoint::screenPos()\n", true, &_init_f_screenPos_c0, &_call_f_screenPos_c0); - methods += new qt_gsi::GenericMethod ("setAccepted", "@brief Method void QEventPoint::setAccepted(bool accepted)\n", false, &_init_f_setAccepted_864, &_call_f_setAccepted_864); + methods += new qt_gsi::GenericMethod ("setAccepted|accepted=", "@brief Method void QEventPoint::setAccepted(bool accepted)\n", false, &_init_f_setAccepted_864, &_call_f_setAccepted_864); methods += new qt_gsi::GenericMethod ("startNormalizedPos", "@brief Method QPointF QEventPoint::startNormalizedPos()\n", true, &_init_f_startNormalizedPos_c0, &_call_f_startNormalizedPos_c0); methods += new qt_gsi::GenericMethod ("startPos", "@brief Method QPointF QEventPoint::startPos()\n", true, &_init_f_startPos_c0, &_call_f_startPos_c0); methods += new qt_gsi::GenericMethod ("startScenePos", "@brief Method QPointF QEventPoint::startScenePos()\n", true, &_init_f_startScenePos_c0, &_call_f_startScenePos_c0); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQFileSystemModel.cc b/src/gsiqt/qt6/QtGui/gsiDeclQFileSystemModel.cc index 6ecb73ac16..24cc3435d3 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQFileSystemModel.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQFileSystemModel.cc @@ -1118,7 +1118,7 @@ static gsi::Methods methods_QFileSystemModel () { methods += new qt_gsi::GenericMethod ("myComputer", "@brief Method QVariant QFileSystemModel::myComputer(int role)\n", true, &_init_f_myComputer_c767, &_call_f_myComputer_c767); methods += new qt_gsi::GenericMethod (":nameFilterDisables", "@brief Method bool QFileSystemModel::nameFilterDisables()\n", true, &_init_f_nameFilterDisables_c0, &_call_f_nameFilterDisables_c0); methods += new qt_gsi::GenericMethod (":nameFilters", "@brief Method QStringList QFileSystemModel::nameFilters()\n", true, &_init_f_nameFilters_c0, &_call_f_nameFilters_c0); - methods += new qt_gsi::GenericMethod ("options", "@brief Method QFlags QFileSystemModel::options()\n", true, &_init_f_options_c0, &_call_f_options_c0); + methods += new qt_gsi::GenericMethod (":options", "@brief Method QFlags QFileSystemModel::options()\n", true, &_init_f_options_c0, &_call_f_options_c0); methods += new qt_gsi::GenericMethod ("parent", "@brief Method QModelIndex QFileSystemModel::parent(const QModelIndex &child)\nThis is a reimplementation of QAbstractItemModel::parent", true, &_init_f_parent_c2395, &_call_f_parent_c2395); methods += new qt_gsi::GenericMethod (":parent", "@brief Method QObject *QFileSystemModel::parent()\n", true, &_init_f_parent_c0, &_call_f_parent_c0); methods += new qt_gsi::GenericMethod ("permissions", "@brief Method QFlags QFileSystemModel::permissions(const QModelIndex &index)\n", true, &_init_f_permissions_c2395, &_call_f_permissions_c2395); @@ -1135,7 +1135,7 @@ static gsi::Methods methods_QFileSystemModel () { methods += new qt_gsi::GenericMethod ("setNameFilterDisables|nameFilterDisables=", "@brief Method void QFileSystemModel::setNameFilterDisables(bool enable)\n", false, &_init_f_setNameFilterDisables_864, &_call_f_setNameFilterDisables_864); methods += new qt_gsi::GenericMethod ("setNameFilters|nameFilters=", "@brief Method void QFileSystemModel::setNameFilters(const QStringList &filters)\n", false, &_init_f_setNameFilters_2437, &_call_f_setNameFilters_2437); methods += new qt_gsi::GenericMethod ("setOption", "@brief Method void QFileSystemModel::setOption(QFileSystemModel::Option option, bool on)\n", false, &_init_f_setOption_3548, &_call_f_setOption_3548); - methods += new qt_gsi::GenericMethod ("setOptions", "@brief Method void QFileSystemModel::setOptions(QFlags options)\n", false, &_init_f_setOptions_3488, &_call_f_setOptions_3488); + methods += new qt_gsi::GenericMethod ("setOptions|options=", "@brief Method void QFileSystemModel::setOptions(QFlags options)\n", false, &_init_f_setOptions_3488, &_call_f_setOptions_3488); methods += new qt_gsi::GenericMethod ("setReadOnly|readOnly=", "@brief Method void QFileSystemModel::setReadOnly(bool enable)\n", false, &_init_f_setReadOnly_864, &_call_f_setReadOnly_864); methods += new qt_gsi::GenericMethod ("setResolveSymlinks|resolveSymlinks=", "@brief Method void QFileSystemModel::setResolveSymlinks(bool enable)\n", false, &_init_f_setResolveSymlinks_864, &_call_f_setResolveSymlinks_864); methods += new qt_gsi::GenericMethod ("setRootPath", "@brief Method QModelIndex QFileSystemModel::setRootPath(const QString &path)\n", false, &_init_f_setRootPath_2025, &_call_f_setRootPath_2025); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQFont.cc b/src/gsiqt/qt6/QtGui/gsiDeclQFont.cc index 3fe5edb9ed..6830b132a7 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQFont.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQFont.cc @@ -1388,7 +1388,7 @@ static gsi::Methods methods_QFont () { methods += new qt_gsi::GenericMethod (":capitalization", "@brief Method QFont::Capitalization QFont::capitalization()\n", true, &_init_f_capitalization_c0, &_call_f_capitalization_c0); methods += new qt_gsi::GenericMethod ("defaultFamily", "@brief Method QString QFont::defaultFamily()\n", true, &_init_f_defaultFamily_c0, &_call_f_defaultFamily_c0); methods += new qt_gsi::GenericMethod ("exactMatch", "@brief Method bool QFont::exactMatch()\n", true, &_init_f_exactMatch_c0, &_call_f_exactMatch_c0); - methods += new qt_gsi::GenericMethod ("families", "@brief Method QStringList QFont::families()\n", true, &_init_f_families_c0, &_call_f_families_c0); + methods += new qt_gsi::GenericMethod (":families", "@brief Method QStringList QFont::families()\n", true, &_init_f_families_c0, &_call_f_families_c0); methods += new qt_gsi::GenericMethod (":family", "@brief Method QString QFont::family()\n", true, &_init_f_family_c0, &_call_f_family_c0); methods += new qt_gsi::GenericMethod (":fixedPitch", "@brief Method bool QFont::fixedPitch()\n", true, &_init_f_fixedPitch_c0, &_call_f_fixedPitch_c0); methods += new qt_gsi::GenericMethod ("fromString", "@brief Method bool QFont::fromString(const QString &)\n", false, &_init_f_fromString_2025, &_call_f_fromString_2025); @@ -1397,7 +1397,7 @@ static gsi::Methods methods_QFont () { methods += new qt_gsi::GenericMethod (":italic", "@brief Method bool QFont::italic()\n", true, &_init_f_italic_c0, &_call_f_italic_c0); methods += new qt_gsi::GenericMethod (":kerning", "@brief Method bool QFont::kerning()\n", true, &_init_f_kerning_c0, &_call_f_kerning_c0); methods += new qt_gsi::GenericMethod ("key", "@brief Method QString QFont::key()\n", true, &_init_f_key_c0, &_call_f_key_c0); - methods += new qt_gsi::GenericMethod ("legacyWeight", "@brief Method int QFont::legacyWeight()\n", true, &_init_f_legacyWeight_c0, &_call_f_legacyWeight_c0); + methods += new qt_gsi::GenericMethod (":legacyWeight", "@brief Method int QFont::legacyWeight()\n", true, &_init_f_legacyWeight_c0, &_call_f_legacyWeight_c0); methods += new qt_gsi::GenericMethod ("letterSpacing", "@brief Method double QFont::letterSpacing()\n", true, &_init_f_letterSpacing_c0, &_call_f_letterSpacing_c0); methods += new qt_gsi::GenericMethod ("letterSpacingType", "@brief Method QFont::SpacingType QFont::letterSpacingType()\n", true, &_init_f_letterSpacingType_c0, &_call_f_letterSpacingType_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QFont::operator!=(const QFont &)\n", true, &_init_f_operator_excl__eq__c1801, &_call_f_operator_excl__eq__c1801); @@ -1409,22 +1409,22 @@ static gsi::Methods methods_QFont () { methods += new qt_gsi::GenericMethod (":pointSize", "@brief Method int QFont::pointSize()\n", true, &_init_f_pointSize_c0, &_call_f_pointSize_c0); methods += new qt_gsi::GenericMethod (":pointSizeF", "@brief Method double QFont::pointSizeF()\n", true, &_init_f_pointSizeF_c0, &_call_f_pointSizeF_c0); methods += new qt_gsi::GenericMethod ("resolve", "@brief Method QFont QFont::resolve(const QFont &)\n", true, &_init_f_resolve_c1801, &_call_f_resolve_c1801); - methods += new qt_gsi::GenericMethod ("resolveMask", "@brief Method unsigned int QFont::resolveMask()\n", true, &_init_f_resolveMask_c0, &_call_f_resolveMask_c0); + methods += new qt_gsi::GenericMethod (":resolveMask", "@brief Method unsigned int QFont::resolveMask()\n", true, &_init_f_resolveMask_c0, &_call_f_resolveMask_c0); methods += new qt_gsi::GenericMethod ("setBold|bold=", "@brief Method void QFont::setBold(bool)\n", false, &_init_f_setBold_864, &_call_f_setBold_864); methods += new qt_gsi::GenericMethod ("setCapitalization|capitalization=", "@brief Method void QFont::setCapitalization(QFont::Capitalization)\n", false, &_init_f_setCapitalization_2508, &_call_f_setCapitalization_2508); - methods += new qt_gsi::GenericMethod ("setFamilies", "@brief Method void QFont::setFamilies(const QStringList &)\n", false, &_init_f_setFamilies_2437, &_call_f_setFamilies_2437); + methods += new qt_gsi::GenericMethod ("setFamilies|families=", "@brief Method void QFont::setFamilies(const QStringList &)\n", false, &_init_f_setFamilies_2437, &_call_f_setFamilies_2437); methods += new qt_gsi::GenericMethod ("setFamily|family=", "@brief Method void QFont::setFamily(const QString &)\n", false, &_init_f_setFamily_2025, &_call_f_setFamily_2025); methods += new qt_gsi::GenericMethod ("setFixedPitch|fixedPitch=", "@brief Method void QFont::setFixedPitch(bool)\n", false, &_init_f_setFixedPitch_864, &_call_f_setFixedPitch_864); methods += new qt_gsi::GenericMethod ("setHintingPreference|hintingPreference=", "@brief Method void QFont::setHintingPreference(QFont::HintingPreference hintingPreference)\n", false, &_init_f_setHintingPreference_2784, &_call_f_setHintingPreference_2784); methods += new qt_gsi::GenericMethod ("setItalic|italic=", "@brief Method void QFont::setItalic(bool b)\n", false, &_init_f_setItalic_864, &_call_f_setItalic_864); methods += new qt_gsi::GenericMethod ("setKerning|kerning=", "@brief Method void QFont::setKerning(bool)\n", false, &_init_f_setKerning_864, &_call_f_setKerning_864); - methods += new qt_gsi::GenericMethod ("setLegacyWeight", "@brief Method void QFont::setLegacyWeight(int legacyWeight)\n", false, &_init_f_setLegacyWeight_767, &_call_f_setLegacyWeight_767); + methods += new qt_gsi::GenericMethod ("setLegacyWeight|legacyWeight=", "@brief Method void QFont::setLegacyWeight(int legacyWeight)\n", false, &_init_f_setLegacyWeight_767, &_call_f_setLegacyWeight_767); methods += new qt_gsi::GenericMethod ("setLetterSpacing", "@brief Method void QFont::setLetterSpacing(QFont::SpacingType type, double spacing)\n", false, &_init_f_setLetterSpacing_3130, &_call_f_setLetterSpacing_3130); methods += new qt_gsi::GenericMethod ("setOverline|overline=", "@brief Method void QFont::setOverline(bool)\n", false, &_init_f_setOverline_864, &_call_f_setOverline_864); methods += new qt_gsi::GenericMethod ("setPixelSize|pixelSize=", "@brief Method void QFont::setPixelSize(int)\n", false, &_init_f_setPixelSize_767, &_call_f_setPixelSize_767); methods += new qt_gsi::GenericMethod ("setPointSize|pointSize=", "@brief Method void QFont::setPointSize(int)\n", false, &_init_f_setPointSize_767, &_call_f_setPointSize_767); methods += new qt_gsi::GenericMethod ("setPointSizeF|pointSizeF=", "@brief Method void QFont::setPointSizeF(double)\n", false, &_init_f_setPointSizeF_1071, &_call_f_setPointSizeF_1071); - methods += new qt_gsi::GenericMethod ("setResolveMask", "@brief Method void QFont::setResolveMask(unsigned int mask)\n", false, &_init_f_setResolveMask_1772, &_call_f_setResolveMask_1772); + methods += new qt_gsi::GenericMethod ("setResolveMask|resolveMask=", "@brief Method void QFont::setResolveMask(unsigned int mask)\n", false, &_init_f_setResolveMask_1772, &_call_f_setResolveMask_1772); methods += new qt_gsi::GenericMethod ("setStretch|stretch=", "@brief Method void QFont::setStretch(int)\n", false, &_init_f_setStretch_767, &_call_f_setStretch_767); methods += new qt_gsi::GenericMethod ("setStrikeOut|strikeOut=", "@brief Method void QFont::setStrikeOut(bool)\n", false, &_init_f_setStrikeOut_864, &_call_f_setStrikeOut_864); methods += new qt_gsi::GenericMethod ("setStyle|style=", "@brief Method void QFont::setStyle(QFont::Style style)\n", false, &_init_f_setStyle_1569, &_call_f_setStyle_1569); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQGuiApplication.cc b/src/gsiqt/qt6/QtGui/gsiDeclQGuiApplication.cc index f313fa58ae..fd9b7aef3a 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQGuiApplication.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQGuiApplication.cc @@ -902,13 +902,13 @@ static gsi::Methods methods_QGuiApplication () { methods += new qt_gsi::GenericStaticMethod ("applicationState", "@brief Static method Qt::ApplicationState QGuiApplication::applicationState()\nThis method is static and can be called without an instance.", &_init_f_applicationState_0, &_call_f_applicationState_0); methods += new qt_gsi::GenericStaticMethod ("changeOverrideCursor", "@brief Static method void QGuiApplication::changeOverrideCursor(const QCursor &)\nThis method is static and can be called without an instance.", &_init_f_changeOverrideCursor_2032, &_call_f_changeOverrideCursor_2032); methods += new qt_gsi::GenericStaticMethod ("clipboard", "@brief Static method QClipboard *QGuiApplication::clipboard()\nThis method is static and can be called without an instance.", &_init_f_clipboard_0, &_call_f_clipboard_0); - methods += new qt_gsi::GenericStaticMethod ("desktopFileName", "@brief Static method QString QGuiApplication::desktopFileName()\nThis method is static and can be called without an instance.", &_init_f_desktopFileName_0, &_call_f_desktopFileName_0); + methods += new qt_gsi::GenericStaticMethod (":desktopFileName", "@brief Static method QString QGuiApplication::desktopFileName()\nThis method is static and can be called without an instance.", &_init_f_desktopFileName_0, &_call_f_desktopFileName_0); methods += new qt_gsi::GenericStaticMethod (":desktopSettingsAware", "@brief Static method bool QGuiApplication::desktopSettingsAware()\nThis method is static and can be called without an instance.", &_init_f_desktopSettingsAware_0, &_call_f_desktopSettingsAware_0); methods += new qt_gsi::GenericStaticMethod ("exec", "@brief Static method int QGuiApplication::exec()\nThis method is static and can be called without an instance.", &_init_f_exec_0, &_call_f_exec_0); methods += new qt_gsi::GenericStaticMethod ("focusObject", "@brief Static method QObject *QGuiApplication::focusObject()\nThis method is static and can be called without an instance.", &_init_f_focusObject_0, &_call_f_focusObject_0); methods += new qt_gsi::GenericStaticMethod ("focusWindow", "@brief Static method QWindow *QGuiApplication::focusWindow()\nThis method is static and can be called without an instance.", &_init_f_focusWindow_0, &_call_f_focusWindow_0); methods += new qt_gsi::GenericStaticMethod (":font", "@brief Static method QFont QGuiApplication::font()\nThis method is static and can be called without an instance.", &_init_f_font_0, &_call_f_font_0); - methods += new qt_gsi::GenericStaticMethod ("highDpiScaleFactorRoundingPolicy", "@brief Static method Qt::HighDpiScaleFactorRoundingPolicy QGuiApplication::highDpiScaleFactorRoundingPolicy()\nThis method is static and can be called without an instance.", &_init_f_highDpiScaleFactorRoundingPolicy_0, &_call_f_highDpiScaleFactorRoundingPolicy_0); + methods += new qt_gsi::GenericStaticMethod (":highDpiScaleFactorRoundingPolicy", "@brief Static method Qt::HighDpiScaleFactorRoundingPolicy QGuiApplication::highDpiScaleFactorRoundingPolicy()\nThis method is static and can be called without an instance.", &_init_f_highDpiScaleFactorRoundingPolicy_0, &_call_f_highDpiScaleFactorRoundingPolicy_0); methods += new qt_gsi::GenericStaticMethod ("inputMethod", "@brief Static method QInputMethod *QGuiApplication::inputMethod()\nThis method is static and can be called without an instance.", &_init_f_inputMethod_0, &_call_f_inputMethod_0); methods += new qt_gsi::GenericStaticMethod ("isLeftToRight?", "@brief Static method bool QGuiApplication::isLeftToRight()\nThis method is static and can be called without an instance.", &_init_f_isLeftToRight_0, &_call_f_isLeftToRight_0); methods += new qt_gsi::GenericStaticMethod ("isRightToLeft?", "@brief Static method bool QGuiApplication::isRightToLeft()\nThis method is static and can be called without an instance.", &_init_f_isRightToLeft_0, &_call_f_isRightToLeft_0); @@ -919,17 +919,17 @@ static gsi::Methods methods_QGuiApplication () { methods += new qt_gsi::GenericStaticMethod ("overrideCursor", "@brief Static method QCursor *QGuiApplication::overrideCursor()\nThis method is static and can be called without an instance.", &_init_f_overrideCursor_0, &_call_f_overrideCursor_0); methods += new qt_gsi::GenericStaticMethod (":palette", "@brief Static method QPalette QGuiApplication::palette()\nThis method is static and can be called without an instance.", &_init_f_palette_0, &_call_f_palette_0); methods += new qt_gsi::GenericStaticMethod (":platformName", "@brief Static method QString QGuiApplication::platformName()\nThis method is static and can be called without an instance.", &_init_f_platformName_0, &_call_f_platformName_0); - methods += new qt_gsi::GenericStaticMethod ("primaryScreen", "@brief Static method QScreen *QGuiApplication::primaryScreen()\nThis method is static and can be called without an instance.", &_init_f_primaryScreen_0, &_call_f_primaryScreen_0); + methods += new qt_gsi::GenericStaticMethod (":primaryScreen", "@brief Static method QScreen *QGuiApplication::primaryScreen()\nThis method is static and can be called without an instance.", &_init_f_primaryScreen_0, &_call_f_primaryScreen_0); methods += new qt_gsi::GenericStaticMethod ("queryKeyboardModifiers", "@brief Static method QFlags QGuiApplication::queryKeyboardModifiers()\nThis method is static and can be called without an instance.", &_init_f_queryKeyboardModifiers_0, &_call_f_queryKeyboardModifiers_0); methods += new qt_gsi::GenericStaticMethod (":quitOnLastWindowClosed", "@brief Static method bool QGuiApplication::quitOnLastWindowClosed()\nThis method is static and can be called without an instance.", &_init_f_quitOnLastWindowClosed_0, &_call_f_quitOnLastWindowClosed_0); methods += new qt_gsi::GenericStaticMethod ("restoreOverrideCursor", "@brief Static method void QGuiApplication::restoreOverrideCursor()\nThis method is static and can be called without an instance.", &_init_f_restoreOverrideCursor_0, &_call_f_restoreOverrideCursor_0); methods += new qt_gsi::GenericStaticMethod ("screenAt", "@brief Static method QScreen *QGuiApplication::screenAt(const QPoint &point)\nThis method is static and can be called without an instance.", &_init_f_screenAt_1916, &_call_f_screenAt_1916); methods += new qt_gsi::GenericStaticMethod ("screens", "@brief Static method QList QGuiApplication::screens()\nThis method is static and can be called without an instance.", &_init_f_screens_0, &_call_f_screens_0); methods += new qt_gsi::GenericStaticMethod ("setApplicationDisplayName|applicationDisplayName=", "@brief Static method void QGuiApplication::setApplicationDisplayName(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_setApplicationDisplayName_2025, &_call_f_setApplicationDisplayName_2025); - methods += new qt_gsi::GenericStaticMethod ("setDesktopFileName", "@brief Static method void QGuiApplication::setDesktopFileName(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_setDesktopFileName_2025, &_call_f_setDesktopFileName_2025); + methods += new qt_gsi::GenericStaticMethod ("setDesktopFileName|desktopFileName=", "@brief Static method void QGuiApplication::setDesktopFileName(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_setDesktopFileName_2025, &_call_f_setDesktopFileName_2025); methods += new qt_gsi::GenericStaticMethod ("setDesktopSettingsAware|desktopSettingsAware=", "@brief Static method void QGuiApplication::setDesktopSettingsAware(bool on)\nThis method is static and can be called without an instance.", &_init_f_setDesktopSettingsAware_864, &_call_f_setDesktopSettingsAware_864); methods += new qt_gsi::GenericStaticMethod ("setFont|font=", "@brief Static method void QGuiApplication::setFont(const QFont &)\nThis method is static and can be called without an instance.", &_init_f_setFont_1801, &_call_f_setFont_1801); - methods += new qt_gsi::GenericStaticMethod ("setHighDpiScaleFactorRoundingPolicy", "@brief Static method void QGuiApplication::setHighDpiScaleFactorRoundingPolicy(Qt::HighDpiScaleFactorRoundingPolicy policy)\nThis method is static and can be called without an instance.", &_init_f_setHighDpiScaleFactorRoundingPolicy_3975, &_call_f_setHighDpiScaleFactorRoundingPolicy_3975); + methods += new qt_gsi::GenericStaticMethod ("setHighDpiScaleFactorRoundingPolicy|highDpiScaleFactorRoundingPolicy=", "@brief Static method void QGuiApplication::setHighDpiScaleFactorRoundingPolicy(Qt::HighDpiScaleFactorRoundingPolicy policy)\nThis method is static and can be called without an instance.", &_init_f_setHighDpiScaleFactorRoundingPolicy_3975, &_call_f_setHighDpiScaleFactorRoundingPolicy_3975); methods += new qt_gsi::GenericStaticMethod ("setLayoutDirection|layoutDirection=", "@brief Static method void QGuiApplication::setLayoutDirection(Qt::LayoutDirection direction)\nThis method is static and can be called without an instance.", &_init_f_setLayoutDirection_2316, &_call_f_setLayoutDirection_2316); methods += new qt_gsi::GenericStaticMethod ("setOverrideCursor", "@brief Static method void QGuiApplication::setOverrideCursor(const QCursor &)\nThis method is static and can be called without an instance.", &_init_f_setOverrideCursor_2032, &_call_f_setOverrideCursor_2032); methods += new qt_gsi::GenericStaticMethod ("setPalette|palette=", "@brief Static method void QGuiApplication::setPalette(const QPalette &pal)\nThis method is static and can be called without an instance.", &_init_f_setPalette_2113, &_call_f_setPalette_2113); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQIcon.cc b/src/gsiqt/qt6/QtGui/gsiDeclQIcon.cc index d1437aeabe..29fde8e31a 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQIcon.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQIcon.cc @@ -851,13 +851,13 @@ static gsi::Methods methods_QIcon () { methods += new qt_gsi::GenericMethod ("pixmap", "@brief Method QPixmap QIcon::pixmap(QWindow *window, const QSize &size, QIcon::Mode mode, QIcon::State state)\n", true, &_init_f_pixmap_c5770, &_call_f_pixmap_c5770); methods += new qt_gsi::GenericMethod ("setIsMask", "@brief Method void QIcon::setIsMask(bool isMask)\n", false, &_init_f_setIsMask_864, &_call_f_setIsMask_864); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QIcon::swap(QIcon &other)\n", false, &_init_f_swap_1092, &_call_f_swap_1092); - methods += new qt_gsi::GenericStaticMethod ("fallbackSearchPaths", "@brief Static method QStringList QIcon::fallbackSearchPaths()\nThis method is static and can be called without an instance.", &_init_f_fallbackSearchPaths_0, &_call_f_fallbackSearchPaths_0); - methods += new qt_gsi::GenericStaticMethod ("fallbackThemeName", "@brief Static method QString QIcon::fallbackThemeName()\nThis method is static and can be called without an instance.", &_init_f_fallbackThemeName_0, &_call_f_fallbackThemeName_0); + methods += new qt_gsi::GenericStaticMethod (":fallbackSearchPaths", "@brief Static method QStringList QIcon::fallbackSearchPaths()\nThis method is static and can be called without an instance.", &_init_f_fallbackSearchPaths_0, &_call_f_fallbackSearchPaths_0); + methods += new qt_gsi::GenericStaticMethod (":fallbackThemeName", "@brief Static method QString QIcon::fallbackThemeName()\nThis method is static and can be called without an instance.", &_init_f_fallbackThemeName_0, &_call_f_fallbackThemeName_0); methods += new qt_gsi::GenericStaticMethod ("fromTheme", "@brief Static method QIcon QIcon::fromTheme(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_fromTheme_2025, &_call_f_fromTheme_2025); methods += new qt_gsi::GenericStaticMethod ("fromTheme", "@brief Static method QIcon QIcon::fromTheme(const QString &name, const QIcon &fallback)\nThis method is static and can be called without an instance.", &_init_f_fromTheme_3704, &_call_f_fromTheme_3704); methods += new qt_gsi::GenericStaticMethod ("hasThemeIcon", "@brief Static method bool QIcon::hasThemeIcon(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_hasThemeIcon_2025, &_call_f_hasThemeIcon_2025); - methods += new qt_gsi::GenericStaticMethod ("setFallbackSearchPaths", "@brief Static method void QIcon::setFallbackSearchPaths(const QStringList &paths)\nThis method is static and can be called without an instance.", &_init_f_setFallbackSearchPaths_2437, &_call_f_setFallbackSearchPaths_2437); - methods += new qt_gsi::GenericStaticMethod ("setFallbackThemeName", "@brief Static method void QIcon::setFallbackThemeName(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_setFallbackThemeName_2025, &_call_f_setFallbackThemeName_2025); + methods += new qt_gsi::GenericStaticMethod ("setFallbackSearchPaths|fallbackSearchPaths=", "@brief Static method void QIcon::setFallbackSearchPaths(const QStringList &paths)\nThis method is static and can be called without an instance.", &_init_f_setFallbackSearchPaths_2437, &_call_f_setFallbackSearchPaths_2437); + methods += new qt_gsi::GenericStaticMethod ("setFallbackThemeName|fallbackThemeName=", "@brief Static method void QIcon::setFallbackThemeName(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_setFallbackThemeName_2025, &_call_f_setFallbackThemeName_2025); methods += new qt_gsi::GenericStaticMethod ("setThemeName|themeName=", "@brief Static method void QIcon::setThemeName(const QString &path)\nThis method is static and can be called without an instance.", &_init_f_setThemeName_2025, &_call_f_setThemeName_2025); methods += new qt_gsi::GenericStaticMethod ("setThemeSearchPaths|themeSearchPaths=", "@brief Static method void QIcon::setThemeSearchPaths(const QStringList &searchpath)\nThis method is static and can be called without an instance.", &_init_f_setThemeSearchPaths_2437, &_call_f_setThemeSearchPaths_2437); methods += new qt_gsi::GenericStaticMethod (":themeName", "@brief Static method QString QIcon::themeName()\nThis method is static and can be called without an instance.", &_init_f_themeName_0, &_call_f_themeName_0); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQImage.cc b/src/gsiqt/qt6/QtGui/gsiDeclQImage.cc index f910851ed0..49c3b4716c 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQImage.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQImage.cc @@ -1946,8 +1946,8 @@ static gsi::Methods methods_QImage () { methods += new qt_gsi::GenericMethod ("cacheKey", "@brief Method qint64 QImage::cacheKey()\n", true, &_init_f_cacheKey_c0, &_call_f_cacheKey_c0); methods += new qt_gsi::GenericMethod ("color", "@brief Method unsigned int QImage::color(int i)\n", true, &_init_f_color_c767, &_call_f_color_c767); methods += new qt_gsi::GenericMethod (":colorCount", "@brief Method int QImage::colorCount()\n", true, &_init_f_colorCount_c0, &_call_f_colorCount_c0); - methods += new qt_gsi::GenericMethod ("colorSpace", "@brief Method QColorSpace QImage::colorSpace()\n", true, &_init_f_colorSpace_c0, &_call_f_colorSpace_c0); - methods += new qt_gsi::GenericMethod ("colorTable", "@brief Method QList QImage::colorTable()\n", true, &_init_f_colorTable_c0, &_call_f_colorTable_c0); + methods += new qt_gsi::GenericMethod (":colorSpace", "@brief Method QColorSpace QImage::colorSpace()\n", true, &_init_f_colorSpace_c0, &_call_f_colorSpace_c0); + methods += new qt_gsi::GenericMethod (":colorTable", "@brief Method QList QImage::colorTable()\n", true, &_init_f_colorTable_c0, &_call_f_colorTable_c0); methods += new qt_gsi::GenericMethod ("constBits", "@brief Method const unsigned char *QImage::constBits()\n", true, &_init_f_constBits_c0, &_call_f_constBits_c0); methods += new qt_gsi::GenericMethod ("constScanLine", "@brief Method const unsigned char *QImage::constScanLine(int)\n", true, &_init_f_constScanLine_c767, &_call_f_constScanLine_c767); methods += new qt_gsi::GenericMethod ("convertTo", "@brief Method void QImage::convertTo(QImage::Format f, QFlags flags)\n", false, &_init_f_convertTo_4993, &_call_f_convertTo_4993); @@ -2007,11 +2007,11 @@ static gsi::Methods methods_QImage () { methods += new qt_gsi::GenericMethod ("scaledToHeight", "@brief Method QImage QImage::scaledToHeight(int h, Qt::TransformationMode mode)\n", true, &_init_f_scaledToHeight_c3292, &_call_f_scaledToHeight_c3292); methods += new qt_gsi::GenericMethod ("scaledToWidth", "@brief Method QImage QImage::scaledToWidth(int w, Qt::TransformationMode mode)\n", true, &_init_f_scaledToWidth_c3292, &_call_f_scaledToWidth_c3292); methods += new qt_gsi::GenericMethod ("scanLine", "@brief Method const unsigned char *QImage::scanLine(int)\n", true, &_init_f_scanLine_c767, &_call_f_scanLine_c767); - methods += new qt_gsi::GenericMethod ("setAlphaChannel|alphaChannel=", "@brief Method void QImage::setAlphaChannel(const QImage &alphaChannel)\n", false, &_init_f_setAlphaChannel_1877, &_call_f_setAlphaChannel_1877); + methods += new qt_gsi::GenericMethod ("setAlphaChannel", "@brief Method void QImage::setAlphaChannel(const QImage &alphaChannel)\n", false, &_init_f_setAlphaChannel_1877, &_call_f_setAlphaChannel_1877); methods += new qt_gsi::GenericMethod ("setColor", "@brief Method void QImage::setColor(int i, unsigned int c)\n", false, &_init_f_setColor_2431, &_call_f_setColor_2431); methods += new qt_gsi::GenericMethod ("setColorCount|colorCount=", "@brief Method void QImage::setColorCount(int)\n", false, &_init_f_setColorCount_767, &_call_f_setColorCount_767); - methods += new qt_gsi::GenericMethod ("setColorSpace", "@brief Method void QImage::setColorSpace(const QColorSpace &)\n", false, &_init_f_setColorSpace_2397, &_call_f_setColorSpace_2397); - methods += new qt_gsi::GenericMethod ("setColorTable", "@brief Method void QImage::setColorTable(const QList &colors)\n", false, &_init_f_setColorTable_2292, &_call_f_setColorTable_2292); + methods += new qt_gsi::GenericMethod ("setColorSpace|colorSpace=", "@brief Method void QImage::setColorSpace(const QColorSpace &)\n", false, &_init_f_setColorSpace_2397, &_call_f_setColorSpace_2397); + methods += new qt_gsi::GenericMethod ("setColorTable|colorTable=", "@brief Method void QImage::setColorTable(const QList &colors)\n", false, &_init_f_setColorTable_2292, &_call_f_setColorTable_2292); methods += new qt_gsi::GenericMethod ("setDevicePixelRatio|devicePixelRatio=", "@brief Method void QImage::setDevicePixelRatio(double scaleFactor)\n", false, &_init_f_setDevicePixelRatio_1071, &_call_f_setDevicePixelRatio_1071); methods += new qt_gsi::GenericMethod ("setDotsPerMeterX|dotsPerMeterX=", "@brief Method void QImage::setDotsPerMeterX(int)\n", false, &_init_f_setDotsPerMeterX_767, &_call_f_setDotsPerMeterX_767); methods += new qt_gsi::GenericMethod ("setDotsPerMeterY|dotsPerMeterY=", "@brief Method void QImage::setDotsPerMeterY(int)\n", false, &_init_f_setDotsPerMeterY_767, &_call_f_setDotsPerMeterY_767); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQImageReader.cc b/src/gsiqt/qt6/QtGui/gsiDeclQImageReader.cc index 369bd2c49f..5216b9e570 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQImageReader.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQImageReader.cc @@ -1014,11 +1014,11 @@ static gsi::Methods methods_QImageReader () { methods += new qt_gsi::GenericMethod ("text", "@brief Method QString QImageReader::text(const QString &key)\n", true, &_init_f_text_c2025, &_call_f_text_c2025); methods += new qt_gsi::GenericMethod ("textKeys", "@brief Method QStringList QImageReader::textKeys()\n", true, &_init_f_textKeys_c0, &_call_f_textKeys_c0); methods += new qt_gsi::GenericMethod ("transformation", "@brief Method QFlags QImageReader::transformation()\n", true, &_init_f_transformation_c0, &_call_f_transformation_c0); - methods += new qt_gsi::GenericStaticMethod ("allocationLimit", "@brief Static method int QImageReader::allocationLimit()\nThis method is static and can be called without an instance.", &_init_f_allocationLimit_0, &_call_f_allocationLimit_0); + methods += new qt_gsi::GenericStaticMethod (":allocationLimit", "@brief Static method int QImageReader::allocationLimit()\nThis method is static and can be called without an instance.", &_init_f_allocationLimit_0, &_call_f_allocationLimit_0); methods += new qt_gsi::GenericStaticMethod ("imageFormat", "@brief Static method QByteArray QImageReader::imageFormat(const QString &fileName)\nThis method is static and can be called without an instance.", &_init_f_imageFormat_2025, &_call_f_imageFormat_2025); methods += new qt_gsi::GenericStaticMethod ("imageFormat", "@brief Static method QByteArray QImageReader::imageFormat(QIODevice *device)\nThis method is static and can be called without an instance.", &_init_f_imageFormat_1447, &_call_f_imageFormat_1447); methods += new qt_gsi::GenericStaticMethod ("imageFormatsForMimeType", "@brief Static method QList QImageReader::imageFormatsForMimeType(const QByteArray &mimeType)\nThis method is static and can be called without an instance.", &_init_f_imageFormatsForMimeType_2309, &_call_f_imageFormatsForMimeType_2309); - methods += new qt_gsi::GenericStaticMethod ("setAllocationLimit", "@brief Static method void QImageReader::setAllocationLimit(int mbLimit)\nThis method is static and can be called without an instance.", &_init_f_setAllocationLimit_767, &_call_f_setAllocationLimit_767); + methods += new qt_gsi::GenericStaticMethod ("setAllocationLimit|allocationLimit=", "@brief Static method void QImageReader::setAllocationLimit(int mbLimit)\nThis method is static and can be called without an instance.", &_init_f_setAllocationLimit_767, &_call_f_setAllocationLimit_767); methods += new qt_gsi::GenericStaticMethod ("supportedImageFormats", "@brief Static method QList QImageReader::supportedImageFormats()\nThis method is static and can be called without an instance.", &_init_f_supportedImageFormats_0, &_call_f_supportedImageFormats_0); methods += new qt_gsi::GenericStaticMethod ("supportedMimeTypes", "@brief Static method QList QImageReader::supportedMimeTypes()\nThis method is static and can be called without an instance.", &_init_f_supportedMimeTypes_0, &_call_f_supportedMimeTypes_0); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QImageReader::tr(const char *sourceText, const char *disambiguation, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQInputDevice.cc b/src/gsiqt/qt6/QtGui/gsiDeclQInputDevice.cc index f3e04feaaa..10f85d4f50 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQInputDevice.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQInputDevice.cc @@ -70,26 +70,6 @@ static void _call_f_availableVirtualGeometry_c0 (const qt_gsi::GenericMethod * / } -// void QInputDevice::availableVirtualGeometryChanged(QRect area) - - -static void _init_f_availableVirtualGeometryChanged_915 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("area"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_availableVirtualGeometryChanged_915 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QRect arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QInputDevice *)cls)->availableVirtualGeometryChanged (arg1); -} - - // QFlags QInputDevice::capabilities() @@ -268,15 +248,17 @@ namespace gsi static gsi::Methods methods_QInputDevice () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("availableVirtualGeometry", "@brief Method QRect QInputDevice::availableVirtualGeometry()\n", true, &_init_f_availableVirtualGeometry_c0, &_call_f_availableVirtualGeometry_c0); - methods += new qt_gsi::GenericMethod ("availableVirtualGeometryChanged", "@brief Method void QInputDevice::availableVirtualGeometryChanged(QRect area)\n", false, &_init_f_availableVirtualGeometryChanged_915, &_call_f_availableVirtualGeometryChanged_915); - methods += new qt_gsi::GenericMethod ("capabilities", "@brief Method QFlags QInputDevice::capabilities()\n", true, &_init_f_capabilities_c0, &_call_f_capabilities_c0); + methods += new qt_gsi::GenericMethod (":availableVirtualGeometry", "@brief Method QRect QInputDevice::availableVirtualGeometry()\n", true, &_init_f_availableVirtualGeometry_c0, &_call_f_availableVirtualGeometry_c0); + methods += new qt_gsi::GenericMethod (":capabilities", "@brief Method QFlags QInputDevice::capabilities()\n", true, &_init_f_capabilities_c0, &_call_f_capabilities_c0); methods += new qt_gsi::GenericMethod ("hasCapability", "@brief Method bool QInputDevice::hasCapability(QInputDevice::Capability cap)\n", true, &_init_f_hasCapability_c2779, &_call_f_hasCapability_c2779); - methods += new qt_gsi::GenericMethod ("name", "@brief Method QString QInputDevice::name()\n", true, &_init_f_name_c0, &_call_f_name_c0); + methods += new qt_gsi::GenericMethod (":name", "@brief Method QString QInputDevice::name()\n", true, &_init_f_name_c0, &_call_f_name_c0); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QInputDevice::operator==(const QInputDevice &other)\n", true, &_init_f_operator_eq__eq__c2514, &_call_f_operator_eq__eq__c2514); - methods += new qt_gsi::GenericMethod ("seatName", "@brief Method QString QInputDevice::seatName()\n", true, &_init_f_seatName_c0, &_call_f_seatName_c0); - methods += new qt_gsi::GenericMethod ("systemId", "@brief Method qint64 QInputDevice::systemId()\n", true, &_init_f_systemId_c0, &_call_f_systemId_c0); - methods += new qt_gsi::GenericMethod ("type", "@brief Method QInputDevice::DeviceType QInputDevice::type()\n", true, &_init_f_type_c0, &_call_f_type_c0); + methods += new qt_gsi::GenericMethod (":seatName", "@brief Method QString QInputDevice::seatName()\n", true, &_init_f_seatName_c0, &_call_f_seatName_c0); + methods += new qt_gsi::GenericMethod (":systemId", "@brief Method qint64 QInputDevice::systemId()\n", true, &_init_f_systemId_c0, &_call_f_systemId_c0); + methods += new qt_gsi::GenericMethod (":type", "@brief Method QInputDevice::DeviceType QInputDevice::type()\n", true, &_init_f_type_c0, &_call_f_type_c0); + methods += gsi::qt_signal ("availableVirtualGeometryChanged(QRect)", "availableVirtualGeometryChanged", gsi::arg("area"), "@brief Signal declaration for QInputDevice::availableVirtualGeometryChanged(QRect area)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QInputDevice::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QInputDevice::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("devices", "@brief Static method QList QInputDevice::devices()\nThis method is static and can be called without an instance.", &_init_f_devices_0, &_call_f_devices_0); methods += new qt_gsi::GenericStaticMethod ("primaryKeyboard", "@brief Static method const QInputDevice *QInputDevice::primaryKeyboard(const QString &seatName)\nThis method is static and can be called without an instance.", &_init_f_primaryKeyboard_2025, &_call_f_primaryKeyboard_2025); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QInputDevice::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); @@ -350,6 +332,18 @@ class QInputDevice_Adaptor : public QInputDevice, public qt_gsi::QtObjectBase return QInputDevice::senderSignalIndex(); } + // [emitter impl] void QInputDevice::availableVirtualGeometryChanged(QRect area) + void emitter_QInputDevice_availableVirtualGeometryChanged_915(QRect area) + { + emit QInputDevice::availableVirtualGeometryChanged(area); + } + + // [emitter impl] void QInputDevice::destroyed(QObject *) + void emitter_QInputDevice_destroyed_1302(QObject *arg1) + { + emit QInputDevice::destroyed(arg1); + } + // [adaptor impl] bool QInputDevice::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -380,6 +374,13 @@ class QInputDevice_Adaptor : public QInputDevice, public qt_gsi::QtObjectBase } } + // [emitter impl] void QInputDevice::objectNameChanged(const QString &objectName) + void emitter_QInputDevice_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QInputDevice::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QInputDevice::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -498,6 +499,24 @@ static void _call_ctor_QInputDevice_Adaptor_8669 (const qt_gsi::GenericStaticMet } +// emitter void QInputDevice::availableVirtualGeometryChanged(QRect area) + +static void _init_emitter_availableVirtualGeometryChanged_915 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("area"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_availableVirtualGeometryChanged_915 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QRect arg1 = gsi::arg_reader() (args, heap); + ((QInputDevice_Adaptor *)cls)->emitter_QInputDevice_availableVirtualGeometryChanged_915 (arg1); +} + + // void QInputDevice::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -546,6 +565,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QInputDevice::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QInputDevice_Adaptor *)cls)->emitter_QInputDevice_destroyed_1302 (arg1); +} + + // void QInputDevice::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -637,6 +674,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QInputDevice::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QInputDevice_Adaptor *)cls)->emitter_QInputDevice_objectNameChanged_4567 (arg1); +} + + // exposed int QInputDevice::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -716,10 +771,12 @@ static gsi::Methods methods_QInputDevice_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QInputDevice::QInputDevice(QObject *parent)\nThis method creates an object of class QInputDevice.", &_init_ctor_QInputDevice_Adaptor_1302, &_call_ctor_QInputDevice_Adaptor_1302); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QInputDevice::QInputDevice(const QString &name, qint64 systemId, QInputDevice::DeviceType type, const QString &seatName, QObject *parent)\nThis method creates an object of class QInputDevice.", &_init_ctor_QInputDevice_Adaptor_8669, &_call_ctor_QInputDevice_Adaptor_8669); + methods += new qt_gsi::GenericMethod ("emit_availableVirtualGeometryChanged", "@brief Emitter for signal void QInputDevice::availableVirtualGeometryChanged(QRect area)\nCall this method to emit this signal.", false, &_init_emitter_availableVirtualGeometryChanged_915, &_call_emitter_availableVirtualGeometryChanged_915); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QInputDevice::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QInputDevice::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QInputDevice::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QInputDevice::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QInputDevice::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -727,6 +784,7 @@ static gsi::Methods methods_QInputDevice_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QInputDevice::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QInputDevice::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QInputDevice::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QInputDevice::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QInputDevice::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QInputDevice::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQInputMethod.cc b/src/gsiqt/qt6/QtGui/gsiDeclQInputMethod.cc index 770030504d..c627a95d19 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQInputMethod.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQInputMethod.cc @@ -426,12 +426,12 @@ namespace gsi static gsi::Methods methods_QInputMethod () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("anchorRectangle", "@brief Method QRectF QInputMethod::anchorRectangle()\n", true, &_init_f_anchorRectangle_c0, &_call_f_anchorRectangle_c0); + methods += new qt_gsi::GenericMethod (":anchorRectangle", "@brief Method QRectF QInputMethod::anchorRectangle()\n", true, &_init_f_anchorRectangle_c0, &_call_f_anchorRectangle_c0); methods += new qt_gsi::GenericMethod ("commit", "@brief Method void QInputMethod::commit()\n", false, &_init_f_commit_0, &_call_f_commit_0); methods += new qt_gsi::GenericMethod (":cursorRectangle", "@brief Method QRectF QInputMethod::cursorRectangle()\n", true, &_init_f_cursorRectangle_c0, &_call_f_cursorRectangle_c0); methods += new qt_gsi::GenericMethod ("hide", "@brief Method void QInputMethod::hide()\n", false, &_init_f_hide_0, &_call_f_hide_0); methods += new qt_gsi::GenericMethod (":inputDirection", "@brief Method Qt::LayoutDirection QInputMethod::inputDirection()\n", true, &_init_f_inputDirection_c0, &_call_f_inputDirection_c0); - methods += new qt_gsi::GenericMethod ("inputItemClipRectangle", "@brief Method QRectF QInputMethod::inputItemClipRectangle()\n", true, &_init_f_inputItemClipRectangle_c0, &_call_f_inputItemClipRectangle_c0); + methods += new qt_gsi::GenericMethod (":inputItemClipRectangle", "@brief Method QRectF QInputMethod::inputItemClipRectangle()\n", true, &_init_f_inputItemClipRectangle_c0, &_call_f_inputItemClipRectangle_c0); methods += new qt_gsi::GenericMethod (":inputItemRectangle", "@brief Method QRectF QInputMethod::inputItemRectangle()\n", true, &_init_f_inputItemRectangle_c0, &_call_f_inputItemRectangle_c0); methods += new qt_gsi::GenericMethod (":inputItemTransform", "@brief Method QTransform QInputMethod::inputItemTransform()\n", true, &_init_f_inputItemTransform_c0, &_call_f_inputItemTransform_c0); methods += new qt_gsi::GenericMethod ("invokeAction", "@brief Method void QInputMethod::invokeAction(QInputMethod::Action a, int cursorPosition)\n", false, &_init_f_invokeAction_3035, &_call_f_invokeAction_3035); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPagedPaintDevice.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPagedPaintDevice.cc index e497872592..d6ed955e5a 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPagedPaintDevice.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPagedPaintDevice.cc @@ -194,12 +194,12 @@ static gsi::Methods methods_QPagedPaintDevice () { gsi::Methods methods; methods += new qt_gsi::GenericMethod ("newPage", "@brief Method bool QPagedPaintDevice::newPage()\n", false, &_init_f_newPage_0, &_call_f_newPage_0); methods += new qt_gsi::GenericMethod ("pageLayout", "@brief Method QPageLayout QPagedPaintDevice::pageLayout()\n", true, &_init_f_pageLayout_c0, &_call_f_pageLayout_c0); - methods += new qt_gsi::GenericMethod ("pageRanges", "@brief Method QPageRanges QPagedPaintDevice::pageRanges()\n", true, &_init_f_pageRanges_c0, &_call_f_pageRanges_c0); + methods += new qt_gsi::GenericMethod (":pageRanges", "@brief Method QPageRanges QPagedPaintDevice::pageRanges()\n", true, &_init_f_pageRanges_c0, &_call_f_pageRanges_c0); methods += new qt_gsi::GenericMethod ("setPageLayout", "@brief Method bool QPagedPaintDevice::setPageLayout(const QPageLayout &pageLayout)\n", false, &_init_f_setPageLayout_2413, &_call_f_setPageLayout_2413); methods += new qt_gsi::GenericMethod ("setPageMargins", "@brief Method bool QPagedPaintDevice::setPageMargins(const QMarginsF &margins, QPageLayout::Unit units)\n", false, &_init_f_setPageMargins_4145, &_call_f_setPageMargins_4145); methods += new qt_gsi::GenericMethod ("setPageOrientation", "@brief Method bool QPagedPaintDevice::setPageOrientation(QPageLayout::Orientation orientation)\n", false, &_init_f_setPageOrientation_2816, &_call_f_setPageOrientation_2816); - methods += new qt_gsi::GenericMethod ("setPageRanges", "@brief Method void QPagedPaintDevice::setPageRanges(const QPageRanges &ranges)\n", false, &_init_f_setPageRanges_2383, &_call_f_setPageRanges_2383); - methods += new qt_gsi::GenericMethod ("setPageSize|pageSize=", "@brief Method bool QPagedPaintDevice::setPageSize(const QPageSize &pageSize)\n", false, &_init_f_setPageSize_2186, &_call_f_setPageSize_2186); + methods += new qt_gsi::GenericMethod ("setPageRanges|pageRanges=", "@brief Method void QPagedPaintDevice::setPageRanges(const QPageRanges &ranges)\n", false, &_init_f_setPageRanges_2383, &_call_f_setPageRanges_2383); + methods += new qt_gsi::GenericMethod ("setPageSize", "@brief Method bool QPagedPaintDevice::setPageSize(const QPageSize &pageSize)\n", false, &_init_f_setPageSize_2186, &_call_f_setPageSize_2186); return methods; } diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPaintDeviceWindow.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPaintDeviceWindow.cc index 36c5a9a86d..70ca07dbbf 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPaintDeviceWindow.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPaintDeviceWindow.cc @@ -277,6 +277,7 @@ static gsi::Methods methods_QPaintDeviceWindow () { methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QPaintDeviceWindow::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("opacityChanged(double)", "opacityChanged", gsi::arg("opacity"), "@brief Signal declaration for QPaintDeviceWindow::opacityChanged(double opacity)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("screenChanged(QScreen *)", "screenChanged", gsi::arg("screen"), "@brief Signal declaration for QPaintDeviceWindow::screenChanged(QScreen *screen)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("transientParentChanged(QWindow *)", "transientParentChanged", gsi::arg("transientParent"), "@brief Signal declaration for QPaintDeviceWindow::transientParentChanged(QWindow *transientParent)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal::target_type & > ("visibilityChanged(QWindow::Visibility)", "visibilityChanged", gsi::arg("visibility"), "@brief Signal declaration for QPaintDeviceWindow::visibilityChanged(QWindow::Visibility visibility)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("visibleChanged(bool)", "visibleChanged", gsi::arg("arg"), "@brief Signal declaration for QPaintDeviceWindow::visibleChanged(bool arg)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("widthChanged(int)", "widthChanged", gsi::arg("arg"), "@brief Signal declaration for QPaintDeviceWindow::widthChanged(int arg)\nYou can bind a procedure to this signal."); @@ -509,6 +510,12 @@ class QPaintDeviceWindow_Adaptor : public QPaintDeviceWindow, public qt_gsi::QtO } } + // [emitter impl] void QPaintDeviceWindow::transientParentChanged(QWindow *transientParent) + void emitter_QPaintDeviceWindow_transientParentChanged_1335(QWindow *transientParent) + { + emit QPaintDeviceWindow::transientParentChanged(transientParent); + } + // [emitter impl] void QPaintDeviceWindow::visibilityChanged(QWindow::Visibility visibility) void emitter_QPaintDeviceWindow_visibilityChanged_2329(QWindow::Visibility visibility) { @@ -2090,6 +2097,24 @@ static void _set_callback_cbs_touchEvent_1732_0 (void *cls, const gsi::Callback } +// emitter void QPaintDeviceWindow::transientParentChanged(QWindow *transientParent) + +static void _init_emitter_transientParentChanged_1335 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("transientParent"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_transientParentChanged_1335 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QWindow *arg1 = gsi::arg_reader() (args, heap); + ((QPaintDeviceWindow_Adaptor *)cls)->emitter_QPaintDeviceWindow_transientParentChanged_1335 (arg1); +} + + // emitter void QPaintDeviceWindow::visibilityChanged(QWindow::Visibility visibility) static void _init_emitter_visibilityChanged_2329 (qt_gsi::GenericMethod *decl) @@ -2331,6 +2356,7 @@ static gsi::Methods methods_QPaintDeviceWindow_Adaptor () { methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*touchEvent", "@brief Virtual method void QPaintDeviceWindow::touchEvent(QTouchEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_touchEvent_1732_0, &_call_cbs_touchEvent_1732_0); methods += new qt_gsi::GenericMethod ("*touchEvent", "@hide", false, &_init_cbs_touchEvent_1732_0, &_call_cbs_touchEvent_1732_0, &_set_callback_cbs_touchEvent_1732_0); + methods += new qt_gsi::GenericMethod ("emit_transientParentChanged", "@brief Emitter for signal void QPaintDeviceWindow::transientParentChanged(QWindow *transientParent)\nCall this method to emit this signal.", false, &_init_emitter_transientParentChanged_1335, &_call_emitter_transientParentChanged_1335); methods += new qt_gsi::GenericMethod ("emit_visibilityChanged", "@brief Emitter for signal void QPaintDeviceWindow::visibilityChanged(QWindow::Visibility visibility)\nCall this method to emit this signal.", false, &_init_emitter_visibilityChanged_2329, &_call_emitter_visibilityChanged_2329); methods += new qt_gsi::GenericMethod ("emit_visibleChanged", "@brief Emitter for signal void QPaintDeviceWindow::visibleChanged(bool arg)\nCall this method to emit this signal.", false, &_init_emitter_visibleChanged_864, &_call_emitter_visibleChanged_864); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QPaintDeviceWindow::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPalette.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPalette.cc index 880c0fdf5a..9754fcd64c 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPalette.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPalette.cc @@ -1022,14 +1022,14 @@ static gsi::Methods methods_QPalette () { methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QPalette::operator==(const QPalette &p)\n", true, &_init_f_operator_eq__eq__c2113, &_call_f_operator_eq__eq__c2113); methods += new qt_gsi::GenericMethod ("placeholderText", "@brief Method const QBrush &QPalette::placeholderText()\n", true, &_init_f_placeholderText_c0, &_call_f_placeholderText_c0); methods += new qt_gsi::GenericMethod ("resolve", "@brief Method QPalette QPalette::resolve(const QPalette &other)\n", true, &_init_f_resolve_c2113, &_call_f_resolve_c2113); - methods += new qt_gsi::GenericMethod ("resolveMask", "@brief Method QPalette::ResolveMask QPalette::resolveMask()\n", true, &_init_f_resolveMask_c0, &_call_f_resolveMask_c0); + methods += new qt_gsi::GenericMethod (":resolveMask", "@brief Method QPalette::ResolveMask QPalette::resolveMask()\n", true, &_init_f_resolveMask_c0, &_call_f_resolveMask_c0); methods += new qt_gsi::GenericMethod ("setBrush", "@brief Method void QPalette::setBrush(QPalette::ColorRole cr, const QBrush &brush)\n", false, &_init_f_setBrush_4067, &_call_f_setBrush_4067); methods += new qt_gsi::GenericMethod ("setBrush", "@brief Method void QPalette::setBrush(QPalette::ColorGroup cg, QPalette::ColorRole cr, const QBrush &brush)\n", false, &_init_f_setBrush_6347, &_call_f_setBrush_6347); methods += new qt_gsi::GenericMethod ("setColor", "@brief Method void QPalette::setColor(QPalette::ColorGroup cg, QPalette::ColorRole cr, const QColor &color)\n", false, &_init_f_setColor_6342, &_call_f_setColor_6342); methods += new qt_gsi::GenericMethod ("setColor", "@brief Method void QPalette::setColor(QPalette::ColorRole cr, const QColor &color)\n", false, &_init_f_setColor_4062, &_call_f_setColor_4062); methods += new qt_gsi::GenericMethod ("setColorGroup", "@brief Method void QPalette::setColorGroup(QPalette::ColorGroup cr, const QBrush &windowText, const QBrush &button, const QBrush &light, const QBrush &dark, const QBrush &mid, const QBrush &text, const QBrush &bright_text, const QBrush &base, const QBrush &window)\n", false, &_init_f_setColorGroup_18606, &_call_f_setColorGroup_18606); methods += new qt_gsi::GenericMethod ("setCurrentColorGroup|currentColorGroup=", "@brief Method void QPalette::setCurrentColorGroup(QPalette::ColorGroup cg)\n", false, &_init_f_setCurrentColorGroup_2388, &_call_f_setCurrentColorGroup_2388); - methods += new qt_gsi::GenericMethod ("setResolveMask", "@brief Method void QPalette::setResolveMask(QPalette::ResolveMask mask)\n", false, &_init_f_setResolveMask_2484, &_call_f_setResolveMask_2484); + methods += new qt_gsi::GenericMethod ("setResolveMask|resolveMask=", "@brief Method void QPalette::setResolveMask(QPalette::ResolveMask mask)\n", false, &_init_f_setResolveMask_2484, &_call_f_setResolveMask_2484); methods += new qt_gsi::GenericMethod ("shadow", "@brief Method const QBrush &QPalette::shadow()\n", true, &_init_f_shadow_c0, &_call_f_shadow_c0); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QPalette::swap(QPalette &other)\n", false, &_init_f_swap_1418, &_call_f_swap_1418); methods += new qt_gsi::GenericMethod ("text", "@brief Method const QBrush &QPalette::text()\n", true, &_init_f_text_c0, &_call_f_text_c0); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPdfWriter.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPdfWriter.cc index 54e4daf8ef..33a4d7cdce 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPdfWriter.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPdfWriter.cc @@ -357,13 +357,13 @@ static gsi::Methods methods_QPdfWriter () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("addFileAttachment", "@brief Method void QPdfWriter::addFileAttachment(const QString &fileName, const QByteArray &data, const QString &mimeType)\n", false, &_init_f_addFileAttachment_6143, &_call_f_addFileAttachment_6143); methods += new qt_gsi::GenericMethod (":creator", "@brief Method QString QPdfWriter::creator()\n", true, &_init_f_creator_c0, &_call_f_creator_c0); - methods += new qt_gsi::GenericMethod ("documentXmpMetadata", "@brief Method QByteArray QPdfWriter::documentXmpMetadata()\n", true, &_init_f_documentXmpMetadata_c0, &_call_f_documentXmpMetadata_c0); + methods += new qt_gsi::GenericMethod (":documentXmpMetadata", "@brief Method QByteArray QPdfWriter::documentXmpMetadata()\n", true, &_init_f_documentXmpMetadata_c0, &_call_f_documentXmpMetadata_c0); methods += new qt_gsi::GenericMethod ("newPage", "@brief Method bool QPdfWriter::newPage()\nThis is a reimplementation of QPagedPaintDevice::newPage", false, &_init_f_newPage_0, &_call_f_newPage_0); - methods += new qt_gsi::GenericMethod ("pdfVersion", "@brief Method QPagedPaintDevice::PdfVersion QPdfWriter::pdfVersion()\n", true, &_init_f_pdfVersion_c0, &_call_f_pdfVersion_c0); + methods += new qt_gsi::GenericMethod (":pdfVersion", "@brief Method QPagedPaintDevice::PdfVersion QPdfWriter::pdfVersion()\n", true, &_init_f_pdfVersion_c0, &_call_f_pdfVersion_c0); methods += new qt_gsi::GenericMethod (":resolution", "@brief Method int QPdfWriter::resolution()\n", true, &_init_f_resolution_c0, &_call_f_resolution_c0); methods += new qt_gsi::GenericMethod ("setCreator|creator=", "@brief Method void QPdfWriter::setCreator(const QString &creator)\n", false, &_init_f_setCreator_2025, &_call_f_setCreator_2025); - methods += new qt_gsi::GenericMethod ("setDocumentXmpMetadata", "@brief Method void QPdfWriter::setDocumentXmpMetadata(const QByteArray &xmpMetadata)\n", false, &_init_f_setDocumentXmpMetadata_2309, &_call_f_setDocumentXmpMetadata_2309); - methods += new qt_gsi::GenericMethod ("setPdfVersion", "@brief Method void QPdfWriter::setPdfVersion(QPagedPaintDevice::PdfVersion version)\n", false, &_init_f_setPdfVersion_3238, &_call_f_setPdfVersion_3238); + methods += new qt_gsi::GenericMethod ("setDocumentXmpMetadata|documentXmpMetadata=", "@brief Method void QPdfWriter::setDocumentXmpMetadata(const QByteArray &xmpMetadata)\n", false, &_init_f_setDocumentXmpMetadata_2309, &_call_f_setDocumentXmpMetadata_2309); + methods += new qt_gsi::GenericMethod ("setPdfVersion|pdfVersion=", "@brief Method void QPdfWriter::setPdfVersion(QPagedPaintDevice::PdfVersion version)\n", false, &_init_f_setPdfVersion_3238, &_call_f_setPdfVersion_3238); methods += new qt_gsi::GenericMethod ("setResolution|resolution=", "@brief Method void QPdfWriter::setResolution(int resolution)\n", false, &_init_f_setResolution_767, &_call_f_setResolution_767); methods += new qt_gsi::GenericMethod ("setTitle|title=", "@brief Method void QPdfWriter::setTitle(const QString &title)\n", false, &_init_f_setTitle_2025, &_call_f_setTitle_2025); methods += new qt_gsi::GenericMethod (":title", "@brief Method QString QPdfWriter::title()\n", true, &_init_f_title_c0, &_call_f_title_c0); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPointerEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPointerEvent.cc index 7159b93c31..d2e492615a 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPointerEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPointerEvent.cc @@ -398,9 +398,9 @@ static gsi::Methods methods_QPointerEvent () { methods += new qt_gsi::GenericMethod ("pointingDevice", "@brief Method const QPointingDevice *QPointerEvent::pointingDevice()\n", true, &_init_f_pointingDevice_c0, &_call_f_pointingDevice_c0); methods += new qt_gsi::GenericMethod ("points", "@brief Method const QList &QPointerEvent::points()\n", true, &_init_f_points_c0, &_call_f_points_c0); methods += new qt_gsi::GenericMethod ("removePassiveGrabber", "@brief Method bool QPointerEvent::removePassiveGrabber(const QEventPoint &point, QObject *grabber)\n", false, &_init_f_removePassiveGrabber_3624, &_call_f_removePassiveGrabber_3624); - methods += new qt_gsi::GenericMethod ("setAccepted", "@brief Method void QPointerEvent::setAccepted(bool accepted)\nThis is a reimplementation of QEvent::setAccepted", false, &_init_f_setAccepted_864, &_call_f_setAccepted_864); + methods += new qt_gsi::GenericMethod ("setAccepted|accepted=", "@brief Method void QPointerEvent::setAccepted(bool accepted)\nThis is a reimplementation of QEvent::setAccepted", false, &_init_f_setAccepted_864, &_call_f_setAccepted_864); methods += new qt_gsi::GenericMethod ("setExclusiveGrabber", "@brief Method void QPointerEvent::setExclusiveGrabber(const QEventPoint &point, QObject *exclusiveGrabber)\n", false, &_init_f_setExclusiveGrabber_3624, &_call_f_setExclusiveGrabber_3624); - methods += new qt_gsi::GenericMethod ("setTimestamp", "@brief Method void QPointerEvent::setTimestamp(quint64 timestamp)\nThis is a reimplementation of QInputEvent::setTimestamp", false, &_init_f_setTimestamp_1103, &_call_f_setTimestamp_1103); + methods += new qt_gsi::GenericMethod ("setTimestamp|timestamp=", "@brief Method void QPointerEvent::setTimestamp(quint64 timestamp)\nThis is a reimplementation of QInputEvent::setTimestamp", false, &_init_f_setTimestamp_1103, &_call_f_setTimestamp_1103); return methods; } diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPointingDevice.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPointingDevice.cc index 54237761e8..df50b7466d 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPointingDevice.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPointingDevice.cc @@ -74,35 +74,6 @@ static void _call_f_buttonCount_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QPointingDevice::grabChanged(QObject *grabber, QPointingDevice::GrabTransition transition, const QPointerEvent *event, const QEventPoint &point) - - -static void _init_f_grabChanged_c9569 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("grabber"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("transition"); - decl->add_arg::target_type & > (argspec_1); - static gsi::ArgSpecBase argspec_2 ("event"); - decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("point"); - decl->add_arg (argspec_3); - decl->set_return (); -} - -static void _call_f_grabChanged_c9569 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QObject *arg1 = gsi::arg_reader() (args, heap); - const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); - const QPointerEvent *arg3 = gsi::arg_reader() (args, heap); - const QEventPoint &arg4 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QPointingDevice *)cls)->grabChanged (arg1, qt_gsi::QtToCppAdaptor(arg2).cref(), arg3, arg4); -} - - // int QPointingDevice::maximumPoints() @@ -277,15 +248,18 @@ namespace gsi static gsi::Methods methods_QPointingDevice () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("buttonCount", "@brief Method int QPointingDevice::buttonCount()\n", true, &_init_f_buttonCount_c0, &_call_f_buttonCount_c0); - methods += new qt_gsi::GenericMethod ("grabChanged", "@brief Method void QPointingDevice::grabChanged(QObject *grabber, QPointingDevice::GrabTransition transition, const QPointerEvent *event, const QEventPoint &point)\n", true, &_init_f_grabChanged_c9569, &_call_f_grabChanged_c9569); - methods += new qt_gsi::GenericMethod ("maximumPoints", "@brief Method int QPointingDevice::maximumPoints()\n", true, &_init_f_maximumPoints_c0, &_call_f_maximumPoints_c0); + methods += new qt_gsi::GenericMethod (":buttonCount", "@brief Method int QPointingDevice::buttonCount()\n", true, &_init_f_buttonCount_c0, &_call_f_buttonCount_c0); + methods += new qt_gsi::GenericMethod (":maximumPoints", "@brief Method int QPointingDevice::maximumPoints()\n", true, &_init_f_maximumPoints_c0, &_call_f_maximumPoints_c0); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QPointingDevice::operator==(const QPointingDevice &other)\n", true, &_init_f_operator_eq__eq__c2826, &_call_f_operator_eq__eq__c2826); - methods += new qt_gsi::GenericMethod ("pointerType", "@brief Method QPointingDevice::PointerType QPointingDevice::pointerType()\n", true, &_init_f_pointerType_c0, &_call_f_pointerType_c0); + methods += new qt_gsi::GenericMethod (":pointerType", "@brief Method QPointingDevice::PointerType QPointingDevice::pointerType()\n", true, &_init_f_pointerType_c0, &_call_f_pointerType_c0); methods += new qt_gsi::GenericMethod ("setCapabilities", "@brief Method void QPointingDevice::setCapabilities(QFlags caps)\n", false, &_init_f_setCapabilities_3475, &_call_f_setCapabilities_3475); methods += new qt_gsi::GenericMethod ("setMaximumTouchPoints", "@brief Method void QPointingDevice::setMaximumTouchPoints(int c)\n", false, &_init_f_setMaximumTouchPoints_767, &_call_f_setMaximumTouchPoints_767); methods += new qt_gsi::GenericMethod ("setType", "@brief Method void QPointingDevice::setType(QInputDevice::DeviceType devType)\n", false, &_init_f_setType_2763, &_call_f_setType_2763); - methods += new qt_gsi::GenericMethod ("uniqueId", "@brief Method QPointingDeviceUniqueId QPointingDevice::uniqueId()\n", true, &_init_f_uniqueId_c0, &_call_f_uniqueId_c0); + methods += new qt_gsi::GenericMethod (":uniqueId", "@brief Method QPointingDeviceUniqueId QPointingDevice::uniqueId()\n", true, &_init_f_uniqueId_c0, &_call_f_uniqueId_c0); + methods += gsi::qt_signal ("availableVirtualGeometryChanged(QRect)", "availableVirtualGeometryChanged", gsi::arg("area"), "@brief Signal declaration for QPointingDevice::availableVirtualGeometryChanged(QRect area)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QPointingDevice::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type &, const QPointerEvent *, const QEventPoint & > ("grabChanged(QObject *, QPointingDevice::GrabTransition, const QPointerEvent *, const QEventPoint &)", "grabChanged", gsi::arg("grabber"), gsi::arg("transition"), gsi::arg("event"), gsi::arg("point"), "@brief Signal declaration for QPointingDevice::grabChanged(QObject *grabber, QPointingDevice::GrabTransition transition, const QPointerEvent *event, const QEventPoint &point)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QPointingDevice::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("primaryPointingDevice", "@brief Static method const QPointingDevice *QPointingDevice::primaryPointingDevice(const QString &seatName)\nThis method is static and can be called without an instance.", &_init_f_primaryPointingDevice_2025, &_call_f_primaryPointingDevice_2025); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QPointingDevice::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; @@ -364,6 +338,18 @@ class QPointingDevice_Adaptor : public QPointingDevice, public qt_gsi::QtObjectB return QPointingDevice::senderSignalIndex(); } + // [emitter impl] void QPointingDevice::availableVirtualGeometryChanged(QRect area) + void emitter_QPointingDevice_availableVirtualGeometryChanged_915(QRect area) + { + emit QPointingDevice::availableVirtualGeometryChanged(area); + } + + // [emitter impl] void QPointingDevice::destroyed(QObject *) + void emitter_QPointingDevice_destroyed_1302(QObject *arg1) + { + emit QPointingDevice::destroyed(arg1); + } + // [adaptor impl] bool QPointingDevice::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -394,6 +380,19 @@ class QPointingDevice_Adaptor : public QPointingDevice, public qt_gsi::QtObjectB } } + // [emitter impl] void QPointingDevice::grabChanged(QObject *grabber, QPointingDevice::GrabTransition transition, const QPointerEvent *event, const QEventPoint &point) + void emitter_QPointingDevice_grabChanged_c9569(QObject *grabber, QPointingDevice::GrabTransition transition, const QPointerEvent *event, const QEventPoint &point) + { + emit QPointingDevice::grabChanged(grabber, transition, event, point); + } + + // [emitter impl] void QPointingDevice::objectNameChanged(const QString &objectName) + void emitter_QPointingDevice_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QPointingDevice::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QPointingDevice::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -527,6 +526,24 @@ static void _call_ctor_QPointingDevice_Adaptor_19111 (const qt_gsi::GenericStati } +// emitter void QPointingDevice::availableVirtualGeometryChanged(QRect area) + +static void _init_emitter_availableVirtualGeometryChanged_915 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("area"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_availableVirtualGeometryChanged_915 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QRect arg1 = gsi::arg_reader() (args, heap); + ((QPointingDevice_Adaptor *)cls)->emitter_QPointingDevice_availableVirtualGeometryChanged_915 (arg1); +} + + // void QPointingDevice::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -575,6 +592,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QPointingDevice::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QPointingDevice_Adaptor *)cls)->emitter_QPointingDevice_destroyed_1302 (arg1); +} + + // void QPointingDevice::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -648,6 +683,33 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } +// emitter void QPointingDevice::grabChanged(QObject *grabber, QPointingDevice::GrabTransition transition, const QPointerEvent *event, const QEventPoint &point) + +static void _init_emitter_grabChanged_c9569 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("grabber"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("transition"); + decl->add_arg::target_type & > (argspec_1); + static gsi::ArgSpecBase argspec_2 ("event"); + decl->add_arg (argspec_2); + static gsi::ArgSpecBase argspec_3 ("point"); + decl->add_arg (argspec_3); + decl->set_return (); +} + +static void _call_emitter_grabChanged_c9569 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = gsi::arg_reader() (args, heap); + const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); + const QPointerEvent *arg3 = gsi::arg_reader() (args, heap); + const QEventPoint &arg4 = gsi::arg_reader() (args, heap); + ((QPointingDevice_Adaptor *)cls)->emitter_QPointingDevice_grabChanged_c9569 (arg1, arg2, arg3, arg4); +} + + // exposed bool QPointingDevice::isSignalConnected(const QMetaMethod &signal) static void _init_fp_isSignalConnected_c2394 (qt_gsi::GenericMethod *decl) @@ -666,6 +728,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QPointingDevice::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QPointingDevice_Adaptor *)cls)->emitter_QPointingDevice_objectNameChanged_4567 (arg1); +} + + // exposed int QPointingDevice::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -745,17 +825,21 @@ static gsi::Methods methods_QPointingDevice_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPointingDevice::QPointingDevice(QObject *parent)\nThis method creates an object of class QPointingDevice.", &_init_ctor_QPointingDevice_Adaptor_1302, &_call_ctor_QPointingDevice_Adaptor_1302); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPointingDevice::QPointingDevice(const QString &name, qint64 systemId, QInputDevice::DeviceType devType, QPointingDevice::PointerType pType, QFlags caps, int maxPoints, int buttonCount, const QString &seatName, QPointingDeviceUniqueId uniqueId, QObject *parent)\nThis method creates an object of class QPointingDevice.", &_init_ctor_QPointingDevice_Adaptor_19111, &_call_ctor_QPointingDevice_Adaptor_19111); + methods += new qt_gsi::GenericMethod ("emit_availableVirtualGeometryChanged", "@brief Emitter for signal void QPointingDevice::availableVirtualGeometryChanged(QRect area)\nCall this method to emit this signal.", false, &_init_emitter_availableVirtualGeometryChanged_915, &_call_emitter_availableVirtualGeometryChanged_915); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QPointingDevice::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPointingDevice::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QPointingDevice::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPointingDevice::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QPointingDevice::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QPointingDevice::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("emit_grabChanged", "@brief Emitter for signal void QPointingDevice::grabChanged(QObject *grabber, QPointingDevice::GrabTransition transition, const QPointerEvent *event, const QEventPoint &point)\nCall this method to emit this signal.", true, &_init_emitter_grabChanged_c9569, &_call_emitter_grabChanged_c9569); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QPointingDevice::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QPointingDevice::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QPointingDevice::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QPointingDevice::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QPointingDevice::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQRasterWindow.cc b/src/gsiqt/qt6/QtGui/gsiDeclQRasterWindow.cc index c5ec1001ca..63b1a671a6 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQRasterWindow.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQRasterWindow.cc @@ -125,6 +125,7 @@ static gsi::Methods methods_QRasterWindow () { methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QRasterWindow::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("opacityChanged(double)", "opacityChanged", gsi::arg("opacity"), "@brief Signal declaration for QRasterWindow::opacityChanged(double opacity)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("screenChanged(QScreen *)", "screenChanged", gsi::arg("screen"), "@brief Signal declaration for QRasterWindow::screenChanged(QScreen *screen)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("transientParentChanged(QWindow *)", "transientParentChanged", gsi::arg("transientParent"), "@brief Signal declaration for QRasterWindow::transientParentChanged(QWindow *transientParent)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal::target_type & > ("visibilityChanged(QWindow::Visibility)", "visibilityChanged", gsi::arg("visibility"), "@brief Signal declaration for QRasterWindow::visibilityChanged(QWindow::Visibility visibility)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("visibleChanged(bool)", "visibleChanged", gsi::arg("arg"), "@brief Signal declaration for QRasterWindow::visibleChanged(bool arg)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("widthChanged(int)", "widthChanged", gsi::arg("arg"), "@brief Signal declaration for QRasterWindow::widthChanged(int arg)\nYou can bind a procedure to this signal."); @@ -359,6 +360,12 @@ class QRasterWindow_Adaptor : public QRasterWindow, public qt_gsi::QtObjectBase } } + // [emitter impl] void QRasterWindow::transientParentChanged(QWindow *transientParent) + void emitter_QRasterWindow_transientParentChanged_1335(QWindow *transientParent) + { + emit QRasterWindow::transientParentChanged(transientParent); + } + // [emitter impl] void QRasterWindow::visibilityChanged(QWindow::Visibility visibility) void emitter_QRasterWindow_visibilityChanged_2329(QWindow::Visibility visibility) { @@ -1958,6 +1965,24 @@ static void _set_callback_cbs_touchEvent_1732_0 (void *cls, const gsi::Callback } +// emitter void QRasterWindow::transientParentChanged(QWindow *transientParent) + +static void _init_emitter_transientParentChanged_1335 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("transientParent"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_transientParentChanged_1335 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QWindow *arg1 = gsi::arg_reader() (args, heap); + ((QRasterWindow_Adaptor *)cls)->emitter_QRasterWindow_transientParentChanged_1335 (arg1); +} + + // emitter void QRasterWindow::visibilityChanged(QWindow::Visibility visibility) static void _init_emitter_visibilityChanged_2329 (qt_gsi::GenericMethod *decl) @@ -2200,6 +2225,7 @@ static gsi::Methods methods_QRasterWindow_Adaptor () { methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*touchEvent", "@brief Virtual method void QRasterWindow::touchEvent(QTouchEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_touchEvent_1732_0, &_call_cbs_touchEvent_1732_0); methods += new qt_gsi::GenericMethod ("*touchEvent", "@hide", false, &_init_cbs_touchEvent_1732_0, &_call_cbs_touchEvent_1732_0, &_set_callback_cbs_touchEvent_1732_0); + methods += new qt_gsi::GenericMethod ("emit_transientParentChanged", "@brief Emitter for signal void QRasterWindow::transientParentChanged(QWindow *transientParent)\nCall this method to emit this signal.", false, &_init_emitter_transientParentChanged_1335, &_call_emitter_transientParentChanged_1335); methods += new qt_gsi::GenericMethod ("emit_visibilityChanged", "@brief Emitter for signal void QRasterWindow::visibilityChanged(QWindow::Visibility visibility)\nCall this method to emit this signal.", false, &_init_emitter_visibilityChanged_2329, &_call_emitter_visibilityChanged_2329); methods += new qt_gsi::GenericMethod ("emit_visibleChanged", "@brief Emitter for signal void QRasterWindow::visibleChanged(bool arg)\nCall this method to emit this signal.", false, &_init_emitter_visibleChanged_864, &_call_emitter_visibleChanged_864); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QRasterWindow::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQRgba64.cc b/src/gsiqt/qt6/QtGui/gsiDeclQRgba64.cc index c16e72240e..eca7707182 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQRgba64.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQRgba64.cc @@ -460,22 +460,22 @@ namespace gsi static gsi::Methods methods_QRgba64 () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QRgba64::QRgba64()\nThis method creates an object of class QRgba64.", &_init_ctor_QRgba64_0, &_call_ctor_QRgba64_0); - methods += new qt_gsi::GenericMethod ("alpha", "@brief Method quint16 QRgba64::alpha()\n", true, &_init_f_alpha_c0, &_call_f_alpha_c0); + methods += new qt_gsi::GenericMethod (":alpha", "@brief Method quint16 QRgba64::alpha()\n", true, &_init_f_alpha_c0, &_call_f_alpha_c0); methods += new qt_gsi::GenericMethod ("alpha8", "@brief Method quint8 QRgba64::alpha8()\n", true, &_init_f_alpha8_c0, &_call_f_alpha8_c0); - methods += new qt_gsi::GenericMethod ("blue", "@brief Method quint16 QRgba64::blue()\n", true, &_init_f_blue_c0, &_call_f_blue_c0); + methods += new qt_gsi::GenericMethod (":blue", "@brief Method quint16 QRgba64::blue()\n", true, &_init_f_blue_c0, &_call_f_blue_c0); methods += new qt_gsi::GenericMethod ("blue8", "@brief Method quint8 QRgba64::blue8()\n", true, &_init_f_blue8_c0, &_call_f_blue8_c0); - methods += new qt_gsi::GenericMethod ("green", "@brief Method quint16 QRgba64::green()\n", true, &_init_f_green_c0, &_call_f_green_c0); + methods += new qt_gsi::GenericMethod (":green", "@brief Method quint16 QRgba64::green()\n", true, &_init_f_green_c0, &_call_f_green_c0); methods += new qt_gsi::GenericMethod ("green8", "@brief Method quint8 QRgba64::green8()\n", true, &_init_f_green8_c0, &_call_f_green8_c0); methods += new qt_gsi::GenericMethod ("isOpaque?", "@brief Method bool QRgba64::isOpaque()\n", true, &_init_f_isOpaque_c0, &_call_f_isOpaque_c0); methods += new qt_gsi::GenericMethod ("isTransparent?", "@brief Method bool QRgba64::isTransparent()\n", true, &_init_f_isTransparent_c0, &_call_f_isTransparent_c0); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QRgba64 &QRgba64::operator=(quint64 _rgba)\n", false, &_init_f_operator_eq__1103, &_call_f_operator_eq__1103); methods += new qt_gsi::GenericMethod ("premultiplied", "@brief Method QRgba64 QRgba64::premultiplied()\n", true, &_init_f_premultiplied_c0, &_call_f_premultiplied_c0); - methods += new qt_gsi::GenericMethod ("red", "@brief Method quint16 QRgba64::red()\n", true, &_init_f_red_c0, &_call_f_red_c0); + methods += new qt_gsi::GenericMethod (":red", "@brief Method quint16 QRgba64::red()\n", true, &_init_f_red_c0, &_call_f_red_c0); methods += new qt_gsi::GenericMethod ("red8", "@brief Method quint8 QRgba64::red8()\n", true, &_init_f_red8_c0, &_call_f_red8_c0); - methods += new qt_gsi::GenericMethod ("setAlpha", "@brief Method void QRgba64::setAlpha(quint16 _alpha)\n", false, &_init_f_setAlpha_1100, &_call_f_setAlpha_1100); - methods += new qt_gsi::GenericMethod ("setBlue", "@brief Method void QRgba64::setBlue(quint16 _blue)\n", false, &_init_f_setBlue_1100, &_call_f_setBlue_1100); - methods += new qt_gsi::GenericMethod ("setGreen", "@brief Method void QRgba64::setGreen(quint16 _green)\n", false, &_init_f_setGreen_1100, &_call_f_setGreen_1100); - methods += new qt_gsi::GenericMethod ("setRed", "@brief Method void QRgba64::setRed(quint16 _red)\n", false, &_init_f_setRed_1100, &_call_f_setRed_1100); + methods += new qt_gsi::GenericMethod ("setAlpha|alpha=", "@brief Method void QRgba64::setAlpha(quint16 _alpha)\n", false, &_init_f_setAlpha_1100, &_call_f_setAlpha_1100); + methods += new qt_gsi::GenericMethod ("setBlue|blue=", "@brief Method void QRgba64::setBlue(quint16 _blue)\n", false, &_init_f_setBlue_1100, &_call_f_setBlue_1100); + methods += new qt_gsi::GenericMethod ("setGreen|green=", "@brief Method void QRgba64::setGreen(quint16 _green)\n", false, &_init_f_setGreen_1100, &_call_f_setGreen_1100); + methods += new qt_gsi::GenericMethod ("setRed|red=", "@brief Method void QRgba64::setRed(quint16 _red)\n", false, &_init_f_setRed_1100, &_call_f_setRed_1100); methods += new qt_gsi::GenericMethod ("toArgb32", "@brief Method unsigned int QRgba64::toArgb32()\n", true, &_init_f_toArgb32_c0, &_call_f_toArgb32_c0); methods += new qt_gsi::GenericMethod ("toRgb16", "@brief Method unsigned short int QRgba64::toRgb16()\n", true, &_init_f_toRgb16_c0, &_call_f_toRgb16_c0); methods += new qt_gsi::GenericMethod ("unpremultiplied", "@brief Method QRgba64 QRgba64::unpremultiplied()\n", true, &_init_f_unpremultiplied_c0, &_call_f_unpremultiplied_c0); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQScreen.cc b/src/gsiqt/qt6/QtGui/gsiDeclQScreen.cc index 87ed039c5e..cc52879b4b 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQScreen.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQScreen.cc @@ -655,9 +655,9 @@ static gsi::Methods methods_QScreen () { methods += new qt_gsi::GenericMethod (":logicalDotsPerInch", "@brief Method double QScreen::logicalDotsPerInch()\n", true, &_init_f_logicalDotsPerInch_c0, &_call_f_logicalDotsPerInch_c0); methods += new qt_gsi::GenericMethod (":logicalDotsPerInchX", "@brief Method double QScreen::logicalDotsPerInchX()\n", true, &_init_f_logicalDotsPerInchX_c0, &_call_f_logicalDotsPerInchX_c0); methods += new qt_gsi::GenericMethod (":logicalDotsPerInchY", "@brief Method double QScreen::logicalDotsPerInchY()\n", true, &_init_f_logicalDotsPerInchY_c0, &_call_f_logicalDotsPerInchY_c0); - methods += new qt_gsi::GenericMethod ("manufacturer", "@brief Method QString QScreen::manufacturer()\n", true, &_init_f_manufacturer_c0, &_call_f_manufacturer_c0); + methods += new qt_gsi::GenericMethod (":manufacturer", "@brief Method QString QScreen::manufacturer()\n", true, &_init_f_manufacturer_c0, &_call_f_manufacturer_c0); methods += new qt_gsi::GenericMethod ("mapBetween", "@brief Method QRect QScreen::mapBetween(Qt::ScreenOrientation a, Qt::ScreenOrientation b, const QRect &rect)\n", true, &_init_f_mapBetween_c6618, &_call_f_mapBetween_c6618); - methods += new qt_gsi::GenericMethod ("model", "@brief Method QString QScreen::model()\n", true, &_init_f_model_c0, &_call_f_model_c0); + methods += new qt_gsi::GenericMethod (":model", "@brief Method QString QScreen::model()\n", true, &_init_f_model_c0, &_call_f_model_c0); methods += new qt_gsi::GenericMethod (":name", "@brief Method QString QScreen::name()\n", true, &_init_f_name_c0, &_call_f_name_c0); methods += new qt_gsi::GenericMethod (":nativeOrientation", "@brief Method Qt::ScreenOrientation QScreen::nativeOrientation()\n", true, &_init_f_nativeOrientation_c0, &_call_f_nativeOrientation_c0); methods += new qt_gsi::GenericMethod (":orientation", "@brief Method Qt::ScreenOrientation QScreen::orientation()\n", true, &_init_f_orientation_c0, &_call_f_orientation_c0); @@ -667,7 +667,7 @@ static gsi::Methods methods_QScreen () { methods += new qt_gsi::GenericMethod (":physicalSize", "@brief Method QSizeF QScreen::physicalSize()\n", true, &_init_f_physicalSize_c0, &_call_f_physicalSize_c0); methods += new qt_gsi::GenericMethod (":primaryOrientation", "@brief Method Qt::ScreenOrientation QScreen::primaryOrientation()\n", true, &_init_f_primaryOrientation_c0, &_call_f_primaryOrientation_c0); methods += new qt_gsi::GenericMethod (":refreshRate", "@brief Method double QScreen::refreshRate()\n", true, &_init_f_refreshRate_c0, &_call_f_refreshRate_c0); - methods += new qt_gsi::GenericMethod ("serialNumber", "@brief Method QString QScreen::serialNumber()\n", true, &_init_f_serialNumber_c0, &_call_f_serialNumber_c0); + methods += new qt_gsi::GenericMethod (":serialNumber", "@brief Method QString QScreen::serialNumber()\n", true, &_init_f_serialNumber_c0, &_call_f_serialNumber_c0); methods += new qt_gsi::GenericMethod (":size", "@brief Method QSize QScreen::size()\n", true, &_init_f_size_c0, &_call_f_size_c0); methods += new qt_gsi::GenericMethod ("transformBetween", "@brief Method QTransform QScreen::transformBetween(Qt::ScreenOrientation a, Qt::ScreenOrientation b, const QRect &target)\n", true, &_init_f_transformBetween_c6618, &_call_f_transformBetween_c6618); methods += new qt_gsi::GenericMethod (":virtualGeometry", "@brief Method QRect QScreen::virtualGeometry()\n", true, &_init_f_virtualGeometry_c0, &_call_f_virtualGeometry_c0); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQSinglePointEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQSinglePointEvent.cc index a9272acb6e..d1c7763412 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQSinglePointEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQSinglePointEvent.cc @@ -202,14 +202,14 @@ static gsi::Methods methods_QSinglePointEvent () { gsi::Methods methods; methods += new qt_gsi::GenericMethod ("button", "@brief Method Qt::MouseButton QSinglePointEvent::button()\n", true, &_init_f_button_c0, &_call_f_button_c0); methods += new qt_gsi::GenericMethod ("buttons", "@brief Method QFlags QSinglePointEvent::buttons()\n", true, &_init_f_buttons_c0, &_call_f_buttons_c0); - methods += new qt_gsi::GenericMethod ("exclusivePointGrabber", "@brief Method QObject *QSinglePointEvent::exclusivePointGrabber()\n", true, &_init_f_exclusivePointGrabber_c0, &_call_f_exclusivePointGrabber_c0); + methods += new qt_gsi::GenericMethod (":exclusivePointGrabber", "@brief Method QObject *QSinglePointEvent::exclusivePointGrabber()\n", true, &_init_f_exclusivePointGrabber_c0, &_call_f_exclusivePointGrabber_c0); methods += new qt_gsi::GenericMethod ("globalPosition", "@brief Method QPointF QSinglePointEvent::globalPosition()\n", true, &_init_f_globalPosition_c0, &_call_f_globalPosition_c0); methods += new qt_gsi::GenericMethod ("isBeginEvent?", "@brief Method bool QSinglePointEvent::isBeginEvent()\nThis is a reimplementation of QPointerEvent::isBeginEvent", true, &_init_f_isBeginEvent_c0, &_call_f_isBeginEvent_c0); methods += new qt_gsi::GenericMethod ("isEndEvent?", "@brief Method bool QSinglePointEvent::isEndEvent()\nThis is a reimplementation of QPointerEvent::isEndEvent", true, &_init_f_isEndEvent_c0, &_call_f_isEndEvent_c0); methods += new qt_gsi::GenericMethod ("isUpdateEvent?", "@brief Method bool QSinglePointEvent::isUpdateEvent()\nThis is a reimplementation of QPointerEvent::isUpdateEvent", true, &_init_f_isUpdateEvent_c0, &_call_f_isUpdateEvent_c0); methods += new qt_gsi::GenericMethod ("position", "@brief Method QPointF QSinglePointEvent::position()\n", true, &_init_f_position_c0, &_call_f_position_c0); methods += new qt_gsi::GenericMethod ("scenePosition", "@brief Method QPointF QSinglePointEvent::scenePosition()\n", true, &_init_f_scenePosition_c0, &_call_f_scenePosition_c0); - methods += new qt_gsi::GenericMethod ("setExclusivePointGrabber", "@brief Method void QSinglePointEvent::setExclusivePointGrabber(QObject *exclusiveGrabber)\n", false, &_init_f_setExclusivePointGrabber_1302, &_call_f_setExclusivePointGrabber_1302); + methods += new qt_gsi::GenericMethod ("setExclusivePointGrabber|exclusivePointGrabber=", "@brief Method void QSinglePointEvent::setExclusivePointGrabber(QObject *exclusiveGrabber)\n", false, &_init_f_setExclusivePointGrabber_1302, &_call_f_setExclusivePointGrabber_1302); return methods; } diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQStandardItem.cc b/src/gsiqt/qt6/QtGui/gsiDeclQStandardItem.cc index 60e53e07b4..c9bda9431f 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQStandardItem.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQStandardItem.cc @@ -1629,14 +1629,14 @@ static gsi::Methods methods_QStandardItem () { methods += new qt_gsi::GenericMethod ("insertRow", "@brief Method void QStandardItem::insertRow(int row, QStandardItem *item)\n", false, &_init_f_insertRow_2578, &_call_f_insertRow_2578); methods += new qt_gsi::GenericMethod ("insertRows", "@brief Method void QStandardItem::insertRows(int row, const QList &items)\n", false, &_init_f_insertRows_3926, &_call_f_insertRows_3926); methods += new qt_gsi::GenericMethod ("insertRows", "@brief Method void QStandardItem::insertRows(int row, int count)\n", false, &_init_f_insertRows_1426, &_call_f_insertRows_1426); - methods += new qt_gsi::GenericMethod ("isAutoTristate?", "@brief Method bool QStandardItem::isAutoTristate()\n", true, &_init_f_isAutoTristate_c0, &_call_f_isAutoTristate_c0); + methods += new qt_gsi::GenericMethod ("isAutoTristate?|:autoTristate", "@brief Method bool QStandardItem::isAutoTristate()\n", true, &_init_f_isAutoTristate_c0, &_call_f_isAutoTristate_c0); methods += new qt_gsi::GenericMethod ("isCheckable?|:checkable", "@brief Method bool QStandardItem::isCheckable()\n", true, &_init_f_isCheckable_c0, &_call_f_isCheckable_c0); methods += new qt_gsi::GenericMethod ("isDragEnabled?|:dragEnabled", "@brief Method bool QStandardItem::isDragEnabled()\n", true, &_init_f_isDragEnabled_c0, &_call_f_isDragEnabled_c0); methods += new qt_gsi::GenericMethod ("isDropEnabled?|:dropEnabled", "@brief Method bool QStandardItem::isDropEnabled()\n", true, &_init_f_isDropEnabled_c0, &_call_f_isDropEnabled_c0); methods += new qt_gsi::GenericMethod ("isEditable?|:editable", "@brief Method bool QStandardItem::isEditable()\n", true, &_init_f_isEditable_c0, &_call_f_isEditable_c0); methods += new qt_gsi::GenericMethod ("isEnabled?|:enabled", "@brief Method bool QStandardItem::isEnabled()\n", true, &_init_f_isEnabled_c0, &_call_f_isEnabled_c0); methods += new qt_gsi::GenericMethod ("isSelectable?|:selectable", "@brief Method bool QStandardItem::isSelectable()\n", true, &_init_f_isSelectable_c0, &_call_f_isSelectable_c0); - methods += new qt_gsi::GenericMethod ("isUserTristate?", "@brief Method bool QStandardItem::isUserTristate()\n", true, &_init_f_isUserTristate_c0, &_call_f_isUserTristate_c0); + methods += new qt_gsi::GenericMethod ("isUserTristate?|:userTristate", "@brief Method bool QStandardItem::isUserTristate()\n", true, &_init_f_isUserTristate_c0, &_call_f_isUserTristate_c0); methods += new qt_gsi::GenericMethod ("model", "@brief Method QStandardItemModel *QStandardItem::model()\n", true, &_init_f_model_c0, &_call_f_model_c0); methods += new qt_gsi::GenericMethod ("multiData", "@brief Method void QStandardItem::multiData(QModelRoleDataSpan roleDataSpan)\n", true, &_init_f_multiData_c2196, &_call_f_multiData_c2196); methods += new qt_gsi::GenericMethod ("<", "@brief Method bool QStandardItem::operator<(const QStandardItem &other)\n", true, &_init_f_operator_lt__c2610, &_call_f_operator_lt__c2610); @@ -1650,7 +1650,7 @@ static gsi::Methods methods_QStandardItem () { methods += new qt_gsi::GenericMethod (":rowCount", "@brief Method int QStandardItem::rowCount()\n", true, &_init_f_rowCount_c0, &_call_f_rowCount_c0); methods += new qt_gsi::GenericMethod ("setAccessibleDescription|accessibleDescription=", "@brief Method void QStandardItem::setAccessibleDescription(const QString &accessibleDescription)\n", false, &_init_f_setAccessibleDescription_2025, &_call_f_setAccessibleDescription_2025); methods += new qt_gsi::GenericMethod ("setAccessibleText|accessibleText=", "@brief Method void QStandardItem::setAccessibleText(const QString &accessibleText)\n", false, &_init_f_setAccessibleText_2025, &_call_f_setAccessibleText_2025); - methods += new qt_gsi::GenericMethod ("setAutoTristate", "@brief Method void QStandardItem::setAutoTristate(bool tristate)\n", false, &_init_f_setAutoTristate_864, &_call_f_setAutoTristate_864); + methods += new qt_gsi::GenericMethod ("setAutoTristate|autoTristate=", "@brief Method void QStandardItem::setAutoTristate(bool tristate)\n", false, &_init_f_setAutoTristate_864, &_call_f_setAutoTristate_864); methods += new qt_gsi::GenericMethod ("setBackground|background=", "@brief Method void QStandardItem::setBackground(const QBrush &brush)\n", false, &_init_f_setBackground_1910, &_call_f_setBackground_1910); methods += new qt_gsi::GenericMethod ("setCheckState|checkState=", "@brief Method void QStandardItem::setCheckState(Qt::CheckState checkState)\n", false, &_init_f_setCheckState_1740, &_call_f_setCheckState_1740); methods += new qt_gsi::GenericMethod ("setCheckable|checkable=", "@brief Method void QStandardItem::setCheckable(bool checkable)\n", false, &_init_f_setCheckable_864, &_call_f_setCheckable_864); @@ -1673,7 +1673,7 @@ static gsi::Methods methods_QStandardItem () { methods += new qt_gsi::GenericMethod ("setText|text=", "@brief Method void QStandardItem::setText(const QString &text)\n", false, &_init_f_setText_2025, &_call_f_setText_2025); methods += new qt_gsi::GenericMethod ("setTextAlignment|textAlignment=", "@brief Method void QStandardItem::setTextAlignment(QFlags textAlignment)\n", false, &_init_f_setTextAlignment_2750, &_call_f_setTextAlignment_2750); methods += new qt_gsi::GenericMethod ("setToolTip|toolTip=", "@brief Method void QStandardItem::setToolTip(const QString &toolTip)\n", false, &_init_f_setToolTip_2025, &_call_f_setToolTip_2025); - methods += new qt_gsi::GenericMethod ("setUserTristate", "@brief Method void QStandardItem::setUserTristate(bool tristate)\n", false, &_init_f_setUserTristate_864, &_call_f_setUserTristate_864); + methods += new qt_gsi::GenericMethod ("setUserTristate|userTristate=", "@brief Method void QStandardItem::setUserTristate(bool tristate)\n", false, &_init_f_setUserTristate_864, &_call_f_setUserTristate_864); methods += new qt_gsi::GenericMethod ("setWhatsThis|whatsThis=", "@brief Method void QStandardItem::setWhatsThis(const QString &whatsThis)\n", false, &_init_f_setWhatsThis_2025, &_call_f_setWhatsThis_2025); methods += new qt_gsi::GenericMethod (":sizeHint", "@brief Method QSize QStandardItem::sizeHint()\n", true, &_init_f_sizeHint_c0, &_call_f_sizeHint_c0); methods += new qt_gsi::GenericMethod ("sortChildren", "@brief Method void QStandardItem::sortChildren(int column, Qt::SortOrder order)\n", false, &_init_f_sortChildren_2340, &_call_f_sortChildren_2340); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQStyleHints.cc b/src/gsiqt/qt6/QtGui/gsiDeclQStyleHints.cc index 8a03df2761..3c46fc479c 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQStyleHints.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQStyleHints.cc @@ -484,26 +484,6 @@ static void _call_f_showShortcutsInContextMenus_c0 (const qt_gsi::GenericMethod } -// void QStyleHints::showShortcutsInContextMenusChanged(bool) - - -static void _init_f_showShortcutsInContextMenusChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_showShortcutsInContextMenusChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QStyleHints *)cls)->showShortcutsInContextMenusChanged (arg1); -} - - // bool QStyleHints::singleClickActivation() @@ -674,10 +654,10 @@ static gsi::Methods methods_QStyleHints () { methods += new qt_gsi::GenericMethod (":fontSmoothingGamma", "@brief Method double QStyleHints::fontSmoothingGamma()\n", true, &_init_f_fontSmoothingGamma_c0, &_call_f_fontSmoothingGamma_c0); methods += new qt_gsi::GenericMethod (":keyboardAutoRepeatRate", "@brief Method int QStyleHints::keyboardAutoRepeatRate()\n", true, &_init_f_keyboardAutoRepeatRate_c0, &_call_f_keyboardAutoRepeatRate_c0); methods += new qt_gsi::GenericMethod (":keyboardInputInterval", "@brief Method int QStyleHints::keyboardInputInterval()\n", true, &_init_f_keyboardInputInterval_c0, &_call_f_keyboardInputInterval_c0); - methods += new qt_gsi::GenericMethod ("mouseDoubleClickDistance", "@brief Method int QStyleHints::mouseDoubleClickDistance()\n", true, &_init_f_mouseDoubleClickDistance_c0, &_call_f_mouseDoubleClickDistance_c0); + methods += new qt_gsi::GenericMethod (":mouseDoubleClickDistance", "@brief Method int QStyleHints::mouseDoubleClickDistance()\n", true, &_init_f_mouseDoubleClickDistance_c0, &_call_f_mouseDoubleClickDistance_c0); methods += new qt_gsi::GenericMethod (":mouseDoubleClickInterval", "@brief Method int QStyleHints::mouseDoubleClickInterval()\n", true, &_init_f_mouseDoubleClickInterval_c0, &_call_f_mouseDoubleClickInterval_c0); methods += new qt_gsi::GenericMethod (":mousePressAndHoldInterval", "@brief Method int QStyleHints::mousePressAndHoldInterval()\n", true, &_init_f_mousePressAndHoldInterval_c0, &_call_f_mousePressAndHoldInterval_c0); - methods += new qt_gsi::GenericMethod ("mouseQuickSelectionThreshold", "@brief Method int QStyleHints::mouseQuickSelectionThreshold()\n", true, &_init_f_mouseQuickSelectionThreshold_c0, &_call_f_mouseQuickSelectionThreshold_c0); + methods += new qt_gsi::GenericMethod (":mouseQuickSelectionThreshold", "@brief Method int QStyleHints::mouseQuickSelectionThreshold()\n", true, &_init_f_mouseQuickSelectionThreshold_c0, &_call_f_mouseQuickSelectionThreshold_c0); methods += new qt_gsi::GenericMethod (":passwordMaskCharacter", "@brief Method QChar QStyleHints::passwordMaskCharacter()\n", true, &_init_f_passwordMaskCharacter_c0, &_call_f_passwordMaskCharacter_c0); methods += new qt_gsi::GenericMethod (":passwordMaskDelay", "@brief Method int QStyleHints::passwordMaskDelay()\n", true, &_init_f_passwordMaskDelay_c0, &_call_f_passwordMaskDelay_c0); methods += new qt_gsi::GenericMethod ("setCursorFlashTime", "@brief Method void QStyleHints::setCursorFlashTime(int cursorFlashTime)\n", false, &_init_f_setCursorFlashTime_767, &_call_f_setCursorFlashTime_767); @@ -685,26 +665,25 @@ static gsi::Methods methods_QStyleHints () { methods += new qt_gsi::GenericMethod ("setKeyboardInputInterval", "@brief Method void QStyleHints::setKeyboardInputInterval(int keyboardInputInterval)\n", false, &_init_f_setKeyboardInputInterval_767, &_call_f_setKeyboardInputInterval_767); methods += new qt_gsi::GenericMethod ("setMouseDoubleClickInterval", "@brief Method void QStyleHints::setMouseDoubleClickInterval(int mouseDoubleClickInterval)\n", false, &_init_f_setMouseDoubleClickInterval_767, &_call_f_setMouseDoubleClickInterval_767); methods += new qt_gsi::GenericMethod ("setMousePressAndHoldInterval", "@brief Method void QStyleHints::setMousePressAndHoldInterval(int mousePressAndHoldInterval)\n", false, &_init_f_setMousePressAndHoldInterval_767, &_call_f_setMousePressAndHoldInterval_767); - methods += new qt_gsi::GenericMethod ("setMouseQuickSelectionThreshold", "@brief Method void QStyleHints::setMouseQuickSelectionThreshold(int threshold)\n", false, &_init_f_setMouseQuickSelectionThreshold_767, &_call_f_setMouseQuickSelectionThreshold_767); - methods += new qt_gsi::GenericMethod ("setShowShortcutsInContextMenus", "@brief Method void QStyleHints::setShowShortcutsInContextMenus(bool showShortcutsInContextMenus)\n", false, &_init_f_setShowShortcutsInContextMenus_864, &_call_f_setShowShortcutsInContextMenus_864); + methods += new qt_gsi::GenericMethod ("setMouseQuickSelectionThreshold|mouseQuickSelectionThreshold=", "@brief Method void QStyleHints::setMouseQuickSelectionThreshold(int threshold)\n", false, &_init_f_setMouseQuickSelectionThreshold_767, &_call_f_setMouseQuickSelectionThreshold_767); + methods += new qt_gsi::GenericMethod ("setShowShortcutsInContextMenus|showShortcutsInContextMenus=", "@brief Method void QStyleHints::setShowShortcutsInContextMenus(bool showShortcutsInContextMenus)\n", false, &_init_f_setShowShortcutsInContextMenus_864, &_call_f_setShowShortcutsInContextMenus_864); methods += new qt_gsi::GenericMethod ("setStartDragDistance", "@brief Method void QStyleHints::setStartDragDistance(int startDragDistance)\n", false, &_init_f_setStartDragDistance_767, &_call_f_setStartDragDistance_767); methods += new qt_gsi::GenericMethod ("setStartDragTime", "@brief Method void QStyleHints::setStartDragTime(int startDragTime)\n", false, &_init_f_setStartDragTime_767, &_call_f_setStartDragTime_767); methods += new qt_gsi::GenericMethod ("setTabFocusBehavior", "@brief Method void QStyleHints::setTabFocusBehavior(Qt::TabFocusBehavior tabFocusBehavior)\n", false, &_init_f_setTabFocusBehavior_2356, &_call_f_setTabFocusBehavior_2356); - methods += new qt_gsi::GenericMethod ("setUseHoverEffects", "@brief Method void QStyleHints::setUseHoverEffects(bool useHoverEffects)\n", false, &_init_f_setUseHoverEffects_864, &_call_f_setUseHoverEffects_864); + methods += new qt_gsi::GenericMethod ("setUseHoverEffects|useHoverEffects=", "@brief Method void QStyleHints::setUseHoverEffects(bool useHoverEffects)\n", false, &_init_f_setUseHoverEffects_864, &_call_f_setUseHoverEffects_864); methods += new qt_gsi::GenericMethod ("setWheelScrollLines", "@brief Method void QStyleHints::setWheelScrollLines(int scrollLines)\n", false, &_init_f_setWheelScrollLines_767, &_call_f_setWheelScrollLines_767); methods += new qt_gsi::GenericMethod (":showIsFullScreen", "@brief Method bool QStyleHints::showIsFullScreen()\n", true, &_init_f_showIsFullScreen_c0, &_call_f_showIsFullScreen_c0); - methods += new qt_gsi::GenericMethod ("showIsMaximized", "@brief Method bool QStyleHints::showIsMaximized()\n", true, &_init_f_showIsMaximized_c0, &_call_f_showIsMaximized_c0); - methods += new qt_gsi::GenericMethod ("showShortcutsInContextMenus", "@brief Method bool QStyleHints::showShortcutsInContextMenus()\n", true, &_init_f_showShortcutsInContextMenus_c0, &_call_f_showShortcutsInContextMenus_c0); - methods += new qt_gsi::GenericMethod ("showShortcutsInContextMenusChanged", "@brief Method void QStyleHints::showShortcutsInContextMenusChanged(bool)\n", false, &_init_f_showShortcutsInContextMenusChanged_864, &_call_f_showShortcutsInContextMenusChanged_864); + methods += new qt_gsi::GenericMethod (":showIsMaximized", "@brief Method bool QStyleHints::showIsMaximized()\n", true, &_init_f_showIsMaximized_c0, &_call_f_showIsMaximized_c0); + methods += new qt_gsi::GenericMethod (":showShortcutsInContextMenus", "@brief Method bool QStyleHints::showShortcutsInContextMenus()\n", true, &_init_f_showShortcutsInContextMenus_c0, &_call_f_showShortcutsInContextMenus_c0); methods += new qt_gsi::GenericMethod (":singleClickActivation", "@brief Method bool QStyleHints::singleClickActivation()\n", true, &_init_f_singleClickActivation_c0, &_call_f_singleClickActivation_c0); methods += new qt_gsi::GenericMethod (":startDragDistance", "@brief Method int QStyleHints::startDragDistance()\n", true, &_init_f_startDragDistance_c0, &_call_f_startDragDistance_c0); methods += new qt_gsi::GenericMethod (":startDragTime", "@brief Method int QStyleHints::startDragTime()\n", true, &_init_f_startDragTime_c0, &_call_f_startDragTime_c0); methods += new qt_gsi::GenericMethod (":startDragVelocity", "@brief Method int QStyleHints::startDragVelocity()\n", true, &_init_f_startDragVelocity_c0, &_call_f_startDragVelocity_c0); methods += new qt_gsi::GenericMethod (":tabFocusBehavior", "@brief Method Qt::TabFocusBehavior QStyleHints::tabFocusBehavior()\n", true, &_init_f_tabFocusBehavior_c0, &_call_f_tabFocusBehavior_c0); - methods += new qt_gsi::GenericMethod ("touchDoubleTapDistance", "@brief Method int QStyleHints::touchDoubleTapDistance()\n", true, &_init_f_touchDoubleTapDistance_c0, &_call_f_touchDoubleTapDistance_c0); - methods += new qt_gsi::GenericMethod ("useHoverEffects", "@brief Method bool QStyleHints::useHoverEffects()\n", true, &_init_f_useHoverEffects_c0, &_call_f_useHoverEffects_c0); + methods += new qt_gsi::GenericMethod (":touchDoubleTapDistance", "@brief Method int QStyleHints::touchDoubleTapDistance()\n", true, &_init_f_touchDoubleTapDistance_c0, &_call_f_touchDoubleTapDistance_c0); + methods += new qt_gsi::GenericMethod (":useHoverEffects", "@brief Method bool QStyleHints::useHoverEffects()\n", true, &_init_f_useHoverEffects_c0, &_call_f_useHoverEffects_c0); methods += new qt_gsi::GenericMethod (":useRtlExtensions", "@brief Method bool QStyleHints::useRtlExtensions()\n", true, &_init_f_useRtlExtensions_c0, &_call_f_useRtlExtensions_c0); - methods += new qt_gsi::GenericMethod ("wheelScrollLines", "@brief Method int QStyleHints::wheelScrollLines()\n", true, &_init_f_wheelScrollLines_c0, &_call_f_wheelScrollLines_c0); + methods += new qt_gsi::GenericMethod (":wheelScrollLines", "@brief Method int QStyleHints::wheelScrollLines()\n", true, &_init_f_wheelScrollLines_c0, &_call_f_wheelScrollLines_c0); methods += gsi::qt_signal ("cursorFlashTimeChanged(int)", "cursorFlashTimeChanged", gsi::arg("cursorFlashTime"), "@brief Signal declaration for QStyleHints::cursorFlashTimeChanged(int cursorFlashTime)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QStyleHints::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("keyboardInputIntervalChanged(int)", "keyboardInputIntervalChanged", gsi::arg("keyboardInputInterval"), "@brief Signal declaration for QStyleHints::keyboardInputIntervalChanged(int keyboardInputInterval)\nYou can bind a procedure to this signal."); @@ -712,6 +691,7 @@ static gsi::Methods methods_QStyleHints () { methods += gsi::qt_signal ("mousePressAndHoldIntervalChanged(int)", "mousePressAndHoldIntervalChanged", gsi::arg("mousePressAndHoldInterval"), "@brief Signal declaration for QStyleHints::mousePressAndHoldIntervalChanged(int mousePressAndHoldInterval)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("mouseQuickSelectionThresholdChanged(int)", "mouseQuickSelectionThresholdChanged", gsi::arg("threshold"), "@brief Signal declaration for QStyleHints::mouseQuickSelectionThresholdChanged(int threshold)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QStyleHints::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("showShortcutsInContextMenusChanged(bool)", "showShortcutsInContextMenusChanged", gsi::arg("arg1"), "@brief Signal declaration for QStyleHints::showShortcutsInContextMenusChanged(bool)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("startDragDistanceChanged(int)", "startDragDistanceChanged", gsi::arg("startDragDistance"), "@brief Signal declaration for QStyleHints::startDragDistanceChanged(int startDragDistance)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("startDragTimeChanged(int)", "startDragTimeChanged", gsi::arg("startDragTime"), "@brief Signal declaration for QStyleHints::startDragTimeChanged(int startDragTime)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal::target_type & > ("tabFocusBehaviorChanged(Qt::TabFocusBehavior)", "tabFocusBehaviorChanged", gsi::arg("tabFocusBehavior"), "@brief Signal declaration for QStyleHints::tabFocusBehaviorChanged(Qt::TabFocusBehavior tabFocusBehavior)\nYou can bind a procedure to this signal."); @@ -831,6 +811,12 @@ class QStyleHints_Adaptor : public QStyleHints, public qt_gsi::QtObjectBase throw tl::Exception ("Can't emit private signal 'void QStyleHints::objectNameChanged(const QString &objectName)'"); } + // [emitter impl] void QStyleHints::showShortcutsInContextMenusChanged(bool) + void emitter_QStyleHints_showShortcutsInContextMenusChanged_864(bool arg1) + { + emit QStyleHints::showShortcutsInContextMenusChanged(arg1); + } + // [emitter impl] void QStyleHints::startDragDistanceChanged(int startDragDistance) void emitter_QStyleHints_startDragDistanceChanged_767(int startDragDistance) { @@ -1242,6 +1228,24 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } +// emitter void QStyleHints::showShortcutsInContextMenusChanged(bool) + +static void _init_emitter_showShortcutsInContextMenusChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_showShortcutsInContextMenusChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QStyleHints_Adaptor *)cls)->emitter_QStyleHints_showShortcutsInContextMenusChanged_864 (arg1); +} + + // emitter void QStyleHints::startDragDistanceChanged(int startDragDistance) static void _init_emitter_startDragDistanceChanged_767 (qt_gsi::GenericMethod *decl) @@ -1384,6 +1388,7 @@ static gsi::Methods methods_QStyleHints_Adaptor () { methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QStyleHints::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QStyleHints::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QStyleHints::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); + methods += new qt_gsi::GenericMethod ("emit_showShortcutsInContextMenusChanged", "@brief Emitter for signal void QStyleHints::showShortcutsInContextMenusChanged(bool)\nCall this method to emit this signal.", false, &_init_emitter_showShortcutsInContextMenusChanged_864, &_call_emitter_showShortcutsInContextMenusChanged_864); methods += new qt_gsi::GenericMethod ("emit_startDragDistanceChanged", "@brief Emitter for signal void QStyleHints::startDragDistanceChanged(int startDragDistance)\nCall this method to emit this signal.", false, &_init_emitter_startDragDistanceChanged_767, &_call_emitter_startDragDistanceChanged_767); methods += new qt_gsi::GenericMethod ("emit_startDragTimeChanged", "@brief Emitter for signal void QStyleHints::startDragTimeChanged(int startDragTime)\nCall this method to emit this signal.", false, &_init_emitter_startDragTimeChanged_767, &_call_emitter_startDragTimeChanged_767); methods += new qt_gsi::GenericMethod ("emit_tabFocusBehaviorChanged", "@brief Emitter for signal void QStyleHints::tabFocusBehaviorChanged(Qt::TabFocusBehavior tabFocusBehavior)\nCall this method to emit this signal.", false, &_init_emitter_tabFocusBehaviorChanged_2356, &_call_emitter_tabFocusBehaviorChanged_2356); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQSurfaceFormat.cc b/src/gsiqt/qt6/QtGui/gsiDeclQSurfaceFormat.cc index 2a1cd33150..d4e8e7e104 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQSurfaceFormat.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQSurfaceFormat.cc @@ -829,7 +829,7 @@ static gsi::Methods methods_QSurfaceFormat () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSurfaceFormat::QSurfaceFormat(const QSurfaceFormat &other)\nThis method creates an object of class QSurfaceFormat.", &_init_ctor_QSurfaceFormat_2724, &_call_ctor_QSurfaceFormat_2724); methods += new qt_gsi::GenericMethod (":alphaBufferSize", "@brief Method int QSurfaceFormat::alphaBufferSize()\n", true, &_init_f_alphaBufferSize_c0, &_call_f_alphaBufferSize_c0); methods += new qt_gsi::GenericMethod (":blueBufferSize", "@brief Method int QSurfaceFormat::blueBufferSize()\n", true, &_init_f_blueBufferSize_c0, &_call_f_blueBufferSize_c0); - methods += new qt_gsi::GenericMethod ("colorSpace", "@brief Method const QColorSpace &QSurfaceFormat::colorSpace()\n", true, &_init_f_colorSpace_c0, &_call_f_colorSpace_c0); + methods += new qt_gsi::GenericMethod (":colorSpace", "@brief Method const QColorSpace &QSurfaceFormat::colorSpace()\n", true, &_init_f_colorSpace_c0, &_call_f_colorSpace_c0); methods += new qt_gsi::GenericMethod (":depthBufferSize", "@brief Method int QSurfaceFormat::depthBufferSize()\n", true, &_init_f_depthBufferSize_c0, &_call_f_depthBufferSize_c0); methods += new qt_gsi::GenericMethod (":greenBufferSize", "@brief Method int QSurfaceFormat::greenBufferSize()\n", true, &_init_f_greenBufferSize_c0, &_call_f_greenBufferSize_c0); methods += new qt_gsi::GenericMethod ("hasAlpha", "@brief Method bool QSurfaceFormat::hasAlpha()\n", true, &_init_f_hasAlpha_c0, &_call_f_hasAlpha_c0); @@ -843,8 +843,8 @@ static gsi::Methods methods_QSurfaceFormat () { methods += new qt_gsi::GenericMethod (":samples", "@brief Method int QSurfaceFormat::samples()\n", true, &_init_f_samples_c0, &_call_f_samples_c0); methods += new qt_gsi::GenericMethod ("setAlphaBufferSize|alphaBufferSize=", "@brief Method void QSurfaceFormat::setAlphaBufferSize(int size)\n", false, &_init_f_setAlphaBufferSize_767, &_call_f_setAlphaBufferSize_767); methods += new qt_gsi::GenericMethod ("setBlueBufferSize|blueBufferSize=", "@brief Method void QSurfaceFormat::setBlueBufferSize(int size)\n", false, &_init_f_setBlueBufferSize_767, &_call_f_setBlueBufferSize_767); - methods += new qt_gsi::GenericMethod ("setColorSpace", "@brief Method void QSurfaceFormat::setColorSpace(const QColorSpace &colorSpace)\n", false, &_init_f_setColorSpace_2397, &_call_f_setColorSpace_2397); - methods += new qt_gsi::GenericMethod ("setColorSpace", "@brief Method void QSurfaceFormat::setColorSpace(QSurfaceFormat::ColorSpace colorSpace)\n", false, &_init_f_setColorSpace_2966, &_call_f_setColorSpace_2966); + methods += new qt_gsi::GenericMethod ("setColorSpace|colorSpace=", "@brief Method void QSurfaceFormat::setColorSpace(const QColorSpace &colorSpace)\n", false, &_init_f_setColorSpace_2397, &_call_f_setColorSpace_2397); + methods += new qt_gsi::GenericMethod ("setColorSpace|colorSpace=", "@brief Method void QSurfaceFormat::setColorSpace(QSurfaceFormat::ColorSpace colorSpace)\n", false, &_init_f_setColorSpace_2966, &_call_f_setColorSpace_2966); methods += new qt_gsi::GenericMethod ("setDepthBufferSize|depthBufferSize=", "@brief Method void QSurfaceFormat::setDepthBufferSize(int size)\n", false, &_init_f_setDepthBufferSize_767, &_call_f_setDepthBufferSize_767); methods += new qt_gsi::GenericMethod ("setGreenBufferSize|greenBufferSize=", "@brief Method void QSurfaceFormat::setGreenBufferSize(int size)\n", false, &_init_f_setGreenBufferSize_767, &_call_f_setGreenBufferSize_767); methods += new qt_gsi::GenericMethod ("setMajorVersion|majorVersion=", "@brief Method void QSurfaceFormat::setMajorVersion(int majorVersion)\n", false, &_init_f_setMajorVersion_767, &_call_f_setMajorVersion_767); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextBlockFormat.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextBlockFormat.cc index b5ba5ed1d0..0533143e83 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextBlockFormat.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextBlockFormat.cc @@ -580,24 +580,24 @@ static gsi::Methods methods_QTextBlockFormat () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTextBlockFormat::QTextBlockFormat()\nThis method creates an object of class QTextBlockFormat.", &_init_ctor_QTextBlockFormat_0, &_call_ctor_QTextBlockFormat_0); methods += new qt_gsi::GenericMethod (":alignment", "@brief Method QFlags QTextBlockFormat::alignment()\n", true, &_init_f_alignment_c0, &_call_f_alignment_c0); methods += new qt_gsi::GenericMethod (":bottomMargin", "@brief Method double QTextBlockFormat::bottomMargin()\n", true, &_init_f_bottomMargin_c0, &_call_f_bottomMargin_c0); - methods += new qt_gsi::GenericMethod ("headingLevel", "@brief Method int QTextBlockFormat::headingLevel()\n", true, &_init_f_headingLevel_c0, &_call_f_headingLevel_c0); + methods += new qt_gsi::GenericMethod (":headingLevel", "@brief Method int QTextBlockFormat::headingLevel()\n", true, &_init_f_headingLevel_c0, &_call_f_headingLevel_c0); methods += new qt_gsi::GenericMethod (":indent", "@brief Method int QTextBlockFormat::indent()\n", true, &_init_f_indent_c0, &_call_f_indent_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QTextBlockFormat::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod (":leftMargin", "@brief Method double QTextBlockFormat::leftMargin()\n", true, &_init_f_leftMargin_c0, &_call_f_leftMargin_c0); methods += new qt_gsi::GenericMethod ("lineHeight", "@brief Method double QTextBlockFormat::lineHeight(double scriptLineHeight, double scaling)\n", true, &_init_f_lineHeight_c2034, &_call_f_lineHeight_c2034); methods += new qt_gsi::GenericMethod ("lineHeight", "@brief Method double QTextBlockFormat::lineHeight()\n", true, &_init_f_lineHeight_c0, &_call_f_lineHeight_c0); methods += new qt_gsi::GenericMethod ("lineHeightType", "@brief Method int QTextBlockFormat::lineHeightType()\n", true, &_init_f_lineHeightType_c0, &_call_f_lineHeightType_c0); - methods += new qt_gsi::GenericMethod ("marker", "@brief Method QTextBlockFormat::MarkerType QTextBlockFormat::marker()\n", true, &_init_f_marker_c0, &_call_f_marker_c0); + methods += new qt_gsi::GenericMethod (":marker", "@brief Method QTextBlockFormat::MarkerType QTextBlockFormat::marker()\n", true, &_init_f_marker_c0, &_call_f_marker_c0); methods += new qt_gsi::GenericMethod (":nonBreakableLines", "@brief Method bool QTextBlockFormat::nonBreakableLines()\n", true, &_init_f_nonBreakableLines_c0, &_call_f_nonBreakableLines_c0); methods += new qt_gsi::GenericMethod (":pageBreakPolicy", "@brief Method QFlags QTextBlockFormat::pageBreakPolicy()\n", true, &_init_f_pageBreakPolicy_c0, &_call_f_pageBreakPolicy_c0); methods += new qt_gsi::GenericMethod (":rightMargin", "@brief Method double QTextBlockFormat::rightMargin()\n", true, &_init_f_rightMargin_c0, &_call_f_rightMargin_c0); methods += new qt_gsi::GenericMethod ("setAlignment|alignment=", "@brief Method void QTextBlockFormat::setAlignment(QFlags alignment)\n", false, &_init_f_setAlignment_2750, &_call_f_setAlignment_2750); methods += new qt_gsi::GenericMethod ("setBottomMargin|bottomMargin=", "@brief Method void QTextBlockFormat::setBottomMargin(double margin)\n", false, &_init_f_setBottomMargin_1071, &_call_f_setBottomMargin_1071); - methods += new qt_gsi::GenericMethod ("setHeadingLevel", "@brief Method void QTextBlockFormat::setHeadingLevel(int alevel)\n", false, &_init_f_setHeadingLevel_767, &_call_f_setHeadingLevel_767); + methods += new qt_gsi::GenericMethod ("setHeadingLevel|headingLevel=", "@brief Method void QTextBlockFormat::setHeadingLevel(int alevel)\n", false, &_init_f_setHeadingLevel_767, &_call_f_setHeadingLevel_767); methods += new qt_gsi::GenericMethod ("setIndent|indent=", "@brief Method void QTextBlockFormat::setIndent(int indent)\n", false, &_init_f_setIndent_767, &_call_f_setIndent_767); methods += new qt_gsi::GenericMethod ("setLeftMargin|leftMargin=", "@brief Method void QTextBlockFormat::setLeftMargin(double margin)\n", false, &_init_f_setLeftMargin_1071, &_call_f_setLeftMargin_1071); methods += new qt_gsi::GenericMethod ("setLineHeight", "@brief Method void QTextBlockFormat::setLineHeight(double height, int heightType)\n", false, &_init_f_setLineHeight_1730, &_call_f_setLineHeight_1730); - methods += new qt_gsi::GenericMethod ("setMarker", "@brief Method void QTextBlockFormat::setMarker(QTextBlockFormat::MarkerType marker)\n", false, &_init_f_setMarker_3190, &_call_f_setMarker_3190); + methods += new qt_gsi::GenericMethod ("setMarker|marker=", "@brief Method void QTextBlockFormat::setMarker(QTextBlockFormat::MarkerType marker)\n", false, &_init_f_setMarker_3190, &_call_f_setMarker_3190); methods += new qt_gsi::GenericMethod ("setNonBreakableLines|nonBreakableLines=", "@brief Method void QTextBlockFormat::setNonBreakableLines(bool b)\n", false, &_init_f_setNonBreakableLines_864, &_call_f_setNonBreakableLines_864); methods += new qt_gsi::GenericMethod ("setPageBreakPolicy|pageBreakPolicy=", "@brief Method void QTextBlockFormat::setPageBreakPolicy(QFlags flags)\n", false, &_init_f_setPageBreakPolicy_3611, &_call_f_setPageBreakPolicy_3611); methods += new qt_gsi::GenericMethod ("setRightMargin|rightMargin=", "@brief Method void QTextBlockFormat::setRightMargin(double margin)\n", false, &_init_f_setRightMargin_1071, &_call_f_setRightMargin_1071); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextCharFormat.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextCharFormat.cc index 4825def6e5..7c5b7ae70b 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextCharFormat.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextCharFormat.cc @@ -1247,7 +1247,7 @@ static gsi::Methods methods_QTextCharFormat () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTextCharFormat::QTextCharFormat()\nThis method creates an object of class QTextCharFormat.", &_init_ctor_QTextCharFormat_0, &_call_ctor_QTextCharFormat_0); methods += new qt_gsi::GenericMethod (":anchorHref", "@brief Method QString QTextCharFormat::anchorHref()\n", true, &_init_f_anchorHref_c0, &_call_f_anchorHref_c0); methods += new qt_gsi::GenericMethod (":anchorNames", "@brief Method QStringList QTextCharFormat::anchorNames()\n", true, &_init_f_anchorNames_c0, &_call_f_anchorNames_c0); - methods += new qt_gsi::GenericMethod ("baselineOffset", "@brief Method double QTextCharFormat::baselineOffset()\n", true, &_init_f_baselineOffset_c0, &_call_f_baselineOffset_c0); + methods += new qt_gsi::GenericMethod (":baselineOffset", "@brief Method double QTextCharFormat::baselineOffset()\n", true, &_init_f_baselineOffset_c0, &_call_f_baselineOffset_c0); methods += new qt_gsi::GenericMethod (":font", "@brief Method QFont QTextCharFormat::font()\n", true, &_init_f_font_c0, &_call_f_font_c0); methods += new qt_gsi::GenericMethod (":fontCapitalization", "@brief Method QFont::Capitalization QTextCharFormat::fontCapitalization()\n", true, &_init_f_fontCapitalization_c0, &_call_f_fontCapitalization_c0); methods += new qt_gsi::GenericMethod ("fontFamilies", "@brief Method QVariant QTextCharFormat::fontFamilies()\n", true, &_init_f_fontFamilies_c0, &_call_f_fontFamilies_c0); @@ -1273,7 +1273,7 @@ static gsi::Methods methods_QTextCharFormat () { methods += new qt_gsi::GenericMethod ("setAnchor|anchor=", "@brief Method void QTextCharFormat::setAnchor(bool anchor)\n", false, &_init_f_setAnchor_864, &_call_f_setAnchor_864); methods += new qt_gsi::GenericMethod ("setAnchorHref|anchorHref=", "@brief Method void QTextCharFormat::setAnchorHref(const QString &value)\n", false, &_init_f_setAnchorHref_2025, &_call_f_setAnchorHref_2025); methods += new qt_gsi::GenericMethod ("setAnchorNames|anchorNames=", "@brief Method void QTextCharFormat::setAnchorNames(const QStringList &names)\n", false, &_init_f_setAnchorNames_2437, &_call_f_setAnchorNames_2437); - methods += new qt_gsi::GenericMethod ("setBaselineOffset", "@brief Method void QTextCharFormat::setBaselineOffset(double baseline)\n", false, &_init_f_setBaselineOffset_1071, &_call_f_setBaselineOffset_1071); + methods += new qt_gsi::GenericMethod ("setBaselineOffset|baselineOffset=", "@brief Method void QTextCharFormat::setBaselineOffset(double baseline)\n", false, &_init_f_setBaselineOffset_1071, &_call_f_setBaselineOffset_1071); methods += new qt_gsi::GenericMethod ("setFont", "@brief Method void QTextCharFormat::setFont(const QFont &font, QTextCharFormat::FontPropertiesInheritanceBehavior behavior)\n", false, &_init_f_setFont_7168, &_call_f_setFont_7168); methods += new qt_gsi::GenericMethod ("setFontCapitalization|fontCapitalization=", "@brief Method void QTextCharFormat::setFontCapitalization(QFont::Capitalization capitalization)\n", false, &_init_f_setFontCapitalization_2508, &_call_f_setFontCapitalization_2508); methods += new qt_gsi::GenericMethod ("setFontFamilies", "@brief Method void QTextCharFormat::setFontFamilies(const QStringList &families)\n", false, &_init_f_setFontFamilies_2437, &_call_f_setFontFamilies_2437); @@ -1294,8 +1294,8 @@ static gsi::Methods methods_QTextCharFormat () { methods += new qt_gsi::GenericMethod ("setFontUnderline|fontUnderline=", "@brief Method void QTextCharFormat::setFontUnderline(bool underline)\n", false, &_init_f_setFontUnderline_864, &_call_f_setFontUnderline_864); methods += new qt_gsi::GenericMethod ("setFontWeight|fontWeight=", "@brief Method void QTextCharFormat::setFontWeight(int weight)\n", false, &_init_f_setFontWeight_767, &_call_f_setFontWeight_767); methods += new qt_gsi::GenericMethod ("setFontWordSpacing|fontWordSpacing=", "@brief Method void QTextCharFormat::setFontWordSpacing(double spacing)\n", false, &_init_f_setFontWordSpacing_1071, &_call_f_setFontWordSpacing_1071); - methods += new qt_gsi::GenericMethod ("setSubScriptBaseline", "@brief Method void QTextCharFormat::setSubScriptBaseline(double baseline)\n", false, &_init_f_setSubScriptBaseline_1071, &_call_f_setSubScriptBaseline_1071); - methods += new qt_gsi::GenericMethod ("setSuperScriptBaseline", "@brief Method void QTextCharFormat::setSuperScriptBaseline(double baseline)\n", false, &_init_f_setSuperScriptBaseline_1071, &_call_f_setSuperScriptBaseline_1071); + methods += new qt_gsi::GenericMethod ("setSubScriptBaseline|subScriptBaseline=", "@brief Method void QTextCharFormat::setSubScriptBaseline(double baseline)\n", false, &_init_f_setSubScriptBaseline_1071, &_call_f_setSubScriptBaseline_1071); + methods += new qt_gsi::GenericMethod ("setSuperScriptBaseline|superScriptBaseline=", "@brief Method void QTextCharFormat::setSuperScriptBaseline(double baseline)\n", false, &_init_f_setSuperScriptBaseline_1071, &_call_f_setSuperScriptBaseline_1071); methods += new qt_gsi::GenericMethod ("setTableCellColumnSpan|tableCellColumnSpan=", "@brief Method void QTextCharFormat::setTableCellColumnSpan(int tableCellColumnSpan)\n", false, &_init_f_setTableCellColumnSpan_767, &_call_f_setTableCellColumnSpan_767); methods += new qt_gsi::GenericMethod ("setTableCellRowSpan|tableCellRowSpan=", "@brief Method void QTextCharFormat::setTableCellRowSpan(int tableCellRowSpan)\n", false, &_init_f_setTableCellRowSpan_767, &_call_f_setTableCellRowSpan_767); methods += new qt_gsi::GenericMethod ("setTextOutline|textOutline=", "@brief Method void QTextCharFormat::setTextOutline(const QPen &pen)\n", false, &_init_f_setTextOutline_1685, &_call_f_setTextOutline_1685); @@ -1303,8 +1303,8 @@ static gsi::Methods methods_QTextCharFormat () { methods += new qt_gsi::GenericMethod ("setUnderlineColor|underlineColor=", "@brief Method void QTextCharFormat::setUnderlineColor(const QColor &color)\n", false, &_init_f_setUnderlineColor_1905, &_call_f_setUnderlineColor_1905); methods += new qt_gsi::GenericMethod ("setUnderlineStyle|underlineStyle=", "@brief Method void QTextCharFormat::setUnderlineStyle(QTextCharFormat::UnderlineStyle style)\n", false, &_init_f_setUnderlineStyle_3516, &_call_f_setUnderlineStyle_3516); methods += new qt_gsi::GenericMethod ("setVerticalAlignment|verticalAlignment=", "@brief Method void QTextCharFormat::setVerticalAlignment(QTextCharFormat::VerticalAlignment alignment)\n", false, &_init_f_setVerticalAlignment_3806, &_call_f_setVerticalAlignment_3806); - methods += new qt_gsi::GenericMethod ("subScriptBaseline", "@brief Method double QTextCharFormat::subScriptBaseline()\n", true, &_init_f_subScriptBaseline_c0, &_call_f_subScriptBaseline_c0); - methods += new qt_gsi::GenericMethod ("superScriptBaseline", "@brief Method double QTextCharFormat::superScriptBaseline()\n", true, &_init_f_superScriptBaseline_c0, &_call_f_superScriptBaseline_c0); + methods += new qt_gsi::GenericMethod (":subScriptBaseline", "@brief Method double QTextCharFormat::subScriptBaseline()\n", true, &_init_f_subScriptBaseline_c0, &_call_f_subScriptBaseline_c0); + methods += new qt_gsi::GenericMethod (":superScriptBaseline", "@brief Method double QTextCharFormat::superScriptBaseline()\n", true, &_init_f_superScriptBaseline_c0, &_call_f_superScriptBaseline_c0); methods += new qt_gsi::GenericMethod (":tableCellColumnSpan", "@brief Method int QTextCharFormat::tableCellColumnSpan()\n", true, &_init_f_tableCellColumnSpan_c0, &_call_f_tableCellColumnSpan_c0); methods += new qt_gsi::GenericMethod (":tableCellRowSpan", "@brief Method int QTextCharFormat::tableCellRowSpan()\n", true, &_init_f_tableCellRowSpan_c0, &_call_f_tableCellRowSpan_c0); methods += new qt_gsi::GenericMethod (":textOutline", "@brief Method QPen QTextCharFormat::textOutline()\n", true, &_init_f_textOutline_c0, &_call_f_textOutline_c0); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextDocument.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextDocument.cc index 268fc47e72..624994991c 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextDocument.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextDocument.cc @@ -1629,7 +1629,7 @@ static gsi::Methods methods_QTextDocument () { methods += new qt_gsi::GenericMethod ("availableRedoSteps", "@brief Method int QTextDocument::availableRedoSteps()\n", true, &_init_f_availableRedoSteps_c0, &_call_f_availableRedoSteps_c0); methods += new qt_gsi::GenericMethod ("availableUndoSteps", "@brief Method int QTextDocument::availableUndoSteps()\n", true, &_init_f_availableUndoSteps_c0, &_call_f_availableUndoSteps_c0); methods += new qt_gsi::GenericMethod (":baseUrl", "@brief Method QUrl QTextDocument::baseUrl()\n", true, &_init_f_baseUrl_c0, &_call_f_baseUrl_c0); - methods += new qt_gsi::GenericMethod ("baselineOffset", "@brief Method double QTextDocument::baselineOffset()\n", true, &_init_f_baselineOffset_c0, &_call_f_baselineOffset_c0); + methods += new qt_gsi::GenericMethod (":baselineOffset", "@brief Method double QTextDocument::baselineOffset()\n", true, &_init_f_baselineOffset_c0, &_call_f_baselineOffset_c0); methods += new qt_gsi::GenericMethod ("begin", "@brief Method QTextBlock QTextDocument::begin()\n", true, &_init_f_begin_c0, &_call_f_begin_c0); methods += new qt_gsi::GenericMethod (":blockCount", "@brief Method int QTextDocument::blockCount()\n", true, &_init_f_blockCount_c0, &_call_f_blockCount_c0); methods += new qt_gsi::GenericMethod ("characterAt", "@brief Method QChar QTextDocument::characterAt(int pos)\n", true, &_init_f_characterAt_c767, &_call_f_characterAt_c767); @@ -1677,7 +1677,7 @@ static gsi::Methods methods_QTextDocument () { methods += new qt_gsi::GenericMethod ("revision", "@brief Method int QTextDocument::revision()\n", true, &_init_f_revision_c0, &_call_f_revision_c0); methods += new qt_gsi::GenericMethod ("rootFrame", "@brief Method QTextFrame *QTextDocument::rootFrame()\n", true, &_init_f_rootFrame_c0, &_call_f_rootFrame_c0); methods += new qt_gsi::GenericMethod ("setBaseUrl|baseUrl=", "@brief Method void QTextDocument::setBaseUrl(const QUrl &url)\n", false, &_init_f_setBaseUrl_1701, &_call_f_setBaseUrl_1701); - methods += new qt_gsi::GenericMethod ("setBaselineOffset", "@brief Method void QTextDocument::setBaselineOffset(double baseline)\n", false, &_init_f_setBaselineOffset_1071, &_call_f_setBaselineOffset_1071); + methods += new qt_gsi::GenericMethod ("setBaselineOffset|baselineOffset=", "@brief Method void QTextDocument::setBaselineOffset(double baseline)\n", false, &_init_f_setBaselineOffset_1071, &_call_f_setBaselineOffset_1071); methods += new qt_gsi::GenericMethod ("setDefaultCursorMoveStyle|defaultCursorMoveStyle=", "@brief Method void QTextDocument::setDefaultCursorMoveStyle(Qt::CursorMoveStyle style)\n", false, &_init_f_setDefaultCursorMoveStyle_2323, &_call_f_setDefaultCursorMoveStyle_2323); methods += new qt_gsi::GenericMethod ("setDefaultFont|defaultFont=", "@brief Method void QTextDocument::setDefaultFont(const QFont &font)\n", false, &_init_f_setDefaultFont_1801, &_call_f_setDefaultFont_1801); methods += new qt_gsi::GenericMethod ("setDefaultStyleSheet|defaultStyleSheet=", "@brief Method void QTextDocument::setDefaultStyleSheet(const QString &sheet)\n", false, &_init_f_setDefaultStyleSheet_2025, &_call_f_setDefaultStyleSheet_2025); @@ -1692,14 +1692,14 @@ static gsi::Methods methods_QTextDocument () { methods += new qt_gsi::GenericMethod ("setModified|modified=", "@brief Method void QTextDocument::setModified(bool m)\n", false, &_init_f_setModified_864, &_call_f_setModified_864); methods += new qt_gsi::GenericMethod ("setPageSize|pageSize=", "@brief Method void QTextDocument::setPageSize(const QSizeF &size)\n", false, &_init_f_setPageSize_1875, &_call_f_setPageSize_1875); methods += new qt_gsi::GenericMethod ("setPlainText", "@brief Method void QTextDocument::setPlainText(const QString &text)\n", false, &_init_f_setPlainText_2025, &_call_f_setPlainText_2025); - methods += new qt_gsi::GenericMethod ("setSubScriptBaseline", "@brief Method void QTextDocument::setSubScriptBaseline(double baseline)\n", false, &_init_f_setSubScriptBaseline_1071, &_call_f_setSubScriptBaseline_1071); - methods += new qt_gsi::GenericMethod ("setSuperScriptBaseline", "@brief Method void QTextDocument::setSuperScriptBaseline(double baseline)\n", false, &_init_f_setSuperScriptBaseline_1071, &_call_f_setSuperScriptBaseline_1071); + methods += new qt_gsi::GenericMethod ("setSubScriptBaseline|subScriptBaseline=", "@brief Method void QTextDocument::setSubScriptBaseline(double baseline)\n", false, &_init_f_setSubScriptBaseline_1071, &_call_f_setSubScriptBaseline_1071); + methods += new qt_gsi::GenericMethod ("setSuperScriptBaseline|superScriptBaseline=", "@brief Method void QTextDocument::setSuperScriptBaseline(double baseline)\n", false, &_init_f_setSuperScriptBaseline_1071, &_call_f_setSuperScriptBaseline_1071); methods += new qt_gsi::GenericMethod ("setTextWidth|textWidth=", "@brief Method void QTextDocument::setTextWidth(double width)\n", false, &_init_f_setTextWidth_1071, &_call_f_setTextWidth_1071); methods += new qt_gsi::GenericMethod ("setUndoRedoEnabled|undoRedoEnabled=", "@brief Method void QTextDocument::setUndoRedoEnabled(bool enable)\n", false, &_init_f_setUndoRedoEnabled_864, &_call_f_setUndoRedoEnabled_864); methods += new qt_gsi::GenericMethod ("setUseDesignMetrics|useDesignMetrics=", "@brief Method void QTextDocument::setUseDesignMetrics(bool b)\n", false, &_init_f_setUseDesignMetrics_864, &_call_f_setUseDesignMetrics_864); methods += new qt_gsi::GenericMethod (":size", "@brief Method QSizeF QTextDocument::size()\n", true, &_init_f_size_c0, &_call_f_size_c0); - methods += new qt_gsi::GenericMethod ("subScriptBaseline", "@brief Method double QTextDocument::subScriptBaseline()\n", true, &_init_f_subScriptBaseline_c0, &_call_f_subScriptBaseline_c0); - methods += new qt_gsi::GenericMethod ("superScriptBaseline", "@brief Method double QTextDocument::superScriptBaseline()\n", true, &_init_f_superScriptBaseline_c0, &_call_f_superScriptBaseline_c0); + methods += new qt_gsi::GenericMethod (":subScriptBaseline", "@brief Method double QTextDocument::subScriptBaseline()\n", true, &_init_f_subScriptBaseline_c0, &_call_f_subScriptBaseline_c0); + methods += new qt_gsi::GenericMethod (":superScriptBaseline", "@brief Method double QTextDocument::superScriptBaseline()\n", true, &_init_f_superScriptBaseline_c0, &_call_f_superScriptBaseline_c0); methods += new qt_gsi::GenericMethod (":textWidth", "@brief Method double QTextDocument::textWidth()\n", true, &_init_f_textWidth_c0, &_call_f_textWidth_c0); methods += new qt_gsi::GenericMethod ("toHtml", "@brief Method QString QTextDocument::toHtml()\n", true, &_init_f_toHtml_c0, &_call_f_toHtml_c0); methods += new qt_gsi::GenericMethod ("toMarkdown", "@brief Method QString QTextDocument::toMarkdown(QFlags features)\n", true, &_init_f_toMarkdown_c4132, &_call_f_toMarkdown_c4132); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextImageFormat.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextImageFormat.cc index 0c6b8f31b5..641365fcb7 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextImageFormat.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextImageFormat.cc @@ -227,10 +227,10 @@ static gsi::Methods methods_QTextImageFormat () { methods += new qt_gsi::GenericMethod (":height", "@brief Method double QTextImageFormat::height()\n", true, &_init_f_height_c0, &_call_f_height_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QTextImageFormat::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod (":name", "@brief Method QString QTextImageFormat::name()\n", true, &_init_f_name_c0, &_call_f_name_c0); - methods += new qt_gsi::GenericMethod ("quality", "@brief Method int QTextImageFormat::quality()\n", true, &_init_f_quality_c0, &_call_f_quality_c0); + methods += new qt_gsi::GenericMethod (":quality", "@brief Method int QTextImageFormat::quality()\n", true, &_init_f_quality_c0, &_call_f_quality_c0); methods += new qt_gsi::GenericMethod ("setHeight|height=", "@brief Method void QTextImageFormat::setHeight(double height)\n", false, &_init_f_setHeight_1071, &_call_f_setHeight_1071); methods += new qt_gsi::GenericMethod ("setName|name=", "@brief Method void QTextImageFormat::setName(const QString &name)\n", false, &_init_f_setName_2025, &_call_f_setName_2025); - methods += new qt_gsi::GenericMethod ("setQuality", "@brief Method void QTextImageFormat::setQuality(int quality)\n", false, &_init_f_setQuality_767, &_call_f_setQuality_767); + methods += new qt_gsi::GenericMethod ("setQuality|quality=", "@brief Method void QTextImageFormat::setQuality(int quality)\n", false, &_init_f_setQuality_767, &_call_f_setQuality_767); methods += new qt_gsi::GenericMethod ("setWidth|width=", "@brief Method void QTextImageFormat::setWidth(double width)\n", false, &_init_f_setWidth_1071, &_call_f_setWidth_1071); methods += new qt_gsi::GenericMethod (":width", "@brief Method double QTextImageFormat::width()\n", true, &_init_f_width_c0, &_call_f_width_c0); return methods; diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextLayout.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextLayout.cc index 408fba3bec..bf01b2c270 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextLayout.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextLayout.cc @@ -867,7 +867,7 @@ static gsi::Methods methods_QTextLayout () { methods += new qt_gsi::GenericMethod ("drawCursor", "@brief Method void QTextLayout::drawCursor(QPainter *p, const QPointF &pos, int cursorPosition, int width)\n", true, &_init_f_drawCursor_c4622, &_call_f_drawCursor_c4622); methods += new qt_gsi::GenericMethod ("endLayout", "@brief Method void QTextLayout::endLayout()\n", false, &_init_f_endLayout_0, &_call_f_endLayout_0); methods += new qt_gsi::GenericMethod (":font", "@brief Method QFont QTextLayout::font()\n", true, &_init_f_font_c0, &_call_f_font_c0); - methods += new qt_gsi::GenericMethod ("formats", "@brief Method QList QTextLayout::formats()\n", true, &_init_f_formats_c0, &_call_f_formats_c0); + methods += new qt_gsi::GenericMethod (":formats", "@brief Method QList QTextLayout::formats()\n", true, &_init_f_formats_c0, &_call_f_formats_c0); methods += new qt_gsi::GenericMethod ("glyphRuns", "@brief Method QList QTextLayout::glyphRuns(int from, int length)\n", true, &_init_f_glyphRuns_c1426, &_call_f_glyphRuns_c1426); methods += new qt_gsi::GenericMethod ("isValidCursorPosition?", "@brief Method bool QTextLayout::isValidCursorPosition(int pos)\n", true, &_init_f_isValidCursorPosition_c767, &_call_f_isValidCursorPosition_c767); methods += new qt_gsi::GenericMethod ("leftCursorPosition", "@brief Method int QTextLayout::leftCursorPosition(int oldPos)\n", true, &_init_f_leftCursorPosition_c767, &_call_f_leftCursorPosition_c767); @@ -886,7 +886,7 @@ static gsi::Methods methods_QTextLayout () { methods += new qt_gsi::GenericMethod ("setCursorMoveStyle|cursorMoveStyle=", "@brief Method void QTextLayout::setCursorMoveStyle(Qt::CursorMoveStyle style)\n", false, &_init_f_setCursorMoveStyle_2323, &_call_f_setCursorMoveStyle_2323); methods += new qt_gsi::GenericMethod ("setFlags", "@brief Method void QTextLayout::setFlags(int flags)\n", false, &_init_f_setFlags_767, &_call_f_setFlags_767); methods += new qt_gsi::GenericMethod ("setFont|font=", "@brief Method void QTextLayout::setFont(const QFont &f)\n", false, &_init_f_setFont_1801, &_call_f_setFont_1801); - methods += new qt_gsi::GenericMethod ("setFormats", "@brief Method void QTextLayout::setFormats(const QList &overrides)\n", false, &_init_f_setFormats_4294, &_call_f_setFormats_4294); + methods += new qt_gsi::GenericMethod ("setFormats|formats=", "@brief Method void QTextLayout::setFormats(const QList &overrides)\n", false, &_init_f_setFormats_4294, &_call_f_setFormats_4294); methods += new qt_gsi::GenericMethod ("setPosition|position=", "@brief Method void QTextLayout::setPosition(const QPointF &p)\n", false, &_init_f_setPosition_1986, &_call_f_setPosition_1986); methods += new qt_gsi::GenericMethod ("setPreeditArea", "@brief Method void QTextLayout::setPreeditArea(int position, const QString &text)\n", false, &_init_f_setPreeditArea_2684, &_call_f_setPreeditArea_2684); methods += new qt_gsi::GenericMethod ("setRawFont", "@brief Method void QTextLayout::setRawFont(const QRawFont &rawFont)\n", false, &_init_f_setRawFont_2099, &_call_f_setRawFont_2099); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextOption.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextOption.cc index 38c061be59..0d98bfffd2 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextOption.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextOption.cc @@ -402,13 +402,13 @@ static gsi::Methods methods_QTextOption () { methods += new qt_gsi::GenericMethod ("setAlignment|alignment=", "@brief Method void QTextOption::setAlignment(QFlags alignment)\n", false, &_init_f_setAlignment_2750, &_call_f_setAlignment_2750); methods += new qt_gsi::GenericMethod ("setFlags|flags=", "@brief Method void QTextOption::setFlags(QFlags flags)\n", false, &_init_f_setFlags_2761, &_call_f_setFlags_2761); methods += new qt_gsi::GenericMethod ("setTabArray|tabArray=", "@brief Method void QTextOption::setTabArray(const QList &tabStops)\n", false, &_init_f_setTabArray_2461, &_call_f_setTabArray_2461); - methods += new qt_gsi::GenericMethod ("setTabStopDistance", "@brief Method void QTextOption::setTabStopDistance(double tabStopDistance)\n", false, &_init_f_setTabStopDistance_1071, &_call_f_setTabStopDistance_1071); + methods += new qt_gsi::GenericMethod ("setTabStopDistance|tabStopDistance=", "@brief Method void QTextOption::setTabStopDistance(double tabStopDistance)\n", false, &_init_f_setTabStopDistance_1071, &_call_f_setTabStopDistance_1071); methods += new qt_gsi::GenericMethod ("setTabs|tabs=", "@brief Method void QTextOption::setTabs(const QList &tabStops)\n", false, &_init_f_setTabs_3458, &_call_f_setTabs_3458); methods += new qt_gsi::GenericMethod ("setTextDirection|textDirection=", "@brief Method void QTextOption::setTextDirection(Qt::LayoutDirection aDirection)\n", false, &_init_f_setTextDirection_2316, &_call_f_setTextDirection_2316); methods += new qt_gsi::GenericMethod ("setUseDesignMetrics|useDesignMetrics=", "@brief Method void QTextOption::setUseDesignMetrics(bool b)\n", false, &_init_f_setUseDesignMetrics_864, &_call_f_setUseDesignMetrics_864); methods += new qt_gsi::GenericMethod ("setWrapMode|wrapMode=", "@brief Method void QTextOption::setWrapMode(QTextOption::WrapMode wrap)\n", false, &_init_f_setWrapMode_2486, &_call_f_setWrapMode_2486); methods += new qt_gsi::GenericMethod (":tabArray", "@brief Method QList QTextOption::tabArray()\n", true, &_init_f_tabArray_c0, &_call_f_tabArray_c0); - methods += new qt_gsi::GenericMethod ("tabStopDistance", "@brief Method double QTextOption::tabStopDistance()\n", true, &_init_f_tabStopDistance_c0, &_call_f_tabStopDistance_c0); + methods += new qt_gsi::GenericMethod (":tabStopDistance", "@brief Method double QTextOption::tabStopDistance()\n", true, &_init_f_tabStopDistance_c0, &_call_f_tabStopDistance_c0); methods += new qt_gsi::GenericMethod (":tabs", "@brief Method QList QTextOption::tabs()\n", true, &_init_f_tabs_c0, &_call_f_tabs_c0); methods += new qt_gsi::GenericMethod (":textDirection", "@brief Method Qt::LayoutDirection QTextOption::textDirection()\n", true, &_init_f_textDirection_c0, &_call_f_textDirection_c0); methods += new qt_gsi::GenericMethod (":useDesignMetrics", "@brief Method bool QTextOption::useDesignMetrics()\n", true, &_init_f_useDesignMetrics_c0, &_call_f_useDesignMetrics_c0); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextTableCellFormat.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextTableCellFormat.cc index 0435695422..ce44730009 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextTableCellFormat.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextTableCellFormat.cc @@ -724,42 +724,42 @@ namespace gsi static gsi::Methods methods_QTextTableCellFormat () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTextTableCellFormat::QTextTableCellFormat()\nThis method creates an object of class QTextTableCellFormat.", &_init_ctor_QTextTableCellFormat_0, &_call_ctor_QTextTableCellFormat_0); - methods += new qt_gsi::GenericMethod ("bottomBorder", "@brief Method double QTextTableCellFormat::bottomBorder()\n", true, &_init_f_bottomBorder_c0, &_call_f_bottomBorder_c0); - methods += new qt_gsi::GenericMethod ("bottomBorderBrush", "@brief Method QBrush QTextTableCellFormat::bottomBorderBrush()\n", true, &_init_f_bottomBorderBrush_c0, &_call_f_bottomBorderBrush_c0); - methods += new qt_gsi::GenericMethod ("bottomBorderStyle", "@brief Method QTextFrameFormat::BorderStyle QTextTableCellFormat::bottomBorderStyle()\n", true, &_init_f_bottomBorderStyle_c0, &_call_f_bottomBorderStyle_c0); + methods += new qt_gsi::GenericMethod (":bottomBorder", "@brief Method double QTextTableCellFormat::bottomBorder()\n", true, &_init_f_bottomBorder_c0, &_call_f_bottomBorder_c0); + methods += new qt_gsi::GenericMethod (":bottomBorderBrush", "@brief Method QBrush QTextTableCellFormat::bottomBorderBrush()\n", true, &_init_f_bottomBorderBrush_c0, &_call_f_bottomBorderBrush_c0); + methods += new qt_gsi::GenericMethod (":bottomBorderStyle", "@brief Method QTextFrameFormat::BorderStyle QTextTableCellFormat::bottomBorderStyle()\n", true, &_init_f_bottomBorderStyle_c0, &_call_f_bottomBorderStyle_c0); methods += new qt_gsi::GenericMethod (":bottomPadding", "@brief Method double QTextTableCellFormat::bottomPadding()\n", true, &_init_f_bottomPadding_c0, &_call_f_bottomPadding_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QTextTableCellFormat::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); - methods += new qt_gsi::GenericMethod ("leftBorder", "@brief Method double QTextTableCellFormat::leftBorder()\n", true, &_init_f_leftBorder_c0, &_call_f_leftBorder_c0); - methods += new qt_gsi::GenericMethod ("leftBorderBrush", "@brief Method QBrush QTextTableCellFormat::leftBorderBrush()\n", true, &_init_f_leftBorderBrush_c0, &_call_f_leftBorderBrush_c0); - methods += new qt_gsi::GenericMethod ("leftBorderStyle", "@brief Method QTextFrameFormat::BorderStyle QTextTableCellFormat::leftBorderStyle()\n", true, &_init_f_leftBorderStyle_c0, &_call_f_leftBorderStyle_c0); + methods += new qt_gsi::GenericMethod (":leftBorder", "@brief Method double QTextTableCellFormat::leftBorder()\n", true, &_init_f_leftBorder_c0, &_call_f_leftBorder_c0); + methods += new qt_gsi::GenericMethod (":leftBorderBrush", "@brief Method QBrush QTextTableCellFormat::leftBorderBrush()\n", true, &_init_f_leftBorderBrush_c0, &_call_f_leftBorderBrush_c0); + methods += new qt_gsi::GenericMethod (":leftBorderStyle", "@brief Method QTextFrameFormat::BorderStyle QTextTableCellFormat::leftBorderStyle()\n", true, &_init_f_leftBorderStyle_c0, &_call_f_leftBorderStyle_c0); methods += new qt_gsi::GenericMethod (":leftPadding", "@brief Method double QTextTableCellFormat::leftPadding()\n", true, &_init_f_leftPadding_c0, &_call_f_leftPadding_c0); - methods += new qt_gsi::GenericMethod ("rightBorder", "@brief Method double QTextTableCellFormat::rightBorder()\n", true, &_init_f_rightBorder_c0, &_call_f_rightBorder_c0); - methods += new qt_gsi::GenericMethod ("rightBorderBrush", "@brief Method QBrush QTextTableCellFormat::rightBorderBrush()\n", true, &_init_f_rightBorderBrush_c0, &_call_f_rightBorderBrush_c0); - methods += new qt_gsi::GenericMethod ("rightBorderStyle", "@brief Method QTextFrameFormat::BorderStyle QTextTableCellFormat::rightBorderStyle()\n", true, &_init_f_rightBorderStyle_c0, &_call_f_rightBorderStyle_c0); + methods += new qt_gsi::GenericMethod (":rightBorder", "@brief Method double QTextTableCellFormat::rightBorder()\n", true, &_init_f_rightBorder_c0, &_call_f_rightBorder_c0); + methods += new qt_gsi::GenericMethod (":rightBorderBrush", "@brief Method QBrush QTextTableCellFormat::rightBorderBrush()\n", true, &_init_f_rightBorderBrush_c0, &_call_f_rightBorderBrush_c0); + methods += new qt_gsi::GenericMethod (":rightBorderStyle", "@brief Method QTextFrameFormat::BorderStyle QTextTableCellFormat::rightBorderStyle()\n", true, &_init_f_rightBorderStyle_c0, &_call_f_rightBorderStyle_c0); methods += new qt_gsi::GenericMethod (":rightPadding", "@brief Method double QTextTableCellFormat::rightPadding()\n", true, &_init_f_rightPadding_c0, &_call_f_rightPadding_c0); methods += new qt_gsi::GenericMethod ("setBorder", "@brief Method void QTextTableCellFormat::setBorder(double width)\n", false, &_init_f_setBorder_1071, &_call_f_setBorder_1071); methods += new qt_gsi::GenericMethod ("setBorderBrush", "@brief Method void QTextTableCellFormat::setBorderBrush(const QBrush &brush)\n", false, &_init_f_setBorderBrush_1910, &_call_f_setBorderBrush_1910); methods += new qt_gsi::GenericMethod ("setBorderStyle", "@brief Method void QTextTableCellFormat::setBorderStyle(QTextFrameFormat::BorderStyle style)\n", false, &_init_f_setBorderStyle_3297, &_call_f_setBorderStyle_3297); - methods += new qt_gsi::GenericMethod ("setBottomBorder", "@brief Method void QTextTableCellFormat::setBottomBorder(double width)\n", false, &_init_f_setBottomBorder_1071, &_call_f_setBottomBorder_1071); - methods += new qt_gsi::GenericMethod ("setBottomBorderBrush", "@brief Method void QTextTableCellFormat::setBottomBorderBrush(const QBrush &brush)\n", false, &_init_f_setBottomBorderBrush_1910, &_call_f_setBottomBorderBrush_1910); - methods += new qt_gsi::GenericMethod ("setBottomBorderStyle", "@brief Method void QTextTableCellFormat::setBottomBorderStyle(QTextFrameFormat::BorderStyle style)\n", false, &_init_f_setBottomBorderStyle_3297, &_call_f_setBottomBorderStyle_3297); + methods += new qt_gsi::GenericMethod ("setBottomBorder|bottomBorder=", "@brief Method void QTextTableCellFormat::setBottomBorder(double width)\n", false, &_init_f_setBottomBorder_1071, &_call_f_setBottomBorder_1071); + methods += new qt_gsi::GenericMethod ("setBottomBorderBrush|bottomBorderBrush=", "@brief Method void QTextTableCellFormat::setBottomBorderBrush(const QBrush &brush)\n", false, &_init_f_setBottomBorderBrush_1910, &_call_f_setBottomBorderBrush_1910); + methods += new qt_gsi::GenericMethod ("setBottomBorderStyle|bottomBorderStyle=", "@brief Method void QTextTableCellFormat::setBottomBorderStyle(QTextFrameFormat::BorderStyle style)\n", false, &_init_f_setBottomBorderStyle_3297, &_call_f_setBottomBorderStyle_3297); methods += new qt_gsi::GenericMethod ("setBottomPadding|bottomPadding=", "@brief Method void QTextTableCellFormat::setBottomPadding(double padding)\n", false, &_init_f_setBottomPadding_1071, &_call_f_setBottomPadding_1071); - methods += new qt_gsi::GenericMethod ("setLeftBorder", "@brief Method void QTextTableCellFormat::setLeftBorder(double width)\n", false, &_init_f_setLeftBorder_1071, &_call_f_setLeftBorder_1071); - methods += new qt_gsi::GenericMethod ("setLeftBorderBrush", "@brief Method void QTextTableCellFormat::setLeftBorderBrush(const QBrush &brush)\n", false, &_init_f_setLeftBorderBrush_1910, &_call_f_setLeftBorderBrush_1910); - methods += new qt_gsi::GenericMethod ("setLeftBorderStyle", "@brief Method void QTextTableCellFormat::setLeftBorderStyle(QTextFrameFormat::BorderStyle style)\n", false, &_init_f_setLeftBorderStyle_3297, &_call_f_setLeftBorderStyle_3297); + methods += new qt_gsi::GenericMethod ("setLeftBorder|leftBorder=", "@brief Method void QTextTableCellFormat::setLeftBorder(double width)\n", false, &_init_f_setLeftBorder_1071, &_call_f_setLeftBorder_1071); + methods += new qt_gsi::GenericMethod ("setLeftBorderBrush|leftBorderBrush=", "@brief Method void QTextTableCellFormat::setLeftBorderBrush(const QBrush &brush)\n", false, &_init_f_setLeftBorderBrush_1910, &_call_f_setLeftBorderBrush_1910); + methods += new qt_gsi::GenericMethod ("setLeftBorderStyle|leftBorderStyle=", "@brief Method void QTextTableCellFormat::setLeftBorderStyle(QTextFrameFormat::BorderStyle style)\n", false, &_init_f_setLeftBorderStyle_3297, &_call_f_setLeftBorderStyle_3297); methods += new qt_gsi::GenericMethod ("setLeftPadding|leftPadding=", "@brief Method void QTextTableCellFormat::setLeftPadding(double padding)\n", false, &_init_f_setLeftPadding_1071, &_call_f_setLeftPadding_1071); methods += new qt_gsi::GenericMethod ("setPadding", "@brief Method void QTextTableCellFormat::setPadding(double padding)\n", false, &_init_f_setPadding_1071, &_call_f_setPadding_1071); - methods += new qt_gsi::GenericMethod ("setRightBorder", "@brief Method void QTextTableCellFormat::setRightBorder(double width)\n", false, &_init_f_setRightBorder_1071, &_call_f_setRightBorder_1071); - methods += new qt_gsi::GenericMethod ("setRightBorderBrush", "@brief Method void QTextTableCellFormat::setRightBorderBrush(const QBrush &brush)\n", false, &_init_f_setRightBorderBrush_1910, &_call_f_setRightBorderBrush_1910); - methods += new qt_gsi::GenericMethod ("setRightBorderStyle", "@brief Method void QTextTableCellFormat::setRightBorderStyle(QTextFrameFormat::BorderStyle style)\n", false, &_init_f_setRightBorderStyle_3297, &_call_f_setRightBorderStyle_3297); + methods += new qt_gsi::GenericMethod ("setRightBorder|rightBorder=", "@brief Method void QTextTableCellFormat::setRightBorder(double width)\n", false, &_init_f_setRightBorder_1071, &_call_f_setRightBorder_1071); + methods += new qt_gsi::GenericMethod ("setRightBorderBrush|rightBorderBrush=", "@brief Method void QTextTableCellFormat::setRightBorderBrush(const QBrush &brush)\n", false, &_init_f_setRightBorderBrush_1910, &_call_f_setRightBorderBrush_1910); + methods += new qt_gsi::GenericMethod ("setRightBorderStyle|rightBorderStyle=", "@brief Method void QTextTableCellFormat::setRightBorderStyle(QTextFrameFormat::BorderStyle style)\n", false, &_init_f_setRightBorderStyle_3297, &_call_f_setRightBorderStyle_3297); methods += new qt_gsi::GenericMethod ("setRightPadding|rightPadding=", "@brief Method void QTextTableCellFormat::setRightPadding(double padding)\n", false, &_init_f_setRightPadding_1071, &_call_f_setRightPadding_1071); - methods += new qt_gsi::GenericMethod ("setTopBorder", "@brief Method void QTextTableCellFormat::setTopBorder(double width)\n", false, &_init_f_setTopBorder_1071, &_call_f_setTopBorder_1071); - methods += new qt_gsi::GenericMethod ("setTopBorderBrush", "@brief Method void QTextTableCellFormat::setTopBorderBrush(const QBrush &brush)\n", false, &_init_f_setTopBorderBrush_1910, &_call_f_setTopBorderBrush_1910); - methods += new qt_gsi::GenericMethod ("setTopBorderStyle", "@brief Method void QTextTableCellFormat::setTopBorderStyle(QTextFrameFormat::BorderStyle style)\n", false, &_init_f_setTopBorderStyle_3297, &_call_f_setTopBorderStyle_3297); + methods += new qt_gsi::GenericMethod ("setTopBorder|topBorder=", "@brief Method void QTextTableCellFormat::setTopBorder(double width)\n", false, &_init_f_setTopBorder_1071, &_call_f_setTopBorder_1071); + methods += new qt_gsi::GenericMethod ("setTopBorderBrush|topBorderBrush=", "@brief Method void QTextTableCellFormat::setTopBorderBrush(const QBrush &brush)\n", false, &_init_f_setTopBorderBrush_1910, &_call_f_setTopBorderBrush_1910); + methods += new qt_gsi::GenericMethod ("setTopBorderStyle|topBorderStyle=", "@brief Method void QTextTableCellFormat::setTopBorderStyle(QTextFrameFormat::BorderStyle style)\n", false, &_init_f_setTopBorderStyle_3297, &_call_f_setTopBorderStyle_3297); methods += new qt_gsi::GenericMethod ("setTopPadding|topPadding=", "@brief Method void QTextTableCellFormat::setTopPadding(double padding)\n", false, &_init_f_setTopPadding_1071, &_call_f_setTopPadding_1071); - methods += new qt_gsi::GenericMethod ("topBorder", "@brief Method double QTextTableCellFormat::topBorder()\n", true, &_init_f_topBorder_c0, &_call_f_topBorder_c0); - methods += new qt_gsi::GenericMethod ("topBorderBrush", "@brief Method QBrush QTextTableCellFormat::topBorderBrush()\n", true, &_init_f_topBorderBrush_c0, &_call_f_topBorderBrush_c0); - methods += new qt_gsi::GenericMethod ("topBorderStyle", "@brief Method QTextFrameFormat::BorderStyle QTextTableCellFormat::topBorderStyle()\n", true, &_init_f_topBorderStyle_c0, &_call_f_topBorderStyle_c0); + methods += new qt_gsi::GenericMethod (":topBorder", "@brief Method double QTextTableCellFormat::topBorder()\n", true, &_init_f_topBorder_c0, &_call_f_topBorder_c0); + methods += new qt_gsi::GenericMethod (":topBorderBrush", "@brief Method QBrush QTextTableCellFormat::topBorderBrush()\n", true, &_init_f_topBorderBrush_c0, &_call_f_topBorderBrush_c0); + methods += new qt_gsi::GenericMethod (":topBorderStyle", "@brief Method QTextFrameFormat::BorderStyle QTextTableCellFormat::topBorderStyle()\n", true, &_init_f_topBorderStyle_c0, &_call_f_topBorderStyle_c0); methods += new qt_gsi::GenericMethod (":topPadding", "@brief Method double QTextTableCellFormat::topPadding()\n", true, &_init_f_topPadding_c0, &_call_f_topPadding_c0); return methods; } diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextTableFormat.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextTableFormat.cc index 5a64128a17..db1ce043dc 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextTableFormat.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextTableFormat.cc @@ -345,7 +345,7 @@ static gsi::Methods methods_QTextTableFormat () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QTextTableFormat::QTextTableFormat()\nThis method creates an object of class QTextTableFormat.", &_init_ctor_QTextTableFormat_0, &_call_ctor_QTextTableFormat_0); methods += new qt_gsi::GenericMethod (":alignment", "@brief Method QFlags QTextTableFormat::alignment()\n", true, &_init_f_alignment_c0, &_call_f_alignment_c0); - methods += new qt_gsi::GenericMethod ("borderCollapse", "@brief Method bool QTextTableFormat::borderCollapse()\n", true, &_init_f_borderCollapse_c0, &_call_f_borderCollapse_c0); + methods += new qt_gsi::GenericMethod (":borderCollapse", "@brief Method bool QTextTableFormat::borderCollapse()\n", true, &_init_f_borderCollapse_c0, &_call_f_borderCollapse_c0); methods += new qt_gsi::GenericMethod (":cellPadding", "@brief Method double QTextTableFormat::cellPadding()\n", true, &_init_f_cellPadding_c0, &_call_f_cellPadding_c0); methods += new qt_gsi::GenericMethod (":cellSpacing", "@brief Method double QTextTableFormat::cellSpacing()\n", true, &_init_f_cellSpacing_c0, &_call_f_cellSpacing_c0); methods += new qt_gsi::GenericMethod ("clearColumnWidthConstraints", "@brief Method void QTextTableFormat::clearColumnWidthConstraints()\n", false, &_init_f_clearColumnWidthConstraints_0, &_call_f_clearColumnWidthConstraints_0); @@ -354,7 +354,7 @@ static gsi::Methods methods_QTextTableFormat () { methods += new qt_gsi::GenericMethod (":headerRowCount", "@brief Method int QTextTableFormat::headerRowCount()\n", true, &_init_f_headerRowCount_c0, &_call_f_headerRowCount_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QTextTableFormat::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod ("setAlignment|alignment=", "@brief Method void QTextTableFormat::setAlignment(QFlags alignment)\n", false, &_init_f_setAlignment_2750, &_call_f_setAlignment_2750); - methods += new qt_gsi::GenericMethod ("setBorderCollapse", "@brief Method void QTextTableFormat::setBorderCollapse(bool borderCollapse)\n", false, &_init_f_setBorderCollapse_864, &_call_f_setBorderCollapse_864); + methods += new qt_gsi::GenericMethod ("setBorderCollapse|borderCollapse=", "@brief Method void QTextTableFormat::setBorderCollapse(bool borderCollapse)\n", false, &_init_f_setBorderCollapse_864, &_call_f_setBorderCollapse_864); methods += new qt_gsi::GenericMethod ("setCellPadding|cellPadding=", "@brief Method void QTextTableFormat::setCellPadding(double padding)\n", false, &_init_f_setCellPadding_1071, &_call_f_setCellPadding_1071); methods += new qt_gsi::GenericMethod ("setCellSpacing|cellSpacing=", "@brief Method void QTextTableFormat::setCellSpacing(double spacing)\n", false, &_init_f_setCellSpacing_1071, &_call_f_setCellSpacing_1071); methods += new qt_gsi::GenericMethod ("setColumnWidthConstraints|columnWidthConstraints=", "@brief Method void QTextTableFormat::setColumnWidthConstraints(const QList &constraints)\n", false, &_init_f_setColumnWidthConstraints_3040, &_call_f_setColumnWidthConstraints_3040); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTouchEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTouchEvent.cc index e5bf1ee863..e65eb32669 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTouchEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTouchEvent.cc @@ -137,9 +137,9 @@ static gsi::Methods methods_QTouchEvent () { methods += new qt_gsi::GenericMethod ("isBeginEvent?", "@brief Method bool QTouchEvent::isBeginEvent()\nThis is a reimplementation of QPointerEvent::isBeginEvent", true, &_init_f_isBeginEvent_c0, &_call_f_isBeginEvent_c0); methods += new qt_gsi::GenericMethod ("isEndEvent?", "@brief Method bool QTouchEvent::isEndEvent()\nThis is a reimplementation of QPointerEvent::isEndEvent", true, &_init_f_isEndEvent_c0, &_call_f_isEndEvent_c0); methods += new qt_gsi::GenericMethod ("isUpdateEvent?", "@brief Method bool QTouchEvent::isUpdateEvent()\nThis is a reimplementation of QPointerEvent::isUpdateEvent", true, &_init_f_isUpdateEvent_c0, &_call_f_isUpdateEvent_c0); - methods += new qt_gsi::GenericMethod (":target", "@brief Method QObject *QTouchEvent::target()\n", true, &_init_f_target_c0, &_call_f_target_c0); - methods += new qt_gsi::GenericMethod (":touchPointStates", "@brief Method QFlags QTouchEvent::touchPointStates()\n", true, &_init_f_touchPointStates_c0, &_call_f_touchPointStates_c0); - methods += new qt_gsi::GenericMethod (":touchPoints", "@brief Method const QList &QTouchEvent::touchPoints()\n", true, &_init_f_touchPoints_c0, &_call_f_touchPoints_c0); + methods += new qt_gsi::GenericMethod ("target", "@brief Method QObject *QTouchEvent::target()\n", true, &_init_f_target_c0, &_call_f_target_c0); + methods += new qt_gsi::GenericMethod ("touchPointStates", "@brief Method QFlags QTouchEvent::touchPointStates()\n", true, &_init_f_touchPointStates_c0, &_call_f_touchPointStates_c0); + methods += new qt_gsi::GenericMethod ("touchPoints", "@brief Method const QList &QTouchEvent::touchPoints()\n", true, &_init_f_touchPoints_c0, &_call_f_touchPoints_c0); return methods; } diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQUndoCommand.cc b/src/gsiqt/qt6/QtGui/gsiDeclQUndoCommand.cc index b3939d44ab..3b23e9897c 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQUndoCommand.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQUndoCommand.cc @@ -229,10 +229,10 @@ static gsi::Methods methods_QUndoCommand () { methods += new qt_gsi::GenericMethod ("child", "@brief Method const QUndoCommand *QUndoCommand::child(int index)\n", true, &_init_f_child_c767, &_call_f_child_c767); methods += new qt_gsi::GenericMethod ("childCount", "@brief Method int QUndoCommand::childCount()\n", true, &_init_f_childCount_c0, &_call_f_childCount_c0); methods += new qt_gsi::GenericMethod ("id", "@brief Method int QUndoCommand::id()\n", true, &_init_f_id_c0, &_call_f_id_c0); - methods += new qt_gsi::GenericMethod ("isObsolete?", "@brief Method bool QUndoCommand::isObsolete()\n", true, &_init_f_isObsolete_c0, &_call_f_isObsolete_c0); + methods += new qt_gsi::GenericMethod ("isObsolete?|:obsolete", "@brief Method bool QUndoCommand::isObsolete()\n", true, &_init_f_isObsolete_c0, &_call_f_isObsolete_c0); methods += new qt_gsi::GenericMethod ("mergeWith", "@brief Method bool QUndoCommand::mergeWith(const QUndoCommand *other)\n", false, &_init_f_mergeWith_2507, &_call_f_mergeWith_2507); methods += new qt_gsi::GenericMethod ("redo", "@brief Method void QUndoCommand::redo()\n", false, &_init_f_redo_0, &_call_f_redo_0); - methods += new qt_gsi::GenericMethod ("setObsolete", "@brief Method void QUndoCommand::setObsolete(bool obsolete)\n", false, &_init_f_setObsolete_864, &_call_f_setObsolete_864); + methods += new qt_gsi::GenericMethod ("setObsolete|obsolete=", "@brief Method void QUndoCommand::setObsolete(bool obsolete)\n", false, &_init_f_setObsolete_864, &_call_f_setObsolete_864); methods += new qt_gsi::GenericMethod ("setText|text=", "@brief Method void QUndoCommand::setText(const QString &text)\n", false, &_init_f_setText_2025, &_call_f_setText_2025); methods += new qt_gsi::GenericMethod (":text", "@brief Method QString QUndoCommand::text()\n", true, &_init_f_text_c0, &_call_f_text_c0); methods += new qt_gsi::GenericMethod ("undo", "@brief Method void QUndoCommand::undo()\n", false, &_init_f_undo_0, &_call_f_undo_0); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQUndoStack.cc b/src/gsiqt/qt6/QtGui/gsiDeclQUndoStack.cc index 2b79a153b9..c85496448a 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQUndoStack.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQUndoStack.cc @@ -516,8 +516,8 @@ static gsi::Methods methods_QUndoStack () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("beginMacro", "@brief Method void QUndoStack::beginMacro(const QString &text)\n", false, &_init_f_beginMacro_2025, &_call_f_beginMacro_2025); - methods += new qt_gsi::GenericMethod ("canRedo", "@brief Method bool QUndoStack::canRedo()\n", true, &_init_f_canRedo_c0, &_call_f_canRedo_c0); - methods += new qt_gsi::GenericMethod ("canUndo", "@brief Method bool QUndoStack::canUndo()\n", true, &_init_f_canUndo_c0, &_call_f_canUndo_c0); + methods += new qt_gsi::GenericMethod (":canRedo", "@brief Method bool QUndoStack::canRedo()\n", true, &_init_f_canRedo_c0, &_call_f_canRedo_c0); + methods += new qt_gsi::GenericMethod (":canUndo", "@brief Method bool QUndoStack::canUndo()\n", true, &_init_f_canUndo_c0, &_call_f_canUndo_c0); methods += new qt_gsi::GenericMethod ("cleanIndex", "@brief Method int QUndoStack::cleanIndex()\n", true, &_init_f_cleanIndex_c0, &_call_f_cleanIndex_c0); methods += new qt_gsi::GenericMethod ("clear", "@brief Method void QUndoStack::clear()\n", false, &_init_f_clear_0, &_call_f_clear_0); methods += new qt_gsi::GenericMethod ("command", "@brief Method const QUndoCommand *QUndoStack::command(int index)\n", true, &_init_f_command_c767, &_call_f_command_c767); @@ -527,10 +527,10 @@ static gsi::Methods methods_QUndoStack () { methods += new qt_gsi::GenericMethod ("endMacro", "@brief Method void QUndoStack::endMacro()\n", false, &_init_f_endMacro_0, &_call_f_endMacro_0); methods += new qt_gsi::GenericMethod (":index", "@brief Method int QUndoStack::index()\n", true, &_init_f_index_c0, &_call_f_index_c0); methods += new qt_gsi::GenericMethod ("isActive?|:active", "@brief Method bool QUndoStack::isActive()\n", true, &_init_f_isActive_c0, &_call_f_isActive_c0); - methods += new qt_gsi::GenericMethod ("isClean?", "@brief Method bool QUndoStack::isClean()\n", true, &_init_f_isClean_c0, &_call_f_isClean_c0); + methods += new qt_gsi::GenericMethod ("isClean?|:clean", "@brief Method bool QUndoStack::isClean()\n", true, &_init_f_isClean_c0, &_call_f_isClean_c0); methods += new qt_gsi::GenericMethod ("push", "@brief Method void QUndoStack::push(QUndoCommand *cmd)\n", false, &_init_f_push_1812, &_call_f_push_1812); methods += new qt_gsi::GenericMethod ("redo", "@brief Method void QUndoStack::redo()\n", false, &_init_f_redo_0, &_call_f_redo_0); - methods += new qt_gsi::GenericMethod ("redoText", "@brief Method QString QUndoStack::redoText()\n", true, &_init_f_redoText_c0, &_call_f_redoText_c0); + methods += new qt_gsi::GenericMethod (":redoText", "@brief Method QString QUndoStack::redoText()\n", true, &_init_f_redoText_c0, &_call_f_redoText_c0); methods += new qt_gsi::GenericMethod ("resetClean", "@brief Method void QUndoStack::resetClean()\n", false, &_init_f_resetClean_0, &_call_f_resetClean_0); methods += new qt_gsi::GenericMethod ("setActive|active=", "@brief Method void QUndoStack::setActive(bool active)\n", false, &_init_f_setActive_864, &_call_f_setActive_864); methods += new qt_gsi::GenericMethod ("setClean", "@brief Method void QUndoStack::setClean()\n", false, &_init_f_setClean_0, &_call_f_setClean_0); @@ -539,7 +539,7 @@ static gsi::Methods methods_QUndoStack () { methods += new qt_gsi::GenericMethod ("text", "@brief Method QString QUndoStack::text(int idx)\n", true, &_init_f_text_c767, &_call_f_text_c767); methods += new qt_gsi::GenericMethod ("undo", "@brief Method void QUndoStack::undo()\n", false, &_init_f_undo_0, &_call_f_undo_0); methods += new qt_gsi::GenericMethod (":undoLimit", "@brief Method int QUndoStack::undoLimit()\n", true, &_init_f_undoLimit_c0, &_call_f_undoLimit_c0); - methods += new qt_gsi::GenericMethod ("undoText", "@brief Method QString QUndoStack::undoText()\n", true, &_init_f_undoText_c0, &_call_f_undoText_c0); + methods += new qt_gsi::GenericMethod (":undoText", "@brief Method QString QUndoStack::undoText()\n", true, &_init_f_undoText_c0, &_call_f_undoText_c0); methods += gsi::qt_signal ("canRedoChanged(bool)", "canRedoChanged", gsi::arg("canRedo"), "@brief Signal declaration for QUndoStack::canRedoChanged(bool canRedo)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("canUndoChanged(bool)", "canUndoChanged", gsi::arg("canUndo"), "@brief Signal declaration for QUndoStack::canUndoChanged(bool canUndo)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("cleanChanged(bool)", "cleanChanged", gsi::arg("clean"), "@brief Signal declaration for QUndoStack::cleanChanged(bool clean)\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQWindow.cc b/src/gsiqt/qt6/QtGui/gsiDeclQWindow.cc index aeb8f8a039..8d694e1044 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQWindow.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQWindow.cc @@ -1812,26 +1812,6 @@ static void _call_f_transientParent_c0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QWindow::transientParentChanged(QWindow *transientParent) - - -static void _init_f_transientParentChanged_1335 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("transientParent"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_transientParentChanged_1335 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QWindow *arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QWindow *)cls)->transientParentChanged (arg1); -} - - // Qt::WindowType QWindow::type() @@ -2147,7 +2127,7 @@ static gsi::Methods methods_QWindow () { methods += new qt_gsi::GenericMethod ("setVisible|visible=", "@brief Method void QWindow::setVisible(bool visible)\n", false, &_init_f_setVisible_864, &_call_f_setVisible_864); methods += new qt_gsi::GenericMethod ("setWidth|width=", "@brief Method void QWindow::setWidth(int arg)\n", false, &_init_f_setWidth_767, &_call_f_setWidth_767); methods += new qt_gsi::GenericMethod ("setWindowState|windowState=", "@brief Method void QWindow::setWindowState(Qt::WindowState state)\n", false, &_init_f_setWindowState_1894, &_call_f_setWindowState_1894); - methods += new qt_gsi::GenericMethod ("setWindowStates", "@brief Method void QWindow::setWindowStates(QFlags states)\n", false, &_init_f_setWindowStates_2590, &_call_f_setWindowStates_2590); + methods += new qt_gsi::GenericMethod ("setWindowStates|windowStates=", "@brief Method void QWindow::setWindowStates(QFlags states)\n", false, &_init_f_setWindowStates_2590, &_call_f_setWindowStates_2590); methods += new qt_gsi::GenericMethod ("setX|x=", "@brief Method void QWindow::setX(int arg)\n", false, &_init_f_setX_767, &_call_f_setX_767); methods += new qt_gsi::GenericMethod ("setY|y=", "@brief Method void QWindow::setY(int arg)\n", false, &_init_f_setY_767, &_call_f_setY_767); methods += new qt_gsi::GenericMethod ("show", "@brief Method void QWindow::show()\n", false, &_init_f_show_0, &_call_f_show_0); @@ -2162,14 +2142,13 @@ static gsi::Methods methods_QWindow () { methods += new qt_gsi::GenericMethod (":surfaceType", "@brief Method QSurface::SurfaceType QWindow::surfaceType()\nThis is a reimplementation of QSurface::surfaceType", true, &_init_f_surfaceType_c0, &_call_f_surfaceType_c0); methods += new qt_gsi::GenericMethod (":title", "@brief Method QString QWindow::title()\n", true, &_init_f_title_c0, &_call_f_title_c0); methods += new qt_gsi::GenericMethod (":transientParent", "@brief Method QWindow *QWindow::transientParent()\n", true, &_init_f_transientParent_c0, &_call_f_transientParent_c0); - methods += new qt_gsi::GenericMethod ("transientParentChanged", "@brief Method void QWindow::transientParentChanged(QWindow *transientParent)\n", false, &_init_f_transientParentChanged_1335, &_call_f_transientParentChanged_1335); methods += new qt_gsi::GenericMethod ("type", "@brief Method Qt::WindowType QWindow::type()\n", true, &_init_f_type_c0, &_call_f_type_c0); methods += new qt_gsi::GenericMethod ("unsetCursor", "@brief Method void QWindow::unsetCursor()\n", false, &_init_f_unsetCursor_0, &_call_f_unsetCursor_0); methods += new qt_gsi::GenericMethod (":visibility", "@brief Method QWindow::Visibility QWindow::visibility()\n", true, &_init_f_visibility_c0, &_call_f_visibility_c0); methods += new qt_gsi::GenericMethod (":width", "@brief Method int QWindow::width()\n", true, &_init_f_width_c0, &_call_f_width_c0); methods += new qt_gsi::GenericMethod ("winId", "@brief Method WId QWindow::winId()\n", true, &_init_f_winId_c0, &_call_f_winId_c0); methods += new qt_gsi::GenericMethod (":windowState", "@brief Method Qt::WindowState QWindow::windowState()\n", true, &_init_f_windowState_c0, &_call_f_windowState_c0); - methods += new qt_gsi::GenericMethod ("windowStates", "@brief Method QFlags QWindow::windowStates()\n", true, &_init_f_windowStates_c0, &_call_f_windowStates_c0); + methods += new qt_gsi::GenericMethod (":windowStates", "@brief Method QFlags QWindow::windowStates()\n", true, &_init_f_windowStates_c0, &_call_f_windowStates_c0); methods += new qt_gsi::GenericMethod (":x", "@brief Method int QWindow::x()\n", true, &_init_f_x_c0, &_call_f_x_c0); methods += new qt_gsi::GenericMethod (":y", "@brief Method int QWindow::y()\n", true, &_init_f_y_c0, &_call_f_y_c0); methods += gsi::qt_signal ("activeChanged()", "activeChanged", "@brief Signal declaration for QWindow::activeChanged()\nYou can bind a procedure to this signal."); @@ -2185,6 +2164,7 @@ static gsi::Methods methods_QWindow () { methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QWindow::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("opacityChanged(double)", "opacityChanged", gsi::arg("opacity"), "@brief Signal declaration for QWindow::opacityChanged(double opacity)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("screenChanged(QScreen *)", "screenChanged", gsi::arg("screen"), "@brief Signal declaration for QWindow::screenChanged(QScreen *screen)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("transientParentChanged(QWindow *)", "transientParentChanged", gsi::arg("transientParent"), "@brief Signal declaration for QWindow::transientParentChanged(QWindow *transientParent)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal::target_type & > ("visibilityChanged(QWindow::Visibility)", "visibilityChanged", gsi::arg("visibility"), "@brief Signal declaration for QWindow::visibilityChanged(QWindow::Visibility visibility)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("visibleChanged(bool)", "visibleChanged", gsi::arg("arg"), "@brief Signal declaration for QWindow::visibleChanged(bool arg)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("widthChanged(int)", "widthChanged", gsi::arg("arg"), "@brief Signal declaration for QWindow::widthChanged(int arg)\nYou can bind a procedure to this signal."); @@ -2436,6 +2416,12 @@ class QWindow_Adaptor : public QWindow, public qt_gsi::QtObjectBase } } + // [emitter impl] void QWindow::transientParentChanged(QWindow *transientParent) + void emitter_QWindow_transientParentChanged_1335(QWindow *transientParent) + { + emit QWindow::transientParentChanged(transientParent); + } + // [emitter impl] void QWindow::visibilityChanged(QWindow::Visibility visibility) void emitter_QWindow_visibilityChanged_2329(QWindow::Visibility visibility) { @@ -3900,6 +3886,24 @@ static void _set_callback_cbs_touchEvent_1732_0 (void *cls, const gsi::Callback } +// emitter void QWindow::transientParentChanged(QWindow *transientParent) + +static void _init_emitter_transientParentChanged_1335 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("transientParent"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_transientParentChanged_1335 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QWindow *arg1 = gsi::arg_reader() (args, heap); + ((QWindow_Adaptor *)cls)->emitter_QWindow_transientParentChanged_1335 (arg1); +} + + // emitter void QWindow::visibilityChanged(QWindow::Visibility visibility) static void _init_emitter_visibilityChanged_2329 (qt_gsi::GenericMethod *decl) @@ -4135,6 +4139,7 @@ static gsi::Methods methods_QWindow_Adaptor () { methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*touchEvent", "@brief Virtual method void QWindow::touchEvent(QTouchEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_touchEvent_1732_0, &_call_cbs_touchEvent_1732_0); methods += new qt_gsi::GenericMethod ("*touchEvent", "@hide", false, &_init_cbs_touchEvent_1732_0, &_call_cbs_touchEvent_1732_0, &_set_callback_cbs_touchEvent_1732_0); + methods += new qt_gsi::GenericMethod ("emit_transientParentChanged", "@brief Emitter for signal void QWindow::transientParentChanged(QWindow *transientParent)\nCall this method to emit this signal.", false, &_init_emitter_transientParentChanged_1335, &_call_emitter_transientParentChanged_1335); methods += new qt_gsi::GenericMethod ("emit_visibilityChanged", "@brief Emitter for signal void QWindow::visibilityChanged(QWindow::Visibility visibility)\nCall this method to emit this signal.", false, &_init_emitter_visibilityChanged_2329, &_call_emitter_visibilityChanged_2329); methods += new qt_gsi::GenericMethod ("emit_visibleChanged", "@brief Emitter for signal void QWindow::visibleChanged(bool arg)\nCall this method to emit this signal.", false, &_init_emitter_visibleChanged_864, &_call_emitter_visibleChanged_864); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QWindow::wheelEvent(QWheelEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioDecoder.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioDecoder.cc index 9bc6cbda90..751edd2df6 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioDecoder.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioDecoder.cc @@ -88,42 +88,6 @@ static void _call_f_bufferAvailable_c0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QAudioDecoder::bufferAvailableChanged(bool) - - -static void _init_f_bufferAvailableChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_bufferAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoder *)cls)->bufferAvailableChanged (arg1); -} - - -// void QAudioDecoder::bufferReady() - - -static void _init_f_bufferReady_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_bufferReady_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoder *)cls)->bufferReady (); -} - - // qint64 QAudioDecoder::duration() @@ -139,26 +103,6 @@ static void _call_f_duration_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QAudioDecoder::durationChanged(qint64 duration) - - -static void _init_f_durationChanged_986 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("duration"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_durationChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - qint64 arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoder *)cls)->durationChanged (arg1); -} - - // QAudioDecoder::Error QAudioDecoder::error() @@ -174,26 +118,6 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QAudioDecoder::error(QAudioDecoder::Error error) - - -static void _init_f_error_2347 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("error"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_error_2347 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoder *)cls)->error (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QString QAudioDecoder::errorString() @@ -209,42 +133,6 @@ static void _call_f_errorString_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QAudioDecoder::finished() - - -static void _init_f_finished_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_finished_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoder *)cls)->finished (); -} - - -// void QAudioDecoder::formatChanged(const QAudioFormat &format) - - -static void _init_f_formatChanged_2509 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("format"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_formatChanged_2509 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QAudioFormat &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoder *)cls)->formatChanged (arg1); -} - - // bool QAudioDecoder::isDecoding() @@ -260,26 +148,6 @@ static void _call_f_isDecoding_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QAudioDecoder::isDecodingChanged(bool) - - -static void _init_f_isDecodingChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_isDecodingChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoder *)cls)->isDecodingChanged (arg1); -} - - // bool QAudioDecoder::isSupported() @@ -310,26 +178,6 @@ static void _call_f_position_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QAudioDecoder::positionChanged(qint64 position) - - -static void _init_f_positionChanged_986 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("position"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_positionChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - qint64 arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoder *)cls)->positionChanged (arg1); -} - - // QAudioBuffer QAudioDecoder::read() @@ -420,22 +268,6 @@ static void _call_f_source_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QAudioDecoder::sourceChanged() - - -static void _init_f_sourceChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_sourceChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioDecoder *)cls)->sourceChanged (); -} - - // QIODevice *QAudioDecoder::sourceDevice() @@ -516,29 +348,31 @@ static gsi::Methods methods_QAudioDecoder () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":audioFormat", "@brief Method QAudioFormat QAudioDecoder::audioFormat()\n", true, &_init_f_audioFormat_c0, &_call_f_audioFormat_c0); methods += new qt_gsi::GenericMethod (":bufferAvailable", "@brief Method bool QAudioDecoder::bufferAvailable()\n", true, &_init_f_bufferAvailable_c0, &_call_f_bufferAvailable_c0); - methods += new qt_gsi::GenericMethod ("bufferAvailableChanged", "@brief Method void QAudioDecoder::bufferAvailableChanged(bool)\n", false, &_init_f_bufferAvailableChanged_864, &_call_f_bufferAvailableChanged_864); - methods += new qt_gsi::GenericMethod ("bufferReady", "@brief Method void QAudioDecoder::bufferReady()\n", false, &_init_f_bufferReady_0, &_call_f_bufferReady_0); methods += new qt_gsi::GenericMethod ("duration", "@brief Method qint64 QAudioDecoder::duration()\n", true, &_init_f_duration_c0, &_call_f_duration_c0); - methods += new qt_gsi::GenericMethod ("durationChanged", "@brief Method void QAudioDecoder::durationChanged(qint64 duration)\n", false, &_init_f_durationChanged_986, &_call_f_durationChanged_986); methods += new qt_gsi::GenericMethod (":error", "@brief Method QAudioDecoder::Error QAudioDecoder::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("error_sig", "@brief Method void QAudioDecoder::error(QAudioDecoder::Error error)\n", false, &_init_f_error_2347, &_call_f_error_2347); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QAudioDecoder::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); - methods += new qt_gsi::GenericMethod ("finished", "@brief Method void QAudioDecoder::finished()\n", false, &_init_f_finished_0, &_call_f_finished_0); - methods += new qt_gsi::GenericMethod ("formatChanged", "@brief Method void QAudioDecoder::formatChanged(const QAudioFormat &format)\n", false, &_init_f_formatChanged_2509, &_call_f_formatChanged_2509); - methods += new qt_gsi::GenericMethod ("isDecoding?", "@brief Method bool QAudioDecoder::isDecoding()\n", true, &_init_f_isDecoding_c0, &_call_f_isDecoding_c0); - methods += new qt_gsi::GenericMethod ("isDecodingChanged?", "@brief Method void QAudioDecoder::isDecodingChanged(bool)\n", false, &_init_f_isDecodingChanged_864, &_call_f_isDecodingChanged_864); + methods += new qt_gsi::GenericMethod ("isDecoding?|:isDecoding", "@brief Method bool QAudioDecoder::isDecoding()\n", true, &_init_f_isDecoding_c0, &_call_f_isDecoding_c0); methods += new qt_gsi::GenericMethod ("isSupported?", "@brief Method bool QAudioDecoder::isSupported()\n", true, &_init_f_isSupported_c0, &_call_f_isSupported_c0); methods += new qt_gsi::GenericMethod ("position", "@brief Method qint64 QAudioDecoder::position()\n", true, &_init_f_position_c0, &_call_f_position_c0); - methods += new qt_gsi::GenericMethod ("positionChanged", "@brief Method void QAudioDecoder::positionChanged(qint64 position)\n", false, &_init_f_positionChanged_986, &_call_f_positionChanged_986); methods += new qt_gsi::GenericMethod ("read", "@brief Method QAudioBuffer QAudioDecoder::read()\n", true, &_init_f_read_c0, &_call_f_read_c0); methods += new qt_gsi::GenericMethod ("setAudioFormat|audioFormat=", "@brief Method void QAudioDecoder::setAudioFormat(const QAudioFormat &format)\n", false, &_init_f_setAudioFormat_2509, &_call_f_setAudioFormat_2509); - methods += new qt_gsi::GenericMethod ("setSource", "@brief Method void QAudioDecoder::setSource(const QUrl &fileName)\n", false, &_init_f_setSource_1701, &_call_f_setSource_1701); + methods += new qt_gsi::GenericMethod ("setSource|source=", "@brief Method void QAudioDecoder::setSource(const QUrl &fileName)\n", false, &_init_f_setSource_1701, &_call_f_setSource_1701); methods += new qt_gsi::GenericMethod ("setSourceDevice|sourceDevice=", "@brief Method void QAudioDecoder::setSourceDevice(QIODevice *device)\n", false, &_init_f_setSourceDevice_1447, &_call_f_setSourceDevice_1447); - methods += new qt_gsi::GenericMethod ("source", "@brief Method QUrl QAudioDecoder::source()\n", true, &_init_f_source_c0, &_call_f_source_c0); - methods += new qt_gsi::GenericMethod ("sourceChanged", "@brief Method void QAudioDecoder::sourceChanged()\n", false, &_init_f_sourceChanged_0, &_call_f_sourceChanged_0); + methods += new qt_gsi::GenericMethod (":source", "@brief Method QUrl QAudioDecoder::source()\n", true, &_init_f_source_c0, &_call_f_source_c0); methods += new qt_gsi::GenericMethod (":sourceDevice", "@brief Method QIODevice *QAudioDecoder::sourceDevice()\n", true, &_init_f_sourceDevice_c0, &_call_f_sourceDevice_c0); methods += new qt_gsi::GenericMethod ("start", "@brief Method void QAudioDecoder::start()\n", false, &_init_f_start_0, &_call_f_start_0); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QAudioDecoder::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); + methods += gsi::qt_signal ("bufferAvailableChanged(bool)", "bufferAvailableChanged", gsi::arg("arg1"), "@brief Signal declaration for QAudioDecoder::bufferAvailableChanged(bool)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("bufferReady()", "bufferReady", "@brief Signal declaration for QAudioDecoder::bufferReady()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAudioDecoder::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("durationChanged(qint64)", "durationChanged", gsi::arg("duration"), "@brief Signal declaration for QAudioDecoder::durationChanged(qint64 duration)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("error(QAudioDecoder::Error)", "error_sig", gsi::arg("error"), "@brief Signal declaration for QAudioDecoder::error(QAudioDecoder::Error error)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("finished()", "finished", "@brief Signal declaration for QAudioDecoder::finished()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("formatChanged(const QAudioFormat &)", "formatChanged", gsi::arg("format"), "@brief Signal declaration for QAudioDecoder::formatChanged(const QAudioFormat &format)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("isDecodingChanged(bool)", "isDecodingChanged?", gsi::arg("arg1"), "@brief Signal declaration for QAudioDecoder::isDecodingChanged(bool)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAudioDecoder::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("positionChanged(qint64)", "positionChanged", gsi::arg("position"), "@brief Signal declaration for QAudioDecoder::positionChanged(qint64 position)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("sourceChanged()", "sourceChanged", "@brief Signal declaration for QAudioDecoder::sourceChanged()\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAudioDecoder::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -592,6 +426,36 @@ class QAudioDecoder_Adaptor : public QAudioDecoder, public qt_gsi::QtObjectBase return QAudioDecoder::senderSignalIndex(); } + // [emitter impl] void QAudioDecoder::bufferAvailableChanged(bool) + void emitter_QAudioDecoder_bufferAvailableChanged_864(bool arg1) + { + emit QAudioDecoder::bufferAvailableChanged(arg1); + } + + // [emitter impl] void QAudioDecoder::bufferReady() + void emitter_QAudioDecoder_bufferReady_0() + { + emit QAudioDecoder::bufferReady(); + } + + // [emitter impl] void QAudioDecoder::destroyed(QObject *) + void emitter_QAudioDecoder_destroyed_1302(QObject *arg1) + { + emit QAudioDecoder::destroyed(arg1); + } + + // [emitter impl] void QAudioDecoder::durationChanged(qint64 duration) + void emitter_QAudioDecoder_durationChanged_986(qint64 duration) + { + emit QAudioDecoder::durationChanged(duration); + } + + // [emitter impl] void QAudioDecoder::error(QAudioDecoder::Error error) + void emitter_QAudioDecoder_error_2347(QAudioDecoder::Error _error) + { + emit QAudioDecoder::error(_error); + } + // [adaptor impl] bool QAudioDecoder::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -622,6 +486,43 @@ class QAudioDecoder_Adaptor : public QAudioDecoder, public qt_gsi::QtObjectBase } } + // [emitter impl] void QAudioDecoder::finished() + void emitter_QAudioDecoder_finished_0() + { + emit QAudioDecoder::finished(); + } + + // [emitter impl] void QAudioDecoder::formatChanged(const QAudioFormat &format) + void emitter_QAudioDecoder_formatChanged_2509(const QAudioFormat &format) + { + emit QAudioDecoder::formatChanged(format); + } + + // [emitter impl] void QAudioDecoder::isDecodingChanged(bool) + void emitter_QAudioDecoder_isDecodingChanged_864(bool arg1) + { + emit QAudioDecoder::isDecodingChanged(arg1); + } + + // [emitter impl] void QAudioDecoder::objectNameChanged(const QString &objectName) + void emitter_QAudioDecoder_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAudioDecoder::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QAudioDecoder::positionChanged(qint64 position) + void emitter_QAudioDecoder_positionChanged_986(qint64 position) + { + emit QAudioDecoder::positionChanged(position); + } + + // [emitter impl] void QAudioDecoder::sourceChanged() + void emitter_QAudioDecoder_sourceChanged_0() + { + emit QAudioDecoder::sourceChanged(); + } + // [adaptor impl] void QAudioDecoder::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -710,6 +611,38 @@ static void _call_ctor_QAudioDecoder_Adaptor_1302 (const qt_gsi::GenericStaticMe } +// emitter void QAudioDecoder::bufferAvailableChanged(bool) + +static void _init_emitter_bufferAvailableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_bufferAvailableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_bufferAvailableChanged_864 (arg1); +} + + +// emitter void QAudioDecoder::bufferReady() + +static void _init_emitter_bufferReady_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_bufferReady_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_bufferReady_0 (); +} + + // void QAudioDecoder::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -758,6 +691,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAudioDecoder::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_destroyed_1302 (arg1); +} + + // void QAudioDecoder::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -782,6 +733,42 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } +// emitter void QAudioDecoder::durationChanged(qint64 duration) + +static void _init_emitter_durationChanged_986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("duration"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_durationChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_durationChanged_986 (arg1); +} + + +// emitter void QAudioDecoder::error(QAudioDecoder::Error error) + +static void _init_emitter_error_2347 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("error"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_error_2347 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_error_2347 (arg1); +} + + // bool QAudioDecoder::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -831,6 +818,56 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } +// emitter void QAudioDecoder::finished() + +static void _init_emitter_finished_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_finished_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_finished_0 (); +} + + +// emitter void QAudioDecoder::formatChanged(const QAudioFormat &format) + +static void _init_emitter_formatChanged_2509 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("format"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_formatChanged_2509 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QAudioFormat &arg1 = gsi::arg_reader() (args, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_formatChanged_2509 (arg1); +} + + +// emitter void QAudioDecoder::isDecodingChanged(bool) + +static void _init_emitter_isDecodingChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_isDecodingChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_isDecodingChanged_864 (arg1); +} + + // exposed bool QAudioDecoder::isSignalConnected(const QMetaMethod &signal) static void _init_fp_isSignalConnected_c2394 (qt_gsi::GenericMethod *decl) @@ -849,6 +886,42 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAudioDecoder::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_objectNameChanged_4567 (arg1); +} + + +// emitter void QAudioDecoder::positionChanged(qint64 position) + +static void _init_emitter_positionChanged_986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("position"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_positionChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_positionChanged_986 (arg1); +} + + // exposed int QAudioDecoder::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -895,6 +968,20 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } +// emitter void QAudioDecoder::sourceChanged() + +static void _init_emitter_sourceChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_sourceChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAudioDecoder_Adaptor *)cls)->emitter_QAudioDecoder_sourceChanged_0 (); +} + + // void QAudioDecoder::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -927,20 +1014,31 @@ gsi::Class &qtdecl_QAudioDecoder (); static gsi::Methods methods_QAudioDecoder_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAudioDecoder::QAudioDecoder(QObject *parent)\nThis method creates an object of class QAudioDecoder.", &_init_ctor_QAudioDecoder_Adaptor_1302, &_call_ctor_QAudioDecoder_Adaptor_1302); + methods += new qt_gsi::GenericMethod ("emit_bufferAvailableChanged", "@brief Emitter for signal void QAudioDecoder::bufferAvailableChanged(bool)\nCall this method to emit this signal.", false, &_init_emitter_bufferAvailableChanged_864, &_call_emitter_bufferAvailableChanged_864); + methods += new qt_gsi::GenericMethod ("emit_bufferReady", "@brief Emitter for signal void QAudioDecoder::bufferReady()\nCall this method to emit this signal.", false, &_init_emitter_bufferReady_0, &_call_emitter_bufferReady_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QAudioDecoder::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioDecoder::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAudioDecoder::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioDecoder::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("emit_durationChanged", "@brief Emitter for signal void QAudioDecoder::durationChanged(qint64 duration)\nCall this method to emit this signal.", false, &_init_emitter_durationChanged_986, &_call_emitter_durationChanged_986); + methods += new qt_gsi::GenericMethod ("emit_error_sig", "@brief Emitter for signal void QAudioDecoder::error(QAudioDecoder::Error error)\nCall this method to emit this signal.", false, &_init_emitter_error_2347, &_call_emitter_error_2347); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioDecoder::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioDecoder::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QAudioDecoder::finished()\nCall this method to emit this signal.", false, &_init_emitter_finished_0, &_call_emitter_finished_0); + methods += new qt_gsi::GenericMethod ("emit_formatChanged", "@brief Emitter for signal void QAudioDecoder::formatChanged(const QAudioFormat &format)\nCall this method to emit this signal.", false, &_init_emitter_formatChanged_2509, &_call_emitter_formatChanged_2509); + methods += new qt_gsi::GenericMethod ("emit_isDecodingChanged", "@brief Emitter for signal void QAudioDecoder::isDecodingChanged(bool)\nCall this method to emit this signal.", false, &_init_emitter_isDecodingChanged_864, &_call_emitter_isDecodingChanged_864); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioDecoder::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAudioDecoder::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); + methods += new qt_gsi::GenericMethod ("emit_positionChanged", "@brief Emitter for signal void QAudioDecoder::positionChanged(qint64 position)\nCall this method to emit this signal.", false, &_init_emitter_positionChanged_986, &_call_emitter_positionChanged_986); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioDecoder::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioDecoder::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioDecoder::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); + methods += new qt_gsi::GenericMethod ("emit_sourceChanged", "@brief Emitter for signal void QAudioDecoder::sourceChanged()\nCall this method to emit this signal.", false, &_init_emitter_sourceChanged_0, &_call_emitter_sourceChanged_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioDecoder::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioFormat.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioFormat.cc index d0e0942b9d..e8de79cc0d 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioFormat.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioFormat.cc @@ -398,7 +398,7 @@ static gsi::Methods methods_QAudioFormat () { methods += new qt_gsi::GenericMethod ("bytesForFrames", "@brief Method qint32 QAudioFormat::bytesForFrames(qint32 frameCount)\n", true, &_init_f_bytesForFrames_c981, &_call_f_bytesForFrames_c981); methods += new qt_gsi::GenericMethod ("bytesPerFrame", "@brief Method int QAudioFormat::bytesPerFrame()\n", true, &_init_f_bytesPerFrame_c0, &_call_f_bytesPerFrame_c0); methods += new qt_gsi::GenericMethod ("bytesPerSample", "@brief Method int QAudioFormat::bytesPerSample()\n", true, &_init_f_bytesPerSample_c0, &_call_f_bytesPerSample_c0); - methods += new qt_gsi::GenericMethod ("channelConfig", "@brief Method QAudioFormat::ChannelConfig QAudioFormat::channelConfig()\n", true, &_init_f_channelConfig_c0, &_call_f_channelConfig_c0); + methods += new qt_gsi::GenericMethod (":channelConfig", "@brief Method QAudioFormat::ChannelConfig QAudioFormat::channelConfig()\n", true, &_init_f_channelConfig_c0, &_call_f_channelConfig_c0); methods += new qt_gsi::GenericMethod (":channelCount", "@brief Method int QAudioFormat::channelCount()\n", true, &_init_f_channelCount_c0, &_call_f_channelCount_c0); methods += new qt_gsi::GenericMethod ("channelOffset", "@brief Method int QAudioFormat::channelOffset(QAudioFormat::AudioChannelPosition channel)\n", true, &_init_f_channelOffset_c3796, &_call_f_channelOffset_c3796); methods += new qt_gsi::GenericMethod ("durationForBytes", "@brief Method qint64 QAudioFormat::durationForBytes(qint32 byteCount)\n", true, &_init_f_durationForBytes_c981, &_call_f_durationForBytes_c981); @@ -407,11 +407,11 @@ static gsi::Methods methods_QAudioFormat () { methods += new qt_gsi::GenericMethod ("framesForDuration", "@brief Method qint32 QAudioFormat::framesForDuration(qint64 microseconds)\n", true, &_init_f_framesForDuration_c986, &_call_f_framesForDuration_c986); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QAudioFormat::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod ("normalizedSampleValue", "@brief Method float QAudioFormat::normalizedSampleValue(const void *sample)\n", true, &_init_f_normalizedSampleValue_c1751, &_call_f_normalizedSampleValue_c1751); - methods += new qt_gsi::GenericMethod ("sampleFormat", "@brief Method QAudioFormat::SampleFormat QAudioFormat::sampleFormat()\n", true, &_init_f_sampleFormat_c0, &_call_f_sampleFormat_c0); + methods += new qt_gsi::GenericMethod (":sampleFormat", "@brief Method QAudioFormat::SampleFormat QAudioFormat::sampleFormat()\n", true, &_init_f_sampleFormat_c0, &_call_f_sampleFormat_c0); methods += new qt_gsi::GenericMethod (":sampleRate", "@brief Method int QAudioFormat::sampleRate()\n", true, &_init_f_sampleRate_c0, &_call_f_sampleRate_c0); - methods += new qt_gsi::GenericMethod ("setChannelConfig", "@brief Method void QAudioFormat::setChannelConfig(QAudioFormat::ChannelConfig config)\n", false, &_init_f_setChannelConfig_3043, &_call_f_setChannelConfig_3043); + methods += new qt_gsi::GenericMethod ("setChannelConfig|channelConfig=", "@brief Method void QAudioFormat::setChannelConfig(QAudioFormat::ChannelConfig config)\n", false, &_init_f_setChannelConfig_3043, &_call_f_setChannelConfig_3043); methods += new qt_gsi::GenericMethod ("setChannelCount|channelCount=", "@brief Method void QAudioFormat::setChannelCount(int channelCount)\n", false, &_init_f_setChannelCount_767, &_call_f_setChannelCount_767); - methods += new qt_gsi::GenericMethod ("setSampleFormat", "@brief Method void QAudioFormat::setSampleFormat(QAudioFormat::SampleFormat f)\n", false, &_init_f_setSampleFormat_2975, &_call_f_setSampleFormat_2975); + methods += new qt_gsi::GenericMethod ("setSampleFormat|sampleFormat=", "@brief Method void QAudioFormat::setSampleFormat(QAudioFormat::SampleFormat f)\n", false, &_init_f_setSampleFormat_2975, &_call_f_setSampleFormat_2975); methods += new qt_gsi::GenericMethod ("setSampleRate|sampleRate=", "@brief Method void QAudioFormat::setSampleRate(int sampleRate)\n", false, &_init_f_setSampleRate_767, &_call_f_setSampleRate_767); return methods; } diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioInput.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioInput.cc index 46fb9d01f4..b068d8b13e 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioInput.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioInput.cc @@ -70,22 +70,6 @@ static void _call_f_device_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QAudioInput::deviceChanged() - - -static void _init_f_deviceChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_deviceChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioInput *)cls)->deviceChanged (); -} - - // bool QAudioInput::isMuted() @@ -101,26 +85,6 @@ static void _call_f_isMuted_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cl } -// void QAudioInput::mutedChanged(bool muted) - - -static void _init_f_mutedChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("muted"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_mutedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioInput *)cls)->mutedChanged (arg1); -} - - // void QAudioInput::setDevice(const QAudioDevice &device) @@ -196,26 +160,6 @@ static void _call_f_volume_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QAudioInput::volumeChanged(float volume) - - -static void _init_f_volumeChanged_970 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("volume"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_volumeChanged_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - float arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioInput *)cls)->volumeChanged (arg1); -} - - // static QString QAudioInput::tr(const char *s, const char *c, int n) @@ -247,15 +191,17 @@ namespace gsi static gsi::Methods methods_QAudioInput () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("device", "@brief Method QAudioDevice QAudioInput::device()\n", true, &_init_f_device_c0, &_call_f_device_c0); - methods += new qt_gsi::GenericMethod ("deviceChanged", "@brief Method void QAudioInput::deviceChanged()\n", false, &_init_f_deviceChanged_0, &_call_f_deviceChanged_0); - methods += new qt_gsi::GenericMethod ("isMuted?", "@brief Method bool QAudioInput::isMuted()\n", true, &_init_f_isMuted_c0, &_call_f_isMuted_c0); - methods += new qt_gsi::GenericMethod ("mutedChanged", "@brief Method void QAudioInput::mutedChanged(bool muted)\n", false, &_init_f_mutedChanged_864, &_call_f_mutedChanged_864); - methods += new qt_gsi::GenericMethod ("setDevice", "@brief Method void QAudioInput::setDevice(const QAudioDevice &device)\n", false, &_init_f_setDevice_2484, &_call_f_setDevice_2484); - methods += new qt_gsi::GenericMethod ("setMuted", "@brief Method void QAudioInput::setMuted(bool muted)\n", false, &_init_f_setMuted_864, &_call_f_setMuted_864); + methods += new qt_gsi::GenericMethod (":device", "@brief Method QAudioDevice QAudioInput::device()\n", true, &_init_f_device_c0, &_call_f_device_c0); + methods += new qt_gsi::GenericMethod ("isMuted?|:muted", "@brief Method bool QAudioInput::isMuted()\n", true, &_init_f_isMuted_c0, &_call_f_isMuted_c0); + methods += new qt_gsi::GenericMethod ("setDevice|device=", "@brief Method void QAudioInput::setDevice(const QAudioDevice &device)\n", false, &_init_f_setDevice_2484, &_call_f_setDevice_2484); + methods += new qt_gsi::GenericMethod ("setMuted|muted=", "@brief Method void QAudioInput::setMuted(bool muted)\n", false, &_init_f_setMuted_864, &_call_f_setMuted_864); methods += new qt_gsi::GenericMethod ("setVolume|volume=", "@brief Method void QAudioInput::setVolume(float volume)\n", false, &_init_f_setVolume_970, &_call_f_setVolume_970); methods += new qt_gsi::GenericMethod (":volume", "@brief Method float QAudioInput::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); - methods += new qt_gsi::GenericMethod ("volumeChanged", "@brief Method void QAudioInput::volumeChanged(float volume)\n", false, &_init_f_volumeChanged_970, &_call_f_volumeChanged_970); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAudioInput::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("deviceChanged()", "deviceChanged", "@brief Signal declaration for QAudioInput::deviceChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mutedChanged(bool)", "mutedChanged", gsi::arg("muted"), "@brief Signal declaration for QAudioInput::mutedChanged(bool muted)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAudioInput::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("volumeChanged(float)", "volumeChanged", gsi::arg("volume"), "@brief Signal declaration for QAudioInput::volumeChanged(float volume)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAudioInput::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -321,6 +267,18 @@ class QAudioInput_Adaptor : public QAudioInput, public qt_gsi::QtObjectBase return QAudioInput::senderSignalIndex(); } + // [emitter impl] void QAudioInput::destroyed(QObject *) + void emitter_QAudioInput_destroyed_1302(QObject *arg1) + { + emit QAudioInput::destroyed(arg1); + } + + // [emitter impl] void QAudioInput::deviceChanged() + void emitter_QAudioInput_deviceChanged_0() + { + emit QAudioInput::deviceChanged(); + } + // [adaptor impl] bool QAudioInput::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -351,6 +309,25 @@ class QAudioInput_Adaptor : public QAudioInput, public qt_gsi::QtObjectBase } } + // [emitter impl] void QAudioInput::mutedChanged(bool muted) + void emitter_QAudioInput_mutedChanged_864(bool muted) + { + emit QAudioInput::mutedChanged(muted); + } + + // [emitter impl] void QAudioInput::objectNameChanged(const QString &objectName) + void emitter_QAudioInput_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAudioInput::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QAudioInput::volumeChanged(float volume) + void emitter_QAudioInput_volumeChanged_970(float volume) + { + emit QAudioInput::volumeChanged(volume); + } + // [adaptor impl] void QAudioInput::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -508,6 +485,38 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAudioInput::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAudioInput_Adaptor *)cls)->emitter_QAudioInput_destroyed_1302 (arg1); +} + + +// emitter void QAudioInput::deviceChanged() + +static void _init_emitter_deviceChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_deviceChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAudioInput_Adaptor *)cls)->emitter_QAudioInput_deviceChanged_0 (); +} + + // void QAudioInput::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -599,6 +608,42 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAudioInput::mutedChanged(bool muted) + +static void _init_emitter_mutedChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("muted"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_mutedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QAudioInput_Adaptor *)cls)->emitter_QAudioInput_mutedChanged_864 (arg1); +} + + +// emitter void QAudioInput::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAudioInput_Adaptor *)cls)->emitter_QAudioInput_objectNameChanged_4567 (arg1); +} + + // exposed int QAudioInput::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -669,6 +714,24 @@ static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback } +// emitter void QAudioInput::volumeChanged(float volume) + +static void _init_emitter_volumeChanged_970 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("volume"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_volumeChanged_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + float arg1 = gsi::arg_reader() (args, heap); + ((QAudioInput_Adaptor *)cls)->emitter_QAudioInput_volumeChanged_970 (arg1); +} + + namespace gsi { @@ -682,6 +745,8 @@ static gsi::Methods methods_QAudioInput_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioInput::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAudioInput::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); + methods += new qt_gsi::GenericMethod ("emit_deviceChanged", "@brief Emitter for signal void QAudioInput::deviceChanged()\nCall this method to emit this signal.", false, &_init_emitter_deviceChanged_0, &_call_emitter_deviceChanged_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioInput::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioInput::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -689,11 +754,14 @@ static gsi::Methods methods_QAudioInput_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioInput::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioInput::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_mutedChanged", "@brief Emitter for signal void QAudioInput::mutedChanged(bool muted)\nCall this method to emit this signal.", false, &_init_emitter_mutedChanged_864, &_call_emitter_mutedChanged_864); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAudioInput::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioInput::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioInput::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioInput::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioInput::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("emit_volumeChanged", "@brief Emitter for signal void QAudioInput::volumeChanged(float volume)\nCall this method to emit this signal.", false, &_init_emitter_volumeChanged_970, &_call_emitter_volumeChanged_970); return methods; } diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioOutput.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioOutput.cc index b9f879ed0e..b514bddc2a 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioOutput.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioOutput.cc @@ -70,22 +70,6 @@ static void _call_f_device_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QAudioOutput::deviceChanged() - - -static void _init_f_deviceChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_deviceChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioOutput *)cls)->deviceChanged (); -} - - // bool QAudioOutput::isMuted() @@ -101,26 +85,6 @@ static void _call_f_isMuted_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cl } -// void QAudioOutput::mutedChanged(bool muted) - - -static void _init_f_mutedChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("muted"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_mutedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioOutput *)cls)->mutedChanged (arg1); -} - - // void QAudioOutput::setDevice(const QAudioDevice &device) @@ -196,26 +160,6 @@ static void _call_f_volume_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QAudioOutput::volumeChanged(float volume) - - -static void _init_f_volumeChanged_970 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("volume"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_volumeChanged_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - float arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioOutput *)cls)->volumeChanged (arg1); -} - - // static QString QAudioOutput::tr(const char *s, const char *c, int n) @@ -247,15 +191,17 @@ namespace gsi static gsi::Methods methods_QAudioOutput () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("device", "@brief Method QAudioDevice QAudioOutput::device()\n", true, &_init_f_device_c0, &_call_f_device_c0); - methods += new qt_gsi::GenericMethod ("deviceChanged", "@brief Method void QAudioOutput::deviceChanged()\n", false, &_init_f_deviceChanged_0, &_call_f_deviceChanged_0); - methods += new qt_gsi::GenericMethod ("isMuted?", "@brief Method bool QAudioOutput::isMuted()\n", true, &_init_f_isMuted_c0, &_call_f_isMuted_c0); - methods += new qt_gsi::GenericMethod ("mutedChanged", "@brief Method void QAudioOutput::mutedChanged(bool muted)\n", false, &_init_f_mutedChanged_864, &_call_f_mutedChanged_864); - methods += new qt_gsi::GenericMethod ("setDevice", "@brief Method void QAudioOutput::setDevice(const QAudioDevice &device)\n", false, &_init_f_setDevice_2484, &_call_f_setDevice_2484); - methods += new qt_gsi::GenericMethod ("setMuted", "@brief Method void QAudioOutput::setMuted(bool muted)\n", false, &_init_f_setMuted_864, &_call_f_setMuted_864); + methods += new qt_gsi::GenericMethod (":device", "@brief Method QAudioDevice QAudioOutput::device()\n", true, &_init_f_device_c0, &_call_f_device_c0); + methods += new qt_gsi::GenericMethod ("isMuted?|:muted", "@brief Method bool QAudioOutput::isMuted()\n", true, &_init_f_isMuted_c0, &_call_f_isMuted_c0); + methods += new qt_gsi::GenericMethod ("setDevice|device=", "@brief Method void QAudioOutput::setDevice(const QAudioDevice &device)\n", false, &_init_f_setDevice_2484, &_call_f_setDevice_2484); + methods += new qt_gsi::GenericMethod ("setMuted|muted=", "@brief Method void QAudioOutput::setMuted(bool muted)\n", false, &_init_f_setMuted_864, &_call_f_setMuted_864); methods += new qt_gsi::GenericMethod ("setVolume|volume=", "@brief Method void QAudioOutput::setVolume(float volume)\n", false, &_init_f_setVolume_970, &_call_f_setVolume_970); methods += new qt_gsi::GenericMethod (":volume", "@brief Method float QAudioOutput::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); - methods += new qt_gsi::GenericMethod ("volumeChanged", "@brief Method void QAudioOutput::volumeChanged(float volume)\n", false, &_init_f_volumeChanged_970, &_call_f_volumeChanged_970); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAudioOutput::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("deviceChanged()", "deviceChanged", "@brief Signal declaration for QAudioOutput::deviceChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mutedChanged(bool)", "mutedChanged", gsi::arg("muted"), "@brief Signal declaration for QAudioOutput::mutedChanged(bool muted)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAudioOutput::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("volumeChanged(float)", "volumeChanged", gsi::arg("volume"), "@brief Signal declaration for QAudioOutput::volumeChanged(float volume)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAudioOutput::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -321,6 +267,18 @@ class QAudioOutput_Adaptor : public QAudioOutput, public qt_gsi::QtObjectBase return QAudioOutput::senderSignalIndex(); } + // [emitter impl] void QAudioOutput::destroyed(QObject *) + void emitter_QAudioOutput_destroyed_1302(QObject *arg1) + { + emit QAudioOutput::destroyed(arg1); + } + + // [emitter impl] void QAudioOutput::deviceChanged() + void emitter_QAudioOutput_deviceChanged_0() + { + emit QAudioOutput::deviceChanged(); + } + // [adaptor impl] bool QAudioOutput::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -351,6 +309,25 @@ class QAudioOutput_Adaptor : public QAudioOutput, public qt_gsi::QtObjectBase } } + // [emitter impl] void QAudioOutput::mutedChanged(bool muted) + void emitter_QAudioOutput_mutedChanged_864(bool muted) + { + emit QAudioOutput::mutedChanged(muted); + } + + // [emitter impl] void QAudioOutput::objectNameChanged(const QString &objectName) + void emitter_QAudioOutput_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAudioOutput::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QAudioOutput::volumeChanged(float volume) + void emitter_QAudioOutput_volumeChanged_970(float volume) + { + emit QAudioOutput::volumeChanged(volume); + } + // [adaptor impl] void QAudioOutput::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -508,6 +485,38 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAudioOutput::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAudioOutput_Adaptor *)cls)->emitter_QAudioOutput_destroyed_1302 (arg1); +} + + +// emitter void QAudioOutput::deviceChanged() + +static void _init_emitter_deviceChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_deviceChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAudioOutput_Adaptor *)cls)->emitter_QAudioOutput_deviceChanged_0 (); +} + + // void QAudioOutput::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -599,6 +608,42 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAudioOutput::mutedChanged(bool muted) + +static void _init_emitter_mutedChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("muted"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_mutedChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QAudioOutput_Adaptor *)cls)->emitter_QAudioOutput_mutedChanged_864 (arg1); +} + + +// emitter void QAudioOutput::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAudioOutput_Adaptor *)cls)->emitter_QAudioOutput_objectNameChanged_4567 (arg1); +} + + // exposed int QAudioOutput::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -669,6 +714,24 @@ static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback } +// emitter void QAudioOutput::volumeChanged(float volume) + +static void _init_emitter_volumeChanged_970 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("volume"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_volumeChanged_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + float arg1 = gsi::arg_reader() (args, heap); + ((QAudioOutput_Adaptor *)cls)->emitter_QAudioOutput_volumeChanged_970 (arg1); +} + + namespace gsi { @@ -682,6 +745,8 @@ static gsi::Methods methods_QAudioOutput_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioOutput::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAudioOutput::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); + methods += new qt_gsi::GenericMethod ("emit_deviceChanged", "@brief Emitter for signal void QAudioOutput::deviceChanged()\nCall this method to emit this signal.", false, &_init_emitter_deviceChanged_0, &_call_emitter_deviceChanged_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioOutput::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioOutput::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -689,11 +754,14 @@ static gsi::Methods methods_QAudioOutput_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioOutput::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioOutput::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_mutedChanged", "@brief Emitter for signal void QAudioOutput::mutedChanged(bool muted)\nCall this method to emit this signal.", false, &_init_emitter_mutedChanged_864, &_call_emitter_mutedChanged_864); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAudioOutput::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioOutput::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioOutput::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioOutput::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioOutput::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("emit_volumeChanged", "@brief Emitter for signal void QAudioOutput::volumeChanged(float volume)\nCall this method to emit this signal.", false, &_init_emitter_volumeChanged_970, &_call_emitter_volumeChanged_970); return methods; } diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioSink.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioSink.cc index 1cd59b2b1a..e19273f5bc 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioSink.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioSink.cc @@ -284,26 +284,6 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QAudioSink::stateChanged(QAudio::State state) - - -static void _init_f_stateChanged_1644 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("state"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_stateChanged_1644 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioSink *)cls)->stateChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // void QAudioSink::stop() @@ -382,7 +362,7 @@ namespace gsi static gsi::Methods methods_QAudioSink () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("bufferSize", "@brief Method qsizetype QAudioSink::bufferSize()\n", true, &_init_f_bufferSize_c0, &_call_f_bufferSize_c0); + methods += new qt_gsi::GenericMethod (":bufferSize", "@brief Method qsizetype QAudioSink::bufferSize()\n", true, &_init_f_bufferSize_c0, &_call_f_bufferSize_c0); methods += new qt_gsi::GenericMethod ("bytesFree", "@brief Method qsizetype QAudioSink::bytesFree()\n", true, &_init_f_bytesFree_c0, &_call_f_bytesFree_c0); methods += new qt_gsi::GenericMethod ("elapsedUSecs", "@brief Method qint64 QAudioSink::elapsedUSecs()\n", true, &_init_f_elapsedUSecs_c0, &_call_f_elapsedUSecs_c0); methods += new qt_gsi::GenericMethod ("error", "@brief Method QAudio::Error QAudioSink::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); @@ -391,15 +371,17 @@ static gsi::Methods methods_QAudioSink () { methods += new qt_gsi::GenericMethod ("processedUSecs", "@brief Method qint64 QAudioSink::processedUSecs()\n", true, &_init_f_processedUSecs_c0, &_call_f_processedUSecs_c0); methods += new qt_gsi::GenericMethod ("reset", "@brief Method void QAudioSink::reset()\n", false, &_init_f_reset_0, &_call_f_reset_0); methods += new qt_gsi::GenericMethod ("resume", "@brief Method void QAudioSink::resume()\n", false, &_init_f_resume_0, &_call_f_resume_0); - methods += new qt_gsi::GenericMethod ("setBufferSize", "@brief Method void QAudioSink::setBufferSize(qsizetype bytes)\n", false, &_init_f_setBufferSize_1442, &_call_f_setBufferSize_1442); - methods += new qt_gsi::GenericMethod ("setVolume", "@brief Method void QAudioSink::setVolume(double)\n", false, &_init_f_setVolume_1071, &_call_f_setVolume_1071); + methods += new qt_gsi::GenericMethod ("setBufferSize|bufferSize=", "@brief Method void QAudioSink::setBufferSize(qsizetype bytes)\n", false, &_init_f_setBufferSize_1442, &_call_f_setBufferSize_1442); + methods += new qt_gsi::GenericMethod ("setVolume|volume=", "@brief Method void QAudioSink::setVolume(double)\n", false, &_init_f_setVolume_1071, &_call_f_setVolume_1071); methods += new qt_gsi::GenericMethod ("start", "@brief Method void QAudioSink::start(QIODevice *device)\n", false, &_init_f_start_1447, &_call_f_start_1447); methods += new qt_gsi::GenericMethod ("start", "@brief Method QIODevice *QAudioSink::start()\n", false, &_init_f_start_0, &_call_f_start_0); methods += new qt_gsi::GenericMethod ("state", "@brief Method QAudio::State QAudioSink::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QAudioSink::stateChanged(QAudio::State state)\n", false, &_init_f_stateChanged_1644, &_call_f_stateChanged_1644); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QAudioSink::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); methods += new qt_gsi::GenericMethod ("suspend", "@brief Method void QAudioSink::suspend()\n", false, &_init_f_suspend_0, &_call_f_suspend_0); - methods += new qt_gsi::GenericMethod ("volume", "@brief Method double QAudioSink::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); + methods += new qt_gsi::GenericMethod (":volume", "@brief Method double QAudioSink::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAudioSink::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAudioSink::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("stateChanged(QAudio::State)", "stateChanged", gsi::arg("state"), "@brief Signal declaration for QAudioSink::stateChanged(QAudio::State state)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAudioSink::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -477,6 +459,12 @@ class QAudioSink_Adaptor : public QAudioSink, public qt_gsi::QtObjectBase return QAudioSink::senderSignalIndex(); } + // [emitter impl] void QAudioSink::destroyed(QObject *) + void emitter_QAudioSink_destroyed_1302(QObject *arg1) + { + emit QAudioSink::destroyed(arg1); + } + // [adaptor impl] bool QAudioSink::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -507,6 +495,19 @@ class QAudioSink_Adaptor : public QAudioSink, public qt_gsi::QtObjectBase } } + // [emitter impl] void QAudioSink::objectNameChanged(const QString &objectName) + void emitter_QAudioSink_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAudioSink::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QAudioSink::stateChanged(QAudio::State state) + void emitter_QAudioSink_stateChanged_1644(QAudio::State state) + { + emit QAudioSink::stateChanged(state); + } + // [adaptor impl] void QAudioSink::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -670,6 +671,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAudioSink::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAudioSink_Adaptor *)cls)->emitter_QAudioSink_destroyed_1302 (arg1); +} + + // void QAudioSink::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -761,6 +780,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAudioSink::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAudioSink_Adaptor *)cls)->emitter_QAudioSink_objectNameChanged_4567 (arg1); +} + + // exposed int QAudioSink::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -807,6 +844,24 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } +// emitter void QAudioSink::stateChanged(QAudio::State state) + +static void _init_emitter_stateChanged_1644 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("state"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stateChanged_1644 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QAudioSink_Adaptor *)cls)->emitter_QAudioSink_stateChanged_1644 (arg1); +} + + // void QAudioSink::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -844,6 +899,7 @@ static gsi::Methods methods_QAudioSink_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioSink::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAudioSink::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioSink::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioSink::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -851,9 +907,11 @@ static gsi::Methods methods_QAudioSink_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioSink::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioSink::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAudioSink::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioSink::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioSink::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioSink::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); + methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QAudioSink::stateChanged(QAudio::State state)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_1644, &_call_emitter_stateChanged_1644); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioSink::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioSource.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioSource.cc index 39d1f0f411..c421cb5771 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioSource.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioSource.cc @@ -284,26 +284,6 @@ static void _call_f_state_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QAudioSource::stateChanged(QAudio::State state) - - -static void _init_f_stateChanged_1644 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("state"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_stateChanged_1644 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAudioSource *)cls)->stateChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // void QAudioSource::stop() @@ -382,7 +362,7 @@ namespace gsi static gsi::Methods methods_QAudioSource () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("bufferSize", "@brief Method qsizetype QAudioSource::bufferSize()\n", true, &_init_f_bufferSize_c0, &_call_f_bufferSize_c0); + methods += new qt_gsi::GenericMethod (":bufferSize", "@brief Method qsizetype QAudioSource::bufferSize()\n", true, &_init_f_bufferSize_c0, &_call_f_bufferSize_c0); methods += new qt_gsi::GenericMethod ("bytesAvailable", "@brief Method qsizetype QAudioSource::bytesAvailable()\n", true, &_init_f_bytesAvailable_c0, &_call_f_bytesAvailable_c0); methods += new qt_gsi::GenericMethod ("elapsedUSecs", "@brief Method qint64 QAudioSource::elapsedUSecs()\n", true, &_init_f_elapsedUSecs_c0, &_call_f_elapsedUSecs_c0); methods += new qt_gsi::GenericMethod ("error", "@brief Method QAudio::Error QAudioSource::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); @@ -391,15 +371,17 @@ static gsi::Methods methods_QAudioSource () { methods += new qt_gsi::GenericMethod ("processedUSecs", "@brief Method qint64 QAudioSource::processedUSecs()\n", true, &_init_f_processedUSecs_c0, &_call_f_processedUSecs_c0); methods += new qt_gsi::GenericMethod ("reset", "@brief Method void QAudioSource::reset()\n", false, &_init_f_reset_0, &_call_f_reset_0); methods += new qt_gsi::GenericMethod ("resume", "@brief Method void QAudioSource::resume()\n", false, &_init_f_resume_0, &_call_f_resume_0); - methods += new qt_gsi::GenericMethod ("setBufferSize", "@brief Method void QAudioSource::setBufferSize(qsizetype bytes)\n", false, &_init_f_setBufferSize_1442, &_call_f_setBufferSize_1442); - methods += new qt_gsi::GenericMethod ("setVolume", "@brief Method void QAudioSource::setVolume(double volume)\n", false, &_init_f_setVolume_1071, &_call_f_setVolume_1071); + methods += new qt_gsi::GenericMethod ("setBufferSize|bufferSize=", "@brief Method void QAudioSource::setBufferSize(qsizetype bytes)\n", false, &_init_f_setBufferSize_1442, &_call_f_setBufferSize_1442); + methods += new qt_gsi::GenericMethod ("setVolume|volume=", "@brief Method void QAudioSource::setVolume(double volume)\n", false, &_init_f_setVolume_1071, &_call_f_setVolume_1071); methods += new qt_gsi::GenericMethod ("start", "@brief Method void QAudioSource::start(QIODevice *device)\n", false, &_init_f_start_1447, &_call_f_start_1447); methods += new qt_gsi::GenericMethod ("start", "@brief Method QIODevice *QAudioSource::start()\n", false, &_init_f_start_0, &_call_f_start_0); methods += new qt_gsi::GenericMethod ("state", "@brief Method QAudio::State QAudioSource::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); - methods += new qt_gsi::GenericMethod ("stateChanged", "@brief Method void QAudioSource::stateChanged(QAudio::State state)\n", false, &_init_f_stateChanged_1644, &_call_f_stateChanged_1644); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QAudioSource::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); methods += new qt_gsi::GenericMethod ("suspend", "@brief Method void QAudioSource::suspend()\n", false, &_init_f_suspend_0, &_call_f_suspend_0); - methods += new qt_gsi::GenericMethod ("volume", "@brief Method double QAudioSource::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); + methods += new qt_gsi::GenericMethod (":volume", "@brief Method double QAudioSource::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAudioSource::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAudioSource::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("stateChanged(QAudio::State)", "stateChanged", gsi::arg("state"), "@brief Signal declaration for QAudioSource::stateChanged(QAudio::State state)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAudioSource::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -477,6 +459,12 @@ class QAudioSource_Adaptor : public QAudioSource, public qt_gsi::QtObjectBase return QAudioSource::senderSignalIndex(); } + // [emitter impl] void QAudioSource::destroyed(QObject *) + void emitter_QAudioSource_destroyed_1302(QObject *arg1) + { + emit QAudioSource::destroyed(arg1); + } + // [adaptor impl] bool QAudioSource::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -507,6 +495,19 @@ class QAudioSource_Adaptor : public QAudioSource, public qt_gsi::QtObjectBase } } + // [emitter impl] void QAudioSource::objectNameChanged(const QString &objectName) + void emitter_QAudioSource_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAudioSource::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QAudioSource::stateChanged(QAudio::State state) + void emitter_QAudioSource_stateChanged_1644(QAudio::State state) + { + emit QAudioSource::stateChanged(state); + } + // [adaptor impl] void QAudioSource::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -670,6 +671,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QAudioSource::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAudioSource_Adaptor *)cls)->emitter_QAudioSource_destroyed_1302 (arg1); +} + + // void QAudioSource::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -761,6 +780,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QAudioSource::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAudioSource_Adaptor *)cls)->emitter_QAudioSource_objectNameChanged_4567 (arg1); +} + + // exposed int QAudioSource::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -807,6 +844,24 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } +// emitter void QAudioSource::stateChanged(QAudio::State state) + +static void _init_emitter_stateChanged_1644 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("state"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_stateChanged_1644 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QAudioSource_Adaptor *)cls)->emitter_QAudioSource_stateChanged_1644 (arg1); +} + + // void QAudioSource::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -844,6 +899,7 @@ static gsi::Methods methods_QAudioSource_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAudioSource::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAudioSource::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAudioSource::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QAudioSource::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -851,9 +907,11 @@ static gsi::Methods methods_QAudioSource_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QAudioSource::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QAudioSource::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAudioSource::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QAudioSource::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAudioSource::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QAudioSource::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); + methods += new qt_gsi::GenericMethod ("emit_stateChanged", "@brief Emitter for signal void QAudioSource::stateChanged(QAudio::State state)\nCall this method to emit this signal.", false, &_init_emitter_stateChanged_1644, &_call_emitter_stateChanged_1644); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QAudioSource::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); return methods; diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQCamera.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQCamera.cc index 9c12f97ef1..e8cdf0d4b9 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQCamera.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQCamera.cc @@ -51,42 +51,6 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// void QCamera::activeChanged(bool) - - -static void _init_f_activeChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_activeChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->activeChanged (arg1); -} - - -// void QCamera::brightnessChanged() - - -static void _init_f_brightnessChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_brightnessChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->brightnessChanged (); -} - - // QCameraDevice QCamera::cameraDevice() @@ -102,22 +66,6 @@ static void _call_f_cameraDevice_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QCamera::cameraDeviceChanged() - - -static void _init_f_cameraDeviceChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_cameraDeviceChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->cameraDeviceChanged (); -} - - // QCameraFormat QCamera::cameraFormat() @@ -133,22 +81,6 @@ static void _call_f_cameraFormat_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QCamera::cameraFormatChanged() - - -static void _init_f_cameraFormatChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_cameraFormatChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->cameraFormatChanged (); -} - - // QMediaCaptureSession *QCamera::captureSession() @@ -179,38 +111,6 @@ static void _call_f_colorTemperature_c0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QCamera::colorTemperatureChanged() - - -static void _init_f_colorTemperatureChanged_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_colorTemperatureChanged_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->colorTemperatureChanged (); -} - - -// void QCamera::contrastChanged() - - -static void _init_f_contrastChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_contrastChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->contrastChanged (); -} - - // QPointF QCamera::customFocusPoint() @@ -226,22 +126,6 @@ static void _call_f_customFocusPoint_c0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QCamera::customFocusPointChanged() - - -static void _init_f_customFocusPointChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_customFocusPointChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->customFocusPointChanged (); -} - - // QCamera::Error QCamera::error() @@ -257,45 +141,6 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QCamera::errorChanged() - - -static void _init_f_errorChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_errorChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->errorChanged (); -} - - -// void QCamera::errorOccurred(QCamera::Error error, const QString &errorString) - - -static void _init_f_errorOccurred_3657 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("error"); - decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("errorString"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_errorOccurred_3657 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - const QString &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->errorOccurred (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2); -} - - // QString QCamera::errorString() @@ -326,26 +171,6 @@ static void _call_f_exposureCompensation_c0 (const qt_gsi::GenericMethod * /*dec } -// void QCamera::exposureCompensationChanged(float) - - -static void _init_f_exposureCompensationChanged_970 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_exposureCompensationChanged_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - float arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->exposureCompensationChanged (arg1); -} - - // QCamera::ExposureMode QCamera::exposureMode() @@ -361,22 +186,6 @@ static void _call_f_exposureMode_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QCamera::exposureModeChanged() - - -static void _init_f_exposureModeChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_exposureModeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->exposureModeChanged (); -} - - // float QCamera::exposureTime() @@ -392,26 +201,6 @@ static void _call_f_exposureTime_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QCamera::exposureTimeChanged(float speed) - - -static void _init_f_exposureTimeChanged_970 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("speed"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_exposureTimeChanged_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - float arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->exposureTimeChanged (arg1); -} - - // QCamera::FlashMode QCamera::flashMode() @@ -427,42 +216,6 @@ static void _call_f_flashMode_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QCamera::flashModeChanged() - - -static void _init_f_flashModeChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_flashModeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->flashModeChanged (); -} - - -// void QCamera::flashReady(bool) - - -static void _init_f_flashReady_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_flashReady_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->flashReady (arg1); -} - - // float QCamera::focusDistance() @@ -478,26 +231,6 @@ static void _call_f_focusDistance_c0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QCamera::focusDistanceChanged(float) - - -static void _init_f_focusDistanceChanged_970 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_focusDistanceChanged_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - float arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->focusDistanceChanged (arg1); -} - - // QCamera::FocusMode QCamera::focusMode() @@ -513,22 +246,6 @@ static void _call_f_focusMode_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QCamera::focusModeChanged() - - -static void _init_f_focusModeChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_focusModeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->focusModeChanged (); -} - - // QPointF QCamera::focusPoint() @@ -544,38 +261,6 @@ static void _call_f_focusPoint_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QCamera::focusPointChanged() - - -static void _init_f_focusPointChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_focusPointChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->focusPointChanged (); -} - - -// void QCamera::hueChanged() - - -static void _init_f_hueChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_hueChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->hueChanged (); -} - - // bool QCamera::isActive() @@ -731,62 +416,22 @@ static void _call_f_isoSensitivity_c0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QCamera::isoSensitivityChanged(int) +// float QCamera::manualExposureTime() -static void _init_f_isoSensitivityChanged_767 (qt_gsi::GenericMethod *decl) +static void _init_f_manualExposureTime_c0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); + decl->set_return (); } -static void _call_f_isoSensitivityChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +static void _call_f_manualExposureTime_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) { __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->isoSensitivityChanged (arg1); + ret.write ((float)((QCamera *)cls)->manualExposureTime ()); } -// float QCamera::manualExposureTime() - - -static void _init_f_manualExposureTime_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_manualExposureTime_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - ret.write ((float)((QCamera *)cls)->manualExposureTime ()); -} - - -// void QCamera::manualExposureTimeChanged(float speed) - - -static void _init_f_manualExposureTimeChanged_970 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("speed"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_manualExposureTimeChanged_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - float arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->manualExposureTimeChanged (arg1); -} - - -// int QCamera::manualIsoSensitivity() +// int QCamera::manualIsoSensitivity() static void _init_f_manualIsoSensitivity_c0 (qt_gsi::GenericMethod *decl) @@ -801,26 +446,6 @@ static void _call_f_manualIsoSensitivity_c0 (const qt_gsi::GenericMethod * /*dec } -// void QCamera::manualIsoSensitivityChanged(int) - - -static void _init_f_manualIsoSensitivityChanged_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_manualIsoSensitivityChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->manualIsoSensitivityChanged (arg1); -} - - // float QCamera::maximumExposureTime() @@ -866,26 +491,6 @@ static void _call_f_maximumZoomFactor_c0 (const qt_gsi::GenericMethod * /*decl*/ } -// void QCamera::maximumZoomFactorChanged(float) - - -static void _init_f_maximumZoomFactorChanged_970 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_maximumZoomFactorChanged_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - float arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->maximumZoomFactorChanged (arg1); -} - - // float QCamera::minimumExposureTime() @@ -931,42 +536,6 @@ static void _call_f_minimumZoomFactor_c0 (const qt_gsi::GenericMethod * /*decl*/ } -// void QCamera::minimumZoomFactorChanged(float) - - -static void _init_f_minimumZoomFactorChanged_970 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_minimumZoomFactorChanged_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - float arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->minimumZoomFactorChanged (arg1); -} - - -// void QCamera::saturationChanged() - - -static void _init_f_saturationChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_saturationChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->saturationChanged (); -} - - // void QCamera::setActive(bool active) @@ -1346,22 +915,6 @@ static void _call_f_supportedFeatures_c0 (const qt_gsi::GenericMethod * /*decl*/ } -// void QCamera::supportedFeaturesChanged() - - -static void _init_f_supportedFeaturesChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_supportedFeaturesChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->supportedFeaturesChanged (); -} - - // QCamera::TorchMode QCamera::torchMode() @@ -1377,22 +930,6 @@ static void _call_f_torchMode_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QCamera::torchModeChanged() - - -static void _init_f_torchModeChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_torchModeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->torchModeChanged (); -} - - // QCamera::WhiteBalanceMode QCamera::whiteBalanceMode() @@ -1408,22 +945,6 @@ static void _call_f_whiteBalanceMode_c0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QCamera::whiteBalanceModeChanged() - - -static void _init_f_whiteBalanceModeChanged_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_whiteBalanceModeChanged_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->whiteBalanceModeChanged (); -} - - // float QCamera::zoomFactor() @@ -1439,26 +960,6 @@ static void _call_f_zoomFactor_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QCamera::zoomFactorChanged(float) - - -static void _init_f_zoomFactorChanged_970 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_zoomFactorChanged_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - float arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera *)cls)->zoomFactorChanged (arg1); -} - - // void QCamera::zoomTo(float zoom, float rate) @@ -1513,89 +1014,91 @@ namespace gsi static gsi::Methods methods_QCamera () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("activeChanged", "@brief Method void QCamera::activeChanged(bool)\n", false, &_init_f_activeChanged_864, &_call_f_activeChanged_864); - methods += new qt_gsi::GenericMethod ("brightnessChanged", "@brief Method void QCamera::brightnessChanged()\n", false, &_init_f_brightnessChanged_0, &_call_f_brightnessChanged_0); - methods += new qt_gsi::GenericMethod ("cameraDevice", "@brief Method QCameraDevice QCamera::cameraDevice()\n", true, &_init_f_cameraDevice_c0, &_call_f_cameraDevice_c0); - methods += new qt_gsi::GenericMethod ("cameraDeviceChanged", "@brief Method void QCamera::cameraDeviceChanged()\n", false, &_init_f_cameraDeviceChanged_0, &_call_f_cameraDeviceChanged_0); - methods += new qt_gsi::GenericMethod ("cameraFormat", "@brief Method QCameraFormat QCamera::cameraFormat()\n", true, &_init_f_cameraFormat_c0, &_call_f_cameraFormat_c0); - methods += new qt_gsi::GenericMethod ("cameraFormatChanged", "@brief Method void QCamera::cameraFormatChanged()\n", false, &_init_f_cameraFormatChanged_0, &_call_f_cameraFormatChanged_0); + methods += new qt_gsi::GenericMethod (":cameraDevice", "@brief Method QCameraDevice QCamera::cameraDevice()\n", true, &_init_f_cameraDevice_c0, &_call_f_cameraDevice_c0); + methods += new qt_gsi::GenericMethod (":cameraFormat", "@brief Method QCameraFormat QCamera::cameraFormat()\n", true, &_init_f_cameraFormat_c0, &_call_f_cameraFormat_c0); methods += new qt_gsi::GenericMethod ("captureSession", "@brief Method QMediaCaptureSession *QCamera::captureSession()\n", true, &_init_f_captureSession_c0, &_call_f_captureSession_c0); - methods += new qt_gsi::GenericMethod ("colorTemperature", "@brief Method int QCamera::colorTemperature()\n", true, &_init_f_colorTemperature_c0, &_call_f_colorTemperature_c0); - methods += new qt_gsi::GenericMethod ("colorTemperatureChanged", "@brief Method void QCamera::colorTemperatureChanged()\n", true, &_init_f_colorTemperatureChanged_c0, &_call_f_colorTemperatureChanged_c0); - methods += new qt_gsi::GenericMethod ("contrastChanged", "@brief Method void QCamera::contrastChanged()\n", false, &_init_f_contrastChanged_0, &_call_f_contrastChanged_0); - methods += new qt_gsi::GenericMethod ("customFocusPoint", "@brief Method QPointF QCamera::customFocusPoint()\n", true, &_init_f_customFocusPoint_c0, &_call_f_customFocusPoint_c0); - methods += new qt_gsi::GenericMethod ("customFocusPointChanged", "@brief Method void QCamera::customFocusPointChanged()\n", false, &_init_f_customFocusPointChanged_0, &_call_f_customFocusPointChanged_0); - methods += new qt_gsi::GenericMethod ("error", "@brief Method QCamera::Error QCamera::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("errorChanged", "@brief Method void QCamera::errorChanged()\n", false, &_init_f_errorChanged_0, &_call_f_errorChanged_0); - methods += new qt_gsi::GenericMethod ("errorOccurred", "@brief Method void QCamera::errorOccurred(QCamera::Error error, const QString &errorString)\n", false, &_init_f_errorOccurred_3657, &_call_f_errorOccurred_3657); - methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QCamera::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); - methods += new qt_gsi::GenericMethod ("exposureCompensation", "@brief Method float QCamera::exposureCompensation()\n", true, &_init_f_exposureCompensation_c0, &_call_f_exposureCompensation_c0); - methods += new qt_gsi::GenericMethod ("exposureCompensationChanged", "@brief Method void QCamera::exposureCompensationChanged(float)\n", false, &_init_f_exposureCompensationChanged_970, &_call_f_exposureCompensationChanged_970); - methods += new qt_gsi::GenericMethod ("exposureMode", "@brief Method QCamera::ExposureMode QCamera::exposureMode()\n", true, &_init_f_exposureMode_c0, &_call_f_exposureMode_c0); - methods += new qt_gsi::GenericMethod ("exposureModeChanged", "@brief Method void QCamera::exposureModeChanged()\n", false, &_init_f_exposureModeChanged_0, &_call_f_exposureModeChanged_0); - methods += new qt_gsi::GenericMethod ("exposureTime", "@brief Method float QCamera::exposureTime()\n", true, &_init_f_exposureTime_c0, &_call_f_exposureTime_c0); - methods += new qt_gsi::GenericMethod ("exposureTimeChanged", "@brief Method void QCamera::exposureTimeChanged(float speed)\n", false, &_init_f_exposureTimeChanged_970, &_call_f_exposureTimeChanged_970); - methods += new qt_gsi::GenericMethod ("flashMode", "@brief Method QCamera::FlashMode QCamera::flashMode()\n", true, &_init_f_flashMode_c0, &_call_f_flashMode_c0); - methods += new qt_gsi::GenericMethod ("flashModeChanged", "@brief Method void QCamera::flashModeChanged()\n", false, &_init_f_flashModeChanged_0, &_call_f_flashModeChanged_0); - methods += new qt_gsi::GenericMethod ("flashReady", "@brief Method void QCamera::flashReady(bool)\n", false, &_init_f_flashReady_864, &_call_f_flashReady_864); - methods += new qt_gsi::GenericMethod ("focusDistance", "@brief Method float QCamera::focusDistance()\n", true, &_init_f_focusDistance_c0, &_call_f_focusDistance_c0); - methods += new qt_gsi::GenericMethod ("focusDistanceChanged", "@brief Method void QCamera::focusDistanceChanged(float)\n", false, &_init_f_focusDistanceChanged_970, &_call_f_focusDistanceChanged_970); - methods += new qt_gsi::GenericMethod ("focusMode", "@brief Method QCamera::FocusMode QCamera::focusMode()\n", true, &_init_f_focusMode_c0, &_call_f_focusMode_c0); - methods += new qt_gsi::GenericMethod ("focusModeChanged", "@brief Method void QCamera::focusModeChanged()\n", false, &_init_f_focusModeChanged_0, &_call_f_focusModeChanged_0); - methods += new qt_gsi::GenericMethod ("focusPoint", "@brief Method QPointF QCamera::focusPoint()\n", true, &_init_f_focusPoint_c0, &_call_f_focusPoint_c0); - methods += new qt_gsi::GenericMethod ("focusPointChanged", "@brief Method void QCamera::focusPointChanged()\n", false, &_init_f_focusPointChanged_0, &_call_f_focusPointChanged_0); - methods += new qt_gsi::GenericMethod ("hueChanged", "@brief Method void QCamera::hueChanged()\n", false, &_init_f_hueChanged_0, &_call_f_hueChanged_0); - methods += new qt_gsi::GenericMethod ("isActive?", "@brief Method bool QCamera::isActive()\n", true, &_init_f_isActive_c0, &_call_f_isActive_c0); + methods += new qt_gsi::GenericMethod (":colorTemperature", "@brief Method int QCamera::colorTemperature()\n", true, &_init_f_colorTemperature_c0, &_call_f_colorTemperature_c0); + methods += new qt_gsi::GenericMethod (":customFocusPoint", "@brief Method QPointF QCamera::customFocusPoint()\n", true, &_init_f_customFocusPoint_c0, &_call_f_customFocusPoint_c0); + methods += new qt_gsi::GenericMethod (":error", "@brief Method QCamera::Error QCamera::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); + methods += new qt_gsi::GenericMethod (":errorString", "@brief Method QString QCamera::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); + methods += new qt_gsi::GenericMethod (":exposureCompensation", "@brief Method float QCamera::exposureCompensation()\n", true, &_init_f_exposureCompensation_c0, &_call_f_exposureCompensation_c0); + methods += new qt_gsi::GenericMethod (":exposureMode", "@brief Method QCamera::ExposureMode QCamera::exposureMode()\n", true, &_init_f_exposureMode_c0, &_call_f_exposureMode_c0); + methods += new qt_gsi::GenericMethod (":exposureTime", "@brief Method float QCamera::exposureTime()\n", true, &_init_f_exposureTime_c0, &_call_f_exposureTime_c0); + methods += new qt_gsi::GenericMethod (":flashMode", "@brief Method QCamera::FlashMode QCamera::flashMode()\n", true, &_init_f_flashMode_c0, &_call_f_flashMode_c0); + methods += new qt_gsi::GenericMethod (":focusDistance", "@brief Method float QCamera::focusDistance()\n", true, &_init_f_focusDistance_c0, &_call_f_focusDistance_c0); + methods += new qt_gsi::GenericMethod (":focusMode", "@brief Method QCamera::FocusMode QCamera::focusMode()\n", true, &_init_f_focusMode_c0, &_call_f_focusMode_c0); + methods += new qt_gsi::GenericMethod (":focusPoint", "@brief Method QPointF QCamera::focusPoint()\n", true, &_init_f_focusPoint_c0, &_call_f_focusPoint_c0); + methods += new qt_gsi::GenericMethod ("isActive?|:active", "@brief Method bool QCamera::isActive()\n", true, &_init_f_isActive_c0, &_call_f_isActive_c0); methods += new qt_gsi::GenericMethod ("isAvailable?", "@brief Method bool QCamera::isAvailable()\n", true, &_init_f_isAvailable_c0, &_call_f_isAvailable_c0); methods += new qt_gsi::GenericMethod ("isExposureModeSupported?", "@brief Method bool QCamera::isExposureModeSupported(QCamera::ExposureMode mode)\n", true, &_init_f_isExposureModeSupported_c2466, &_call_f_isExposureModeSupported_c2466); methods += new qt_gsi::GenericMethod ("isFlashModeSupported?", "@brief Method bool QCamera::isFlashModeSupported(QCamera::FlashMode mode)\n", true, &_init_f_isFlashModeSupported_c2101, &_call_f_isFlashModeSupported_c2101); - methods += new qt_gsi::GenericMethod ("isFlashReady?", "@brief Method bool QCamera::isFlashReady()\n", true, &_init_f_isFlashReady_c0, &_call_f_isFlashReady_c0); + methods += new qt_gsi::GenericMethod ("isFlashReady?|:flashReady", "@brief Method bool QCamera::isFlashReady()\n", true, &_init_f_isFlashReady_c0, &_call_f_isFlashReady_c0); methods += new qt_gsi::GenericMethod ("isFocusModeSupported?", "@brief Method bool QCamera::isFocusModeSupported(QCamera::FocusMode mode)\n", true, &_init_f_isFocusModeSupported_c2119, &_call_f_isFocusModeSupported_c2119); methods += new qt_gsi::GenericMethod ("isTorchModeSupported?", "@brief Method bool QCamera::isTorchModeSupported(QCamera::TorchMode mode)\n", true, &_init_f_isTorchModeSupported_c2119, &_call_f_isTorchModeSupported_c2119); methods += new qt_gsi::GenericMethod ("isWhiteBalanceModeSupported?", "@brief Method bool QCamera::isWhiteBalanceModeSupported(QCamera::WhiteBalanceMode mode)\n", true, &_init_f_isWhiteBalanceModeSupported_c2798, &_call_f_isWhiteBalanceModeSupported_c2798); - methods += new qt_gsi::GenericMethod ("isoSensitivity", "@brief Method int QCamera::isoSensitivity()\n", true, &_init_f_isoSensitivity_c0, &_call_f_isoSensitivity_c0); - methods += new qt_gsi::GenericMethod ("isoSensitivityChanged", "@brief Method void QCamera::isoSensitivityChanged(int)\n", false, &_init_f_isoSensitivityChanged_767, &_call_f_isoSensitivityChanged_767); - methods += new qt_gsi::GenericMethod ("manualExposureTime", "@brief Method float QCamera::manualExposureTime()\n", true, &_init_f_manualExposureTime_c0, &_call_f_manualExposureTime_c0); - methods += new qt_gsi::GenericMethod ("manualExposureTimeChanged", "@brief Method void QCamera::manualExposureTimeChanged(float speed)\n", false, &_init_f_manualExposureTimeChanged_970, &_call_f_manualExposureTimeChanged_970); - methods += new qt_gsi::GenericMethod ("manualIsoSensitivity", "@brief Method int QCamera::manualIsoSensitivity()\n", true, &_init_f_manualIsoSensitivity_c0, &_call_f_manualIsoSensitivity_c0); - methods += new qt_gsi::GenericMethod ("manualIsoSensitivityChanged", "@brief Method void QCamera::manualIsoSensitivityChanged(int)\n", false, &_init_f_manualIsoSensitivityChanged_767, &_call_f_manualIsoSensitivityChanged_767); + methods += new qt_gsi::GenericMethod (":isoSensitivity", "@brief Method int QCamera::isoSensitivity()\n", true, &_init_f_isoSensitivity_c0, &_call_f_isoSensitivity_c0); + methods += new qt_gsi::GenericMethod (":manualExposureTime", "@brief Method float QCamera::manualExposureTime()\n", true, &_init_f_manualExposureTime_c0, &_call_f_manualExposureTime_c0); + methods += new qt_gsi::GenericMethod (":manualIsoSensitivity", "@brief Method int QCamera::manualIsoSensitivity()\n", true, &_init_f_manualIsoSensitivity_c0, &_call_f_manualIsoSensitivity_c0); methods += new qt_gsi::GenericMethod ("maximumExposureTime", "@brief Method float QCamera::maximumExposureTime()\n", true, &_init_f_maximumExposureTime_c0, &_call_f_maximumExposureTime_c0); methods += new qt_gsi::GenericMethod ("maximumIsoSensitivity", "@brief Method int QCamera::maximumIsoSensitivity()\n", true, &_init_f_maximumIsoSensitivity_c0, &_call_f_maximumIsoSensitivity_c0); - methods += new qt_gsi::GenericMethod ("maximumZoomFactor", "@brief Method float QCamera::maximumZoomFactor()\n", true, &_init_f_maximumZoomFactor_c0, &_call_f_maximumZoomFactor_c0); - methods += new qt_gsi::GenericMethod ("maximumZoomFactorChanged", "@brief Method void QCamera::maximumZoomFactorChanged(float)\n", false, &_init_f_maximumZoomFactorChanged_970, &_call_f_maximumZoomFactorChanged_970); + methods += new qt_gsi::GenericMethod (":maximumZoomFactor", "@brief Method float QCamera::maximumZoomFactor()\n", true, &_init_f_maximumZoomFactor_c0, &_call_f_maximumZoomFactor_c0); methods += new qt_gsi::GenericMethod ("minimumExposureTime", "@brief Method float QCamera::minimumExposureTime()\n", true, &_init_f_minimumExposureTime_c0, &_call_f_minimumExposureTime_c0); methods += new qt_gsi::GenericMethod ("minimumIsoSensitivity", "@brief Method int QCamera::minimumIsoSensitivity()\n", true, &_init_f_minimumIsoSensitivity_c0, &_call_f_minimumIsoSensitivity_c0); - methods += new qt_gsi::GenericMethod ("minimumZoomFactor", "@brief Method float QCamera::minimumZoomFactor()\n", true, &_init_f_minimumZoomFactor_c0, &_call_f_minimumZoomFactor_c0); - methods += new qt_gsi::GenericMethod ("minimumZoomFactorChanged", "@brief Method void QCamera::minimumZoomFactorChanged(float)\n", false, &_init_f_minimumZoomFactorChanged_970, &_call_f_minimumZoomFactorChanged_970); - methods += new qt_gsi::GenericMethod ("saturationChanged", "@brief Method void QCamera::saturationChanged()\n", false, &_init_f_saturationChanged_0, &_call_f_saturationChanged_0); - methods += new qt_gsi::GenericMethod ("setActive", "@brief Method void QCamera::setActive(bool active)\n", false, &_init_f_setActive_864, &_call_f_setActive_864); + methods += new qt_gsi::GenericMethod (":minimumZoomFactor", "@brief Method float QCamera::minimumZoomFactor()\n", true, &_init_f_minimumZoomFactor_c0, &_call_f_minimumZoomFactor_c0); + methods += new qt_gsi::GenericMethod ("setActive|active=", "@brief Method void QCamera::setActive(bool active)\n", false, &_init_f_setActive_864, &_call_f_setActive_864); methods += new qt_gsi::GenericMethod ("setAutoExposureTime", "@brief Method void QCamera::setAutoExposureTime()\n", false, &_init_f_setAutoExposureTime_0, &_call_f_setAutoExposureTime_0); methods += new qt_gsi::GenericMethod ("setAutoIsoSensitivity", "@brief Method void QCamera::setAutoIsoSensitivity()\n", false, &_init_f_setAutoIsoSensitivity_0, &_call_f_setAutoIsoSensitivity_0); - methods += new qt_gsi::GenericMethod ("setCameraDevice", "@brief Method void QCamera::setCameraDevice(const QCameraDevice &cameraDevice)\n", false, &_init_f_setCameraDevice_2571, &_call_f_setCameraDevice_2571); - methods += new qt_gsi::GenericMethod ("setCameraFormat", "@brief Method void QCamera::setCameraFormat(const QCameraFormat &format)\n", false, &_init_f_setCameraFormat_2596, &_call_f_setCameraFormat_2596); - methods += new qt_gsi::GenericMethod ("setColorTemperature", "@brief Method void QCamera::setColorTemperature(int colorTemperature)\n", false, &_init_f_setColorTemperature_767, &_call_f_setColorTemperature_767); - methods += new qt_gsi::GenericMethod ("setCustomFocusPoint", "@brief Method void QCamera::setCustomFocusPoint(const QPointF &point)\n", false, &_init_f_setCustomFocusPoint_1986, &_call_f_setCustomFocusPoint_1986); - methods += new qt_gsi::GenericMethod ("setExposureCompensation", "@brief Method void QCamera::setExposureCompensation(float ev)\n", false, &_init_f_setExposureCompensation_970, &_call_f_setExposureCompensation_970); - methods += new qt_gsi::GenericMethod ("setExposureMode", "@brief Method void QCamera::setExposureMode(QCamera::ExposureMode mode)\n", false, &_init_f_setExposureMode_2466, &_call_f_setExposureMode_2466); - methods += new qt_gsi::GenericMethod ("setFlashMode", "@brief Method void QCamera::setFlashMode(QCamera::FlashMode mode)\n", false, &_init_f_setFlashMode_2101, &_call_f_setFlashMode_2101); - methods += new qt_gsi::GenericMethod ("setFocusDistance", "@brief Method void QCamera::setFocusDistance(float d)\n", false, &_init_f_setFocusDistance_970, &_call_f_setFocusDistance_970); - methods += new qt_gsi::GenericMethod ("setFocusMode", "@brief Method void QCamera::setFocusMode(QCamera::FocusMode mode)\n", false, &_init_f_setFocusMode_2119, &_call_f_setFocusMode_2119); - methods += new qt_gsi::GenericMethod ("setManualExposureTime", "@brief Method void QCamera::setManualExposureTime(float seconds)\n", false, &_init_f_setManualExposureTime_970, &_call_f_setManualExposureTime_970); - methods += new qt_gsi::GenericMethod ("setManualIsoSensitivity", "@brief Method void QCamera::setManualIsoSensitivity(int iso)\n", false, &_init_f_setManualIsoSensitivity_767, &_call_f_setManualIsoSensitivity_767); - methods += new qt_gsi::GenericMethod ("setTorchMode", "@brief Method void QCamera::setTorchMode(QCamera::TorchMode mode)\n", false, &_init_f_setTorchMode_2119, &_call_f_setTorchMode_2119); - methods += new qt_gsi::GenericMethod ("setWhiteBalanceMode", "@brief Method void QCamera::setWhiteBalanceMode(QCamera::WhiteBalanceMode mode)\n", false, &_init_f_setWhiteBalanceMode_2798, &_call_f_setWhiteBalanceMode_2798); - methods += new qt_gsi::GenericMethod ("setZoomFactor", "@brief Method void QCamera::setZoomFactor(float factor)\n", false, &_init_f_setZoomFactor_970, &_call_f_setZoomFactor_970); + methods += new qt_gsi::GenericMethod ("setCameraDevice|cameraDevice=", "@brief Method void QCamera::setCameraDevice(const QCameraDevice &cameraDevice)\n", false, &_init_f_setCameraDevice_2571, &_call_f_setCameraDevice_2571); + methods += new qt_gsi::GenericMethod ("setCameraFormat|cameraFormat=", "@brief Method void QCamera::setCameraFormat(const QCameraFormat &format)\n", false, &_init_f_setCameraFormat_2596, &_call_f_setCameraFormat_2596); + methods += new qt_gsi::GenericMethod ("setColorTemperature|colorTemperature=", "@brief Method void QCamera::setColorTemperature(int colorTemperature)\n", false, &_init_f_setColorTemperature_767, &_call_f_setColorTemperature_767); + methods += new qt_gsi::GenericMethod ("setCustomFocusPoint|customFocusPoint=", "@brief Method void QCamera::setCustomFocusPoint(const QPointF &point)\n", false, &_init_f_setCustomFocusPoint_1986, &_call_f_setCustomFocusPoint_1986); + methods += new qt_gsi::GenericMethod ("setExposureCompensation|exposureCompensation=", "@brief Method void QCamera::setExposureCompensation(float ev)\n", false, &_init_f_setExposureCompensation_970, &_call_f_setExposureCompensation_970); + methods += new qt_gsi::GenericMethod ("setExposureMode|exposureMode=", "@brief Method void QCamera::setExposureMode(QCamera::ExposureMode mode)\n", false, &_init_f_setExposureMode_2466, &_call_f_setExposureMode_2466); + methods += new qt_gsi::GenericMethod ("setFlashMode|flashMode=", "@brief Method void QCamera::setFlashMode(QCamera::FlashMode mode)\n", false, &_init_f_setFlashMode_2101, &_call_f_setFlashMode_2101); + methods += new qt_gsi::GenericMethod ("setFocusDistance|focusDistance=", "@brief Method void QCamera::setFocusDistance(float d)\n", false, &_init_f_setFocusDistance_970, &_call_f_setFocusDistance_970); + methods += new qt_gsi::GenericMethod ("setFocusMode|focusMode=", "@brief Method void QCamera::setFocusMode(QCamera::FocusMode mode)\n", false, &_init_f_setFocusMode_2119, &_call_f_setFocusMode_2119); + methods += new qt_gsi::GenericMethod ("setManualExposureTime|manualExposureTime=", "@brief Method void QCamera::setManualExposureTime(float seconds)\n", false, &_init_f_setManualExposureTime_970, &_call_f_setManualExposureTime_970); + methods += new qt_gsi::GenericMethod ("setManualIsoSensitivity|manualIsoSensitivity=", "@brief Method void QCamera::setManualIsoSensitivity(int iso)\n", false, &_init_f_setManualIsoSensitivity_767, &_call_f_setManualIsoSensitivity_767); + methods += new qt_gsi::GenericMethod ("setTorchMode|torchMode=", "@brief Method void QCamera::setTorchMode(QCamera::TorchMode mode)\n", false, &_init_f_setTorchMode_2119, &_call_f_setTorchMode_2119); + methods += new qt_gsi::GenericMethod ("setWhiteBalanceMode|whiteBalanceMode=", "@brief Method void QCamera::setWhiteBalanceMode(QCamera::WhiteBalanceMode mode)\n", false, &_init_f_setWhiteBalanceMode_2798, &_call_f_setWhiteBalanceMode_2798); + methods += new qt_gsi::GenericMethod ("setZoomFactor|zoomFactor=", "@brief Method void QCamera::setZoomFactor(float factor)\n", false, &_init_f_setZoomFactor_970, &_call_f_setZoomFactor_970); methods += new qt_gsi::GenericMethod ("start", "@brief Method void QCamera::start()\n", false, &_init_f_start_0, &_call_f_start_0); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QCamera::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); - methods += new qt_gsi::GenericMethod ("supportedFeatures", "@brief Method QFlags QCamera::supportedFeatures()\n", true, &_init_f_supportedFeatures_c0, &_call_f_supportedFeatures_c0); - methods += new qt_gsi::GenericMethod ("supportedFeaturesChanged", "@brief Method void QCamera::supportedFeaturesChanged()\n", false, &_init_f_supportedFeaturesChanged_0, &_call_f_supportedFeaturesChanged_0); - methods += new qt_gsi::GenericMethod ("torchMode", "@brief Method QCamera::TorchMode QCamera::torchMode()\n", true, &_init_f_torchMode_c0, &_call_f_torchMode_c0); - methods += new qt_gsi::GenericMethod ("torchModeChanged", "@brief Method void QCamera::torchModeChanged()\n", false, &_init_f_torchModeChanged_0, &_call_f_torchModeChanged_0); - methods += new qt_gsi::GenericMethod ("whiteBalanceMode", "@brief Method QCamera::WhiteBalanceMode QCamera::whiteBalanceMode()\n", true, &_init_f_whiteBalanceMode_c0, &_call_f_whiteBalanceMode_c0); - methods += new qt_gsi::GenericMethod ("whiteBalanceModeChanged", "@brief Method void QCamera::whiteBalanceModeChanged()\n", true, &_init_f_whiteBalanceModeChanged_c0, &_call_f_whiteBalanceModeChanged_c0); - methods += new qt_gsi::GenericMethod ("zoomFactor", "@brief Method float QCamera::zoomFactor()\n", true, &_init_f_zoomFactor_c0, &_call_f_zoomFactor_c0); - methods += new qt_gsi::GenericMethod ("zoomFactorChanged", "@brief Method void QCamera::zoomFactorChanged(float)\n", false, &_init_f_zoomFactorChanged_970, &_call_f_zoomFactorChanged_970); + methods += new qt_gsi::GenericMethod (":supportedFeatures", "@brief Method QFlags QCamera::supportedFeatures()\n", true, &_init_f_supportedFeatures_c0, &_call_f_supportedFeatures_c0); + methods += new qt_gsi::GenericMethod (":torchMode", "@brief Method QCamera::TorchMode QCamera::torchMode()\n", true, &_init_f_torchMode_c0, &_call_f_torchMode_c0); + methods += new qt_gsi::GenericMethod (":whiteBalanceMode", "@brief Method QCamera::WhiteBalanceMode QCamera::whiteBalanceMode()\n", true, &_init_f_whiteBalanceMode_c0, &_call_f_whiteBalanceMode_c0); + methods += new qt_gsi::GenericMethod (":zoomFactor", "@brief Method float QCamera::zoomFactor()\n", true, &_init_f_zoomFactor_c0, &_call_f_zoomFactor_c0); methods += new qt_gsi::GenericMethod ("zoomTo", "@brief Method void QCamera::zoomTo(float zoom, float rate)\n", false, &_init_f_zoomTo_1832, &_call_f_zoomTo_1832); + methods += gsi::qt_signal ("activeChanged(bool)", "activeChanged", gsi::arg("arg1"), "@brief Signal declaration for QCamera::activeChanged(bool)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("brightnessChanged()", "brightnessChanged", "@brief Signal declaration for QCamera::brightnessChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("cameraDeviceChanged()", "cameraDeviceChanged", "@brief Signal declaration for QCamera::cameraDeviceChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("cameraFormatChanged()", "cameraFormatChanged", "@brief Signal declaration for QCamera::cameraFormatChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("colorTemperatureChanged()", "colorTemperatureChanged", "@brief Signal declaration for QCamera::colorTemperatureChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("contrastChanged()", "contrastChanged", "@brief Signal declaration for QCamera::contrastChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("customFocusPointChanged()", "customFocusPointChanged", "@brief Signal declaration for QCamera::customFocusPointChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QCamera::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("errorChanged()", "errorChanged", "@brief Signal declaration for QCamera::errorChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type &, const QString & > ("errorOccurred(QCamera::Error, const QString &)", "errorOccurred", gsi::arg("error"), gsi::arg("errorString"), "@brief Signal declaration for QCamera::errorOccurred(QCamera::Error error, const QString &errorString)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("exposureCompensationChanged(float)", "exposureCompensationChanged", gsi::arg("arg1"), "@brief Signal declaration for QCamera::exposureCompensationChanged(float)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("exposureModeChanged()", "exposureModeChanged", "@brief Signal declaration for QCamera::exposureModeChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("exposureTimeChanged(float)", "exposureTimeChanged", gsi::arg("speed"), "@brief Signal declaration for QCamera::exposureTimeChanged(float speed)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("flashModeChanged()", "flashModeChanged", "@brief Signal declaration for QCamera::flashModeChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("flashReady(bool)", "flashReady", gsi::arg("arg1"), "@brief Signal declaration for QCamera::flashReady(bool)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("focusDistanceChanged(float)", "focusDistanceChanged", gsi::arg("arg1"), "@brief Signal declaration for QCamera::focusDistanceChanged(float)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("focusModeChanged()", "focusModeChanged", "@brief Signal declaration for QCamera::focusModeChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("focusPointChanged()", "focusPointChanged", "@brief Signal declaration for QCamera::focusPointChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("hueChanged()", "hueChanged", "@brief Signal declaration for QCamera::hueChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("isoSensitivityChanged(int)", "isoSensitivityChanged", gsi::arg("arg1"), "@brief Signal declaration for QCamera::isoSensitivityChanged(int)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("manualExposureTimeChanged(float)", "manualExposureTimeChanged", gsi::arg("speed"), "@brief Signal declaration for QCamera::manualExposureTimeChanged(float speed)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("manualIsoSensitivityChanged(int)", "manualIsoSensitivityChanged", gsi::arg("arg1"), "@brief Signal declaration for QCamera::manualIsoSensitivityChanged(int)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("maximumZoomFactorChanged(float)", "maximumZoomFactorChanged", gsi::arg("arg1"), "@brief Signal declaration for QCamera::maximumZoomFactorChanged(float)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("minimumZoomFactorChanged(float)", "minimumZoomFactorChanged", gsi::arg("arg1"), "@brief Signal declaration for QCamera::minimumZoomFactorChanged(float)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QCamera::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("saturationChanged()", "saturationChanged", "@brief Signal declaration for QCamera::saturationChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("supportedFeaturesChanged()", "supportedFeaturesChanged", "@brief Signal declaration for QCamera::supportedFeaturesChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("torchModeChanged()", "torchModeChanged", "@brief Signal declaration for QCamera::torchModeChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("whiteBalanceModeChanged()", "whiteBalanceModeChanged", "@brief Signal declaration for QCamera::whiteBalanceModeChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("zoomFactorChanged(float)", "zoomFactorChanged", gsi::arg("arg1"), "@brief Signal declaration for QCamera::zoomFactorChanged(float)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QCamera::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -1673,6 +1176,66 @@ class QCamera_Adaptor : public QCamera, public qt_gsi::QtObjectBase return QCamera::senderSignalIndex(); } + // [emitter impl] void QCamera::activeChanged(bool) + void emitter_QCamera_activeChanged_864(bool arg1) + { + emit QCamera::activeChanged(arg1); + } + + // [emitter impl] void QCamera::brightnessChanged() + void emitter_QCamera_brightnessChanged_0() + { + emit QCamera::brightnessChanged(); + } + + // [emitter impl] void QCamera::cameraDeviceChanged() + void emitter_QCamera_cameraDeviceChanged_0() + { + emit QCamera::cameraDeviceChanged(); + } + + // [emitter impl] void QCamera::cameraFormatChanged() + void emitter_QCamera_cameraFormatChanged_0() + { + emit QCamera::cameraFormatChanged(); + } + + // [emitter impl] void QCamera::colorTemperatureChanged() + void emitter_QCamera_colorTemperatureChanged_c0() + { + emit QCamera::colorTemperatureChanged(); + } + + // [emitter impl] void QCamera::contrastChanged() + void emitter_QCamera_contrastChanged_0() + { + emit QCamera::contrastChanged(); + } + + // [emitter impl] void QCamera::customFocusPointChanged() + void emitter_QCamera_customFocusPointChanged_0() + { + emit QCamera::customFocusPointChanged(); + } + + // [emitter impl] void QCamera::destroyed(QObject *) + void emitter_QCamera_destroyed_1302(QObject *arg1) + { + emit QCamera::destroyed(arg1); + } + + // [emitter impl] void QCamera::errorChanged() + void emitter_QCamera_errorChanged_0() + { + emit QCamera::errorChanged(); + } + + // [emitter impl] void QCamera::errorOccurred(QCamera::Error error, const QString &errorString) + void emitter_QCamera_errorOccurred_3657(QCamera::Error error, const QString &errorString) + { + emit QCamera::errorOccurred(error, errorString); + } + // [adaptor impl] bool QCamera::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -1703,6 +1266,127 @@ class QCamera_Adaptor : public QCamera, public qt_gsi::QtObjectBase } } + // [emitter impl] void QCamera::exposureCompensationChanged(float) + void emitter_QCamera_exposureCompensationChanged_970(float arg1) + { + emit QCamera::exposureCompensationChanged(arg1); + } + + // [emitter impl] void QCamera::exposureModeChanged() + void emitter_QCamera_exposureModeChanged_0() + { + emit QCamera::exposureModeChanged(); + } + + // [emitter impl] void QCamera::exposureTimeChanged(float speed) + void emitter_QCamera_exposureTimeChanged_970(float speed) + { + emit QCamera::exposureTimeChanged(speed); + } + + // [emitter impl] void QCamera::flashModeChanged() + void emitter_QCamera_flashModeChanged_0() + { + emit QCamera::flashModeChanged(); + } + + // [emitter impl] void QCamera::flashReady(bool) + void emitter_QCamera_flashReady_864(bool arg1) + { + emit QCamera::flashReady(arg1); + } + + // [emitter impl] void QCamera::focusDistanceChanged(float) + void emitter_QCamera_focusDistanceChanged_970(float arg1) + { + emit QCamera::focusDistanceChanged(arg1); + } + + // [emitter impl] void QCamera::focusModeChanged() + void emitter_QCamera_focusModeChanged_0() + { + emit QCamera::focusModeChanged(); + } + + // [emitter impl] void QCamera::focusPointChanged() + void emitter_QCamera_focusPointChanged_0() + { + emit QCamera::focusPointChanged(); + } + + // [emitter impl] void QCamera::hueChanged() + void emitter_QCamera_hueChanged_0() + { + emit QCamera::hueChanged(); + } + + // [emitter impl] void QCamera::isoSensitivityChanged(int) + void emitter_QCamera_isoSensitivityChanged_767(int arg1) + { + emit QCamera::isoSensitivityChanged(arg1); + } + + // [emitter impl] void QCamera::manualExposureTimeChanged(float speed) + void emitter_QCamera_manualExposureTimeChanged_970(float speed) + { + emit QCamera::manualExposureTimeChanged(speed); + } + + // [emitter impl] void QCamera::manualIsoSensitivityChanged(int) + void emitter_QCamera_manualIsoSensitivityChanged_767(int arg1) + { + emit QCamera::manualIsoSensitivityChanged(arg1); + } + + // [emitter impl] void QCamera::maximumZoomFactorChanged(float) + void emitter_QCamera_maximumZoomFactorChanged_970(float arg1) + { + emit QCamera::maximumZoomFactorChanged(arg1); + } + + // [emitter impl] void QCamera::minimumZoomFactorChanged(float) + void emitter_QCamera_minimumZoomFactorChanged_970(float arg1) + { + emit QCamera::minimumZoomFactorChanged(arg1); + } + + // [emitter impl] void QCamera::objectNameChanged(const QString &objectName) + void emitter_QCamera_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QCamera::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QCamera::saturationChanged() + void emitter_QCamera_saturationChanged_0() + { + emit QCamera::saturationChanged(); + } + + // [emitter impl] void QCamera::supportedFeaturesChanged() + void emitter_QCamera_supportedFeaturesChanged_0() + { + emit QCamera::supportedFeaturesChanged(); + } + + // [emitter impl] void QCamera::torchModeChanged() + void emitter_QCamera_torchModeChanged_0() + { + emit QCamera::torchModeChanged(); + } + + // [emitter impl] void QCamera::whiteBalanceModeChanged() + void emitter_QCamera_whiteBalanceModeChanged_c0() + { + emit QCamera::whiteBalanceModeChanged(); + } + + // [emitter impl] void QCamera::zoomFactorChanged(float) + void emitter_QCamera_zoomFactorChanged_970(float arg1) + { + emit QCamera::zoomFactorChanged(arg1); + } + // [adaptor impl] void QCamera::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -1833,44 +1517,132 @@ static void _call_ctor_QCamera_Adaptor_3857 (const qt_gsi::GenericStaticMethod * } -// void QCamera::childEvent(QChildEvent *event) +// emitter void QCamera::activeChanged(bool) -static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) +static void _init_emitter_activeChanged_864 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("event"); - decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); decl->set_return (); } -static void _call_cbs_childEvent_1701_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +static void _call_emitter_activeChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) { __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; - QChildEvent *arg1 = args.read (heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QCamera_Adaptor *)cls)->cbs_childEvent_1701_0 (arg1); -} - -static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback &cb) -{ - ((QCamera_Adaptor *)cls)->cb_childEvent_1701_0 = cb; + bool arg1 = gsi::arg_reader() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_activeChanged_864 (arg1); } -// void QCamera::customEvent(QEvent *event) +// emitter void QCamera::brightnessChanged() -static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) +static void _init_emitter_brightnessChanged_0 (qt_gsi::GenericMethod *decl) { - static gsi::ArgSpecBase argspec_0 ("event"); - decl->add_arg (argspec_0); decl->set_return (); } -static void _call_cbs_customEvent_1217_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +static void _call_emitter_brightnessChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) { __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QEvent *arg1 = args.read (heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_brightnessChanged_0 (); +} + + +// emitter void QCamera::cameraDeviceChanged() + +static void _init_emitter_cameraDeviceChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_cameraDeviceChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QCamera_Adaptor *)cls)->emitter_QCamera_cameraDeviceChanged_0 (); +} + + +// emitter void QCamera::cameraFormatChanged() + +static void _init_emitter_cameraFormatChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_cameraFormatChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QCamera_Adaptor *)cls)->emitter_QCamera_cameraFormatChanged_0 (); +} + + +// void QCamera::childEvent(QChildEvent *event) + +static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("event"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_childEvent_1701_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QChildEvent *arg1 = args.read (heap); + __SUPPRESS_UNUSED_WARNING(ret); + ((QCamera_Adaptor *)cls)->cbs_childEvent_1701_0 (arg1); +} + +static void _set_callback_cbs_childEvent_1701_0 (void *cls, const gsi::Callback &cb) +{ + ((QCamera_Adaptor *)cls)->cb_childEvent_1701_0 = cb; +} + + +// emitter void QCamera::colorTemperatureChanged() + +static void _init_emitter_colorTemperatureChanged_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_colorTemperatureChanged_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QCamera_Adaptor *)cls)->emitter_QCamera_colorTemperatureChanged_c0 (); +} + + +// emitter void QCamera::contrastChanged() + +static void _init_emitter_contrastChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_contrastChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QCamera_Adaptor *)cls)->emitter_QCamera_contrastChanged_0 (); +} + + +// void QCamera::customEvent(QEvent *event) + +static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("event"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_cbs_customEvent_1217_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QEvent *arg1 = args.read (heap); __SUPPRESS_UNUSED_WARNING(ret); ((QCamera_Adaptor *)cls)->cbs_customEvent_1217_0 (arg1); } @@ -1881,6 +1653,38 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QCamera::customFocusPointChanged() + +static void _init_emitter_customFocusPointChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_customFocusPointChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QCamera_Adaptor *)cls)->emitter_QCamera_customFocusPointChanged_0 (); +} + + +// emitter void QCamera::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_destroyed_1302 (arg1); +} + + // void QCamera::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1905,6 +1709,41 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } +// emitter void QCamera::errorChanged() + +static void _init_emitter_errorChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_errorChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QCamera_Adaptor *)cls)->emitter_QCamera_errorChanged_0 (); +} + + +// emitter void QCamera::errorOccurred(QCamera::Error error, const QString &errorString) + +static void _init_emitter_errorOccurred_3657 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("error"); + decl->add_arg::target_type & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("errorString"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_errorOccurred_3657 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + const QString &arg2 = gsi::arg_reader() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_errorOccurred_3657 (arg1, arg2); +} + + // bool QCamera::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -1954,6 +1793,148 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } +// emitter void QCamera::exposureCompensationChanged(float) + +static void _init_emitter_exposureCompensationChanged_970 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_exposureCompensationChanged_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + float arg1 = gsi::arg_reader() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_exposureCompensationChanged_970 (arg1); +} + + +// emitter void QCamera::exposureModeChanged() + +static void _init_emitter_exposureModeChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_exposureModeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QCamera_Adaptor *)cls)->emitter_QCamera_exposureModeChanged_0 (); +} + + +// emitter void QCamera::exposureTimeChanged(float speed) + +static void _init_emitter_exposureTimeChanged_970 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("speed"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_exposureTimeChanged_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + float arg1 = gsi::arg_reader() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_exposureTimeChanged_970 (arg1); +} + + +// emitter void QCamera::flashModeChanged() + +static void _init_emitter_flashModeChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_flashModeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QCamera_Adaptor *)cls)->emitter_QCamera_flashModeChanged_0 (); +} + + +// emitter void QCamera::flashReady(bool) + +static void _init_emitter_flashReady_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_flashReady_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_flashReady_864 (arg1); +} + + +// emitter void QCamera::focusDistanceChanged(float) + +static void _init_emitter_focusDistanceChanged_970 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_focusDistanceChanged_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + float arg1 = gsi::arg_reader() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_focusDistanceChanged_970 (arg1); +} + + +// emitter void QCamera::focusModeChanged() + +static void _init_emitter_focusModeChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_focusModeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QCamera_Adaptor *)cls)->emitter_QCamera_focusModeChanged_0 (); +} + + +// emitter void QCamera::focusPointChanged() + +static void _init_emitter_focusPointChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_focusPointChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QCamera_Adaptor *)cls)->emitter_QCamera_focusPointChanged_0 (); +} + + +// emitter void QCamera::hueChanged() + +static void _init_emitter_hueChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_hueChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QCamera_Adaptor *)cls)->emitter_QCamera_hueChanged_0 (); +} + + // exposed bool QCamera::isSignalConnected(const QMetaMethod &signal) static void _init_fp_isSignalConnected_c2394 (qt_gsi::GenericMethod *decl) @@ -1972,6 +1953,114 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QCamera::isoSensitivityChanged(int) + +static void _init_emitter_isoSensitivityChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_isoSensitivityChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_isoSensitivityChanged_767 (arg1); +} + + +// emitter void QCamera::manualExposureTimeChanged(float speed) + +static void _init_emitter_manualExposureTimeChanged_970 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("speed"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_manualExposureTimeChanged_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + float arg1 = gsi::arg_reader() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_manualExposureTimeChanged_970 (arg1); +} + + +// emitter void QCamera::manualIsoSensitivityChanged(int) + +static void _init_emitter_manualIsoSensitivityChanged_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_manualIsoSensitivityChanged_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_manualIsoSensitivityChanged_767 (arg1); +} + + +// emitter void QCamera::maximumZoomFactorChanged(float) + +static void _init_emitter_maximumZoomFactorChanged_970 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_maximumZoomFactorChanged_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + float arg1 = gsi::arg_reader() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_maximumZoomFactorChanged_970 (arg1); +} + + +// emitter void QCamera::minimumZoomFactorChanged(float) + +static void _init_emitter_minimumZoomFactorChanged_970 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_minimumZoomFactorChanged_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + float arg1 = gsi::arg_reader() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_minimumZoomFactorChanged_970 (arg1); +} + + +// emitter void QCamera::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_objectNameChanged_4567 (arg1); +} + + // exposed int QCamera::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1990,6 +2079,20 @@ static void _call_fp_receivers_c1731 (const qt_gsi::GenericMethod * /*decl*/, vo } +// emitter void QCamera::saturationChanged() + +static void _init_emitter_saturationChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_saturationChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QCamera_Adaptor *)cls)->emitter_QCamera_saturationChanged_0 (); +} + + // exposed QObject *QCamera::sender() static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) @@ -2018,6 +2121,20 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } +// emitter void QCamera::supportedFeaturesChanged() + +static void _init_emitter_supportedFeaturesChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_supportedFeaturesChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QCamera_Adaptor *)cls)->emitter_QCamera_supportedFeaturesChanged_0 (); +} + + // void QCamera::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -2042,6 +2159,52 @@ static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback } +// emitter void QCamera::torchModeChanged() + +static void _init_emitter_torchModeChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_torchModeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QCamera_Adaptor *)cls)->emitter_QCamera_torchModeChanged_0 (); +} + + +// emitter void QCamera::whiteBalanceModeChanged() + +static void _init_emitter_whiteBalanceModeChanged_c0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_whiteBalanceModeChanged_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QCamera_Adaptor *)cls)->emitter_QCamera_whiteBalanceModeChanged_c0 (); +} + + +// emitter void QCamera::zoomFactorChanged(float) + +static void _init_emitter_zoomFactorChanged_970 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_zoomFactorChanged_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + float arg1 = gsi::arg_reader() (args, heap); + ((QCamera_Adaptor *)cls)->emitter_QCamera_zoomFactorChanged_970 (arg1); +} + + namespace gsi { @@ -2052,22 +2215,52 @@ static gsi::Methods methods_QCamera_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCamera::QCamera(QObject *parent)\nThis method creates an object of class QCamera.", &_init_ctor_QCamera_Adaptor_1302, &_call_ctor_QCamera_Adaptor_1302); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCamera::QCamera(const QCameraDevice &cameraDevice, QObject *parent)\nThis method creates an object of class QCamera.", &_init_ctor_QCamera_Adaptor_3765, &_call_ctor_QCamera_Adaptor_3765); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCamera::QCamera(QCameraDevice::Position position, QObject *parent)\nThis method creates an object of class QCamera.", &_init_ctor_QCamera_Adaptor_3857, &_call_ctor_QCamera_Adaptor_3857); + methods += new qt_gsi::GenericMethod ("emit_activeChanged", "@brief Emitter for signal void QCamera::activeChanged(bool)\nCall this method to emit this signal.", false, &_init_emitter_activeChanged_864, &_call_emitter_activeChanged_864); + methods += new qt_gsi::GenericMethod ("emit_brightnessChanged", "@brief Emitter for signal void QCamera::brightnessChanged()\nCall this method to emit this signal.", false, &_init_emitter_brightnessChanged_0, &_call_emitter_brightnessChanged_0); + methods += new qt_gsi::GenericMethod ("emit_cameraDeviceChanged", "@brief Emitter for signal void QCamera::cameraDeviceChanged()\nCall this method to emit this signal.", false, &_init_emitter_cameraDeviceChanged_0, &_call_emitter_cameraDeviceChanged_0); + methods += new qt_gsi::GenericMethod ("emit_cameraFormatChanged", "@brief Emitter for signal void QCamera::cameraFormatChanged()\nCall this method to emit this signal.", false, &_init_emitter_cameraFormatChanged_0, &_call_emitter_cameraFormatChanged_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QCamera::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); + methods += new qt_gsi::GenericMethod ("emit_colorTemperatureChanged", "@brief Emitter for signal void QCamera::colorTemperatureChanged()\nCall this method to emit this signal.", true, &_init_emitter_colorTemperatureChanged_c0, &_call_emitter_colorTemperatureChanged_c0); + methods += new qt_gsi::GenericMethod ("emit_contrastChanged", "@brief Emitter for signal void QCamera::contrastChanged()\nCall this method to emit this signal.", false, &_init_emitter_contrastChanged_0, &_call_emitter_contrastChanged_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QCamera::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_customFocusPointChanged", "@brief Emitter for signal void QCamera::customFocusPointChanged()\nCall this method to emit this signal.", false, &_init_emitter_customFocusPointChanged_0, &_call_emitter_customFocusPointChanged_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QCamera::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QCamera::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("emit_errorChanged", "@brief Emitter for signal void QCamera::errorChanged()\nCall this method to emit this signal.", false, &_init_emitter_errorChanged_0, &_call_emitter_errorChanged_0); + methods += new qt_gsi::GenericMethod ("emit_errorOccurred", "@brief Emitter for signal void QCamera::errorOccurred(QCamera::Error error, const QString &errorString)\nCall this method to emit this signal.", false, &_init_emitter_errorOccurred_3657, &_call_emitter_errorOccurred_3657); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QCamera::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QCamera::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("emit_exposureCompensationChanged", "@brief Emitter for signal void QCamera::exposureCompensationChanged(float)\nCall this method to emit this signal.", false, &_init_emitter_exposureCompensationChanged_970, &_call_emitter_exposureCompensationChanged_970); + methods += new qt_gsi::GenericMethod ("emit_exposureModeChanged", "@brief Emitter for signal void QCamera::exposureModeChanged()\nCall this method to emit this signal.", false, &_init_emitter_exposureModeChanged_0, &_call_emitter_exposureModeChanged_0); + methods += new qt_gsi::GenericMethod ("emit_exposureTimeChanged", "@brief Emitter for signal void QCamera::exposureTimeChanged(float speed)\nCall this method to emit this signal.", false, &_init_emitter_exposureTimeChanged_970, &_call_emitter_exposureTimeChanged_970); + methods += new qt_gsi::GenericMethod ("emit_flashModeChanged", "@brief Emitter for signal void QCamera::flashModeChanged()\nCall this method to emit this signal.", false, &_init_emitter_flashModeChanged_0, &_call_emitter_flashModeChanged_0); + methods += new qt_gsi::GenericMethod ("emit_flashReady", "@brief Emitter for signal void QCamera::flashReady(bool)\nCall this method to emit this signal.", false, &_init_emitter_flashReady_864, &_call_emitter_flashReady_864); + methods += new qt_gsi::GenericMethod ("emit_focusDistanceChanged", "@brief Emitter for signal void QCamera::focusDistanceChanged(float)\nCall this method to emit this signal.", false, &_init_emitter_focusDistanceChanged_970, &_call_emitter_focusDistanceChanged_970); + methods += new qt_gsi::GenericMethod ("emit_focusModeChanged", "@brief Emitter for signal void QCamera::focusModeChanged()\nCall this method to emit this signal.", false, &_init_emitter_focusModeChanged_0, &_call_emitter_focusModeChanged_0); + methods += new qt_gsi::GenericMethod ("emit_focusPointChanged", "@brief Emitter for signal void QCamera::focusPointChanged()\nCall this method to emit this signal.", false, &_init_emitter_focusPointChanged_0, &_call_emitter_focusPointChanged_0); + methods += new qt_gsi::GenericMethod ("emit_hueChanged", "@brief Emitter for signal void QCamera::hueChanged()\nCall this method to emit this signal.", false, &_init_emitter_hueChanged_0, &_call_emitter_hueChanged_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QCamera::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_isoSensitivityChanged", "@brief Emitter for signal void QCamera::isoSensitivityChanged(int)\nCall this method to emit this signal.", false, &_init_emitter_isoSensitivityChanged_767, &_call_emitter_isoSensitivityChanged_767); + methods += new qt_gsi::GenericMethod ("emit_manualExposureTimeChanged", "@brief Emitter for signal void QCamera::manualExposureTimeChanged(float speed)\nCall this method to emit this signal.", false, &_init_emitter_manualExposureTimeChanged_970, &_call_emitter_manualExposureTimeChanged_970); + methods += new qt_gsi::GenericMethod ("emit_manualIsoSensitivityChanged", "@brief Emitter for signal void QCamera::manualIsoSensitivityChanged(int)\nCall this method to emit this signal.", false, &_init_emitter_manualIsoSensitivityChanged_767, &_call_emitter_manualIsoSensitivityChanged_767); + methods += new qt_gsi::GenericMethod ("emit_maximumZoomFactorChanged", "@brief Emitter for signal void QCamera::maximumZoomFactorChanged(float)\nCall this method to emit this signal.", false, &_init_emitter_maximumZoomFactorChanged_970, &_call_emitter_maximumZoomFactorChanged_970); + methods += new qt_gsi::GenericMethod ("emit_minimumZoomFactorChanged", "@brief Emitter for signal void QCamera::minimumZoomFactorChanged(float)\nCall this method to emit this signal.", false, &_init_emitter_minimumZoomFactorChanged_970, &_call_emitter_minimumZoomFactorChanged_970); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QCamera::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QCamera::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); + methods += new qt_gsi::GenericMethod ("emit_saturationChanged", "@brief Emitter for signal void QCamera::saturationChanged()\nCall this method to emit this signal.", false, &_init_emitter_saturationChanged_0, &_call_emitter_saturationChanged_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QCamera::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QCamera::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); + methods += new qt_gsi::GenericMethod ("emit_supportedFeaturesChanged", "@brief Emitter for signal void QCamera::supportedFeaturesChanged()\nCall this method to emit this signal.", false, &_init_emitter_supportedFeaturesChanged_0, &_call_emitter_supportedFeaturesChanged_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QCamera::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("emit_torchModeChanged", "@brief Emitter for signal void QCamera::torchModeChanged()\nCall this method to emit this signal.", false, &_init_emitter_torchModeChanged_0, &_call_emitter_torchModeChanged_0); + methods += new qt_gsi::GenericMethod ("emit_whiteBalanceModeChanged", "@brief Emitter for signal void QCamera::whiteBalanceModeChanged()\nCall this method to emit this signal.", true, &_init_emitter_whiteBalanceModeChanged_c0, &_call_emitter_whiteBalanceModeChanged_c0); + methods += new qt_gsi::GenericMethod ("emit_zoomFactorChanged", "@brief Emitter for signal void QCamera::zoomFactorChanged(float)\nCall this method to emit this signal.", false, &_init_emitter_zoomFactorChanged_970, &_call_emitter_zoomFactorChanged_970); return methods; } diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQImageCapture.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQImageCapture.cc index a1d669f2c1..580f933d23 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQImageCapture.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQImageCapture.cc @@ -143,48 +143,6 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QImageCapture::errorChanged() - - -static void _init_f_errorChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_errorChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QImageCapture *)cls)->errorChanged (); -} - - -// void QImageCapture::errorOccurred(int id, QImageCapture::Error error, const QString &errorString) - - -static void _init_f_errorOccurred_4938 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("id"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("error"); - decl->add_arg::target_type & > (argspec_1); - static gsi::ArgSpecBase argspec_2 ("errorString"); - decl->add_arg (argspec_2); - decl->set_return (); -} - -static void _call_f_errorOccurred_4938 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); - const QString &arg3 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QImageCapture *)cls)->errorOccurred (arg1, qt_gsi::QtToCppAdaptor(arg2).cref(), arg3); -} - - // QString QImageCapture::errorString() @@ -215,134 +173,6 @@ static void _call_f_fileFormat_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QImageCapture::fileFormatChanged() - - -static void _init_f_fileFormatChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_fileFormatChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QImageCapture *)cls)->fileFormatChanged (); -} - - -// void QImageCapture::imageAvailable(int id, const QVideoFrame &frame) - - -static void _init_f_imageAvailable_3047 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("id"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("frame"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_imageAvailable_3047 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - const QVideoFrame &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QImageCapture *)cls)->imageAvailable (arg1, arg2); -} - - -// void QImageCapture::imageCaptured(int id, const QImage &preview) - - -static void _init_f_imageCaptured_2536 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("id"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("preview"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_imageCaptured_2536 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - const QImage &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QImageCapture *)cls)->imageCaptured (arg1, arg2); -} - - -// void QImageCapture::imageExposed(int id) - - -static void _init_f_imageExposed_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("id"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_imageExposed_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QImageCapture *)cls)->imageExposed (arg1); -} - - -// void QImageCapture::imageMetadataAvailable(int id, const QMediaMetaData &metaData) - - -static void _init_f_imageMetadataAvailable_3302 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("id"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("metaData"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_imageMetadataAvailable_3302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - const QMediaMetaData &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QImageCapture *)cls)->imageMetadataAvailable (arg1, arg2); -} - - -// void QImageCapture::imageSaved(int id, const QString &fileName) - - -static void _init_f_imageSaved_2684 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("id"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("fileName"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_imageSaved_2684 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - const QString &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QImageCapture *)cls)->imageSaved (arg1, arg2); -} - - // bool QImageCapture::isAvailable() @@ -388,22 +218,6 @@ static void _call_f_metaData_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QImageCapture::metaDataChanged() - - -static void _init_f_metaDataChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_metaDataChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QImageCapture *)cls)->metaDataChanged (); -} - - // QImageCapture::Quality QImageCapture::quality() @@ -419,42 +233,6 @@ static void _call_f_quality_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cl } -// void QImageCapture::qualityChanged() - - -static void _init_f_qualityChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_qualityChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QImageCapture *)cls)->qualityChanged (); -} - - -// void QImageCapture::readyForCaptureChanged(bool ready) - - -static void _init_f_readyForCaptureChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("ready"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_readyForCaptureChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QImageCapture *)cls)->readyForCaptureChanged (arg1); -} - - // QSize QImageCapture::resolution() @@ -470,22 +248,6 @@ static void _call_f_resolution_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QImageCapture::resolutionChanged() - - -static void _init_f_resolutionChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_resolutionChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QImageCapture *)cls)->resolutionChanged (); -} - - // void QImageCapture::setFileFormat(QImageCapture::FileFormat format) @@ -677,31 +439,33 @@ static gsi::Methods methods_QImageCapture () { methods += new qt_gsi::GenericMethod ("capture", "@brief Method int QImageCapture::capture()\n", false, &_init_f_capture_0, &_call_f_capture_0); methods += new qt_gsi::GenericMethod ("captureSession", "@brief Method QMediaCaptureSession *QImageCapture::captureSession()\n", true, &_init_f_captureSession_c0, &_call_f_captureSession_c0); methods += new qt_gsi::GenericMethod ("captureToFile", "@brief Method int QImageCapture::captureToFile(const QString &location)\n", false, &_init_f_captureToFile_2025, &_call_f_captureToFile_2025); - methods += new qt_gsi::GenericMethod ("error", "@brief Method QImageCapture::Error QImageCapture::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("errorChanged", "@brief Method void QImageCapture::errorChanged()\n", false, &_init_f_errorChanged_0, &_call_f_errorChanged_0); - methods += new qt_gsi::GenericMethod ("errorOccurred", "@brief Method void QImageCapture::errorOccurred(int id, QImageCapture::Error error, const QString &errorString)\n", false, &_init_f_errorOccurred_4938, &_call_f_errorOccurred_4938); - methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QImageCapture::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); - methods += new qt_gsi::GenericMethod ("fileFormat", "@brief Method QImageCapture::FileFormat QImageCapture::fileFormat()\n", true, &_init_f_fileFormat_c0, &_call_f_fileFormat_c0); - methods += new qt_gsi::GenericMethod ("fileFormatChanged", "@brief Method void QImageCapture::fileFormatChanged()\n", false, &_init_f_fileFormatChanged_0, &_call_f_fileFormatChanged_0); - methods += new qt_gsi::GenericMethod ("imageAvailable", "@brief Method void QImageCapture::imageAvailable(int id, const QVideoFrame &frame)\n", false, &_init_f_imageAvailable_3047, &_call_f_imageAvailable_3047); - methods += new qt_gsi::GenericMethod ("imageCaptured", "@brief Method void QImageCapture::imageCaptured(int id, const QImage &preview)\n", false, &_init_f_imageCaptured_2536, &_call_f_imageCaptured_2536); - methods += new qt_gsi::GenericMethod ("imageExposed", "@brief Method void QImageCapture::imageExposed(int id)\n", false, &_init_f_imageExposed_767, &_call_f_imageExposed_767); - methods += new qt_gsi::GenericMethod ("imageMetadataAvailable", "@brief Method void QImageCapture::imageMetadataAvailable(int id, const QMediaMetaData &metaData)\n", false, &_init_f_imageMetadataAvailable_3302, &_call_f_imageMetadataAvailable_3302); - methods += new qt_gsi::GenericMethod ("imageSaved", "@brief Method void QImageCapture::imageSaved(int id, const QString &fileName)\n", false, &_init_f_imageSaved_2684, &_call_f_imageSaved_2684); + methods += new qt_gsi::GenericMethod (":error", "@brief Method QImageCapture::Error QImageCapture::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); + methods += new qt_gsi::GenericMethod (":errorString", "@brief Method QString QImageCapture::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); + methods += new qt_gsi::GenericMethod (":fileFormat", "@brief Method QImageCapture::FileFormat QImageCapture::fileFormat()\n", true, &_init_f_fileFormat_c0, &_call_f_fileFormat_c0); methods += new qt_gsi::GenericMethod ("isAvailable?", "@brief Method bool QImageCapture::isAvailable()\n", true, &_init_f_isAvailable_c0, &_call_f_isAvailable_c0); - methods += new qt_gsi::GenericMethod ("isReadyForCapture?", "@brief Method bool QImageCapture::isReadyForCapture()\n", true, &_init_f_isReadyForCapture_c0, &_call_f_isReadyForCapture_c0); - methods += new qt_gsi::GenericMethod ("metaData", "@brief Method QMediaMetaData QImageCapture::metaData()\n", true, &_init_f_metaData_c0, &_call_f_metaData_c0); - methods += new qt_gsi::GenericMethod ("metaDataChanged", "@brief Method void QImageCapture::metaDataChanged()\n", false, &_init_f_metaDataChanged_0, &_call_f_metaDataChanged_0); - methods += new qt_gsi::GenericMethod ("quality", "@brief Method QImageCapture::Quality QImageCapture::quality()\n", true, &_init_f_quality_c0, &_call_f_quality_c0); - methods += new qt_gsi::GenericMethod ("qualityChanged", "@brief Method void QImageCapture::qualityChanged()\n", false, &_init_f_qualityChanged_0, &_call_f_qualityChanged_0); - methods += new qt_gsi::GenericMethod ("readyForCaptureChanged", "@brief Method void QImageCapture::readyForCaptureChanged(bool ready)\n", false, &_init_f_readyForCaptureChanged_864, &_call_f_readyForCaptureChanged_864); - methods += new qt_gsi::GenericMethod ("resolution", "@brief Method QSize QImageCapture::resolution()\n", true, &_init_f_resolution_c0, &_call_f_resolution_c0); - methods += new qt_gsi::GenericMethod ("resolutionChanged", "@brief Method void QImageCapture::resolutionChanged()\n", false, &_init_f_resolutionChanged_0, &_call_f_resolutionChanged_0); + methods += new qt_gsi::GenericMethod ("isReadyForCapture?|:readyForCapture", "@brief Method bool QImageCapture::isReadyForCapture()\n", true, &_init_f_isReadyForCapture_c0, &_call_f_isReadyForCapture_c0); + methods += new qt_gsi::GenericMethod (":metaData", "@brief Method QMediaMetaData QImageCapture::metaData()\n", true, &_init_f_metaData_c0, &_call_f_metaData_c0); + methods += new qt_gsi::GenericMethod (":quality", "@brief Method QImageCapture::Quality QImageCapture::quality()\n", true, &_init_f_quality_c0, &_call_f_quality_c0); + methods += new qt_gsi::GenericMethod (":resolution", "@brief Method QSize QImageCapture::resolution()\n", true, &_init_f_resolution_c0, &_call_f_resolution_c0); methods += new qt_gsi::GenericMethod ("setFileFormat", "@brief Method void QImageCapture::setFileFormat(QImageCapture::FileFormat format)\n", false, &_init_f_setFileFormat_2841, &_call_f_setFileFormat_2841); - methods += new qt_gsi::GenericMethod ("setMetaData", "@brief Method void QImageCapture::setMetaData(const QMediaMetaData &metaData)\n", false, &_init_f_setMetaData_2643, &_call_f_setMetaData_2643); + methods += new qt_gsi::GenericMethod ("setMetaData|metaData=", "@brief Method void QImageCapture::setMetaData(const QMediaMetaData &metaData)\n", false, &_init_f_setMetaData_2643, &_call_f_setMetaData_2643); methods += new qt_gsi::GenericMethod ("setQuality", "@brief Method void QImageCapture::setQuality(QImageCapture::Quality quality)\n", false, &_init_f_setQuality_2585, &_call_f_setQuality_2585); - methods += new qt_gsi::GenericMethod ("setResolution", "@brief Method void QImageCapture::setResolution(const QSize &)\n", false, &_init_f_setResolution_1805, &_call_f_setResolution_1805); + methods += new qt_gsi::GenericMethod ("setResolution|resolution=", "@brief Method void QImageCapture::setResolution(const QSize &)\n", false, &_init_f_setResolution_1805, &_call_f_setResolution_1805); methods += new qt_gsi::GenericMethod ("setResolution", "@brief Method void QImageCapture::setResolution(int width, int height)\n", false, &_init_f_setResolution_1426, &_call_f_setResolution_1426); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QImageCapture::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("errorChanged()", "errorChanged", "@brief Signal declaration for QImageCapture::errorChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type &, const QString & > ("errorOccurred(int, QImageCapture::Error, const QString &)", "errorOccurred", gsi::arg("id"), gsi::arg("error"), gsi::arg("errorString"), "@brief Signal declaration for QImageCapture::errorOccurred(int id, QImageCapture::Error error, const QString &errorString)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("fileFormatChanged()", "fileFormatChanged", "@brief Signal declaration for QImageCapture::fileFormatChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("imageAvailable(int, const QVideoFrame &)", "imageAvailable", gsi::arg("id"), gsi::arg("frame"), "@brief Signal declaration for QImageCapture::imageAvailable(int id, const QVideoFrame &frame)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("imageCaptured(int, const QImage &)", "imageCaptured", gsi::arg("id"), gsi::arg("preview"), "@brief Signal declaration for QImageCapture::imageCaptured(int id, const QImage &preview)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("imageExposed(int)", "imageExposed", gsi::arg("id"), "@brief Signal declaration for QImageCapture::imageExposed(int id)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("imageMetadataAvailable(int, const QMediaMetaData &)", "imageMetadataAvailable", gsi::arg("id"), gsi::arg("metaData"), "@brief Signal declaration for QImageCapture::imageMetadataAvailable(int id, const QMediaMetaData &metaData)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("imageSaved(int, const QString &)", "imageSaved", gsi::arg("id"), gsi::arg("fileName"), "@brief Signal declaration for QImageCapture::imageSaved(int id, const QString &fileName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged()", "metaDataChanged", "@brief Signal declaration for QImageCapture::metaDataChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QImageCapture::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("qualityChanged()", "qualityChanged", "@brief Signal declaration for QImageCapture::qualityChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("readyForCaptureChanged(bool)", "readyForCaptureChanged", gsi::arg("ready"), "@brief Signal declaration for QImageCapture::readyForCaptureChanged(bool ready)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("resolutionChanged()", "resolutionChanged", "@brief Signal declaration for QImageCapture::resolutionChanged()\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("fileFormatDescription", "@brief Static method QString QImageCapture::fileFormatDescription(QImageCapture::FileFormat c)\nThis method is static and can be called without an instance.", &_init_f_fileFormatDescription_2841, &_call_f_fileFormatDescription_2841); methods += new qt_gsi::GenericStaticMethod ("fileFormatName", "@brief Static method QString QImageCapture::fileFormatName(QImageCapture::FileFormat c)\nThis method is static and can be called without an instance.", &_init_f_fileFormatName_2841, &_call_f_fileFormatName_2841); methods += new qt_gsi::GenericStaticMethod ("supportedFormats", "@brief Static method QList QImageCapture::supportedFormats()\nThis method is static and can be called without an instance.", &_init_f_supportedFormats_0, &_call_f_supportedFormats_0); @@ -758,6 +522,24 @@ class QImageCapture_Adaptor : public QImageCapture, public qt_gsi::QtObjectBase return QImageCapture::senderSignalIndex(); } + // [emitter impl] void QImageCapture::destroyed(QObject *) + void emitter_QImageCapture_destroyed_1302(QObject *arg1) + { + emit QImageCapture::destroyed(arg1); + } + + // [emitter impl] void QImageCapture::errorChanged() + void emitter_QImageCapture_errorChanged_0() + { + emit QImageCapture::errorChanged(); + } + + // [emitter impl] void QImageCapture::errorOccurred(int id, QImageCapture::Error error, const QString &errorString) + void emitter_QImageCapture_errorOccurred_4938(int id, QImageCapture::Error error, const QString &errorString) + { + emit QImageCapture::errorOccurred(id, error, errorString); + } + // [adaptor impl] bool QImageCapture::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -788,6 +570,73 @@ class QImageCapture_Adaptor : public QImageCapture, public qt_gsi::QtObjectBase } } + // [emitter impl] void QImageCapture::fileFormatChanged() + void emitter_QImageCapture_fileFormatChanged_0() + { + emit QImageCapture::fileFormatChanged(); + } + + // [emitter impl] void QImageCapture::imageAvailable(int id, const QVideoFrame &frame) + void emitter_QImageCapture_imageAvailable_3047(int id, const QVideoFrame &frame) + { + emit QImageCapture::imageAvailable(id, frame); + } + + // [emitter impl] void QImageCapture::imageCaptured(int id, const QImage &preview) + void emitter_QImageCapture_imageCaptured_2536(int id, const QImage &preview) + { + emit QImageCapture::imageCaptured(id, preview); + } + + // [emitter impl] void QImageCapture::imageExposed(int id) + void emitter_QImageCapture_imageExposed_767(int id) + { + emit QImageCapture::imageExposed(id); + } + + // [emitter impl] void QImageCapture::imageMetadataAvailable(int id, const QMediaMetaData &metaData) + void emitter_QImageCapture_imageMetadataAvailable_3302(int id, const QMediaMetaData &metaData) + { + emit QImageCapture::imageMetadataAvailable(id, metaData); + } + + // [emitter impl] void QImageCapture::imageSaved(int id, const QString &fileName) + void emitter_QImageCapture_imageSaved_2684(int id, const QString &fileName) + { + emit QImageCapture::imageSaved(id, fileName); + } + + // [emitter impl] void QImageCapture::metaDataChanged() + void emitter_QImageCapture_metaDataChanged_0() + { + emit QImageCapture::metaDataChanged(); + } + + // [emitter impl] void QImageCapture::objectNameChanged(const QString &objectName) + void emitter_QImageCapture_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QImageCapture::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QImageCapture::qualityChanged() + void emitter_QImageCapture_qualityChanged_0() + { + emit QImageCapture::qualityChanged(); + } + + // [emitter impl] void QImageCapture::readyForCaptureChanged(bool ready) + void emitter_QImageCapture_readyForCaptureChanged_864(bool ready) + { + emit QImageCapture::readyForCaptureChanged(ready); + } + + // [emitter impl] void QImageCapture::resolutionChanged() + void emitter_QImageCapture_resolutionChanged_0() + { + emit QImageCapture::resolutionChanged(); + } + // [adaptor impl] void QImageCapture::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -924,6 +773,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QImageCapture::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QImageCapture_Adaptor *)cls)->emitter_QImageCapture_destroyed_1302 (arg1); +} + + // void QImageCapture::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -948,6 +815,44 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } +// emitter void QImageCapture::errorChanged() + +static void _init_emitter_errorChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_errorChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QImageCapture_Adaptor *)cls)->emitter_QImageCapture_errorChanged_0 (); +} + + +// emitter void QImageCapture::errorOccurred(int id, QImageCapture::Error error, const QString &errorString) + +static void _init_emitter_errorOccurred_4938 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("id"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("error"); + decl->add_arg::target_type & > (argspec_1); + static gsi::ArgSpecBase argspec_2 ("errorString"); + decl->add_arg (argspec_2); + decl->set_return (); +} + +static void _call_emitter_errorOccurred_4938 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); + const QString &arg3 = gsi::arg_reader() (args, heap); + ((QImageCapture_Adaptor *)cls)->emitter_QImageCapture_errorOccurred_4938 (arg1, arg2, arg3); +} + + // bool QImageCapture::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -997,6 +902,122 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } +// emitter void QImageCapture::fileFormatChanged() + +static void _init_emitter_fileFormatChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_fileFormatChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QImageCapture_Adaptor *)cls)->emitter_QImageCapture_fileFormatChanged_0 (); +} + + +// emitter void QImageCapture::imageAvailable(int id, const QVideoFrame &frame) + +static void _init_emitter_imageAvailable_3047 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("id"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("frame"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_imageAvailable_3047 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + const QVideoFrame &arg2 = gsi::arg_reader() (args, heap); + ((QImageCapture_Adaptor *)cls)->emitter_QImageCapture_imageAvailable_3047 (arg1, arg2); +} + + +// emitter void QImageCapture::imageCaptured(int id, const QImage &preview) + +static void _init_emitter_imageCaptured_2536 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("id"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("preview"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_imageCaptured_2536 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + const QImage &arg2 = gsi::arg_reader() (args, heap); + ((QImageCapture_Adaptor *)cls)->emitter_QImageCapture_imageCaptured_2536 (arg1, arg2); +} + + +// emitter void QImageCapture::imageExposed(int id) + +static void _init_emitter_imageExposed_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("id"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_imageExposed_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QImageCapture_Adaptor *)cls)->emitter_QImageCapture_imageExposed_767 (arg1); +} + + +// emitter void QImageCapture::imageMetadataAvailable(int id, const QMediaMetaData &metaData) + +static void _init_emitter_imageMetadataAvailable_3302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("id"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("metaData"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_imageMetadataAvailable_3302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + const QMediaMetaData &arg2 = gsi::arg_reader() (args, heap); + ((QImageCapture_Adaptor *)cls)->emitter_QImageCapture_imageMetadataAvailable_3302 (arg1, arg2); +} + + +// emitter void QImageCapture::imageSaved(int id, const QString &fileName) + +static void _init_emitter_imageSaved_2684 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("id"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("fileName"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_imageSaved_2684 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + const QString &arg2 = gsi::arg_reader() (args, heap); + ((QImageCapture_Adaptor *)cls)->emitter_QImageCapture_imageSaved_2684 (arg1, arg2); +} + + // exposed bool QImageCapture::isSignalConnected(const QMetaMethod &signal) static void _init_fp_isSignalConnected_c2394 (qt_gsi::GenericMethod *decl) @@ -1015,6 +1036,70 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QImageCapture::metaDataChanged() + +static void _init_emitter_metaDataChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QImageCapture_Adaptor *)cls)->emitter_QImageCapture_metaDataChanged_0 (); +} + + +// emitter void QImageCapture::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QImageCapture_Adaptor *)cls)->emitter_QImageCapture_objectNameChanged_4567 (arg1); +} + + +// emitter void QImageCapture::qualityChanged() + +static void _init_emitter_qualityChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_qualityChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QImageCapture_Adaptor *)cls)->emitter_QImageCapture_qualityChanged_0 (); +} + + +// emitter void QImageCapture::readyForCaptureChanged(bool ready) + +static void _init_emitter_readyForCaptureChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("ready"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_readyForCaptureChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QImageCapture_Adaptor *)cls)->emitter_QImageCapture_readyForCaptureChanged_864 (arg1); +} + + // exposed int QImageCapture::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1033,6 +1118,20 @@ static void _call_fp_receivers_c1731 (const qt_gsi::GenericMethod * /*decl*/, vo } +// emitter void QImageCapture::resolutionChanged() + +static void _init_emitter_resolutionChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_resolutionChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QImageCapture_Adaptor *)cls)->emitter_QImageCapture_resolutionChanged_0 (); +} + + // exposed QObject *QImageCapture::sender() static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) @@ -1097,14 +1196,28 @@ static gsi::Methods methods_QImageCapture_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QImageCapture::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QImageCapture::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QImageCapture::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("emit_errorChanged", "@brief Emitter for signal void QImageCapture::errorChanged()\nCall this method to emit this signal.", false, &_init_emitter_errorChanged_0, &_call_emitter_errorChanged_0); + methods += new qt_gsi::GenericMethod ("emit_errorOccurred", "@brief Emitter for signal void QImageCapture::errorOccurred(int id, QImageCapture::Error error, const QString &errorString)\nCall this method to emit this signal.", false, &_init_emitter_errorOccurred_4938, &_call_emitter_errorOccurred_4938); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QImageCapture::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QImageCapture::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("emit_fileFormatChanged", "@brief Emitter for signal void QImageCapture::fileFormatChanged()\nCall this method to emit this signal.", false, &_init_emitter_fileFormatChanged_0, &_call_emitter_fileFormatChanged_0); + methods += new qt_gsi::GenericMethod ("emit_imageAvailable", "@brief Emitter for signal void QImageCapture::imageAvailable(int id, const QVideoFrame &frame)\nCall this method to emit this signal.", false, &_init_emitter_imageAvailable_3047, &_call_emitter_imageAvailable_3047); + methods += new qt_gsi::GenericMethod ("emit_imageCaptured", "@brief Emitter for signal void QImageCapture::imageCaptured(int id, const QImage &preview)\nCall this method to emit this signal.", false, &_init_emitter_imageCaptured_2536, &_call_emitter_imageCaptured_2536); + methods += new qt_gsi::GenericMethod ("emit_imageExposed", "@brief Emitter for signal void QImageCapture::imageExposed(int id)\nCall this method to emit this signal.", false, &_init_emitter_imageExposed_767, &_call_emitter_imageExposed_767); + methods += new qt_gsi::GenericMethod ("emit_imageMetadataAvailable", "@brief Emitter for signal void QImageCapture::imageMetadataAvailable(int id, const QMediaMetaData &metaData)\nCall this method to emit this signal.", false, &_init_emitter_imageMetadataAvailable_3302, &_call_emitter_imageMetadataAvailable_3302); + methods += new qt_gsi::GenericMethod ("emit_imageSaved", "@brief Emitter for signal void QImageCapture::imageSaved(int id, const QString &fileName)\nCall this method to emit this signal.", false, &_init_emitter_imageSaved_2684, &_call_emitter_imageSaved_2684); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QImageCapture::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged", "@brief Emitter for signal void QImageCapture::metaDataChanged()\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_0, &_call_emitter_metaDataChanged_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QImageCapture::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); + methods += new qt_gsi::GenericMethod ("emit_qualityChanged", "@brief Emitter for signal void QImageCapture::qualityChanged()\nCall this method to emit this signal.", false, &_init_emitter_qualityChanged_0, &_call_emitter_qualityChanged_0); + methods += new qt_gsi::GenericMethod ("emit_readyForCaptureChanged", "@brief Emitter for signal void QImageCapture::readyForCaptureChanged(bool ready)\nCall this method to emit this signal.", false, &_init_emitter_readyForCaptureChanged_864, &_call_emitter_readyForCaptureChanged_864); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QImageCapture::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); + methods += new qt_gsi::GenericMethod ("emit_resolutionChanged", "@brief Emitter for signal void QImageCapture::resolutionChanged()\nCall this method to emit this signal.", false, &_init_emitter_resolutionChanged_0, &_call_emitter_resolutionChanged_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QImageCapture::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QImageCapture::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QImageCapture::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaCaptureSession.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaCaptureSession.cc index 7280f2e8ab..5863f40cc5 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaCaptureSession.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaCaptureSession.cc @@ -75,22 +75,6 @@ static void _call_f_audioInput_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMediaCaptureSession::audioInputChanged() - - -static void _init_f_audioInputChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_audioInputChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaCaptureSession *)cls)->audioInputChanged (); -} - - // QAudioOutput *QMediaCaptureSession::audioOutput() @@ -106,22 +90,6 @@ static void _call_f_audioOutput_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMediaCaptureSession::audioOutputChanged() - - -static void _init_f_audioOutputChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_audioOutputChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaCaptureSession *)cls)->audioOutputChanged (); -} - - // QCamera *QMediaCaptureSession::camera() @@ -137,22 +105,6 @@ static void _call_f_camera_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QMediaCaptureSession::cameraChanged() - - -static void _init_f_cameraChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_cameraChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaCaptureSession *)cls)->cameraChanged (); -} - - // QImageCapture *QMediaCaptureSession::imageCapture() @@ -168,22 +120,6 @@ static void _call_f_imageCapture_0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMediaCaptureSession::imageCaptureChanged() - - -static void _init_f_imageCaptureChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_imageCaptureChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaCaptureSession *)cls)->imageCaptureChanged (); -} - - // QMediaRecorder *QMediaCaptureSession::recorder() @@ -199,22 +135,6 @@ static void _call_f_recorder_0 (const qt_gsi::GenericMethod * /*decl*/, void *cl } -// void QMediaCaptureSession::recorderChanged() - - -static void _init_f_recorderChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_recorderChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaCaptureSession *)cls)->recorderChanged (); -} - - // void QMediaCaptureSession::setAudioInput(QAudioInput *input) @@ -370,22 +290,6 @@ static void _call_f_videoOutput_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMediaCaptureSession::videoOutputChanged() - - -static void _init_f_videoOutputChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_videoOutputChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaCaptureSession *)cls)->videoOutputChanged (); -} - - // QVideoSink *QMediaCaptureSession::videoSink() @@ -432,26 +336,28 @@ namespace gsi static gsi::Methods methods_QMediaCaptureSession () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("audioInput", "@brief Method QAudioInput *QMediaCaptureSession::audioInput()\n", true, &_init_f_audioInput_c0, &_call_f_audioInput_c0); - methods += new qt_gsi::GenericMethod ("audioInputChanged", "@brief Method void QMediaCaptureSession::audioInputChanged()\n", false, &_init_f_audioInputChanged_0, &_call_f_audioInputChanged_0); - methods += new qt_gsi::GenericMethod ("audioOutput", "@brief Method QAudioOutput *QMediaCaptureSession::audioOutput()\n", true, &_init_f_audioOutput_c0, &_call_f_audioOutput_c0); - methods += new qt_gsi::GenericMethod ("audioOutputChanged", "@brief Method void QMediaCaptureSession::audioOutputChanged()\n", false, &_init_f_audioOutputChanged_0, &_call_f_audioOutputChanged_0); - methods += new qt_gsi::GenericMethod ("camera", "@brief Method QCamera *QMediaCaptureSession::camera()\n", true, &_init_f_camera_c0, &_call_f_camera_c0); - methods += new qt_gsi::GenericMethod ("cameraChanged", "@brief Method void QMediaCaptureSession::cameraChanged()\n", false, &_init_f_cameraChanged_0, &_call_f_cameraChanged_0); - methods += new qt_gsi::GenericMethod ("imageCapture", "@brief Method QImageCapture *QMediaCaptureSession::imageCapture()\n", false, &_init_f_imageCapture_0, &_call_f_imageCapture_0); - methods += new qt_gsi::GenericMethod ("imageCaptureChanged", "@brief Method void QMediaCaptureSession::imageCaptureChanged()\n", false, &_init_f_imageCaptureChanged_0, &_call_f_imageCaptureChanged_0); - methods += new qt_gsi::GenericMethod ("recorder", "@brief Method QMediaRecorder *QMediaCaptureSession::recorder()\n", false, &_init_f_recorder_0, &_call_f_recorder_0); - methods += new qt_gsi::GenericMethod ("recorderChanged", "@brief Method void QMediaCaptureSession::recorderChanged()\n", false, &_init_f_recorderChanged_0, &_call_f_recorderChanged_0); - methods += new qt_gsi::GenericMethod ("setAudioInput", "@brief Method void QMediaCaptureSession::setAudioInput(QAudioInput *input)\n", false, &_init_f_setAudioInput_1729, &_call_f_setAudioInput_1729); - methods += new qt_gsi::GenericMethod ("setAudioOutput", "@brief Method void QMediaCaptureSession::setAudioOutput(QAudioOutput *output)\n", false, &_init_f_setAudioOutput_1858, &_call_f_setAudioOutput_1858); - methods += new qt_gsi::GenericMethod ("setCamera", "@brief Method void QMediaCaptureSession::setCamera(QCamera *camera)\n", false, &_init_f_setCamera_1288, &_call_f_setCamera_1288); - methods += new qt_gsi::GenericMethod ("setImageCapture", "@brief Method void QMediaCaptureSession::setImageCapture(QImageCapture *imageCapture)\n", false, &_init_f_setImageCapture_1910, &_call_f_setImageCapture_1910); - methods += new qt_gsi::GenericMethod ("setRecorder", "@brief Method void QMediaCaptureSession::setRecorder(QMediaRecorder *recorder)\n", false, &_init_f_setRecorder_2005, &_call_f_setRecorder_2005); - methods += new qt_gsi::GenericMethod ("setVideoOutput", "@brief Method void QMediaCaptureSession::setVideoOutput(QObject *output)\n", false, &_init_f_setVideoOutput_1302, &_call_f_setVideoOutput_1302); - methods += new qt_gsi::GenericMethod ("setVideoSink", "@brief Method void QMediaCaptureSession::setVideoSink(QVideoSink *sink)\n", false, &_init_f_setVideoSink_1611, &_call_f_setVideoSink_1611); - methods += new qt_gsi::GenericMethod ("videoOutput", "@brief Method QObject *QMediaCaptureSession::videoOutput()\n", true, &_init_f_videoOutput_c0, &_call_f_videoOutput_c0); - methods += new qt_gsi::GenericMethod ("videoOutputChanged", "@brief Method void QMediaCaptureSession::videoOutputChanged()\n", false, &_init_f_videoOutputChanged_0, &_call_f_videoOutputChanged_0); - methods += new qt_gsi::GenericMethod ("videoSink", "@brief Method QVideoSink *QMediaCaptureSession::videoSink()\n", true, &_init_f_videoSink_c0, &_call_f_videoSink_c0); + methods += new qt_gsi::GenericMethod (":audioInput", "@brief Method QAudioInput *QMediaCaptureSession::audioInput()\n", true, &_init_f_audioInput_c0, &_call_f_audioInput_c0); + methods += new qt_gsi::GenericMethod (":audioOutput", "@brief Method QAudioOutput *QMediaCaptureSession::audioOutput()\n", true, &_init_f_audioOutput_c0, &_call_f_audioOutput_c0); + methods += new qt_gsi::GenericMethod (":camera", "@brief Method QCamera *QMediaCaptureSession::camera()\n", true, &_init_f_camera_c0, &_call_f_camera_c0); + methods += new qt_gsi::GenericMethod (":imageCapture", "@brief Method QImageCapture *QMediaCaptureSession::imageCapture()\n", false, &_init_f_imageCapture_0, &_call_f_imageCapture_0); + methods += new qt_gsi::GenericMethod (":recorder", "@brief Method QMediaRecorder *QMediaCaptureSession::recorder()\n", false, &_init_f_recorder_0, &_call_f_recorder_0); + methods += new qt_gsi::GenericMethod ("setAudioInput|audioInput=", "@brief Method void QMediaCaptureSession::setAudioInput(QAudioInput *input)\n", false, &_init_f_setAudioInput_1729, &_call_f_setAudioInput_1729); + methods += new qt_gsi::GenericMethod ("setAudioOutput|audioOutput=", "@brief Method void QMediaCaptureSession::setAudioOutput(QAudioOutput *output)\n", false, &_init_f_setAudioOutput_1858, &_call_f_setAudioOutput_1858); + methods += new qt_gsi::GenericMethod ("setCamera|camera=", "@brief Method void QMediaCaptureSession::setCamera(QCamera *camera)\n", false, &_init_f_setCamera_1288, &_call_f_setCamera_1288); + methods += new qt_gsi::GenericMethod ("setImageCapture|imageCapture=", "@brief Method void QMediaCaptureSession::setImageCapture(QImageCapture *imageCapture)\n", false, &_init_f_setImageCapture_1910, &_call_f_setImageCapture_1910); + methods += new qt_gsi::GenericMethod ("setRecorder|recorder=", "@brief Method void QMediaCaptureSession::setRecorder(QMediaRecorder *recorder)\n", false, &_init_f_setRecorder_2005, &_call_f_setRecorder_2005); + methods += new qt_gsi::GenericMethod ("setVideoOutput|videoOutput=", "@brief Method void QMediaCaptureSession::setVideoOutput(QObject *output)\n", false, &_init_f_setVideoOutput_1302, &_call_f_setVideoOutput_1302); + methods += new qt_gsi::GenericMethod ("setVideoSink|videoSink=", "@brief Method void QMediaCaptureSession::setVideoSink(QVideoSink *sink)\n", false, &_init_f_setVideoSink_1611, &_call_f_setVideoSink_1611); + methods += new qt_gsi::GenericMethod (":videoOutput", "@brief Method QObject *QMediaCaptureSession::videoOutput()\n", true, &_init_f_videoOutput_c0, &_call_f_videoOutput_c0); + methods += new qt_gsi::GenericMethod (":videoSink", "@brief Method QVideoSink *QMediaCaptureSession::videoSink()\n", true, &_init_f_videoSink_c0, &_call_f_videoSink_c0); + methods += gsi::qt_signal ("audioInputChanged()", "audioInputChanged", "@brief Signal declaration for QMediaCaptureSession::audioInputChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("audioOutputChanged()", "audioOutputChanged", "@brief Signal declaration for QMediaCaptureSession::audioOutputChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("cameraChanged()", "cameraChanged", "@brief Signal declaration for QMediaCaptureSession::cameraChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMediaCaptureSession::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("imageCaptureChanged()", "imageCaptureChanged", "@brief Signal declaration for QMediaCaptureSession::imageCaptureChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMediaCaptureSession::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("recorderChanged()", "recorderChanged", "@brief Signal declaration for QMediaCaptureSession::recorderChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("videoOutputChanged()", "videoOutputChanged", "@brief Signal declaration for QMediaCaptureSession::videoOutputChanged()\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaCaptureSession::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -505,6 +411,30 @@ class QMediaCaptureSession_Adaptor : public QMediaCaptureSession, public qt_gsi: return QMediaCaptureSession::senderSignalIndex(); } + // [emitter impl] void QMediaCaptureSession::audioInputChanged() + void emitter_QMediaCaptureSession_audioInputChanged_0() + { + emit QMediaCaptureSession::audioInputChanged(); + } + + // [emitter impl] void QMediaCaptureSession::audioOutputChanged() + void emitter_QMediaCaptureSession_audioOutputChanged_0() + { + emit QMediaCaptureSession::audioOutputChanged(); + } + + // [emitter impl] void QMediaCaptureSession::cameraChanged() + void emitter_QMediaCaptureSession_cameraChanged_0() + { + emit QMediaCaptureSession::cameraChanged(); + } + + // [emitter impl] void QMediaCaptureSession::destroyed(QObject *) + void emitter_QMediaCaptureSession_destroyed_1302(QObject *arg1) + { + emit QMediaCaptureSession::destroyed(arg1); + } + // [adaptor impl] bool QMediaCaptureSession::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -535,6 +465,31 @@ class QMediaCaptureSession_Adaptor : public QMediaCaptureSession, public qt_gsi: } } + // [emitter impl] void QMediaCaptureSession::imageCaptureChanged() + void emitter_QMediaCaptureSession_imageCaptureChanged_0() + { + emit QMediaCaptureSession::imageCaptureChanged(); + } + + // [emitter impl] void QMediaCaptureSession::objectNameChanged(const QString &objectName) + void emitter_QMediaCaptureSession_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMediaCaptureSession::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QMediaCaptureSession::recorderChanged() + void emitter_QMediaCaptureSession_recorderChanged_0() + { + emit QMediaCaptureSession::recorderChanged(); + } + + // [emitter impl] void QMediaCaptureSession::videoOutputChanged() + void emitter_QMediaCaptureSession_videoOutputChanged_0() + { + emit QMediaCaptureSession::videoOutputChanged(); + } + // [adaptor impl] void QMediaCaptureSession::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -623,6 +578,48 @@ static void _call_ctor_QMediaCaptureSession_Adaptor_1302 (const qt_gsi::GenericS } +// emitter void QMediaCaptureSession::audioInputChanged() + +static void _init_emitter_audioInputChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_audioInputChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaCaptureSession_Adaptor *)cls)->emitter_QMediaCaptureSession_audioInputChanged_0 (); +} + + +// emitter void QMediaCaptureSession::audioOutputChanged() + +static void _init_emitter_audioOutputChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_audioOutputChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaCaptureSession_Adaptor *)cls)->emitter_QMediaCaptureSession_audioOutputChanged_0 (); +} + + +// emitter void QMediaCaptureSession::cameraChanged() + +static void _init_emitter_cameraChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_cameraChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaCaptureSession_Adaptor *)cls)->emitter_QMediaCaptureSession_cameraChanged_0 (); +} + + // void QMediaCaptureSession::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -671,6 +668,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMediaCaptureSession::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMediaCaptureSession_Adaptor *)cls)->emitter_QMediaCaptureSession_destroyed_1302 (arg1); +} + + // void QMediaCaptureSession::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -744,6 +759,20 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } +// emitter void QMediaCaptureSession::imageCaptureChanged() + +static void _init_emitter_imageCaptureChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_imageCaptureChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaCaptureSession_Adaptor *)cls)->emitter_QMediaCaptureSession_imageCaptureChanged_0 (); +} + + // exposed bool QMediaCaptureSession::isSignalConnected(const QMetaMethod &signal) static void _init_fp_isSignalConnected_c2394 (qt_gsi::GenericMethod *decl) @@ -762,6 +791,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QMediaCaptureSession::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaCaptureSession_Adaptor *)cls)->emitter_QMediaCaptureSession_objectNameChanged_4567 (arg1); +} + + // exposed int QMediaCaptureSession::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -780,6 +827,20 @@ static void _call_fp_receivers_c1731 (const qt_gsi::GenericMethod * /*decl*/, vo } +// emitter void QMediaCaptureSession::recorderChanged() + +static void _init_emitter_recorderChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_recorderChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaCaptureSession_Adaptor *)cls)->emitter_QMediaCaptureSession_recorderChanged_0 (); +} + + // exposed QObject *QMediaCaptureSession::sender() static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) @@ -832,6 +893,20 @@ static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback } +// emitter void QMediaCaptureSession::videoOutputChanged() + +static void _init_emitter_videoOutputChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_videoOutputChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaCaptureSession_Adaptor *)cls)->emitter_QMediaCaptureSession_videoOutputChanged_0 (); +} + + namespace gsi { @@ -840,22 +915,30 @@ gsi::Class &qtdecl_QMediaCaptureSession (); static gsi::Methods methods_QMediaCaptureSession_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaCaptureSession::QMediaCaptureSession(QObject *parent)\nThis method creates an object of class QMediaCaptureSession.", &_init_ctor_QMediaCaptureSession_Adaptor_1302, &_call_ctor_QMediaCaptureSession_Adaptor_1302); + methods += new qt_gsi::GenericMethod ("emit_audioInputChanged", "@brief Emitter for signal void QMediaCaptureSession::audioInputChanged()\nCall this method to emit this signal.", false, &_init_emitter_audioInputChanged_0, &_call_emitter_audioInputChanged_0); + methods += new qt_gsi::GenericMethod ("emit_audioOutputChanged", "@brief Emitter for signal void QMediaCaptureSession::audioOutputChanged()\nCall this method to emit this signal.", false, &_init_emitter_audioOutputChanged_0, &_call_emitter_audioOutputChanged_0); + methods += new qt_gsi::GenericMethod ("emit_cameraChanged", "@brief Emitter for signal void QMediaCaptureSession::cameraChanged()\nCall this method to emit this signal.", false, &_init_emitter_cameraChanged_0, &_call_emitter_cameraChanged_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaCaptureSession::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaCaptureSession::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMediaCaptureSession::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaCaptureSession::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaCaptureSession::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaCaptureSession::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("emit_imageCaptureChanged", "@brief Emitter for signal void QMediaCaptureSession::imageCaptureChanged()\nCall this method to emit this signal.", false, &_init_emitter_imageCaptureChanged_0, &_call_emitter_imageCaptureChanged_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaCaptureSession::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMediaCaptureSession::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaCaptureSession::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); + methods += new qt_gsi::GenericMethod ("emit_recorderChanged", "@brief Emitter for signal void QMediaCaptureSession::recorderChanged()\nCall this method to emit this signal.", false, &_init_emitter_recorderChanged_0, &_call_emitter_recorderChanged_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaCaptureSession::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaCaptureSession::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaCaptureSession::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("emit_videoOutputChanged", "@brief Emitter for signal void QMediaCaptureSession::videoOutputChanged()\nCall this method to emit this signal.", false, &_init_emitter_videoOutputChanged_0, &_call_emitter_videoOutputChanged_0); return methods; } diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaDevices.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaDevices.cc index dfcfa94a32..080798328f 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaDevices.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaDevices.cc @@ -56,54 +56,6 @@ static void _call_smo (const qt_gsi::GenericStaticMethod *, gsi::SerialArgs &, g } -// void QMediaDevices::audioInputsChanged() - - -static void _init_f_audioInputsChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_audioInputsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaDevices *)cls)->audioInputsChanged (); -} - - -// void QMediaDevices::audioOutputsChanged() - - -static void _init_f_audioOutputsChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_audioOutputsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaDevices *)cls)->audioOutputsChanged (); -} - - -// void QMediaDevices::videoInputsChanged() - - -static void _init_f_videoInputsChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_videoInputsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaDevices *)cls)->videoInputsChanged (); -} - - // static QList QMediaDevices::audioInputs() @@ -225,16 +177,18 @@ namespace gsi static gsi::Methods methods_QMediaDevices () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("audioInputsChanged", "@brief Method void QMediaDevices::audioInputsChanged()\n", false, &_init_f_audioInputsChanged_0, &_call_f_audioInputsChanged_0); - methods += new qt_gsi::GenericMethod ("audioOutputsChanged", "@brief Method void QMediaDevices::audioOutputsChanged()\n", false, &_init_f_audioOutputsChanged_0, &_call_f_audioOutputsChanged_0); - methods += new qt_gsi::GenericMethod ("videoInputsChanged", "@brief Method void QMediaDevices::videoInputsChanged()\n", false, &_init_f_videoInputsChanged_0, &_call_f_videoInputsChanged_0); - methods += new qt_gsi::GenericStaticMethod ("audioInputs", "@brief Static method QList QMediaDevices::audioInputs()\nThis method is static and can be called without an instance.", &_init_f_audioInputs_0, &_call_f_audioInputs_0); - methods += new qt_gsi::GenericStaticMethod ("audioOutputs", "@brief Static method QList QMediaDevices::audioOutputs()\nThis method is static and can be called without an instance.", &_init_f_audioOutputs_0, &_call_f_audioOutputs_0); - methods += new qt_gsi::GenericStaticMethod ("defaultAudioInput", "@brief Static method QAudioDevice QMediaDevices::defaultAudioInput()\nThis method is static and can be called without an instance.", &_init_f_defaultAudioInput_0, &_call_f_defaultAudioInput_0); - methods += new qt_gsi::GenericStaticMethod ("defaultAudioOutput", "@brief Static method QAudioDevice QMediaDevices::defaultAudioOutput()\nThis method is static and can be called without an instance.", &_init_f_defaultAudioOutput_0, &_call_f_defaultAudioOutput_0); - methods += new qt_gsi::GenericStaticMethod ("defaultVideoInput", "@brief Static method QCameraDevice QMediaDevices::defaultVideoInput()\nThis method is static and can be called without an instance.", &_init_f_defaultVideoInput_0, &_call_f_defaultVideoInput_0); + methods += gsi::qt_signal ("audioInputsChanged()", "audioInputsChanged", "@brief Signal declaration for QMediaDevices::audioInputsChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("audioOutputsChanged()", "audioOutputsChanged", "@brief Signal declaration for QMediaDevices::audioOutputsChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMediaDevices::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMediaDevices::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("videoInputsChanged()", "videoInputsChanged", "@brief Signal declaration for QMediaDevices::videoInputsChanged()\nYou can bind a procedure to this signal."); + methods += new qt_gsi::GenericStaticMethod (":audioInputs", "@brief Static method QList QMediaDevices::audioInputs()\nThis method is static and can be called without an instance.", &_init_f_audioInputs_0, &_call_f_audioInputs_0); + methods += new qt_gsi::GenericStaticMethod (":audioOutputs", "@brief Static method QList QMediaDevices::audioOutputs()\nThis method is static and can be called without an instance.", &_init_f_audioOutputs_0, &_call_f_audioOutputs_0); + methods += new qt_gsi::GenericStaticMethod (":defaultAudioInput", "@brief Static method QAudioDevice QMediaDevices::defaultAudioInput()\nThis method is static and can be called without an instance.", &_init_f_defaultAudioInput_0, &_call_f_defaultAudioInput_0); + methods += new qt_gsi::GenericStaticMethod (":defaultAudioOutput", "@brief Static method QAudioDevice QMediaDevices::defaultAudioOutput()\nThis method is static and can be called without an instance.", &_init_f_defaultAudioOutput_0, &_call_f_defaultAudioOutput_0); + methods += new qt_gsi::GenericStaticMethod (":defaultVideoInput", "@brief Static method QCameraDevice QMediaDevices::defaultVideoInput()\nThis method is static and can be called without an instance.", &_init_f_defaultVideoInput_0, &_call_f_defaultVideoInput_0); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaDevices::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); - methods += new qt_gsi::GenericStaticMethod ("videoInputs", "@brief Static method QList QMediaDevices::videoInputs()\nThis method is static and can be called without an instance.", &_init_f_videoInputs_0, &_call_f_videoInputs_0); + methods += new qt_gsi::GenericStaticMethod (":videoInputs", "@brief Static method QList QMediaDevices::videoInputs()\nThis method is static and can be called without an instance.", &_init_f_videoInputs_0, &_call_f_videoInputs_0); return methods; } @@ -287,6 +241,24 @@ class QMediaDevices_Adaptor : public QMediaDevices, public qt_gsi::QtObjectBase return QMediaDevices::senderSignalIndex(); } + // [emitter impl] void QMediaDevices::audioInputsChanged() + void emitter_QMediaDevices_audioInputsChanged_0() + { + emit QMediaDevices::audioInputsChanged(); + } + + // [emitter impl] void QMediaDevices::audioOutputsChanged() + void emitter_QMediaDevices_audioOutputsChanged_0() + { + emit QMediaDevices::audioOutputsChanged(); + } + + // [emitter impl] void QMediaDevices::destroyed(QObject *) + void emitter_QMediaDevices_destroyed_1302(QObject *arg1) + { + emit QMediaDevices::destroyed(arg1); + } + // [adaptor impl] bool QMediaDevices::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -317,6 +289,19 @@ class QMediaDevices_Adaptor : public QMediaDevices, public qt_gsi::QtObjectBase } } + // [emitter impl] void QMediaDevices::objectNameChanged(const QString &objectName) + void emitter_QMediaDevices_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMediaDevices::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QMediaDevices::videoInputsChanged() + void emitter_QMediaDevices_videoInputsChanged_0() + { + emit QMediaDevices::videoInputsChanged(); + } + // [adaptor impl] void QMediaDevices::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -405,6 +390,34 @@ static void _call_ctor_QMediaDevices_Adaptor_1302 (const qt_gsi::GenericStaticMe } +// emitter void QMediaDevices::audioInputsChanged() + +static void _init_emitter_audioInputsChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_audioInputsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaDevices_Adaptor *)cls)->emitter_QMediaDevices_audioInputsChanged_0 (); +} + + +// emitter void QMediaDevices::audioOutputsChanged() + +static void _init_emitter_audioOutputsChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_audioOutputsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaDevices_Adaptor *)cls)->emitter_QMediaDevices_audioOutputsChanged_0 (); +} + + // void QMediaDevices::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -453,6 +466,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMediaDevices::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMediaDevices_Adaptor *)cls)->emitter_QMediaDevices_destroyed_1302 (arg1); +} + + // void QMediaDevices::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -544,6 +575,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QMediaDevices::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaDevices_Adaptor *)cls)->emitter_QMediaDevices_objectNameChanged_4567 (arg1); +} + + // exposed int QMediaDevices::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -614,6 +663,20 @@ static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback } +// emitter void QMediaDevices::videoInputsChanged() + +static void _init_emitter_videoInputsChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_videoInputsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaDevices_Adaptor *)cls)->emitter_QMediaDevices_videoInputsChanged_0 (); +} + + namespace gsi { @@ -622,10 +685,13 @@ gsi::Class &qtdecl_QMediaDevices (); static gsi::Methods methods_QMediaDevices_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaDevices::QMediaDevices(QObject *parent)\nThis method creates an object of class QMediaDevices.", &_init_ctor_QMediaDevices_Adaptor_1302, &_call_ctor_QMediaDevices_Adaptor_1302); + methods += new qt_gsi::GenericMethod ("emit_audioInputsChanged", "@brief Emitter for signal void QMediaDevices::audioInputsChanged()\nCall this method to emit this signal.", false, &_init_emitter_audioInputsChanged_0, &_call_emitter_audioInputsChanged_0); + methods += new qt_gsi::GenericMethod ("emit_audioOutputsChanged", "@brief Emitter for signal void QMediaDevices::audioOutputsChanged()\nCall this method to emit this signal.", false, &_init_emitter_audioOutputsChanged_0, &_call_emitter_audioOutputsChanged_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaDevices::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaDevices::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMediaDevices::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaDevices::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaDevices::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -633,11 +699,13 @@ static gsi::Methods methods_QMediaDevices_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaDevices::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaDevices::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMediaDevices::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaDevices::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaDevices::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaDevices::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaDevices::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("emit_videoInputsChanged", "@brief Emitter for signal void QMediaDevices::videoInputsChanged()\nCall this method to emit this signal.", false, &_init_emitter_videoInputsChanged_0, &_call_emitter_videoInputsChanged_0); return methods; } diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaFormat.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaFormat.cc index b1d71b634d..279312a0c5 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaFormat.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaFormat.cc @@ -489,22 +489,22 @@ static gsi::Methods methods_QMediaFormat () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaFormat::QMediaFormat(QMediaFormat::FileFormat format)\nThis method creates an object of class QMediaFormat.", &_init_ctor_QMediaFormat_2731, &_call_ctor_QMediaFormat_2731); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaFormat::QMediaFormat(const QMediaFormat &other)\nThis method creates an object of class QMediaFormat.", &_init_ctor_QMediaFormat_2491, &_call_ctor_QMediaFormat_2491); - methods += new qt_gsi::GenericMethod ("audioCodec", "@brief Method QMediaFormat::AudioCodec QMediaFormat::audioCodec()\n", true, &_init_f_audioCodec_c0, &_call_f_audioCodec_c0); - methods += new qt_gsi::GenericMethod ("fileFormat", "@brief Method QMediaFormat::FileFormat QMediaFormat::fileFormat()\n", true, &_init_f_fileFormat_c0, &_call_f_fileFormat_c0); + methods += new qt_gsi::GenericMethod (":audioCodec", "@brief Method QMediaFormat::AudioCodec QMediaFormat::audioCodec()\n", true, &_init_f_audioCodec_c0, &_call_f_audioCodec_c0); + methods += new qt_gsi::GenericMethod (":fileFormat", "@brief Method QMediaFormat::FileFormat QMediaFormat::fileFormat()\n", true, &_init_f_fileFormat_c0, &_call_f_fileFormat_c0); methods += new qt_gsi::GenericMethod ("isSupported?", "@brief Method bool QMediaFormat::isSupported(QMediaFormat::ConversionMode mode)\n", true, &_init_f_isSupported_c3181, &_call_f_isSupported_c3181); methods += new qt_gsi::GenericMethod ("mimeType", "@brief Method QMimeType QMediaFormat::mimeType()\n", true, &_init_f_mimeType_c0, &_call_f_mimeType_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QMediaFormat::operator!=(const QMediaFormat &other)\n", true, &_init_f_operator_excl__eq__c2491, &_call_f_operator_excl__eq__c2491); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QMediaFormat &QMediaFormat::operator=(const QMediaFormat &other)\n", false, &_init_f_operator_eq__2491, &_call_f_operator_eq__2491); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QMediaFormat::operator==(const QMediaFormat &other)\n", true, &_init_f_operator_eq__eq__c2491, &_call_f_operator_eq__eq__c2491); methods += new qt_gsi::GenericMethod ("resolveForEncoding", "@brief Method void QMediaFormat::resolveForEncoding(QMediaFormat::ResolveFlags flags)\n", false, &_init_f_resolveForEncoding_2959, &_call_f_resolveForEncoding_2959); - methods += new qt_gsi::GenericMethod ("setAudioCodec", "@brief Method void QMediaFormat::setAudioCodec(QMediaFormat::AudioCodec codec)\n", false, &_init_f_setAudioCodec_2706, &_call_f_setAudioCodec_2706); - methods += new qt_gsi::GenericMethod ("setFileFormat", "@brief Method void QMediaFormat::setFileFormat(QMediaFormat::FileFormat f)\n", false, &_init_f_setFileFormat_2731, &_call_f_setFileFormat_2731); - methods += new qt_gsi::GenericMethod ("setVideoCodec", "@brief Method void QMediaFormat::setVideoCodec(QMediaFormat::VideoCodec codec)\n", false, &_init_f_setVideoCodec_2711, &_call_f_setVideoCodec_2711); + methods += new qt_gsi::GenericMethod ("setAudioCodec|audioCodec=", "@brief Method void QMediaFormat::setAudioCodec(QMediaFormat::AudioCodec codec)\n", false, &_init_f_setAudioCodec_2706, &_call_f_setAudioCodec_2706); + methods += new qt_gsi::GenericMethod ("setFileFormat|fileFormat=", "@brief Method void QMediaFormat::setFileFormat(QMediaFormat::FileFormat f)\n", false, &_init_f_setFileFormat_2731, &_call_f_setFileFormat_2731); + methods += new qt_gsi::GenericMethod ("setVideoCodec|videoCodec=", "@brief Method void QMediaFormat::setVideoCodec(QMediaFormat::VideoCodec codec)\n", false, &_init_f_setVideoCodec_2711, &_call_f_setVideoCodec_2711); methods += new qt_gsi::GenericMethod ("supportedAudioCodecs", "@brief Method QList QMediaFormat::supportedAudioCodecs(QMediaFormat::ConversionMode m)\n", false, &_init_f_supportedAudioCodecs_3181, &_call_f_supportedAudioCodecs_3181); methods += new qt_gsi::GenericMethod ("supportedFileFormats", "@brief Method QList QMediaFormat::supportedFileFormats(QMediaFormat::ConversionMode m)\n", false, &_init_f_supportedFileFormats_3181, &_call_f_supportedFileFormats_3181); methods += new qt_gsi::GenericMethod ("supportedVideoCodecs", "@brief Method QList QMediaFormat::supportedVideoCodecs(QMediaFormat::ConversionMode m)\n", false, &_init_f_supportedVideoCodecs_3181, &_call_f_supportedVideoCodecs_3181); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QMediaFormat::swap(QMediaFormat &other)\n", false, &_init_f_swap_1796, &_call_f_swap_1796); - methods += new qt_gsi::GenericMethod ("videoCodec", "@brief Method QMediaFormat::VideoCodec QMediaFormat::videoCodec()\n", true, &_init_f_videoCodec_c0, &_call_f_videoCodec_c0); + methods += new qt_gsi::GenericMethod (":videoCodec", "@brief Method QMediaFormat::VideoCodec QMediaFormat::videoCodec()\n", true, &_init_f_videoCodec_c0, &_call_f_videoCodec_c0); methods += new qt_gsi::GenericStaticMethod ("audioCodecDescription", "@brief Static method QString QMediaFormat::audioCodecDescription(QMediaFormat::AudioCodec codec)\nThis method is static and can be called without an instance.", &_init_f_audioCodecDescription_2706, &_call_f_audioCodecDescription_2706); methods += new qt_gsi::GenericStaticMethod ("audioCodecName", "@brief Static method QString QMediaFormat::audioCodecName(QMediaFormat::AudioCodec codec)\nThis method is static and can be called without an instance.", &_init_f_audioCodecName_2706, &_call_f_audioCodecName_2706); methods += new qt_gsi::GenericStaticMethod ("fileFormatDescription", "@brief Static method QString QMediaFormat::fileFormatDescription(QMediaFormat::FileFormat fileFormat)\nThis method is static and can be called without an instance.", &_init_f_fileFormatDescription_2731, &_call_f_fileFormatDescription_2731); diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaPlayer.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaPlayer.cc index 9bbaa9562e..1273533638 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaPlayer.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaPlayer.cc @@ -84,22 +84,6 @@ static void _call_f_activeSubtitleTrack_c0 (const qt_gsi::GenericMethod * /*decl } -// void QMediaPlayer::activeTracksChanged() - - -static void _init_f_activeTracksChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_activeTracksChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->activeTracksChanged (); -} - - // int QMediaPlayer::activeVideoTrack() @@ -130,22 +114,6 @@ static void _call_f_audioOutput_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMediaPlayer::audioOutputChanged() - - -static void _init_f_audioOutputChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_audioOutputChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->audioOutputChanged (); -} - - // QList QMediaPlayer::audioTracks() @@ -176,26 +144,6 @@ static void _call_f_bufferProgress_c0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QMediaPlayer::bufferProgressChanged(float progress) - - -static void _init_f_bufferProgressChanged_970 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("progress"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_bufferProgressChanged_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - float arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->bufferProgressChanged (arg1); -} - - // QMediaTimeRange QMediaPlayer::bufferedTimeRange() @@ -226,26 +174,6 @@ static void _call_f_duration_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QMediaPlayer::durationChanged(qint64 duration) - - -static void _init_f_durationChanged_986 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("duration"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_durationChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - qint64 arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->durationChanged (arg1); -} - - // QMediaPlayer::Error QMediaPlayer::error() @@ -261,45 +189,6 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QMediaPlayer::errorChanged() - - -static void _init_f_errorChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_errorChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->errorChanged (); -} - - -// void QMediaPlayer::errorOccurred(QMediaPlayer::Error error, const QString &errorString) - - -static void _init_f_errorOccurred_4173 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("error"); - decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("errorString"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_errorOccurred_4173 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - const QString &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->errorOccurred (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2); -} - - // QString QMediaPlayer::errorString() @@ -330,26 +219,6 @@ static void _call_f_hasAudio_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QMediaPlayer::hasAudioChanged(bool available) - - -static void _init_f_hasAudioChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("available"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_hasAudioChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->hasAudioChanged (arg1); -} - - // bool QMediaPlayer::hasVideo() @@ -365,26 +234,6 @@ static void _call_f_hasVideo_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QMediaPlayer::hasVideoChanged(bool videoAvailable) - - -static void _init_f_hasVideoChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("videoAvailable"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_hasVideoChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->hasVideoChanged (arg1); -} - - // bool QMediaPlayer::isAvailable() @@ -430,22 +279,6 @@ static void _call_f_loops_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QMediaPlayer::loopsChanged() - - -static void _init_f_loopsChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_loopsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->loopsChanged (); -} - - // QMediaPlayer::MediaStatus QMediaPlayer::mediaStatus() @@ -461,26 +294,6 @@ static void _call_f_mediaStatus_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMediaPlayer::mediaStatusChanged(QMediaPlayer::MediaStatus status) - - -static void _init_f_mediaStatusChanged_2858 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("status"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_mediaStatusChanged_2858 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->mediaStatusChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // QMediaMetaData QMediaPlayer::metaData() @@ -496,22 +309,6 @@ static void _call_f_metaData_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QMediaPlayer::metaDataChanged() - - -static void _init_f_metaDataChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_metaDataChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->metaDataChanged (); -} - - // void QMediaPlayer::pause() @@ -559,26 +356,6 @@ static void _call_f_playbackRate_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QMediaPlayer::playbackRateChanged(double rate) - - -static void _init_f_playbackRateChanged_1071 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("rate"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_playbackRateChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - double arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->playbackRateChanged (arg1); -} - - // QMediaPlayer::PlaybackState QMediaPlayer::playbackState() @@ -594,26 +371,6 @@ static void _call_f_playbackState_c0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QMediaPlayer::playbackStateChanged(QMediaPlayer::PlaybackState newState) - - -static void _init_f_playbackStateChanged_3054 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("newState"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_playbackStateChanged_3054 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->playbackStateChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // qint64 QMediaPlayer::position() @@ -629,46 +386,6 @@ static void _call_f_position_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QMediaPlayer::positionChanged(qint64 position) - - -static void _init_f_positionChanged_986 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("position"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_positionChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - qint64 arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->positionChanged (arg1); -} - - -// void QMediaPlayer::seekableChanged(bool seekable) - - -static void _init_f_seekableChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("seekable"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_seekableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->seekableChanged (arg1); -} - - // void QMediaPlayer::setActiveAudioTrack(int index) @@ -907,26 +624,6 @@ static void _call_f_source_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QMediaPlayer::sourceChanged(const QUrl &media) - - -static void _init_f_sourceChanged_1701 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("media"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_sourceChanged_1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QUrl &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->sourceChanged (arg1); -} - - // const QIODevice *QMediaPlayer::sourceDevice() @@ -973,22 +670,6 @@ static void _call_f_subtitleTracks_c0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QMediaPlayer::tracksChanged() - - -static void _init_f_tracksChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_tracksChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->tracksChanged (); -} - - // QObject *QMediaPlayer::videoOutput() @@ -1004,31 +685,15 @@ static void _call_f_videoOutput_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMediaPlayer::videoOutputChanged() +// QVideoSink *QMediaPlayer::videoSink() -static void _init_f_videoOutputChanged_0 (qt_gsi::GenericMethod *decl) +static void _init_f_videoSink_c0 (qt_gsi::GenericMethod *decl) { - decl->set_return (); + decl->set_return (); } -static void _call_f_videoOutputChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaPlayer *)cls)->videoOutputChanged (); -} - - -// QVideoSink *QMediaPlayer::videoSink() - - -static void _init_f_videoSink_c0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_videoSink_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) +static void _call_f_videoSink_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) { __SUPPRESS_UNUSED_WARNING(args); ret.write ((QVideoSink *)((QMediaPlayer *)cls)->videoSink ()); @@ -1081,64 +746,66 @@ namespace gsi static gsi::Methods methods_QMediaPlayer () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("activeAudioTrack", "@brief Method int QMediaPlayer::activeAudioTrack()\n", true, &_init_f_activeAudioTrack_c0, &_call_f_activeAudioTrack_c0); - methods += new qt_gsi::GenericMethod ("activeSubtitleTrack", "@brief Method int QMediaPlayer::activeSubtitleTrack()\n", true, &_init_f_activeSubtitleTrack_c0, &_call_f_activeSubtitleTrack_c0); - methods += new qt_gsi::GenericMethod ("activeTracksChanged", "@brief Method void QMediaPlayer::activeTracksChanged()\n", false, &_init_f_activeTracksChanged_0, &_call_f_activeTracksChanged_0); - methods += new qt_gsi::GenericMethod ("activeVideoTrack", "@brief Method int QMediaPlayer::activeVideoTrack()\n", true, &_init_f_activeVideoTrack_c0, &_call_f_activeVideoTrack_c0); - methods += new qt_gsi::GenericMethod ("audioOutput", "@brief Method QAudioOutput *QMediaPlayer::audioOutput()\n", true, &_init_f_audioOutput_c0, &_call_f_audioOutput_c0); - methods += new qt_gsi::GenericMethod ("audioOutputChanged", "@brief Method void QMediaPlayer::audioOutputChanged()\n", false, &_init_f_audioOutputChanged_0, &_call_f_audioOutputChanged_0); - methods += new qt_gsi::GenericMethod ("audioTracks", "@brief Method QList QMediaPlayer::audioTracks()\n", true, &_init_f_audioTracks_c0, &_call_f_audioTracks_c0); - methods += new qt_gsi::GenericMethod ("bufferProgress", "@brief Method float QMediaPlayer::bufferProgress()\n", true, &_init_f_bufferProgress_c0, &_call_f_bufferProgress_c0); - methods += new qt_gsi::GenericMethod ("bufferProgressChanged", "@brief Method void QMediaPlayer::bufferProgressChanged(float progress)\n", false, &_init_f_bufferProgressChanged_970, &_call_f_bufferProgressChanged_970); + methods += new qt_gsi::GenericMethod (":activeAudioTrack", "@brief Method int QMediaPlayer::activeAudioTrack()\n", true, &_init_f_activeAudioTrack_c0, &_call_f_activeAudioTrack_c0); + methods += new qt_gsi::GenericMethod (":activeSubtitleTrack", "@brief Method int QMediaPlayer::activeSubtitleTrack()\n", true, &_init_f_activeSubtitleTrack_c0, &_call_f_activeSubtitleTrack_c0); + methods += new qt_gsi::GenericMethod (":activeVideoTrack", "@brief Method int QMediaPlayer::activeVideoTrack()\n", true, &_init_f_activeVideoTrack_c0, &_call_f_activeVideoTrack_c0); + methods += new qt_gsi::GenericMethod (":audioOutput", "@brief Method QAudioOutput *QMediaPlayer::audioOutput()\n", true, &_init_f_audioOutput_c0, &_call_f_audioOutput_c0); + methods += new qt_gsi::GenericMethod (":audioTracks", "@brief Method QList QMediaPlayer::audioTracks()\n", true, &_init_f_audioTracks_c0, &_call_f_audioTracks_c0); + methods += new qt_gsi::GenericMethod (":bufferProgress", "@brief Method float QMediaPlayer::bufferProgress()\n", true, &_init_f_bufferProgress_c0, &_call_f_bufferProgress_c0); methods += new qt_gsi::GenericMethod ("bufferedTimeRange", "@brief Method QMediaTimeRange QMediaPlayer::bufferedTimeRange()\n", true, &_init_f_bufferedTimeRange_c0, &_call_f_bufferedTimeRange_c0); methods += new qt_gsi::GenericMethod (":duration", "@brief Method qint64 QMediaPlayer::duration()\n", true, &_init_f_duration_c0, &_call_f_duration_c0); - methods += new qt_gsi::GenericMethod ("durationChanged", "@brief Method void QMediaPlayer::durationChanged(qint64 duration)\n", false, &_init_f_durationChanged_986, &_call_f_durationChanged_986); methods += new qt_gsi::GenericMethod (":error", "@brief Method QMediaPlayer::Error QMediaPlayer::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("errorChanged", "@brief Method void QMediaPlayer::errorChanged()\n", false, &_init_f_errorChanged_0, &_call_f_errorChanged_0); - methods += new qt_gsi::GenericMethod ("errorOccurred", "@brief Method void QMediaPlayer::errorOccurred(QMediaPlayer::Error error, const QString &errorString)\n", false, &_init_f_errorOccurred_4173, &_call_f_errorOccurred_4173); - methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QMediaPlayer::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); - methods += new qt_gsi::GenericMethod ("hasAudio", "@brief Method bool QMediaPlayer::hasAudio()\n", true, &_init_f_hasAudio_c0, &_call_f_hasAudio_c0); - methods += new qt_gsi::GenericMethod ("hasAudioChanged", "@brief Method void QMediaPlayer::hasAudioChanged(bool available)\n", false, &_init_f_hasAudioChanged_864, &_call_f_hasAudioChanged_864); - methods += new qt_gsi::GenericMethod ("hasVideo", "@brief Method bool QMediaPlayer::hasVideo()\n", true, &_init_f_hasVideo_c0, &_call_f_hasVideo_c0); - methods += new qt_gsi::GenericMethod ("hasVideoChanged", "@brief Method void QMediaPlayer::hasVideoChanged(bool videoAvailable)\n", false, &_init_f_hasVideoChanged_864, &_call_f_hasVideoChanged_864); + methods += new qt_gsi::GenericMethod (":errorString", "@brief Method QString QMediaPlayer::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); + methods += new qt_gsi::GenericMethod (":hasAudio", "@brief Method bool QMediaPlayer::hasAudio()\n", true, &_init_f_hasAudio_c0, &_call_f_hasAudio_c0); + methods += new qt_gsi::GenericMethod (":hasVideo", "@brief Method bool QMediaPlayer::hasVideo()\n", true, &_init_f_hasVideo_c0, &_call_f_hasVideo_c0); methods += new qt_gsi::GenericMethod ("isAvailable?", "@brief Method bool QMediaPlayer::isAvailable()\n", true, &_init_f_isAvailable_c0, &_call_f_isAvailable_c0); methods += new qt_gsi::GenericMethod ("isSeekable?|:seekable", "@brief Method bool QMediaPlayer::isSeekable()\n", true, &_init_f_isSeekable_c0, &_call_f_isSeekable_c0); - methods += new qt_gsi::GenericMethod ("loops", "@brief Method int QMediaPlayer::loops()\n", true, &_init_f_loops_c0, &_call_f_loops_c0); - methods += new qt_gsi::GenericMethod ("loopsChanged", "@brief Method void QMediaPlayer::loopsChanged()\n", false, &_init_f_loopsChanged_0, &_call_f_loopsChanged_0); + methods += new qt_gsi::GenericMethod (":loops", "@brief Method int QMediaPlayer::loops()\n", true, &_init_f_loops_c0, &_call_f_loops_c0); methods += new qt_gsi::GenericMethod (":mediaStatus", "@brief Method QMediaPlayer::MediaStatus QMediaPlayer::mediaStatus()\n", true, &_init_f_mediaStatus_c0, &_call_f_mediaStatus_c0); - methods += new qt_gsi::GenericMethod ("mediaStatusChanged", "@brief Method void QMediaPlayer::mediaStatusChanged(QMediaPlayer::MediaStatus status)\n", false, &_init_f_mediaStatusChanged_2858, &_call_f_mediaStatusChanged_2858); - methods += new qt_gsi::GenericMethod ("metaData", "@brief Method QMediaMetaData QMediaPlayer::metaData()\n", true, &_init_f_metaData_c0, &_call_f_metaData_c0); - methods += new qt_gsi::GenericMethod ("metaDataChanged", "@brief Method void QMediaPlayer::metaDataChanged()\n", false, &_init_f_metaDataChanged_0, &_call_f_metaDataChanged_0); + methods += new qt_gsi::GenericMethod (":metaData", "@brief Method QMediaMetaData QMediaPlayer::metaData()\n", true, &_init_f_metaData_c0, &_call_f_metaData_c0); methods += new qt_gsi::GenericMethod ("pause", "@brief Method void QMediaPlayer::pause()\n", false, &_init_f_pause_0, &_call_f_pause_0); methods += new qt_gsi::GenericMethod ("play", "@brief Method void QMediaPlayer::play()\n", false, &_init_f_play_0, &_call_f_play_0); methods += new qt_gsi::GenericMethod (":playbackRate", "@brief Method double QMediaPlayer::playbackRate()\n", true, &_init_f_playbackRate_c0, &_call_f_playbackRate_c0); - methods += new qt_gsi::GenericMethod ("playbackRateChanged", "@brief Method void QMediaPlayer::playbackRateChanged(double rate)\n", false, &_init_f_playbackRateChanged_1071, &_call_f_playbackRateChanged_1071); - methods += new qt_gsi::GenericMethod ("playbackState", "@brief Method QMediaPlayer::PlaybackState QMediaPlayer::playbackState()\n", true, &_init_f_playbackState_c0, &_call_f_playbackState_c0); - methods += new qt_gsi::GenericMethod ("playbackStateChanged", "@brief Method void QMediaPlayer::playbackStateChanged(QMediaPlayer::PlaybackState newState)\n", false, &_init_f_playbackStateChanged_3054, &_call_f_playbackStateChanged_3054); + methods += new qt_gsi::GenericMethod (":playbackState", "@brief Method QMediaPlayer::PlaybackState QMediaPlayer::playbackState()\n", true, &_init_f_playbackState_c0, &_call_f_playbackState_c0); methods += new qt_gsi::GenericMethod (":position", "@brief Method qint64 QMediaPlayer::position()\n", true, &_init_f_position_c0, &_call_f_position_c0); - methods += new qt_gsi::GenericMethod ("positionChanged", "@brief Method void QMediaPlayer::positionChanged(qint64 position)\n", false, &_init_f_positionChanged_986, &_call_f_positionChanged_986); - methods += new qt_gsi::GenericMethod ("seekableChanged", "@brief Method void QMediaPlayer::seekableChanged(bool seekable)\n", false, &_init_f_seekableChanged_864, &_call_f_seekableChanged_864); - methods += new qt_gsi::GenericMethod ("setActiveAudioTrack", "@brief Method void QMediaPlayer::setActiveAudioTrack(int index)\n", false, &_init_f_setActiveAudioTrack_767, &_call_f_setActiveAudioTrack_767); - methods += new qt_gsi::GenericMethod ("setActiveSubtitleTrack", "@brief Method void QMediaPlayer::setActiveSubtitleTrack(int index)\n", false, &_init_f_setActiveSubtitleTrack_767, &_call_f_setActiveSubtitleTrack_767); - methods += new qt_gsi::GenericMethod ("setActiveVideoTrack", "@brief Method void QMediaPlayer::setActiveVideoTrack(int index)\n", false, &_init_f_setActiveVideoTrack_767, &_call_f_setActiveVideoTrack_767); - methods += new qt_gsi::GenericMethod ("setAudioOutput", "@brief Method void QMediaPlayer::setAudioOutput(QAudioOutput *output)\n", false, &_init_f_setAudioOutput_1858, &_call_f_setAudioOutput_1858); - methods += new qt_gsi::GenericMethod ("setLoops", "@brief Method void QMediaPlayer::setLoops(int loops)\n", false, &_init_f_setLoops_767, &_call_f_setLoops_767); + methods += new qt_gsi::GenericMethod ("setActiveAudioTrack|activeAudioTrack=", "@brief Method void QMediaPlayer::setActiveAudioTrack(int index)\n", false, &_init_f_setActiveAudioTrack_767, &_call_f_setActiveAudioTrack_767); + methods += new qt_gsi::GenericMethod ("setActiveSubtitleTrack|activeSubtitleTrack=", "@brief Method void QMediaPlayer::setActiveSubtitleTrack(int index)\n", false, &_init_f_setActiveSubtitleTrack_767, &_call_f_setActiveSubtitleTrack_767); + methods += new qt_gsi::GenericMethod ("setActiveVideoTrack|activeVideoTrack=", "@brief Method void QMediaPlayer::setActiveVideoTrack(int index)\n", false, &_init_f_setActiveVideoTrack_767, &_call_f_setActiveVideoTrack_767); + methods += new qt_gsi::GenericMethod ("setAudioOutput|audioOutput=", "@brief Method void QMediaPlayer::setAudioOutput(QAudioOutput *output)\n", false, &_init_f_setAudioOutput_1858, &_call_f_setAudioOutput_1858); + methods += new qt_gsi::GenericMethod ("setLoops|loops=", "@brief Method void QMediaPlayer::setLoops(int loops)\n", false, &_init_f_setLoops_767, &_call_f_setLoops_767); methods += new qt_gsi::GenericMethod ("setPlaybackRate|playbackRate=", "@brief Method void QMediaPlayer::setPlaybackRate(double rate)\n", false, &_init_f_setPlaybackRate_1071, &_call_f_setPlaybackRate_1071); methods += new qt_gsi::GenericMethod ("setPosition|position=", "@brief Method void QMediaPlayer::setPosition(qint64 position)\n", false, &_init_f_setPosition_986, &_call_f_setPosition_986); - methods += new qt_gsi::GenericMethod ("setSource", "@brief Method void QMediaPlayer::setSource(const QUrl &source)\n", false, &_init_f_setSource_1701, &_call_f_setSource_1701); + methods += new qt_gsi::GenericMethod ("setSource|source=", "@brief Method void QMediaPlayer::setSource(const QUrl &source)\n", false, &_init_f_setSource_1701, &_call_f_setSource_1701); methods += new qt_gsi::GenericMethod ("setSourceDevice", "@brief Method void QMediaPlayer::setSourceDevice(QIODevice *device, const QUrl &sourceUrl)\n", false, &_init_f_setSourceDevice_3040, &_call_f_setSourceDevice_3040); - methods += new qt_gsi::GenericMethod ("setVideoOutput", "@brief Method void QMediaPlayer::setVideoOutput(QObject *)\n", false, &_init_f_setVideoOutput_1302, &_call_f_setVideoOutput_1302); - methods += new qt_gsi::GenericMethod ("setVideoSink", "@brief Method void QMediaPlayer::setVideoSink(QVideoSink *sink)\n", false, &_init_f_setVideoSink_1611, &_call_f_setVideoSink_1611); - methods += new qt_gsi::GenericMethod ("source", "@brief Method QUrl QMediaPlayer::source()\n", true, &_init_f_source_c0, &_call_f_source_c0); - methods += new qt_gsi::GenericMethod ("sourceChanged", "@brief Method void QMediaPlayer::sourceChanged(const QUrl &media)\n", false, &_init_f_sourceChanged_1701, &_call_f_sourceChanged_1701); - methods += new qt_gsi::GenericMethod ("sourceDevice", "@brief Method const QIODevice *QMediaPlayer::sourceDevice()\n", true, &_init_f_sourceDevice_c0, &_call_f_sourceDevice_c0); + methods += new qt_gsi::GenericMethod ("setVideoOutput|videoOutput=", "@brief Method void QMediaPlayer::setVideoOutput(QObject *)\n", false, &_init_f_setVideoOutput_1302, &_call_f_setVideoOutput_1302); + methods += new qt_gsi::GenericMethod ("setVideoSink|videoSink=", "@brief Method void QMediaPlayer::setVideoSink(QVideoSink *sink)\n", false, &_init_f_setVideoSink_1611, &_call_f_setVideoSink_1611); + methods += new qt_gsi::GenericMethod (":source", "@brief Method QUrl QMediaPlayer::source()\n", true, &_init_f_source_c0, &_call_f_source_c0); + methods += new qt_gsi::GenericMethod (":sourceDevice", "@brief Method const QIODevice *QMediaPlayer::sourceDevice()\n", true, &_init_f_sourceDevice_c0, &_call_f_sourceDevice_c0); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QMediaPlayer::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); - methods += new qt_gsi::GenericMethod ("subtitleTracks", "@brief Method QList QMediaPlayer::subtitleTracks()\n", true, &_init_f_subtitleTracks_c0, &_call_f_subtitleTracks_c0); - methods += new qt_gsi::GenericMethod ("tracksChanged", "@brief Method void QMediaPlayer::tracksChanged()\n", false, &_init_f_tracksChanged_0, &_call_f_tracksChanged_0); - methods += new qt_gsi::GenericMethod ("videoOutput", "@brief Method QObject *QMediaPlayer::videoOutput()\n", true, &_init_f_videoOutput_c0, &_call_f_videoOutput_c0); - methods += new qt_gsi::GenericMethod ("videoOutputChanged", "@brief Method void QMediaPlayer::videoOutputChanged()\n", false, &_init_f_videoOutputChanged_0, &_call_f_videoOutputChanged_0); - methods += new qt_gsi::GenericMethod ("videoSink", "@brief Method QVideoSink *QMediaPlayer::videoSink()\n", true, &_init_f_videoSink_c0, &_call_f_videoSink_c0); - methods += new qt_gsi::GenericMethod ("videoTracks", "@brief Method QList QMediaPlayer::videoTracks()\n", true, &_init_f_videoTracks_c0, &_call_f_videoTracks_c0); + methods += new qt_gsi::GenericMethod (":subtitleTracks", "@brief Method QList QMediaPlayer::subtitleTracks()\n", true, &_init_f_subtitleTracks_c0, &_call_f_subtitleTracks_c0); + methods += new qt_gsi::GenericMethod (":videoOutput", "@brief Method QObject *QMediaPlayer::videoOutput()\n", true, &_init_f_videoOutput_c0, &_call_f_videoOutput_c0); + methods += new qt_gsi::GenericMethod (":videoSink", "@brief Method QVideoSink *QMediaPlayer::videoSink()\n", true, &_init_f_videoSink_c0, &_call_f_videoSink_c0); + methods += new qt_gsi::GenericMethod (":videoTracks", "@brief Method QList QMediaPlayer::videoTracks()\n", true, &_init_f_videoTracks_c0, &_call_f_videoTracks_c0); + methods += gsi::qt_signal ("activeTracksChanged()", "activeTracksChanged", "@brief Signal declaration for QMediaPlayer::activeTracksChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("audioOutputChanged()", "audioOutputChanged", "@brief Signal declaration for QMediaPlayer::audioOutputChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("bufferProgressChanged(float)", "bufferProgressChanged", gsi::arg("progress"), "@brief Signal declaration for QMediaPlayer::bufferProgressChanged(float progress)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMediaPlayer::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("durationChanged(qint64)", "durationChanged", gsi::arg("duration"), "@brief Signal declaration for QMediaPlayer::durationChanged(qint64 duration)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("errorChanged()", "errorChanged", "@brief Signal declaration for QMediaPlayer::errorChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type &, const QString & > ("errorOccurred(QMediaPlayer::Error, const QString &)", "errorOccurred", gsi::arg("error"), gsi::arg("errorString"), "@brief Signal declaration for QMediaPlayer::errorOccurred(QMediaPlayer::Error error, const QString &errorString)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("hasAudioChanged(bool)", "hasAudioChanged", gsi::arg("available"), "@brief Signal declaration for QMediaPlayer::hasAudioChanged(bool available)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("hasVideoChanged(bool)", "hasVideoChanged", gsi::arg("videoAvailable"), "@brief Signal declaration for QMediaPlayer::hasVideoChanged(bool videoAvailable)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("loopsChanged()", "loopsChanged", "@brief Signal declaration for QMediaPlayer::loopsChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("mediaStatusChanged(QMediaPlayer::MediaStatus)", "mediaStatusChanged", gsi::arg("status"), "@brief Signal declaration for QMediaPlayer::mediaStatusChanged(QMediaPlayer::MediaStatus status)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged()", "metaDataChanged", "@brief Signal declaration for QMediaPlayer::metaDataChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMediaPlayer::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("playbackRateChanged(double)", "playbackRateChanged", gsi::arg("rate"), "@brief Signal declaration for QMediaPlayer::playbackRateChanged(double rate)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("playbackStateChanged(QMediaPlayer::PlaybackState)", "playbackStateChanged", gsi::arg("newState"), "@brief Signal declaration for QMediaPlayer::playbackStateChanged(QMediaPlayer::PlaybackState newState)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("positionChanged(qint64)", "positionChanged", gsi::arg("position"), "@brief Signal declaration for QMediaPlayer::positionChanged(qint64 position)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("seekableChanged(bool)", "seekableChanged", gsi::arg("seekable"), "@brief Signal declaration for QMediaPlayer::seekableChanged(bool seekable)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("sourceChanged(const QUrl &)", "sourceChanged", gsi::arg("media"), "@brief Signal declaration for QMediaPlayer::sourceChanged(const QUrl &media)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("tracksChanged()", "tracksChanged", "@brief Signal declaration for QMediaPlayer::tracksChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("videoOutputChanged()", "videoOutputChanged", "@brief Signal declaration for QMediaPlayer::videoOutputChanged()\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaPlayer::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -1192,6 +859,48 @@ class QMediaPlayer_Adaptor : public QMediaPlayer, public qt_gsi::QtObjectBase return QMediaPlayer::senderSignalIndex(); } + // [emitter impl] void QMediaPlayer::activeTracksChanged() + void emitter_QMediaPlayer_activeTracksChanged_0() + { + emit QMediaPlayer::activeTracksChanged(); + } + + // [emitter impl] void QMediaPlayer::audioOutputChanged() + void emitter_QMediaPlayer_audioOutputChanged_0() + { + emit QMediaPlayer::audioOutputChanged(); + } + + // [emitter impl] void QMediaPlayer::bufferProgressChanged(float progress) + void emitter_QMediaPlayer_bufferProgressChanged_970(float progress) + { + emit QMediaPlayer::bufferProgressChanged(progress); + } + + // [emitter impl] void QMediaPlayer::destroyed(QObject *) + void emitter_QMediaPlayer_destroyed_1302(QObject *arg1) + { + emit QMediaPlayer::destroyed(arg1); + } + + // [emitter impl] void QMediaPlayer::durationChanged(qint64 duration) + void emitter_QMediaPlayer_durationChanged_986(qint64 duration) + { + emit QMediaPlayer::durationChanged(duration); + } + + // [emitter impl] void QMediaPlayer::errorChanged() + void emitter_QMediaPlayer_errorChanged_0() + { + emit QMediaPlayer::errorChanged(); + } + + // [emitter impl] void QMediaPlayer::errorOccurred(QMediaPlayer::Error error, const QString &errorString) + void emitter_QMediaPlayer_errorOccurred_4173(QMediaPlayer::Error error, const QString &errorString) + { + emit QMediaPlayer::errorOccurred(error, errorString); + } + // [adaptor impl] bool QMediaPlayer::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -1222,6 +931,85 @@ class QMediaPlayer_Adaptor : public QMediaPlayer, public qt_gsi::QtObjectBase } } + // [emitter impl] void QMediaPlayer::hasAudioChanged(bool available) + void emitter_QMediaPlayer_hasAudioChanged_864(bool available) + { + emit QMediaPlayer::hasAudioChanged(available); + } + + // [emitter impl] void QMediaPlayer::hasVideoChanged(bool videoAvailable) + void emitter_QMediaPlayer_hasVideoChanged_864(bool videoAvailable) + { + emit QMediaPlayer::hasVideoChanged(videoAvailable); + } + + // [emitter impl] void QMediaPlayer::loopsChanged() + void emitter_QMediaPlayer_loopsChanged_0() + { + emit QMediaPlayer::loopsChanged(); + } + + // [emitter impl] void QMediaPlayer::mediaStatusChanged(QMediaPlayer::MediaStatus status) + void emitter_QMediaPlayer_mediaStatusChanged_2858(QMediaPlayer::MediaStatus status) + { + emit QMediaPlayer::mediaStatusChanged(status); + } + + // [emitter impl] void QMediaPlayer::metaDataChanged() + void emitter_QMediaPlayer_metaDataChanged_0() + { + emit QMediaPlayer::metaDataChanged(); + } + + // [emitter impl] void QMediaPlayer::objectNameChanged(const QString &objectName) + void emitter_QMediaPlayer_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMediaPlayer::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QMediaPlayer::playbackRateChanged(double rate) + void emitter_QMediaPlayer_playbackRateChanged_1071(double rate) + { + emit QMediaPlayer::playbackRateChanged(rate); + } + + // [emitter impl] void QMediaPlayer::playbackStateChanged(QMediaPlayer::PlaybackState newState) + void emitter_QMediaPlayer_playbackStateChanged_3054(QMediaPlayer::PlaybackState newState) + { + emit QMediaPlayer::playbackStateChanged(newState); + } + + // [emitter impl] void QMediaPlayer::positionChanged(qint64 position) + void emitter_QMediaPlayer_positionChanged_986(qint64 position) + { + emit QMediaPlayer::positionChanged(position); + } + + // [emitter impl] void QMediaPlayer::seekableChanged(bool seekable) + void emitter_QMediaPlayer_seekableChanged_864(bool seekable) + { + emit QMediaPlayer::seekableChanged(seekable); + } + + // [emitter impl] void QMediaPlayer::sourceChanged(const QUrl &media) + void emitter_QMediaPlayer_sourceChanged_1701(const QUrl &media) + { + emit QMediaPlayer::sourceChanged(media); + } + + // [emitter impl] void QMediaPlayer::tracksChanged() + void emitter_QMediaPlayer_tracksChanged_0() + { + emit QMediaPlayer::tracksChanged(); + } + + // [emitter impl] void QMediaPlayer::videoOutputChanged() + void emitter_QMediaPlayer_videoOutputChanged_0() + { + emit QMediaPlayer::videoOutputChanged(); + } + // [adaptor impl] void QMediaPlayer::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -1310,6 +1098,52 @@ static void _call_ctor_QMediaPlayer_Adaptor_1302 (const qt_gsi::GenericStaticMet } +// emitter void QMediaPlayer::activeTracksChanged() + +static void _init_emitter_activeTracksChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_activeTracksChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_activeTracksChanged_0 (); +} + + +// emitter void QMediaPlayer::audioOutputChanged() + +static void _init_emitter_audioOutputChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_audioOutputChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_audioOutputChanged_0 (); +} + + +// emitter void QMediaPlayer::bufferProgressChanged(float progress) + +static void _init_emitter_bufferProgressChanged_970 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("progress"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_bufferProgressChanged_970 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + float arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_bufferProgressChanged_970 (arg1); +} + + // void QMediaPlayer::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -1358,6 +1192,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMediaPlayer::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_destroyed_1302 (arg1); +} + + // void QMediaPlayer::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1382,6 +1234,59 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } +// emitter void QMediaPlayer::durationChanged(qint64 duration) + +static void _init_emitter_durationChanged_986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("duration"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_durationChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_durationChanged_986 (arg1); +} + + +// emitter void QMediaPlayer::errorChanged() + +static void _init_emitter_errorChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_errorChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_errorChanged_0 (); +} + + +// emitter void QMediaPlayer::errorOccurred(QMediaPlayer::Error error, const QString &errorString) + +static void _init_emitter_errorOccurred_4173 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("error"); + decl->add_arg::target_type & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("errorString"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_errorOccurred_4173 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + const QString &arg2 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_errorOccurred_4173 (arg1, arg2); +} + + // bool QMediaPlayer::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -1431,6 +1336,42 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } +// emitter void QMediaPlayer::hasAudioChanged(bool available) + +static void _init_emitter_hasAudioChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("available"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_hasAudioChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_hasAudioChanged_864 (arg1); +} + + +// emitter void QMediaPlayer::hasVideoChanged(bool videoAvailable) + +static void _init_emitter_hasVideoChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("videoAvailable"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_hasVideoChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_hasVideoChanged_864 (arg1); +} + + // exposed bool QMediaPlayer::isSignalConnected(const QMetaMethod &signal) static void _init_fp_isSignalConnected_c2394 (qt_gsi::GenericMethod *decl) @@ -1449,6 +1390,124 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QMediaPlayer::loopsChanged() + +static void _init_emitter_loopsChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_loopsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_loopsChanged_0 (); +} + + +// emitter void QMediaPlayer::mediaStatusChanged(QMediaPlayer::MediaStatus status) + +static void _init_emitter_mediaStatusChanged_2858 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("status"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_mediaStatusChanged_2858 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_mediaStatusChanged_2858 (arg1); +} + + +// emitter void QMediaPlayer::metaDataChanged() + +static void _init_emitter_metaDataChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_metaDataChanged_0 (); +} + + +// emitter void QMediaPlayer::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_objectNameChanged_4567 (arg1); +} + + +// emitter void QMediaPlayer::playbackRateChanged(double rate) + +static void _init_emitter_playbackRateChanged_1071 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("rate"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_playbackRateChanged_1071 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + double arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_playbackRateChanged_1071 (arg1); +} + + +// emitter void QMediaPlayer::playbackStateChanged(QMediaPlayer::PlaybackState newState) + +static void _init_emitter_playbackStateChanged_3054 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("newState"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_playbackStateChanged_3054 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_playbackStateChanged_3054 (arg1); +} + + +// emitter void QMediaPlayer::positionChanged(qint64 position) + +static void _init_emitter_positionChanged_986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("position"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_positionChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_positionChanged_986 (arg1); +} + + // exposed int QMediaPlayer::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1467,6 +1526,24 @@ static void _call_fp_receivers_c1731 (const qt_gsi::GenericMethod * /*decl*/, vo } +// emitter void QMediaPlayer::seekableChanged(bool seekable) + +static void _init_emitter_seekableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("seekable"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_seekableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_seekableChanged_864 (arg1); +} + + // exposed QObject *QMediaPlayer::sender() static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) @@ -1495,6 +1572,24 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } +// emitter void QMediaPlayer::sourceChanged(const QUrl &media) + +static void _init_emitter_sourceChanged_1701 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("media"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_sourceChanged_1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QUrl &arg1 = gsi::arg_reader() (args, heap); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_sourceChanged_1701 (arg1); +} + + // void QMediaPlayer::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -1519,6 +1614,34 @@ static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback } +// emitter void QMediaPlayer::tracksChanged() + +static void _init_emitter_tracksChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_tracksChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_tracksChanged_0 (); +} + + +// emitter void QMediaPlayer::videoOutputChanged() + +static void _init_emitter_videoOutputChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_videoOutputChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaPlayer_Adaptor *)cls)->emitter_QMediaPlayer_videoOutputChanged_0 (); +} + + namespace gsi { @@ -1527,22 +1650,42 @@ gsi::Class &qtdecl_QMediaPlayer (); static gsi::Methods methods_QMediaPlayer_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaPlayer::QMediaPlayer(QObject *parent)\nThis method creates an object of class QMediaPlayer.", &_init_ctor_QMediaPlayer_Adaptor_1302, &_call_ctor_QMediaPlayer_Adaptor_1302); + methods += new qt_gsi::GenericMethod ("emit_activeTracksChanged", "@brief Emitter for signal void QMediaPlayer::activeTracksChanged()\nCall this method to emit this signal.", false, &_init_emitter_activeTracksChanged_0, &_call_emitter_activeTracksChanged_0); + methods += new qt_gsi::GenericMethod ("emit_audioOutputChanged", "@brief Emitter for signal void QMediaPlayer::audioOutputChanged()\nCall this method to emit this signal.", false, &_init_emitter_audioOutputChanged_0, &_call_emitter_audioOutputChanged_0); + methods += new qt_gsi::GenericMethod ("emit_bufferProgressChanged", "@brief Emitter for signal void QMediaPlayer::bufferProgressChanged(float progress)\nCall this method to emit this signal.", false, &_init_emitter_bufferProgressChanged_970, &_call_emitter_bufferProgressChanged_970); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaPlayer::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaPlayer::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMediaPlayer::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaPlayer::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("emit_durationChanged", "@brief Emitter for signal void QMediaPlayer::durationChanged(qint64 duration)\nCall this method to emit this signal.", false, &_init_emitter_durationChanged_986, &_call_emitter_durationChanged_986); + methods += new qt_gsi::GenericMethod ("emit_errorChanged", "@brief Emitter for signal void QMediaPlayer::errorChanged()\nCall this method to emit this signal.", false, &_init_emitter_errorChanged_0, &_call_emitter_errorChanged_0); + methods += new qt_gsi::GenericMethod ("emit_errorOccurred", "@brief Emitter for signal void QMediaPlayer::errorOccurred(QMediaPlayer::Error error, const QString &errorString)\nCall this method to emit this signal.", false, &_init_emitter_errorOccurred_4173, &_call_emitter_errorOccurred_4173); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaPlayer::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaPlayer::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("emit_hasAudioChanged", "@brief Emitter for signal void QMediaPlayer::hasAudioChanged(bool available)\nCall this method to emit this signal.", false, &_init_emitter_hasAudioChanged_864, &_call_emitter_hasAudioChanged_864); + methods += new qt_gsi::GenericMethod ("emit_hasVideoChanged", "@brief Emitter for signal void QMediaPlayer::hasVideoChanged(bool videoAvailable)\nCall this method to emit this signal.", false, &_init_emitter_hasVideoChanged_864, &_call_emitter_hasVideoChanged_864); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaPlayer::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_loopsChanged", "@brief Emitter for signal void QMediaPlayer::loopsChanged()\nCall this method to emit this signal.", false, &_init_emitter_loopsChanged_0, &_call_emitter_loopsChanged_0); + methods += new qt_gsi::GenericMethod ("emit_mediaStatusChanged", "@brief Emitter for signal void QMediaPlayer::mediaStatusChanged(QMediaPlayer::MediaStatus status)\nCall this method to emit this signal.", false, &_init_emitter_mediaStatusChanged_2858, &_call_emitter_mediaStatusChanged_2858); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged", "@brief Emitter for signal void QMediaPlayer::metaDataChanged()\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_0, &_call_emitter_metaDataChanged_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMediaPlayer::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); + methods += new qt_gsi::GenericMethod ("emit_playbackRateChanged", "@brief Emitter for signal void QMediaPlayer::playbackRateChanged(double rate)\nCall this method to emit this signal.", false, &_init_emitter_playbackRateChanged_1071, &_call_emitter_playbackRateChanged_1071); + methods += new qt_gsi::GenericMethod ("emit_playbackStateChanged", "@brief Emitter for signal void QMediaPlayer::playbackStateChanged(QMediaPlayer::PlaybackState newState)\nCall this method to emit this signal.", false, &_init_emitter_playbackStateChanged_3054, &_call_emitter_playbackStateChanged_3054); + methods += new qt_gsi::GenericMethod ("emit_positionChanged", "@brief Emitter for signal void QMediaPlayer::positionChanged(qint64 position)\nCall this method to emit this signal.", false, &_init_emitter_positionChanged_986, &_call_emitter_positionChanged_986); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaPlayer::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); + methods += new qt_gsi::GenericMethod ("emit_seekableChanged", "@brief Emitter for signal void QMediaPlayer::seekableChanged(bool seekable)\nCall this method to emit this signal.", false, &_init_emitter_seekableChanged_864, &_call_emitter_seekableChanged_864); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaPlayer::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaPlayer::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); + methods += new qt_gsi::GenericMethod ("emit_sourceChanged", "@brief Emitter for signal void QMediaPlayer::sourceChanged(const QUrl &media)\nCall this method to emit this signal.", false, &_init_emitter_sourceChanged_1701, &_call_emitter_sourceChanged_1701); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaPlayer::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("emit_tracksChanged", "@brief Emitter for signal void QMediaPlayer::tracksChanged()\nCall this method to emit this signal.", false, &_init_emitter_tracksChanged_0, &_call_emitter_tracksChanged_0); + methods += new qt_gsi::GenericMethod ("emit_videoOutputChanged", "@brief Emitter for signal void QMediaPlayer::videoOutputChanged()\nCall this method to emit this signal.", false, &_init_emitter_videoOutputChanged_0, &_call_emitter_videoOutputChanged_0); return methods; } diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaRecorder.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaRecorder.cc index 4efcaa46cb..51b28d4136 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaRecorder.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaRecorder.cc @@ -74,26 +74,6 @@ static void _call_f_actualLocation_c0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QMediaRecorder::actualLocationChanged(const QUrl &location) - - -static void _init_f_actualLocationChanged_1701 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("location"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_actualLocationChanged_1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QUrl &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->actualLocationChanged (arg1); -} - - // void QMediaRecorder::addMetaData(const QMediaMetaData &metaData) @@ -129,22 +109,6 @@ static void _call_f_audioBitRate_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QMediaRecorder::audioBitRateChanged() - - -static void _init_f_audioBitRateChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_audioBitRateChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->audioBitRateChanged (); -} - - // int QMediaRecorder::audioChannelCount() @@ -160,22 +124,6 @@ static void _call_f_audioChannelCount_c0 (const qt_gsi::GenericMethod * /*decl*/ } -// void QMediaRecorder::audioChannelCountChanged() - - -static void _init_f_audioChannelCountChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_audioChannelCountChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->audioChannelCountChanged (); -} - - // int QMediaRecorder::audioSampleRate() @@ -191,22 +139,6 @@ static void _call_f_audioSampleRate_c0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QMediaRecorder::audioSampleRateChanged() - - -static void _init_f_audioSampleRateChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_audioSampleRateChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->audioSampleRateChanged (); -} - - // QMediaCaptureSession *QMediaRecorder::captureSession() @@ -237,42 +169,6 @@ static void _call_f_duration_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QMediaRecorder::durationChanged(qint64 duration) - - -static void _init_f_durationChanged_986 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("duration"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_durationChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - qint64 arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->durationChanged (arg1); -} - - -// void QMediaRecorder::encoderSettingsChanged() - - -static void _init_f_encoderSettingsChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_encoderSettingsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->encoderSettingsChanged (); -} - - // QMediaRecorder::EncodingMode QMediaRecorder::encodingMode() @@ -288,22 +184,6 @@ static void _call_f_encodingMode_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QMediaRecorder::encodingModeChanged() - - -static void _init_f_encodingModeChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_encodingModeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->encodingModeChanged (); -} - - // QMediaRecorder::Error QMediaRecorder::error() @@ -319,45 +199,6 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QMediaRecorder::errorChanged() - - -static void _init_f_errorChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_errorChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->errorChanged (); -} - - -// void QMediaRecorder::errorOccurred(QMediaRecorder::Error error, const QString &errorString) - - -static void _init_f_errorOccurred_4374 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("error"); - decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("errorString"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_errorOccurred_4374 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - const QString &arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->errorOccurred (qt_gsi::QtToCppAdaptor(arg1).cref(), arg2); -} - - // QString QMediaRecorder::errorString() @@ -403,22 +244,6 @@ static void _call_f_mediaFormat_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QMediaRecorder::mediaFormatChanged() - - -static void _init_f_mediaFormatChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_mediaFormatChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->mediaFormatChanged (); -} - - // QMediaMetaData QMediaRecorder::metaData() @@ -434,22 +259,6 @@ static void _call_f_metaData_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QMediaRecorder::metaDataChanged() - - -static void _init_f_metaDataChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_metaDataChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->metaDataChanged (); -} - - // QUrl QMediaRecorder::outputLocation() @@ -496,22 +305,6 @@ static void _call_f_quality_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cl } -// void QMediaRecorder::qualityChanged() - - -static void _init_f_qualityChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_qualityChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->qualityChanged (); -} - - // void QMediaRecorder::record() @@ -543,26 +336,6 @@ static void _call_f_recorderState_c0 (const qt_gsi::GenericMethod * /*decl*/, vo } -// void QMediaRecorder::recorderStateChanged(QMediaRecorder::RecorderState state) - - -static void _init_f_recorderStateChanged_3270 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("state"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_recorderStateChanged_3270 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->recorderStateChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // void QMediaRecorder::setAudioBitRate(int bitRate) @@ -837,22 +610,6 @@ static void _call_f_videoBitRate_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QMediaRecorder::videoBitRateChanged() - - -static void _init_f_videoBitRateChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_videoBitRateChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->videoBitRateChanged (); -} - - // double QMediaRecorder::videoFrameRate() @@ -868,22 +625,6 @@ static void _call_f_videoFrameRate_c0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QMediaRecorder::videoFrameRateChanged() - - -static void _init_f_videoFrameRateChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_videoFrameRateChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->videoFrameRateChanged (); -} - - // QSize QMediaRecorder::videoResolution() @@ -899,22 +640,6 @@ static void _call_f_videoResolution_c0 (const qt_gsi::GenericMethod * /*decl*/, } -// void QMediaRecorder::videoResolutionChanged() - - -static void _init_f_videoResolutionChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_videoResolutionChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QMediaRecorder *)cls)->videoResolutionChanged (); -} - - // static QString QMediaRecorder::tr(const char *s, const char *c, int n) @@ -947,55 +672,57 @@ static gsi::Methods methods_QMediaRecorder () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod (":actualLocation", "@brief Method QUrl QMediaRecorder::actualLocation()\n", true, &_init_f_actualLocation_c0, &_call_f_actualLocation_c0); - methods += new qt_gsi::GenericMethod ("actualLocationChanged", "@brief Method void QMediaRecorder::actualLocationChanged(const QUrl &location)\n", false, &_init_f_actualLocationChanged_1701, &_call_f_actualLocationChanged_1701); methods += new qt_gsi::GenericMethod ("addMetaData", "@brief Method void QMediaRecorder::addMetaData(const QMediaMetaData &metaData)\n", false, &_init_f_addMetaData_2643, &_call_f_addMetaData_2643); - methods += new qt_gsi::GenericMethod ("audioBitRate", "@brief Method int QMediaRecorder::audioBitRate()\n", true, &_init_f_audioBitRate_c0, &_call_f_audioBitRate_c0); - methods += new qt_gsi::GenericMethod ("audioBitRateChanged", "@brief Method void QMediaRecorder::audioBitRateChanged()\n", false, &_init_f_audioBitRateChanged_0, &_call_f_audioBitRateChanged_0); - methods += new qt_gsi::GenericMethod ("audioChannelCount", "@brief Method int QMediaRecorder::audioChannelCount()\n", true, &_init_f_audioChannelCount_c0, &_call_f_audioChannelCount_c0); - methods += new qt_gsi::GenericMethod ("audioChannelCountChanged", "@brief Method void QMediaRecorder::audioChannelCountChanged()\n", false, &_init_f_audioChannelCountChanged_0, &_call_f_audioChannelCountChanged_0); - methods += new qt_gsi::GenericMethod ("audioSampleRate", "@brief Method int QMediaRecorder::audioSampleRate()\n", true, &_init_f_audioSampleRate_c0, &_call_f_audioSampleRate_c0); - methods += new qt_gsi::GenericMethod ("audioSampleRateChanged", "@brief Method void QMediaRecorder::audioSampleRateChanged()\n", false, &_init_f_audioSampleRateChanged_0, &_call_f_audioSampleRateChanged_0); + methods += new qt_gsi::GenericMethod (":audioBitRate", "@brief Method int QMediaRecorder::audioBitRate()\n", true, &_init_f_audioBitRate_c0, &_call_f_audioBitRate_c0); + methods += new qt_gsi::GenericMethod (":audioChannelCount", "@brief Method int QMediaRecorder::audioChannelCount()\n", true, &_init_f_audioChannelCount_c0, &_call_f_audioChannelCount_c0); + methods += new qt_gsi::GenericMethod (":audioSampleRate", "@brief Method int QMediaRecorder::audioSampleRate()\n", true, &_init_f_audioSampleRate_c0, &_call_f_audioSampleRate_c0); methods += new qt_gsi::GenericMethod ("captureSession", "@brief Method QMediaCaptureSession *QMediaRecorder::captureSession()\n", true, &_init_f_captureSession_c0, &_call_f_captureSession_c0); methods += new qt_gsi::GenericMethod (":duration", "@brief Method qint64 QMediaRecorder::duration()\n", true, &_init_f_duration_c0, &_call_f_duration_c0); - methods += new qt_gsi::GenericMethod ("durationChanged", "@brief Method void QMediaRecorder::durationChanged(qint64 duration)\n", false, &_init_f_durationChanged_986, &_call_f_durationChanged_986); - methods += new qt_gsi::GenericMethod ("encoderSettingsChanged", "@brief Method void QMediaRecorder::encoderSettingsChanged()\n", false, &_init_f_encoderSettingsChanged_0, &_call_f_encoderSettingsChanged_0); - methods += new qt_gsi::GenericMethod ("encodingMode", "@brief Method QMediaRecorder::EncodingMode QMediaRecorder::encodingMode()\n", true, &_init_f_encodingMode_c0, &_call_f_encodingMode_c0); - methods += new qt_gsi::GenericMethod ("encodingModeChanged", "@brief Method void QMediaRecorder::encodingModeChanged()\n", false, &_init_f_encodingModeChanged_0, &_call_f_encodingModeChanged_0); - methods += new qt_gsi::GenericMethod ("error", "@brief Method QMediaRecorder::Error QMediaRecorder::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("errorChanged", "@brief Method void QMediaRecorder::errorChanged()\n", false, &_init_f_errorChanged_0, &_call_f_errorChanged_0); - methods += new qt_gsi::GenericMethod ("errorOccurred", "@brief Method void QMediaRecorder::errorOccurred(QMediaRecorder::Error error, const QString &errorString)\n", false, &_init_f_errorOccurred_4374, &_call_f_errorOccurred_4374); - methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QMediaRecorder::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); + methods += new qt_gsi::GenericMethod (":encodingMode", "@brief Method QMediaRecorder::EncodingMode QMediaRecorder::encodingMode()\n", true, &_init_f_encodingMode_c0, &_call_f_encodingMode_c0); + methods += new qt_gsi::GenericMethod (":error", "@brief Method QMediaRecorder::Error QMediaRecorder::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); + methods += new qt_gsi::GenericMethod (":errorString", "@brief Method QString QMediaRecorder::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); methods += new qt_gsi::GenericMethod ("isAvailable?", "@brief Method bool QMediaRecorder::isAvailable()\n", true, &_init_f_isAvailable_c0, &_call_f_isAvailable_c0); - methods += new qt_gsi::GenericMethod ("mediaFormat", "@brief Method QMediaFormat QMediaRecorder::mediaFormat()\n", true, &_init_f_mediaFormat_c0, &_call_f_mediaFormat_c0); - methods += new qt_gsi::GenericMethod ("mediaFormatChanged", "@brief Method void QMediaRecorder::mediaFormatChanged()\n", false, &_init_f_mediaFormatChanged_0, &_call_f_mediaFormatChanged_0); - methods += new qt_gsi::GenericMethod ("metaData", "@brief Method QMediaMetaData QMediaRecorder::metaData()\n", true, &_init_f_metaData_c0, &_call_f_metaData_c0); - methods += new qt_gsi::GenericMethod ("metaDataChanged", "@brief Method void QMediaRecorder::metaDataChanged()\n", false, &_init_f_metaDataChanged_0, &_call_f_metaDataChanged_0); + methods += new qt_gsi::GenericMethod (":mediaFormat", "@brief Method QMediaFormat QMediaRecorder::mediaFormat()\n", true, &_init_f_mediaFormat_c0, &_call_f_mediaFormat_c0); + methods += new qt_gsi::GenericMethod (":metaData", "@brief Method QMediaMetaData QMediaRecorder::metaData()\n", true, &_init_f_metaData_c0, &_call_f_metaData_c0); methods += new qt_gsi::GenericMethod (":outputLocation", "@brief Method QUrl QMediaRecorder::outputLocation()\n", true, &_init_f_outputLocation_c0, &_call_f_outputLocation_c0); methods += new qt_gsi::GenericMethod ("pause", "@brief Method void QMediaRecorder::pause()\n", false, &_init_f_pause_0, &_call_f_pause_0); - methods += new qt_gsi::GenericMethod ("quality", "@brief Method QMediaRecorder::Quality QMediaRecorder::quality()\n", true, &_init_f_quality_c0, &_call_f_quality_c0); - methods += new qt_gsi::GenericMethod ("qualityChanged", "@brief Method void QMediaRecorder::qualityChanged()\n", false, &_init_f_qualityChanged_0, &_call_f_qualityChanged_0); + methods += new qt_gsi::GenericMethod (":quality", "@brief Method QMediaRecorder::Quality QMediaRecorder::quality()\n", true, &_init_f_quality_c0, &_call_f_quality_c0); methods += new qt_gsi::GenericMethod ("record", "@brief Method void QMediaRecorder::record()\n", false, &_init_f_record_0, &_call_f_record_0); - methods += new qt_gsi::GenericMethod ("recorderState", "@brief Method QMediaRecorder::RecorderState QMediaRecorder::recorderState()\n", true, &_init_f_recorderState_c0, &_call_f_recorderState_c0); - methods += new qt_gsi::GenericMethod ("recorderStateChanged", "@brief Method void QMediaRecorder::recorderStateChanged(QMediaRecorder::RecorderState state)\n", false, &_init_f_recorderStateChanged_3270, &_call_f_recorderStateChanged_3270); - methods += new qt_gsi::GenericMethod ("setAudioBitRate", "@brief Method void QMediaRecorder::setAudioBitRate(int bitRate)\n", false, &_init_f_setAudioBitRate_767, &_call_f_setAudioBitRate_767); - methods += new qt_gsi::GenericMethod ("setAudioChannelCount", "@brief Method void QMediaRecorder::setAudioChannelCount(int channels)\n", false, &_init_f_setAudioChannelCount_767, &_call_f_setAudioChannelCount_767); - methods += new qt_gsi::GenericMethod ("setAudioSampleRate", "@brief Method void QMediaRecorder::setAudioSampleRate(int sampleRate)\n", false, &_init_f_setAudioSampleRate_767, &_call_f_setAudioSampleRate_767); - methods += new qt_gsi::GenericMethod ("setEncodingMode", "@brief Method void QMediaRecorder::setEncodingMode(QMediaRecorder::EncodingMode)\n", false, &_init_f_setEncodingMode_3131, &_call_f_setEncodingMode_3131); - methods += new qt_gsi::GenericMethod ("setMediaFormat", "@brief Method void QMediaRecorder::setMediaFormat(const QMediaFormat &format)\n", false, &_init_f_setMediaFormat_2491, &_call_f_setMediaFormat_2491); - methods += new qt_gsi::GenericMethod ("setMetaData", "@brief Method void QMediaRecorder::setMetaData(const QMediaMetaData &metaData)\n", false, &_init_f_setMetaData_2643, &_call_f_setMetaData_2643); + methods += new qt_gsi::GenericMethod (":recorderState", "@brief Method QMediaRecorder::RecorderState QMediaRecorder::recorderState()\n", true, &_init_f_recorderState_c0, &_call_f_recorderState_c0); + methods += new qt_gsi::GenericMethod ("setAudioBitRate|audioBitRate=", "@brief Method void QMediaRecorder::setAudioBitRate(int bitRate)\n", false, &_init_f_setAudioBitRate_767, &_call_f_setAudioBitRate_767); + methods += new qt_gsi::GenericMethod ("setAudioChannelCount|audioChannelCount=", "@brief Method void QMediaRecorder::setAudioChannelCount(int channels)\n", false, &_init_f_setAudioChannelCount_767, &_call_f_setAudioChannelCount_767); + methods += new qt_gsi::GenericMethod ("setAudioSampleRate|audioSampleRate=", "@brief Method void QMediaRecorder::setAudioSampleRate(int sampleRate)\n", false, &_init_f_setAudioSampleRate_767, &_call_f_setAudioSampleRate_767); + methods += new qt_gsi::GenericMethod ("setEncodingMode|encodingMode=", "@brief Method void QMediaRecorder::setEncodingMode(QMediaRecorder::EncodingMode)\n", false, &_init_f_setEncodingMode_3131, &_call_f_setEncodingMode_3131); + methods += new qt_gsi::GenericMethod ("setMediaFormat|mediaFormat=", "@brief Method void QMediaRecorder::setMediaFormat(const QMediaFormat &format)\n", false, &_init_f_setMediaFormat_2491, &_call_f_setMediaFormat_2491); + methods += new qt_gsi::GenericMethod ("setMetaData|metaData=", "@brief Method void QMediaRecorder::setMetaData(const QMediaMetaData &metaData)\n", false, &_init_f_setMetaData_2643, &_call_f_setMetaData_2643); methods += new qt_gsi::GenericMethod ("setOutputLocation|outputLocation=", "@brief Method void QMediaRecorder::setOutputLocation(const QUrl &location)\n", false, &_init_f_setOutputLocation_1701, &_call_f_setOutputLocation_1701); - methods += new qt_gsi::GenericMethod ("setQuality", "@brief Method void QMediaRecorder::setQuality(QMediaRecorder::Quality quality)\n", false, &_init_f_setQuality_2680, &_call_f_setQuality_2680); - methods += new qt_gsi::GenericMethod ("setVideoBitRate", "@brief Method void QMediaRecorder::setVideoBitRate(int bitRate)\n", false, &_init_f_setVideoBitRate_767, &_call_f_setVideoBitRate_767); - methods += new qt_gsi::GenericMethod ("setVideoFrameRate", "@brief Method void QMediaRecorder::setVideoFrameRate(double frameRate)\n", false, &_init_f_setVideoFrameRate_1071, &_call_f_setVideoFrameRate_1071); - methods += new qt_gsi::GenericMethod ("setVideoResolution", "@brief Method void QMediaRecorder::setVideoResolution(const QSize &)\n", false, &_init_f_setVideoResolution_1805, &_call_f_setVideoResolution_1805); + methods += new qt_gsi::GenericMethod ("setQuality|quality=", "@brief Method void QMediaRecorder::setQuality(QMediaRecorder::Quality quality)\n", false, &_init_f_setQuality_2680, &_call_f_setQuality_2680); + methods += new qt_gsi::GenericMethod ("setVideoBitRate|videoBitRate=", "@brief Method void QMediaRecorder::setVideoBitRate(int bitRate)\n", false, &_init_f_setVideoBitRate_767, &_call_f_setVideoBitRate_767); + methods += new qt_gsi::GenericMethod ("setVideoFrameRate|videoFrameRate=", "@brief Method void QMediaRecorder::setVideoFrameRate(double frameRate)\n", false, &_init_f_setVideoFrameRate_1071, &_call_f_setVideoFrameRate_1071); + methods += new qt_gsi::GenericMethod ("setVideoResolution|videoResolution=", "@brief Method void QMediaRecorder::setVideoResolution(const QSize &)\n", false, &_init_f_setVideoResolution_1805, &_call_f_setVideoResolution_1805); methods += new qt_gsi::GenericMethod ("setVideoResolution", "@brief Method void QMediaRecorder::setVideoResolution(int width, int height)\n", false, &_init_f_setVideoResolution_1426, &_call_f_setVideoResolution_1426); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QMediaRecorder::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); - methods += new qt_gsi::GenericMethod ("videoBitRate", "@brief Method int QMediaRecorder::videoBitRate()\n", true, &_init_f_videoBitRate_c0, &_call_f_videoBitRate_c0); - methods += new qt_gsi::GenericMethod ("videoBitRateChanged", "@brief Method void QMediaRecorder::videoBitRateChanged()\n", false, &_init_f_videoBitRateChanged_0, &_call_f_videoBitRateChanged_0); - methods += new qt_gsi::GenericMethod ("videoFrameRate", "@brief Method double QMediaRecorder::videoFrameRate()\n", true, &_init_f_videoFrameRate_c0, &_call_f_videoFrameRate_c0); - methods += new qt_gsi::GenericMethod ("videoFrameRateChanged", "@brief Method void QMediaRecorder::videoFrameRateChanged()\n", false, &_init_f_videoFrameRateChanged_0, &_call_f_videoFrameRateChanged_0); - methods += new qt_gsi::GenericMethod ("videoResolution", "@brief Method QSize QMediaRecorder::videoResolution()\n", true, &_init_f_videoResolution_c0, &_call_f_videoResolution_c0); - methods += new qt_gsi::GenericMethod ("videoResolutionChanged", "@brief Method void QMediaRecorder::videoResolutionChanged()\n", false, &_init_f_videoResolutionChanged_0, &_call_f_videoResolutionChanged_0); + methods += new qt_gsi::GenericMethod (":videoBitRate", "@brief Method int QMediaRecorder::videoBitRate()\n", true, &_init_f_videoBitRate_c0, &_call_f_videoBitRate_c0); + methods += new qt_gsi::GenericMethod (":videoFrameRate", "@brief Method double QMediaRecorder::videoFrameRate()\n", true, &_init_f_videoFrameRate_c0, &_call_f_videoFrameRate_c0); + methods += new qt_gsi::GenericMethod (":videoResolution", "@brief Method QSize QMediaRecorder::videoResolution()\n", true, &_init_f_videoResolution_c0, &_call_f_videoResolution_c0); + methods += gsi::qt_signal ("actualLocationChanged(const QUrl &)", "actualLocationChanged", gsi::arg("location"), "@brief Signal declaration for QMediaRecorder::actualLocationChanged(const QUrl &location)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("audioBitRateChanged()", "audioBitRateChanged", "@brief Signal declaration for QMediaRecorder::audioBitRateChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("audioChannelCountChanged()", "audioChannelCountChanged", "@brief Signal declaration for QMediaRecorder::audioChannelCountChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("audioSampleRateChanged()", "audioSampleRateChanged", "@brief Signal declaration for QMediaRecorder::audioSampleRateChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QMediaRecorder::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("durationChanged(qint64)", "durationChanged", gsi::arg("duration"), "@brief Signal declaration for QMediaRecorder::durationChanged(qint64 duration)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("encoderSettingsChanged()", "encoderSettingsChanged", "@brief Signal declaration for QMediaRecorder::encoderSettingsChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("encodingModeChanged()", "encodingModeChanged", "@brief Signal declaration for QMediaRecorder::encodingModeChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("errorChanged()", "errorChanged", "@brief Signal declaration for QMediaRecorder::errorChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type &, const QString & > ("errorOccurred(QMediaRecorder::Error, const QString &)", "errorOccurred", gsi::arg("error"), gsi::arg("errorString"), "@brief Signal declaration for QMediaRecorder::errorOccurred(QMediaRecorder::Error error, const QString &errorString)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mediaFormatChanged()", "mediaFormatChanged", "@brief Signal declaration for QMediaRecorder::mediaFormatChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("metaDataChanged()", "metaDataChanged", "@brief Signal declaration for QMediaRecorder::metaDataChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QMediaRecorder::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("qualityChanged()", "qualityChanged", "@brief Signal declaration for QMediaRecorder::qualityChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("recorderStateChanged(QMediaRecorder::RecorderState)", "recorderStateChanged", gsi::arg("state"), "@brief Signal declaration for QMediaRecorder::recorderStateChanged(QMediaRecorder::RecorderState state)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("videoBitRateChanged()", "videoBitRateChanged", "@brief Signal declaration for QMediaRecorder::videoBitRateChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("videoFrameRateChanged()", "videoFrameRateChanged", "@brief Signal declaration for QMediaRecorder::videoFrameRateChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("videoResolutionChanged()", "videoResolutionChanged", "@brief Signal declaration for QMediaRecorder::videoResolutionChanged()\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QMediaRecorder::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -1049,6 +776,66 @@ class QMediaRecorder_Adaptor : public QMediaRecorder, public qt_gsi::QtObjectBas return QMediaRecorder::senderSignalIndex(); } + // [emitter impl] void QMediaRecorder::actualLocationChanged(const QUrl &location) + void emitter_QMediaRecorder_actualLocationChanged_1701(const QUrl &location) + { + emit QMediaRecorder::actualLocationChanged(location); + } + + // [emitter impl] void QMediaRecorder::audioBitRateChanged() + void emitter_QMediaRecorder_audioBitRateChanged_0() + { + emit QMediaRecorder::audioBitRateChanged(); + } + + // [emitter impl] void QMediaRecorder::audioChannelCountChanged() + void emitter_QMediaRecorder_audioChannelCountChanged_0() + { + emit QMediaRecorder::audioChannelCountChanged(); + } + + // [emitter impl] void QMediaRecorder::audioSampleRateChanged() + void emitter_QMediaRecorder_audioSampleRateChanged_0() + { + emit QMediaRecorder::audioSampleRateChanged(); + } + + // [emitter impl] void QMediaRecorder::destroyed(QObject *) + void emitter_QMediaRecorder_destroyed_1302(QObject *arg1) + { + emit QMediaRecorder::destroyed(arg1); + } + + // [emitter impl] void QMediaRecorder::durationChanged(qint64 duration) + void emitter_QMediaRecorder_durationChanged_986(qint64 duration) + { + emit QMediaRecorder::durationChanged(duration); + } + + // [emitter impl] void QMediaRecorder::encoderSettingsChanged() + void emitter_QMediaRecorder_encoderSettingsChanged_0() + { + emit QMediaRecorder::encoderSettingsChanged(); + } + + // [emitter impl] void QMediaRecorder::encodingModeChanged() + void emitter_QMediaRecorder_encodingModeChanged_0() + { + emit QMediaRecorder::encodingModeChanged(); + } + + // [emitter impl] void QMediaRecorder::errorChanged() + void emitter_QMediaRecorder_errorChanged_0() + { + emit QMediaRecorder::errorChanged(); + } + + // [emitter impl] void QMediaRecorder::errorOccurred(QMediaRecorder::Error error, const QString &errorString) + void emitter_QMediaRecorder_errorOccurred_4374(QMediaRecorder::Error error, const QString &errorString) + { + emit QMediaRecorder::errorOccurred(error, errorString); + } + // [adaptor impl] bool QMediaRecorder::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -1079,6 +866,55 @@ class QMediaRecorder_Adaptor : public QMediaRecorder, public qt_gsi::QtObjectBas } } + // [emitter impl] void QMediaRecorder::mediaFormatChanged() + void emitter_QMediaRecorder_mediaFormatChanged_0() + { + emit QMediaRecorder::mediaFormatChanged(); + } + + // [emitter impl] void QMediaRecorder::metaDataChanged() + void emitter_QMediaRecorder_metaDataChanged_0() + { + emit QMediaRecorder::metaDataChanged(); + } + + // [emitter impl] void QMediaRecorder::objectNameChanged(const QString &objectName) + void emitter_QMediaRecorder_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QMediaRecorder::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QMediaRecorder::qualityChanged() + void emitter_QMediaRecorder_qualityChanged_0() + { + emit QMediaRecorder::qualityChanged(); + } + + // [emitter impl] void QMediaRecorder::recorderStateChanged(QMediaRecorder::RecorderState state) + void emitter_QMediaRecorder_recorderStateChanged_3270(QMediaRecorder::RecorderState state) + { + emit QMediaRecorder::recorderStateChanged(state); + } + + // [emitter impl] void QMediaRecorder::videoBitRateChanged() + void emitter_QMediaRecorder_videoBitRateChanged_0() + { + emit QMediaRecorder::videoBitRateChanged(); + } + + // [emitter impl] void QMediaRecorder::videoFrameRateChanged() + void emitter_QMediaRecorder_videoFrameRateChanged_0() + { + emit QMediaRecorder::videoFrameRateChanged(); + } + + // [emitter impl] void QMediaRecorder::videoResolutionChanged() + void emitter_QMediaRecorder_videoResolutionChanged_0() + { + emit QMediaRecorder::videoResolutionChanged(); + } + // [adaptor impl] void QMediaRecorder::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -1167,6 +1003,66 @@ static void _call_ctor_QMediaRecorder_Adaptor_1302 (const qt_gsi::GenericStaticM } +// emitter void QMediaRecorder::actualLocationChanged(const QUrl &location) + +static void _init_emitter_actualLocationChanged_1701 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("location"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_actualLocationChanged_1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QUrl &arg1 = gsi::arg_reader() (args, heap); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_actualLocationChanged_1701 (arg1); +} + + +// emitter void QMediaRecorder::audioBitRateChanged() + +static void _init_emitter_audioBitRateChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_audioBitRateChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_audioBitRateChanged_0 (); +} + + +// emitter void QMediaRecorder::audioChannelCountChanged() + +static void _init_emitter_audioChannelCountChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_audioChannelCountChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_audioChannelCountChanged_0 (); +} + + +// emitter void QMediaRecorder::audioSampleRateChanged() + +static void _init_emitter_audioSampleRateChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_audioSampleRateChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_audioSampleRateChanged_0 (); +} + + // void QMediaRecorder::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -1215,6 +1111,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QMediaRecorder::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_destroyed_1302 (arg1); +} + + // void QMediaRecorder::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1239,6 +1153,87 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } +// emitter void QMediaRecorder::durationChanged(qint64 duration) + +static void _init_emitter_durationChanged_986 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("duration"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_durationChanged_986 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + qint64 arg1 = gsi::arg_reader() (args, heap); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_durationChanged_986 (arg1); +} + + +// emitter void QMediaRecorder::encoderSettingsChanged() + +static void _init_emitter_encoderSettingsChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_encoderSettingsChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_encoderSettingsChanged_0 (); +} + + +// emitter void QMediaRecorder::encodingModeChanged() + +static void _init_emitter_encodingModeChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_encodingModeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_encodingModeChanged_0 (); +} + + +// emitter void QMediaRecorder::errorChanged() + +static void _init_emitter_errorChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_errorChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_errorChanged_0 (); +} + + +// emitter void QMediaRecorder::errorOccurred(QMediaRecorder::Error error, const QString &errorString) + +static void _init_emitter_errorOccurred_4374 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("error"); + decl->add_arg::target_type & > (argspec_0); + static gsi::ArgSpecBase argspec_1 ("errorString"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_errorOccurred_4374 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + const QString &arg2 = gsi::arg_reader() (args, heap); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_errorOccurred_4374 (arg1, arg2); +} + + // bool QMediaRecorder::event(QEvent *event) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -1306,6 +1301,66 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QMediaRecorder::mediaFormatChanged() + +static void _init_emitter_mediaFormatChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_mediaFormatChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_mediaFormatChanged_0 (); +} + + +// emitter void QMediaRecorder::metaDataChanged() + +static void _init_emitter_metaDataChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_metaDataChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_metaDataChanged_0 (); +} + + +// emitter void QMediaRecorder::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_objectNameChanged_4567 (arg1); +} + + +// emitter void QMediaRecorder::qualityChanged() + +static void _init_emitter_qualityChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_qualityChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_qualityChanged_0 (); +} + + // exposed int QMediaRecorder::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1324,6 +1379,24 @@ static void _call_fp_receivers_c1731 (const qt_gsi::GenericMethod * /*decl*/, vo } +// emitter void QMediaRecorder::recorderStateChanged(QMediaRecorder::RecorderState state) + +static void _init_emitter_recorderStateChanged_3270 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("state"); + decl->add_arg::target_type & > (argspec_0); + decl->set_return (); +} + +static void _call_emitter_recorderStateChanged_3270 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_recorderStateChanged_3270 (arg1); +} + + // exposed QObject *QMediaRecorder::sender() static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) @@ -1376,6 +1449,48 @@ static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback } +// emitter void QMediaRecorder::videoBitRateChanged() + +static void _init_emitter_videoBitRateChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_videoBitRateChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_videoBitRateChanged_0 (); +} + + +// emitter void QMediaRecorder::videoFrameRateChanged() + +static void _init_emitter_videoFrameRateChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_videoFrameRateChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_videoFrameRateChanged_0 (); +} + + +// emitter void QMediaRecorder::videoResolutionChanged() + +static void _init_emitter_videoResolutionChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_videoResolutionChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QMediaRecorder_Adaptor *)cls)->emitter_QMediaRecorder_videoResolutionChanged_0 (); +} + + namespace gsi { @@ -1384,22 +1499,40 @@ gsi::Class &qtdecl_QMediaRecorder (); static gsi::Methods methods_QMediaRecorder_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QMediaRecorder::QMediaRecorder(QObject *parent)\nThis method creates an object of class QMediaRecorder.", &_init_ctor_QMediaRecorder_Adaptor_1302, &_call_ctor_QMediaRecorder_Adaptor_1302); + methods += new qt_gsi::GenericMethod ("emit_actualLocationChanged", "@brief Emitter for signal void QMediaRecorder::actualLocationChanged(const QUrl &location)\nCall this method to emit this signal.", false, &_init_emitter_actualLocationChanged_1701, &_call_emitter_actualLocationChanged_1701); + methods += new qt_gsi::GenericMethod ("emit_audioBitRateChanged", "@brief Emitter for signal void QMediaRecorder::audioBitRateChanged()\nCall this method to emit this signal.", false, &_init_emitter_audioBitRateChanged_0, &_call_emitter_audioBitRateChanged_0); + methods += new qt_gsi::GenericMethod ("emit_audioChannelCountChanged", "@brief Emitter for signal void QMediaRecorder::audioChannelCountChanged()\nCall this method to emit this signal.", false, &_init_emitter_audioChannelCountChanged_0, &_call_emitter_audioChannelCountChanged_0); + methods += new qt_gsi::GenericMethod ("emit_audioSampleRateChanged", "@brief Emitter for signal void QMediaRecorder::audioSampleRateChanged()\nCall this method to emit this signal.", false, &_init_emitter_audioSampleRateChanged_0, &_call_emitter_audioSampleRateChanged_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QMediaRecorder::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QMediaRecorder::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QMediaRecorder::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QMediaRecorder::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("emit_durationChanged", "@brief Emitter for signal void QMediaRecorder::durationChanged(qint64 duration)\nCall this method to emit this signal.", false, &_init_emitter_durationChanged_986, &_call_emitter_durationChanged_986); + methods += new qt_gsi::GenericMethod ("emit_encoderSettingsChanged", "@brief Emitter for signal void QMediaRecorder::encoderSettingsChanged()\nCall this method to emit this signal.", false, &_init_emitter_encoderSettingsChanged_0, &_call_emitter_encoderSettingsChanged_0); + methods += new qt_gsi::GenericMethod ("emit_encodingModeChanged", "@brief Emitter for signal void QMediaRecorder::encodingModeChanged()\nCall this method to emit this signal.", false, &_init_emitter_encodingModeChanged_0, &_call_emitter_encodingModeChanged_0); + methods += new qt_gsi::GenericMethod ("emit_errorChanged", "@brief Emitter for signal void QMediaRecorder::errorChanged()\nCall this method to emit this signal.", false, &_init_emitter_errorChanged_0, &_call_emitter_errorChanged_0); + methods += new qt_gsi::GenericMethod ("emit_errorOccurred", "@brief Emitter for signal void QMediaRecorder::errorOccurred(QMediaRecorder::Error error, const QString &errorString)\nCall this method to emit this signal.", false, &_init_emitter_errorOccurred_4374, &_call_emitter_errorOccurred_4374); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QMediaRecorder::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QMediaRecorder::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QMediaRecorder::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_mediaFormatChanged", "@brief Emitter for signal void QMediaRecorder::mediaFormatChanged()\nCall this method to emit this signal.", false, &_init_emitter_mediaFormatChanged_0, &_call_emitter_mediaFormatChanged_0); + methods += new qt_gsi::GenericMethod ("emit_metaDataChanged", "@brief Emitter for signal void QMediaRecorder::metaDataChanged()\nCall this method to emit this signal.", false, &_init_emitter_metaDataChanged_0, &_call_emitter_metaDataChanged_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QMediaRecorder::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); + methods += new qt_gsi::GenericMethod ("emit_qualityChanged", "@brief Emitter for signal void QMediaRecorder::qualityChanged()\nCall this method to emit this signal.", false, &_init_emitter_qualityChanged_0, &_call_emitter_qualityChanged_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QMediaRecorder::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); + methods += new qt_gsi::GenericMethod ("emit_recorderStateChanged", "@brief Emitter for signal void QMediaRecorder::recorderStateChanged(QMediaRecorder::RecorderState state)\nCall this method to emit this signal.", false, &_init_emitter_recorderStateChanged_3270, &_call_emitter_recorderStateChanged_3270); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QMediaRecorder::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QMediaRecorder::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QMediaRecorder::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("emit_videoBitRateChanged", "@brief Emitter for signal void QMediaRecorder::videoBitRateChanged()\nCall this method to emit this signal.", false, &_init_emitter_videoBitRateChanged_0, &_call_emitter_videoBitRateChanged_0); + methods += new qt_gsi::GenericMethod ("emit_videoFrameRateChanged", "@brief Emitter for signal void QMediaRecorder::videoFrameRateChanged()\nCall this method to emit this signal.", false, &_init_emitter_videoFrameRateChanged_0, &_call_emitter_videoFrameRateChanged_0); + methods += new qt_gsi::GenericMethod ("emit_videoResolutionChanged", "@brief Emitter for signal void QMediaRecorder::videoResolutionChanged()\nCall this method to emit this signal.", false, &_init_emitter_videoResolutionChanged_0, &_call_emitter_videoResolutionChanged_0); return methods; } diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQSoundEffect.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQSoundEffect.cc index 199fbd6e80..76f335fecd 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQSoundEffect.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQSoundEffect.cc @@ -71,22 +71,6 @@ static void _call_f_audioDevice_0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QSoundEffect::audioDeviceChanged() - - -static void _init_f_audioDeviceChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_audioDeviceChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSoundEffect *)cls)->audioDeviceChanged (); -} - - // bool QSoundEffect::isLoaded() @@ -132,22 +116,6 @@ static void _call_f_isPlaying_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QSoundEffect::loadedChanged() - - -static void _init_f_loadedChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_loadedChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSoundEffect *)cls)->loadedChanged (); -} - - // int QSoundEffect::loopCount() @@ -163,22 +131,6 @@ static void _call_f_loopCount_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QSoundEffect::loopCountChanged() - - -static void _init_f_loopCountChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_loopCountChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSoundEffect *)cls)->loopCountChanged (); -} - - // int QSoundEffect::loopsRemaining() @@ -194,38 +146,6 @@ static void _call_f_loopsRemaining_c0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QSoundEffect::loopsRemainingChanged() - - -static void _init_f_loopsRemainingChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_loopsRemainingChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSoundEffect *)cls)->loopsRemainingChanged (); -} - - -// void QSoundEffect::mutedChanged() - - -static void _init_f_mutedChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_mutedChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSoundEffect *)cls)->mutedChanged (); -} - - // void QSoundEffect::play() @@ -242,22 +162,6 @@ static void _call_f_play_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, g } -// void QSoundEffect::playingChanged() - - -static void _init_f_playingChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_playingChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSoundEffect *)cls)->playingChanged (); -} - - // void QSoundEffect::setAudioDevice(const QAudioDevice &device) @@ -373,22 +277,6 @@ static void _call_f_source_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QSoundEffect::sourceChanged() - - -static void _init_f_sourceChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_sourceChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSoundEffect *)cls)->sourceChanged (); -} - - // QSoundEffect::Status QSoundEffect::status() @@ -404,22 +292,6 @@ static void _call_f_status_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QSoundEffect::statusChanged() - - -static void _init_f_statusChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_statusChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSoundEffect *)cls)->statusChanged (); -} - - // void QSoundEffect::stop() @@ -451,22 +323,6 @@ static void _call_f_volume_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QSoundEffect::volumeChanged() - - -static void _init_f_volumeChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_volumeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSoundEffect *)cls)->volumeChanged (); -} - - // static QStringList QSoundEffect::supportedMimeTypes() @@ -513,31 +369,33 @@ namespace gsi static gsi::Methods methods_QSoundEffect () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("audioDevice", "@brief Method QAudioDevice QSoundEffect::audioDevice()\n", false, &_init_f_audioDevice_0, &_call_f_audioDevice_0); - methods += new qt_gsi::GenericMethod ("audioDeviceChanged", "@brief Method void QSoundEffect::audioDeviceChanged()\n", false, &_init_f_audioDeviceChanged_0, &_call_f_audioDeviceChanged_0); + methods += new qt_gsi::GenericMethod (":audioDevice", "@brief Method QAudioDevice QSoundEffect::audioDevice()\n", false, &_init_f_audioDevice_0, &_call_f_audioDevice_0); methods += new qt_gsi::GenericMethod ("isLoaded?", "@brief Method bool QSoundEffect::isLoaded()\n", true, &_init_f_isLoaded_c0, &_call_f_isLoaded_c0); methods += new qt_gsi::GenericMethod ("isMuted?|:muted", "@brief Method bool QSoundEffect::isMuted()\n", true, &_init_f_isMuted_c0, &_call_f_isMuted_c0); methods += new qt_gsi::GenericMethod ("isPlaying?|:playing", "@brief Method bool QSoundEffect::isPlaying()\n", true, &_init_f_isPlaying_c0, &_call_f_isPlaying_c0); - methods += new qt_gsi::GenericMethod ("loadedChanged", "@brief Method void QSoundEffect::loadedChanged()\n", false, &_init_f_loadedChanged_0, &_call_f_loadedChanged_0); methods += new qt_gsi::GenericMethod (":loopCount", "@brief Method int QSoundEffect::loopCount()\n", true, &_init_f_loopCount_c0, &_call_f_loopCount_c0); - methods += new qt_gsi::GenericMethod ("loopCountChanged", "@brief Method void QSoundEffect::loopCountChanged()\n", false, &_init_f_loopCountChanged_0, &_call_f_loopCountChanged_0); methods += new qt_gsi::GenericMethod (":loopsRemaining", "@brief Method int QSoundEffect::loopsRemaining()\n", true, &_init_f_loopsRemaining_c0, &_call_f_loopsRemaining_c0); - methods += new qt_gsi::GenericMethod ("loopsRemainingChanged", "@brief Method void QSoundEffect::loopsRemainingChanged()\n", false, &_init_f_loopsRemainingChanged_0, &_call_f_loopsRemainingChanged_0); - methods += new qt_gsi::GenericMethod ("mutedChanged", "@brief Method void QSoundEffect::mutedChanged()\n", false, &_init_f_mutedChanged_0, &_call_f_mutedChanged_0); methods += new qt_gsi::GenericMethod ("play", "@brief Method void QSoundEffect::play()\n", false, &_init_f_play_0, &_call_f_play_0); - methods += new qt_gsi::GenericMethod ("playingChanged", "@brief Method void QSoundEffect::playingChanged()\n", false, &_init_f_playingChanged_0, &_call_f_playingChanged_0); - methods += new qt_gsi::GenericMethod ("setAudioDevice", "@brief Method void QSoundEffect::setAudioDevice(const QAudioDevice &device)\n", false, &_init_f_setAudioDevice_2484, &_call_f_setAudioDevice_2484); + methods += new qt_gsi::GenericMethod ("setAudioDevice|audioDevice=", "@brief Method void QSoundEffect::setAudioDevice(const QAudioDevice &device)\n", false, &_init_f_setAudioDevice_2484, &_call_f_setAudioDevice_2484); methods += new qt_gsi::GenericMethod ("setLoopCount|loopCount=", "@brief Method void QSoundEffect::setLoopCount(int loopCount)\n", false, &_init_f_setLoopCount_767, &_call_f_setLoopCount_767); methods += new qt_gsi::GenericMethod ("setMuted|muted=", "@brief Method void QSoundEffect::setMuted(bool muted)\n", false, &_init_f_setMuted_864, &_call_f_setMuted_864); methods += new qt_gsi::GenericMethod ("setSource|source=", "@brief Method void QSoundEffect::setSource(const QUrl &url)\n", false, &_init_f_setSource_1701, &_call_f_setSource_1701); methods += new qt_gsi::GenericMethod ("setVolume|volume=", "@brief Method void QSoundEffect::setVolume(float volume)\n", false, &_init_f_setVolume_970, &_call_f_setVolume_970); methods += new qt_gsi::GenericMethod (":source", "@brief Method QUrl QSoundEffect::source()\n", true, &_init_f_source_c0, &_call_f_source_c0); - methods += new qt_gsi::GenericMethod ("sourceChanged", "@brief Method void QSoundEffect::sourceChanged()\n", false, &_init_f_sourceChanged_0, &_call_f_sourceChanged_0); methods += new qt_gsi::GenericMethod (":status", "@brief Method QSoundEffect::Status QSoundEffect::status()\n", true, &_init_f_status_c0, &_call_f_status_c0); - methods += new qt_gsi::GenericMethod ("statusChanged", "@brief Method void QSoundEffect::statusChanged()\n", false, &_init_f_statusChanged_0, &_call_f_statusChanged_0); methods += new qt_gsi::GenericMethod ("stop", "@brief Method void QSoundEffect::stop()\n", false, &_init_f_stop_0, &_call_f_stop_0); methods += new qt_gsi::GenericMethod (":volume", "@brief Method float QSoundEffect::volume()\n", true, &_init_f_volume_c0, &_call_f_volume_c0); - methods += new qt_gsi::GenericMethod ("volumeChanged", "@brief Method void QSoundEffect::volumeChanged()\n", false, &_init_f_volumeChanged_0, &_call_f_volumeChanged_0); + methods += gsi::qt_signal ("audioDeviceChanged()", "audioDeviceChanged", "@brief Signal declaration for QSoundEffect::audioDeviceChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QSoundEffect::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("loadedChanged()", "loadedChanged", "@brief Signal declaration for QSoundEffect::loadedChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("loopCountChanged()", "loopCountChanged", "@brief Signal declaration for QSoundEffect::loopCountChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("loopsRemainingChanged()", "loopsRemainingChanged", "@brief Signal declaration for QSoundEffect::loopsRemainingChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("mutedChanged()", "mutedChanged", "@brief Signal declaration for QSoundEffect::mutedChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QSoundEffect::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("playingChanged()", "playingChanged", "@brief Signal declaration for QSoundEffect::playingChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("sourceChanged()", "sourceChanged", "@brief Signal declaration for QSoundEffect::sourceChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("statusChanged()", "statusChanged", "@brief Signal declaration for QSoundEffect::statusChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("volumeChanged()", "volumeChanged", "@brief Signal declaration for QSoundEffect::volumeChanged()\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("supportedMimeTypes", "@brief Static method QStringList QSoundEffect::supportedMimeTypes()\nThis method is static and can be called without an instance.", &_init_f_supportedMimeTypes_0, &_call_f_supportedMimeTypes_0); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QSoundEffect::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; @@ -604,6 +462,18 @@ class QSoundEffect_Adaptor : public QSoundEffect, public qt_gsi::QtObjectBase return QSoundEffect::senderSignalIndex(); } + // [emitter impl] void QSoundEffect::audioDeviceChanged() + void emitter_QSoundEffect_audioDeviceChanged_0() + { + emit QSoundEffect::audioDeviceChanged(); + } + + // [emitter impl] void QSoundEffect::destroyed(QObject *) + void emitter_QSoundEffect_destroyed_1302(QObject *arg1) + { + emit QSoundEffect::destroyed(arg1); + } + // [adaptor impl] bool QSoundEffect::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -634,6 +504,61 @@ class QSoundEffect_Adaptor : public QSoundEffect, public qt_gsi::QtObjectBase } } + // [emitter impl] void QSoundEffect::loadedChanged() + void emitter_QSoundEffect_loadedChanged_0() + { + emit QSoundEffect::loadedChanged(); + } + + // [emitter impl] void QSoundEffect::loopCountChanged() + void emitter_QSoundEffect_loopCountChanged_0() + { + emit QSoundEffect::loopCountChanged(); + } + + // [emitter impl] void QSoundEffect::loopsRemainingChanged() + void emitter_QSoundEffect_loopsRemainingChanged_0() + { + emit QSoundEffect::loopsRemainingChanged(); + } + + // [emitter impl] void QSoundEffect::mutedChanged() + void emitter_QSoundEffect_mutedChanged_0() + { + emit QSoundEffect::mutedChanged(); + } + + // [emitter impl] void QSoundEffect::objectNameChanged(const QString &objectName) + void emitter_QSoundEffect_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QSoundEffect::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QSoundEffect::playingChanged() + void emitter_QSoundEffect_playingChanged_0() + { + emit QSoundEffect::playingChanged(); + } + + // [emitter impl] void QSoundEffect::sourceChanged() + void emitter_QSoundEffect_sourceChanged_0() + { + emit QSoundEffect::sourceChanged(); + } + + // [emitter impl] void QSoundEffect::statusChanged() + void emitter_QSoundEffect_statusChanged_0() + { + emit QSoundEffect::statusChanged(); + } + + // [emitter impl] void QSoundEffect::volumeChanged() + void emitter_QSoundEffect_volumeChanged_0() + { + emit QSoundEffect::volumeChanged(); + } + // [adaptor impl] void QSoundEffect::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -743,6 +668,20 @@ static void _call_ctor_QSoundEffect_Adaptor_3678 (const qt_gsi::GenericStaticMet } +// emitter void QSoundEffect::audioDeviceChanged() + +static void _init_emitter_audioDeviceChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_audioDeviceChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_audioDeviceChanged_0 (); +} + + // void QSoundEffect::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -791,6 +730,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QSoundEffect::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_destroyed_1302 (arg1); +} + + // void QSoundEffect::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -882,6 +839,94 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QSoundEffect::loadedChanged() + +static void _init_emitter_loadedChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_loadedChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_loadedChanged_0 (); +} + + +// emitter void QSoundEffect::loopCountChanged() + +static void _init_emitter_loopCountChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_loopCountChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_loopCountChanged_0 (); +} + + +// emitter void QSoundEffect::loopsRemainingChanged() + +static void _init_emitter_loopsRemainingChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_loopsRemainingChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_loopsRemainingChanged_0 (); +} + + +// emitter void QSoundEffect::mutedChanged() + +static void _init_emitter_mutedChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_mutedChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_mutedChanged_0 (); +} + + +// emitter void QSoundEffect::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_objectNameChanged_4567 (arg1); +} + + +// emitter void QSoundEffect::playingChanged() + +static void _init_emitter_playingChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_playingChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_playingChanged_0 (); +} + + // exposed int QSoundEffect::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -928,6 +973,34 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } +// emitter void QSoundEffect::sourceChanged() + +static void _init_emitter_sourceChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_sourceChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_sourceChanged_0 (); +} + + +// emitter void QSoundEffect::statusChanged() + +static void _init_emitter_statusChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_statusChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_statusChanged_0 (); +} + + // void QSoundEffect::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -952,6 +1025,20 @@ static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback } +// emitter void QSoundEffect::volumeChanged() + +static void _init_emitter_volumeChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_volumeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QSoundEffect_Adaptor *)cls)->emitter_QSoundEffect_volumeChanged_0 (); +} + + namespace gsi { @@ -961,10 +1048,12 @@ static gsi::Methods methods_QSoundEffect_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSoundEffect::QSoundEffect(QObject *parent)\nThis method creates an object of class QSoundEffect.", &_init_ctor_QSoundEffect_Adaptor_1302, &_call_ctor_QSoundEffect_Adaptor_1302); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSoundEffect::QSoundEffect(const QAudioDevice &audioDevice, QObject *parent)\nThis method creates an object of class QSoundEffect.", &_init_ctor_QSoundEffect_Adaptor_3678, &_call_ctor_QSoundEffect_Adaptor_3678); + methods += new qt_gsi::GenericMethod ("emit_audioDeviceChanged", "@brief Emitter for signal void QSoundEffect::audioDeviceChanged()\nCall this method to emit this signal.", false, &_init_emitter_audioDeviceChanged_0, &_call_emitter_audioDeviceChanged_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QSoundEffect::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSoundEffect::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSoundEffect::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSoundEffect::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSoundEffect::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -972,11 +1061,20 @@ static gsi::Methods methods_QSoundEffect_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSoundEffect::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSoundEffect::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_loadedChanged", "@brief Emitter for signal void QSoundEffect::loadedChanged()\nCall this method to emit this signal.", false, &_init_emitter_loadedChanged_0, &_call_emitter_loadedChanged_0); + methods += new qt_gsi::GenericMethod ("emit_loopCountChanged", "@brief Emitter for signal void QSoundEffect::loopCountChanged()\nCall this method to emit this signal.", false, &_init_emitter_loopCountChanged_0, &_call_emitter_loopCountChanged_0); + methods += new qt_gsi::GenericMethod ("emit_loopsRemainingChanged", "@brief Emitter for signal void QSoundEffect::loopsRemainingChanged()\nCall this method to emit this signal.", false, &_init_emitter_loopsRemainingChanged_0, &_call_emitter_loopsRemainingChanged_0); + methods += new qt_gsi::GenericMethod ("emit_mutedChanged", "@brief Emitter for signal void QSoundEffect::mutedChanged()\nCall this method to emit this signal.", false, &_init_emitter_mutedChanged_0, &_call_emitter_mutedChanged_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QSoundEffect::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); + methods += new qt_gsi::GenericMethod ("emit_playingChanged", "@brief Emitter for signal void QSoundEffect::playingChanged()\nCall this method to emit this signal.", false, &_init_emitter_playingChanged_0, &_call_emitter_playingChanged_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QSoundEffect::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QSoundEffect::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QSoundEffect::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); + methods += new qt_gsi::GenericMethod ("emit_sourceChanged", "@brief Emitter for signal void QSoundEffect::sourceChanged()\nCall this method to emit this signal.", false, &_init_emitter_sourceChanged_0, &_call_emitter_sourceChanged_0); + methods += new qt_gsi::GenericMethod ("emit_statusChanged", "@brief Emitter for signal void QSoundEffect::statusChanged()\nCall this method to emit this signal.", false, &_init_emitter_statusChanged_0, &_call_emitter_statusChanged_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSoundEffect::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("emit_volumeChanged", "@brief Emitter for signal void QSoundEffect::volumeChanged()\nCall this method to emit this signal.", false, &_init_emitter_volumeChanged_0, &_call_emitter_volumeChanged_0); return methods; } diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrame.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrame.cc index f59aefc934..1f5bd83c04 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrame.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrame.cc @@ -617,10 +617,10 @@ static gsi::Methods methods_QVideoFrame () { methods += new qt_gsi::GenericMethod ("planeCount", "@brief Method int QVideoFrame::planeCount()\n", true, &_init_f_planeCount_c0, &_call_f_planeCount_c0); methods += new qt_gsi::GenericMethod ("setEndTime|endTime=", "@brief Method void QVideoFrame::setEndTime(qint64 time)\n", false, &_init_f_setEndTime_986, &_call_f_setEndTime_986); methods += new qt_gsi::GenericMethod ("setStartTime|startTime=", "@brief Method void QVideoFrame::setStartTime(qint64 time)\n", false, &_init_f_setStartTime_986, &_call_f_setStartTime_986); - methods += new qt_gsi::GenericMethod ("setSubtitleText", "@brief Method void QVideoFrame::setSubtitleText(const QString &text)\n", false, &_init_f_setSubtitleText_2025, &_call_f_setSubtitleText_2025); + methods += new qt_gsi::GenericMethod ("setSubtitleText|subtitleText=", "@brief Method void QVideoFrame::setSubtitleText(const QString &text)\n", false, &_init_f_setSubtitleText_2025, &_call_f_setSubtitleText_2025); methods += new qt_gsi::GenericMethod ("size", "@brief Method QSize QVideoFrame::size()\n", true, &_init_f_size_c0, &_call_f_size_c0); methods += new qt_gsi::GenericMethod (":startTime", "@brief Method qint64 QVideoFrame::startTime()\n", true, &_init_f_startTime_c0, &_call_f_startTime_c0); - methods += new qt_gsi::GenericMethod ("subtitleText", "@brief Method QString QVideoFrame::subtitleText()\n", true, &_init_f_subtitleText_c0, &_call_f_subtitleText_c0); + methods += new qt_gsi::GenericMethod (":subtitleText", "@brief Method QString QVideoFrame::subtitleText()\n", true, &_init_f_subtitleText_c0, &_call_f_subtitleText_c0); methods += new qt_gsi::GenericMethod ("surfaceFormat", "@brief Method QVideoFrameFormat QVideoFrame::surfaceFormat()\n", true, &_init_f_surfaceFormat_c0, &_call_f_surfaceFormat_c0); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QVideoFrame::swap(QVideoFrame &other)\n", false, &_init_f_swap_1693, &_call_f_swap_1693); methods += new qt_gsi::GenericMethod ("toImage", "@brief Method QImage QVideoFrame::toImage()\n", true, &_init_f_toImage_c0, &_call_f_toImage_c0); diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrameFormat.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrameFormat.cc index 9bfacad698..779f75a3e2 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrameFormat.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrameFormat.cc @@ -624,29 +624,29 @@ static gsi::Methods methods_QVideoFrameFormat () { methods += new qt_gsi::GenericMethod ("detach", "@brief Method void QVideoFrameFormat::detach()\n", false, &_init_f_detach_0, &_call_f_detach_0); methods += new qt_gsi::GenericMethod ("fragmentShaderFileName", "@brief Method QString QVideoFrameFormat::fragmentShaderFileName()\n", true, &_init_f_fragmentShaderFileName_c0, &_call_f_fragmentShaderFileName_c0); methods += new qt_gsi::GenericMethod ("frameHeight", "@brief Method int QVideoFrameFormat::frameHeight()\n", true, &_init_f_frameHeight_c0, &_call_f_frameHeight_c0); - methods += new qt_gsi::GenericMethod ("frameRate", "@brief Method double QVideoFrameFormat::frameRate()\n", true, &_init_f_frameRate_c0, &_call_f_frameRate_c0); - methods += new qt_gsi::GenericMethod ("frameSize", "@brief Method QSize QVideoFrameFormat::frameSize()\n", true, &_init_f_frameSize_c0, &_call_f_frameSize_c0); + methods += new qt_gsi::GenericMethod (":frameRate", "@brief Method double QVideoFrameFormat::frameRate()\n", true, &_init_f_frameRate_c0, &_call_f_frameRate_c0); + methods += new qt_gsi::GenericMethod (":frameSize", "@brief Method QSize QVideoFrameFormat::frameSize()\n", true, &_init_f_frameSize_c0, &_call_f_frameSize_c0); methods += new qt_gsi::GenericMethod ("frameWidth", "@brief Method int QVideoFrameFormat::frameWidth()\n", true, &_init_f_frameWidth_c0, &_call_f_frameWidth_c0); - methods += new qt_gsi::GenericMethod ("isMirrored?", "@brief Method bool QVideoFrameFormat::isMirrored()\n", true, &_init_f_isMirrored_c0, &_call_f_isMirrored_c0); + methods += new qt_gsi::GenericMethod ("isMirrored?|:mirrored", "@brief Method bool QVideoFrameFormat::isMirrored()\n", true, &_init_f_isMirrored_c0, &_call_f_isMirrored_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QVideoFrameFormat::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QVideoFrameFormat::operator!=(const QVideoFrameFormat &format)\n", true, &_init_f_operator_excl__eq__c3005, &_call_f_operator_excl__eq__c3005); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QVideoFrameFormat &QVideoFrameFormat::operator=(const QVideoFrameFormat &format)\n", false, &_init_f_operator_eq__3005, &_call_f_operator_eq__3005); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QVideoFrameFormat::operator==(const QVideoFrameFormat &format)\n", true, &_init_f_operator_eq__eq__c3005, &_call_f_operator_eq__eq__c3005); methods += new qt_gsi::GenericMethod ("pixelFormat", "@brief Method QVideoFrameFormat::PixelFormat QVideoFrameFormat::pixelFormat()\n", true, &_init_f_pixelFormat_c0, &_call_f_pixelFormat_c0); methods += new qt_gsi::GenericMethod ("planeCount", "@brief Method int QVideoFrameFormat::planeCount()\n", true, &_init_f_planeCount_c0, &_call_f_planeCount_c0); - methods += new qt_gsi::GenericMethod ("scanLineDirection", "@brief Method QVideoFrameFormat::Direction QVideoFrameFormat::scanLineDirection()\n", true, &_init_f_scanLineDirection_c0, &_call_f_scanLineDirection_c0); - methods += new qt_gsi::GenericMethod ("setFrameRate", "@brief Method void QVideoFrameFormat::setFrameRate(double rate)\n", false, &_init_f_setFrameRate_1071, &_call_f_setFrameRate_1071); - methods += new qt_gsi::GenericMethod ("setFrameSize", "@brief Method void QVideoFrameFormat::setFrameSize(const QSize &size)\n", false, &_init_f_setFrameSize_1805, &_call_f_setFrameSize_1805); + methods += new qt_gsi::GenericMethod (":scanLineDirection", "@brief Method QVideoFrameFormat::Direction QVideoFrameFormat::scanLineDirection()\n", true, &_init_f_scanLineDirection_c0, &_call_f_scanLineDirection_c0); + methods += new qt_gsi::GenericMethod ("setFrameRate|frameRate=", "@brief Method void QVideoFrameFormat::setFrameRate(double rate)\n", false, &_init_f_setFrameRate_1071, &_call_f_setFrameRate_1071); + methods += new qt_gsi::GenericMethod ("setFrameSize|frameSize=", "@brief Method void QVideoFrameFormat::setFrameSize(const QSize &size)\n", false, &_init_f_setFrameSize_1805, &_call_f_setFrameSize_1805); methods += new qt_gsi::GenericMethod ("setFrameSize", "@brief Method void QVideoFrameFormat::setFrameSize(int width, int height)\n", false, &_init_f_setFrameSize_1426, &_call_f_setFrameSize_1426); - methods += new qt_gsi::GenericMethod ("setMirrored", "@brief Method void QVideoFrameFormat::setMirrored(bool mirrored)\n", false, &_init_f_setMirrored_864, &_call_f_setMirrored_864); - methods += new qt_gsi::GenericMethod ("setScanLineDirection", "@brief Method void QVideoFrameFormat::setScanLineDirection(QVideoFrameFormat::Direction direction)\n", false, &_init_f_setScanLineDirection_3173, &_call_f_setScanLineDirection_3173); - methods += new qt_gsi::GenericMethod ("setViewport", "@brief Method void QVideoFrameFormat::setViewport(const QRect &viewport)\n", false, &_init_f_setViewport_1792, &_call_f_setViewport_1792); - methods += new qt_gsi::GenericMethod ("setYCbCrColorSpace", "@brief Method void QVideoFrameFormat::setYCbCrColorSpace(QVideoFrameFormat::YCbCrColorSpace colorSpace)\n", false, &_init_f_setYCbCrColorSpace_3682, &_call_f_setYCbCrColorSpace_3682); + methods += new qt_gsi::GenericMethod ("setMirrored|mirrored=", "@brief Method void QVideoFrameFormat::setMirrored(bool mirrored)\n", false, &_init_f_setMirrored_864, &_call_f_setMirrored_864); + methods += new qt_gsi::GenericMethod ("setScanLineDirection|scanLineDirection=", "@brief Method void QVideoFrameFormat::setScanLineDirection(QVideoFrameFormat::Direction direction)\n", false, &_init_f_setScanLineDirection_3173, &_call_f_setScanLineDirection_3173); + methods += new qt_gsi::GenericMethod ("setViewport|viewport=", "@brief Method void QVideoFrameFormat::setViewport(const QRect &viewport)\n", false, &_init_f_setViewport_1792, &_call_f_setViewport_1792); + methods += new qt_gsi::GenericMethod ("setYCbCrColorSpace|yCbCrColorSpace=", "@brief Method void QVideoFrameFormat::setYCbCrColorSpace(QVideoFrameFormat::YCbCrColorSpace colorSpace)\n", false, &_init_f_setYCbCrColorSpace_3682, &_call_f_setYCbCrColorSpace_3682); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QVideoFrameFormat::swap(QVideoFrameFormat &other)\n", false, &_init_f_swap_2310, &_call_f_swap_2310); methods += new qt_gsi::GenericMethod ("updateUniformData", "@brief Method void QVideoFrameFormat::updateUniformData(QByteArray *dst, const QVideoFrame &frame, const QMatrix4x4 &transform, float opacity)\n", true, &_init_f_updateUniformData_c6899, &_call_f_updateUniformData_c6899); methods += new qt_gsi::GenericMethod ("vertexShaderFileName", "@brief Method QString QVideoFrameFormat::vertexShaderFileName()\n", true, &_init_f_vertexShaderFileName_c0, &_call_f_vertexShaderFileName_c0); - methods += new qt_gsi::GenericMethod ("viewport", "@brief Method QRect QVideoFrameFormat::viewport()\n", true, &_init_f_viewport_c0, &_call_f_viewport_c0); - methods += new qt_gsi::GenericMethod ("yCbCrColorSpace", "@brief Method QVideoFrameFormat::YCbCrColorSpace QVideoFrameFormat::yCbCrColorSpace()\n", true, &_init_f_yCbCrColorSpace_c0, &_call_f_yCbCrColorSpace_c0); + methods += new qt_gsi::GenericMethod (":viewport", "@brief Method QRect QVideoFrameFormat::viewport()\n", true, &_init_f_viewport_c0, &_call_f_viewport_c0); + methods += new qt_gsi::GenericMethod (":yCbCrColorSpace", "@brief Method QVideoFrameFormat::YCbCrColorSpace QVideoFrameFormat::yCbCrColorSpace()\n", true, &_init_f_yCbCrColorSpace_c0, &_call_f_yCbCrColorSpace_c0); methods += new qt_gsi::GenericStaticMethod ("imageFormatFromPixelFormat", "@brief Static method QImage::Format QVideoFrameFormat::imageFormatFromPixelFormat(QVideoFrameFormat::PixelFormat format)\nThis method is static and can be called without an instance.", &_init_f_imageFormatFromPixelFormat_3375, &_call_f_imageFormatFromPixelFormat_3375); methods += new qt_gsi::GenericStaticMethod ("pixelFormatFromImageFormat", "@brief Static method QVideoFrameFormat::PixelFormat QVideoFrameFormat::pixelFormatFromImageFormat(QImage::Format format)\nThis method is static and can be called without an instance.", &_init_f_pixelFormatFromImageFormat_1733, &_call_f_pixelFormatFromImageFormat_1733); methods += new qt_gsi::GenericStaticMethod ("pixelFormatToString", "@brief Static method QString QVideoFrameFormat::pixelFormatToString(QVideoFrameFormat::PixelFormat pixelFormat)\nThis method is static and can be called without an instance.", &_init_f_pixelFormatToString_3375, &_call_f_pixelFormatToString_3375); diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoSink.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoSink.cc index 937bc996c6..54fafde1b4 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoSink.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoSink.cc @@ -111,26 +111,6 @@ static void _call_f_subtitleText_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QVideoSink::subtitleTextChanged(const QString &subtitleText) - - -static void _init_f_subtitleTextChanged_c2025 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("subtitleText"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_subtitleTextChanged_c2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QVideoSink *)cls)->subtitleTextChanged (arg1); -} - - // QVideoFrame QVideoSink::videoFrame() @@ -146,26 +126,6 @@ static void _call_f_videoFrame_c0 (const qt_gsi::GenericMethod * /*decl*/, void } -// void QVideoSink::videoFrameChanged(const QVideoFrame &frame) - - -static void _init_f_videoFrameChanged_c2388 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("frame"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_videoFrameChanged_c2388 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QVideoFrame &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QVideoSink *)cls)->videoFrameChanged (arg1); -} - - // QSize QVideoSink::videoSize() @@ -181,22 +141,6 @@ static void _call_f_videoSize_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QVideoSink::videoSizeChanged() - - -static void _init_f_videoSizeChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_videoSizeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QVideoSink *)cls)->videoSizeChanged (); -} - - // static QString QVideoSink::tr(const char *s, const char *c, int n) @@ -228,14 +172,16 @@ namespace gsi static gsi::Methods methods_QVideoSink () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("setSubtitleText", "@brief Method void QVideoSink::setSubtitleText(const QString &subtitle)\n", false, &_init_f_setSubtitleText_2025, &_call_f_setSubtitleText_2025); - methods += new qt_gsi::GenericMethod ("setVideoFrame", "@brief Method void QVideoSink::setVideoFrame(const QVideoFrame &frame)\n", false, &_init_f_setVideoFrame_2388, &_call_f_setVideoFrame_2388); - methods += new qt_gsi::GenericMethod ("subtitleText", "@brief Method QString QVideoSink::subtitleText()\n", true, &_init_f_subtitleText_c0, &_call_f_subtitleText_c0); - methods += new qt_gsi::GenericMethod ("subtitleTextChanged", "@brief Method void QVideoSink::subtitleTextChanged(const QString &subtitleText)\n", true, &_init_f_subtitleTextChanged_c2025, &_call_f_subtitleTextChanged_c2025); - methods += new qt_gsi::GenericMethod ("videoFrame", "@brief Method QVideoFrame QVideoSink::videoFrame()\n", true, &_init_f_videoFrame_c0, &_call_f_videoFrame_c0); - methods += new qt_gsi::GenericMethod ("videoFrameChanged", "@brief Method void QVideoSink::videoFrameChanged(const QVideoFrame &frame)\n", true, &_init_f_videoFrameChanged_c2388, &_call_f_videoFrameChanged_c2388); - methods += new qt_gsi::GenericMethod ("videoSize", "@brief Method QSize QVideoSink::videoSize()\n", true, &_init_f_videoSize_c0, &_call_f_videoSize_c0); - methods += new qt_gsi::GenericMethod ("videoSizeChanged", "@brief Method void QVideoSink::videoSizeChanged()\n", false, &_init_f_videoSizeChanged_0, &_call_f_videoSizeChanged_0); + methods += new qt_gsi::GenericMethod ("setSubtitleText|subtitleText=", "@brief Method void QVideoSink::setSubtitleText(const QString &subtitle)\n", false, &_init_f_setSubtitleText_2025, &_call_f_setSubtitleText_2025); + methods += new qt_gsi::GenericMethod ("setVideoFrame|videoFrame=", "@brief Method void QVideoSink::setVideoFrame(const QVideoFrame &frame)\n", false, &_init_f_setVideoFrame_2388, &_call_f_setVideoFrame_2388); + methods += new qt_gsi::GenericMethod (":subtitleText", "@brief Method QString QVideoSink::subtitleText()\n", true, &_init_f_subtitleText_c0, &_call_f_subtitleText_c0); + methods += new qt_gsi::GenericMethod (":videoFrame", "@brief Method QVideoFrame QVideoSink::videoFrame()\n", true, &_init_f_videoFrame_c0, &_call_f_videoFrame_c0); + methods += new qt_gsi::GenericMethod (":videoSize", "@brief Method QSize QVideoSink::videoSize()\n", true, &_init_f_videoSize_c0, &_call_f_videoSize_c0); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QVideoSink::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QVideoSink::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("subtitleTextChanged(const QString &)", "subtitleTextChanged", gsi::arg("subtitleText"), "@brief Signal declaration for QVideoSink::subtitleTextChanged(const QString &subtitleText)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("videoFrameChanged(const QVideoFrame &)", "videoFrameChanged", gsi::arg("frame"), "@brief Signal declaration for QVideoSink::videoFrameChanged(const QVideoFrame &frame)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("videoSizeChanged()", "videoSizeChanged", "@brief Signal declaration for QVideoSink::videoSizeChanged()\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QVideoSink::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -289,6 +235,12 @@ class QVideoSink_Adaptor : public QVideoSink, public qt_gsi::QtObjectBase return QVideoSink::senderSignalIndex(); } + // [emitter impl] void QVideoSink::destroyed(QObject *) + void emitter_QVideoSink_destroyed_1302(QObject *arg1) + { + emit QVideoSink::destroyed(arg1); + } + // [adaptor impl] bool QVideoSink::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -319,6 +271,31 @@ class QVideoSink_Adaptor : public QVideoSink, public qt_gsi::QtObjectBase } } + // [emitter impl] void QVideoSink::objectNameChanged(const QString &objectName) + void emitter_QVideoSink_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QVideoSink::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QVideoSink::subtitleTextChanged(const QString &subtitleText) + void emitter_QVideoSink_subtitleTextChanged_c2025(const QString &subtitleText) + { + emit QVideoSink::subtitleTextChanged(subtitleText); + } + + // [emitter impl] void QVideoSink::videoFrameChanged(const QVideoFrame &frame) + void emitter_QVideoSink_videoFrameChanged_c2388(const QVideoFrame &frame) + { + emit QVideoSink::videoFrameChanged(frame); + } + + // [emitter impl] void QVideoSink::videoSizeChanged() + void emitter_QVideoSink_videoSizeChanged_0() + { + emit QVideoSink::videoSizeChanged(); + } + // [adaptor impl] void QVideoSink::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -455,6 +432,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QVideoSink::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QVideoSink_Adaptor *)cls)->emitter_QVideoSink_destroyed_1302 (arg1); +} + + // void QVideoSink::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -546,6 +541,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QVideoSink::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QVideoSink_Adaptor *)cls)->emitter_QVideoSink_objectNameChanged_4567 (arg1); +} + + // exposed int QVideoSink::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -592,6 +605,24 @@ static void _call_fp_senderSignalIndex_c0 (const qt_gsi::GenericMethod * /*decl* } +// emitter void QVideoSink::subtitleTextChanged(const QString &subtitleText) + +static void _init_emitter_subtitleTextChanged_c2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("subtitleText"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_subtitleTextChanged_c2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QVideoSink_Adaptor *)cls)->emitter_QVideoSink_subtitleTextChanged_c2025 (arg1); +} + + // void QVideoSink::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -616,6 +647,38 @@ static void _set_callback_cbs_timerEvent_1730_0 (void *cls, const gsi::Callback } +// emitter void QVideoSink::videoFrameChanged(const QVideoFrame &frame) + +static void _init_emitter_videoFrameChanged_c2388 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("frame"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_videoFrameChanged_c2388 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QVideoFrame &arg1 = gsi::arg_reader() (args, heap); + ((QVideoSink_Adaptor *)cls)->emitter_QVideoSink_videoFrameChanged_c2388 (arg1); +} + + +// emitter void QVideoSink::videoSizeChanged() + +static void _init_emitter_videoSizeChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_videoSizeChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QVideoSink_Adaptor *)cls)->emitter_QVideoSink_videoSizeChanged_0 (); +} + + namespace gsi { @@ -628,6 +691,7 @@ static gsi::Methods methods_QVideoSink_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QVideoSink::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QVideoSink::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QVideoSink::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QVideoSink::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -635,11 +699,15 @@ static gsi::Methods methods_QVideoSink_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QVideoSink::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QVideoSink::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QVideoSink::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QVideoSink::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QVideoSink::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QVideoSink::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); + methods += new qt_gsi::GenericMethod ("emit_subtitleTextChanged", "@brief Emitter for signal void QVideoSink::subtitleTextChanged(const QString &subtitleText)\nCall this method to emit this signal.", true, &_init_emitter_subtitleTextChanged_c2025, &_call_emitter_subtitleTextChanged_c2025); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QVideoSink::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); + methods += new qt_gsi::GenericMethod ("emit_videoFrameChanged", "@brief Emitter for signal void QVideoSink::videoFrameChanged(const QVideoFrame &frame)\nCall this method to emit this signal.", true, &_init_emitter_videoFrameChanged_c2388, &_call_emitter_videoFrameChanged_c2388); + methods += new qt_gsi::GenericMethod ("emit_videoSizeChanged", "@brief Emitter for signal void QVideoSink::videoSizeChanged()\nCall this method to emit this signal.", false, &_init_emitter_videoSizeChanged_0, &_call_emitter_videoSizeChanged_0); return methods; } diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQAbstractSocket.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQAbstractSocket.cc index 86da51dba1..ffc37f3616 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQAbstractSocket.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQAbstractSocket.cc @@ -272,26 +272,6 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QAbstractSocket::errorOccurred(QAbstractSocket::SocketError) - - -static void _init_f_errorOccurred_3209 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_errorOccurred_3209 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QAbstractSocket *)cls)->errorOccurred (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // bool QAbstractSocket::flush() @@ -799,7 +779,6 @@ static gsi::Methods methods_QAbstractSocket () { methods += new qt_gsi::GenericMethod ("connectToHost", "@brief Method void QAbstractSocket::connectToHost(const QHostAddress &address, quint16 port, QFlags mode)\n", false, &_init_f_connectToHost_7023, &_call_f_connectToHost_7023); methods += new qt_gsi::GenericMethod ("disconnectFromHost", "@brief Method void QAbstractSocket::disconnectFromHost()\n", false, &_init_f_disconnectFromHost_0, &_call_f_disconnectFromHost_0); methods += new qt_gsi::GenericMethod ("error", "@brief Method QAbstractSocket::SocketError QAbstractSocket::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("errorOccurred", "@brief Method void QAbstractSocket::errorOccurred(QAbstractSocket::SocketError)\n", false, &_init_f_errorOccurred_3209, &_call_f_errorOccurred_3209); methods += new qt_gsi::GenericMethod ("flush", "@brief Method bool QAbstractSocket::flush()\n", false, &_init_f_flush_0, &_call_f_flush_0); methods += new qt_gsi::GenericMethod ("isSequential?", "@brief Method bool QAbstractSocket::isSequential()\nThis is a reimplementation of QIODevice::isSequential", true, &_init_f_isSequential_c0, &_call_f_isSequential_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QAbstractSocket::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); @@ -809,12 +788,12 @@ static gsi::Methods methods_QAbstractSocket () { methods += new qt_gsi::GenericMethod ("peerAddress", "@brief Method QHostAddress QAbstractSocket::peerAddress()\n", true, &_init_f_peerAddress_c0, &_call_f_peerAddress_c0); methods += new qt_gsi::GenericMethod ("peerName", "@brief Method QString QAbstractSocket::peerName()\n", true, &_init_f_peerName_c0, &_call_f_peerName_c0); methods += new qt_gsi::GenericMethod ("peerPort", "@brief Method quint16 QAbstractSocket::peerPort()\n", true, &_init_f_peerPort_c0, &_call_f_peerPort_c0); - methods += new qt_gsi::GenericMethod ("protocolTag", "@brief Method QString QAbstractSocket::protocolTag()\n", true, &_init_f_protocolTag_c0, &_call_f_protocolTag_c0); + methods += new qt_gsi::GenericMethod (":protocolTag", "@brief Method QString QAbstractSocket::protocolTag()\n", true, &_init_f_protocolTag_c0, &_call_f_protocolTag_c0); methods += new qt_gsi::GenericMethod (":proxy", "@brief Method QNetworkProxy QAbstractSocket::proxy()\n", true, &_init_f_proxy_c0, &_call_f_proxy_c0); methods += new qt_gsi::GenericMethod (":readBufferSize", "@brief Method qint64 QAbstractSocket::readBufferSize()\n", true, &_init_f_readBufferSize_c0, &_call_f_readBufferSize_c0); methods += new qt_gsi::GenericMethod ("resume", "@brief Method void QAbstractSocket::resume()\n", false, &_init_f_resume_0, &_call_f_resume_0); methods += new qt_gsi::GenericMethod ("setPauseMode|pauseMode=", "@brief Method void QAbstractSocket::setPauseMode(QFlags pauseMode)\n", false, &_init_f_setPauseMode_3665, &_call_f_setPauseMode_3665); - methods += new qt_gsi::GenericMethod ("setProtocolTag", "@brief Method void QAbstractSocket::setProtocolTag(const QString &tag)\n", false, &_init_f_setProtocolTag_2025, &_call_f_setProtocolTag_2025); + methods += new qt_gsi::GenericMethod ("setProtocolTag|protocolTag=", "@brief Method void QAbstractSocket::setProtocolTag(const QString &tag)\n", false, &_init_f_setProtocolTag_2025, &_call_f_setProtocolTag_2025); methods += new qt_gsi::GenericMethod ("setProxy|proxy=", "@brief Method void QAbstractSocket::setProxy(const QNetworkProxy &networkProxy)\n", false, &_init_f_setProxy_2686, &_call_f_setProxy_2686); methods += new qt_gsi::GenericMethod ("setReadBufferSize|readBufferSize=", "@brief Method void QAbstractSocket::setReadBufferSize(qint64 size)\n", false, &_init_f_setReadBufferSize_986, &_call_f_setReadBufferSize_986); methods += new qt_gsi::GenericMethod ("setSocketDescriptor", "@brief Method bool QAbstractSocket::setSocketDescriptor(QIntegerForSizeof::Signed socketDescriptor, QAbstractSocket::SocketState state, QFlags openMode)\n", false, &_init_f_setSocketDescriptor_10219, &_call_f_setSocketDescriptor_10219); @@ -834,6 +813,7 @@ static gsi::Methods methods_QAbstractSocket () { methods += gsi::qt_signal ("connected()", "connected", "@brief Signal declaration for QAbstractSocket::connected()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAbstractSocket::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("disconnected()", "disconnected", "@brief Signal declaration for QAbstractSocket::disconnected()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("errorOccurred(QAbstractSocket::SocketError)", "errorOccurred", gsi::arg("arg1"), "@brief Signal declaration for QAbstractSocket::errorOccurred(QAbstractSocket::SocketError)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("hostFound()", "hostFound", "@brief Signal declaration for QAbstractSocket::hostFound()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAbstractSocket::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("proxyAuthenticationRequired(const QNetworkProxy &, QAuthenticator *)", "proxyAuthenticationRequired", gsi::arg("proxy"), gsi::arg("authenticator"), "@brief Signal declaration for QAbstractSocket::proxyAuthenticationRequired(const QNetworkProxy &proxy, QAuthenticator *authenticator)\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQDtls.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQDtls.cc index d863ebc944..01ea497d06 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQDtls.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQDtls.cc @@ -217,22 +217,6 @@ static void _call_f_handshakeState_c0 (const qt_gsi::GenericMethod * /*decl*/, v } -// void QDtls::handshakeTimeout() - - -static void _init_f_handshakeTimeout_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_handshakeTimeout_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QDtls *)cls)->handshakeTimeout (); -} - - // void QDtls::ignoreVerificationErrors(const QList &errorsToIgnore) @@ -343,26 +327,6 @@ static void _call_f_peerVerificationName_c0 (const qt_gsi::GenericMethod * /*dec } -// void QDtls::pskRequired(QSslPreSharedKeyAuthenticator *authenticator) - - -static void _init_f_pskRequired_3571 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("authenticator"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_pskRequired_3571 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QSslPreSharedKeyAuthenticator *arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QDtls *)cls)->pskRequired (arg1); -} - - // bool QDtls::resumeHandshake(QUdpSocket *socket) @@ -610,26 +574,28 @@ static gsi::Methods methods_QDtls () { methods += new qt_gsi::GenericMethod ("dtlsErrorString", "@brief Method QString QDtls::dtlsErrorString()\n", true, &_init_f_dtlsErrorString_c0, &_call_f_dtlsErrorString_c0); methods += new qt_gsi::GenericMethod ("handleTimeout", "@brief Method bool QDtls::handleTimeout(QUdpSocket *socket)\n", false, &_init_f_handleTimeout_1617, &_call_f_handleTimeout_1617); methods += new qt_gsi::GenericMethod ("handshakeState", "@brief Method QDtls::HandshakeState QDtls::handshakeState()\n", true, &_init_f_handshakeState_c0, &_call_f_handshakeState_c0); - methods += new qt_gsi::GenericMethod ("handshakeTimeout", "@brief Method void QDtls::handshakeTimeout()\n", false, &_init_f_handshakeTimeout_0, &_call_f_handshakeTimeout_0); methods += new qt_gsi::GenericMethod ("ignoreVerificationErrors", "@brief Method void QDtls::ignoreVerificationErrors(const QList &errorsToIgnore)\n", false, &_init_f_ignoreVerificationErrors_2837, &_call_f_ignoreVerificationErrors_2837); methods += new qt_gsi::GenericMethod ("isConnectionEncrypted?", "@brief Method bool QDtls::isConnectionEncrypted()\n", true, &_init_f_isConnectionEncrypted_c0, &_call_f_isConnectionEncrypted_c0); - methods += new qt_gsi::GenericMethod ("mtuHint", "@brief Method quint16 QDtls::mtuHint()\n", true, &_init_f_mtuHint_c0, &_call_f_mtuHint_c0); + methods += new qt_gsi::GenericMethod (":mtuHint", "@brief Method quint16 QDtls::mtuHint()\n", true, &_init_f_mtuHint_c0, &_call_f_mtuHint_c0); methods += new qt_gsi::GenericMethod ("peerAddress", "@brief Method QHostAddress QDtls::peerAddress()\n", true, &_init_f_peerAddress_c0, &_call_f_peerAddress_c0); methods += new qt_gsi::GenericMethod ("peerPort", "@brief Method quint16 QDtls::peerPort()\n", true, &_init_f_peerPort_c0, &_call_f_peerPort_c0); methods += new qt_gsi::GenericMethod ("peerVerificationErrors", "@brief Method QList QDtls::peerVerificationErrors()\n", true, &_init_f_peerVerificationErrors_c0, &_call_f_peerVerificationErrors_c0); methods += new qt_gsi::GenericMethod ("peerVerificationName", "@brief Method QString QDtls::peerVerificationName()\n", true, &_init_f_peerVerificationName_c0, &_call_f_peerVerificationName_c0); - methods += new qt_gsi::GenericMethod ("pskRequired", "@brief Method void QDtls::pskRequired(QSslPreSharedKeyAuthenticator *authenticator)\n", false, &_init_f_pskRequired_3571, &_call_f_pskRequired_3571); methods += new qt_gsi::GenericMethod ("resumeHandshake", "@brief Method bool QDtls::resumeHandshake(QUdpSocket *socket)\n", false, &_init_f_resumeHandshake_1617, &_call_f_resumeHandshake_1617); methods += new qt_gsi::GenericMethod ("sessionCipher", "@brief Method QSslCipher QDtls::sessionCipher()\n", true, &_init_f_sessionCipher_c0, &_call_f_sessionCipher_c0); methods += new qt_gsi::GenericMethod ("sessionProtocol", "@brief Method QSsl::SslProtocol QDtls::sessionProtocol()\n", true, &_init_f_sessionProtocol_c0, &_call_f_sessionProtocol_c0); methods += new qt_gsi::GenericMethod ("setCookieGeneratorParameters", "@brief Method bool QDtls::setCookieGeneratorParameters(const QDtls::GeneratorParameters ¶ms)\n", false, &_init_f_setCookieGeneratorParameters_3896, &_call_f_setCookieGeneratorParameters_3896); methods += new qt_gsi::GenericMethod ("setDtlsConfiguration", "@brief Method bool QDtls::setDtlsConfiguration(const QSslConfiguration &configuration)\n", false, &_init_f_setDtlsConfiguration_3068, &_call_f_setDtlsConfiguration_3068); - methods += new qt_gsi::GenericMethod ("setMtuHint", "@brief Method void QDtls::setMtuHint(quint16 mtuHint)\n", false, &_init_f_setMtuHint_1100, &_call_f_setMtuHint_1100); + methods += new qt_gsi::GenericMethod ("setMtuHint|mtuHint=", "@brief Method void QDtls::setMtuHint(quint16 mtuHint)\n", false, &_init_f_setMtuHint_1100, &_call_f_setMtuHint_1100); methods += new qt_gsi::GenericMethod ("setPeer", "@brief Method bool QDtls::setPeer(const QHostAddress &address, quint16 port, const QString &verificationName)\n", false, &_init_f_setPeer_5427, &_call_f_setPeer_5427); methods += new qt_gsi::GenericMethod ("setPeerVerificationName", "@brief Method bool QDtls::setPeerVerificationName(const QString &name)\n", false, &_init_f_setPeerVerificationName_2025, &_call_f_setPeerVerificationName_2025); methods += new qt_gsi::GenericMethod ("shutdown", "@brief Method bool QDtls::shutdown(QUdpSocket *socket)\n", false, &_init_f_shutdown_1617, &_call_f_shutdown_1617); methods += new qt_gsi::GenericMethod ("sslMode", "@brief Method QSslSocket::SslMode QDtls::sslMode()\n", true, &_init_f_sslMode_c0, &_call_f_sslMode_c0); methods += new qt_gsi::GenericMethod ("writeDatagramEncrypted", "@brief Method qint64 QDtls::writeDatagramEncrypted(QUdpSocket *socket, const QByteArray &dgram)\n", false, &_init_f_writeDatagramEncrypted_3818, &_call_f_writeDatagramEncrypted_3818); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QDtls::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("handshakeTimeout()", "handshakeTimeout", "@brief Signal declaration for QDtls::handshakeTimeout()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QDtls::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("pskRequired(QSslPreSharedKeyAuthenticator *)", "pskRequired", gsi::arg("authenticator"), "@brief Signal declaration for QDtls::pskRequired(QSslPreSharedKeyAuthenticator *authenticator)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QDtls::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -683,6 +649,12 @@ class QDtls_Adaptor : public QDtls, public qt_gsi::QtObjectBase return QDtls::senderSignalIndex(); } + // [emitter impl] void QDtls::destroyed(QObject *) + void emitter_QDtls_destroyed_1302(QObject *arg1) + { + emit QDtls::destroyed(arg1); + } + // [adaptor impl] bool QDtls::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -713,6 +685,25 @@ class QDtls_Adaptor : public QDtls, public qt_gsi::QtObjectBase } } + // [emitter impl] void QDtls::handshakeTimeout() + void emitter_QDtls_handshakeTimeout_0() + { + emit QDtls::handshakeTimeout(); + } + + // [emitter impl] void QDtls::objectNameChanged(const QString &objectName) + void emitter_QDtls_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QDtls::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QDtls::pskRequired(QSslPreSharedKeyAuthenticator *authenticator) + void emitter_QDtls_pskRequired_3571(QSslPreSharedKeyAuthenticator *authenticator) + { + emit QDtls::pskRequired(authenticator); + } + // [adaptor impl] void QDtls::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -852,6 +843,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QDtls::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QDtls_Adaptor *)cls)->emitter_QDtls_destroyed_1302 (arg1); +} + + // void QDtls::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -925,6 +934,20 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } +// emitter void QDtls::handshakeTimeout() + +static void _init_emitter_handshakeTimeout_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_handshakeTimeout_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QDtls_Adaptor *)cls)->emitter_QDtls_handshakeTimeout_0 (); +} + + // exposed bool QDtls::isSignalConnected(const QMetaMethod &signal) static void _init_fp_isSignalConnected_c2394 (qt_gsi::GenericMethod *decl) @@ -943,6 +966,42 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QDtls::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QDtls_Adaptor *)cls)->emitter_QDtls_objectNameChanged_4567 (arg1); +} + + +// emitter void QDtls::pskRequired(QSslPreSharedKeyAuthenticator *authenticator) + +static void _init_emitter_pskRequired_3571 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("authenticator"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_pskRequired_3571 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QSslPreSharedKeyAuthenticator *arg1 = gsi::arg_reader() (args, heap); + ((QDtls_Adaptor *)cls)->emitter_QDtls_pskRequired_3571 (arg1); +} + + // exposed int QDtls::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -1025,13 +1084,17 @@ static gsi::Methods methods_QDtls_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDtls::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDtls::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDtls::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QDtls::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDtls::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("emit_handshakeTimeout", "@brief Emitter for signal void QDtls::handshakeTimeout()\nCall this method to emit this signal.", false, &_init_emitter_handshakeTimeout_0, &_call_emitter_handshakeTimeout_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QDtls::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QDtls::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); + methods += new qt_gsi::GenericMethod ("emit_pskRequired", "@brief Emitter for signal void QDtls::pskRequired(QSslPreSharedKeyAuthenticator *authenticator)\nCall this method to emit this signal.", false, &_init_emitter_pskRequired_3571, &_call_emitter_pskRequired_3571); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QDtls::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QDtls::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QDtls::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQDtlsClientVerifier.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQDtlsClientVerifier.cc index 8e04882b12..d466c28775 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQDtlsClientVerifier.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQDtlsClientVerifier.cc @@ -200,6 +200,8 @@ static gsi::Methods methods_QDtlsClientVerifier () { methods += new qt_gsi::GenericMethod ("setCookieGeneratorParameters", "@brief Method bool QDtlsClientVerifier::setCookieGeneratorParameters(const QDtlsClientVerifier::GeneratorParameters ¶ms)\n", false, &_init_f_setCookieGeneratorParameters_5331, &_call_f_setCookieGeneratorParameters_5331); methods += new qt_gsi::GenericMethod ("verifiedHello", "@brief Method QByteArray QDtlsClientVerifier::verifiedHello()\n", true, &_init_f_verifiedHello_c0, &_call_f_verifiedHello_c0); methods += new qt_gsi::GenericMethod ("verifyClient", "@brief Method bool QDtlsClientVerifier::verifyClient(QUdpSocket *socket, const QByteArray &dgram, const QHostAddress &address, quint16 port)\n", false, &_init_f_verifyClient_7220, &_call_f_verifyClient_7220); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QDtlsClientVerifier::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QDtlsClientVerifier::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QDtlsClientVerifier::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -253,6 +255,12 @@ class QDtlsClientVerifier_Adaptor : public QDtlsClientVerifier, public qt_gsi::Q return QDtlsClientVerifier::senderSignalIndex(); } + // [emitter impl] void QDtlsClientVerifier::destroyed(QObject *) + void emitter_QDtlsClientVerifier_destroyed_1302(QObject *arg1) + { + emit QDtlsClientVerifier::destroyed(arg1); + } + // [adaptor impl] bool QDtlsClientVerifier::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -283,6 +291,13 @@ class QDtlsClientVerifier_Adaptor : public QDtlsClientVerifier, public qt_gsi::Q } } + // [emitter impl] void QDtlsClientVerifier::objectNameChanged(const QString &objectName) + void emitter_QDtlsClientVerifier_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QDtlsClientVerifier::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QDtlsClientVerifier::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -419,6 +434,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QDtlsClientVerifier::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QDtlsClientVerifier_Adaptor *)cls)->emitter_QDtlsClientVerifier_destroyed_1302 (arg1); +} + + // void QDtlsClientVerifier::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -510,6 +543,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QDtlsClientVerifier::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QDtlsClientVerifier_Adaptor *)cls)->emitter_QDtlsClientVerifier_objectNameChanged_4567 (arg1); +} + + // exposed int QDtlsClientVerifier::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -592,6 +643,7 @@ static gsi::Methods methods_QDtlsClientVerifier_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QDtlsClientVerifier::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QDtlsClientVerifier::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QDtlsClientVerifier::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QDtlsClientVerifier::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -599,6 +651,7 @@ static gsi::Methods methods_QDtlsClientVerifier_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QDtlsClientVerifier::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QDtlsClientVerifier::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QDtlsClientVerifier::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QDtlsClientVerifier::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QDtlsClientVerifier::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QDtlsClientVerifier::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQHstsPolicy.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQHstsPolicy.cc index 619cc4ac09..ed9cc5f524 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQHstsPolicy.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQHstsPolicy.cc @@ -273,14 +273,14 @@ static gsi::Methods methods_QHstsPolicy () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QHstsPolicy::QHstsPolicy()\nThis method creates an object of class QHstsPolicy.", &_init_ctor_QHstsPolicy_0, &_call_ctor_QHstsPolicy_0); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QHstsPolicy::QHstsPolicy(const QDateTime &expiry, QFlags flags, const QString &host, QUrl::ParsingMode mode)\nThis method creates an object of class QHstsPolicy.", &_init_ctor_QHstsPolicy_9302, &_call_ctor_QHstsPolicy_9302); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QHstsPolicy::QHstsPolicy(const QHstsPolicy &rhs)\nThis method creates an object of class QHstsPolicy.", &_init_ctor_QHstsPolicy_2436, &_call_ctor_QHstsPolicy_2436); - methods += new qt_gsi::GenericMethod ("expiry", "@brief Method QDateTime QHstsPolicy::expiry()\n", true, &_init_f_expiry_c0, &_call_f_expiry_c0); + methods += new qt_gsi::GenericMethod (":expiry", "@brief Method QDateTime QHstsPolicy::expiry()\n", true, &_init_f_expiry_c0, &_call_f_expiry_c0); methods += new qt_gsi::GenericMethod ("host", "@brief Method QString QHstsPolicy::host(QFlags options)\n", true, &_init_f_host_c4267, &_call_f_host_c4267); - methods += new qt_gsi::GenericMethod ("includesSubDomains", "@brief Method bool QHstsPolicy::includesSubDomains()\n", true, &_init_f_includesSubDomains_c0, &_call_f_includesSubDomains_c0); + methods += new qt_gsi::GenericMethod (":includesSubDomains", "@brief Method bool QHstsPolicy::includesSubDomains()\n", true, &_init_f_includesSubDomains_c0, &_call_f_includesSubDomains_c0); methods += new qt_gsi::GenericMethod ("isExpired?", "@brief Method bool QHstsPolicy::isExpired()\n", true, &_init_f_isExpired_c0, &_call_f_isExpired_c0); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QHstsPolicy &QHstsPolicy::operator=(const QHstsPolicy &rhs)\n", false, &_init_f_operator_eq__2436, &_call_f_operator_eq__2436); - methods += new qt_gsi::GenericMethod ("setExpiry", "@brief Method void QHstsPolicy::setExpiry(const QDateTime &expiry)\n", false, &_init_f_setExpiry_2175, &_call_f_setExpiry_2175); + methods += new qt_gsi::GenericMethod ("setExpiry|expiry=", "@brief Method void QHstsPolicy::setExpiry(const QDateTime &expiry)\n", false, &_init_f_setExpiry_2175, &_call_f_setExpiry_2175); methods += new qt_gsi::GenericMethod ("setHost", "@brief Method void QHstsPolicy::setHost(const QString &host, QUrl::ParsingMode mode)\n", false, &_init_f_setHost_3970, &_call_f_setHost_3970); - methods += new qt_gsi::GenericMethod ("setIncludesSubDomains", "@brief Method void QHstsPolicy::setIncludesSubDomains(bool include)\n", false, &_init_f_setIncludesSubDomains_864, &_call_f_setIncludesSubDomains_864); + methods += new qt_gsi::GenericMethod ("setIncludesSubDomains|includesSubDomains=", "@brief Method void QHstsPolicy::setIncludesSubDomains(bool include)\n", false, &_init_f_setIncludesSubDomains_864, &_call_f_setIncludesSubDomains_864); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QHstsPolicy::swap(QHstsPolicy &other)\n", false, &_init_f_swap_1741, &_call_f_swap_1741); return methods; } diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQHttp2Configuration.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQHttp2Configuration.cc index 67b8eefd12..717ca89516 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQHttp2Configuration.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQHttp2Configuration.cc @@ -288,14 +288,14 @@ static gsi::Methods methods_QHttp2Configuration () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QHttp2Configuration::QHttp2Configuration()\nThis method creates an object of class QHttp2Configuration.", &_init_ctor_QHttp2Configuration_0, &_call_ctor_QHttp2Configuration_0); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QHttp2Configuration::QHttp2Configuration(const QHttp2Configuration &other)\nThis method creates an object of class QHttp2Configuration.", &_init_ctor_QHttp2Configuration_3228, &_call_ctor_QHttp2Configuration_3228); - methods += new qt_gsi::GenericMethod ("huffmanCompressionEnabled", "@brief Method bool QHttp2Configuration::huffmanCompressionEnabled()\n", true, &_init_f_huffmanCompressionEnabled_c0, &_call_f_huffmanCompressionEnabled_c0); + methods += new qt_gsi::GenericMethod (":huffmanCompressionEnabled", "@brief Method bool QHttp2Configuration::huffmanCompressionEnabled()\n", true, &_init_f_huffmanCompressionEnabled_c0, &_call_f_huffmanCompressionEnabled_c0); methods += new qt_gsi::GenericMethod ("maxFrameSize", "@brief Method unsigned int QHttp2Configuration::maxFrameSize()\n", true, &_init_f_maxFrameSize_c0, &_call_f_maxFrameSize_c0); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QHttp2Configuration &QHttp2Configuration::operator =(const QHttp2Configuration &other)\n", false, &_init_f_operator_eq__3228, &_call_f_operator_eq__3228); - methods += new qt_gsi::GenericMethod ("serverPushEnabled", "@brief Method bool QHttp2Configuration::serverPushEnabled()\n", true, &_init_f_serverPushEnabled_c0, &_call_f_serverPushEnabled_c0); + methods += new qt_gsi::GenericMethod (":serverPushEnabled", "@brief Method bool QHttp2Configuration::serverPushEnabled()\n", true, &_init_f_serverPushEnabled_c0, &_call_f_serverPushEnabled_c0); methods += new qt_gsi::GenericMethod ("sessionReceiveWindowSize", "@brief Method unsigned int QHttp2Configuration::sessionReceiveWindowSize()\n", true, &_init_f_sessionReceiveWindowSize_c0, &_call_f_sessionReceiveWindowSize_c0); - methods += new qt_gsi::GenericMethod ("setHuffmanCompressionEnabled", "@brief Method void QHttp2Configuration::setHuffmanCompressionEnabled(bool enable)\n", false, &_init_f_setHuffmanCompressionEnabled_864, &_call_f_setHuffmanCompressionEnabled_864); + methods += new qt_gsi::GenericMethod ("setHuffmanCompressionEnabled|huffmanCompressionEnabled=", "@brief Method void QHttp2Configuration::setHuffmanCompressionEnabled(bool enable)\n", false, &_init_f_setHuffmanCompressionEnabled_864, &_call_f_setHuffmanCompressionEnabled_864); methods += new qt_gsi::GenericMethod ("setMaxFrameSize", "@brief Method bool QHttp2Configuration::setMaxFrameSize(unsigned int size)\n", false, &_init_f_setMaxFrameSize_1772, &_call_f_setMaxFrameSize_1772); - methods += new qt_gsi::GenericMethod ("setServerPushEnabled", "@brief Method void QHttp2Configuration::setServerPushEnabled(bool enable)\n", false, &_init_f_setServerPushEnabled_864, &_call_f_setServerPushEnabled_864); + methods += new qt_gsi::GenericMethod ("setServerPushEnabled|serverPushEnabled=", "@brief Method void QHttp2Configuration::setServerPushEnabled(bool enable)\n", false, &_init_f_setServerPushEnabled_864, &_call_f_setServerPushEnabled_864); methods += new qt_gsi::GenericMethod ("setSessionReceiveWindowSize", "@brief Method bool QHttp2Configuration::setSessionReceiveWindowSize(unsigned int size)\n", false, &_init_f_setSessionReceiveWindowSize_1772, &_call_f_setSessionReceiveWindowSize_1772); methods += new qt_gsi::GenericMethod ("setStreamReceiveWindowSize", "@brief Method bool QHttp2Configuration::setStreamReceiveWindowSize(unsigned int size)\n", false, &_init_f_setStreamReceiveWindowSize_1772, &_call_f_setStreamReceiveWindowSize_1772); methods += new qt_gsi::GenericMethod ("streamReceiveWindowSize", "@brief Method unsigned int QHttp2Configuration::streamReceiveWindowSize()\n", true, &_init_f_streamReceiveWindowSize_c0, &_call_f_streamReceiveWindowSize_c0); diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQLocalSocket.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQLocalSocket.cc index 504d155440..8275814ee3 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQLocalSocket.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQLocalSocket.cc @@ -222,26 +222,6 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QLocalSocket::errorOccurred(QLocalSocket::LocalSocketError socketError) - - -static void _init_f_errorOccurred_3371 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("socketError"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_errorOccurred_3371 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QLocalSocket *)cls)->errorOccurred (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // bool QLocalSocket::flush() @@ -599,7 +579,6 @@ static gsi::Methods methods_QLocalSocket () { methods += new qt_gsi::GenericMethod ("connectToServer", "@brief Method void QLocalSocket::connectToServer(const QString &name, QFlags openMode)\n", false, &_init_f_connectToServer_5538, &_call_f_connectToServer_5538); methods += new qt_gsi::GenericMethod ("disconnectFromServer", "@brief Method void QLocalSocket::disconnectFromServer()\n", false, &_init_f_disconnectFromServer_0, &_call_f_disconnectFromServer_0); methods += new qt_gsi::GenericMethod ("error", "@brief Method QLocalSocket::LocalSocketError QLocalSocket::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("errorOccurred", "@brief Method void QLocalSocket::errorOccurred(QLocalSocket::LocalSocketError socketError)\n", false, &_init_f_errorOccurred_3371, &_call_f_errorOccurred_3371); methods += new qt_gsi::GenericMethod ("flush", "@brief Method bool QLocalSocket::flush()\n", false, &_init_f_flush_0, &_call_f_flush_0); methods += new qt_gsi::GenericMethod ("fullServerName", "@brief Method QString QLocalSocket::fullServerName()\n", true, &_init_f_fullServerName_c0, &_call_f_fullServerName_c0); methods += new qt_gsi::GenericMethod ("isSequential?", "@brief Method bool QLocalSocket::isSequential()\nThis is a reimplementation of QIODevice::isSequential", true, &_init_f_isSequential_c0, &_call_f_isSequential_c0); @@ -610,9 +589,9 @@ static gsi::Methods methods_QLocalSocket () { methods += new qt_gsi::GenericMethod ("setReadBufferSize|readBufferSize=", "@brief Method void QLocalSocket::setReadBufferSize(qint64 size)\n", false, &_init_f_setReadBufferSize_986, &_call_f_setReadBufferSize_986); methods += new qt_gsi::GenericMethod ("setServerName|serverName=", "@brief Method void QLocalSocket::setServerName(const QString &name)\n", false, &_init_f_setServerName_2025, &_call_f_setServerName_2025); methods += new qt_gsi::GenericMethod ("setSocketDescriptor", "@brief Method bool QLocalSocket::setSocketDescriptor(QIntegerForSizeof::Signed socketDescriptor, QLocalSocket::LocalSocketState socketState, QFlags openMode)\n", false, &_init_f_setSocketDescriptor_10381, &_call_f_setSocketDescriptor_10381); - methods += new qt_gsi::GenericMethod ("setSocketOptions", "@brief Method void QLocalSocket::setSocketOptions(QFlags option)\n", false, &_init_f_setSocketOptions_3687, &_call_f_setSocketOptions_3687); + methods += new qt_gsi::GenericMethod ("setSocketOptions|socketOptions=", "@brief Method void QLocalSocket::setSocketOptions(QFlags option)\n", false, &_init_f_setSocketOptions_3687, &_call_f_setSocketOptions_3687); methods += new qt_gsi::GenericMethod ("socketDescriptor", "@brief Method QIntegerForSizeof::Signed QLocalSocket::socketDescriptor()\n", true, &_init_f_socketDescriptor_c0, &_call_f_socketDescriptor_c0); - methods += new qt_gsi::GenericMethod ("socketOptions", "@brief Method QFlags QLocalSocket::socketOptions()\n", true, &_init_f_socketOptions_c0, &_call_f_socketOptions_c0); + methods += new qt_gsi::GenericMethod (":socketOptions", "@brief Method QFlags QLocalSocket::socketOptions()\n", true, &_init_f_socketOptions_c0, &_call_f_socketOptions_c0); methods += new qt_gsi::GenericMethod ("state", "@brief Method QLocalSocket::LocalSocketState QLocalSocket::state()\n", true, &_init_f_state_c0, &_call_f_state_c0); methods += new qt_gsi::GenericMethod ("waitForBytesWritten", "@brief Method bool QLocalSocket::waitForBytesWritten(int msecs)\nThis is a reimplementation of QIODevice::waitForBytesWritten", false, &_init_f_waitForBytesWritten_767, &_call_f_waitForBytesWritten_767); methods += new qt_gsi::GenericMethod ("waitForConnected", "@brief Method bool QLocalSocket::waitForConnected(int msecs)\n", false, &_init_f_waitForConnected_767, &_call_f_waitForConnected_767); @@ -625,6 +604,7 @@ static gsi::Methods methods_QLocalSocket () { methods += gsi::qt_signal ("connected()", "connected", "@brief Signal declaration for QLocalSocket::connected()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QLocalSocket::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("disconnected()", "disconnected", "@brief Signal declaration for QLocalSocket::disconnected()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("errorOccurred(QLocalSocket::LocalSocketError)", "errorOccurred", gsi::arg("socketError"), "@brief Signal declaration for QLocalSocket::errorOccurred(QLocalSocket::LocalSocketError socketError)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QLocalSocket::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("readChannelFinished()", "readChannelFinished", "@brief Signal declaration for QLocalSocket::readChannelFinished()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("readyRead()", "readyRead", "@brief Signal declaration for QLocalSocket::readyRead()\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAccessManager.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAccessManager.cc index 39669aac2b..36daa9e817 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAccessManager.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAccessManager.cc @@ -841,7 +841,7 @@ static gsi::Methods methods_QNetworkAccessManager () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("addStrictTransportSecurityHosts", "@brief Method void QNetworkAccessManager::addStrictTransportSecurityHosts(const QList &knownHosts)\n", false, &_init_f_addStrictTransportSecurityHosts_3051, &_call_f_addStrictTransportSecurityHosts_3051); - methods += new qt_gsi::GenericMethod ("autoDeleteReplies", "@brief Method bool QNetworkAccessManager::autoDeleteReplies()\n", true, &_init_f_autoDeleteReplies_c0, &_call_f_autoDeleteReplies_c0); + methods += new qt_gsi::GenericMethod (":autoDeleteReplies", "@brief Method bool QNetworkAccessManager::autoDeleteReplies()\n", true, &_init_f_autoDeleteReplies_c0, &_call_f_autoDeleteReplies_c0); methods += new qt_gsi::GenericMethod (":cache", "@brief Method QAbstractNetworkCache *QNetworkAccessManager::cache()\n", true, &_init_f_cache_c0, &_call_f_cache_c0); methods += new qt_gsi::GenericMethod ("clearAccessCache", "@brief Method void QNetworkAccessManager::clearAccessCache()\n", false, &_init_f_clearAccessCache_0, &_call_f_clearAccessCache_0); methods += new qt_gsi::GenericMethod ("clearConnectionCache", "@brief Method void QNetworkAccessManager::clearConnectionCache()\n", false, &_init_f_clearConnectionCache_0, &_call_f_clearConnectionCache_0); @@ -853,7 +853,7 @@ static gsi::Methods methods_QNetworkAccessManager () { methods += new qt_gsi::GenericMethod ("enableStrictTransportSecurityStore", "@brief Method void QNetworkAccessManager::enableStrictTransportSecurityStore(bool enabled, const QString &storeDir)\n", false, &_init_f_enableStrictTransportSecurityStore_2781, &_call_f_enableStrictTransportSecurityStore_2781); methods += new qt_gsi::GenericMethod ("get", "@brief Method QNetworkReply *QNetworkAccessManager::get(const QNetworkRequest &request)\n", false, &_init_f_get_2885, &_call_f_get_2885); methods += new qt_gsi::GenericMethod ("head", "@brief Method QNetworkReply *QNetworkAccessManager::head(const QNetworkRequest &request)\n", false, &_init_f_head_2885, &_call_f_head_2885); - methods += new qt_gsi::GenericMethod ("isStrictTransportSecurityEnabled?", "@brief Method bool QNetworkAccessManager::isStrictTransportSecurityEnabled()\n", true, &_init_f_isStrictTransportSecurityEnabled_c0, &_call_f_isStrictTransportSecurityEnabled_c0); + methods += new qt_gsi::GenericMethod ("isStrictTransportSecurityEnabled?|:strictTransportSecurityEnabled", "@brief Method bool QNetworkAccessManager::isStrictTransportSecurityEnabled()\n", true, &_init_f_isStrictTransportSecurityEnabled_c0, &_call_f_isStrictTransportSecurityEnabled_c0); methods += new qt_gsi::GenericMethod ("isStrictTransportSecurityStoreEnabled?", "@brief Method bool QNetworkAccessManager::isStrictTransportSecurityStoreEnabled()\n", true, &_init_f_isStrictTransportSecurityStoreEnabled_c0, &_call_f_isStrictTransportSecurityStoreEnabled_c0); methods += new qt_gsi::GenericMethod ("post", "@brief Method QNetworkReply *QNetworkAccessManager::post(const QNetworkRequest &request, QIODevice *data)\n", false, &_init_f_post_4224, &_call_f_post_4224); methods += new qt_gsi::GenericMethod ("post", "@brief Method QNetworkReply *QNetworkAccessManager::post(const QNetworkRequest &request, const QByteArray &data)\n", false, &_init_f_post_5086, &_call_f_post_5086); @@ -863,21 +863,21 @@ static gsi::Methods methods_QNetworkAccessManager () { methods += new qt_gsi::GenericMethod ("put", "@brief Method QNetworkReply *QNetworkAccessManager::put(const QNetworkRequest &request, QIODevice *data)\n", false, &_init_f_put_4224, &_call_f_put_4224); methods += new qt_gsi::GenericMethod ("put", "@brief Method QNetworkReply *QNetworkAccessManager::put(const QNetworkRequest &request, const QByteArray &data)\n", false, &_init_f_put_5086, &_call_f_put_5086); methods += new qt_gsi::GenericMethod ("put", "@brief Method QNetworkReply *QNetworkAccessManager::put(const QNetworkRequest &request, QHttpMultiPart *multiPart)\n", false, &_init_f_put_4826, &_call_f_put_4826); - methods += new qt_gsi::GenericMethod ("redirectPolicy", "@brief Method QNetworkRequest::RedirectPolicy QNetworkAccessManager::redirectPolicy()\n", true, &_init_f_redirectPolicy_c0, &_call_f_redirectPolicy_c0); + methods += new qt_gsi::GenericMethod (":redirectPolicy", "@brief Method QNetworkRequest::RedirectPolicy QNetworkAccessManager::redirectPolicy()\n", true, &_init_f_redirectPolicy_c0, &_call_f_redirectPolicy_c0); methods += new qt_gsi::GenericMethod ("sendCustomRequest", "@brief Method QNetworkReply *QNetworkAccessManager::sendCustomRequest(const QNetworkRequest &request, const QByteArray &verb, QIODevice *data)\n", false, &_init_f_sendCustomRequest_6425, &_call_f_sendCustomRequest_6425); methods += new qt_gsi::GenericMethod ("sendCustomRequest", "@brief Method QNetworkReply *QNetworkAccessManager::sendCustomRequest(const QNetworkRequest &request, const QByteArray &verb, const QByteArray &data)\n", false, &_init_f_sendCustomRequest_7287, &_call_f_sendCustomRequest_7287); methods += new qt_gsi::GenericMethod ("sendCustomRequest", "@brief Method QNetworkReply *QNetworkAccessManager::sendCustomRequest(const QNetworkRequest &request, const QByteArray &verb, QHttpMultiPart *multiPart)\n", false, &_init_f_sendCustomRequest_7027, &_call_f_sendCustomRequest_7027); - methods += new qt_gsi::GenericMethod ("setAutoDeleteReplies", "@brief Method void QNetworkAccessManager::setAutoDeleteReplies(bool autoDelete)\n", false, &_init_f_setAutoDeleteReplies_864, &_call_f_setAutoDeleteReplies_864); + methods += new qt_gsi::GenericMethod ("setAutoDeleteReplies|autoDeleteReplies=", "@brief Method void QNetworkAccessManager::setAutoDeleteReplies(bool autoDelete)\n", false, &_init_f_setAutoDeleteReplies_864, &_call_f_setAutoDeleteReplies_864); methods += new qt_gsi::GenericMethod ("setCache|cache=", "@brief Method void QNetworkAccessManager::setCache(QAbstractNetworkCache *cache)\n", false, &_init_f_setCache_2737, &_call_f_setCache_2737); methods += new qt_gsi::GenericMethod ("setCookieJar|cookieJar=", "@brief Method void QNetworkAccessManager::setCookieJar(QNetworkCookieJar *cookieJar)\n", false, &_init_f_setCookieJar_2336, &_call_f_setCookieJar_2336); methods += new qt_gsi::GenericMethod ("setProxy|proxy=", "@brief Method void QNetworkAccessManager::setProxy(const QNetworkProxy &proxy)\n", false, &_init_f_setProxy_2686, &_call_f_setProxy_2686); methods += new qt_gsi::GenericMethod ("setProxyFactory|proxyFactory=", "@brief Method void QNetworkAccessManager::setProxyFactory(QNetworkProxyFactory *factory)\n", false, &_init_f_setProxyFactory_2723, &_call_f_setProxyFactory_2723); - methods += new qt_gsi::GenericMethod ("setRedirectPolicy", "@brief Method void QNetworkAccessManager::setRedirectPolicy(QNetworkRequest::RedirectPolicy policy)\n", false, &_init_f_setRedirectPolicy_3566, &_call_f_setRedirectPolicy_3566); - methods += new qt_gsi::GenericMethod ("setStrictTransportSecurityEnabled", "@brief Method void QNetworkAccessManager::setStrictTransportSecurityEnabled(bool enabled)\n", false, &_init_f_setStrictTransportSecurityEnabled_864, &_call_f_setStrictTransportSecurityEnabled_864); - methods += new qt_gsi::GenericMethod ("setTransferTimeout", "@brief Method void QNetworkAccessManager::setTransferTimeout(int timeout)\n", false, &_init_f_setTransferTimeout_767, &_call_f_setTransferTimeout_767); + methods += new qt_gsi::GenericMethod ("setRedirectPolicy|redirectPolicy=", "@brief Method void QNetworkAccessManager::setRedirectPolicy(QNetworkRequest::RedirectPolicy policy)\n", false, &_init_f_setRedirectPolicy_3566, &_call_f_setRedirectPolicy_3566); + methods += new qt_gsi::GenericMethod ("setStrictTransportSecurityEnabled|strictTransportSecurityEnabled=", "@brief Method void QNetworkAccessManager::setStrictTransportSecurityEnabled(bool enabled)\n", false, &_init_f_setStrictTransportSecurityEnabled_864, &_call_f_setStrictTransportSecurityEnabled_864); + methods += new qt_gsi::GenericMethod ("setTransferTimeout|transferTimeout=", "@brief Method void QNetworkAccessManager::setTransferTimeout(int timeout)\n", false, &_init_f_setTransferTimeout_767, &_call_f_setTransferTimeout_767); methods += new qt_gsi::GenericMethod ("strictTransportSecurityHosts", "@brief Method QList QNetworkAccessManager::strictTransportSecurityHosts()\n", true, &_init_f_strictTransportSecurityHosts_c0, &_call_f_strictTransportSecurityHosts_c0); methods += new qt_gsi::GenericMethod ("supportedSchemes", "@brief Method QStringList QNetworkAccessManager::supportedSchemes()\n", true, &_init_f_supportedSchemes_c0, &_call_f_supportedSchemes_c0); - methods += new qt_gsi::GenericMethod ("transferTimeout", "@brief Method int QNetworkAccessManager::transferTimeout()\n", true, &_init_f_transferTimeout_c0, &_call_f_transferTimeout_c0); + methods += new qt_gsi::GenericMethod (":transferTimeout", "@brief Method int QNetworkAccessManager::transferTimeout()\n", true, &_init_f_transferTimeout_c0, &_call_f_transferTimeout_c0); methods += gsi::qt_signal ("authenticationRequired(QNetworkReply *, QAuthenticator *)", "authenticationRequired", gsi::arg("reply"), gsi::arg("authenticator"), "@brief Signal declaration for QNetworkAccessManager::authenticationRequired(QNetworkReply *reply, QAuthenticator *authenticator)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QNetworkAccessManager::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("encrypted(QNetworkReply *)", "encrypted", gsi::arg("reply"), "@brief Signal declaration for QNetworkAccessManager::encrypted(QNetworkReply *reply)\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAddressEntry.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAddressEntry.cc index ae185a117b..fe5e098e03 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAddressEntry.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAddressEntry.cc @@ -447,7 +447,7 @@ static gsi::Methods methods_QNetworkAddressEntry () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkAddressEntry::QNetworkAddressEntry(const QNetworkAddressEntry &other)\nThis method creates an object of class QNetworkAddressEntry.", &_init_ctor_QNetworkAddressEntry_3380, &_call_ctor_QNetworkAddressEntry_3380); methods += new qt_gsi::GenericMethod (":broadcast", "@brief Method QHostAddress QNetworkAddressEntry::broadcast()\n", true, &_init_f_broadcast_c0, &_call_f_broadcast_c0); methods += new qt_gsi::GenericMethod ("clearAddressLifetime", "@brief Method void QNetworkAddressEntry::clearAddressLifetime()\n", false, &_init_f_clearAddressLifetime_0, &_call_f_clearAddressLifetime_0); - methods += new qt_gsi::GenericMethod ("dnsEligibility", "@brief Method QNetworkAddressEntry::DnsEligibilityStatus QNetworkAddressEntry::dnsEligibility()\n", true, &_init_f_dnsEligibility_c0, &_call_f_dnsEligibility_c0); + methods += new qt_gsi::GenericMethod (":dnsEligibility", "@brief Method QNetworkAddressEntry::DnsEligibilityStatus QNetworkAddressEntry::dnsEligibility()\n", true, &_init_f_dnsEligibility_c0, &_call_f_dnsEligibility_c0); methods += new qt_gsi::GenericMethod (":ip", "@brief Method QHostAddress QNetworkAddressEntry::ip()\n", true, &_init_f_ip_c0, &_call_f_ip_c0); methods += new qt_gsi::GenericMethod ("isLifetimeKnown?", "@brief Method bool QNetworkAddressEntry::isLifetimeKnown()\n", true, &_init_f_isLifetimeKnown_c0, &_call_f_isLifetimeKnown_c0); methods += new qt_gsi::GenericMethod ("isPermanent?", "@brief Method bool QNetworkAddressEntry::isPermanent()\n", true, &_init_f_isPermanent_c0, &_call_f_isPermanent_c0); @@ -460,7 +460,7 @@ static gsi::Methods methods_QNetworkAddressEntry () { methods += new qt_gsi::GenericMethod (":prefixLength", "@brief Method int QNetworkAddressEntry::prefixLength()\n", true, &_init_f_prefixLength_c0, &_call_f_prefixLength_c0); methods += new qt_gsi::GenericMethod ("setAddressLifetime", "@brief Method void QNetworkAddressEntry::setAddressLifetime(QDeadlineTimer preferred, QDeadlineTimer validity)\n", false, &_init_f_setAddressLifetime_3532, &_call_f_setAddressLifetime_3532); methods += new qt_gsi::GenericMethod ("setBroadcast|broadcast=", "@brief Method void QNetworkAddressEntry::setBroadcast(const QHostAddress &newBroadcast)\n", false, &_init_f_setBroadcast_2518, &_call_f_setBroadcast_2518); - methods += new qt_gsi::GenericMethod ("setDnsEligibility", "@brief Method void QNetworkAddressEntry::setDnsEligibility(QNetworkAddressEntry::DnsEligibilityStatus status)\n", false, &_init_f_setDnsEligibility_4699, &_call_f_setDnsEligibility_4699); + methods += new qt_gsi::GenericMethod ("setDnsEligibility|dnsEligibility=", "@brief Method void QNetworkAddressEntry::setDnsEligibility(QNetworkAddressEntry::DnsEligibilityStatus status)\n", false, &_init_f_setDnsEligibility_4699, &_call_f_setDnsEligibility_4699); methods += new qt_gsi::GenericMethod ("setIp|ip=", "@brief Method void QNetworkAddressEntry::setIp(const QHostAddress &newIp)\n", false, &_init_f_setIp_2518, &_call_f_setIp_2518); methods += new qt_gsi::GenericMethod ("setNetmask|netmask=", "@brief Method void QNetworkAddressEntry::setNetmask(const QHostAddress &newNetmask)\n", false, &_init_f_setNetmask_2518, &_call_f_setNetmask_2518); methods += new qt_gsi::GenericMethod ("setPrefixLength|prefixLength=", "@brief Method void QNetworkAddressEntry::setPrefixLength(int length)\n", false, &_init_f_setPrefixLength_767, &_call_f_setPrefixLength_767); diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkCookie.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkCookie.cc index d13c5e27c6..c7dff23c2a 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkCookie.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkCookie.cc @@ -547,13 +547,13 @@ static gsi::Methods methods_QNetworkCookie () { methods += new qt_gsi::GenericMethod ("assign", "@brief Method QNetworkCookie &QNetworkCookie::operator=(const QNetworkCookie &other)\n", false, &_init_f_operator_eq__2742, &_call_f_operator_eq__2742); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QNetworkCookie::operator==(const QNetworkCookie &other)\n", true, &_init_f_operator_eq__eq__c2742, &_call_f_operator_eq__eq__c2742); methods += new qt_gsi::GenericMethod (":path", "@brief Method QString QNetworkCookie::path()\n", true, &_init_f_path_c0, &_call_f_path_c0); - methods += new qt_gsi::GenericMethod ("sameSitePolicy", "@brief Method QNetworkCookie::SameSite QNetworkCookie::sameSitePolicy()\n", true, &_init_f_sameSitePolicy_c0, &_call_f_sameSitePolicy_c0); + methods += new qt_gsi::GenericMethod (":sameSitePolicy", "@brief Method QNetworkCookie::SameSite QNetworkCookie::sameSitePolicy()\n", true, &_init_f_sameSitePolicy_c0, &_call_f_sameSitePolicy_c0); methods += new qt_gsi::GenericMethod ("setDomain|domain=", "@brief Method void QNetworkCookie::setDomain(const QString &domain)\n", false, &_init_f_setDomain_2025, &_call_f_setDomain_2025); methods += new qt_gsi::GenericMethod ("setExpirationDate|expirationDate=", "@brief Method void QNetworkCookie::setExpirationDate(const QDateTime &date)\n", false, &_init_f_setExpirationDate_2175, &_call_f_setExpirationDate_2175); methods += new qt_gsi::GenericMethod ("setHttpOnly|httpOnly=", "@brief Method void QNetworkCookie::setHttpOnly(bool enable)\n", false, &_init_f_setHttpOnly_864, &_call_f_setHttpOnly_864); methods += new qt_gsi::GenericMethod ("setName|name=", "@brief Method void QNetworkCookie::setName(const QByteArray &cookieName)\n", false, &_init_f_setName_2309, &_call_f_setName_2309); methods += new qt_gsi::GenericMethod ("setPath|path=", "@brief Method void QNetworkCookie::setPath(const QString &path)\n", false, &_init_f_setPath_2025, &_call_f_setPath_2025); - methods += new qt_gsi::GenericMethod ("setSameSitePolicy", "@brief Method void QNetworkCookie::setSameSitePolicy(QNetworkCookie::SameSite sameSite)\n", false, &_init_f_setSameSitePolicy_2776, &_call_f_setSameSitePolicy_2776); + methods += new qt_gsi::GenericMethod ("setSameSitePolicy|sameSitePolicy=", "@brief Method void QNetworkCookie::setSameSitePolicy(QNetworkCookie::SameSite sameSite)\n", false, &_init_f_setSameSitePolicy_2776, &_call_f_setSameSitePolicy_2776); methods += new qt_gsi::GenericMethod ("setSecure|secure=", "@brief Method void QNetworkCookie::setSecure(bool enable)\n", false, &_init_f_setSecure_864, &_call_f_setSecure_864); methods += new qt_gsi::GenericMethod ("setValue|value=", "@brief Method void QNetworkCookie::setValue(const QByteArray &value)\n", false, &_init_f_setValue_2309, &_call_f_setValue_2309); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QNetworkCookie::swap(QNetworkCookie &other)\n", false, &_init_f_swap_2047, &_call_f_swap_2047); diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkDatagram.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkDatagram.cc index 818e37bfdc..04cd36b94f 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkDatagram.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkDatagram.cc @@ -420,21 +420,21 @@ static gsi::Methods methods_QNetworkDatagram () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkDatagram::QNetworkDatagram(const QByteArray &data, const QHostAddress &destinationAddress, quint16 port)\nThis method creates an object of class QNetworkDatagram.", &_init_ctor_QNetworkDatagram_5711, &_call_ctor_QNetworkDatagram_5711); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkDatagram::QNetworkDatagram(const QNetworkDatagram &other)\nThis method creates an object of class QNetworkDatagram.", &_init_ctor_QNetworkDatagram_2941, &_call_ctor_QNetworkDatagram_2941); methods += new qt_gsi::GenericMethod ("clear", "@brief Method void QNetworkDatagram::clear()\n", false, &_init_f_clear_0, &_call_f_clear_0); - methods += new qt_gsi::GenericMethod ("data", "@brief Method QByteArray QNetworkDatagram::data()\n", true, &_init_f_data_c0, &_call_f_data_c0); + methods += new qt_gsi::GenericMethod (":data", "@brief Method QByteArray QNetworkDatagram::data()\n", true, &_init_f_data_c0, &_call_f_data_c0); methods += new qt_gsi::GenericMethod ("destinationAddress", "@brief Method QHostAddress QNetworkDatagram::destinationAddress()\n", true, &_init_f_destinationAddress_c0, &_call_f_destinationAddress_c0); methods += new qt_gsi::GenericMethod ("destinationPort", "@brief Method int QNetworkDatagram::destinationPort()\n", true, &_init_f_destinationPort_c0, &_call_f_destinationPort_c0); - methods += new qt_gsi::GenericMethod ("hopLimit", "@brief Method int QNetworkDatagram::hopLimit()\n", true, &_init_f_hopLimit_c0, &_call_f_hopLimit_c0); - methods += new qt_gsi::GenericMethod ("interfaceIndex", "@brief Method unsigned int QNetworkDatagram::interfaceIndex()\n", true, &_init_f_interfaceIndex_c0, &_call_f_interfaceIndex_c0); + methods += new qt_gsi::GenericMethod (":hopLimit", "@brief Method int QNetworkDatagram::hopLimit()\n", true, &_init_f_hopLimit_c0, &_call_f_hopLimit_c0); + methods += new qt_gsi::GenericMethod (":interfaceIndex", "@brief Method unsigned int QNetworkDatagram::interfaceIndex()\n", true, &_init_f_interfaceIndex_c0, &_call_f_interfaceIndex_c0); methods += new qt_gsi::GenericMethod ("isNull?", "@brief Method bool QNetworkDatagram::isNull()\n", true, &_init_f_isNull_c0, &_call_f_isNull_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QNetworkDatagram::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod ("makeReply", "@brief Method QNetworkDatagram QNetworkDatagram::makeReply(const QByteArray &payload)\n", true, &_init_f_makeReply_cr2309, &_call_f_makeReply_cr2309); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QNetworkDatagram &QNetworkDatagram::operator=(const QNetworkDatagram &other)\n", false, &_init_f_operator_eq__2941, &_call_f_operator_eq__2941); methods += new qt_gsi::GenericMethod ("senderAddress", "@brief Method QHostAddress QNetworkDatagram::senderAddress()\n", true, &_init_f_senderAddress_c0, &_call_f_senderAddress_c0); methods += new qt_gsi::GenericMethod ("senderPort", "@brief Method int QNetworkDatagram::senderPort()\n", true, &_init_f_senderPort_c0, &_call_f_senderPort_c0); - methods += new qt_gsi::GenericMethod ("setData", "@brief Method void QNetworkDatagram::setData(const QByteArray &data)\n", false, &_init_f_setData_2309, &_call_f_setData_2309); + methods += new qt_gsi::GenericMethod ("setData|data=", "@brief Method void QNetworkDatagram::setData(const QByteArray &data)\n", false, &_init_f_setData_2309, &_call_f_setData_2309); methods += new qt_gsi::GenericMethod ("setDestination", "@brief Method void QNetworkDatagram::setDestination(const QHostAddress &address, quint16 port)\n", false, &_init_f_setDestination_3510, &_call_f_setDestination_3510); - methods += new qt_gsi::GenericMethod ("setHopLimit", "@brief Method void QNetworkDatagram::setHopLimit(int count)\n", false, &_init_f_setHopLimit_767, &_call_f_setHopLimit_767); - methods += new qt_gsi::GenericMethod ("setInterfaceIndex", "@brief Method void QNetworkDatagram::setInterfaceIndex(unsigned int index)\n", false, &_init_f_setInterfaceIndex_1772, &_call_f_setInterfaceIndex_1772); + methods += new qt_gsi::GenericMethod ("setHopLimit|hopLimit=", "@brief Method void QNetworkDatagram::setHopLimit(int count)\n", false, &_init_f_setHopLimit_767, &_call_f_setHopLimit_767); + methods += new qt_gsi::GenericMethod ("setInterfaceIndex|interfaceIndex=", "@brief Method void QNetworkDatagram::setInterfaceIndex(unsigned int index)\n", false, &_init_f_setInterfaceIndex_1772, &_call_f_setInterfaceIndex_1772); methods += new qt_gsi::GenericMethod ("setSender", "@brief Method void QNetworkDatagram::setSender(const QHostAddress &address, quint16 port)\n", false, &_init_f_setSender_3510, &_call_f_setSender_3510); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QNetworkDatagram::swap(QNetworkDatagram &other)\n", false, &_init_f_swap_2246, &_call_f_swap_2246); return methods; diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkInformation.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkInformation.cc index 6ae51042d2..9b587b37f3 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkInformation.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkInformation.cc @@ -82,26 +82,6 @@ static void _call_f_isBehindCaptivePortal_c0 (const qt_gsi::GenericMethod * /*de } -// void QNetworkInformation::isBehindCaptivePortalChanged(bool state) - - -static void _init_f_isBehindCaptivePortalChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("state"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_isBehindCaptivePortalChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QNetworkInformation *)cls)->isBehindCaptivePortalChanged (arg1); -} - - // QNetworkInformation::Reachability QNetworkInformation::reachability() @@ -117,26 +97,6 @@ static void _call_f_reachability_c0 (const qt_gsi::GenericMethod * /*decl*/, voi } -// void QNetworkInformation::reachabilityChanged(QNetworkInformation::Reachability newReachability) - - -static void _init_f_reachabilityChanged_3770 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("newReachability"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_reachabilityChanged_3770 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QNetworkInformation *)cls)->reachabilityChanged (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // bool QNetworkInformation::supports(QFlags features) @@ -238,11 +198,13 @@ static gsi::Methods methods_QNetworkInformation () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("backendName", "@brief Method QString QNetworkInformation::backendName()\n", true, &_init_f_backendName_c0, &_call_f_backendName_c0); - methods += new qt_gsi::GenericMethod ("isBehindCaptivePortal?", "@brief Method bool QNetworkInformation::isBehindCaptivePortal()\n", true, &_init_f_isBehindCaptivePortal_c0, &_call_f_isBehindCaptivePortal_c0); - methods += new qt_gsi::GenericMethod ("isBehindCaptivePortalChanged?", "@brief Method void QNetworkInformation::isBehindCaptivePortalChanged(bool state)\n", false, &_init_f_isBehindCaptivePortalChanged_864, &_call_f_isBehindCaptivePortalChanged_864); - methods += new qt_gsi::GenericMethod ("reachability", "@brief Method QNetworkInformation::Reachability QNetworkInformation::reachability()\n", true, &_init_f_reachability_c0, &_call_f_reachability_c0); - methods += new qt_gsi::GenericMethod ("reachabilityChanged", "@brief Method void QNetworkInformation::reachabilityChanged(QNetworkInformation::Reachability newReachability)\n", false, &_init_f_reachabilityChanged_3770, &_call_f_reachabilityChanged_3770); + methods += new qt_gsi::GenericMethod ("isBehindCaptivePortal?|:isBehindCaptivePortal", "@brief Method bool QNetworkInformation::isBehindCaptivePortal()\n", true, &_init_f_isBehindCaptivePortal_c0, &_call_f_isBehindCaptivePortal_c0); + methods += new qt_gsi::GenericMethod (":reachability", "@brief Method QNetworkInformation::Reachability QNetworkInformation::reachability()\n", true, &_init_f_reachability_c0, &_call_f_reachability_c0); methods += new qt_gsi::GenericMethod ("supports", "@brief Method bool QNetworkInformation::supports(QFlags features)\n", true, &_init_f_supports_c3949, &_call_f_supports_c3949); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QNetworkInformation::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("isBehindCaptivePortalChanged(bool)", "isBehindCaptivePortalChanged?", gsi::arg("state"), "@brief Signal declaration for QNetworkInformation::isBehindCaptivePortalChanged(bool state)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QNetworkInformation::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("reachabilityChanged(QNetworkInformation::Reachability)", "reachabilityChanged", gsi::arg("newReachability"), "@brief Signal declaration for QNetworkInformation::reachabilityChanged(QNetworkInformation::Reachability newReachability)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("availableBackends", "@brief Static method QStringList QNetworkInformation::availableBackends()\nThis method is static and can be called without an instance.", &_init_f_availableBackends_0, &_call_f_availableBackends_0); methods += new qt_gsi::GenericStaticMethod ("instance", "@brief Static method QNetworkInformation *QNetworkInformation::instance()\nThis method is static and can be called without an instance.", &_init_f_instance_0, &_call_f_instance_0); methods += new qt_gsi::GenericStaticMethod ("load", "@brief Static method bool QNetworkInformation::load(QFlags features)\nThis method is static and can be called without an instance.", &_init_f_load_3949, &_call_f_load_3949); diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkReply.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkReply.cc index 865101e2e2..b2859703de 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkReply.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkReply.cc @@ -124,26 +124,6 @@ static void _call_f_error_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QNetworkReply::errorOccurred(QNetworkReply::NetworkError) - - -static void _init_f_errorOccurred_3171 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg::target_type & > (argspec_0); - decl->set_return (); -} - -static void _call_f_errorOccurred_3171 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QNetworkReply *)cls)->errorOccurred (qt_gsi::QtToCppAdaptor(arg1).cref()); -} - - // bool QNetworkReply::hasRawHeader(const QByteArray &headerName) @@ -478,7 +458,6 @@ static gsi::Methods methods_QNetworkReply () { methods += new qt_gsi::GenericMethod ("attribute", "@brief Method QVariant QNetworkReply::attribute(QNetworkRequest::Attribute code)\n", true, &_init_f_attribute_c3072, &_call_f_attribute_c3072); methods += new qt_gsi::GenericMethod ("close", "@brief Method void QNetworkReply::close()\nThis is a reimplementation of QIODevice::close", false, &_init_f_close_0, &_call_f_close_0); methods += new qt_gsi::GenericMethod ("error", "@brief Method QNetworkReply::NetworkError QNetworkReply::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); - methods += new qt_gsi::GenericMethod ("errorOccurred", "@brief Method void QNetworkReply::errorOccurred(QNetworkReply::NetworkError)\n", false, &_init_f_errorOccurred_3171, &_call_f_errorOccurred_3171); methods += new qt_gsi::GenericMethod ("hasRawHeader", "@brief Method bool QNetworkReply::hasRawHeader(const QByteArray &headerName)\n", true, &_init_f_hasRawHeader_c2309, &_call_f_hasRawHeader_c2309); methods += new qt_gsi::GenericMethod ("header", "@brief Method QVariant QNetworkReply::header(QNetworkRequest::KnownHeaders header)\n", true, &_init_f_header_c3349, &_call_f_header_c3349); methods += new qt_gsi::GenericMethod ("ignoreSslErrors", "@brief Method void QNetworkReply::ignoreSslErrors(const QList &errors)\n", false, &_init_f_ignoreSslErrors_2837, &_call_f_ignoreSslErrors_2837); @@ -504,6 +483,7 @@ static gsi::Methods methods_QNetworkReply () { methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QNetworkReply::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("downloadProgress(qint64, qint64)", "downloadProgress", gsi::arg("bytesReceived"), gsi::arg("bytesTotal"), "@brief Signal declaration for QNetworkReply::downloadProgress(qint64 bytesReceived, qint64 bytesTotal)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("encrypted()", "encrypted", "@brief Signal declaration for QNetworkReply::encrypted()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("errorOccurred(QNetworkReply::NetworkError)", "errorOccurred", gsi::arg("arg1"), "@brief Signal declaration for QNetworkReply::errorOccurred(QNetworkReply::NetworkError)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("finished()", "finished", "@brief Signal declaration for QNetworkReply::finished()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("metaDataChanged()", "metaDataChanged", "@brief Signal declaration for QNetworkReply::metaDataChanged()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QNetworkReply::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkRequest.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkRequest.cc index 0620867d2e..22393479e8 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkRequest.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkRequest.cc @@ -657,34 +657,34 @@ static gsi::Methods methods_QNetworkRequest () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkRequest::QNetworkRequest(const QUrl &url)\nThis method creates an object of class QNetworkRequest.", &_init_ctor_QNetworkRequest_1701, &_call_ctor_QNetworkRequest_1701); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QNetworkRequest::QNetworkRequest(const QNetworkRequest &other)\nThis method creates an object of class QNetworkRequest.", &_init_ctor_QNetworkRequest_2885, &_call_ctor_QNetworkRequest_2885); methods += new qt_gsi::GenericMethod ("attribute", "@brief Method QVariant QNetworkRequest::attribute(QNetworkRequest::Attribute code, const QVariant &defaultValue)\n", true, &_init_f_attribute_c5083, &_call_f_attribute_c5083); - methods += new qt_gsi::GenericMethod ("decompressedSafetyCheckThreshold", "@brief Method qint64 QNetworkRequest::decompressedSafetyCheckThreshold()\n", true, &_init_f_decompressedSafetyCheckThreshold_c0, &_call_f_decompressedSafetyCheckThreshold_c0); + methods += new qt_gsi::GenericMethod (":decompressedSafetyCheckThreshold", "@brief Method qint64 QNetworkRequest::decompressedSafetyCheckThreshold()\n", true, &_init_f_decompressedSafetyCheckThreshold_c0, &_call_f_decompressedSafetyCheckThreshold_c0); methods += new qt_gsi::GenericMethod ("hasRawHeader", "@brief Method bool QNetworkRequest::hasRawHeader(const QByteArray &headerName)\n", true, &_init_f_hasRawHeader_c2309, &_call_f_hasRawHeader_c2309); methods += new qt_gsi::GenericMethod ("header", "@brief Method QVariant QNetworkRequest::header(QNetworkRequest::KnownHeaders header)\n", true, &_init_f_header_c3349, &_call_f_header_c3349); - methods += new qt_gsi::GenericMethod ("http2Configuration", "@brief Method QHttp2Configuration QNetworkRequest::http2Configuration()\n", true, &_init_f_http2Configuration_c0, &_call_f_http2Configuration_c0); - methods += new qt_gsi::GenericMethod ("maximumRedirectsAllowed", "@brief Method int QNetworkRequest::maximumRedirectsAllowed()\n", true, &_init_f_maximumRedirectsAllowed_c0, &_call_f_maximumRedirectsAllowed_c0); + methods += new qt_gsi::GenericMethod (":http2Configuration", "@brief Method QHttp2Configuration QNetworkRequest::http2Configuration()\n", true, &_init_f_http2Configuration_c0, &_call_f_http2Configuration_c0); + methods += new qt_gsi::GenericMethod (":maximumRedirectsAllowed", "@brief Method int QNetworkRequest::maximumRedirectsAllowed()\n", true, &_init_f_maximumRedirectsAllowed_c0, &_call_f_maximumRedirectsAllowed_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QNetworkRequest::operator!=(const QNetworkRequest &other)\n", true, &_init_f_operator_excl__eq__c2885, &_call_f_operator_excl__eq__c2885); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QNetworkRequest &QNetworkRequest::operator=(const QNetworkRequest &other)\n", false, &_init_f_operator_eq__2885, &_call_f_operator_eq__2885); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QNetworkRequest::operator==(const QNetworkRequest &other)\n", true, &_init_f_operator_eq__eq__c2885, &_call_f_operator_eq__eq__c2885); methods += new qt_gsi::GenericMethod (":originatingObject", "@brief Method QObject *QNetworkRequest::originatingObject()\n", true, &_init_f_originatingObject_c0, &_call_f_originatingObject_c0); - methods += new qt_gsi::GenericMethod ("peerVerifyName", "@brief Method QString QNetworkRequest::peerVerifyName()\n", true, &_init_f_peerVerifyName_c0, &_call_f_peerVerifyName_c0); + methods += new qt_gsi::GenericMethod (":peerVerifyName", "@brief Method QString QNetworkRequest::peerVerifyName()\n", true, &_init_f_peerVerifyName_c0, &_call_f_peerVerifyName_c0); methods += new qt_gsi::GenericMethod (":priority", "@brief Method QNetworkRequest::Priority QNetworkRequest::priority()\n", true, &_init_f_priority_c0, &_call_f_priority_c0); methods += new qt_gsi::GenericMethod ("rawHeader", "@brief Method QByteArray QNetworkRequest::rawHeader(const QByteArray &headerName)\n", true, &_init_f_rawHeader_c2309, &_call_f_rawHeader_c2309); methods += new qt_gsi::GenericMethod ("rawHeaderList", "@brief Method QList QNetworkRequest::rawHeaderList()\n", true, &_init_f_rawHeaderList_c0, &_call_f_rawHeaderList_c0); methods += new qt_gsi::GenericMethod ("setAttribute", "@brief Method void QNetworkRequest::setAttribute(QNetworkRequest::Attribute code, const QVariant &value)\n", false, &_init_f_setAttribute_5083, &_call_f_setAttribute_5083); - methods += new qt_gsi::GenericMethod ("setDecompressedSafetyCheckThreshold", "@brief Method void QNetworkRequest::setDecompressedSafetyCheckThreshold(qint64 threshold)\n", false, &_init_f_setDecompressedSafetyCheckThreshold_986, &_call_f_setDecompressedSafetyCheckThreshold_986); + methods += new qt_gsi::GenericMethod ("setDecompressedSafetyCheckThreshold|decompressedSafetyCheckThreshold=", "@brief Method void QNetworkRequest::setDecompressedSafetyCheckThreshold(qint64 threshold)\n", false, &_init_f_setDecompressedSafetyCheckThreshold_986, &_call_f_setDecompressedSafetyCheckThreshold_986); methods += new qt_gsi::GenericMethod ("setHeader", "@brief Method void QNetworkRequest::setHeader(QNetworkRequest::KnownHeaders header, const QVariant &value)\n", false, &_init_f_setHeader_5360, &_call_f_setHeader_5360); - methods += new qt_gsi::GenericMethod ("setHttp2Configuration", "@brief Method void QNetworkRequest::setHttp2Configuration(const QHttp2Configuration &configuration)\n", false, &_init_f_setHttp2Configuration_3228, &_call_f_setHttp2Configuration_3228); - methods += new qt_gsi::GenericMethod ("setMaximumRedirectsAllowed", "@brief Method void QNetworkRequest::setMaximumRedirectsAllowed(int maximumRedirectsAllowed)\n", false, &_init_f_setMaximumRedirectsAllowed_767, &_call_f_setMaximumRedirectsAllowed_767); + methods += new qt_gsi::GenericMethod ("setHttp2Configuration|http2Configuration=", "@brief Method void QNetworkRequest::setHttp2Configuration(const QHttp2Configuration &configuration)\n", false, &_init_f_setHttp2Configuration_3228, &_call_f_setHttp2Configuration_3228); + methods += new qt_gsi::GenericMethod ("setMaximumRedirectsAllowed|maximumRedirectsAllowed=", "@brief Method void QNetworkRequest::setMaximumRedirectsAllowed(int maximumRedirectsAllowed)\n", false, &_init_f_setMaximumRedirectsAllowed_767, &_call_f_setMaximumRedirectsAllowed_767); methods += new qt_gsi::GenericMethod ("setOriginatingObject|originatingObject=", "@brief Method void QNetworkRequest::setOriginatingObject(QObject *object)\n", false, &_init_f_setOriginatingObject_1302, &_call_f_setOriginatingObject_1302); - methods += new qt_gsi::GenericMethod ("setPeerVerifyName", "@brief Method void QNetworkRequest::setPeerVerifyName(const QString &peerName)\n", false, &_init_f_setPeerVerifyName_2025, &_call_f_setPeerVerifyName_2025); + methods += new qt_gsi::GenericMethod ("setPeerVerifyName|peerVerifyName=", "@brief Method void QNetworkRequest::setPeerVerifyName(const QString &peerName)\n", false, &_init_f_setPeerVerifyName_2025, &_call_f_setPeerVerifyName_2025); methods += new qt_gsi::GenericMethod ("setPriority|priority=", "@brief Method void QNetworkRequest::setPriority(QNetworkRequest::Priority priority)\n", false, &_init_f_setPriority_2990, &_call_f_setPriority_2990); methods += new qt_gsi::GenericMethod ("setRawHeader", "@brief Method void QNetworkRequest::setRawHeader(const QByteArray &headerName, const QByteArray &value)\n", false, &_init_f_setRawHeader_4510, &_call_f_setRawHeader_4510); methods += new qt_gsi::GenericMethod ("setSslConfiguration|sslConfiguration=", "@brief Method void QNetworkRequest::setSslConfiguration(const QSslConfiguration &configuration)\n", false, &_init_f_setSslConfiguration_3068, &_call_f_setSslConfiguration_3068); - methods += new qt_gsi::GenericMethod ("setTransferTimeout", "@brief Method void QNetworkRequest::setTransferTimeout(int timeout)\n", false, &_init_f_setTransferTimeout_767, &_call_f_setTransferTimeout_767); + methods += new qt_gsi::GenericMethod ("setTransferTimeout|transferTimeout=", "@brief Method void QNetworkRequest::setTransferTimeout(int timeout)\n", false, &_init_f_setTransferTimeout_767, &_call_f_setTransferTimeout_767); methods += new qt_gsi::GenericMethod ("setUrl|url=", "@brief Method void QNetworkRequest::setUrl(const QUrl &url)\n", false, &_init_f_setUrl_1701, &_call_f_setUrl_1701); methods += new qt_gsi::GenericMethod (":sslConfiguration", "@brief Method QSslConfiguration QNetworkRequest::sslConfiguration()\n", true, &_init_f_sslConfiguration_c0, &_call_f_sslConfiguration_c0); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QNetworkRequest::swap(QNetworkRequest &other)\n", false, &_init_f_swap_2190, &_call_f_swap_2190); - methods += new qt_gsi::GenericMethod ("transferTimeout", "@brief Method int QNetworkRequest::transferTimeout()\n", true, &_init_f_transferTimeout_c0, &_call_f_transferTimeout_c0); + methods += new qt_gsi::GenericMethod (":transferTimeout", "@brief Method int QNetworkRequest::transferTimeout()\n", true, &_init_f_transferTimeout_c0, &_call_f_transferTimeout_c0); methods += new qt_gsi::GenericMethod (":url", "@brief Method QUrl QNetworkRequest::url()\n", true, &_init_f_url_c0, &_call_f_url_c0); return methods; } diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslConfiguration.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslConfiguration.cc index 33e91f102a..069ee8f21d 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslConfiguration.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslConfiguration.cc @@ -1193,21 +1193,21 @@ static gsi::Methods methods_QSslConfiguration () { methods += new qt_gsi::GenericMethod ("addCaCertificates", "@brief Method bool QSslConfiguration::addCaCertificates(const QString &path, QSsl::EncodingFormat format, QSslCertificate::PatternSyntax syntax)\n", false, &_init_f_addCaCertificates_7615, &_call_f_addCaCertificates_7615); methods += new qt_gsi::GenericMethod ("addCaCertificates", "@brief Method void QSslConfiguration::addCaCertificates(const QList &certificates)\n", false, &_init_f_addCaCertificates_3438, &_call_f_addCaCertificates_3438); methods += new qt_gsi::GenericMethod (":allowedNextProtocols", "@brief Method QList QSslConfiguration::allowedNextProtocols()\n", true, &_init_f_allowedNextProtocols_c0, &_call_f_allowedNextProtocols_c0); - methods += new qt_gsi::GenericMethod ("backendConfiguration", "@brief Method QMap QSslConfiguration::backendConfiguration()\n", true, &_init_f_backendConfiguration_c0, &_call_f_backendConfiguration_c0); + methods += new qt_gsi::GenericMethod (":backendConfiguration", "@brief Method QMap QSslConfiguration::backendConfiguration()\n", true, &_init_f_backendConfiguration_c0, &_call_f_backendConfiguration_c0); methods += new qt_gsi::GenericMethod (":caCertificates", "@brief Method QList QSslConfiguration::caCertificates()\n", true, &_init_f_caCertificates_c0, &_call_f_caCertificates_c0); methods += new qt_gsi::GenericMethod (":ciphers", "@brief Method QList QSslConfiguration::ciphers()\n", true, &_init_f_ciphers_c0, &_call_f_ciphers_c0); - methods += new qt_gsi::GenericMethod ("diffieHellmanParameters", "@brief Method QSslDiffieHellmanParameters QSslConfiguration::diffieHellmanParameters()\n", true, &_init_f_diffieHellmanParameters_c0, &_call_f_diffieHellmanParameters_c0); - methods += new qt_gsi::GenericMethod ("dtlsCookieVerificationEnabled", "@brief Method bool QSslConfiguration::dtlsCookieVerificationEnabled()\n", true, &_init_f_dtlsCookieVerificationEnabled_c0, &_call_f_dtlsCookieVerificationEnabled_c0); + methods += new qt_gsi::GenericMethod (":diffieHellmanParameters", "@brief Method QSslDiffieHellmanParameters QSslConfiguration::diffieHellmanParameters()\n", true, &_init_f_diffieHellmanParameters_c0, &_call_f_diffieHellmanParameters_c0); + methods += new qt_gsi::GenericMethod (":dtlsCookieVerificationEnabled", "@brief Method bool QSslConfiguration::dtlsCookieVerificationEnabled()\n", true, &_init_f_dtlsCookieVerificationEnabled_c0, &_call_f_dtlsCookieVerificationEnabled_c0); methods += new qt_gsi::GenericMethod (":ellipticCurves", "@brief Method QList QSslConfiguration::ellipticCurves()\n", true, &_init_f_ellipticCurves_c0, &_call_f_ellipticCurves_c0); methods += new qt_gsi::GenericMethod ("ephemeralServerKey", "@brief Method QSslKey QSslConfiguration::ephemeralServerKey()\n", true, &_init_f_ephemeralServerKey_c0, &_call_f_ephemeralServerKey_c0); - methods += new qt_gsi::GenericMethod ("handshakeMustInterruptOnError", "@brief Method bool QSslConfiguration::handshakeMustInterruptOnError()\n", true, &_init_f_handshakeMustInterruptOnError_c0, &_call_f_handshakeMustInterruptOnError_c0); + methods += new qt_gsi::GenericMethod (":handshakeMustInterruptOnError", "@brief Method bool QSslConfiguration::handshakeMustInterruptOnError()\n", true, &_init_f_handshakeMustInterruptOnError_c0, &_call_f_handshakeMustInterruptOnError_c0); methods += new qt_gsi::GenericMethod ("isNull?", "@brief Method bool QSslConfiguration::isNull()\n", true, &_init_f_isNull_c0, &_call_f_isNull_c0); methods += new qt_gsi::GenericMethod (":localCertificate", "@brief Method QSslCertificate QSslConfiguration::localCertificate()\n", true, &_init_f_localCertificate_c0, &_call_f_localCertificate_c0); methods += new qt_gsi::GenericMethod (":localCertificateChain", "@brief Method QList QSslConfiguration::localCertificateChain()\n", true, &_init_f_localCertificateChain_c0, &_call_f_localCertificateChain_c0); - methods += new qt_gsi::GenericMethod ("missingCertificateIsFatal", "@brief Method bool QSslConfiguration::missingCertificateIsFatal()\n", true, &_init_f_missingCertificateIsFatal_c0, &_call_f_missingCertificateIsFatal_c0); + methods += new qt_gsi::GenericMethod (":missingCertificateIsFatal", "@brief Method bool QSslConfiguration::missingCertificateIsFatal()\n", true, &_init_f_missingCertificateIsFatal_c0, &_call_f_missingCertificateIsFatal_c0); methods += new qt_gsi::GenericMethod ("nextNegotiatedProtocol", "@brief Method QByteArray QSslConfiguration::nextNegotiatedProtocol()\n", true, &_init_f_nextNegotiatedProtocol_c0, &_call_f_nextNegotiatedProtocol_c0); methods += new qt_gsi::GenericMethod ("nextProtocolNegotiationStatus", "@brief Method QSslConfiguration::NextProtocolNegotiationStatus QSslConfiguration::nextProtocolNegotiationStatus()\n", true, &_init_f_nextProtocolNegotiationStatus_c0, &_call_f_nextProtocolNegotiationStatus_c0); - methods += new qt_gsi::GenericMethod ("ocspStaplingEnabled", "@brief Method bool QSslConfiguration::ocspStaplingEnabled()\n", true, &_init_f_ocspStaplingEnabled_c0, &_call_f_ocspStaplingEnabled_c0); + methods += new qt_gsi::GenericMethod (":ocspStaplingEnabled", "@brief Method bool QSslConfiguration::ocspStaplingEnabled()\n", true, &_init_f_ocspStaplingEnabled_c0, &_call_f_ocspStaplingEnabled_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QSslConfiguration::operator!=(const QSslConfiguration &other)\n", true, &_init_f_operator_excl__eq__c3068, &_call_f_operator_excl__eq__c3068); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QSslConfiguration &QSslConfiguration::operator=(const QSslConfiguration &other)\n", false, &_init_f_operator_eq__3068, &_call_f_operator_eq__3068); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QSslConfiguration::operator==(const QSslConfiguration &other)\n", true, &_init_f_operator_eq__eq__c3068, &_call_f_operator_eq__eq__c3068); @@ -1215,7 +1215,7 @@ static gsi::Methods methods_QSslConfiguration () { methods += new qt_gsi::GenericMethod ("peerCertificateChain", "@brief Method QList QSslConfiguration::peerCertificateChain()\n", true, &_init_f_peerCertificateChain_c0, &_call_f_peerCertificateChain_c0); methods += new qt_gsi::GenericMethod (":peerVerifyDepth", "@brief Method int QSslConfiguration::peerVerifyDepth()\n", true, &_init_f_peerVerifyDepth_c0, &_call_f_peerVerifyDepth_c0); methods += new qt_gsi::GenericMethod (":peerVerifyMode", "@brief Method QSslSocket::PeerVerifyMode QSslConfiguration::peerVerifyMode()\n", true, &_init_f_peerVerifyMode_c0, &_call_f_peerVerifyMode_c0); - methods += new qt_gsi::GenericMethod ("preSharedKeyIdentityHint", "@brief Method QByteArray QSslConfiguration::preSharedKeyIdentityHint()\n", true, &_init_f_preSharedKeyIdentityHint_c0, &_call_f_preSharedKeyIdentityHint_c0); + methods += new qt_gsi::GenericMethod (":preSharedKeyIdentityHint", "@brief Method QByteArray QSslConfiguration::preSharedKeyIdentityHint()\n", true, &_init_f_preSharedKeyIdentityHint_c0, &_call_f_preSharedKeyIdentityHint_c0); methods += new qt_gsi::GenericMethod (":privateKey", "@brief Method QSslKey QSslConfiguration::privateKey()\n", true, &_init_f_privateKey_c0, &_call_f_privateKey_c0); methods += new qt_gsi::GenericMethod (":protocol", "@brief Method QSsl::SslProtocol QSslConfiguration::protocol()\n", true, &_init_f_protocol_c0, &_call_f_protocol_c0); methods += new qt_gsi::GenericMethod ("sessionCipher", "@brief Method QSslCipher QSslConfiguration::sessionCipher()\n", true, &_init_f_sessionCipher_c0, &_call_f_sessionCipher_c0); @@ -1223,22 +1223,22 @@ static gsi::Methods methods_QSslConfiguration () { methods += new qt_gsi::GenericMethod (":sessionTicket", "@brief Method QByteArray QSslConfiguration::sessionTicket()\n", true, &_init_f_sessionTicket_c0, &_call_f_sessionTicket_c0); methods += new qt_gsi::GenericMethod ("sessionTicketLifeTimeHint", "@brief Method int QSslConfiguration::sessionTicketLifeTimeHint()\n", true, &_init_f_sessionTicketLifeTimeHint_c0, &_call_f_sessionTicketLifeTimeHint_c0); methods += new qt_gsi::GenericMethod ("setAllowedNextProtocols|allowedNextProtocols=", "@brief Method void QSslConfiguration::setAllowedNextProtocols(const QList &protocols)\n", false, &_init_f_setAllowedNextProtocols_2924, &_call_f_setAllowedNextProtocols_2924); - methods += new qt_gsi::GenericMethod ("setBackendConfiguration", "@brief Method void QSslConfiguration::setBackendConfiguration(const QMap &backendConfiguration)\n", false, &_init_f_setBackendConfiguration_3792, &_call_f_setBackendConfiguration_3792); + methods += new qt_gsi::GenericMethod ("setBackendConfiguration|backendConfiguration=", "@brief Method void QSslConfiguration::setBackendConfiguration(const QMap &backendConfiguration)\n", false, &_init_f_setBackendConfiguration_3792, &_call_f_setBackendConfiguration_3792); methods += new qt_gsi::GenericMethod ("setBackendConfigurationOption", "@brief Method void QSslConfiguration::setBackendConfigurationOption(const QByteArray &name, const QVariant &value)\n", false, &_init_f_setBackendConfigurationOption_4320, &_call_f_setBackendConfigurationOption_4320); methods += new qt_gsi::GenericMethod ("setCaCertificates|caCertificates=", "@brief Method void QSslConfiguration::setCaCertificates(const QList &certificates)\n", false, &_init_f_setCaCertificates_3438, &_call_f_setCaCertificates_3438); methods += new qt_gsi::GenericMethod ("setCiphers|ciphers=", "@brief Method void QSslConfiguration::setCiphers(const QList &ciphers)\n", false, &_init_f_setCiphers_2918, &_call_f_setCiphers_2918); methods += new qt_gsi::GenericMethod ("setCiphers|ciphers=", "@brief Method void QSslConfiguration::setCiphers(const QString &ciphers)\n", false, &_init_f_setCiphers_2025, &_call_f_setCiphers_2025); - methods += new qt_gsi::GenericMethod ("setDiffieHellmanParameters", "@brief Method void QSslConfiguration::setDiffieHellmanParameters(const QSslDiffieHellmanParameters &dhparams)\n", false, &_init_f_setDiffieHellmanParameters_4032, &_call_f_setDiffieHellmanParameters_4032); - methods += new qt_gsi::GenericMethod ("setDtlsCookieVerificationEnabled", "@brief Method void QSslConfiguration::setDtlsCookieVerificationEnabled(bool enable)\n", false, &_init_f_setDtlsCookieVerificationEnabled_864, &_call_f_setDtlsCookieVerificationEnabled_864); + methods += new qt_gsi::GenericMethod ("setDiffieHellmanParameters|diffieHellmanParameters=", "@brief Method void QSslConfiguration::setDiffieHellmanParameters(const QSslDiffieHellmanParameters &dhparams)\n", false, &_init_f_setDiffieHellmanParameters_4032, &_call_f_setDiffieHellmanParameters_4032); + methods += new qt_gsi::GenericMethod ("setDtlsCookieVerificationEnabled|dtlsCookieVerificationEnabled=", "@brief Method void QSslConfiguration::setDtlsCookieVerificationEnabled(bool enable)\n", false, &_init_f_setDtlsCookieVerificationEnabled_864, &_call_f_setDtlsCookieVerificationEnabled_864); methods += new qt_gsi::GenericMethod ("setEllipticCurves|ellipticCurves=", "@brief Method void QSslConfiguration::setEllipticCurves(const QList &curves)\n", false, &_init_f_setEllipticCurves_3654, &_call_f_setEllipticCurves_3654); - methods += new qt_gsi::GenericMethod ("setHandshakeMustInterruptOnError", "@brief Method void QSslConfiguration::setHandshakeMustInterruptOnError(bool interrupt)\n", false, &_init_f_setHandshakeMustInterruptOnError_864, &_call_f_setHandshakeMustInterruptOnError_864); + methods += new qt_gsi::GenericMethod ("setHandshakeMustInterruptOnError|handshakeMustInterruptOnError=", "@brief Method void QSslConfiguration::setHandshakeMustInterruptOnError(bool interrupt)\n", false, &_init_f_setHandshakeMustInterruptOnError_864, &_call_f_setHandshakeMustInterruptOnError_864); methods += new qt_gsi::GenericMethod ("setLocalCertificate|localCertificate=", "@brief Method void QSslConfiguration::setLocalCertificate(const QSslCertificate &certificate)\n", false, &_init_f_setLocalCertificate_2823, &_call_f_setLocalCertificate_2823); methods += new qt_gsi::GenericMethod ("setLocalCertificateChain|localCertificateChain=", "@brief Method void QSslConfiguration::setLocalCertificateChain(const QList &localChain)\n", false, &_init_f_setLocalCertificateChain_3438, &_call_f_setLocalCertificateChain_3438); - methods += new qt_gsi::GenericMethod ("setMissingCertificateIsFatal", "@brief Method void QSslConfiguration::setMissingCertificateIsFatal(bool cannotRecover)\n", false, &_init_f_setMissingCertificateIsFatal_864, &_call_f_setMissingCertificateIsFatal_864); - methods += new qt_gsi::GenericMethod ("setOcspStaplingEnabled", "@brief Method void QSslConfiguration::setOcspStaplingEnabled(bool enable)\n", false, &_init_f_setOcspStaplingEnabled_864, &_call_f_setOcspStaplingEnabled_864); + methods += new qt_gsi::GenericMethod ("setMissingCertificateIsFatal|missingCertificateIsFatal=", "@brief Method void QSslConfiguration::setMissingCertificateIsFatal(bool cannotRecover)\n", false, &_init_f_setMissingCertificateIsFatal_864, &_call_f_setMissingCertificateIsFatal_864); + methods += new qt_gsi::GenericMethod ("setOcspStaplingEnabled|ocspStaplingEnabled=", "@brief Method void QSslConfiguration::setOcspStaplingEnabled(bool enable)\n", false, &_init_f_setOcspStaplingEnabled_864, &_call_f_setOcspStaplingEnabled_864); methods += new qt_gsi::GenericMethod ("setPeerVerifyDepth|peerVerifyDepth=", "@brief Method void QSslConfiguration::setPeerVerifyDepth(int depth)\n", false, &_init_f_setPeerVerifyDepth_767, &_call_f_setPeerVerifyDepth_767); methods += new qt_gsi::GenericMethod ("setPeerVerifyMode|peerVerifyMode=", "@brief Method void QSslConfiguration::setPeerVerifyMode(QSslSocket::PeerVerifyMode mode)\n", false, &_init_f_setPeerVerifyMode_2970, &_call_f_setPeerVerifyMode_2970); - methods += new qt_gsi::GenericMethod ("setPreSharedKeyIdentityHint", "@brief Method void QSslConfiguration::setPreSharedKeyIdentityHint(const QByteArray &hint)\n", false, &_init_f_setPreSharedKeyIdentityHint_2309, &_call_f_setPreSharedKeyIdentityHint_2309); + methods += new qt_gsi::GenericMethod ("setPreSharedKeyIdentityHint|preSharedKeyIdentityHint=", "@brief Method void QSslConfiguration::setPreSharedKeyIdentityHint(const QByteArray &hint)\n", false, &_init_f_setPreSharedKeyIdentityHint_2309, &_call_f_setPreSharedKeyIdentityHint_2309); methods += new qt_gsi::GenericMethod ("setPrivateKey|privateKey=", "@brief Method void QSslConfiguration::setPrivateKey(const QSslKey &key)\n", false, &_init_f_setPrivateKey_1997, &_call_f_setPrivateKey_1997); methods += new qt_gsi::GenericMethod ("setProtocol|protocol=", "@brief Method void QSslConfiguration::setProtocol(QSsl::SslProtocol protocol)\n", false, &_init_f_setProtocol_2095, &_call_f_setProtocol_2095); methods += new qt_gsi::GenericMethod ("setSessionTicket|sessionTicket=", "@brief Method void QSslConfiguration::setSessionTicket(const QByteArray &sessionTicket)\n", false, &_init_f_setSessionTicket_2309, &_call_f_setSessionTicket_2309); @@ -1246,9 +1246,9 @@ static gsi::Methods methods_QSslConfiguration () { methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QSslConfiguration::swap(QSslConfiguration &other)\n", false, &_init_f_swap_2373, &_call_f_swap_2373); methods += new qt_gsi::GenericMethod ("testSslOption", "@brief Method bool QSslConfiguration::testSslOption(QSsl::SslOption option)\n", true, &_init_f_testSslOption_c1878, &_call_f_testSslOption_c1878); methods += new qt_gsi::GenericStaticMethod (":defaultConfiguration", "@brief Static method QSslConfiguration QSslConfiguration::defaultConfiguration()\nThis method is static and can be called without an instance.", &_init_f_defaultConfiguration_0, &_call_f_defaultConfiguration_0); - methods += new qt_gsi::GenericStaticMethod ("defaultDtlsConfiguration", "@brief Static method QSslConfiguration QSslConfiguration::defaultDtlsConfiguration()\nThis method is static and can be called without an instance.", &_init_f_defaultDtlsConfiguration_0, &_call_f_defaultDtlsConfiguration_0); + methods += new qt_gsi::GenericStaticMethod (":defaultDtlsConfiguration", "@brief Static method QSslConfiguration QSslConfiguration::defaultDtlsConfiguration()\nThis method is static and can be called without an instance.", &_init_f_defaultDtlsConfiguration_0, &_call_f_defaultDtlsConfiguration_0); methods += new qt_gsi::GenericStaticMethod ("setDefaultConfiguration|defaultConfiguration=", "@brief Static method void QSslConfiguration::setDefaultConfiguration(const QSslConfiguration &configuration)\nThis method is static and can be called without an instance.", &_init_f_setDefaultConfiguration_3068, &_call_f_setDefaultConfiguration_3068); - methods += new qt_gsi::GenericStaticMethod ("setDefaultDtlsConfiguration", "@brief Static method void QSslConfiguration::setDefaultDtlsConfiguration(const QSslConfiguration &configuration)\nThis method is static and can be called without an instance.", &_init_f_setDefaultDtlsConfiguration_3068, &_call_f_setDefaultDtlsConfiguration_3068); + methods += new qt_gsi::GenericStaticMethod ("setDefaultDtlsConfiguration|defaultDtlsConfiguration=", "@brief Static method void QSslConfiguration::setDefaultDtlsConfiguration(const QSslConfiguration &configuration)\nThis method is static and can be called without an instance.", &_init_f_setDefaultDtlsConfiguration_3068, &_call_f_setDefaultDtlsConfiguration_3068); methods += new qt_gsi::GenericStaticMethod ("supportedCiphers", "@brief Static method QList QSslConfiguration::supportedCiphers()\nThis method is static and can be called without an instance.", &_init_f_supportedCiphers_0, &_call_f_supportedCiphers_0); methods += new qt_gsi::GenericStaticMethod ("supportedEllipticCurves", "@brief Static method QList QSslConfiguration::supportedEllipticCurves()\nThis method is static and can be called without an instance.", &_init_f_supportedEllipticCurves_0, &_call_f_supportedEllipticCurves_0); methods += new qt_gsi::GenericStaticMethod ("systemCaCertificates", "@brief Static method QList QSslConfiguration::systemCaCertificates()\nThis method is static and can be called without an instance.", &_init_f_systemCaCertificates_0, &_call_f_systemCaCertificates_0); diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslSocket.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslSocket.cc index 8490abaca9..9c9c34f996 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslSocket.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslSocket.cc @@ -80,58 +80,6 @@ static void _call_ctor_QSslSocket_1302 (const qt_gsi::GenericStaticMethod * /*de } -// void QSslSocket::alertReceived(QSsl::AlertLevel level, QSsl::AlertType type, const QString &description) - - -static void _init_f_alertReceived_5617 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("level"); - decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("type"); - decl->add_arg::target_type & > (argspec_1); - static gsi::ArgSpecBase argspec_2 ("description"); - decl->add_arg (argspec_2); - decl->set_return (); -} - -static void _call_f_alertReceived_5617 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); - const QString &arg3 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSslSocket *)cls)->alertReceived (qt_gsi::QtToCppAdaptor(arg1).cref(), qt_gsi::QtToCppAdaptor(arg2).cref(), arg3); -} - - -// void QSslSocket::alertSent(QSsl::AlertLevel level, QSsl::AlertType type, const QString &description) - - -static void _init_f_alertSent_5617 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("level"); - decl->add_arg::target_type & > (argspec_0); - static gsi::ArgSpecBase argspec_1 ("type"); - decl->add_arg::target_type & > (argspec_1); - static gsi::ArgSpecBase argspec_2 ("description"); - decl->add_arg (argspec_2); - decl->set_return (); -} - -static void _call_f_alertSent_5617 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const qt_gsi::Converter::target_type & arg1 = gsi::arg_reader::target_type & >() (args, heap); - const qt_gsi::Converter::target_type & arg2 = gsi::arg_reader::target_type & >() (args, heap); - const QString &arg3 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSslSocket *)cls)->alertSent (qt_gsi::QtToCppAdaptor(arg1).cref(), qt_gsi::QtToCppAdaptor(arg2).cref(), arg3); -} - - // bool QSslSocket::atEnd() @@ -386,26 +334,6 @@ static void _call_f_encryptedBytesToWrite_c0 (const qt_gsi::GenericMethod * /*de } -// void QSslSocket::handshakeInterruptedOnError(const QSslError &error) - - -static void _init_f_handshakeInterruptedOnError_2222 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("error"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_handshakeInterruptedOnError_2222 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QSslError &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSslSocket *)cls)->handshakeInterruptedOnError (arg1); -} - - // void QSslSocket::ignoreSslErrors(const QList &errors) @@ -502,22 +430,6 @@ static void _call_f_mode_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QSslSocket::newSessionTicketReceived() - - -static void _init_f_newSessionTicketReceived_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_newSessionTicketReceived_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSslSocket *)cls)->newSessionTicketReceived (); -} - - // QSslCertificate QSslSocket::peerCertificate() @@ -1405,8 +1317,6 @@ static gsi::Methods methods_QSslSocket () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSslSocket::QSslSocket(QObject *parent)\nThis method creates an object of class QSslSocket.", &_init_ctor_QSslSocket_1302, &_call_ctor_QSslSocket_1302); methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("alertReceived", "@brief Method void QSslSocket::alertReceived(QSsl::AlertLevel level, QSsl::AlertType type, const QString &description)\n", false, &_init_f_alertReceived_5617, &_call_f_alertReceived_5617); - methods += new qt_gsi::GenericMethod ("alertSent", "@brief Method void QSslSocket::alertSent(QSsl::AlertLevel level, QSsl::AlertType type, const QString &description)\n", false, &_init_f_alertSent_5617, &_call_f_alertSent_5617); methods += new qt_gsi::GenericMethod ("atEnd", "@brief Method bool QSslSocket::atEnd()\nThis is a reimplementation of QIODevice::atEnd", true, &_init_f_atEnd_c0, &_call_f_atEnd_c0); methods += new qt_gsi::GenericMethod ("bytesAvailable", "@brief Method qint64 QSslSocket::bytesAvailable()\nThis is a reimplementation of QAbstractSocket::bytesAvailable", true, &_init_f_bytesAvailable_c0, &_call_f_bytesAvailable_c0); methods += new qt_gsi::GenericMethod ("bytesToWrite", "@brief Method qint64 QSslSocket::bytesToWrite()\nThis is a reimplementation of QAbstractSocket::bytesToWrite", true, &_init_f_bytesToWrite_c0, &_call_f_bytesToWrite_c0); @@ -1420,14 +1330,12 @@ static gsi::Methods methods_QSslSocket () { methods += new qt_gsi::GenericMethod ("disconnectFromHost", "@brief Method void QSslSocket::disconnectFromHost()\nThis is a reimplementation of QAbstractSocket::disconnectFromHost", false, &_init_f_disconnectFromHost_0, &_call_f_disconnectFromHost_0); methods += new qt_gsi::GenericMethod ("encryptedBytesAvailable", "@brief Method qint64 QSslSocket::encryptedBytesAvailable()\n", true, &_init_f_encryptedBytesAvailable_c0, &_call_f_encryptedBytesAvailable_c0); methods += new qt_gsi::GenericMethod ("encryptedBytesToWrite", "@brief Method qint64 QSslSocket::encryptedBytesToWrite()\n", true, &_init_f_encryptedBytesToWrite_c0, &_call_f_encryptedBytesToWrite_c0); - methods += new qt_gsi::GenericMethod ("handshakeInterruptedOnError", "@brief Method void QSslSocket::handshakeInterruptedOnError(const QSslError &error)\n", false, &_init_f_handshakeInterruptedOnError_2222, &_call_f_handshakeInterruptedOnError_2222); methods += new qt_gsi::GenericMethod ("ignoreSslErrors", "@brief Method void QSslSocket::ignoreSslErrors(const QList &errors)\n", false, &_init_f_ignoreSslErrors_2837, &_call_f_ignoreSslErrors_2837); methods += new qt_gsi::GenericMethod ("ignoreSslErrors", "@brief Method void QSslSocket::ignoreSslErrors()\n", false, &_init_f_ignoreSslErrors_0, &_call_f_ignoreSslErrors_0); methods += new qt_gsi::GenericMethod ("isEncrypted?", "@brief Method bool QSslSocket::isEncrypted()\n", true, &_init_f_isEncrypted_c0, &_call_f_isEncrypted_c0); methods += new qt_gsi::GenericMethod (":localCertificate", "@brief Method QSslCertificate QSslSocket::localCertificate()\n", true, &_init_f_localCertificate_c0, &_call_f_localCertificate_c0); methods += new qt_gsi::GenericMethod (":localCertificateChain", "@brief Method QList QSslSocket::localCertificateChain()\n", true, &_init_f_localCertificateChain_c0, &_call_f_localCertificateChain_c0); methods += new qt_gsi::GenericMethod ("mode", "@brief Method QSslSocket::SslMode QSslSocket::mode()\n", true, &_init_f_mode_c0, &_call_f_mode_c0); - methods += new qt_gsi::GenericMethod ("newSessionTicketReceived", "@brief Method void QSslSocket::newSessionTicketReceived()\n", false, &_init_f_newSessionTicketReceived_0, &_call_f_newSessionTicketReceived_0); methods += new qt_gsi::GenericMethod ("peerCertificate", "@brief Method QSslCertificate QSslSocket::peerCertificate()\n", true, &_init_f_peerCertificate_c0, &_call_f_peerCertificate_c0); methods += new qt_gsi::GenericMethod ("peerCertificateChain", "@brief Method QList QSslSocket::peerCertificateChain()\n", true, &_init_f_peerCertificateChain_c0, &_call_f_peerCertificateChain_c0); methods += new qt_gsi::GenericMethod (":peerVerifyDepth", "@brief Method int QSslSocket::peerVerifyDepth()\n", true, &_init_f_peerVerifyDepth_c0, &_call_f_peerVerifyDepth_c0); @@ -1462,6 +1370,8 @@ static gsi::Methods methods_QSslSocket () { methods += new qt_gsi::GenericMethod ("waitForEncrypted", "@brief Method bool QSslSocket::waitForEncrypted(int msecs)\n", false, &_init_f_waitForEncrypted_767, &_call_f_waitForEncrypted_767); methods += new qt_gsi::GenericMethod ("waitForReadyRead", "@brief Method bool QSslSocket::waitForReadyRead(int msecs)\nThis is a reimplementation of QAbstractSocket::waitForReadyRead", false, &_init_f_waitForReadyRead_767, &_call_f_waitForReadyRead_767); methods += gsi::qt_signal ("aboutToClose()", "aboutToClose", "@brief Signal declaration for QSslSocket::aboutToClose()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type &, const qt_gsi::Converter::target_type &, const QString & > ("alertReceived(QSsl::AlertLevel, QSsl::AlertType, const QString &)", "alertReceived", gsi::arg("level"), gsi::arg("type"), gsi::arg("description"), "@brief Signal declaration for QSslSocket::alertReceived(QSsl::AlertLevel level, QSsl::AlertType type, const QString &description)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type &, const qt_gsi::Converter::target_type &, const QString & > ("alertSent(QSsl::AlertLevel, QSsl::AlertType, const QString &)", "alertSent", gsi::arg("level"), gsi::arg("type"), gsi::arg("description"), "@brief Signal declaration for QSslSocket::alertSent(QSsl::AlertLevel level, QSsl::AlertType type, const QString &description)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("bytesWritten(qint64)", "bytesWritten", gsi::arg("bytes"), "@brief Signal declaration for QSslSocket::bytesWritten(qint64 bytes)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("channelBytesWritten(int, qint64)", "channelBytesWritten", gsi::arg("channel"), gsi::arg("bytes"), "@brief Signal declaration for QSslSocket::channelBytesWritten(int channel, qint64 bytes)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("channelReadyRead(int)", "channelReadyRead", gsi::arg("channel"), "@brief Signal declaration for QSslSocket::channelReadyRead(int channel)\nYou can bind a procedure to this signal."); @@ -1470,8 +1380,11 @@ static gsi::Methods methods_QSslSocket () { methods += gsi::qt_signal ("disconnected()", "disconnected", "@brief Signal declaration for QSslSocket::disconnected()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("encrypted()", "encrypted", "@brief Signal declaration for QSslSocket::encrypted()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("encryptedBytesWritten(qint64)", "encryptedBytesWritten", gsi::arg("totalBytes"), "@brief Signal declaration for QSslSocket::encryptedBytesWritten(qint64 totalBytes)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("errorOccurred(QAbstractSocket::SocketError)", "errorOccurred", gsi::arg("arg1"), "@brief Signal declaration for QSslSocket::errorOccurred(QAbstractSocket::SocketError)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("handshakeInterruptedOnError(const QSslError &)", "handshakeInterruptedOnError", gsi::arg("error"), "@brief Signal declaration for QSslSocket::handshakeInterruptedOnError(const QSslError &error)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("hostFound()", "hostFound", "@brief Signal declaration for QSslSocket::hostFound()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal::target_type & > ("modeChanged(QSslSocket::SslMode)", "modeChanged", gsi::arg("newMode"), "@brief Signal declaration for QSslSocket::modeChanged(QSslSocket::SslMode newMode)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("newSessionTicketReceived()", "newSessionTicketReceived", "@brief Signal declaration for QSslSocket::newSessionTicketReceived()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QSslSocket::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("peerVerifyError(const QSslError &)", "peerVerifyError", gsi::arg("error"), "@brief Signal declaration for QSslSocket::peerVerifyError(const QSslError &error)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("preSharedKeyAuthenticationRequired(QSslPreSharedKeyAuthenticator *)", "preSharedKeyAuthenticationRequired", gsi::arg("authenticator"), "@brief Signal declaration for QSslSocket::preSharedKeyAuthenticationRequired(QSslPreSharedKeyAuthenticator *authenticator)\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQTcpSocket.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQTcpSocket.cc index eefe692cee..7a2f518361 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQTcpSocket.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQTcpSocket.cc @@ -163,6 +163,7 @@ static gsi::Methods methods_QTcpSocket () { methods += gsi::qt_signal ("connected()", "connected", "@brief Signal declaration for QTcpSocket::connected()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QTcpSocket::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("disconnected()", "disconnected", "@brief Signal declaration for QTcpSocket::disconnected()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("errorOccurred(QAbstractSocket::SocketError)", "errorOccurred", gsi::arg("arg1"), "@brief Signal declaration for QTcpSocket::errorOccurred(QAbstractSocket::SocketError)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("hostFound()", "hostFound", "@brief Signal declaration for QTcpSocket::hostFound()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QTcpSocket::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("proxyAuthenticationRequired(const QNetworkProxy &, QAuthenticator *)", "proxyAuthenticationRequired", gsi::arg("proxy"), gsi::arg("authenticator"), "@brief Signal declaration for QTcpSocket::proxyAuthenticationRequired(const QNetworkProxy &proxy, QAuthenticator *authenticator)\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQUdpSocket.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQUdpSocket.cc index 592a80d3a9..4489812bc5 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQUdpSocket.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQUdpSocket.cc @@ -415,6 +415,7 @@ static gsi::Methods methods_QUdpSocket () { methods += gsi::qt_signal ("connected()", "connected", "@brief Signal declaration for QUdpSocket::connected()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QUdpSocket::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("disconnected()", "disconnected", "@brief Signal declaration for QUdpSocket::disconnected()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal::target_type & > ("errorOccurred(QAbstractSocket::SocketError)", "errorOccurred", gsi::arg("arg1"), "@brief Signal declaration for QUdpSocket::errorOccurred(QAbstractSocket::SocketError)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("hostFound()", "hostFound", "@brief Signal declaration for QUdpSocket::hostFound()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QUdpSocket::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("proxyAuthenticationRequired(const QNetworkProxy &, QAuthenticator *)", "proxyAuthenticationRequired", gsi::arg("proxy"), gsi::arg("authenticator"), "@brief Signal declaration for QUdpSocket::proxyAuthenticationRequired(const QNetworkProxy &proxy, QAuthenticator *authenticator)\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc index e7dc85a78f..33d2b06fcf 100644 --- a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc +++ b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc @@ -320,6 +320,15 @@ static gsi::Methods methods_QAbstractPrintDialog () { methods += new qt_gsi::GenericMethod ("setOptionTabs", "@brief Method void QAbstractPrintDialog::setOptionTabs(const QList &tabs)\n", false, &_init_f_setOptionTabs_2663, &_call_f_setOptionTabs_2663); methods += new qt_gsi::GenericMethod ("setPrintRange|printRange=", "@brief Method void QAbstractPrintDialog::setPrintRange(QAbstractPrintDialog::PrintRange range)\n", false, &_init_f_setPrintRange_3588, &_call_f_setPrintRange_3588); methods += new qt_gsi::GenericMethod ("toPage", "@brief Method int QAbstractPrintDialog::toPage()\n", true, &_init_f_toPage_c0, &_call_f_toPage_c0); + methods += gsi::qt_signal ("accepted()", "accepted", "@brief Signal declaration for QAbstractPrintDialog::accepted()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("customContextMenuRequested(const QPoint &)", "customContextMenuRequested", gsi::arg("pos"), "@brief Signal declaration for QAbstractPrintDialog::customContextMenuRequested(const QPoint &pos)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QAbstractPrintDialog::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("finished(int)", "finished", gsi::arg("result"), "@brief Signal declaration for QAbstractPrintDialog::finished(int result)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QAbstractPrintDialog::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("rejected()", "rejected", "@brief Signal declaration for QAbstractPrintDialog::rejected()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowIconChanged(const QIcon &)", "windowIconChanged", gsi::arg("icon"), "@brief Signal declaration for QAbstractPrintDialog::windowIconChanged(const QIcon &icon)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowIconTextChanged(const QString &)", "windowIconTextChanged", gsi::arg("iconText"), "@brief Signal declaration for QAbstractPrintDialog::windowIconTextChanged(const QString &iconText)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowTitleChanged(const QString &)", "windowTitleChanged", gsi::arg("title"), "@brief Signal declaration for QAbstractPrintDialog::windowTitleChanged(const QString &title)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QAbstractPrintDialog::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -418,6 +427,24 @@ class QAbstractPrintDialog_Adaptor : public QAbstractPrintDialog, public qt_gsi: } } + // [emitter impl] void QAbstractPrintDialog::accepted() + void emitter_QAbstractPrintDialog_accepted_0() + { + emit QAbstractPrintDialog::accepted(); + } + + // [emitter impl] void QAbstractPrintDialog::customContextMenuRequested(const QPoint &pos) + void emitter_QAbstractPrintDialog_customContextMenuRequested_1916(const QPoint &pos) + { + emit QAbstractPrintDialog::customContextMenuRequested(pos); + } + + // [emitter impl] void QAbstractPrintDialog::destroyed(QObject *) + void emitter_QAbstractPrintDialog_destroyed_1302(QObject *arg1) + { + emit QAbstractPrintDialog::destroyed(arg1); + } + // [adaptor impl] void QAbstractPrintDialog::done(int) void cbs_done_767_0(int arg1) { @@ -448,6 +475,12 @@ class QAbstractPrintDialog_Adaptor : public QAbstractPrintDialog, public qt_gsi: } } + // [emitter impl] void QAbstractPrintDialog::finished(int result) + void emitter_QAbstractPrintDialog_finished_767(int result) + { + emit QAbstractPrintDialog::finished(result); + } + // [adaptor impl] bool QAbstractPrintDialog::hasHeightForWidth() bool cbs_hasHeightForWidth_c0_0() const { @@ -508,6 +541,13 @@ class QAbstractPrintDialog_Adaptor : public QAbstractPrintDialog, public qt_gsi: } } + // [emitter impl] void QAbstractPrintDialog::objectNameChanged(const QString &objectName) + void emitter_QAbstractPrintDialog_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QAbstractPrintDialog::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QAbstractPrintDialog::open() void cbs_open_0_0() { @@ -553,6 +593,12 @@ class QAbstractPrintDialog_Adaptor : public QAbstractPrintDialog, public qt_gsi: } } + // [emitter impl] void QAbstractPrintDialog::rejected() + void emitter_QAbstractPrintDialog_rejected_0() + { + emit QAbstractPrintDialog::rejected(); + } + // [adaptor impl] void QAbstractPrintDialog::setVisible(bool visible) void cbs_setVisible_864_0(bool visible) { @@ -583,6 +629,24 @@ class QAbstractPrintDialog_Adaptor : public QAbstractPrintDialog, public qt_gsi: } } + // [emitter impl] void QAbstractPrintDialog::windowIconChanged(const QIcon &icon) + void emitter_QAbstractPrintDialog_windowIconChanged_1787(const QIcon &icon) + { + emit QAbstractPrintDialog::windowIconChanged(icon); + } + + // [emitter impl] void QAbstractPrintDialog::windowIconTextChanged(const QString &iconText) + void emitter_QAbstractPrintDialog_windowIconTextChanged_2025(const QString &iconText) + { + emit QAbstractPrintDialog::windowIconTextChanged(iconText); + } + + // [emitter impl] void QAbstractPrintDialog::windowTitleChanged(const QString &title) + void emitter_QAbstractPrintDialog_windowTitleChanged_2025(const QString &title) + { + emit QAbstractPrintDialog::windowTitleChanged(title); + } + // [adaptor impl] void QAbstractPrintDialog::actionEvent(QActionEvent *event) void cbs_actionEvent_1823_0(QActionEvent *event) { @@ -1248,6 +1312,20 @@ static void _set_callback_cbs_accept_0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QAbstractPrintDialog::accepted() + +static void _init_emitter_accepted_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_accepted_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAbstractPrintDialog_Adaptor *)cls)->emitter_QAbstractPrintDialog_accepted_0 (); +} + + // void QAbstractPrintDialog::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) @@ -1412,6 +1490,24 @@ static void _call_fp_create_2208 (const qt_gsi::GenericMethod * /*decl*/, void * } +// emitter void QAbstractPrintDialog::customContextMenuRequested(const QPoint &pos) + +static void _init_emitter_customContextMenuRequested_1916 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("pos"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPoint &arg1 = gsi::arg_reader() (args, heap); + ((QAbstractPrintDialog_Adaptor *)cls)->emitter_QAbstractPrintDialog_customContextMenuRequested_1916 (arg1); +} + + // void QAbstractPrintDialog::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) @@ -1458,6 +1554,24 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void } +// emitter void QAbstractPrintDialog::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QAbstractPrintDialog_Adaptor *)cls)->emitter_QAbstractPrintDialog_destroyed_1302 (arg1); +} + + // void QAbstractPrintDialog::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1694,6 +1808,24 @@ static void _set_callback_cbs_exec_0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QAbstractPrintDialog::finished(int result) + +static void _init_emitter_finished_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("result"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_finished_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QAbstractPrintDialog_Adaptor *)cls)->emitter_QAbstractPrintDialog_finished_767 (arg1); +} + + // void QAbstractPrintDialog::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) @@ -2211,6 +2343,24 @@ static void _set_callback_cbs_nativeEvent_6949_0 (void *cls, const gsi::Callback } +// emitter void QAbstractPrintDialog::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAbstractPrintDialog_Adaptor *)cls)->emitter_QAbstractPrintDialog_objectNameChanged_4567 (arg1); +} + + // void QAbstractPrintDialog::open() static void _init_cbs_open_0_0 (qt_gsi::GenericMethod *decl) @@ -2335,6 +2485,20 @@ static void _set_callback_cbs_reject_0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QAbstractPrintDialog::rejected() + +static void _init_emitter_rejected_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_rejected_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QAbstractPrintDialog_Adaptor *)cls)->emitter_QAbstractPrintDialog_rejected_0 (); +} + + // void QAbstractPrintDialog::resizeEvent(QResizeEvent *) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) @@ -2564,6 +2728,60 @@ static void _set_callback_cbs_wheelEvent_1718_0 (void *cls, const gsi::Callback } +// emitter void QAbstractPrintDialog::windowIconChanged(const QIcon &icon) + +static void _init_emitter_windowIconChanged_1787 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("icon"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowIconChanged_1787 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QIcon &arg1 = gsi::arg_reader() (args, heap); + ((QAbstractPrintDialog_Adaptor *)cls)->emitter_QAbstractPrintDialog_windowIconChanged_1787 (arg1); +} + + +// emitter void QAbstractPrintDialog::windowIconTextChanged(const QString &iconText) + +static void _init_emitter_windowIconTextChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("iconText"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowIconTextChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAbstractPrintDialog_Adaptor *)cls)->emitter_QAbstractPrintDialog_windowIconTextChanged_2025 (arg1); +} + + +// emitter void QAbstractPrintDialog::windowTitleChanged(const QString &title) + +static void _init_emitter_windowTitleChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("title"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowTitleChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QAbstractPrintDialog_Adaptor *)cls)->emitter_QAbstractPrintDialog_windowTitleChanged_2025 (arg1); +} + + namespace gsi { @@ -2574,6 +2792,7 @@ static gsi::Methods methods_QAbstractPrintDialog_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAbstractPrintDialog::QAbstractPrintDialog(QPrinter *printer, QWidget *parent)\nThis method creates an object of class QAbstractPrintDialog.", &_init_ctor_QAbstractPrintDialog_Adaptor_2650, &_call_ctor_QAbstractPrintDialog_Adaptor_2650); methods += new qt_gsi::GenericMethod ("accept", "@brief Virtual method void QAbstractPrintDialog::accept()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("accept", "@hide", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0, &_set_callback_cbs_accept_0_0); + methods += new qt_gsi::GenericMethod ("emit_accepted", "@brief Emitter for signal void QAbstractPrintDialog::accepted()\nCall this method to emit this signal.", false, &_init_emitter_accepted_0, &_call_emitter_accepted_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QAbstractPrintDialog::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*adjustPosition", "@brief Method void QAbstractPrintDialog::adjustPosition(QWidget *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_adjustPosition_1315, &_call_fp_adjustPosition_1315); @@ -2586,9 +2805,11 @@ static gsi::Methods methods_QAbstractPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QAbstractPrintDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QAbstractPrintDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QAbstractPrintDialog::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QAbstractPrintDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QAbstractPrintDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QAbstractPrintDialog::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QAbstractPrintDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("done", "@brief Virtual method void QAbstractPrintDialog::done(int)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0); @@ -2609,6 +2830,7 @@ static gsi::Methods methods_QAbstractPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("exec", "@brief Virtual method int QAbstractPrintDialog::exec()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("exec", "@hide", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0, &_set_callback_cbs_exec_0_0); + methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QAbstractPrintDialog::finished(int result)\nCall this method to emit this signal.", false, &_init_emitter_finished_767, &_call_emitter_finished_767); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QAbstractPrintDialog::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QAbstractPrintDialog::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); @@ -2652,6 +2874,7 @@ static gsi::Methods methods_QAbstractPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QAbstractPrintDialog::nativeEvent(const QByteArray &eventType, void *message, QIntegerForSizeof::Signed *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_6949_0, &_call_cbs_nativeEvent_6949_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_6949_0, &_call_cbs_nativeEvent_6949_0, &_set_callback_cbs_nativeEvent_6949_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QAbstractPrintDialog::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("open", "@brief Virtual method void QAbstractPrintDialog::open()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("open", "@hide", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0, &_set_callback_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QAbstractPrintDialog::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); @@ -2663,6 +2886,7 @@ static gsi::Methods methods_QAbstractPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("reject", "@brief Virtual method void QAbstractPrintDialog::reject()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_reject_0_0, &_call_cbs_reject_0_0); methods += new qt_gsi::GenericMethod ("reject", "@hide", false, &_init_cbs_reject_0_0, &_call_cbs_reject_0_0, &_set_callback_cbs_reject_0_0); + methods += new qt_gsi::GenericMethod ("emit_rejected", "@brief Emitter for signal void QAbstractPrintDialog::rejected()\nCall this method to emit this signal.", false, &_init_emitter_rejected_0, &_call_emitter_rejected_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QAbstractPrintDialog::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QAbstractPrintDialog::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); @@ -2682,6 +2906,9 @@ static gsi::Methods methods_QAbstractPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QAbstractPrintDialog::updateMicroFocus(Qt::InputMethodQuery query)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_2420, &_call_fp_updateMicroFocus_2420); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QAbstractPrintDialog::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QAbstractPrintDialog::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); + methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QAbstractPrintDialog::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); + methods += new qt_gsi::GenericMethod ("emit_windowTitleChanged", "@brief Emitter for signal void QAbstractPrintDialog::windowTitleChanged(const QString &title)\nCall this method to emit this signal.", false, &_init_emitter_windowTitleChanged_2025, &_call_emitter_windowTitleChanged_2025); return methods; } diff --git a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintDialog.cc b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintDialog.cc index 2c8c641505..b1bbf0456d 100644 --- a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintDialog.cc +++ b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintDialog.cc @@ -119,42 +119,6 @@ static void _call_f_accept_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QPrintDialog::accepted() - - -static void _init_f_accepted_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_accepted_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QPrintDialog *)cls)->accepted (); -} - - -// void QPrintDialog::accepted(QPrinter *printer) - - -static void _init_f_accepted_1443 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("printer"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_accepted_1443 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QPrinter *arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QPrintDialog *)cls)->accepted (arg1); -} - - // void QPrintDialog::done(int result) @@ -358,8 +322,6 @@ static gsi::Methods methods_QPrintDialog () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("accept", "@brief Method void QPrintDialog::accept()\nThis is a reimplementation of QDialog::accept", false, &_init_f_accept_0, &_call_f_accept_0); - methods += new qt_gsi::GenericMethod ("accepted", "@brief Method void QPrintDialog::accepted()\n", false, &_init_f_accepted_0, &_call_f_accepted_0); - methods += new qt_gsi::GenericMethod ("accepted_sig", "@brief Method void QPrintDialog::accepted(QPrinter *printer)\n", false, &_init_f_accepted_1443, &_call_f_accepted_1443); methods += new qt_gsi::GenericMethod ("done", "@brief Method void QPrintDialog::done(int result)\nThis is a reimplementation of QDialog::done", false, &_init_f_done_767, &_call_f_done_767); methods += new qt_gsi::GenericMethod ("exec", "@brief Method int QPrintDialog::exec()\nThis is a reimplementation of QDialog::exec", false, &_init_f_exec_0, &_call_f_exec_0); methods += new qt_gsi::GenericMethod ("open", "@brief Method void QPrintDialog::open()\nThis is a reimplementation of QDialog::open", false, &_init_f_open_0, &_call_f_open_0); @@ -369,6 +331,16 @@ static gsi::Methods methods_QPrintDialog () { methods += new qt_gsi::GenericMethod ("setOptions|options=", "@brief Method void QPrintDialog::setOptions(QFlags options)\n", false, &_init_f_setOptions_5016, &_call_f_setOptions_5016); methods += new qt_gsi::GenericMethod ("setVisible|visible=", "@brief Method void QPrintDialog::setVisible(bool visible)\nThis is a reimplementation of QDialog::setVisible", false, &_init_f_setVisible_864, &_call_f_setVisible_864); methods += new qt_gsi::GenericMethod ("testOption", "@brief Method bool QPrintDialog::testOption(QAbstractPrintDialog::PrintDialogOption option)\n", true, &_init_f_testOption_c4320, &_call_f_testOption_c4320); + methods += gsi::qt_signal ("accepted()", "accepted", "@brief Signal declaration for QPrintDialog::accepted()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("accepted(QPrinter *)", "accepted_sig", gsi::arg("printer"), "@brief Signal declaration for QPrintDialog::accepted(QPrinter *printer)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("customContextMenuRequested(const QPoint &)", "customContextMenuRequested", gsi::arg("pos"), "@brief Signal declaration for QPrintDialog::customContextMenuRequested(const QPoint &pos)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QPrintDialog::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("finished(int)", "finished", gsi::arg("result"), "@brief Signal declaration for QPrintDialog::finished(int result)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QPrintDialog::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("rejected()", "rejected", "@brief Signal declaration for QPrintDialog::rejected()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowIconChanged(const QIcon &)", "windowIconChanged", gsi::arg("icon"), "@brief Signal declaration for QPrintDialog::windowIconChanged(const QIcon &icon)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowIconTextChanged(const QString &)", "windowIconTextChanged", gsi::arg("iconText"), "@brief Signal declaration for QPrintDialog::windowIconTextChanged(const QString &iconText)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowTitleChanged(const QString &)", "windowTitleChanged", gsi::arg("title"), "@brief Signal declaration for QPrintDialog::windowTitleChanged(const QString &title)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QPrintDialog::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -479,6 +451,30 @@ class QPrintDialog_Adaptor : public QPrintDialog, public qt_gsi::QtObjectBase } } + // [emitter impl] void QPrintDialog::accepted() + void emitter_QPrintDialog_accepted_0() + { + emit QPrintDialog::accepted(); + } + + // [emitter impl] void QPrintDialog::accepted(QPrinter *printer) + void emitter_QPrintDialog_accepted_1443(QPrinter *printer) + { + emit QPrintDialog::accepted(printer); + } + + // [emitter impl] void QPrintDialog::customContextMenuRequested(const QPoint &pos) + void emitter_QPrintDialog_customContextMenuRequested_1916(const QPoint &pos) + { + emit QPrintDialog::customContextMenuRequested(pos); + } + + // [emitter impl] void QPrintDialog::destroyed(QObject *) + void emitter_QPrintDialog_destroyed_1302(QObject *arg1) + { + emit QPrintDialog::destroyed(arg1); + } + // [adaptor impl] void QPrintDialog::done(int result) void cbs_done_767_0(int result) { @@ -509,6 +505,12 @@ class QPrintDialog_Adaptor : public QPrintDialog, public qt_gsi::QtObjectBase } } + // [emitter impl] void QPrintDialog::finished(int result) + void emitter_QPrintDialog_finished_767(int result) + { + emit QPrintDialog::finished(result); + } + // [adaptor impl] bool QPrintDialog::hasHeightForWidth() bool cbs_hasHeightForWidth_c0_0() const { @@ -569,6 +571,13 @@ class QPrintDialog_Adaptor : public QPrintDialog, public qt_gsi::QtObjectBase } } + // [emitter impl] void QPrintDialog::objectNameChanged(const QString &objectName) + void emitter_QPrintDialog_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QPrintDialog::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QPrintDialog::open() void cbs_open_0_0() { @@ -614,6 +623,12 @@ class QPrintDialog_Adaptor : public QPrintDialog, public qt_gsi::QtObjectBase } } + // [emitter impl] void QPrintDialog::rejected() + void emitter_QPrintDialog_rejected_0() + { + emit QPrintDialog::rejected(); + } + // [adaptor impl] void QPrintDialog::setVisible(bool visible) void cbs_setVisible_864_0(bool visible) { @@ -644,6 +659,24 @@ class QPrintDialog_Adaptor : public QPrintDialog, public qt_gsi::QtObjectBase } } + // [emitter impl] void QPrintDialog::windowIconChanged(const QIcon &icon) + void emitter_QPrintDialog_windowIconChanged_1787(const QIcon &icon) + { + emit QPrintDialog::windowIconChanged(icon); + } + + // [emitter impl] void QPrintDialog::windowIconTextChanged(const QString &iconText) + void emitter_QPrintDialog_windowIconTextChanged_2025(const QString &iconText) + { + emit QPrintDialog::windowIconTextChanged(iconText); + } + + // [emitter impl] void QPrintDialog::windowTitleChanged(const QString &title) + void emitter_QPrintDialog_windowTitleChanged_2025(const QString &title) + { + emit QPrintDialog::windowTitleChanged(title); + } + // [adaptor impl] void QPrintDialog::actionEvent(QActionEvent *event) void cbs_actionEvent_1823_0(QActionEvent *event) { @@ -1327,6 +1360,38 @@ static void _set_callback_cbs_accept_0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QPrintDialog::accepted() + +static void _init_emitter_accepted_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_accepted_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QPrintDialog_Adaptor *)cls)->emitter_QPrintDialog_accepted_0 (); +} + + +// emitter void QPrintDialog::accepted(QPrinter *printer) + +static void _init_emitter_accepted_1443 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("printer"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_accepted_1443 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QPrinter *arg1 = gsi::arg_reader() (args, heap); + ((QPrintDialog_Adaptor *)cls)->emitter_QPrintDialog_accepted_1443 (arg1); +} + + // void QPrintDialog::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) @@ -1491,6 +1556,24 @@ static void _call_fp_create_2208 (const qt_gsi::GenericMethod * /*decl*/, void * } +// emitter void QPrintDialog::customContextMenuRequested(const QPoint &pos) + +static void _init_emitter_customContextMenuRequested_1916 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("pos"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPoint &arg1 = gsi::arg_reader() (args, heap); + ((QPrintDialog_Adaptor *)cls)->emitter_QPrintDialog_customContextMenuRequested_1916 (arg1); +} + + // void QPrintDialog::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) @@ -1537,6 +1620,24 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void } +// emitter void QPrintDialog::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QPrintDialog_Adaptor *)cls)->emitter_QPrintDialog_destroyed_1302 (arg1); +} + + // void QPrintDialog::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1773,6 +1874,24 @@ static void _set_callback_cbs_exec_0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QPrintDialog::finished(int result) + +static void _init_emitter_finished_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("result"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_finished_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QPrintDialog_Adaptor *)cls)->emitter_QPrintDialog_finished_767 (arg1); +} + + // void QPrintDialog::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) @@ -2290,6 +2409,24 @@ static void _set_callback_cbs_nativeEvent_6949_0 (void *cls, const gsi::Callback } +// emitter void QPrintDialog::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QPrintDialog_Adaptor *)cls)->emitter_QPrintDialog_objectNameChanged_4567 (arg1); +} + + // void QPrintDialog::open() static void _init_cbs_open_0_0 (qt_gsi::GenericMethod *decl) @@ -2414,6 +2551,20 @@ static void _set_callback_cbs_reject_0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QPrintDialog::rejected() + +static void _init_emitter_rejected_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_rejected_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QPrintDialog_Adaptor *)cls)->emitter_QPrintDialog_rejected_0 (); +} + + // void QPrintDialog::resizeEvent(QResizeEvent *) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) @@ -2643,6 +2794,60 @@ static void _set_callback_cbs_wheelEvent_1718_0 (void *cls, const gsi::Callback } +// emitter void QPrintDialog::windowIconChanged(const QIcon &icon) + +static void _init_emitter_windowIconChanged_1787 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("icon"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowIconChanged_1787 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QIcon &arg1 = gsi::arg_reader() (args, heap); + ((QPrintDialog_Adaptor *)cls)->emitter_QPrintDialog_windowIconChanged_1787 (arg1); +} + + +// emitter void QPrintDialog::windowIconTextChanged(const QString &iconText) + +static void _init_emitter_windowIconTextChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("iconText"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowIconTextChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QPrintDialog_Adaptor *)cls)->emitter_QPrintDialog_windowIconTextChanged_2025 (arg1); +} + + +// emitter void QPrintDialog::windowTitleChanged(const QString &title) + +static void _init_emitter_windowTitleChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("title"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowTitleChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QPrintDialog_Adaptor *)cls)->emitter_QPrintDialog_windowTitleChanged_2025 (arg1); +} + + namespace gsi { @@ -2654,6 +2859,8 @@ static gsi::Methods methods_QPrintDialog_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPrintDialog::QPrintDialog(QWidget *parent)\nThis method creates an object of class QPrintDialog.", &_init_ctor_QPrintDialog_Adaptor_1315, &_call_ctor_QPrintDialog_Adaptor_1315); methods += new qt_gsi::GenericMethod ("accept", "@brief Virtual method void QPrintDialog::accept()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("accept", "@hide", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0, &_set_callback_cbs_accept_0_0); + methods += new qt_gsi::GenericMethod ("emit_accepted", "@brief Emitter for signal void QPrintDialog::accepted()\nCall this method to emit this signal.", false, &_init_emitter_accepted_0, &_call_emitter_accepted_0); + methods += new qt_gsi::GenericMethod ("emit_accepted_sig", "@brief Emitter for signal void QPrintDialog::accepted(QPrinter *printer)\nCall this method to emit this signal.", false, &_init_emitter_accepted_1443, &_call_emitter_accepted_1443); methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QPrintDialog::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*adjustPosition", "@brief Method void QPrintDialog::adjustPosition(QWidget *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_adjustPosition_1315, &_call_fp_adjustPosition_1315); @@ -2666,9 +2873,11 @@ static gsi::Methods methods_QPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QPrintDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QPrintDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QPrintDialog::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPrintDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QPrintDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QPrintDialog::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPrintDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("done", "@brief Virtual method void QPrintDialog::done(int result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0); @@ -2689,6 +2898,7 @@ static gsi::Methods methods_QPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("exec", "@brief Virtual method int QPrintDialog::exec()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("exec", "@hide", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0, &_set_callback_cbs_exec_0_0); + methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QPrintDialog::finished(int result)\nCall this method to emit this signal.", false, &_init_emitter_finished_767, &_call_emitter_finished_767); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QPrintDialog::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QPrintDialog::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); @@ -2732,6 +2942,7 @@ static gsi::Methods methods_QPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QPrintDialog::nativeEvent(const QByteArray &eventType, void *message, QIntegerForSizeof::Signed *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_6949_0, &_call_cbs_nativeEvent_6949_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_6949_0, &_call_cbs_nativeEvent_6949_0, &_set_callback_cbs_nativeEvent_6949_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QPrintDialog::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("open", "@brief Virtual method void QPrintDialog::open()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("open", "@hide", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0, &_set_callback_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QPrintDialog::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); @@ -2743,6 +2954,7 @@ static gsi::Methods methods_QPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("reject", "@brief Virtual method void QPrintDialog::reject()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_reject_0_0, &_call_cbs_reject_0_0); methods += new qt_gsi::GenericMethod ("reject", "@hide", false, &_init_cbs_reject_0_0, &_call_cbs_reject_0_0, &_set_callback_cbs_reject_0_0); + methods += new qt_gsi::GenericMethod ("emit_rejected", "@brief Emitter for signal void QPrintDialog::rejected()\nCall this method to emit this signal.", false, &_init_emitter_rejected_0, &_call_emitter_rejected_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QPrintDialog::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QPrintDialog::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); @@ -2762,6 +2974,9 @@ static gsi::Methods methods_QPrintDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QPrintDialog::updateMicroFocus(Qt::InputMethodQuery query)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_2420, &_call_fp_updateMicroFocus_2420); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QPrintDialog::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QPrintDialog::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); + methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QPrintDialog::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); + methods += new qt_gsi::GenericMethod ("emit_windowTitleChanged", "@brief Emitter for signal void QPrintDialog::windowTitleChanged(const QString &title)\nCall this method to emit this signal.", false, &_init_emitter_windowTitleChanged_2025, &_call_emitter_windowTitleChanged_2025); return methods; } diff --git a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc index 389acd458f..602efc779b 100644 --- a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc +++ b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc @@ -162,26 +162,6 @@ static void _call_f_open_2925 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QPrintPreviewDialog::paintRequested(QPrinter *printer) - - -static void _init_f_paintRequested_1443 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("printer"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_paintRequested_1443 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QPrinter *arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QPrintPreviewDialog *)cls)->paintRequested (arg1); -} - - // QPrinter *QPrintPreviewDialog::printer() @@ -251,9 +231,18 @@ static gsi::Methods methods_QPrintPreviewDialog () { methods += new qt_gsi::GenericMethod ("done", "@brief Method void QPrintPreviewDialog::done(int result)\nThis is a reimplementation of QDialog::done", false, &_init_f_done_767, &_call_f_done_767); methods += new qt_gsi::GenericMethod ("open", "@brief Method void QPrintPreviewDialog::open()\nThis is a reimplementation of QDialog::open", false, &_init_f_open_0, &_call_f_open_0); methods += new qt_gsi::GenericMethod ("open", "@brief Method void QPrintPreviewDialog::open(QObject *receiver, const char *member)\n", false, &_init_f_open_2925, &_call_f_open_2925); - methods += new qt_gsi::GenericMethod ("paintRequested", "@brief Method void QPrintPreviewDialog::paintRequested(QPrinter *printer)\n", false, &_init_f_paintRequested_1443, &_call_f_paintRequested_1443); methods += new qt_gsi::GenericMethod ("printer", "@brief Method QPrinter *QPrintPreviewDialog::printer()\n", false, &_init_f_printer_0, &_call_f_printer_0); methods += new qt_gsi::GenericMethod ("setVisible|visible=", "@brief Method void QPrintPreviewDialog::setVisible(bool visible)\nThis is a reimplementation of QDialog::setVisible", false, &_init_f_setVisible_864, &_call_f_setVisible_864); + methods += gsi::qt_signal ("accepted()", "accepted", "@brief Signal declaration for QPrintPreviewDialog::accepted()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("customContextMenuRequested(const QPoint &)", "customContextMenuRequested", gsi::arg("pos"), "@brief Signal declaration for QPrintPreviewDialog::customContextMenuRequested(const QPoint &pos)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QPrintPreviewDialog::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("finished(int)", "finished", gsi::arg("result"), "@brief Signal declaration for QPrintPreviewDialog::finished(int result)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QPrintPreviewDialog::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("paintRequested(QPrinter *)", "paintRequested", gsi::arg("printer"), "@brief Signal declaration for QPrintPreviewDialog::paintRequested(QPrinter *printer)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("rejected()", "rejected", "@brief Signal declaration for QPrintPreviewDialog::rejected()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowIconChanged(const QIcon &)", "windowIconChanged", gsi::arg("icon"), "@brief Signal declaration for QPrintPreviewDialog::windowIconChanged(const QIcon &icon)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowIconTextChanged(const QString &)", "windowIconTextChanged", gsi::arg("iconText"), "@brief Signal declaration for QPrintPreviewDialog::windowIconTextChanged(const QString &iconText)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowTitleChanged(const QString &)", "windowTitleChanged", gsi::arg("title"), "@brief Signal declaration for QPrintPreviewDialog::windowTitleChanged(const QString &title)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QPrintPreviewDialog::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -376,6 +365,24 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } + // [emitter impl] void QPrintPreviewDialog::accepted() + void emitter_QPrintPreviewDialog_accepted_0() + { + emit QPrintPreviewDialog::accepted(); + } + + // [emitter impl] void QPrintPreviewDialog::customContextMenuRequested(const QPoint &pos) + void emitter_QPrintPreviewDialog_customContextMenuRequested_1916(const QPoint &pos) + { + emit QPrintPreviewDialog::customContextMenuRequested(pos); + } + + // [emitter impl] void QPrintPreviewDialog::destroyed(QObject *) + void emitter_QPrintPreviewDialog_destroyed_1302(QObject *arg1) + { + emit QPrintPreviewDialog::destroyed(arg1); + } + // [adaptor impl] void QPrintPreviewDialog::done(int result) void cbs_done_767_0(int result) { @@ -406,6 +413,12 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } + // [emitter impl] void QPrintPreviewDialog::finished(int result) + void emitter_QPrintPreviewDialog_finished_767(int result) + { + emit QPrintPreviewDialog::finished(result); + } + // [adaptor impl] bool QPrintPreviewDialog::hasHeightForWidth() bool cbs_hasHeightForWidth_c0_0() const { @@ -466,6 +479,13 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } + // [emitter impl] void QPrintPreviewDialog::objectNameChanged(const QString &objectName) + void emitter_QPrintPreviewDialog_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QPrintPreviewDialog::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QPrintPreviewDialog::open() void cbs_open_0_0() { @@ -496,6 +516,12 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } + // [emitter impl] void QPrintPreviewDialog::paintRequested(QPrinter *printer) + void emitter_QPrintPreviewDialog_paintRequested_1443(QPrinter *printer) + { + emit QPrintPreviewDialog::paintRequested(printer); + } + // [adaptor impl] void QPrintPreviewDialog::reject() void cbs_reject_0_0() { @@ -511,6 +537,12 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } + // [emitter impl] void QPrintPreviewDialog::rejected() + void emitter_QPrintPreviewDialog_rejected_0() + { + emit QPrintPreviewDialog::rejected(); + } + // [adaptor impl] void QPrintPreviewDialog::setVisible(bool visible) void cbs_setVisible_864_0(bool visible) { @@ -541,6 +573,24 @@ class QPrintPreviewDialog_Adaptor : public QPrintPreviewDialog, public qt_gsi::Q } } + // [emitter impl] void QPrintPreviewDialog::windowIconChanged(const QIcon &icon) + void emitter_QPrintPreviewDialog_windowIconChanged_1787(const QIcon &icon) + { + emit QPrintPreviewDialog::windowIconChanged(icon); + } + + // [emitter impl] void QPrintPreviewDialog::windowIconTextChanged(const QString &iconText) + void emitter_QPrintPreviewDialog_windowIconTextChanged_2025(const QString &iconText) + { + emit QPrintPreviewDialog::windowIconTextChanged(iconText); + } + + // [emitter impl] void QPrintPreviewDialog::windowTitleChanged(const QString &title) + void emitter_QPrintPreviewDialog_windowTitleChanged_2025(const QString &title) + { + emit QPrintPreviewDialog::windowTitleChanged(title); + } + // [adaptor impl] void QPrintPreviewDialog::actionEvent(QActionEvent *event) void cbs_actionEvent_1823_0(QActionEvent *event) { @@ -1230,6 +1280,20 @@ static void _set_callback_cbs_accept_0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QPrintPreviewDialog::accepted() + +static void _init_emitter_accepted_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_accepted_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QPrintPreviewDialog_Adaptor *)cls)->emitter_QPrintPreviewDialog_accepted_0 (); +} + + // void QPrintPreviewDialog::actionEvent(QActionEvent *event) static void _init_cbs_actionEvent_1823_0 (qt_gsi::GenericMethod *decl) @@ -1394,6 +1458,24 @@ static void _call_fp_create_2208 (const qt_gsi::GenericMethod * /*decl*/, void * } +// emitter void QPrintPreviewDialog::customContextMenuRequested(const QPoint &pos) + +static void _init_emitter_customContextMenuRequested_1916 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("pos"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPoint &arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewDialog_Adaptor *)cls)->emitter_QPrintPreviewDialog_customContextMenuRequested_1916 (arg1); +} + + // void QPrintPreviewDialog::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) @@ -1440,6 +1522,24 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void } +// emitter void QPrintPreviewDialog::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QPrintPreviewDialog_Adaptor *)cls)->emitter_QPrintPreviewDialog_destroyed_1302 (arg1); +} + + // void QPrintPreviewDialog::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -1676,6 +1776,24 @@ static void _set_callback_cbs_exec_0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QPrintPreviewDialog::finished(int result) + +static void _init_emitter_finished_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("result"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_finished_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewDialog_Adaptor *)cls)->emitter_QPrintPreviewDialog_finished_767 (arg1); +} + + // void QPrintPreviewDialog::focusInEvent(QFocusEvent *event) static void _init_cbs_focusInEvent_1729_0 (qt_gsi::GenericMethod *decl) @@ -2193,6 +2311,24 @@ static void _set_callback_cbs_nativeEvent_6949_0 (void *cls, const gsi::Callback } +// emitter void QPrintPreviewDialog::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewDialog_Adaptor *)cls)->emitter_QPrintPreviewDialog_objectNameChanged_4567 (arg1); +} + + // void QPrintPreviewDialog::open() static void _init_cbs_open_0_0 (qt_gsi::GenericMethod *decl) @@ -2256,6 +2392,24 @@ static void _set_callback_cbs_paintEvent_1725_0 (void *cls, const gsi::Callback } +// emitter void QPrintPreviewDialog::paintRequested(QPrinter *printer) + +static void _init_emitter_paintRequested_1443 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("printer"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_paintRequested_1443 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QPrinter *arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewDialog_Adaptor *)cls)->emitter_QPrintPreviewDialog_paintRequested_1443 (arg1); +} + + // exposed int QPrintPreviewDialog::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -2317,6 +2471,20 @@ static void _set_callback_cbs_reject_0_0 (void *cls, const gsi::Callback &cb) } +// emitter void QPrintPreviewDialog::rejected() + +static void _init_emitter_rejected_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_rejected_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QPrintPreviewDialog_Adaptor *)cls)->emitter_QPrintPreviewDialog_rejected_0 (); +} + + // void QPrintPreviewDialog::resizeEvent(QResizeEvent *) static void _init_cbs_resizeEvent_1843_0 (qt_gsi::GenericMethod *decl) @@ -2546,6 +2714,60 @@ static void _set_callback_cbs_wheelEvent_1718_0 (void *cls, const gsi::Callback } +// emitter void QPrintPreviewDialog::windowIconChanged(const QIcon &icon) + +static void _init_emitter_windowIconChanged_1787 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("icon"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowIconChanged_1787 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QIcon &arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewDialog_Adaptor *)cls)->emitter_QPrintPreviewDialog_windowIconChanged_1787 (arg1); +} + + +// emitter void QPrintPreviewDialog::windowIconTextChanged(const QString &iconText) + +static void _init_emitter_windowIconTextChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("iconText"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowIconTextChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewDialog_Adaptor *)cls)->emitter_QPrintPreviewDialog_windowIconTextChanged_2025 (arg1); +} + + +// emitter void QPrintPreviewDialog::windowTitleChanged(const QString &title) + +static void _init_emitter_windowTitleChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("title"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowTitleChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewDialog_Adaptor *)cls)->emitter_QPrintPreviewDialog_windowTitleChanged_2025 (arg1); +} + + namespace gsi { @@ -2557,6 +2779,7 @@ static gsi::Methods methods_QPrintPreviewDialog_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QPrintPreviewDialog::QPrintPreviewDialog(QPrinter *printer, QWidget *parent, QFlags flags)\nThis method creates an object of class QPrintPreviewDialog.", &_init_ctor_QPrintPreviewDialog_Adaptor_5037, &_call_ctor_QPrintPreviewDialog_Adaptor_5037); methods += new qt_gsi::GenericMethod ("accept", "@brief Virtual method void QPrintPreviewDialog::accept()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0); methods += new qt_gsi::GenericMethod ("accept", "@hide", false, &_init_cbs_accept_0_0, &_call_cbs_accept_0_0, &_set_callback_cbs_accept_0_0); + methods += new qt_gsi::GenericMethod ("emit_accepted", "@brief Emitter for signal void QPrintPreviewDialog::accepted()\nCall this method to emit this signal.", false, &_init_emitter_accepted_0, &_call_emitter_accepted_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@brief Virtual method void QPrintPreviewDialog::actionEvent(QActionEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*actionEvent", "@hide", false, &_init_cbs_actionEvent_1823_0, &_call_cbs_actionEvent_1823_0, &_set_callback_cbs_actionEvent_1823_0); methods += new qt_gsi::GenericMethod ("*adjustPosition", "@brief Method void QPrintPreviewDialog::adjustPosition(QWidget *)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_adjustPosition_1315, &_call_fp_adjustPosition_1315); @@ -2569,9 +2792,11 @@ static gsi::Methods methods_QPrintPreviewDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QPrintPreviewDialog::contextMenuEvent(QContextMenuEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QPrintPreviewDialog::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QPrintPreviewDialog::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPrintPreviewDialog::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QPrintPreviewDialog::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QPrintPreviewDialog::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPrintPreviewDialog::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("done", "@brief Virtual method void QPrintPreviewDialog::done(int result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_done_767_0, &_call_cbs_done_767_0); @@ -2592,6 +2817,7 @@ static gsi::Methods methods_QPrintPreviewDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("exec", "@brief Virtual method int QPrintPreviewDialog::exec()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0); methods += new qt_gsi::GenericMethod ("exec", "@hide", false, &_init_cbs_exec_0_0, &_call_cbs_exec_0_0, &_set_callback_cbs_exec_0_0); + methods += new qt_gsi::GenericMethod ("emit_finished", "@brief Emitter for signal void QPrintPreviewDialog::finished(int result)\nCall this method to emit this signal.", false, &_init_emitter_finished_767, &_call_emitter_finished_767); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@brief Virtual method void QPrintPreviewDialog::focusInEvent(QFocusEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusInEvent", "@hide", false, &_init_cbs_focusInEvent_1729_0, &_call_cbs_focusInEvent_1729_0, &_set_callback_cbs_focusInEvent_1729_0); methods += new qt_gsi::GenericMethod ("*focusNextChild", "@brief Method bool QPrintPreviewDialog::focusNextChild()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_focusNextChild_0, &_call_fp_focusNextChild_0); @@ -2635,17 +2861,20 @@ static gsi::Methods methods_QPrintPreviewDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QPrintPreviewDialog::nativeEvent(const QByteArray &eventType, void *message, QIntegerForSizeof::Signed *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_6949_0, &_call_cbs_nativeEvent_6949_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_6949_0, &_call_cbs_nativeEvent_6949_0, &_set_callback_cbs_nativeEvent_6949_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QPrintPreviewDialog::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("open", "@brief Virtual method void QPrintPreviewDialog::open()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("open", "@hide", false, &_init_cbs_open_0_0, &_call_cbs_open_0_0, &_set_callback_cbs_open_0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QPrintPreviewDialog::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QPrintPreviewDialog::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("emit_paintRequested", "@brief Emitter for signal void QPrintPreviewDialog::paintRequested(QPrinter *printer)\nCall this method to emit this signal.", false, &_init_emitter_paintRequested_1443, &_call_emitter_paintRequested_1443); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QPrintPreviewDialog::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QPrintPreviewDialog::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("reject", "@brief Virtual method void QPrintPreviewDialog::reject()\nThis method can be reimplemented in a derived class.", false, &_init_cbs_reject_0_0, &_call_cbs_reject_0_0); methods += new qt_gsi::GenericMethod ("reject", "@hide", false, &_init_cbs_reject_0_0, &_call_cbs_reject_0_0, &_set_callback_cbs_reject_0_0); + methods += new qt_gsi::GenericMethod ("emit_rejected", "@brief Emitter for signal void QPrintPreviewDialog::rejected()\nCall this method to emit this signal.", false, &_init_emitter_rejected_0, &_call_emitter_rejected_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@brief Virtual method void QPrintPreviewDialog::resizeEvent(QResizeEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*resizeEvent", "@hide", false, &_init_cbs_resizeEvent_1843_0, &_call_cbs_resizeEvent_1843_0, &_set_callback_cbs_resizeEvent_1843_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QPrintPreviewDialog::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); @@ -2665,6 +2894,9 @@ static gsi::Methods methods_QPrintPreviewDialog_Adaptor () { methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QPrintPreviewDialog::updateMicroFocus(Qt::InputMethodQuery query)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_2420, &_call_fp_updateMicroFocus_2420); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QPrintPreviewDialog::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QPrintPreviewDialog::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); + methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QPrintPreviewDialog::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); + methods += new qt_gsi::GenericMethod ("emit_windowTitleChanged", "@brief Emitter for signal void QPrintPreviewDialog::windowTitleChanged(const QString &title)\nCall this method to emit this signal.", false, &_init_emitter_windowTitleChanged_2025, &_call_emitter_windowTitleChanged_2025); return methods; } diff --git a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc index 01d5e303be..5b7a9ab33d 100644 --- a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc +++ b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc @@ -180,42 +180,6 @@ static void _call_f_pageCount_c0 (const qt_gsi::GenericMethod * /*decl*/, void * } -// void QPrintPreviewWidget::paintRequested(QPrinter *printer) - - -static void _init_f_paintRequested_1443 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("printer"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_paintRequested_1443 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QPrinter *arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QPrintPreviewWidget *)cls)->paintRequested (arg1); -} - - -// void QPrintPreviewWidget::previewChanged() - - -static void _init_f_previewChanged_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_previewChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QPrintPreviewWidget *)cls)->previewChanged (); -} - - // void QPrintPreviewWidget::print() @@ -569,8 +533,6 @@ static gsi::Methods methods_QPrintPreviewWidget () { methods += new qt_gsi::GenericMethod ("fitToWidth", "@brief Method void QPrintPreviewWidget::fitToWidth()\n", false, &_init_f_fitToWidth_0, &_call_f_fitToWidth_0); methods += new qt_gsi::GenericMethod (":orientation", "@brief Method QPageLayout::Orientation QPrintPreviewWidget::orientation()\n", true, &_init_f_orientation_c0, &_call_f_orientation_c0); methods += new qt_gsi::GenericMethod ("pageCount", "@brief Method int QPrintPreviewWidget::pageCount()\n", true, &_init_f_pageCount_c0, &_call_f_pageCount_c0); - methods += new qt_gsi::GenericMethod ("paintRequested", "@brief Method void QPrintPreviewWidget::paintRequested(QPrinter *printer)\n", false, &_init_f_paintRequested_1443, &_call_f_paintRequested_1443); - methods += new qt_gsi::GenericMethod ("previewChanged", "@brief Method void QPrintPreviewWidget::previewChanged()\n", false, &_init_f_previewChanged_0, &_call_f_previewChanged_0); methods += new qt_gsi::GenericMethod ("print", "@brief Method void QPrintPreviewWidget::print()\n", false, &_init_f_print_0, &_call_f_print_0); methods += new qt_gsi::GenericMethod ("setAllPagesViewMode", "@brief Method void QPrintPreviewWidget::setAllPagesViewMode()\n", false, &_init_f_setAllPagesViewMode_0, &_call_f_setAllPagesViewMode_0); methods += new qt_gsi::GenericMethod ("setCurrentPage|currentPage=", "@brief Method void QPrintPreviewWidget::setCurrentPage(int pageNumber)\n", false, &_init_f_setCurrentPage_767, &_call_f_setCurrentPage_767); @@ -589,6 +551,14 @@ static gsi::Methods methods_QPrintPreviewWidget () { methods += new qt_gsi::GenericMethod ("zoomIn", "@brief Method void QPrintPreviewWidget::zoomIn(double zoom)\n", false, &_init_f_zoomIn_1071, &_call_f_zoomIn_1071); methods += new qt_gsi::GenericMethod (":zoomMode", "@brief Method QPrintPreviewWidget::ZoomMode QPrintPreviewWidget::zoomMode()\n", true, &_init_f_zoomMode_c0, &_call_f_zoomMode_c0); methods += new qt_gsi::GenericMethod ("zoomOut", "@brief Method void QPrintPreviewWidget::zoomOut(double zoom)\n", false, &_init_f_zoomOut_1071, &_call_f_zoomOut_1071); + methods += gsi::qt_signal ("customContextMenuRequested(const QPoint &)", "customContextMenuRequested", gsi::arg("pos"), "@brief Signal declaration for QPrintPreviewWidget::customContextMenuRequested(const QPoint &pos)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QPrintPreviewWidget::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QPrintPreviewWidget::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("paintRequested(QPrinter *)", "paintRequested", gsi::arg("printer"), "@brief Signal declaration for QPrintPreviewWidget::paintRequested(QPrinter *printer)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("previewChanged()", "previewChanged", "@brief Signal declaration for QPrintPreviewWidget::previewChanged()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowIconChanged(const QIcon &)", "windowIconChanged", gsi::arg("icon"), "@brief Signal declaration for QPrintPreviewWidget::windowIconChanged(const QIcon &icon)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowIconTextChanged(const QString &)", "windowIconTextChanged", gsi::arg("iconText"), "@brief Signal declaration for QPrintPreviewWidget::windowIconTextChanged(const QString &iconText)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("windowTitleChanged(const QString &)", "windowTitleChanged", gsi::arg("title"), "@brief Signal declaration for QPrintPreviewWidget::windowTitleChanged(const QString &title)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QPrintPreviewWidget::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -691,6 +661,18 @@ class QPrintPreviewWidget_Adaptor : public QPrintPreviewWidget, public qt_gsi::Q QPrintPreviewWidget::updateMicroFocus(qt_gsi::QtToCppAdaptor(query).cref()); } + // [emitter impl] void QPrintPreviewWidget::customContextMenuRequested(const QPoint &pos) + void emitter_QPrintPreviewWidget_customContextMenuRequested_1916(const QPoint &pos) + { + emit QPrintPreviewWidget::customContextMenuRequested(pos); + } + + // [emitter impl] void QPrintPreviewWidget::destroyed(QObject *) + void emitter_QPrintPreviewWidget_destroyed_1302(QObject *arg1) + { + emit QPrintPreviewWidget::destroyed(arg1); + } + // [adaptor impl] bool QPrintPreviewWidget::eventFilter(QObject *watched, QEvent *event) bool cbs_eventFilter_2411_0(QObject *watched, QEvent *event) { @@ -766,6 +748,13 @@ class QPrintPreviewWidget_Adaptor : public QPrintPreviewWidget, public qt_gsi::Q } } + // [emitter impl] void QPrintPreviewWidget::objectNameChanged(const QString &objectName) + void emitter_QPrintPreviewWidget_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QPrintPreviewWidget::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] QPaintEngine *QPrintPreviewWidget::paintEngine() QPaintEngine * cbs_paintEngine_c0_0() const { @@ -781,6 +770,18 @@ class QPrintPreviewWidget_Adaptor : public QPrintPreviewWidget, public qt_gsi::Q } } + // [emitter impl] void QPrintPreviewWidget::paintRequested(QPrinter *printer) + void emitter_QPrintPreviewWidget_paintRequested_1443(QPrinter *printer) + { + emit QPrintPreviewWidget::paintRequested(printer); + } + + // [emitter impl] void QPrintPreviewWidget::previewChanged() + void emitter_QPrintPreviewWidget_previewChanged_0() + { + emit QPrintPreviewWidget::previewChanged(); + } + // [adaptor impl] void QPrintPreviewWidget::setVisible(bool visible) void cbs_setVisible_864_0(bool visible) { @@ -811,6 +812,24 @@ class QPrintPreviewWidget_Adaptor : public QPrintPreviewWidget, public qt_gsi::Q } } + // [emitter impl] void QPrintPreviewWidget::windowIconChanged(const QIcon &icon) + void emitter_QPrintPreviewWidget_windowIconChanged_1787(const QIcon &icon) + { + emit QPrintPreviewWidget::windowIconChanged(icon); + } + + // [emitter impl] void QPrintPreviewWidget::windowIconTextChanged(const QString &iconText) + void emitter_QPrintPreviewWidget_windowIconTextChanged_2025(const QString &iconText) + { + emit QPrintPreviewWidget::windowIconTextChanged(iconText); + } + + // [emitter impl] void QPrintPreviewWidget::windowTitleChanged(const QString &title) + void emitter_QPrintPreviewWidget_windowTitleChanged_2025(const QString &title) + { + emit QPrintPreviewWidget::windowTitleChanged(title); + } + // [adaptor impl] void QPrintPreviewWidget::actionEvent(QActionEvent *event) void cbs_actionEvent_1823_0(QActionEvent *event) { @@ -1605,6 +1624,24 @@ static void _call_fp_create_2208 (const qt_gsi::GenericMethod * /*decl*/, void * } +// emitter void QPrintPreviewWidget::customContextMenuRequested(const QPoint &pos) + +static void _init_emitter_customContextMenuRequested_1916 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("pos"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_customContextMenuRequested_1916 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QPoint &arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewWidget_Adaptor *)cls)->emitter_QPrintPreviewWidget_customContextMenuRequested_1916 (arg1); +} + + // void QPrintPreviewWidget::customEvent(QEvent *event) static void _init_cbs_customEvent_1217_0 (qt_gsi::GenericMethod *decl) @@ -1651,6 +1688,24 @@ static void _call_fp_destroy_1620 (const qt_gsi::GenericMethod * /*decl*/, void } +// emitter void QPrintPreviewWidget::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QPrintPreviewWidget_Adaptor *)cls)->emitter_QPrintPreviewWidget_destroyed_1302 (arg1); +} + + // void QPrintPreviewWidget::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -2361,6 +2416,24 @@ static void _set_callback_cbs_nativeEvent_6949_0 (void *cls, const gsi::Callback } +// emitter void QPrintPreviewWidget::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewWidget_Adaptor *)cls)->emitter_QPrintPreviewWidget_objectNameChanged_4567 (arg1); +} + + // QPaintEngine *QPrintPreviewWidget::paintEngine() static void _init_cbs_paintEngine_c0_0 (qt_gsi::GenericMethod *decl) @@ -2404,6 +2477,38 @@ static void _set_callback_cbs_paintEvent_1725_0 (void *cls, const gsi::Callback } +// emitter void QPrintPreviewWidget::paintRequested(QPrinter *printer) + +static void _init_emitter_paintRequested_1443 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("printer"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_paintRequested_1443 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QPrinter *arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewWidget_Adaptor *)cls)->emitter_QPrintPreviewWidget_paintRequested_1443 (arg1); +} + + +// emitter void QPrintPreviewWidget::previewChanged() + +static void _init_emitter_previewChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_previewChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QPrintPreviewWidget_Adaptor *)cls)->emitter_QPrintPreviewWidget_previewChanged_0 (); +} + + // exposed int QPrintPreviewWidget::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -2674,6 +2779,60 @@ static void _set_callback_cbs_wheelEvent_1718_0 (void *cls, const gsi::Callback } +// emitter void QPrintPreviewWidget::windowIconChanged(const QIcon &icon) + +static void _init_emitter_windowIconChanged_1787 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("icon"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowIconChanged_1787 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QIcon &arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewWidget_Adaptor *)cls)->emitter_QPrintPreviewWidget_windowIconChanged_1787 (arg1); +} + + +// emitter void QPrintPreviewWidget::windowIconTextChanged(const QString &iconText) + +static void _init_emitter_windowIconTextChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("iconText"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowIconTextChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewWidget_Adaptor *)cls)->emitter_QPrintPreviewWidget_windowIconTextChanged_2025 (arg1); +} + + +// emitter void QPrintPreviewWidget::windowTitleChanged(const QString &title) + +static void _init_emitter_windowTitleChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("title"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_windowTitleChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QPrintPreviewWidget_Adaptor *)cls)->emitter_QPrintPreviewWidget_windowTitleChanged_2025 (arg1); +} + + namespace gsi { @@ -2694,9 +2853,11 @@ static gsi::Methods methods_QPrintPreviewWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@brief Virtual method void QPrintPreviewWidget::contextMenuEvent(QContextMenuEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*contextMenuEvent", "@hide", false, &_init_cbs_contextMenuEvent_2363_0, &_call_cbs_contextMenuEvent_2363_0, &_set_callback_cbs_contextMenuEvent_2363_0); methods += new qt_gsi::GenericMethod ("*create|qt_create", "@brief Method void QPrintPreviewWidget::create(WId, bool initializeWindow, bool destroyOldWindow)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_create_2208, &_call_fp_create_2208); + methods += new qt_gsi::GenericMethod ("emit_customContextMenuRequested", "@brief Emitter for signal void QPrintPreviewWidget::customContextMenuRequested(const QPoint &pos)\nCall this method to emit this signal.", false, &_init_emitter_customContextMenuRequested_1916, &_call_emitter_customContextMenuRequested_1916); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QPrintPreviewWidget::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*destroy|qt_destroy", "@brief Method void QPrintPreviewWidget::destroy(bool destroyWindow, bool destroySubWindows)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_destroy_1620, &_call_fp_destroy_1620); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QPrintPreviewWidget::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QPrintPreviewWidget::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*dragEnterEvent", "@brief Virtual method void QPrintPreviewWidget::dragEnterEvent(QDragEnterEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_dragEnterEvent_2109_0, &_call_cbs_dragEnterEvent_2109_0); @@ -2756,10 +2917,13 @@ static gsi::Methods methods_QPrintPreviewWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*moveEvent", "@hide", false, &_init_cbs_moveEvent_1624_0, &_call_cbs_moveEvent_1624_0, &_set_callback_cbs_moveEvent_1624_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@brief Virtual method bool QPrintPreviewWidget::nativeEvent(const QByteArray &eventType, void *message, QIntegerForSizeof::Signed *result)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_nativeEvent_6949_0, &_call_cbs_nativeEvent_6949_0); methods += new qt_gsi::GenericMethod ("*nativeEvent", "@hide", false, &_init_cbs_nativeEvent_6949_0, &_call_cbs_nativeEvent_6949_0, &_set_callback_cbs_nativeEvent_6949_0); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QPrintPreviewWidget::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Virtual method QPaintEngine *QPrintPreviewWidget::paintEngine()\nThis method can be reimplemented in a derived class.", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("paintEngine", "@hide", true, &_init_cbs_paintEngine_c0_0, &_call_cbs_paintEngine_c0_0, &_set_callback_cbs_paintEngine_c0_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@brief Virtual method void QPrintPreviewWidget::paintEvent(QPaintEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0); methods += new qt_gsi::GenericMethod ("*paintEvent", "@hide", false, &_init_cbs_paintEvent_1725_0, &_call_cbs_paintEvent_1725_0, &_set_callback_cbs_paintEvent_1725_0); + methods += new qt_gsi::GenericMethod ("emit_paintRequested", "@brief Emitter for signal void QPrintPreviewWidget::paintRequested(QPrinter *printer)\nCall this method to emit this signal.", false, &_init_emitter_paintRequested_1443, &_call_emitter_paintRequested_1443); + methods += new qt_gsi::GenericMethod ("emit_previewChanged", "@brief Emitter for signal void QPrintPreviewWidget::previewChanged()\nCall this method to emit this signal.", false, &_init_emitter_previewChanged_0, &_call_emitter_previewChanged_0); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QPrintPreviewWidget::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*redirected", "@brief Virtual method QPaintDevice *QPrintPreviewWidget::redirected(QPoint *offset)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0); methods += new qt_gsi::GenericMethod ("*redirected", "@hide", true, &_init_cbs_redirected_c1225_0, &_call_cbs_redirected_c1225_0, &_set_callback_cbs_redirected_c1225_0); @@ -2782,6 +2946,9 @@ static gsi::Methods methods_QPrintPreviewWidget_Adaptor () { methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QPrintPreviewWidget::updateMicroFocus(Qt::InputMethodQuery query)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_2420, &_call_fp_updateMicroFocus_2420); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@brief Virtual method void QPrintPreviewWidget::wheelEvent(QWheelEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0); methods += new qt_gsi::GenericMethod ("*wheelEvent", "@hide", false, &_init_cbs_wheelEvent_1718_0, &_call_cbs_wheelEvent_1718_0, &_set_callback_cbs_wheelEvent_1718_0); + methods += new qt_gsi::GenericMethod ("emit_windowIconChanged", "@brief Emitter for signal void QPrintPreviewWidget::windowIconChanged(const QIcon &icon)\nCall this method to emit this signal.", false, &_init_emitter_windowIconChanged_1787, &_call_emitter_windowIconChanged_1787); + methods += new qt_gsi::GenericMethod ("emit_windowIconTextChanged", "@brief Emitter for signal void QPrintPreviewWidget::windowIconTextChanged(const QString &iconText)\nCall this method to emit this signal.", false, &_init_emitter_windowIconTextChanged_2025, &_call_emitter_windowIconTextChanged_2025); + methods += new qt_gsi::GenericMethod ("emit_windowTitleChanged", "@brief Emitter for signal void QPrintPreviewWidget::windowTitleChanged(const QString &title)\nCall this method to emit this signal.", false, &_init_emitter_windowTitleChanged_2025, &_call_emitter_windowTitleChanged_2025); return methods; } diff --git a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrinter.cc b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrinter.cc index 71c9bef6a8..727c764b22 100644 --- a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrinter.cc +++ b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrinter.cc @@ -876,7 +876,7 @@ static gsi::Methods methods_QPrinter () { methods += new qt_gsi::GenericMethod ("paintEngine", "@brief Method QPaintEngine *QPrinter::paintEngine()\nThis is a reimplementation of QPaintDevice::paintEngine", true, &_init_f_paintEngine_c0, &_call_f_paintEngine_c0); methods += new qt_gsi::GenericMethod ("paperRect", "@brief Method QRectF QPrinter::paperRect(QPrinter::Unit)\n", true, &_init_f_paperRect_c1789, &_call_f_paperRect_c1789); methods += new qt_gsi::GenericMethod (":paperSource", "@brief Method QPrinter::PaperSource QPrinter::paperSource()\n", true, &_init_f_paperSource_c0, &_call_f_paperSource_c0); - methods += new qt_gsi::GenericMethod ("pdfVersion", "@brief Method QPagedPaintDevice::PdfVersion QPrinter::pdfVersion()\n", true, &_init_f_pdfVersion_c0, &_call_f_pdfVersion_c0); + methods += new qt_gsi::GenericMethod (":pdfVersion", "@brief Method QPagedPaintDevice::PdfVersion QPrinter::pdfVersion()\n", true, &_init_f_pdfVersion_c0, &_call_f_pdfVersion_c0); methods += new qt_gsi::GenericMethod ("printEngine", "@brief Method QPrintEngine *QPrinter::printEngine()\n", true, &_init_f_printEngine_c0, &_call_f_printEngine_c0); methods += new qt_gsi::GenericMethod (":printProgram", "@brief Method QString QPrinter::printProgram()\n", true, &_init_f_printProgram_c0, &_call_f_printProgram_c0); methods += new qt_gsi::GenericMethod (":printRange", "@brief Method QPrinter::PrintRange QPrinter::printRange()\n", true, &_init_f_printRange_c0, &_call_f_printRange_c0); @@ -896,7 +896,7 @@ static gsi::Methods methods_QPrinter () { methods += new qt_gsi::GenericMethod ("setOutputFormat|outputFormat=", "@brief Method void QPrinter::setOutputFormat(QPrinter::OutputFormat format)\n", false, &_init_f_setOutputFormat_2647, &_call_f_setOutputFormat_2647); methods += new qt_gsi::GenericMethod ("setPageOrder|pageOrder=", "@brief Method void QPrinter::setPageOrder(QPrinter::PageOrder)\n", false, &_init_f_setPageOrder_2262, &_call_f_setPageOrder_2262); methods += new qt_gsi::GenericMethod ("setPaperSource|paperSource=", "@brief Method void QPrinter::setPaperSource(QPrinter::PaperSource)\n", false, &_init_f_setPaperSource_2502, &_call_f_setPaperSource_2502); - methods += new qt_gsi::GenericMethod ("setPdfVersion", "@brief Method void QPrinter::setPdfVersion(QPagedPaintDevice::PdfVersion version)\n", false, &_init_f_setPdfVersion_3238, &_call_f_setPdfVersion_3238); + methods += new qt_gsi::GenericMethod ("setPdfVersion|pdfVersion=", "@brief Method void QPrinter::setPdfVersion(QPagedPaintDevice::PdfVersion version)\n", false, &_init_f_setPdfVersion_3238, &_call_f_setPdfVersion_3238); methods += new qt_gsi::GenericMethod ("setPrintProgram|printProgram=", "@brief Method void QPrinter::setPrintProgram(const QString &)\n", false, &_init_f_setPrintProgram_2025, &_call_f_setPrintProgram_2025); methods += new qt_gsi::GenericMethod ("setPrintRange|printRange=", "@brief Method void QPrinter::setPrintRange(QPrinter::PrintRange range)\n", false, &_init_f_setPrintRange_2391, &_call_f_setPrintRange_2391); methods += new qt_gsi::GenericMethod ("setPrinterName|printerName=", "@brief Method void QPrinter::setPrinterName(const QString &)\n", false, &_init_f_setPrinterName_2025, &_call_f_setPrinterName_2025); diff --git a/src/gsiqt/qt6/QtSql/gsiDeclQSqlError.cc b/src/gsiqt/qt6/QtSql/gsiDeclQSqlError.cc index dd10675062..2dcb176594 100644 --- a/src/gsiqt/qt6/QtSql/gsiDeclQSqlError.cc +++ b/src/gsiqt/qt6/QtSql/gsiDeclQSqlError.cc @@ -257,8 +257,8 @@ static gsi::Methods methods_QSqlError () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSqlError::QSqlError(const QString &driverText, const QString &databaseText, QSqlError::ErrorType type, const QString &errorCode)\nThis method creates an object of class QSqlError.", &_init_ctor_QSqlError_8150, &_call_ctor_QSqlError_8150); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QSqlError::QSqlError(const QSqlError &other)\nThis method creates an object of class QSqlError.", &_init_ctor_QSqlError_2220, &_call_ctor_QSqlError_2220); - methods += new qt_gsi::GenericMethod (":databaseText", "@brief Method QString QSqlError::databaseText()\n", true, &_init_f_databaseText_c0, &_call_f_databaseText_c0); - methods += new qt_gsi::GenericMethod (":driverText", "@brief Method QString QSqlError::driverText()\n", true, &_init_f_driverText_c0, &_call_f_driverText_c0); + methods += new qt_gsi::GenericMethod ("databaseText", "@brief Method QString QSqlError::databaseText()\n", true, &_init_f_databaseText_c0, &_call_f_databaseText_c0); + methods += new qt_gsi::GenericMethod ("driverText", "@brief Method QString QSqlError::driverText()\n", true, &_init_f_driverText_c0, &_call_f_driverText_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QSqlError::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod ("nativeErrorCode", "@brief Method QString QSqlError::nativeErrorCode()\n", true, &_init_f_nativeErrorCode_c0, &_call_f_nativeErrorCode_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QSqlError::operator!=(const QSqlError &other)\n", true, &_init_f_operator_excl__eq__c2220, &_call_f_operator_excl__eq__c2220); @@ -266,7 +266,7 @@ static gsi::Methods methods_QSqlError () { methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QSqlError::operator==(const QSqlError &other)\n", true, &_init_f_operator_eq__eq__c2220, &_call_f_operator_eq__eq__c2220); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QSqlError::swap(QSqlError &other)\n", false, &_init_f_swap_1525, &_call_f_swap_1525); methods += new qt_gsi::GenericMethod ("text", "@brief Method QString QSqlError::text()\n", true, &_init_f_text_c0, &_call_f_text_c0); - methods += new qt_gsi::GenericMethod (":type", "@brief Method QSqlError::ErrorType QSqlError::type()\n", true, &_init_f_type_c0, &_call_f_type_c0); + methods += new qt_gsi::GenericMethod ("type", "@brief Method QSqlError::ErrorType QSqlError::type()\n", true, &_init_f_type_c0, &_call_f_type_c0); return methods; } diff --git a/src/gsiqt/qt6/QtSql/gsiDeclQSqlField.cc b/src/gsiqt/qt6/QtSql/gsiDeclQSqlField.cc index 5e020d4464..bec3f1d458 100644 --- a/src/gsiqt/qt6/QtSql/gsiDeclQSqlField.cc +++ b/src/gsiqt/qt6/QtSql/gsiDeclQSqlField.cc @@ -700,7 +700,7 @@ static gsi::Methods methods_QSqlField () { methods += new qt_gsi::GenericMethod ("isReadOnly?|:readOnly", "@brief Method bool QSqlField::isReadOnly()\n", true, &_init_f_isReadOnly_c0, &_call_f_isReadOnly_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QSqlField::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod (":length", "@brief Method int QSqlField::length()\n", true, &_init_f_length_c0, &_call_f_length_c0); - methods += new qt_gsi::GenericMethod ("metaType", "@brief Method QMetaType QSqlField::metaType()\n", true, &_init_f_metaType_c0, &_call_f_metaType_c0); + methods += new qt_gsi::GenericMethod (":metaType", "@brief Method QMetaType QSqlField::metaType()\n", true, &_init_f_metaType_c0, &_call_f_metaType_c0); methods += new qt_gsi::GenericMethod (":name", "@brief Method QString QSqlField::name()\n", true, &_init_f_name_c0, &_call_f_name_c0); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QSqlField::operator!=(const QSqlField &other)\n", true, &_init_f_operator_excl__eq__c2182, &_call_f_operator_excl__eq__c2182); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QSqlField &QSqlField::operator=(const QSqlField &other)\n", false, &_init_f_operator_eq__2182, &_call_f_operator_eq__2182); @@ -711,17 +711,17 @@ static gsi::Methods methods_QSqlField () { methods += new qt_gsi::GenericMethod ("setDefaultValue|defaultValue=", "@brief Method void QSqlField::setDefaultValue(const QVariant &value)\n", false, &_init_f_setDefaultValue_2119, &_call_f_setDefaultValue_2119); methods += new qt_gsi::GenericMethod ("setGenerated|generated=", "@brief Method void QSqlField::setGenerated(bool gen)\n", false, &_init_f_setGenerated_864, &_call_f_setGenerated_864); methods += new qt_gsi::GenericMethod ("setLength|length=", "@brief Method void QSqlField::setLength(int fieldLength)\n", false, &_init_f_setLength_767, &_call_f_setLength_767); - methods += new qt_gsi::GenericMethod ("setMetaType", "@brief Method void QSqlField::setMetaType(QMetaType type)\n", false, &_init_f_setMetaType_1326, &_call_f_setMetaType_1326); + methods += new qt_gsi::GenericMethod ("setMetaType|metaType=", "@brief Method void QSqlField::setMetaType(QMetaType type)\n", false, &_init_f_setMetaType_1326, &_call_f_setMetaType_1326); methods += new qt_gsi::GenericMethod ("setName|name=", "@brief Method void QSqlField::setName(const QString &name)\n", false, &_init_f_setName_2025, &_call_f_setName_2025); methods += new qt_gsi::GenericMethod ("setPrecision|precision=", "@brief Method void QSqlField::setPrecision(int precision)\n", false, &_init_f_setPrecision_767, &_call_f_setPrecision_767); methods += new qt_gsi::GenericMethod ("setReadOnly|readOnly=", "@brief Method void QSqlField::setReadOnly(bool readOnly)\n", false, &_init_f_setReadOnly_864, &_call_f_setReadOnly_864); methods += new qt_gsi::GenericMethod ("setRequired", "@brief Method void QSqlField::setRequired(bool required)\n", false, &_init_f_setRequired_864, &_call_f_setRequired_864); methods += new qt_gsi::GenericMethod ("setRequiredStatus|requiredStatus=", "@brief Method void QSqlField::setRequiredStatus(QSqlField::RequiredStatus status)\n", false, &_init_f_setRequiredStatus_2898, &_call_f_setRequiredStatus_2898); methods += new qt_gsi::GenericMethod ("setSqlType", "@brief Method void QSqlField::setSqlType(int type)\n", false, &_init_f_setSqlType_767, &_call_f_setSqlType_767); - methods += new qt_gsi::GenericMethod ("setTableName", "@brief Method void QSqlField::setTableName(const QString &tableName)\n", false, &_init_f_setTableName_2025, &_call_f_setTableName_2025); + methods += new qt_gsi::GenericMethod ("setTableName|tableName=", "@brief Method void QSqlField::setTableName(const QString &tableName)\n", false, &_init_f_setTableName_2025, &_call_f_setTableName_2025); methods += new qt_gsi::GenericMethod ("setType|type=", "@brief Method void QSqlField::setType(QVariant::Type type)\n", false, &_init_f_setType_1776, &_call_f_setType_1776); methods += new qt_gsi::GenericMethod ("setValue|value=", "@brief Method void QSqlField::setValue(const QVariant &value)\n", false, &_init_f_setValue_2119, &_call_f_setValue_2119); - methods += new qt_gsi::GenericMethod ("tableName", "@brief Method QString QSqlField::tableName()\n", true, &_init_f_tableName_c0, &_call_f_tableName_c0); + methods += new qt_gsi::GenericMethod (":tableName", "@brief Method QString QSqlField::tableName()\n", true, &_init_f_tableName_c0, &_call_f_tableName_c0); methods += new qt_gsi::GenericMethod (":type", "@brief Method QVariant::Type QSqlField::type()\n", true, &_init_f_type_c0, &_call_f_type_c0); methods += new qt_gsi::GenericMethod ("typeID", "@brief Method int QSqlField::typeID()\n", true, &_init_f_typeID_c0, &_call_f_typeID_c0); methods += new qt_gsi::GenericMethod (":value", "@brief Method QVariant QSqlField::value()\n", true, &_init_f_value_c0, &_call_f_value_c0); diff --git a/src/gsiqt/qt6/QtSvg/gsiDeclQSvgRenderer.cc b/src/gsiqt/qt6/QtSvg/gsiDeclQSvgRenderer.cc index bc8b8afd14..d458d9564d 100644 --- a/src/gsiqt/qt6/QtSvg/gsiDeclQSvgRenderer.cc +++ b/src/gsiqt/qt6/QtSvg/gsiDeclQSvgRenderer.cc @@ -329,22 +329,6 @@ static void _call_f_render_5097 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QSvgRenderer::repaintNeeded() - - -static void _init_f_repaintNeeded_0 (qt_gsi::GenericMethod *decl) -{ - decl->set_return (); -} - -static void _call_f_repaintNeeded_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSvgRenderer *)cls)->repaintNeeded (); -} - - // void QSvgRenderer::setAspectRatioMode(Qt::AspectRatioMode mode) @@ -527,7 +511,7 @@ static gsi::Methods methods_QSvgRenderer () { methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); methods += new qt_gsi::GenericMethod ("animated", "@brief Method bool QSvgRenderer::animated()\n", true, &_init_f_animated_c0, &_call_f_animated_c0); methods += new qt_gsi::GenericMethod ("animationDuration", "@brief Method int QSvgRenderer::animationDuration()\n", true, &_init_f_animationDuration_c0, &_call_f_animationDuration_c0); - methods += new qt_gsi::GenericMethod ("aspectRatioMode", "@brief Method Qt::AspectRatioMode QSvgRenderer::aspectRatioMode()\n", true, &_init_f_aspectRatioMode_c0, &_call_f_aspectRatioMode_c0); + methods += new qt_gsi::GenericMethod (":aspectRatioMode", "@brief Method Qt::AspectRatioMode QSvgRenderer::aspectRatioMode()\n", true, &_init_f_aspectRatioMode_c0, &_call_f_aspectRatioMode_c0); methods += new qt_gsi::GenericMethod ("boundsOnElement", "@brief Method QRectF QSvgRenderer::boundsOnElement(const QString &id)\n", true, &_init_f_boundsOnElement_c2025, &_call_f_boundsOnElement_c2025); methods += new qt_gsi::GenericMethod (":currentFrame", "@brief Method int QSvgRenderer::currentFrame()\n", true, &_init_f_currentFrame_c0, &_call_f_currentFrame_c0); methods += new qt_gsi::GenericMethod ("defaultSize", "@brief Method QSize QSvgRenderer::defaultSize()\n", true, &_init_f_defaultSize_c0, &_call_f_defaultSize_c0); @@ -540,8 +524,7 @@ static gsi::Methods methods_QSvgRenderer () { methods += new qt_gsi::GenericMethod ("render", "@brief Method void QSvgRenderer::render(QPainter *p)\n", false, &_init_f_render_1426, &_call_f_render_1426); methods += new qt_gsi::GenericMethod ("render", "@brief Method void QSvgRenderer::render(QPainter *p, const QRectF &bounds)\n", false, &_init_f_render_3180, &_call_f_render_3180); methods += new qt_gsi::GenericMethod ("render", "@brief Method void QSvgRenderer::render(QPainter *p, const QString &elementId, const QRectF &bounds)\n", false, &_init_f_render_5097, &_call_f_render_5097); - methods += new qt_gsi::GenericMethod ("repaintNeeded", "@brief Method void QSvgRenderer::repaintNeeded()\n", false, &_init_f_repaintNeeded_0, &_call_f_repaintNeeded_0); - methods += new qt_gsi::GenericMethod ("setAspectRatioMode", "@brief Method void QSvgRenderer::setAspectRatioMode(Qt::AspectRatioMode mode)\n", false, &_init_f_setAspectRatioMode_2257, &_call_f_setAspectRatioMode_2257); + methods += new qt_gsi::GenericMethod ("setAspectRatioMode|aspectRatioMode=", "@brief Method void QSvgRenderer::setAspectRatioMode(Qt::AspectRatioMode mode)\n", false, &_init_f_setAspectRatioMode_2257, &_call_f_setAspectRatioMode_2257); methods += new qt_gsi::GenericMethod ("setCurrentFrame|currentFrame=", "@brief Method void QSvgRenderer::setCurrentFrame(int)\n", false, &_init_f_setCurrentFrame_767, &_call_f_setCurrentFrame_767); methods += new qt_gsi::GenericMethod ("setFramesPerSecond|framesPerSecond=", "@brief Method void QSvgRenderer::setFramesPerSecond(int num)\n", false, &_init_f_setFramesPerSecond_767, &_call_f_setFramesPerSecond_767); methods += new qt_gsi::GenericMethod ("setViewBox|viewBox=", "@brief Method void QSvgRenderer::setViewBox(const QRect &viewbox)\n", false, &_init_f_setViewBox_1792, &_call_f_setViewBox_1792); @@ -549,6 +532,9 @@ static gsi::Methods methods_QSvgRenderer () { methods += new qt_gsi::GenericMethod ("transformForElement", "@brief Method QTransform QSvgRenderer::transformForElement(const QString &id)\n", true, &_init_f_transformForElement_c2025, &_call_f_transformForElement_c2025); methods += new qt_gsi::GenericMethod (":viewBox", "@brief Method QRect QSvgRenderer::viewBox()\n", true, &_init_f_viewBox_c0, &_call_f_viewBox_c0); methods += new qt_gsi::GenericMethod ("viewBoxF", "@brief Method QRectF QSvgRenderer::viewBoxF()\n", true, &_init_f_viewBoxF_c0, &_call_f_viewBoxF_c0); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QSvgRenderer::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QSvgRenderer::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("repaintNeeded()", "repaintNeeded", "@brief Signal declaration for QSvgRenderer::repaintNeeded()\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QSvgRenderer::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -638,6 +624,12 @@ class QSvgRenderer_Adaptor : public QSvgRenderer, public qt_gsi::QtObjectBase return QSvgRenderer::senderSignalIndex(); } + // [emitter impl] void QSvgRenderer::destroyed(QObject *) + void emitter_QSvgRenderer_destroyed_1302(QObject *arg1) + { + emit QSvgRenderer::destroyed(arg1); + } + // [adaptor impl] bool QSvgRenderer::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -668,6 +660,19 @@ class QSvgRenderer_Adaptor : public QSvgRenderer, public qt_gsi::QtObjectBase } } + // [emitter impl] void QSvgRenderer::objectNameChanged(const QString &objectName) + void emitter_QSvgRenderer_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QSvgRenderer::objectNameChanged(const QString &objectName)'"); + } + + // [emitter impl] void QSvgRenderer::repaintNeeded() + void emitter_QSvgRenderer_repaintNeeded_0() + { + emit QSvgRenderer::repaintNeeded(); + } + // [adaptor impl] void QSvgRenderer::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -867,6 +872,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QSvgRenderer::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QSvgRenderer_Adaptor *)cls)->emitter_QSvgRenderer_destroyed_1302 (arg1); +} + + // void QSvgRenderer::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -958,6 +981,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QSvgRenderer::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QSvgRenderer_Adaptor *)cls)->emitter_QSvgRenderer_objectNameChanged_4567 (arg1); +} + + // exposed int QSvgRenderer::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -976,6 +1017,20 @@ static void _call_fp_receivers_c1731 (const qt_gsi::GenericMethod * /*decl*/, vo } +// emitter void QSvgRenderer::repaintNeeded() + +static void _init_emitter_repaintNeeded_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_repaintNeeded_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QSvgRenderer_Adaptor *)cls)->emitter_QSvgRenderer_repaintNeeded_0 (); +} + + // exposed QObject *QSvgRenderer::sender() static void _init_fp_sender_c0 (qt_gsi::GenericMethod *decl) @@ -1043,6 +1098,7 @@ static gsi::Methods methods_QSvgRenderer_Adaptor () { methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QSvgRenderer::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QSvgRenderer::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QSvgRenderer::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QSvgRenderer::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -1050,7 +1106,9 @@ static gsi::Methods methods_QSvgRenderer_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QSvgRenderer::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QSvgRenderer::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QSvgRenderer::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QSvgRenderer::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); + methods += new qt_gsi::GenericMethod ("emit_repaintNeeded", "@brief Emitter for signal void QSvgRenderer::repaintNeeded()\nCall this method to emit this signal.", false, &_init_emitter_repaintNeeded_0, &_call_emitter_repaintNeeded_0); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QSvgRenderer::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QSvgRenderer::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSvgRenderer::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt6/QtUiTools/gsiDeclQUiLoader.cc b/src/gsiqt/qt6/QtUiTools/gsiDeclQUiLoader.cc index c2f0385ef5..cb2ec7cbb6 100644 --- a/src/gsiqt/qt6/QtUiTools/gsiDeclQUiLoader.cc +++ b/src/gsiqt/qt6/QtUiTools/gsiDeclQUiLoader.cc @@ -413,14 +413,16 @@ static gsi::Methods methods_QUiLoader () { methods += new qt_gsi::GenericMethod ("createLayout", "@brief Method QLayout *QUiLoader::createLayout(const QString &className, QObject *parent, const QString &name)\n", false, &_init_f_createLayout_5136, &_call_f_createLayout_5136); methods += new qt_gsi::GenericMethod ("createWidget", "@brief Method QWidget *QUiLoader::createWidget(const QString &className, QWidget *parent, const QString &name)\n", false, &_init_f_createWidget_5149, &_call_f_createWidget_5149); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QUiLoader::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); - methods += new qt_gsi::GenericMethod ("isLanguageChangeEnabled?", "@brief Method bool QUiLoader::isLanguageChangeEnabled()\n", true, &_init_f_isLanguageChangeEnabled_c0, &_call_f_isLanguageChangeEnabled_c0); - methods += new qt_gsi::GenericMethod ("isTranslationEnabled?", "@brief Method bool QUiLoader::isTranslationEnabled()\n", true, &_init_f_isTranslationEnabled_c0, &_call_f_isTranslationEnabled_c0); + methods += new qt_gsi::GenericMethod ("isLanguageChangeEnabled?|:languageChangeEnabled", "@brief Method bool QUiLoader::isLanguageChangeEnabled()\n", true, &_init_f_isLanguageChangeEnabled_c0, &_call_f_isLanguageChangeEnabled_c0); + methods += new qt_gsi::GenericMethod ("isTranslationEnabled?|:translationEnabled", "@brief Method bool QUiLoader::isTranslationEnabled()\n", true, &_init_f_isTranslationEnabled_c0, &_call_f_isTranslationEnabled_c0); methods += new qt_gsi::GenericMethod ("load", "@brief Method QWidget *QUiLoader::load(QIODevice *device, QWidget *parentWidget)\n", false, &_init_f_load_2654, &_call_f_load_2654); methods += new qt_gsi::GenericMethod ("pluginPaths", "@brief Method QStringList QUiLoader::pluginPaths()\n", true, &_init_f_pluginPaths_c0, &_call_f_pluginPaths_c0); - methods += new qt_gsi::GenericMethod ("setLanguageChangeEnabled", "@brief Method void QUiLoader::setLanguageChangeEnabled(bool enabled)\n", false, &_init_f_setLanguageChangeEnabled_864, &_call_f_setLanguageChangeEnabled_864); - methods += new qt_gsi::GenericMethod ("setTranslationEnabled", "@brief Method void QUiLoader::setTranslationEnabled(bool enabled)\n", false, &_init_f_setTranslationEnabled_864, &_call_f_setTranslationEnabled_864); - methods += new qt_gsi::GenericMethod ("setWorkingDirectory", "@brief Method void QUiLoader::setWorkingDirectory(const QDir &dir)\n", false, &_init_f_setWorkingDirectory_1681, &_call_f_setWorkingDirectory_1681); - methods += new qt_gsi::GenericMethod ("workingDirectory", "@brief Method QDir QUiLoader::workingDirectory()\n", true, &_init_f_workingDirectory_c0, &_call_f_workingDirectory_c0); + methods += new qt_gsi::GenericMethod ("setLanguageChangeEnabled|languageChangeEnabled=", "@brief Method void QUiLoader::setLanguageChangeEnabled(bool enabled)\n", false, &_init_f_setLanguageChangeEnabled_864, &_call_f_setLanguageChangeEnabled_864); + methods += new qt_gsi::GenericMethod ("setTranslationEnabled|translationEnabled=", "@brief Method void QUiLoader::setTranslationEnabled(bool enabled)\n", false, &_init_f_setTranslationEnabled_864, &_call_f_setTranslationEnabled_864); + methods += new qt_gsi::GenericMethod ("setWorkingDirectory|workingDirectory=", "@brief Method void QUiLoader::setWorkingDirectory(const QDir &dir)\n", false, &_init_f_setWorkingDirectory_1681, &_call_f_setWorkingDirectory_1681); + methods += new qt_gsi::GenericMethod (":workingDirectory", "@brief Method QDir QUiLoader::workingDirectory()\n", true, &_init_f_workingDirectory_c0, &_call_f_workingDirectory_c0); + methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QUiLoader::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QUiLoader::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QUiLoader::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -534,6 +536,12 @@ class QUiLoader_Adaptor : public QUiLoader, public qt_gsi::QtObjectBase } } + // [emitter impl] void QUiLoader::destroyed(QObject *) + void emitter_QUiLoader_destroyed_1302(QObject *arg1) + { + emit QUiLoader::destroyed(arg1); + } + // [adaptor impl] bool QUiLoader::event(QEvent *event) bool cbs_event_1217_0(QEvent *_event) { @@ -564,6 +572,13 @@ class QUiLoader_Adaptor : public QUiLoader, public qt_gsi::QtObjectBase } } + // [emitter impl] void QUiLoader::objectNameChanged(const QString &objectName) + void emitter_QUiLoader_objectNameChanged_4567(const QString &objectName) + { + __SUPPRESS_UNUSED_WARNING (objectName); + throw tl::Exception ("Can't emit private signal 'void QUiLoader::objectNameChanged(const QString &objectName)'"); + } + // [adaptor impl] void QUiLoader::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -814,6 +829,24 @@ static void _set_callback_cbs_customEvent_1217_0 (void *cls, const gsi::Callback } +// emitter void QUiLoader::destroyed(QObject *) + +static void _init_emitter_destroyed_1302 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1", true, "nullptr"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_destroyed_1302 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + QObject *arg1 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); + ((QUiLoader_Adaptor *)cls)->emitter_QUiLoader_destroyed_1302 (arg1); +} + + // void QUiLoader::disconnectNotify(const QMetaMethod &signal) static void _init_cbs_disconnectNotify_2394_0 (qt_gsi::GenericMethod *decl) @@ -905,6 +938,24 @@ static void _call_fp_isSignalConnected_c2394 (const qt_gsi::GenericMethod * /*de } +// emitter void QUiLoader::objectNameChanged(const QString &objectName) + +static void _init_emitter_objectNameChanged_4567 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("objectName"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_objectNameChanged_4567 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QUiLoader_Adaptor *)cls)->emitter_QUiLoader_objectNameChanged_4567 (arg1); +} + + // exposed int QUiLoader::receivers(const char *signal) static void _init_fp_receivers_c1731 (qt_gsi::GenericMethod *decl) @@ -995,6 +1046,7 @@ static gsi::Methods methods_QUiLoader_Adaptor () { methods += new qt_gsi::GenericMethod ("createWidget", "@hide", false, &_init_cbs_createWidget_5149_2, &_call_cbs_createWidget_5149_2, &_set_callback_cbs_createWidget_5149_2); methods += new qt_gsi::GenericMethod ("*customEvent", "@brief Virtual method void QUiLoader::customEvent(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0); methods += new qt_gsi::GenericMethod ("*customEvent", "@hide", false, &_init_cbs_customEvent_1217_0, &_call_cbs_customEvent_1217_0, &_set_callback_cbs_customEvent_1217_0); + methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QUiLoader::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QUiLoader::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("event", "@brief Virtual method bool QUiLoader::event(QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); @@ -1002,6 +1054,7 @@ static gsi::Methods methods_QUiLoader_Adaptor () { methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QUiLoader::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QUiLoader::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); + methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QUiLoader::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QUiLoader::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); methods += new qt_gsi::GenericMethod ("*sender", "@brief Method QObject *QUiLoader::sender()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_sender_c0, &_call_fp_sender_c0); methods += new qt_gsi::GenericMethod ("*senderSignalIndex", "@brief Method int QUiLoader::senderSignalIndex()\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_senderSignalIndex_c0, &_call_fp_senderSignalIndex_c0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQButtonGroup.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQButtonGroup.cc index ccaa8218f9..13c71765e7 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQButtonGroup.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQButtonGroup.cc @@ -176,89 +176,6 @@ static void _call_f_id_c2159 (const qt_gsi::GenericMethod * /*decl*/, void *cls, } -// void QButtonGroup::idClicked(int) - - -static void _init_f_idClicked_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_idClicked_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QButtonGroup *)cls)->idClicked (arg1); -} - - -// void QButtonGroup::idPressed(int) - - -static void _init_f_idPressed_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_idPressed_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QButtonGroup *)cls)->idPressed (arg1); -} - - -// void QButtonGroup::idReleased(int) - - -static void _init_f_idReleased_767 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_idReleased_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QButtonGroup *)cls)->idReleased (arg1); -} - - -// void QButtonGroup::idToggled(int, bool) - - -static void _init_f_idToggled_1523 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("arg2"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_idToggled_1523 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - int arg1 = gsi::arg_reader() (args, heap); - bool arg2 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QButtonGroup *)cls)->idToggled (arg1, arg2); -} - - // void QButtonGroup::removeButton(QAbstractButton *) @@ -360,10 +277,6 @@ static gsi::Methods methods_QButtonGroup () { methods += new qt_gsi::GenericMethod ("checkedId", "@brief Method int QButtonGroup::checkedId()\n", true, &_init_f_checkedId_c0, &_call_f_checkedId_c0); methods += new qt_gsi::GenericMethod (":exclusive", "@brief Method bool QButtonGroup::exclusive()\n", true, &_init_f_exclusive_c0, &_call_f_exclusive_c0); methods += new qt_gsi::GenericMethod ("id", "@brief Method int QButtonGroup::id(QAbstractButton *button)\n", true, &_init_f_id_c2159, &_call_f_id_c2159); - methods += new qt_gsi::GenericMethod ("idClicked", "@brief Method void QButtonGroup::idClicked(int)\n", false, &_init_f_idClicked_767, &_call_f_idClicked_767); - methods += new qt_gsi::GenericMethod ("idPressed", "@brief Method void QButtonGroup::idPressed(int)\n", false, &_init_f_idPressed_767, &_call_f_idPressed_767); - methods += new qt_gsi::GenericMethod ("idReleased", "@brief Method void QButtonGroup::idReleased(int)\n", false, &_init_f_idReleased_767, &_call_f_idReleased_767); - methods += new qt_gsi::GenericMethod ("idToggled", "@brief Method void QButtonGroup::idToggled(int, bool)\n", false, &_init_f_idToggled_1523, &_call_f_idToggled_1523); methods += new qt_gsi::GenericMethod ("removeButton", "@brief Method void QButtonGroup::removeButton(QAbstractButton *)\n", false, &_init_f_removeButton_2159, &_call_f_removeButton_2159); methods += new qt_gsi::GenericMethod ("setExclusive|exclusive=", "@brief Method void QButtonGroup::setExclusive(bool)\n", false, &_init_f_setExclusive_864, &_call_f_setExclusive_864); methods += new qt_gsi::GenericMethod ("setId", "@brief Method void QButtonGroup::setId(QAbstractButton *button, int id)\n", false, &_init_f_setId_2818, &_call_f_setId_2818); @@ -372,6 +285,10 @@ static gsi::Methods methods_QButtonGroup () { methods += gsi::qt_signal ("buttonReleased(QAbstractButton *)", "buttonReleased_qab", gsi::arg("arg1"), "@brief Signal declaration for QButtonGroup::buttonReleased(QAbstractButton *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("buttonToggled(QAbstractButton *, bool)", "buttonToggled_object", gsi::arg("arg1"), gsi::arg("arg2"), "@brief Signal declaration for QButtonGroup::buttonToggled(QAbstractButton *, bool)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QButtonGroup::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("idClicked(int)", "idClicked", gsi::arg("arg1"), "@brief Signal declaration for QButtonGroup::idClicked(int)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("idPressed(int)", "idPressed", gsi::arg("arg1"), "@brief Signal declaration for QButtonGroup::idPressed(int)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("idReleased(int)", "idReleased", gsi::arg("arg1"), "@brief Signal declaration for QButtonGroup::idReleased(int)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("idToggled(int, bool)", "idToggled", gsi::arg("arg1"), gsi::arg("arg2"), "@brief Signal declaration for QButtonGroup::idToggled(int, bool)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QButtonGroup::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QButtonGroup::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; @@ -486,6 +403,30 @@ class QButtonGroup_Adaptor : public QButtonGroup, public qt_gsi::QtObjectBase } } + // [emitter impl] void QButtonGroup::idClicked(int) + void emitter_QButtonGroup_idClicked_767(int arg1) + { + emit QButtonGroup::idClicked(arg1); + } + + // [emitter impl] void QButtonGroup::idPressed(int) + void emitter_QButtonGroup_idPressed_767(int arg1) + { + emit QButtonGroup::idPressed(arg1); + } + + // [emitter impl] void QButtonGroup::idReleased(int) + void emitter_QButtonGroup_idReleased_767(int arg1) + { + emit QButtonGroup::idReleased(arg1); + } + + // [emitter impl] void QButtonGroup::idToggled(int, bool) + void emitter_QButtonGroup_idToggled_1523(int arg1, bool arg2) + { + emit QButtonGroup::idToggled(arg1, arg2); + } + // [emitter impl] void QButtonGroup::objectNameChanged(const QString &objectName) void emitter_QButtonGroup_objectNameChanged_4567(const QString &objectName) { @@ -795,6 +736,81 @@ static void _set_callback_cbs_eventFilter_2411_0 (void *cls, const gsi::Callback } +// emitter void QButtonGroup::idClicked(int) + +static void _init_emitter_idClicked_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_idClicked_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QButtonGroup_Adaptor *)cls)->emitter_QButtonGroup_idClicked_767 (arg1); +} + + +// emitter void QButtonGroup::idPressed(int) + +static void _init_emitter_idPressed_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_idPressed_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QButtonGroup_Adaptor *)cls)->emitter_QButtonGroup_idPressed_767 (arg1); +} + + +// emitter void QButtonGroup::idReleased(int) + +static void _init_emitter_idReleased_767 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_idReleased_767 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + ((QButtonGroup_Adaptor *)cls)->emitter_QButtonGroup_idReleased_767 (arg1); +} + + +// emitter void QButtonGroup::idToggled(int, bool) + +static void _init_emitter_idToggled_1523 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + static gsi::ArgSpecBase argspec_1 ("arg2"); + decl->add_arg (argspec_1); + decl->set_return (); +} + +static void _call_emitter_idToggled_1523 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + int arg1 = gsi::arg_reader() (args, heap); + bool arg2 = gsi::arg_reader() (args, heap); + ((QButtonGroup_Adaptor *)cls)->emitter_QButtonGroup_idToggled_1523 (arg1, arg2); +} + + // exposed bool QButtonGroup::isSignalConnected(const QMetaMethod &signal) static void _init_fp_isSignalConnected_c2394 (qt_gsi::GenericMethod *decl) @@ -924,6 +940,10 @@ static gsi::Methods methods_QButtonGroup_Adaptor () { methods += new qt_gsi::GenericMethod ("event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@brief Virtual method bool QButtonGroup::eventFilter(QObject *watched, QEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); methods += new qt_gsi::GenericMethod ("eventFilter", "@hide", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0, &_set_callback_cbs_eventFilter_2411_0); + methods += new qt_gsi::GenericMethod ("emit_idClicked", "@brief Emitter for signal void QButtonGroup::idClicked(int)\nCall this method to emit this signal.", false, &_init_emitter_idClicked_767, &_call_emitter_idClicked_767); + methods += new qt_gsi::GenericMethod ("emit_idPressed", "@brief Emitter for signal void QButtonGroup::idPressed(int)\nCall this method to emit this signal.", false, &_init_emitter_idPressed_767, &_call_emitter_idPressed_767); + methods += new qt_gsi::GenericMethod ("emit_idReleased", "@brief Emitter for signal void QButtonGroup::idReleased(int)\nCall this method to emit this signal.", false, &_init_emitter_idReleased_767, &_call_emitter_idReleased_767); + methods += new qt_gsi::GenericMethod ("emit_idToggled", "@brief Emitter for signal void QButtonGroup::idToggled(int, bool)\nCall this method to emit this signal.", false, &_init_emitter_idToggled_1523, &_call_emitter_idToggled_1523); methods += new qt_gsi::GenericMethod ("*isSignalConnected", "@brief Method bool QButtonGroup::isSignalConnected(const QMetaMethod &signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_isSignalConnected_c2394, &_call_fp_isSignalConnected_c2394); methods += new qt_gsi::GenericMethod ("emit_objectNameChanged", "@brief Emitter for signal void QButtonGroup::objectNameChanged(const QString &objectName)\nCall this method to emit this signal.", false, &_init_emitter_objectNameChanged_4567, &_call_emitter_objectNameChanged_4567); methods += new qt_gsi::GenericMethod ("*receivers", "@brief Method int QButtonGroup::receivers(const char *signal)\nThis method is protected and can only be called from inside a derived class.", true, &_init_fp_receivers_c1731, &_call_fp_receivers_c1731); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQCalendarWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQCalendarWidget.cc index f0398da769..044ab49251 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQCalendarWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQCalendarWidget.cc @@ -892,7 +892,7 @@ namespace gsi static gsi::Methods methods_QCalendarWidget () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("calendar", "@brief Method QCalendar QCalendarWidget::calendar()\n", true, &_init_f_calendar_c0, &_call_f_calendar_c0); + methods += new qt_gsi::GenericMethod (":calendar", "@brief Method QCalendar QCalendarWidget::calendar()\n", true, &_init_f_calendar_c0, &_call_f_calendar_c0); methods += new qt_gsi::GenericMethod (":dateEditAcceptDelay", "@brief Method int QCalendarWidget::dateEditAcceptDelay()\n", true, &_init_f_dateEditAcceptDelay_c0, &_call_f_dateEditAcceptDelay_c0); methods += new qt_gsi::GenericMethod ("dateTextFormat", "@brief Method QMap QCalendarWidget::dateTextFormat()\n", true, &_init_f_dateTextFormat_c0, &_call_f_dateTextFormat_c0); methods += new qt_gsi::GenericMethod ("dateTextFormat", "@brief Method QTextCharFormat QCalendarWidget::dateTextFormat(QDate date)\n", true, &_init_f_dateTextFormat_c899, &_call_f_dateTextFormat_c899); @@ -908,7 +908,7 @@ static gsi::Methods methods_QCalendarWidget () { methods += new qt_gsi::GenericMethod ("monthShown", "@brief Method int QCalendarWidget::monthShown()\n", true, &_init_f_monthShown_c0, &_call_f_monthShown_c0); methods += new qt_gsi::GenericMethod (":selectedDate", "@brief Method QDate QCalendarWidget::selectedDate()\n", true, &_init_f_selectedDate_c0, &_call_f_selectedDate_c0); methods += new qt_gsi::GenericMethod (":selectionMode", "@brief Method QCalendarWidget::SelectionMode QCalendarWidget::selectionMode()\n", true, &_init_f_selectionMode_c0, &_call_f_selectionMode_c0); - methods += new qt_gsi::GenericMethod ("setCalendar", "@brief Method void QCalendarWidget::setCalendar(QCalendar calendar)\n", false, &_init_f_setCalendar_1311, &_call_f_setCalendar_1311); + methods += new qt_gsi::GenericMethod ("setCalendar|calendar=", "@brief Method void QCalendarWidget::setCalendar(QCalendar calendar)\n", false, &_init_f_setCalendar_1311, &_call_f_setCalendar_1311); methods += new qt_gsi::GenericMethod ("setCurrentPage", "@brief Method void QCalendarWidget::setCurrentPage(int year, int month)\n", false, &_init_f_setCurrentPage_1426, &_call_f_setCurrentPage_1426); methods += new qt_gsi::GenericMethod ("setDateEditAcceptDelay|dateEditAcceptDelay=", "@brief Method void QCalendarWidget::setDateEditAcceptDelay(int delay)\n", false, &_init_f_setDateEditAcceptDelay_767, &_call_f_setDateEditAcceptDelay_767); methods += new qt_gsi::GenericMethod ("setDateEditEnabled|dateEditEnabled=", "@brief Method void QCalendarWidget::setDateEditEnabled(bool enable)\n", false, &_init_f_setDateEditEnabled_864, &_call_f_setDateEditEnabled_864); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQComboBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQComboBox.cc index 60fbc4271f..392b2c3503 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQComboBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQComboBox.cc @@ -1354,46 +1354,6 @@ static void _call_f_sizeHint_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QComboBox::textActivated(const QString &) - - -static void _init_f_textActivated_2025 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_textActivated_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QComboBox *)cls)->textActivated (arg1); -} - - -// void QComboBox::textHighlighted(const QString &) - - -static void _init_f_textHighlighted_2025 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_textHighlighted_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QComboBox *)cls)->textHighlighted (arg1); -} - - // const QValidator *QComboBox::validator() @@ -1491,7 +1451,7 @@ static gsi::Methods methods_QComboBox () { methods += new qt_gsi::GenericMethod (":minimumSizeHint", "@brief Method QSize QComboBox::minimumSizeHint()\nThis is a reimplementation of QWidget::minimumSizeHint", true, &_init_f_minimumSizeHint_c0, &_call_f_minimumSizeHint_c0); methods += new qt_gsi::GenericMethod (":model", "@brief Method QAbstractItemModel *QComboBox::model()\n", true, &_init_f_model_c0, &_call_f_model_c0); methods += new qt_gsi::GenericMethod (":modelColumn", "@brief Method int QComboBox::modelColumn()\n", true, &_init_f_modelColumn_c0, &_call_f_modelColumn_c0); - methods += new qt_gsi::GenericMethod ("placeholderText", "@brief Method QString QComboBox::placeholderText()\n", true, &_init_f_placeholderText_c0, &_call_f_placeholderText_c0); + methods += new qt_gsi::GenericMethod (":placeholderText", "@brief Method QString QComboBox::placeholderText()\n", true, &_init_f_placeholderText_c0, &_call_f_placeholderText_c0); methods += new qt_gsi::GenericMethod ("removeItem", "@brief Method void QComboBox::removeItem(int index)\n", false, &_init_f_removeItem_767, &_call_f_removeItem_767); methods += new qt_gsi::GenericMethod (":rootModelIndex", "@brief Method QModelIndex QComboBox::rootModelIndex()\n", true, &_init_f_rootModelIndex_c0, &_call_f_rootModelIndex_c0); methods += new qt_gsi::GenericMethod ("setCompleter|completer=", "@brief Method void QComboBox::setCompleter(QCompleter *c)\n", false, &_init_f_setCompleter_1642, &_call_f_setCompleter_1642); @@ -1513,7 +1473,7 @@ static gsi::Methods methods_QComboBox () { methods += new qt_gsi::GenericMethod ("setMinimumContentsLength|minimumContentsLength=", "@brief Method void QComboBox::setMinimumContentsLength(int characters)\n", false, &_init_f_setMinimumContentsLength_767, &_call_f_setMinimumContentsLength_767); methods += new qt_gsi::GenericMethod ("setModel|model=", "@brief Method void QComboBox::setModel(QAbstractItemModel *model)\n", false, &_init_f_setModel_2419, &_call_f_setModel_2419); methods += new qt_gsi::GenericMethod ("setModelColumn|modelColumn=", "@brief Method void QComboBox::setModelColumn(int visibleColumn)\n", false, &_init_f_setModelColumn_767, &_call_f_setModelColumn_767); - methods += new qt_gsi::GenericMethod ("setPlaceholderText", "@brief Method void QComboBox::setPlaceholderText(const QString &placeholderText)\n", false, &_init_f_setPlaceholderText_2025, &_call_f_setPlaceholderText_2025); + methods += new qt_gsi::GenericMethod ("setPlaceholderText|placeholderText=", "@brief Method void QComboBox::setPlaceholderText(const QString &placeholderText)\n", false, &_init_f_setPlaceholderText_2025, &_call_f_setPlaceholderText_2025); methods += new qt_gsi::GenericMethod ("setRootModelIndex|rootModelIndex=", "@brief Method void QComboBox::setRootModelIndex(const QModelIndex &index)\n", false, &_init_f_setRootModelIndex_2395, &_call_f_setRootModelIndex_2395); methods += new qt_gsi::GenericMethod ("setSizeAdjustPolicy|sizeAdjustPolicy=", "@brief Method void QComboBox::setSizeAdjustPolicy(QComboBox::SizeAdjustPolicy policy)\n", false, &_init_f_setSizeAdjustPolicy_3080, &_call_f_setSizeAdjustPolicy_3080); methods += new qt_gsi::GenericMethod ("setValidator|validator=", "@brief Method void QComboBox::setValidator(const QValidator *v)\n", false, &_init_f_setValidator_2332, &_call_f_setValidator_2332); @@ -1521,8 +1481,6 @@ static gsi::Methods methods_QComboBox () { methods += new qt_gsi::GenericMethod ("showPopup", "@brief Method void QComboBox::showPopup()\n", false, &_init_f_showPopup_0, &_call_f_showPopup_0); methods += new qt_gsi::GenericMethod (":sizeAdjustPolicy", "@brief Method QComboBox::SizeAdjustPolicy QComboBox::sizeAdjustPolicy()\n", true, &_init_f_sizeAdjustPolicy_c0, &_call_f_sizeAdjustPolicy_c0); methods += new qt_gsi::GenericMethod (":sizeHint", "@brief Method QSize QComboBox::sizeHint()\nThis is a reimplementation of QWidget::sizeHint", true, &_init_f_sizeHint_c0, &_call_f_sizeHint_c0); - methods += new qt_gsi::GenericMethod ("textActivated", "@brief Method void QComboBox::textActivated(const QString &)\n", false, &_init_f_textActivated_2025, &_call_f_textActivated_2025); - methods += new qt_gsi::GenericMethod ("textHighlighted", "@brief Method void QComboBox::textHighlighted(const QString &)\n", false, &_init_f_textHighlighted_2025, &_call_f_textHighlighted_2025); methods += new qt_gsi::GenericMethod (":validator", "@brief Method const QValidator *QComboBox::validator()\n", true, &_init_f_validator_c0, &_call_f_validator_c0); methods += new qt_gsi::GenericMethod (":view", "@brief Method QAbstractItemView *QComboBox::view()\n", true, &_init_f_view_c0, &_call_f_view_c0); methods += gsi::qt_signal ("activated(int)", "activated", gsi::arg("index"), "@brief Signal declaration for QComboBox::activated(int index)\nYou can bind a procedure to this signal."); @@ -1533,6 +1491,8 @@ static gsi::Methods methods_QComboBox () { methods += gsi::qt_signal ("editTextChanged(const QString &)", "editTextChanged", gsi::arg("arg1"), "@brief Signal declaration for QComboBox::editTextChanged(const QString &)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("highlighted(int)", "highlighted", gsi::arg("index"), "@brief Signal declaration for QComboBox::highlighted(int index)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QComboBox::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("textActivated(const QString &)", "textActivated", gsi::arg("arg1"), "@brief Signal declaration for QComboBox::textActivated(const QString &)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("textHighlighted(const QString &)", "textHighlighted", gsi::arg("arg1"), "@brief Signal declaration for QComboBox::textHighlighted(const QString &)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("windowIconChanged(const QIcon &)", "windowIconChanged", gsi::arg("icon"), "@brief Signal declaration for QComboBox::windowIconChanged(const QIcon &icon)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("windowIconTextChanged(const QString &)", "windowIconTextChanged", gsi::arg("iconText"), "@brief Signal declaration for QComboBox::windowIconTextChanged(const QString &iconText)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("windowTitleChanged(const QString &)", "windowTitleChanged", gsi::arg("title"), "@brief Signal declaration for QComboBox::windowTitleChanged(const QString &title)\nYou can bind a procedure to this signal."); @@ -1843,6 +1803,18 @@ class QComboBox_Adaptor : public QComboBox, public qt_gsi::QtObjectBase } } + // [emitter impl] void QComboBox::textActivated(const QString &) + void emitter_QComboBox_textActivated_2025(const QString &arg1) + { + emit QComboBox::textActivated(arg1); + } + + // [emitter impl] void QComboBox::textHighlighted(const QString &) + void emitter_QComboBox_textHighlighted_2025(const QString &arg1) + { + emit QComboBox::textHighlighted(arg1); + } + // [emitter impl] void QComboBox::windowIconChanged(const QIcon &icon) void emitter_QComboBox_windowIconChanged_1787(const QIcon &icon) { @@ -3866,6 +3838,42 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } +// emitter void QComboBox::textActivated(const QString &) + +static void _init_emitter_textActivated_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_textActivated_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QComboBox_Adaptor *)cls)->emitter_QComboBox_textActivated_2025 (arg1); +} + + +// emitter void QComboBox::textHighlighted(const QString &) + +static void _init_emitter_textHighlighted_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_textHighlighted_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QComboBox_Adaptor *)cls)->emitter_QComboBox_textHighlighted_2025 (arg1); +} + + // void QComboBox::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -4105,6 +4113,8 @@ static gsi::Methods methods_QComboBox_Adaptor () { methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QComboBox::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("emit_textActivated", "@brief Emitter for signal void QComboBox::textActivated(const QString &)\nCall this method to emit this signal.", false, &_init_emitter_textActivated_2025, &_call_emitter_textActivated_2025); + methods += new qt_gsi::GenericMethod ("emit_textHighlighted", "@brief Emitter for signal void QComboBox::textHighlighted(const QString &)\nCall this method to emit this signal.", false, &_init_emitter_textHighlighted_2025, &_call_emitter_textHighlighted_2025); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QComboBox::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QComboBox::updateMicroFocus(Qt::InputMethodQuery query)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_2420, &_call_fp_updateMicroFocus_2420); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQDateTimeEdit.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQDateTimeEdit.cc index 895ed2df8f..3bdd86a6d1 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQDateTimeEdit.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQDateTimeEdit.cc @@ -1023,7 +1023,7 @@ namespace gsi static gsi::Methods methods_QDateTimeEdit () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("staticMetaObject", "@brief Obtains the static MetaObject for this class.", &_init_smo, &_call_smo); - methods += new qt_gsi::GenericMethod ("calendar", "@brief Method QCalendar QDateTimeEdit::calendar()\n", true, &_init_f_calendar_c0, &_call_f_calendar_c0); + methods += new qt_gsi::GenericMethod (":calendar", "@brief Method QCalendar QDateTimeEdit::calendar()\n", true, &_init_f_calendar_c0, &_call_f_calendar_c0); methods += new qt_gsi::GenericMethod (":calendarPopup", "@brief Method bool QDateTimeEdit::calendarPopup()\n", true, &_init_f_calendarPopup_c0, &_call_f_calendarPopup_c0); methods += new qt_gsi::GenericMethod (":calendarWidget", "@brief Method QCalendarWidget *QDateTimeEdit::calendarWidget()\n", true, &_init_f_calendarWidget_c0, &_call_f_calendarWidget_c0); methods += new qt_gsi::GenericMethod ("clear", "@brief Method void QDateTimeEdit::clear()\nThis is a reimplementation of QAbstractSpinBox::clear", false, &_init_f_clear_0, &_call_f_clear_0); @@ -1049,7 +1049,7 @@ static gsi::Methods methods_QDateTimeEdit () { methods += new qt_gsi::GenericMethod ("sectionAt", "@brief Method QDateTimeEdit::Section QDateTimeEdit::sectionAt(int index)\n", true, &_init_f_sectionAt_c767, &_call_f_sectionAt_c767); methods += new qt_gsi::GenericMethod (":sectionCount", "@brief Method int QDateTimeEdit::sectionCount()\n", true, &_init_f_sectionCount_c0, &_call_f_sectionCount_c0); methods += new qt_gsi::GenericMethod ("sectionText", "@brief Method QString QDateTimeEdit::sectionText(QDateTimeEdit::Section section)\n", true, &_init_f_sectionText_c2529, &_call_f_sectionText_c2529); - methods += new qt_gsi::GenericMethod ("setCalendar", "@brief Method void QDateTimeEdit::setCalendar(QCalendar calendar)\n", false, &_init_f_setCalendar_1311, &_call_f_setCalendar_1311); + methods += new qt_gsi::GenericMethod ("setCalendar|calendar=", "@brief Method void QDateTimeEdit::setCalendar(QCalendar calendar)\n", false, &_init_f_setCalendar_1311, &_call_f_setCalendar_1311); methods += new qt_gsi::GenericMethod ("setCalendarPopup|calendarPopup=", "@brief Method void QDateTimeEdit::setCalendarPopup(bool enable)\n", false, &_init_f_setCalendarPopup_864, &_call_f_setCalendarPopup_864); methods += new qt_gsi::GenericMethod ("setCalendarWidget|calendarWidget=", "@brief Method void QDateTimeEdit::setCalendarWidget(QCalendarWidget *calendarWidget)\n", false, &_init_f_setCalendarWidget_2109, &_call_f_setCalendarWidget_2109); methods += new qt_gsi::GenericMethod ("setCurrentSection|currentSection=", "@brief Method void QDateTimeEdit::setCurrentSection(QDateTimeEdit::Section section)\n", false, &_init_f_setCurrentSection_2529, &_call_f_setCurrentSection_2529); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQDoubleSpinBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQDoubleSpinBox.cc index 47633d1a08..b6abb64fc8 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQDoubleSpinBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQDoubleSpinBox.cc @@ -427,26 +427,6 @@ static void _call_f_suffix_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QDoubleSpinBox::textChanged(const QString &) - - -static void _init_f_textChanged_2025 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_textChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QDoubleSpinBox *)cls)->textChanged (arg1); -} - - // QString QDoubleSpinBox::textFromValue(double val) @@ -565,13 +545,12 @@ static gsi::Methods methods_QDoubleSpinBox () { methods += new qt_gsi::GenericMethod ("setPrefix|prefix=", "@brief Method void QDoubleSpinBox::setPrefix(const QString &prefix)\n", false, &_init_f_setPrefix_2025, &_call_f_setPrefix_2025); methods += new qt_gsi::GenericMethod ("setRange", "@brief Method void QDoubleSpinBox::setRange(double min, double max)\n", false, &_init_f_setRange_2034, &_call_f_setRange_2034); methods += new qt_gsi::GenericMethod ("setSingleStep|singleStep=", "@brief Method void QDoubleSpinBox::setSingleStep(double val)\n", false, &_init_f_setSingleStep_1071, &_call_f_setSingleStep_1071); - methods += new qt_gsi::GenericMethod ("setStepType", "@brief Method void QDoubleSpinBox::setStepType(QAbstractSpinBox::StepType stepType)\n", false, &_init_f_setStepType_2990, &_call_f_setStepType_2990); + methods += new qt_gsi::GenericMethod ("setStepType|stepType=", "@brief Method void QDoubleSpinBox::setStepType(QAbstractSpinBox::StepType stepType)\n", false, &_init_f_setStepType_2990, &_call_f_setStepType_2990); methods += new qt_gsi::GenericMethod ("setSuffix|suffix=", "@brief Method void QDoubleSpinBox::setSuffix(const QString &suffix)\n", false, &_init_f_setSuffix_2025, &_call_f_setSuffix_2025); methods += new qt_gsi::GenericMethod ("setValue|value=", "@brief Method void QDoubleSpinBox::setValue(double val)\n", false, &_init_f_setValue_1071, &_call_f_setValue_1071); methods += new qt_gsi::GenericMethod (":singleStep", "@brief Method double QDoubleSpinBox::singleStep()\n", true, &_init_f_singleStep_c0, &_call_f_singleStep_c0); - methods += new qt_gsi::GenericMethod ("stepType", "@brief Method QAbstractSpinBox::StepType QDoubleSpinBox::stepType()\n", true, &_init_f_stepType_c0, &_call_f_stepType_c0); + methods += new qt_gsi::GenericMethod (":stepType", "@brief Method QAbstractSpinBox::StepType QDoubleSpinBox::stepType()\n", true, &_init_f_stepType_c0, &_call_f_stepType_c0); methods += new qt_gsi::GenericMethod (":suffix", "@brief Method QString QDoubleSpinBox::suffix()\n", true, &_init_f_suffix_c0, &_call_f_suffix_c0); - methods += new qt_gsi::GenericMethod ("textChanged", "@brief Method void QDoubleSpinBox::textChanged(const QString &)\n", false, &_init_f_textChanged_2025, &_call_f_textChanged_2025); methods += new qt_gsi::GenericMethod ("textFromValue", "@brief Method QString QDoubleSpinBox::textFromValue(double val)\n", true, &_init_f_textFromValue_c1071, &_call_f_textFromValue_c1071); methods += new qt_gsi::GenericMethod ("validate", "@brief Method QValidator::State QDoubleSpinBox::validate(QString &input, int &pos)\nThis is a reimplementation of QAbstractSpinBox::validate", true, &_init_f_validate_c2171, &_call_f_validate_c2171); methods += new qt_gsi::GenericMethod (":value", "@brief Method double QDoubleSpinBox::value()\n", true, &_init_f_value_c0, &_call_f_value_c0); @@ -580,6 +559,7 @@ static gsi::Methods methods_QDoubleSpinBox () { methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QDoubleSpinBox::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("editingFinished()", "editingFinished", "@brief Signal declaration for QDoubleSpinBox::editingFinished()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QDoubleSpinBox::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("textChanged(const QString &)", "textChanged", gsi::arg("arg1"), "@brief Signal declaration for QDoubleSpinBox::textChanged(const QString &)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("valueChanged(double)", "valueChanged", gsi::arg("arg1"), "@brief Signal declaration for QDoubleSpinBox::valueChanged(double)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("windowIconChanged(const QIcon &)", "windowIconChanged", gsi::arg("icon"), "@brief Signal declaration for QDoubleSpinBox::windowIconChanged(const QIcon &icon)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("windowIconTextChanged(const QString &)", "windowIconTextChanged", gsi::arg("iconText"), "@brief Signal declaration for QDoubleSpinBox::windowIconTextChanged(const QString &iconText)\nYou can bind a procedure to this signal."); @@ -877,6 +857,12 @@ class QDoubleSpinBox_Adaptor : public QDoubleSpinBox, public qt_gsi::QtObjectBas } } + // [emitter impl] void QDoubleSpinBox::textChanged(const QString &) + void emitter_QDoubleSpinBox_textChanged_2025(const QString &arg1) + { + emit QDoubleSpinBox::textChanged(arg1); + } + // [adaptor impl] QString QDoubleSpinBox::textFromValue(double val) QString cbs_textFromValue_c1071_0(double val) const { @@ -2950,6 +2936,24 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } +// emitter void QDoubleSpinBox::textChanged(const QString &) + +static void _init_emitter_textChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_textChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QDoubleSpinBox_Adaptor *)cls)->emitter_QDoubleSpinBox_textChanged_2025 (arg1); +} + + // QString QDoubleSpinBox::textFromValue(double val) static void _init_cbs_textFromValue_c1071_0 (qt_gsi::GenericMethod *decl) @@ -3279,6 +3283,7 @@ static gsi::Methods methods_QDoubleSpinBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*stepEnabled", "@hide", true, &_init_cbs_stepEnabled_c0_0, &_call_cbs_stepEnabled_c0_0, &_set_callback_cbs_stepEnabled_c0_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QDoubleSpinBox::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("emit_textChanged", "@brief Emitter for signal void QDoubleSpinBox::textChanged(const QString &)\nCall this method to emit this signal.", false, &_init_emitter_textChanged_2025, &_call_emitter_textChanged_2025); methods += new qt_gsi::GenericMethod ("textFromValue", "@brief Virtual method QString QDoubleSpinBox::textFromValue(double val)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_textFromValue_c1071_0, &_call_cbs_textFromValue_c1071_0); methods += new qt_gsi::GenericMethod ("textFromValue", "@hide", true, &_init_cbs_textFromValue_c1071_0, &_call_cbs_textFromValue_c1071_0, &_set_callback_cbs_textFromValue_c1071_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QDoubleSpinBox::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQFileDialog.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQFileDialog.cc index 706c3589ec..0865407879 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQFileDialog.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQFileDialog.cc @@ -1394,11 +1394,11 @@ static gsi::Methods methods_QFileDialog () { methods += new qt_gsi::GenericMethod ("setOptions|options=", "@brief Method void QFileDialog::setOptions(QFlags options)\n", false, &_init_f_setOptions_2938, &_call_f_setOptions_2938); methods += new qt_gsi::GenericMethod ("setProxyModel|proxyModel=", "@brief Method void QFileDialog::setProxyModel(QAbstractProxyModel *model)\n", false, &_init_f_setProxyModel_2566, &_call_f_setProxyModel_2566); methods += new qt_gsi::GenericMethod ("setSidebarUrls|sidebarUrls=", "@brief Method void QFileDialog::setSidebarUrls(const QList &urls)\n", false, &_init_f_setSidebarUrls_2316, &_call_f_setSidebarUrls_2316); - methods += new qt_gsi::GenericMethod ("setSupportedSchemes", "@brief Method void QFileDialog::setSupportedSchemes(const QStringList &schemes)\n", false, &_init_f_setSupportedSchemes_2437, &_call_f_setSupportedSchemes_2437); + methods += new qt_gsi::GenericMethod ("setSupportedSchemes|supportedSchemes=", "@brief Method void QFileDialog::setSupportedSchemes(const QStringList &schemes)\n", false, &_init_f_setSupportedSchemes_2437, &_call_f_setSupportedSchemes_2437); methods += new qt_gsi::GenericMethod ("setViewMode|viewMode=", "@brief Method void QFileDialog::setViewMode(QFileDialog::ViewMode mode)\n", false, &_init_f_setViewMode_2409, &_call_f_setViewMode_2409); methods += new qt_gsi::GenericMethod ("setVisible|visible=", "@brief Method void QFileDialog::setVisible(bool visible)\nThis is a reimplementation of QDialog::setVisible", false, &_init_f_setVisible_864, &_call_f_setVisible_864); methods += new qt_gsi::GenericMethod (":sidebarUrls", "@brief Method QList QFileDialog::sidebarUrls()\n", true, &_init_f_sidebarUrls_c0, &_call_f_sidebarUrls_c0); - methods += new qt_gsi::GenericMethod ("supportedSchemes", "@brief Method QStringList QFileDialog::supportedSchemes()\n", true, &_init_f_supportedSchemes_c0, &_call_f_supportedSchemes_c0); + methods += new qt_gsi::GenericMethod (":supportedSchemes", "@brief Method QStringList QFileDialog::supportedSchemes()\n", true, &_init_f_supportedSchemes_c0, &_call_f_supportedSchemes_c0); methods += new qt_gsi::GenericMethod ("testOption", "@brief Method bool QFileDialog::testOption(QFileDialog::Option option)\n", true, &_init_f_testOption_c2242, &_call_f_testOption_c2242); methods += new qt_gsi::GenericMethod (":viewMode", "@brief Method QFileDialog::ViewMode QFileDialog::viewMode()\n", true, &_init_f_viewMode_c0, &_call_f_viewMode_c0); methods += gsi::qt_signal ("accepted()", "accepted", "@brief Signal declaration for QFileDialog::accepted()\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQFontComboBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQFontComboBox.cc index bb0f179a5b..685db5556e 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQFontComboBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQFontComboBox.cc @@ -277,6 +277,8 @@ static gsi::Methods methods_QFontComboBox () { methods += gsi::qt_signal ("editTextChanged(const QString &)", "editTextChanged", gsi::arg("arg1"), "@brief Signal declaration for QFontComboBox::editTextChanged(const QString &)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("highlighted(int)", "highlighted", gsi::arg("index"), "@brief Signal declaration for QFontComboBox::highlighted(int index)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QFontComboBox::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("textActivated(const QString &)", "textActivated", gsi::arg("arg1"), "@brief Signal declaration for QFontComboBox::textActivated(const QString &)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("textHighlighted(const QString &)", "textHighlighted", gsi::arg("arg1"), "@brief Signal declaration for QFontComboBox::textHighlighted(const QString &)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("windowIconChanged(const QIcon &)", "windowIconChanged", gsi::arg("icon"), "@brief Signal declaration for QFontComboBox::windowIconChanged(const QIcon &icon)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("windowIconTextChanged(const QString &)", "windowIconTextChanged", gsi::arg("iconText"), "@brief Signal declaration for QFontComboBox::windowIconTextChanged(const QString &iconText)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("windowTitleChanged(const QString &)", "windowTitleChanged", gsi::arg("title"), "@brief Signal declaration for QFontComboBox::windowTitleChanged(const QString &title)\nYou can bind a procedure to this signal."); @@ -578,6 +580,18 @@ class QFontComboBox_Adaptor : public QFontComboBox, public qt_gsi::QtObjectBase } } + // [emitter impl] void QFontComboBox::textActivated(const QString &) + void emitter_QFontComboBox_textActivated_2025(const QString &arg1) + { + emit QFontComboBox::textActivated(arg1); + } + + // [emitter impl] void QFontComboBox::textHighlighted(const QString &) + void emitter_QFontComboBox_textHighlighted_2025(const QString &arg1) + { + emit QFontComboBox::textHighlighted(arg1); + } + // [emitter impl] void QFontComboBox::windowIconChanged(const QIcon &icon) void emitter_QFontComboBox_windowIconChanged_1787(const QIcon &icon) { @@ -2634,6 +2648,42 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } +// emitter void QFontComboBox::textActivated(const QString &) + +static void _init_emitter_textActivated_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_textActivated_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QFontComboBox_Adaptor *)cls)->emitter_QFontComboBox_textActivated_2025 (arg1); +} + + +// emitter void QFontComboBox::textHighlighted(const QString &) + +static void _init_emitter_textHighlighted_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_textHighlighted_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QFontComboBox_Adaptor *)cls)->emitter_QFontComboBox_textHighlighted_2025 (arg1); +} + + // void QFontComboBox::timerEvent(QTimerEvent *event) static void _init_cbs_timerEvent_1730_0 (qt_gsi::GenericMethod *decl) @@ -2874,6 +2924,8 @@ static gsi::Methods methods_QFontComboBox_Adaptor () { methods += new qt_gsi::GenericMethod ("sizeHint", "@hide", true, &_init_cbs_sizeHint_c0_0, &_call_cbs_sizeHint_c0_0, &_set_callback_cbs_sizeHint_c0_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QFontComboBox::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("emit_textActivated", "@brief Emitter for signal void QFontComboBox::textActivated(const QString &)\nCall this method to emit this signal.", false, &_init_emitter_textActivated_2025, &_call_emitter_textActivated_2025); + methods += new qt_gsi::GenericMethod ("emit_textHighlighted", "@brief Emitter for signal void QFontComboBox::textHighlighted(const QString &)\nCall this method to emit this signal.", false, &_init_emitter_textHighlighted_2025, &_call_emitter_textHighlighted_2025); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QFontComboBox::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("*updateMicroFocus", "@brief Method void QFontComboBox::updateMicroFocus(Qt::InputMethodQuery query)\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_updateMicroFocus_2420, &_call_fp_updateMicroFocus_2420); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsScene.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsScene.cc index 28be0d7947..c34f3ef124 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsScene.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsScene.cc @@ -1713,7 +1713,7 @@ static gsi::Methods methods_QGraphicsScene () { methods += new qt_gsi::GenericMethod ("createItemGroup", "@brief Method QGraphicsItemGroup *QGraphicsScene::createItemGroup(const QList &items)\n", false, &_init_f_createItemGroup_3411, &_call_f_createItemGroup_3411); methods += new qt_gsi::GenericMethod ("destroyItemGroup", "@brief Method void QGraphicsScene::destroyItemGroup(QGraphicsItemGroup *group)\n", false, &_init_f_destroyItemGroup_2444, &_call_f_destroyItemGroup_2444); methods += new qt_gsi::GenericMethod (":focusItem", "@brief Method QGraphicsItem *QGraphicsScene::focusItem()\n", true, &_init_f_focusItem_c0, &_call_f_focusItem_c0); - methods += new qt_gsi::GenericMethod ("focusOnTouch", "@brief Method bool QGraphicsScene::focusOnTouch()\n", true, &_init_f_focusOnTouch_c0, &_call_f_focusOnTouch_c0); + methods += new qt_gsi::GenericMethod (":focusOnTouch", "@brief Method bool QGraphicsScene::focusOnTouch()\n", true, &_init_f_focusOnTouch_c0, &_call_f_focusOnTouch_c0); methods += new qt_gsi::GenericMethod (":font", "@brief Method QFont QGraphicsScene::font()\n", true, &_init_f_font_c0, &_call_f_font_c0); methods += new qt_gsi::GenericMethod (":foregroundBrush", "@brief Method QBrush QGraphicsScene::foregroundBrush()\n", true, &_init_f_foregroundBrush_c0, &_call_f_foregroundBrush_c0); methods += new qt_gsi::GenericMethod ("hasFocus", "@brief Method bool QGraphicsScene::hasFocus()\n", true, &_init_f_hasFocus_c0, &_call_f_hasFocus_c0); @@ -1747,7 +1747,7 @@ static gsi::Methods methods_QGraphicsScene () { methods += new qt_gsi::GenericMethod ("setBspTreeDepth|bspTreeDepth=", "@brief Method void QGraphicsScene::setBspTreeDepth(int depth)\n", false, &_init_f_setBspTreeDepth_767, &_call_f_setBspTreeDepth_767); methods += new qt_gsi::GenericMethod ("setFocus", "@brief Method void QGraphicsScene::setFocus(Qt::FocusReason focusReason)\n", false, &_init_f_setFocus_1877, &_call_f_setFocus_1877); methods += new qt_gsi::GenericMethod ("setFocusItem", "@brief Method void QGraphicsScene::setFocusItem(QGraphicsItem *item, Qt::FocusReason focusReason)\n", false, &_init_f_setFocusItem_3688, &_call_f_setFocusItem_3688); - methods += new qt_gsi::GenericMethod ("setFocusOnTouch", "@brief Method void QGraphicsScene::setFocusOnTouch(bool enabled)\n", false, &_init_f_setFocusOnTouch_864, &_call_f_setFocusOnTouch_864); + methods += new qt_gsi::GenericMethod ("setFocusOnTouch|focusOnTouch=", "@brief Method void QGraphicsScene::setFocusOnTouch(bool enabled)\n", false, &_init_f_setFocusOnTouch_864, &_call_f_setFocusOnTouch_864); methods += new qt_gsi::GenericMethod ("setFont|font=", "@brief Method void QGraphicsScene::setFont(const QFont &font)\n", false, &_init_f_setFont_1801, &_call_f_setFont_1801); methods += new qt_gsi::GenericMethod ("setForegroundBrush|foregroundBrush=", "@brief Method void QGraphicsScene::setForegroundBrush(const QBrush &brush)\n", false, &_init_f_setForegroundBrush_1910, &_call_f_setForegroundBrush_1910); methods += new qt_gsi::GenericMethod ("setItemIndexMethod|itemIndexMethod=", "@brief Method void QGraphicsScene::setItemIndexMethod(QGraphicsScene::ItemIndexMethod method)\n", false, &_init_f_setItemIndexMethod_3456, &_call_f_setItemIndexMethod_3456); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneEvent.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneEvent.cc index 60f40eb76d..85ea3fe683 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneEvent.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneEvent.cc @@ -112,9 +112,9 @@ namespace gsi static gsi::Methods methods_QGraphicsSceneEvent () { gsi::Methods methods; - methods += new qt_gsi::GenericMethod ("setTimestamp", "@brief Method void QGraphicsSceneEvent::setTimestamp(quint64 ts)\n", false, &_init_f_setTimestamp_1103, &_call_f_setTimestamp_1103); + methods += new qt_gsi::GenericMethod ("setTimestamp|timestamp=", "@brief Method void QGraphicsSceneEvent::setTimestamp(quint64 ts)\n", false, &_init_f_setTimestamp_1103, &_call_f_setTimestamp_1103); methods += new qt_gsi::GenericMethod ("setWidget|widget=", "@brief Method void QGraphicsSceneEvent::setWidget(QWidget *widget)\n", false, &_init_f_setWidget_1315, &_call_f_setWidget_1315); - methods += new qt_gsi::GenericMethod ("timestamp", "@brief Method quint64 QGraphicsSceneEvent::timestamp()\n", true, &_init_f_timestamp_c0, &_call_f_timestamp_c0); + methods += new qt_gsi::GenericMethod (":timestamp", "@brief Method quint64 QGraphicsSceneEvent::timestamp()\n", true, &_init_f_timestamp_c0, &_call_f_timestamp_c0); methods += new qt_gsi::GenericMethod (":widget", "@brief Method QWidget *QGraphicsSceneEvent::widget()\n", true, &_init_f_widget_c0, &_call_f_widget_c0); return methods; } diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneWheelEvent.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneWheelEvent.cc index 88d04082f4..3be010a298 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneWheelEvent.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneWheelEvent.cc @@ -396,21 +396,21 @@ static gsi::Methods methods_QGraphicsSceneWheelEvent () { gsi::Methods methods; methods += new qt_gsi::GenericMethod (":buttons", "@brief Method QFlags QGraphicsSceneWheelEvent::buttons()\n", true, &_init_f_buttons_c0, &_call_f_buttons_c0); methods += new qt_gsi::GenericMethod (":delta", "@brief Method int QGraphicsSceneWheelEvent::delta()\n", true, &_init_f_delta_c0, &_call_f_delta_c0); - methods += new qt_gsi::GenericMethod ("isInverted?", "@brief Method bool QGraphicsSceneWheelEvent::isInverted()\n", true, &_init_f_isInverted_c0, &_call_f_isInverted_c0); + methods += new qt_gsi::GenericMethod ("isInverted?|:inverted", "@brief Method bool QGraphicsSceneWheelEvent::isInverted()\n", true, &_init_f_isInverted_c0, &_call_f_isInverted_c0); methods += new qt_gsi::GenericMethod (":modifiers", "@brief Method QFlags QGraphicsSceneWheelEvent::modifiers()\n", true, &_init_f_modifiers_c0, &_call_f_modifiers_c0); methods += new qt_gsi::GenericMethod (":orientation", "@brief Method Qt::Orientation QGraphicsSceneWheelEvent::orientation()\n", true, &_init_f_orientation_c0, &_call_f_orientation_c0); - methods += new qt_gsi::GenericMethod ("phase", "@brief Method Qt::ScrollPhase QGraphicsSceneWheelEvent::phase()\n", true, &_init_f_phase_c0, &_call_f_phase_c0); - methods += new qt_gsi::GenericMethod ("pixelDelta", "@brief Method QPoint QGraphicsSceneWheelEvent::pixelDelta()\n", true, &_init_f_pixelDelta_c0, &_call_f_pixelDelta_c0); + methods += new qt_gsi::GenericMethod (":phase", "@brief Method Qt::ScrollPhase QGraphicsSceneWheelEvent::phase()\n", true, &_init_f_phase_c0, &_call_f_phase_c0); + methods += new qt_gsi::GenericMethod (":pixelDelta", "@brief Method QPoint QGraphicsSceneWheelEvent::pixelDelta()\n", true, &_init_f_pixelDelta_c0, &_call_f_pixelDelta_c0); methods += new qt_gsi::GenericMethod (":pos", "@brief Method QPointF QGraphicsSceneWheelEvent::pos()\n", true, &_init_f_pos_c0, &_call_f_pos_c0); methods += new qt_gsi::GenericMethod (":scenePos", "@brief Method QPointF QGraphicsSceneWheelEvent::scenePos()\n", true, &_init_f_scenePos_c0, &_call_f_scenePos_c0); methods += new qt_gsi::GenericMethod (":screenPos", "@brief Method QPoint QGraphicsSceneWheelEvent::screenPos()\n", true, &_init_f_screenPos_c0, &_call_f_screenPos_c0); methods += new qt_gsi::GenericMethod ("setButtons|buttons=", "@brief Method void QGraphicsSceneWheelEvent::setButtons(QFlags buttons)\n", false, &_init_f_setButtons_2602, &_call_f_setButtons_2602); methods += new qt_gsi::GenericMethod ("setDelta|delta=", "@brief Method void QGraphicsSceneWheelEvent::setDelta(int delta)\n", false, &_init_f_setDelta_767, &_call_f_setDelta_767); - methods += new qt_gsi::GenericMethod ("setInverted", "@brief Method void QGraphicsSceneWheelEvent::setInverted(bool inverted)\n", false, &_init_f_setInverted_864, &_call_f_setInverted_864); + methods += new qt_gsi::GenericMethod ("setInverted|inverted=", "@brief Method void QGraphicsSceneWheelEvent::setInverted(bool inverted)\n", false, &_init_f_setInverted_864, &_call_f_setInverted_864); methods += new qt_gsi::GenericMethod ("setModifiers|modifiers=", "@brief Method void QGraphicsSceneWheelEvent::setModifiers(QFlags modifiers)\n", false, &_init_f_setModifiers_3077, &_call_f_setModifiers_3077); methods += new qt_gsi::GenericMethod ("setOrientation|orientation=", "@brief Method void QGraphicsSceneWheelEvent::setOrientation(Qt::Orientation orientation)\n", false, &_init_f_setOrientation_1913, &_call_f_setOrientation_1913); - methods += new qt_gsi::GenericMethod ("setPhase", "@brief Method void QGraphicsSceneWheelEvent::setPhase(Qt::ScrollPhase scrollPhase)\n", false, &_init_f_setPhase_1869, &_call_f_setPhase_1869); - methods += new qt_gsi::GenericMethod ("setPixelDelta", "@brief Method void QGraphicsSceneWheelEvent::setPixelDelta(QPoint delta)\n", false, &_init_f_setPixelDelta_1039, &_call_f_setPixelDelta_1039); + methods += new qt_gsi::GenericMethod ("setPhase|phase=", "@brief Method void QGraphicsSceneWheelEvent::setPhase(Qt::ScrollPhase scrollPhase)\n", false, &_init_f_setPhase_1869, &_call_f_setPhase_1869); + methods += new qt_gsi::GenericMethod ("setPixelDelta|pixelDelta=", "@brief Method void QGraphicsSceneWheelEvent::setPixelDelta(QPoint delta)\n", false, &_init_f_setPixelDelta_1039, &_call_f_setPixelDelta_1039); methods += new qt_gsi::GenericMethod ("setPos|pos=", "@brief Method void QGraphicsSceneWheelEvent::setPos(const QPointF &pos)\n", false, &_init_f_setPos_1986, &_call_f_setPos_1986); methods += new qt_gsi::GenericMethod ("setScenePos|scenePos=", "@brief Method void QGraphicsSceneWheelEvent::setScenePos(const QPointF &pos)\n", false, &_init_f_setScenePos_1986, &_call_f_setScenePos_1986); methods += new qt_gsi::GenericMethod ("setScreenPos|screenPos=", "@brief Method void QGraphicsSceneWheelEvent::setScreenPos(const QPoint &pos)\n", false, &_init_f_setScreenPos_1916, &_call_f_setScreenPos_1916); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQHeaderView.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQHeaderView.cc index 70361447a6..5bf522be2b 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQHeaderView.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQHeaderView.cc @@ -1262,26 +1262,6 @@ static void _call_f_sizeHint_c0 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// void QHeaderView::sortIndicatorClearableChanged(bool clearable) - - -static void _init_f_sortIndicatorClearableChanged_864 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("clearable"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_sortIndicatorClearableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - bool arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QHeaderView *)cls)->sortIndicatorClearableChanged (arg1); -} - - // Qt::SortOrder QHeaderView::sortIndicatorOrder() @@ -1443,9 +1423,9 @@ static gsi::Methods methods_QHeaderView () { methods += new qt_gsi::GenericMethod ("hiddenSectionCount", "@brief Method int QHeaderView::hiddenSectionCount()\n", true, &_init_f_hiddenSectionCount_c0, &_call_f_hiddenSectionCount_c0); methods += new qt_gsi::GenericMethod ("hideSection", "@brief Method void QHeaderView::hideSection(int logicalIndex)\n", false, &_init_f_hideSection_767, &_call_f_hideSection_767); methods += new qt_gsi::GenericMethod (":highlightSections", "@brief Method bool QHeaderView::highlightSections()\n", true, &_init_f_highlightSections_c0, &_call_f_highlightSections_c0); - methods += new qt_gsi::GenericMethod ("isFirstSectionMovable?", "@brief Method bool QHeaderView::isFirstSectionMovable()\n", true, &_init_f_isFirstSectionMovable_c0, &_call_f_isFirstSectionMovable_c0); + methods += new qt_gsi::GenericMethod ("isFirstSectionMovable?|:firstSectionMovable", "@brief Method bool QHeaderView::isFirstSectionMovable()\n", true, &_init_f_isFirstSectionMovable_c0, &_call_f_isFirstSectionMovable_c0); methods += new qt_gsi::GenericMethod ("isSectionHidden?", "@brief Method bool QHeaderView::isSectionHidden(int logicalIndex)\n", true, &_init_f_isSectionHidden_c767, &_call_f_isSectionHidden_c767); - methods += new qt_gsi::GenericMethod ("isSortIndicatorClearable?", "@brief Method bool QHeaderView::isSortIndicatorClearable()\n", true, &_init_f_isSortIndicatorClearable_c0, &_call_f_isSortIndicatorClearable_c0); + methods += new qt_gsi::GenericMethod ("isSortIndicatorClearable?|:sortIndicatorClearable", "@brief Method bool QHeaderView::isSortIndicatorClearable()\n", true, &_init_f_isSortIndicatorClearable_c0, &_call_f_isSortIndicatorClearable_c0); methods += new qt_gsi::GenericMethod ("isSortIndicatorShown?|:sortIndicatorShown", "@brief Method bool QHeaderView::isSortIndicatorShown()\n", true, &_init_f_isSortIndicatorShown_c0, &_call_f_isSortIndicatorShown_c0); methods += new qt_gsi::GenericMethod ("length", "@brief Method int QHeaderView::length()\n", true, &_init_f_length_c0, &_call_f_length_c0); methods += new qt_gsi::GenericMethod ("logicalIndex", "@brief Method int QHeaderView::logicalIndex(int visualIndex)\n", true, &_init_f_logicalIndex_c767, &_call_f_logicalIndex_c767); @@ -1476,7 +1456,7 @@ static gsi::Methods methods_QHeaderView () { methods += new qt_gsi::GenericMethod ("setCascadingSectionResizes|cascadingSectionResizes=", "@brief Method void QHeaderView::setCascadingSectionResizes(bool enable)\n", false, &_init_f_setCascadingSectionResizes_864, &_call_f_setCascadingSectionResizes_864); methods += new qt_gsi::GenericMethod ("setDefaultAlignment|defaultAlignment=", "@brief Method void QHeaderView::setDefaultAlignment(QFlags alignment)\n", false, &_init_f_setDefaultAlignment_2750, &_call_f_setDefaultAlignment_2750); methods += new qt_gsi::GenericMethod ("setDefaultSectionSize|defaultSectionSize=", "@brief Method void QHeaderView::setDefaultSectionSize(int size)\n", false, &_init_f_setDefaultSectionSize_767, &_call_f_setDefaultSectionSize_767); - methods += new qt_gsi::GenericMethod ("setFirstSectionMovable", "@brief Method void QHeaderView::setFirstSectionMovable(bool movable)\n", false, &_init_f_setFirstSectionMovable_864, &_call_f_setFirstSectionMovable_864); + methods += new qt_gsi::GenericMethod ("setFirstSectionMovable|firstSectionMovable=", "@brief Method void QHeaderView::setFirstSectionMovable(bool movable)\n", false, &_init_f_setFirstSectionMovable_864, &_call_f_setFirstSectionMovable_864); methods += new qt_gsi::GenericMethod ("setHighlightSections|highlightSections=", "@brief Method void QHeaderView::setHighlightSections(bool highlight)\n", false, &_init_f_setHighlightSections_864, &_call_f_setHighlightSections_864); methods += new qt_gsi::GenericMethod ("setMaximumSectionSize|maximumSectionSize=", "@brief Method void QHeaderView::setMaximumSectionSize(int size)\n", false, &_init_f_setMaximumSectionSize_767, &_call_f_setMaximumSectionSize_767); methods += new qt_gsi::GenericMethod ("setMinimumSectionSize|minimumSectionSize=", "@brief Method void QHeaderView::setMinimumSectionSize(int size)\n", false, &_init_f_setMinimumSectionSize_767, &_call_f_setMinimumSectionSize_767); @@ -1491,13 +1471,12 @@ static gsi::Methods methods_QHeaderView () { methods += new qt_gsi::GenericMethod ("setSectionsClickable|sectionsClickable=", "@brief Method void QHeaderView::setSectionsClickable(bool clickable)\n", false, &_init_f_setSectionsClickable_864, &_call_f_setSectionsClickable_864); methods += new qt_gsi::GenericMethod ("setSectionsMovable|sectionsMovable=", "@brief Method void QHeaderView::setSectionsMovable(bool movable)\n", false, &_init_f_setSectionsMovable_864, &_call_f_setSectionsMovable_864); methods += new qt_gsi::GenericMethod ("setSortIndicator", "@brief Method void QHeaderView::setSortIndicator(int logicalIndex, Qt::SortOrder order)\n", false, &_init_f_setSortIndicator_2340, &_call_f_setSortIndicator_2340); - methods += new qt_gsi::GenericMethod ("setSortIndicatorClearable", "@brief Method void QHeaderView::setSortIndicatorClearable(bool clearable)\n", false, &_init_f_setSortIndicatorClearable_864, &_call_f_setSortIndicatorClearable_864); + methods += new qt_gsi::GenericMethod ("setSortIndicatorClearable|sortIndicatorClearable=", "@brief Method void QHeaderView::setSortIndicatorClearable(bool clearable)\n", false, &_init_f_setSortIndicatorClearable_864, &_call_f_setSortIndicatorClearable_864); methods += new qt_gsi::GenericMethod ("setSortIndicatorShown|sortIndicatorShown=", "@brief Method void QHeaderView::setSortIndicatorShown(bool show)\n", false, &_init_f_setSortIndicatorShown_864, &_call_f_setSortIndicatorShown_864); methods += new qt_gsi::GenericMethod ("setStretchLastSection|stretchLastSection=", "@brief Method void QHeaderView::setStretchLastSection(bool stretch)\n", false, &_init_f_setStretchLastSection_864, &_call_f_setStretchLastSection_864); methods += new qt_gsi::GenericMethod ("setVisible|visible=", "@brief Method void QHeaderView::setVisible(bool v)\nThis is a reimplementation of QWidget::setVisible", false, &_init_f_setVisible_864, &_call_f_setVisible_864); methods += new qt_gsi::GenericMethod ("showSection", "@brief Method void QHeaderView::showSection(int logicalIndex)\n", false, &_init_f_showSection_767, &_call_f_showSection_767); methods += new qt_gsi::GenericMethod (":sizeHint", "@brief Method QSize QHeaderView::sizeHint()\nThis is a reimplementation of QAbstractScrollArea::sizeHint", true, &_init_f_sizeHint_c0, &_call_f_sizeHint_c0); - methods += new qt_gsi::GenericMethod ("sortIndicatorClearableChanged", "@brief Method void QHeaderView::sortIndicatorClearableChanged(bool clearable)\n", false, &_init_f_sortIndicatorClearableChanged_864, &_call_f_sortIndicatorClearableChanged_864); methods += new qt_gsi::GenericMethod ("sortIndicatorOrder", "@brief Method Qt::SortOrder QHeaderView::sortIndicatorOrder()\n", true, &_init_f_sortIndicatorOrder_c0, &_call_f_sortIndicatorOrder_c0); methods += new qt_gsi::GenericMethod ("sortIndicatorSection", "@brief Method int QHeaderView::sortIndicatorSection()\n", true, &_init_f_sortIndicatorSection_c0, &_call_f_sortIndicatorSection_c0); methods += new qt_gsi::GenericMethod (":stretchLastSection", "@brief Method bool QHeaderView::stretchLastSection()\n", true, &_init_f_stretchLastSection_c0, &_call_f_stretchLastSection_c0); @@ -1524,6 +1503,7 @@ static gsi::Methods methods_QHeaderView () { methods += gsi::qt_signal ("sectionPressed(int)", "sectionPressed", gsi::arg("logicalIndex"), "@brief Signal declaration for QHeaderView::sectionPressed(int logicalIndex)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("sectionResized(int, int, int)", "sectionResized", gsi::arg("logicalIndex"), gsi::arg("oldSize"), gsi::arg("newSize"), "@brief Signal declaration for QHeaderView::sectionResized(int logicalIndex, int oldSize, int newSize)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal::target_type & > ("sortIndicatorChanged(int, Qt::SortOrder)", "sortIndicatorChanged", gsi::arg("logicalIndex"), gsi::arg("order"), "@brief Signal declaration for QHeaderView::sortIndicatorChanged(int logicalIndex, Qt::SortOrder order)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("sortIndicatorClearableChanged(bool)", "sortIndicatorClearableChanged", gsi::arg("clearable"), "@brief Signal declaration for QHeaderView::sortIndicatorClearableChanged(bool clearable)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("viewportEntered()", "viewportEntered", "@brief Signal declaration for QHeaderView::viewportEntered()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("windowIconChanged(const QIcon &)", "windowIconChanged", gsi::arg("icon"), "@brief Signal declaration for QHeaderView::windowIconChanged(const QIcon &icon)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("windowIconTextChanged(const QString &)", "windowIconTextChanged", gsi::arg("iconText"), "@brief Signal declaration for QHeaderView::windowIconTextChanged(const QString &iconText)\nYou can bind a procedure to this signal."); @@ -2101,6 +2081,12 @@ class QHeaderView_Adaptor : public QHeaderView, public qt_gsi::QtObjectBase emit QHeaderView::sortIndicatorChanged(logicalIndex, order); } + // [emitter impl] void QHeaderView::sortIndicatorClearableChanged(bool clearable) + void emitter_QHeaderView_sortIndicatorClearableChanged_864(bool clearable) + { + emit QHeaderView::sortIndicatorClearableChanged(clearable); + } + // [emitter impl] void QHeaderView::viewportEntered() void emitter_QHeaderView_viewportEntered_0() { @@ -6037,6 +6023,24 @@ static void _call_emitter_sortIndicatorChanged_2340 (const qt_gsi::GenericMethod } +// emitter void QHeaderView::sortIndicatorClearableChanged(bool clearable) + +static void _init_emitter_sortIndicatorClearableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("clearable"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_sortIndicatorClearableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QHeaderView_Adaptor *)cls)->emitter_QHeaderView_sortIndicatorClearableChanged_864 (arg1); +} + + // exposed void QHeaderView::startAutoScroll() static void _init_fp_startAutoScroll_0 (qt_gsi::GenericMethod *decl) @@ -6720,6 +6724,7 @@ static gsi::Methods methods_QHeaderView_Adaptor () { methods += new qt_gsi::GenericMethod ("sizeHintForRow", "@brief Virtual method int QHeaderView::sizeHintForRow(int row)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_sizeHintForRow_c767_0, &_call_cbs_sizeHintForRow_c767_0); methods += new qt_gsi::GenericMethod ("sizeHintForRow", "@hide", true, &_init_cbs_sizeHintForRow_c767_0, &_call_cbs_sizeHintForRow_c767_0, &_set_callback_cbs_sizeHintForRow_c767_0); methods += new qt_gsi::GenericMethod ("emit_sortIndicatorChanged", "@brief Emitter for signal void QHeaderView::sortIndicatorChanged(int logicalIndex, Qt::SortOrder order)\nCall this method to emit this signal.", false, &_init_emitter_sortIndicatorChanged_2340, &_call_emitter_sortIndicatorChanged_2340); + methods += new qt_gsi::GenericMethod ("emit_sortIndicatorClearableChanged", "@brief Emitter for signal void QHeaderView::sortIndicatorClearableChanged(bool clearable)\nCall this method to emit this signal.", false, &_init_emitter_sortIndicatorClearableChanged_864, &_call_emitter_sortIndicatorClearableChanged_864); methods += new qt_gsi::GenericMethod ("*startAutoScroll", "@brief Method void QHeaderView::startAutoScroll()\nThis method is protected and can only be called from inside a derived class.", false, &_init_fp_startAutoScroll_0, &_call_fp_startAutoScroll_0); methods += new qt_gsi::GenericMethod ("*startDrag", "@brief Virtual method void QHeaderView::startDrag(QFlags supportedActions)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_startDrag_2456_0, &_call_cbs_startDrag_2456_0); methods += new qt_gsi::GenericMethod ("*startDrag", "@hide", false, &_init_cbs_startDrag_2456_0, &_call_cbs_startDrag_2456_0, &_set_callback_cbs_startDrag_2456_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQInputDialog.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQInputDialog.cc index dc7fdccd72..99b43da09d 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQInputDialog.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQInputDialog.cc @@ -1175,7 +1175,7 @@ static gsi::Methods methods_QInputDialog () { methods += new qt_gsi::GenericMethod (":doubleDecimals", "@brief Method int QInputDialog::doubleDecimals()\n", true, &_init_f_doubleDecimals_c0, &_call_f_doubleDecimals_c0); methods += new qt_gsi::GenericMethod (":doubleMaximum", "@brief Method double QInputDialog::doubleMaximum()\n", true, &_init_f_doubleMaximum_c0, &_call_f_doubleMaximum_c0); methods += new qt_gsi::GenericMethod (":doubleMinimum", "@brief Method double QInputDialog::doubleMinimum()\n", true, &_init_f_doubleMinimum_c0, &_call_f_doubleMinimum_c0); - methods += new qt_gsi::GenericMethod ("doubleStep", "@brief Method double QInputDialog::doubleStep()\n", true, &_init_f_doubleStep_c0, &_call_f_doubleStep_c0); + methods += new qt_gsi::GenericMethod (":doubleStep", "@brief Method double QInputDialog::doubleStep()\n", true, &_init_f_doubleStep_c0, &_call_f_doubleStep_c0); methods += new qt_gsi::GenericMethod (":doubleValue", "@brief Method double QInputDialog::doubleValue()\n", true, &_init_f_doubleValue_c0, &_call_f_doubleValue_c0); methods += new qt_gsi::GenericMethod (":inputMode", "@brief Method QInputDialog::InputMode QInputDialog::inputMode()\n", true, &_init_f_inputMode_c0, &_call_f_inputMode_c0); methods += new qt_gsi::GenericMethod (":intMaximum", "@brief Method int QInputDialog::intMaximum()\n", true, &_init_f_intMaximum_c0, &_call_f_intMaximum_c0); @@ -1196,7 +1196,7 @@ static gsi::Methods methods_QInputDialog () { methods += new qt_gsi::GenericMethod ("setDoubleMaximum|doubleMaximum=", "@brief Method void QInputDialog::setDoubleMaximum(double max)\n", false, &_init_f_setDoubleMaximum_1071, &_call_f_setDoubleMaximum_1071); methods += new qt_gsi::GenericMethod ("setDoubleMinimum|doubleMinimum=", "@brief Method void QInputDialog::setDoubleMinimum(double min)\n", false, &_init_f_setDoubleMinimum_1071, &_call_f_setDoubleMinimum_1071); methods += new qt_gsi::GenericMethod ("setDoubleRange", "@brief Method void QInputDialog::setDoubleRange(double min, double max)\n", false, &_init_f_setDoubleRange_2034, &_call_f_setDoubleRange_2034); - methods += new qt_gsi::GenericMethod ("setDoubleStep", "@brief Method void QInputDialog::setDoubleStep(double step)\n", false, &_init_f_setDoubleStep_1071, &_call_f_setDoubleStep_1071); + methods += new qt_gsi::GenericMethod ("setDoubleStep|doubleStep=", "@brief Method void QInputDialog::setDoubleStep(double step)\n", false, &_init_f_setDoubleStep_1071, &_call_f_setDoubleStep_1071); methods += new qt_gsi::GenericMethod ("setDoubleValue|doubleValue=", "@brief Method void QInputDialog::setDoubleValue(double value)\n", false, &_init_f_setDoubleValue_1071, &_call_f_setDoubleValue_1071); methods += new qt_gsi::GenericMethod ("setInputMode|inputMode=", "@brief Method void QInputDialog::setInputMode(QInputDialog::InputMode mode)\n", false, &_init_f_setInputMode_2670, &_call_f_setInputMode_2670); methods += new qt_gsi::GenericMethod ("setIntMaximum|intMaximum=", "@brief Method void QInputDialog::setIntMaximum(int max)\n", false, &_init_f_setIntMaximum_767, &_call_f_setIntMaximum_767); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQLabel.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQLabel.cc index 8029c7758e..ab09d2e592 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQLabel.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQLabel.cc @@ -814,7 +814,7 @@ static gsi::Methods methods_QLabel () { methods += new qt_gsi::GenericMethod (":movie", "@brief Method QMovie *QLabel::movie()\n", true, &_init_f_movie_c0, &_call_f_movie_c0); methods += new qt_gsi::GenericMethod (":openExternalLinks", "@brief Method bool QLabel::openExternalLinks()\n", true, &_init_f_openExternalLinks_c0, &_call_f_openExternalLinks_c0); methods += new qt_gsi::GenericMethod ("picture", "@brief Method QPicture QLabel::picture(Qt::ReturnByValueConstant)\n", true, &_init_f_picture_c2927, &_call_f_picture_c2927); - methods += new qt_gsi::GenericMethod ("picture", "@brief Method QPicture QLabel::picture()\n", true, &_init_f_picture_c0, &_call_f_picture_c0); + methods += new qt_gsi::GenericMethod (":picture", "@brief Method QPicture QLabel::picture()\n", true, &_init_f_picture_c0, &_call_f_picture_c0); methods += new qt_gsi::GenericMethod ("pixmap", "@brief Method QPixmap QLabel::pixmap(Qt::ReturnByValueConstant)\n", true, &_init_f_pixmap_c2927, &_call_f_pixmap_c2927); methods += new qt_gsi::GenericMethod (":pixmap", "@brief Method QPixmap QLabel::pixmap()\n", true, &_init_f_pixmap_c0, &_call_f_pixmap_c0); methods += new qt_gsi::GenericMethod (":selectedText", "@brief Method QString QLabel::selectedText()\n", true, &_init_f_selectedText_c0, &_call_f_selectedText_c0); @@ -827,7 +827,7 @@ static gsi::Methods methods_QLabel () { methods += new qt_gsi::GenericMethod ("setNum", "@brief Method void QLabel::setNum(int)\n", false, &_init_f_setNum_767, &_call_f_setNum_767); methods += new qt_gsi::GenericMethod ("setNum", "@brief Method void QLabel::setNum(double)\n", false, &_init_f_setNum_1071, &_call_f_setNum_1071); methods += new qt_gsi::GenericMethod ("setOpenExternalLinks|openExternalLinks=", "@brief Method void QLabel::setOpenExternalLinks(bool open)\n", false, &_init_f_setOpenExternalLinks_864, &_call_f_setOpenExternalLinks_864); - methods += new qt_gsi::GenericMethod ("setPicture", "@brief Method void QLabel::setPicture(const QPicture &)\n", false, &_init_f_setPicture_2126, &_call_f_setPicture_2126); + methods += new qt_gsi::GenericMethod ("setPicture|picture=", "@brief Method void QLabel::setPicture(const QPicture &)\n", false, &_init_f_setPicture_2126, &_call_f_setPicture_2126); methods += new qt_gsi::GenericMethod ("setPixmap|pixmap=", "@brief Method void QLabel::setPixmap(const QPixmap &)\n", false, &_init_f_setPixmap_2017, &_call_f_setPixmap_2017); methods += new qt_gsi::GenericMethod ("setScaledContents|scaledContents=", "@brief Method void QLabel::setScaledContents(bool)\n", false, &_init_f_setScaledContents_864, &_call_f_setScaledContents_864); methods += new qt_gsi::GenericMethod ("setSelection", "@brief Method void QLabel::setSelection(int, int)\n", false, &_init_f_setSelection_1426, &_call_f_setSelection_1426); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQListView.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQListView.cc index 487c5a7bd5..0ea5256975 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQListView.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQListView.cc @@ -811,7 +811,7 @@ static gsi::Methods methods_QListView () { methods += new qt_gsi::GenericMethod ("isRowHidden?", "@brief Method bool QListView::isRowHidden(int row)\n", true, &_init_f_isRowHidden_c767, &_call_f_isRowHidden_c767); methods += new qt_gsi::GenericMethod ("isSelectionRectVisible?|:selectionRectVisible", "@brief Method bool QListView::isSelectionRectVisible()\n", true, &_init_f_isSelectionRectVisible_c0, &_call_f_isSelectionRectVisible_c0); methods += new qt_gsi::GenericMethod ("isWrapping?|:isWrapping", "@brief Method bool QListView::isWrapping()\n", true, &_init_f_isWrapping_c0, &_call_f_isWrapping_c0); - methods += new qt_gsi::GenericMethod ("itemAlignment", "@brief Method QFlags QListView::itemAlignment()\n", true, &_init_f_itemAlignment_c0, &_call_f_itemAlignment_c0); + methods += new qt_gsi::GenericMethod (":itemAlignment", "@brief Method QFlags QListView::itemAlignment()\n", true, &_init_f_itemAlignment_c0, &_call_f_itemAlignment_c0); methods += new qt_gsi::GenericMethod (":layoutMode", "@brief Method QListView::LayoutMode QListView::layoutMode()\n", true, &_init_f_layoutMode_c0, &_call_f_layoutMode_c0); methods += new qt_gsi::GenericMethod (":modelColumn", "@brief Method int QListView::modelColumn()\n", true, &_init_f_modelColumn_c0, &_call_f_modelColumn_c0); methods += new qt_gsi::GenericMethod (":movement", "@brief Method QListView::Movement QListView::movement()\n", true, &_init_f_movement_c0, &_call_f_movement_c0); @@ -821,7 +821,7 @@ static gsi::Methods methods_QListView () { methods += new qt_gsi::GenericMethod ("setBatchSize|batchSize=", "@brief Method void QListView::setBatchSize(int batchSize)\n", false, &_init_f_setBatchSize_767, &_call_f_setBatchSize_767); methods += new qt_gsi::GenericMethod ("setFlow|flow=", "@brief Method void QListView::setFlow(QListView::Flow flow)\n", false, &_init_f_setFlow_1864, &_call_f_setFlow_1864); methods += new qt_gsi::GenericMethod ("setGridSize|gridSize=", "@brief Method void QListView::setGridSize(const QSize &size)\n", false, &_init_f_setGridSize_1805, &_call_f_setGridSize_1805); - methods += new qt_gsi::GenericMethod ("setItemAlignment", "@brief Method void QListView::setItemAlignment(QFlags alignment)\n", false, &_init_f_setItemAlignment_2750, &_call_f_setItemAlignment_2750); + methods += new qt_gsi::GenericMethod ("setItemAlignment|itemAlignment=", "@brief Method void QListView::setItemAlignment(QFlags alignment)\n", false, &_init_f_setItemAlignment_2750, &_call_f_setItemAlignment_2750); methods += new qt_gsi::GenericMethod ("setLayoutMode|layoutMode=", "@brief Method void QListView::setLayoutMode(QListView::LayoutMode mode)\n", false, &_init_f_setLayoutMode_2483, &_call_f_setLayoutMode_2483); methods += new qt_gsi::GenericMethod ("setModelColumn|modelColumn=", "@brief Method void QListView::setModelColumn(int column)\n", false, &_init_f_setModelColumn_767, &_call_f_setModelColumn_767); methods += new qt_gsi::GenericMethod ("setMovement|movement=", "@brief Method void QListView::setMovement(QListView::Movement movement)\n", false, &_init_f_setMovement_2299, &_call_f_setMovement_2299); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQListWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQListWidget.cc index 85d0f83db9..9f1ea54662 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQListWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQListWidget.cc @@ -923,7 +923,7 @@ static gsi::Methods methods_QListWidget () { methods += new qt_gsi::GenericMethod ("setCurrentRow|currentRow=", "@brief Method void QListWidget::setCurrentRow(int row)\n", false, &_init_f_setCurrentRow_767, &_call_f_setCurrentRow_767); methods += new qt_gsi::GenericMethod ("setCurrentRow", "@brief Method void QListWidget::setCurrentRow(int row, QFlags command)\n", false, &_init_f_setCurrentRow_5130, &_call_f_setCurrentRow_5130); methods += new qt_gsi::GenericMethod ("setItemWidget", "@brief Method void QListWidget::setItemWidget(QListWidgetItem *item, QWidget *widget)\n", false, &_init_f_setItemWidget_3333, &_call_f_setItemWidget_3333); - methods += new qt_gsi::GenericMethod ("setSelectionModel", "@brief Method void QListWidget::setSelectionModel(QItemSelectionModel *selectionModel)\nThis is a reimplementation of QAbstractItemView::setSelectionModel", false, &_init_f_setSelectionModel_2533, &_call_f_setSelectionModel_2533); + methods += new qt_gsi::GenericMethod ("setSelectionModel|selectionModel=", "@brief Method void QListWidget::setSelectionModel(QItemSelectionModel *selectionModel)\nThis is a reimplementation of QAbstractItemView::setSelectionModel", false, &_init_f_setSelectionModel_2533, &_call_f_setSelectionModel_2533); methods += new qt_gsi::GenericMethod ("setSortingEnabled|sortingEnabled=", "@brief Method void QListWidget::setSortingEnabled(bool enable)\n", false, &_init_f_setSortingEnabled_864, &_call_f_setSortingEnabled_864); methods += new qt_gsi::GenericMethod ("sortItems", "@brief Method void QListWidget::sortItems(Qt::SortOrder order)\n", false, &_init_f_sortItems_1681, &_call_f_sortItems_1681); methods += new qt_gsi::GenericMethod ("takeItem", "@brief Method QListWidgetItem *QListWidget::takeItem(int row)\n", false, &_init_f_takeItem_767, &_call_f_takeItem_767); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQPlainTextEdit.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQPlainTextEdit.cc index fbbd3b6dec..9f9ae2126e 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQPlainTextEdit.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQPlainTextEdit.cc @@ -1414,13 +1414,13 @@ static gsi::Methods methods_QPlainTextEdit () { methods += new qt_gsi::GenericMethod ("setPlainText|plainText=", "@brief Method void QPlainTextEdit::setPlainText(const QString &text)\n", false, &_init_f_setPlainText_2025, &_call_f_setPlainText_2025); methods += new qt_gsi::GenericMethod ("setReadOnly|readOnly=", "@brief Method void QPlainTextEdit::setReadOnly(bool ro)\n", false, &_init_f_setReadOnly_864, &_call_f_setReadOnly_864); methods += new qt_gsi::GenericMethod ("setTabChangesFocus|tabChangesFocus=", "@brief Method void QPlainTextEdit::setTabChangesFocus(bool b)\n", false, &_init_f_setTabChangesFocus_864, &_call_f_setTabChangesFocus_864); - methods += new qt_gsi::GenericMethod ("setTabStopDistance", "@brief Method void QPlainTextEdit::setTabStopDistance(double distance)\n", false, &_init_f_setTabStopDistance_1071, &_call_f_setTabStopDistance_1071); + methods += new qt_gsi::GenericMethod ("setTabStopDistance|tabStopDistance=", "@brief Method void QPlainTextEdit::setTabStopDistance(double distance)\n", false, &_init_f_setTabStopDistance_1071, &_call_f_setTabStopDistance_1071); methods += new qt_gsi::GenericMethod ("setTextCursor|textCursor=", "@brief Method void QPlainTextEdit::setTextCursor(const QTextCursor &cursor)\n", false, &_init_f_setTextCursor_2453, &_call_f_setTextCursor_2453); methods += new qt_gsi::GenericMethod ("setTextInteractionFlags|textInteractionFlags=", "@brief Method void QPlainTextEdit::setTextInteractionFlags(QFlags flags)\n", false, &_init_f_setTextInteractionFlags_3396, &_call_f_setTextInteractionFlags_3396); methods += new qt_gsi::GenericMethod ("setUndoRedoEnabled|undoRedoEnabled=", "@brief Method void QPlainTextEdit::setUndoRedoEnabled(bool enable)\n", false, &_init_f_setUndoRedoEnabled_864, &_call_f_setUndoRedoEnabled_864); methods += new qt_gsi::GenericMethod ("setWordWrapMode|wordWrapMode=", "@brief Method void QPlainTextEdit::setWordWrapMode(QTextOption::WrapMode policy)\n", false, &_init_f_setWordWrapMode_2486, &_call_f_setWordWrapMode_2486); methods += new qt_gsi::GenericMethod (":tabChangesFocus", "@brief Method bool QPlainTextEdit::tabChangesFocus()\n", true, &_init_f_tabChangesFocus_c0, &_call_f_tabChangesFocus_c0); - methods += new qt_gsi::GenericMethod ("tabStopDistance", "@brief Method double QPlainTextEdit::tabStopDistance()\n", true, &_init_f_tabStopDistance_c0, &_call_f_tabStopDistance_c0); + methods += new qt_gsi::GenericMethod (":tabStopDistance", "@brief Method double QPlainTextEdit::tabStopDistance()\n", true, &_init_f_tabStopDistance_c0, &_call_f_tabStopDistance_c0); methods += new qt_gsi::GenericMethod (":textCursor", "@brief Method QTextCursor QPlainTextEdit::textCursor()\n", true, &_init_f_textCursor_c0, &_call_f_textCursor_c0); methods += new qt_gsi::GenericMethod (":textInteractionFlags", "@brief Method QFlags QPlainTextEdit::textInteractionFlags()\n", true, &_init_f_textInteractionFlags_c0, &_call_f_textInteractionFlags_c0); methods += new qt_gsi::GenericMethod ("toPlainText", "@brief Method QString QPlainTextEdit::toPlainText()\n", true, &_init_f_toPlainText_c0, &_call_f_toPlainText_c0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQSpinBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQSpinBox.cc index 1d0ca7157c..3a969b346b 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQSpinBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQSpinBox.cc @@ -407,26 +407,6 @@ static void _call_f_suffix_c0 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// void QSpinBox::textChanged(const QString &) - - -static void _init_f_textChanged_2025 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_textChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const QString &arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QSpinBox *)cls)->textChanged (arg1); -} - - // int QSpinBox::value() @@ -484,18 +464,18 @@ static gsi::Methods methods_QSpinBox () { methods += new qt_gsi::GenericMethod ("setPrefix|prefix=", "@brief Method void QSpinBox::setPrefix(const QString &prefix)\n", false, &_init_f_setPrefix_2025, &_call_f_setPrefix_2025); methods += new qt_gsi::GenericMethod ("setRange", "@brief Method void QSpinBox::setRange(int min, int max)\n", false, &_init_f_setRange_1426, &_call_f_setRange_1426); methods += new qt_gsi::GenericMethod ("setSingleStep|singleStep=", "@brief Method void QSpinBox::setSingleStep(int val)\n", false, &_init_f_setSingleStep_767, &_call_f_setSingleStep_767); - methods += new qt_gsi::GenericMethod ("setStepType", "@brief Method void QSpinBox::setStepType(QAbstractSpinBox::StepType stepType)\n", false, &_init_f_setStepType_2990, &_call_f_setStepType_2990); + methods += new qt_gsi::GenericMethod ("setStepType|stepType=", "@brief Method void QSpinBox::setStepType(QAbstractSpinBox::StepType stepType)\n", false, &_init_f_setStepType_2990, &_call_f_setStepType_2990); methods += new qt_gsi::GenericMethod ("setSuffix|suffix=", "@brief Method void QSpinBox::setSuffix(const QString &suffix)\n", false, &_init_f_setSuffix_2025, &_call_f_setSuffix_2025); methods += new qt_gsi::GenericMethod ("setValue|value=", "@brief Method void QSpinBox::setValue(int val)\n", false, &_init_f_setValue_767, &_call_f_setValue_767); methods += new qt_gsi::GenericMethod (":singleStep", "@brief Method int QSpinBox::singleStep()\n", true, &_init_f_singleStep_c0, &_call_f_singleStep_c0); - methods += new qt_gsi::GenericMethod ("stepType", "@brief Method QAbstractSpinBox::StepType QSpinBox::stepType()\n", true, &_init_f_stepType_c0, &_call_f_stepType_c0); + methods += new qt_gsi::GenericMethod (":stepType", "@brief Method QAbstractSpinBox::StepType QSpinBox::stepType()\n", true, &_init_f_stepType_c0, &_call_f_stepType_c0); methods += new qt_gsi::GenericMethod (":suffix", "@brief Method QString QSpinBox::suffix()\n", true, &_init_f_suffix_c0, &_call_f_suffix_c0); - methods += new qt_gsi::GenericMethod ("textChanged", "@brief Method void QSpinBox::textChanged(const QString &)\n", false, &_init_f_textChanged_2025, &_call_f_textChanged_2025); methods += new qt_gsi::GenericMethod (":value", "@brief Method int QSpinBox::value()\n", true, &_init_f_value_c0, &_call_f_value_c0); methods += gsi::qt_signal ("customContextMenuRequested(const QPoint &)", "customContextMenuRequested", gsi::arg("pos"), "@brief Signal declaration for QSpinBox::customContextMenuRequested(const QPoint &pos)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QSpinBox::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("editingFinished()", "editingFinished", "@brief Signal declaration for QSpinBox::editingFinished()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QSpinBox::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("textChanged(const QString &)", "textChanged", gsi::arg("arg1"), "@brief Signal declaration for QSpinBox::textChanged(const QString &)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("valueChanged(int)", "valueChanged", gsi::arg("arg1"), "@brief Signal declaration for QSpinBox::valueChanged(int)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("windowIconChanged(const QIcon &)", "windowIconChanged", gsi::arg("icon"), "@brief Signal declaration for QSpinBox::windowIconChanged(const QIcon &icon)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("windowIconTextChanged(const QString &)", "windowIconTextChanged", gsi::arg("iconText"), "@brief Signal declaration for QSpinBox::windowIconTextChanged(const QString &iconText)\nYou can bind a procedure to this signal."); @@ -763,6 +743,12 @@ class QSpinBox_Adaptor : public QSpinBox, public qt_gsi::QtObjectBase } } + // [emitter impl] void QSpinBox::textChanged(const QString &) + void emitter_QSpinBox_textChanged_2025(const QString &arg1) + { + emit QSpinBox::textChanged(arg1); + } + // [emitter impl] void QSpinBox::valueChanged(int) void emitter_QSpinBox_valueChanged_767(int arg1) { @@ -2866,6 +2852,24 @@ static void _set_callback_cbs_tabletEvent_1821_0 (void *cls, const gsi::Callback } +// emitter void QSpinBox::textChanged(const QString &) + +static void _init_emitter_textChanged_2025 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("arg1"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_textChanged_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + const QString &arg1 = gsi::arg_reader() (args, heap); + ((QSpinBox_Adaptor *)cls)->emitter_QSpinBox_textChanged_2025 (arg1); +} + + // QString QSpinBox::textFromValue(int val) static void _init_cbs_textFromValue_c767_0 (qt_gsi::GenericMethod *decl) @@ -3195,6 +3199,7 @@ static gsi::Methods methods_QSpinBox_Adaptor () { methods += new qt_gsi::GenericMethod ("*stepEnabled", "@hide", true, &_init_cbs_stepEnabled_c0_0, &_call_cbs_stepEnabled_c0_0, &_set_callback_cbs_stepEnabled_c0_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@brief Virtual method void QSpinBox::tabletEvent(QTabletEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0); methods += new qt_gsi::GenericMethod ("*tabletEvent", "@hide", false, &_init_cbs_tabletEvent_1821_0, &_call_cbs_tabletEvent_1821_0, &_set_callback_cbs_tabletEvent_1821_0); + methods += new qt_gsi::GenericMethod ("emit_textChanged", "@brief Emitter for signal void QSpinBox::textChanged(const QString &)\nCall this method to emit this signal.", false, &_init_emitter_textChanged_2025, &_call_emitter_textChanged_2025); methods += new qt_gsi::GenericMethod ("*textFromValue", "@brief Virtual method QString QSpinBox::textFromValue(int val)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_textFromValue_c767_0, &_call_cbs_textFromValue_c767_0); methods += new qt_gsi::GenericMethod ("*textFromValue", "@hide", true, &_init_cbs_textFromValue_c767_0, &_call_cbs_textFromValue_c767_0, &_set_callback_cbs_textFromValue_c767_0); methods += new qt_gsi::GenericMethod ("*timerEvent", "@brief Virtual method void QSpinBox::timerEvent(QTimerEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTextBrowser.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTextBrowser.cc index dfdbef412a..fcc4a85381 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTextBrowser.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTextBrowser.cc @@ -522,7 +522,7 @@ static gsi::Methods methods_QTextBrowser () { methods += new qt_gsi::GenericMethod ("setSearchPaths|searchPaths=", "@brief Method void QTextBrowser::setSearchPaths(const QStringList &paths)\n", false, &_init_f_setSearchPaths_2437, &_call_f_setSearchPaths_2437); methods += new qt_gsi::GenericMethod ("setSource", "@brief Method void QTextBrowser::setSource(const QUrl &name, QTextDocument::ResourceType type)\n", false, &_init_f_setSource_4736, &_call_f_setSource_4736); methods += new qt_gsi::GenericMethod (":source", "@brief Method QUrl QTextBrowser::source()\n", true, &_init_f_source_c0, &_call_f_source_c0); - methods += new qt_gsi::GenericMethod ("sourceType", "@brief Method QTextDocument::ResourceType QTextBrowser::sourceType()\n", true, &_init_f_sourceType_c0, &_call_f_sourceType_c0); + methods += new qt_gsi::GenericMethod (":sourceType", "@brief Method QTextDocument::ResourceType QTextBrowser::sourceType()\n", true, &_init_f_sourceType_c0, &_call_f_sourceType_c0); methods += gsi::qt_signal ("anchorClicked(const QUrl &)", "anchorClicked", gsi::arg("arg1"), "@brief Signal declaration for QTextBrowser::anchorClicked(const QUrl &)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("backwardAvailable(bool)", "backwardAvailable", gsi::arg("arg1"), "@brief Signal declaration for QTextBrowser::backwardAvailable(bool)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("copyAvailable(bool)", "copyAvailable", gsi::arg("b"), "@brief Signal declaration for QTextBrowser::copyAvailable(bool b)\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTextEdit.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTextEdit.cc index b1570a0d07..e91d278a89 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTextEdit.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTextEdit.cc @@ -1820,13 +1820,13 @@ static gsi::Methods methods_QTextEdit () { methods += new qt_gsi::GenericMethod ("setHtml|html=", "@brief Method void QTextEdit::setHtml(const QString &text)\n", false, &_init_f_setHtml_2025, &_call_f_setHtml_2025); methods += new qt_gsi::GenericMethod ("setLineWrapColumnOrWidth|lineWrapColumnOrWidth=", "@brief Method void QTextEdit::setLineWrapColumnOrWidth(int w)\n", false, &_init_f_setLineWrapColumnOrWidth_767, &_call_f_setLineWrapColumnOrWidth_767); methods += new qt_gsi::GenericMethod ("setLineWrapMode|lineWrapMode=", "@brief Method void QTextEdit::setLineWrapMode(QTextEdit::LineWrapMode mode)\n", false, &_init_f_setLineWrapMode_2635, &_call_f_setLineWrapMode_2635); - methods += new qt_gsi::GenericMethod ("setMarkdown", "@brief Method void QTextEdit::setMarkdown(const QString &markdown)\n", false, &_init_f_setMarkdown_2025, &_call_f_setMarkdown_2025); + methods += new qt_gsi::GenericMethod ("setMarkdown|markdown=", "@brief Method void QTextEdit::setMarkdown(const QString &markdown)\n", false, &_init_f_setMarkdown_2025, &_call_f_setMarkdown_2025); methods += new qt_gsi::GenericMethod ("setOverwriteMode|overwriteMode=", "@brief Method void QTextEdit::setOverwriteMode(bool overwrite)\n", false, &_init_f_setOverwriteMode_864, &_call_f_setOverwriteMode_864); methods += new qt_gsi::GenericMethod ("setPlaceholderText|placeholderText=", "@brief Method void QTextEdit::setPlaceholderText(const QString &placeholderText)\n", false, &_init_f_setPlaceholderText_2025, &_call_f_setPlaceholderText_2025); methods += new qt_gsi::GenericMethod ("setPlainText|plainText=", "@brief Method void QTextEdit::setPlainText(const QString &text)\n", false, &_init_f_setPlainText_2025, &_call_f_setPlainText_2025); methods += new qt_gsi::GenericMethod ("setReadOnly|readOnly=", "@brief Method void QTextEdit::setReadOnly(bool ro)\n", false, &_init_f_setReadOnly_864, &_call_f_setReadOnly_864); methods += new qt_gsi::GenericMethod ("setTabChangesFocus|tabChangesFocus=", "@brief Method void QTextEdit::setTabChangesFocus(bool b)\n", false, &_init_f_setTabChangesFocus_864, &_call_f_setTabChangesFocus_864); - methods += new qt_gsi::GenericMethod ("setTabStopDistance", "@brief Method void QTextEdit::setTabStopDistance(double distance)\n", false, &_init_f_setTabStopDistance_1071, &_call_f_setTabStopDistance_1071); + methods += new qt_gsi::GenericMethod ("setTabStopDistance|tabStopDistance=", "@brief Method void QTextEdit::setTabStopDistance(double distance)\n", false, &_init_f_setTabStopDistance_1071, &_call_f_setTabStopDistance_1071); methods += new qt_gsi::GenericMethod ("setText", "@brief Method void QTextEdit::setText(const QString &text)\n", false, &_init_f_setText_2025, &_call_f_setText_2025); methods += new qt_gsi::GenericMethod ("setTextBackgroundColor|textBackgroundColor=", "@brief Method void QTextEdit::setTextBackgroundColor(const QColor &c)\n", false, &_init_f_setTextBackgroundColor_1905, &_call_f_setTextBackgroundColor_1905); methods += new qt_gsi::GenericMethod ("setTextColor|textColor=", "@brief Method void QTextEdit::setTextColor(const QColor &c)\n", false, &_init_f_setTextColor_1905, &_call_f_setTextColor_1905); @@ -1835,7 +1835,7 @@ static gsi::Methods methods_QTextEdit () { methods += new qt_gsi::GenericMethod ("setUndoRedoEnabled|undoRedoEnabled=", "@brief Method void QTextEdit::setUndoRedoEnabled(bool enable)\n", false, &_init_f_setUndoRedoEnabled_864, &_call_f_setUndoRedoEnabled_864); methods += new qt_gsi::GenericMethod ("setWordWrapMode|wordWrapMode=", "@brief Method void QTextEdit::setWordWrapMode(QTextOption::WrapMode policy)\n", false, &_init_f_setWordWrapMode_2486, &_call_f_setWordWrapMode_2486); methods += new qt_gsi::GenericMethod (":tabChangesFocus", "@brief Method bool QTextEdit::tabChangesFocus()\n", true, &_init_f_tabChangesFocus_c0, &_call_f_tabChangesFocus_c0); - methods += new qt_gsi::GenericMethod ("tabStopDistance", "@brief Method double QTextEdit::tabStopDistance()\n", true, &_init_f_tabStopDistance_c0, &_call_f_tabStopDistance_c0); + methods += new qt_gsi::GenericMethod (":tabStopDistance", "@brief Method double QTextEdit::tabStopDistance()\n", true, &_init_f_tabStopDistance_c0, &_call_f_tabStopDistance_c0); methods += new qt_gsi::GenericMethod (":textBackgroundColor", "@brief Method QColor QTextEdit::textBackgroundColor()\n", true, &_init_f_textBackgroundColor_c0, &_call_f_textBackgroundColor_c0); methods += new qt_gsi::GenericMethod (":textColor", "@brief Method QColor QTextEdit::textColor()\n", true, &_init_f_textColor_c0, &_call_f_textColor_c0); methods += new qt_gsi::GenericMethod (":textCursor", "@brief Method QTextCursor QTextEdit::textCursor()\n", true, &_init_f_textCursor_c0, &_call_f_textCursor_c0); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQWidget.cc index eab96994a4..90877c9fd3 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQWidget.cc @@ -4758,7 +4758,7 @@ static gsi::Methods methods_QWidget () { methods += new qt_gsi::GenericMethod ("hasFocus|:focus", "@brief Method bool QWidget::hasFocus()\n", true, &_init_f_hasFocus_c0, &_call_f_hasFocus_c0); methods += new qt_gsi::GenericMethod ("hasHeightForWidth", "@brief Method bool QWidget::hasHeightForWidth()\n", true, &_init_f_hasHeightForWidth_c0, &_call_f_hasHeightForWidth_c0); methods += new qt_gsi::GenericMethod ("hasMouseTracking|:mouseTracking", "@brief Method bool QWidget::hasMouseTracking()\n", true, &_init_f_hasMouseTracking_c0, &_call_f_hasMouseTracking_c0); - methods += new qt_gsi::GenericMethod ("hasTabletTracking", "@brief Method bool QWidget::hasTabletTracking()\n", true, &_init_f_hasTabletTracking_c0, &_call_f_hasTabletTracking_c0); + methods += new qt_gsi::GenericMethod ("hasTabletTracking|:tabletTracking", "@brief Method bool QWidget::hasTabletTracking()\n", true, &_init_f_hasTabletTracking_c0, &_call_f_hasTabletTracking_c0); methods += new qt_gsi::GenericMethod (":height", "@brief Method int QWidget::height()\n", true, &_init_f_height_c0, &_call_f_height_c0); methods += new qt_gsi::GenericMethod ("heightForWidth", "@brief Method int QWidget::heightForWidth(int)\n", true, &_init_f_heightForWidth_c767, &_call_f_heightForWidth_c767); methods += new qt_gsi::GenericMethod ("hide", "@brief Method void QWidget::hide()\n", false, &_init_f_hide_0, &_call_f_hide_0); @@ -4835,7 +4835,7 @@ static gsi::Methods methods_QWidget () { methods += new qt_gsi::GenericMethod ("resize", "@brief Method void QWidget::resize(const QSize &)\n", false, &_init_f_resize_1805, &_call_f_resize_1805); methods += new qt_gsi::GenericMethod ("restoreGeometry", "@brief Method bool QWidget::restoreGeometry(const QByteArray &geometry)\n", false, &_init_f_restoreGeometry_2309, &_call_f_restoreGeometry_2309); methods += new qt_gsi::GenericMethod ("saveGeometry", "@brief Method QByteArray QWidget::saveGeometry()\n", true, &_init_f_saveGeometry_c0, &_call_f_saveGeometry_c0); - methods += new qt_gsi::GenericMethod ("screen", "@brief Method QScreen *QWidget::screen()\n", true, &_init_f_screen_c0, &_call_f_screen_c0); + methods += new qt_gsi::GenericMethod (":screen", "@brief Method QScreen *QWidget::screen()\n", true, &_init_f_screen_c0, &_call_f_screen_c0); methods += new qt_gsi::GenericMethod ("scroll", "@brief Method void QWidget::scroll(int dx, int dy)\n", false, &_init_f_scroll_1426, &_call_f_scroll_1426); methods += new qt_gsi::GenericMethod ("scroll", "@brief Method void QWidget::scroll(int dx, int dy, const QRect &)\n", false, &_init_f_scroll_3110, &_call_f_scroll_3110); methods += new qt_gsi::GenericMethod ("setAcceptDrops|acceptDrops=", "@brief Method void QWidget::setAcceptDrops(bool on)\n", false, &_init_f_setAcceptDrops_864, &_call_f_setAcceptDrops_864); @@ -4884,7 +4884,7 @@ static gsi::Methods methods_QWidget () { methods += new qt_gsi::GenericMethod ("setPalette|palette=", "@brief Method void QWidget::setPalette(const QPalette &)\n", false, &_init_f_setPalette_2113, &_call_f_setPalette_2113); methods += new qt_gsi::GenericMethod ("setParent", "@brief Method void QWidget::setParent(QWidget *parent)\n", false, &_init_f_setParent_1315, &_call_f_setParent_1315); methods += new qt_gsi::GenericMethod ("setParent", "@brief Method void QWidget::setParent(QWidget *parent, QFlags f)\n", false, &_init_f_setParent_3702, &_call_f_setParent_3702); - methods += new qt_gsi::GenericMethod ("setScreen", "@brief Method void QWidget::setScreen(QScreen *)\n", false, &_init_f_setScreen_1311, &_call_f_setScreen_1311); + methods += new qt_gsi::GenericMethod ("setScreen|screen=", "@brief Method void QWidget::setScreen(QScreen *)\n", false, &_init_f_setScreen_1311, &_call_f_setScreen_1311); methods += new qt_gsi::GenericMethod ("setShortcutAutoRepeat", "@brief Method void QWidget::setShortcutAutoRepeat(int id, bool enable)\n", false, &_init_f_setShortcutAutoRepeat_1523, &_call_f_setShortcutAutoRepeat_1523); methods += new qt_gsi::GenericMethod ("setShortcutEnabled", "@brief Method void QWidget::setShortcutEnabled(int id, bool enable)\n", false, &_init_f_setShortcutEnabled_1523, &_call_f_setShortcutEnabled_1523); methods += new qt_gsi::GenericMethod ("setSizeIncrement|sizeIncrement=", "@brief Method void QWidget::setSizeIncrement(const QSize &)\n", false, &_init_f_setSizeIncrement_1805, &_call_f_setSizeIncrement_1805); @@ -4894,7 +4894,7 @@ static gsi::Methods methods_QWidget () { methods += new qt_gsi::GenericMethod ("setStatusTip|statusTip=", "@brief Method void QWidget::setStatusTip(const QString &)\n", false, &_init_f_setStatusTip_2025, &_call_f_setStatusTip_2025); methods += new qt_gsi::GenericMethod ("setStyle|style=", "@brief Method void QWidget::setStyle(QStyle *)\n", false, &_init_f_setStyle_1232, &_call_f_setStyle_1232); methods += new qt_gsi::GenericMethod ("setStyleSheet|styleSheet=", "@brief Method void QWidget::setStyleSheet(const QString &styleSheet)\n", false, &_init_f_setStyleSheet_2025, &_call_f_setStyleSheet_2025); - methods += new qt_gsi::GenericMethod ("setTabletTracking", "@brief Method void QWidget::setTabletTracking(bool enable)\n", false, &_init_f_setTabletTracking_864, &_call_f_setTabletTracking_864); + methods += new qt_gsi::GenericMethod ("setTabletTracking|tabletTracking=", "@brief Method void QWidget::setTabletTracking(bool enable)\n", false, &_init_f_setTabletTracking_864, &_call_f_setTabletTracking_864); methods += new qt_gsi::GenericMethod ("setToolTip|toolTip=", "@brief Method void QWidget::setToolTip(const QString &)\n", false, &_init_f_setToolTip_2025, &_call_f_setToolTip_2025); methods += new qt_gsi::GenericMethod ("setToolTipDuration|toolTipDuration=", "@brief Method void QWidget::setToolTipDuration(int msec)\n", false, &_init_f_setToolTipDuration_767, &_call_f_setToolTipDuration_767); methods += new qt_gsi::GenericMethod ("setUpdatesEnabled|updatesEnabled=", "@brief Method void QWidget::setUpdatesEnabled(bool enable)\n", false, &_init_f_setUpdatesEnabled_864, &_call_f_setUpdatesEnabled_864); diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQWidgetAction.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQWidgetAction.cc index 7174e606a7..3598fcdca4 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQWidgetAction.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQWidgetAction.cc @@ -169,11 +169,14 @@ static gsi::Methods methods_QWidgetAction () { methods += new qt_gsi::GenericMethod ("requestWidget", "@brief Method QWidget *QWidgetAction::requestWidget(QWidget *parent)\n", false, &_init_f_requestWidget_1315, &_call_f_requestWidget_1315); methods += new qt_gsi::GenericMethod ("setDefaultWidget|defaultWidget=", "@brief Method void QWidgetAction::setDefaultWidget(QWidget *w)\n", false, &_init_f_setDefaultWidget_1315, &_call_f_setDefaultWidget_1315); methods += gsi::qt_signal ("changed()", "changed", "@brief Signal declaration for QWidgetAction::changed()\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("checkableChanged(bool)", "checkableChanged", gsi::arg("checkable"), "@brief Signal declaration for QWidgetAction::checkableChanged(bool checkable)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QWidgetAction::destroyed(QObject *)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("enabledChanged(bool)", "enabledChanged", gsi::arg("enabled"), "@brief Signal declaration for QWidgetAction::enabledChanged(bool enabled)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("hovered()", "hovered", "@brief Signal declaration for QWidgetAction::hovered()\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QWidgetAction::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("toggled(bool)", "toggled", gsi::arg("arg1"), "@brief Signal declaration for QWidgetAction::toggled(bool)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("triggered(bool)", "triggered", gsi::arg("checked"), "@brief Signal declaration for QWidgetAction::triggered(bool checked)\nYou can bind a procedure to this signal."); + methods += gsi::qt_signal ("visibleChanged()", "visibleChanged", "@brief Signal declaration for QWidgetAction::visibleChanged()\nYou can bind a procedure to this signal."); methods += new qt_gsi::GenericStaticMethod ("tr", "@brief Static method QString QWidgetAction::tr(const char *s, const char *c, int n)\nThis method is static and can be called without an instance.", &_init_f_tr_4013, &_call_f_tr_4013); return methods; } @@ -232,12 +235,24 @@ class QWidgetAction_Adaptor : public QWidgetAction, public qt_gsi::QtObjectBase emit QWidgetAction::changed(); } + // [emitter impl] void QWidgetAction::checkableChanged(bool checkable) + void emitter_QWidgetAction_checkableChanged_864(bool checkable) + { + emit QWidgetAction::checkableChanged(checkable); + } + // [emitter impl] void QWidgetAction::destroyed(QObject *) void emitter_QWidgetAction_destroyed_1302(QObject *arg1) { emit QWidgetAction::destroyed(arg1); } + // [emitter impl] void QWidgetAction::enabledChanged(bool enabled) + void emitter_QWidgetAction_enabledChanged_864(bool enabled) + { + emit QWidgetAction::enabledChanged(enabled); + } + // [emitter impl] void QWidgetAction::hovered() void emitter_QWidgetAction_hovered_0() { @@ -263,6 +278,12 @@ class QWidgetAction_Adaptor : public QWidgetAction, public qt_gsi::QtObjectBase emit QWidgetAction::triggered(checked); } + // [emitter impl] void QWidgetAction::visibleChanged() + void emitter_QWidgetAction_visibleChanged_0() + { + emit QWidgetAction::visibleChanged(); + } + // [adaptor impl] void QWidgetAction::childEvent(QChildEvent *event) void cbs_childEvent_1701_0(QChildEvent *event) { @@ -427,6 +448,24 @@ static void _call_emitter_changed_0 (const qt_gsi::GenericMethod * /*decl*/, voi } +// emitter void QWidgetAction::checkableChanged(bool checkable) + +static void _init_emitter_checkableChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("checkable"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_checkableChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QWidgetAction_Adaptor *)cls)->emitter_QWidgetAction_checkableChanged_864 (arg1); +} + + // void QWidgetAction::childEvent(QChildEvent *event) static void _init_cbs_childEvent_1701_0 (qt_gsi::GenericMethod *decl) @@ -578,6 +617,24 @@ static void _set_callback_cbs_disconnectNotify_2394_0 (void *cls, const gsi::Cal } +// emitter void QWidgetAction::enabledChanged(bool enabled) + +static void _init_emitter_enabledChanged_864 (qt_gsi::GenericMethod *decl) +{ + static gsi::ArgSpecBase argspec_0 ("enabled"); + decl->add_arg (argspec_0); + decl->set_return (); +} + +static void _call_emitter_enabledChanged_864 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + tl::Heap heap; + bool arg1 = gsi::arg_reader() (args, heap); + ((QWidgetAction_Adaptor *)cls)->emitter_QWidgetAction_enabledChanged_864 (arg1); +} + + // bool QWidgetAction::event(QEvent *) static void _init_cbs_event_1217_0 (qt_gsi::GenericMethod *decl) @@ -783,6 +840,20 @@ static void _call_emitter_triggered_864 (const qt_gsi::GenericMethod * /*decl*/, } +// emitter void QWidgetAction::visibleChanged() + +static void _init_emitter_visibleChanged_0 (qt_gsi::GenericMethod *decl) +{ + decl->set_return (); +} + +static void _call_emitter_visibleChanged_0 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs & /*ret*/) +{ + __SUPPRESS_UNUSED_WARNING(args); + ((QWidgetAction_Adaptor *)cls)->emitter_QWidgetAction_visibleChanged_0 (); +} + + namespace gsi { @@ -792,6 +863,7 @@ static gsi::Methods methods_QWidgetAction_Adaptor () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QWidgetAction::QWidgetAction(QObject *parent)\nThis method creates an object of class QWidgetAction.", &_init_ctor_QWidgetAction_Adaptor_1302, &_call_ctor_QWidgetAction_Adaptor_1302); methods += new qt_gsi::GenericMethod ("emit_changed", "@brief Emitter for signal void QWidgetAction::changed()\nCall this method to emit this signal.", false, &_init_emitter_changed_0, &_call_emitter_changed_0); + methods += new qt_gsi::GenericMethod ("emit_checkableChanged", "@brief Emitter for signal void QWidgetAction::checkableChanged(bool checkable)\nCall this method to emit this signal.", false, &_init_emitter_checkableChanged_864, &_call_emitter_checkableChanged_864); methods += new qt_gsi::GenericMethod ("*childEvent", "@brief Virtual method void QWidgetAction::childEvent(QChildEvent *event)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*childEvent", "@hide", false, &_init_cbs_childEvent_1701_0, &_call_cbs_childEvent_1701_0, &_set_callback_cbs_childEvent_1701_0); methods += new qt_gsi::GenericMethod ("*createWidget", "@brief Virtual method QWidget *QWidgetAction::createWidget(QWidget *parent)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_createWidget_1315_0, &_call_cbs_createWidget_1315_0); @@ -804,6 +876,7 @@ static gsi::Methods methods_QWidgetAction_Adaptor () { methods += new qt_gsi::GenericMethod ("emit_destroyed", "@brief Emitter for signal void QWidgetAction::destroyed(QObject *)\nCall this method to emit this signal.", false, &_init_emitter_destroyed_1302, &_call_emitter_destroyed_1302); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@brief Virtual method void QWidgetAction::disconnectNotify(const QMetaMethod &signal)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0); methods += new qt_gsi::GenericMethod ("*disconnectNotify", "@hide", false, &_init_cbs_disconnectNotify_2394_0, &_call_cbs_disconnectNotify_2394_0, &_set_callback_cbs_disconnectNotify_2394_0); + methods += new qt_gsi::GenericMethod ("emit_enabledChanged", "@brief Emitter for signal void QWidgetAction::enabledChanged(bool enabled)\nCall this method to emit this signal.", false, &_init_emitter_enabledChanged_864, &_call_emitter_enabledChanged_864); methods += new qt_gsi::GenericMethod ("*event", "@brief Virtual method bool QWidgetAction::event(QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*event", "@hide", false, &_init_cbs_event_1217_0, &_call_cbs_event_1217_0, &_set_callback_cbs_event_1217_0); methods += new qt_gsi::GenericMethod ("*eventFilter", "@brief Virtual method bool QWidgetAction::eventFilter(QObject *, QEvent *)\nThis method can be reimplemented in a derived class.", false, &_init_cbs_eventFilter_2411_0, &_call_cbs_eventFilter_2411_0); @@ -818,6 +891,7 @@ static gsi::Methods methods_QWidgetAction_Adaptor () { methods += new qt_gsi::GenericMethod ("*timerEvent", "@hide", false, &_init_cbs_timerEvent_1730_0, &_call_cbs_timerEvent_1730_0, &_set_callback_cbs_timerEvent_1730_0); methods += new qt_gsi::GenericMethod ("emit_toggled", "@brief Emitter for signal void QWidgetAction::toggled(bool)\nCall this method to emit this signal.", false, &_init_emitter_toggled_864, &_call_emitter_toggled_864); methods += new qt_gsi::GenericMethod ("emit_triggered", "@brief Emitter for signal void QWidgetAction::triggered(bool checked)\nCall this method to emit this signal.", false, &_init_emitter_triggered_864, &_call_emitter_triggered_864); + methods += new qt_gsi::GenericMethod ("emit_visibleChanged", "@brief Emitter for signal void QWidgetAction::visibleChanged()\nCall this method to emit this signal.", false, &_init_emitter_visibleChanged_0, &_call_emitter_visibleChanged_0); return methods; } From 79ad6b3fae9d45317a4022f6964f9a135560a4a8 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 26 Mar 2023 00:56:01 +0100 Subject: [PATCH 029/128] Qt binding: Removing ambiguitiy between QLatin1String and const char * --- scripts/mkqtdecl5/mkqtdecl.conf | 1 + scripts/mkqtdecl6/mkqtdecl.conf | 1 + src/gsiqt/qt5/QtCore/gsiDeclQJsonDocument.cc | 20 --- src/gsiqt/qt5/QtCore/gsiDeclQJsonObject.cc | 140 ------------------ src/gsiqt/qt5/QtCore/gsiDeclQJsonValue.cc | 20 --- src/gsiqt/qt5/QtCore/gsiDeclQVersionNumber.cc | 23 --- src/gsiqt/qt5/QtGui/gsiDeclQColor.cc | 61 -------- src/gsiqt/qt6/QtCore/gsiDeclQAnyStringView.cc | 20 --- src/gsiqt/qt6/QtCore/gsiDeclQCalendar.cc | 20 --- src/gsiqt/qt6/QtCore/gsiDeclQJsonValueRef.cc | 20 --- src/gsiqt/qt6/QtCore/gsiDeclQVersionNumber.cc | 23 --- src/gsiqt/qt6/QtGui/gsiDeclQColor.cc | 61 -------- testdata/python/qtbinding.py | 7 + testdata/ruby/qtbinding.rb | 9 ++ 14 files changed, 18 insertions(+), 408 deletions(-) diff --git a/scripts/mkqtdecl5/mkqtdecl.conf b/scripts/mkqtdecl5/mkqtdecl.conf index 2450c28ce7..3ae5c31f81 100644 --- a/scripts/mkqtdecl5/mkqtdecl.conf +++ b/scripts/mkqtdecl5/mkqtdecl.conf @@ -37,6 +37,7 @@ drop_method :all_classes, /.*\s+&&$/ # no move semantics drop_method :all_classes, /\(.*std::initializer_list.*\)/ # no brace initialization drop_method :all_classes, /\(.*QStringView\W/ # no QStringView drop_method :all_classes, /^QStringView\W/ # no QStringView +drop_method :all_classes, /\(.*QLatin1String\W/ # clashes usually with const char * def_alias :all_classes, /::create\(/, "qt_create" # clashes with GSI/Ruby def_alias :all_classes, /::destroy\(/, "qt_destroy" # clashes with GSI/Ruby diff --git a/scripts/mkqtdecl6/mkqtdecl.conf b/scripts/mkqtdecl6/mkqtdecl.conf index afa95f8746..f94c55b795 100644 --- a/scripts/mkqtdecl6/mkqtdecl.conf +++ b/scripts/mkqtdecl6/mkqtdecl.conf @@ -45,6 +45,7 @@ drop_method :all_classes, /::bindable/ # no QBindable available drop_method :all_classes, /.*QtPrivate::.*/ # no private stuff drop_method :all_classes, /\(.*QStringView\W/ # no QStringView drop_method :all_classes, /^QStringView\W/ # no QStringView +drop_method :all_classes, /\(.*QLatin1String\W/ # clashes usually with const char * def_alias :all_classes, /::create\(/, "qt_create" # clashes with GSI/Ruby def_alias :all_classes, /::destroy\(/, "qt_destroy" # clashes with GSI/Ruby diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQJsonDocument.cc b/src/gsiqt/qt5/QtCore/gsiDeclQJsonDocument.cc index a8c743eaa7..20824a23a9 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQJsonDocument.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQJsonDocument.cc @@ -277,25 +277,6 @@ static void _call_f_operator_index__c2025 (const qt_gsi::GenericMethod * /*decl* } -// const QJsonValue QJsonDocument::operator[](QLatin1String key) - - -static void _init_f_operator_index__c1701 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("key"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_operator_index__c1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QLatin1String arg1 = gsi::arg_reader() (args, heap); - ret.write ((const QJsonValue)((QJsonDocument *)cls)->operator[] (arg1)); -} - - // const QJsonValue QJsonDocument::operator[](int i) @@ -566,7 +547,6 @@ static gsi::Methods methods_QJsonDocument () { methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QJsonDocument::operator!=(const QJsonDocument &other)\n", true, &_init_f_operator_excl__eq__c2635, &_call_f_operator_excl__eq__c2635); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QJsonDocument::operator==(const QJsonDocument &other)\n", true, &_init_f_operator_eq__eq__c2635, &_call_f_operator_eq__eq__c2635); methods += new qt_gsi::GenericMethod ("[]", "@brief Method const QJsonValue QJsonDocument::operator[](const QString &key)\n", true, &_init_f_operator_index__c2025, &_call_f_operator_index__c2025); - methods += new qt_gsi::GenericMethod ("[]", "@brief Method const QJsonValue QJsonDocument::operator[](QLatin1String key)\n", true, &_init_f_operator_index__c1701, &_call_f_operator_index__c1701); methods += new qt_gsi::GenericMethod ("[]", "@brief Method const QJsonValue QJsonDocument::operator[](int i)\n", true, &_init_f_operator_index__c767, &_call_f_operator_index__c767); methods += new qt_gsi::GenericMethod ("rawData", "@brief Method const char *QJsonDocument::rawData(int *size)\n", true, &_init_f_rawData_c953, &_call_f_rawData_c953); methods += new qt_gsi::GenericMethod ("setArray|array=", "@brief Method void QJsonDocument::setArray(const QJsonArray &array)\n", false, &_init_f_setArray_2315, &_call_f_setArray_2315); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQJsonObject.cc b/src/gsiqt/qt5/QtCore/gsiDeclQJsonObject.cc index 9dec0666a7..5e1b2eada2 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQJsonObject.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQJsonObject.cc @@ -150,25 +150,6 @@ static void _call_f_constFind_c2025 (const qt_gsi::GenericMethod * /*decl*/, voi } -// QJsonObject::const_iterator QJsonObject::constFind(QLatin1String key) - - -static void _init_f_constFind_c1701 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("key"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_constFind_c1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QLatin1String arg1 = gsi::arg_reader() (args, heap); - ret.write ((QJsonObject::const_iterator)((QJsonObject *)cls)->constFind (arg1)); -} - - // bool QJsonObject::contains(const QString &key) @@ -188,25 +169,6 @@ static void _call_f_contains_c2025 (const qt_gsi::GenericMethod * /*decl*/, void } -// bool QJsonObject::contains(QLatin1String key) - - -static void _init_f_contains_c1701 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("key"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_contains_c1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QLatin1String arg1 = gsi::arg_reader() (args, heap); - ret.write ((bool)((QJsonObject *)cls)->contains (arg1)); -} - - // int QJsonObject::count() @@ -305,25 +267,6 @@ static void _call_f_find_2025 (const qt_gsi::GenericMethod * /*decl*/, void *cls } -// QJsonObject::iterator QJsonObject::find(QLatin1String key) - - -static void _init_f_find_1701 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("key"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_find_1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QLatin1String arg1 = gsi::arg_reader() (args, heap); - ret.write ((QJsonObject::iterator)((QJsonObject *)cls)->find (arg1)); -} - - // QJsonObject::const_iterator QJsonObject::find(const QString &key) @@ -343,25 +286,6 @@ static void _call_f_find_c2025 (const qt_gsi::GenericMethod * /*decl*/, void *cl } -// QJsonObject::const_iterator QJsonObject::find(QLatin1String key) - - -static void _init_f_find_c1701 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("key"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_find_c1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QLatin1String arg1 = gsi::arg_reader() (args, heap); - ret.write ((QJsonObject::const_iterator)((QJsonObject *)cls)->find (arg1)); -} - - // QJsonObject::iterator QJsonObject::insert(const QString &key, const QJsonValue &value) @@ -505,25 +429,6 @@ static void _call_f_operator_index__c2025 (const qt_gsi::GenericMethod * /*decl* } -// QJsonValue QJsonObject::operator[](QLatin1String key) - - -static void _init_f_operator_index__c1701 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("key"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_operator_index__c1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QLatin1String arg1 = gsi::arg_reader() (args, heap); - ret.write ((QJsonValue)((QJsonObject *)cls)->operator[] (arg1)); -} - - // QJsonValueRef QJsonObject::operator[](const QString &key) @@ -543,25 +448,6 @@ static void _call_f_operator_index__2025 (const qt_gsi::GenericMethod * /*decl*/ } -// QJsonValueRef QJsonObject::operator[](QLatin1String key) - - -static void _init_f_operator_index__1701 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("key"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_operator_index__1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QLatin1String arg1 = gsi::arg_reader() (args, heap); - ret.write ((QJsonValueRef)((QJsonObject *)cls)->operator[] (arg1)); -} - - // void QJsonObject::remove(const QString &key) @@ -685,25 +571,6 @@ static void _call_f_value_c2025 (const qt_gsi::GenericMethod * /*decl*/, void *c } -// QJsonValue QJsonObject::value(QLatin1String key) - - -static void _init_f_value_c1701 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("key"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_value_c1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QLatin1String arg1 = gsi::arg_reader() (args, heap); - ret.write ((QJsonValue)((QJsonObject *)cls)->value (arg1)); -} - - // static QJsonObject QJsonObject::fromVariantHash(const QHash &map) @@ -755,18 +622,14 @@ static gsi::Methods methods_QJsonObject () { methods += new qt_gsi::GenericMethod ("constBegin", "@brief Method QJsonObject::const_iterator QJsonObject::constBegin()\n", true, &_init_f_constBegin_c0, &_call_f_constBegin_c0); methods += new qt_gsi::GenericMethod ("constEnd", "@brief Method QJsonObject::const_iterator QJsonObject::constEnd()\n", true, &_init_f_constEnd_c0, &_call_f_constEnd_c0); methods += new qt_gsi::GenericMethod ("constFind", "@brief Method QJsonObject::const_iterator QJsonObject::constFind(const QString &key)\n", true, &_init_f_constFind_c2025, &_call_f_constFind_c2025); - methods += new qt_gsi::GenericMethod ("constFind", "@brief Method QJsonObject::const_iterator QJsonObject::constFind(QLatin1String key)\n", true, &_init_f_constFind_c1701, &_call_f_constFind_c1701); methods += new qt_gsi::GenericMethod ("contains", "@brief Method bool QJsonObject::contains(const QString &key)\n", true, &_init_f_contains_c2025, &_call_f_contains_c2025); - methods += new qt_gsi::GenericMethod ("contains", "@brief Method bool QJsonObject::contains(QLatin1String key)\n", true, &_init_f_contains_c1701, &_call_f_contains_c1701); methods += new qt_gsi::GenericMethod ("count", "@brief Method int QJsonObject::count()\n", true, &_init_f_count_c0, &_call_f_count_c0); methods += new qt_gsi::GenericMethod ("empty", "@brief Method bool QJsonObject::empty()\n", true, &_init_f_empty_c0, &_call_f_empty_c0); methods += new qt_gsi::GenericMethod ("end", "@brief Method QJsonObject::iterator QJsonObject::end()\n", false, &_init_f_end_0, &_call_f_end_0); methods += new qt_gsi::GenericMethod ("end", "@brief Method QJsonObject::const_iterator QJsonObject::end()\n", true, &_init_f_end_c0, &_call_f_end_c0); methods += new qt_gsi::GenericMethod ("erase", "@brief Method QJsonObject::iterator QJsonObject::erase(QJsonObject::iterator it)\n", false, &_init_f_erase_2516, &_call_f_erase_2516); methods += new qt_gsi::GenericMethod ("find", "@brief Method QJsonObject::iterator QJsonObject::find(const QString &key)\n", false, &_init_f_find_2025, &_call_f_find_2025); - methods += new qt_gsi::GenericMethod ("find", "@brief Method QJsonObject::iterator QJsonObject::find(QLatin1String key)\n", false, &_init_f_find_1701, &_call_f_find_1701); methods += new qt_gsi::GenericMethod ("find", "@brief Method QJsonObject::const_iterator QJsonObject::find(const QString &key)\n", true, &_init_f_find_c2025, &_call_f_find_c2025); - methods += new qt_gsi::GenericMethod ("find", "@brief Method QJsonObject::const_iterator QJsonObject::find(QLatin1String key)\n", true, &_init_f_find_c1701, &_call_f_find_c1701); methods += new qt_gsi::GenericMethod ("insert", "@brief Method QJsonObject::iterator QJsonObject::insert(const QString &key, const QJsonValue &value)\n", false, &_init_f_insert_4230, &_call_f_insert_4230); methods += new qt_gsi::GenericMethod ("isEmpty?", "@brief Method bool QJsonObject::isEmpty()\n", true, &_init_f_isEmpty_c0, &_call_f_isEmpty_c0); methods += new qt_gsi::GenericMethod ("keys", "@brief Method QStringList QJsonObject::keys()\n", true, &_init_f_keys_c0, &_call_f_keys_c0); @@ -775,9 +638,7 @@ static gsi::Methods methods_QJsonObject () { methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QJsonObject::operator!=(const QJsonObject &other)\n", true, &_init_f_operator_excl__eq__c2403, &_call_f_operator_excl__eq__c2403); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QJsonObject::operator==(const QJsonObject &other)\n", true, &_init_f_operator_eq__eq__c2403, &_call_f_operator_eq__eq__c2403); methods += new qt_gsi::GenericMethod ("[]", "@brief Method QJsonValue QJsonObject::operator[](const QString &key)\n", true, &_init_f_operator_index__c2025, &_call_f_operator_index__c2025); - methods += new qt_gsi::GenericMethod ("[]", "@brief Method QJsonValue QJsonObject::operator[](QLatin1String key)\n", true, &_init_f_operator_index__c1701, &_call_f_operator_index__c1701); methods += new qt_gsi::GenericMethod ("[]", "@brief Method QJsonValueRef QJsonObject::operator[](const QString &key)\n", false, &_init_f_operator_index__2025, &_call_f_operator_index__2025); - methods += new qt_gsi::GenericMethod ("[]", "@brief Method QJsonValueRef QJsonObject::operator[](QLatin1String key)\n", false, &_init_f_operator_index__1701, &_call_f_operator_index__1701); methods += new qt_gsi::GenericMethod ("remove", "@brief Method void QJsonObject::remove(const QString &key)\n", false, &_init_f_remove_2025, &_call_f_remove_2025); methods += new qt_gsi::GenericMethod ("size", "@brief Method int QJsonObject::size()\n", true, &_init_f_size_c0, &_call_f_size_c0); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QJsonObject::swap(QJsonObject &other)\n", false, &_init_f_swap_1708, &_call_f_swap_1708); @@ -785,7 +646,6 @@ static gsi::Methods methods_QJsonObject () { methods += new qt_gsi::GenericMethod ("toVariantHash", "@brief Method QHash QJsonObject::toVariantHash()\n", true, &_init_f_toVariantHash_c0, &_call_f_toVariantHash_c0); methods += new qt_gsi::GenericMethod ("toVariantMap", "@brief Method QMap QJsonObject::toVariantMap()\n", true, &_init_f_toVariantMap_c0, &_call_f_toVariantMap_c0); methods += new qt_gsi::GenericMethod ("value", "@brief Method QJsonValue QJsonObject::value(const QString &key)\n", true, &_init_f_value_c2025, &_call_f_value_c2025); - methods += new qt_gsi::GenericMethod ("value", "@brief Method QJsonValue QJsonObject::value(QLatin1String key)\n", true, &_init_f_value_c1701, &_call_f_value_c1701); methods += new qt_gsi::GenericStaticMethod ("fromVariantHash", "@brief Static method QJsonObject QJsonObject::fromVariantHash(const QHash &map)\nThis method is static and can be called without an instance.", &_init_f_fromVariantHash_3610, &_call_f_fromVariantHash_3610); methods += new qt_gsi::GenericStaticMethod ("fromVariantMap", "@brief Static method QJsonObject QJsonObject::fromVariantMap(const QMap &map)\nThis method is static and can be called without an instance.", &_init_f_fromVariantMap_3508, &_call_f_fromVariantMap_3508); return methods; diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQJsonValue.cc b/src/gsiqt/qt5/QtCore/gsiDeclQJsonValue.cc index 4dc564400f..57944ec2d7 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQJsonValue.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQJsonValue.cc @@ -370,25 +370,6 @@ static void _call_f_operator_index__c2025 (const qt_gsi::GenericMethod * /*decl* } -// const QJsonValue QJsonValue::operator[](QLatin1String key) - - -static void _init_f_operator_index__c1701 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("key"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_operator_index__c1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QLatin1String arg1 = gsi::arg_reader() (args, heap); - ret.write ((const QJsonValue)((QJsonValue *)cls)->operator[] (arg1)); -} - - // const QJsonValue QJsonValue::operator[](int i) @@ -661,7 +642,6 @@ static gsi::Methods methods_QJsonValue () { methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QJsonValue::operator!=(const QJsonValue &other)\n", true, &_init_f_operator_excl__eq__c2313, &_call_f_operator_excl__eq__c2313); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QJsonValue::operator==(const QJsonValue &other)\n", true, &_init_f_operator_eq__eq__c2313, &_call_f_operator_eq__eq__c2313); methods += new qt_gsi::GenericMethod ("[]", "@brief Method const QJsonValue QJsonValue::operator[](const QString &key)\n", true, &_init_f_operator_index__c2025, &_call_f_operator_index__c2025); - methods += new qt_gsi::GenericMethod ("[]", "@brief Method const QJsonValue QJsonValue::operator[](QLatin1String key)\n", true, &_init_f_operator_index__c1701, &_call_f_operator_index__c1701); methods += new qt_gsi::GenericMethod ("[]", "@brief Method const QJsonValue QJsonValue::operator[](int i)\n", true, &_init_f_operator_index__c767, &_call_f_operator_index__c767); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QJsonValue::swap(QJsonValue &other)\n", false, &_init_f_swap_1618, &_call_f_swap_1618); methods += new qt_gsi::GenericMethod ("toArray", "@brief Method QJsonArray QJsonValue::toArray()\n", true, &_init_f_toArray_c0, &_call_f_toArray_c0); diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQVersionNumber.cc b/src/gsiqt/qt5/QtCore/gsiDeclQVersionNumber.cc index 2bcb7322a1..1febc60704 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQVersionNumber.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQVersionNumber.cc @@ -374,28 +374,6 @@ static void _call_f_fromString_2870 (const qt_gsi::GenericStaticMethod * /*decl* } -// static QVersionNumber QVersionNumber::fromString(QLatin1String string, int *suffixIndex) - - -static void _init_f_fromString_2546 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("string"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("suffixIndex", true, "nullptr"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_fromString_2546 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QLatin1String arg1 = gsi::arg_reader() (args, heap); - int *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); - ret.write ((QVersionNumber)QVersionNumber::fromString (arg1, arg2)); -} - - // bool ::operator>(const QVersionNumber &lhs, const QVersionNumber &rhs) static bool op_QVersionNumber_operator_gt__5398(const QVersionNumber *_self, const QVersionNumber &rhs) { return ::operator>(*_self, rhs); @@ -451,7 +429,6 @@ static gsi::Methods methods_QVersionNumber () { methods += new qt_gsi::GenericStaticMethod ("commonPrefix", "@brief Static method QVersionNumber QVersionNumber::commonPrefix(const QVersionNumber &v1, const QVersionNumber &v2)\nThis method is static and can be called without an instance.", &_init_f_commonPrefix_5398, &_call_f_commonPrefix_5398); methods += new qt_gsi::GenericStaticMethod ("compare", "@brief Static method int QVersionNumber::compare(const QVersionNumber &v1, const QVersionNumber &v2)\nThis method is static and can be called without an instance.", &_init_f_compare_5398, &_call_f_compare_5398); methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QVersionNumber QVersionNumber::fromString(const QString &string, int *suffixIndex)\nThis method is static and can be called without an instance.", &_init_f_fromString_2870, &_call_f_fromString_2870); - methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QVersionNumber QVersionNumber::fromString(QLatin1String string, int *suffixIndex)\nThis method is static and can be called without an instance.", &_init_f_fromString_2546, &_call_f_fromString_2546); methods += gsi::method_ext(">", &::op_QVersionNumber_operator_gt__5398, gsi::arg ("rhs"), "@brief Operator bool ::operator>(const QVersionNumber &lhs, const QVersionNumber &rhs)\nThis is the mapping of the global operator to the instance method."); methods += gsi::method_ext(">=", &::op_QVersionNumber_operator_gt__eq__5398, gsi::arg ("rhs"), "@brief Operator bool ::operator>=(const QVersionNumber &lhs, const QVersionNumber &rhs)\nThis is the mapping of the global operator to the instance method."); methods += gsi::method_ext("<", &::op_QVersionNumber_operator_lt__5398, gsi::arg ("rhs"), "@brief Operator bool ::operator<(const QVersionNumber &lhs, const QVersionNumber &rhs)\nThis is the mapping of the global operator to the instance method."); diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQColor.cc b/src/gsiqt/qt5/QtGui/gsiDeclQColor.cc index 50230b743c..1b40df9f4d 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQColor.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQColor.cc @@ -155,25 +155,6 @@ static void _call_ctor_QColor_1731 (const qt_gsi::GenericStaticMethod * /*decl*/ } -// Constructor QColor::QColor(QLatin1String name) - - -static void _init_ctor_QColor_1701 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); - decl->set_return_new (); -} - -static void _call_ctor_QColor_1701 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QLatin1String arg1 = gsi::arg_reader() (args, heap); - ret.write (new QColor (arg1)); -} - - // Constructor QColor::QColor(QColor::Spec spec) @@ -1455,26 +1436,6 @@ static void _call_f_setNamedColor_2025 (const qt_gsi::GenericMethod * /*decl*/, } -// void QColor::setNamedColor(QLatin1String name) - - -static void _init_f_setNamedColor_1701 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_setNamedColor_1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QLatin1String arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QColor *)cls)->setNamedColor (arg1); -} - - // void QColor::setRed(int red) @@ -2117,25 +2078,6 @@ static void _call_f_isValidColor_2025 (const qt_gsi::GenericStaticMethod * /*dec } -// static bool QColor::isValidColor(QLatin1String) - - -static void _init_f_isValidColor_1701 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_isValidColor_1701 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QLatin1String arg1 = gsi::arg_reader() (args, heap); - ret.write ((bool)QColor::isValidColor (arg1)); -} - - namespace gsi { @@ -2148,7 +2090,6 @@ static gsi::Methods methods_QColor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(unsigned int rgb)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1772, &_call_ctor_QColor_1772); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(QRgba64 rgba64)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1003, &_call_ctor_QColor_1003); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(const char *aname)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1731, &_call_ctor_QColor_1731); - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(QLatin1String name)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1701, &_call_ctor_QColor_1701); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(QColor::Spec spec)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1539, &_call_ctor_QColor_1539); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(const QColor &color)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1905, &_call_ctor_QColor_1905); methods += new qt_gsi::GenericMethod (":alpha", "@brief Method int QColor::alpha()\n", true, &_init_f_alpha_c0, &_call_f_alpha_c0); @@ -2215,7 +2156,6 @@ static gsi::Methods methods_QColor () { methods += new qt_gsi::GenericMethod ("setHsv", "@brief Method void QColor::setHsv(int h, int s, int v, int a)\n", false, &_init_f_setHsv_2744, &_call_f_setHsv_2744); methods += new qt_gsi::GenericMethod ("setHsvF", "@brief Method void QColor::setHsvF(double h, double s, double v, double a)\n", false, &_init_f_setHsvF_3960, &_call_f_setHsvF_3960); methods += new qt_gsi::GenericMethod ("setNamedColor", "@brief Method void QColor::setNamedColor(const QString &name)\n", false, &_init_f_setNamedColor_2025, &_call_f_setNamedColor_2025); - methods += new qt_gsi::GenericMethod ("setNamedColor", "@brief Method void QColor::setNamedColor(QLatin1String name)\n", false, &_init_f_setNamedColor_1701, &_call_f_setNamedColor_1701); methods += new qt_gsi::GenericMethod ("setRed|red=", "@brief Method void QColor::setRed(int red)\n", false, &_init_f_setRed_767, &_call_f_setRed_767); methods += new qt_gsi::GenericMethod ("setRedF|redF=", "@brief Method void QColor::setRedF(double red)\n", false, &_init_f_setRedF_1071, &_call_f_setRedF_1071); methods += new qt_gsi::GenericMethod ("setRgb", "@brief Method void QColor::setRgb(int r, int g, int b, int a)\n", false, &_init_f_setRgb_2744, &_call_f_setRgb_2744); @@ -2246,7 +2186,6 @@ static gsi::Methods methods_QColor () { methods += new qt_gsi::GenericStaticMethod ("fromRgba64", "@brief Static method QColor QColor::fromRgba64(unsigned short int r, unsigned short int g, unsigned short int b, unsigned short int a)\nThis method is static and can be called without an instance.", &_init_f_fromRgba64_9580, &_call_f_fromRgba64_9580); methods += new qt_gsi::GenericStaticMethod ("fromRgba64", "@brief Static method QColor QColor::fromRgba64(QRgba64 rgba)\nThis method is static and can be called without an instance.", &_init_f_fromRgba64_1003, &_call_f_fromRgba64_1003); methods += new qt_gsi::GenericStaticMethod ("isValidColor?", "@brief Static method bool QColor::isValidColor(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_isValidColor_2025, &_call_f_isValidColor_2025); - methods += new qt_gsi::GenericStaticMethod ("isValidColor?", "@brief Static method bool QColor::isValidColor(QLatin1String)\nThis method is static and can be called without an instance.", &_init_f_isValidColor_1701, &_call_f_isValidColor_1701); return methods; } diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQAnyStringView.cc b/src/gsiqt/qt6/QtCore/gsiDeclQAnyStringView.cc index 08d0c0db8d..7f6aa51d0b 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQAnyStringView.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQAnyStringView.cc @@ -88,25 +88,6 @@ static void _call_ctor_QAnyStringView_2025 (const qt_gsi::GenericStaticMethod * } -// Constructor QAnyStringView::QAnyStringView(QLatin1String str) - - -static void _init_ctor_QAnyStringView_1701 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("str"); - decl->add_arg (argspec_0); - decl->set_return_new (); -} - -static void _call_ctor_QAnyStringView_1701 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QLatin1String arg1 = gsi::arg_reader() (args, heap); - ret.write (new QAnyStringView (arg1)); -} - - // Constructor QAnyStringView::QAnyStringView(const QChar &c) @@ -332,7 +313,6 @@ static gsi::Methods methods_QAnyStringView () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAnyStringView::QAnyStringView()\nThis method creates an object of class QAnyStringView.", &_init_ctor_QAnyStringView_0, &_call_ctor_QAnyStringView_0); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAnyStringView::QAnyStringView(const QByteArray &str)\nThis method creates an object of class QAnyStringView.", &_init_ctor_QAnyStringView_2309, &_call_ctor_QAnyStringView_2309); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAnyStringView::QAnyStringView(const QString &str)\nThis method creates an object of class QAnyStringView.", &_init_ctor_QAnyStringView_2025, &_call_ctor_QAnyStringView_2025); - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAnyStringView::QAnyStringView(QLatin1String str)\nThis method creates an object of class QAnyStringView.", &_init_ctor_QAnyStringView_1701, &_call_ctor_QAnyStringView_1701); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QAnyStringView::QAnyStringView(const QChar &c)\nThis method creates an object of class QAnyStringView.", &_init_ctor_QAnyStringView_1776, &_call_ctor_QAnyStringView_1776); methods += new qt_gsi::GenericMethod ("back", "@brief Method QChar QAnyStringView::back()\n", true, &_init_f_back_c0, &_call_f_back_c0); methods += new qt_gsi::GenericMethod ("data", "@brief Method const void *QAnyStringView::data()\n", true, &_init_f_data_c0, &_call_f_data_c0); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQCalendar.cc b/src/gsiqt/qt6/QtCore/gsiDeclQCalendar.cc index 83cbb95947..bdacb955ba 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQCalendar.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQCalendar.cc @@ -71,25 +71,6 @@ static void _call_ctor_QCalendar_2072 (const qt_gsi::GenericStaticMethod * /*dec } -// Constructor QCalendar::QCalendar(QLatin1String name) - - -static void _init_ctor_QCalendar_1701 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); - decl->set_return_new (); -} - -static void _call_ctor_QCalendar_1701 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QLatin1String arg1 = gsi::arg_reader() (args, heap); - ret.write (new QCalendar (arg1)); -} - - // Constructor QCalendar::QCalendar(QCalendar::SystemId id) @@ -589,7 +570,6 @@ static gsi::Methods methods_QCalendar () { gsi::Methods methods; methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCalendar::QCalendar()\nThis method creates an object of class QCalendar.", &_init_ctor_QCalendar_0, &_call_ctor_QCalendar_0); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCalendar::QCalendar(QCalendar::System system)\nThis method creates an object of class QCalendar.", &_init_ctor_QCalendar_2072, &_call_ctor_QCalendar_2072); - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCalendar::QCalendar(QLatin1String name)\nThis method creates an object of class QCalendar.", &_init_ctor_QCalendar_1701, &_call_ctor_QCalendar_1701); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QCalendar::QCalendar(QCalendar::SystemId id)\nThis method creates an object of class QCalendar.", &_init_ctor_QCalendar_2245, &_call_ctor_QCalendar_2245); methods += new qt_gsi::GenericMethod ("dateFromParts", "@brief Method QDate QCalendar::dateFromParts(int year, int month, int day)\n", true, &_init_f_dateFromParts_c2085, &_call_f_dateFromParts_c2085); methods += new qt_gsi::GenericMethod ("dateFromParts", "@brief Method QDate QCalendar::dateFromParts(const QCalendar::YearMonthDay &parts)\n", true, &_init_f_dateFromParts_c3509, &_call_f_dateFromParts_c3509); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQJsonValueRef.cc b/src/gsiqt/qt6/QtCore/gsiDeclQJsonValueRef.cc index c623930d72..684c62509b 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQJsonValueRef.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQJsonValueRef.cc @@ -282,25 +282,6 @@ static void _call_f_operator_eq__eq__c2313 (const qt_gsi::GenericMethod * /*decl } -// const QJsonValue QJsonValueRef::operator[](QLatin1String key) - - -static void _init_f_operator_index__c1701 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("key"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_operator_index__c1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QLatin1String arg1 = gsi::arg_reader() (args, heap); - ret.write ((const QJsonValue)((QJsonValueRef *)cls)->operator[] (arg1)); -} - - // const QJsonValue QJsonValueRef::operator[](qsizetype i) @@ -495,7 +476,6 @@ static gsi::Methods methods_QJsonValueRef () { methods += new qt_gsi::GenericMethod ("assign", "@brief Method QJsonValueRef &QJsonValueRef::operator =(const QJsonValueRef &val)\n", false, &_init_f_operator_eq__2598, &_call_f_operator_eq__2598); methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QJsonValueRef::operator!=(const QJsonValue &other)\n", true, &_init_f_operator_excl__eq__c2313, &_call_f_operator_excl__eq__c2313); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QJsonValueRef::operator==(const QJsonValue &other)\n", true, &_init_f_operator_eq__eq__c2313, &_call_f_operator_eq__eq__c2313); - methods += new qt_gsi::GenericMethod ("[]", "@brief Method const QJsonValue QJsonValueRef::operator[](QLatin1String key)\n", true, &_init_f_operator_index__c1701, &_call_f_operator_index__c1701); methods += new qt_gsi::GenericMethod ("[]", "@brief Method const QJsonValue QJsonValueRef::operator[](qsizetype i)\n", true, &_init_f_operator_index__c1442, &_call_f_operator_index__c1442); methods += new qt_gsi::GenericMethod ("toArray", "@brief Method QJsonArray QJsonValueRef::toArray()\n", true, &_init_f_toArray_c0, &_call_f_toArray_c0); methods += new qt_gsi::GenericMethod ("toBool", "@brief Method bool QJsonValueRef::toBool(bool defaultValue)\n", true, &_init_f_toBool_c864, &_call_f_toBool_c864); diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQVersionNumber.cc b/src/gsiqt/qt6/QtCore/gsiDeclQVersionNumber.cc index cf2856855e..658336d9c5 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQVersionNumber.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQVersionNumber.cc @@ -374,28 +374,6 @@ static void _call_f_fromString_2870 (const qt_gsi::GenericStaticMethod * /*decl* } -// static QVersionNumber QVersionNumber::fromString(QLatin1String string, int *suffixIndex) - - -static void _init_f_fromString_2546 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("string"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("suffixIndex", true, "nullptr"); - decl->add_arg (argspec_1); - decl->set_return (); -} - -static void _call_f_fromString_2546 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QLatin1String arg1 = gsi::arg_reader() (args, heap); - int *arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (nullptr, heap); - ret.write ((QVersionNumber)QVersionNumber::fromString (arg1, arg2)); -} - - namespace gsi { @@ -421,7 +399,6 @@ static gsi::Methods methods_QVersionNumber () { methods += new qt_gsi::GenericStaticMethod ("commonPrefix", "@brief Static method QVersionNumber QVersionNumber::commonPrefix(const QVersionNumber &v1, const QVersionNumber &v2)\nThis method is static and can be called without an instance.", &_init_f_commonPrefix_5398, &_call_f_commonPrefix_5398); methods += new qt_gsi::GenericStaticMethod ("compare", "@brief Static method int QVersionNumber::compare(const QVersionNumber &v1, const QVersionNumber &v2)\nThis method is static and can be called without an instance.", &_init_f_compare_5398, &_call_f_compare_5398); methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QVersionNumber QVersionNumber::fromString(const QString &string, int *suffixIndex)\nThis method is static and can be called without an instance.", &_init_f_fromString_2870, &_call_f_fromString_2870); - methods += new qt_gsi::GenericStaticMethod ("fromString", "@brief Static method QVersionNumber QVersionNumber::fromString(QLatin1String string, int *suffixIndex)\nThis method is static and can be called without an instance.", &_init_f_fromString_2546, &_call_f_fromString_2546); return methods; } diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQColor.cc b/src/gsiqt/qt6/QtGui/gsiDeclQColor.cc index 84005b5a57..ad19e08c03 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQColor.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQColor.cc @@ -155,25 +155,6 @@ static void _call_ctor_QColor_1731 (const qt_gsi::GenericStaticMethod * /*decl*/ } -// Constructor QColor::QColor(QLatin1String name) - - -static void _init_ctor_QColor_1701 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); - decl->set_return_new (); -} - -static void _call_ctor_QColor_1701 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QLatin1String arg1 = gsi::arg_reader() (args, heap); - ret.write (new QColor (arg1)); -} - - // Constructor QColor::QColor(QColor::Spec spec) @@ -1398,26 +1379,6 @@ static void _call_f_setNamedColor_2025 (const qt_gsi::GenericMethod * /*decl*/, } -// void QColor::setNamedColor(QLatin1String name) - - -static void _init_f_setNamedColor_1701 (qt_gsi::GenericMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("name"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_setNamedColor_1701 (const qt_gsi::GenericMethod * /*decl*/, void *cls, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QLatin1String arg1 = gsi::arg_reader() (args, heap); - __SUPPRESS_UNUSED_WARNING(ret); - ((QColor *)cls)->setNamedColor (arg1); -} - - // void QColor::setRed(int red) @@ -2075,25 +2036,6 @@ static void _call_f_isValidColor_2025 (const qt_gsi::GenericStaticMethod * /*dec } -// static bool QColor::isValidColor(QLatin1String) - - -static void _init_f_isValidColor_1701 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("arg1"); - decl->add_arg (argspec_0); - decl->set_return (); -} - -static void _call_f_isValidColor_1701 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - QLatin1String arg1 = gsi::arg_reader() (args, heap); - ret.write ((bool)QColor::isValidColor (arg1)); -} - - namespace gsi { @@ -2106,7 +2048,6 @@ static gsi::Methods methods_QColor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(unsigned int rgb)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1772, &_call_ctor_QColor_1772); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(QRgba64 rgba64)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1003, &_call_ctor_QColor_1003); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(const char *aname)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1731, &_call_ctor_QColor_1731); - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(QLatin1String name)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1701, &_call_ctor_QColor_1701); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(QColor::Spec spec)\nThis method creates an object of class QColor.", &_init_ctor_QColor_1539, &_call_ctor_QColor_1539); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QColor::QColor(QColor::Spec spec, unsigned short int a1, unsigned short int a2, unsigned short int a3, unsigned short int a4, unsigned short int a5)\nThis method creates an object of class QColor.", &_init_ctor_QColor_13379, &_call_ctor_QColor_13379); methods += new qt_gsi::GenericMethod (":alpha", "@brief Method int QColor::alpha()\n", true, &_init_f_alpha_c0, &_call_f_alpha_c0); @@ -2169,7 +2110,6 @@ static gsi::Methods methods_QColor () { methods += new qt_gsi::GenericMethod ("setHsv", "@brief Method void QColor::setHsv(int h, int s, int v, int a)\n", false, &_init_f_setHsv_2744, &_call_f_setHsv_2744); methods += new qt_gsi::GenericMethod ("setHsvF", "@brief Method void QColor::setHsvF(float h, float s, float v, float a)\n", false, &_init_f_setHsvF_3556, &_call_f_setHsvF_3556); methods += new qt_gsi::GenericMethod ("setNamedColor", "@brief Method void QColor::setNamedColor(const QString &name)\n", false, &_init_f_setNamedColor_2025, &_call_f_setNamedColor_2025); - methods += new qt_gsi::GenericMethod ("setNamedColor", "@brief Method void QColor::setNamedColor(QLatin1String name)\n", false, &_init_f_setNamedColor_1701, &_call_f_setNamedColor_1701); methods += new qt_gsi::GenericMethod ("setRed|red=", "@brief Method void QColor::setRed(int red)\n", false, &_init_f_setRed_767, &_call_f_setRed_767); methods += new qt_gsi::GenericMethod ("setRedF|redF=", "@brief Method void QColor::setRedF(float red)\n", false, &_init_f_setRedF_970, &_call_f_setRedF_970); methods += new qt_gsi::GenericMethod ("setRgb", "@brief Method void QColor::setRgb(int r, int g, int b, int a)\n", false, &_init_f_setRgb_2744, &_call_f_setRgb_2744); @@ -2201,7 +2141,6 @@ static gsi::Methods methods_QColor () { methods += new qt_gsi::GenericStaticMethod ("fromRgba64", "@brief Static method QColor QColor::fromRgba64(unsigned short int r, unsigned short int g, unsigned short int b, unsigned short int a)\nThis method is static and can be called without an instance.", &_init_f_fromRgba64_9580, &_call_f_fromRgba64_9580); methods += new qt_gsi::GenericStaticMethod ("fromRgba64", "@brief Static method QColor QColor::fromRgba64(QRgba64 rgba)\nThis method is static and can be called without an instance.", &_init_f_fromRgba64_1003, &_call_f_fromRgba64_1003); methods += new qt_gsi::GenericStaticMethod ("isValidColor?", "@brief Static method bool QColor::isValidColor(const QString &name)\nThis method is static and can be called without an instance.", &_init_f_isValidColor_2025, &_call_f_isValidColor_2025); - methods += new qt_gsi::GenericStaticMethod ("isValidColor?", "@brief Static method bool QColor::isValidColor(QLatin1String)\nThis method is static and can be called without an instance.", &_init_f_isValidColor_1701, &_call_f_isValidColor_1701); return methods; } diff --git a/testdata/python/qtbinding.py b/testdata/python/qtbinding.py index 19b5842c2c..532a8bebc1 100644 --- a/testdata/python/qtbinding.py +++ b/testdata/python/qtbinding.py @@ -685,6 +685,13 @@ def test_56(self): self.assertEqual("%08x" % image.pixel(1, 0), "14131211") self.assertEqual("%08x" % image.pixel(0, 2), "64636261") + def test_57(self): + + # QColor with string parameter (suppressing QLatin1String) + + color = pya.QColor("blue") + self.assertEqual(color.name(), "#0000ff") + # run unit tests if __name__ == '__main__': diff --git a/testdata/ruby/qtbinding.rb b/testdata/ruby/qtbinding.rb index 7647403f5c..4c05a67104 100644 --- a/testdata/ruby/qtbinding.rb +++ b/testdata/ruby/qtbinding.rb @@ -812,6 +812,15 @@ def test_56 end + def test_57 + + # QColor with string parameter (suppressing QLatin1String) + + color = RBA::QColor::new("blue") + assert_equal(color.name(), "#0000ff") + + end + end load("test_epilogue.rb") From 2e2ba412509865a57a40e3a79faddfe7056404c2 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 26 Mar 2023 14:21:30 +0200 Subject: [PATCH 030/128] [consider merging] more consistent behavior of RBA/pya: enum classes are properly made available (was for example RBA::Qt::Qt_Keys instead of RBA::Qt_Keys and pya.Qt.Keys was no fully initialized type object) --- src/gsi/gsi/gsiClassBase.cc | 19 +++++++++++++++++-- src/pya/pya/pyaModule.cc | 2 +- src/rba/rba/rba.cc | 2 +- 3 files changed, 19 insertions(+), 4 deletions(-) diff --git a/src/gsi/gsi/gsiClassBase.cc b/src/gsi/gsi/gsiClassBase.cc index 600c11ab84..2d7696c28c 100644 --- a/src/gsi/gsi/gsiClassBase.cc +++ b/src/gsi/gsi/gsiClassBase.cc @@ -651,11 +651,26 @@ static void collect_classes (const gsi::ClassBase *cls, std::list::const_iterator cc = cls->begin_child_classes (); cc != cls->end_child_classes (); ++cc) { + for (auto cc = cls->begin_child_classes (); cc != cls->end_child_classes (); ++cc) { collect_classes (cc.operator-> (), unsorted_classes); } } +static bool all_parts_available (const gsi::ClassBase *cls, const std::set &taken) +{ + if (cls->declaration () && cls->declaration () != cls && taken.find (cls->declaration ()) == taken.end ()) { + return false; + } + + for (auto cc = cls->begin_child_classes (); cc != cls->end_child_classes (); ++cc) { + if (! all_parts_available (cc.operator-> (), taken)) { + return false; + } + } + + return true; +} + std::list ClassBase::classes_in_definition_order (const char *mod_name) { @@ -687,7 +702,7 @@ ClassBase::classes_in_definition_order (const char *mod_name) continue; } - if ((*c)->declaration () && (*c)->declaration () != *c && taken.find ((*c)->declaration ()) == taken.end ()) { + if (! all_parts_available (*c, taken)) { // can't produce this class yet - it's a reference to another class which is not produced yet. more_classes.push_back (*c); continue; diff --git a/src/pya/pya/pyaModule.cc b/src/pya/pya/pyaModule.cc index d8e7e59cf8..7a02679e63 100644 --- a/src/pya/pya/pyaModule.cc +++ b/src/pya/pya/pyaModule.cc @@ -357,7 +357,7 @@ class PythonClassGenerator for (auto cc = cls->begin_child_classes (); cc != cls->end_child_classes (); ++cc) { if (! cc->name ().empty ()) { - PyTypeObject *child_class = make_class (cc.operator-> (), as_static); + PyTypeObject *child_class = make_class (cc->declaration (), as_static); PythonRef attr ((PyObject *) child_class, false /*borrowed*/); set_type_attr (type, cc->name ().c_str (), attr); } diff --git a/src/rba/rba/rba.cc b/src/rba/rba/rba.cc index aba50449c0..bec6c3ad46 100644 --- a/src/rba/rba/rba.cc +++ b/src/rba/rba/rba.cc @@ -1658,7 +1658,7 @@ class RubyClassGenerator for (auto cc = cls->begin_child_classes (); cc != cls->end_child_classes (); ++cc) { if (! cc->name ().empty ()) { if (! is_registered (cc->declaration (), false)) { - make_class (cc->declaration (), false, klass, cc->declaration ()); + make_class (cc->declaration (), false, klass, cls); } else { VALUE child_class = ruby_cls (cc->declaration (), false); rb_define_const (klass, cc->name ().c_str (), child_class); From 1ac8ad073922919373d51c121b12b7287bb430e0 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 26 Mar 2023 14:21:51 +0200 Subject: [PATCH 031/128] Testdata added --- testdata/python/qtbinding.py | 13 +++++++++++++ testdata/ruby/qtbinding.rb | 16 ++++++++++++++++ 2 files changed, 29 insertions(+) diff --git a/testdata/python/qtbinding.py b/testdata/python/qtbinding.py index 532a8bebc1..002920bf2c 100644 --- a/testdata/python/qtbinding.py +++ b/testdata/python/qtbinding.py @@ -692,6 +692,19 @@ def test_57(self): color = pya.QColor("blue") self.assertEqual(color.name(), "#0000ff") + def test_58(self): + + # The various ways to refer to enums + + self.assertEqual(pya.Qt.MouseButton.LeftButton.to_i(), 1) + self.assertEqual(pya.Qt_MouseButton.LeftButton.to_i(), 1) + self.assertEqual(pya.Qt.LeftButton.to_i(), 1) + self.assertEqual((pya.Qt_MouseButton.LeftButton | pya.Qt_MouseButton.RightButton).to_i(), 3) + self.assertEqual(type(pya.Qt_MouseButton.LeftButton | pya.Qt_MouseButton.RightButton).__name__, "Qt_QFlags_MouseButton") + self.assertEqual((pya.Qt.MouseButton.LeftButton | pya.Qt.MouseButton.RightButton).to_i(), 3) + self.assertEqual(type(pya.Qt.MouseButton.LeftButton | pya.Qt.MouseButton.RightButton).__name__, "Qt_QFlags_MouseButton") + self.assertEqual((pya.Qt.LeftButton | pya.Qt.RightButton).to_i(), 3) + self.assertEqual(type(pya.Qt.LeftButton | pya.Qt.RightButton).__name__, "Qt_QFlags_MouseButton") # run unit tests if __name__ == '__main__': diff --git a/testdata/ruby/qtbinding.rb b/testdata/ruby/qtbinding.rb index 4c05a67104..ec781965fe 100644 --- a/testdata/ruby/qtbinding.rb +++ b/testdata/ruby/qtbinding.rb @@ -821,6 +821,22 @@ def test_57 end + def test_58 + + # The various ways to refer to enums + + assert_equal(RBA::Qt::MouseButton::LeftButton.to_i, 1) + assert_equal(RBA::Qt_MouseButton::LeftButton.to_i, 1) + assert_equal(RBA::Qt::LeftButton.to_i, 1) + assert_equal((RBA::Qt_MouseButton::LeftButton | RBA::Qt_MouseButton::RightButton).to_i, 3) + assert_equal((RBA::Qt_MouseButton::LeftButton | RBA::Qt_MouseButton::RightButton).class.to_s, "RBA::Qt_QFlags_MouseButton") + assert_equal((RBA::Qt::MouseButton::LeftButton | RBA::Qt::MouseButton::RightButton).to_i, 3) + assert_equal((RBA::Qt::MouseButton::LeftButton | RBA::Qt::MouseButton::RightButton).class.to_s, "RBA::Qt_QFlags_MouseButton") + assert_equal((RBA::Qt::LeftButton | RBA::Qt::RightButton).to_i, 3) + assert_equal((RBA::Qt::LeftButton | RBA::Qt::RightButton).class.to_s, "RBA::Qt_QFlags_MouseButton") + + end + end load("test_epilogue.rb") From fa61f9619472c284cdd18ede0b4dc4f216d5a1fe Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 26 Mar 2023 17:52:33 +0200 Subject: [PATCH 032/128] GSI: enabling enums as hash keys and int(enum) in Python --- scripts/mkqtdecl_update_tables.sh | 94 +++++++++++++++++++++++++++++++ src/gsi/gsi/gsiEnums.h | 1 + src/pya/pya/pyaInternal.cc | 16 ++++++ testdata/python/qtbinding.py | 18 ++++++ testdata/ruby/qtbinding.rb | 18 +++++- 5 files changed, 146 insertions(+), 1 deletion(-) create mode 100755 scripts/mkqtdecl_update_tables.sh diff --git a/scripts/mkqtdecl_update_tables.sh b/scripts/mkqtdecl_update_tables.sh new file mode 100755 index 0000000000..34c8e06d07 --- /dev/null +++ b/scripts/mkqtdecl_update_tables.sh @@ -0,0 +1,94 @@ +#!/bin/bash -e + +qt=() +for qm in qmake qmake4 qmake5 qmake6; do + if sh -c "$qm -v" 2>/dev/null >/dev/null; then + qt_version=$($qm -v | grep 'Qt version' | sed 's/.*Qt version *\([0-9]\)\..*/\1/') + if [ "$qt_version" != "" ]; then + echo "Found qmake for Qt$qt_version: $qm" + qt[$qt_version]=$qm + fi + fi +done + +qmake=qmake + +inst_dir_common=$(pwd)/scripts/mkqtdecl_common +inst_dir4=$(pwd)/scripts/mkqtdecl4 +inst_dir5=$(pwd)/scripts/mkqtdecl5 +inst_dir6=$(pwd)/scripts/mkqtdecl6 + +inst_dir=$inst_dir4 + +work_dir="mkqtdecl.tmp" + +while [ "$1" != "" ]; do + + a="$1" + shift + + case "$a" in + -h) + echo "Update event and property tables" + echo "Usage:" + echo " mkqtdecl_update_tables.sh Update tables for Qt4" + echo " mkqtdecl_update_tables.sh -qt5 Update tables for Qt5" + echo " mkqtdecl_update_tables.sh -qt6 Update tables for Qt6" + echo " mkqtdecl_update_tables.sh -qt Update tables for specific Qt installation" + exit 0 + ;; + -qt) + qmake="$1" + shift + ;; + -qt5) + qmake="${qt[5]}" + if [ "$qmake" == "" ]; then + echo "*** ERROR: Could not find qmake for Qt5" + exit 1 + fi + work_dir="mkqtdecl5.tmp" + inst_dir="$inst_dir5" + ;; + -qt6) + qmake="${qt[6]}" + if [ "$qmake" == "" ]; then + echo "*** ERROR: Could not find qmake for Qt6" + exit 1 + fi + work_dir="mkqtdecl6.tmp" + inst_dir="$inst_dir6" + ;; + *) + echo "*** ERROR: unknown command option $a" + exit 1 + ;; + esac + +done + +if ! [ -e build.sh ]; then + echo "*** ERROR: could not find build script in current directy - did you start this script from top level?" + exit 1 +fi + +mkdir -p $work_dir + +bin=$work_dir/bin-update-tables +build=$work_dir/build-update-tables +log=$work_dir/build-update-table.log + +echo "Building in $build (log in $log) .." + +./build.sh -qmake $qmake -nopython -j8 -release -prefix $(pwd)/$bin -bin $bin -build $build >$log 2>&1 + +echo "Extracting tables .." + +export LD_LIBRARY_PATH=$bin +echo "[1] for properties .." +$bin/klayout -b -r $inst_dir_common/mkqtdecl_extract_props.rb -rd output=$inst_dir/mkqtdecl.properties +echo "[2] for signals .." +$bin/klayout -b -r $inst_dir_common/mkqtdecl_extract_signals.rb -rd output=$inst_dir/mkqtdecl.events + +echo "Done." + diff --git a/src/gsi/gsi/gsiEnums.h b/src/gsi/gsi/gsiEnums.h index ca3c6da1b6..abe2eb2b5b 100644 --- a/src/gsi/gsi/gsiEnums.h +++ b/src/gsi/gsi/gsiEnums.h @@ -275,6 +275,7 @@ class EnumSpecs gsi::method_ext ("to_s", &enum_to_string_ext, "@brief Gets the symbolic string from an enum") + gsi::method_ext ("inspect", &enum_to_string_inspect_ext, "@brief Converts an enum to a visual string") + gsi::method_ext ("to_i", &enum_to_int, "@brief Gets the integer value from the enum") + + gsi::method_ext ("hash", &enum_to_int, "@brief Gets the hash value from the enum") + gsi::method_ext ("==", &enum_eq, gsi::arg("other"), "@brief Compares two enums") + gsi::method_ext ("==", &enum_eq_with_int, gsi::arg("other"), "@brief Compares an enum with an integer value") + gsi::method_ext ("!=", &enum_ne, gsi::arg("other"), "@brief Compares two enums for inequality") + diff --git a/src/pya/pya/pyaInternal.cc b/src/pya/pya/pyaInternal.cc index ec5e6c0e42..37ad0395f2 100644 --- a/src/pya/pya/pyaInternal.cc +++ b/src/pya/pya/pyaInternal.cc @@ -521,6 +521,22 @@ MethodTable::add_method (const std::string &name, const gsi::MethodBase *mb) mp_module->add_python_doc (mb, tl::to_string (tr ("This method is also available as 'str(object)'"))); } + } else if (name == "to_i" && mb->compatible_with_num_args (0)) { + + // The hash method is also routed via the tp_int implementation + add_method_basic ("__int__", mb); + + add_method_basic (name, mb); + mp_module->add_python_doc (mb, tl::to_string (tr ("This method is also available as 'int(object)'"))); + + } else if (name == "to_f" && mb->compatible_with_num_args (0)) { + + // The hash method is also routed via the tp_int implementation + add_method_basic ("__float__", mb); + + add_method_basic (name, mb); + mp_module->add_python_doc (mb, tl::to_string (tr ("This method is also available as 'float(object)'"))); + } else if (name == "hash" && mb->compatible_with_num_args (0)) { // The hash method is also routed via the tp_hash implementation diff --git a/testdata/python/qtbinding.py b/testdata/python/qtbinding.py index 002920bf2c..e613fd6bb0 100644 --- a/testdata/python/qtbinding.py +++ b/testdata/python/qtbinding.py @@ -696,6 +696,12 @@ def test_58(self): # The various ways to refer to enums + self.assertEqual(pya.Qt.MouseButton(4).to_i(), 4) + self.assertEqual(pya.Qt_MouseButton(4).to_i(), 4) + self.assertEqual(pya.Qt_MouseButton(4).__int__(), 4) + self.assertEqual(pya.Qt_MouseButton(4).__hash__(), 4) + self.assertEqual(int(pya.Qt_MouseButton(4)), 4) + self.assertEqual(str(pya.Qt_MouseButton(4)), "MiddleButton") self.assertEqual(pya.Qt.MouseButton.LeftButton.to_i(), 1) self.assertEqual(pya.Qt_MouseButton.LeftButton.to_i(), 1) self.assertEqual(pya.Qt.LeftButton.to_i(), 1) @@ -706,6 +712,18 @@ def test_58(self): self.assertEqual((pya.Qt.LeftButton | pya.Qt.RightButton).to_i(), 3) self.assertEqual(type(pya.Qt.LeftButton | pya.Qt.RightButton).__name__, "Qt_QFlags_MouseButton") + def test_59(self): + + # Enums can act as hash keys + + h = {} + h[pya.Qt.MouseButton.LeftButton] = "left" + h[pya.Qt.MouseButton.RightButton] = "right" + self.assertEqual(pya.Qt.MouseButton.LeftButton in h, True) + self.assertEqual(h[pya.Qt.MouseButton.LeftButton], "left") + self.assertEqual(h[pya.Qt.MouseButton.RightButton], "right") + self.assertEqual(pya.Qt.MouseButton.MiddleButton in h, False) + # run unit tests if __name__ == '__main__': suite = unittest.TestLoader().loadTestsFromTestCase(QtBindingTest) diff --git a/testdata/ruby/qtbinding.rb b/testdata/ruby/qtbinding.rb index ec781965fe..24cb5d25ae 100644 --- a/testdata/ruby/qtbinding.rb +++ b/testdata/ruby/qtbinding.rb @@ -825,7 +825,10 @@ def test_58 # The various ways to refer to enums - assert_equal(RBA::Qt::MouseButton::LeftButton.to_i, 1) + assert_equal(RBA::Qt::MouseButton::new(4).to_i, 4) + assert_equal(RBA::Qt_MouseButton::new(4).to_i, 4) + assert_equal(RBA::Qt_MouseButton::new(4).hash, 4) + assert_equal(RBA::Qt_MouseButton::new(4).to_s, "MiddleButton") assert_equal(RBA::Qt_MouseButton::LeftButton.to_i, 1) assert_equal(RBA::Qt::LeftButton.to_i, 1) assert_equal((RBA::Qt_MouseButton::LeftButton | RBA::Qt_MouseButton::RightButton).to_i, 3) @@ -837,6 +840,19 @@ def test_58 end + def test_59 + + # Enums can act as hash keys + + h = {} + h[RBA::Qt::MouseButton::LeftButton] = "left" + h[RBA::Qt::MouseButton::RightButton] = "right" + assert_equal(h[RBA::Qt::MouseButton::LeftButton], "left") + assert_equal(h[RBA::Qt::MouseButton::RightButton], "right") + assert_equal(h[RBA::Qt::MouseButton::MiddleButton], nil) + + end + end load("test_epilogue.rb") From 1cd033e168516c4c599546776575703bf15a5448 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 26 Mar 2023 18:00:38 +0200 Subject: [PATCH 033/128] Qt bindings: preventing signals to shadow properaties, added script to generate tables --- scripts/mkqtdecl5/mkqtdecl.properties | 3 - scripts/mkqtdecl6/mkqtdecl.events | 5 -- scripts/mkqtdecl6/mkqtdecl.properties | 69 +------------------ .../mkqtdecl_common/mkqtdecl_extract_props.rb | 34 ++++++--- .../mkqtdecl_extract_signals.rb | 10 ++- .../qt5/QtMultimedia/gsiDeclQAudioDecoder.cc | 2 +- .../QtMultimedia/gsiDeclQCameraExposure.cc | 2 +- .../qt5/QtMultimedia/gsiDeclQMediaPlayer.cc | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiDeclQRegExp.cc | 16 ++--- .../qt6/QtCore5Compat/gsiDeclQTextCodec.cc | 4 +- .../QtCore5Compat/gsiDeclQXmlInputSource.cc | 4 +- .../qt6/QtCore5Compat/gsiDeclQXmlReader.cc | 20 +++--- .../QtCore5Compat/gsiDeclQXmlSimpleReader.cc | 20 +++--- .../qt6/QtMultimedia/gsiDeclQAudioDecoder.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQCamera.cc | 2 +- .../qt6/QtMultimedia/gsiDeclQVideoSink.cc | 2 +- .../QtNetwork/gsiDeclQNetworkAccessManager.cc | 4 +- .../qt6/QtNetwork/gsiDeclQNetworkRequest.cc | 4 +- 18 files changed, 78 insertions(+), 127 deletions(-) diff --git a/scripts/mkqtdecl5/mkqtdecl.properties b/scripts/mkqtdecl5/mkqtdecl.properties index 9c773f47d1..3c11026421 100644 --- a/scripts/mkqtdecl5/mkqtdecl.properties +++ b/scripts/mkqtdecl5/mkqtdecl.properties @@ -11286,7 +11286,6 @@ property_writer("QAudioDecoder", /::setNotifyInterval\s*\(/, "notifyInterval") property_reader("QAudioDecoder", /::(sourceFilename|isSourceFilename|hasSourceFilename)\s*\(/, "sourceFilename") property_writer("QAudioDecoder", /::setSourceFilename\s*\(/, "sourceFilename") property_reader("QAudioDecoder", /::(state|isState|hasState)\s*\(/, "state") -property_reader("QAudioDecoder", /::(error|isError|hasError)\s*\(/, "error") property_reader("QAudioDecoder", /::(bufferAvailable|isBufferAvailable|hasBufferAvailable)\s*\(/, "bufferAvailable") property_reader("QAudioDecoderControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QAudioDecoderControl", /::setObjectName\s*\(/, "objectName") @@ -11344,7 +11343,6 @@ property_reader("QCameraExposure", /::(shutterSpeed|isShutterSpeed|hasShutterSpe property_reader("QCameraExposure", /::(isoSensitivity|isIsoSensitivity|hasIsoSensitivity)\s*\(/, "isoSensitivity") property_reader("QCameraExposure", /::(exposureCompensation|isExposureCompensation|hasExposureCompensation)\s*\(/, "exposureCompensation") property_writer("QCameraExposure", /::setExposureCompensation\s*\(/, "exposureCompensation") -property_reader("QCameraExposure", /::(flashReady|isFlashReady|hasFlashReady)\s*\(/, "flashReady") property_reader("QCameraExposure", /::(flashMode|isFlashMode|hasFlashMode)\s*\(/, "flashMode") property_writer("QCameraExposure", /::setFlashMode\s*\(/, "flashMode") property_reader("QCameraExposure", /::(exposureMode|isExposureMode|hasExposureMode)\s*\(/, "exposureMode") @@ -11478,7 +11476,6 @@ property_reader("QMediaPlayer", /::(audioRole|isAudioRole|hasAudioRole)\s*\(/, " property_writer("QMediaPlayer", /::setAudioRole\s*\(/, "audioRole") property_reader("QMediaPlayer", /::(customAudioRole|isCustomAudioRole|hasCustomAudioRole)\s*\(/, "customAudioRole") property_writer("QMediaPlayer", /::setCustomAudioRole\s*\(/, "customAudioRole") -property_reader("QMediaPlayer", /::(error|isError|hasError)\s*\(/, "error") property_reader("QMediaPlayerControl", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QMediaPlayerControl", /::setObjectName\s*\(/, "objectName") property_reader("QMediaPlaylist", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") diff --git a/scripts/mkqtdecl6/mkqtdecl.events b/scripts/mkqtdecl6/mkqtdecl.events index d2f7ccf7c6..609ec90dd1 100644 --- a/scripts/mkqtdecl6/mkqtdecl.events +++ b/scripts/mkqtdecl6/mkqtdecl.events @@ -1977,8 +1977,6 @@ event("QNetworkInformation", /::destroyed\s*\(/, "QObject*") event("QNetworkInformation", /::objectNameChanged\s*\(/, "QString") event("QNetworkInformation", /::reachabilityChanged\s*\(/, "Reachability") event("QNetworkInformation", /::isBehindCaptivePortalChanged\s*\(/, "bool") -event("QNetworkInformation", /::transportMediumChanged\s*\(/, "TransportMedium") -event("QNetworkInformation", /::isMeteredChanged\s*\(/, "bool") event("QNetworkReply", /::destroyed\s*\(/, "QObject*") event("QNetworkReply", /::objectNameChanged\s*\(/, "QString") event("QNetworkReply", /::readyRead\s*\(/, "") @@ -1987,8 +1985,6 @@ event("QNetworkReply", /::bytesWritten\s*\(/, "qlonglong") event("QNetworkReply", /::channelBytesWritten\s*\(/, "int, qlonglong") event("QNetworkReply", /::aboutToClose\s*\(/, "") event("QNetworkReply", /::readChannelFinished\s*\(/, "") -event("QNetworkReply", /::socketStartedConnecting\s*\(/, "") -event("QNetworkReply", /::requestSent\s*\(/, "") event("QNetworkReply", /::metaDataChanged\s*\(/, "") event("QNetworkReply", /::finished\s*\(/, "") event("QNetworkReply", /::errorOccurred\s*\(/, "QNetworkReply::NetworkError") @@ -2026,7 +2022,6 @@ event("QSslSocket", /::handshakeInterruptedOnError\s*\(/, "QSslError") event("QTcpServer", /::destroyed\s*\(/, "QObject*") event("QTcpServer", /::objectNameChanged\s*\(/, "QString") event("QTcpServer", /::newConnection\s*\(/, "") -event("QTcpServer", /::pendingConnectionAvailable\s*\(/, "") event("QTcpServer", /::acceptError\s*\(/, "QAbstractSocket::SocketError") event("QTcpSocket", /::destroyed\s*\(/, "QObject*") event("QTcpSocket", /::objectNameChanged\s*\(/, "QString") diff --git a/scripts/mkqtdecl6/mkqtdecl.properties b/scripts/mkqtdecl6/mkqtdecl.properties index 91f79965f8..c06b19fd5e 100644 --- a/scripts/mkqtdecl6/mkqtdecl.properties +++ b/scripts/mkqtdecl6/mkqtdecl.properties @@ -561,8 +561,6 @@ property_reader("QTextDocument", /::(defaultFont|isDefaultFont|hasDefaultFont)\s property_writer("QTextDocument", /::setDefaultFont\s*\(/, "defaultFont") property_reader("QTextDocument", /::(useDesignMetrics|isUseDesignMetrics|hasUseDesignMetrics)\s*\(/, "useDesignMetrics") property_writer("QTextDocument", /::setUseDesignMetrics\s*\(/, "useDesignMetrics") -property_reader("QTextDocument", /::(layoutEnabled|isLayoutEnabled|hasLayoutEnabled)\s*\(/, "layoutEnabled") -property_writer("QTextDocument", /::setLayoutEnabled\s*\(/, "layoutEnabled") property_reader("QTextDocument", /::(size|isSize|hasSize)\s*\(/, "size") property_reader("QTextDocument", /::(textWidth|isTextWidth|hasTextWidth)\s*\(/, "textWidth") property_writer("QTextDocument", /::setTextWidth\s*\(/, "textWidth") @@ -4688,8 +4686,6 @@ property_reader("QKeySequenceEdit", /::(inputMethodHints|isInputMethodHints|hasI property_writer("QKeySequenceEdit", /::setInputMethodHints\s*\(/, "inputMethodHints") property_reader("QKeySequenceEdit", /::(keySequence|isKeySequence|hasKeySequence)\s*\(/, "keySequence") property_writer("QKeySequenceEdit", /::setKeySequence\s*\(/, "keySequence") -property_reader("QKeySequenceEdit", /::(clearButtonEnabled|isClearButtonEnabled|hasClearButtonEnabled)\s*\(/, "clearButtonEnabled") -property_writer("QKeySequenceEdit", /::setClearButtonEnabled\s*\(/, "clearButtonEnabled") property_reader("QLCDNumber", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QLCDNumber", /::setObjectName\s*\(/, "objectName") property_reader("QLCDNumber", /::(modal|isModal|hasModal)\s*\(/, "modal") @@ -10395,7 +10391,6 @@ property_writer("QWizard", /::setSubTitleFormat\s*\(/, "subTitleFormat") property_reader("QWizard", /::(startId|isStartId|hasStartId)\s*\(/, "startId") property_writer("QWizard", /::setStartId\s*\(/, "startId") property_reader("QWizard", /::(currentId|isCurrentId|hasCurrentId)\s*\(/, "currentId") -property_writer("QWizard", /::setCurrentId\s*\(/, "currentId") property_reader("QWizardPage", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QWizardPage", /::setObjectName\s*\(/, "objectName") property_reader("QWizardPage", /::(modal|isModal|hasModal)\s*\(/, "modal") @@ -10939,7 +10934,6 @@ property_writer("QAudioDecoder", /::setObjectName\s*\(/, "objectName") property_reader("QAudioDecoder", /::(source|isSource|hasSource)\s*\(/, "source") property_writer("QAudioDecoder", /::setSource\s*\(/, "source") property_reader("QAudioDecoder", /::(isDecoding|isIsDecoding|hasIsDecoding)\s*\(/, "isDecoding") -property_reader("QAudioDecoder", /::(error|isError|hasError)\s*\(/, "error") property_reader("QAudioDecoder", /::(bufferAvailable|isBufferAvailable|hasBufferAvailable)\s*\(/, "bufferAvailable") property_reader("QAudioInput", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QAudioInput", /::setObjectName\s*\(/, "objectName") @@ -10992,7 +10986,6 @@ property_reader("QCamera", /::(exposureCompensation|isExposureCompensation|hasEx property_writer("QCamera", /::setExposureCompensation\s*\(/, "exposureCompensation") property_reader("QCamera", /::(exposureMode|isExposureMode|hasExposureMode)\s*\(/, "exposureMode") property_writer("QCamera", /::setExposureMode\s*\(/, "exposureMode") -property_reader("QCamera", /::(flashReady|isFlashReady|hasFlashReady)\s*\(/, "flashReady") property_reader("QCamera", /::(flashMode|isFlashMode|hasFlashMode)\s*\(/, "flashMode") property_writer("QCamera", /::setFlashMode\s*\(/, "flashMode") property_reader("QCamera", /::(torchMode|isTorchMode|hasTorchMode)\s*\(/, "torchMode") @@ -11098,9 +11091,6 @@ property_reader("QSoundEffect", /::(audioDevice|isAudioDevice|hasAudioDevice)\s* property_writer("QSoundEffect", /::setAudioDevice\s*\(/, "audioDevice") property_reader("QVideoSink", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QVideoSink", /::setObjectName\s*\(/, "objectName") -property_reader("QVideoSink", /::(subtitleText|isSubtitleText|hasSubtitleText)\s*\(/, "subtitleText") -property_writer("QVideoSink", /::setSubtitleText\s*\(/, "subtitleText") -property_reader("QVideoSink", /::(videoSize|isVideoSize|hasVideoSize)\s*\(/, "videoSize") property_reader("QUiLoader", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QUiLoader", /::setObjectName\s*\(/, "objectName") property_reader("QSqlDriver", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") @@ -11149,8 +11139,6 @@ property_reader("QNetworkInformation", /::(objectName|isObjectName|hasObjectName property_writer("QNetworkInformation", /::setObjectName\s*\(/, "objectName") property_reader("QNetworkInformation", /::(reachability|isReachability|hasReachability)\s*\(/, "reachability") property_reader("QNetworkInformation", /::(isBehindCaptivePortal|isIsBehindCaptivePortal|hasIsBehindCaptivePortal)\s*\(/, "isBehindCaptivePortal") -property_reader("QNetworkInformation", /::(transportMedium|isTransportMedium|hasTransportMedium)\s*\(/, "transportMedium") -property_reader("QNetworkInformation", /::(isMetered|isIsMetered|hasIsMetered)\s*\(/, "isMetered") property_reader("QNetworkReply", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") property_writer("QNetworkReply", /::setObjectName\s*\(/, "objectName") property_reader("QSslSocket", /::(objectName|isObjectName|hasObjectName)\s*\(/, "objectName") @@ -14310,6 +14298,9 @@ property_writer("QVideoFrameFormat", /::setViewport\s*\(/, "viewport") # Property yCbCrColorSpace (QVideoFrameFormat_YCbCrColorSpace) property_reader("QVideoFrameFormat", /::yCbCrColorSpace\s*\(/, "yCbCrColorSpace") property_writer("QVideoFrameFormat", /::setYCbCrColorSpace\s*\(/, "yCbCrColorSpace") +# Property subtitleText (string) +property_reader("QVideoSink", /::subtitleText\s*\(/, "subtitleText") +property_writer("QVideoSink", /::setSubtitleText\s*\(/, "subtitleText") # Property videoFrame (QVideoFrame) property_reader("QVideoSink", /::videoFrame\s*\(/, "videoFrame") property_writer("QVideoSink", /::setVideoFrame\s*\(/, "videoFrame") @@ -14493,9 +14484,6 @@ property_writer("QNetworkAccessManager", /::setRedirectPolicy\s*\(/, "redirectPo # Property strictTransportSecurityEnabled (bool) property_reader("QNetworkAccessManager", /::isStrictTransportSecurityEnabled\s*\(/, "strictTransportSecurityEnabled") property_writer("QNetworkAccessManager", /::setStrictTransportSecurityEnabled\s*\(/, "strictTransportSecurityEnabled") -# Property transferTimeout (int) -property_reader("QNetworkAccessManager", /::transferTimeout\s*\(/, "transferTimeout") -property_writer("QNetworkAccessManager", /::setTransferTimeout\s*\(/, "transferTimeout") # Property broadcast (QHostAddress) property_reader("QNetworkAddressEntry", /::broadcast\s*\(/, "broadcast") property_writer("QNetworkAddressEntry", /::setBroadcast\s*\(/, "broadcast") @@ -14631,9 +14619,6 @@ property_writer("QNetworkRequest", /::setPriority\s*\(/, "priority") # Property sslConfiguration (QSslConfiguration) property_reader("QNetworkRequest", /::sslConfiguration\s*\(/, "sslConfiguration") property_writer("QNetworkRequest", /::setSslConfiguration\s*\(/, "sslConfiguration") -# Property transferTimeout (int) -property_reader("QNetworkRequest", /::transferTimeout\s*\(/, "transferTimeout") -property_writer("QNetworkRequest", /::setTransferTimeout\s*\(/, "transferTimeout") # Property url (QUrl) property_reader("QNetworkRequest", /::url\s*\(/, "url") property_writer("QNetworkRequest", /::setUrl\s*\(/, "url") @@ -14760,51 +14745,3 @@ property_writer("QDomNode", /::setPrefix\s*\(/, "prefix") # Property data (string) property_reader("QDomProcessingInstruction", /::data\s*\(/, "data") property_writer("QDomProcessingInstruction", /::setData\s*\(/, "data") -# Property caseSensitivity (Qt_CaseSensitivity) -property_reader("QRegExp", /::caseSensitivity\s*\(/, "caseSensitivity") -property_writer("QRegExp", /::setCaseSensitivity\s*\(/, "caseSensitivity") -# Property minimal (bool) -property_reader("QRegExp", /::isMinimal\s*\(/, "minimal") -property_writer("QRegExp", /::setMinimal\s*\(/, "minimal") -# Property pattern (string) -property_reader("QRegExp", /::pattern\s*\(/, "pattern") -property_writer("QRegExp", /::setPattern\s*\(/, "pattern") -# Property patternSyntax (QRegExp_PatternSyntax) -property_reader("QRegExp", /::patternSyntax\s*\(/, "patternSyntax") -property_writer("QRegExp", /::setPatternSyntax\s*\(/, "patternSyntax") -# Property codecForLocale (QTextCodec_Native *) -property_reader("QTextCodec", /::codecForLocale\s*\(/, "codecForLocale") -property_writer("QTextCodec", /::setCodecForLocale\s*\(/, "codecForLocale") -# Property data (string) -property_reader("QXmlInputSource", /::data\s*\(/, "data") -property_writer("QXmlInputSource", /::setData\s*\(/, "data") -# Property contentHandler (QXmlContentHandler_Native *) -property_reader("QXmlReader", /::contentHandler\s*\(/, "contentHandler") -property_writer("QXmlReader", /::setContentHandler\s*\(/, "contentHandler") -# Property declHandler (QXmlDeclHandler_Native *) -property_reader("QXmlReader", /::declHandler\s*\(/, "declHandler") -property_writer("QXmlReader", /::setDeclHandler\s*\(/, "declHandler") -# Property entityResolver (QXmlEntityResolver *) -property_reader("QXmlReader", /::entityResolver\s*\(/, "entityResolver") -property_writer("QXmlReader", /::setEntityResolver\s*\(/, "entityResolver") -# Property errorHandler (QXmlErrorHandler_Native *) -property_reader("QXmlReader", /::errorHandler\s*\(/, "errorHandler") -property_writer("QXmlReader", /::setErrorHandler\s*\(/, "errorHandler") -# Property lexicalHandler (QXmlLexicalHandler_Native *) -property_reader("QXmlReader", /::lexicalHandler\s*\(/, "lexicalHandler") -property_writer("QXmlReader", /::setLexicalHandler\s*\(/, "lexicalHandler") -# Property contentHandler (QXmlContentHandler_Native *) -property_reader("QXmlSimpleReader", /::contentHandler\s*\(/, "contentHandler") -property_writer("QXmlSimpleReader", /::setContentHandler\s*\(/, "contentHandler") -# Property declHandler (QXmlDeclHandler_Native *) -property_reader("QXmlSimpleReader", /::declHandler\s*\(/, "declHandler") -property_writer("QXmlSimpleReader", /::setDeclHandler\s*\(/, "declHandler") -# Property entityResolver (QXmlEntityResolver *) -property_reader("QXmlSimpleReader", /::entityResolver\s*\(/, "entityResolver") -property_writer("QXmlSimpleReader", /::setEntityResolver\s*\(/, "entityResolver") -# Property errorHandler (QXmlErrorHandler_Native *) -property_reader("QXmlSimpleReader", /::errorHandler\s*\(/, "errorHandler") -property_writer("QXmlSimpleReader", /::setErrorHandler\s*\(/, "errorHandler") -# Property lexicalHandler (QXmlLexicalHandler_Native *) -property_reader("QXmlSimpleReader", /::lexicalHandler\s*\(/, "lexicalHandler") -property_writer("QXmlSimpleReader", /::setLexicalHandler\s*\(/, "lexicalHandler") diff --git a/scripts/mkqtdecl_common/mkqtdecl_extract_props.rb b/scripts/mkqtdecl_common/mkqtdecl_extract_props.rb index 4e1815aef7..7aa485c7a5 100644 --- a/scripts/mkqtdecl_common/mkqtdecl_extract_props.rb +++ b/scripts/mkqtdecl_common/mkqtdecl_extract_props.rb @@ -29,7 +29,9 @@ classes[cls.name] = true end -puts "# Properties from Qt meta objects:" +output = $output ? File.open($output, "w") : stdout + +output.puts "# Properties from Qt meta objects:" setters_sig = {} getters_sig = {} @@ -49,18 +51,30 @@ c = cls.name.sub(/_Native$/, "") + signal_names = {} + (0..(mo.methodCount-1)).each do |i| + mm = mo.method(i) + if mm.methodType == RBA::QMetaMethod::Signal + signal_names[mm.methodSignature.sub(/\(.*/, "")] = true + end + end + valid_sig = {} (0..(mo.propertyCount-1)).each do |i| pr = mo.property(i) + if signal_names[pr.name] + # ignore properties that clash with signal names (e.g. QCamera::flashReady) + next + end ucname = pr.name[0..0].upcase + pr.name[1..-1] if pr.isReadable - puts "property_reader(\"#{c}\", /::(#{pr.name}|is#{ucname}|has#{ucname})\\s*\\(/, \"#{pr.name}\")" + output.puts "property_reader(\"#{c}\", /::(#{pr.name}|is#{ucname}|has#{ucname})\\s*\\(/, \"#{pr.name}\")" getters_sig["#{cls.name}##{pr.name}"] = true getters_sig["#{cls.name}#is#{ucname}"] = true getters_sig["#{cls.name}#has#{ucname}"] = true end if pr.isWritable - puts "property_writer(\"#{c}\", /::set#{ucname}\\s*\\(/, \"#{pr.name}\")" + output.puts "property_writer(\"#{c}\", /::set#{ucname}\\s*\\(/, \"#{pr.name}\")" setters_sig["#{cls.name}#set#{ucname}"] = true end end @@ -71,8 +85,8 @@ end -puts "" -puts "# Synthetic properties" +output.puts "" +output.puts "# Synthetic properties" # strip const and references from types def normalize_type(s) @@ -147,11 +161,11 @@ def normalize_type(s) getter_type = normalize_type(g[2].ret_type.to_s) if setter_type == getter_type - puts "# Property #{pn} (#{setter_type})" + output.puts "# Property #{pn} (#{setter_type})" gc = g[1].name.sub(/_Native$/, "") sc = s[1].name.sub(/_Native$/, "") - puts "property_reader(\"#{gc}\", /::#{g[0].name}\\s*\\(/, \"#{pn}\")" - puts "property_writer(\"#{sc}\", /::#{s[0].name}\\s*\\(/, \"#{pn}\")" + output.puts "property_reader(\"#{gc}\", /::#{g[0].name}\\s*\\(/, \"#{pn}\")" + output.puts "property_writer(\"#{sc}\", /::#{s[0].name}\\s*\\(/, \"#{pn}\")" end end @@ -161,3 +175,7 @@ def normalize_type(s) end +if $output + output.close +end + diff --git a/scripts/mkqtdecl_common/mkqtdecl_extract_signals.rb b/scripts/mkqtdecl_common/mkqtdecl_extract_signals.rb index eaaac0ccc4..92bcb93cbf 100644 --- a/scripts/mkqtdecl_common/mkqtdecl_extract_signals.rb +++ b/scripts/mkqtdecl_common/mkqtdecl_extract_signals.rb @@ -29,6 +29,8 @@ classes[cls.name] = true end +output = $output ? File.open($output, "w") : stdout + RBA::Class::each_class do |cls| if cls.name =~ /^Q/ && (cls.name =~ /_Native$/ || !classes[cls.name + "_Native"]) @@ -160,9 +162,9 @@ match += ".*int" end end - puts "event(\"#{c}\", /#{match}/, \"#{s}\")" + output.puts "event(\"#{c}\", /#{match}/, \"#{s}\")" if renamed - puts "rename(\"#{c}\", /#{match}/, \"#{renamed}\")" + output.puts "rename(\"#{c}\", /#{match}/, \"#{renamed}\")" end end end @@ -172,4 +174,6 @@ end - +if $output + output.close +end diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoder.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoder.cc index e1f3bd1430..b61e0e20fa 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoder.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoder.cc @@ -421,7 +421,7 @@ static gsi::Methods methods_QAudioDecoder () { methods += new qt_gsi::GenericMethod ("bind", "@brief Method bool QAudioDecoder::bind(QObject *)\nThis is a reimplementation of QMediaObject::bind", false, &_init_f_bind_1302, &_call_f_bind_1302); methods += new qt_gsi::GenericMethod (":bufferAvailable", "@brief Method bool QAudioDecoder::bufferAvailable()\n", true, &_init_f_bufferAvailable_c0, &_call_f_bufferAvailable_c0); methods += new qt_gsi::GenericMethod ("duration", "@brief Method qint64 QAudioDecoder::duration()\n", true, &_init_f_duration_c0, &_call_f_duration_c0); - methods += new qt_gsi::GenericMethod (":error", "@brief Method QAudioDecoder::Error QAudioDecoder::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); + methods += new qt_gsi::GenericMethod ("error", "@brief Method QAudioDecoder::Error QAudioDecoder::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QAudioDecoder::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); methods += new qt_gsi::GenericMethod ("position", "@brief Method qint64 QAudioDecoder::position()\n", true, &_init_f_position_c0, &_call_f_position_c0); methods += new qt_gsi::GenericMethod ("read", "@brief Method QAudioBuffer QAudioDecoder::read()\n", true, &_init_f_read_c0, &_call_f_read_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposure.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposure.cc index db982afe74..7a010a5a25 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposure.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposure.cc @@ -634,7 +634,7 @@ static gsi::Methods methods_QCameraExposure () { methods += new qt_gsi::GenericMethod ("isAvailable?", "@brief Method bool QCameraExposure::isAvailable()\n", true, &_init_f_isAvailable_c0, &_call_f_isAvailable_c0); methods += new qt_gsi::GenericMethod ("isExposureModeSupported?", "@brief Method bool QCameraExposure::isExposureModeSupported(QCameraExposure::ExposureMode mode)\n", true, &_init_f_isExposureModeSupported_c3325, &_call_f_isExposureModeSupported_c3325); methods += new qt_gsi::GenericMethod ("isFlashModeSupported?", "@brief Method bool QCameraExposure::isFlashModeSupported(QFlags mode)\n", true, &_init_f_isFlashModeSupported_c3656, &_call_f_isFlashModeSupported_c3656); - methods += new qt_gsi::GenericMethod ("isFlashReady?|:flashReady", "@brief Method bool QCameraExposure::isFlashReady()\n", true, &_init_f_isFlashReady_c0, &_call_f_isFlashReady_c0); + methods += new qt_gsi::GenericMethod ("isFlashReady?", "@brief Method bool QCameraExposure::isFlashReady()\n", true, &_init_f_isFlashReady_c0, &_call_f_isFlashReady_c0); methods += new qt_gsi::GenericMethod ("isMeteringModeSupported?", "@brief Method bool QCameraExposure::isMeteringModeSupported(QCameraExposure::MeteringMode mode)\n", true, &_init_f_isMeteringModeSupported_c3293, &_call_f_isMeteringModeSupported_c3293); methods += new qt_gsi::GenericMethod (":isoSensitivity", "@brief Method int QCameraExposure::isoSensitivity()\n", true, &_init_f_isoSensitivity_c0, &_call_f_isoSensitivity_c0); methods += new qt_gsi::GenericMethod (":meteringMode", "@brief Method QCameraExposure::MeteringMode QCameraExposure::meteringMode()\n", true, &_init_f_meteringMode_c0, &_call_f_meteringMode_c0); diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayer.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayer.cc index 3f78d11f92..10eb13408f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayer.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayer.cc @@ -836,7 +836,7 @@ static gsi::Methods methods_QMediaPlayer () { methods += new qt_gsi::GenericMethod ("currentNetworkConfiguration", "@brief Method QNetworkConfiguration QMediaPlayer::currentNetworkConfiguration()\n", true, &_init_f_currentNetworkConfiguration_c0, &_call_f_currentNetworkConfiguration_c0); methods += new qt_gsi::GenericMethod (":customAudioRole", "@brief Method QString QMediaPlayer::customAudioRole()\n", true, &_init_f_customAudioRole_c0, &_call_f_customAudioRole_c0); methods += new qt_gsi::GenericMethod (":duration", "@brief Method qint64 QMediaPlayer::duration()\n", true, &_init_f_duration_c0, &_call_f_duration_c0); - methods += new qt_gsi::GenericMethod (":error", "@brief Method QMediaPlayer::Error QMediaPlayer::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); + methods += new qt_gsi::GenericMethod ("error", "@brief Method QMediaPlayer::Error QMediaPlayer::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QMediaPlayer::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); methods += new qt_gsi::GenericMethod ("isAudioAvailable?|:audioAvailable", "@brief Method bool QMediaPlayer::isAudioAvailable()\n", true, &_init_f_isAudioAvailable_c0, &_call_f_isAudioAvailable_c0); methods += new qt_gsi::GenericMethod ("isMuted?|:muted", "@brief Method bool QMediaPlayer::isMuted()\n", true, &_init_f_isMuted_c0, &_call_f_isMuted_c0); diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQRegExp.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQRegExp.cc index c2a5406360..39a202293e 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQRegExp.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQRegExp.cc @@ -795,7 +795,7 @@ static gsi::Methods methods_QRegExp () { methods += new qt_gsi::GenericMethod ("captureCount", "@brief Method int QRegExp::captureCount()\n", true, &_init_f_captureCount_c0, &_call_f_captureCount_c0); methods += new qt_gsi::GenericMethod ("capturedTexts", "@brief Method QStringList QRegExp::capturedTexts()\n", true, &_init_f_capturedTexts_c0, &_call_f_capturedTexts_c0); methods += new qt_gsi::GenericMethod ("capturedTexts", "@brief Method QStringList QRegExp::capturedTexts()\n", false, &_init_f_capturedTexts_0, &_call_f_capturedTexts_0); - methods += new qt_gsi::GenericMethod (":caseSensitivity", "@brief Method Qt::CaseSensitivity QRegExp::caseSensitivity()\n", true, &_init_f_caseSensitivity_c0, &_call_f_caseSensitivity_c0); + methods += new qt_gsi::GenericMethod ("caseSensitivity", "@brief Method Qt::CaseSensitivity QRegExp::caseSensitivity()\n", true, &_init_f_caseSensitivity_c0, &_call_f_caseSensitivity_c0); methods += new qt_gsi::GenericMethod ("containedIn", "@brief Method bool QRegExp::containedIn(const QString &str)\n", true, &_init_f_containedIn_c2025, &_call_f_containedIn_c2025); methods += new qt_gsi::GenericMethod ("countIn", "@brief Method int QRegExp::countIn(const QString &str)\n", true, &_init_f_countIn_c2025, &_call_f_countIn_c2025); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QRegExp::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); @@ -805,7 +805,7 @@ static gsi::Methods methods_QRegExp () { methods += new qt_gsi::GenericMethod ("indexIn", "@brief Method int QRegExp::indexIn(const QString &str, int offset, QRegExp::CaretMode caretMode)\n", true, &_init_f_indexIn_c4680, &_call_f_indexIn_c4680); methods += new qt_gsi::GenericMethod ("indexIn", "@brief Method int QRegExp::indexIn(const QStringList &list, int from)\n", true, &_init_f_indexIn_c3096, &_call_f_indexIn_c3096); methods += new qt_gsi::GenericMethod ("isEmpty?", "@brief Method bool QRegExp::isEmpty()\n", true, &_init_f_isEmpty_c0, &_call_f_isEmpty_c0); - methods += new qt_gsi::GenericMethod ("isMinimal?|:minimal", "@brief Method bool QRegExp::isMinimal()\n", true, &_init_f_isMinimal_c0, &_call_f_isMinimal_c0); + methods += new qt_gsi::GenericMethod ("isMinimal?", "@brief Method bool QRegExp::isMinimal()\n", true, &_init_f_isMinimal_c0, &_call_f_isMinimal_c0); methods += new qt_gsi::GenericMethod ("isValid?", "@brief Method bool QRegExp::isValid()\n", true, &_init_f_isValid_c0, &_call_f_isValid_c0); methods += new qt_gsi::GenericMethod ("lastIndexIn", "@brief Method int QRegExp::lastIndexIn(const QString &str, int offset, QRegExp::CaretMode caretMode)\n", true, &_init_f_lastIndexIn_c4680, &_call_f_lastIndexIn_c4680); methods += new qt_gsi::GenericMethod ("lastIndexIn", "@brief Method int QRegExp::lastIndexIn(const QStringList &list, int from)\n", true, &_init_f_lastIndexIn_c3096, &_call_f_lastIndexIn_c3096); @@ -813,17 +813,17 @@ static gsi::Methods methods_QRegExp () { methods += new qt_gsi::GenericMethod ("!=", "@brief Method bool QRegExp::operator!=(const QRegExp &rx)\n", true, &_init_f_operator_excl__eq__c1981, &_call_f_operator_excl__eq__c1981); methods += new qt_gsi::GenericMethod ("assign", "@brief Method QRegExp &QRegExp::operator=(const QRegExp &rx)\n", false, &_init_f_operator_eq__1981, &_call_f_operator_eq__1981); methods += new qt_gsi::GenericMethod ("==", "@brief Method bool QRegExp::operator==(const QRegExp &rx)\n", true, &_init_f_operator_eq__eq__c1981, &_call_f_operator_eq__eq__c1981); - methods += new qt_gsi::GenericMethod (":pattern", "@brief Method QString QRegExp::pattern()\n", true, &_init_f_pattern_c0, &_call_f_pattern_c0); - methods += new qt_gsi::GenericMethod (":patternSyntax", "@brief Method QRegExp::PatternSyntax QRegExp::patternSyntax()\n", true, &_init_f_patternSyntax_c0, &_call_f_patternSyntax_c0); + methods += new qt_gsi::GenericMethod ("pattern", "@brief Method QString QRegExp::pattern()\n", true, &_init_f_pattern_c0, &_call_f_pattern_c0); + methods += new qt_gsi::GenericMethod ("patternSyntax", "@brief Method QRegExp::PatternSyntax QRegExp::patternSyntax()\n", true, &_init_f_patternSyntax_c0, &_call_f_patternSyntax_c0); methods += new qt_gsi::GenericMethod ("pos", "@brief Method int QRegExp::pos(int nth)\n", true, &_init_f_pos_c767, &_call_f_pos_c767); methods += new qt_gsi::GenericMethod ("pos", "@brief Method int QRegExp::pos(int nth)\n", false, &_init_f_pos_767, &_call_f_pos_767); methods += new qt_gsi::GenericMethod ("removeIn", "@brief Method QString QRegExp::removeIn(const QString &str)\n", true, &_init_f_removeIn_c2025, &_call_f_removeIn_c2025); methods += new qt_gsi::GenericMethod ("replaceIn", "@brief Method QString QRegExp::replaceIn(const QString &str, const QString &after)\n", true, &_init_f_replaceIn_c3942, &_call_f_replaceIn_c3942); methods += new qt_gsi::GenericMethod ("replaceIn", "@brief Method QStringList QRegExp::replaceIn(const QStringList &stringList, const QString &after)\n", true, &_init_f_replaceIn_c4354, &_call_f_replaceIn_c4354); - methods += new qt_gsi::GenericMethod ("setCaseSensitivity|caseSensitivity=", "@brief Method void QRegExp::setCaseSensitivity(Qt::CaseSensitivity cs)\n", false, &_init_f_setCaseSensitivity_2324, &_call_f_setCaseSensitivity_2324); - methods += new qt_gsi::GenericMethod ("setMinimal|minimal=", "@brief Method void QRegExp::setMinimal(bool minimal)\n", false, &_init_f_setMinimal_864, &_call_f_setMinimal_864); - methods += new qt_gsi::GenericMethod ("setPattern|pattern=", "@brief Method void QRegExp::setPattern(const QString &pattern)\n", false, &_init_f_setPattern_2025, &_call_f_setPattern_2025); - methods += new qt_gsi::GenericMethod ("setPatternSyntax|patternSyntax=", "@brief Method void QRegExp::setPatternSyntax(QRegExp::PatternSyntax syntax)\n", false, &_init_f_setPatternSyntax_2601, &_call_f_setPatternSyntax_2601); + methods += new qt_gsi::GenericMethod ("setCaseSensitivity", "@brief Method void QRegExp::setCaseSensitivity(Qt::CaseSensitivity cs)\n", false, &_init_f_setCaseSensitivity_2324, &_call_f_setCaseSensitivity_2324); + methods += new qt_gsi::GenericMethod ("setMinimal", "@brief Method void QRegExp::setMinimal(bool minimal)\n", false, &_init_f_setMinimal_864, &_call_f_setMinimal_864); + methods += new qt_gsi::GenericMethod ("setPattern", "@brief Method void QRegExp::setPattern(const QString &pattern)\n", false, &_init_f_setPattern_2025, &_call_f_setPattern_2025); + methods += new qt_gsi::GenericMethod ("setPatternSyntax", "@brief Method void QRegExp::setPatternSyntax(QRegExp::PatternSyntax syntax)\n", false, &_init_f_setPatternSyntax_2601, &_call_f_setPatternSyntax_2601); methods += new qt_gsi::GenericMethod ("splitString", "@brief Method QStringList QRegExp::splitString(const QString &str, QFlags behavior)\n", true, &_init_f_splitString_c5195, &_call_f_splitString_c5195); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QRegExp::swap(QRegExp &other)\n", false, &_init_f_swap_1286, &_call_f_swap_1286); methods += new qt_gsi::GenericStaticMethod ("escape", "@brief Static method QString QRegExp::escape(const QString &str)\nThis method is static and can be called without an instance.", &_init_f_escape_2025, &_call_f_escape_2025); diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextCodec.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextCodec.cc index 63281c8eec..0701693c3d 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextCodec.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextCodec.cc @@ -440,13 +440,13 @@ static gsi::Methods methods_QTextCodec () { methods += new qt_gsi::GenericStaticMethod ("availableMibs", "@brief Static method QList QTextCodec::availableMibs()\nThis method is static and can be called without an instance.", &_init_f_availableMibs_0, &_call_f_availableMibs_0); methods += new qt_gsi::GenericStaticMethod ("codecForHtml", "@brief Static method QTextCodec *QTextCodec::codecForHtml(const QByteArray &ba)\nThis method is static and can be called without an instance.", &_init_f_codecForHtml_2309, &_call_f_codecForHtml_2309); methods += new qt_gsi::GenericStaticMethod ("codecForHtml", "@brief Static method QTextCodec *QTextCodec::codecForHtml(const QByteArray &ba, QTextCodec *defaultCodec)\nThis method is static and can be called without an instance.", &_init_f_codecForHtml_3803, &_call_f_codecForHtml_3803); - methods += new qt_gsi::GenericStaticMethod (":codecForLocale", "@brief Static method QTextCodec *QTextCodec::codecForLocale()\nThis method is static and can be called without an instance.", &_init_f_codecForLocale_0, &_call_f_codecForLocale_0); + methods += new qt_gsi::GenericStaticMethod ("codecForLocale", "@brief Static method QTextCodec *QTextCodec::codecForLocale()\nThis method is static and can be called without an instance.", &_init_f_codecForLocale_0, &_call_f_codecForLocale_0); methods += new qt_gsi::GenericStaticMethod ("codecForMib", "@brief Static method QTextCodec *QTextCodec::codecForMib(int mib)\nThis method is static and can be called without an instance.", &_init_f_codecForMib_767, &_call_f_codecForMib_767); methods += new qt_gsi::GenericStaticMethod ("codecForName", "@brief Static method QTextCodec *QTextCodec::codecForName(const char *name)\nThis method is static and can be called without an instance.", &_init_f_codecForName_1731, &_call_f_codecForName_1731); methods += new qt_gsi::GenericStaticMethod ("codecForTr", "@brief Static method QTextCodec *QTextCodec::codecForTr()\nThis method is static and can be called without an instance.", &_init_f_codecForTr_0, &_call_f_codecForTr_0); methods += new qt_gsi::GenericStaticMethod ("codecForUtfText", "@brief Static method QTextCodec *QTextCodec::codecForUtfText(const QByteArray &ba)\nThis method is static and can be called without an instance.", &_init_f_codecForUtfText_2309, &_call_f_codecForUtfText_2309); methods += new qt_gsi::GenericStaticMethod ("codecForUtfText", "@brief Static method QTextCodec *QTextCodec::codecForUtfText(const QByteArray &ba, QTextCodec *defaultCodec)\nThis method is static and can be called without an instance.", &_init_f_codecForUtfText_3803, &_call_f_codecForUtfText_3803); - methods += new qt_gsi::GenericStaticMethod ("setCodecForLocale|codecForLocale=", "@brief Static method void QTextCodec::setCodecForLocale(QTextCodec *c)\nThis method is static and can be called without an instance.", &_init_f_setCodecForLocale_1602, &_call_f_setCodecForLocale_1602); + methods += new qt_gsi::GenericStaticMethod ("setCodecForLocale", "@brief Static method void QTextCodec::setCodecForLocale(QTextCodec *c)\nThis method is static and can be called without an instance.", &_init_f_setCodecForLocale_1602, &_call_f_setCodecForLocale_1602); return methods; } diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlInputSource.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlInputSource.cc index 18976b504e..535d956ab6 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlInputSource.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlInputSource.cc @@ -123,11 +123,11 @@ namespace gsi static gsi::Methods methods_QXmlInputSource () { gsi::Methods methods; - methods += new qt_gsi::GenericMethod (":data", "@brief Method QString QXmlInputSource::data()\n", true, &_init_f_data_c0, &_call_f_data_c0); + methods += new qt_gsi::GenericMethod ("data", "@brief Method QString QXmlInputSource::data()\n", true, &_init_f_data_c0, &_call_f_data_c0); methods += new qt_gsi::GenericMethod ("fetchData", "@brief Method void QXmlInputSource::fetchData()\n", false, &_init_f_fetchData_0, &_call_f_fetchData_0); methods += new qt_gsi::GenericMethod ("next", "@brief Method QChar QXmlInputSource::next()\n", false, &_init_f_next_0, &_call_f_next_0); methods += new qt_gsi::GenericMethod ("reset", "@brief Method void QXmlInputSource::reset()\n", false, &_init_f_reset_0, &_call_f_reset_0); - methods += new qt_gsi::GenericMethod ("setData|data=", "@brief Method void QXmlInputSource::setData(const QString &dat)\n", false, &_init_f_setData_2025, &_call_f_setData_2025); + methods += new qt_gsi::GenericMethod ("setData", "@brief Method void QXmlInputSource::setData(const QString &dat)\n", false, &_init_f_setData_2025, &_call_f_setData_2025); return methods; } diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlReader.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlReader.cc index f76cc45f82..42605c1747 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlReader.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlReader.cc @@ -406,23 +406,23 @@ namespace gsi static gsi::Methods methods_QXmlReader () { gsi::Methods methods; methods += new qt_gsi::GenericMethod ("DTDHandler", "@brief Method QXmlDTDHandler *QXmlReader::DTDHandler()\n", true, &_init_f_DTDHandler_c0, &_call_f_DTDHandler_c0); - methods += new qt_gsi::GenericMethod (":contentHandler", "@brief Method QXmlContentHandler *QXmlReader::contentHandler()\n", true, &_init_f_contentHandler_c0, &_call_f_contentHandler_c0); - methods += new qt_gsi::GenericMethod (":declHandler", "@brief Method QXmlDeclHandler *QXmlReader::declHandler()\n", true, &_init_f_declHandler_c0, &_call_f_declHandler_c0); - methods += new qt_gsi::GenericMethod (":entityResolver", "@brief Method QXmlEntityResolver *QXmlReader::entityResolver()\n", true, &_init_f_entityResolver_c0, &_call_f_entityResolver_c0); - methods += new qt_gsi::GenericMethod (":errorHandler", "@brief Method QXmlErrorHandler *QXmlReader::errorHandler()\n", true, &_init_f_errorHandler_c0, &_call_f_errorHandler_c0); + methods += new qt_gsi::GenericMethod ("contentHandler", "@brief Method QXmlContentHandler *QXmlReader::contentHandler()\n", true, &_init_f_contentHandler_c0, &_call_f_contentHandler_c0); + methods += new qt_gsi::GenericMethod ("declHandler", "@brief Method QXmlDeclHandler *QXmlReader::declHandler()\n", true, &_init_f_declHandler_c0, &_call_f_declHandler_c0); + methods += new qt_gsi::GenericMethod ("entityResolver", "@brief Method QXmlEntityResolver *QXmlReader::entityResolver()\n", true, &_init_f_entityResolver_c0, &_call_f_entityResolver_c0); + methods += new qt_gsi::GenericMethod ("errorHandler", "@brief Method QXmlErrorHandler *QXmlReader::errorHandler()\n", true, &_init_f_errorHandler_c0, &_call_f_errorHandler_c0); methods += new qt_gsi::GenericMethod ("feature", "@brief Method bool QXmlReader::feature(const QString &name, bool *ok)\n", true, &_init_f_feature_c2967, &_call_f_feature_c2967); methods += new qt_gsi::GenericMethod ("hasFeature", "@brief Method bool QXmlReader::hasFeature(const QString &name)\n", true, &_init_f_hasFeature_c2025, &_call_f_hasFeature_c2025); methods += new qt_gsi::GenericMethod ("hasProperty", "@brief Method bool QXmlReader::hasProperty(const QString &name)\n", true, &_init_f_hasProperty_c2025, &_call_f_hasProperty_c2025); - methods += new qt_gsi::GenericMethod (":lexicalHandler", "@brief Method QXmlLexicalHandler *QXmlReader::lexicalHandler()\n", true, &_init_f_lexicalHandler_c0, &_call_f_lexicalHandler_c0); + methods += new qt_gsi::GenericMethod ("lexicalHandler", "@brief Method QXmlLexicalHandler *QXmlReader::lexicalHandler()\n", true, &_init_f_lexicalHandler_c0, &_call_f_lexicalHandler_c0); methods += new qt_gsi::GenericMethod ("parse", "@brief Method bool QXmlReader::parse(const QXmlInputSource *input)\n", false, &_init_f_parse_2856, &_call_f_parse_2856); methods += new qt_gsi::GenericMethod ("property", "@brief Method void *QXmlReader::property(const QString &name, bool *ok)\n", true, &_init_f_property_c2967, &_call_f_property_c2967); - methods += new qt_gsi::GenericMethod ("setContentHandler|contentHandler=", "@brief Method void QXmlReader::setContentHandler(QXmlContentHandler *handler)\n", false, &_init_f_setContentHandler_2441, &_call_f_setContentHandler_2441); + methods += new qt_gsi::GenericMethod ("setContentHandler", "@brief Method void QXmlReader::setContentHandler(QXmlContentHandler *handler)\n", false, &_init_f_setContentHandler_2441, &_call_f_setContentHandler_2441); methods += new qt_gsi::GenericMethod ("setDTDHandler", "@brief Method void QXmlReader::setDTDHandler(QXmlDTDHandler *handler)\n", false, &_init_f_setDTDHandler_1930, &_call_f_setDTDHandler_1930); - methods += new qt_gsi::GenericMethod ("setDeclHandler|declHandler=", "@brief Method void QXmlReader::setDeclHandler(QXmlDeclHandler *handler)\n", false, &_init_f_setDeclHandler_2086, &_call_f_setDeclHandler_2086); - methods += new qt_gsi::GenericMethod ("setEntityResolver|entityResolver=", "@brief Method void QXmlReader::setEntityResolver(QXmlEntityResolver *handler)\n", false, &_init_f_setEntityResolver_2495, &_call_f_setEntityResolver_2495); - methods += new qt_gsi::GenericMethod ("setErrorHandler|errorHandler=", "@brief Method void QXmlReader::setErrorHandler(QXmlErrorHandler *handler)\n", false, &_init_f_setErrorHandler_2232, &_call_f_setErrorHandler_2232); + methods += new qt_gsi::GenericMethod ("setDeclHandler", "@brief Method void QXmlReader::setDeclHandler(QXmlDeclHandler *handler)\n", false, &_init_f_setDeclHandler_2086, &_call_f_setDeclHandler_2086); + methods += new qt_gsi::GenericMethod ("setEntityResolver", "@brief Method void QXmlReader::setEntityResolver(QXmlEntityResolver *handler)\n", false, &_init_f_setEntityResolver_2495, &_call_f_setEntityResolver_2495); + methods += new qt_gsi::GenericMethod ("setErrorHandler", "@brief Method void QXmlReader::setErrorHandler(QXmlErrorHandler *handler)\n", false, &_init_f_setErrorHandler_2232, &_call_f_setErrorHandler_2232); methods += new qt_gsi::GenericMethod ("setFeature", "@brief Method void QXmlReader::setFeature(const QString &name, bool value)\n", false, &_init_f_setFeature_2781, &_call_f_setFeature_2781); - methods += new qt_gsi::GenericMethod ("setLexicalHandler|lexicalHandler=", "@brief Method void QXmlReader::setLexicalHandler(QXmlLexicalHandler *handler)\n", false, &_init_f_setLexicalHandler_2416, &_call_f_setLexicalHandler_2416); + methods += new qt_gsi::GenericMethod ("setLexicalHandler", "@brief Method void QXmlReader::setLexicalHandler(QXmlLexicalHandler *handler)\n", false, &_init_f_setLexicalHandler_2416, &_call_f_setLexicalHandler_2416); methods += new qt_gsi::GenericMethod ("setProperty", "@brief Method void QXmlReader::setProperty(const QString &name, void *value)\n", false, &_init_f_setProperty_2973, &_call_f_setProperty_2973); return methods; } diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlSimpleReader.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlSimpleReader.cc index 6462e1068d..36caf1f288 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlSimpleReader.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlSimpleReader.cc @@ -442,25 +442,25 @@ namespace gsi static gsi::Methods methods_QXmlSimpleReader () { gsi::Methods methods; methods += new qt_gsi::GenericMethod ("DTDHandler", "@brief Method QXmlDTDHandler *QXmlSimpleReader::DTDHandler()\nThis is a reimplementation of QXmlReader::DTDHandler", true, &_init_f_DTDHandler_c0, &_call_f_DTDHandler_c0); - methods += new qt_gsi::GenericMethod (":contentHandler", "@brief Method QXmlContentHandler *QXmlSimpleReader::contentHandler()\nThis is a reimplementation of QXmlReader::contentHandler", true, &_init_f_contentHandler_c0, &_call_f_contentHandler_c0); - methods += new qt_gsi::GenericMethod (":declHandler", "@brief Method QXmlDeclHandler *QXmlSimpleReader::declHandler()\nThis is a reimplementation of QXmlReader::declHandler", true, &_init_f_declHandler_c0, &_call_f_declHandler_c0); - methods += new qt_gsi::GenericMethod (":entityResolver", "@brief Method QXmlEntityResolver *QXmlSimpleReader::entityResolver()\nThis is a reimplementation of QXmlReader::entityResolver", true, &_init_f_entityResolver_c0, &_call_f_entityResolver_c0); - methods += new qt_gsi::GenericMethod (":errorHandler", "@brief Method QXmlErrorHandler *QXmlSimpleReader::errorHandler()\nThis is a reimplementation of QXmlReader::errorHandler", true, &_init_f_errorHandler_c0, &_call_f_errorHandler_c0); + methods += new qt_gsi::GenericMethod ("contentHandler", "@brief Method QXmlContentHandler *QXmlSimpleReader::contentHandler()\nThis is a reimplementation of QXmlReader::contentHandler", true, &_init_f_contentHandler_c0, &_call_f_contentHandler_c0); + methods += new qt_gsi::GenericMethod ("declHandler", "@brief Method QXmlDeclHandler *QXmlSimpleReader::declHandler()\nThis is a reimplementation of QXmlReader::declHandler", true, &_init_f_declHandler_c0, &_call_f_declHandler_c0); + methods += new qt_gsi::GenericMethod ("entityResolver", "@brief Method QXmlEntityResolver *QXmlSimpleReader::entityResolver()\nThis is a reimplementation of QXmlReader::entityResolver", true, &_init_f_entityResolver_c0, &_call_f_entityResolver_c0); + methods += new qt_gsi::GenericMethod ("errorHandler", "@brief Method QXmlErrorHandler *QXmlSimpleReader::errorHandler()\nThis is a reimplementation of QXmlReader::errorHandler", true, &_init_f_errorHandler_c0, &_call_f_errorHandler_c0); methods += new qt_gsi::GenericMethod ("feature", "@brief Method bool QXmlSimpleReader::feature(const QString &name, bool *ok)\nThis is a reimplementation of QXmlReader::feature", true, &_init_f_feature_c2967, &_call_f_feature_c2967); methods += new qt_gsi::GenericMethod ("hasFeature", "@brief Method bool QXmlSimpleReader::hasFeature(const QString &name)\nThis is a reimplementation of QXmlReader::hasFeature", true, &_init_f_hasFeature_c2025, &_call_f_hasFeature_c2025); methods += new qt_gsi::GenericMethod ("hasProperty", "@brief Method bool QXmlSimpleReader::hasProperty(const QString &name)\nThis is a reimplementation of QXmlReader::hasProperty", true, &_init_f_hasProperty_c2025, &_call_f_hasProperty_c2025); - methods += new qt_gsi::GenericMethod (":lexicalHandler", "@brief Method QXmlLexicalHandler *QXmlSimpleReader::lexicalHandler()\nThis is a reimplementation of QXmlReader::lexicalHandler", true, &_init_f_lexicalHandler_c0, &_call_f_lexicalHandler_c0); + methods += new qt_gsi::GenericMethod ("lexicalHandler", "@brief Method QXmlLexicalHandler *QXmlSimpleReader::lexicalHandler()\nThis is a reimplementation of QXmlReader::lexicalHandler", true, &_init_f_lexicalHandler_c0, &_call_f_lexicalHandler_c0); methods += new qt_gsi::GenericMethod ("parse", "@brief Method bool QXmlSimpleReader::parse(const QXmlInputSource *input)\nThis is a reimplementation of QXmlReader::parse", false, &_init_f_parse_2856, &_call_f_parse_2856); methods += new qt_gsi::GenericMethod ("parse", "@brief Method bool QXmlSimpleReader::parse(const QXmlInputSource *input, bool incremental)\n", false, &_init_f_parse_3612, &_call_f_parse_3612); methods += new qt_gsi::GenericMethod ("parseContinue", "@brief Method bool QXmlSimpleReader::parseContinue()\n", false, &_init_f_parseContinue_0, &_call_f_parseContinue_0); methods += new qt_gsi::GenericMethod ("property", "@brief Method void *QXmlSimpleReader::property(const QString &name, bool *ok)\nThis is a reimplementation of QXmlReader::property", true, &_init_f_property_c2967, &_call_f_property_c2967); - methods += new qt_gsi::GenericMethod ("setContentHandler|contentHandler=", "@brief Method void QXmlSimpleReader::setContentHandler(QXmlContentHandler *handler)\nThis is a reimplementation of QXmlReader::setContentHandler", false, &_init_f_setContentHandler_2441, &_call_f_setContentHandler_2441); + methods += new qt_gsi::GenericMethod ("setContentHandler", "@brief Method void QXmlSimpleReader::setContentHandler(QXmlContentHandler *handler)\nThis is a reimplementation of QXmlReader::setContentHandler", false, &_init_f_setContentHandler_2441, &_call_f_setContentHandler_2441); methods += new qt_gsi::GenericMethod ("setDTDHandler", "@brief Method void QXmlSimpleReader::setDTDHandler(QXmlDTDHandler *handler)\nThis is a reimplementation of QXmlReader::setDTDHandler", false, &_init_f_setDTDHandler_1930, &_call_f_setDTDHandler_1930); - methods += new qt_gsi::GenericMethod ("setDeclHandler|declHandler=", "@brief Method void QXmlSimpleReader::setDeclHandler(QXmlDeclHandler *handler)\nThis is a reimplementation of QXmlReader::setDeclHandler", false, &_init_f_setDeclHandler_2086, &_call_f_setDeclHandler_2086); - methods += new qt_gsi::GenericMethod ("setEntityResolver|entityResolver=", "@brief Method void QXmlSimpleReader::setEntityResolver(QXmlEntityResolver *handler)\nThis is a reimplementation of QXmlReader::setEntityResolver", false, &_init_f_setEntityResolver_2495, &_call_f_setEntityResolver_2495); - methods += new qt_gsi::GenericMethod ("setErrorHandler|errorHandler=", "@brief Method void QXmlSimpleReader::setErrorHandler(QXmlErrorHandler *handler)\nThis is a reimplementation of QXmlReader::setErrorHandler", false, &_init_f_setErrorHandler_2232, &_call_f_setErrorHandler_2232); + methods += new qt_gsi::GenericMethod ("setDeclHandler", "@brief Method void QXmlSimpleReader::setDeclHandler(QXmlDeclHandler *handler)\nThis is a reimplementation of QXmlReader::setDeclHandler", false, &_init_f_setDeclHandler_2086, &_call_f_setDeclHandler_2086); + methods += new qt_gsi::GenericMethod ("setEntityResolver", "@brief Method void QXmlSimpleReader::setEntityResolver(QXmlEntityResolver *handler)\nThis is a reimplementation of QXmlReader::setEntityResolver", false, &_init_f_setEntityResolver_2495, &_call_f_setEntityResolver_2495); + methods += new qt_gsi::GenericMethod ("setErrorHandler", "@brief Method void QXmlSimpleReader::setErrorHandler(QXmlErrorHandler *handler)\nThis is a reimplementation of QXmlReader::setErrorHandler", false, &_init_f_setErrorHandler_2232, &_call_f_setErrorHandler_2232); methods += new qt_gsi::GenericMethod ("setFeature", "@brief Method void QXmlSimpleReader::setFeature(const QString &name, bool value)\nThis is a reimplementation of QXmlReader::setFeature", false, &_init_f_setFeature_2781, &_call_f_setFeature_2781); - methods += new qt_gsi::GenericMethod ("setLexicalHandler|lexicalHandler=", "@brief Method void QXmlSimpleReader::setLexicalHandler(QXmlLexicalHandler *handler)\nThis is a reimplementation of QXmlReader::setLexicalHandler", false, &_init_f_setLexicalHandler_2416, &_call_f_setLexicalHandler_2416); + methods += new qt_gsi::GenericMethod ("setLexicalHandler", "@brief Method void QXmlSimpleReader::setLexicalHandler(QXmlLexicalHandler *handler)\nThis is a reimplementation of QXmlReader::setLexicalHandler", false, &_init_f_setLexicalHandler_2416, &_call_f_setLexicalHandler_2416); methods += new qt_gsi::GenericMethod ("setProperty", "@brief Method void QXmlSimpleReader::setProperty(const QString &name, void *value)\nThis is a reimplementation of QXmlReader::setProperty", false, &_init_f_setProperty_2973, &_call_f_setProperty_2973); return methods; } diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioDecoder.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioDecoder.cc index 751edd2df6..0fbf150683 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioDecoder.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioDecoder.cc @@ -349,7 +349,7 @@ static gsi::Methods methods_QAudioDecoder () { methods += new qt_gsi::GenericMethod (":audioFormat", "@brief Method QAudioFormat QAudioDecoder::audioFormat()\n", true, &_init_f_audioFormat_c0, &_call_f_audioFormat_c0); methods += new qt_gsi::GenericMethod (":bufferAvailable", "@brief Method bool QAudioDecoder::bufferAvailable()\n", true, &_init_f_bufferAvailable_c0, &_call_f_bufferAvailable_c0); methods += new qt_gsi::GenericMethod ("duration", "@brief Method qint64 QAudioDecoder::duration()\n", true, &_init_f_duration_c0, &_call_f_duration_c0); - methods += new qt_gsi::GenericMethod (":error", "@brief Method QAudioDecoder::Error QAudioDecoder::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); + methods += new qt_gsi::GenericMethod ("error", "@brief Method QAudioDecoder::Error QAudioDecoder::error()\n", true, &_init_f_error_c0, &_call_f_error_c0); methods += new qt_gsi::GenericMethod ("errorString", "@brief Method QString QAudioDecoder::errorString()\n", true, &_init_f_errorString_c0, &_call_f_errorString_c0); methods += new qt_gsi::GenericMethod ("isDecoding?|:isDecoding", "@brief Method bool QAudioDecoder::isDecoding()\n", true, &_init_f_isDecoding_c0, &_call_f_isDecoding_c0); methods += new qt_gsi::GenericMethod ("isSupported?", "@brief Method bool QAudioDecoder::isSupported()\n", true, &_init_f_isSupported_c0, &_call_f_isSupported_c0); diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQCamera.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQCamera.cc index e8cdf0d4b9..396a903754 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQCamera.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQCamera.cc @@ -1032,7 +1032,7 @@ static gsi::Methods methods_QCamera () { methods += new qt_gsi::GenericMethod ("isAvailable?", "@brief Method bool QCamera::isAvailable()\n", true, &_init_f_isAvailable_c0, &_call_f_isAvailable_c0); methods += new qt_gsi::GenericMethod ("isExposureModeSupported?", "@brief Method bool QCamera::isExposureModeSupported(QCamera::ExposureMode mode)\n", true, &_init_f_isExposureModeSupported_c2466, &_call_f_isExposureModeSupported_c2466); methods += new qt_gsi::GenericMethod ("isFlashModeSupported?", "@brief Method bool QCamera::isFlashModeSupported(QCamera::FlashMode mode)\n", true, &_init_f_isFlashModeSupported_c2101, &_call_f_isFlashModeSupported_c2101); - methods += new qt_gsi::GenericMethod ("isFlashReady?|:flashReady", "@brief Method bool QCamera::isFlashReady()\n", true, &_init_f_isFlashReady_c0, &_call_f_isFlashReady_c0); + methods += new qt_gsi::GenericMethod ("isFlashReady?", "@brief Method bool QCamera::isFlashReady()\n", true, &_init_f_isFlashReady_c0, &_call_f_isFlashReady_c0); methods += new qt_gsi::GenericMethod ("isFocusModeSupported?", "@brief Method bool QCamera::isFocusModeSupported(QCamera::FocusMode mode)\n", true, &_init_f_isFocusModeSupported_c2119, &_call_f_isFocusModeSupported_c2119); methods += new qt_gsi::GenericMethod ("isTorchModeSupported?", "@brief Method bool QCamera::isTorchModeSupported(QCamera::TorchMode mode)\n", true, &_init_f_isTorchModeSupported_c2119, &_call_f_isTorchModeSupported_c2119); methods += new qt_gsi::GenericMethod ("isWhiteBalanceModeSupported?", "@brief Method bool QCamera::isWhiteBalanceModeSupported(QCamera::WhiteBalanceMode mode)\n", true, &_init_f_isWhiteBalanceModeSupported_c2798, &_call_f_isWhiteBalanceModeSupported_c2798); diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoSink.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoSink.cc index 54fafde1b4..0db664e232 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoSink.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoSink.cc @@ -176,7 +176,7 @@ static gsi::Methods methods_QVideoSink () { methods += new qt_gsi::GenericMethod ("setVideoFrame|videoFrame=", "@brief Method void QVideoSink::setVideoFrame(const QVideoFrame &frame)\n", false, &_init_f_setVideoFrame_2388, &_call_f_setVideoFrame_2388); methods += new qt_gsi::GenericMethod (":subtitleText", "@brief Method QString QVideoSink::subtitleText()\n", true, &_init_f_subtitleText_c0, &_call_f_subtitleText_c0); methods += new qt_gsi::GenericMethod (":videoFrame", "@brief Method QVideoFrame QVideoSink::videoFrame()\n", true, &_init_f_videoFrame_c0, &_call_f_videoFrame_c0); - methods += new qt_gsi::GenericMethod (":videoSize", "@brief Method QSize QVideoSink::videoSize()\n", true, &_init_f_videoSize_c0, &_call_f_videoSize_c0); + methods += new qt_gsi::GenericMethod ("videoSize", "@brief Method QSize QVideoSink::videoSize()\n", true, &_init_f_videoSize_c0, &_call_f_videoSize_c0); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QVideoSink::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("objectNameChanged(const QString &)", "objectNameChanged", gsi::arg("objectName"), "@brief Signal declaration for QVideoSink::objectNameChanged(const QString &objectName)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("subtitleTextChanged(const QString &)", "subtitleTextChanged", gsi::arg("subtitleText"), "@brief Signal declaration for QVideoSink::subtitleTextChanged(const QString &subtitleText)\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAccessManager.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAccessManager.cc index 36daa9e817..994044a87e 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAccessManager.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAccessManager.cc @@ -874,10 +874,10 @@ static gsi::Methods methods_QNetworkAccessManager () { methods += new qt_gsi::GenericMethod ("setProxyFactory|proxyFactory=", "@brief Method void QNetworkAccessManager::setProxyFactory(QNetworkProxyFactory *factory)\n", false, &_init_f_setProxyFactory_2723, &_call_f_setProxyFactory_2723); methods += new qt_gsi::GenericMethod ("setRedirectPolicy|redirectPolicy=", "@brief Method void QNetworkAccessManager::setRedirectPolicy(QNetworkRequest::RedirectPolicy policy)\n", false, &_init_f_setRedirectPolicy_3566, &_call_f_setRedirectPolicy_3566); methods += new qt_gsi::GenericMethod ("setStrictTransportSecurityEnabled|strictTransportSecurityEnabled=", "@brief Method void QNetworkAccessManager::setStrictTransportSecurityEnabled(bool enabled)\n", false, &_init_f_setStrictTransportSecurityEnabled_864, &_call_f_setStrictTransportSecurityEnabled_864); - methods += new qt_gsi::GenericMethod ("setTransferTimeout|transferTimeout=", "@brief Method void QNetworkAccessManager::setTransferTimeout(int timeout)\n", false, &_init_f_setTransferTimeout_767, &_call_f_setTransferTimeout_767); + methods += new qt_gsi::GenericMethod ("setTransferTimeout", "@brief Method void QNetworkAccessManager::setTransferTimeout(int timeout)\n", false, &_init_f_setTransferTimeout_767, &_call_f_setTransferTimeout_767); methods += new qt_gsi::GenericMethod ("strictTransportSecurityHosts", "@brief Method QList QNetworkAccessManager::strictTransportSecurityHosts()\n", true, &_init_f_strictTransportSecurityHosts_c0, &_call_f_strictTransportSecurityHosts_c0); methods += new qt_gsi::GenericMethod ("supportedSchemes", "@brief Method QStringList QNetworkAccessManager::supportedSchemes()\n", true, &_init_f_supportedSchemes_c0, &_call_f_supportedSchemes_c0); - methods += new qt_gsi::GenericMethod (":transferTimeout", "@brief Method int QNetworkAccessManager::transferTimeout()\n", true, &_init_f_transferTimeout_c0, &_call_f_transferTimeout_c0); + methods += new qt_gsi::GenericMethod ("transferTimeout", "@brief Method int QNetworkAccessManager::transferTimeout()\n", true, &_init_f_transferTimeout_c0, &_call_f_transferTimeout_c0); methods += gsi::qt_signal ("authenticationRequired(QNetworkReply *, QAuthenticator *)", "authenticationRequired", gsi::arg("reply"), gsi::arg("authenticator"), "@brief Signal declaration for QNetworkAccessManager::authenticationRequired(QNetworkReply *reply, QAuthenticator *authenticator)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("destroyed(QObject *)", "destroyed", gsi::arg("arg1"), "@brief Signal declaration for QNetworkAccessManager::destroyed(QObject *)\nYou can bind a procedure to this signal."); methods += gsi::qt_signal ("encrypted(QNetworkReply *)", "encrypted", gsi::arg("reply"), "@brief Signal declaration for QNetworkAccessManager::encrypted(QNetworkReply *reply)\nYou can bind a procedure to this signal."); diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkRequest.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkRequest.cc index 22393479e8..76e3a506f5 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkRequest.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkRequest.cc @@ -680,11 +680,11 @@ static gsi::Methods methods_QNetworkRequest () { methods += new qt_gsi::GenericMethod ("setPriority|priority=", "@brief Method void QNetworkRequest::setPriority(QNetworkRequest::Priority priority)\n", false, &_init_f_setPriority_2990, &_call_f_setPriority_2990); methods += new qt_gsi::GenericMethod ("setRawHeader", "@brief Method void QNetworkRequest::setRawHeader(const QByteArray &headerName, const QByteArray &value)\n", false, &_init_f_setRawHeader_4510, &_call_f_setRawHeader_4510); methods += new qt_gsi::GenericMethod ("setSslConfiguration|sslConfiguration=", "@brief Method void QNetworkRequest::setSslConfiguration(const QSslConfiguration &configuration)\n", false, &_init_f_setSslConfiguration_3068, &_call_f_setSslConfiguration_3068); - methods += new qt_gsi::GenericMethod ("setTransferTimeout|transferTimeout=", "@brief Method void QNetworkRequest::setTransferTimeout(int timeout)\n", false, &_init_f_setTransferTimeout_767, &_call_f_setTransferTimeout_767); + methods += new qt_gsi::GenericMethod ("setTransferTimeout", "@brief Method void QNetworkRequest::setTransferTimeout(int timeout)\n", false, &_init_f_setTransferTimeout_767, &_call_f_setTransferTimeout_767); methods += new qt_gsi::GenericMethod ("setUrl|url=", "@brief Method void QNetworkRequest::setUrl(const QUrl &url)\n", false, &_init_f_setUrl_1701, &_call_f_setUrl_1701); methods += new qt_gsi::GenericMethod (":sslConfiguration", "@brief Method QSslConfiguration QNetworkRequest::sslConfiguration()\n", true, &_init_f_sslConfiguration_c0, &_call_f_sslConfiguration_c0); methods += new qt_gsi::GenericMethod ("swap", "@brief Method void QNetworkRequest::swap(QNetworkRequest &other)\n", false, &_init_f_swap_2190, &_call_f_swap_2190); - methods += new qt_gsi::GenericMethod (":transferTimeout", "@brief Method int QNetworkRequest::transferTimeout()\n", true, &_init_f_transferTimeout_c0, &_call_f_transferTimeout_c0); + methods += new qt_gsi::GenericMethod ("transferTimeout", "@brief Method int QNetworkRequest::transferTimeout()\n", true, &_init_f_transferTimeout_c0, &_call_f_transferTimeout_c0); methods += new qt_gsi::GenericMethod (":url", "@brief Method QUrl QNetworkRequest::url()\n", true, &_init_f_url_c0, &_call_f_url_c0); return methods; } From 7d41078e8c9ba2ee3732911a75e753341cdbc66f Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 26 Mar 2023 21:29:06 +0200 Subject: [PATCH 034/128] Avoid a segfault: an event may kill the event object itself indirectly. --- src/pya/unit_tests/pyaTests.cc | 1 + src/tl/tl/tlEventsVar.h | 25 ++++++++++++++++ testdata/python/layObjects.py | 54 ++++++++++++++++++++++++++++++++++ 3 files changed, 80 insertions(+) create mode 100644 testdata/python/layObjects.py diff --git a/src/pya/unit_tests/pyaTests.cc b/src/pya/unit_tests/pyaTests.cc index c10a6d8176..d527de3ab7 100644 --- a/src/pya/unit_tests/pyaTests.cc +++ b/src/pya/unit_tests/pyaTests.cc @@ -106,6 +106,7 @@ PYTHONTEST (dbLayoutToNetlist, "dbLayoutToNetlist.py") PYTHONTEST (dbLayoutVsSchematic, "dbLayoutVsSchematic.py") PYTHONTEST (dbNetlistCrossReference, "dbNetlistCrossReference.py") PYTHONTEST (layLayers, "layLayers.py") +PYTHONTEST (layObjects, "layObjects.py") PYTHONTEST (layPixelBuffer, "layPixelBuffer.py") PYTHONTEST (tlTest, "tlTest.py") #if defined(HAVE_QT) && defined(HAVE_QTBINDINGS) diff --git a/src/tl/tl/tlEventsVar.h b/src/tl/tl/tlEventsVar.h index f51967c9b0..4e9fb2be15 100644 --- a/src/tl/tl/tlEventsVar.h +++ b/src/tl/tl/tlEventsVar.h @@ -175,8 +175,26 @@ class TL_PUBLIC_TEMPLATE event<_TMPLARGLISTP> typedef typename receivers::iterator receivers_iterator; #endif + event<_TMPLARGLISTP> () + : mp_destroyed_sentinel (0) + { + // .. nothing yet .. + } + + ~event<_TMPLARGLISTP> () + { + if (mp_destroyed_sentinel) { + *mp_destroyed_sentinel = true; + } + mp_destroyed_sentinel = 0; + } + void operator() (_CALLARGLIST) { + bool was_destroyed = false; + bool *org_sentinel = mp_destroyed_sentinel; + mp_destroyed_sentinel = &was_destroyed; + // Issue the events. Because inside the call, other receivers might be added, we make a copy // first. This way added events won't be called now. receivers tmp_receivers = m_receivers; @@ -184,6 +202,10 @@ class TL_PUBLIC_TEMPLATE event<_TMPLARGLISTP> if (r->first.get ()) { try { r->second->call (_JOIN(r->first.get (), _CALLARGS)); + if (was_destroyed) { + // during the call something deleted us. Stop immediately. + return; + } } catch (tl::Exception &ex) { handle_event_exception (ex); } catch (std::exception &ex) { @@ -194,6 +216,8 @@ class TL_PUBLIC_TEMPLATE event<_TMPLARGLISTP> } } + mp_destroyed_sentinel = org_sentinel; + // Clean up expired entries afterwards (the call may have expired them) receivers_iterator w = m_receivers.begin (); for (receivers_iterator r = m_receivers.begin (); r != m_receivers.end (); ++r) { @@ -339,6 +363,7 @@ class TL_PUBLIC_TEMPLATE event<_TMPLARGLISTP> } private: + bool *mp_destroyed_sentinel; receivers m_receivers; }; diff --git a/testdata/python/layObjects.py b/testdata/python/layObjects.py new file mode 100644 index 0000000000..ae4f5d5a3a --- /dev/null +++ b/testdata/python/layObjects.py @@ -0,0 +1,54 @@ +# KLayout Layout Viewer +# Copyright (C) 2006-2023 Matthias Koefferlein +# +# This program is free software; you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation; either version 2 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + + +import pya +import unittest + +class LAYObjectsTests(unittest.TestCase): + + def test_1(self): + + class MyBrowserSource(pya.BrowserSource): + def get(self, url): + next_url = "int:" + str(int(url.split(":")[1]) + 1) + return f"This is {url}. Goto next ({next_url})" + + dialog = pya.BrowserDialog() + dialog.home = "int:0" + dialog.source = MyBrowserSource() + + dialog = pya.BrowserDialog() + dialog.home = "int:0" + dialog.source = MyBrowserSource() + + self.assertEqual(True, True) + + +# run unit tests +if __name__ == '__main__': + suite = unittest.TestSuite() + # NOTE: Use this instead of loadTestsfromTestCase to select a specific test: + # suite.addTest(BasicTest("test_26")) + suite = unittest.TestLoader().loadTestsFromTestCase(LAYObjectsTests) + + # Only runs with Application available + if "Application" in pya.__all__ and not unittest.TextTestRunner(verbosity = 1).run(suite).wasSuccessful(): + sys.exit(1) + + + From 0cae15c6fa60572b623b2c09441b3a2a2609a4aa Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 26 Mar 2023 22:11:05 +0200 Subject: [PATCH 035/128] Docu updates --- src/doc/doc/about/rba_notation.xml | 11 ++- src/doc/doc/programming/events.xml | 131 +++++++++++++++++++++++++---- 2 files changed, 123 insertions(+), 19 deletions(-) diff --git a/src/doc/doc/about/rba_notation.xml b/src/doc/doc/about/rba_notation.xml index 03bd646fcc..dc4fbac5c0 100644 --- a/src/doc/doc/about/rba_notation.xml +++ b/src/doc/doc/about/rba_notation.xml @@ -86,7 +86,7 @@
  • -

    [virtual] bool event(QEvent ptr arg1):

    +

    [virtual] bool event(QEvent ptr ev):

    A virtual method called "event" returning a boolean value (Ruby "true" or "false") and expecting one argument (a pointer to a QEvent object). "ptr" indicates that the argument is a pointer, "arg1" is the argument name. @@ -108,9 +108,12 @@

    An iterator called "each_reference" delivering RdbReference objects.

  • -

    [event] void layoutAboutToBeChanged:

    -

    A parameterless event called "layoutAboutToBeChanged". -

    +

    [signal] void layoutAboutToBeChanged:

    +

    A parameterless signal (event) called "layoutAboutToBeChanged" (see for details about events or signals).

    +
  • +
  • +

    [signal] void objectNameChanged(string objectName):

    +

    A signal (event) called "objectNameChanged" with one string argument.

diff --git a/src/doc/doc/programming/events.xml b/src/doc/doc/programming/events.xml index 827102a7ce..044ea331b0 100644 --- a/src/doc/doc/programming/events.xml +++ b/src/doc/doc/programming/events.xml @@ -59,10 +59,12 @@

- Here is the code: + Here is the code. + This example demonstrates how the "get" method is reimplemented to deliver the actual text.

-
module MyMacro
+  
+module MyMacro
   
   include RBA
   
@@ -78,15 +80,32 @@
   dialog.home = "int:0"
   dialog.exec
 
-end
+end +
+ + The Python version is this: + +
+from pya import BrowserSource, BrowserDialog
+
+class MyBrowserSource(BrowserSource):
+  def get(self, url):
+    next_url = "int:" + str(int(url.split(":")[1]) + 1)
+    return f"This is {url}. <a href='{next_url}'>Goto next ({next_url})</a>>"
+
+dialog = BrowserDialog()
+dialog.home = "int:0"
+dialog.source = MyBrowserSource()
+dialog.exec_()
+

- This example demonstrates how the "get" method is reimplemented to deliver the actual text. Ruby even allows reimplementation of a method without deriving a new class, because it allows - to define methods per instance: + defining methods per instance:

-
module MyMacro
+  
+module MyMacro
   
   include RBA
   
@@ -101,7 +120,8 @@ end
dialog.home = "int:0" dialog.exec -end
+end +

Events

@@ -117,7 +137,8 @@ end clicked, it displays a message box:

-
module MyMacro
+  
+module MyMacro
   
   include RBA
   
@@ -129,14 +150,33 @@ end
Application::instance.main_window.menu.insert_item("@toolbar.end", "my_action", action) -end
+end + + +

+ The Python version is: +

+ +
+from pya import Action, MessageBox, Application
+
+def on_triggered():
+  MessageBox.info("A message", "The action was triggered", MessageBox.Ok)
+
+action = Action()
+action.on_triggered = on_triggered
+action.title = "My Action"
+
+Application.instance().main_window().menu().insert_item("@toolbar.end", "my_action", action)
+

Specifying a block to an event will make the event only execute that block. A more flexible way of controlling the code attached to events is available through the += and -= operators:

-
module MyMacro
+  
+module MyMacro
 
   include RBA
 
@@ -157,7 +197,12 @@ end
# to clear all event handlers use: action.on_triggered.clear -
+ + +

+ Synonyms for the += operator are add and connect. The latter makes code more familiar for PyQt users. + In the same way, synonyms for the -= operator are remove and disconnect. +

If the Qt binding is available (see ), Qt signals @@ -166,7 +211,8 @@ end input field to the label below:

-
module MyMacro
+  
+module MyMacro
   
   include RBA
   
@@ -182,13 +228,38 @@ end
dialog.exec -end
+end + + +

+ The Python version is: +

+ +
+from pya import QDialog, QVBoxLayout, QLineEdit, QLabel, Application
+
+dialog = QDialog(Application.instance().main_window())
+layout = QVBoxLayout(dialog)
+input = QLineEdit(dialog)
+label = QLabel(dialog)
+layout.addWidget(input)
+layout.addWidget(label)
+
+def text_changed(text):
+  label.text = text
+
+# implement the textChanged signal as event:
+input.textChanged = text_changed
+
+dialog.exec_()
+

Using the += operator on the event, multiple handlers can be added to a signal:

-
module MyMacro
+  
+module MyMacro
   
   include RBA
   
@@ -207,7 +278,37 @@ end
dialog.exec -end
+end + + +

+ with the Python version: +

+ +
+from pya import QDialog, QVBoxLayout, QLineEdit, QLabel, Application
+
+dialog = QDialog(Application.instance().main_window())
+layout = QVBoxLayout(dialog)
+input = QLineEdit(dialog)
+label1 = QLabel(dialog)
+label2 = QLabel(dialog)
+layout.addWidget(input)
+layout.addWidget(label1)
+layout.addWidget(label2)
+
+def text_changed1(text):
+  label1.text = text
+
+def text_changed2(text):
+  label2.text = text[::-1]
+
+# two signal consumers:
+input.textChanged += text_changed1
+input.textChanged += text_changed2
+
+dialog.exec_()
+
From acd9d6b8c5c03b74711725548388d3f1d1c44b92 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 26 Mar 2023 22:47:56 +0200 Subject: [PATCH 036/128] Backward compatibility to Qt 5.12.8 and 5.12.11, fixed some test fails for Qt4 --- scripts/mkqtdecl5/mkqtdecl.conf | 2 ++ src/gsiqt/qt5/QtNetwork/QtNetwork.pri | 1 - testdata/python/qtbinding.py | 4 ++-- testdata/ruby/qtbinding.rb | 4 ++-- 4 files changed, 6 insertions(+), 5 deletions(-) diff --git a/scripts/mkqtdecl5/mkqtdecl.conf b/scripts/mkqtdecl5/mkqtdecl.conf index 3ae5c31f81..89cb28a7f6 100644 --- a/scripts/mkqtdecl5/mkqtdecl.conf +++ b/scripts/mkqtdecl5/mkqtdecl.conf @@ -1017,6 +1017,8 @@ no_imports "QAbstractXmlNodeModel" # base class is QSharedData which is not ava include "QDtlsError", [ "" ] +drop_class "QPasswordDigestor" # only available on Qt 5.12.12, not before + drop_method "QUrlInfo", /QUrlInfo::QUrlInfo\(.*permissions/ # too many arguments (13) drop_method "QHostAddress", /QHostAddress::QHostAddress\(\s*(const\s*)?quint8\s*\*/ # requires char *, a string version is available for IPv6 drop_method "QHostAddress", /QHostAddress::QHostAddress\(\s*const\s+QIPv6Address/ # requires QIPv6Address struct, a string version is available for IPv6 diff --git a/src/gsiqt/qt5/QtNetwork/QtNetwork.pri b/src/gsiqt/qt5/QtNetwork/QtNetwork.pri index e36ebef91f..2602cc888c 100644 --- a/src/gsiqt/qt5/QtNetwork/QtNetwork.pri +++ b/src/gsiqt/qt5/QtNetwork/QtNetwork.pri @@ -44,7 +44,6 @@ SOURCES += \ $$PWD/gsiDeclQNetworkReply.cc \ $$PWD/gsiDeclQNetworkRequest.cc \ $$PWD/gsiDeclQNetworkSession.cc \ - $$PWD/gsiDeclQPasswordDigestor.cc \ $$PWD/gsiDeclQSsl.cc \ $$PWD/gsiDeclQSslCertificate.cc \ $$PWD/gsiDeclQSslCertificateExtension.cc \ diff --git a/testdata/python/qtbinding.py b/testdata/python/qtbinding.py index e613fd6bb0..6cf7776a0d 100644 --- a/testdata/python/qtbinding.py +++ b/testdata/python/qtbinding.py @@ -701,7 +701,7 @@ def test_58(self): self.assertEqual(pya.Qt_MouseButton(4).__int__(), 4) self.assertEqual(pya.Qt_MouseButton(4).__hash__(), 4) self.assertEqual(int(pya.Qt_MouseButton(4)), 4) - self.assertEqual(str(pya.Qt_MouseButton(4)), "MiddleButton") + self.assertEqual(str(pya.Qt_MouseButton(1)), "LeftButton") self.assertEqual(pya.Qt.MouseButton.LeftButton.to_i(), 1) self.assertEqual(pya.Qt_MouseButton.LeftButton.to_i(), 1) self.assertEqual(pya.Qt.LeftButton.to_i(), 1) @@ -722,7 +722,7 @@ def test_59(self): self.assertEqual(pya.Qt.MouseButton.LeftButton in h, True) self.assertEqual(h[pya.Qt.MouseButton.LeftButton], "left") self.assertEqual(h[pya.Qt.MouseButton.RightButton], "right") - self.assertEqual(pya.Qt.MouseButton.MiddleButton in h, False) + self.assertEqual(pya.Qt.MouseButton.NoButton in h, False) # run unit tests if __name__ == '__main__': diff --git a/testdata/ruby/qtbinding.rb b/testdata/ruby/qtbinding.rb index 24cb5d25ae..36004d706f 100644 --- a/testdata/ruby/qtbinding.rb +++ b/testdata/ruby/qtbinding.rb @@ -828,7 +828,7 @@ def test_58 assert_equal(RBA::Qt::MouseButton::new(4).to_i, 4) assert_equal(RBA::Qt_MouseButton::new(4).to_i, 4) assert_equal(RBA::Qt_MouseButton::new(4).hash, 4) - assert_equal(RBA::Qt_MouseButton::new(4).to_s, "MiddleButton") + assert_equal(RBA::Qt_MouseButton::new(1).to_s, "LeftButton") assert_equal(RBA::Qt_MouseButton::LeftButton.to_i, 1) assert_equal(RBA::Qt::LeftButton.to_i, 1) assert_equal((RBA::Qt_MouseButton::LeftButton | RBA::Qt_MouseButton::RightButton).to_i, 3) @@ -849,7 +849,7 @@ def test_59 h[RBA::Qt::MouseButton::RightButton] = "right" assert_equal(h[RBA::Qt::MouseButton::LeftButton], "left") assert_equal(h[RBA::Qt::MouseButton::RightButton], "right") - assert_equal(h[RBA::Qt::MouseButton::MiddleButton], nil) + assert_equal(h[RBA::Qt::MouseButton::NoButton], nil) end From 80987a64089cfddf7bbbb5d0f5fc0186acfb24f8 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 26 Mar 2023 22:51:06 +0200 Subject: [PATCH 037/128] Provide more lifetime management in Qt bindings also for Qt4 --- scripts/mkqtdecl4/mkqtdecl.conf | 17 ++++++++++++++++- src/gsiqt/qt4/QtGui/gsiDeclQBoxLayout.cc | 6 ++++++ src/gsiqt/qt4/QtGui/gsiDeclQGridLayout.cc | 4 ++++ src/gsiqt/qt4/QtGui/gsiDeclQHBoxLayout.cc | 1 + src/gsiqt/qt4/QtGui/gsiDeclQLayout.cc | 1 + src/gsiqt/qt4/QtGui/gsiDeclQStackedLayout.cc | 2 ++ src/gsiqt/qt4/QtGui/gsiDeclQVBoxLayout.cc | 1 + 7 files changed, 31 insertions(+), 1 deletion(-) diff --git a/scripts/mkqtdecl4/mkqtdecl.conf b/scripts/mkqtdecl4/mkqtdecl.conf index 2b7c1713a2..07935fd10c 100644 --- a/scripts/mkqtdecl4/mkqtdecl.conf +++ b/scripts/mkqtdecl4/mkqtdecl.conf @@ -635,11 +635,26 @@ drop_method "Qimage", /Qimage::text\(const\s+QString/ # clashes with const char rename "QDialogButtonBox", /QDialogButtonBox::QDialogButtonBox\(QFlags/, "new_buttons" rename "QIcon", /QIcon::pixmap\(int\s+extent/, "pixmap_ext" rename "QKeySequence", /QKeySequence::QKeySequence\(QKeySequence::StandardKey/, "new_std" + +# TODO: basically, the layout object only takes ownership over the objects when +# it has a QWidget parent itself. This is not reflected in the following simple scheme keep_arg "QBoxLayout", /::addLayout/, 0 # will take ownership of layout +keep_arg "QBoxLayout", /::addSpacerItem/, 0 # will take ownership of item +keep_arg "QBoxLayout", /::addWidget/, 0 # will take ownership of item +keep_arg "QBoxLayout", /::insertItem/, 1 # will take ownership of item +keep_arg "QBoxLayout", /::insertLayout/, 1 # will take ownership of item +keep_arg "QBoxLayout", /::insertSpacerItem/, 1 # will take ownership of item +keep_arg "QBoxLayout", /::insertWidget/, 1 # will take ownership of item keep_arg "QGridLayout", /::addLayout/, 0 # will take ownership of layout -keep_arg "QWidget", /::setLayout\s*\(/, 0 # will take ownership of layout +keep_arg "QGridLayout", /::addItem/, 0 # will take ownership of layout +keep_arg "QGridLayout", /::addWidget/, 0 # will take ownership of layout keep_arg "QLayout", /::addChildLayout/, 0 # will take ownership of layout keep_arg "QLayout", /::addItem/, 0 # will take ownership of item +keep_arg "QLayout", /::addWidget/, 0 # will take ownership of item +keep_arg "QStackedLayout", /::addWidget/, 0 # will take ownership of item +keep_arg "QStackedLayout", /::insertWidget/, 1 # will take ownership of item + +keep_arg "QWidget", /::setLayout\s*\(/, 0 # will take ownership of layout keep_arg "QTreeWidgetItem", /::addChild\(/, 0 # will take ownership of the child keep_arg "QTreeWidgetItem", /::addChildren\(/, 0 # will take ownership of the children keep_arg "QTreeWidgetItem", /::insertChild\(/, 1 # will take ownership of the child diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQBoxLayout.cc b/src/gsiqt/qt4/QtGui/gsiDeclQBoxLayout.cc index 6bcf411ac6..4b298b2478 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQBoxLayout.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQBoxLayout.cc @@ -119,6 +119,7 @@ static void _call_f_addSpacerItem_1708 (const qt_gsi::GenericMethod * /*decl*/, __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QSpacerItem *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); __SUPPRESS_UNUSED_WARNING(ret); ((QBoxLayout *)cls)->addSpacerItem (arg1); } @@ -203,6 +204,7 @@ static void _call_f_addWidget_4616 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); int arg2 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); QFlags arg3 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); __SUPPRESS_UNUSED_WARNING(ret); @@ -309,6 +311,7 @@ static void _call_f_insertLayout_2659 (const qt_gsi::GenericMethod * /*decl*/, v tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); QLayout *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); __SUPPRESS_UNUSED_WARNING(ret); ((QBoxLayout *)cls)->insertLayout (arg1, arg2, arg3); @@ -333,6 +336,7 @@ static void _call_f_insertSpacerItem_2367 (const qt_gsi::GenericMethod * /*decl* tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); QSpacerItem *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); __SUPPRESS_UNUSED_WARNING(ret); ((QBoxLayout *)cls)->insertSpacerItem (arg1, arg2); } @@ -406,6 +410,7 @@ static void _call_f_insertWidget_5275 (const qt_gsi::GenericMethod * /*decl*/, v tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); QWidget *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); int arg3 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (0, heap); QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); __SUPPRESS_UNUSED_WARNING(ret); @@ -1686,6 +1691,7 @@ static void _call_fp_insertItem_2399 (const qt_gsi::GenericMethod * /*decl*/, vo tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); QLayoutItem *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); __SUPPRESS_UNUSED_WARNING(ret); ((QBoxLayout_Adaptor *)cls)->fp_QBoxLayout_insertItem_2399 (arg1, arg2); } diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGridLayout.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGridLayout.cc index c011de1443..85619e3c57 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGridLayout.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGridLayout.cc @@ -85,6 +85,7 @@ static void _call_f_addItem_7018 (const qt_gsi::GenericMethod * /*decl*/, void * __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QLayoutItem *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); int arg2 = gsi::arg_reader() (args, heap); int arg3 = gsi::arg_reader() (args, heap); int arg4 = args ? gsi::arg_reader() (args, heap) : gsi::arg_maker() (1, heap); @@ -176,6 +177,7 @@ static void _call_f_addWidget_1315 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); __SUPPRESS_UNUSED_WARNING(ret); ((QGridLayout *)cls)->addWidget (arg1); } @@ -202,6 +204,7 @@ static void _call_f_addWidget_5275 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); int arg2 = gsi::arg_reader() (args, heap); int arg3 = gsi::arg_reader() (args, heap); QFlags arg4 = args ? gsi::arg_reader >() (args, heap) : gsi::arg_maker >() (0, heap); @@ -235,6 +238,7 @@ static void _call_f_addWidget_6593 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); int arg2 = gsi::arg_reader() (args, heap); int arg3 = gsi::arg_reader() (args, heap); int arg4 = gsi::arg_reader() (args, heap); diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQHBoxLayout.cc b/src/gsiqt/qt4/QtGui/gsiDeclQHBoxLayout.cc index d6924da43f..b0e43c69d2 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQHBoxLayout.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQHBoxLayout.cc @@ -1033,6 +1033,7 @@ static void _call_fp_insertItem_2399 (const qt_gsi::GenericMethod * /*decl*/, vo tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); QLayoutItem *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); __SUPPRESS_UNUSED_WARNING(ret); ((QHBoxLayout_Adaptor *)cls)->fp_QHBoxLayout_insertItem_2399 (arg1, arg2); } diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQLayout.cc b/src/gsiqt/qt4/QtGui/gsiDeclQLayout.cc index 64364e3814..3b0fd93942 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQLayout.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQLayout.cc @@ -110,6 +110,7 @@ static void _call_f_addWidget_1315 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); __SUPPRESS_UNUSED_WARNING(ret); ((QLayout *)cls)->addWidget (arg1); } diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStackedLayout.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStackedLayout.cc index ff3222e8c1..a02a74672a 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStackedLayout.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStackedLayout.cc @@ -95,6 +95,7 @@ static void _call_f_addWidget_1315 (const qt_gsi::GenericMethod * /*decl*/, void __SUPPRESS_UNUSED_WARNING(args); tl::Heap heap; QWidget *arg1 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg1); ret.write ((int)((QStackedLayout *)cls)->addWidget (arg1)); } @@ -162,6 +163,7 @@ static void _call_f_insertWidget_1974 (const qt_gsi::GenericMethod * /*decl*/, v tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); QWidget *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); ret.write ((int)((QStackedLayout *)cls)->insertWidget (arg1, arg2)); } diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQVBoxLayout.cc b/src/gsiqt/qt4/QtGui/gsiDeclQVBoxLayout.cc index a86c6171c4..456d0c178d 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQVBoxLayout.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQVBoxLayout.cc @@ -1033,6 +1033,7 @@ static void _call_fp_insertItem_2399 (const qt_gsi::GenericMethod * /*decl*/, vo tl::Heap heap; int arg1 = gsi::arg_reader() (args, heap); QLayoutItem *arg2 = gsi::arg_reader() (args, heap); + qt_gsi::qt_keep (arg2); __SUPPRESS_UNUSED_WARNING(ret); ((QVBoxLayout_Adaptor *)cls)->fp_QVBoxLayout_insertItem_2399 (arg1, arg2); } From ed20ced9415ab2d52dd6d71023948032cf0a0dad Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Mon, 27 Mar 2023 21:59:41 +0200 Subject: [PATCH 038/128] Using data holder approach also for Qt4 QImage --- scripts/mkqtdecl4/mkqtdecl.conf | 4 +- src/gsiqt/qt4/QtGui/gsiDeclQImage.cc | 133 +++++++++++++-------------- 2 files changed, 65 insertions(+), 72 deletions(-) diff --git a/scripts/mkqtdecl4/mkqtdecl.conf b/scripts/mkqtdecl4/mkqtdecl.conf index 07935fd10c..1ec4e045a2 100644 --- a/scripts/mkqtdecl4/mkqtdecl.conf +++ b/scripts/mkqtdecl4/mkqtdecl.conf @@ -526,7 +526,9 @@ drop_method "QPixmap", /QPixmap::handle/ # not available on WIN drop_method "QPixmap", /QPixmap::fromX11Pixmap/ # not available on WIN drop_method "QTabletEvent", /QTabletEvent::QTabletEvent/ # TODO: too many arguments drop_method "QGraphicsProxyWidget", /QGraphicsProxyWidget::setGeometry\(double/ # not available as override (private or protected inheritance?) -drop_method "QPixmap", /QPixmap::QPixmap\(const\s+char\s+\*\s*const\s*\w*\s*\[\s*\]/ # no const char *[] - TODO: provide differen implementation? +drop_method "QPixmap", /QPixmap::QPixmap\(const\s+char\s+\*\s*const\s*xpm\s*\[\s*\]/ # no const char *[] - TODO: provide differen implementation? +drop_method "QImage", /QImage::QImage\(.*unsigned\s+char\s+\*\s*data\W/ # not binary data constructor - done in native implementation +add_native_impl_QImage() drop_method "QImage", /QImage::QImage\(const\s+char\s+\*\s*const\s*xpm\s*\[\s*\]/ # no const char *[] - TODO: provide differen implementation? drop_method "QImage", /QImage::QImage\(const\s+char\s+\*\s*fileName/ # not available for QT_NO_CAST_TO_ASCII drop_method "QAccessibleInterface", /QAccessibleInterface::imageInterface/ # Interface is not officially available diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQImage.cc b/src/gsiqt/qt4/QtGui/gsiDeclQImage.cc index 7fa10e70a0..28de3679af 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQImage.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQImage.cc @@ -1713,6 +1713,59 @@ class QImage_Adaptor : public QImage, public qt_gsi::QtObjectBase { public: + // NOTE: QImage does not take ownership of the data, so + // we will provide a buffer to do so. This requires an additional + // copy, but as GSI is not guaranteeing the lifetime of the + // data, this is required here. + class DataHolder + { + public: + + DataHolder() : mp_data(0) { } + DataHolder(unsigned char *data) : mp_data(data) { } + + ~DataHolder() + { + if (mp_data) { + delete[](mp_data); + } + mp_data = 0; + } + + static unsigned char *alloc(const std::string &data) + { + unsigned char *ptr = new unsigned char[data.size()]; + memcpy(ptr, data.c_str(), data.size()); + return ptr; + } + + private: + unsigned char *mp_data; + }; + + static QImage_Adaptor *new_qimage_from_data1(const std::string &data, int width, int height, int bytesPerLine, QImage::Format format) + { + return new QImage_Adaptor(DataHolder::alloc(data), width, height, bytesPerLine, format); + } + + static QImage_Adaptor *new_qimage_from_data2(const std::string &data, int width, int height, QImage::Format format) + { + return new QImage_Adaptor(DataHolder::alloc(data), width, height, format); + } + + QImage_Adaptor(unsigned char *data, int width, int height, int bytesPerLine, QImage::Format format) + : QImage(data, width, height, bytesPerLine, format), m_holder(data) + { + } + + QImage_Adaptor(unsigned char *data, int width, int height, QImage::Format format) + : QImage (data, width, height, format), m_holder(data) + { + } + + DataHolder m_holder; + + virtual ~QImage_Adaptor(); // [adaptor ctor] QImage::QImage() @@ -1733,18 +1786,6 @@ class QImage_Adaptor : public QImage, public qt_gsi::QtObjectBase qt_gsi::QtObjectBase::init (this); } - // [adaptor ctor] QImage::QImage(const unsigned char *data, int width, int height, QImage::Format format) - QImage_Adaptor(const unsigned char *data, int width, int height, QImage::Format format) : QImage(data, width, height, format) - { - qt_gsi::QtObjectBase::init (this); - } - - // [adaptor ctor] QImage::QImage(const unsigned char *data, int width, int height, int bytesPerLine, QImage::Format format) - QImage_Adaptor(const unsigned char *data, int width, int height, int bytesPerLine, QImage::Format format) : QImage(data, width, height, bytesPerLine, format) - { - qt_gsi::QtObjectBase::init (this); - } - // [adaptor ctor] QImage::QImage(const QString &fileName, const char *format) QImage_Adaptor(const QString &fileName) : QImage(fileName) { @@ -1858,63 +1899,6 @@ static void _call_ctor_QImage_Adaptor_3051 (const qt_gsi::GenericStaticMethod * } -// Constructor QImage::QImage(const unsigned char *data, int width, int height, QImage::Format format) (adaptor class) - -static void _init_ctor_QImage_Adaptor_5679 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("data"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("width"); - decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("height"); - decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("format"); - decl->add_arg::target_type & > (argspec_3); - decl->set_return_new (); -} - -static void _call_ctor_QImage_Adaptor_5679 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const unsigned char *arg1 = gsi::arg_reader() (args, heap); - int arg2 = gsi::arg_reader() (args, heap); - int arg3 = gsi::arg_reader() (args, heap); - const qt_gsi::Converter::target_type & arg4 = gsi::arg_reader::target_type & >() (args, heap); - ret.write (new QImage_Adaptor (arg1, arg2, arg3, qt_gsi::QtToCppAdaptor(arg4).cref())); -} - - -// Constructor QImage::QImage(const unsigned char *data, int width, int height, int bytesPerLine, QImage::Format format) (adaptor class) - -static void _init_ctor_QImage_Adaptor_6338 (qt_gsi::GenericStaticMethod *decl) -{ - static gsi::ArgSpecBase argspec_0 ("data"); - decl->add_arg (argspec_0); - static gsi::ArgSpecBase argspec_1 ("width"); - decl->add_arg (argspec_1); - static gsi::ArgSpecBase argspec_2 ("height"); - decl->add_arg (argspec_2); - static gsi::ArgSpecBase argspec_3 ("bytesPerLine"); - decl->add_arg (argspec_3); - static gsi::ArgSpecBase argspec_4 ("format"); - decl->add_arg::target_type & > (argspec_4); - decl->set_return_new (); -} - -static void _call_ctor_QImage_Adaptor_6338 (const qt_gsi::GenericStaticMethod * /*decl*/, gsi::SerialArgs &args, gsi::SerialArgs &ret) -{ - __SUPPRESS_UNUSED_WARNING(args); - tl::Heap heap; - const unsigned char *arg1 = gsi::arg_reader() (args, heap); - int arg2 = gsi::arg_reader() (args, heap); - int arg3 = gsi::arg_reader() (args, heap); - int arg4 = gsi::arg_reader() (args, heap); - const qt_gsi::Converter::target_type & arg5 = gsi::arg_reader::target_type & >() (args, heap); - ret.write (new QImage_Adaptor (arg1, arg2, arg3, arg4, qt_gsi::QtToCppAdaptor(arg5).cref())); -} - - // Constructor QImage::QImage(const QString &fileName, const char *format) (adaptor class) static void _init_ctor_QImage_Adaptor_3648 (qt_gsi::GenericStaticMethod *decl) @@ -2006,8 +1990,6 @@ static gsi::Methods methods_QImage_Adaptor () { methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QImage::QImage()\nThis method creates an object of class QImage.", &_init_ctor_QImage_Adaptor_0, &_call_ctor_QImage_Adaptor_0); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QImage::QImage(const QSize &size, QImage::Format format)\nThis method creates an object of class QImage.", &_init_ctor_QImage_Adaptor_3430, &_call_ctor_QImage_Adaptor_3430); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QImage::QImage(int width, int height, QImage::Format format)\nThis method creates an object of class QImage.", &_init_ctor_QImage_Adaptor_3051, &_call_ctor_QImage_Adaptor_3051); - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QImage::QImage(const unsigned char *data, int width, int height, QImage::Format format)\nThis method creates an object of class QImage.", &_init_ctor_QImage_Adaptor_5679, &_call_ctor_QImage_Adaptor_5679); - methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QImage::QImage(const unsigned char *data, int width, int height, int bytesPerLine, QImage::Format format)\nThis method creates an object of class QImage.", &_init_ctor_QImage_Adaptor_6338, &_call_ctor_QImage_Adaptor_6338); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QImage::QImage(const QString &fileName, const char *format)\nThis method creates an object of class QImage.", &_init_ctor_QImage_Adaptor_3648, &_call_ctor_QImage_Adaptor_3648); methods += new qt_gsi::GenericStaticMethod ("new", "@brief Constructor QImage::QImage(const QImage &)\nThis method creates an object of class QImage.", &_init_ctor_QImage_Adaptor_1877, &_call_ctor_QImage_Adaptor_1877); methods += new qt_gsi::GenericMethod ("*metric", "@brief Virtual method int QImage::metric(QPaintDevice::PaintDeviceMetric metric)\nThis method can be reimplemented in a derived class.", true, &_init_cbs_metric_c3445_0, &_call_cbs_metric_c3445_0); @@ -2018,6 +2000,15 @@ static gsi::Methods methods_QImage_Adaptor () { } gsi::Class decl_QImage_Adaptor (qtdecl_QImage (), "QtGui", "QImage", + gsi::constructor("new", &QImage_Adaptor::new_qimage_from_data1, gsi::arg ("data"), gsi::arg ("width"), gsi::arg ("height"), gsi::arg ("bytesPerLine"), gsi::arg ("format"), + "@brief QImage::QImage(const uchar *data, int width, int height, int bytesPerLine)\n" + "The cleanupFunction parameter is available currently." + ) + + gsi::constructor("new", &QImage_Adaptor::new_qimage_from_data2, gsi::arg ("data"), gsi::arg ("width"), gsi::arg ("height"), gsi::arg ("format"), + "@brief QImage::QImage(const uchar *data, int width, int height)\n" + "The cleanupFunction parameter is available currently." + ) ++ methods_QImage_Adaptor (), "@qt\n@brief Binding of QImage"); From 5c57f5ddf8960917580edb1fde7076e0aa3e5efc Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Tue, 28 Mar 2023 00:11:34 +0200 Subject: [PATCH 039/128] Maybe fixing ut_runner errors on MSVC --- src/pya/pya/pya.cc | 13 +++++++++++++ 1 file changed, 13 insertions(+) diff --git a/src/pya/pya/pya.cc b/src/pya/pya/pya.cc index 41a421b621..45c4a6fa19 100644 --- a/src/pya/pya/pya.cc +++ b/src/pya/pya/pya.cc @@ -326,6 +326,19 @@ PythonInterpreter::PythonInterpreter (bool embedded) tl::warn << tl::to_string (tr ("Unable to find built-in Python module library path")); } + // Supply a DLL load path for certain Python versions and on Windows + define_variable ("__klayout_dll_path", tl::dirname (app_path)); + // NOTE: there is no API I know of ... + eval_string ( + "import os\n" + "try:\n" + " global __klayout_dll_path\n" + " os.add_dll_directory(__klayout_dll_path)\n" + "except:\n" + " pass\n" // on Windows or older versions of Python + ); + + // Import the pya module PyObject *pya_module = PyImport_ImportModule (pya_module_name); if (pya_module == NULL) { check_error (); From 1cfe7b10baa182a8acde7f6d24e471a1d68b9339 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Tue, 28 Mar 2023 00:39:32 +0200 Subject: [PATCH 040/128] Another attempt trying to fix the DLL load issue for pya on Windows - force-load all DLL that are needed by pyacore into the app before importing the module --- src/klayout_main/klayout_main/klayout.cc | 2 + .../klayout_main/klayout_main.pro | 49 ------------------- src/pya/pya/pya.cc | 12 ----- src/unit_tests/unit_test_main.cc | 34 +++++++++++++ src/with_all_libs.pri | 49 +++++++++++++++++++ 5 files changed, 85 insertions(+), 61 deletions(-) diff --git a/src/klayout_main/klayout_main/klayout.cc b/src/klayout_main/klayout_main/klayout.cc index f813f404bf..c679c55369 100644 --- a/src/klayout_main/klayout_main/klayout.cc +++ b/src/klayout_main/klayout_main/klayout.cc @@ -65,6 +65,8 @@ # include "gsiQtDesignerExternals.h" # include "gsiQtUiToolsExternals.h" +// pulls in the Qt GSI binding modules - need to be force loaded so they are available +// the pya Python module (Python >= 3.8 does not recognize DLL paths on Windows) FORCE_LINK_GSI_QTCORE FORCE_LINK_GSI_QTGUI FORCE_LINK_GSI_QTWIDGETS diff --git a/src/klayout_main/klayout_main/klayout_main.pro b/src/klayout_main/klayout_main/klayout_main.pro index 45bad98c27..03a31a4cbc 100644 --- a/src/klayout_main/klayout_main/klayout_main.pro +++ b/src/klayout_main/klayout_main/klayout_main.pro @@ -25,52 +25,3 @@ INCLUDEPATH += $$DOC_INC $$ICONS_INC $$QTBASIC_INC DEPENDPATH += $$DOC_INC $$ICONS_INC $$QTBASIC_INC LIBS += -lklayout_doc -lklayout_icons - -equals(HAVE_QTBINDINGS, "1") { - - LIBS += -lklayout_qtbasic -lklayout_QtGui - - !equals(HAVE_QT_XML, "0") { - LIBS += -lklayout_QtXml - } - !equals(HAVE_QT_NETWORK, "0") { - LIBS += -lklayout_QtNetwork - } - !equals(HAVE_QT_SQL, "0") { - LIBS += -lklayout_QtSql - } - !equals(HAVE_QT_DESIGNER, "0") { - LIBS += -lklayout_QtDesigner - } - !equals(HAVE_QT_UITOOLS, "0") { - LIBS += -lklayout_QtUiTools - } - - greaterThan(QT_MAJOR_VERSION, 4) { - - LIBS += -lklayout_QtWidgets - - !equals(HAVE_QT_MULTIMEDIA, "0") { - LIBS += -lklayout_QtMultimedia - } - !equals(HAVE_QT_PRINTSUPPORT, "0") { - LIBS += -lklayout_QtPrintSupport - } - !equals(HAVE_QT_SVG, "0") { - LIBS += -lklayout_QtSvg - } - !equals(HAVE_QT_XML, "0") { - LIBS += -lklayout_QtXmlPatterns - } - - } - - greaterThan(QT_MAJOR_VERSION, 5) { - - LIBS += -lklayout_QtCore5Compat - LIBS -= -lklayout_QtXmlPatterns - LIBS -= -lklayout_QtDesigner - - } - -} diff --git a/src/pya/pya/pya.cc b/src/pya/pya/pya.cc index 45c4a6fa19..38fd8e5c18 100644 --- a/src/pya/pya/pya.cc +++ b/src/pya/pya/pya.cc @@ -326,18 +326,6 @@ PythonInterpreter::PythonInterpreter (bool embedded) tl::warn << tl::to_string (tr ("Unable to find built-in Python module library path")); } - // Supply a DLL load path for certain Python versions and on Windows - define_variable ("__klayout_dll_path", tl::dirname (app_path)); - // NOTE: there is no API I know of ... - eval_string ( - "import os\n" - "try:\n" - " global __klayout_dll_path\n" - " os.add_dll_directory(__klayout_dll_path)\n" - "except:\n" - " pass\n" // on Windows or older versions of Python - ); - // Import the pya module PyObject *pya_module = PyImport_ImportModule (pya_module_name); if (pya_module == NULL) { diff --git a/src/unit_tests/unit_test_main.cc b/src/unit_tests/unit_test_main.cc index 75c8f78097..c7ac226124 100644 --- a/src/unit_tests/unit_test_main.cc +++ b/src/unit_tests/unit_test_main.cc @@ -80,6 +80,40 @@ # include "lvsForceLink.h" #endif +#if defined(HAVE_QTBINDINGS) + +// pulls in the Qt GSI binding modules - need to be force loaded so they are available +// the pya Python module (Python >= 3.8 does not recognize DLL paths on Windows) +# include "gsiQtGuiExternals.h" +# include "gsiQtWidgetsExternals.h" +# include "gsiQtCoreExternals.h" +# include "gsiQtMultimediaExternals.h" +# include "gsiQtPrintSupportExternals.h" +# include "gsiQtXmlExternals.h" +# include "gsiQtXmlPatternsExternals.h" +# include "gsiQtSqlExternals.h" +# include "gsiQtSvgExternals.h" +# include "gsiQtNetworkExternals.h" +# include "gsiQtDesignerExternals.h" +# include "gsiQtUiToolsExternals.h" + +FORCE_LINK_GSI_QTCORE +FORCE_LINK_GSI_QTGUI +FORCE_LINK_GSI_QTWIDGETS +FORCE_LINK_GSI_QTMULTIMEDIA +FORCE_LINK_GSI_QTPRINTSUPPORT +FORCE_LINK_GSI_QTXML +FORCE_LINK_GSI_QTXMLPATTERNS +FORCE_LINK_GSI_QTDESIGNER +FORCE_LINK_GSI_QTNETWORK +FORCE_LINK_GSI_QTSQL +FORCE_LINK_GSI_QTSVG +FORCE_LINK_GSI_QTUITOOLS + +#else +# define QT_EXTERNAL_BASE(x) +#endif + static int main_cont (int &argc, char **argv); #ifdef _WIN32 // for VC++ diff --git a/src/with_all_libs.pri b/src/with_all_libs.pri index 72085c5a75..c1c4812b9b 100644 --- a/src/with_all_libs.pri +++ b/src/with_all_libs.pri @@ -29,6 +29,55 @@ equals(HAVE_PYTHON, "1") { LIBS += -lklayout_pyastub } +equals(HAVE_QTBINDINGS, "1") { + + LIBS += -lklayout_qtbasic -lklayout_QtGui + + !equals(HAVE_QT_XML, "0") { + LIBS += -lklayout_QtXml + } + !equals(HAVE_QT_NETWORK, "0") { + LIBS += -lklayout_QtNetwork + } + !equals(HAVE_QT_SQL, "0") { + LIBS += -lklayout_QtSql + } + !equals(HAVE_QT_DESIGNER, "0") { + LIBS += -lklayout_QtDesigner + } + !equals(HAVE_QT_UITOOLS, "0") { + LIBS += -lklayout_QtUiTools + } + + greaterThan(QT_MAJOR_VERSION, 4) { + + LIBS += -lklayout_QtWidgets + + !equals(HAVE_QT_MULTIMEDIA, "0") { + LIBS += -lklayout_QtMultimedia + } + !equals(HAVE_QT_PRINTSUPPORT, "0") { + LIBS += -lklayout_QtPrintSupport + } + !equals(HAVE_QT_SVG, "0") { + LIBS += -lklayout_QtSvg + } + !equals(HAVE_QT_XML, "0") { + LIBS += -lklayout_QtXmlPatterns + } + + } + + greaterThan(QT_MAJOR_VERSION, 5) { + + LIBS += -lklayout_QtCore5Compat + LIBS -= -lklayout_QtXmlPatterns + LIBS -= -lklayout_QtDesigner + + } + +} + equals(HAVE_RUBY, "1") { # DRC is only available with Ruby INCLUDEPATH += $$DRC_INC $$LVS_INC From cb0f2b4166f1ac59d6f45a39a6860aaf3393c734 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Wed, 29 Mar 2023 00:09:26 +0200 Subject: [PATCH 041/128] Enabling pya initialization for app and ut_runner only. --- src/klayout_main/klayout_main/klayout.cc | 5 ----- src/lay/lay/layApplication.cc | 3 +++ src/pya/pya/pya.cc | 15 ++++++--------- src/pya/pya/pya.h | 1 + src/pya/pya/pyaHelpers.cc | 7 ++++--- src/pya/pya/pyaHelpers.h | 2 +- src/unit_tests/unit_test_main.cc | 1 - 7 files changed, 15 insertions(+), 19 deletions(-) diff --git a/src/klayout_main/klayout_main/klayout.cc b/src/klayout_main/klayout_main/klayout.cc index c679c55369..e215f7407e 100644 --- a/src/klayout_main/klayout_main/klayout.cc +++ b/src/klayout_main/klayout_main/klayout.cc @@ -65,8 +65,6 @@ # include "gsiQtDesignerExternals.h" # include "gsiQtUiToolsExternals.h" -// pulls in the Qt GSI binding modules - need to be force loaded so they are available -// the pya Python module (Python >= 3.8 does not recognize DLL paths on Windows) FORCE_LINK_GSI_QTCORE FORCE_LINK_GSI_QTGUI FORCE_LINK_GSI_QTWIDGETS @@ -283,9 +281,6 @@ klayout_main_cont (int &argc, char **argv) try { - // initialize the Python interpreter - pya::PythonInterpreter::initialize (); - // this registers the gsi definitions gsi::initialize_external (); diff --git a/src/lay/lay/layApplication.cc b/src/lay/lay/layApplication.cc index e23d5c50d9..e9d7bc7e08 100644 --- a/src/lay/lay/layApplication.cc +++ b/src/lay/lay/layApplication.cc @@ -616,6 +616,9 @@ ApplicationBase::init_app () mp_ruby_interpreter = new rba::RubyInterpreter (); mp_python_interpreter = new pya::PythonInterpreter (); + // initialize the Python interpreter - load the pya module + pya::PythonInterpreter::initialize (); + // Read some configuration values that we need early bool editable_from_config = false; diff --git a/src/pya/pya/pya.cc b/src/pya/pya/pya.cc index 38fd8e5c18..5da36d62e9 100644 --- a/src/pya/pya/pya.cc +++ b/src/pya/pya/pya.cc @@ -326,16 +326,9 @@ PythonInterpreter::PythonInterpreter (bool embedded) tl::warn << tl::to_string (tr ("Unable to find built-in Python module library path")); } - // Import the pya module - PyObject *pya_module = PyImport_ImportModule (pya_module_name); - if (pya_module == NULL) { - check_error (); - return; - } - // Build two objects that provide a way to redirect stdout, stderr // and instantiate them two times for stdout and stderr. - PYAChannelObject::make_class (pya_module); + PYAChannelObject::make_class (); m_stdout_channel = PythonRef (PYAChannelObject::create (gsi::Console::OS_stdout)); m_stdout = PythonPtr (m_stdout_channel.get ()); m_stderr_channel = PythonRef (PYAChannelObject::create (gsi::Console::OS_stderr)); @@ -601,7 +594,11 @@ PythonInterpreter::available () const void PythonInterpreter::initialize () { - // .. no implementation required .. + // Import the pya module + PyObject *pya_module = PyImport_ImportModule (pya_module_name); + if (pya_module == NULL) { + check_error (); + } } size_t diff --git a/src/pya/pya/pya.h b/src/pya/pya/pya.h index 65fa77cb95..c48bad5870 100644 --- a/src/pya/pya/pya.h +++ b/src/pya/pya/pya.h @@ -248,6 +248,7 @@ class PYA_PUBLIC PythonInterpreter /** * @brief Provide a first (basic) initialization + * Calling this method will load all Python functions and plugins and provide the pya module. */ static void initialize (); diff --git a/src/pya/pya/pyaHelpers.cc b/src/pya/pya/pyaHelpers.cc index fc68b7d2de..c8aa44c600 100644 --- a/src/pya/pya/pyaHelpers.cc +++ b/src/pya/pya/pyaHelpers.cc @@ -102,11 +102,11 @@ pya_channel_init (PyObject *self, PyObject *, PyObject *) } void -PYAChannelObject::make_class (PyObject *module) +PYAChannelObject::make_class () { static PyTypeObject channel_type = { PyVarObject_HEAD_INIT (&PyType_Type, 0) - "pya._Channel", // tp_name + "__PYA_Channel", // tp_name sizeof (PYAChannelObject) // tp_size }; @@ -124,7 +124,8 @@ PYAChannelObject::make_class (PyObject *module) PyType_Ready (&channel_type); Py_INCREF (&channel_type); - PyModule_AddObject (module, "_Channel", (PyObject *) &channel_type); + PyObject *module = PyImport_AddModule("__main__"); + PyModule_AddObject (module, "__PYA_Channel", (PyObject *) &channel_type); cls = &channel_type; } diff --git a/src/pya/pya/pyaHelpers.h b/src/pya/pya/pyaHelpers.h index 67ba2ffbf2..89ccf9585d 100644 --- a/src/pya/pya/pyaHelpers.h +++ b/src/pya/pya/pyaHelpers.h @@ -44,7 +44,7 @@ class SignalHandler; struct PYAChannelObject : public PyObject { - static void make_class (PyObject *module); + static void make_class (); static PYAChannelObject *create (gsi::Console::output_stream chn); gsi::Console::output_stream channel; diff --git a/src/unit_tests/unit_test_main.cc b/src/unit_tests/unit_test_main.cc index c7ac226124..601a379984 100644 --- a/src/unit_tests/unit_test_main.cc +++ b/src/unit_tests/unit_test_main.cc @@ -490,7 +490,6 @@ main_cont (int &argc, char **argv) try { - pya::PythonInterpreter::initialize (); gsi::initialize_external (); // Search and initialize plugin unit tests From 692e5b4a01c091e83013eff8f4e8940c8311f03a Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Wed, 29 Mar 2023 23:33:00 +0200 Subject: [PATCH 042/128] Fixed a reference counting bug (Python) --- src/pya/pya/pyaModule.cc | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/pya/pya/pyaModule.cc b/src/pya/pya/pyaModule.cc index 7a02679e63..9effd00510 100644 --- a/src/pya/pya/pyaModule.cc +++ b/src/pya/pya/pyaModule.cc @@ -266,8 +266,8 @@ class PythonClassGenerator // add to the parent class as child class or add to module if (! cls->parent ()) { - PyList_Append (m_all_list, PythonRef (c2python (cls->name ())).get ()); - PyModule_AddObject (mp_module->module (), cls->name ().c_str (), (PyObject *) pt); + PyList_Append (m_all_list, c2python (cls->name ())); + PyModule_AddObjectRef (mp_module->module (), cls->name ().c_str (), (PyObject *) pt); } } From 2166437480e2f73a9eec1c2e775a7a79ceb456f3 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Thu, 30 Mar 2023 20:09:17 +0200 Subject: [PATCH 043/128] Compatibility with other Python version --- src/pya/pya/pyaModule.cc | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/src/pya/pya/pyaModule.cc b/src/pya/pya/pyaModule.cc index 9effd00510..d06e811a3c 100644 --- a/src/pya/pya/pyaModule.cc +++ b/src/pya/pya/pyaModule.cc @@ -267,7 +267,8 @@ class PythonClassGenerator if (! cls->parent ()) { PyList_Append (m_all_list, c2python (cls->name ())); - PyModule_AddObjectRef (mp_module->module (), cls->name ().c_str (), (PyObject *) pt); + Py_INCREF ((PyObject *) pt); + PyModule_AddObject (mp_module->module (), cls->name ().c_str (), (PyObject *) pt); } } From 0fd052baa615cae3e4149bdcc22bf5d18e284fb4 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 1 Apr 2023 09:13:32 +0200 Subject: [PATCH 044/128] Simplify pymod test for better CI integration --- src/pymod/unit_tests/pymod_tests.cc | 22 ++++++++-------------- src/pymod/unit_tests/unit_tests.pro | 8 +------- src/tl/tl/tlFileUtils.cc | 8 ++++---- 3 files changed, 13 insertions(+), 25 deletions(-) diff --git a/src/pymod/unit_tests/pymod_tests.cc b/src/pymod/unit_tests/pymod_tests.cc index 88cc5d7f48..3a5887407a 100644 --- a/src/pymod/unit_tests/pymod_tests.cc +++ b/src/pymod/unit_tests/pymod_tests.cc @@ -20,6 +20,11 @@ */ +#include "tlUnitTest.h" +#include "tlStream.h" +#include "tlFileUtils.h" +#include "tlEnv.h" + // Oh my god ... STRINGIFY(s) will get the argument with MACROS REPLACED. // So if the PYTHONPATH is something like build.linux-released, the "linux" macro // set to 1 will make this "build.1-release". So STRINGIFY isn't a real solution. @@ -30,22 +35,11 @@ #define STRINGIFY(s) _STRINGIFY(s) #define _STRINGIFY(s) #s -#include "tlUnitTest.h" -#include "tlStream.h" - int run_pymodtest (tl::TestBase *_this, const std::string &fn) { - static std::string pypath; - if (pypath.empty ()) { - pypath = "PYTHONPATH="; - pypath += STRINGIFY (PYTHONPATH); - } -#if defined(_WIN32) - _putenv (const_cast (pypath.c_str ())); -#else - putenv (const_cast (pypath.c_str ())); -#endif - tl::info << pypath; + static std::string pypath = tl::combine_path (tl::get_inst_path (), "pymod"); + tl::info << "PYTHONPATH=" << pypath; + tl::set_env ("PYTHONPATH", pypath); std::string fp (tl::testdata ()); fp += "/pymod/"; diff --git a/src/pymod/unit_tests/unit_tests.pro b/src/pymod/unit_tests/unit_tests.pro index 63ff2f4438..b01660775a 100644 --- a/src/pymod/unit_tests/unit_tests.pro +++ b/src/pymod/unit_tests/unit_tests.pro @@ -14,20 +14,14 @@ msvc { # "\\\\" is actually *one* backslash for replacement string and *two* backslashes in the # substitution string in qmake ... so we replace \ by \\ here: PYTHON_ESCAPED = $$replace(PYTHON, "\\\\", "\\\\") - PYTHONPATH = $$shell_path($$DESTDIR_UT/pymod) - PYTHONPATH_ESCAPED = $$replace(PYTHONPATH, "\\\\", "\\\\") QMAKE_CXXFLAGS += \ - "-DPYTHON=\"$$PYTHON_ESCAPED\"" \ - "-DPYTHONPATH=\"$$PYTHONPATH_ESCAPED\"" + "-DPYTHON=\"$$PYTHON_ESCAPED\"" } else { - PYTHONPATH = $$DESTDIR_UT/pymod - DEFINES += \ PYTHON=$$PYTHON \ - PYTHONPATH=$$PYTHONPATH } diff --git a/src/tl/tl/tlFileUtils.cc b/src/tl/tl/tlFileUtils.cc index 2541a63ead..74d0ba77db 100644 --- a/src/tl/tl/tlFileUtils.cc +++ b/src/tl/tl/tlFileUtils.cc @@ -908,11 +908,11 @@ get_inst_path () std::string get_exe_file () { - static std::string s_inst_path; - if (s_inst_path.empty ()) { - s_inst_path = tl::absolute_file_path (get_inst_path_internal ()); + static std::string s_exe_file; + if (s_exe_file.empty ()) { + s_exe_file = tl::absolute_file_path (get_inst_path_internal ()); } - return s_inst_path; + return s_exe_file; } std::string From 292892d1aeeb5a7b0c1f68342874d49a93559dd3 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 15 Jul 2023 22:50:29 +0200 Subject: [PATCH 045/128] Some performance enhancement for Python binding --- src/pya/pya/pyaInternal.cc | 24 +++++++++++++++++++++++- src/pya/pya/pyaInternal.h | 1 + src/pya/pya/pyaModule.cc | 23 +---------------------- 3 files changed, 25 insertions(+), 23 deletions(-) diff --git a/src/pya/pya/pyaInternal.cc b/src/pya/pya/pyaInternal.cc index 37ad0395f2..433c032201 100644 --- a/src/pya/pya/pyaInternal.cc +++ b/src/pya/pya/pyaInternal.cc @@ -869,10 +869,17 @@ MethodTable::method_table_by_class (const gsi::ClassBase *cls_decl) // ------------------------------------------------------------------- // PythonClassClientData implementation +static std::map s_type2cls; + PythonClassClientData::PythonClassClientData (const gsi::ClassBase *_cls, PyTypeObject *_py_type, PyTypeObject *_py_type_static, PythonModule *module) : py_type_object ((PyObject *) _py_type), py_type_object_static ((PyObject *) _py_type_static), method_table (_cls, module) { - // .. nothing yet .. + if (_py_type != NULL) { + s_type2cls.insert (std::make_pair (_py_type, _cls)); + } + if (_py_type_static != NULL) { + s_type2cls.insert (std::make_pair (_py_type_static, _cls)); + } } PythonClassClientData::~PythonClassClientData () @@ -890,11 +897,26 @@ PythonClassClientData::py_type (const gsi::ClassBase &cls_decl, bool as_static) return (PyTypeObject *) (cd ? (as_static ? cd->py_type_object_static.get () : cd->py_type_object.get ()) : 0); } +const gsi::ClassBase * +PythonClassClientData::cls_for_type (PyTypeObject *type) +{ + while (type && type != &PyBaseObject_Type) { + auto t2c = s_type2cls.find (type); + if (t2c != s_type2cls.end ()) { + return t2c->second; + } + type = type->tp_base; + } + + return 0; +} + void PythonClassClientData::initialize (const gsi::ClassBase &cls_decl, PyTypeObject *py_type, bool as_static, PythonModule *module) { PythonClassClientData *cd = dynamic_cast(cls_decl.data (gsi::ClientIndex::Python)); if (cd) { + s_type2cls.insert (std::make_pair (py_type, &cls_decl)); if (as_static) { cd->py_type_object_static = (PyObject *) py_type; } else { diff --git a/src/pya/pya/pyaInternal.h b/src/pya/pya/pyaInternal.h index 92b227252d..8ecffd25d1 100644 --- a/src/pya/pya/pyaInternal.h +++ b/src/pya/pya/pyaInternal.h @@ -309,6 +309,7 @@ struct PythonClassClientData MethodTable method_table; static PyTypeObject *py_type (const gsi::ClassBase &cls_decl, bool as_static); + static const gsi::ClassBase *cls_for_type (PyTypeObject *); static void initialize (const gsi::ClassBase &cls_decl, PyTypeObject *py_type, bool as_static, PythonModule *module); }; diff --git a/src/pya/pya/pyaModule.cc b/src/pya/pya/pyaModule.cc index d06e811a3c..ad77f0ee0e 100644 --- a/src/pya/pya/pyaModule.cc +++ b/src/pya/pya/pyaModule.cc @@ -60,7 +60,6 @@ set_type_attr (PyTypeObject *type, const std::string &name, PythonRef &attr) std::map PythonModule::m_python_doc; std::vector PythonModule::m_classes; -std::map PythonModule::m_class_by_type; const std::string pymod_name ("klayout"); @@ -738,27 +737,7 @@ PythonModule::make_classes (const char *mod_name) const gsi::ClassBase *PythonModule::cls_for_type (PyTypeObject *type) { - auto cls = m_class_by_type.find (type); - if (cls != m_class_by_type.end ()) { - return cls->second; - } - - // GSI classes store their class index inside the __gsi_id__ attribute - if (PyObject_HasAttrString ((PyObject *) type, "__gsi_id__")) { - - PyObject *cls_id = PyObject_GetAttrString ((PyObject *) type, "__gsi_id__"); - if (cls_id != NULL && pya::test_type (cls_id)) { - size_t i = pya::python2c (cls_id); - if (i < m_classes.size ()) { - const gsi::ClassBase *gsi_cls = m_classes [i]; - m_class_by_type.insert (std::make_pair (type, gsi_cls)); - return gsi_cls; - } - } - - } - - return 0; + return PythonClassClientData::cls_for_type (type); } PyTypeObject *PythonModule::type_for_cls (const gsi::ClassBase *cls) From b8dc34fc94e981dabc764dc6f268d56dee815bab Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 16 Jul 2023 00:05:45 +0200 Subject: [PATCH 046/128] Fixed qtbinding tests --- testdata/ruby/qtbinding.rb | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/testdata/ruby/qtbinding.rb b/testdata/ruby/qtbinding.rb index 16fda89326..4ee73ace91 100644 --- a/testdata/ruby/qtbinding.rb +++ b/testdata/ruby/qtbinding.rb @@ -809,7 +809,6 @@ def test_56 assert_equal("%08x" % image.pixel(1, 0), "14131211") assert_equal("%08x" % image.pixel(0, 2), "64636261") - end def test_57 @@ -851,6 +850,8 @@ def test_59 assert_equal(h[RBA::Qt::MouseButton::RightButton], "right") assert_equal(h[RBA::Qt::MouseButton::NoButton], nil) + end + def test_60 # findChild, findChildren From 7bf23e74718d36a8830ab55c469f61b171097345 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Fri, 11 Aug 2023 21:48:00 +0200 Subject: [PATCH 047/128] Fixed Python module name --- src/pymod/distutils_src/klayout/db/pcell_declaration_helper.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/pymod/distutils_src/klayout/db/pcell_declaration_helper.py b/src/pymod/distutils_src/klayout/db/pcell_declaration_helper.py index aac64c4172..5bdb73e4e8 100644 --- a/src/pymod/distutils_src/klayout/db/pcell_declaration_helper.py +++ b/src/pymod/distutils_src/klayout/db/pcell_declaration_helper.py @@ -1,5 +1,5 @@ -from ...dbcore import LayerInfo +from klayout.db import LayerInfo class _PCellDeclarationHelperLayerDescriptor(object): """ From 495da3de23022ba5f1ddd9b70f221231dfef64dc Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 12 Aug 2023 00:46:23 +0200 Subject: [PATCH 048/128] WIP --- src/db/db/db.pro | 4 + src/db/db/dbTriangle.cc | 406 ++++++++++++++++++++++++++ src/db/db/dbTriangle.h | 388 ++++++++++++++++++++++++ src/db/db/dbTriangles.cc | 24 ++ src/db/db/dbTriangles.h | 39 +++ src/db/unit_tests/dbTriangleTests.cc | 30 ++ src/db/unit_tests/dbTrianglesTests.cc | 30 ++ src/db/unit_tests/unit_tests.pro | 2 + 8 files changed, 923 insertions(+) create mode 100644 src/db/db/dbTriangle.cc create mode 100644 src/db/db/dbTriangle.h create mode 100644 src/db/db/dbTriangles.cc create mode 100644 src/db/db/dbTriangles.h create mode 100644 src/db/unit_tests/dbTriangleTests.cc create mode 100644 src/db/unit_tests/dbTrianglesTests.cc diff --git a/src/db/db/db.pro b/src/db/db/db.pro index 6914e12fa4..28201ab1cd 100644 --- a/src/db/db/db.pro +++ b/src/db/db/db.pro @@ -95,6 +95,8 @@ SOURCES = \ dbTextWriter.cc \ dbTilingProcessor.cc \ dbTrans.cc \ + dbTriangle.cc \ + dbTriangles.cc \ dbUserObject.cc \ dbUtils.cc \ dbVector.cc \ @@ -319,6 +321,8 @@ HEADERS = \ dbTextWriter.h \ dbTilingProcessor.h \ dbTrans.h \ + dbTriangle.h \ + dbTriangles.h \ dbTypes.h \ dbUserObject.h \ dbUtils.h \ diff --git a/src/db/db/dbTriangle.cc b/src/db/db/dbTriangle.cc new file mode 100644 index 0000000000..babc271fa0 --- /dev/null +++ b/src/db/db/dbTriangle.cc @@ -0,0 +1,406 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + + +#include "dbTriangle.h" + +#include + +namespace db +{ + +// ------------------------------------------------------------------------------------- +// Vertex implementation + +Vertex::Vertex () + : DPoint (), m_level (0) +{ + // .. nothing yet .. +} + +Vertex::Vertex (const db::DPoint &p) + : DPoint (p), m_level (0) +{ + // .. nothing yet .. +} + +Vertex::Vertex (db::DCoord x, db::DCoord y) + : DPoint (x, y), m_level (0) +{ + // .. nothing yet .. +} + +bool +Vertex::is_outside () const +{ + for (auto e = m_edges.begin (); e != m_edges.end (); ++e) { + if (e->is_outside ()) { + return true; + } + } + return false; +} + +std::vector +Vertex::triangles () const +{ + std::set seen; + std::vector res; + for (auto e = m_edges.begin (); e != m_edges.end (); ++e) { + for (auto t = e->begin_triangles (); t != e->end_triangles (); ++t) { + if (seen.insert (t.operator-> ()).second) { + res.push_back (t.operator-> ()); + } + } + } + return res; +} + +std::string +Vertex::to_string () const +{ + return db::DPoint::to_string () + tl::sprintf ("[%p]", (void *)this); +} + +// ------------------------------------------------------------------------------------- +// TriangleEdge implementation + +TriangleEdge::TriangleEdge () + : mp_v1 (0), mp_v2 (0), mp_left (), mp_right (), m_level (0), m_is_segment (false) +{ + // .. nothing yet .. +} + +TriangleEdge::TriangleEdge (Vertex *v1, Vertex *v2) + : mp_v1 (v1), mp_v2 (v2), mp_left (), mp_right (), m_level (0), m_is_segment (false) +{ + // .. nothing yet .. +} + +Triangle * +TriangleEdge::other (const Triangle *t) const +{ + if (t == mp_left.get ()) { + return const_cast (mp_right.get ()); + } + if (t == mp_right.get ()) { + return const_cast (mp_left.get ()); + } + tl_assert (false); + return 0; +} + +Vertex * +TriangleEdge::other (const Vertex *t) const +{ + if (t == mp_v1) { + return mp_v2; + } + if (t == mp_v2) { + return mp_v1; + } + tl_assert (false); + return 0; +} + +bool +TriangleEdge::has_vertex (const Vertex *v) const +{ + return mp_v1 == v || mp_v2 == v; +} + +Vertex * +TriangleEdge::common_vertex (const TriangleEdge &other) const +{ + if (has_vertex (other.v1 ())) { + return (other.v1 ()); + } + if (has_vertex (other.v2 ())) { + return (other.v2 ()); + } + return 0; +} + +std::string +TriangleEdge::to_string () const +{ + return mp_v1->to_string () + "," + mp_v2->to_string () + tl::sprintf ("[%p]", (void *)this); +} + +double +TriangleEdge::distance (const db::DEdge &e, const db::DPoint &p) +{ + double l = db::sprod (p - e.p1 (), e.d ()) / e.d ().sq_length (); + db::DPoint pp; + if (l <= 0.0) { + pp = e.p1 (); + } else if (l >= 1.0) { + pp = e.p2 (); + } else { + pp = e.p1 () + e.d () * l; + } + return (p - pp).length (); +} + +bool +TriangleEdge::crosses (const db::DEdge &e, const db::DEdge &other) +{ + return e.side_of (other.p1 ()) * e.side_of (other.p2 ()) < 0 && + other.side_of (e.p1 ()) * other.side_of (e.p2 ()) < 0; +} + +bool +TriangleEdge::crosses_including (const db::DEdge &e, const db::DEdge &other) +{ + return e.side_of (other.p1 ()) * e.side_of (other.p2 ()) <= 0 && + other.side_of (e.p1 ()) * other.side_of (e.p2 ()) <= 0; +} + +db::DPoint +TriangleEdge::intersection_point (const db::DEdge &e, const db::DEdge &other) +{ + return e.intersect_point (other).second; +} + +bool +TriangleEdge::point_on (const db::DEdge &edge, const db::DPoint &point) +{ + if (edge.side_of (point) != 0) { + return false; + } else { + return db::sprod_sign (point - edge.p1 (), edge.d ()) * db::sprod_sign(point - edge.p2 (), edge.d ()) < 0; + } +} + +bool +TriangleEdge::can_flip () const +{ + if (! left () || ! right ()) { + return false; + } + + const db::Vertex *v1 = left ()->opposite (this); + const db::Vertex *v2 = right ()->opposite (this); + return crosses (db::DEdge (*v1, *v2)); +} + +bool +TriangleEdge::can_join_via (const Vertex *vertex) const +{ + if (! left () || ! right ()) { + return false; + } + + tl_assert (has_vertex (vertex)); + const db::Vertex *v1 = left ()->opposite (this); + const db::Vertex *v2 = right ()->opposite (this); + return db::DEdge (*v1, *v2).side_of (*vertex) == 0; +} + +bool +TriangleEdge::is_outside () const +{ + return left () == 0 || right () == 0; +} + +bool +TriangleEdge::is_for_outside_triangles () const +{ + return (left () && left ()->is_outside ()) || (right () && right ()->is_outside ()); +} + +bool +TriangleEdge::has_triangle (const Triangle *t) const +{ + return t != 0 && (left () == t || right () == t); +} + +// ------------------------------------------------------------------------------------- +// Triangle implementation + +Triangle::Triangle () + : m_is_outside (false), mp_v1 (0), mp_v2 (0), mp_v3 (0) +{ + // .. nothing yet .. +} + +Triangle::Triangle (TriangleEdge *e1, TriangleEdge *e2, TriangleEdge *e3) + : m_is_outside (false), mp_e1 (e1), mp_e2 (e2), mp_e3 (e3) +{ + mp_v1 = e1->v1 (); + mp_v2 = e1->other (mp_v1); + + if (e2->has_vertex (mp_v2)) { + mp_v3 = e2->other (mp_v2); + tl_assert (e3->other (mp_v3) == mp_v1); + } else { + mp_v3 = e3->other (mp_v2); + tl_assert (e2->other (mp_v3) == mp_v1); + } + + // enforce clockwise orientation + if (db::vprod_sign (*mp_v3 - *mp_v1, *mp_v2 - *mp_v1) < 0) { + std::swap (mp_v3, mp_v2); + } + + // establish link to edges + for (int i = 0; i < 3; ++i) { + TriangleEdge *e = edge (i); + int side_of = 0; + for (int j = 0; j < 3; ++j) { + side_of += e->side_of (*vertex (j)); + } + // NOTE: in the degenerated case, the triangle is not attached to an edge! + if (side_of < 0) { + e->set_left (this); + } else if (side_of > 0) { + e->set_right (this); + } + } +} + +std::string +Triangle::to_string () const +{ + std::string res; + for (int i = 0; i < 3; ++i) { + if (i > 0) { + res += ", "; + } + if (vertex (i)) { + res += vertex (i)->to_string (); + } else { + res += "(null)"; + } + } + return res; +} + +Vertex * +Triangle::vertex (int n) const +{ + tl_assert (mp_e1 && mp_e2 && mp_e3); + n = (n + 3) % 3; + if (n == 0) { + return mp_v1; + } else if (n == 1) { + return mp_v2; + } else { + return mp_v3; + } +} + +TriangleEdge * +Triangle::edge (int n) const +{ + n = (n + 3) % 3; + if (n == 0) { + return const_cast (mp_e1.get ()); + } else if (n == 1) { + return const_cast (mp_e2.get ()); + } else { + return const_cast (mp_e3.get ()); + } +} + +double +Triangle::area () const +{ + return fabs (db::vprod (mp_e1->d (), mp_e2->d ())) * 0.5; +} + +std::pair +Triangle::circumcircle () const +{ + db::DVector v1 = *vertex(0) - *vertex(1); + db::DVector v2 = *vertex(0) - *vertex(2); + db::DVector n1 = db::DVector (v1.y (), -v1.x ()); + db::DVector n2 = db::DVector (v2.y (), -v2.x ()); + + double p1s = vertex(0)->sq_distance (db::DPoint ()); + double p2s = vertex(1)->sq_distance (db::DPoint ()); + double p3s = vertex(2)->sq_distance (db::DPoint ()); + + double s = db::vprod (v1, v2); + tl_assert (fabs (s) > db::epsilon); + + db::DPoint center = db::DPoint () + (n2 * (p1s - p2s) - n1 * (p1s - p3s)) * (0.5 / s); + double radius = (*vertex (0) - center).length (); + + return std::make_pair (center, radius); +} + +Vertex * +Triangle::opposite (const TriangleEdge *edge) const +{ + for (int i = 0; i < 3; ++i) { + Vertex *v = vertex (i); + if (! edge->has_vertex (v)) { + return v; + } + } + tl_assert (false); +} + +TriangleEdge * +Triangle::opposite (const Vertex *vertex) const +{ + for (int i = 0; i < 3; ++i) { + TriangleEdge *e = edge (i); + if (! e->has_vertex (vertex)) { + return e; + } + } + tl_assert (false); +} + +TriangleEdge * +Triangle::find_edge_with (const Vertex *v1, const Vertex *v2) const +{ + for (int i = 0; i < 3; ++i) { + TriangleEdge *e = edge (i); + if (e->has_vertex (v1) && e->has_vertex (v2)) { + return e; + } + } + tl_assert (false); +} + +int +Triangle::contains (const db::DPoint &point) const +{ + int res = 1; + const Vertex *vl = vertex (-1); + for (int i = 0; i < 3; ++i) { + const Vertex *v = vertex (i); + int s = db::DEdge (*vl, *v).side_of (point); + if (s == 0) { + res = 0; + } else if (s < 0) { + return -1; + } + vl = v; + } + return res; +} + +} diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h new file mode 100644 index 0000000000..e5ee02c3fa --- /dev/null +++ b/src/db/db/dbTriangle.h @@ -0,0 +1,388 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + + + +#ifndef HDR_dbTriangle +#define HDR_dbTriangle + +#include "dbCommon.h" +#include "dbPoint.h" +#include "dbEdge.h" + +#include "tlObjectCollection.h" + +namespace db +{ + +class Triangle; +class TriangleEdge; + +/** + * @brief A class representing a vertex in a Delaunay triangulation graph + * + * The vertex carries information about the connected edges and + * an integer value that can be used in traversal algorithms + * ("level") + */ +class Vertex + : public db::DPoint +{ +public: + typedef tl::weak_collection edges_type; + typedef edges_type::const_iterator edges_iterator; + + Vertex (); + Vertex (const DPoint &p); + Vertex (db::DCoord x, db::DCoord y); + + bool is_outside () const; + std::vector triangles () const; + + edges_iterator begin_edges () const { return m_edges.begin (); } + edges_iterator end_edges () const { return m_edges.end (); } + + size_t level () const { return m_level; } + void set_level (size_t l) { m_level = l; } + + std::string to_string () const; + +private: + edges_type m_edges; + size_t m_level; +}; + +/** + * @brief A class representing an edge in the Delaunay triangulation graph + */ +class TriangleEdge + : public tl::Object +{ +public: + class TriangleIterator + { + public: + typedef Triangle value_type; + typedef Triangle &reference; + typedef Triangle *pointer; + + reference operator*() const + { + return *operator-> (); + } + + pointer operator->() const + { + return m_index ? mp_edge->right () : mp_edge->left (); + } + + bool operator== (const TriangleIterator &other) const + { + return mp_edge == other.mp_edge && m_index == other.m_index; + } + + bool operator!= (const TriangleIterator &other) const + { + return !operator== (other); + } + + TriangleIterator &operator++ () + { + while (++m_index < 2 && operator-> () == 0) + ; + return *this; + } + + private: + friend class TriangleEdge; + + TriangleIterator (const TriangleEdge *edge) + : mp_edge (edge), m_index (0) + { + if (! edge) { + m_index = 2; + } else { + --m_index; + operator++ (); + } + } + + const TriangleEdge *mp_edge; + unsigned int m_index; + }; + + TriangleEdge (); + TriangleEdge (Vertex *v1, Vertex *v2); + + Vertex *v1 () const { return mp_v1; } + Vertex *v2 () const { return mp_v2; } + + Triangle *left () const { return const_cast (mp_left.get ()); } + Triangle *right () const { return const_cast (mp_right.get ()); } + void set_left (Triangle *t) { mp_left = t; } + void set_right (Triangle *t) { mp_right = t; } + + TriangleIterator begin_triangles () const + { + return TriangleIterator (this); + } + + TriangleIterator end_triangles () const + { + return TriangleIterator (0); + } + + void set_level (size_t l) { m_level = l; } + size_t level () const { return m_level; } + + void set_is_segment (bool is_seg) { m_is_segment = is_seg; } + bool is_segment () const { return m_is_segment; } + + std::string to_string () const; + + /** + * @brief Converts to an db::DEdge + */ + db::DEdge edge () const + { + return db::DEdge (*mp_v1, *mp_v2); + } + + /** + * @brief Returns the distance of the given point to the edge + * + * The distance is the minimum distance of the point to one point from the edge. + * @@@ TODO: Move to db::DEdge + */ + static double distance (const db::DEdge &e, const db::DPoint &p); + + /** + * @brief Returns the distance of the given point to the edge + * + * The distance is the minimum distance of the point to one point from the edge. + */ + double distance (const db::DPoint &p) const + { + return distance (edge (), p); + } + + /** + * @brief Returns a value indicating wether this edge crosses the other one + * + * "crosses" is true, if both edges share at least one point which is not an endpoint + * of one of the edges. + * @@@ TODO: Move to db::DEdge + */ + static bool crosses (const db::DEdge &e, const db::DEdge &other); + + /** + * @brief Returns a value indicating wether this edge crosses the other one + * + * "crosses" is true, if both edges share at least one point which is not an endpoint + * of one of the edges. + */ + bool crosses (const db::DEdge &other) const + { + return crosses (edge (), other); + } + + /** + * @brief Returns a value indicating wether this edge crosses the other one + * "crosses" is true, if both edges share at least one point. + * @@@ TODO: Move to db::DEdge + */ + static bool crosses_including (const db::DEdge &e, const db::DEdge &other); + + /** + * @brief Returns a value indicating wether this edge crosses the other one + * "crosses" is true, if both edges share at least one point. + */ + bool crosses_including (const db::DEdge &other) const + { + return crosses_including (edge (), other); + } + + /** + * @brief Gets the intersection point + * @@@ TODO: Move to db::DEdge + */ + static db::DPoint intersection_point (const db::DEdge &e, const DEdge &other); + + /** + * @brief Gets the intersection point + */ + db::DPoint intersection_point (const db::DEdge &other) const + { + return intersection_point (edge (), other); + } + + /** + * @brief Returns a value indicating whether the point is on the edge + * @@@ TODO: Move to db::DEdge + */ + static bool point_on (const db::DEdge &edge, const db::DPoint &point); + + /** + * @brief Returns a value indicating whether the point is on the edge + */ + bool point_on (const db::DPoint &point) const + { + return point_on (edge (), point); + } + + /** + * @brief Gets the side the point is on + * + * -1 is for "left", 0 is "on" and +1 is "right" + */ + int side_of (const db::DPoint &p) const + { + return edge ().side_of (p); + } + + /** + * @brief Gets the distance vector + */ + db::DVector d () const + { + return *mp_v2 - *mp_v1; + } + + /** + * @brief Gets the other triangle for the given one + */ + Triangle *other (const Triangle *) const; + + /** + * @brief Gets the other vertex for the given one + */ + Vertex *other (const Vertex *) const; + + /** + * @brief Gets a value indicating whether the edge has the given vertex + */ + bool has_vertex (const Vertex *) const; + + /** + * @brief Gets the common vertex of the other edge and this edge or null if there is no common vertex + */ + Vertex *common_vertex (const TriangleEdge &other) const; + + /** + * @brief Returns a value indicating whether this edge can be flipped + */ + bool can_flip () const; + + /** + * @brief Returns a value indicating whether the edge separates two triangles that can be joined into one (via the given vertex) + */ + bool can_join_via (const Vertex *vertex) const; + + /** + * @brief Returns a value indicating whether this edge is an outside edge (no other triangles) + */ + bool is_outside () const; + + /** + * @brief Returns a value indicating whether this edge belongs to outside triangles + */ + bool is_for_outside_triangles () const; + + /** + * @brief Returns a value indicating whether t is attached to this edge + */ + bool has_triangle (const Triangle *t) const; + +private: + Vertex *mp_v1, *mp_v2; + tl::weak_ptr mp_left, mp_right; + size_t m_level; + bool m_is_segment; +}; + +/** + * @brief A class representing a triangle + */ +class Triangle + : public tl::Object +{ +public: + Triangle (); + Triangle (TriangleEdge *e1, TriangleEdge *e2, TriangleEdge *e3); + + bool is_outside () const { return m_is_outside; } + void set_outside (bool o) { m_is_outside = o; } + + std::string to_string () const; + + /** + * @brief Gets the nth vertex (n wraps around and can be negative) + * The vertexes are oriented clockwise. + */ + Vertex *vertex (int n) const; + + /** + * @brief Gets the nth edge (n wraps around and can be negative) + */ + TriangleEdge *edge (int n) const; + + /** + * @brief Gets the area + */ + double area () const; + + /** + * @brief Gets the center point and radius of the circumcircle + */ + std::pair circumcircle () const; + + /** + * @brief Gets the vertex opposite of the given edge + */ + Vertex *opposite (const TriangleEdge *edge) const; + + /** + * @brief Gets the edge opposite of the given vertex + */ + TriangleEdge *opposite (const Vertex *vertex) const; + + /** + * @brief Gets the edge with the given vertexes + */ + TriangleEdge *find_edge_with (const Vertex *v1, const Vertex *v2) const; + + /** + * @brief Returns a value indicating whether the point is inside (1), on the triangle (0) or outside (-1) + */ + int contains (const db::DPoint &point) const; + +private: + bool m_is_outside; + tl::weak_ptr mp_e1, mp_e2, mp_e3; + db::Vertex *mp_v1, *mp_v2, *mp_v3; +}; + + +} + +#endif + diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc new file mode 100644 index 0000000000..529e35c633 --- /dev/null +++ b/src/db/db/dbTriangles.cc @@ -0,0 +1,24 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + + +#include "dbTriangles.h" diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h new file mode 100644 index 0000000000..b81790b133 --- /dev/null +++ b/src/db/db/dbTriangles.h @@ -0,0 +1,39 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + + + +#ifndef HDR_dbTriangles +#define HDR_dbTriangles + +#include "dbCommon.h" + +namespace db +{ + + + + +} + +#endif + diff --git a/src/db/unit_tests/dbTriangleTests.cc b/src/db/unit_tests/dbTriangleTests.cc new file mode 100644 index 0000000000..a9be821e0f --- /dev/null +++ b/src/db/unit_tests/dbTriangleTests.cc @@ -0,0 +1,30 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + + +#include "dbTriangle.h" +#include "tlUnitTest.h" + +TEST(1) +{ + +} diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc new file mode 100644 index 0000000000..25b24bbb32 --- /dev/null +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -0,0 +1,30 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + + +#include "dbTriangles.h" +#include "tlUnitTest.h" + +TEST(1) +{ + +} diff --git a/src/db/unit_tests/unit_tests.pro b/src/db/unit_tests/unit_tests.pro index 351bf8860a..e1544fcf8e 100644 --- a/src/db/unit_tests/unit_tests.pro +++ b/src/db/unit_tests/unit_tests.pro @@ -11,6 +11,8 @@ SOURCES = \ dbFillToolTests.cc \ dbRecursiveInstanceIteratorTests.cc \ dbRegionCheckUtilsTests.cc \ + dbTriangleTests.cc \ + dbTrianglesTests.cc \ dbUtilsTests.cc \ dbWriterTools.cc \ dbLoadLayoutOptionsTests.cc \ From fa301b0d32ec8bca1397c13386dc3117d2fb4605 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 12 Aug 2023 10:38:04 +0200 Subject: [PATCH 049/128] WIP --- src/db/db/dbTriangle.cc | 58 +++++- src/db/db/dbTriangle.h | 84 ++++++-- src/db/unit_tests/dbTriangleTests.cc | 281 ++++++++++++++++++++++++++- 3 files changed, 403 insertions(+), 20 deletions(-) diff --git a/src/db/db/dbTriangle.cc b/src/db/db/dbTriangle.cc index babc271fa0..fdddd733a5 100644 --- a/src/db/db/dbTriangle.cc +++ b/src/db/db/dbTriangle.cc @@ -43,6 +43,22 @@ Vertex::Vertex (const db::DPoint &p) // .. nothing yet .. } +Vertex::Vertex (const Vertex &v) + : DPoint (), m_level (0) +{ + operator= (v); +} + +Vertex &Vertex::operator= (const Vertex &v) +{ + if (this != &v) { + // NOTE: edges are not copied! + db::DPoint::operator= (v); + m_level = v.m_level; + } + return *this; +} + Vertex::Vertex (db::DCoord x, db::DCoord y) : DPoint (x, y), m_level (0) { @@ -76,9 +92,30 @@ Vertex::triangles () const } std::string -Vertex::to_string () const +Vertex::to_string (bool with_id) const { - return db::DPoint::to_string () + tl::sprintf ("[%p]", (void *)this); + std::string res = tl::sprintf ("(%.12g, %.12g)", x (), y()); + if (with_id) { + res += tl::sprintf ("[%p]", (void *)this); + } + return res; +} + +int +Vertex::in_circle (const DPoint &point, const DPoint ¢er, double radius) +{ + double dx = point.x () - center.x (); + double dy = point.y () - center.y (); + double d2 = dx * dx + dy * dy; + double r2 = radius * radius; + double delta = std::max (1.0, fabs (d2 + r2)) * db::epsilon; + if (d2 < r2 - delta) { + return 1; + } else if (d2 < r2 + delta) { + return 0; + } else { + return -1; + } } // ------------------------------------------------------------------------------------- @@ -141,9 +178,13 @@ TriangleEdge::common_vertex (const TriangleEdge &other) const } std::string -TriangleEdge::to_string () const +TriangleEdge::to_string (bool with_id) const { - return mp_v1->to_string () + "," + mp_v2->to_string () + tl::sprintf ("[%p]", (void *)this); + std::string res = std::string ("(") + mp_v1->to_string (with_id) + ", " + mp_v2->to_string (with_id) + ")"; + if (with_id) { + res += tl::sprintf ("[%p]", (void *)this); + } + return res; } double @@ -279,19 +320,20 @@ Triangle::Triangle (TriangleEdge *e1, TriangleEdge *e2, TriangleEdge *e3) } std::string -Triangle::to_string () const +Triangle::to_string (bool with_id) const { - std::string res; + std::string res = "("; for (int i = 0; i < 3; ++i) { if (i > 0) { res += ", "; } if (vertex (i)) { - res += vertex (i)->to_string (); + res += vertex (i)->to_string (with_id); } else { res += "(null)"; } } + res += ")"; return res; } @@ -395,7 +437,7 @@ Triangle::contains (const db::DPoint &point) const int s = db::DEdge (*vl, *v).side_of (point); if (s == 0) { res = 0; - } else if (s < 0) { + } else if (s > 0) { return -1; } vl = v; diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index e5ee02c3fa..0f23873f05 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -44,7 +44,7 @@ class TriangleEdge; * an integer value that can be used in traversal algorithms * ("level") */ -class Vertex +class DB_PUBLIC Vertex : public db::DPoint { public: @@ -53,8 +53,11 @@ class Vertex Vertex (); Vertex (const DPoint &p); + Vertex (const Vertex &v); Vertex (db::DCoord x, db::DCoord y); + Vertex &operator= (const Vertex &v); + bool is_outside () const; std::vector triangles () const; @@ -64,7 +67,21 @@ class Vertex size_t level () const { return m_level; } void set_level (size_t l) { m_level = l; } - std::string to_string () const; + std::string to_string (bool with_id = false) const; + + /** + * @brief Returns 1 is the point is inside the circle, 0 if on the circle and -1 if outside + * @@@ TODO: Move to db::DPoint + */ + static int in_circle (const db::DPoint &point, const db::DPoint ¢er, double radius); + + /** + * @brief Returns 1 is this point is inside the circle, 0 if on the circle and -1 if outside + */ + int in_circle (const db::DPoint ¢er, double radius) const + { + return in_circle (*this, center, radius); + } private: edges_type m_edges; @@ -74,7 +91,7 @@ class Vertex /** * @brief A class representing an edge in the Delaunay triangulation graph */ -class TriangleEdge +class DB_PUBLIC TriangleEdge : public tl::Object { public: @@ -136,6 +153,11 @@ class TriangleEdge Vertex *v1 () const { return mp_v1; } Vertex *v2 () const { return mp_v2; } + void reverse () + { + std::swap (mp_v1, mp_v2); + } + Triangle *left () const { return const_cast (mp_left.get ()); } Triangle *right () const { return const_cast (mp_right.get ()); } void set_left (Triangle *t) { mp_left = t; } @@ -157,7 +179,7 @@ class TriangleEdge void set_is_segment (bool is_seg) { m_is_segment = is_seg; } bool is_segment () const { return m_is_segment; } - std::string to_string () const; + std::string to_string (bool with_id = false) const; /** * @brief Converts to an db::DEdge @@ -186,7 +208,7 @@ class TriangleEdge } /** - * @brief Returns a value indicating wether this edge crosses the other one + * @brief Returns a value indicating whether this edge crosses the other one * * "crosses" is true, if both edges share at least one point which is not an endpoint * of one of the edges. @@ -195,7 +217,7 @@ class TriangleEdge static bool crosses (const db::DEdge &e, const db::DEdge &other); /** - * @brief Returns a value indicating wether this edge crosses the other one + * @brief Returns a value indicating whether this edge crosses the other one * * "crosses" is true, if both edges share at least one point which is not an endpoint * of one of the edges. @@ -206,14 +228,25 @@ class TriangleEdge } /** - * @brief Returns a value indicating wether this edge crosses the other one + * @brief Returns a value indicating whether this edge crosses the other one + * + * "crosses" is true, if both edges share at least one point which is not an endpoint + * of one of the edges. + */ + bool crosses (const db::TriangleEdge &other) const + { + return crosses (edge (), other.edge ()); + } + + /** + * @brief Returns a value indicating whether this edge crosses the other one * "crosses" is true, if both edges share at least one point. * @@@ TODO: Move to db::DEdge */ static bool crosses_including (const db::DEdge &e, const db::DEdge &other); /** - * @brief Returns a value indicating wether this edge crosses the other one + * @brief Returns a value indicating whether this edge crosses the other one * "crosses" is true, if both edges share at least one point. */ bool crosses_including (const db::DEdge &other) const @@ -221,6 +254,15 @@ class TriangleEdge return crosses_including (edge (), other); } + /** + * @brief Returns a value indicating whether this edge crosses the other one + * "crosses" is true, if both edges share at least one point. + */ + bool crosses_including (const db::TriangleEdge &other) const + { + return crosses_including (edge (), other.edge ()); + } + /** * @brief Gets the intersection point * @@@ TODO: Move to db::DEdge @@ -253,10 +295,22 @@ class TriangleEdge * @brief Gets the side the point is on * * -1 is for "left", 0 is "on" and +1 is "right" + * @@@ TODO: correct to same definition as db::Edge (negative) + */ + static int side_of (const db::DEdge &e, const db::DPoint &point) + { + return -e.side_of (point); + } + + /** + * @brief Gets the side the point is on + * + * -1 is for "left", 0 is "on" and +1 is "right" + * @@@ TODO: correct to same definition as db::Edge (negative) */ int side_of (const db::DPoint &p) const { - return edge ().side_of (p); + return -edge ().side_of (p); } /** @@ -317,12 +371,16 @@ class TriangleEdge tl::weak_ptr mp_left, mp_right; size_t m_level; bool m_is_segment; + + // no copying + TriangleEdge &operator= (const TriangleEdge &); + TriangleEdge (const TriangleEdge &); }; /** * @brief A class representing a triangle */ -class Triangle +class DB_PUBLIC Triangle : public tl::Object { public: @@ -332,7 +390,7 @@ class Triangle bool is_outside () const { return m_is_outside; } void set_outside (bool o) { m_is_outside = o; } - std::string to_string () const; + std::string to_string (bool with_id = false) const; /** * @brief Gets the nth vertex (n wraps around and can be negative) @@ -379,6 +437,10 @@ class Triangle bool m_is_outside; tl::weak_ptr mp_e1, mp_e2, mp_e3; db::Vertex *mp_v1, *mp_v2, *mp_v3; + + // no copying + Triangle &operator= (const Triangle &); + Triangle (const Triangle &); }; diff --git a/src/db/unit_tests/dbTriangleTests.cc b/src/db/unit_tests/dbTriangleTests.cc index a9be821e0f..a351292360 100644 --- a/src/db/unit_tests/dbTriangleTests.cc +++ b/src/db/unit_tests/dbTriangleTests.cc @@ -24,7 +24,286 @@ #include "dbTriangle.h" #include "tlUnitTest.h" -TEST(1) +#include + +// Tests for Triangle class + +TEST(Triangle_basic) +{ + db::Vertex v1; + db::Vertex v2 (1, 2); + db::Vertex v3 (2, 1); + + db::TriangleEdge s1 (&v1, &v2); + db::TriangleEdge s2 (&v2, &v3); + db::TriangleEdge s3 (&v3, &v1); + + db::Triangle tri (&s1, &s2, &s3); + EXPECT_EQ (tri.to_string (), "((0, 0), (1, 2), (2, 1))"); + + // ordering + db::TriangleEdge s11 (&v1, &v2); + db::TriangleEdge s12 (&v3, &v2); + db::TriangleEdge s13 (&v1, &v3); + + db::Triangle tri2 (&s11, &s12, &s13); + EXPECT_EQ (tri2.to_string (), "((0, 0), (1, 2), (2, 1))"); +} + +TEST(Triangle_find_segment_with) +{ + db::Vertex v1; + db::Vertex v2 (1, 2); + db::Vertex v3 (2, 1); + + db::TriangleEdge s1 (&v1, &v2); + db::TriangleEdge s2 (&v2, &v3); + db::TriangleEdge s3 (&v3, &v1); + + db::Triangle tri (&s1, &s2, &s3); + + EXPECT_EQ (tri.find_edge_with (&v1, &v2)->to_string (), "((0, 0), (1, 2))"); + EXPECT_EQ (tri.find_edge_with (&v2, &v1)->to_string (), "((0, 0), (1, 2))"); +} + +TEST(Triangle_ext_vertex) +{ + db::Vertex v1; + db::Vertex v2 (1, 2); + db::Vertex v3 (2, 1); + + db::TriangleEdge s1 (&v1, &v2); + db::TriangleEdge s2 (&v2, &v3); + db::TriangleEdge s3 (&v3, &v1); + + db::Triangle tri (&s1, &s2, &s3); + + EXPECT_EQ (tri.opposite (&s1)->to_string (), "(2, 1)"); + EXPECT_EQ (tri.opposite (&s3)->to_string (), "(1, 2)"); +} + +TEST(Triangle_opposite_vertex) +{ + db::Vertex v1; + db::Vertex v2 (1, 2); + db::Vertex v3 (2, 1); + + db::TriangleEdge s1 (&v1, &v2); + db::TriangleEdge s2 (&v2, &v3); + db::TriangleEdge s3 (&v3, &v1); + + db::Triangle tri (&s1, &s2, &s3); + + EXPECT_EQ (tri.opposite (&s1)->to_string (), "(2, 1)"); + EXPECT_EQ (tri.opposite (&s3)->to_string (), "(1, 2)"); +} + +TEST(Triangle_opposite_edge) +{ + db::Vertex v1; + db::Vertex v2 (1, 2); + db::Vertex v3 (2, 1); + + db::TriangleEdge s1 (&v1, &v2); + db::TriangleEdge s2 (&v2, &v3); + db::TriangleEdge s3 (&v3, &v1); + + db::Triangle tri (&s1, &s2, &s3); + + EXPECT_EQ (tri.opposite (&v1)->to_string (), "((1, 2), (2, 1))"); + EXPECT_EQ (tri.opposite (&v3)->to_string (), "((0, 0), (1, 2))"); +} + +TEST(Triangle_contains) +{ + db::Vertex v1; + db::Vertex v2 (1, 2); + db::Vertex v3 (2, 1); + + db::TriangleEdge s1 (&v1, &v2); + db::TriangleEdge s2 (&v2, &v3); + db::TriangleEdge s3 (&v3, &v1); + + db::Triangle tri (&s1, &s2, &s3); + + EXPECT_EQ (tri.contains (db::DPoint (0, 0)), 0); + EXPECT_EQ (tri.contains (db::DPoint (-1, -2)), -1); + EXPECT_EQ (tri.contains (db::DPoint (0.5, 1)), 0); + EXPECT_EQ (tri.contains (db::DPoint (0.5, 2)), -1); + EXPECT_EQ (tri.contains (db::DPoint (2.5, 1)), -1); + EXPECT_EQ (tri.contains (db::DPoint (1, -1)), -1); + EXPECT_EQ (tri.contains (db::DPoint (1, 1)), 1); + + s1.reverse (); + s2.reverse (); + s3.reverse (); + + db::Triangle tri2 (&s3, &s2, &s1); + EXPECT_EQ (tri2.contains(db::DPoint(0, 0)), 0); + EXPECT_EQ (tri2.contains(db::DPoint(0.5, 1)), 0); + EXPECT_EQ (tri2.contains(db::DPoint(0.5, 2)), -1); + EXPECT_EQ (tri2.contains(db::DPoint(2.5, 1)), -1); + EXPECT_EQ (tri2.contains(db::DPoint(1, -1)), -1); + EXPECT_EQ (tri2.contains(db::DPoint(1, 1)), 1); +} + +TEST(Triangle_circumcircle) +{ + db::Vertex v1; + db::Vertex v2 (1, 2); + db::Vertex v3 (2, 1); + + db::TriangleEdge s1 (&v1, &v2); + db::TriangleEdge s2 (&v2, &v3); + db::TriangleEdge s3 (&v3, &v1); + + db::Triangle tri (&s1, &s2, &s3); + + auto cc = tri.circumcircle (); + auto center = cc.first; + auto radius = cc.second; + + EXPECT_EQ (tl::to_string (center), "0.833333333333,0.833333333333"); + EXPECT_EQ (tl::to_string (radius), "1.17851130198"); + + EXPECT_EQ (db::Vertex::in_circle (center, center, radius), 1); + EXPECT_EQ (db::Vertex::in_circle (db::DPoint (-1, -1), center, radius), -1); + EXPECT_EQ (v1.in_circle (center, radius), 0); + EXPECT_EQ (v2.in_circle (center, radius), 0); + EXPECT_EQ (v3.in_circle (center, radius), 0); +} + +// Tests for TriangleEdge class + +TEST(TriangleEdge_basic) { + db::Vertex v1; + db::Vertex v2 (1, 0.5); + db::TriangleEdge edge (&v1, &v2); + EXPECT_EQ (edge.to_string (), "((0, 0), (1, 0.5))"); } + +TEST(TriangleEdge_side_of) +{ + db::Vertex v1; + db::Vertex v2 (1, 0.5); + + db::TriangleEdge edge (&v1, &v2); + EXPECT_EQ (edge.to_string (), "((0, 0), (1, 0.5))"); + + EXPECT_EQ (edge.side_of (db::Vertex (0, 0)), 0) + EXPECT_EQ (edge.side_of (db::Vertex (0.5, 0.25)), 0) + EXPECT_EQ (edge.side_of (db::Vertex (0, 1)), -1) + EXPECT_EQ (edge.side_of (db::Vertex (0, -1)), 1) + EXPECT_EQ (edge.side_of (db::Vertex (0.5, 0.5)), -1) + EXPECT_EQ (edge.side_of (db::Vertex (0.5, 0)), 1) + + db::Vertex v3 (1, 0); + db::Vertex v4 (0, 1); + db::TriangleEdge edge2 (&v3, &v4); + + EXPECT_EQ (edge2.side_of (db::Vertex(0.2, 0.2)), -1); +} + +namespace { + class VertexHeap + { + public: + db::Vertex *make_vertex (double x, double y) + { + m_heap.push_back (db::Vertex (x, y)); + return &m_heap.back (); + } + private: + std::list m_heap; + }; +} + +TEST(TriangleEdge_crosses) +{ + VertexHeap heap; + + db::TriangleEdge s1 (heap.make_vertex (0, 0), heap.make_vertex (1, 0.5)); + EXPECT_EQ (s1.crosses (db::TriangleEdge (heap.make_vertex (-1, -0.5), heap.make_vertex(1, -0.5))), false); + EXPECT_EQ (s1.crosses (db::TriangleEdge (heap.make_vertex (-1, 0), heap.make_vertex(1, 0))), false); // only cuts + EXPECT_EQ (s1.crosses (db::TriangleEdge (heap.make_vertex (-1, 0.5), heap.make_vertex(1, 0.5))), false); + EXPECT_EQ (s1.crosses (db::TriangleEdge (heap.make_vertex (-1, 0.5), heap.make_vertex(2, 0.5))), false); + EXPECT_EQ (s1.crosses (db::TriangleEdge (heap.make_vertex (-1, 0.25), heap.make_vertex(2, 0.25))), true); + EXPECT_EQ (s1.crosses (db::TriangleEdge (heap.make_vertex (-1, 0.5), heap.make_vertex(-0.1, 0.5))), false); + EXPECT_EQ (s1.crosses (db::TriangleEdge (heap.make_vertex (-1, 0.6), heap.make_vertex(0, 0.6))), false); + EXPECT_EQ (s1.crosses (db::TriangleEdge (heap.make_vertex (-1, 1), heap.make_vertex(1, 1))), false); + + EXPECT_EQ (s1.crosses_including (db::TriangleEdge (heap.make_vertex (-1, -0.5), heap.make_vertex(1, -0.5))), false); + EXPECT_EQ (s1.crosses_including (db::TriangleEdge (heap.make_vertex (-1, 0), heap.make_vertex(1, 0))), true); // only cuts + EXPECT_EQ (s1.crosses_including (db::TriangleEdge (heap.make_vertex (-1, 0.25), heap.make_vertex(2, 0.25))), true); +} + +#if 0 +class TestSegment(unittest.TestCase): + + def test_crosses(self): + s1 = t.TriangleEdge(t.Vertex(0, 0), t.Vertex(1, 0.5)) + EXPECT_EQ (s1.crosses(t.TriangleEdge(t.Vertex(-1, -0.5), t.Vertex(1, -0.5))), False) + EXPECT_EQ (s1.crosses(t.TriangleEdge(t.Vertex(-1, 0), t.Vertex(1, 0))), False) # only cuts + EXPECT_EQ (s1.crosses(t.TriangleEdge(t.Vertex(-1, 0.5), t.Vertex(1, 0.5))), False) + EXPECT_EQ (s1.crosses(t.TriangleEdge(t.Vertex(-1, 0.5), t.Vertex(2, 0.5))), False) + EXPECT_EQ (s1.crosses(t.TriangleEdge(t.Vertex(-1, 0.25), t.Vertex(2, 0.25))), True) + EXPECT_EQ (s1.crosses(t.TriangleEdge(t.Vertex(-1, 0.5), t.Vertex(-0.1, 0.5))), False) + EXPECT_EQ (s1.crosses(t.TriangleEdge(t.Vertex(-1, 0.6), t.Vertex(0, 0.6))), False) + EXPECT_EQ (s1.crosses(t.TriangleEdge(t.Vertex(-1, 1), t.Vertex(1, 1))), False) + + def test_point_on(self): + s1 = t.TriangleEdge(t.Vertex(0, 0), t.Vertex(1, 0.5)) + EXPECT_EQ (s1.point_on(t.Point(0, 0)), False) # endpoints are not "on" + EXPECT_EQ (s1.point_on(t.Point(0, -0.5)), False) + EXPECT_EQ (s1.point_on(t.Point(0.5, 0)), False) + EXPECT_EQ (s1.point_on(t.Point(0.5, 0.25)), True) + EXPECT_EQ (s1.point_on(t.Point(1, 0.5)), False) # endpoints are not "on" + EXPECT_EQ (s1.point_on(t.Point(1, 1)), False) + EXPECT_EQ (s1.point_on(t.Point(2, 1)), False) + + def test_intersection_point(self): + s1 = t.TriangleEdge(t.Vertex(0, 0), t.Vertex(1, 0.5)) + EXPECT_EQ (str(s1.intersection_point(t.TriangleEdge(t.Vertex(-1, 0.25), t.Vertex(2, 0.25)))), "(0.5, 0.25)") + + def test_can_flip(self): + v1 = t.Vertex(2, -1) + v2 = t.Vertex(0, 0) + v3 = t.Vertex(1, 0) + v4 = t.Vertex(0.5, 1) + s1 = t.TriangleEdge(v1, v2) + s2 = t.TriangleEdge(v1, v3) + s3 = t.TriangleEdge(v2, v3) + s4 = t.TriangleEdge(v2, v4) + s5 = t.TriangleEdge(v3, v4) + t1 = t.Triangle(s1, s2, s3) + t2 = t.Triangle(s3, s4, s5) + s3.left = t1 + s3.right = t2 + EXPECT_EQ (s3.can_flip(), False) + v1.x = 0.5 + EXPECT_EQ (s3.can_flip(), True) + v1.x = -0.25 + EXPECT_EQ (s3.can_flip(), True) + v1.x = -0.5 + EXPECT_EQ (s3.can_flip(), False) + v1.x = -1.0 + EXPECT_EQ (s3.can_flip(), False) + + def test_distance(self): + seg = t.TriangleEdge(t.Vertex(0, 0), t.Vertex(1, 0)) + EXPECT_EQ (seg.distance(t.Point(0, 0)), 0) + EXPECT_EQ (seg.distance(t.Point(0, 1)), 1) + EXPECT_EQ (seg.distance(t.Point(1, 2)), 2) + EXPECT_EQ (seg.distance(t.Point(1, -1)), 1) + EXPECT_EQ (seg.distance(t.Point(2, 0)), 1) + EXPECT_EQ (seg.distance(t.Point(-2, 0)), 2) + seg.reverse() + EXPECT_EQ (seg.distance(t.Point(0, 0)), 0) + EXPECT_EQ (seg.distance(t.Point(0, 1)), 1) + EXPECT_EQ (seg.distance(t.Point(1, 2)), 2) + EXPECT_EQ (seg.distance(t.Point(1, -1)), 1) + EXPECT_EQ (seg.distance(t.Point(2, 0)), 1) + EXPECT_EQ (seg.distance(t.Point(-2, 0)), 2) +#endif From b69cf67c1434cf03570c7fcc655792a58cec0ca8 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 12 Aug 2023 10:43:57 +0200 Subject: [PATCH 050/128] WIP --- src/db/db/dbTriangle.h | 8 +++++ src/db/unit_tests/dbTriangleTests.cc | 51 ++++++++++++++-------------- 2 files changed, 34 insertions(+), 25 deletions(-) diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index 0f23873f05..cad1c9ce65 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -277,6 +277,14 @@ class DB_PUBLIC TriangleEdge return intersection_point (edge (), other); } + /** + * @brief Gets the intersection point + */ + db::DPoint intersection_point (const TriangleEdge &other) const + { + return intersection_point (edge (), other.edge ()); + } + /** * @brief Returns a value indicating whether the point is on the edge * @@@ TODO: Move to db::DEdge diff --git a/src/db/unit_tests/dbTriangleTests.cc b/src/db/unit_tests/dbTriangleTests.cc index a351292360..3aad4836bc 100644 --- a/src/db/unit_tests/dbTriangleTests.cc +++ b/src/db/unit_tests/dbTriangleTests.cc @@ -239,34 +239,35 @@ TEST(TriangleEdge_crosses) EXPECT_EQ (s1.crosses_including (db::TriangleEdge (heap.make_vertex (-1, 0.25), heap.make_vertex(2, 0.25))), true); } +TEST(TriangleEdge_point_on) +{ + VertexHeap heap; + + db::TriangleEdge s1 (heap.make_vertex (0, 0), heap.make_vertex (1, 0.5)); + EXPECT_EQ (s1.point_on (db::DPoint (0, 0)), false); // endpoints are not "on" + EXPECT_EQ (s1.point_on (db::DPoint (0, -0.5)), false); + EXPECT_EQ (s1.point_on (db::DPoint (0.5, 0)), false); + EXPECT_EQ (s1.point_on (db::DPoint (0.5, 0.25)), true); + EXPECT_EQ (s1.point_on (db::DPoint (1, 0.5)), false); // endpoints are not "on" + EXPECT_EQ (s1.point_on (db::DPoint (1, 1)), false); + EXPECT_EQ (s1.point_on (db::DPoint (2, 1)), false); +} + +TEST(TriangleEdge_intersection_point) +{ + VertexHeap heap; + + db::TriangleEdge s1 (heap.make_vertex (0, 0), heap.make_vertex (1, 0.5)); + EXPECT_EQ (s1.intersection_point (db::TriangleEdge (heap.make_vertex (-1, 0.25), heap.make_vertex (2, 0.25))).to_string (), "0.5,0.25"); +} + +TEST(TriangleEdge_can_flip) +{ +} + #if 0 class TestSegment(unittest.TestCase): - def test_crosses(self): - s1 = t.TriangleEdge(t.Vertex(0, 0), t.Vertex(1, 0.5)) - EXPECT_EQ (s1.crosses(t.TriangleEdge(t.Vertex(-1, -0.5), t.Vertex(1, -0.5))), False) - EXPECT_EQ (s1.crosses(t.TriangleEdge(t.Vertex(-1, 0), t.Vertex(1, 0))), False) # only cuts - EXPECT_EQ (s1.crosses(t.TriangleEdge(t.Vertex(-1, 0.5), t.Vertex(1, 0.5))), False) - EXPECT_EQ (s1.crosses(t.TriangleEdge(t.Vertex(-1, 0.5), t.Vertex(2, 0.5))), False) - EXPECT_EQ (s1.crosses(t.TriangleEdge(t.Vertex(-1, 0.25), t.Vertex(2, 0.25))), True) - EXPECT_EQ (s1.crosses(t.TriangleEdge(t.Vertex(-1, 0.5), t.Vertex(-0.1, 0.5))), False) - EXPECT_EQ (s1.crosses(t.TriangleEdge(t.Vertex(-1, 0.6), t.Vertex(0, 0.6))), False) - EXPECT_EQ (s1.crosses(t.TriangleEdge(t.Vertex(-1, 1), t.Vertex(1, 1))), False) - - def test_point_on(self): - s1 = t.TriangleEdge(t.Vertex(0, 0), t.Vertex(1, 0.5)) - EXPECT_EQ (s1.point_on(t.Point(0, 0)), False) # endpoints are not "on" - EXPECT_EQ (s1.point_on(t.Point(0, -0.5)), False) - EXPECT_EQ (s1.point_on(t.Point(0.5, 0)), False) - EXPECT_EQ (s1.point_on(t.Point(0.5, 0.25)), True) - EXPECT_EQ (s1.point_on(t.Point(1, 0.5)), False) # endpoints are not "on" - EXPECT_EQ (s1.point_on(t.Point(1, 1)), False) - EXPECT_EQ (s1.point_on(t.Point(2, 1)), False) - - def test_intersection_point(self): - s1 = t.TriangleEdge(t.Vertex(0, 0), t.Vertex(1, 0.5)) - EXPECT_EQ (str(s1.intersection_point(t.TriangleEdge(t.Vertex(-1, 0.25), t.Vertex(2, 0.25)))), "(0.5, 0.25)") - def test_can_flip(self): v1 = t.Vertex(2, -1) v2 = t.Vertex(0, 0) From 079c4f9760c04d6f52a5b762264a5add7e8f9cd5 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 12 Aug 2023 15:13:44 +0200 Subject: [PATCH 051/128] WIP --- src/db/db/dbTriangle.cc | 3 +- src/db/db/dbTriangle.h | 4 +- src/db/unit_tests/dbTriangleTests.cc | 190 +++++++++++++++++++++------ 3 files changed, 152 insertions(+), 45 deletions(-) diff --git a/src/db/db/dbTriangle.cc b/src/db/db/dbTriangle.cc index fdddd733a5..d09a1ba731 100644 --- a/src/db/db/dbTriangle.cc +++ b/src/db/db/dbTriangle.cc @@ -130,7 +130,8 @@ TriangleEdge::TriangleEdge () TriangleEdge::TriangleEdge (Vertex *v1, Vertex *v2) : mp_v1 (v1), mp_v2 (v2), mp_left (), mp_right (), m_level (0), m_is_segment (false) { - // .. nothing yet .. + v1->m_edges.push_back (this); + v2->m_edges.push_back (this); } Triangle * diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index cad1c9ce65..014c647c5c 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -84,6 +84,8 @@ class DB_PUBLIC Vertex } private: + friend class TriangleEdge; + edges_type m_edges; size_t m_level; }; @@ -114,7 +116,7 @@ class DB_PUBLIC TriangleEdge bool operator== (const TriangleIterator &other) const { - return mp_edge == other.mp_edge && m_index == other.m_index; + return m_index == other.m_index; } bool operator!= (const TriangleIterator &other) const diff --git a/src/db/unit_tests/dbTriangleTests.cc b/src/db/unit_tests/dbTriangleTests.cc index 3aad4836bc..eef668ffee 100644 --- a/src/db/unit_tests/dbTriangleTests.cc +++ b/src/db/unit_tests/dbTriangleTests.cc @@ -26,6 +26,103 @@ #include +// Tests for Vertex class + +TEST(Vertex_basic) +{ + db::Vertex v; + + v.set_x (1.5); + v.set_y (0.5); + EXPECT_EQ (v.to_string (), "(1.5, 0.5)"); + EXPECT_EQ (v.x (), 1.5); + EXPECT_EQ (v.y (), 0.5); + + v = db::Vertex (db::DPoint (2, 3)); + EXPECT_EQ (v.to_string (), "(2, 3)"); + + v.set_level (42); + EXPECT_EQ (v.level (), size_t (42)); +} + +static std::string edges_from_vertex (const db::Vertex &v) +{ + std::string res; + for (auto e = v.begin_edges (); e != v.end_edges (); ++e) { + if (! res.empty ()) { + res += ", "; + } + res += e->to_string (); + } + return res; +} + +static std::string triangles_from_vertex (const db::Vertex &v) +{ + auto tri = v.triangles (); + std::string res; + for (auto t = tri.begin (); t != tri.end (); ++t) { + if (! res.empty ()) { + res += ", "; + } + res += (*t)->to_string (); + } + return res; +} + +TEST(Vertex_edge_registration) +{ + db::Vertex v1 (0, 0); + db::Vertex v2 (1, 2); + db::Vertex v3 (2, 1); + + std::unique_ptr e1 (new db::TriangleEdge (&v1, &v2)); + EXPECT_EQ (edges_from_vertex (v1), "((0, 0), (1, 2))"); + EXPECT_EQ (edges_from_vertex (v2), "((0, 0), (1, 2))"); + EXPECT_EQ (edges_from_vertex (v3), ""); + + std::unique_ptr e2 (new db::TriangleEdge (&v2, &v3)); + EXPECT_EQ (edges_from_vertex (v1), "((0, 0), (1, 2))"); + EXPECT_EQ (edges_from_vertex (v2), "((0, 0), (1, 2)), ((1, 2), (2, 1))"); + EXPECT_EQ (edges_from_vertex (v3), "((1, 2), (2, 1))"); + + e2.reset (0); + EXPECT_EQ (edges_from_vertex (v1), "((0, 0), (1, 2))"); + EXPECT_EQ (edges_from_vertex (v2), "((0, 0), (1, 2))"); + EXPECT_EQ (edges_from_vertex (v3), ""); + + e1.reset (0); + EXPECT_EQ (edges_from_vertex (v1), ""); + EXPECT_EQ (edges_from_vertex (v2), ""); + EXPECT_EQ (edges_from_vertex (v3), ""); +} + +TEST(Vertex_triangles) +{ + db::Vertex v1 (0, 0); + db::Vertex v2 (1, 2); + db::Vertex v3 (2, 1); + db::Vertex v4 (-1, 2); + EXPECT_EQ (triangles_from_vertex (v1), ""); + + std::unique_ptr e1 (new db::TriangleEdge (&v1, &v2)); + std::unique_ptr e2 (new db::TriangleEdge (&v2, &v3)); + std::unique_ptr e3 (new db::TriangleEdge (&v3, &v1)); + + std::unique_ptr tri (new db::Triangle (e1.get (), e2.get (), e3.get ())); + EXPECT_EQ (triangles_from_vertex (v1), "((0, 0), (1, 2), (2, 1))"); + EXPECT_EQ (triangles_from_vertex (v2), "((0, 0), (1, 2), (2, 1))"); + EXPECT_EQ (triangles_from_vertex (v3), "((0, 0), (1, 2), (2, 1))"); + + std::unique_ptr e4 (new db::TriangleEdge (&v1, &v4)); + std::unique_ptr e5 (new db::TriangleEdge (&v2, &v4)); + std::unique_ptr tri2 (new db::Triangle (e1.get (), e4.get (), e5.get ())); + EXPECT_EQ (triangles_from_vertex (v1), "((0, 0), (-1, 2), (1, 2)), ((0, 0), (1, 2), (2, 1))"); + EXPECT_EQ (triangles_from_vertex (v2), "((0, 0), (-1, 2), (1, 2)), ((0, 0), (1, 2), (2, 1))"); + EXPECT_EQ (triangles_from_vertex (v3), "((0, 0), (1, 2), (2, 1))"); + EXPECT_EQ (triangles_from_vertex (v4), "((0, 0), (-1, 2), (1, 2))"); +} + // Tests for Triangle class TEST(Triangle_basic) @@ -48,6 +145,14 @@ TEST(Triangle_basic) db::Triangle tri2 (&s11, &s12, &s13); EXPECT_EQ (tri2.to_string (), "((0, 0), (1, 2), (2, 1))"); + + // triangle registration + EXPECT_EQ (s11.right () == &tri2, true); + EXPECT_EQ (s11.left () == 0, true); + EXPECT_EQ (s12.left () == &tri2, true); + EXPECT_EQ (s12.right () == 0, true); + EXPECT_EQ (s13.left () == &tri2, true); + EXPECT_EQ (s13.right () == 0, true); } TEST(Triangle_find_segment_with) @@ -263,48 +368,47 @@ TEST(TriangleEdge_intersection_point) TEST(TriangleEdge_can_flip) { + db::Vertex v1 (2, -1); + db::Vertex v2 (0, 0); + db::Vertex v3 (1, 0); + db::Vertex v4 (0.5, 1); + db::TriangleEdge s1 (&v1, &v2); + db::TriangleEdge s2 (&v1, &v3); + db::TriangleEdge s3 (&v2, &v3); + db::TriangleEdge s4 (&v2, &v4); + db::TriangleEdge s5 (&v3, &v4); + db::Triangle t1 (&s1, &s2, &s3); + db::Triangle t2 (&s3, &s4, &s5); + s3.set_left (&t1); + s3.set_right (&t2); + EXPECT_EQ (s3.can_flip(), false); + v1.set_x (0.5); + EXPECT_EQ (s3.can_flip(), true); + v1.set_x (-0.25); + EXPECT_EQ (s3.can_flip(), true); + v1.set_x (-0.5); + EXPECT_EQ (s3.can_flip(), false); + v1.set_x (-1.0); + EXPECT_EQ (s3.can_flip(), false); } -#if 0 -class TestSegment(unittest.TestCase): - - def test_can_flip(self): - v1 = t.Vertex(2, -1) - v2 = t.Vertex(0, 0) - v3 = t.Vertex(1, 0) - v4 = t.Vertex(0.5, 1) - s1 = t.TriangleEdge(v1, v2) - s2 = t.TriangleEdge(v1, v3) - s3 = t.TriangleEdge(v2, v3) - s4 = t.TriangleEdge(v2, v4) - s5 = t.TriangleEdge(v3, v4) - t1 = t.Triangle(s1, s2, s3) - t2 = t.Triangle(s3, s4, s5) - s3.left = t1 - s3.right = t2 - EXPECT_EQ (s3.can_flip(), False) - v1.x = 0.5 - EXPECT_EQ (s3.can_flip(), True) - v1.x = -0.25 - EXPECT_EQ (s3.can_flip(), True) - v1.x = -0.5 - EXPECT_EQ (s3.can_flip(), False) - v1.x = -1.0 - EXPECT_EQ (s3.can_flip(), False) - - def test_distance(self): - seg = t.TriangleEdge(t.Vertex(0, 0), t.Vertex(1, 0)) - EXPECT_EQ (seg.distance(t.Point(0, 0)), 0) - EXPECT_EQ (seg.distance(t.Point(0, 1)), 1) - EXPECT_EQ (seg.distance(t.Point(1, 2)), 2) - EXPECT_EQ (seg.distance(t.Point(1, -1)), 1) - EXPECT_EQ (seg.distance(t.Point(2, 0)), 1) - EXPECT_EQ (seg.distance(t.Point(-2, 0)), 2) - seg.reverse() - EXPECT_EQ (seg.distance(t.Point(0, 0)), 0) - EXPECT_EQ (seg.distance(t.Point(0, 1)), 1) - EXPECT_EQ (seg.distance(t.Point(1, 2)), 2) - EXPECT_EQ (seg.distance(t.Point(1, -1)), 1) - EXPECT_EQ (seg.distance(t.Point(2, 0)), 1) - EXPECT_EQ (seg.distance(t.Point(-2, 0)), 2) -#endif +TEST(TriangleEdge_distance) +{ + db::Vertex v1 (0, 0); + db::Vertex v2 (1, 0); + + db::TriangleEdge seg (&v1, &v2); + EXPECT_EQ (seg.distance (db::DPoint (0, 0)), 0); + EXPECT_EQ (seg.distance (db::DPoint (0, 1)), 1); + EXPECT_EQ (seg.distance (db::DPoint (1, 2)), 2); + EXPECT_EQ (seg.distance (db::DPoint (1, -1)), 1); + EXPECT_EQ (seg.distance (db::DPoint (2, 0)), 1); + EXPECT_EQ (seg.distance (db::DPoint (-2, 0)), 2); + seg.reverse (); + EXPECT_EQ (seg.distance (db::DPoint (0, 0)), 0); + EXPECT_EQ (seg.distance (db::DPoint (0, 1)), 1); + EXPECT_EQ (seg.distance (db::DPoint (1, 2)), 2); + EXPECT_EQ (seg.distance (db::DPoint (1, -1)), 1); + EXPECT_EQ (seg.distance (db::DPoint (2, 0)), 1); + EXPECT_EQ (seg.distance (db::DPoint (-2, 0)), 2); +} From c93e49096848aab523e2a1feeea12f82ee8510e4 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 12 Aug 2023 15:30:29 +0200 Subject: [PATCH 052/128] WIP --- src/db/db/dbTriangle.cc | 10 ++--- src/db/db/dbTriangle.h | 7 ++- src/db/unit_tests/dbTriangleTests.cc | 66 ++++++++++++++++++++++++++++ 3 files changed, 77 insertions(+), 6 deletions(-) diff --git a/src/db/db/dbTriangle.cc b/src/db/db/dbTriangle.cc index d09a1ba731..dd249c673b 100644 --- a/src/db/db/dbTriangle.cc +++ b/src/db/db/dbTriangle.cc @@ -167,13 +167,13 @@ TriangleEdge::has_vertex (const Vertex *v) const } Vertex * -TriangleEdge::common_vertex (const TriangleEdge &other) const +TriangleEdge::common_vertex (const TriangleEdge *other) const { - if (has_vertex (other.v1 ())) { - return (other.v1 ()); + if (has_vertex (other->v1 ())) { + return (other->v1 ()); } - if (has_vertex (other.v2 ())) { - return (other.v2 ()); + if (has_vertex (other->v2 ())) { + return (other->v2 ()); } return 0; } diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index 014c647c5c..583ddc1d71 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -158,6 +158,11 @@ class DB_PUBLIC TriangleEdge void reverse () { std::swap (mp_v1, mp_v2); + + Triangle *l = mp_left.get (); + Triangle *r = mp_right.get (); + mp_left = r; + mp_right = l; } Triangle *left () const { return const_cast (mp_left.get ()); } @@ -349,7 +354,7 @@ class DB_PUBLIC TriangleEdge /** * @brief Gets the common vertex of the other edge and this edge or null if there is no common vertex */ - Vertex *common_vertex (const TriangleEdge &other) const; + Vertex *common_vertex (const TriangleEdge *other) const; /** * @brief Returns a value indicating whether this edge can be flipped diff --git a/src/db/unit_tests/dbTriangleTests.cc b/src/db/unit_tests/dbTriangleTests.cc index eef668ffee..d8d44e357b 100644 --- a/src/db/unit_tests/dbTriangleTests.cc +++ b/src/db/unit_tests/dbTriangleTests.cc @@ -135,8 +135,15 @@ TEST(Triangle_basic) db::TriangleEdge s2 (&v2, &v3); db::TriangleEdge s3 (&v3, &v1); + EXPECT_EQ (s1.v1 () == &v1, true); + EXPECT_EQ (s2.v2 () == &v3, true); + db::Triangle tri (&s1, &s2, &s3); EXPECT_EQ (tri.to_string (), "((0, 0), (1, 2), (2, 1))"); + EXPECT_EQ (tri.edge (-1) == &s3, true); + EXPECT_EQ (tri.edge (0) == &s1, true); + EXPECT_EQ (tri.edge (1) == &s2, true); + EXPECT_EQ (tri.edge (3) == &s1, true); // ordering db::TriangleEdge s11 (&v1, &v2); @@ -153,6 +160,17 @@ TEST(Triangle_basic) EXPECT_EQ (s12.right () == 0, true); EXPECT_EQ (s13.left () == &tri2, true); EXPECT_EQ (s13.right () == 0, true); + + EXPECT_EQ (s13.to_string (), "((0, 0), (2, 1))"); + s13.reverse (); + EXPECT_EQ (s13.to_string (), "((2, 1), (0, 0))"); + EXPECT_EQ (s13.right () == &tri2, true); + EXPECT_EQ (s13.left () == 0, true); + + // flags + EXPECT_EQ (tri.is_outside (), false); + tri.set_outside (true); + EXPECT_EQ (tri.is_outside (), true); } TEST(Triangle_find_segment_with) @@ -287,6 +305,54 @@ TEST(TriangleEdge_basic) db::TriangleEdge edge (&v1, &v2); EXPECT_EQ (edge.to_string (), "((0, 0), (1, 0.5))"); + + EXPECT_EQ (edge.is_segment (), false); + edge.set_is_segment (true); + EXPECT_EQ (edge.is_segment (), true); + + EXPECT_EQ (edge.level (), size_t (0)); + edge.set_level (42); + EXPECT_EQ (edge.level (), size_t (42)); + + EXPECT_EQ (edge.other (&v1) == &v2, true); + EXPECT_EQ (edge.other (&v2) == &v1, true); +} + +TEST(TriangleEdge_triangles) +{ + db::Vertex v1 (0, 0); + db::Vertex v2 (1, 2); + db::Vertex v3 (2, 1); + db::Vertex v4 (-1, 2); + + std::unique_ptr e1 (new db::TriangleEdge (&v1, &v2)); + std::unique_ptr e2 (new db::TriangleEdge (&v2, &v3)); + std::unique_ptr e3 (new db::TriangleEdge (&v3, &v1)); + + std::unique_ptr tri (new db::Triangle (e1.get (), e2.get (), e3.get ())); + + std::unique_ptr e4 (new db::TriangleEdge (&v1, &v4)); + std::unique_ptr e5 (new db::TriangleEdge (&v2, &v4)); + std::unique_ptr tri2 (new db::Triangle (e1.get (), e4.get (), e5.get ())); + + EXPECT_EQ (e1->is_outside (), false); + EXPECT_EQ (e2->is_outside (), true); + EXPECT_EQ (e4->is_outside (), true); + + EXPECT_EQ (e1->is_for_outside_triangles (), false); + tri->set_outside (true); + EXPECT_EQ (e1->is_for_outside_triangles (), true); + + EXPECT_EQ (e1->has_triangle (tri.get ()), true); + EXPECT_EQ (e1->has_triangle (tri2.get ()), true); + EXPECT_EQ (e4->has_triangle (tri.get ()), false); + EXPECT_EQ (e4->has_triangle (tri2.get ()), true); + + EXPECT_EQ (e1->other (tri.get ()) == tri2.get (), true); + EXPECT_EQ (e1->other (tri2.get ()) == tri.get (), true); + + EXPECT_EQ (e1->common_vertex (e2.get ()) == &v2, true); + EXPECT_EQ (e2->common_vertex (e4.get ()) == 0, true); } TEST(TriangleEdge_side_of) From 14f8c1a61ba23770583f4adc5539af77205dd776 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 12 Aug 2023 16:21:10 +0200 Subject: [PATCH 053/128] WIP --- src/db/db/dbTriangle.cc | 14 +++ src/db/db/dbTriangle.h | 7 +- src/db/db/dbTriangles.cc | 168 ++++++++++++++++++++++++++ src/db/db/dbTriangles.h | 41 +++++++ src/db/unit_tests/dbTriangleTests.cc | 39 +++--- src/db/unit_tests/dbTrianglesTests.cc | 3 + 6 files changed, 252 insertions(+), 20 deletions(-) diff --git a/src/db/db/dbTriangle.cc b/src/db/db/dbTriangle.cc index dd249c673b..5ffeaa408a 100644 --- a/src/db/db/dbTriangle.cc +++ b/src/db/db/dbTriangle.cc @@ -134,6 +134,20 @@ TriangleEdge::TriangleEdge (Vertex *v1, Vertex *v2) v2->m_edges.push_back (this); } +void +TriangleEdge::set_left (Triangle *t) +{ + tl_assert (left () == 0); + mp_left = t; +} + +void +TriangleEdge::set_right (Triangle *t) +{ + tl_assert (right () == 0); + mp_right = t; +} + Triangle * TriangleEdge::other (const Triangle *t) const { diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index 583ddc1d71..7227a517e8 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -167,8 +167,6 @@ class DB_PUBLIC TriangleEdge Triangle *left () const { return const_cast (mp_left.get ()); } Triangle *right () const { return const_cast (mp_right.get ()); } - void set_left (Triangle *t) { mp_left = t; } - void set_right (Triangle *t) { mp_right = t; } TriangleIterator begin_triangles () const { @@ -382,6 +380,8 @@ class DB_PUBLIC TriangleEdge bool has_triangle (const Triangle *t) const; private: + friend class Triangle; + Vertex *mp_v1, *mp_v2; tl::weak_ptr mp_left, mp_right; size_t m_level; @@ -390,6 +390,9 @@ class DB_PUBLIC TriangleEdge // no copying TriangleEdge &operator= (const TriangleEdge &); TriangleEdge (const TriangleEdge &); + + void set_left (Triangle *t); + void set_right (Triangle *t); }; /** diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 529e35c633..5b467954f3 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -22,3 +22,171 @@ #include "dbTriangles.h" + +namespace db +{ + +Triangles::Triangles () + : m_is_constrained (false) +{ + // .. nothing yet .. +} + +Triangles::~Triangles () +{ + while (! mp_triangles.empty ()) { + remove (mp_triangles.front ()); + } + + tl_assert (mp_edges.empty ()); +} + +db::Vertex * +Triangles::create_vertex (double x, double y) +{ + m_vertex_heap.push_back (db::Vertex (x, y)); + return &m_vertex_heap.back (); +} + +db::Vertex * +Triangles::create_vertex (const db::DPoint &pt) +{ + m_vertex_heap.push_back (pt); + return &m_vertex_heap.back (); +} + +db::TriangleEdge * +Triangles::create_edge (db::Vertex *v1, db::Vertex *v2) +{ + db::TriangleEdge *res = new db::TriangleEdge (v1, v2); + mp_edges.push_back (res); + return res; +} + +db::Triangle * +Triangles::create_triangle (TriangleEdge *e1, TriangleEdge *e2, TriangleEdge *e3) +{ + db::Triangle *res = new db::Triangle (e1, e2, e3); + mp_triangles.push_back (res); + return res; +} + +void +Triangles::remove (db::Triangle *tri) +{ + db::TriangleEdge *edges [3]; + for (int i = 0; i < 3; ++i) { + edges [i] = tri->edge (i); + } + + delete tri; + + // clean up edges we do no longer need + for (int i = 0; i < 3; ++i) { + if (edges [i]->left () == 0 && edges [i]->right () == 0) { + delete edges [i]; + } + } +} + +void +Triangles::init_box (const db::DBox &box) +{ + double xmin = box.left (), xmax = box.right (); + double ymin = box.bottom (), ymax = box.top (); + + db::Vertex *vbl = create_vertex (xmin, ymin); + db::Vertex *vtl = create_vertex (xmin, ymax); + db::Vertex *vbr = create_vertex (xmax, ymin); + db::Vertex *vtr = create_vertex (xmax, ymax); + + db::TriangleEdge *sl = create_edge (vbl, vtl); + db::TriangleEdge *sd = create_edge (vtl, vbr); + db::TriangleEdge *sb = create_edge (vbr, vbl); + + db::TriangleEdge *sr = create_edge (vbr, vtr); + db::TriangleEdge *st = create_edge (vtr, vtl); + + create_triangle (sl, sd, sb); + create_triangle (sd, sr, st); +} + +std::string +Triangles::to_string () +{ + +} + +db::DBox +Triangles::bbox () const +{ + db::DBox box; + for (auto t = mp_triangles.begin (); t != mp_triangles.end (); ++t) { + for (int i = 0; i < 3; ++i) { + box += *t->vertex (i); + } + } + return box; +} + +bool +Triangles::check (bool check_delaunay) const +{ + +} + +std::vector +Triangles::find_points_around (const db::Vertex *vertex, double radius) +{ + +} + +db::Vertex * +Triangles::insert_point (const db::DPoint &point, std::vector *new_triangles) +{ + +} + +db::Vertex * +Triangles::insert (db::Vertex *vertex, std::vector *new_triangles) +{ + +} + +void +Triangles::remove (db::Vertex *vertex, std::vector *new_triangles) +{ + +} + +std::vector +Triangles::find_touching (const db::DBox &box) +{ + +} + +std::vector +Triangles::find_inside_circle (const db::DPoint ¢er, double radius) +{ + +} + +void +Triangles::remove_outside_vertex (db::Vertex *vertex, std::vector *new_triangles) +{ + +} + +void +Triangles::remove_inside_vertex (db::Vertex *vertex, std::vector *new_triangles) +{ + +} + +std::vector +Triangles::fill_concave_corners (const std::vector &edges) +{ + +} + +} diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index b81790b133..42b8a2dc0f 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -26,12 +26,53 @@ #define HDR_dbTriangles #include "dbCommon.h" +#include "dbTriangle.h" +#include "dbBox.h" + +#include "tlObjectCollection.h" namespace db { +class DB_PUBLIC Triangles +{ +public: + Triangles (); + ~Triangles (); + + void init_box (const db::DBox &box); + std::string to_string (); + + db::DBox bbox () const; + + bool check (bool check_delaunay = true) const; + + std::vector find_points_around (const db::Vertex *vertex, double radius); + + db::Vertex *insert_point (const db::DPoint &point, std::vector *new_triangles = 0); + db::Vertex *insert (db::Vertex *vertex, std::vector *new_triangles = 0); + void remove (db::Vertex *vertex, std::vector *new_triangles = 0); + +private: + tl::shared_collection mp_triangles; + tl::weak_collection mp_edges; + std::list m_vertex_heap; + bool m_is_constrained; + + db::Vertex *create_vertex (double x, double y); + db::Vertex *create_vertex (const db::DPoint &pt); + db::TriangleEdge *create_edge (db::Vertex *v1, db::Vertex *v2); + db::Triangle *create_triangle (db::TriangleEdge *e1, db::TriangleEdge *e2, db::TriangleEdge *e3); + void remove (db::Triangle *tri); + // NOTE: these functions are SLOW and intended to test purposes only + std::vector find_touching (const db::DBox &box); + std::vector find_inside_circle (const db::DPoint ¢er, double radius); + void remove_outside_vertex (db::Vertex *vertex, std::vector *new_triangles = 0); + void remove_inside_vertex (db::Vertex *vertex, std::vector *new_triangles = 0); + std::vector fill_concave_corners (const std::vector &edges); +}; } diff --git a/src/db/unit_tests/dbTriangleTests.cc b/src/db/unit_tests/dbTriangleTests.cc index d8d44e357b..7830c5726c 100644 --- a/src/db/unit_tests/dbTriangleTests.cc +++ b/src/db/unit_tests/dbTriangleTests.cc @@ -247,27 +247,30 @@ TEST(Triangle_contains) db::TriangleEdge s2 (&v2, &v3); db::TriangleEdge s3 (&v3, &v1); - db::Triangle tri (&s1, &s2, &s3); - - EXPECT_EQ (tri.contains (db::DPoint (0, 0)), 0); - EXPECT_EQ (tri.contains (db::DPoint (-1, -2)), -1); - EXPECT_EQ (tri.contains (db::DPoint (0.5, 1)), 0); - EXPECT_EQ (tri.contains (db::DPoint (0.5, 2)), -1); - EXPECT_EQ (tri.contains (db::DPoint (2.5, 1)), -1); - EXPECT_EQ (tri.contains (db::DPoint (1, -1)), -1); - EXPECT_EQ (tri.contains (db::DPoint (1, 1)), 1); + { + db::Triangle tri (&s1, &s2, &s3); + EXPECT_EQ (tri.contains (db::DPoint (0, 0)), 0); + EXPECT_EQ (tri.contains (db::DPoint (-1, -2)), -1); + EXPECT_EQ (tri.contains (db::DPoint (0.5, 1)), 0); + EXPECT_EQ (tri.contains (db::DPoint (0.5, 2)), -1); + EXPECT_EQ (tri.contains (db::DPoint (2.5, 1)), -1); + EXPECT_EQ (tri.contains (db::DPoint (1, -1)), -1); + EXPECT_EQ (tri.contains (db::DPoint (1, 1)), 1); + } s1.reverse (); s2.reverse (); s3.reverse (); - db::Triangle tri2 (&s3, &s2, &s1); - EXPECT_EQ (tri2.contains(db::DPoint(0, 0)), 0); - EXPECT_EQ (tri2.contains(db::DPoint(0.5, 1)), 0); - EXPECT_EQ (tri2.contains(db::DPoint(0.5, 2)), -1); - EXPECT_EQ (tri2.contains(db::DPoint(2.5, 1)), -1); - EXPECT_EQ (tri2.contains(db::DPoint(1, -1)), -1); - EXPECT_EQ (tri2.contains(db::DPoint(1, 1)), 1); + { + db::Triangle tri2 (&s3, &s2, &s1); + EXPECT_EQ (tri2.contains(db::DPoint(0, 0)), 0); + EXPECT_EQ (tri2.contains(db::DPoint(0.5, 1)), 0); + EXPECT_EQ (tri2.contains(db::DPoint(0.5, 2)), -1); + EXPECT_EQ (tri2.contains(db::DPoint(2.5, 1)), -1); + EXPECT_EQ (tri2.contains(db::DPoint(1, -1)), -1); + EXPECT_EQ (tri2.contains(db::DPoint(1, 1)), 1); + } } TEST(Triangle_circumcircle) @@ -445,8 +448,8 @@ TEST(TriangleEdge_can_flip) db::TriangleEdge s5 (&v3, &v4); db::Triangle t1 (&s1, &s2, &s3); db::Triangle t2 (&s3, &s4, &s5); - s3.set_left (&t1); - s3.set_right (&t2); + EXPECT_EQ (s3.left () == &t2, true); + EXPECT_EQ (s3.right () == &t1, true); EXPECT_EQ (s3.can_flip(), false); v1.set_x (0.5); EXPECT_EQ (s3.can_flip(), true); diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index 25b24bbb32..8cd9a2a10f 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -26,5 +26,8 @@ TEST(1) { + db::Triangles tris; + tris.init_box (db::DBox (1, 0, 5, 4)); + EXPECT_EQ (tris.bbox ().to_string (), "(1,0;5,4)"); } From dfa0a0619bdb0ba72064c108fce4ca5eb596f95b Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 12 Aug 2023 18:12:44 +0200 Subject: [PATCH 054/128] WIP --- src/db/db/dbTriangle.h | 1 + src/db/db/dbTriangles.cc | 1048 +++++++++++++++++++++++++++++++++++++- src/db/db/dbTriangles.h | 11 +- 3 files changed, 1053 insertions(+), 7 deletions(-) diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index 7227a517e8..e25bcb0da6 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -63,6 +63,7 @@ class DB_PUBLIC Vertex edges_iterator begin_edges () const { return m_edges.begin (); } edges_iterator end_edges () const { return m_edges.end (); } + size_t num_edges () const { return m_edges.size (); } size_t level () const { return m_level; } void set_level (size_t l) { m_level = l; } diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 5b467954f3..a088363b29 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -22,6 +22,12 @@ #include "dbTriangles.h" +#include "dbLayout.h" +#include "dbWriter.h" +#include "tlStream.h" +#include "tlLog.h" + +#include namespace db { @@ -114,7 +120,14 @@ Triangles::init_box (const db::DBox &box) std::string Triangles::to_string () { - + std::string res; + for (auto t = mp_triangles.begin (); t != mp_triangles.end (); ++t) { + if (! res.empty ()) { + res += ", "; + } + res += t->to_string (); + } + return res; } db::DBox @@ -133,60 +146,1085 @@ bool Triangles::check (bool check_delaunay) const { + // @@@ + +} + +db::Layout * +Triangles::to_layout () const +{ + db::Layout *layout = new db::Layout (); + layout->dbu (0.001); + + auto dbu_trans = db::CplxTrans (layout->dbu ()).inverted (); + + db::Cell &top = layout->cell (layout->add_cell ("DUMP")); + unsigned int l1 = layout->insert_layer (db::LayerProperties (1, 0)); + unsigned int l2 = layout->insert_layer (db::LayerProperties (2, 0)); + unsigned int l10 = layout->insert_layer (db::LayerProperties (10, 0)); + + for (auto t = mp_triangles.begin (); t != mp_triangles.end (); ++t) { + db::DPoint pts[3]; + for (int i = 0; i < 3; ++i) { + pts[i] = *t->vertex (i); + } + db::DPolygon poly; + poly.assign_hull (pts + 0, pts + 3); + top.shapes (t->is_outside () ? l2 : l1).insert (dbu_trans * poly); + } + + for (auto e = mp_edges.begin (); e != mp_edges.end (); ++e) { + top.shapes (l10).insert (dbu_trans * e->edge ()); + } + + return layout; +} + +void +Triangles::dump (const std::string &path) const +{ + std::unique_ptr ly (to_layout ()); + + tl::OutputStream stream (path); + + db::SaveLayoutOptions opt; + db::Writer writer (opt); + writer.write (*ly, stream); + + tl::info << "Triangles written to " << path; } std::vector -Triangles::find_points_around (const db::Vertex *vertex, double radius) +Triangles::find_points_around (db::Vertex *vertex, double radius) { + std::set seen; + seen.insert (vertex); + + std::vector res; + std::vector new_vertexes, next_vertexes; + new_vertexes.push_back (vertex); + + while (! new_vertexes.empty ()) { + next_vertexes.clear (); + for (auto v = new_vertexes.begin (); v != new_vertexes.end (); ++v) { + for (auto e = (*v)->begin_edges (); e != (*v)->end_edges (); ++e) { + db::Vertex *ov = e->other (*v); + if (ov->in_circle (*vertex, radius) == 1 && seen.insert (*v).second) { + next_vertexes.push_back (ov); + res.push_back (ov); + } + } + } + new_vertexes.swap (next_vertexes); + } + return res; } db::Vertex * Triangles::insert_point (const db::DPoint &point, std::vector *new_triangles) { + // @@@ + } db::Vertex * Triangles::insert (db::Vertex *vertex, std::vector *new_triangles) { + // @@@ + } void Triangles::remove (db::Vertex *vertex, std::vector *new_triangles) { + // @@@ + } std::vector Triangles::find_touching (const db::DBox &box) { - + // NOTE: this is a naive, slow implementation for test purposes + std::vector res; + for (auto v = m_vertex_heap.begin (); v != m_vertex_heap.end (); ++v) { + if (v->begin_edges () != v->end_edges ()) { + if (box.contains (*v)) { + res.push_back (v.operator-> ()); + } + } + } + return res; } std::vector Triangles::find_inside_circle (const db::DPoint ¢er, double radius) { - + // NOTE: this is a naive, slow implementation for test purposes + std::vector res; + for (auto v = m_vertex_heap.begin (); v != m_vertex_heap.end (); ++v) { + if (v->begin_edges () != v->end_edges ()) { + if (v->in_circle (center, radius) == 1) { + res.push_back (v.operator-> ()); + } + } + } + return res; } + void Triangles::remove_outside_vertex (db::Vertex *vertex, std::vector *new_triangles) { + // @@@ + } void Triangles::remove_inside_vertex (db::Vertex *vertex, std::vector *new_triangles) { + // @@@ + } std::vector -Triangles::fill_concave_corners (const std::vector &edges) +Triangles::fill_concave_corners (const std::vector &edges) { + std::vector res; + std::vector points, terminals; + + std::map > vertex2edge; + for (auto e = edges.begin (); e != edges.end (); ++e) { + + auto i = vertex2edge.insert (std::make_pair ((*e)->v1 (), std::vector ())); + if (i.second) { + points.push_back ((*e)->v1 ()); + } + i.first->second.push_back (*e); + + i = vertex2edge.insert (std::make_pair ((*e)->v2 (), std::vector ())); + if (i.second) { + points.push_back ((*e)->v2 ()); + } + i.first->second.push_back (*e); + + } + + while (points.size () > size_t (2)) { + + terminals.clear (); + for (auto p = points.begin (); p != points.end (); ++p) { + if (vertex2edge [*p].size () == 1) { + terminals.push_back (*p); + } + } + tl_assert (terminals.size () == size_t (2)); + db::Vertex *v = terminals[0]; + + bool any_connected = false; + db::Vertex *vp = 0; + + std::set to_remove; + + while (vertex2edge [v].size () >= size_t (2) || ! vp) { + + db::TriangleEdge *seg = 0; + std::vector &ee = vertex2edge [v]; + for (auto e = ee.begin (); e != ee.end (); ++e) { + if (! (*e)->has_vertex (vp)) { + seg = (*e); + break; + } + } + + tl_assert (seg != 0); + db::Triangle *tri = seg->left () ? seg->left () : seg->right (); + db::Vertex *vn = seg->other (v); + + std::vector &een = vertex2edge [vn]; + if (een.size () < size_t (2)) { + break; + } + tl_assert (een.size () == size_t (2)); + + db::TriangleEdge *segn = 0; + for (auto e = een.begin (); e != een.end (); ++e) { + if (! (*e)->has_vertex (v)) { + segn = (*e); + break; + } + } + + tl_assert (segn != 0); + db::Vertex *vnn = segn->other (vn); + std::vector &eenn = vertex2edge [vnn]; + + // NOTE: tri can be None in case a lonely edge stays after removing + // attached triangles + if (! tri || seg->side_of (*vnn) * seg->side_of (*tri->opposite (seg)) < 0) { + + // is concave + db::TriangleEdge *new_edge = create_edge (v, vnn); + for (auto e = ee.begin (); e != ee.end (); ++e) { + if (*e == seg) { + ee.erase (e); + break; + } + } + ee.push_back (new_edge); + + for (auto e = eenn.begin (); e != eenn.end (); ++e) { + if (*e == segn) { + eenn.erase (e); + break; + } + } + eenn.push_back (new_edge); + vertex2edge.erase (vn); + to_remove.insert (vn); + + db::Triangle *new_triangle = create_triangle (seg, segn, new_edge); + res.push_back (new_triangle); + any_connected = true; + + } else { + + vp = v; + v = vn; + + } + + } + + if (not any_connected) { + break; + } + + std::vector::iterator wp = points.begin (); + for (auto p = points.begin (); p != points.end (); ++p) { + if (to_remove.find (*p) == to_remove.end ()) { + *wp++ = *p; + } + } + points.erase (wp, points.end ()); + + } + + return res; } } + +#if 0 +import math +import sys +from .triangle import * + +class Triangles(object): + + def insert_point(self, point, new_triangles: [Vertex] = None): + return self.insert(Vertex(point.x, point.y), new_triangles) + + def insert(self, vertex, new_triangles: [Vertex] = None): + + self.flips = 0 + + tris = self.find_triangle_for_vertex(vertex) + if len(tris) == 0: + assert(not self.is_constrained) + self.vertexes.append(vertex) + self.flips += self._insert_new_vertex(vertex, new_triangles) + return vertex + + # the new vertex is on the edge between two triangles + on_edges = [s for s in tris[0].edges() if s.side_of(vertex) == 0] + + if len(on_edges) > 0: + if len(on_edges) == 1: + self.vertexes.append(vertex) + self.flips += self._split_triangles_on_edge(tris, vertex, on_edges[0], new_triangles) + return vertex + else: + # the vertex is already present + assert (len(on_edges) == 2) + return on_edges[0].common_vertex(on_edges[1]) + elif len(tris) == 1: + # the new vertex is inside one triangle + self.vertexes.append(vertex) + self.flips += self._split_triangle(tris[0], vertex, new_triangles) + return vertex + + assert(False) + + def remove_vertex(self, vertex: Vertex, new_triangles: [Vertex] = None): + if vertex.is_outside(): + self._remove_outside_vertex(vertex, new_triangles) + else: + self._remove_inside_vertex(vertex, new_triangles) + + def _remove_outside_vertex(self, vertex: Vertex, new_triangles_out: [Vertex] = None): + + to_remove = vertex.triangles() + + outer_edges = [ t.opposite_edge(vertex) for t in to_remove ] + + for t in to_remove: + self.triangles.remove(t) + t.unlink() + + self.vertexes.remove(vertex) + vertex.unlink() + + new_triangles = self._fill_concave_corners(outer_edges) + + for nt in new_triangles: + self.triangles.append(nt) + + self._fix_triangles(new_triangles, [], new_triangles_out) + + def _remove_inside_vertex(self, vertex: Vertex, new_triangles: [Vertex] = None): + + triangles_to_fix = [] + + make_new_triangle = True + + while len(vertex.edges) > 3: + + to_flip = next((s for s in vertex.edges if s.can_flip()), None) + if to_flip is None: + break + + # NOTE: in the "can_join" case zero-area triangles are created which we will sort out later + any_flipped = True + if to_flip.left in triangles_to_fix: + triangles_to_fix.remove(to_flip.left) + if to_flip.right in triangles_to_fix: + triangles_to_fix.remove(to_flip.right) + t1, t2, _ = self.flip(to_flip) + triangles_to_fix.append(t1) + triangles_to_fix.append(t2) + + if len(vertex.edges) > 3: + + assert(len(vertex.edges) == 4) + + # This case can happen if two edges attached to the vertex are collinear + # in this case choose the "join" strategy + jseg = next((s for s in vertex.edges if s.can_join_via(vertex)), None) + assert(jseg is not None) + + v1 = jseg.left.ext_vertex(jseg) + s1 = jseg.left.opposite_edge(vertex) + v2 = jseg.right.ext_vertex(jseg) + s2 = jseg.right.opposite_edge(vertex) + + jseg_opp = next((s for s in vertex.edges if not s.has_triangle(jseg.left) and not s.has_triangle(jseg.right)), None) + assert(jseg_opp is not None) + + s1opp = jseg_opp.left.opposite_edge(vertex) + s2opp = jseg_opp.right.opposite_edge(vertex) + + new_edge = TriangleEdge(v1, v2) + t1 = Triangle(s1, s2, new_edge) + self.triangles.append(t1) + t2 = Triangle(s1opp, s2opp, new_edge) + self.triangles.append(t2) + triangles_to_fix.append(t1) + triangles_to_fix.append(t2) + + make_new_triangle = False + + to_remove = vertex.triangles() + + outer_edges = [ t.opposite_edge(vertex) for t in to_remove ] + + for t in to_remove: + self.triangles.remove(t) + t.unlink() + if t in triangles_to_fix: + triangles_to_fix.remove(t) + + self.vertexes.remove(vertex) + vertex.unlink() + + if make_new_triangle: + + assert(len(outer_edges) == 3) + + nt = Triangle(*outer_edges) + self.triangles.append(nt) + triangles_to_fix.append(nt) + + if new_triangles is not None: + new_triangles += triangles_to_fix + + self._fix_triangles(triangles_to_fix, [], new_triangles) + + def _fill_concave_corners(self, edges: [TriangleEdge]) -> [Triangle]: + + + def find_triangle_for_vertex(self, p: Point) -> [Triangle]: + + edge = self.find_closest_edge(p) + if edge is not None: + return [ t for t in [ edge.left, edge.right ] if t is not None and t.contains(p) >= 0 ] + else: + return [] + + def find_vertex_for_point(self, p: Point) -> TriangleEdge: + + edge = self.find_closest_edge(p) + if edge is None: + return None + v = None + if equals(edge.p1, p): + v = edge.p1 + elif equals(edge.p2, p): + v = edge.p2 + return v + + def find_edge_for_points(self, p1: Point, p2: Point) -> TriangleEdge: + + v = self.find_vertex_for_point(p1) + if v is None: + return None + for s in v.edges: + if equals(s.other_vertex(v), p2): + return s + return None + + def find_closest_edge(self, p: Point, nstart: int = None, vstart: Vertex = None, inside_only = False) -> TriangleEdge: + + if nstart is None and vstart is None: + if len(self.vertexes) > 0: + vstart = self.vertexes[0] + else: + return None + elif nstart is not None: + if len(self.vertexes) > nstart: + vstart = self.vertexes[nstart] + else: + return None + elif vstart is None: + return None + + line = Edge(vstart, p) + + d = None + edge = None + + v = vstart + + while v is not None: + + vnext = None + + for s in v.edges: + if inside_only: + # NOTE: in inside mode we stay on the line of sight as we don't + # want to walk around outside pockets. + if not s.is_segment and s.is_for_outside_triangles(): + continue + if not s.crosses_including(line): + continue + ds = s.distance(p) + if d is None or ds < d: + d = ds + edge = s + vnext = edge.other_vertex(v) + elif abs(ds - d) < max(1, abs(ds) + abs(d)) * 1e-10: + # this differentiation selects the edge which bends further towards + # the target point if both edges share a common point and that + # is the one the determines the distance. + cv = edge.common_vertex(s) + if cv is not None: + edge_d = sub(edge.other_vertex(cv), cv) + s_d = sub(s.other_vertex(cv), cv) + r = sub(p, cv) + edge_sp = sprod(r, edge_d) / math.sqrt(square(edge_d)) + s_sp = sprod(r, s_d) / math.sqrt(square(s_d)) + if s_sp > edge_sp: + edge = s + vnext = edge.other_vertex(v) + + v = vnext + + return edge + + def search_edges_crossing(self, edge: TriangleEdge) -> set: + """ + Finds all edges that cross the given one for a convex triangulation + + Requirements: + * self must be a convex triangulation + * edge must not contain another vertex from the triangulation except p1 and p2 + """ + + v = edge.p1 + vv = edge.p2 + + current_triangle = None + next_edge = None + + result = [] + + for s in v.edges: + for t in [s.left, s.right]: + if t is not None: + os = t.opposite_edge(v) + if os.has_vertex(vv): + return result + if os.crosses(edge): + result.append(os) + current_triangle = t + next_edge = os + break + if next_edge is not None: + break + + assert (current_triangle is not None) + + while True: + + current_triangle = next_edge.other(current_triangle) + + # Note that we're convex, so there has to be a path across triangles + assert (current_triangle is not None) + + cs = next_edge + next_edge = None + for s in current_triangle.edges(): + if s != cs: + if s.has_vertex(vv): + return result + if s.crosses(edge): + result.append(s) + next_edge = s + break + + assert (next_edge is not None) + + def _insert_new_vertex(self, vertex, new_triangles_out: [Vertex] = None): + + if len(self.vertexes) <= 3: + if len(self.vertexes) == 3: + # form the first triangle + s1 = TriangleEdge(self.vertexes[0], self.vertexes[1]) + s2 = TriangleEdge(self.vertexes[1], self.vertexes[2]) + s3 = TriangleEdge(self.vertexes[2], self.vertexes[0]) + # avoid degenerate Triangles to happen here @@@ + if vprod_sign(s1.d(), s2.d()) == 0: + self.vertexes = [] # reject some points? + else: + t = Triangle(s1, s2, s3) + if new_triangles_out is not None: + new_triangles_out.append(t) + self.triangles.append(t) + return 0 + + new_triangles = [] + + # Find closest edge + closest_edge = self.find_closest_edge(vertex) + assert(closest_edge is not None) + + s1 = TriangleEdge(vertex, closest_edge.p1) + s2 = TriangleEdge(vertex, closest_edge.p2) + + t = Triangle(s1, closest_edge, s2) + self.triangles.append(t) + new_triangles.append(t) + + self._add_more_triangles(new_triangles, closest_edge, closest_edge.p1, vertex, s1) + self._add_more_triangles(new_triangles, closest_edge, closest_edge.p2, vertex, s2) + + if new_triangles_out is not None: + new_triangles_out += new_triangles + + return self._fix_triangles(new_triangles, [], new_triangles_out) + + def _add_more_triangles(self, new_triangles, incoming_edge: TriangleEdge, from_vertex: Vertex, to_vertex: Vertex, conn_edge: TriangleEdge): + + while True: + + next_edge = None + for s in from_vertex.edges: + if not s.has_vertex(to_vertex) and s.is_outside(): + # TODO: remove and break + assert(next_edge is None) + next_edge = s + + assert (next_edge is not None) + next_vertex = next_edge.other_vertex(from_vertex) + + d_from_to = sub(to_vertex, from_vertex) + incoming_vertex = incoming_edge.other_vertex(from_vertex) + if vprod_sign(sub(from_vertex, incoming_vertex), d_from_to) * vprod_sign(sub(from_vertex, next_vertex), d_from_to) >= 0: + return + + next_conn_edge = TriangleEdge(next_vertex, to_vertex) + t = Triangle(next_conn_edge, next_edge, conn_edge) + self.triangles.append(t) + new_triangles.append(t) + + incoming_edge = next_edge + conn_edge = next_conn_edge + from_vertex = next_vertex + + + def _split_triangle(self, t, vertex, new_triangles_out: [Vertex] = None): + + # TODO: this is not quite efficient + self.triangles.remove(t) + t.unlink() + + new_edges = {} + for v in t.vertexes: + new_edges[v] = TriangleEdge(v, vertex) + + new_triangles = [] + for s in t.edges(): + new_triangle = Triangle(s, new_edges[s.p1], new_edges[s.p2]) + if new_triangles_out is not None: + new_triangles_out.append(new_triangle) + new_triangle.is_outside = t.is_outside + new_triangles.append(new_triangle) + self.triangles.append(new_triangle) + + return self._fix_triangles(new_triangles, new_edges.values(), new_triangles_out) + + def _split_triangles_on_edge(self, tris, vertex: Vertex, split_edge: TriangleEdge, new_triangles_out: [Vertex] = None): + + split_edge.unlink() + + s1 = TriangleEdge(split_edge.p1, vertex) + s2 = TriangleEdge(split_edge.p2, vertex) + s1.is_segment = split_edge.is_segment + s2.is_segment = split_edge.is_segment + + new_triangles = [] + + for t in tris: + + self.triangles.remove(t) + + ext_vertex = t.ext_vertex(split_edge) + new_edge = TriangleEdge(ext_vertex, vertex) + + for s in t.edges(): + if s.has_vertex(ext_vertex): + partial = s1 if s.has_vertex(split_edge.p1) else s2 + new_triangle = Triangle(new_edge, partial, s) + if new_triangles_out is not None: + new_triangles_out.append(new_triangle) + new_triangle.is_outside = t.is_outside + new_triangles.append(new_triangle) + self.triangles.append(new_triangle) + + return self._fix_triangles(new_triangles, [s1, s2], new_triangles_out) + + def _is_illegal_edge(self, edge): + + left = edge.left + right = edge.right + if left is None or right is None: + return False + + center, radius = left.circumcircle() + if right.ext_vertex(edge).in_circle(center, radius) > 0: + return True + + center, radius = right.circumcircle() + if left.ext_vertex(edge).in_circle(center, radius) > 0: + return True + + return False + + def _fix_triangles(self, tris: [Triangle], fixed_edges: [TriangleEdge], new_triangles: [Triangle] = None): + + flips = 0 + + self.level += 1 + for s in fixed_edges: + s.level = self.level + + queue = [] + + for t in tris: + for s in t.edges(): + if s.level < self.level and not s.is_segment: + if s not in queue: + queue.append(s) + + while not len(queue) == 0: + + todo = queue + queue = [] + + # NOTE: we cannot be sure that already treated edges will not become + # illegal by neighbor edges flipping .. + # for s in todo: + # s.level = self.level + + for s in todo: + if self._is_illegal_edge(s): + if s in queue: + queue.remove(s) + t1, t2, s12 = self.flip(s) + if new_triangles is not None: + new_triangles.append(t1) + new_triangles.append(t2) + flips += 1 + assert(not self._is_illegal_edge(s12)) # @@@ TODO: remove later + for s1 in t1.edges(): + if s1.level < self.level and not s1.is_segment and s1 not in queue: + queue.append(s1) + for s2 in t2.edges(): + if s2.level < self.level and not s2.is_segment and s2 not in queue: + queue.append(s2) + + return flips + + def flipped_edge(self, s: TriangleEdge) -> Edge: + + return Edge(s.left.ext_vertex(s), s.right.ext_vertex(s)) + + def flip(self, s: TriangleEdge) -> (Triangle, Triangle, TriangleEdge): + + t1 = s.left + t2 = s.right + + assert t1.is_outside == t2.is_outside + + s.unlink() + self.triangles.remove(t1) + self.triangles.remove(t2) + + t1_vext = t1.ext_vertex(s) + t1_sext1 = t1.find_edge_with(t1_vext, s.p1) + t1_sext2 = t1.find_edge_with(t1_vext, s.p2) + t2_vext = t2.ext_vertex(s) + t2_sext1 = t2.find_edge_with(t2_vext, s.p1) + t2_sext2 = t2.find_edge_with(t2_vext, s.p2) + s_new = TriangleEdge(t1_vext, t2_vext) + t1_new = Triangle(s_new, t1_sext1, t2_sext1) + t1_new.is_outside = t1.is_outside + t2_new = Triangle(s_new, t1_sext2, t2_sext2) + t2_new.is_outside = t2.is_outside + + self.triangles.append(t1_new) + self.triangles.append(t2_new) + + return t1_new, t2_new, s_new + + def _ensure_edge_inner(self, edge: Edge) -> [TriangleEdge]: + + crossed_edges = self.search_edges_crossing(edge) + + if len(crossed_edges) == 0: + + # no crossing edge - there should be a edge already + result = self.find_edge_for_points(edge.p1, edge.p2) + assert (result is not None) + result = [result] + + elif len(crossed_edges) == 1: + + # can be solved by flipping + _, _, result = self.flip(crossed_edges[0]) + assert (result.has_vertex(edge.p1) and result.has_vertex(edge.p2)) + result = [result] + + else: + + # split edge close to center + split_point = None + d = None + l_half = 0.25 * square(edge.d()) + for s in crossed_edges: + p = s.intersection_point(edge) + dp = abs(square(sub(p, edge.p1)) - l_half) + if d is None or dp < d: + dp = d + split_point = p + + split_vertex = self.insert(Vertex(split_point.x, split_point.y)) + + e1 = Edge(edge.p1, split_vertex) + e2 = Edge(split_vertex, edge.p2) + + result = self._ensure_edge_inner(e1) + self._ensure_edge_inner(e2) + + return result + + def ensure_edge(self, edge: Edge) -> [TriangleEdge]: + + # NOTE: this should not be required if the original outer edges are non-overlapping + # TODO: this is inefficient + for v in self.vertexes: + if edge.point_on(v): + return self.ensure_edge(Edge(edge.p1, v)) + self.ensure_edge(Edge(v, edge.p2)) + + edges = self._ensure_edge_inner(edge) + for s in edges: + # mark the edges as fixed "forever" so we don't modify them when we ensure other edges + s.level = sys.maxsize + return edges + + def _join_edges(self, edges) -> [TriangleEdge]: + + # edges are supposed to be ordered + final_edges = [] + i = 1 + while i < len(edges): + s1 = edges[i - 1] + s2 = edges[i] + assert(s1.is_segment == s2.is_segment) + cp = s1.common_vertex(s2) + assert (cp is not None) + join_edges = [] + for s in cp.edges: + if s != s1 and s != s2: + if s.can_join_via(cp): + join_edges.append(s) + else: + join_edges = [] + break + if len(join_edges) > 0: + assert(len(join_edges) <= 2) + new_edge = TriangleEdge(s1.other_vertex(cp), s2.other_vertex(cp)) + new_edge.is_segment = s1.is_segment + for js in join_edges: + t1 = js.left + t2 = js.right + tedge1 = t1.opposite_edge(cp) + tedge2 = t2.opposite_edge(cp) + t1.unlink() + self.triangles.remove(t1) + t2.unlink() + self.triangles.remove(t2) + tri = Triangle(tedge1, tedge2, new_edge) + tri.is_outside = t1.is_outside + self.triangles.append(tri) + js.unlink() + self.vertexes.remove(cp) + s1.unlink() + s2.unlink() + edges[i - 1] = new_edge + del edges[i] + else: + i += 1 + + + def constrain(self, contours: [[Edge]]) -> object: + + """ + Given a set of contours with edges, mark outer triangles + + The edges must be made from existing vertexes. Edge orientation is + clockwise. + """ + + assert(not self.is_constrained) + + resolved_edges = [] + + for c in contours: + for edge in c: + edges = self.ensure_edge(edge) + resolved_edges.append( (edge, edges) ) + + for tri in self.triangles: + tri.is_outside = False + for s in tri.edges(): + s.is_segment = False + + new_tri = set() + + for re in resolved_edges: + edge, edges = re + for s in edges: + s.is_segment = True + outer_tri = None + d = sprod_sign(edge.d(), s.d()) + if d > 0: + outer_tri = s.left + if d < 0: + outer_tri = s.right + if outer_tri is not None: + assert (outer_tri in self.triangles) + new_tri.add(outer_tri) + outer_tri.is_outside = True + + while len(new_tri) > 0: + + next_tris = set() + + for tri in new_tri: + for s in tri.edges(): + if not s.is_segment: + ot = s.other(tri) + if ot is not None and not ot.is_outside: + next_tris.add(ot) + ot.is_outside = True + + new_tri = next_tris + + # join edges where possible + for re in resolved_edges: + _, edges = re + self._join_edges(edges) + + self.is_constrained = True + + def remove_outside_triangles(self): + + assert self.is_constrained + + for tri in self.triangles: + for s in tri.edges(): + s.level = 0 + + to_remove = [tri for tri in self.triangles if tri.is_outside] + for tri in to_remove: + for s in tri.edges(): + if not s.is_segment and s.level == 0: + s.level = 1 + s.unlink() + tri.unlink() + self.triangles.remove(tri) + + to_remove = [v for v in self.vertexes if len(v.edges) == 0] + for v in to_remove: + self.vertexes.remove(v) + + def create_constrained_delaunay(self, contours: [[Edge]]): + + edge_contours = [] + + for c in contours: + + if len(c) < 3: + continue + + edges = [] + edge_contours.append(edges) + + vl = None + vfirst = None + for pt in c: + v = self.insert(Vertex(pt.x, pt.y)) + if vfirst is None: + vfirst = v + else: + edges.append(Edge(vl, v)) + vl = v + edges.append(Edge(vl, vfirst)) + + self.constrain(edge_contours) + + + def check(self, check_delaunay: bool = True) -> bool: + + res = True + + if check_delaunay: + for t in self.triangles: + center, radius = t.circumcircle() + vi = self.find_inside_circle(center, radius) + if len(vi) > 0: + res = False + print(f"(check error) triangle does not meet Delaunay criterion: {repr(t)}") + for v in vi: + print(f" vertex inside circumcircle: {repr(v)}") + + edges = set() + for t in self.triangles: + edges.add(t.s1) + edges.add(t.s2) + edges.add(t.s3) + for s in t.edges(): + if not s.has_triangle(t): + print(f"(check error) edges {repr(s)} attached to triangle {repr(t)} does not refer to this triangle") + + for s in edges: + + if s.left and s.right: + if s.left.is_outside != s.right.is_outside: + if not s.is_segment: + print(f"(check error) edge {repr(s)} splits an outside and inside triangle, but is not a segment") + + for t in [ s.left, s.right ]: + if t is not None: + if t.s1 != s and t.s2 != s and t.s3 != s: + print(f"(check error) edge {repr(s)} not found in adjacent triangle {repr(t)}") + res = False + if t.p1() != s.p1 and t.p2() != s.p1 and t.p3() != s.p1: + print(f"(check error) edge's {repr(s)} p1 not found in adjacent triangle {repr(t)}") + res = False + if t.p1() != s.p2 and t.p2() != s.p2 and t.p3() != s.p2: + print(f"(check error) edge's {repr(s)} p2 not found in adjacent triangle {repr(t)}") + res = False + pext = [ p for p in t.vertexes if p != s.p1 and p != s.p2 ] + if len(pext) != 1: + print(f"(check error) adjacent triangle {repr(t)} has none or more than one point not in edge {repr(s)}") + res = False + else: + sgn = 1.0 if t == s.left else -1.0 + vp = vprod(s.d(), sub(pext[0], s.p1)) # positive if on left side + if vp * sgn <= 0.0: + side_str = "left" if t == s.left else "right" + print(f"(check error) external point {repr(pext[0])} not on {side_str} side of edge {repr(s)}") + res = False + + for v in self.vertexes: + for s in v.edges: + if s not in edges: + print(f"(check error) vertex {repr(v)} has orphan edge {repr(s)}") + res = False + + for v in self.vertexes: + num_outside_edges = 0 + for s in v.edges: + if s.is_outside(): + num_outside_edges += 1 + if num_outside_edges > 0 and num_outside_edges != 2: + print(f"(check error) vertex {repr(v)} has {num_outside_edges} outside edges (can only be 2)") + res = False + for s in v.edges: + if s.is_outside(): + print(f" Outside edge is {repr(s)}") + + vertexes = set() + for v in self.vertexes: + vertexes.add(v) + + for s in edges: + if s.p1 not in vertexes: + print(f"(check error) edge's {str(s)} p1 not found in vertex list") + res = False + if s not in s.p1.edges: + print(f"(check error) edge {str(s)} not found in p1's edge list") + res = False + if s.p2 not in vertexes: + print(f"(check error) edge's {str(s)} p2 not found in vertex list") + res = False + if s not in s.p2.edges: + print(f"(check error) edge {str(s)} not found in p2's edge list") + res = False + + return res + + def __str__(self): + return ", ".join([ str(t) for t in self.triangles ]) + + def dump(self): + print(str(self)) + +#endif diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index 42b8a2dc0f..98bde64dc7 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -34,6 +34,8 @@ namespace db { +class Layout; + class DB_PUBLIC Triangles { public: @@ -46,8 +48,12 @@ class DB_PUBLIC Triangles db::DBox bbox () const; bool check (bool check_delaunay = true) const; + void dump (const std::string &path) const; - std::vector find_points_around (const db::Vertex *vertex, double radius); + /** + * @brief Finds the points within (not "on") a circle of radius "radius" around the given vertex. + */ + std::vector find_points_around (Vertex *vertex, double radius); db::Vertex *insert_point (const db::DPoint &point, std::vector *new_triangles = 0); db::Vertex *insert (db::Vertex *vertex, std::vector *new_triangles = 0); @@ -68,10 +74,11 @@ class DB_PUBLIC Triangles // NOTE: these functions are SLOW and intended to test purposes only std::vector find_touching (const db::DBox &box); std::vector find_inside_circle (const db::DPoint ¢er, double radius); + db::Layout *to_layout () const; void remove_outside_vertex (db::Vertex *vertex, std::vector *new_triangles = 0); void remove_inside_vertex (db::Vertex *vertex, std::vector *new_triangles = 0); - std::vector fill_concave_corners (const std::vector &edges); + std::vector fill_concave_corners (const std::vector &edges); }; } From a242336834b231e4c034ae6d27c9a1c865c3c891 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 12 Aug 2023 18:30:00 +0200 Subject: [PATCH 055/128] WIP --- src/db/db/dbTriangle.h | 16 +++ src/db/db/dbTriangles.cc | 213 ++++++++++++++++++++------------------- src/db/db/dbTriangles.h | 4 +- 3 files changed, 129 insertions(+), 104 deletions(-) diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index e25bcb0da6..b34ec5b214 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -452,6 +452,22 @@ class DB_PUBLIC Triangle */ int contains (const db::DPoint &point) const; + /** + * @brief Gets a value indicating whether the triangle has the given vertex + */ + bool has_vertex (const db::Vertex *v) const + { + return mp_v1 == v || mp_v2 == v || mp_v3 == v; + } + + /** + * @brief Gets a value indicating whether the triangle has the given edge + */ + bool has_edge (const db::TriangleEdge *e) const + { + return mp_e1.get () == e || mp_e2.get () == e || mp_e3.get () == e; + } + private: bool m_is_outside; tl::weak_ptr mp_e1, mp_e2, mp_e3; diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index a088363b29..792174370d 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -145,9 +145,115 @@ Triangles::bbox () const bool Triangles::check (bool check_delaunay) const { + bool res = true; + + if (check_delaunay) { + for (auto t = mp_triangles.begin (); t != mp_triangles.end (); ++t) { + auto cp = t->circumcircle (); + auto vi = find_inside_circle (cp.first, cp.second); + if (! vi.empty ()) { + res = false; + tl::error << "(check error) triangle does not meet Delaunay criterion: " << t->to_string (); + for (auto v = vi.begin (); v != vi.end (); ++v) { + tl::error << " vertex inside circumcircle: " << (*v)->to_string (true); + } + } + } + } - // @@@ + for (auto t = mp_triangles.begin (); t != mp_triangles.end (); ++t) { + for (int i = 0; i < 3; ++i) { + if (! t->edge (i)->has_triangle (t.operator-> ())) { + tl::error << "(check error) edges " << t->edge (i)->to_string (true) + << " attached to triangle " << t->to_string (true) << " does not refer to this triangle"; + res = false; + } + } + } + + for (auto e = mp_edges.begin (); e != mp_edges.end (); ++e) { + + if (e->left () && e->right ()) { + if (e->left ()->is_outside () != e->right ()->is_outside () && ! e->is_segment ()) { + tl::error << "(check error) edge " << e->to_string (true) << " splits an outside and inside triangle, but is not a segment"; + res = false; + } + } + + for (auto t = e->begin_triangles (); t != e->end_triangles (); ++t) { + if (! t->has_edge (e.operator-> ())) { + tl::error << "(check error) edge " << e->to_string (true) << " not found in adjacent triangle " << t->to_string (true); + res = false; + } + } + + } + +#if 0 + for s in edges: + + for t in [ s.left, s.right ]: + if t is not None: + if t.s1 != s and t.s2 != s and t.s3 != s: + print(f"(check error) edge {repr(s)} not found in adjacent triangle {repr(t)}") + res = False + if t.p1() != s.p1 and t.p2() != s.p1 and t.p3() != s.p1: + print(f"(check error) edge's {repr(s)} p1 not found in adjacent triangle {repr(t)}") + res = False + if t.p1() != s.p2 and t.p2() != s.p2 and t.p3() != s.p2: + print(f"(check error) edge's {repr(s)} p2 not found in adjacent triangle {repr(t)}") + res = False + pext = [ p for p in t.vertexes if p != s.p1 and p != s.p2 ] + if len(pext) != 1: + print(f"(check error) adjacent triangle {repr(t)} has none or more than one point not in edge {repr(s)}") + res = False + else: + sgn = 1.0 if t == s.left else -1.0 + vp = vprod(s.d(), sub(pext[0], s.p1)) # positive if on left side + if vp * sgn <= 0.0: + side_str = "left" if t == s.left else "right" + print(f"(check error) external point {repr(pext[0])} not on {side_str} side of edge {repr(s)}") + res = False + + for v in self.vertexes: + for s in v.edges: + if s not in edges: + print(f"(check error) vertex {repr(v)} has orphan edge {repr(s)}") + res = False + + for v in self.vertexes: + num_outside_edges = 0 + for s in v.edges: + if s.is_outside(): + num_outside_edges += 1 + if num_outside_edges > 0 and num_outside_edges != 2: + print(f"(check error) vertex {repr(v)} has {num_outside_edges} outside edges (can only be 2)") + res = False + for s in v.edges: + if s.is_outside(): + print(f" Outside edge is {repr(s)}") + + vertexes = set() + for v in self.vertexes: + vertexes.add(v) + + for s in edges: + if s.p1 not in vertexes: + print(f"(check error) edge's {str(s)} p1 not found in vertex list") + res = False + if s not in s.p1.edges: + print(f"(check error) edge {str(s)} not found in p1's edge list") + res = False + if s.p2 not in vertexes: + print(f"(check error) edge's {str(s)} p2 not found in vertex list") + res = False + if s not in s.p2.edges: + print(f"(check error) edge {str(s)} not found in p2's edge list") + res = False + +#endif + return res; } db::Layout * @@ -246,14 +352,14 @@ Triangles::remove (db::Vertex *vertex, std::vector *new_triangle } std::vector -Triangles::find_touching (const db::DBox &box) +Triangles::find_touching (const db::DBox &box) const { // NOTE: this is a naive, slow implementation for test purposes std::vector res; for (auto v = m_vertex_heap.begin (); v != m_vertex_heap.end (); ++v) { if (v->begin_edges () != v->end_edges ()) { if (box.contains (*v)) { - res.push_back (v.operator-> ()); + res.push_back (const_cast (v.operator-> ())); } } } @@ -261,14 +367,14 @@ Triangles::find_touching (const db::DBox &box) } std::vector -Triangles::find_inside_circle (const db::DPoint ¢er, double radius) +Triangles::find_inside_circle (const db::DPoint ¢er, double radius) const { // NOTE: this is a naive, slow implementation for test purposes std::vector res; for (auto v = m_vertex_heap.begin (); v != m_vertex_heap.end (); ++v) { if (v->begin_edges () != v->end_edges ()) { if (v->in_circle (center, radius) == 1) { - res.push_back (v.operator-> ()); + res.push_back (const_cast (v.operator-> ())); } } } @@ -1130,101 +1236,4 @@ class Triangles(object): self.constrain(edge_contours) - def check(self, check_delaunay: bool = True) -> bool: - - res = True - - if check_delaunay: - for t in self.triangles: - center, radius = t.circumcircle() - vi = self.find_inside_circle(center, radius) - if len(vi) > 0: - res = False - print(f"(check error) triangle does not meet Delaunay criterion: {repr(t)}") - for v in vi: - print(f" vertex inside circumcircle: {repr(v)}") - - edges = set() - for t in self.triangles: - edges.add(t.s1) - edges.add(t.s2) - edges.add(t.s3) - for s in t.edges(): - if not s.has_triangle(t): - print(f"(check error) edges {repr(s)} attached to triangle {repr(t)} does not refer to this triangle") - - for s in edges: - - if s.left and s.right: - if s.left.is_outside != s.right.is_outside: - if not s.is_segment: - print(f"(check error) edge {repr(s)} splits an outside and inside triangle, but is not a segment") - - for t in [ s.left, s.right ]: - if t is not None: - if t.s1 != s and t.s2 != s and t.s3 != s: - print(f"(check error) edge {repr(s)} not found in adjacent triangle {repr(t)}") - res = False - if t.p1() != s.p1 and t.p2() != s.p1 and t.p3() != s.p1: - print(f"(check error) edge's {repr(s)} p1 not found in adjacent triangle {repr(t)}") - res = False - if t.p1() != s.p2 and t.p2() != s.p2 and t.p3() != s.p2: - print(f"(check error) edge's {repr(s)} p2 not found in adjacent triangle {repr(t)}") - res = False - pext = [ p for p in t.vertexes if p != s.p1 and p != s.p2 ] - if len(pext) != 1: - print(f"(check error) adjacent triangle {repr(t)} has none or more than one point not in edge {repr(s)}") - res = False - else: - sgn = 1.0 if t == s.left else -1.0 - vp = vprod(s.d(), sub(pext[0], s.p1)) # positive if on left side - if vp * sgn <= 0.0: - side_str = "left" if t == s.left else "right" - print(f"(check error) external point {repr(pext[0])} not on {side_str} side of edge {repr(s)}") - res = False - - for v in self.vertexes: - for s in v.edges: - if s not in edges: - print(f"(check error) vertex {repr(v)} has orphan edge {repr(s)}") - res = False - - for v in self.vertexes: - num_outside_edges = 0 - for s in v.edges: - if s.is_outside(): - num_outside_edges += 1 - if num_outside_edges > 0 and num_outside_edges != 2: - print(f"(check error) vertex {repr(v)} has {num_outside_edges} outside edges (can only be 2)") - res = False - for s in v.edges: - if s.is_outside(): - print(f" Outside edge is {repr(s)}") - - vertexes = set() - for v in self.vertexes: - vertexes.add(v) - - for s in edges: - if s.p1 not in vertexes: - print(f"(check error) edge's {str(s)} p1 not found in vertex list") - res = False - if s not in s.p1.edges: - print(f"(check error) edge {str(s)} not found in p1's edge list") - res = False - if s.p2 not in vertexes: - print(f"(check error) edge's {str(s)} p2 not found in vertex list") - res = False - if s not in s.p2.edges: - print(f"(check error) edge {str(s)} not found in p2's edge list") - res = False - - return res - - def __str__(self): - return ", ".join([ str(t) for t in self.triangles ]) - - def dump(self): - print(str(self)) - #endif diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index 98bde64dc7..b904f02660 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -72,8 +72,8 @@ class DB_PUBLIC Triangles void remove (db::Triangle *tri); // NOTE: these functions are SLOW and intended to test purposes only - std::vector find_touching (const db::DBox &box); - std::vector find_inside_circle (const db::DPoint ¢er, double radius); + std::vector find_touching (const db::DBox &box) const; + std::vector find_inside_circle (const db::DPoint ¢er, double radius) const; db::Layout *to_layout () const; void remove_outside_vertex (db::Vertex *vertex, std::vector *new_triangles = 0); From 789ae93b52c74959ba5e1d590d683e90630c9728 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 12 Aug 2023 18:45:13 +0200 Subject: [PATCH 056/128] WIP --- src/db/db/dbTriangle.cc | 11 +++ src/db/db/dbTriangle.h | 2 + src/db/db/dbTriangles.cc | 105 +++++++++++--------------- src/db/unit_tests/dbTrianglesTests.cc | 2 + 4 files changed, 57 insertions(+), 63 deletions(-) diff --git a/src/db/db/dbTriangle.cc b/src/db/db/dbTriangle.cc index 5ffeaa408a..60071f41a1 100644 --- a/src/db/db/dbTriangle.cc +++ b/src/db/db/dbTriangle.cc @@ -91,6 +91,17 @@ Vertex::triangles () const return res; } +bool +Vertex::has_edge (const TriangleEdge *edge) const +{ + for (auto e = m_edges.begin (); e != m_edges.end (); ++e) { + if (e.operator-> () == edge) { + return true; + } + } + return false; +} + std::string Vertex::to_string (bool with_id) const { diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index b34ec5b214..6d95f99e78 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -65,6 +65,8 @@ class DB_PUBLIC Vertex edges_iterator end_edges () const { return m_edges.end (); } size_t num_edges () const { return m_edges.size (); } + bool has_edge (const TriangleEdge *edge) const; + size_t level () const { return m_level; } void set_level (size_t l) { m_level = l; } diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 792174370d..2afed37348 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -185,73 +185,52 @@ Triangles::check (bool check_delaunay) const tl::error << "(check error) edge " << e->to_string (true) << " not found in adjacent triangle " << t->to_string (true); res = false; } + if (! t->has_vertex (e->v1 ())) { + tl::error << "(check error) edges " << e->to_string (true) << " vertex 1 not found in adjacent triangle " << t->to_string (true); + res = false; + } + if (! t->has_vertex (e->v2 ())) { + tl::error << "(check error) edges " << e->to_string (true) << " vertex 2 not found in adjacent triangle " << t->to_string (true); + res = false; + } + db::Vertex *vopp = t->opposite (e.operator-> ()); + double sgn = (e->left () == t.operator-> ()) ? 1.0 : -1.0; + double vp = db::vprod (e->d(), *vopp - *e->v1 ()); // positive if on left side + if (vp * sgn <= 0.0) { + const char * side_str = sgn > 0.0 ? "left" : "right"; + tl::error << "(check error) external point " << vopp->to_string (true) << " not on " << side_str << " side of edge " << e->to_string (true); + res = false; + } } - } - -#if 0 - for s in edges: - - for t in [ s.left, s.right ]: - if t is not None: - if t.s1 != s and t.s2 != s and t.s3 != s: - print(f"(check error) edge {repr(s)} not found in adjacent triangle {repr(t)}") - res = False - if t.p1() != s.p1 and t.p2() != s.p1 and t.p3() != s.p1: - print(f"(check error) edge's {repr(s)} p1 not found in adjacent triangle {repr(t)}") - res = False - if t.p1() != s.p2 and t.p2() != s.p2 and t.p3() != s.p2: - print(f"(check error) edge's {repr(s)} p2 not found in adjacent triangle {repr(t)}") - res = False - pext = [ p for p in t.vertexes if p != s.p1 and p != s.p2 ] - if len(pext) != 1: - print(f"(check error) adjacent triangle {repr(t)} has none or more than one point not in edge {repr(s)}") - res = False - else: - sgn = 1.0 if t == s.left else -1.0 - vp = vprod(s.d(), sub(pext[0], s.p1)) # positive if on left side - if vp * sgn <= 0.0: - side_str = "left" if t == s.left else "right" - print(f"(check error) external point {repr(pext[0])} not on {side_str} side of edge {repr(s)}") - res = False - - for v in self.vertexes: - for s in v.edges: - if s not in edges: - print(f"(check error) vertex {repr(v)} has orphan edge {repr(s)}") - res = False + if (! e->v1 ()->has_edge (e.operator-> ())) { + tl::error << "(check error) edge " << e->to_string (true) << " vertex 1 does not list this edge"; + res = false; + } + if (! e->v2 ()->has_edge (e.operator-> ())) { + tl::error << "(check error) edge " << e->to_string (true) << " vertex 2 does not list this edge"; + res = false; + } - for v in self.vertexes: - num_outside_edges = 0 - for s in v.edges: - if s.is_outside(): - num_outside_edges += 1 - if num_outside_edges > 0 and num_outside_edges != 2: - print(f"(check error) vertex {repr(v)} has {num_outside_edges} outside edges (can only be 2)") - res = False - for s in v.edges: - if s.is_outside(): - print(f" Outside edge is {repr(s)}") - - vertexes = set() - for v in self.vertexes: - vertexes.add(v) - - for s in edges: - if s.p1 not in vertexes: - print(f"(check error) edge's {str(s)} p1 not found in vertex list") - res = False - if s not in s.p1.edges: - print(f"(check error) edge {str(s)} not found in p1's edge list") - res = False - if s.p2 not in vertexes: - print(f"(check error) edge's {str(s)} p2 not found in vertex list") - res = False - if s not in s.p2.edges: - print(f"(check error) edge {str(s)} not found in p2's edge list") - res = False + } -#endif + for (auto v = m_vertex_heap.begin (); v != m_vertex_heap.end (); ++v) { + unsigned int num_outside_edges = 0; + for (auto e = v->begin_edges (); e != v->end_edges (); ++e) { + if (e->is_outside ()) { + ++num_outside_edges; + } + } + if (num_outside_edges > 0 && num_outside_edges != 2) { + tl::error << "(check error) vertex " << v->to_string (true) << " has " << num_outside_edges << " outside edges (can only be 2)"; + res = false; + for (auto e = v->begin_edges (); e != v->end_edges (); ++e) { + if (e->is_outside ()) { + tl::error << " Outside edge is " << e->to_string (true); + } + } + } + } return res; } diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index 8cd9a2a10f..e30e4e6e0e 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -30,4 +30,6 @@ TEST(1) tris.init_box (db::DBox (1, 0, 5, 4)); EXPECT_EQ (tris.bbox ().to_string (), "(1,0;5,4)"); + + EXPECT_EQ (tris.check (), true); } From f86f56fbb07095f7b032b1ef3b7e854492d806d4 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 12 Aug 2023 19:20:02 +0200 Subject: [PATCH 057/128] WIP --- src/db/db/dbTriangles.cc | 262 +++++++++++++++++++++------------------ src/db/db/dbTriangles.h | 4 +- 2 files changed, 144 insertions(+), 122 deletions(-) diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 2afed37348..b390d5abdc 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -309,9 +309,7 @@ Triangles::find_points_around (db::Vertex *vertex, double radius) db::Vertex * Triangles::insert_point (const db::DPoint &point, std::vector *new_triangles) { - - // @@@ - + return insert (create_vertex (point), new_triangles); } db::Vertex * @@ -322,14 +320,6 @@ Triangles::insert (db::Vertex *vertex, std::vector *new_triangle } -void -Triangles::remove (db::Vertex *vertex, std::vector *new_triangles) -{ - - // @@@ - -} - std::vector Triangles::find_touching (const db::DBox &box) const { @@ -360,23 +350,160 @@ Triangles::find_inside_circle (const db::DPoint ¢er, double radius) const return res; } +void +Triangles::remove (db::Vertex *vertex, std::vector *new_triangles) +{ + if (vertex->is_outside ()) { + remove_outside_vertex (vertex, new_triangles); + } else { + remove_inside_vertex (vertex, new_triangles); + } +} void -Triangles::remove_outside_vertex (db::Vertex *vertex, std::vector *new_triangles) +Triangles::remove_outside_vertex (db::Vertex *vertex, std::vector *new_triangles_out) { + auto to_remove = vertex->triangles (); - // @@@ + std::vector outer_edges; + for (auto t = to_remove.begin (); t != to_remove.end (); ++t) { + outer_edges.push_back ((*t)->opposite (vertex)); + } + + for (auto t = to_remove.begin (); t != to_remove.end (); ++t) { + remove (*t); + } + + auto new_triangles = fill_concave_corners (outer_edges); + fix_triangles (new_triangles, std::vector (), new_triangles_out); +} + +void +Triangles::remove_inside_vertex (db::Vertex *vertex, std::vector *new_triangles_out) +{ + std::vector triangles_to_fix; + std::set triangles_to_fix_set; + + bool make_new_triangle = true; + + while (vertex->num_edges () > 3) { + + db::TriangleEdge *to_flip = 0; + for (auto e = vertex->begin_edges (); e != vertex->end_edges () && to_flip == 0; ++e) { + if (e->can_flip ()) { + to_flip = const_cast (e.operator-> ()); + } + } + if (! to_flip) { + break; + } + + // NOTE: in the "can_join" case zero-area triangles are created which we will sort out later + triangles_to_fix_set.erase (to_flip->left ()); + triangles_to_fix_set.erase (to_flip->right ()); + + auto pp = flip (to_flip); + triangles_to_fix.push_back (pp.first.first); + triangles_to_fix_set.insert (pp.first.first); + triangles_to_fix.push_back (pp.first.second); + triangles_to_fix_set.insert (pp.first.second); + + } + + while (vertex->num_edges () > 3) { + + tl_assert (vertex->num_edges () == 4); + + // This case can happen if two edges attached to the vertex are collinear + // in this case choose the "join" strategy + db::TriangleEdge *jseg = 0; + for (auto e = vertex->begin_edges (); e != vertex->end_edges () && !jseg; ++e) { + if (e->can_join_via (vertex)) { + jseg = const_cast (e.operator-> ()); + } + } + tl_assert (jseg != 0); + + db::Vertex *v1 = jseg->left ()->opposite (jseg); + db::TriangleEdge *s1 = jseg->left ()->opposite (vertex); + db::Vertex *v2 = jseg->right ()->opposite (jseg); + db::TriangleEdge *s2 = jseg->right ()->opposite (vertex); + + db::TriangleEdge *jseg_opp = 0; + for (auto e = vertex->begin_edges (); e != vertex->end_edges () && !jseg_opp; ++e) { + if (!e->has_triangle (jseg->left ()) && !e->has_triangle (jseg->right ())) { + jseg_opp = const_cast (e.operator-> ()); + } + } + + db::TriangleEdge *s1opp = jseg_opp->left ()->opposite (vertex); + db::TriangleEdge *s2opp = jseg_opp->right ()->opposite (vertex); + + db::TriangleEdge *new_edge = create_edge (v1, v2); + db::Triangle *t1 = create_triangle (s1, s2, new_edge); + db::Triangle *t2 = create_triangle (s1opp, s2opp, new_edge); + + triangles_to_fix.push_back (t1); + triangles_to_fix_set.insert (t1); + triangles_to_fix.push_back (t2); + triangles_to_fix_set.insert (t2); + + make_new_triangle = false; + + } + + auto to_remove = vertex->triangles (); + + std::vector outer_edges; + for (auto t = to_remove.begin (); t != to_remove.end (); ++t) { + outer_edges.push_back ((*t)->opposite (vertex)); + } + for (auto t = to_remove.begin (); t != to_remove.end (); ++t) { + triangles_to_fix_set.erase (*t); + remove (*t); + } + + if (make_new_triangle) { + + tl_assert (outer_edges.size () == size_t (3)); + + db::Triangle *nt = create_triangle (outer_edges[0], outer_edges[1], outer_edges[2]); + triangles_to_fix.push_back (nt); + triangles_to_fix_set.insert (nt); + + } + + std::vector::iterator wp = triangles_to_fix.begin (); + for (auto t = triangles_to_fix.begin (); t != triangles_to_fix.end (); ++t) { + if (triangles_to_fix_set.find (*t) != triangles_to_fix_set.end ()) { + *wp++ = *t; + if (new_triangles_out) { + new_triangles_out->push_back (*t); + } + } + } + triangles_to_fix.erase (wp, triangles_to_fix.end ()); + + fix_triangles (triangles_to_fix, std::vector (), new_triangles_out); } void -Triangles::remove_inside_vertex (db::Vertex *vertex, std::vector *new_triangles) +Triangles::fix_triangles (const std::vector &tris, const std::vector &fixed_edges, std::vector *new_triangles) +{ + +// @@@ + +} + +std::pair, TriangleEdge *> Triangles::flip(TriangleEdge *edge) { // @@@ } + std::vector Triangles::fill_concave_corners (const std::vector &edges) { @@ -513,9 +640,6 @@ from .triangle import * class Triangles(object): - def insert_point(self, point, new_triangles: [Vertex] = None): - return self.insert(Vertex(point.x, point.y), new_triangles) - def insert(self, vertex, new_triangles: [Vertex] = None): self.flips = 0 @@ -547,110 +671,6 @@ class Triangles(object): assert(False) - def remove_vertex(self, vertex: Vertex, new_triangles: [Vertex] = None): - if vertex.is_outside(): - self._remove_outside_vertex(vertex, new_triangles) - else: - self._remove_inside_vertex(vertex, new_triangles) - - def _remove_outside_vertex(self, vertex: Vertex, new_triangles_out: [Vertex] = None): - - to_remove = vertex.triangles() - - outer_edges = [ t.opposite_edge(vertex) for t in to_remove ] - - for t in to_remove: - self.triangles.remove(t) - t.unlink() - - self.vertexes.remove(vertex) - vertex.unlink() - - new_triangles = self._fill_concave_corners(outer_edges) - - for nt in new_triangles: - self.triangles.append(nt) - - self._fix_triangles(new_triangles, [], new_triangles_out) - - def _remove_inside_vertex(self, vertex: Vertex, new_triangles: [Vertex] = None): - - triangles_to_fix = [] - - make_new_triangle = True - - while len(vertex.edges) > 3: - - to_flip = next((s for s in vertex.edges if s.can_flip()), None) - if to_flip is None: - break - - # NOTE: in the "can_join" case zero-area triangles are created which we will sort out later - any_flipped = True - if to_flip.left in triangles_to_fix: - triangles_to_fix.remove(to_flip.left) - if to_flip.right in triangles_to_fix: - triangles_to_fix.remove(to_flip.right) - t1, t2, _ = self.flip(to_flip) - triangles_to_fix.append(t1) - triangles_to_fix.append(t2) - - if len(vertex.edges) > 3: - - assert(len(vertex.edges) == 4) - - # This case can happen if two edges attached to the vertex are collinear - # in this case choose the "join" strategy - jseg = next((s for s in vertex.edges if s.can_join_via(vertex)), None) - assert(jseg is not None) - - v1 = jseg.left.ext_vertex(jseg) - s1 = jseg.left.opposite_edge(vertex) - v2 = jseg.right.ext_vertex(jseg) - s2 = jseg.right.opposite_edge(vertex) - - jseg_opp = next((s for s in vertex.edges if not s.has_triangle(jseg.left) and not s.has_triangle(jseg.right)), None) - assert(jseg_opp is not None) - - s1opp = jseg_opp.left.opposite_edge(vertex) - s2opp = jseg_opp.right.opposite_edge(vertex) - - new_edge = TriangleEdge(v1, v2) - t1 = Triangle(s1, s2, new_edge) - self.triangles.append(t1) - t2 = Triangle(s1opp, s2opp, new_edge) - self.triangles.append(t2) - triangles_to_fix.append(t1) - triangles_to_fix.append(t2) - - make_new_triangle = False - - to_remove = vertex.triangles() - - outer_edges = [ t.opposite_edge(vertex) for t in to_remove ] - - for t in to_remove: - self.triangles.remove(t) - t.unlink() - if t in triangles_to_fix: - triangles_to_fix.remove(t) - - self.vertexes.remove(vertex) - vertex.unlink() - - if make_new_triangle: - - assert(len(outer_edges) == 3) - - nt = Triangle(*outer_edges) - self.triangles.append(nt) - triangles_to_fix.append(nt) - - if new_triangles is not None: - new_triangles += triangles_to_fix - - self._fix_triangles(triangles_to_fix, [], new_triangles) - def _fill_concave_corners(self, edges: [TriangleEdge]) -> [Triangle]: diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index b904f02660..ac37f029bb 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -77,8 +77,10 @@ class DB_PUBLIC Triangles db::Layout *to_layout () const; void remove_outside_vertex (db::Vertex *vertex, std::vector *new_triangles = 0); - void remove_inside_vertex (db::Vertex *vertex, std::vector *new_triangles = 0); + void remove_inside_vertex (db::Vertex *vertex, std::vector *new_triangles_out = 0); std::vector fill_concave_corners (const std::vector &edges); + void fix_triangles (const std::vector &tris, const std::vector &fixed_edges, std::vector *new_triangles); + std::pair, db::TriangleEdge *> flip (TriangleEdge *edge); }; } From 0941bc214ce33a1abba37c78c3c36add8c49d739 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 12 Aug 2023 20:27:05 +0200 Subject: [PATCH 058/128] WIP --- src/db/db/dbTriangle.cc | 18 +++++++- src/db/db/dbTriangle.h | 2 + src/db/db/dbTriangles.cc | 62 +++++++++++++--------------- src/db/unit_tests/dbTriangleTests.cc | 4 ++ 4 files changed, 50 insertions(+), 36 deletions(-) diff --git a/src/db/db/dbTriangle.cc b/src/db/db/dbTriangle.cc index 60071f41a1..124510cfca 100644 --- a/src/db/db/dbTriangle.cc +++ b/src/db/db/dbTriangle.cc @@ -148,14 +148,14 @@ TriangleEdge::TriangleEdge (Vertex *v1, Vertex *v2) void TriangleEdge::set_left (Triangle *t) { - tl_assert (left () == 0); + tl_assert (t == 0 || left () == 0); mp_left = t; } void TriangleEdge::set_right (Triangle *t) { - tl_assert (right () == 0); + tl_assert (t == 0 || right () == 0); mp_right = t; } @@ -345,6 +345,20 @@ Triangle::Triangle (TriangleEdge *e1, TriangleEdge *e2, TriangleEdge *e3) } } +void +Triangle::unlink () +{ + for (int i = 0; i != 3; ++i) { + db::TriangleEdge *e = edge (i); + if (e->left () == this) { + e->set_left (0); + } + if (e->right () == this) { + e->set_right (0); + } + } +} + std::string Triangle::to_string (bool with_id) const { diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index 6d95f99e78..3459ad155b 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -408,6 +408,8 @@ class DB_PUBLIC Triangle Triangle (); Triangle (TriangleEdge *e1, TriangleEdge *e2, TriangleEdge *e3); + void unlink (); + bool is_outside () const { return m_is_outside; } void set_outside (bool o) { m_is_outside = o; } diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index b390d5abdc..ec97bb1797 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -496,13 +496,38 @@ Triangles::fix_triangles (const std::vector &tris, const std::ve } -std::pair, TriangleEdge *> Triangles::flip(TriangleEdge *edge) +std::pair, TriangleEdge *> Triangles::flip (TriangleEdge *edge) { + db::Triangle *t1 = edge->left (); + db::Triangle *t2 = edge->right (); - // @@@ + bool outside = t1->is_outside (); + tl_assert (t1->is_outside () == outside); -} + // prepare for the new triangle to replace this one + t1->unlink (); + t2->unlink (); + + db::Vertex *t1_vext = t1->opposite (edge); + db::TriangleEdge *t1_sext1 = t1->find_edge_with (t1_vext, edge->v1 ()); + db::TriangleEdge *t1_sext2 = t1->find_edge_with (t1_vext, edge->v2 ()); + + db::Vertex *t2_vext = t2->opposite (edge); + db::TriangleEdge *t2_sext1 = t2->find_edge_with (t2_vext, edge->v1 ()); + db::TriangleEdge *t2_sext2 = t2->find_edge_with (t2_vext, edge->v2 ()); + + db::TriangleEdge *s_new = create_edge (t1_vext, t2_vext); + db::Triangle *t1_new = create_triangle (s_new, t1_sext1, t2_sext1); + t1_new->set_outside (outside); + db::Triangle *t2_new = create_triangle (s_new, t1_sext2, t2_sext2); + t2_new->set_outside (outside); + + remove (t1); + remove (t2); + + return std::make_pair (std::make_pair (t1_new, t2_new), s_new); +} std::vector Triangles::fill_concave_corners (const std::vector &edges) @@ -671,9 +696,6 @@ class Triangles(object): assert(False) - def _fill_concave_corners(self, edges: [TriangleEdge]) -> [Triangle]: - - def find_triangle_for_vertex(self, p: Point) -> [Triangle]: edge = self.find_closest_edge(p) @@ -1000,34 +1022,6 @@ class Triangles(object): return Edge(s.left.ext_vertex(s), s.right.ext_vertex(s)) - def flip(self, s: TriangleEdge) -> (Triangle, Triangle, TriangleEdge): - - t1 = s.left - t2 = s.right - - assert t1.is_outside == t2.is_outside - - s.unlink() - self.triangles.remove(t1) - self.triangles.remove(t2) - - t1_vext = t1.ext_vertex(s) - t1_sext1 = t1.find_edge_with(t1_vext, s.p1) - t1_sext2 = t1.find_edge_with(t1_vext, s.p2) - t2_vext = t2.ext_vertex(s) - t2_sext1 = t2.find_edge_with(t2_vext, s.p1) - t2_sext2 = t2.find_edge_with(t2_vext, s.p2) - s_new = TriangleEdge(t1_vext, t2_vext) - t1_new = Triangle(s_new, t1_sext1, t2_sext1) - t1_new.is_outside = t1.is_outside - t2_new = Triangle(s_new, t1_sext2, t2_sext2) - t2_new.is_outside = t2.is_outside - - self.triangles.append(t1_new) - self.triangles.append(t2_new) - - return t1_new, t2_new, s_new - def _ensure_edge_inner(self, edge: Edge) -> [TriangleEdge]: crossed_edges = self.search_edges_crossing(edge) diff --git a/src/db/unit_tests/dbTriangleTests.cc b/src/db/unit_tests/dbTriangleTests.cc index 7830c5726c..0b326e9b7f 100644 --- a/src/db/unit_tests/dbTriangleTests.cc +++ b/src/db/unit_tests/dbTriangleTests.cc @@ -356,6 +356,10 @@ TEST(TriangleEdge_triangles) EXPECT_EQ (e1->common_vertex (e2.get ()) == &v2, true); EXPECT_EQ (e2->common_vertex (e4.get ()) == 0, true); + + tri->unlink (); + EXPECT_EQ (e1->has_triangle (tri.get ()), false); + EXPECT_EQ (e1->has_triangle (tri2.get ()), true); } TEST(TriangleEdge_side_of) From 1756ddfafa7ae9294151084bace8872c1338877f Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 12 Aug 2023 20:44:30 +0200 Subject: [PATCH 059/128] WIP --- src/db/db/dbTriangles.cc | 152 ++++++++++++++++++++++++++------------- src/db/db/dbTriangles.h | 4 +- 2 files changed, 106 insertions(+), 50 deletions(-) diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index ec97bb1797..615a11b120 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -33,7 +33,7 @@ namespace db { Triangles::Triangles () - : m_is_constrained (false) + : m_is_constrained (false), m_level (0) { // .. nothing yet .. } @@ -488,15 +488,114 @@ Triangles::remove_inside_vertex (db::Vertex *vertex, std::vector fix_triangles (triangles_to_fix, std::vector (), new_triangles_out); } -void +int Triangles::fix_triangles (const std::vector &tris, const std::vector &fixed_edges, std::vector *new_triangles) { + int flips = 0; + + m_level += 1; + for (auto e = fixed_edges.begin (); e != fixed_edges.end (); ++e) { + (*e)->set_level (m_level); + } + + std::vector queue, todo; + + for (auto t = tris.begin (); t != tris.end (); ++t) { + for (int i = 0; i < 3; ++i) { + db::TriangleEdge *e = (*t)->edge (i); + if (e->level () < m_level && ! e->is_segment ()) { + queue.push_back (e); + } + } + } + + while (! queue.empty ()) { + + todo.clear (); + todo.swap (queue); + std::set queued; + + // NOTE: we cannot be sure that already treated edges will not become + // illegal by neighbor edges flipping .. + // for s in todo: + // s.level = self.level + + for (auto e = todo.begin (); e != todo.end (); ++e) { + + if (is_illegal_edge (*e)) { + + queued.erase (*e); + + auto pp = flip (*e); + auto t1 = pp.first.first; + auto t2 = pp.first.second; + auto s12 = pp.second; + + if (new_triangles) { + new_triangles->push_back (t1); + new_triangles->push_back (t2); + } + + ++flips; + tl_assert (! is_illegal_edge (s12)); // @@@ remove later! + + for (int i = 0; i < 3; ++i) { + db::TriangleEdge *s1 = t1->edge (i); + if (s1->level () < m_level && ! s1->is_segment () && queued.find (s1) == queued.end ()) { + queue.push_back (s1); + queued.insert (s1); + } + } + + for (int i = 0; i < 3; ++i) { + db::TriangleEdge *s2 = t2->edge (i); + if (s2->level () < m_level && ! s2->is_segment () && queued.find (s2) == queued.end ()) { + queue.push_back (s2); + queued.insert (s2); + } + } + + } + + } + + std::vector::iterator wp = queue.begin (); + for (auto e = queue.begin (); e != queue.end (); ++e) { + if (queued.find (*e) != queued.end ()) { + *wp++ = *e; + } + } + queue.erase (wp, queue.end ()); + + } + + return flips; +} + +bool +Triangles::is_illegal_edge (db::TriangleEdge *edge) +{ + db::Triangle *left = edge->left (); + db::Triangle *right = edge->right (); + if (!left || !right) { + return false; + } + + auto lr = left->circumcircle (); + if (right->opposite (edge)->in_circle (lr.first, lr.second) > 0) { + return true; + } -// @@@ + auto rr = right->circumcircle(); + if (left->opposite (edge)->in_circle (rr.first, rr.second) > 0) { + return true; + } + return false; } -std::pair, TriangleEdge *> Triangles::flip (TriangleEdge *edge) +std::pair, TriangleEdge *> +Triangles::flip (TriangleEdge *edge) { db::Triangle *t1 = edge->left (); db::Triangle *t2 = edge->right (); @@ -973,51 +1072,6 @@ class Triangles(object): return False - def _fix_triangles(self, tris: [Triangle], fixed_edges: [TriangleEdge], new_triangles: [Triangle] = None): - - flips = 0 - - self.level += 1 - for s in fixed_edges: - s.level = self.level - - queue = [] - - for t in tris: - for s in t.edges(): - if s.level < self.level and not s.is_segment: - if s not in queue: - queue.append(s) - - while not len(queue) == 0: - - todo = queue - queue = [] - - # NOTE: we cannot be sure that already treated edges will not become - # illegal by neighbor edges flipping .. - # for s in todo: - # s.level = self.level - - for s in todo: - if self._is_illegal_edge(s): - if s in queue: - queue.remove(s) - t1, t2, s12 = self.flip(s) - if new_triangles is not None: - new_triangles.append(t1) - new_triangles.append(t2) - flips += 1 - assert(not self._is_illegal_edge(s12)) # @@@ TODO: remove later - for s1 in t1.edges(): - if s1.level < self.level and not s1.is_segment and s1 not in queue: - queue.append(s1) - for s2 in t2.edges(): - if s2.level < self.level and not s2.is_segment and s2 not in queue: - queue.append(s2) - - return flips - def flipped_edge(self, s: TriangleEdge) -> Edge: return Edge(s.left.ext_vertex(s), s.right.ext_vertex(s)) diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index ac37f029bb..14208c0765 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -64,6 +64,7 @@ class DB_PUBLIC Triangles tl::weak_collection mp_edges; std::list m_vertex_heap; bool m_is_constrained; + size_t m_level; db::Vertex *create_vertex (double x, double y); db::Vertex *create_vertex (const db::DPoint &pt); @@ -79,8 +80,9 @@ class DB_PUBLIC Triangles void remove_outside_vertex (db::Vertex *vertex, std::vector *new_triangles = 0); void remove_inside_vertex (db::Vertex *vertex, std::vector *new_triangles_out = 0); std::vector fill_concave_corners (const std::vector &edges); - void fix_triangles (const std::vector &tris, const std::vector &fixed_edges, std::vector *new_triangles); + int fix_triangles(const std::vector &tris, const std::vector &fixed_edges, std::vector *new_triangles); std::pair, db::TriangleEdge *> flip (TriangleEdge *edge); + static bool is_illegal_edge (db::TriangleEdge *edge); }; } From b710b32fbe901fdd1cca35e36ee1c1ef6e8b136c Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 12 Aug 2023 21:23:00 +0200 Subject: [PATCH 060/128] WIP --- src/db/db/dbTriangles.cc | 285 +++++++++++++++++++++++++++++++++++---- src/db/db/dbTriangles.h | 14 +- 2 files changed, 268 insertions(+), 31 deletions(-) diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 615a11b120..a47eec737f 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -315,9 +315,264 @@ Triangles::insert_point (const db::DPoint &point, std::vector *n db::Vertex * Triangles::insert (db::Vertex *vertex, std::vector *new_triangles) { + std::vector tris = find_triangle_for_point (*vertex); - // @@@ + // the new vertex is outside the domain + if (tris.empty ()) { + tl_assert (! m_is_constrained); + insert_new_vertex (vertex, new_triangles); + return vertex; + } + + // the new vertex is on the edge between two triangles + std::vector on_edges; + for (int i = 0; i < 3; ++i) { + db::TriangleEdge *e = tris.front ()->edge (i); + if (e->side_of (*vertex) == 0) { + on_edges.push_back (e); + } + } + + if (! on_edges.empty ()) { + if (on_edges.size () == size_t (1)) { + split_triangles_on_edge (tris, vertex, on_edges.front (), new_triangles); + return vertex; + } else { + // the vertex is already present + tl_assert (on_edges.size () == size_t (2)); + return on_edges.front ()->common_vertex (on_edges [1]); + } + } else if (tris.size () == size_t (1)) { + // the new vertex is inside one triangle + split_triangle (tris.front (), vertex, new_triangles); + return vertex; + } + + tl_assert (false); +} + +std::vector +Triangles::find_triangle_for_point (const db::DPoint &point) +{ + db::TriangleEdge *edge = find_closest_edge (point); + + std::vector res; + if (edge) { + for (auto t = edge->begin_triangles (); t != edge->end_triangles (); ++t) { + if (t->contains (point) >= 0) { + res.push_back (t.operator-> ()); + } + } + } + return res; +} + +db::TriangleEdge * +Triangles::find_closest_edge (const db::DPoint &p, db::Vertex *vstart, bool inside_only) +{ + if (!vstart) { + if (! mp_triangles.empty ()) { + vstart = mp_triangles.front ()->vertex (0); + } else { + return 0; + } + } + + db::DEdge line (*vstart, p); + + double d = -1.0; + db::TriangleEdge *edge = 0; + db::Vertex *v = vstart; + + while (v) { + + db::Vertex *vnext = 0; + + for (auto e = v->begin_edges (); e != v->end_edges (); ++e) { + + if (inside_only) { + // NOTE: in inside mode we stay on the line of sight as we don't + // want to walk around outside pockets. + if (! e->is_segment () && e->is_for_outside_triangles ()) { + continue; + } + if (! e->crosses_including (line)) { + continue; + } + } + + double ds = e->distance (p); + + if (d < 0.0 || ds < d) { + + d = ds; + edge = const_cast (e.operator-> ()); + vnext = edge->other (v); + + } else if (fabs (ds - d) < std::max (1.0, fabs (ds) + fabs (d)) * db::epsilon) { + + // this differentiation selects the edge which bends further towards + // the target point if both edges share a common point and that + // is the one the determines the distance. + db::Vertex *cv = edge->common_vertex (e.operator-> ()); + if (cv) { + db::DVector edge_d = *edge->other (cv) - *cv; + db::DVector e_d = *e->other(cv) - *cv; + db::DVector r = p - *cv; + double edge_sp = db::sprod (r, edge_d) / edge_d.length (); + double s_sp = db::sprod (r, e_d) / e_d.length (); + if (s_sp > edge_sp) { + edge = const_cast (e.operator-> ()); + vnext = edge->other (v); + } + } + + } + + } + + v = vnext; + + } + + return edge; +} + +void +Triangles::insert_new_vertex (db::Vertex *vertex, std::vector *new_triangles_out) +{ +#if 0 + if len(self.vertexes) <= 3: + if len(self.vertexes) == 3: + # form the first triangle + s1 = TriangleEdge(self.vertexes[0], self.vertexes[1]) + s2 = TriangleEdge(self.vertexes[1], self.vertexes[2]) + s3 = TriangleEdge(self.vertexes[2], self.vertexes[0]) + # avoid degenerate Triangles to happen here @@@ + if vprod_sign(s1.d(), s2.d()) == 0: + self.vertexes = [] # reject some points? + else: + t = Triangle(s1, s2, s3) + if new_triangles_out is not None: + new_triangles_out.append(t) + self.triangles.append(t) + return 0 + + new_triangles = [] + + # Find closest edge + closest_edge = self.find_closest_edge(vertex) + assert(closest_edge is not None) + + s1 = TriangleEdge(vertex, closest_edge.p1) + s2 = TriangleEdge(vertex, closest_edge.p2) + + t = Triangle(s1, closest_edge, s2) + self.triangles.append(t) + new_triangles.append(t) + self._add_more_triangles(new_triangles, closest_edge, closest_edge.p1, vertex, s1) + self._add_more_triangles(new_triangles, closest_edge, closest_edge.p2, vertex, s2) + + if new_triangles_out is not None: + new_triangles_out += new_triangles + + return self._fix_triangles(new_triangles, [], new_triangles_out) +#endif +} + +void +Triangles::add_more_triangles (const std::vector &new_triangles, + db::TriangleEdge *incoming_edge, + db::Vertex *from_vertex, db::Vertex *to_vertex, + db::TriangleEdge *conn_edge) +{ +#if 0 + while True: + + next_edge = None + for s in from_vertex.edges: + if not s.has_vertex(to_vertex) and s.is_outside(): + # TODO: remove and break + assert(next_edge is None) + next_edge = s + + assert (next_edge is not None) + next_vertex = next_edge.other_vertex(from_vertex) + + d_from_to = sub(to_vertex, from_vertex) + incoming_vertex = incoming_edge.other_vertex(from_vertex) + if vprod_sign(sub(from_vertex, incoming_vertex), d_from_to) * vprod_sign(sub(from_vertex, next_vertex), d_from_to) >= 0: + return + + next_conn_edge = TriangleEdge(next_vertex, to_vertex) + t = Triangle(next_conn_edge, next_edge, conn_edge) + self.triangles.append(t) + new_triangles.append(t) + + incoming_edge = next_edge + conn_edge = next_conn_edge + from_vertex = next_vertex +#endif +} + +void +Triangles::split_triangle (db::Triangle *t, db::Vertex *vertex, std::vector *new_triangles_out) +{ +#if 0 + # TODO: this is not quite efficient + self.triangles.remove(t) + t.unlink() + + new_edges = {} + for v in t.vertexes: + new_edges[v] = TriangleEdge(v, vertex) + + new_triangles = [] + for s in t.edges(): + new_triangle = Triangle(s, new_edges[s.p1], new_edges[s.p2]) + if new_triangles_out is not None: + new_triangles_out.append(new_triangle) + new_triangle.is_outside = t.is_outside + new_triangles.append(new_triangle) + self.triangles.append(new_triangle) + + return self._fix_triangles(new_triangles, new_edges.values(), new_triangles_out) +#endif +} + +void +Triangles::split_triangles_on_edge (const std::vector &tris, db::Vertex *vertex, db::TriangleEdge *split_edge, std::vector *new_triangles_out) +{ +#if 0 + split_edge.unlink() + + s1 = TriangleEdge(split_edge.p1, vertex) + s2 = TriangleEdge(split_edge.p2, vertex) + s1.is_segment = split_edge.is_segment + s2.is_segment = split_edge.is_segment + + new_triangles = [] + + for t in tris: + + self.triangles.remove(t) + + ext_vertex = t.ext_vertex(split_edge) + new_edge = TriangleEdge(ext_vertex, vertex) + + for s in t.edges(): + if s.has_vertex(ext_vertex): + partial = s1 if s.has_vertex(split_edge.p1) else s2 + new_triangle = Triangle(new_edge, partial, s) + if new_triangles_out is not None: + new_triangles_out.append(new_triangle) + new_triangle.is_outside = t.is_outside + new_triangles.append(new_triangle) + self.triangles.append(new_triangle) + + return self._fix_triangles(new_triangles, [s1, s2], new_triangles_out) +#endif } std::vector @@ -766,34 +1021,6 @@ class Triangles(object): def insert(self, vertex, new_triangles: [Vertex] = None): - self.flips = 0 - - tris = self.find_triangle_for_vertex(vertex) - if len(tris) == 0: - assert(not self.is_constrained) - self.vertexes.append(vertex) - self.flips += self._insert_new_vertex(vertex, new_triangles) - return vertex - - # the new vertex is on the edge between two triangles - on_edges = [s for s in tris[0].edges() if s.side_of(vertex) == 0] - - if len(on_edges) > 0: - if len(on_edges) == 1: - self.vertexes.append(vertex) - self.flips += self._split_triangles_on_edge(tris, vertex, on_edges[0], new_triangles) - return vertex - else: - # the vertex is already present - assert (len(on_edges) == 2) - return on_edges[0].common_vertex(on_edges[1]) - elif len(tris) == 1: - # the new vertex is inside one triangle - self.vertexes.append(vertex) - self.flips += self._split_triangle(tris[0], vertex, new_triangles) - return vertex - - assert(False) def find_triangle_for_vertex(self, p: Point) -> [Triangle]: diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index 14208c0765..7f6a44dd06 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -50,6 +50,9 @@ class DB_PUBLIC Triangles bool check (bool check_delaunay = true) const; void dump (const std::string &path) const; + db::Vertex *create_vertex (double x, double y); + db::Vertex *create_vertex (const db::DPoint &pt); + /** * @brief Finds the points within (not "on") a circle of radius "radius" around the given vertex. */ @@ -66,8 +69,6 @@ class DB_PUBLIC Triangles bool m_is_constrained; size_t m_level; - db::Vertex *create_vertex (double x, double y); - db::Vertex *create_vertex (const db::DPoint &pt); db::TriangleEdge *create_edge (db::Vertex *v1, db::Vertex *v2); db::Triangle *create_triangle (db::TriangleEdge *e1, db::TriangleEdge *e2, db::TriangleEdge *e3); void remove (db::Triangle *tri); @@ -83,6 +84,15 @@ class DB_PUBLIC Triangles int fix_triangles(const std::vector &tris, const std::vector &fixed_edges, std::vector *new_triangles); std::pair, db::TriangleEdge *> flip (TriangleEdge *edge); static bool is_illegal_edge (db::TriangleEdge *edge); + std::vector find_triangle_for_point (const db::DPoint &point); + db::TriangleEdge *find_closest_edge (const db::DPoint &p, db::Vertex *vstart = 0, bool inside_only = false); + void split_triangle (db::Triangle *t, db::Vertex *vertex, std::vector *new_triangles_out); + void split_triangles_on_edge (const std::vector &tris, db::Vertex *vertex, db::TriangleEdge *split_edge, std::vector *new_triangles_out); + void add_more_triangles (const std::vector &new_triangles, + db::TriangleEdge *incoming_edge, + db::Vertex *from_vertex, db::Vertex *to_vertex, + db::TriangleEdge *conn_edge); + void insert_new_vertex (db::Vertex *vertex, std::vector *new_triangles_out); }; } From 255f2dd572d2a0fe988d24ebc0ce3ae2815d337a Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 12 Aug 2023 21:34:45 +0200 Subject: [PATCH 061/128] WIP --- src/db/db/dbTriangles.cc | 74 +++++++++++++++++++++++----------------- src/db/db/dbTriangles.h | 2 +- 2 files changed, 44 insertions(+), 32 deletions(-) diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index a47eec737f..4332e6fec4 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -441,44 +441,56 @@ Triangles::find_closest_edge (const db::DPoint &p, db::Vertex *vstart, bool insi void Triangles::insert_new_vertex (db::Vertex *vertex, std::vector *new_triangles_out) { -#if 0 - if len(self.vertexes) <= 3: - if len(self.vertexes) == 3: - # form the first triangle - s1 = TriangleEdge(self.vertexes[0], self.vertexes[1]) - s2 = TriangleEdge(self.vertexes[1], self.vertexes[2]) - s3 = TriangleEdge(self.vertexes[2], self.vertexes[0]) - # avoid degenerate Triangles to happen here @@@ - if vprod_sign(s1.d(), s2.d()) == 0: - self.vertexes = [] # reject some points? - else: - t = Triangle(s1, s2, s3) - if new_triangles_out is not None: - new_triangles_out.append(t) - self.triangles.append(t) - return 0 + if (mp_triangles.empty ()) { - new_triangles = [] + if (m_vertex_heap.size () == 3) { - # Find closest edge - closest_edge = self.find_closest_edge(vertex) - assert(closest_edge is not None) + std::vector vv; + for (auto v = m_vertex_heap.begin (); v != m_vertex_heap.end (); ++v) { + vv.push_back (v.operator-> ()); + } - s1 = TriangleEdge(vertex, closest_edge.p1) - s2 = TriangleEdge(vertex, closest_edge.p2) + // form the first triangle + db::TriangleEdge *s1 = create_edge (vv[0], vv[1]); + db::TriangleEdge *s2 = create_edge (vv[1], vv[2]); + db::TriangleEdge *s3 = create_edge (vv[2], vv[0]); - t = Triangle(s1, closest_edge, s2) - self.triangles.append(t) - new_triangles.append(t) + if (db::vprod_sign (s1->d (), s2->d ()) == 0) { + // avoid degenerate Triangles to happen here + tl_assert (false); + } else { + db::Triangle *t = create_triangle (s1, s2, s3); + if (new_triangles_out) { + new_triangles_out->push_back (t); + } + } - self._add_more_triangles(new_triangles, closest_edge, closest_edge.p1, vertex, s1) - self._add_more_triangles(new_triangles, closest_edge, closest_edge.p2, vertex, s2) + } - if new_triangles_out is not None: - new_triangles_out += new_triangles + return; - return self._fix_triangles(new_triangles, [], new_triangles_out) -#endif + } + + std::vector new_triangles; + + // Find closest edge + db::TriangleEdge *closest_edge = find_closest_edge (*vertex); + tl_assert (closest_edge != 0); + + db::TriangleEdge *s1 = create_edge (vertex, closest_edge->v1 ()); + db::TriangleEdge *s2 = create_edge (vertex, closest_edge->v2 ()); + + db::Triangle *t = create_triangle (s1, closest_edge, s2); + new_triangles.push_back (t); + + add_more_triangles (new_triangles, closest_edge, closest_edge->v1 (), vertex, s1); + add_more_triangles (new_triangles, closest_edge, closest_edge->v2 (), vertex, s2); + + if (new_triangles_out) { + new_triangles_out->insert (new_triangles_out->end (), new_triangles.begin (), new_triangles.end ()); + } + + fix_triangles (new_triangles, std::vector (), new_triangles_out); } void diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index 7f6a44dd06..f59ab9e96e 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -92,7 +92,7 @@ class DB_PUBLIC Triangles db::TriangleEdge *incoming_edge, db::Vertex *from_vertex, db::Vertex *to_vertex, db::TriangleEdge *conn_edge); - void insert_new_vertex (db::Vertex *vertex, std::vector *new_triangles_out); + void insert_new_vertex(db::Vertex *vertex, std::vector *new_triangles_out); }; } From 745eb9b6258c9969ff0ed6f54aadf26a494827f8 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 13 Aug 2023 16:37:01 +0200 Subject: [PATCH 062/128] First tests pass for triangles. --- src/db/db/dbTriangles.cc | 382 ++++++-------------------- src/db/db/dbTriangles.h | 90 +++++- src/db/unit_tests/dbTrianglesTests.cc | 118 +++++++- 3 files changed, 295 insertions(+), 295 deletions(-) diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 4332e6fec4..5ac17e9817 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -89,7 +89,7 @@ Triangles::remove (db::Triangle *tri) // clean up edges we do no longer need for (int i = 0; i < 3; ++i) { - if (edges [i]->left () == 0 && edges [i]->right () == 0) { + if (edges [i] && edges [i]->left () == 0 && edges [i]->right () == 0) { delete edges [i]; } } @@ -494,97 +494,118 @@ Triangles::insert_new_vertex (db::Vertex *vertex, std::vector *n } void -Triangles::add_more_triangles (const std::vector &new_triangles, +Triangles::add_more_triangles (std::vector &new_triangles, db::TriangleEdge *incoming_edge, db::Vertex *from_vertex, db::Vertex *to_vertex, db::TriangleEdge *conn_edge) { -#if 0 - while True: + while (true) { - next_edge = None - for s in from_vertex.edges: - if not s.has_vertex(to_vertex) and s.is_outside(): - # TODO: remove and break - assert(next_edge is None) - next_edge = s - - assert (next_edge is not None) - next_vertex = next_edge.other_vertex(from_vertex) - - d_from_to = sub(to_vertex, from_vertex) - incoming_vertex = incoming_edge.other_vertex(from_vertex) - if vprod_sign(sub(from_vertex, incoming_vertex), d_from_to) * vprod_sign(sub(from_vertex, next_vertex), d_from_to) >= 0: - return - - next_conn_edge = TriangleEdge(next_vertex, to_vertex) - t = Triangle(next_conn_edge, next_edge, conn_edge) - self.triangles.append(t) - new_triangles.append(t) - - incoming_edge = next_edge - conn_edge = next_conn_edge - from_vertex = next_vertex -#endif + db::TriangleEdge *next_edge = 0; + + for (auto e = from_vertex->begin_edges (); e != from_vertex->end_edges (); ++e) { + if (! e->has_vertex (to_vertex) && e->is_outside ()) { + // TODO: remove and break + tl_assert (next_edge == 0); + next_edge = const_cast (e.operator-> ()); + } + } + + tl_assert (next_edge != 0); + db::Vertex *next_vertex = next_edge->other (from_vertex); + + db::DVector d_from_to = *to_vertex - *from_vertex; + db::Vertex *incoming_vertex = incoming_edge->other (from_vertex); + if (db::vprod_sign(*from_vertex - *incoming_vertex, d_from_to) * db::vprod_sign(*from_vertex - *next_vertex, d_from_to) >= 0) { + return; + } + + db::TriangleEdge *next_conn_edge = create_edge (next_vertex, to_vertex); + db::Triangle *t = create_triangle (next_conn_edge, next_edge, conn_edge); + new_triangles.push_back (t); + + incoming_edge = next_edge; + conn_edge = next_conn_edge; + from_vertex = next_vertex; + + } } void Triangles::split_triangle (db::Triangle *t, db::Vertex *vertex, std::vector *new_triangles_out) { -#if 0 - # TODO: this is not quite efficient - self.triangles.remove(t) - t.unlink() - - new_edges = {} - for v in t.vertexes: - new_edges[v] = TriangleEdge(v, vertex) - - new_triangles = [] - for s in t.edges(): - new_triangle = Triangle(s, new_edges[s.p1], new_edges[s.p2]) - if new_triangles_out is not None: - new_triangles_out.append(new_triangle) - new_triangle.is_outside = t.is_outside - new_triangles.append(new_triangle) - self.triangles.append(new_triangle) - - return self._fix_triangles(new_triangles, new_edges.values(), new_triangles_out) -#endif + t->unlink (); + + std::map v2new_edges; + std::vector new_edges; + for (int i = 0; i < 3; ++i) { + db::Vertex *v = t->vertex (i); + db::TriangleEdge *e = create_edge (v, vertex); + v2new_edges[v] = e; + new_edges.push_back (e); + } + + std::vector new_triangles; + for (int i = 0; i < 3; ++i) { + db::TriangleEdge *e = t->edge (i); + db::Triangle *new_triangle = create_triangle (e, v2new_edges[e->v1 ()], v2new_edges[e->v2 ()]); + if (new_triangles_out) { + new_triangles_out->push_back (new_triangle); + } + new_triangle->set_outside (t->is_outside ()); + new_triangles.push_back (new_triangle); + } + + remove (t); + + fix_triangles (new_triangles, new_edges, new_triangles_out); } void Triangles::split_triangles_on_edge (const std::vector &tris, db::Vertex *vertex, db::TriangleEdge *split_edge, std::vector *new_triangles_out) { -#if 0 - split_edge.unlink() + TriangleEdge *s1 = create_edge (split_edge->v1 (), vertex); + TriangleEdge *s2 = create_edge (split_edge->v2 (), vertex); + s1->set_is_segment (split_edge->is_segment ()); + s2->set_is_segment (split_edge->is_segment ()); - s1 = TriangleEdge(split_edge.p1, vertex) - s2 = TriangleEdge(split_edge.p2, vertex) - s1.is_segment = split_edge.is_segment - s2.is_segment = split_edge.is_segment + std::vector new_triangles; - new_triangles = [] + for (auto t = tris.begin (); t != tris.end (); ++t) { - for t in tris: + (*t)->unlink (); - self.triangles.remove(t) + db::Vertex *ext_vertex = (*t)->opposite (split_edge); + TriangleEdge *new_edge = create_edge (ext_vertex, vertex); - ext_vertex = t.ext_vertex(split_edge) - new_edge = TriangleEdge(ext_vertex, vertex) + for (int i = 0; i < 3; ++i) { - for s in t.edges(): - if s.has_vertex(ext_vertex): - partial = s1 if s.has_vertex(split_edge.p1) else s2 - new_triangle = Triangle(new_edge, partial, s) - if new_triangles_out is not None: - new_triangles_out.append(new_triangle) - new_triangle.is_outside = t.is_outside - new_triangles.append(new_triangle) - self.triangles.append(new_triangle) + db::TriangleEdge *e = (*t)->edge (i); + if (e->has_vertex (ext_vertex)) { - return self._fix_triangles(new_triangles, [s1, s2], new_triangles_out) -#endif + TriangleEdge *partial = e->has_vertex (split_edge->v1 ()) ? s1 : s2; + db::Triangle *new_triangle = create_triangle (new_edge, partial, e); + + if (new_triangles_out) { + new_triangles_out->push_back (new_triangle); + } + new_triangle->set_outside ((*t)->is_outside ()); + new_triangles.push_back (new_triangle); + + } + + } + + } + + for (auto t = tris.begin (); t != tris.end (); ++t) { + remove (*t); + } + + std::vector fixed_edges; + fixed_edges.push_back (s1); + fixed_edges.push_back (s2); + fix_triangles (new_triangles, fixed_edges, new_triangles_out); } std::vector @@ -1031,29 +1052,6 @@ from .triangle import * class Triangles(object): - def insert(self, vertex, new_triangles: [Vertex] = None): - - - def find_triangle_for_vertex(self, p: Point) -> [Triangle]: - - edge = self.find_closest_edge(p) - if edge is not None: - return [ t for t in [ edge.left, edge.right ] if t is not None and t.contains(p) >= 0 ] - else: - return [] - - def find_vertex_for_point(self, p: Point) -> TriangleEdge: - - edge = self.find_closest_edge(p) - if edge is None: - return None - v = None - if equals(edge.p1, p): - v = edge.p1 - elif equals(edge.p2, p): - v = edge.p2 - return v - def find_edge_for_points(self, p1: Point, p2: Point) -> TriangleEdge: v = self.find_vertex_for_point(p1) @@ -1064,64 +1062,6 @@ class Triangles(object): return s return None - def find_closest_edge(self, p: Point, nstart: int = None, vstart: Vertex = None, inside_only = False) -> TriangleEdge: - - if nstart is None and vstart is None: - if len(self.vertexes) > 0: - vstart = self.vertexes[0] - else: - return None - elif nstart is not None: - if len(self.vertexes) > nstart: - vstart = self.vertexes[nstart] - else: - return None - elif vstart is None: - return None - - line = Edge(vstart, p) - - d = None - edge = None - - v = vstart - - while v is not None: - - vnext = None - - for s in v.edges: - if inside_only: - # NOTE: in inside mode we stay on the line of sight as we don't - # want to walk around outside pockets. - if not s.is_segment and s.is_for_outside_triangles(): - continue - if not s.crosses_including(line): - continue - ds = s.distance(p) - if d is None or ds < d: - d = ds - edge = s - vnext = edge.other_vertex(v) - elif abs(ds - d) < max(1, abs(ds) + abs(d)) * 1e-10: - # this differentiation selects the edge which bends further towards - # the target point if both edges share a common point and that - # is the one the determines the distance. - cv = edge.common_vertex(s) - if cv is not None: - edge_d = sub(edge.other_vertex(cv), cv) - s_d = sub(s.other_vertex(cv), cv) - r = sub(p, cv) - edge_sp = sprod(r, edge_d) / math.sqrt(square(edge_d)) - s_sp = sprod(r, s_d) / math.sqrt(square(s_d)) - if s_sp > edge_sp: - edge = s - vnext = edge.other_vertex(v) - - v = vnext - - return edge - def search_edges_crossing(self, edge: TriangleEdge) -> set: """ Finds all edges that cross the given one for a convex triangulation @@ -1175,146 +1115,6 @@ class Triangles(object): assert (next_edge is not None) - def _insert_new_vertex(self, vertex, new_triangles_out: [Vertex] = None): - - if len(self.vertexes) <= 3: - if len(self.vertexes) == 3: - # form the first triangle - s1 = TriangleEdge(self.vertexes[0], self.vertexes[1]) - s2 = TriangleEdge(self.vertexes[1], self.vertexes[2]) - s3 = TriangleEdge(self.vertexes[2], self.vertexes[0]) - # avoid degenerate Triangles to happen here @@@ - if vprod_sign(s1.d(), s2.d()) == 0: - self.vertexes = [] # reject some points? - else: - t = Triangle(s1, s2, s3) - if new_triangles_out is not None: - new_triangles_out.append(t) - self.triangles.append(t) - return 0 - - new_triangles = [] - - # Find closest edge - closest_edge = self.find_closest_edge(vertex) - assert(closest_edge is not None) - - s1 = TriangleEdge(vertex, closest_edge.p1) - s2 = TriangleEdge(vertex, closest_edge.p2) - - t = Triangle(s1, closest_edge, s2) - self.triangles.append(t) - new_triangles.append(t) - - self._add_more_triangles(new_triangles, closest_edge, closest_edge.p1, vertex, s1) - self._add_more_triangles(new_triangles, closest_edge, closest_edge.p2, vertex, s2) - - if new_triangles_out is not None: - new_triangles_out += new_triangles - - return self._fix_triangles(new_triangles, [], new_triangles_out) - - def _add_more_triangles(self, new_triangles, incoming_edge: TriangleEdge, from_vertex: Vertex, to_vertex: Vertex, conn_edge: TriangleEdge): - - while True: - - next_edge = None - for s in from_vertex.edges: - if not s.has_vertex(to_vertex) and s.is_outside(): - # TODO: remove and break - assert(next_edge is None) - next_edge = s - - assert (next_edge is not None) - next_vertex = next_edge.other_vertex(from_vertex) - - d_from_to = sub(to_vertex, from_vertex) - incoming_vertex = incoming_edge.other_vertex(from_vertex) - if vprod_sign(sub(from_vertex, incoming_vertex), d_from_to) * vprod_sign(sub(from_vertex, next_vertex), d_from_to) >= 0: - return - - next_conn_edge = TriangleEdge(next_vertex, to_vertex) - t = Triangle(next_conn_edge, next_edge, conn_edge) - self.triangles.append(t) - new_triangles.append(t) - - incoming_edge = next_edge - conn_edge = next_conn_edge - from_vertex = next_vertex - - - def _split_triangle(self, t, vertex, new_triangles_out: [Vertex] = None): - - # TODO: this is not quite efficient - self.triangles.remove(t) - t.unlink() - - new_edges = {} - for v in t.vertexes: - new_edges[v] = TriangleEdge(v, vertex) - - new_triangles = [] - for s in t.edges(): - new_triangle = Triangle(s, new_edges[s.p1], new_edges[s.p2]) - if new_triangles_out is not None: - new_triangles_out.append(new_triangle) - new_triangle.is_outside = t.is_outside - new_triangles.append(new_triangle) - self.triangles.append(new_triangle) - - return self._fix_triangles(new_triangles, new_edges.values(), new_triangles_out) - - def _split_triangles_on_edge(self, tris, vertex: Vertex, split_edge: TriangleEdge, new_triangles_out: [Vertex] = None): - - split_edge.unlink() - - s1 = TriangleEdge(split_edge.p1, vertex) - s2 = TriangleEdge(split_edge.p2, vertex) - s1.is_segment = split_edge.is_segment - s2.is_segment = split_edge.is_segment - - new_triangles = [] - - for t in tris: - - self.triangles.remove(t) - - ext_vertex = t.ext_vertex(split_edge) - new_edge = TriangleEdge(ext_vertex, vertex) - - for s in t.edges(): - if s.has_vertex(ext_vertex): - partial = s1 if s.has_vertex(split_edge.p1) else s2 - new_triangle = Triangle(new_edge, partial, s) - if new_triangles_out is not None: - new_triangles_out.append(new_triangle) - new_triangle.is_outside = t.is_outside - new_triangles.append(new_triangle) - self.triangles.append(new_triangle) - - return self._fix_triangles(new_triangles, [s1, s2], new_triangles_out) - - def _is_illegal_edge(self, edge): - - left = edge.left - right = edge.right - if left is None or right is None: - return False - - center, radius = left.circumcircle() - if right.ext_vertex(edge).in_circle(center, radius) > 0: - return True - - center, radius = right.circumcircle() - if left.ext_vertex(edge).in_circle(center, radius) > 0: - return True - - return False - - def flipped_edge(self, s: TriangleEdge) -> Edge: - - return Edge(s.left.ext_vertex(s), s.right.ext_vertex(s)) - def _ensure_edge_inner(self, edge: Edge) -> [TriangleEdge]: crossed_edges = self.search_edges_crossing(edge) diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index f59ab9e96e..d1ed0c8e46 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -39,18 +39,77 @@ class Layout; class DB_PUBLIC Triangles { public: + typedef tl::shared_collection triangles_type; + typedef triangles_type::const_iterator triangle_iterator; + Triangles (); ~Triangles (); + /** + * @brief Initializes the triangle collection with a box + * Two triangles will be created. + */ void init_box (const db::DBox &box); + + /** + * @brief Returns a string representation of the triangle graph. + */ std::string to_string (); + /** + * @brief Returns the bounding box of the triangle graph. + */ db::DBox bbox () const; + /** + * @brief Iterates the triangles in the graph (begin iterator) + */ + triangle_iterator begin () const { return mp_triangles.begin (); } + + /** + * @brief Iterates the triangles in the graph (end iterator) + */ + triangle_iterator end () const { return mp_triangles.end (); } + + /** + * @brief Returns the number of triangles in the graph + */ + size_t num_triangles () const { return mp_triangles.size (); } + + /** + * @brief Checks the triangle graph for consistency + * This method is for testing purposes mainly. + */ bool check (bool check_delaunay = true) const; + + /** + * @brief Dumps the triangle graph to a GDS file at the given path + * This method is for testing purposes mainly. + */ void dump (const std::string &path) const; + /** + * @brief Creates a new layout object representing the triangle graph + * This method is for testing purposes mainly. + */ + db::Layout *to_layout () const; + + /** + * @brief Creates a new vertex object + * + * In order to insert the new vertex into the graph, use "insert". + * Normally, "insert_point" should be used which creates a vertex and + * inserts it. + */ db::Vertex *create_vertex (double x, double y); + + /** + * @brief Creates a new vertex object + * + * In order to insert the new vertex into the graph, use "insert". + * Normally, "insert_point" should be used which creates a vertex and + * inserts it. + */ db::Vertex *create_vertex (const db::DPoint &pt); /** @@ -58,10 +117,37 @@ class DB_PUBLIC Triangles */ std::vector find_points_around (Vertex *vertex, double radius); + /** + * @brief Inserts a new vertex as the given point + * + * If "new_triangles" is not null, it will receive the list of new triangles created during + * the remove step. + */ db::Vertex *insert_point (const db::DPoint &point, std::vector *new_triangles = 0); + + /** + * @brief Inserts the given vertex + * + * If "new_triangles" is not null, it will receive the list of new triangles created during + * the remove step. + * The return value is the actual vertex created. It is no necessarily the one passed. When + * a vertex already exists at the given location, the input vertex is ignored and the present + * vertex is returned. + */ db::Vertex *insert (db::Vertex *vertex, std::vector *new_triangles = 0); + + /** + * @brief Removes the given vertex + * + * If "new_triangles" is not null, it will receive the list of new triangles created during + * the remove step. + */ void remove (db::Vertex *vertex, std::vector *new_triangles = 0); + + // exposed for testing purposes: + std::pair, db::TriangleEdge *> flip (TriangleEdge *edge); + private: tl::shared_collection mp_triangles; tl::weak_collection mp_edges; @@ -76,19 +162,17 @@ class DB_PUBLIC Triangles // NOTE: these functions are SLOW and intended to test purposes only std::vector find_touching (const db::DBox &box) const; std::vector find_inside_circle (const db::DPoint ¢er, double radius) const; - db::Layout *to_layout () const; void remove_outside_vertex (db::Vertex *vertex, std::vector *new_triangles = 0); void remove_inside_vertex (db::Vertex *vertex, std::vector *new_triangles_out = 0); std::vector fill_concave_corners (const std::vector &edges); int fix_triangles(const std::vector &tris, const std::vector &fixed_edges, std::vector *new_triangles); - std::pair, db::TriangleEdge *> flip (TriangleEdge *edge); static bool is_illegal_edge (db::TriangleEdge *edge); std::vector find_triangle_for_point (const db::DPoint &point); db::TriangleEdge *find_closest_edge (const db::DPoint &p, db::Vertex *vstart = 0, bool inside_only = false); void split_triangle (db::Triangle *t, db::Vertex *vertex, std::vector *new_triangles_out); void split_triangles_on_edge (const std::vector &tris, db::Vertex *vertex, db::TriangleEdge *split_edge, std::vector *new_triangles_out); - void add_more_triangles (const std::vector &new_triangles, + void add_more_triangles (std::vector &new_triangles, db::TriangleEdge *incoming_edge, db::Vertex *from_vertex, db::Vertex *to_vertex, db::TriangleEdge *conn_edge); diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index e30e4e6e0e..a293bdc825 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -24,12 +24,128 @@ #include "dbTriangles.h" #include "tlUnitTest.h" -TEST(1) +TEST(Triangle_basic) { db::Triangles tris; tris.init_box (db::DBox (1, 0, 5, 4)); EXPECT_EQ (tris.bbox ().to_string (), "(1,0;5,4)"); + EXPECT_EQ (tris.to_string (), "((1, 0), (1, 4), (5, 0)), ((1, 4), (5, 4), (5, 0))"); EXPECT_EQ (tris.check (), true); } + +TEST(Triangle_flip) +{ + db::Triangles tris; + tris.init_box (db::DBox (0, 0, 1, 1)); + EXPECT_EQ (tris.to_string (), "((0, 0), (0, 1), (1, 0)), ((0, 1), (1, 1), (1, 0))"); + + EXPECT_EQ (tris.num_triangles (), size_t (2)); + + const db::Triangle &t1 = *tris.begin (); + db::TriangleEdge *diag_segment; + for (int i = 0; i < 3; ++i) { + diag_segment = t1.edge (i); + if (diag_segment->side_of (db::DPoint (0.5, 0.5)) == 0) { + break; + } + } + tris.flip (diag_segment); + EXPECT_EQ (tris.to_string (), "((1, 1), (0, 0), (0, 1)), ((1, 1), (1, 0), (0, 0))"); + EXPECT_EQ (tris.check (), true); +} + +TEST(Triangle_insert) +{ + db::Triangles tris; + tris.init_box (db::DBox (0, 0, 1, 1)); + + tris.insert (tris.create_vertex (0.2, 0.2)); + EXPECT_EQ (tris.to_string (), "((0, 0), (0, 1), (0.2, 0.2)), ((1, 0), (0, 0), (0.2, 0.2)), ((1, 1), (0.2, 0.2), (0, 1)), ((1, 1), (1, 0), (0.2, 0.2))"); + EXPECT_EQ (tris.check (), true); +} + +TEST(Triangle_split_segment) +{ + db::Triangles tris; + tris.init_box (db::DBox (0, 0, 1, 1)); + + tris.insert (tris.create_vertex (0.5, 0.5)); + EXPECT_EQ (tris.to_string (), "((1, 1), (1, 0), (0.5, 0.5)), ((1, 1), (0.5, 0.5), (0, 1)), ((0, 0), (0, 1), (0.5, 0.5)), ((0, 0), (0.5, 0.5), (1, 0))"); + EXPECT_EQ (tris.check(), true); +} + +TEST(Triangle_insert_vertex_twice) +{ + db::Triangles tris; + tris.init_box (db::DBox (0, 0, 1, 1)); + + tris.insert (tris.create_vertex (0.5, 0.5)); + // inserted a vertex twice does not change anything + tris.insert (tris.create_vertex (0.5, 0.5)); + EXPECT_EQ (tris.to_string (), "((1, 1), (1, 0), (0.5, 0.5)), ((1, 1), (0.5, 0.5), (0, 1)), ((0, 0), (0, 1), (0.5, 0.5)), ((0, 0), (0.5, 0.5), (1, 0))"); + EXPECT_EQ (tris.check(), true); +} + +TEST(Triangle_insert_vertex_convex) +{ + db::Triangles tris; + tris.insert (tris.create_vertex (0.2, 0.2)); + tris.insert (tris.create_vertex (0.2, 0.8)); + tris.insert (tris.create_vertex (0.6, 0.5)); + tris.insert (tris.create_vertex (0.7, 0.5)); + tris.insert (tris.create_vertex (0.6, 0.4)); + EXPECT_EQ (tris.to_string (), "((0.2, 0.2), (0.2, 0.8), (0.6, 0.5)), ((0.7, 0.5), (0.6, 0.5), (0.2, 0.8)), ((0.6, 0.5), (0.6, 0.4), (0.2, 0.2)), ((0.6, 0.5), (0.7, 0.5), (0.6, 0.4))"); + EXPECT_EQ (tris.check(), true); +} + +TEST(Triangle_insert_vertex_convex2) +{ + db::Triangles tris; + tris.insert (tris.create_vertex (0.25, 0.1)); + tris.insert (tris.create_vertex (0.1, 0.4)); + tris.insert (tris.create_vertex (0.4, 0.15)); + tris.insert (tris.create_vertex (1, 0.7)); + EXPECT_EQ (tris.to_string (), "((0.25, 0.1), (0.1, 0.4), (0.4, 0.15)), ((1, 0.7), (0.4, 0.15), (0.1, 0.4))"); + EXPECT_EQ (tris.check(), true); +} + +TEST(Triangle_insert_vertex_convex3) +{ + db::Triangles tris; + tris.insert (tris.create_vertex (0.25, 0.5)); + tris.insert (tris.create_vertex (0.25, 0.55)); + tris.insert (tris.create_vertex (0.15, 0.8)); + tris.insert (tris.create_vertex (1, 0.4)); + EXPECT_EQ (tris.to_string (), "((0.25, 0.5), (0.15, 0.8), (0.25, 0.55)), ((1, 0.4), (0.25, 0.5), (0.25, 0.55)), ((0.15, 0.8), (1, 0.4), (0.25, 0.55))"); + EXPECT_EQ (tris.check(), true); +} + +#if 0 +TEST(Triangle_find_crossing_segments) +{ + db::Triangles tris; + v1 = tris.create_vertex (0.2, 0.2); + v2 = tris.create_vertex (0.2, 0.8); + v3 = tris.create_vertex (0.6, 0.5); + v4 = tris.create_vertex (0.7, 0.5); + v5 = tris.create_vertex (0.6, 0.4); + v6 = tris.create_vertex (0.7, 0.2); + tris.insert (v1); + tris.insert (v2); + tris.insert (v3); + tris.insert (v4); + tris.insert (v5); + tris.insert (v6); + EXPECT_EQ (tris.check(), true); + + auto xedges = tris.search_edges_crossing (db::DEdge (*v2, *v6)); + + EXPECT_EQ (xedges.size (), size_t (2)); + auto s1 = tris.find_edge_for_points (v1, v3); + auto s2 = tris.find_edge_for_points (v1, v5); + EXPECT_EQ (s1 in xedges, true); + EXPECT_EQ (s2 in xedges, true); +} +#endif From 88fd5ad8cac48afae75e6e2b4e421209aaa8711c Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 13 Aug 2023 18:13:33 +0200 Subject: [PATCH 063/128] WIP --- src/db/db/dbTriangles.cc | 145 ++++++++++++++++---------- src/db/db/dbTriangles.h | 51 +++++---- src/db/unit_tests/dbTrianglesTests.cc | 66 ++++++------ 3 files changed, 146 insertions(+), 116 deletions(-) diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 5ac17e9817..d58f2493b9 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -312,6 +312,12 @@ Triangles::insert_point (const db::DPoint &point, std::vector *n return insert (create_vertex (point), new_triangles); } +db::Vertex * +Triangles::insert_point (db::DCoord x, db::DCoord y, std::vector *new_triangles) +{ + return insert (create_vertex (x, y), new_triangles); +} + db::Vertex * Triangles::insert (db::Vertex *vertex, std::vector *new_triangles) { @@ -443,6 +449,8 @@ Triangles::insert_new_vertex (db::Vertex *vertex, std::vector *n { if (mp_triangles.empty ()) { + tl_assert (m_vertex_heap.size () <= size_t (3)); // fails if vertexes were created but not inserted. + if (m_vertex_heap.size () == 3) { std::vector vv; @@ -1043,77 +1051,102 @@ Triangles::fill_concave_corners (const std::vector &edges) return res; } -} - -#if 0 -import math -import sys -from .triangle import * +std::vector +Triangles::search_edges_crossing (Vertex *from, Vertex *to) +{ + db::Vertex *v = from; + db::Vertex *vv = to; + db::DEdge edge (*from, *to); -class Triangles(object): + db::Triangle *current_triangle = 0; + db::TriangleEdge *next_edge = 0; - def find_edge_for_points(self, p1: Point, p2: Point) -> TriangleEdge: + std::vector result; - v = self.find_vertex_for_point(p1) - if v is None: - return None - for s in v.edges: - if equals(s.other_vertex(v), p2): - return s - return None + for (auto e = v->begin_edges (); e != v->end_edges () && ! next_edge; ++e) { + for (auto t = e->begin_triangles (); t != e->end_triangles (); ++t) { + db::TriangleEdge *os = t->opposite (v); + if (os->has_vertex (vv)) { + return result; + } + if (os->crosses (edge)) { + result.push_back (os); + current_triangle = t.operator-> (); + next_edge = os; + break; + } + } + } - def search_edges_crossing(self, edge: TriangleEdge) -> set: - """ - Finds all edges that cross the given one for a convex triangulation + tl_assert (current_triangle != 0); - Requirements: - * self must be a convex triangulation - * edge must not contain another vertex from the triangulation except p1 and p2 - """ + while (true) { - v = edge.p1 - vv = edge.p2 + current_triangle = next_edge->other (current_triangle); - current_triangle = None - next_edge = None + // Note that we're convex, so there has to be a path across triangles + tl_assert (current_triangle != 0); - result = [] + db::TriangleEdge *cs = next_edge; + next_edge = 0; + for (int i = 0; i < 3; ++i) { + db::TriangleEdge *e = current_triangle->edge (i); + if (e != cs) { + if (e->has_vertex (vv)) { + return result; + } + if (e->crosses (edge)) { + result.push_back (e); + next_edge = e; + break; + } + } + } - for s in v.edges: - for t in [s.left, s.right]: - if t is not None: - os = t.opposite_edge(v) - if os.has_vertex(vv): - return result - if os.crosses(edge): - result.append(os) - current_triangle = t - next_edge = os - break - if next_edge is not None: - break + tl_assert (next_edge != 0); - assert (current_triangle is not None) + } +} - while True: +db::Vertex * +Triangles::find_vertex_for_point (const db::DPoint &pt) +{ + db::TriangleEdge *edge = find_closest_edge (pt); + if (!edge) { + return 0; + } + db::Vertex *v = 0; + if (edge->v1 ()->equal (pt)) { + v = edge->v1 (); + } else if (edge->v2 ()->equal (pt)) { + v = edge->v2 (); + } + return v; +} - current_triangle = next_edge.other(current_triangle) +db::TriangleEdge * +Triangles::find_edge_for_points (const db::DPoint &p1, const db::DPoint &p2) +{ + db::Vertex *v = find_vertex_for_point (p1); + if (!v) { + return 0; + } + for (auto e = v->begin_edges (); e != v->end_edges (); ++e) { + if (e->other (v)->equal (p2)) { + return const_cast (e.operator-> ()); + } + } + return 0; +} - # Note that we're convex, so there has to be a path across triangles - assert (current_triangle is not None) +} - cs = next_edge - next_edge = None - for s in current_triangle.edges(): - if s != cs: - if s.has_vertex(vv): - return result - if s.crosses(edge): - result.append(s) - next_edge = s - break +#if 0 +import math +import sys +from .triangle import * - assert (next_edge is not None) +class Triangles(object): def _ensure_edge_inner(self, edge: Edge) -> [TriangleEdge]: diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index d1ed0c8e46..b27d08bc1d 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -94,24 +94,6 @@ class DB_PUBLIC Triangles */ db::Layout *to_layout () const; - /** - * @brief Creates a new vertex object - * - * In order to insert the new vertex into the graph, use "insert". - * Normally, "insert_point" should be used which creates a vertex and - * inserts it. - */ - db::Vertex *create_vertex (double x, double y); - - /** - * @brief Creates a new vertex object - * - * In order to insert the new vertex into the graph, use "insert". - * Normally, "insert_point" should be used which creates a vertex and - * inserts it. - */ - db::Vertex *create_vertex (const db::DPoint &pt); - /** * @brief Finds the points within (not "on") a circle of radius "radius" around the given vertex. */ @@ -126,15 +108,12 @@ class DB_PUBLIC Triangles db::Vertex *insert_point (const db::DPoint &point, std::vector *new_triangles = 0); /** - * @brief Inserts the given vertex + * @brief Inserts a new vertex as the given point * * If "new_triangles" is not null, it will receive the list of new triangles created during * the remove step. - * The return value is the actual vertex created. It is no necessarily the one passed. When - * a vertex already exists at the given location, the input vertex is ignored and the present - * vertex is returned. */ - db::Vertex *insert (db::Vertex *vertex, std::vector *new_triangles = 0); + db::Vertex *insert_point (db::DCoord x, db::DCoord y, std::vector *new_triangles = 0); /** * @brief Removes the given vertex @@ -146,8 +125,31 @@ class DB_PUBLIC Triangles // exposed for testing purposes: + + /** + * @brief Flips the given edge + */ std::pair, db::TriangleEdge *> flip (TriangleEdge *edge); + /** + * @brief Finds all edges that cross the given one for a convex triangulation + * + * Requirements: + * * self must be a convex triangulation + * * edge must not contain another vertex from the triangulation except p1 and p2 + */ + std::vector search_edges_crossing (db::Vertex *from, db::Vertex *to); + + /** + * @brief Finds the edge for two given points + */ + db::TriangleEdge *find_edge_for_points (const db::DPoint &p1, const db::DPoint &p2); + + /** + * @brief Finds the vertex for a point + */ + db::Vertex *find_vertex_for_point (const db::DPoint &pt); + private: tl::shared_collection mp_triangles; tl::weak_collection mp_edges; @@ -155,6 +157,8 @@ class DB_PUBLIC Triangles bool m_is_constrained; size_t m_level; + db::Vertex *create_vertex (double x, double y); + db::Vertex *create_vertex (const db::DPoint &pt); db::TriangleEdge *create_edge (db::Vertex *v1, db::Vertex *v2); db::Triangle *create_triangle (db::TriangleEdge *e1, db::TriangleEdge *e2, db::TriangleEdge *e3); void remove (db::Triangle *tri); @@ -170,6 +174,7 @@ class DB_PUBLIC Triangles static bool is_illegal_edge (db::TriangleEdge *edge); std::vector find_triangle_for_point (const db::DPoint &point); db::TriangleEdge *find_closest_edge (const db::DPoint &p, db::Vertex *vstart = 0, bool inside_only = false); + db::Vertex *insert (db::Vertex *vertex, std::vector *new_triangles = 0); void split_triangle (db::Triangle *t, db::Vertex *vertex, std::vector *new_triangles_out); void split_triangles_on_edge (const std::vector &tris, db::Vertex *vertex, db::TriangleEdge *split_edge, std::vector *new_triangles_out); void add_more_triangles (std::vector &new_triangles, diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index a293bdc825..4696e4144d 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -61,7 +61,7 @@ TEST(Triangle_insert) db::Triangles tris; tris.init_box (db::DBox (0, 0, 1, 1)); - tris.insert (tris.create_vertex (0.2, 0.2)); + tris.insert_point (0.2, 0.2); EXPECT_EQ (tris.to_string (), "((0, 0), (0, 1), (0.2, 0.2)), ((1, 0), (0, 0), (0.2, 0.2)), ((1, 1), (0.2, 0.2), (0, 1)), ((1, 1), (1, 0), (0.2, 0.2))"); EXPECT_EQ (tris.check (), true); } @@ -71,7 +71,7 @@ TEST(Triangle_split_segment) db::Triangles tris; tris.init_box (db::DBox (0, 0, 1, 1)); - tris.insert (tris.create_vertex (0.5, 0.5)); + tris.insert_point (0.5, 0.5); EXPECT_EQ (tris.to_string (), "((1, 1), (1, 0), (0.5, 0.5)), ((1, 1), (0.5, 0.5), (0, 1)), ((0, 0), (0, 1), (0.5, 0.5)), ((0, 0), (0.5, 0.5), (1, 0))"); EXPECT_EQ (tris.check(), true); } @@ -81,9 +81,9 @@ TEST(Triangle_insert_vertex_twice) db::Triangles tris; tris.init_box (db::DBox (0, 0, 1, 1)); - tris.insert (tris.create_vertex (0.5, 0.5)); + tris.insert_point (0.5, 0.5); // inserted a vertex twice does not change anything - tris.insert (tris.create_vertex (0.5, 0.5)); + tris.insert_point (0.5, 0.5); EXPECT_EQ (tris.to_string (), "((1, 1), (1, 0), (0.5, 0.5)), ((1, 1), (0.5, 0.5), (0, 1)), ((0, 0), (0, 1), (0.5, 0.5)), ((0, 0), (0.5, 0.5), (1, 0))"); EXPECT_EQ (tris.check(), true); } @@ -91,11 +91,11 @@ TEST(Triangle_insert_vertex_twice) TEST(Triangle_insert_vertex_convex) { db::Triangles tris; - tris.insert (tris.create_vertex (0.2, 0.2)); - tris.insert (tris.create_vertex (0.2, 0.8)); - tris.insert (tris.create_vertex (0.6, 0.5)); - tris.insert (tris.create_vertex (0.7, 0.5)); - tris.insert (tris.create_vertex (0.6, 0.4)); + tris.insert_point (0.2, 0.2); + tris.insert_point (0.2, 0.8); + tris.insert_point (0.6, 0.5); + tris.insert_point (0.7, 0.5); + tris.insert_point (0.6, 0.4); EXPECT_EQ (tris.to_string (), "((0.2, 0.2), (0.2, 0.8), (0.6, 0.5)), ((0.7, 0.5), (0.6, 0.5), (0.2, 0.8)), ((0.6, 0.5), (0.6, 0.4), (0.2, 0.2)), ((0.6, 0.5), (0.7, 0.5), (0.6, 0.4))"); EXPECT_EQ (tris.check(), true); } @@ -103,10 +103,10 @@ TEST(Triangle_insert_vertex_convex) TEST(Triangle_insert_vertex_convex2) { db::Triangles tris; - tris.insert (tris.create_vertex (0.25, 0.1)); - tris.insert (tris.create_vertex (0.1, 0.4)); - tris.insert (tris.create_vertex (0.4, 0.15)); - tris.insert (tris.create_vertex (1, 0.7)); + tris.insert_point (0.25, 0.1); + tris.insert_point (0.1, 0.4); + tris.insert_point (0.4, 0.15); + tris.insert_point (1, 0.7); EXPECT_EQ (tris.to_string (), "((0.25, 0.1), (0.1, 0.4), (0.4, 0.15)), ((1, 0.7), (0.4, 0.15), (0.1, 0.4))"); EXPECT_EQ (tris.check(), true); } @@ -114,38 +114,30 @@ TEST(Triangle_insert_vertex_convex2) TEST(Triangle_insert_vertex_convex3) { db::Triangles tris; - tris.insert (tris.create_vertex (0.25, 0.5)); - tris.insert (tris.create_vertex (0.25, 0.55)); - tris.insert (tris.create_vertex (0.15, 0.8)); - tris.insert (tris.create_vertex (1, 0.4)); + tris.insert_point (0.25, 0.5); + tris.insert_point (0.25, 0.55); + tris.insert_point (0.15, 0.8); + tris.insert_point (1, 0.4); EXPECT_EQ (tris.to_string (), "((0.25, 0.5), (0.15, 0.8), (0.25, 0.55)), ((1, 0.4), (0.25, 0.5), (0.25, 0.55)), ((0.15, 0.8), (1, 0.4), (0.25, 0.55))"); EXPECT_EQ (tris.check(), true); } -#if 0 -TEST(Triangle_find_crossing_segments) +TEST(Triangle_search_edges_crossing) { db::Triangles tris; - v1 = tris.create_vertex (0.2, 0.2); - v2 = tris.create_vertex (0.2, 0.8); - v3 = tris.create_vertex (0.6, 0.5); - v4 = tris.create_vertex (0.7, 0.5); - v5 = tris.create_vertex (0.6, 0.4); - v6 = tris.create_vertex (0.7, 0.2); - tris.insert (v1); - tris.insert (v2); - tris.insert (v3); - tris.insert (v4); - tris.insert (v5); - tris.insert (v6); + db::Vertex *v1 = tris.insert_point (0.2, 0.2); + db::Vertex *v2 = tris.insert_point (0.2, 0.8); + db::Vertex *v3 = tris.insert_point (0.6, 0.5); + /*db::Vertex *v4 =*/ tris.insert_point (0.7, 0.5); + db::Vertex *v5 = tris.insert_point (0.6, 0.4); + db::Vertex *v6 = tris.insert_point (0.7, 0.2); EXPECT_EQ (tris.check(), true); - auto xedges = tris.search_edges_crossing (db::DEdge (*v2, *v6)); + auto xedges = tris.search_edges_crossing (v2, v6); EXPECT_EQ (xedges.size (), size_t (2)); - auto s1 = tris.find_edge_for_points (v1, v3); - auto s2 = tris.find_edge_for_points (v1, v5); - EXPECT_EQ (s1 in xedges, true); - EXPECT_EQ (s2 in xedges, true); + auto s1 = tris.find_edge_for_points (*v1, *v3); + auto s2 = tris.find_edge_for_points (*v1, *v5); + EXPECT_EQ (std::find (xedges.begin (), xedges.end (), s1) != xedges.end (), true); + EXPECT_EQ (std::find (xedges.begin (), xedges.end (), s2) != xedges.end (), true); } -#endif From 82b49dfb770a5dacfd4f04413608cd13fd04228d Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 13 Aug 2023 18:40:24 +0200 Subject: [PATCH 064/128] WIP --- src/db/unit_tests/dbTrianglesTests.cc | 75 +++++++++++++++++++++++++++ 1 file changed, 75 insertions(+) diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index 4696e4144d..d3aa07cb97 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -24,6 +24,9 @@ #include "dbTriangles.h" #include "tlUnitTest.h" +#include +#include + TEST(Triangle_basic) { db::Triangles tris; @@ -141,3 +144,75 @@ TEST(Triangle_search_edges_crossing) EXPECT_EQ (std::find (xedges.begin (), xedges.end (), s1) != xedges.end (), true); EXPECT_EQ (std::find (xedges.begin (), xedges.end (), s2) != xedges.end (), true); } + +// Returns a random float number between 0.0 and 1.0 +inline double flt_rand () +{ + return rand () * (1.0 / double (RAND_MAX)); +} + +namespace { + struct PointLessOp + { + bool operator() (const db::DPoint &a, const db::DPoint &b) const + { + return a.less (b); + } + }; +} + +TEST(Triangle_test_heavy_insert) +{ + tl::info << "Running test_heavy_insert " << tl::noendl; + + for (unsigned int l = 0; l < 100; ++l) { + + srand (l); + tl::info << "." << tl::noendl; + + db::Triangles tris; + double res = 128.0; + + unsigned int n = rand () % 190 + 10; + + db::DBox bbox; + std::map vmap; + + for (unsigned int i = 0; i < n; ++i) { + double x = round (flt_rand () * res) * (1.0 / res); + double y = round (flt_rand () * res) * (1.0 / res); + db::Vertex *v = tris.insert_point (x, y); + bbox += db::DPoint (x, y); + vmap.insert (std::make_pair (*v, false)); + } + + // not strictly true, but very likely with at least 10 vertexes: + EXPECT_EQ (tris.num_triangles () >= 1, true); + EXPECT_EQ (tris.bbox ().to_string (), bbox.to_string ()); + + bool ok = true; + for (auto t = tris.begin (); t != tris.end (); ++t) { + for (int i = 0; i < 3; ++i) { + auto f = vmap.find (*t->vertex (i)); + if (f == vmap.end ()) { + tl::error << "Could not identify triangle vertex " << t->vertex (i)->to_string () << " as inserted vertex"; + ok = false; + } else { + f->second = true; + } + } + } + for (auto m = vmap.begin (); m != vmap.end (); ++m) { + if (!m->second) { + tl::error << "Could not identify vertex " << m->first.to_string () << " with a triangle"; + ok = false; + } + } + EXPECT_EQ (ok, true); + + EXPECT_EQ (tris.check(), true); + + } + + tl::info << tl::endl << "done."; +} From 576eacd0bf725eee32aefb15a3129ebc213238a3 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 13 Aug 2023 21:14:58 +0200 Subject: [PATCH 065/128] WIP --- src/db/db/dbTriangle.cc | 11 ++-- src/db/db/dbTriangle.h | 33 +++++++++++ src/db/db/dbTriangles.cc | 84 ++++++++++++--------------- src/db/db/dbTriangles.h | 1 + src/db/unit_tests/dbTrianglesTests.cc | 60 ++++++++++++++++++- 5 files changed, 134 insertions(+), 55 deletions(-) diff --git a/src/db/db/dbTriangle.cc b/src/db/db/dbTriangle.cc index 124510cfca..4833f7064b 100644 --- a/src/db/db/dbTriangle.cc +++ b/src/db/db/dbTriangle.cc @@ -133,13 +133,13 @@ Vertex::in_circle (const DPoint &point, const DPoint ¢er, double radius) // TriangleEdge implementation TriangleEdge::TriangleEdge () - : mp_v1 (0), mp_v2 (0), mp_left (), mp_right (), m_level (0), m_is_segment (false) + : mp_v1 (0), mp_v2 (0), mp_left (), mp_right (), m_level (0), m_id (0), m_is_segment (false) { // .. nothing yet .. } TriangleEdge::TriangleEdge (Vertex *v1, Vertex *v2) - : mp_v1 (v1), mp_v2 (v2), mp_left (), mp_right (), m_level (0), m_is_segment (false) + : mp_v1 (v1), mp_v2 (v2), mp_left (), mp_right (), m_level (0), m_id (0), m_is_segment (false) { v1->m_edges.push_back (this); v2->m_edges.push_back (this); @@ -148,14 +148,12 @@ TriangleEdge::TriangleEdge (Vertex *v1, Vertex *v2) void TriangleEdge::set_left (Triangle *t) { - tl_assert (t == 0 || left () == 0); mp_left = t; } void TriangleEdge::set_right (Triangle *t) { - tl_assert (t == 0 || right () == 0); mp_right = t; } @@ -305,13 +303,13 @@ TriangleEdge::has_triangle (const Triangle *t) const // Triangle implementation Triangle::Triangle () - : m_is_outside (false), mp_v1 (0), mp_v2 (0), mp_v3 (0) + : m_is_outside (false), mp_v1 (0), mp_v2 (0), mp_v3 (0), m_id (0) { // .. nothing yet .. } Triangle::Triangle (TriangleEdge *e1, TriangleEdge *e2, TriangleEdge *e3) - : m_is_outside (false), mp_e1 (e1), mp_e2 (e2), mp_e3 (e3) + : m_is_outside (false), mp_e1 (e1), mp_e2 (e2), mp_e3 (e3), m_id (0) { mp_v1 = e1->v1 (); mp_v2 = e1->other (mp_v1); @@ -348,6 +346,7 @@ Triangle::Triangle (TriangleEdge *e1, TriangleEdge *e2, TriangleEdge *e3) void Triangle::unlink () { + // @@@ Is this really needed??? for (int i = 0; i != 3; ++i) { db::TriangleEdge *e = edge (i); if (e->left () == this) { diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index 3459ad155b..2d55e5e74a 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -184,6 +184,9 @@ class DB_PUBLIC TriangleEdge void set_level (size_t l) { m_level = l; } size_t level () const { return m_level; } + void set_id (size_t id) { m_id = id; } + size_t id () const { return m_id; } + void set_is_segment (bool is_seg) { m_is_segment = is_seg; } bool is_segment () const { return m_is_segment; } @@ -388,6 +391,7 @@ class DB_PUBLIC TriangleEdge Vertex *mp_v1, *mp_v2; tl::weak_ptr mp_left, mp_right; size_t m_level; + size_t m_id; bool m_is_segment; // no copying @@ -398,6 +402,19 @@ class DB_PUBLIC TriangleEdge void set_right (Triangle *t); }; +/** + * @brief A compare function that compares triangles by ID + * + * The ID acts as a more predicable unique ID for the object in sets and maps. + */ +struct TriangleEdgeLessFunc +{ + bool operator () (TriangleEdge *a, TriangleEdge *b) const + { + return a->id () < b->id (); + } +}; + /** * @brief A class representing a triangle */ @@ -410,6 +427,9 @@ class DB_PUBLIC Triangle void unlink (); + void set_id (size_t id) { m_id = id; } + size_t id () const { return m_id; } + bool is_outside () const { return m_is_outside; } void set_outside (bool o) { m_is_outside = o; } @@ -476,12 +496,25 @@ class DB_PUBLIC Triangle bool m_is_outside; tl::weak_ptr mp_e1, mp_e2, mp_e3; db::Vertex *mp_v1, *mp_v2, *mp_v3; + size_t m_id; // no copying Triangle &operator= (const Triangle &); Triangle (const Triangle &); }; +/** + * @brief A compare function that compares triangles by ID + * + * The ID acts as a more predicable unique ID for the object in sets and maps. + */ +struct TriangleLessFunc +{ + bool operator () (Triangle *a, Triangle *b) const + { + return a->id () < b->id (); + } +}; } diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index d58f2493b9..be97c67ee0 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -65,6 +65,7 @@ db::TriangleEdge * Triangles::create_edge (db::Vertex *v1, db::Vertex *v2) { db::TriangleEdge *res = new db::TriangleEdge (v1, v2); + res->set_id (++m_id); mp_edges.push_back (res); return res; } @@ -73,6 +74,7 @@ db::Triangle * Triangles::create_triangle (TriangleEdge *e1, TriangleEdge *e2, TriangleEdge *e3) { db::Triangle *res = new db::Triangle (e1, e2, e3); + res->set_id (++m_id); mp_triangles.push_back (res); return res; } @@ -180,6 +182,11 @@ Triangles::check (bool check_delaunay) const } } + if (!e->left () && !e->right ()) { + tl::error << "(check error) found orphan edge " << e->to_string (true); + res = false; + } + for (auto t = e->begin_triangles (); t != e->end_triangles (); ++t) { if (! t->has_edge (e.operator-> ())) { tl::error << "(check error) edge " << e->to_string (true) << " not found in adjacent triangle " << t->to_string (true); @@ -259,7 +266,9 @@ Triangles::to_layout () const } for (auto e = mp_edges.begin (); e != mp_edges.end (); ++e) { - top.shapes (l10).insert (dbu_trans * e->edge ()); + if (e->is_segment ()) { + top.shapes (l10).insert (dbu_trans * e->edge ()); + } } return layout; @@ -677,8 +686,7 @@ Triangles::remove_outside_vertex (db::Vertex *vertex, std::vector *new_triangles_out) { - std::vector triangles_to_fix; - std::set triangles_to_fix_set; + std::set triangles_to_fix; bool make_new_triangle = true; @@ -695,18 +703,16 @@ Triangles::remove_inside_vertex (db::Vertex *vertex, std::vector } // NOTE: in the "can_join" case zero-area triangles are created which we will sort out later - triangles_to_fix_set.erase (to_flip->left ()); - triangles_to_fix_set.erase (to_flip->right ()); + triangles_to_fix.erase (to_flip->left ()); + triangles_to_fix.erase (to_flip->right ()); auto pp = flip (to_flip); - triangles_to_fix.push_back (pp.first.first); - triangles_to_fix_set.insert (pp.first.first); - triangles_to_fix.push_back (pp.first.second); - triangles_to_fix_set.insert (pp.first.second); + triangles_to_fix.insert (pp.first.first); + triangles_to_fix.insert (pp.first.second); } - while (vertex->num_edges () > 3) { + if (vertex->num_edges () > 3) { tl_assert (vertex->num_edges () == 4); @@ -739,10 +745,8 @@ Triangles::remove_inside_vertex (db::Vertex *vertex, std::vector db::Triangle *t1 = create_triangle (s1, s2, new_edge); db::Triangle *t2 = create_triangle (s1opp, s2opp, new_edge); - triangles_to_fix.push_back (t1); - triangles_to_fix_set.insert (t1); - triangles_to_fix.push_back (t2); - triangles_to_fix_set.insert (t2); + triangles_to_fix.insert (t1); + triangles_to_fix.insert (t2); make_new_triangle = false; @@ -755,33 +759,28 @@ Triangles::remove_inside_vertex (db::Vertex *vertex, std::vector outer_edges.push_back ((*t)->opposite (vertex)); } - for (auto t = to_remove.begin (); t != to_remove.end (); ++t) { - triangles_to_fix_set.erase (*t); - remove (*t); - } - if (make_new_triangle) { tl_assert (outer_edges.size () == size_t (3)); db::Triangle *nt = create_triangle (outer_edges[0], outer_edges[1], outer_edges[2]); - triangles_to_fix.push_back (nt); - triangles_to_fix_set.insert (nt); + triangles_to_fix.insert (nt); } - std::vector::iterator wp = triangles_to_fix.begin (); - for (auto t = triangles_to_fix.begin (); t != triangles_to_fix.end (); ++t) { - if (triangles_to_fix_set.find (*t) != triangles_to_fix_set.end ()) { - *wp++ = *t; - if (new_triangles_out) { - new_triangles_out->push_back (*t); - } + for (auto t = to_remove.begin (); t != to_remove.end (); ++t) { + triangles_to_fix.erase (*t); + remove (*t); + } + + if (new_triangles_out) { + for (auto t = triangles_to_fix.begin (); t != triangles_to_fix.end (); ++t) { + new_triangles_out->push_back (*t); } } - triangles_to_fix.erase (wp, triangles_to_fix.end ()); - fix_triangles (triangles_to_fix, std::vector (), new_triangles_out); + std::vector to_fix_a (triangles_to_fix.begin (), triangles_to_fix.end ()); + fix_triangles (to_fix_a, std::vector (), new_triangles_out); } int @@ -794,13 +793,13 @@ Triangles::fix_triangles (const std::vector &tris, const std::ve (*e)->set_level (m_level); } - std::vector queue, todo; + std::set queue, todo; for (auto t = tris.begin (); t != tris.end (); ++t) { for (int i = 0; i < 3; ++i) { db::TriangleEdge *e = (*t)->edge (i); if (e->level () < m_level && ! e->is_segment ()) { - queue.push_back (e); + queue.insert (e); } } } @@ -809,7 +808,6 @@ Triangles::fix_triangles (const std::vector &tris, const std::ve todo.clear (); todo.swap (queue); - std::set queued; // NOTE: we cannot be sure that already treated edges will not become // illegal by neighbor edges flipping .. @@ -820,7 +818,7 @@ Triangles::fix_triangles (const std::vector &tris, const std::ve if (is_illegal_edge (*e)) { - queued.erase (*e); + queue.erase (*e); auto pp = flip (*e); auto t1 = pp.first.first; @@ -837,17 +835,15 @@ Triangles::fix_triangles (const std::vector &tris, const std::ve for (int i = 0; i < 3; ++i) { db::TriangleEdge *s1 = t1->edge (i); - if (s1->level () < m_level && ! s1->is_segment () && queued.find (s1) == queued.end ()) { - queue.push_back (s1); - queued.insert (s1); + if (s1->level () < m_level && ! s1->is_segment ()) { + queue.insert (s1); } } for (int i = 0; i < 3; ++i) { db::TriangleEdge *s2 = t2->edge (i); - if (s2->level () < m_level && ! s2->is_segment () && queued.find (s2) == queued.end ()) { - queue.push_back (s2); - queued.insert (s2); + if (s2->level () < m_level && ! s2->is_segment ()) { + queue.insert (s2); } } @@ -855,14 +851,6 @@ Triangles::fix_triangles (const std::vector &tris, const std::ve } - std::vector::iterator wp = queue.begin (); - for (auto e = queue.begin (); e != queue.end (); ++e) { - if (queued.find (*e) != queued.end ()) { - *wp++ = *e; - } - } - queue.erase (wp, queue.end ()); - } return flips; diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index b27d08bc1d..20a86d7ef0 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -156,6 +156,7 @@ class DB_PUBLIC Triangles std::list m_vertex_heap; bool m_is_constrained; size_t m_level; + size_t m_id; db::Vertex *create_vertex (double x, double y); db::Vertex *create_vertex (const db::DPoint &pt); diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index d3aa07cb97..614623b20a 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -24,6 +24,8 @@ #include "dbTriangles.h" #include "tlUnitTest.h" +#include +#include #include #include @@ -187,7 +189,7 @@ TEST(Triangle_test_heavy_insert) } // not strictly true, but very likely with at least 10 vertexes: - EXPECT_EQ (tris.num_triangles () >= 1, true); + EXPECT_EQ (tris.num_triangles () > 0, true); EXPECT_EQ (tris.bbox ().to_string (), bbox.to_string ()); bool ok = true; @@ -216,3 +218,59 @@ TEST(Triangle_test_heavy_insert) tl::info << tl::endl << "done."; } + +TEST(Triangle_test_heavy_remove) +{ + tl::info << "Running test_heavy_remove " << tl::noendl; + + for (unsigned int l = 0; l < 100; ++l) { + + srand (l); + tl::info << "." << tl::noendl; + + db::Triangles tris; + double res = 128.0; + + unsigned int n = rand () % 190 + 10; + + for (unsigned int i = 0; i < n; ++i) { + double x = round (flt_rand () * res) * (1.0 / res); + double y = round (flt_rand () * res) * (1.0 / res); + tris.insert_point (x, y); + } + + EXPECT_EQ (tris.check(), true); + + std::set vset; + std::vector vertexes; + for (auto t = tris.begin (); t != tris.end (); ++t) { + for (int i = 0; i < 3; ++i) { + db::Vertex *v = t->vertex (i); + if (vset.insert (v).second) { + vertexes.push_back (v); + } + } + } + + int loop = 0; // @@@ + while (! vertexes.empty ()) { + ++loop; printf("@@@ %d\n", loop); fflush(stdout); + if (loop == 38) { + printf("@@@BANG!\n"); // @@@ + } + + unsigned int n = rand () % (unsigned int) vertexes.size (); + db::Vertex *v = vertexes [n]; + tris.remove (v); + vertexes.erase (vertexes.begin () + n); + + EXPECT_EQ (tris.check (), true); + + } + + EXPECT_EQ (tris.num_triangles (), size_t (0)); + + } + + tl::info << tl::endl << "done."; +} From a2e91532c44bc87f8bbb47ff7cbc6aa5457ab34b Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 13 Aug 2023 21:40:09 +0200 Subject: [PATCH 066/128] WIP: remove vertex implemented for triangles --- src/db/db/dbTriangle.cc | 1 - src/db/db/dbTriangles.cc | 11 +++++++++-- src/db/unit_tests/dbTrianglesTests.cc | 10 ++++------ 3 files changed, 13 insertions(+), 9 deletions(-) diff --git a/src/db/db/dbTriangle.cc b/src/db/db/dbTriangle.cc index 4833f7064b..f1dcd1c859 100644 --- a/src/db/db/dbTriangle.cc +++ b/src/db/db/dbTriangle.cc @@ -346,7 +346,6 @@ Triangle::Triangle (TriangleEdge *e1, TriangleEdge *e2, TriangleEdge *e3) void Triangle::unlink () { - // @@@ Is this really needed??? for (int i = 0; i != 3; ++i) { db::TriangleEdge *e = edge (i); if (e->left () == this) { diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index be97c67ee0..1b783a0e2b 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -658,7 +658,9 @@ Triangles::find_inside_circle (const db::DPoint ¢er, double radius) const void Triangles::remove (db::Vertex *vertex, std::vector *new_triangles) { - if (vertex->is_outside ()) { + if (vertex->begin_edges () == vertex->end_edges ()) { + // removing an orphan vertex -> ignore + } else if (vertex->is_outside ()) { remove_outside_vertex (vertex, new_triangles); } else { remove_inside_vertex (vertex, new_triangles); @@ -676,10 +678,15 @@ Triangles::remove_outside_vertex (db::Vertex *vertex, std::vectorunlink (); } auto new_triangles = fill_concave_corners (outer_edges); + + for (auto t = to_remove.begin (); t != to_remove.end (); ++t) { + remove (*t); + } + fix_triangles (new_triangles, std::vector (), new_triangles_out); } diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index 614623b20a..9b6d748f4b 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -252,19 +252,17 @@ TEST(Triangle_test_heavy_remove) } } - int loop = 0; // @@@ while (! vertexes.empty ()) { - ++loop; printf("@@@ %d\n", loop); fflush(stdout); - if (loop == 38) { - printf("@@@BANG!\n"); // @@@ - } unsigned int n = rand () % (unsigned int) vertexes.size (); db::Vertex *v = vertexes [n]; tris.remove (v); vertexes.erase (vertexes.begin () + n); - EXPECT_EQ (tris.check (), true); + // just a few times as it wastes time otherwise + if (vertexes.size () % 10 == 0) { + EXPECT_EQ (tris.check (), true); + } } From 3cc35ce3ee38f171a70df9e6d2a17800fbd0cc9f Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Tue, 15 Aug 2023 14:05:20 +0200 Subject: [PATCH 067/128] Triangles: ensure_edge --- src/db/db/dbTriangle.cc | 11 ++ src/db/db/dbTriangle.h | 5 + src/db/db/dbTriangles.cc | 225 ++++++++++++++------------ src/db/db/dbTriangles.h | 7 + src/db/unit_tests/dbTrianglesTests.cc | 133 +++++++++++++++ 5 files changed, 279 insertions(+), 102 deletions(-) diff --git a/src/db/db/dbTriangle.cc b/src/db/db/dbTriangle.cc index f1dcd1c859..cb329ccc9d 100644 --- a/src/db/db/dbTriangle.cc +++ b/src/db/db/dbTriangle.cc @@ -408,6 +408,17 @@ Triangle::area () const return fabs (db::vprod (mp_e1->d (), mp_e2->d ())) * 0.5; } +db::DBox +Triangle::bbox () const +{ + db::DBox box; + for (int i = 0; i < 3; ++i) { + box += *vertex (i); + } + return box; +} + + std::pair Triangle::circumcircle () const { diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index 2d55e5e74a..17e7aee63b 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -451,6 +451,11 @@ class DB_PUBLIC Triangle */ double area () const; + /** + * @brief Returns the bounding box of the triangle + */ + db::DBox bbox () const; + /** * @brief Gets the center point and radius of the circumcircle */ diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 1b783a0e2b..2418c92c0a 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -137,9 +137,7 @@ Triangles::bbox () const { db::DBox box; for (auto t = mp_triangles.begin (); t != mp_triangles.end (); ++t) { - for (int i = 0; i < 3; ++i) { - box += *t->vertex (i); - } + box += t->bbox (); } return box; } @@ -1134,6 +1132,128 @@ Triangles::find_edge_for_points (const db::DPoint &p1, const db::DPoint &p2) return 0; } +std::vector +Triangles::ensure_edge_inner (db::Vertex *from, db::Vertex *to) +{ + auto crossed_edges = search_edges_crossing (from, to); + std::vector result; + + if (crossed_edges.empty ()) { + + // no crossing edge - there should be a edge already + db::TriangleEdge *res = find_edge_for_points (*from, *to); + tl_assert (res != 0); + result.push_back (res); + + } else if (crossed_edges.size () == 1) { + + // can be solved by flipping + auto pp = flip (crossed_edges.front ()); + db::TriangleEdge *res = pp.second; + tl_assert (res->has_vertex (from) && res->has_vertex (to)); + result.push_back (res); + + } else { + + // split edge close to center + db::DPoint split_point; + double d = -1.0; + double l_half = 0.25 * (*to - *from).sq_length (); + for (auto e = crossed_edges.begin (); e != crossed_edges.end (); ++e) { + db::DPoint p = (*e)->intersection_point (db::DEdge (*from, *to)); + double dp = fabs ((p - *from).sq_length () - l_half); + if (d < 0.0 || dp < d) { + dp = d; + split_point = p; + } + } + + db::Vertex *split_vertex = insert_point (split_point); + + result = ensure_edge_inner (from, split_vertex); + + auto result2 = ensure_edge_inner (split_vertex, to); + result.insert (result.end (), result2.begin (), result2.end ()); + + } + + return result; +} + +std::vector +Triangles::ensure_edge (db::Vertex *from, db::Vertex *to) +{ +#if 0 + // NOTE: this should not be required if the original segments are non-overlapping + // TODO: this is inefficient + for v in self.vertexes: + if edge.point_on(v): + return self.ensure_edge(Edge(edge.p1, v)) + self.ensure_edge(Edge(v, edge.p2)) +#endif + + auto edges = ensure_edge_inner (from, to); + for (auto e = edges.begin (); e != edges.end (); ++e) { + // mark the edges as fixed "forever" so we don't modify them when we ensure other edges + (*e)->set_level (std::numeric_limits::max ()); + } + return edges; +} + +void +Triangles::join_edges (std::vector &edges) +{ + // edges are supposed to be ordered + for (size_t i = 1; i < edges.size (); ) { + + db::TriangleEdge *s1 = edges [i - 1]; + db::TriangleEdge *s2 = edges [i]; + tl_assert (s1->is_segment () == s2->is_segment ()); + db::Vertex *cp = s1->common_vertex (s2); + tl_assert (cp != 0); + + std::vector join_edges; + for (auto e = cp->begin_edges (); e != cp->end_edges (); ++e) { + if (e.operator-> () != s1 && e.operator-> () != s2) { + if (e->can_join_via (cp)) { + join_edges.push_back (const_cast (e.operator-> ())); + } else { + join_edges.clear (); + break; + } + } + } + + if (! join_edges.empty ()) { + + tl_assert (join_edges.size () <= 2); + + TriangleEdge *new_edge = create_edge (s1->other (cp), s2->other (cp)); + new_edge->set_is_segment (s1->is_segment ()); + + for (auto js = join_edges.begin (); js != join_edges.end (); ++js) { + + db::Triangle *t1 = (*js)->left (); + db::Triangle *t2 = (*js)->right (); + db::TriangleEdge *tedge1 = t1->opposite (cp); + db::TriangleEdge *tedge2 = t2->opposite (cp); + t1->unlink (); + t2->unlink (); + db::Triangle *tri = create_triangle (tedge1, tedge2, new_edge); + tri->set_outside (t1->is_outside ()); + remove (t1); + remove (t2); + } + + edges [i - 1] = new_edge; + edges.erase (edges.begin () + i); + + } else { + ++i; + } + + } +} + } #if 0 @@ -1143,105 +1263,6 @@ from .triangle import * class Triangles(object): - def _ensure_edge_inner(self, edge: Edge) -> [TriangleEdge]: - - crossed_edges = self.search_edges_crossing(edge) - - if len(crossed_edges) == 0: - - # no crossing edge - there should be a edge already - result = self.find_edge_for_points(edge.p1, edge.p2) - assert (result is not None) - result = [result] - - elif len(crossed_edges) == 1: - - # can be solved by flipping - _, _, result = self.flip(crossed_edges[0]) - assert (result.has_vertex(edge.p1) and result.has_vertex(edge.p2)) - result = [result] - - else: - - # split edge close to center - split_point = None - d = None - l_half = 0.25 * square(edge.d()) - for s in crossed_edges: - p = s.intersection_point(edge) - dp = abs(square(sub(p, edge.p1)) - l_half) - if d is None or dp < d: - dp = d - split_point = p - - split_vertex = self.insert(Vertex(split_point.x, split_point.y)) - - e1 = Edge(edge.p1, split_vertex) - e2 = Edge(split_vertex, edge.p2) - - result = self._ensure_edge_inner(e1) + self._ensure_edge_inner(e2) - - return result - - def ensure_edge(self, edge: Edge) -> [TriangleEdge]: - - # NOTE: this should not be required if the original outer edges are non-overlapping - # TODO: this is inefficient - for v in self.vertexes: - if edge.point_on(v): - return self.ensure_edge(Edge(edge.p1, v)) + self.ensure_edge(Edge(v, edge.p2)) - - edges = self._ensure_edge_inner(edge) - for s in edges: - # mark the edges as fixed "forever" so we don't modify them when we ensure other edges - s.level = sys.maxsize - return edges - - def _join_edges(self, edges) -> [TriangleEdge]: - - # edges are supposed to be ordered - final_edges = [] - i = 1 - while i < len(edges): - s1 = edges[i - 1] - s2 = edges[i] - assert(s1.is_segment == s2.is_segment) - cp = s1.common_vertex(s2) - assert (cp is not None) - join_edges = [] - for s in cp.edges: - if s != s1 and s != s2: - if s.can_join_via(cp): - join_edges.append(s) - else: - join_edges = [] - break - if len(join_edges) > 0: - assert(len(join_edges) <= 2) - new_edge = TriangleEdge(s1.other_vertex(cp), s2.other_vertex(cp)) - new_edge.is_segment = s1.is_segment - for js in join_edges: - t1 = js.left - t2 = js.right - tedge1 = t1.opposite_edge(cp) - tedge2 = t2.opposite_edge(cp) - t1.unlink() - self.triangles.remove(t1) - t2.unlink() - self.triangles.remove(t2) - tri = Triangle(tedge1, tedge2, new_edge) - tri.is_outside = t1.is_outside - self.triangles.append(tri) - js.unlink() - self.vertexes.remove(cp) - s1.unlink() - s2.unlink() - edges[i - 1] = new_edge - del edges[i] - else: - i += 1 - - def constrain(self, contours: [[Edge]]) -> object: """ diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index 20a86d7ef0..7e433308b6 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -150,6 +150,11 @@ class DB_PUBLIC Triangles */ db::Vertex *find_vertex_for_point (const db::DPoint &pt); + /** + * @brief Ensures all points between from an to are connected by edges and makes these segments + */ + std::vector ensure_edge (db::Vertex *from, db::Vertex *to); + private: tl::shared_collection mp_triangles; tl::weak_collection mp_edges; @@ -183,6 +188,8 @@ class DB_PUBLIC Triangles db::Vertex *from_vertex, db::Vertex *to_vertex, db::TriangleEdge *conn_edge); void insert_new_vertex(db::Vertex *vertex, std::vector *new_triangles_out); + std::vector ensure_edge_inner (db::Vertex *from, db::Vertex *to); + void join_edges (std::vector &edges); }; } diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index 9b6d748f4b..f177072a32 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -272,3 +272,136 @@ TEST(Triangle_test_heavy_remove) tl::info << tl::endl << "done."; } + +TEST(Triangle_test_ensure_edge) +{ + srand (0); + + db::Triangles tris; + double res = 128.0; + + db::DEdge ee[] = { + db::DEdge (0.25, 0.25, 0.25, 0.75), + db::DEdge (0.25, 0.75, 0.75, 0.75), + db::DEdge (0.75, 0.75, 0.75, 0.25), + db::DEdge (0.75, 0.25, 0.25, 0.25) + }; + + for (unsigned int i = 0; i < 200; ++i) { + double x = round (flt_rand () * res) * (1.0 / res); + double y = round (flt_rand () * res) * (1.0 / res); + bool ok = true; + for (int j = 0; j < sizeof (ee) / sizeof (ee[0]); ++j) { + if (ee[j].side_of (db::DPoint (x, y)) == 0) { + --i; + ok = false; + } + } + if (ok) { + tris.insert_point (x, y); + } + } + + for (int i = 0; i < sizeof (ee) / sizeof (ee[0]); ++i) { + tris.insert_point (ee[i].p1 ()); + } + + EXPECT_EQ (tris.check (), true); + + for (int i = 0; i < sizeof (ee) / sizeof (ee[0]); ++i) { + tris.ensure_edge (tris.find_vertex_for_point (ee[i].p1 ()), tris.find_vertex_for_point (ee[i].p2 ())); + } + + EXPECT_EQ (tris.check (false), true); + + double area_in = 0.0; + db::DBox clip_box; + for (int i = 0; i < sizeof (ee) / sizeof (ee[0]); ++i) { + clip_box += ee[i].p1 (); + } + for (auto t = tris.begin (); t != tris.end (); ++t) { + if (clip_box.overlaps (t->bbox ())) { + EXPECT_EQ (t->bbox ().inside (clip_box), true); + area_in += t->area (); + } + } + + EXPECT_EQ (tl::to_string (area_in), "0.25"); +} + +#if 0 +def test_heavy_constrain(self): + + print("Running test_heavy_constrain ") + + for l in range(0, 100): + + random.seed(l) + print(".", end = '') + + tris = t.Triangles() + res = 128.0 + for i in range(0, int(random.random() * 100) + 3): + x = round(random.random() * res) * (1.0 / res) + y = round(random.random() * res) * (1.0 / res) + tris.insert(t.Vertex(x, y)) + + assert (tris.check() == True) + + if len(tris.triangles) < 1: + continue + + v1 = tris.insert(t.Vertex(0.25, 0.25)) + v2 = tris.insert(t.Vertex(0.25, 0.75)) + v3 = tris.insert(t.Vertex(0.75, 0.75)) + v4 = tris.insert(t.Vertex(0.75, 0.25)) + assert (tris.check() == True) + + contour = [ t.Edge(v1, v2), t.Edge(v2, v3), t.Edge(v3, v4), t.Edge(v4, v1) ] + tris.constrain([ contour ]) + assert (tris.check(check_delaunay = False) == True) + tris.remove_outside_triangles() + + p1, p2 = tris.bbox() + assert(str(p1) == "(0.25, 0.25)") + assert(str(p2) == "(0.75, 0.75)") + + assert (tris.check() == True) + + print(" done.") + +def test_heavy_find_point_around(self): + + print("Running test_heavy_find_point_around ") + + for l in range(0, 100): + + print(".", end="") + + random.seed(l) + + tris = t.Triangles() + res = 128.0 + for i in range(0, int(random.random() * 100) + 3): + x = round(random.random() * res) * (1.0 / res) + y = round(random.random() * res) * (1.0 / res) + tris.insert(t.Vertex(x, y)) + + assert (tris.check() == True) + + for i in range(0, 100): + + n = int(round(random.random() * (len(tris.vertexes) - 1))) + vertex = tris.vertexes[n] + + r = round(random.random() * res) * (1.0 / res) + p1 = tris.find_points_around(vertex, r) + p2 = tris.find_inside_circle(vertex, r) + p2 = [ p for p in p2 if p != vertex ] + + assert(len(p1) == len(p2)) + for p in p1: + assert(p in p2) + + print("") +#endif From 6e9eb922a2197f090e308ea0f5bb4854ad6c14b5 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Tue, 15 Aug 2023 14:55:41 +0200 Subject: [PATCH 068/128] Triangles: constrain --- src/db/db/dbTriangles.cc | 206 ++++++++++++++------------ src/db/db/dbTriangles.h | 31 +++- src/db/unit_tests/dbTrianglesTests.cc | 67 ++++++++- 3 files changed, 202 insertions(+), 102 deletions(-) diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 2418c92c0a..47611bfcf0 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -1254,121 +1254,137 @@ Triangles::join_edges (std::vector &edges) } } -} - -#if 0 -import math -import sys -from .triangle import * - -class Triangles(object): - - def constrain(self, contours: [[Edge]]) -> object: - - """ - Given a set of contours with edges, mark outer triangles - - The edges must be made from existing vertexes. Edge orientation is - clockwise. - """ - - assert(not self.is_constrained) - - resolved_edges = [] - - for c in contours: - for edge in c: - edges = self.ensure_edge(edge) - resolved_edges.append( (edge, edges) ) +void +Triangles::constrain (const std::vector > &contours) +{ + assert (! m_is_constrained); - for tri in self.triangles: - tri.is_outside = False - for s in tri.edges(): - s.is_segment = False + std::vector > > resolved_edges; - new_tri = set() + for (auto c = contours.begin (); c != contours.end (); ++c) { + for (auto v = c->begin (); v != c->end (); ++v) { + auto vv = v; + ++vv; + if (vv == c->end ()) { + vv = c->begin (); + } + resolved_edges.push_back (std::make_pair (db::DEdge (**v, **vv), std::vector ())); + resolved_edges.back ().second = ensure_edge (*v, *vv); + } + } - for re in resolved_edges: - edge, edges = re - for s in edges: - s.is_segment = True - outer_tri = None - d = sprod_sign(edge.d(), s.d()) - if d > 0: - outer_tri = s.left - if d < 0: - outer_tri = s.right - if outer_tri is not None: - assert (outer_tri in self.triangles) - new_tri.add(outer_tri) - outer_tri.is_outside = True + for (auto tri = mp_triangles.begin (); tri != mp_triangles.end (); ++tri) { + tri->set_outside (false); + for (int i = 0; i < 3; ++i) { + tri->edge (i)->set_is_segment (false); + } + } - while len(new_tri) > 0: + std::set new_tri; + + for (auto re = resolved_edges.begin (); re != resolved_edges.end (); ++re) { + auto edge = re->first; + auto edges = re->second; + for (auto e = edges.begin (); e != edges.end (); ++e) { + (*e)->set_is_segment (true); + db::Triangle *outer_tri = 0; + int d = db::sprod_sign (edge.d (), (*e)->d ()); + if (d > 0) { + outer_tri = (*e)->left (); + } + if (d < 0) { + outer_tri = (*e)->right (); + } + if (outer_tri) { + new_tri.insert (outer_tri); + outer_tri->set_outside (true); + } + } + } - next_tris = set() + while (! new_tri.empty ()) { - for tri in new_tri: - for s in tri.edges(): - if not s.is_segment: - ot = s.other(tri) - if ot is not None and not ot.is_outside: - next_tris.add(ot) - ot.is_outside = True + std::set next_tris; - new_tri = next_tris + for (auto tri = new_tri.begin (); tri != new_tri.end (); ++tri) { + for (int i = 0; i < 3; ++i) { + auto e = (*tri)->edge (i); + if (! e->is_segment ()) { + auto ot = e->other (*tri); + if (ot && ! ot->is_outside ()) { + next_tris.insert (ot); + ot->set_outside (true); + } + } + } + } - # join edges where possible - for re in resolved_edges: - _, edges = re - self._join_edges(edges) + new_tri.swap (next_tris); - self.is_constrained = True + } - def remove_outside_triangles(self): + // join edges where possible + for (auto re = resolved_edges.begin (); re != resolved_edges.end (); ++re) { + auto edges = re->second; + join_edges (edges); + } - assert self.is_constrained + m_is_constrained = true; +} - for tri in self.triangles: - for s in tri.edges(): - s.level = 0 +void +Triangles::remove_outside_triangles () +{ + tl_assert (m_is_constrained); - to_remove = [tri for tri in self.triangles if tri.is_outside] - for tri in to_remove: - for s in tri.edges(): - if not s.is_segment and s.level == 0: - s.level = 1 - s.unlink() - tri.unlink() - self.triangles.remove(tri) + // NOTE: don't remove while iterating + std::vector to_remove; + for (auto tri = begin (); tri != end (); ++tri) { + if (tri->is_outside ()) { + to_remove.push_back (const_cast (tri.operator-> ())); + } + } - to_remove = [v for v in self.vertexes if len(v.edges) == 0] - for v in to_remove: - self.vertexes.remove(v) + for (auto t = to_remove.begin (); t != to_remove.end (); ++t) { + remove (*t); + } +} - def create_constrained_delaunay(self, contours: [[Edge]]): +void +Triangles::clear () +{ + mp_edges.clear (); + mp_triangles.clear (); + m_vertex_heap.clear (); + m_is_constrained = false; + m_level = 0; + m_id = 0; +} - edge_contours = [] +void +Triangles::create_constrained_delaunay (const db::Region ®ion, double dbu) +{ + clear (); - for c in contours: + std::vector > edge_contours; - if len(c) < 3: - continue + for (auto p = region.begin_merged (); ! p.at_end (); ++p) { - edges = [] - edge_contours.append(edges) + edge_contours.push_back (std::vector ()); + for (auto pt = p->begin_hull (); pt != p->end_hull (); ++pt) { + edge_contours.back ().push_back (insert_point (db::DPoint (*pt) * dbu)); + } - vl = None - vfirst = None - for pt in c: - v = self.insert(Vertex(pt.x, pt.y)) - if vfirst is None: - vfirst = v - else: - edges.append(Edge(vl, v)) - vl = v - edges.append(Edge(vl, vfirst)) + for (unsigned int h = 0; h < p->holes (); ++h) { + edge_contours.push_back (std::vector ()); + for (auto pt = p->begin_hole (h); pt != p->end_hole (h); ++pt) { + edge_contours.back ().push_back (insert_point (db::DPoint (*pt) * dbu)); + } + } - self.constrain(edge_contours) + } + constrain (edge_contours); +} -#endif +} diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index 7e433308b6..ca2241345e 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -28,6 +28,7 @@ #include "dbCommon.h" #include "dbTriangle.h" #include "dbBox.h" +#include "dbRegion.h" #include "tlObjectCollection.h" @@ -76,6 +77,18 @@ class DB_PUBLIC Triangles */ size_t num_triangles () const { return mp_triangles.size (); } + /** + * @brief Clears the triangle set + */ + void clear (); + + /** + * @brief Creates a constrained Delaunay triangulation from the given Region + */ + void create_constrained_delaunay (const db::Region ®ion, double dbu = 1.0); + + // exposed for testing purposes: + /** * @brief Checks the triangle graph for consistency * This method is for testing purposes mainly. @@ -123,9 +136,6 @@ class DB_PUBLIC Triangles */ void remove (db::Vertex *vertex, std::vector *new_triangles = 0); - - // exposed for testing purposes: - /** * @brief Flips the given edge */ @@ -155,6 +165,21 @@ class DB_PUBLIC Triangles */ std::vector ensure_edge (db::Vertex *from, db::Vertex *to); + /** + * @brief Given a set of contours with edges, mark outer triangles + * + * The edges must be made from existing vertexes. Edge orientation is + * clockwise. + * + * This will also mark triangles as outside ones. + */ + void constrain (const std::vector > &contours); + + /** + * @brief Removes the outside triangles. + */ + void remove_outside_triangles (); + private: tl::shared_collection mp_triangles; tl::weak_collection mp_edges; diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index f177072a32..d7dd45c6d6 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -291,7 +291,7 @@ TEST(Triangle_test_ensure_edge) double x = round (flt_rand () * res) * (1.0 / res); double y = round (flt_rand () * res) * (1.0 / res); bool ok = true; - for (int j = 0; j < sizeof (ee) / sizeof (ee[0]); ++j) { + for (unsigned int j = 0; j < sizeof (ee) / sizeof (ee[0]); ++j) { if (ee[j].side_of (db::DPoint (x, y)) == 0) { --i; ok = false; @@ -302,13 +302,13 @@ TEST(Triangle_test_ensure_edge) } } - for (int i = 0; i < sizeof (ee) / sizeof (ee[0]); ++i) { + for (unsigned int i = 0; i < sizeof (ee) / sizeof (ee[0]); ++i) { tris.insert_point (ee[i].p1 ()); } EXPECT_EQ (tris.check (), true); - for (int i = 0; i < sizeof (ee) / sizeof (ee[0]); ++i) { + for (unsigned int i = 0; i < sizeof (ee) / sizeof (ee[0]); ++i) { tris.ensure_edge (tris.find_vertex_for_point (ee[i].p1 ()), tris.find_vertex_for_point (ee[i].p2 ())); } @@ -316,7 +316,7 @@ TEST(Triangle_test_ensure_edge) double area_in = 0.0; db::DBox clip_box; - for (int i = 0; i < sizeof (ee) / sizeof (ee[0]); ++i) { + for (unsigned int i = 0; i < sizeof (ee) / sizeof (ee[0]); ++i) { clip_box += ee[i].p1 (); } for (auto t = tris.begin (); t != tris.end (); ++t) { @@ -329,6 +329,65 @@ TEST(Triangle_test_ensure_edge) EXPECT_EQ (tl::to_string (area_in), "0.25"); } +TEST(Triangle_test_constrain) +{ + srand (0); + + db::Triangles tris; + double res = 128.0; + + db::DEdge ee[] = { + db::DEdge (0.25, 0.25, 0.25, 0.75), + db::DEdge (0.25, 0.75, 0.75, 0.75), + db::DEdge (0.75, 0.75, 0.75, 0.25), + db::DEdge (0.75, 0.25, 0.25, 0.25) + }; + + for (unsigned int i = 0; i < 200; ++i) { + double x = round (flt_rand () * res) * (1.0 / res); + double y = round (flt_rand () * res) * (1.0 / res); + bool ok = true; + for (unsigned int j = 0; j < sizeof (ee) / sizeof (ee[0]); ++j) { + if (ee[j].side_of (db::DPoint (x, y)) == 0) { + --i; + ok = false; + } + } + if (ok) { + tris.insert_point (x, y); + } + } + + std::vector contour; + for (unsigned int i = 0; i < sizeof (ee) / sizeof (ee[0]); ++i) { + contour.push_back (tris.insert_point (ee[i].p1 ())); + } + std::vector > contours; + contours.push_back (contour); + + EXPECT_EQ (tris.check (), true); + + tris.constrain (contours); + EXPECT_EQ (tris.check (false), true); + + tris.remove_outside_triangles (); + + EXPECT_EQ (tris.check (), true); + + double area_in = 0.0; + db::DBox clip_box; + for (unsigned int i = 0; i < sizeof (ee) / sizeof (ee[0]); ++i) { + clip_box += ee[i].p1 (); + } + for (auto t = tris.begin (); t != tris.end (); ++t) { + EXPECT_EQ (clip_box.overlaps (t->bbox ()), true); + EXPECT_EQ (t->bbox ().inside (clip_box), true); + area_in += t->area (); + } + + EXPECT_EQ (tl::to_string (area_in), "0.25"); +} + #if 0 def test_heavy_constrain(self): From 03497f05b88219f5992cd57bb435b4cbcc12582a Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Tue, 15 Aug 2023 15:33:17 +0200 Subject: [PATCH 069/128] Triangles: tests fixed --- src/db/unit_tests/dbTrianglesTests.cc | 82 ++++++++++++++++++++++++++- 1 file changed, 81 insertions(+), 1 deletion(-) diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index d7dd45c6d6..3effbb0b3e 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -329,6 +329,16 @@ TEST(Triangle_test_ensure_edge) EXPECT_EQ (tl::to_string (area_in), "0.25"); } +bool safe_inside (const db::DBox &b1, const db::DBox &b2) +{ + typedef db::coord_traits ct; + + return (ct::less (b2.left (), b1.left ()) || ct::equal (b2.left (), b1.left ())) && + (ct::less (b1.right (), b2.right ()) || ct::equal (b1.right (), b2.right ())) && + (ct::less (b2.bottom (), b1.bottom ()) || ct::equal (b2.bottom (), b1.bottom ())) && + (ct::less (b1.top (), b2.top ()) || ct::equal (b1.top (), b2.top ())); +} + TEST(Triangle_test_constrain) { srand (0); @@ -381,13 +391,83 @@ TEST(Triangle_test_constrain) } for (auto t = tris.begin (); t != tris.end (); ++t) { EXPECT_EQ (clip_box.overlaps (t->bbox ()), true); - EXPECT_EQ (t->bbox ().inside (clip_box), true); + EXPECT_EQ (safe_inside (t->bbox (), clip_box), true); area_in += t->area (); } EXPECT_EQ (tl::to_string (area_in), "0.25"); } +TEST(Triangle_test_heavy_constrain) +{ + tl::info << "Running test_heavy_constrain " << tl::noendl; + + for (unsigned int l = 0; l < 100; ++l) { + + srand (l); + tl::info << "." << tl::noendl; + + db::Triangles tris; + double res = 128.0; + + db::DEdge ee[] = { + db::DEdge (0.25, 0.25, 0.25, 0.75), + db::DEdge (0.25, 0.75, 0.75, 0.75), + db::DEdge (0.75, 0.75, 0.75, 0.25), + db::DEdge (0.75, 0.25, 0.25, 0.25) + }; + + unsigned int n = rand () % 150 + 50; + + for (unsigned int i = 0; i < n; ++i) { + double x = round (flt_rand () * res) * (1.0 / res); + double y = round (flt_rand () * res) * (1.0 / res); + bool ok = true; + for (unsigned int j = 0; j < sizeof (ee) / sizeof (ee[0]); ++j) { + if (ee[j].side_of (db::DPoint (x, y)) == 0) { + --i; + ok = false; + } + } + if (ok) { + tris.insert_point (x, y); + } + } + + std::vector contour; + for (unsigned int i = 0; i < sizeof (ee) / sizeof (ee[0]); ++i) { + contour.push_back (tris.insert_point (ee[i].p1 ())); + } + std::vector > contours; + contours.push_back (contour); + + EXPECT_EQ (tris.check (), true); + + tris.constrain (contours); + EXPECT_EQ (tris.check (false), true); + + tris.remove_outside_triangles (); + + EXPECT_EQ (tris.check (), true); + + double area_in = 0.0; + db::DBox clip_box; + for (unsigned int i = 0; i < sizeof (ee) / sizeof (ee[0]); ++i) { + clip_box += ee[i].p1 (); + } + for (auto t = tris.begin (); t != tris.end (); ++t) { + EXPECT_EQ (clip_box.overlaps (t->bbox ()), true); + EXPECT_EQ (safe_inside (t->bbox (), clip_box), true); + area_in += t->area (); + } + + EXPECT_EQ (tl::to_string (area_in), "0.25"); + + } + + tl::info << tl::endl << "done."; +} + #if 0 def test_heavy_constrain(self): From 512cf604d095230c6917b84b7cf5bf506a655c44 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Tue, 15 Aug 2023 15:49:11 +0200 Subject: [PATCH 070/128] Triangles: new test, bugfix --- src/db/db/dbTriangles.cc | 2 +- src/db/db/dbTriangles.h | 8 +-- src/db/unit_tests/dbTrianglesTests.cc | 91 +++++++++------------------ 3 files changed, 35 insertions(+), 66 deletions(-) diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 47611bfcf0..bdad2cd008 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -301,7 +301,7 @@ Triangles::find_points_around (db::Vertex *vertex, double radius) for (auto v = new_vertexes.begin (); v != new_vertexes.end (); ++v) { for (auto e = (*v)->begin_edges (); e != (*v)->end_edges (); ++e) { db::Vertex *ov = e->other (*v); - if (ov->in_circle (*vertex, radius) == 1 && seen.insert (*v).second) { + if (ov->in_circle (*vertex, radius) == 1 && seen.insert (ov).second) { next_vertexes.push_back (ov); res.push_back (ov); } diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index ca2241345e..1291245a77 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -180,6 +180,10 @@ class DB_PUBLIC Triangles */ void remove_outside_triangles (); + // NOTE: these functions are SLOW and intended to test purposes only + std::vector find_touching (const db::DBox &box) const; + std::vector find_inside_circle (const db::DPoint ¢er, double radius) const; + private: tl::shared_collection mp_triangles; tl::weak_collection mp_edges; @@ -194,10 +198,6 @@ class DB_PUBLIC Triangles db::Triangle *create_triangle (db::TriangleEdge *e1, db::TriangleEdge *e2, db::TriangleEdge *e3); void remove (db::Triangle *tri); - // NOTE: these functions are SLOW and intended to test purposes only - std::vector find_touching (const db::DBox &box) const; - std::vector find_inside_circle (const db::DPoint ¢er, double radius) const; - void remove_outside_vertex (db::Vertex *vertex, std::vector *new_triangles = 0); void remove_inside_vertex (db::Vertex *vertex, std::vector *new_triangles_out = 0); std::vector fill_concave_corners (const std::vector &edges); diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index 3effbb0b3e..1885739855 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -468,79 +468,48 @@ TEST(Triangle_test_heavy_constrain) tl::info << tl::endl << "done."; } -#if 0 -def test_heavy_constrain(self): - - print("Running test_heavy_constrain ") - - for l in range(0, 100): - - random.seed(l) - print(".", end = '') - - tris = t.Triangles() - res = 128.0 - for i in range(0, int(random.random() * 100) + 3): - x = round(random.random() * res) * (1.0 / res) - y = round(random.random() * res) * (1.0 / res) - tris.insert(t.Vertex(x, y)) - - assert (tris.check() == True) - - if len(tris.triangles) < 1: - continue - - v1 = tris.insert(t.Vertex(0.25, 0.25)) - v2 = tris.insert(t.Vertex(0.25, 0.75)) - v3 = tris.insert(t.Vertex(0.75, 0.75)) - v4 = tris.insert(t.Vertex(0.75, 0.25)) - assert (tris.check() == True) - - contour = [ t.Edge(v1, v2), t.Edge(v2, v3), t.Edge(v3, v4), t.Edge(v4, v1) ] - tris.constrain([ contour ]) - assert (tris.check(check_delaunay = False) == True) - tris.remove_outside_triangles() +TEST(Triangle_test_heavy_find_point_around) +{ + tl::info << "Running Triangle_test_heavy_find_point_around " << tl::noendl; - p1, p2 = tris.bbox() - assert(str(p1) == "(0.25, 0.25)") - assert(str(p2) == "(0.75, 0.75)") + for (unsigned int l = 0; l < 100; ++l) { - assert (tris.check() == True) + srand (l); + tl::info << "." << tl::noendl; - print(" done.") + db::Triangles tris; + double res = 128.0; -def test_heavy_find_point_around(self): + unsigned int n = rand () % 190 + 10; - print("Running test_heavy_find_point_around ") + std::vector vertexes; - for l in range(0, 100): + for (unsigned int i = 0; i < n; ++i) { + double x = round (flt_rand () * res) * (1.0 / res); + double y = round (flt_rand () * res) * (1.0 / res); + vertexes.push_back (tris.insert_point (x, y)); + } - print(".", end="") + EXPECT_EQ (tris.check(), true); - random.seed(l) + for (int i = 0; i < 100; ++i) { - tris = t.Triangles() - res = 128.0 - for i in range(0, int(random.random() * 100) + 3): - x = round(random.random() * res) * (1.0 / res) - y = round(random.random() * res) * (1.0 / res) - tris.insert(t.Vertex(x, y)) + unsigned int nv = rand () % (unsigned int) vertexes.size (); + auto vertex = vertexes [nv]; - assert (tris.check() == True) + double r = round (flt_rand () * res) * (1.0 / res); + auto p1 = tris.find_points_around (vertex, r); + auto p2 = tris.find_inside_circle (*vertex, r); - for i in range(0, 100): + std::set sp1 (p1.begin (), p1.end ()); + std::set sp2 (p2.begin (), p2.end ()); + sp2.erase (vertex); - n = int(round(random.random() * (len(tris.vertexes) - 1))) - vertex = tris.vertexes[n] + EXPECT_EQ (sp1 == sp2, true); - r = round(random.random() * res) * (1.0 / res) - p1 = tris.find_points_around(vertex, r) - p2 = tris.find_inside_circle(vertex, r) - p2 = [ p for p in p2 if p != vertex ] + } - assert(len(p1) == len(p2)) - for p in p1: - assert(p in p2) + } - print("") -#endif + tl::info << tl::endl << "done."; +} From 7351810e557279e88f3e3a1a254b06409016d298 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Tue, 15 Aug 2023 15:56:15 +0200 Subject: [PATCH 071/128] WIP --- src/db/db/dbTriangles.h | 10 +++++----- src/db/unit_tests/dbTrianglesTests.cc | 25 +++++++++++++++++++++++++ 2 files changed, 30 insertions(+), 5 deletions(-) diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index 1291245a77..ee1b8f17a8 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -82,11 +82,6 @@ class DB_PUBLIC Triangles */ void clear (); - /** - * @brief Creates a constrained Delaunay triangulation from the given Region - */ - void create_constrained_delaunay (const db::Region ®ion, double dbu = 1.0); - // exposed for testing purposes: /** @@ -180,6 +175,11 @@ class DB_PUBLIC Triangles */ void remove_outside_triangles (); + /** + * @brief Creates a constrained Delaunay triangulation from the given Region + */ + void create_constrained_delaunay (const db::Region ®ion, double dbu = 1.0); + // NOTE: these functions are SLOW and intended to test purposes only std::vector find_touching (const db::DBox &box) const; std::vector find_inside_circle (const db::DPoint ¢er, double radius) const; diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index 1885739855..d915c26087 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -513,3 +513,28 @@ TEST(Triangle_test_heavy_find_point_around) tl::info << tl::endl << "done."; } + +TEST(Triangle_test_create_constrained_delaunay) +{ + db::Region r; + r.insert (db::Box (0, 0, 1000, 1000)); + + db::Region r2; + r2.insert (db::Box (200, 200, 800, 800)); + + r -= r2; + + db::Triangles tri; + tri.create_constrained_delaunay (r); + tri.remove_outside_triangles (); + + EXPECT_EQ (tri.to_string (), + "((1000, 0), (0, 0), (200, 200)), " + "((0, 1000), (200, 200), (0, 0)), " + "((1000, 0), (200, 200), (800, 200)), " + "((1000, 0), (800, 200), (1000, 1000)), " + "((800, 200), (800, 800), (1000, 1000)), " + "((0, 1000), (1000, 1000), (800, 800)), " + "((0, 1000), (800, 800), (200, 800)), " + "((0, 1000), (200, 800), (200, 200))"); +} From bfccd240163b4475b9d55acaf6700758028875d6 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Tue, 15 Aug 2023 19:57:11 +0200 Subject: [PATCH 072/128] Triangles: Better numerical stability --- src/db/db/dbTriangle.cc | 12 +- src/db/db/dbTriangle.h | 4 +- src/db/db/dbTriangles.cc | 188 ++++++++++++++++++++++++-- src/db/db/dbTriangles.h | 58 ++++++-- src/db/unit_tests/dbTrianglesTests.cc | 155 ++++++++++++++++++--- 5 files changed, 371 insertions(+), 46 deletions(-) diff --git a/src/db/db/dbTriangle.cc b/src/db/db/dbTriangle.cc index cb329ccc9d..490f27aa17 100644 --- a/src/db/db/dbTriangle.cc +++ b/src/db/db/dbTriangle.cc @@ -119,7 +119,7 @@ Vertex::in_circle (const DPoint &point, const DPoint ¢er, double radius) double dy = point.y () - center.y (); double d2 = dx * dx + dy * dy; double r2 = radius * radius; - double delta = std::max (1.0, fabs (d2 + r2)) * db::epsilon; + double delta = fabs (d2 + r2) * db::epsilon; if (d2 < r2 - delta) { return 1; } else if (d2 < r2 + delta) { @@ -427,15 +427,15 @@ Triangle::circumcircle () const db::DVector n1 = db::DVector (v1.y (), -v1.x ()); db::DVector n2 = db::DVector (v2.y (), -v2.x ()); - double p1s = vertex(0)->sq_distance (db::DPoint ()); - double p2s = vertex(1)->sq_distance (db::DPoint ()); - double p3s = vertex(2)->sq_distance (db::DPoint ()); + double p1s = v1.sq_length (); + double p2s = v2.sq_length (); double s = db::vprod (v1, v2); tl_assert (fabs (s) > db::epsilon); - db::DPoint center = db::DPoint () + (n2 * (p1s - p2s) - n1 * (p1s - p3s)) * (0.5 / s); - double radius = (*vertex (0) - center).length (); + db::DVector r = (n1 * p2s - n2 * p1s) * (0.5 / s); + db::DPoint center = *vertex (0) + r; + double radius = r.length (); return std::make_pair (center, radius); } diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index 17e7aee63b..89a4f7bc6d 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -395,8 +395,8 @@ class DB_PUBLIC TriangleEdge bool m_is_segment; // no copying - TriangleEdge &operator= (const TriangleEdge &); - TriangleEdge (const TriangleEdge &); + // @@@ TriangleEdge &operator= (const TriangleEdge &); + // @@@ TriangleEdge (const TriangleEdge &); void set_left (Triangle *t); void set_right (Triangle *t); diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index bdad2cd008..0d51148f90 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -314,19 +314,19 @@ Triangles::find_points_around (db::Vertex *vertex, double radius) } db::Vertex * -Triangles::insert_point (const db::DPoint &point, std::vector *new_triangles) +Triangles::insert_point (const db::DPoint &point, std::list > *new_triangles) { return insert (create_vertex (point), new_triangles); } db::Vertex * -Triangles::insert_point (db::DCoord x, db::DCoord y, std::vector *new_triangles) +Triangles::insert_point (db::DCoord x, db::DCoord y, std::list > *new_triangles) { return insert (create_vertex (x, y), new_triangles); } db::Vertex * -Triangles::insert (db::Vertex *vertex, std::vector *new_triangles) +Triangles::insert (db::Vertex *vertex, std::list > *new_triangles) { std::vector tris = find_triangle_for_point (*vertex); @@ -452,7 +452,7 @@ Triangles::find_closest_edge (const db::DPoint &p, db::Vertex *vstart, bool insi } void -Triangles::insert_new_vertex (db::Vertex *vertex, std::vector *new_triangles_out) +Triangles::insert_new_vertex (db::Vertex *vertex, std::list > *new_triangles_out) { if (mp_triangles.empty ()) { @@ -547,7 +547,7 @@ Triangles::add_more_triangles (std::vector &new_triangles, } void -Triangles::split_triangle (db::Triangle *t, db::Vertex *vertex, std::vector *new_triangles_out) +Triangles::split_triangle (db::Triangle *t, db::Vertex *vertex, std::list > *new_triangles_out) { t->unlink (); @@ -577,7 +577,7 @@ Triangles::split_triangle (db::Triangle *t, db::Vertex *vertex, std::vector &tris, db::Vertex *vertex, db::TriangleEdge *split_edge, std::vector *new_triangles_out) +Triangles::split_triangles_on_edge (const std::vector &tris, db::Vertex *vertex, db::TriangleEdge *split_edge, std::list > *new_triangles_out) { TriangleEdge *s1 = create_edge (split_edge->v1 (), vertex); TriangleEdge *s2 = create_edge (split_edge->v2 (), vertex); @@ -654,7 +654,7 @@ Triangles::find_inside_circle (const db::DPoint ¢er, double radius) const } void -Triangles::remove (db::Vertex *vertex, std::vector *new_triangles) +Triangles::remove (db::Vertex *vertex, std::list > *new_triangles) { if (vertex->begin_edges () == vertex->end_edges ()) { // removing an orphan vertex -> ignore @@ -666,7 +666,7 @@ Triangles::remove (db::Vertex *vertex, std::vector *new_triangle } void -Triangles::remove_outside_vertex (db::Vertex *vertex, std::vector *new_triangles_out) +Triangles::remove_outside_vertex (db::Vertex *vertex, std::list > *new_triangles_out) { auto to_remove = vertex->triangles (); @@ -689,7 +689,7 @@ Triangles::remove_outside_vertex (db::Vertex *vertex, std::vector *new_triangles_out) +Triangles::remove_inside_vertex (db::Vertex *vertex, std::list > *new_triangles_out) { std::set triangles_to_fix; @@ -789,7 +789,7 @@ Triangles::remove_inside_vertex (db::Vertex *vertex, std::vector } int -Triangles::fix_triangles (const std::vector &tris, const std::vector &fixed_edges, std::vector *new_triangles) +Triangles::fix_triangles (const std::vector &tris, const std::vector &fixed_edges, std::list > *new_triangles) { int flips = 0; @@ -1387,4 +1387,172 @@ Triangles::create_constrained_delaunay (const db::Region ®ion, double dbu) constrain (edge_contours); } +static bool is_skinny (db::Triangle *tri, const Triangles::TriangulateParameters ¶m) +{ + if (param.b < db::epsilon) { + return false; + } else { + auto cr = tri->circumcircle (); + double lmin = tri->edge (0)->d ().sq_length (); + for (int i = 1; i < 3; ++i) { + lmin = std::min (lmin, tri->edge (i)->d ().sq_length ()); + } + double delta = (fabs (lmin / cr.second) + fabs (param.b)) * db::epsilon; + return lmin / cr.second < param.b - delta; + } +} + +static bool is_invalid (db::Triangle *tri, const Triangles::TriangulateParameters ¶m) +{ + if (is_skinny (tri, param)) { + return true; + } + + double amax = param.max_area; + if (param.max_area_border > db::epsilon) { + bool at_border = false; + for (int i = 0; i < 3; ++i) { + if (tri->edge (i)->is_segment ()) { + at_border = true; + } + } + if (at_border) { + amax = param.max_area_border; + } + } + + if (amax > db::epsilon) { + double a = tri->area (); + double delta = (fabs (a) + fabs (amax)) * db::epsilon; + return tri->area () > amax + delta; + } else { + return false; + } +} + +static unsigned int num_segments (db::Triangle *tri) +{ + unsigned int n = 0; + for (int i = 0; i < 3; ++i) { + if (tri->edge (i)->is_segment ()) { + ++n; + } + } + return n; +} + +void +Triangles::triangulate (const db::Region ®ion, const TriangulateParameters ¶meters, double dbu) +{ + create_constrained_delaunay (region, dbu); + + if (parameters.b < db::epsilon && parameters.max_area < db::epsilon && parameters.max_area_border < db::epsilon) { + + // no refinement requested - we're done. + remove_outside_triangles (); + return; + + } + + unsigned int nloop = 0; + std::list > new_triangles; + for (auto t = mp_triangles.begin (); t != mp_triangles.end (); ++t) { + new_triangles.push_back (t.operator-> ()); + } + + // @@@ TODO: break if iteration gets stuck + while (nloop < 20) { // @@@ + + ++nloop; + tl::info << "Iteration " << nloop << " .."; + + std::list > to_consider; + for (auto t = new_triangles.begin (); t != new_triangles.end (); ++t) { + if (t->get () && ! (*t)->is_outside () && is_invalid (t->get (), parameters)) { + to_consider.push_back (*t); + } + } + tl::info << "@@@ to_consider " << to_consider.size(); + + if (to_consider.empty ()) { + break; + } + + new_triangles.clear (); + + for (auto t = to_consider.begin (); t != to_consider.end (); ++t) { + + if (! t->get ()) { + // triangle got removed during loop + continue; + } + + auto cr = (*t)->circumcircle(); + auto center = cr.first; + + if ((*t)->contains (center) >= 0) { + + // heuristics #1: never insert a point into a triangle with more than two segments + if (num_segments (t->get ()) <= 1) { + // @@@ print(f"Inserting in-triangle center {repr(center)} of {repr(tri)}") + insert_point (center, &new_triangles); + } + + } else { + + db::Vertex *vstart = 0; + for (int i = 0; i < 3; ++i) { + db::TriangleEdge *edge = (*t)->edge (i); + vstart = (*t)->opposite (edge); + if (edge->side_of (*vstart) * edge->side_of (center) < 0) { + break; + } + } + + db::TriangleEdge *edge = find_closest_edge (center, vstart, true /*inside only*/); + tl_assert (edge != 0); + + if (! edge->is_segment () || edge->side_of (*vstart) * edge->side_of (center) >= 0) { + + // @@@ print(f"Inserting out-of-triangle center {repr(center)} of {repr(tri)}") + insert_point (center, &new_triangles); + + } else { + + double sr = edge->d ().length () * 0.5; + db::DPoint pnew = *edge->v1 () + edge->d () * 0.5; + + // @@@ print(f"split edge {repr(edge)} at {repr(pnew)}") + db::Vertex *vnew = insert_point (pnew, &new_triangles); + auto vertexes_in_diametral_circle = find_points_around (vnew, sr); + + std::vector to_delete; + for (auto v = vertexes_in_diametral_circle.begin (); v != vertexes_in_diametral_circle.end (); ++v) { + bool has_segment = false; + for (auto e = (*v)->begin_edges (); e != (*v)->end_edges () && ! has_segment; ++e) { + has_segment = e->is_segment (); + } + if (! has_segment) { + to_delete.push_back (*v); + } + } + + // @@@ print(f" -> found {len(to_delete)} vertexes to remove") + for (auto v = to_delete.begin (); v != to_delete.end (); ++v) { + remove (*v, &new_triangles); + } + + } + + } + + } + + // @@@ tris.dump_as_gdstxt("debug2.txt") + + } + + remove_outside_triangles (); +} + } diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index ee1b8f17a8..4e47434824 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -40,6 +40,30 @@ class Layout; class DB_PUBLIC Triangles { public: + struct TriangulateParameters + { + TriangulateParameters () + : b (1.0), + max_area (0.0), + max_area_border (0.0) + { } + + /** + * @brief Min. readius-to-shortest edge ratio + */ + double b; + + /** + * @brief Max area or zero for "no constraint" + */ + double max_area; + + /** + * @brief Max area for border triangles or zero for "use max_area" + */ + double max_area_border; + }; + typedef tl::shared_collection triangles_type; typedef triangles_type::const_iterator triangle_iterator; @@ -82,7 +106,13 @@ class DB_PUBLIC Triangles */ void clear (); - // exposed for testing purposes: + /** + * @brief Creates a refined Delaunay triangulation for the given region + */ + void triangulate (const db::Region ®ion, const TriangulateParameters ¶meters, double dbu = 1.0); + + + // -- exposed for testing purposes -- /** * @brief Checks the triangle graph for consistency @@ -113,7 +143,7 @@ class DB_PUBLIC Triangles * If "new_triangles" is not null, it will receive the list of new triangles created during * the remove step. */ - db::Vertex *insert_point (const db::DPoint &point, std::vector *new_triangles = 0); + db::Vertex *insert_point (const db::DPoint &point, std::list > *new_triangles = 0); /** * @brief Inserts a new vertex as the given point @@ -121,7 +151,7 @@ class DB_PUBLIC Triangles * If "new_triangles" is not null, it will receive the list of new triangles created during * the remove step. */ - db::Vertex *insert_point (db::DCoord x, db::DCoord y, std::vector *new_triangles = 0); + db::Vertex *insert_point (db::DCoord x, db::DCoord y, std::list > *new_triangles = 0); /** * @brief Removes the given vertex @@ -129,7 +159,7 @@ class DB_PUBLIC Triangles * If "new_triangles" is not null, it will receive the list of new triangles created during * the remove step. */ - void remove (db::Vertex *vertex, std::vector *new_triangles = 0); + void remove (db::Vertex *vertex, std::list > *new_triangles = 0); /** * @brief Flips the given edge @@ -180,6 +210,11 @@ class DB_PUBLIC Triangles */ void create_constrained_delaunay (const db::Region ®ion, double dbu = 1.0); + /** + * @brief Returns a value indicating whether the edge is "illegal" (violates the Delaunay criterion) + */ + static bool is_illegal_edge (db::TriangleEdge *edge); + // NOTE: these functions are SLOW and intended to test purposes only std::vector find_touching (const db::DBox &box) const; std::vector find_inside_circle (const db::DPoint ¢er, double radius) const; @@ -198,21 +233,20 @@ class DB_PUBLIC Triangles db::Triangle *create_triangle (db::TriangleEdge *e1, db::TriangleEdge *e2, db::TriangleEdge *e3); void remove (db::Triangle *tri); - void remove_outside_vertex (db::Vertex *vertex, std::vector *new_triangles = 0); - void remove_inside_vertex (db::Vertex *vertex, std::vector *new_triangles_out = 0); + void remove_outside_vertex (db::Vertex *vertex, std::list > *new_triangles = 0); + void remove_inside_vertex (db::Vertex *vertex, std::list > *new_triangles_out = 0); std::vector fill_concave_corners (const std::vector &edges); - int fix_triangles(const std::vector &tris, const std::vector &fixed_edges, std::vector *new_triangles); - static bool is_illegal_edge (db::TriangleEdge *edge); + int fix_triangles(const std::vector &tris, const std::vector &fixed_edges, std::list > *new_triangles); std::vector find_triangle_for_point (const db::DPoint &point); db::TriangleEdge *find_closest_edge (const db::DPoint &p, db::Vertex *vstart = 0, bool inside_only = false); - db::Vertex *insert (db::Vertex *vertex, std::vector *new_triangles = 0); - void split_triangle (db::Triangle *t, db::Vertex *vertex, std::vector *new_triangles_out); - void split_triangles_on_edge (const std::vector &tris, db::Vertex *vertex, db::TriangleEdge *split_edge, std::vector *new_triangles_out); + db::Vertex *insert (db::Vertex *vertex, std::list > *new_triangles = 0); + void split_triangle (db::Triangle *t, db::Vertex *vertex, std::list > *new_triangles_out); + void split_triangles_on_edge (const std::vector &tris, db::Vertex *vertex, db::TriangleEdge *split_edge, std::list > *new_triangles_out); void add_more_triangles (std::vector &new_triangles, db::TriangleEdge *incoming_edge, db::Vertex *from_vertex, db::Vertex *to_vertex, db::TriangleEdge *conn_edge); - void insert_new_vertex(db::Vertex *vertex, std::vector *new_triangles_out); + void insert_new_vertex(db::Vertex *vertex, std::list > *new_triangles_out); std::vector ensure_edge_inner (db::Vertex *from, db::Vertex *to); void join_edges (std::vector &edges); }; diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index d915c26087..3807d6cb15 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -29,7 +29,7 @@ #include #include -TEST(Triangle_basic) +TEST(Triangles_basic) { db::Triangles tris; tris.init_box (db::DBox (1, 0, 5, 4)); @@ -40,7 +40,7 @@ TEST(Triangle_basic) EXPECT_EQ (tris.check (), true); } -TEST(Triangle_flip) +TEST(Triangles_flip) { db::Triangles tris; tris.init_box (db::DBox (0, 0, 1, 1)); @@ -61,7 +61,7 @@ TEST(Triangle_flip) EXPECT_EQ (tris.check (), true); } -TEST(Triangle_insert) +TEST(Triangles_insert) { db::Triangles tris; tris.init_box (db::DBox (0, 0, 1, 1)); @@ -71,7 +71,7 @@ TEST(Triangle_insert) EXPECT_EQ (tris.check (), true); } -TEST(Triangle_split_segment) +TEST(Triangles_split_segment) { db::Triangles tris; tris.init_box (db::DBox (0, 0, 1, 1)); @@ -81,7 +81,7 @@ TEST(Triangle_split_segment) EXPECT_EQ (tris.check(), true); } -TEST(Triangle_insert_vertex_twice) +TEST(Triangles_insert_vertex_twice) { db::Triangles tris; tris.init_box (db::DBox (0, 0, 1, 1)); @@ -93,7 +93,7 @@ TEST(Triangle_insert_vertex_twice) EXPECT_EQ (tris.check(), true); } -TEST(Triangle_insert_vertex_convex) +TEST(Triangles_insert_vertex_convex) { db::Triangles tris; tris.insert_point (0.2, 0.2); @@ -105,7 +105,7 @@ TEST(Triangle_insert_vertex_convex) EXPECT_EQ (tris.check(), true); } -TEST(Triangle_insert_vertex_convex2) +TEST(Triangles_insert_vertex_convex2) { db::Triangles tris; tris.insert_point (0.25, 0.1); @@ -116,7 +116,7 @@ TEST(Triangle_insert_vertex_convex2) EXPECT_EQ (tris.check(), true); } -TEST(Triangle_insert_vertex_convex3) +TEST(Triangles_insert_vertex_convex3) { db::Triangles tris; tris.insert_point (0.25, 0.5); @@ -127,7 +127,7 @@ TEST(Triangle_insert_vertex_convex3) EXPECT_EQ (tris.check(), true); } -TEST(Triangle_search_edges_crossing) +TEST(Triangles_search_edges_crossing) { db::Triangles tris; db::Vertex *v1 = tris.insert_point (0.2, 0.2); @@ -147,6 +147,85 @@ TEST(Triangle_search_edges_crossing) EXPECT_EQ (std::find (xedges.begin (), xedges.end (), s2) != xedges.end (), true); } +TEST(Triangles_illegal_edge1) +{ + db::Vertex v1 (0, 0); + db::Vertex v2 (1.6, 1.6); + db::Vertex v3 (1, 2); + db::Vertex v4 (2, 1); + + { + db::TriangleEdge e1 (&v1, &v3); + db::TriangleEdge e2 (&v3, &v4); + db::TriangleEdge e3 (&v4, &v1); + + db::Triangle t1 (&e1, &e2, &e3); + + db::TriangleEdge ee1 (&v2, &v3); + db::TriangleEdge ee2 (&v4, &v2); + + db::Triangle t2 (&ee1, &e2, &ee2); + + EXPECT_EQ (db::Triangles::is_illegal_edge (&e2), true); + } + + { + // flipped + db::TriangleEdge e1 (&v1, &v2); + db::TriangleEdge e2 (&v2, &v3); + db::TriangleEdge e3 (&v3, &v1); + + db::Triangle t1 (&e1, &e2, &e3); + + db::TriangleEdge ee1 (&v1, &v4); + db::TriangleEdge ee2 (&v4, &v2); + + db::Triangle t2 (&ee1, &ee2, &e1); + + EXPECT_EQ (db::Triangles::is_illegal_edge (&e2), false); + } +} + +TEST(Triangles_illegal_edge2) +{ + // numerical border case + db::Vertex v1 (773.94756216690905, 114.45875269431208); + db::Vertex v2 (773.29574734131643, 113.47402096138073); + db::Vertex v3 (773.10652961562653, 114.25497975904504); + db::Vertex v4 (774.08856345337881, 113.60495072750861); + + { + db::TriangleEdge e1 (&v1, &v2); + db::TriangleEdge e2 (&v2, &v4); + db::TriangleEdge e3 (&v4, &v1); + + db::Triangle t1 (&e1, &e2, &e3); + + db::TriangleEdge ee1 (&v2, &v3); + db::TriangleEdge ee2 (&v3, &v4); + + db::Triangle t2 (&ee1, &ee2, &e2); + + EXPECT_EQ (db::Triangles::is_illegal_edge (&e2), false); + } + + { + // flipped + db::TriangleEdge e1 (&v1, &v2); + db::TriangleEdge e2 (&v2, &v3); + db::TriangleEdge e3 (&v3, &v1); + + db::Triangle t1 (&e1, &e2, &e3); + + db::TriangleEdge ee1 (&v1, &v4); + db::TriangleEdge ee2 (&v4, &v2); + + db::Triangle t2 (&ee1, &ee2, &e1); + + EXPECT_EQ (db::Triangles::is_illegal_edge (&e1), true); + } +} + // Returns a random float number between 0.0 and 1.0 inline double flt_rand () { @@ -163,7 +242,7 @@ namespace { }; } -TEST(Triangle_test_heavy_insert) +TEST(Triangles_test_heavy_insert) { tl::info << "Running test_heavy_insert " << tl::noendl; @@ -219,7 +298,7 @@ TEST(Triangle_test_heavy_insert) tl::info << tl::endl << "done."; } -TEST(Triangle_test_heavy_remove) +TEST(Triangles_test_heavy_remove) { tl::info << "Running test_heavy_remove " << tl::noendl; @@ -273,7 +352,7 @@ TEST(Triangle_test_heavy_remove) tl::info << tl::endl << "done."; } -TEST(Triangle_test_ensure_edge) +TEST(Triangles_test_ensure_edge) { srand (0); @@ -339,7 +418,7 @@ bool safe_inside (const db::DBox &b1, const db::DBox &b2) (ct::less (b1.top (), b2.top ()) || ct::equal (b1.top (), b2.top ())); } -TEST(Triangle_test_constrain) +TEST(Triangles_test_constrain) { srand (0); @@ -398,7 +477,7 @@ TEST(Triangle_test_constrain) EXPECT_EQ (tl::to_string (area_in), "0.25"); } -TEST(Triangle_test_heavy_constrain) +TEST(Triangles_test_heavy_constrain) { tl::info << "Running test_heavy_constrain " << tl::noendl; @@ -468,7 +547,7 @@ TEST(Triangle_test_heavy_constrain) tl::info << tl::endl << "done."; } -TEST(Triangle_test_heavy_find_point_around) +TEST(Triangles_test_heavy_find_point_around) { tl::info << "Running Triangle_test_heavy_find_point_around " << tl::noendl; @@ -514,7 +593,7 @@ TEST(Triangle_test_heavy_find_point_around) tl::info << tl::endl << "done."; } -TEST(Triangle_test_create_constrained_delaunay) +TEST(Triangles_test_create_constrained_delaunay) { db::Region r; r.insert (db::Box (0, 0, 1000, 1000)); @@ -528,6 +607,8 @@ TEST(Triangle_test_create_constrained_delaunay) tri.create_constrained_delaunay (r); tri.remove_outside_triangles (); + EXPECT_EQ (tri.check (), true); + EXPECT_EQ (tri.to_string (), "((1000, 0), (0, 0), (200, 200)), " "((0, 1000), (200, 200), (0, 0)), " @@ -538,3 +619,45 @@ TEST(Triangle_test_create_constrained_delaunay) "((0, 1000), (800, 800), (200, 800)), " "((0, 1000), (200, 800), (200, 200))"); } + +TEST(Triangles_test_triangulate) +{ + db::Region r; + r.insert (db::Box (0, 0, 1000, 1000)); + + db::Region r2; + r2.insert (db::Box (200, 200, 800, 800)); + + r -= r2; + + db::Triangles::TriangulateParameters param; + param.max_area = 0.1; + + db::Triangles tri; + tri.triangulate (r, param); + + tri.dump ("debug.gds"); + + EXPECT_EQ (tri.check (), true); + +} + +#if 0 + +assert tris.check(check_delaunay = False) + +amax = 0.0 +l2rmin = 2.0 +for tri in tris.triangles: +if not tri.is_outside: + _, radius = tri.circumcircle() + lmin = min([math.sqrt(t.square(s.d())) for s in tri.edges()]) + l2rmin = min(l2rmin, lmin / radius) + amax = max(amax, tri.area()) +print(f"max. area = {'%.5g'%amax}") +print(f"l/R min = {'%.5g'%l2rmin}") + +tris.dump_as_gdstxt("out.txt") + + +#endif From 26f1219cc57ed09d03d95937434db336a7499c10 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Tue, 15 Aug 2023 21:05:08 +0200 Subject: [PATCH 073/128] Triangle: bug fixes --- src/db/db/dbTriangles.cc | 8 ++++---- src/db/db/dbTriangles.h | 8 +++++++- src/db/unit_tests/dbTrianglesTests.cc | 10 ++++++---- 3 files changed, 17 insertions(+), 9 deletions(-) diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 0d51148f90..b3e6a057d7 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -1393,9 +1393,9 @@ static bool is_skinny (db::Triangle *tri, const Triangles::TriangulateParameters return false; } else { auto cr = tri->circumcircle (); - double lmin = tri->edge (0)->d ().sq_length (); + double lmin = tri->edge (0)->d ().length (); for (int i = 1; i < 3; ++i) { - lmin = std::min (lmin, tri->edge (i)->d ().sq_length ()); + lmin = std::min (lmin, tri->edge (i)->d ().length ()); } double delta = (fabs (lmin / cr.second) + fabs (param.b)) * db::epsilon; return lmin / cr.second < param.b - delta; @@ -1461,7 +1461,7 @@ Triangles::triangulate (const db::Region ®ion, const TriangulateParameters &p } // @@@ TODO: break if iteration gets stuck - while (nloop < 20) { // @@@ + while (nloop < parameters.max_iterations) { // @@@ ++nloop; tl::info << "Iteration " << nloop << " .."; @@ -1548,7 +1548,7 @@ Triangles::triangulate (const db::Region ®ion, const TriangulateParameters &p } - // @@@ tris.dump_as_gdstxt("debug2.txt") + // @@@ dump ("debug2.gds"); // @@@ } diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index 4e47434824..2cd5d8d628 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -45,7 +45,8 @@ class DB_PUBLIC Triangles TriangulateParameters () : b (1.0), max_area (0.0), - max_area_border (0.0) + max_area_border (0.0), + max_iterations (std::numeric_limits::max ()) { } /** @@ -62,6 +63,11 @@ class DB_PUBLIC Triangles * @brief Max area for border triangles or zero for "use max_area" */ double max_area_border; + + /** + * @brief Max number of iterations + */ + size_t max_iterations; }; typedef tl::shared_collection triangles_type; diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index 3807d6cb15..6bfaa18255 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -623,18 +623,20 @@ TEST(Triangles_test_create_constrained_delaunay) TEST(Triangles_test_triangulate) { db::Region r; - r.insert (db::Box (0, 0, 1000, 1000)); + r.insert (db::Box (0, 0, 10000, 10000)); db::Region r2; - r2.insert (db::Box (200, 200, 800, 800)); + r2.insert (db::Box (2000, 2000, 8000, 8000)); r -= r2; db::Triangles::TriangulateParameters param; - param.max_area = 0.1; + param.b = 1.21; + param.max_area = 1.0; + param.max_area_border = 0.0; db::Triangles tri; - tri.triangulate (r, param); + tri.triangulate (r, param, 0.001); tri.dump ("debug.gds"); From e07d802500d467247a71ac3d577a7f0192364bbc Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Wed, 16 Aug 2023 00:05:46 +0200 Subject: [PATCH 074/128] Delaunay refinement, tests etc. --- src/db/db/dbTriangle.cc | 41 ++++++++++++++++ src/db/db/dbTriangle.h | 20 ++++++++ src/db/db/dbTriangles.cc | 70 +++++++++++++-------------- src/db/db/dbTriangles.h | 15 ++++-- src/db/unit_tests/dbTrianglesTests.cc | 38 +++++++-------- 5 files changed, 124 insertions(+), 60 deletions(-) diff --git a/src/db/db/dbTriangle.cc b/src/db/db/dbTriangle.cc index 490f27aa17..bb7c739109 100644 --- a/src/db/db/dbTriangle.cc +++ b/src/db/db/dbTriangle.cc @@ -494,4 +494,45 @@ Triangle::contains (const db::DPoint &point) const return res; } +double +Triangle::min_edge_length () const +{ + double lmin = edge (0)->d ().length (); + for (int i = 1; i < 3; ++i) { + lmin = std::min (lmin, edge (i)->d ().length ()); + } + return lmin; +} + +double +Triangle::b () const +{ + double lmin = min_edge_length (); + auto cr = circumcircle (); + return lmin / cr.second; +} + +bool +Triangle::has_segment () const +{ + for (int i = 0; i < 3; ++i) { + if (edge (i)->is_segment ()) { + return true; + } + } + return false; +} + +unsigned int +Triangle::num_segments () const +{ + unsigned int n = 0; + for (int i = 0; i < 3; ++i) { + if (edge (i)->is_segment ()) { + ++n; + } + } + return n; +} + } diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index 89a4f7bc6d..ff39ab837c 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -497,6 +497,26 @@ class DB_PUBLIC Triangle return mp_e1.get () == e || mp_e2.get () == e || mp_e3.get () == e; } + /** + * @brief Returns the minimum edge length + */ + double min_edge_length () const; + + /** + * @brief Returns the min edge length to circumcircle radius ratio + */ + double b () const; + + /** + * @brief Returns a value indicating whether the triangle borders to a segment + */ + bool has_segment () const; + + /** + * @brief Returns the number of segments the triangle borders to + */ + unsigned int num_segments () const; + private: bool m_is_outside; tl::weak_ptr mp_e1, mp_e2, mp_e3; diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index b3e6a057d7..dd04c56cf3 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -26,6 +26,7 @@ #include "dbWriter.h" #include "tlStream.h" #include "tlLog.h" +#include "tlTimer.h" #include @@ -1389,16 +1390,12 @@ Triangles::create_constrained_delaunay (const db::Region ®ion, double dbu) static bool is_skinny (db::Triangle *tri, const Triangles::TriangulateParameters ¶m) { - if (param.b < db::epsilon) { + if (param.min_b < db::epsilon) { return false; } else { - auto cr = tri->circumcircle (); - double lmin = tri->edge (0)->d ().length (); - for (int i = 1; i < 3; ++i) { - lmin = std::min (lmin, tri->edge (i)->d ().length ()); - } - double delta = (fabs (lmin / cr.second) + fabs (param.b)) * db::epsilon; - return lmin / cr.second < param.b - delta; + double b = tri->b (); + double delta = (b + param.min_b) * db::epsilon; + return b < param.min_b - delta; } } @@ -1410,43 +1407,28 @@ static bool is_invalid (db::Triangle *tri, const Triangles::TriangulateParameter double amax = param.max_area; if (param.max_area_border > db::epsilon) { - bool at_border = false; - for (int i = 0; i < 3; ++i) { - if (tri->edge (i)->is_segment ()) { - at_border = true; - } - } - if (at_border) { + if (tri->has_segment ()) { amax = param.max_area_border; } } if (amax > db::epsilon) { double a = tri->area (); - double delta = (fabs (a) + fabs (amax)) * db::epsilon; + double delta = (a + amax) * db::epsilon; return tri->area () > amax + delta; } else { return false; } } -static unsigned int num_segments (db::Triangle *tri) -{ - unsigned int n = 0; - for (int i = 0; i < 3; ++i) { - if (tri->edge (i)->is_segment ()) { - ++n; - } - } - return n; -} - void Triangles::triangulate (const db::Region ®ion, const TriangulateParameters ¶meters, double dbu) { + tl::SelfTimer timer (tl::verbosity () > parameters.base_verbosity, "Triangles::triangulate"); + create_constrained_delaunay (region, dbu); - if (parameters.b < db::epsilon && parameters.max_area < db::epsilon && parameters.max_area_border < db::epsilon) { + if (parameters.min_b < db::epsilon && parameters.max_area < db::epsilon && parameters.max_area_border < db::epsilon) { // no refinement requested - we're done. remove_outside_triangles (); @@ -1464,7 +1446,9 @@ Triangles::triangulate (const db::Region ®ion, const TriangulateParameters &p while (nloop < parameters.max_iterations) { // @@@ ++nloop; - tl::info << "Iteration " << nloop << " .."; + if (tl::verbosity () >= parameters.base_verbosity + 10) { + tl::info << "Iteration " << nloop << " .."; + } std::list > to_consider; for (auto t = new_triangles.begin (); t != new_triangles.end (); ++t) { @@ -1472,12 +1456,15 @@ Triangles::triangulate (const db::Region ®ion, const TriangulateParameters &p to_consider.push_back (*t); } } - tl::info << "@@@ to_consider " << to_consider.size(); if (to_consider.empty ()) { break; } + if (tl::verbosity () >= parameters.base_verbosity + 10) { + tl::info << to_consider.size() << " triangles to consider"; + } + new_triangles.clear (); for (auto t = to_consider.begin (); t != to_consider.end (); ++t) { @@ -1493,8 +1480,10 @@ Triangles::triangulate (const db::Region ®ion, const TriangulateParameters &p if ((*t)->contains (center) >= 0) { // heuristics #1: never insert a point into a triangle with more than two segments - if (num_segments (t->get ()) <= 1) { - // @@@ print(f"Inserting in-triangle center {repr(center)} of {repr(tri)}") + if (t->get ()->num_segments () <= 1) { + if (tl::verbosity () >= parameters.base_verbosity + 20) { + tl::info << "Inserting in-triangle center " << center.to_string () << " of " << (*t)->to_string (true); + } insert_point (center, &new_triangles); } @@ -1514,7 +1503,9 @@ Triangles::triangulate (const db::Region ®ion, const TriangulateParameters &p if (! edge->is_segment () || edge->side_of (*vstart) * edge->side_of (center) >= 0) { - // @@@ print(f"Inserting out-of-triangle center {repr(center)} of {repr(tri)}") + if (tl::verbosity () >= parameters.base_verbosity + 20) { + tl::info << "Inserting out-of-triangle center " << center << " of " << (*t)->to_string (true); + } insert_point (center, &new_triangles); } else { @@ -1522,7 +1513,9 @@ Triangles::triangulate (const db::Region ®ion, const TriangulateParameters &p double sr = edge->d ().length () * 0.5; db::DPoint pnew = *edge->v1 () + edge->d () * 0.5; - // @@@ print(f"split edge {repr(edge)} at {repr(pnew)}") + if (tl::verbosity () >= parameters.base_verbosity + 20) { + tl::info << "Split edge " << edge->to_string (true) << " at " << pnew.to_string (); + } db::Vertex *vnew = insert_point (pnew, &new_triangles); auto vertexes_in_diametral_circle = find_points_around (vnew, sr); @@ -1537,7 +1530,9 @@ Triangles::triangulate (const db::Region ®ion, const TriangulateParameters &p } } - // @@@ print(f" -> found {len(to_delete)} vertexes to remove") + if (tl::verbosity () >= parameters.base_verbosity + 20) { + tl::info << " -> found " << to_delete.size () << " vertexes to remove"; + } for (auto v = to_delete.begin (); v != to_delete.end (); ++v) { remove (*v, &new_triangles); } @@ -1548,10 +1543,11 @@ Triangles::triangulate (const db::Region ®ion, const TriangulateParameters &p } - // @@@ dump ("debug2.gds"); // @@@ - } + if (tl::verbosity () >= parameters.base_verbosity + 20) { + tl::info << "Finishing .."; + } remove_outside_triangles (); } diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index 2cd5d8d628..c246ea544d 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -43,16 +43,17 @@ class DB_PUBLIC Triangles struct TriangulateParameters { TriangulateParameters () - : b (1.0), + : min_b (1.0), max_area (0.0), max_area_border (0.0), - max_iterations (std::numeric_limits::max ()) + max_iterations (std::numeric_limits::max ()), + base_verbosity (30) { } /** * @brief Min. readius-to-shortest edge ratio */ - double b; + double min_b; /** * @brief Max area or zero for "no constraint" @@ -68,6 +69,11 @@ class DB_PUBLIC Triangles * @brief Max number of iterations */ size_t max_iterations; + + /** + * @brief The verbosity level above which triangulation reports details + */ + int base_verbosity; }; typedef tl::shared_collection triangles_type; @@ -114,6 +120,9 @@ class DB_PUBLIC Triangles /** * @brief Creates a refined Delaunay triangulation for the given region + * + * The database unit should be chosen in a way that target area values are "in the order of 1". + * The algorithm becomes numerically unstable area constraints below 1e-4. */ void triangulate (const db::Region ®ion, const TriangulateParameters ¶meters, double dbu = 1.0); diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index 6bfaa18255..591e842a81 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -222,7 +222,7 @@ TEST(Triangles_illegal_edge2) db::Triangle t2 (&ee1, &ee2, &e1); - EXPECT_EQ (db::Triangles::is_illegal_edge (&e1), true); + EXPECT_EQ (db::Triangles::is_illegal_edge (&e1), false); } } @@ -631,35 +631,33 @@ TEST(Triangles_test_triangulate) r -= r2; db::Triangles::TriangulateParameters param; - param.b = 1.21; + param.min_b = 1.2; param.max_area = 1.0; - param.max_area_border = 0.0; db::Triangles tri; tri.triangulate (r, param, 0.001); - tri.dump ("debug.gds"); - EXPECT_EQ (tri.check (), true); -} + for (auto t = tri.begin (); t != tri.end (); ++t) { + EXPECT_EQ (t->area () <= param.max_area, true); + EXPECT_EQ (t->b () >= param.min_b, true); + } -#if 0 + EXPECT_EQ (tri.num_triangles () > 100 && tri.num_triangles () < 150, true); + tl::info << tri.num_triangles (); -assert tris.check(check_delaunay = False) + param.min_b = 1.0; + param.max_area = 0.1; -amax = 0.0 -l2rmin = 2.0 -for tri in tris.triangles: -if not tri.is_outside: - _, radius = tri.circumcircle() - lmin = min([math.sqrt(t.square(s.d())) for s in tri.edges()]) - l2rmin = min(l2rmin, lmin / radius) - amax = max(amax, tri.area()) -print(f"max. area = {'%.5g'%amax}") -print(f"l/R min = {'%.5g'%l2rmin}") + tri.triangulate (r, param, 0.001); -tris.dump_as_gdstxt("out.txt") + EXPECT_EQ (tri.check (), true); + for (auto t = tri.begin (); t != tri.end (); ++t) { + EXPECT_EQ (t->area () <= param.max_area, true); + EXPECT_EQ (t->b () >= param.min_b, true); + } -#endif + EXPECT_EQ (tri.num_triangles () > 900 && tri.num_triangles () < 1000, true); +} From 7d07aeb9fab38f4a1ab1d6213041c3cabfaa3a8d Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Wed, 16 Aug 2023 22:17:52 +0200 Subject: [PATCH 075/128] Enhancing unit test framework by LE/LT/GE/GT test functions --- src/tl/tl/tlUnitTest.cc | 9 ++++++ src/tl/tl/tlUnitTest.h | 71 +++++++++++++++++++++++++++++++++++++++++ 2 files changed, 80 insertions(+) diff --git a/src/tl/tl/tlUnitTest.cc b/src/tl/tl/tlUnitTest.cc index 473bff366b..694617cbdd 100644 --- a/src/tl/tl/tlUnitTest.cc +++ b/src/tl/tl/tlUnitTest.cc @@ -133,6 +133,15 @@ bool equals (double a, double b) } } +bool less (double a, double b) +{ + if (equals (a, b)) { + return false; + } else { + return a < b; + } +} + // TODO: move this to tlString.h static std::string replicate (const char *s, size_t n) { diff --git a/src/tl/tl/tlUnitTest.h b/src/tl/tl/tlUnitTest.h index 730febf5ae..6e760fde2d 100644 --- a/src/tl/tl/tlUnitTest.h +++ b/src/tl/tl/tlUnitTest.h @@ -187,6 +187,47 @@ inline bool equals (const char *a, const std::string &b) return equals (std::string (a), b); } +/** + * @brief A generic compare operator + */ +template +inline bool less (const X &a, const Y &b) +{ + return a < b; +} + +/** + * @brief A specialization of the compare operator for doubles + */ +TL_PUBLIC bool less (double a, double b); + +/** + * @brief Specialization of comparison of pointers vs. integers (specifically "0") + */ +template +inline bool less (X *a, int b) +{ + return a == (X *) size_t (b); +} + +/** + * @brief A specialization of comparison of double vs "anything" + */ +template +inline bool less (double a, const Y &b) +{ + return less (a, double (b)); +} + +/** + * @brief A specialization of comparison of "anything" vs. double + */ +template +inline bool less (const X &a, double b) +{ + return less (double (a), b); +} + /** * @brief A utility class to capture the warning, error and info channels * @@ -447,6 +488,20 @@ class TL_PUBLIC TestBase } } + /** + * @brief Main entry point for the compare feature (EXPECT_LE, _LT, _GE, _GT) + */ + template + void cmp_helper (bool less, bool eq, const T1 &a, const T2 &b, const char *what_expr, const char *equals_expr, const char *file, int line) + { + bool res = (less ? tl::less (a, b) : tl::less (b, a)) && (! eq || tl::equals (a, b)); + if (! res) { + std::ostringstream sstr; + sstr << what_expr << " is not " << (less ? "less" : "greater") << (eq ? " or equal" : "") << " than " << equals_expr; + diff (file, line, sstr.str (), a, b); + } + } + protected: /** * @brief Returns a value indicating whether the test runs in editable mode @@ -511,6 +566,22 @@ struct TestImpl##NAME \ } \ void TestImpl##NAME::execute (tl::TestBase *_this) +#define EXPECT_LE(WHAT,EQUALS) \ + _this->checkpoint (__FILE__, __LINE__); \ + _this->cmp_helper (true, false, (WHAT), (EQUALS), #WHAT, #EQUALS, __FILE__, __LINE__); + +#define EXPECT_LT(WHAT,EQUALS) \ + _this->checkpoint (__FILE__, __LINE__); \ + _this->cmp_helper (true, true, (WHAT), (EQUALS), #WHAT, #EQUALS, __FILE__, __LINE__); + +#define EXPECT_GE(WHAT,EQUALS) \ + _this->checkpoint (__FILE__, __LINE__); \ + _this->cmp_helper (true, false, (WHAT), (EQUALS), #WHAT, #EQUALS, __FILE__, __LINE__); + +#define EXPECT_GT(WHAT,EQUALS) \ + _this->checkpoint (__FILE__, __LINE__); \ + _this->cmp_helper (true, true, (WHAT), (EQUALS), #WHAT, #EQUALS, __FILE__, __LINE__); + #define EXPECT_EQ(WHAT,EQUALS) \ _this->checkpoint (__FILE__, __LINE__); \ _this->eq_helper (true, (WHAT), (EQUALS), #WHAT, #EQUALS, __FILE__, __LINE__); From fe90164a8abc45c034271234808ce69e98371bc2 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Wed, 16 Aug 2023 22:18:53 +0200 Subject: [PATCH 076/128] Fixed some compiler warnings --- src/db/db/dbNetlistCompareUtils.cc | 4 ++-- src/db/db/dbPath.cc | 4 ++-- src/db/db/dbText.cc | 4 ++-- 3 files changed, 6 insertions(+), 6 deletions(-) diff --git a/src/db/db/dbNetlistCompareUtils.cc b/src/db/db/dbNetlistCompareUtils.cc index 7320e6a586..18f4f4fb36 100644 --- a/src/db/db/dbNetlistCompareUtils.cc +++ b/src/db/db/dbNetlistCompareUtils.cc @@ -414,8 +414,8 @@ generic_categorizer::cat_for (const Obj *cls) } // explicit instantiations -template class DB_PUBLIC generic_categorizer; -template class DB_PUBLIC generic_categorizer; +template class generic_categorizer; +template class generic_categorizer; // -------------------------------------------------------------------------------------------------------------------- // DeviceCategorizer implementation diff --git a/src/db/db/dbPath.cc b/src/db/db/dbPath.cc index c30173e613..f1d5be16ea 100644 --- a/src/db/db/dbPath.cc +++ b/src/db/db/dbPath.cc @@ -579,8 +579,8 @@ Path round_path_corners (const Path &path, int rad, int n) return Path (round_path_corners (db::DPath (path), double (rad), n, 0.5)); } -template class DB_PUBLIC path; -template class DB_PUBLIC path; +template class path; +template class path; // explicit instantiations template DB_PUBLIC void path::create_shifted_points (Coord, Coord, Coord, bool, path::pointlist_type::iterator, path::pointlist_type::iterator, int, box_inserter::box_type>) const; diff --git a/src/db/db/dbText.cc b/src/db/db/dbText.cc index 1a57809063..cde9f90375 100644 --- a/src/db/db/dbText.cc +++ b/src/db/db/dbText.cc @@ -121,8 +121,8 @@ std::string text::to_string (double dbu) const return s; } -template class DB_PUBLIC text; -template class DB_PUBLIC text; +template class text; +template class text; } From da1251ada2a70f5413eec60829dafe4521016212 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Wed, 16 Aug 2023 22:19:33 +0200 Subject: [PATCH 077/128] Fixed a numerical issue with vprod_sign etc. - was using a too coarse precision value to decide about the sign --- src/db/db/dbTypes.h | 28 ++++++++++++++-------------- 1 file changed, 14 insertions(+), 14 deletions(-) diff --git a/src/db/db/dbTypes.h b/src/db/db/dbTypes.h index f7fecc7818..82498c67e3 100644 --- a/src/db/db/dbTypes.h +++ b/src/db/db/dbTypes.h @@ -32,6 +32,16 @@ namespace db { +/** + * @brief A generic constant describing the "fuzzyness" of a double comparison of a value around 1 + */ +const double epsilon = 1e-10; + +/** + * @brief A generic constant describing the "fuzzyness" of a float comparison of a value around 1 + */ +const double fepsilon = 1e-6; + /** * @brief The standard integer coordinate type */ @@ -424,7 +434,7 @@ struct coord_traits { double dx1 = ax - cx, dy1 = ay - cy; double dx2 = bx - cx, dy2 = by - cy; - double pa = (sqrt (dx1 * dx1 + dy1 * dy1) + sqrt (dx2 * dx2 + dy2 * dy2)) * prec (); + double pa = (sqrt (dx1 * dx1 + dy1 * dy1) + sqrt (dx2 * dx2 + dy2 * dy2)) * db::epsilon; area_type p1 = dx1 * dx2; area_type p2 = -dy1 * dy2; if (p1 <= p2 - pa) { @@ -440,7 +450,7 @@ struct coord_traits { double dx1 = ax - cx, dy1 = ay - cy; double dx2 = bx - cx, dy2 = by - cy; - double pa = (sqrt (dx1 * dx1 + dy1 * dy1) + sqrt (dx2 * dx2 + dy2 * dy2)) * prec (); + double pa = (sqrt (dx1 * dx1 + dy1 * dy1) + sqrt (dx2 * dx2 + dy2 * dy2)) * db::epsilon; area_type p1 = dx1 * dx2; area_type p2 = -dy1 * dy2; if (p1 <= p2 - pa) { @@ -463,7 +473,7 @@ struct coord_traits { double dx1 = ax - cx, dy1 = ay - cy; double dx2 = bx - cx, dy2 = by - cy; - double pa = (sqrt (dx1 * dx1 + dy1 * dy1) + sqrt (dx2 * dx2 + dy2 * dy2)) * prec (); + double pa = (sqrt (dx1 * dx1 + dy1 * dy1) + sqrt (dx2 * dx2 + dy2 * dy2)) * db::epsilon; area_type p1 = dx1 * dy2; area_type p2 = dy1 * dx2; if (p1 <= p2 - pa) { @@ -479,7 +489,7 @@ struct coord_traits { double dx1 = ax - cx, dy1 = ay - cy; double dx2 = bx - cx, dy2 = by - cy; - double pa = (sqrt (dx1 * dx1 + dy1 * dy1) + sqrt (dx2 * dx2 + dy2 * dy2)) * prec (); + double pa = (sqrt (dx1 * dx1 + dy1 * dy1) + sqrt (dx2 * dx2 + dy2 * dy2)) * db::epsilon; area_type p1 = dx1 * dy2; area_type p2 = dy1 * dx2; if (p1 <= p2 - pa) { @@ -537,16 +547,6 @@ struct cast_op } }; -/** - * @brief A generic constant describing the "fuzzyness" of a double comparison of a value around 1 - */ -const double epsilon = 1e-10; - -/** - * @brief A generic constant describing the "fuzzyness" of a float comparison of a value around 1 - */ -const double fepsilon = 1e-6; - /** * @brief A functor wrapping the epsilon constant in a templatized form */ From 2acedfde6ff8a5a909c88aecfad81a47b439db93 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Wed, 16 Aug 2023 22:20:25 +0200 Subject: [PATCH 078/128] Fixed some compiler warnings --- src/db/unit_tests/dbEdgePairTests.cc | 8 +- src/db/unit_tests/dbEdgeTests.cc | 20 ++--- src/db/unit_tests/dbLayoutTests.cc | 2 +- src/db/unit_tests/dbTrianglesTests.cc | 73 ++++++++++------ src/tl/unit_tests/tlColorTests.cc | 74 ++++++++--------- src/tl/unit_tests/tlPixelBufferTests.cc | 106 ++++++++++++------------ 6 files changed, 152 insertions(+), 131 deletions(-) diff --git a/src/db/unit_tests/dbEdgePairTests.cc b/src/db/unit_tests/dbEdgePairTests.cc index b245db1914..40d0ca2e95 100644 --- a/src/db/unit_tests/dbEdgePairTests.cc +++ b/src/db/unit_tests/dbEdgePairTests.cc @@ -215,8 +215,8 @@ TEST(4_distance) db::Edge e4 (db::Point (200, 0), db::Point (300, 0)); db::Edge e5 (db::Point (200, 100), db::Point (300, 100)); - EXPECT_EQ (db::EdgePair (e1, e1).distance (), 0); - EXPECT_EQ (db::EdgePair (e1, e2).distance (), 200); - EXPECT_EQ (db::EdgePair (e3, e2).distance (), 100); - EXPECT_EQ (db::EdgePair (e3, e5).distance (), 141); + EXPECT_EQ (db::EdgePair (e1, e1).distance (), 0u); + EXPECT_EQ (db::EdgePair (e1, e2).distance (), 200u); + EXPECT_EQ (db::EdgePair (e3, e2).distance (), 100u); + EXPECT_EQ (db::EdgePair (e3, e5).distance (), 141u); } diff --git a/src/db/unit_tests/dbEdgeTests.cc b/src/db/unit_tests/dbEdgeTests.cc index 6b58ecfec1..3a614e376f 100644 --- a/src/db/unit_tests/dbEdgeTests.cc +++ b/src/db/unit_tests/dbEdgeTests.cc @@ -107,16 +107,16 @@ TEST(2) EXPECT_EQ (db::Edge (10,20,110,222).contains (db::Point (0, 0)), false); EXPECT_EQ (db::Edge (10,20,110,222).contains (db::Point (100, 200)), false); - EXPECT_EQ (db::Edge (10,20,110,20).euclidian_distance (db::Point (100, 120)), 100); - EXPECT_EQ (db::Edge (10,20,110,20).euclidian_distance (db::Point (100, -80)), 100); - EXPECT_EQ (db::Edge (10,20,110,20).euclidian_distance (db::Point (-90, 120)), 141); - EXPECT_EQ (db::Edge (10,20,110,20).euclidian_distance (db::Point (-90, -80)), 141); - EXPECT_EQ (db::Edge (10,20,110,20).euclidian_distance (db::Point (210, 120)), 141); - EXPECT_EQ (db::Edge (10,20,110,20).euclidian_distance (db::Point (210, -80)), 141); - EXPECT_EQ (db::Edge (10,20,110,20).euclidian_distance (db::Point (-90, 20)), 100); - EXPECT_EQ (db::Edge (10,20,110,20).euclidian_distance (db::Point (10, 20)), 0); - EXPECT_EQ (db::Edge (10,20,110,20).euclidian_distance (db::Point (50, 20)), 0); - EXPECT_EQ (db::Edge (10,20,110,20).euclidian_distance (db::Point (110, 20)), 0); + EXPECT_EQ (db::Edge (10,20,110,20).euclidian_distance (db::Point (100, 120)), 100u); + EXPECT_EQ (db::Edge (10,20,110,20).euclidian_distance (db::Point (100, -80)), 100u); + EXPECT_EQ (db::Edge (10,20,110,20).euclidian_distance (db::Point (-90, 120)), 141u); + EXPECT_EQ (db::Edge (10,20,110,20).euclidian_distance (db::Point (-90, -80)), 141u); + EXPECT_EQ (db::Edge (10,20,110,20).euclidian_distance (db::Point (210, 120)), 141u); + EXPECT_EQ (db::Edge (10,20,110,20).euclidian_distance (db::Point (210, -80)), 141u); + EXPECT_EQ (db::Edge (10,20,110,20).euclidian_distance (db::Point (-90, 20)), 100u); + EXPECT_EQ (db::Edge (10,20,110,20).euclidian_distance (db::Point (10, 20)), 0u); + EXPECT_EQ (db::Edge (10,20,110,20).euclidian_distance (db::Point (50, 20)), 0u); + EXPECT_EQ (db::Edge (10,20,110,20).euclidian_distance (db::Point (110, 20)), 0u); } TEST(3) diff --git a/src/db/unit_tests/dbLayoutTests.cc b/src/db/unit_tests/dbLayoutTests.cc index 3b438bce57..27183b0b60 100644 --- a/src/db/unit_tests/dbLayoutTests.cc +++ b/src/db/unit_tests/dbLayoutTests.cc @@ -482,7 +482,7 @@ TEST(4) el.layer_properties_dirty = false; EXPECT_EQ (g.get_layer_maybe (db::LayerProperties (42, 17)), -1); EXPECT_EQ (el.layer_properties_dirty, false); - EXPECT_EQ (g.get_layer (db::LayerProperties (42, 17)) >= 0, true); + // always true: EXPECT_EQ (g.get_layer (db::LayerProperties (42, 17)) >= 0, true); EXPECT_EQ (el.layer_properties_dirty, true); // new layer got inserted } diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index 591e842a81..2a224dea26 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -29,7 +29,7 @@ #include #include -TEST(Triangles_basic) +TEST(basic) { db::Triangles tris; tris.init_box (db::DBox (1, 0, 5, 4)); @@ -40,7 +40,7 @@ TEST(Triangles_basic) EXPECT_EQ (tris.check (), true); } -TEST(Triangles_flip) +TEST(flip) { db::Triangles tris; tris.init_box (db::DBox (0, 0, 1, 1)); @@ -61,7 +61,7 @@ TEST(Triangles_flip) EXPECT_EQ (tris.check (), true); } -TEST(Triangles_insert) +TEST(insert) { db::Triangles tris; tris.init_box (db::DBox (0, 0, 1, 1)); @@ -71,7 +71,7 @@ TEST(Triangles_insert) EXPECT_EQ (tris.check (), true); } -TEST(Triangles_split_segment) +TEST(split_segment) { db::Triangles tris; tris.init_box (db::DBox (0, 0, 1, 1)); @@ -81,7 +81,7 @@ TEST(Triangles_split_segment) EXPECT_EQ (tris.check(), true); } -TEST(Triangles_insert_vertex_twice) +TEST(insert_vertex_twice) { db::Triangles tris; tris.init_box (db::DBox (0, 0, 1, 1)); @@ -93,7 +93,7 @@ TEST(Triangles_insert_vertex_twice) EXPECT_EQ (tris.check(), true); } -TEST(Triangles_insert_vertex_convex) +TEST(insert_vertex_convex) { db::Triangles tris; tris.insert_point (0.2, 0.2); @@ -105,7 +105,7 @@ TEST(Triangles_insert_vertex_convex) EXPECT_EQ (tris.check(), true); } -TEST(Triangles_insert_vertex_convex2) +TEST(insert_vertex_convex2) { db::Triangles tris; tris.insert_point (0.25, 0.1); @@ -116,7 +116,7 @@ TEST(Triangles_insert_vertex_convex2) EXPECT_EQ (tris.check(), true); } -TEST(Triangles_insert_vertex_convex3) +TEST(insert_vertex_convex3) { db::Triangles tris; tris.insert_point (0.25, 0.5); @@ -127,7 +127,7 @@ TEST(Triangles_insert_vertex_convex3) EXPECT_EQ (tris.check(), true); } -TEST(Triangles_search_edges_crossing) +TEST(search_edges_crossing) { db::Triangles tris; db::Vertex *v1 = tris.insert_point (0.2, 0.2); @@ -147,7 +147,7 @@ TEST(Triangles_search_edges_crossing) EXPECT_EQ (std::find (xedges.begin (), xedges.end (), s2) != xedges.end (), true); } -TEST(Triangles_illegal_edge1) +TEST(illegal_edge1) { db::Vertex v1 (0, 0); db::Vertex v2 (1.6, 1.6); @@ -186,7 +186,7 @@ TEST(Triangles_illegal_edge1) } } -TEST(Triangles_illegal_edge2) +TEST(illegal_edge2) { // numerical border case db::Vertex v1 (773.94756216690905, 114.45875269431208); @@ -242,7 +242,26 @@ namespace { }; } -TEST(Triangles_test_heavy_insert) +TEST(insert_many) +{ + srand (0); + + db::Triangles tris; + double res = 65536.0; + + db::DBox bbox; + + unsigned int n = 200000; + for (unsigned int i = 0; i < n; ++i) { + double x = round (flt_rand () * res) * 0.0001; + double y = round (flt_rand () * res) * 0.0001; + tris.insert_point (x, y); + } + + tris.dump ("debug.gds"); +} + +TEST(heavy_insert) { tl::info << "Running test_heavy_insert " << tl::noendl; @@ -268,7 +287,7 @@ TEST(Triangles_test_heavy_insert) } // not strictly true, but very likely with at least 10 vertexes: - EXPECT_EQ (tris.num_triangles () > 0, true); + EXPECT_GT (tris.num_triangles (), size_t (0)); EXPECT_EQ (tris.bbox ().to_string (), bbox.to_string ()); bool ok = true; @@ -298,7 +317,7 @@ TEST(Triangles_test_heavy_insert) tl::info << tl::endl << "done."; } -TEST(Triangles_test_heavy_remove) +TEST(heavy_remove) { tl::info << "Running test_heavy_remove " << tl::noendl; @@ -352,7 +371,7 @@ TEST(Triangles_test_heavy_remove) tl::info << tl::endl << "done."; } -TEST(Triangles_test_ensure_edge) +TEST(ensure_edge) { srand (0); @@ -418,7 +437,7 @@ bool safe_inside (const db::DBox &b1, const db::DBox &b2) (ct::less (b1.top (), b2.top ()) || ct::equal (b1.top (), b2.top ())); } -TEST(Triangles_test_constrain) +TEST(constrain) { srand (0); @@ -477,7 +496,7 @@ TEST(Triangles_test_constrain) EXPECT_EQ (tl::to_string (area_in), "0.25"); } -TEST(Triangles_test_heavy_constrain) +TEST(heavy_constrain) { tl::info << "Running test_heavy_constrain " << tl::noendl; @@ -547,7 +566,7 @@ TEST(Triangles_test_heavy_constrain) tl::info << tl::endl << "done."; } -TEST(Triangles_test_heavy_find_point_around) +TEST(heavy_find_point_around) { tl::info << "Running Triangle_test_heavy_find_point_around " << tl::noendl; @@ -593,7 +612,7 @@ TEST(Triangles_test_heavy_find_point_around) tl::info << tl::endl << "done."; } -TEST(Triangles_test_create_constrained_delaunay) +TEST(create_constrained_delaunay) { db::Region r; r.insert (db::Box (0, 0, 1000, 1000)); @@ -620,7 +639,7 @@ TEST(Triangles_test_create_constrained_delaunay) "((0, 1000), (200, 800), (200, 200))"); } -TEST(Triangles_test_triangulate) +TEST(triangulate) { db::Region r; r.insert (db::Box (0, 0, 10000, 10000)); @@ -640,11 +659,12 @@ TEST(Triangles_test_triangulate) EXPECT_EQ (tri.check (), true); for (auto t = tri.begin (); t != tri.end (); ++t) { - EXPECT_EQ (t->area () <= param.max_area, true); - EXPECT_EQ (t->b () >= param.min_b, true); + EXPECT_LE (t->area (), param.max_area); + EXPECT_GE (t->b (), param.min_b); } - EXPECT_EQ (tri.num_triangles () > 100 && tri.num_triangles () < 150, true); + EXPECT_GT (tri.num_triangles (), size_t (100)); + EXPECT_LT (tri.num_triangles (), size_t (150)); tl::info << tri.num_triangles (); param.min_b = 1.0; @@ -655,9 +675,10 @@ TEST(Triangles_test_triangulate) EXPECT_EQ (tri.check (), true); for (auto t = tri.begin (); t != tri.end (); ++t) { - EXPECT_EQ (t->area () <= param.max_area, true); - EXPECT_EQ (t->b () >= param.min_b, true); + EXPECT_LE (t->area (), param.max_area); + EXPECT_GE (t->b (), param.min_b); } - EXPECT_EQ (tri.num_triangles () > 900 && tri.num_triangles () < 1000, true); + EXPECT_GT (tri.num_triangles (), 900); + EXPECT_LT (tri.num_triangles (), 1000); } diff --git a/src/tl/unit_tests/tlColorTests.cc b/src/tl/unit_tests/tlColorTests.cc index 0c63f3a761..3de48e5a61 100644 --- a/src/tl/unit_tests/tlColorTests.cc +++ b/src/tl/unit_tests/tlColorTests.cc @@ -32,16 +32,16 @@ TEST(1) { EXPECT_EQ (tl::Color ().is_valid (), false); EXPECT_EQ (tl::Color ().to_string (), ""); - EXPECT_EQ (tl::Color ().rgb (), 0x00000000); + EXPECT_EQ (tl::Color ().rgb (), 0x00000000u); #if defined(HAVE_QT) EXPECT_EQ (tl::Color (QColor ()).is_valid (), false); EXPECT_EQ (tl::Color (QColor ()).to_string (), ""); - EXPECT_EQ (tl::Color (QColor ()).rgb (), 0x00000000); + EXPECT_EQ (tl::Color (QColor ()).rgb (), 0x00000000u); EXPECT_EQ (tl::Color (QColor ()).to_qc ().isValid (), false); EXPECT_EQ (QColor ().isValid (), false); EXPECT_EQ (tl::to_string (QColor ().name ()), "#000000"); // why? - EXPECT_EQ (QColor ().rgb (), 0xff000000); + EXPECT_EQ (QColor ().rgb (), 0xff000000u); #endif } @@ -49,17 +49,17 @@ TEST(2) { EXPECT_EQ (tl::Color (0x102030).is_valid (), true); EXPECT_EQ (tl::Color (0x102030).to_string (), "#102030"); - EXPECT_EQ (tl::Color (0x102030).rgb (), 0xff102030); + EXPECT_EQ (tl::Color (0x102030).rgb (), 0xff102030u); #if defined(HAVE_QT) EXPECT_EQ (tl::Color (QColor (0x102030)).is_valid (), true); EXPECT_EQ (tl::Color (QColor (0x102030)).to_string (), "#102030"); - EXPECT_EQ (tl::Color (QColor (0x102030)).rgb (), 0xff102030); + EXPECT_EQ (tl::Color (QColor (0x102030)).rgb (), 0xff102030u); EXPECT_EQ (tl::Color (QColor (0x102030)).to_qc ().isValid (), true); EXPECT_EQ (tl::to_string (tl::Color (QColor (0x102030)).to_qc ().name ()), "#102030"); EXPECT_EQ (QColor (0x102030).isValid (), true); EXPECT_EQ (tl::to_string (QColor (0x102030).name ()), "#102030"); - EXPECT_EQ (QColor (0x102030).rgb (), 0xff102030); + EXPECT_EQ (QColor (0x102030).rgb (), 0xff102030u); #endif } @@ -68,15 +68,15 @@ TEST(3) EXPECT_EQ (tl::Color (std::string ()).is_valid (), false); EXPECT_EQ (tl::Color ("#102030").is_valid (), true); EXPECT_EQ (tl::Color ("#102030").to_string (), "#102030"); - EXPECT_EQ (tl::Color ("#102030").rgb (), 0xff102030); + EXPECT_EQ (tl::Color ("#102030").rgb (), 0xff102030u); EXPECT_EQ (tl::Color ("102030").is_valid (), true); EXPECT_EQ (tl::Color ("102030").to_string (), "#102030"); - EXPECT_EQ (tl::Color ("102030").rgb (), 0xff102030); + EXPECT_EQ (tl::Color ("102030").rgb (), 0xff102030u); #if defined(HAVE_QT) EXPECT_EQ (QColor (tl::to_qstring ("#102030")).isValid (), true); EXPECT_EQ (tl::to_string (QColor (tl::to_qstring ("#102030")).name ()), "#102030"); - EXPECT_EQ (QColor (tl::to_qstring ("#102030")).rgb (), 0xff102030); + EXPECT_EQ (QColor (tl::to_qstring ("#102030")).rgb (), 0xff102030u); #endif } @@ -84,24 +84,24 @@ TEST(4) { EXPECT_EQ (tl::Color ("#123").is_valid (), true); EXPECT_EQ (tl::Color ("#123").to_string (), "#112233"); - EXPECT_EQ (tl::Color ("#123").rgb (), 0xff112233); + EXPECT_EQ (tl::Color ("#123").rgb (), 0xff112233u); } TEST(5) { EXPECT_EQ (tl::Color ("#80102030").is_valid (), true); - EXPECT_EQ (tl::Color ("#80102030").alpha (), 128); - EXPECT_EQ (tl::Color ("#80102030").red (), 16); - EXPECT_EQ (tl::Color ("#80102030").green (), 32); - EXPECT_EQ (tl::Color ("#80102030").blue (), 48); + EXPECT_EQ (tl::Color ("#80102030").alpha (), 128u); + EXPECT_EQ (tl::Color ("#80102030").red (), 16u); + EXPECT_EQ (tl::Color ("#80102030").green (), 32u); + EXPECT_EQ (tl::Color ("#80102030").blue (), 48u); EXPECT_EQ (tl::Color ("#80102030").to_string (), "#80102030"); - EXPECT_EQ (tl::Color ("#80102030").rgb (), 0x80102030); + EXPECT_EQ (tl::Color ("#80102030").rgb (), 0x80102030u); #if defined(HAVE_QT) && QT_VERSION >= 0x50000 // no alpha support in Qt EXPECT_EQ (QColor (tl::to_qstring ("#80102030")).isValid (), true); EXPECT_EQ (tl::to_string (QColor (tl::to_qstring ("#80102030")).name ()), "#102030"); - EXPECT_EQ (QColor (tl::to_qstring ("#80102030")).rgb (), 0xff102030); + EXPECT_EQ (QColor (tl::to_qstring ("#80102030")).rgb (), 0xff102030u); #endif } @@ -109,20 +109,20 @@ TEST(6) { EXPECT_EQ (tl::Color ("#8123").is_valid (), true); EXPECT_EQ (tl::Color ("#8123").to_string (), "#88112233"); - EXPECT_EQ (tl::Color ("#8123").rgb (), 0x88112233); + EXPECT_EQ (tl::Color ("#8123").rgb (), 0x88112233u); } TEST(7) { EXPECT_EQ (tl::Color (16, 32, 48, 128).is_valid (), true); EXPECT_EQ (tl::Color (16, 32, 48, 128).to_string (), "#80102030"); - EXPECT_EQ (tl::Color (16, 32, 48, 128).rgb (), 0x80102030); + EXPECT_EQ (tl::Color (16, 32, 48, 128).rgb (), 0x80102030u); #if defined(HAVE_QT) // no alpha support in Qt EXPECT_EQ (QColor (16, 32, 48, 128).isValid (), true); EXPECT_EQ (tl::to_string (QColor (16, 32, 48, 128).name ()), "#102030"); - EXPECT_EQ (QColor (16, 32, 48, 128).rgb (), 0xff102030); + EXPECT_EQ (QColor (16, 32, 48, 128).rgb (), 0xff102030u); #endif } @@ -132,9 +132,9 @@ TEST(8) int ih, is, iv; tl::Color c = tl::Color (16, 32, 48); c.get_hsv (h, s, v); - EXPECT_EQ (h, 210); - EXPECT_EQ (s, 170); - EXPECT_EQ (v, 48); + EXPECT_EQ (h, 210u); + EXPECT_EQ (s, 170u); + EXPECT_EQ (v, 48u); EXPECT_EQ (tl::Color::from_hsv (h, s, v).to_string (), "#102030"); @@ -148,9 +148,9 @@ TEST(8) c = tl::Color (32, 16, 48); c.get_hsv (h, s, v); - EXPECT_EQ (h, 270); - EXPECT_EQ (s, 170); - EXPECT_EQ (v, 48); + EXPECT_EQ (h, 270u); + EXPECT_EQ (s, 170u); + EXPECT_EQ (v, 48u); EXPECT_EQ (tl::Color::from_hsv (h, s, v).to_string (), "#201030"); @@ -164,9 +164,9 @@ TEST(8) c = tl::Color (32, 48, 16); c.get_hsv (h, s, v); - EXPECT_EQ (h, 90); - EXPECT_EQ (s, 170); - EXPECT_EQ (v, 48); + EXPECT_EQ (h, 90u); + EXPECT_EQ (s, 170u); + EXPECT_EQ (v, 48u); EXPECT_EQ (tl::Color::from_hsv (h, s, v).to_string (), "#203010"); @@ -180,9 +180,9 @@ TEST(8) c = tl::Color (48, 32, 16); c.get_hsv (h, s, v); - EXPECT_EQ (h, 30); - EXPECT_EQ (s, 170); - EXPECT_EQ (v, 48); + EXPECT_EQ (h, 30u); + EXPECT_EQ (s, 170u); + EXPECT_EQ (v, 48u); EXPECT_EQ (tl::Color::from_hsv (h, s, v).to_string (), "#302010"); @@ -196,9 +196,9 @@ TEST(8) c = tl::Color (48, 16, 32); c.get_hsv (h, s, v); - EXPECT_EQ (h, 330); - EXPECT_EQ (s, 170); - EXPECT_EQ (v, 48); + EXPECT_EQ (h, 330u); + EXPECT_EQ (s, 170u); + EXPECT_EQ (v, 48u); EXPECT_EQ (tl::Color::from_hsv (h, s, v).to_string (), "#301020"); @@ -212,9 +212,9 @@ TEST(8) c = tl::Color (16, 48, 32); c.get_hsv (h, s, v); - EXPECT_EQ (h, 150); - EXPECT_EQ (s, 170); - EXPECT_EQ (v, 48); + EXPECT_EQ (h, 150u); + EXPECT_EQ (s, 170u); + EXPECT_EQ (v, 48u); EXPECT_EQ (tl::Color::from_hsv (h, s, v).to_string (), "#103020"); diff --git a/src/tl/unit_tests/tlPixelBufferTests.cc b/src/tl/unit_tests/tlPixelBufferTests.cc index 504f4d6a53..4f063796f0 100644 --- a/src/tl/unit_tests/tlPixelBufferTests.cc +++ b/src/tl/unit_tests/tlPixelBufferTests.cc @@ -85,8 +85,8 @@ static bool compare_images (const tl::BitmapBuffer &img, const tl::BitmapBuffer TEST(1) { tl::PixelBuffer img (15, 25); - EXPECT_EQ (img.width (), 15); - EXPECT_EQ (img.height (), 25); + EXPECT_EQ (img.width (), 15u); + EXPECT_EQ (img.height (), 25u); EXPECT_EQ (img.stride (), 15 * sizeof (tl::color_t)); EXPECT_EQ (img.transparent (), false); @@ -94,69 +94,69 @@ TEST(1) EXPECT_EQ (img.transparent (), true); img.fill (0x112233); - EXPECT_EQ (img.scan_line (5)[10], 0x112233); + EXPECT_EQ (img.scan_line (5)[10], 0x112233u); tl::PixelBuffer img2; EXPECT_EQ (img2.transparent (), false); img2 = img; EXPECT_EQ (img2.transparent (), true); - EXPECT_EQ (img2.width (), 15); - EXPECT_EQ (img2.height (), 25); + EXPECT_EQ (img2.width (), 15u); + EXPECT_EQ (img2.height (), 25u); - EXPECT_EQ (img.scan_line (5)[10], 0x112233); - EXPECT_EQ (img2.scan_line (5)[10], 0x112233); + EXPECT_EQ (img.scan_line (5)[10], 0x112233u); + EXPECT_EQ (img2.scan_line (5)[10], 0x112233u); img2.fill (0x332211); - EXPECT_EQ (img.scan_line (5)[10], 0x112233); - EXPECT_EQ (img2.scan_line (5)[10], 0x332211); + EXPECT_EQ (img.scan_line (5)[10], 0x112233u); + EXPECT_EQ (img2.scan_line (5)[10], 0x332211u); img.set_transparent (false); img2.swap (img); EXPECT_EQ (img2.transparent (), false); - EXPECT_EQ (img2.scan_line (5)[10], 0x112233); - EXPECT_EQ (img.scan_line (5)[10], 0x332211); + EXPECT_EQ (img2.scan_line (5)[10], 0x112233u); + EXPECT_EQ (img.scan_line (5)[10], 0x332211u); img2 = img; EXPECT_EQ (compare_images (img, img2), true); - EXPECT_EQ (img.scan_line (5)[10], 0x332211); - EXPECT_EQ (img2.scan_line (5)[10], 0x332211); + EXPECT_EQ (img.scan_line (5)[10], 0x332211u); + EXPECT_EQ (img2.scan_line (5)[10], 0x332211u); img2 = tl::PixelBuffer (10, 16); - EXPECT_EQ (img.width (), 15); - EXPECT_EQ (img.height (), 25); - EXPECT_EQ (img2.width (), 10); - EXPECT_EQ (img2.height (), 16); + EXPECT_EQ (img.width (), 15u); + EXPECT_EQ (img.height (), 25u); + EXPECT_EQ (img2.width (), 10u); + EXPECT_EQ (img2.height (), 16u); img2.fill (0x010203); EXPECT_EQ (compare_images (img, img2), false); - EXPECT_EQ (img.scan_line (5)[10], 0x332211); - EXPECT_EQ (img2.scan_line (5)[8], 0xff010203); + EXPECT_EQ (img.scan_line (5)[10], 0x332211u); + EXPECT_EQ (img2.scan_line (5)[8], 0xff010203u); img = std::move (img2); EXPECT_EQ (compare_images (img, img2), false); - EXPECT_EQ (img.width (), 10); - EXPECT_EQ (img.height (), 16); - EXPECT_EQ (img.scan_line (5)[8], 0xff010203); + EXPECT_EQ (img.width (), 10u); + EXPECT_EQ (img.height (), 16u); + EXPECT_EQ (img.scan_line (5)[8], 0xff010203u); tl::PixelBuffer img3 (img); EXPECT_EQ (compare_images (img, img3), true); - EXPECT_EQ (img3.width (), 10); - EXPECT_EQ (img3.height (), 16); - EXPECT_EQ (img3.scan_line (5)[8], 0xff010203); + EXPECT_EQ (img3.width (), 10u); + EXPECT_EQ (img3.height (), 16u); + EXPECT_EQ (img3.scan_line (5)[8], 0xff010203u); img.fill (0x102030); EXPECT_EQ (compare_images (img, img3), false); - EXPECT_EQ (img3.width (), 10); - EXPECT_EQ (img3.height (), 16); - EXPECT_EQ (img3.scan_line (5)[8], 0xff010203); - EXPECT_EQ (img.width (), 10); - EXPECT_EQ (img.height (), 16); - EXPECT_EQ (img.scan_line (5)[8], 0xff102030); + EXPECT_EQ (img3.width (), 10u); + EXPECT_EQ (img3.height (), 16u); + EXPECT_EQ (img3.scan_line (5)[8], 0xff010203u); + EXPECT_EQ (img.width (), 10u); + EXPECT_EQ (img.height (), 16u); + EXPECT_EQ (img.scan_line (5)[8], 0xff102030u); tl::PixelBuffer img4 (std::move (img)); - EXPECT_EQ (img4.width (), 10); - EXPECT_EQ (img4.height (), 16); - EXPECT_EQ (img4.scan_line (5)[8], 0xff102030); + EXPECT_EQ (img4.width (), 10u); + EXPECT_EQ (img4.height (), 16u); + EXPECT_EQ (img4.scan_line (5)[8], 0xff102030u); // other constructors EXPECT_EQ (compare_images (tl::PixelBuffer (img4.width (), img4.height (), (const tl::color_t *) img4.data ()), img4), true); @@ -495,17 +495,17 @@ TEST(7) TEST(11) { tl::BitmapBuffer img (15, 25); - EXPECT_EQ (img.width (), 15); - EXPECT_EQ (img.height (), 25); - EXPECT_EQ (img.stride (), 4); + EXPECT_EQ (img.width (), 15u); + EXPECT_EQ (img.height (), 25u); + EXPECT_EQ (img.stride (), 4u); img.fill (true); EXPECT_EQ (img.scan_line (5)[1], 0xff); tl::BitmapBuffer img2; img2 = img; - EXPECT_EQ (img2.width (), 15); - EXPECT_EQ (img2.height (), 25); + EXPECT_EQ (img2.width (), 15u); + EXPECT_EQ (img2.height (), 25u); EXPECT_EQ (img.scan_line (5)[1], 0xff); EXPECT_EQ (img2.scan_line (5)[1], 0xff); @@ -524,10 +524,10 @@ TEST(11) EXPECT_EQ (img2.scan_line (5)[1], 0); img2 = tl::BitmapBuffer (10, 16); - EXPECT_EQ (img.width (), 15); - EXPECT_EQ (img.height (), 25); - EXPECT_EQ (img2.width (), 10); - EXPECT_EQ (img2.height (), 16); + EXPECT_EQ (img.width (), 15u); + EXPECT_EQ (img.height (), 25u); + EXPECT_EQ (img2.width (), 10u); + EXPECT_EQ (img2.height (), 16u); img2.fill (true); EXPECT_EQ (compare_images (img, img2), false); @@ -536,28 +536,28 @@ TEST(11) img = std::move (img2); EXPECT_EQ (compare_images (img, img2), false); - EXPECT_EQ (img.width (), 10); - EXPECT_EQ (img.height (), 16); + EXPECT_EQ (img.width (), 10u); + EXPECT_EQ (img.height (), 16u); EXPECT_EQ (img.scan_line (5)[0], 0xff); tl::BitmapBuffer img3 (img); EXPECT_EQ (compare_images (img, img3), true); - EXPECT_EQ (img3.width (), 10); - EXPECT_EQ (img3.height (), 16); + EXPECT_EQ (img3.width (), 10u); + EXPECT_EQ (img3.height (), 16u); EXPECT_EQ (img3.scan_line (5)[1], 0xff); img.fill (false); EXPECT_EQ (compare_images (img, img3), false); - EXPECT_EQ (img3.width (), 10); - EXPECT_EQ (img3.height (), 16); + EXPECT_EQ (img3.width (), 10u); + EXPECT_EQ (img3.height (), 16u); EXPECT_EQ (img3.scan_line (5)[1], 0xff); - EXPECT_EQ (img.width (), 10); - EXPECT_EQ (img.height (), 16); + EXPECT_EQ (img.width (), 10u); + EXPECT_EQ (img.height (), 16u); EXPECT_EQ (img.scan_line (5)[1], 0); tl::BitmapBuffer img4 (std::move (img)); - EXPECT_EQ (img4.width (), 10); - EXPECT_EQ (img4.height (), 16); + EXPECT_EQ (img4.width (), 10u); + EXPECT_EQ (img4.height (), 16u); EXPECT_EQ (img4.scan_line (5)[1], 0); // other constructors From 5679540c85465eb67965fdbc95ca5460668c2b78 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Wed, 16 Aug 2023 22:21:49 +0200 Subject: [PATCH 079/128] Some refactoring --- src/db/db/dbTriangle.cc | 12 ++++++++++++ src/db/db/dbTriangle.h | 5 +++++ src/db/db/dbTriangles.cc | 2 +- 3 files changed, 18 insertions(+), 1 deletion(-) diff --git a/src/db/db/dbTriangle.cc b/src/db/db/dbTriangle.cc index bb7c739109..e8da0ae0f2 100644 --- a/src/db/db/dbTriangle.cc +++ b/src/db/db/dbTriangle.cc @@ -476,6 +476,18 @@ Triangle::find_edge_with (const Vertex *v1, const Vertex *v2) const tl_assert (false); } +TriangleEdge * +Triangle::common_edge (const Triangle *other) const +{ + for (int i = 0; i < 3; ++i) { + TriangleEdge *e = edge (i); + if (e->other (this) == other) { + return e; + } + } + return 0; +} + int Triangle::contains (const db::DPoint &point) const { diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index ff39ab837c..ae050b19ab 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -476,6 +476,11 @@ class DB_PUBLIC Triangle */ TriangleEdge *find_edge_with (const Vertex *v1, const Vertex *v2) const; + /** + * @brief Finds the common edge for both triangles + */ + TriangleEdge *common_edge (const Triangle *other) const; + /** * @brief Returns a value indicating whether the point is inside (1), on the triangle (0) or outside (-1) */ diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index dd04c56cf3..ea8e4aeb97 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -338,7 +338,7 @@ Triangles::insert (db::Vertex *vertex, std::list > *n return vertex; } - // the new vertex is on the edge between two triangles + // check, if the new vertex is on an edge (may be edge between triangles or edge on outside) std::vector on_edges; for (int i = 0; i < 3; ++i) { db::TriangleEdge *e = tris.front ()->edge (i); From 1e3e918b904f29ebe1e7a56ab3916acfcd799078 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Thu, 17 Aug 2023 01:05:15 +0200 Subject: [PATCH 080/128] Debugging. --- src/db/unit_tests/dbTrianglesTests.cc | 6 ++++-- src/tl/tl/tlUnitTest.cc | 9 -------- src/tl/tl/tlUnitTest.h | 31 ++++++++++++++++----------- 3 files changed, 23 insertions(+), 23 deletions(-) diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index 2a224dea26..30eaa5547f 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -641,6 +641,8 @@ TEST(create_constrained_delaunay) TEST(triangulate) { + tl::equals(1.0, 2.0); + return; // @@@ db::Region r; r.insert (db::Box (0, 0, 10000, 10000)); @@ -679,6 +681,6 @@ TEST(triangulate) EXPECT_GE (t->b (), param.min_b); } - EXPECT_GT (tri.num_triangles (), 900); - EXPECT_LT (tri.num_triangles (), 1000); + EXPECT_GT (tri.num_triangles (), size_t (900)); + EXPECT_LT (tri.num_triangles (), size_t (1000)); } diff --git a/src/tl/tl/tlUnitTest.cc b/src/tl/tl/tlUnitTest.cc index 694617cbdd..473bff366b 100644 --- a/src/tl/tl/tlUnitTest.cc +++ b/src/tl/tl/tlUnitTest.cc @@ -133,15 +133,6 @@ bool equals (double a, double b) } } -bool less (double a, double b) -{ - if (equals (a, b)) { - return false; - } else { - return a < b; - } -} - // TODO: move this to tlString.h static std::string replicate (const char *s, size_t n) { diff --git a/src/tl/tl/tlUnitTest.h b/src/tl/tl/tlUnitTest.h index 6e760fde2d..2b234dde7a 100644 --- a/src/tl/tl/tlUnitTest.h +++ b/src/tl/tl/tlUnitTest.h @@ -191,7 +191,7 @@ inline bool equals (const char *a, const std::string &b) * @brief A generic compare operator */ template -inline bool less (const X &a, const Y &b) +inline bool is_less (const X &a, const Y &b) { return a < b; } @@ -199,13 +199,20 @@ inline bool less (const X &a, const Y &b) /** * @brief A specialization of the compare operator for doubles */ -TL_PUBLIC bool less (double a, double b); +inline bool is_less (double a, double b) +{ + if (equals (a, b)) { + return false; + } else { + return a < b; + } +} /** * @brief Specialization of comparison of pointers vs. integers (specifically "0") */ template -inline bool less (X *a, int b) +inline bool is_less (X *a, int b) { return a == (X *) size_t (b); } @@ -214,18 +221,18 @@ inline bool less (X *a, int b) * @brief A specialization of comparison of double vs "anything" */ template -inline bool less (double a, const Y &b) +inline bool is_less (double a, const Y &b) { - return less (a, double (b)); + return is_less (a, double (b)); } /** * @brief A specialization of comparison of "anything" vs. double */ template -inline bool less (const X &a, double b) +inline bool is_less (const X &a, double b) { - return less (double (a), b); + return is_less (double (a), b); } /** @@ -494,7 +501,7 @@ class TL_PUBLIC TestBase template void cmp_helper (bool less, bool eq, const T1 &a, const T2 &b, const char *what_expr, const char *equals_expr, const char *file, int line) { - bool res = (less ? tl::less (a, b) : tl::less (b, a)) && (! eq || tl::equals (a, b)); + bool res = (less ? tl::is_less (a, b) : tl::is_less (b, a)) || (eq && tl::equals (a, b)); if (! res) { std::ostringstream sstr; sstr << what_expr << " is not " << (less ? "less" : "greater") << (eq ? " or equal" : "") << " than " << equals_expr; @@ -568,19 +575,19 @@ struct TestImpl##NAME \ #define EXPECT_LE(WHAT,EQUALS) \ _this->checkpoint (__FILE__, __LINE__); \ - _this->cmp_helper (true, false, (WHAT), (EQUALS), #WHAT, #EQUALS, __FILE__, __LINE__); + _this->cmp_helper (true, true, (WHAT), (EQUALS), #WHAT, #EQUALS, __FILE__, __LINE__); #define EXPECT_LT(WHAT,EQUALS) \ _this->checkpoint (__FILE__, __LINE__); \ - _this->cmp_helper (true, true, (WHAT), (EQUALS), #WHAT, #EQUALS, __FILE__, __LINE__); + _this->cmp_helper (true, false, (WHAT), (EQUALS), #WHAT, #EQUALS, __FILE__, __LINE__); #define EXPECT_GE(WHAT,EQUALS) \ _this->checkpoint (__FILE__, __LINE__); \ - _this->cmp_helper (true, false, (WHAT), (EQUALS), #WHAT, #EQUALS, __FILE__, __LINE__); + _this->cmp_helper (false, true, (WHAT), (EQUALS), #WHAT, #EQUALS, __FILE__, __LINE__); #define EXPECT_GT(WHAT,EQUALS) \ _this->checkpoint (__FILE__, __LINE__); \ - _this->cmp_helper (true, true, (WHAT), (EQUALS), #WHAT, #EQUALS, __FILE__, __LINE__); + _this->cmp_helper (false, false, (WHAT), (EQUALS), #WHAT, #EQUALS, __FILE__, __LINE__); #define EXPECT_EQ(WHAT,EQUALS) \ _this->checkpoint (__FILE__, __LINE__); \ From 2f8144b50797cf8f0bb5d2fae9f4e42b7379c49d Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Thu, 17 Aug 2023 21:50:22 +0200 Subject: [PATCH 081/128] Performance optimization of Triangle insert --- src/db/db/dbTriangle.cc | 30 +++++++++--------- src/db/db/dbTriangles.cc | 44 +++++++++++++++++++++------ src/db/db/dbTriangles.h | 22 ++++++++++++-- src/db/unit_tests/dbTrianglesTests.cc | 4 ++- 4 files changed, 72 insertions(+), 28 deletions(-) diff --git a/src/db/db/dbTriangle.cc b/src/db/db/dbTriangle.cc index e8da0ae0f2..26dbc4789e 100644 --- a/src/db/db/dbTriangle.cc +++ b/src/db/db/dbTriangle.cc @@ -309,31 +309,24 @@ Triangle::Triangle () } Triangle::Triangle (TriangleEdge *e1, TriangleEdge *e2, TriangleEdge *e3) - : m_is_outside (false), mp_e1 (e1), mp_e2 (e2), mp_e3 (e3), m_id (0) + : m_is_outside (false), mp_e1 (e1), m_id (0) { - mp_v1 = e1->v1 (); - mp_v2 = e1->other (mp_v1); + mp_v1 = mp_e1->v1 (); + mp_v2 = mp_e1->other (mp_v1); if (e2->has_vertex (mp_v2)) { - mp_v3 = e2->other (mp_v2); - tl_assert (e3->other (mp_v3) == mp_v1); + mp_e2 = e2; + mp_e3 = e3; } else { - mp_v3 = e3->other (mp_v2); - tl_assert (e2->other (mp_v3) == mp_v1); - } - - // enforce clockwise orientation - if (db::vprod_sign (*mp_v3 - *mp_v1, *mp_v2 - *mp_v1) < 0) { - std::swap (mp_v3, mp_v2); + mp_e2 = e3; + mp_e3 = e2; } + mp_v3 = mp_e2->other (mp_v2); // establish link to edges for (int i = 0; i < 3; ++i) { TriangleEdge *e = edge (i); - int side_of = 0; - for (int j = 0; j < 3; ++j) { - side_of += e->side_of (*vertex (j)); - } + int side_of = e->side_of (*vertex (i - 1)); // NOTE: in the degenerated case, the triangle is not attached to an edge! if (side_of < 0) { e->set_left (this); @@ -341,6 +334,11 @@ Triangle::Triangle (TriangleEdge *e1, TriangleEdge *e2, TriangleEdge *e3) e->set_right (this); } } + + // enforce clockwise orientation + if (db::vprod_sign (*mp_v3 - *mp_v1, *mp_v2 - *mp_v1) < 0) { + std::swap (mp_v3, mp_v2); + } } void diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index ea8e4aeb97..4196007093 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -34,7 +34,7 @@ namespace db { Triangles::Triangles () - : m_is_constrained (false), m_level (0) + : m_is_constrained (false), m_level (0), m_flips (0), m_hops (0) { // .. nothing yet .. } @@ -385,10 +385,38 @@ db::TriangleEdge * Triangles::find_closest_edge (const db::DPoint &p, db::Vertex *vstart, bool inside_only) { if (!vstart) { - if (! mp_triangles.empty ()) { - vstart = mp_triangles.front ()->vertex (0); + + if (! mp_edges.empty ()) { + + unsigned int ls = 0; + size_t n = m_vertex_heap.size (); + size_t m = n; + + // A sample heuristics that takes a sqrt(N) sample from the + // vertexes to find a good starting point + + vstart = mp_edges.front ()->v1 (); + double dmin = vstart->distance (p); + + while (ls * ls < m) { + m /= 2; + for (size_t i = m / 2; i < n; i += m) { + ++ls; + db::Vertex *v = (m_vertex_heap.begin () + i).operator-> (); + if (v->begin_edges () != v->end_edges ()) { + double d = v->distance (p); + if (d < dmin) { + vstart = v; + dmin = d; + } + } + } + } + } else { + return 0; + } } @@ -445,6 +473,8 @@ Triangles::find_closest_edge (const db::DPoint &p, db::Vertex *vstart, bool insi } + ++m_hops; + v = vnext; } @@ -789,11 +819,9 @@ Triangles::remove_inside_vertex (db::Vertex *vertex, std::list (), new_triangles_out); } -int +void Triangles::fix_triangles (const std::vector &tris, const std::vector &fixed_edges, std::list > *new_triangles) { - int flips = 0; - m_level += 1; for (auto e = fixed_edges.begin (); e != fixed_edges.end (); ++e) { (*e)->set_level (m_level); @@ -836,7 +864,7 @@ Triangles::fix_triangles (const std::vector &tris, const std::ve new_triangles->push_back (t2); } - ++flips; + ++m_flips; tl_assert (! is_illegal_edge (s12)); // @@@ remove later! for (int i = 0; i < 3; ++i) { @@ -858,8 +886,6 @@ Triangles::fix_triangles (const std::vector &tris, const std::ve } } - - return flips; } bool diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index c246ea544d..ec0c0b2690 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -31,6 +31,7 @@ #include "dbRegion.h" #include "tlObjectCollection.h" +#include "tlStableVector.h" namespace db { @@ -230,6 +231,22 @@ class DB_PUBLIC Triangles */ static bool is_illegal_edge (db::TriangleEdge *edge); + /** + * @brief Statistics: number of flips (fixing) + */ + size_t flips () const + { + return m_flips; + } + + /** + * @brief Statistics: number of hops (searching) + */ + size_t hops () const + { + return m_hops; + } + // NOTE: these functions are SLOW and intended to test purposes only std::vector find_touching (const db::DBox &box) const; std::vector find_inside_circle (const db::DPoint ¢er, double radius) const; @@ -237,10 +254,11 @@ class DB_PUBLIC Triangles private: tl::shared_collection mp_triangles; tl::weak_collection mp_edges; - std::list m_vertex_heap; + tl::stable_vector m_vertex_heap; bool m_is_constrained; size_t m_level; size_t m_id; + size_t m_flips, m_hops; db::Vertex *create_vertex (double x, double y); db::Vertex *create_vertex (const db::DPoint &pt); @@ -251,7 +269,7 @@ class DB_PUBLIC Triangles void remove_outside_vertex (db::Vertex *vertex, std::list > *new_triangles = 0); void remove_inside_vertex (db::Vertex *vertex, std::list > *new_triangles_out = 0); std::vector fill_concave_corners (const std::vector &edges); - int fix_triangles(const std::vector &tris, const std::vector &fixed_edges, std::list > *new_triangles); + void fix_triangles (const std::vector &tris, const std::vector &fixed_edges, std::list > *new_triangles); std::vector find_triangle_for_point (const db::DPoint &point); db::TriangleEdge *find_closest_edge (const db::DPoint &p, db::Vertex *vstart = 0, bool inside_only = false); db::Vertex *insert (db::Vertex *vertex, std::list > *new_triangles = 0); diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index 30eaa5547f..412a12ce56 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -258,7 +258,9 @@ TEST(insert_many) tris.insert_point (x, y); } - tris.dump ("debug.gds"); + tl::info << "avg. flips = " << double (tris.flips ()) / double (n); + tl::info << "avg. hops = " << double (tris.hops ()) / double (n); + // @@@ tris.dump ("debug.gds"); } TEST(heavy_insert) From 5c46cdfda3285feb92315f957baf58d24a3a8fc1 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 19 Aug 2023 00:39:31 +0200 Subject: [PATCH 082/128] Triangles: Performance improvement --- src/db/db/dbTriangle.cc | 70 ++++++++++++++++------ src/db/db/dbTriangle.h | 41 +++++++------ src/db/db/dbTriangles.cc | 86 +++++++++++++-------------- src/db/db/dbTriangles.h | 2 +- src/db/unit_tests/dbTriangleTests.cc | 17 +++++- src/db/unit_tests/dbTrianglesTests.cc | 3 - 6 files changed, 134 insertions(+), 85 deletions(-) diff --git a/src/db/db/dbTriangle.cc b/src/db/db/dbTriangle.cc index 26dbc4789e..9f4f49fa39 100644 --- a/src/db/db/dbTriangle.cc +++ b/src/db/db/dbTriangle.cc @@ -68,8 +68,8 @@ Vertex::Vertex (db::DCoord x, db::DCoord y) bool Vertex::is_outside () const { - for (auto e = m_edges.begin (); e != m_edges.end (); ++e) { - if (e->is_outside ()) { + for (auto e = mp_edges.begin (); e != mp_edges.end (); ++e) { + if ((*e)->is_outside ()) { return true; } } @@ -81,8 +81,8 @@ Vertex::triangles () const { std::set seen; std::vector res; - for (auto e = m_edges.begin (); e != m_edges.end (); ++e) { - for (auto t = e->begin_triangles (); t != e->end_triangles (); ++t) { + for (auto e = mp_edges.begin (); e != mp_edges.end (); ++e) { + for (auto t = (*e)->begin_triangles (); t != (*e)->end_triangles (); ++t) { if (seen.insert (t.operator-> ()).second) { res.push_back (t.operator-> ()); } @@ -94,8 +94,8 @@ Vertex::triangles () const bool Vertex::has_edge (const TriangleEdge *edge) const { - for (auto e = m_edges.begin (); e != m_edges.end (); ++e) { - if (e.operator-> () == edge) { + for (auto e = mp_edges.begin (); e != mp_edges.end (); ++e) { + if (*e == edge) { return true; } } @@ -107,11 +107,23 @@ Vertex::to_string (bool with_id) const { std::string res = tl::sprintf ("(%.12g, %.12g)", x (), y()); if (with_id) { - res += tl::sprintf ("[%p]", (void *)this); + res += tl::sprintf ("[%x]", (size_t)this); } return res; } +void +Vertex::remove_edge (db::TriangleEdge *edge) +{ + for (auto e = mp_edges.begin (); e != mp_edges.end (); ++e) { + if (*e == edge) { + mp_edges.erase (e); + return; + } + } + tl_assert (false); +} + int Vertex::in_circle (const DPoint &point, const DPoint ¢er, double radius) { @@ -141,8 +153,7 @@ TriangleEdge::TriangleEdge () TriangleEdge::TriangleEdge (Vertex *v1, Vertex *v2) : mp_v1 (v1), mp_v2 (v2), mp_left (), mp_right (), m_level (0), m_id (0), m_is_segment (false) { - v1->m_edges.push_back (this); - v2->m_edges.push_back (this); + // .. nothing yet .. } void @@ -157,14 +168,33 @@ TriangleEdge::set_right (Triangle *t) mp_right = t; } +void +TriangleEdge::link () +{ + mp_v1->mp_edges.push_back (this); + mp_v2->mp_edges.push_back (this); +} + +void +TriangleEdge::unlink () +{ + if (mp_v1) { + mp_v1->remove_edge (this); + } + if (mp_v2) { + mp_v2->remove_edge (this); + } + mp_v1 = mp_v2 = 0; +} + Triangle * TriangleEdge::other (const Triangle *t) const { - if (t == mp_left.get ()) { - return const_cast (mp_right.get ()); + if (t == mp_left) { + return mp_right; } - if (t == mp_right.get ()) { - return const_cast (mp_left.get ()); + if (t == mp_right) { + return mp_left; } tl_assert (false); return 0; @@ -206,7 +236,7 @@ TriangleEdge::to_string (bool with_id) const { std::string res = std::string ("(") + mp_v1->to_string (with_id) + ", " + mp_v2->to_string (with_id) + ")"; if (with_id) { - res += tl::sprintf ("[%p]", (void *)this); + res += tl::sprintf ("[%x]", (size_t)this); } return res; } @@ -341,6 +371,11 @@ Triangle::Triangle (TriangleEdge *e1, TriangleEdge *e2, TriangleEdge *e3) } } +Triangle::~Triangle () +{ + unlink (); +} + void Triangle::unlink () { @@ -376,7 +411,6 @@ Triangle::to_string (bool with_id) const Vertex * Triangle::vertex (int n) const { - tl_assert (mp_e1 && mp_e2 && mp_e3); n = (n + 3) % 3; if (n == 0) { return mp_v1; @@ -392,11 +426,11 @@ Triangle::edge (int n) const { n = (n + 3) % 3; if (n == 0) { - return const_cast (mp_e1.get ()); + return mp_e1; } else if (n == 1) { - return const_cast (mp_e2.get ()); + return mp_e2; } else { - return const_cast (mp_e3.get ()); + return mp_e3; } } diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index ae050b19ab..4d5bc4931d 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -48,7 +48,7 @@ class DB_PUBLIC Vertex : public db::DPoint { public: - typedef tl::weak_collection edges_type; + typedef std::vector edges_type; typedef edges_type::const_iterator edges_iterator; Vertex (); @@ -61,9 +61,9 @@ class DB_PUBLIC Vertex bool is_outside () const; std::vector triangles () const; - edges_iterator begin_edges () const { return m_edges.begin (); } - edges_iterator end_edges () const { return m_edges.end (); } - size_t num_edges () const { return m_edges.size (); } + edges_iterator begin_edges () const { return mp_edges.begin (); } + edges_iterator end_edges () const { return mp_edges.end (); } + size_t num_edges () const { return mp_edges.size (); } bool has_edge (const TriangleEdge *edge) const; @@ -88,8 +88,9 @@ class DB_PUBLIC Vertex private: friend class TriangleEdge; + void remove_edge (db::TriangleEdge *edge); - edges_type m_edges; + edges_type mp_edges; size_t m_level; }; @@ -97,7 +98,6 @@ class DB_PUBLIC Vertex * @brief A class representing an edge in the Delaunay triangulation graph */ class DB_PUBLIC TriangleEdge - : public tl::Object { public: class TriangleIterator @@ -153,7 +153,6 @@ class DB_PUBLIC TriangleEdge }; TriangleEdge (); - TriangleEdge (Vertex *v1, Vertex *v2); Vertex *v1 () const { return mp_v1; } Vertex *v2 () const { return mp_v2; } @@ -162,14 +161,14 @@ class DB_PUBLIC TriangleEdge { std::swap (mp_v1, mp_v2); - Triangle *l = mp_left.get (); - Triangle *r = mp_right.get (); + Triangle *l = mp_left; + Triangle *r = mp_right; mp_left = r; mp_right = l; } - Triangle *left () const { return const_cast (mp_left.get ()); } - Triangle *right () const { return const_cast (mp_right.get ()); } + Triangle *left () const { return mp_left; } + Triangle *right () const { return mp_right; } TriangleIterator begin_triangles () const { @@ -385,19 +384,23 @@ class DB_PUBLIC TriangleEdge */ bool has_triangle (const Triangle *t) const; + // --- exposed for test purposes only --- + + TriangleEdge (Vertex *v1, Vertex *v2); + + void unlink (); + void link (); + private: friend class Triangle; + friend class Triangles; Vertex *mp_v1, *mp_v2; - tl::weak_ptr mp_left, mp_right; + Triangle *mp_left, *mp_right; size_t m_level; size_t m_id; bool m_is_segment; - // no copying - // @@@ TriangleEdge &operator= (const TriangleEdge &); - // @@@ TriangleEdge (const TriangleEdge &); - void set_left (Triangle *t); void set_right (Triangle *t); }; @@ -425,6 +428,8 @@ class DB_PUBLIC Triangle Triangle (); Triangle (TriangleEdge *e1, TriangleEdge *e2, TriangleEdge *e3); + ~Triangle (); + void unlink (); void set_id (size_t id) { m_id = id; } @@ -499,7 +504,7 @@ class DB_PUBLIC Triangle */ bool has_edge (const db::TriangleEdge *e) const { - return mp_e1.get () == e || mp_e2.get () == e || mp_e3.get () == e; + return mp_e1 == e || mp_e2 == e || mp_e3 == e; } /** @@ -524,7 +529,7 @@ class DB_PUBLIC Triangle private: bool m_is_outside; - tl::weak_ptr mp_e1, mp_e2, mp_e3; + TriangleEdge *mp_e1, *mp_e2, *mp_e3; db::Vertex *mp_v1, *mp_v2, *mp_v3; size_t m_id; diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 4196007093..6a6c9c3737 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -44,8 +44,6 @@ Triangles::~Triangles () while (! mp_triangles.empty ()) { remove (mp_triangles.front ()); } - - tl_assert (mp_edges.empty ()); } db::Vertex * @@ -65,10 +63,10 @@ Triangles::create_vertex (const db::DPoint &pt) db::TriangleEdge * Triangles::create_edge (db::Vertex *v1, db::Vertex *v2) { - db::TriangleEdge *res = new db::TriangleEdge (v1, v2); - res->set_id (++m_id); - mp_edges.push_back (res); - return res; + m_edges_heap.push_back (db::TriangleEdge (v1, v2)); + m_edges_heap.back ().link (); + m_edges_heap.back ().set_id (++m_id); + return &m_edges_heap.back (); } db::Triangle * @@ -93,7 +91,7 @@ Triangles::remove (db::Triangle *tri) // clean up edges we do no longer need for (int i = 0; i < 3; ++i) { if (edges [i] && edges [i]->left () == 0 && edges [i]->right () == 0) { - delete edges [i]; + edges [i]->unlink (); } } } @@ -172,7 +170,11 @@ Triangles::check (bool check_delaunay) const } } - for (auto e = mp_edges.begin (); e != mp_edges.end (); ++e) { + for (auto e = m_edges_heap.begin (); e != m_edges_heap.end (); ++e) { + + if (!e->left () && !e->right ()) { + continue; + } if (e->left () && e->right ()) { if (e->left ()->is_outside () != e->right ()->is_outside () && ! e->is_segment ()) { @@ -181,11 +183,6 @@ Triangles::check (bool check_delaunay) const } } - if (!e->left () && !e->right ()) { - tl::error << "(check error) found orphan edge " << e->to_string (true); - res = false; - } - for (auto t = e->begin_triangles (); t != e->end_triangles (); ++t) { if (! t->has_edge (e.operator-> ())) { tl::error << "(check error) edge " << e->to_string (true) << " not found in adjacent triangle " << t->to_string (true); @@ -223,7 +220,7 @@ Triangles::check (bool check_delaunay) const for (auto v = m_vertex_heap.begin (); v != m_vertex_heap.end (); ++v) { unsigned int num_outside_edges = 0; for (auto e = v->begin_edges (); e != v->end_edges (); ++e) { - if (e->is_outside ()) { + if ((*e)->is_outside ()) { ++num_outside_edges; } } @@ -231,8 +228,8 @@ Triangles::check (bool check_delaunay) const tl::error << "(check error) vertex " << v->to_string (true) << " has " << num_outside_edges << " outside edges (can only be 2)"; res = false; for (auto e = v->begin_edges (); e != v->end_edges (); ++e) { - if (e->is_outside ()) { - tl::error << " Outside edge is " << e->to_string (true); + if ((*e)->is_outside ()) { + tl::error << " Outside edge is " << (*e)->to_string (true); } } } @@ -264,8 +261,8 @@ Triangles::to_layout () const top.shapes (t->is_outside () ? l2 : l1).insert (dbu_trans * poly); } - for (auto e = mp_edges.begin (); e != mp_edges.end (); ++e) { - if (e->is_segment ()) { + for (auto e = m_edges_heap.begin (); e != m_edges_heap.end (); ++e) { + if ((e->left () || e->right ()) && e->is_segment ()) { top.shapes (l10).insert (dbu_trans * e->edge ()); } } @@ -301,7 +298,7 @@ Triangles::find_points_around (db::Vertex *vertex, double radius) next_vertexes.clear (); for (auto v = new_vertexes.begin (); v != new_vertexes.end (); ++v) { for (auto e = (*v)->begin_edges (); e != (*v)->end_edges (); ++e) { - db::Vertex *ov = e->other (*v); + db::Vertex *ov = (*e)->other (*v); if (ov->in_circle (*vertex, radius) == 1 && seen.insert (ov).second) { next_vertexes.push_back (ov); res.push_back (ov); @@ -386,7 +383,7 @@ Triangles::find_closest_edge (const db::DPoint &p, db::Vertex *vstart, bool insi { if (!vstart) { - if (! mp_edges.empty ()) { + if (! mp_triangles.empty ()) { unsigned int ls = 0; size_t n = m_vertex_heap.size (); @@ -395,13 +392,14 @@ Triangles::find_closest_edge (const db::DPoint &p, db::Vertex *vstart, bool insi // A sample heuristics that takes a sqrt(N) sample from the // vertexes to find a good starting point - vstart = mp_edges.front ()->v1 (); + vstart = mp_triangles.front ()->vertex (0); double dmin = vstart->distance (p); while (ls * ls < m) { m /= 2; for (size_t i = m / 2; i < n; i += m) { ++ls; + // NOTE: this assumes the heap is not too loaded with orphan vertexes db::Vertex *v = (m_vertex_heap.begin () + i).operator-> (); if (v->begin_edges () != v->end_edges ()) { double d = v->distance (p); @@ -435,20 +433,20 @@ Triangles::find_closest_edge (const db::DPoint &p, db::Vertex *vstart, bool insi if (inside_only) { // NOTE: in inside mode we stay on the line of sight as we don't // want to walk around outside pockets. - if (! e->is_segment () && e->is_for_outside_triangles ()) { + if (! (*e)->is_segment () && (*e)->is_for_outside_triangles ()) { continue; } - if (! e->crosses_including (line)) { + if (! (*e)->crosses_including (line)) { continue; } } - double ds = e->distance (p); + double ds = (*e)->distance (p); if (d < 0.0 || ds < d) { d = ds; - edge = const_cast (e.operator-> ()); + edge = *e; vnext = edge->other (v); } else if (fabs (ds - d) < std::max (1.0, fabs (ds) + fabs (d)) * db::epsilon) { @@ -456,15 +454,15 @@ Triangles::find_closest_edge (const db::DPoint &p, db::Vertex *vstart, bool insi // this differentiation selects the edge which bends further towards // the target point if both edges share a common point and that // is the one the determines the distance. - db::Vertex *cv = edge->common_vertex (e.operator-> ()); + db::Vertex *cv = edge->common_vertex (*e); if (cv) { db::DVector edge_d = *edge->other (cv) - *cv; - db::DVector e_d = *e->other(cv) - *cv; + db::DVector e_d = *(*e)->other(cv) - *cv; db::DVector r = p - *cv; double edge_sp = db::sprod (r, edge_d) / edge_d.length (); double s_sp = db::sprod (r, e_d) / e_d.length (); if (s_sp > edge_sp) { - edge = const_cast (e.operator-> ()); + edge = *e; vnext = edge->other (v); } } @@ -550,10 +548,10 @@ Triangles::add_more_triangles (std::vector &new_triangles, db::TriangleEdge *next_edge = 0; for (auto e = from_vertex->begin_edges (); e != from_vertex->end_edges (); ++e) { - if (! e->has_vertex (to_vertex) && e->is_outside ()) { + if (! (*e)->has_vertex (to_vertex) && (*e)->is_outside ()) { // TODO: remove and break tl_assert (next_edge == 0); - next_edge = const_cast (e.operator-> ()); + next_edge = *e; } } @@ -730,8 +728,8 @@ Triangles::remove_inside_vertex (db::Vertex *vertex, std::listbegin_edges (); e != vertex->end_edges () && to_flip == 0; ++e) { - if (e->can_flip ()) { - to_flip = const_cast (e.operator-> ()); + if ((*e)->can_flip ()) { + to_flip = *e; } } if (! to_flip) { @@ -756,8 +754,8 @@ Triangles::remove_inside_vertex (db::Vertex *vertex, std::listbegin_edges (); e != vertex->end_edges () && !jseg; ++e) { - if (e->can_join_via (vertex)) { - jseg = const_cast (e.operator-> ()); + if ((*e)->can_join_via (vertex)) { + jseg = *e; } } tl_assert (jseg != 0); @@ -769,8 +767,8 @@ Triangles::remove_inside_vertex (db::Vertex *vertex, std::listbegin_edges (); e != vertex->end_edges () && !jseg_opp; ++e) { - if (!e->has_triangle (jseg->left ()) && !e->has_triangle (jseg->right ())) { - jseg_opp = const_cast (e.operator-> ()); + if (!(*e)->has_triangle (jseg->left ()) && !(*e)->has_triangle (jseg->right ())) { + jseg_opp = *e; } } @@ -1084,7 +1082,7 @@ Triangles::search_edges_crossing (Vertex *from, Vertex *to) std::vector result; for (auto e = v->begin_edges (); e != v->end_edges () && ! next_edge; ++e) { - for (auto t = e->begin_triangles (); t != e->end_triangles (); ++t) { + for (auto t = (*e)->begin_triangles (); t != (*e)->end_triangles (); ++t) { db::TriangleEdge *os = t->opposite (v); if (os->has_vertex (vv)) { return result; @@ -1152,8 +1150,8 @@ Triangles::find_edge_for_points (const db::DPoint &p1, const db::DPoint &p2) return 0; } for (auto e = v->begin_edges (); e != v->end_edges (); ++e) { - if (e->other (v)->equal (p2)) { - return const_cast (e.operator-> ()); + if ((*e)->other (v)->equal (p2)) { + return *e; } } return 0; @@ -1240,9 +1238,9 @@ Triangles::join_edges (std::vector &edges) std::vector join_edges; for (auto e = cp->begin_edges (); e != cp->end_edges (); ++e) { - if (e.operator-> () != s1 && e.operator-> () != s2) { - if (e->can_join_via (cp)) { - join_edges.push_back (const_cast (e.operator-> ())); + if (*e != s1 && *e != s2) { + if ((*e)->can_join_via (cp)) { + join_edges.push_back (*e); } else { join_edges.clear (); break; @@ -1380,7 +1378,7 @@ Triangles::remove_outside_triangles () void Triangles::clear () { - mp_edges.clear (); + m_edges_heap.clear (); mp_triangles.clear (); m_vertex_heap.clear (); m_is_constrained = false; @@ -1549,7 +1547,7 @@ Triangles::triangulate (const db::Region ®ion, const TriangulateParameters &p for (auto v = vertexes_in_diametral_circle.begin (); v != vertexes_in_diametral_circle.end (); ++v) { bool has_segment = false; for (auto e = (*v)->begin_edges (); e != (*v)->end_edges () && ! has_segment; ++e) { - has_segment = e->is_segment (); + has_segment = (*e)->is_segment (); } if (! has_segment) { to_delete.push_back (*v); diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index ec0c0b2690..bb085fbd80 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -253,7 +253,7 @@ class DB_PUBLIC Triangles private: tl::shared_collection mp_triangles; - tl::weak_collection mp_edges; + tl::stable_vector m_edges_heap; tl::stable_vector m_vertex_heap; bool m_is_constrained; size_t m_level; diff --git a/src/db/unit_tests/dbTriangleTests.cc b/src/db/unit_tests/dbTriangleTests.cc index 0b326e9b7f..263d9ca07b 100644 --- a/src/db/unit_tests/dbTriangleTests.cc +++ b/src/db/unit_tests/dbTriangleTests.cc @@ -52,7 +52,7 @@ static std::string edges_from_vertex (const db::Vertex &v) if (! res.empty ()) { res += ", "; } - res += e->to_string (); + res += (*e)->to_string (); } return res; } @@ -77,20 +77,24 @@ TEST(Vertex_edge_registration) db::Vertex v3 (2, 1); std::unique_ptr e1 (new db::TriangleEdge (&v1, &v2)); + e1->link (); EXPECT_EQ (edges_from_vertex (v1), "((0, 0), (1, 2))"); EXPECT_EQ (edges_from_vertex (v2), "((0, 0), (1, 2))"); EXPECT_EQ (edges_from_vertex (v3), ""); std::unique_ptr e2 (new db::TriangleEdge (&v2, &v3)); + e2->link (); EXPECT_EQ (edges_from_vertex (v1), "((0, 0), (1, 2))"); EXPECT_EQ (edges_from_vertex (v2), "((0, 0), (1, 2)), ((1, 2), (2, 1))"); EXPECT_EQ (edges_from_vertex (v3), "((1, 2), (2, 1))"); + e2->unlink (); e2.reset (0); EXPECT_EQ (edges_from_vertex (v1), "((0, 0), (1, 2))"); EXPECT_EQ (edges_from_vertex (v2), "((0, 0), (1, 2))"); EXPECT_EQ (edges_from_vertex (v3), ""); + e1->unlink (); e1.reset (0); EXPECT_EQ (edges_from_vertex (v1), ""); EXPECT_EQ (edges_from_vertex (v2), ""); @@ -106,8 +110,11 @@ TEST(Vertex_triangles) EXPECT_EQ (triangles_from_vertex (v1), ""); std::unique_ptr e1 (new db::TriangleEdge (&v1, &v2)); + e1->link (); std::unique_ptr e2 (new db::TriangleEdge (&v2, &v3)); + e2->link (); std::unique_ptr e3 (new db::TriangleEdge (&v3, &v1)); + e3->link (); std::unique_ptr tri (new db::Triangle (e1.get (), e2.get (), e3.get ())); EXPECT_EQ (triangles_from_vertex (v1), "((0, 0), (1, 2), (2, 1))"); @@ -115,12 +122,20 @@ TEST(Vertex_triangles) EXPECT_EQ (triangles_from_vertex (v3), "((0, 0), (1, 2), (2, 1))"); std::unique_ptr e4 (new db::TriangleEdge (&v1, &v4)); + e4->link (); std::unique_ptr e5 (new db::TriangleEdge (&v2, &v4)); + e5->link (); std::unique_ptr tri2 (new db::Triangle (e1.get (), e4.get (), e5.get ())); EXPECT_EQ (triangles_from_vertex (v1), "((0, 0), (-1, 2), (1, 2)), ((0, 0), (1, 2), (2, 1))"); EXPECT_EQ (triangles_from_vertex (v2), "((0, 0), (-1, 2), (1, 2)), ((0, 0), (1, 2), (2, 1))"); EXPECT_EQ (triangles_from_vertex (v3), "((0, 0), (1, 2), (2, 1))"); EXPECT_EQ (triangles_from_vertex (v4), "((0, 0), (-1, 2), (1, 2))"); + + tri->unlink (); + EXPECT_EQ (triangles_from_vertex (v1), "((0, 0), (-1, 2), (1, 2))"); + + tri2->unlink (); + EXPECT_EQ (triangles_from_vertex (v1), ""); } // Tests for Triangle class diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index 412a12ce56..8c404f86ff 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -643,8 +643,6 @@ TEST(create_constrained_delaunay) TEST(triangulate) { - tl::equals(1.0, 2.0); - return; // @@@ db::Region r; r.insert (db::Box (0, 0, 10000, 10000)); @@ -669,7 +667,6 @@ TEST(triangulate) EXPECT_GT (tri.num_triangles (), size_t (100)); EXPECT_LT (tri.num_triangles (), size_t (150)); - tl::info << tri.num_triangles (); param.min_b = 1.0; param.max_area = 0.1; From ae3588ab16b7120dbb842bfe94a2e6c9189091af Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 19 Aug 2023 01:13:09 +0200 Subject: [PATCH 083/128] Triangles: potential performance improvement in degenerate point set (circle) case. --- src/db/db/dbTriangle.cc | 34 ++++++++++++++++++++-------------- src/db/db/dbTriangle.h | 12 +++++++++--- src/db/db/dbTriangles.cc | 6 +++--- 3 files changed, 32 insertions(+), 20 deletions(-) diff --git a/src/db/db/dbTriangle.cc b/src/db/db/dbTriangle.cc index 9f4f49fa39..284b4b6cf9 100644 --- a/src/db/db/dbTriangle.cc +++ b/src/db/db/dbTriangle.cc @@ -102,6 +102,21 @@ Vertex::has_edge (const TriangleEdge *edge) const return false; } +size_t +Vertex::num_edges (int max_count) const +{ + if (max_count < 0) { + // NOTE: this can be slow for a std::list, so we have max_count to limit this effort + return mp_edges.size (); + } else { + size_t n = 0; + for (auto i = mp_edges.begin (); i != mp_edges.end () && --max_count >= 0; ++i) { + ++n; + } + return n; + } +} + std::string Vertex::to_string (bool with_id) const { @@ -112,18 +127,6 @@ Vertex::to_string (bool with_id) const return res; } -void -Vertex::remove_edge (db::TriangleEdge *edge) -{ - for (auto e = mp_edges.begin (); e != mp_edges.end (); ++e) { - if (*e == edge) { - mp_edges.erase (e); - return; - } - } - tl_assert (false); -} - int Vertex::in_circle (const DPoint &point, const DPoint ¢er, double radius) { @@ -172,17 +175,20 @@ void TriangleEdge::link () { mp_v1->mp_edges.push_back (this); + m_ec_v1 = --mp_v1->mp_edges.end (); + mp_v2->mp_edges.push_back (this); + m_ec_v2 = --mp_v2->mp_edges.end (); } void TriangleEdge::unlink () { if (mp_v1) { - mp_v1->remove_edge (this); + mp_v1->remove_edge (m_ec_v1); } if (mp_v2) { - mp_v2->remove_edge (this); + mp_v2->remove_edge (m_ec_v2); } mp_v1 = mp_v2 = 0; } diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index 4d5bc4931d..d2966509d8 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -48,8 +48,9 @@ class DB_PUBLIC Vertex : public db::DPoint { public: - typedef std::vector edges_type; + typedef std::list edges_type; typedef edges_type::const_iterator edges_iterator; + typedef edges_type::iterator edges_iterator_non_const; Vertex (); Vertex (const DPoint &p); @@ -63,7 +64,7 @@ class DB_PUBLIC Vertex edges_iterator begin_edges () const { return mp_edges.begin (); } edges_iterator end_edges () const { return mp_edges.end (); } - size_t num_edges () const { return mp_edges.size (); } + size_t num_edges (int max_count = -1) const; bool has_edge (const TriangleEdge *edge) const; @@ -88,7 +89,11 @@ class DB_PUBLIC Vertex private: friend class TriangleEdge; - void remove_edge (db::TriangleEdge *edge); + + void remove_edge (const edges_iterator_non_const &ec) + { + mp_edges.erase (ec); + } edges_type mp_edges; size_t m_level; @@ -397,6 +402,7 @@ class DB_PUBLIC TriangleEdge Vertex *mp_v1, *mp_v2; Triangle *mp_left, *mp_right; + Vertex::edges_iterator_non_const m_ec_v1, m_ec_v2; size_t m_level; size_t m_id; bool m_is_segment; diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 6a6c9c3737..11f713abf6 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -724,7 +724,7 @@ Triangles::remove_inside_vertex (db::Vertex *vertex, std::listnum_edges () > 3) { + while (vertex->num_edges (4) > 3) { db::TriangleEdge *to_flip = 0; for (auto e = vertex->begin_edges (); e != vertex->end_edges () && to_flip == 0; ++e) { @@ -746,9 +746,9 @@ Triangles::remove_inside_vertex (db::Vertex *vertex, std::listnum_edges () > 3) { + if (vertex->num_edges (4) > 3) { - tl_assert (vertex->num_edges () == 4); + tl_assert (vertex->num_edges (5) == 4); // This case can happen if two edges attached to the vertex are collinear // in this case choose the "join" strategy From c6b7908499ae33adca68b25d8b11b59ba581379c Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 19 Aug 2023 01:55:04 +0200 Subject: [PATCH 084/128] Triangles: Memory optimization --- src/db/db/dbTriangle.h | 3 ++- src/db/db/dbTriangles.cc | 29 +++++++++++++++++++++-------- src/db/db/dbTriangles.h | 5 +++-- 3 files changed, 26 insertions(+), 11 deletions(-) diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index d2966509d8..20afe1097e 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -30,6 +30,7 @@ #include "dbEdge.h" #include "tlObjectCollection.h" +#include "tlList.h" namespace db { @@ -428,7 +429,7 @@ struct TriangleEdgeLessFunc * @brief A class representing a triangle */ class DB_PUBLIC Triangle - : public tl::Object + : public tl::list_node, public tl::Object { public: Triangle (); diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 11f713abf6..0e717923eb 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -42,7 +42,7 @@ Triangles::Triangles () Triangles::~Triangles () { while (! mp_triangles.empty ()) { - remove (mp_triangles.front ()); + remove (mp_triangles.begin ().operator-> ()); } } @@ -63,10 +63,20 @@ Triangles::create_vertex (const db::DPoint &pt) db::TriangleEdge * Triangles::create_edge (db::Vertex *v1, db::Vertex *v2) { - m_edges_heap.push_back (db::TriangleEdge (v1, v2)); - m_edges_heap.back ().link (); - m_edges_heap.back ().set_id (++m_id); - return &m_edges_heap.back (); + db::TriangleEdge *edge = 0; + + if (! m_returned_edges.empty ()) { + edge = m_returned_edges.back (); + m_returned_edges.pop_back (); + *edge = db::TriangleEdge (v1, v2); + } else { + m_edges_heap.push_back (db::TriangleEdge (v1, v2)); + edge = &m_edges_heap.back (); + } + + edge->link (); + edge->set_id (++m_id); + return edge; } db::Triangle * @@ -90,8 +100,10 @@ Triangles::remove (db::Triangle *tri) // clean up edges we do no longer need for (int i = 0; i < 3; ++i) { - if (edges [i] && edges [i]->left () == 0 && edges [i]->right () == 0) { - edges [i]->unlink (); + db::TriangleEdge *e = edges [i]; + if (e && e->left () == 0 && e->right () == 0 && e->v1 ()) { + e->unlink (); + m_returned_edges.push_back (e); } } } @@ -392,7 +404,7 @@ Triangles::find_closest_edge (const db::DPoint &p, db::Vertex *vstart, bool insi // A sample heuristics that takes a sqrt(N) sample from the // vertexes to find a good starting point - vstart = mp_triangles.front ()->vertex (0); + vstart = mp_triangles.begin ()->vertex (0); double dmin = vstart->distance (p); while (ls * ls < m) { @@ -1381,6 +1393,7 @@ Triangles::clear () m_edges_heap.clear (); mp_triangles.clear (); m_vertex_heap.clear (); + m_returned_edges.clear (); m_is_constrained = false; m_level = 0; m_id = 0; diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index bb085fbd80..c0271b635f 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -77,7 +77,7 @@ class DB_PUBLIC Triangles int base_verbosity; }; - typedef tl::shared_collection triangles_type; + typedef tl::list triangles_type; typedef triangles_type::const_iterator triangle_iterator; Triangles (); @@ -252,8 +252,9 @@ class DB_PUBLIC Triangles std::vector find_inside_circle (const db::DPoint ¢er, double radius) const; private: - tl::shared_collection mp_triangles; + tl::list mp_triangles; tl::stable_vector m_edges_heap; + std::vector m_returned_edges; tl::stable_vector m_vertex_heap; bool m_is_constrained; size_t m_level; From ef7a5a1331443d0694916e0faa453cf925368364 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 19 Aug 2023 13:16:19 +0200 Subject: [PATCH 085/128] Triangle: some performance optimization --- src/db/db/dbTriangle.cc | 92 ++++++++++++++++------------------------- src/db/db/dbTriangle.h | 30 ++++++++++---- 2 files changed, 57 insertions(+), 65 deletions(-) diff --git a/src/db/db/dbTriangle.cc b/src/db/db/dbTriangle.cc index 284b4b6cf9..bcf92301a8 100644 --- a/src/db/db/dbTriangle.cc +++ b/src/db/db/dbTriangle.cc @@ -339,30 +339,34 @@ TriangleEdge::has_triangle (const Triangle *t) const // Triangle implementation Triangle::Triangle () - : m_is_outside (false), mp_v1 (0), mp_v2 (0), mp_v3 (0), m_id (0) + : m_is_outside (false), m_id (0) { - // .. nothing yet .. + for (int i = 0; i < 3; ++i) { + mp_v[i] = 0; + mp_e[i] = 0; + } } Triangle::Triangle (TriangleEdge *e1, TriangleEdge *e2, TriangleEdge *e3) - : m_is_outside (false), mp_e1 (e1), m_id (0) + : m_is_outside (false), m_id (0) { - mp_v1 = mp_e1->v1 (); - mp_v2 = mp_e1->other (mp_v1); + mp_e[0] = e1; + mp_v[0] = e1->v1 (); + mp_v[1] = e1->other (mp_v[0]); - if (e2->has_vertex (mp_v2)) { - mp_e2 = e2; - mp_e3 = e3; + if (e2->has_vertex (mp_v[1])) { + mp_e[1] = e2; + mp_e[2] = e3; } else { - mp_e2 = e3; - mp_e3 = e2; + mp_e[1] = e3; + mp_e[2] = e2; } - mp_v3 = mp_e2->other (mp_v2); + mp_v[2] = mp_e[1]->other (mp_v[1]); // establish link to edges for (int i = 0; i < 3; ++i) { - TriangleEdge *e = edge (i); - int side_of = e->side_of (*vertex (i - 1)); + TriangleEdge *e = mp_e[i]; + int side_of = e->side_of (*mp_v[i == 0 ? 2 : i - 1]); // NOTE: in the degenerated case, the triangle is not attached to an edge! if (side_of < 0) { e->set_left (this); @@ -372,8 +376,8 @@ Triangle::Triangle (TriangleEdge *e1, TriangleEdge *e2, TriangleEdge *e3) } // enforce clockwise orientation - if (db::vprod_sign (*mp_v3 - *mp_v1, *mp_v2 - *mp_v1) < 0) { - std::swap (mp_v3, mp_v2); + if (db::vprod_sign (*mp_v[2] - *mp_v[0], *mp_v[1] - *mp_v[0]) < 0) { + std::swap (mp_v[2], mp_v[1]); } } @@ -386,7 +390,7 @@ void Triangle::unlink () { for (int i = 0; i != 3; ++i) { - db::TriangleEdge *e = edge (i); + db::TriangleEdge *e = mp_e[i]; if (e->left () == this) { e->set_left (0); } @@ -414,36 +418,10 @@ Triangle::to_string (bool with_id) const return res; } -Vertex * -Triangle::vertex (int n) const -{ - n = (n + 3) % 3; - if (n == 0) { - return mp_v1; - } else if (n == 1) { - return mp_v2; - } else { - return mp_v3; - } -} - -TriangleEdge * -Triangle::edge (int n) const -{ - n = (n + 3) % 3; - if (n == 0) { - return mp_e1; - } else if (n == 1) { - return mp_e2; - } else { - return mp_e3; - } -} - double Triangle::area () const { - return fabs (db::vprod (mp_e1->d (), mp_e2->d ())) * 0.5; + return fabs (db::vprod (mp_e[0]->d (), mp_e[1]->d ())) * 0.5; } db::DBox @@ -451,7 +429,7 @@ Triangle::bbox () const { db::DBox box; for (int i = 0; i < 3; ++i) { - box += *vertex (i); + box += *mp_v[i]; } return box; } @@ -460,8 +438,8 @@ Triangle::bbox () const std::pair Triangle::circumcircle () const { - db::DVector v1 = *vertex(0) - *vertex(1); - db::DVector v2 = *vertex(0) - *vertex(2); + db::DVector v1 = *mp_v[0] - *mp_v[1]; + db::DVector v2 = *mp_v[0] - *mp_v[2]; db::DVector n1 = db::DVector (v1.y (), -v1.x ()); db::DVector n2 = db::DVector (v2.y (), -v2.x ()); @@ -472,7 +450,7 @@ Triangle::circumcircle () const tl_assert (fabs (s) > db::epsilon); db::DVector r = (n1 * p2s - n2 * p1s) * (0.5 / s); - db::DPoint center = *vertex (0) + r; + db::DPoint center = *mp_v[0] + r; double radius = r.length (); return std::make_pair (center, radius); @@ -482,7 +460,7 @@ Vertex * Triangle::opposite (const TriangleEdge *edge) const { for (int i = 0; i < 3; ++i) { - Vertex *v = vertex (i); + Vertex *v = mp_v[i]; if (! edge->has_vertex (v)) { return v; } @@ -494,7 +472,7 @@ TriangleEdge * Triangle::opposite (const Vertex *vertex) const { for (int i = 0; i < 3; ++i) { - TriangleEdge *e = edge (i); + TriangleEdge *e = mp_e[i]; if (! e->has_vertex (vertex)) { return e; } @@ -506,7 +484,7 @@ TriangleEdge * Triangle::find_edge_with (const Vertex *v1, const Vertex *v2) const { for (int i = 0; i < 3; ++i) { - TriangleEdge *e = edge (i); + TriangleEdge *e = mp_e[i]; if (e->has_vertex (v1) && e->has_vertex (v2)) { return e; } @@ -518,7 +496,7 @@ TriangleEdge * Triangle::common_edge (const Triangle *other) const { for (int i = 0; i < 3; ++i) { - TriangleEdge *e = edge (i); + TriangleEdge *e = mp_e[i];; if (e->other (this) == other) { return e; } @@ -530,9 +508,9 @@ int Triangle::contains (const db::DPoint &point) const { int res = 1; - const Vertex *vl = vertex (-1); + const Vertex *vl = mp_v[2];; for (int i = 0; i < 3; ++i) { - const Vertex *v = vertex (i); + const Vertex *v = mp_v[i];; int s = db::DEdge (*vl, *v).side_of (point); if (s == 0) { res = 0; @@ -547,9 +525,9 @@ Triangle::contains (const db::DPoint &point) const double Triangle::min_edge_length () const { - double lmin = edge (0)->d ().length (); + double lmin = mp_e[0]->d ().length (); for (int i = 1; i < 3; ++i) { - lmin = std::min (lmin, edge (i)->d ().length ()); + lmin = std::min (lmin, mp_e[i]->d ().length ()); } return lmin; } @@ -566,7 +544,7 @@ bool Triangle::has_segment () const { for (int i = 0; i < 3; ++i) { - if (edge (i)->is_segment ()) { + if (mp_e[i]->is_segment ()) { return true; } } @@ -578,7 +556,7 @@ Triangle::num_segments () const { unsigned int n = 0; for (int i = 0; i < 3; ++i) { - if (edge (i)->is_segment ()) { + if (mp_e[i]->is_segment ()) { ++n; } } diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index 20afe1097e..e4a3815a35 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -451,12 +451,26 @@ class DB_PUBLIC Triangle * @brief Gets the nth vertex (n wraps around and can be negative) * The vertexes are oriented clockwise. */ - Vertex *vertex (int n) const; + inline Vertex *vertex (int n) const + { + if (n >= 0 && n < 3) { + return mp_v[n]; + } else { + return mp_v[(n + 3) % 3]; + } + } /** * @brief Gets the nth edge (n wraps around and can be negative) */ - TriangleEdge *edge (int n) const; + inline TriangleEdge *edge (int n) const + { + if (n >= 0 && n < 3) { + return mp_e[n]; + } else { + return mp_e[(n + 3) % 3]; + } + } /** * @brief Gets the area @@ -501,17 +515,17 @@ class DB_PUBLIC Triangle /** * @brief Gets a value indicating whether the triangle has the given vertex */ - bool has_vertex (const db::Vertex *v) const + inline bool has_vertex (const db::Vertex *v) const { - return mp_v1 == v || mp_v2 == v || mp_v3 == v; + return mp_v[0] == v || mp_v[1] == v || mp_v[2] == v; } /** * @brief Gets a value indicating whether the triangle has the given edge */ - bool has_edge (const db::TriangleEdge *e) const + inline bool has_edge (const db::TriangleEdge *e) const { - return mp_e1 == e || mp_e2 == e || mp_e3 == e; + return mp_e[0] == e || mp_e[1] == e || mp_e[2] == e; } /** @@ -536,8 +550,8 @@ class DB_PUBLIC Triangle private: bool m_is_outside; - TriangleEdge *mp_e1, *mp_e2, *mp_e3; - db::Vertex *mp_v1, *mp_v2, *mp_v3; + TriangleEdge *mp_e[3]; + db::Vertex *mp_v[3]; size_t m_id; // no copying From 31caa8a04df73268dada64fe8ade20aa354163aa Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 19 Aug 2023 13:29:37 +0200 Subject: [PATCH 086/128] Small optimization --- src/db/db/dbTriangle.cc | 2 +- src/db/db/dbTriangles.cc | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/src/db/db/dbTriangle.cc b/src/db/db/dbTriangle.cc index bcf92301a8..210414b9b4 100644 --- a/src/db/db/dbTriangle.cc +++ b/src/db/db/dbTriangle.cc @@ -352,7 +352,7 @@ Triangle::Triangle (TriangleEdge *e1, TriangleEdge *e2, TriangleEdge *e3) { mp_e[0] = e1; mp_v[0] = e1->v1 (); - mp_v[1] = e1->other (mp_v[0]); + mp_v[1] = e1->v2 (); if (e2->has_vertex (mp_v[1])) { mp_e[1] = e2; diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 0e717923eb..91bda54533 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -428,6 +428,7 @@ Triangles::find_closest_edge (const db::DPoint &p, db::Vertex *vstart, bool insi return 0; } + } db::DEdge line (*vstart, p); From 0a67aa361cb899663e9908f01c2695a9d2d74bb9 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 19 Aug 2023 15:25:21 +0200 Subject: [PATCH 087/128] Triangles: Added a more complex test case for triangulation and providing a min_length parameter for stopping infinite recursion --- src/db/db/dbTriangles.cc | 99 +- src/db/db/dbTriangles.h | 32 +- src/db/unit_tests/dbTrianglesTests.cc | 116 +- testdata/algo/triangles1.txt | 5239 +++++++++++++++++++++++++ 4 files changed, 5454 insertions(+), 32 deletions(-) create mode 100644 testdata/algo/triangles1.txt diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 91bda54533..727c671286 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -251,7 +251,7 @@ Triangles::check (bool check_delaunay) const } db::Layout * -Triangles::to_layout () const +Triangles::to_layout (bool decompose_by_id) const { db::Layout *layout = new db::Layout (); layout->dbu (0.001); @@ -262,6 +262,9 @@ Triangles::to_layout () const unsigned int l1 = layout->insert_layer (db::LayerProperties (1, 0)); unsigned int l2 = layout->insert_layer (db::LayerProperties (2, 0)); unsigned int l10 = layout->insert_layer (db::LayerProperties (10, 0)); + unsigned int l20 = layout->insert_layer (db::LayerProperties (20, 0)); + unsigned int l21 = layout->insert_layer (db::LayerProperties (21, 0)); + unsigned int l22 = layout->insert_layer (db::LayerProperties (22, 0)); for (auto t = mp_triangles.begin (); t != mp_triangles.end (); ++t) { db::DPoint pts[3]; @@ -271,6 +274,17 @@ Triangles::to_layout () const db::DPolygon poly; poly.assign_hull (pts + 0, pts + 3); top.shapes (t->is_outside () ? l2 : l1).insert (dbu_trans * poly); + if (decompose_by_id) { + if ((t->id () & 1) != 0) { + top.shapes (l20).insert (dbu_trans * poly); + } + if ((t->id () & 2) != 0) { + top.shapes (l21).insert (dbu_trans * poly); + } + if ((t->id () & 4) != 0) { + top.shapes (l22).insert (dbu_trans * poly); + } + } } for (auto e = m_edges_heap.begin (); e != m_edges_heap.end (); ++e) { @@ -283,9 +297,9 @@ Triangles::to_layout () const } void -Triangles::dump (const std::string &path) const +Triangles::dump (const std::string &path, bool decompose_by_id) const { - std::unique_ptr ly (to_layout ()); + std::unique_ptr ly (to_layout (decompose_by_id)); tl::OutputStream stream (path); @@ -1426,7 +1440,7 @@ Triangles::create_constrained_delaunay (const db::Region ®ion, double dbu) constrain (edge_contours); } -static bool is_skinny (db::Triangle *tri, const Triangles::TriangulateParameters ¶m) +static bool is_skinny (const db::Triangle *tri, const Triangles::TriangulateParameters ¶m) { if (param.min_b < db::epsilon) { return false; @@ -1437,7 +1451,7 @@ static bool is_skinny (db::Triangle *tri, const Triangles::TriangulateParameters } } -static bool is_invalid (db::Triangle *tri, const Triangles::TriangulateParameters ¶m) +static bool is_invalid (const db::Triangle *tri, const Triangles::TriangulateParameters ¶m) { if (is_skinny (tri, param)) { return true; @@ -1517,7 +1531,7 @@ Triangles::triangulate (const db::Region ®ion, const TriangulateParameters &p if ((*t)->contains (center) >= 0) { - // heuristics #1: never insert a point into a triangle with more than two segments + // heuristics #1: never insert a point into a triangle with more than one segments if (t->get ()->num_segments () <= 1) { if (tl::verbosity () >= parameters.base_verbosity + 20) { tl::info << "Inserting in-triangle center " << center.to_string () << " of " << (*t)->to_string (true); @@ -1549,30 +1563,34 @@ Triangles::triangulate (const db::Region ®ion, const TriangulateParameters &p } else { double sr = edge->d ().length () * 0.5; - db::DPoint pnew = *edge->v1 () + edge->d () * 0.5; + if (sr >= parameters.min_length) { - if (tl::verbosity () >= parameters.base_verbosity + 20) { - tl::info << "Split edge " << edge->to_string (true) << " at " << pnew.to_string (); - } - db::Vertex *vnew = insert_point (pnew, &new_triangles); - auto vertexes_in_diametral_circle = find_points_around (vnew, sr); - - std::vector to_delete; - for (auto v = vertexes_in_diametral_circle.begin (); v != vertexes_in_diametral_circle.end (); ++v) { - bool has_segment = false; - for (auto e = (*v)->begin_edges (); e != (*v)->end_edges () && ! has_segment; ++e) { - has_segment = (*e)->is_segment (); + db::DPoint pnew = *edge->v1 () + edge->d () * 0.5; + + if (tl::verbosity () >= parameters.base_verbosity + 20) { + tl::info << "Split edge " << edge->to_string (true) << " at " << pnew.to_string (); } - if (! has_segment) { - to_delete.push_back (*v); + db::Vertex *vnew = insert_point (pnew, &new_triangles); + auto vertexes_in_diametral_circle = find_points_around (vnew, sr); + + std::vector to_delete; + for (auto v = vertexes_in_diametral_circle.begin (); v != vertexes_in_diametral_circle.end (); ++v) { + bool has_segment = false; + for (auto e = (*v)->begin_edges (); e != (*v)->end_edges () && ! has_segment; ++e) { + has_segment = (*e)->is_segment (); + } + if (! has_segment) { + to_delete.push_back (*v); + } + } + + if (tl::verbosity () >= parameters.base_verbosity + 20) { + tl::info << " -> found " << to_delete.size () << " vertexes to remove"; + } + for (auto v = to_delete.begin (); v != to_delete.end (); ++v) { + remove (*v, &new_triangles); } - } - if (tl::verbosity () >= parameters.base_verbosity + 20) { - tl::info << " -> found " << to_delete.size () << " vertexes to remove"; - } - for (auto v = to_delete.begin (); v != to_delete.end (); ++v) { - remove (*v, &new_triangles); } } @@ -1586,6 +1604,35 @@ Triangles::triangulate (const db::Region ®ion, const TriangulateParameters &p if (tl::verbosity () >= parameters.base_verbosity + 20) { tl::info << "Finishing .."; } + + if (parameters.mark_triangles) { + + for (auto t = begin (); t != end (); ++t) { + + size_t id = 0; + + if (! t->is_outside ()) { + + if (is_skinny (t.operator-> (), parameters)) { + id |= 1; + } + if (is_invalid (t.operator-> (), parameters)) { + id |= 2; + } + auto cp = t->circumcircle (); + auto vi = find_inside_circle (cp.first, cp.second); + if (! vi.empty ()) { + id |= 4; + } + + } + + (const_cast (t.operator->()))->set_id (id); + + } + + } + remove_outside_triangles (); } diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index c0271b635f..b87efe9513 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -45,10 +45,12 @@ class DB_PUBLIC Triangles { TriangulateParameters () : min_b (1.0), + min_length (0.0), max_area (0.0), max_area_border (0.0), max_iterations (std::numeric_limits::max ()), - base_verbosity (30) + base_verbosity (30), + mark_triangles (false) { } /** @@ -56,6 +58,15 @@ class DB_PUBLIC Triangles */ double min_b; + /** + * @brief Min. edge length + * + * This parameter does not provide a guarantee about a minimume edge length, but + * helps avoiding ever-reducing triangle splits in acute corners of the input polygon. + * Splitting of edges stops when the edge is less than the min length. + */ + double min_length; + /** * @brief Max area or zero for "no constraint" */ @@ -75,6 +86,17 @@ class DB_PUBLIC Triangles * @brief The verbosity level above which triangulation reports details */ int base_verbosity; + + /** + * @brief If true, final triangles are marked using the "id" integer as a bit field + * + * This provides information about the result quality. + * + * Bit 0: skinny triangle + * Bit 1: bad-quality (skinny or area too large) + * Bit 2: non-Delaunay (in the strict sense) + */ + bool mark_triangles; }; typedef tl::list triangles_type; @@ -139,14 +161,18 @@ class DB_PUBLIC Triangles /** * @brief Dumps the triangle graph to a GDS file at the given path * This method is for testing purposes mainly. + * + * "decompose_id" will map triangles to layer 20, 21 and 22. + * according to bit 0, 1 and 2 of the ID (useful with the 'mark_triangles' + * flat in TriangulateParameters). */ - void dump (const std::string &path) const; + void dump (const std::string &path, bool decompose_by_id = false) const; /** * @brief Creates a new layout object representing the triangle graph * This method is for testing purposes mainly. */ - db::Layout *to_layout () const; + db::Layout *to_layout (bool decompose_by_id = false) const; /** * @brief Finds the points within (not "on") a circle of radius "radius" around the given vertex. diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index 8c404f86ff..f471ce602f 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -22,7 +22,10 @@ #include "dbTriangles.h" +#include "dbWriter.h" #include "tlUnitTest.h" +#include "tlStream.h" +#include "tlFileUtils.h" #include #include @@ -258,9 +261,8 @@ TEST(insert_many) tris.insert_point (x, y); } - tl::info << "avg. flips = " << double (tris.flips ()) / double (n); - tl::info << "avg. hops = " << double (tris.hops ()) / double (n); - // @@@ tris.dump ("debug.gds"); + EXPECT_LT (double (tris.flips ()) / double (n), 3.0); + EXPECT_LT (double (tris.hops ()) / double (n), 23.0); } TEST(heavy_insert) @@ -683,3 +685,111 @@ TEST(triangulate) EXPECT_GT (tri.num_triangles (), size_t (900)); EXPECT_LT (tri.num_triangles (), size_t (1000)); } + +void read_polygons (const std::string &path, db::Region ®ion, double dbu) +{ + tl::InputStream is (path); + tl::TextInputStream ti (is); + + unsigned int nvert = 0, nedges = 0; + + { + tl::Extractor ex (ti.get_line ().c_str ()); + ex.read (nvert); + ex.read (nedges); + } + + std::vector v; + auto dbu_trans = db::CplxTrans (dbu).inverted (); + for (unsigned int i = 0; i < nvert; ++i) { + double x = 0, y = 0; + tl::Extractor ex (ti.get_line ().c_str ()); + ex.read (x); + ex.read (y); + v.push_back (dbu_trans * db::DPoint (x, y)); + } + + unsigned int nstart = 0; + bool new_contour = true; + std::vector contour; + + for (unsigned int i = 0; i < nedges; ++i) { + + unsigned int n1 = 0, n2 = 0; + + tl::Extractor ex (ti.get_line ().c_str ()); + ex.read (n1); + ex.read (n2); + + if (new_contour) { + nstart = n1; + new_contour = false; + } + + contour.push_back (v[n1]); + + if (n2 == nstart) { + // finish contour + db::SimplePolygon sp; + sp.assign_hull (contour.begin (), contour.end ()); + region.insert (sp); + new_contour = true; + contour.clear (); + } else if (n2 <= n1) { + tl::error << "Invalid polygon wrap in line " << ti.line_number (); + tl_assert (false); + } + + } +} + +TEST(triangulate2) +{ + double dbu = 0.001; + + db::Region r; + read_polygons (tl::combine_path (tl::testsrc (), "testdata/algo/triangles1.txt"), r, dbu); + + // for debugging purposes dump the inputs + if (false) { + + db::Layout layout = db::Layout (); + layout.dbu (dbu); + db::Cell &top = layout.cell (layout.add_cell ("DUMP")); + unsigned int l1 = layout.insert_layer (db::LayerProperties (1, 0)); + r.insert_into (&layout, top.cell_index (), l1); + + { + tl::OutputStream stream ("input.gds"); + db::SaveLayoutOptions opt; + db::Writer writer (opt); + writer.write (layout, stream); + } + + } + + db::Triangles::TriangulateParameters param; + param.min_b = 1.0; + param.max_area = 0.1; + param.min_length = 0.001; + + db::Triangles tri; + tri.triangulate (r, param, dbu); + + EXPECT_EQ (tri.check (false), true); + + // for debugging: + // tri.dump ("debug.gds", true); + + size_t n_skinny = 0; + for (auto t = tri.begin (); t != tri.end (); ++t) { + EXPECT_LE (t->area (), param.max_area); + if (t->b () < param.min_b) { + ++n_skinny; + } + } + + EXPECT_LT (n_skinny, size_t (20)); + EXPECT_GT (tri.num_triangles (), size_t (29000)); + EXPECT_LT (tri.num_triangles (), size_t (30000)); +} diff --git a/testdata/algo/triangles1.txt b/testdata/algo/triangles1.txt new file mode 100644 index 0000000000..fd893499be --- /dev/null +++ b/testdata/algo/triangles1.txt @@ -0,0 +1,5239 @@ +2619 2619 +16.836666 56.826942 +16.828053 56.825272 +16.816944 56.825829 +16.808331 56.824165 +16.785 56.809998 +16.779442 56.805832 +16.770275 56.79583 +16.726665 56.702217 +16.635555 56.518883 +16.576664 56.406944 +16.570553 56.39444 +16.569443 56.388054 +16.570274 56.376938 +16.571941 56.371666 +16.575275 56.367218 +16.575554 56.361382 +16.571663 56.354996 +16.553055 56.326385 +16.496109 56.240829 +16.486385 56.231384 +16.47361 56.224442 +16.437222 56.211388 +16.429722 56.208885 +16.42083 56.211105 +16.416111 56.215271 +16.410831 56.224998 +16.403332 56.274162 +16.391666 56.464996 +16.39333 56.52916 +16.395832 56.535828 +16.420277 56.586388 +16.5425 56.776382 +16.611942 56.868332 +16.616665 56.873604 +16.629166 56.879166 +16.644997 56.883606 +16.749443 56.93972 +16.848053 57.064163 +16.899998 57.134995 +16.959442 57.22361 +16.963055 57.229439 +16.965553 57.241661 +16.960278 57.256943 +16.959164 57.274162 +16.960552 57.280273 +16.96611 57.29361 +16.973331 57.305275 +16.982777 57.315552 +16.993053 57.324715 +17.009998 57.337494 +17.022221 57.344994 +17.035553 57.351944 +17.056664 57.359161 +17.09861 57.350555 +17.105553 57.348328 +17.124165 57.320831 +17.050552 57.186661 +17.008888 57.131943 +16.961109 57.075272 +16.926666 57.038055 +16.880276 56.929718 +16.848331 56.843887 +16.84111 56.832222 +18.206108 56.911942 +18.168888 56.909996 +18.147778 56.911942 +18.140274 56.914993 +18.142498 56.920273 +18.158333 56.941666 +18.209164 56.989166 +18.256664 57.032219 +18.254444 57.079163 +18.173332 57.141937 +18.148331 57.235275 +18.158054 57.315826 +18.142498 57.409439 +18.115276 57.480827 +18.110275 57.496109 +18.109997 57.513054 +18.111385 57.51944 +18.119164 57.531105 +18.138611 57.551109 +18.179165 57.588333 +18.191441 57.596138 +18.211941 57.605827 +18.227776 57.611382 +18.242222 57.617493 +18.249165 57.620827 +18.276108 57.634163 +18.29472 57.645828 +18.338886 57.681664 +18.355831 57.695831 +18.381943 57.718605 +18.401665 57.738609 +18.41972 57.760277 +18.456387 57.802773 +18.461388 57.807777 +18.46722 57.811943 +18.48111 57.818604 +18.681942 57.913605 +18.689999 57.916107 +18.71611 57.921104 +18.724998 57.922775 +18.881943 57.919716 +18.902496 57.918327 +18.914165 57.917496 +19.004719 57.908607 +19.006107 57.90361 +19.003887 57.898888 +19.033333 57.826942 +18.929443 57.739716 +18.848888 57.721107 +18.809166 57.703606 +18.793331 57.659164 +18.75972 57.508049 +18.768055 57.472221 +18.769444 57.467216 +18.78833 57.448326 +18.714443 57.246941 +18.711941 57.241661 +18.658054 57.220833 +18.551941 57.182777 +18.514721 57.169441 +18.498333 57.165276 +18.455555 57.156944 +18.439442 57.152771 +18.417221 57.144165 +18.397221 57.134163 +18.391388 57.129997 +18.386665 57.124992 +18.345554 57.07972 +18.341389 57.073883 +18.339165 57.068604 +18.335552 57.023331 +18.335831 57.017494 +18.34333 57.014442 +18.346664 56.998604 +18.302498 56.937492 +18.294998 56.934715 +18.215553 56.913055 +19.334442 57.955826 +19.286663 57.937492 +19.277496 57.940277 +19.274441 57.945 +19.268055 57.948608 +19.256664 57.94944 +19.238052 57.946938 +19.170555 57.929443 +19.162777 57.926941 +19.150833 57.91861 +19.145832 57.913605 +19.141666 57.907776 +19.139999 57.901665 +19.12611 57.839722 +19.09333 57.851944 +19.077774 57.85833 +19.073055 57.862495 +19.037498 57.896385 +19.034443 57.901108 +19.034443 57.912498 +19.03611 57.91861 +19.088886 57.970276 +19.095833 57.97361 +19.104721 57.975273 +19.285831 57.976662 +19.296387 57.976662 +19.307499 57.974442 +19.332497 57.965271 +19.335552 57.960548 +11.594444 57.932495 +11.584999 57.930832 +11.57472 57.931664 +11.528055 57.948051 +11.522499 57.951942 +11.518125 57.98069 +11.509722 57.989716 +11.498333 58.006943 +11.497221 58.012772 +11.498055 58.031387 +11.501944 58.036659 +11.520555 58.047775 +11.529999 58.049164 +11.735884 58.041714 +11.74111 58.030548 +11.742222 58.024994 +11.736944 58.00444 +11.734165 57.998604 +11.729166 57.993889 +11.722776 57.990273 +11.659443 57.957497 +11.646111 57.950829 +16.816666 58.116104 +16.783333 58.096664 +16.77861 58.100555 +16.778053 58.106384 +16.781944 58.112221 +16.787777 58.116386 +16.801109 58.123329 +16.810833 58.124443 +16.818886 58.121384 +11.806389 58.120552 +11.800278 58.116943 +11.714722 58.101105 +11.676388 58.098885 +11.624722 58.107498 +11.62361 58.113052 +11.606667 58.118607 +11.583055 58.118889 +11.553333 58.115273 +11.467222 58.101387 +11.465832 58.095833 +11.46361 58.071663 +11.464998 58.066109 +11.454721 58.072495 +11.450554 58.076942 +11.40111 58.130272 +11.402777 58.13694 +11.410555 58.147499 +11.668888 58.284439 +11.6775 58.286659 +11.708887 58.285828 +11.721666 58.284721 +11.736666 58.281662 +11.786665 58.245552 +11.809999 58.224442 +11.812498 58.219162 +11.81361 58.213608 +11.815832 58.171944 +11.814722 58.147217 +11.81111 58.133606 +19.236942 58.337219 +19.226109 58.337219 +19.21833 58.340271 +19.187222 58.381386 +19.184166 58.386108 +19.186665 58.391388 +19.224998 58.389717 +19.261665 58.384163 +19.305832 58.375275 +19.324718 58.36972 +19.331108 58.366104 +19.327499 58.361664 +19.315277 58.353333 +19.302219 58.346107 +19.294167 58.343605 +19.285275 58.341942 +17.691387 58.916939 +17.706387 58.904442 +17.695831 58.905548 +17.676388 58.916382 +17.671387 58.920555 +17.664444 58.929993 +17.641109 58.965828 +17.639164 58.971107 +17.639164 58.976662 +17.641941 58.989166 +17.660553 59.039719 +17.667774 59.052216 +17.675831 59.054718 +17.68222 59.051109 +17.696388 59.039719 +17.718052 59.018051 +17.721664 59.007774 +17.720276 59.001663 +17.71611 58.995552 +17.704166 58.987221 +17.69611 58.975555 +17.690277 58.950829 +17.687775 58.926941 +17.688053 58.921387 +18.40583 59.023888 +18.377499 59.01944 +18.365555 59.020271 +18.360554 59.024437 +18.357498 59.02916 +18.35722 59.034996 +18.396942 59.080826 +18.407219 59.090828 +18.41333 59.094994 +18.444164 59.115829 +18.450554 59.11805 +18.459721 59.11972 +18.469719 59.120552 +18.479164 59.119995 +18.491665 59.102776 +18.490555 59.098053 +18.424164 59.036385 +18.53722 59.223885 +18.527222 59.223053 +18.515274 59.223885 +18.503887 59.22583 +18.435555 59.253609 +18.428886 59.257217 +18.389442 59.284721 +18.391941 59.290276 +18.466663 59.29277 +18.478886 59.291939 +18.49472 59.290833 +18.503609 59.288887 +18.601944 59.2575 +18.610275 59.254166 +18.571941 59.232216 +18.56361 59.229721 +17.786942 59.310555 +17.777775 59.308609 +17.754444 59.309441 +17.721664 59.316109 +17.686943 59.328049 +17.671944 59.334717 +17.661942 59.343048 +17.617496 59.397774 +17.605553 59.416664 +17.610554 59.421661 +17.61861 59.424438 +17.627777 59.426109 +17.638885 59.426109 +17.650555 59.424164 +17.737499 59.393326 +17.744164 59.389717 +17.773888 59.372772 +17.777222 59.36805 +17.789165 59.321388 +17.789165 59.315826 +17.734722 59.296104 +17.817497 59.277771 +17.758053 59.28083 +17.681942 59.289719 +17.658886 59.293884 +17.649166 59.296387 +17.639164 59.299164 +17.622776 59.305275 +17.610832 59.313049 +17.520554 59.406944 +17.518887 59.411942 +17.520275 59.418327 +17.523609 59.422775 +17.531666 59.425278 +17.539165 59.426666 +17.570553 59.428604 +17.622776 59.378609 +17.629719 59.369438 +17.636944 59.348885 +17.637218 59.343048 +17.635555 59.336937 +17.636108 59.325554 +17.637775 59.320549 +17.647778 59.317772 +17.266388 59.374443 +17.256386 59.373329 +17.23111 59.375549 +17.155552 59.383606 +17.147221 59.386665 +17.070274 59.453888 +17.07 59.459442 +17.089722 59.459999 +17.150555 59.456665 +17.236111 59.449715 +17.256943 59.446663 +17.266941 59.44416 +17.280277 59.436943 +17.316109 59.408051 +17.318054 59.403053 +17.317219 59.398048 +17.309719 59.394165 +18.575554 59.448326 +18.565277 59.447495 +18.553055 59.448326 +18.526665 59.468605 +18.521664 59.472771 +18.519997 59.483604 +18.519997 59.489441 +18.522778 59.49472 +18.528889 59.498886 +18.570274 59.526382 +18.610832 59.546661 +18.63361 59.555832 +18.643608 59.556664 +18.738888 59.548332 +18.746944 59.544998 +18.732498 59.53833 +18.724442 59.535828 +18.715275 59.534164 +18.668053 59.526665 +18.591389 59.501106 +18.588608 59.495552 +18.590275 59.490555 +18.606941 59.467216 +18.605274 59.461105 +18.583611 59.450829 +18.57 60.307777 +18.561665 60.305275 +18.549164 60.306107 +18.521111 60.315826 +18.512775 60.31916 +18.401108 60.365273 +18.394165 60.374718 +18.392498 60.379715 +18.381943 60.416382 +18.371666 60.494164 +18.374165 60.499718 +18.380554 60.503883 +18.389999 60.505554 +18.408886 60.499718 +18.422497 60.486664 +18.456108 60.427498 +18.507221 60.348053 +18.53722 60.342499 +18.572777 60.313332 +17.509163 62.363327 +17.484722 62.363052 +17.456665 62.365273 +17.444164 62.367493 +17.422222 62.372498 +17.416664 62.376663 +17.412777 62.381386 +17.369164 62.46666 +17.367222 62.471664 +17.373333 62.474442 +17.463055 62.461662 +17.472221 62.458328 +17.514442 62.414444 +17.5425 62.366104 +18.060833 62.67083 +18.049721 62.669998 +18.041664 62.672218 +18.03611 62.676384 +18.026665 62.685272 +18.023052 62.689995 +18.019165 62.700272 +18.022499 62.712494 +18.039165 62.73555 +18.04583 62.739716 +18.060276 62.743889 +18.070553 62.745552 +18.129719 62.740555 +18.141388 62.739166 +18.146942 62.734993 +18.153053 62.728882 +18.156944 62.71833 +18.154999 62.712219 +18.114166 62.686943 +18.10722 62.682777 +18.099442 62.679443 +20.885555 63.751663 +20.875832 63.749161 +20.840832 63.763054 +20.837498 63.767776 +20.838055 63.773331 +20.84222 63.779999 +20.8475 63.785828 +20.855 63.789993 +20.873333 63.795555 +20.884998 63.796104 +20.899998 63.794167 +20.91111 63.791382 +20.921944 63.782776 +20.928608 63.773331 +20.927219 63.768608 +21.809166 68.570541 +21.824718 68.570267 +21.864719 68.573608 +21.881386 68.572495 +21.897221 68.569992 +21.933887 68.555267 +21.959442 68.543884 +21.997776 68.523605 +22.003887 68.51944 +22.022499 68.506653 +22.035 68.498047 +22.038055 68.487778 +22.041943 68.483047 +22.050552 68.479156 +22.063889 68.476105 +22.150833 68.465546 +22.1675 68.464432 +22.371944 68.463608 +22.430553 68.45166 +22.5 68.440132 +22.581665 68.427216 +22.659721 68.422485 +22.673885 68.420822 +22.823608 68.388046 +22.82972 68.383881 +22.863609 68.357498 +22.899719 68.331665 +22.910275 68.328323 +22.936386 68.32222 +22.969444 68.317764 +23.048054 68.293884 +23.058609 68.290268 +23.066944 68.286377 +23.353333 68.083603 +23.367496 68.064713 +23.376942 68.055542 +23.394444 68.042496 +23.531666 67.992493 +23.638332 67.958054 +23.648888 67.954712 +23.656944 67.950821 +23.666111 67.941666 +23.667221 67.936386 +23.665554 67.929993 +23.659721 67.923599 +23.652775 67.918045 +23.644722 67.913055 +23.607777 67.897491 +23.596386 67.895264 +23.545555 67.889999 +23.511108 67.883606 +23.492496 67.875824 +23.486942 67.869156 +23.48333 67.863052 +23.471107 67.822769 +23.469997 67.81694 +23.491386 67.712494 +23.507774 67.665543 +23.471943 67.556381 +23.433331 67.491943 +23.429996 67.485825 +23.428886 67.47583 +23.43111 67.465546 +23.44833 67.452499 +23.464165 67.444717 +23.474442 67.441101 +23.486942 67.438049 +23.500553 67.436386 +23.511944 67.438599 +23.527496 67.448044 +23.536663 67.451935 +23.549164 67.453323 +23.581944 67.449997 +23.734997 67.426102 +23.761944 67.420273 +23.767776 67.416107 +23.768887 67.410828 +23.783054 67.332214 +23.781944 67.326385 +23.773331 67.314438 +23.749722 67.289444 +23.741665 67.284714 +23.731667 67.281662 +23.708054 67.278046 +23.683052 67.275543 +23.63583 67.2686 +23.624722 67.266388 +23.614441 67.263321 +23.605553 67.25943 +23.594444 67.246384 +23.586666 67.234985 +23.570553 67.161942 +23.571663 67.156662 +23.580555 67.147491 +23.68111 67.047485 +23.73111 67.008331 +23.744442 67.0 +23.757774 66.991943 +23.787777 66.981384 +23.866943 66.931107 +23.935833 66.884155 +23.941109 66.87999 +23.949997 66.870819 +24.00111 66.810272 +24.007774 66.800552 +24.006386 66.794998 +23.999722 66.791382 +23.987778 66.790268 +23.948055 66.788879 +23.936943 66.786942 +23.893608 66.749161 +23.889999 66.743042 +23.891109 66.737778 +23.900833 66.712494 +23.902775 66.680267 +23.891941 66.581665 +23.887497 66.569992 +23.884163 66.563889 +23.878609 66.55722 +23.871944 66.551666 +23.861942 66.548599 +23.826942 66.543884 +23.80722 66.537766 +23.725277 66.500824 +23.666386 66.465271 +23.658886 66.460541 +23.652222 66.454712 +23.646664 66.448318 +23.640274 66.436096 +23.639164 66.430542 +23.660831 66.317215 +23.661942 66.31221 +23.666386 66.302216 +23.684719 66.263321 +23.719166 66.204987 +23.722221 66.200272 +23.727776 66.195831 +23.735275 66.19194 +23.754719 66.184998 +23.808331 66.169708 +23.820274 66.166656 +23.848053 66.161377 +23.864166 66.159164 +23.879444 66.158051 +23.89333 66.155273 +23.912498 66.148331 +23.925552 66.139999 +23.930832 66.135544 +23.940277 66.121384 +23.948608 66.101379 +23.967777 66.072495 +24.031387 66.020264 +24.160553 65.839996 +24.166664 65.830551 +24.16861 65.819992 +24.167007 65.814026 +24.153053 65.805542 +24.144444 65.801666 +24.121109 65.798874 +24.10611 65.800278 +24.08083 65.806107 +24.052219 65.808044 +24.040276 65.806656 +23.986111 65.792496 +23.956108 65.784164 +23.951942 65.778885 +23.948608 65.772766 +23.943333 65.766388 +23.936943 65.760818 +23.928333 65.756943 +23.916664 65.757767 +23.773888 65.79277 +23.772778 65.797775 +23.653889 65.806381 +23.51833 65.800827 +23.434719 65.760544 +23.394444 65.767487 +23.249722 65.800827 +23.234444 65.763611 +23.141109 65.714722 +23.131664 65.711655 +23.081108 65.698883 +23.073608 65.702774 +23.000275 65.752777 +22.828888 65.815277 +22.826385 65.825546 +22.823055 65.830551 +22.790276 65.856384 +22.723331 65.886108 +22.675831 65.902222 +22.644722 65.905548 +22.637218 65.902771 +22.638611 65.897766 +22.649719 65.888885 +22.666943 65.881653 +22.674442 65.877777 +22.679996 65.873596 +22.683331 65.868881 +22.70472 65.807495 +22.684998 65.763885 +22.677776 65.759155 +22.669441 65.75499 +22.66 65.751938 +22.648609 65.750549 +22.651386 65.756653 +22.656387 65.763321 +22.657219 65.768875 +22.650555 65.77832 +22.608608 65.796936 +22.479164 65.851105 +22.451385 65.85611 +22.41861 65.859436 +22.375553 65.860825 +22.363888 65.859161 +22.357777 65.85582 +22.329166 65.829712 +22.257774 65.691101 +22.249054 65.632492 +22.27272 65.627655 +22.281054 65.626152 +22.289387 65.625992 +22.300554 65.629822 +22.316666 65.618042 +22.321388 65.62471 +22.32222 65.630264 +22.316666 65.63472 +22.309166 65.638611 +22.298054 65.647217 +22.286942 65.659988 +22.283607 65.664993 +22.289719 65.66832 +22.303608 65.665833 +22.323055 65.659164 +22.385555 65.628876 +22.423611 65.558884 +22.426388 65.548599 +22.423332 65.542221 +22.416386 65.537491 +22.40583 65.535263 +22.394165 65.53833 +22.379166 65.545822 +22.366108 65.554153 +22.241833 65.577271 +22.206329 65.578773 +22.07972 65.607208 +21.863888 65.666656 +21.854164 65.669998 +21.846386 65.673874 +21.840832 65.678055 +21.826942 65.69722 +21.821388 65.701385 +21.766941 65.722488 +21.76083 65.716934 +21.762497 65.711655 +21.773052 65.697495 +21.828053 65.665268 +21.84333 65.657776 +21.853054 65.654434 +22.022499 65.598053 +22.057777 65.589157 +22.116108 65.583054 +22.125832 65.579712 +22.199165 65.545273 +22.194164 65.540833 +22.184998 65.537766 +22.164165 65.533051 +22.053848 65.517441 +22.000275 65.513611 +21.987499 65.515274 +21.909164 65.526657 +21.899441 65.529999 +21.891666 65.533875 +21.887218 65.537216 +21.879997 65.536652 +21.859165 65.532211 +21.852497 65.529999 +21.858055 65.525833 +21.901108 65.496658 +21.914165 65.488602 +21.925831 65.48555 +21.93972 65.485275 +21.922497 65.506943 +21.925278 65.510818 +21.936943 65.508041 +21.979164 65.489716 +22.030277 65.462219 +22.031666 65.457214 +22.017498 65.428604 +22.010555 65.423874 +21.929443 65.398041 +21.675831 65.391098 +21.66222 65.391388 +21.647499 65.392487 +21.635555 65.395554 +21.628052 65.399155 +21.611385 65.412216 +21.601665 65.415543 +21.586941 65.416382 +21.54472 65.408051 +21.474163 65.386658 +21.46833 65.380829 +21.497276 65.35527 +21.506275 65.344604 +21.534277 65.327271 +21.54311 65.326775 +21.57972 65.314713 +21.587776 65.318878 +21.590275 65.324997 +21.586941 65.329712 +21.588886 65.332214 +21.612221 65.326385 +21.621944 65.323044 +21.69722 65.291382 +21.70472 65.287491 +21.704166 65.281937 +21.700832 65.270264 +21.695 65.264435 +21.663887 65.247498 +21.65472 65.244156 +21.588055 65.234711 +21.565277 65.231659 +21.553608 65.234711 +21.548054 65.238876 +21.541111 65.248322 +21.538055 65.258881 +21.493887 65.286713 +21.468887 65.310883 +21.464222 65.31321 +21.338055 65.36972 +21.324444 65.371933 +21.314163 65.36972 +21.266388 65.34111 +21.260555 65.337494 +21.266109 65.333328 +21.32111 65.323608 +21.336941 65.321655 +21.417221 65.306107 +21.505276 65.248596 +21.548054 65.219437 +21.559166 65.210831 +21.613609 65.162491 +21.620552 65.153046 +21.621944 65.147766 +21.621387 65.142212 +21.583885 65.062775 +21.577221 65.05777 +21.56583 65.056381 +21.533703 65.058746 +21.494164 65.061096 +21.483055 65.059708 +21.472775 65.05722 +21.46833 65.050552 +21.467499 65.044998 +21.470554 65.034439 +21.48 65.031097 +21.466663 65.007217 +21.373333 64.975555 +21.300831 64.954437 +21.254997 64.949432 +21.243889 64.947769 +21.205276 64.891663 +21.206665 64.886383 +21.208885 64.862488 +21.183052 64.829987 +21.131664 64.818878 +21.122776 64.818054 +21.109165 64.820267 +21.0975 64.823318 +21.091942 64.827499 +21.084999 64.836929 +21.086109 64.848328 +21.082497 64.853043 +21.073055 64.856384 +21.060555 64.85582 +21.044998 64.847763 +21.039444 64.841934 +21.036942 64.835831 +21.03611 64.824432 +21.039444 64.819717 +21.044998 64.815277 +21.082497 64.788605 +21.089996 64.784714 +21.0975 64.781097 +21.106941 64.777771 +21.125608 64.775826 +21.134275 64.775154 +21.159443 64.775543 +21.214996 64.782776 +21.229443 64.781937 +21.258331 64.777496 +21.292774 64.768875 +21.302219 64.765549 +21.307777 64.761383 +21.310833 64.750824 +21.304996 64.661942 +21.289719 64.663879 +21.278332 64.666656 +21.268608 64.669998 +21.238888 64.685272 +21.161942 64.722763 +21.143721 64.724442 +21.136221 64.725433 +21.121721 64.724602 +21.105 64.722763 +21.104443 64.716934 +21.111942 64.691101 +21.118889 64.681381 +21.133888 64.673874 +21.271385 64.615265 +21.356941 64.59082 +21.361385 64.597214 +21.366943 64.603043 +21.373333 64.60527 +21.465275 64.575546 +21.554165 64.532486 +21.584999 64.439713 +21.458054 64.361099 +21.390553 64.335266 +21.32222 64.309998 +21.313332 64.306931 +21.28611 64.298325 +21.276108 64.295822 +21.26722 64.294998 +21.25972 64.298599 +21.258331 64.303879 +21.254997 64.308609 +21.242775 64.310272 +21.234997 64.306107 +20.971664 64.148605 +20.957497 64.139435 +20.954166 64.134155 +20.904999 64.049438 +20.895554 64.002487 +20.793888 63.886383 +20.777775 63.869164 +20.770275 63.864998 +20.728611 63.848053 +20.638332 63.813332 +20.535 63.799164 +20.508053 63.820274 +20.499722 63.822777 +20.494164 63.81916 +20.447777 63.758331 +20.417774 63.697777 +20.413609 63.691109 +20.386944 63.674164 +20.379166 63.672493 +20.369999 63.675552 +20.316666 63.659996 +20.298611 63.646385 +20.263885 63.665833 +20.099998 63.65583 +20.011944 63.635826 +19.899441 63.609161 +19.893055 63.606384 +19.775276 63.533333 +19.749165 63.516663 +19.747219 63.510551 +19.748886 63.505272 +19.754166 63.501106 +19.761665 63.497215 +19.768887 63.487778 +19.779163 63.462494 +19.772644 63.457535 +19.704998 63.431938 +19.683052 63.429718 +19.668053 63.431389 +19.641109 63.442497 +19.63583 63.446663 +19.639999 63.45916 +19.643055 63.464439 +19.64333 63.469994 +19.639721 63.474716 +19.616386 63.49472 +19.501663 63.549438 +19.475555 63.559715 +19.463608 63.561104 +19.453053 63.559441 +19.428055 63.549438 +19.422775 63.54583 +19.424442 63.54055 +19.47361 63.453049 +19.44722 63.440277 +19.365833 63.434998 +19.351665 63.435272 +19.318333 63.449165 +19.312775 63.453331 +19.309185 63.463608 +19.296665 63.463608 +19.289444 63.459442 +19.283333 63.454437 +19.278332 63.448608 +19.274441 63.44194 +19.275833 63.419716 +19.277496 63.408882 +19.230553 63.327499 +19.158607 63.315277 +19.139999 63.310272 +19.058609 63.253609 +19.045555 63.244438 +19.040554 63.238609 +19.044167 63.22805 +19.049721 63.21833 +19.059719 63.216385 +19.085278 63.214165 +19.108608 63.213608 +19.110275 63.208328 +19.066666 63.178604 +19.058331 63.175278 +19.046944 63.174438 +19.036942 63.176384 +18.9725 63.209999 +18.966942 63.214439 +18.963333 63.218887 +18.964996 63.225273 +18.965275 63.230827 +18.956108 63.245277 +18.90361 63.272774 +18.889721 63.273605 +18.811554 63.251774 +18.806053 63.250275 +18.802887 63.248108 +18.801054 63.244942 +18.803387 63.242107 +18.810055 63.24044 +18.847219 63.234104 +18.883886 63.227104 +18.908054 63.210274 +18.915276 63.206665 +18.897499 63.191666 +18.784721 63.161942 +18.775833 63.162773 +18.761108 63.170273 +18.751942 63.184715 +18.748665 63.192436 +18.752163 63.195606 +18.757664 63.197105 +18.765331 63.197105 +18.78083 63.194439 +18.793999 63.195938 +18.791832 63.198772 +18.787331 63.200939 +18.780664 63.202606 +18.771832 63.203606 +18.736164 63.207607 +18.728664 63.207607 +18.722332 63.206604 +18.719831 63.203773 +18.720997 63.200775 +18.735554 63.172493 +18.739166 63.16777 +18.647221 63.140549 +18.566944 63.117493 +18.382221 63.051666 +18.289165 62.997215 +18.346664 62.988052 +18.367222 62.991386 +18.389999 62.993332 +18.402496 62.993332 +18.524998 62.985832 +18.539719 62.984444 +18.552498 62.982216 +18.561943 62.978882 +18.567497 62.974716 +18.576664 62.965828 +18.580276 62.955551 +18.576385 62.951111 +18.473888 62.862495 +18.466942 62.85833 +18.208611 62.77861 +18.199444 62.776108 +18.12611 62.765831 +18.082775 62.781105 +18.104443 62.804161 +18.129166 62.804443 +18.138332 62.806938 +18.145275 62.811104 +18.144997 62.816666 +18.137775 62.820549 +18.07333 62.836662 +18.03722 62.839165 +17.984997 62.82222 +17.978333 62.818054 +17.97472 62.811386 +17.927498 62.842499 +17.872219 62.91861 +17.862499 62.933052 +17.84333 62.962219 +17.828331 62.993332 +17.820274 62.995827 +17.701664 62.995552 +17.696663 62.991943 +17.702221 62.987778 +17.730553 62.972771 +17.752777 62.961937 +17.771385 62.955551 +17.79361 62.950554 +17.834721 62.933327 +17.881943 62.883606 +17.99472 62.730553 +18.004444 62.70472 +18.004719 62.693329 +17.996387 62.656662 +17.991386 62.653053 +17.979164 62.652771 +17.964443 62.660271 +17.956944 62.669441 +17.946388 62.669998 +17.879719 62.669441 +17.874165 62.664444 +17.877777 62.659721 +17.885277 62.656105 +17.966389 62.634438 +18.034721 62.626389 +18.045555 62.623604 +18.048054 62.601387 +18.04472 62.589165 +17.978054 62.555275 +17.84333 62.487221 +17.835552 62.483887 +17.825275 62.482216 +17.811943 62.482773 +17.789719 62.499443 +17.780552 62.502495 +17.76722 62.503326 +17.72361 62.498886 +17.693333 62.493607 +17.685555 62.490273 +17.658607 62.473328 +17.654163 62.467216 +17.661663 62.458054 +17.676388 62.450829 +17.671387 62.437775 +17.619164 62.434166 +17.605831 62.434998 +17.564163 62.440277 +17.54583 62.446388 +17.53833 62.449997 +17.528889 62.458885 +17.513885 62.477219 +17.504444 62.486107 +17.47472 62.506386 +17.437496 62.529999 +17.422497 62.537216 +17.409164 62.538055 +17.401386 62.534439 +17.334442 62.491943 +17.328888 62.486938 +17.325554 62.48027 +17.359722 62.360275 +17.371944 62.329163 +17.375832 62.32444 +17.465275 62.265549 +17.502497 62.258495 +17.552164 62.25016 +17.576998 62.247162 +17.623886 62.239441 +17.645554 62.234161 +17.65472 62.23111 +17.649719 62.227493 +17.599998 62.209442 +17.556664 62.195549 +17.545277 62.196938 +17.537777 62.200554 +17.535831 62.205551 +17.538609 62.211105 +17.555641 62.216953 +17.567001 62.226334 +17.557865 62.235104 +17.542677 62.231522 +17.532429 62.230038 +17.519958 62.230782 +17.509464 62.228928 +17.510036 62.204578 +17.508038 62.200584 +17.483253 62.125145 +17.463608 62.006386 +17.451664 61.996941 +17.445 61.992775 +17.437222 61.989441 +17.427498 61.987778 +17.418331 61.990829 +17.408607 61.992493 +17.399998 61.989998 +17.39333 61.98555 +17.354164 61.951111 +17.34972 61.945274 +17.345276 61.926384 +17.336388 61.818054 +17.385666 61.756496 +17.440277 61.726944 +17.469719 61.732216 +17.483887 61.730827 +17.49472 61.72805 +17.5 61.723885 +17.523609 61.70166 +17.523609 61.696106 +17.50111 61.639717 +17.498886 61.635826 +17.49361 61.630829 +17.487221 61.626389 +17.477219 61.624718 +17.445274 61.628883 +17.432777 61.631104 +17.421944 61.63916 +17.419998 61.64444 +17.414165 61.65416 +17.389999 61.687218 +17.386108 61.69194 +17.368111 61.700386 +17.354109 61.706551 +17.339443 61.712494 +17.326942 61.714439 +17.233887 61.722496 +17.220833 61.723053 +17.149998 61.721382 +17.140274 61.719719 +17.14222 61.714439 +17.149441 61.710831 +17.158333 61.707771 +17.183887 61.704994 +17.194721 61.706108 +17.207775 61.705276 +17.220276 61.703331 +17.26083 61.691109 +17.269722 61.688049 +17.271664 61.683052 +17.268608 61.676384 +17.263054 61.671104 +17.189999 61.636108 +17.18111 61.633331 +17.171387 61.63166 +17.158333 61.632217 +17.146111 61.634163 +17.128052 61.640549 +17.09861 61.602776 +17.117775 61.55555 +17.162777 61.52166 +17.168053 61.517494 +17.222775 61.44194 +17.219719 61.429443 +17.213333 61.425278 +17.171387 61.420555 +17.154163 61.428055 +17.150555 61.432777 +17.139721 61.431664 +17.109444 61.408051 +17.104164 61.403053 +17.102776 61.396942 +17.104721 61.391663 +17.144997 61.357773 +17.20472 61.328606 +17.213608 61.325554 +17.203609 61.278885 +17.18111 61.190277 +17.162754 61.046661 +17.150555 60.945 +17.154442 60.940552 +17.201664 60.916939 +17.241108 60.895828 +17.24472 60.891106 +17.276108 60.843048 +17.283607 60.77166 +17.285275 60.731941 +17.275276 60.676109 +17.359722 60.640549 +17.377098 60.618988 +17.397499 60.629166 +17.406109 60.63166 +17.520554 60.643051 +17.555275 60.643326 +17.578331 60.639999 +17.609165 60.632217 +17.63583 60.618607 +17.649719 60.611382 +17.656944 60.601944 +17.651665 60.596939 +17.644165 60.593605 +17.609444 60.58416 +17.602219 60.580551 +17.602497 60.574997 +17.607777 60.556107 +17.609722 60.550827 +17.629444 60.522499 +17.63472 60.518326 +17.65361 60.506943 +17.66222 60.503883 +17.682777 60.498604 +17.693054 60.496109 +17.73111 60.491661 +17.740555 60.493607 +17.740276 60.499161 +17.734997 60.508888 +17.727776 60.518326 +17.726109 60.523331 +17.725555 60.534721 +17.728886 60.541382 +17.733055 60.547493 +17.773052 60.571106 +17.842499 60.589996 +17.880554 60.596939 +17.891109 60.597771 +17.937222 60.598053 +17.949718 60.597221 +17.958332 60.594162 +17.965275 60.590553 +17.970554 60.586388 +17.993332 60.558884 +18.099998 60.453049 +18.214165 60.343048 +18.227776 60.330276 +18.234444 60.32666 +18.243889 60.328331 +18.25222 60.330826 +18.25861 60.334999 +18.266666 60.345276 +18.273052 60.349442 +18.282497 60.351387 +18.313889 60.353882 +18.431942 60.343887 +18.440277 60.340828 +18.44722 60.331383 +18.465832 60.299438 +18.574165 60.25 +18.601109 60.241104 +18.607777 60.237221 +18.60611 60.23111 +18.59861 60.227776 +18.579998 60.224442 +18.556942 60.224442 +18.531109 60.226944 +18.470833 60.234993 +18.448887 60.239716 +18.440552 60.242775 +18.425278 60.249718 +18.388332 60.266937 +18.374722 60.274162 +18.354164 60.290833 +18.325554 60.310829 +18.315277 60.313332 +18.31361 60.30722 +18.313889 60.301384 +18.396111 60.208054 +18.421665 60.187218 +18.507431 60.152657 +18.531666 60.153053 +18.62611 60.145828 +18.639442 60.144165 +18.711388 60.128052 +18.776665 60.110832 +18.816387 60.096382 +18.81472 60.090271 +18.81472 60.078888 +18.816387 60.073883 +18.823055 60.058884 +18.886665 59.962776 +18.89333 59.953331 +18.904999 59.939995 +18.909721 59.935829 +18.929722 59.924721 +18.95022 59.92033 +18.96372 59.92033 +19.007221 59.912773 +19.045555 59.899162 +19.070553 59.889717 +19.07 59.838608 +19.068333 59.832497 +19.065552 59.827217 +19.059166 59.823051 +19.050552 59.822777 +19.040554 59.825272 +19.025833 59.832222 +18.969221 59.865608 +18.936108 59.869995 +18.864719 59.79805 +18.934719 59.783607 +18.968609 59.783607 +19.073887 59.774162 +19.080555 59.770554 +19.082222 59.765274 +19.081944 59.75972 +19.075275 59.740555 +19.07 59.735832 +19.032219 59.719994 +18.991386 59.71666 +18.98 59.71666 +18.953609 59.719994 +18.841389 59.712494 +18.745552 59.689163 +18.71722 59.671387 +18.694443 59.645271 +18.699997 59.642494 +18.710278 59.643326 +18.728611 59.64666 +18.739998 59.64666 +18.74472 59.642494 +18.734165 59.6325 +18.666386 59.591385 +18.645554 59.580551 +18.37833 59.467499 +18.368332 59.466385 +18.317219 59.47361 +18.27972 59.476662 +18.270554 59.474998 +18.259443 59.448051 +18.259443 59.444717 +18.276665 59.41777 +18.281666 59.413605 +18.28833 59.409996 +18.299721 59.407776 +18.326111 59.404442 +18.335831 59.401939 +18.337498 59.39666 +18.331387 59.392494 +18.32222 59.390831 +18.311108 59.390831 +18.174999 59.405548 +18.164997 59.408051 +18.16 59.412216 +18.162498 59.417496 +18.176941 59.424438 +18.188053 59.424438 +18.198055 59.421661 +18.203777 59.427719 +18.199276 59.442551 +18.198277 59.445721 +18.195831 59.455276 +18.186943 59.45694 +18.124443 59.45472 +18.115555 59.453049 +18.089722 59.437218 +18.084721 59.431938 +18.05722 59.391388 +18.088886 59.367218 +18.091389 59.334442 +18.00736 59.344963 +17.941109 59.335548 +17.928886 59.336388 +17.9175 59.338608 +17.897778 59.343887 +17.859165 59.35611 +17.832775 59.364998 +17.816109 59.371109 +17.801388 59.377777 +17.782776 59.38916 +17.764442 59.400551 +17.757774 59.409996 +17.7575 59.421387 +17.758888 59.427498 +17.779999 59.48555 +17.78722 59.498329 +17.791386 59.504166 +17.801941 59.514717 +17.816387 59.52166 +17.841663 59.528328 +17.845276 59.533051 +17.822777 59.580826 +17.816109 59.590271 +17.809166 59.593887 +17.751942 59.638611 +17.71722 59.66333 +17.724163 59.653885 +17.722221 59.626106 +17.718052 59.620277 +17.710552 59.618889 +17.642498 59.637497 +17.603962 59.650627 +17.59222 59.656105 +17.598331 59.660271 +17.607498 59.661942 +17.628052 59.662216 +17.640274 59.66333 +17.648331 59.665833 +17.652496 59.671661 +17.653339 59.682129 +17.654163 59.718048 +17.631298 59.784073 +17.628052 59.788887 +17.594166 59.806938 +17.587776 59.804718 +17.588055 59.79361 +17.586666 59.787216 +17.583611 59.780548 +17.579441 59.774719 +17.574444 59.769722 +17.5425 59.749443 +17.534443 59.746941 +17.513885 59.744995 +17.448055 59.73555 +17.444721 59.676109 +17.510555 59.587219 +17.520832 59.579163 +17.527496 59.575554 +17.535831 59.57222 +17.543152 59.573006 +17.521664 59.611382 +17.515553 59.638329 +17.513332 59.654716 +17.508888 59.687775 +17.50861 59.693329 +17.509998 59.69944 +17.513054 59.706383 +17.537498 59.732216 +17.588886 59.736938 +17.599998 59.736938 +17.611664 59.734993 +17.618332 59.731384 +17.620277 59.726387 +17.616108 59.695549 +17.561171 59.668449 +17.589706 59.639427 +17.694164 59.607498 +17.742222 59.590553 +17.757221 59.583885 +17.767498 59.569717 +17.786663 59.535828 +17.785 59.529442 +17.737221 59.446938 +17.73111 59.442772 +17.719997 59.442772 +17.551941 59.488609 +17.543888 59.491661 +17.525276 59.503052 +17.520275 59.507217 +17.519089 59.510254 +17.51833 59.512215 +17.522499 59.518051 +17.546082 59.536987 +17.500275 59.539719 +17.490276 59.542496 +17.446941 59.55722 +17.43861 59.560272 +17.377777 59.604721 +17.372776 59.608887 +17.370831 59.614166 +17.370552 59.61972 +17.386108 59.651108 +17.38361 59.654999 +17.375553 59.652222 +17.344166 59.622772 +17.353333 59.60611 +17.370831 59.583054 +17.403332 59.553329 +17.406666 59.548607 +17.408607 59.543327 +17.419167 59.492775 +17.419441 59.487221 +17.418053 59.48111 +17.41 59.469162 +17.398888 59.469162 +17.325554 59.488052 +17.261944 59.50444 +17.255276 59.508049 +17.185276 59.538605 +17.117222 59.547775 +17.068054 59.54361 +17.061943 59.539444 +17.031387 59.536385 +17.019165 59.537216 +16.949718 59.54361 +16.93972 59.546104 +16.864964 59.584732 +16.826385 59.585274 +16.786942 59.558884 +16.661663 59.54805 +16.658054 59.552498 +16.623055 59.581665 +16.616386 59.585274 +16.565277 59.609161 +16.551941 59.61055 +16.541943 59.609444 +16.533886 59.606941 +16.501663 59.596382 +16.495552 59.591942 +16.497498 59.586937 +16.521664 59.571663 +16.542221 59.561104 +16.547497 59.556938 +16.546108 59.550827 +16.543331 59.543884 +16.53833 59.538887 +16.489166 59.502014 +16.4725 59.497498 +16.329998 59.467773 +16.178055 59.464996 +16.16861 59.465271 +16.101665 59.471107 +16.091663 59.473328 +16.066387 59.482498 +16.044167 59.492493 +16.035553 59.495552 +16.025555 59.497772 +16.020275 59.494995 +16.022221 59.489716 +16.026108 59.485275 +16.041664 59.473053 +16.066109 59.457771 +16.072777 59.454437 +16.081387 59.451385 +16.101387 59.446388 +16.113052 59.444443 +16.169167 59.439995 +16.181389 59.439438 +16.261387 59.442497 +16.276417 59.443985 +16.304722 59.450272 +16.313889 59.451942 +16.334999 59.453331 +16.659443 59.474159 +16.669998 59.473053 +16.679996 59.470551 +16.686665 59.467216 +16.690277 59.462494 +16.700554 59.454437 +16.75 59.424164 +16.80611 59.390549 +16.812775 59.38694 +16.822777 59.384438 +16.869999 59.381386 +16.881107 59.38166 +16.889999 59.383331 +16.893055 59.389999 +16.894165 59.396111 +16.89222 59.401382 +16.885555 59.404999 +16.862221 59.405273 +16.85083 59.407494 +16.84222 59.410553 +16.808887 59.422493 +16.792221 59.428604 +16.726665 59.453606 +16.697777 59.467216 +16.692776 59.471382 +16.693333 59.476105 +16.828888 59.491386 +16.840275 59.489441 +16.848888 59.486382 +16.897499 59.467499 +16.924442 59.453331 +16.935555 59.446388 +16.945831 59.438332 +16.954441 59.429718 +16.961388 59.420273 +17.111664 59.374443 +17.174442 59.373055 +17.280552 59.356667 +17.302219 59.351944 +17.310555 59.348885 +17.315552 59.344719 +17.317497 59.339722 +17.316109 59.333328 +17.311943 59.327499 +17.30611 59.323326 +17.298054 59.320831 +17.287777 59.319717 +17.263885 59.290833 +17.251942 59.269722 +17.253887 59.258888 +17.286942 59.259048 +17.291943 59.257217 +17.365276 59.248604 +17.375832 59.247498 +17.387775 59.246941 +17.398052 59.247772 +17.396111 59.252777 +17.386108 59.261108 +17.379444 59.264717 +17.364166 59.277222 +17.358887 59.286942 +17.355 59.297218 +17.349442 59.318329 +17.35083 59.32444 +17.361942 59.324715 +17.413055 59.312218 +17.442776 59.304718 +17.470833 59.296387 +17.585831 59.282219 +17.740276 59.26944 +17.847221 59.264442 +17.908054 59.297218 +17.940552 59.316666 +17.947498 59.32 +17.976387 59.331383 +17.984444 59.333885 +17.996666 59.333054 +18.016666 59.32222 +18.026386 59.319717 +18.052498 59.316383 +18.074718 59.316666 +18.13361 59.318054 +18.206944 59.329437 +18.242092 59.347084 +18.250832 59.354439 +18.272221 59.364441 +18.280277 59.366943 +18.289444 59.368607 +18.34861 59.373329 +18.39222 59.368607 +18.40361 59.366661 +18.43972 59.354996 +18.444721 59.35083 +18.441275 59.344772 +18.436943 59.342773 +18.432108 59.341278 +18.434998 59.336388 +18.45472 59.331108 +18.466663 59.330276 +18.474163 59.334442 +18.478611 59.340271 +18.478333 59.345833 +18.468609 59.365555 +18.450275 59.394165 +18.431389 59.421104 +18.428055 59.425827 +18.428055 59.431389 +18.434444 59.433609 +18.477219 59.435272 +18.498333 59.43055 +18.523052 59.421104 +18.52972 59.417496 +18.607777 59.371941 +18.612778 59.36805 +18.640274 59.338882 +18.648609 59.32444 +18.650276 59.31916 +18.646942 59.312492 +18.639721 59.309166 +18.630554 59.307495 +18.593052 59.301666 +18.522221 59.29583 +18.389164 59.301941 +18.37722 59.302498 +18.353611 59.30555 +18.343609 59.307495 +18.335278 59.310555 +18.337776 59.316109 +18.336498 59.322052 +18.328833 59.325054 +18.318886 59.328331 +18.277222 59.310829 +18.269444 59.268608 +18.309998 59.219719 +18.311386 59.1325 +18.230274 59.118607 +18.221386 59.116943 +18.140274 59.090828 +18.021385 59.041939 +17.895832 58.909721 +17.892776 58.903053 +17.891388 58.89666 +17.891941 58.874161 +17.894722 58.858887 +17.789444 58.943054 +17.756664 59.018326 +17.768887 59.096664 +17.76833 59.113609 +17.766666 59.118889 +17.764721 59.123886 +17.759163 59.126663 +17.66861 59.166382 +17.663887 59.168327 +17.624165 59.07444 +17.611664 59.04055 +17.610275 59.034439 +17.612221 59.029442 +17.617222 59.025276 +17.625553 59.016388 +17.628887 59.011665 +17.613609 58.974716 +17.578327 58.950508 +17.591389 58.943604 +17.630554 58.914993 +17.629166 58.908882 +17.62611 58.901939 +17.583332 58.849442 +17.578888 58.845551 +17.349998 58.75222 +17.271111 58.736938 +17.22361 58.730553 +17.156666 58.732773 +17.093609 58.762497 +17.083332 58.763611 +17.032776 58.750549 +17.02861 58.746941 +17.033607 58.742775 +17.082222 58.723053 +17.134163 58.702217 +17.145554 58.700272 +17.143055 58.694717 +17.138332 58.68972 +17.034443 58.637215 +16.915276 58.616943 +16.905277 58.616104 +16.89333 58.616661 +16.789719 58.623604 +16.736122 58.62899 +16.677776 58.63694 +16.461388 58.655548 +16.436386 58.657494 +16.412777 58.658882 +16.298332 58.663055 +16.242222 58.664719 +16.233608 58.663055 +16.193607 58.627495 +16.293331 58.613609 +16.370552 58.60527 +16.411663 58.613327 +16.432499 58.637772 +16.436665 58.641388 +16.649441 58.620552 +16.710831 58.606667 +16.727219 58.600555 +16.777496 58.581383 +16.928608 58.492493 +16.93861 58.484161 +16.834721 58.445 +16.826942 58.442215 +16.809166 58.438606 +16.754444 58.429443 +16.737778 58.428604 +16.600555 58.446938 +16.578053 58.450829 +16.568619 58.453239 +16.548885 58.458328 +16.532497 58.464439 +16.514721 58.469994 +16.496666 58.475273 +16.475555 58.479721 +16.435555 58.479996 +16.425552 58.479164 +16.416943 58.477219 +16.41333 58.474716 +16.573055 58.435829 +16.683609 58.410828 +16.693886 58.409721 +16.709999 58.40361 +16.769997 58.367218 +16.788887 58.32222 +16.824718 58.19944 +16.825832 58.176666 +16.802818 58.138672 +16.764471 58.125179 +16.742811 58.086124 +16.731806 58.049198 +16.750275 58.012772 +16.74361 58.009163 +16.639252 57.987495 +16.622498 57.988609 +16.613888 57.986938 +16.621944 57.983887 +16.655502 57.977745 +16.671944 57.98027 +16.725277 57.974159 +16.733055 57.971107 +16.739998 57.961937 +16.744164 57.953049 +16.742561 57.950333 +16.773331 57.923607 +16.778053 57.919441 +16.779999 57.914444 +16.770554 57.884438 +16.763885 57.881104 +16.749443 57.874992 +16.741665 57.872498 +16.732498 57.872772 +16.659164 57.883331 +16.622219 57.890274 +16.613609 57.89222 +16.602497 57.922775 +16.60611 57.925278 +16.602776 57.940277 +16.518608 57.996941 +16.510555 57.996384 +16.502777 57.993889 +16.498608 57.990273 +16.495552 57.98555 +16.494442 57.979439 +16.522331 57.877831 +16.564331 57.854164 +16.677219 57.765549 +16.693333 57.753883 +16.703331 57.745552 +16.700706 57.74015 +16.692219 57.738884 +16.684444 57.742218 +16.618889 57.771385 +16.615555 57.776108 +16.611385 57.786385 +16.602776 57.794716 +16.590553 57.802773 +16.561108 57.821388 +16.554722 57.824997 +16.41861 57.893326 +16.418888 57.887215 +16.42083 57.8825 +16.463421 57.849297 +16.469753 57.844627 +16.476418 57.839966 +16.593775 57.773163 +16.605442 57.76683 +16.660553 57.741104 +16.692219 57.721939 +16.701942 57.713882 +16.710278 57.705276 +16.712498 57.699997 +16.625553 57.61972 +16.6325 57.552216 +16.689163 57.485275 +16.693333 57.475273 +16.693333 57.469162 +16.671387 57.410828 +16.664719 57.407494 +16.65583 57.404999 +16.636944 57.403053 +16.632221 57.38166 +16.631107 57.376938 +16.624165 57.374443 +16.60083 57.377495 +16.566387 57.383331 +16.554996 57.383606 +16.546108 57.38166 +16.541943 57.376938 +16.472221 57.290276 +16.46722 57.276665 +16.464722 57.264442 +16.455555 57.205276 +16.455276 57.200554 +16.458054 57.178329 +16.460278 57.167496 +16.46722 57.158607 +16.513885 57.117218 +16.523331 57.116661 +16.530277 57.119438 +16.539997 57.120552 +16.546108 57.116943 +16.563332 57.093887 +16.584164 57.049438 +16.584721 57.043884 +16.501663 57.036659 +16.492775 57.039162 +16.454441 56.955276 +16.440552 56.893883 +16.426666 56.843605 +16.407776 56.795555 +16.374996 56.720833 +16.308052 56.654999 +16.300552 56.658333 +16.290554 56.659164 +16.272499 56.656662 +16.253609 56.646111 +16.21611 56.607216 +16.123886 56.461662 +16.117222 56.449715 +16.104164 56.425552 +16.090553 56.394997 +16.054722 56.313606 +16.043331 56.268883 +16.008331 56.217773 +15.99861 56.208328 +15.865555 56.092216 +15.78861 56.111938 +15.775833 56.147774 +15.658888 56.178886 +15.598055 56.194717 +15.375277 56.138054 +15.225832 56.151108 +15.088888 56.159996 +14.848055 56.161385 +14.717222 56.161659 +14.696665 56.16111 +14.690554 56.157776 +14.686666 56.152771 +14.679722 56.1325 +14.679443 56.120552 +14.681944 56.115555 +14.686666 56.111382 +14.692778 56.108055 +14.709999 56.102776 +14.714722 56.099159 +14.750832 56.059715 +14.767776 56.036385 +14.766666 56.030273 +14.738333 56.010826 +14.719999 56.000275 +14.635277 56.0075 +14.620832 56.029442 +14.603611 56.051941 +14.558887 56.05722 +14.551388 56.055275 +14.541388 56.051109 +14.511665 56.037498 +14.369444 55.958885 +14.330276 55.936943 +14.263611 55.886108 +14.24472 55.866943 +14.232777 55.851662 +14.217222 55.830276 +14.207777 55.812492 +14.202776 55.799721 +14.200554 55.79277 +14.196665 55.779716 +14.193333 55.766663 +14.190832 55.741661 +14.191111 55.731384 +14.192221 55.72583 +14.19611 55.715828 +14.203333 55.70694 +14.217777 55.694717 +14.276943 55.647217 +14.341389 55.578606 +14.363333 55.551941 +14.370277 55.54277 +14.372776 55.537773 +14.369165 55.531662 +14.361944 55.522774 +14.336666 55.501106 +14.312498 55.486664 +14.193546 55.386147 +14.163055 55.380272 +14.122499 55.37944 +14.058887 55.386108 +14.037498 55.389442 +14.004721 55.40583 +13.969444 55.421104 +13.935833 55.431389 +13.911943 55.433884 +13.891388 55.433609 +13.730555 55.425552 +13.710278 55.424164 +13.641666 55.417496 +13.632221 55.415833 +13.497776 55.382217 +13.465832 55.373604 +13.429722 55.356667 +13.418333 55.352493 +13.375555 55.339996 +13.344721 55.339165 +13.300833 55.340828 +13.289999 55.341942 +12.982222 55.400551 +12.918055 55.538605 +12.916388 55.544167 +12.914444 55.562218 +12.914721 55.565552 +12.916388 55.568329 +12.922499 55.574715 +12.93111 55.581108 +12.960278 55.59111 +12.981943 55.599159 +13.034721 55.623886 +13.040554 55.627495 +13.044998 55.6325 +13.058887 55.662773 +13.063332 55.68222 +13.062498 55.684998 +13.059721 55.693054 +12.928055 55.823051 +12.912777 55.838051 +12.681389 56.061943 +12.66361 56.078606 +12.633888 56.10305 +12.623888 56.107773 +12.615 56.109444 +12.609722 56.111664 +12.58111 56.141663 +12.453054 56.293327 +12.451666 56.297775 +12.461666 56.298332 +12.473888 56.297218 +12.629166 56.258888 +12.645277 56.253326 +12.718681 56.222778 +12.787222 56.222221 +12.794443 56.223053 +12.801943 56.225555 +12.813332 56.232773 +12.824165 56.241661 +12.830089 56.25 +12.831665 56.25222 +12.834721 56.258049 +12.834999 56.26416 +12.833055 56.269165 +12.740833 56.352219 +12.730555 56.359444 +12.723888 56.363052 +12.676109 56.379715 +12.663887 56.380272 +12.644722 56.38472 +12.636665 56.387772 +12.62611 56.395271 +12.622776 56.399994 +12.622221 56.411942 +12.626389 56.424721 +12.628611 56.431389 +12.631943 56.436943 +12.635555 56.442215 +12.641388 56.446106 +12.672777 56.463608 +12.679722 56.466385 +12.721943 56.467499 +12.732498 56.467499 +12.749166 56.464722 +12.785831 56.450272 +12.793333 56.447777 +12.812498 56.443329 +12.832777 56.43972 +12.85265 56.439919 +12.86861 56.441383 +12.87611 56.443604 +12.88361 56.446388 +12.90111 56.457222 +12.910831 56.466942 +12.918055 56.478333 +12.930277 56.501106 +12.937498 56.521111 +12.936943 56.532494 +12.933332 56.543327 +12.931389 56.548332 +12.917221 56.578606 +12.887499 56.638329 +12.876665 56.646385 +12.869165 56.648888 +12.821665 56.658333 +12.813332 56.656662 +12.785 56.643608 +12.758055 56.639999 +12.725277 56.639717 +12.718611 56.643326 +12.670832 56.676109 +12.613609 56.746941 +12.599998 56.777771 +12.598331 56.783333 +12.599165 56.79583 +12.601387 56.802498 +12.599998 56.808052 +12.5975 56.813332 +12.593332 56.817497 +12.579443 56.830276 +12.573889 56.833885 +12.484722 56.88166 +12.468332 56.887772 +12.418055 56.897217 +12.350277 56.914444 +12.3475 56.919167 +12.349998 56.969994 +12.28611 57.032494 +12.253611 57.04805 +12.237778 57.059715 +12.149443 57.183884 +12.146666 57.188332 +12.109999 57.25 +12.134722 57.275551 +12.148611 57.281105 +12.151388 57.287216 +12.145832 57.309166 +12.094999 57.426941 +12.058332 57.45472 +12.051388 57.457771 +12.043888 57.459717 +12.036943 57.45694 +12.011665 57.434166 +12.007776 57.428886 +12.005833 57.422218 +12.00861 57.411385 +12.007776 57.404999 +11.989443 57.347496 +11.986111 57.341385 +11.979166 57.343605 +11.942778 57.376106 +11.917776 57.402222 +11.904165 57.421944 +11.901388 57.426666 +11.906666 57.514999 +11.911112 57.526649 +11.913332 57.52861 +11.915833 57.534439 +11.922222 57.563889 +11.913332 57.613609 +11.910555 57.618607 +11.906387 57.623329 +11.897499 57.624443 +11.894444 57.618332 +11.862499 57.607773 +11.83 57.661385 +11.86861 57.68055 +11.887777 57.693886 +11.750555 57.688889 +11.741388 57.688606 +11.704443 57.693329 +11.698889 57.69722 +11.69972 57.715828 +11.723055 57.80722 +11.668055 57.845833 +11.688055 57.88166 +11.694166 57.885277 +11.702221 57.887215 +11.711666 57.88916 +11.741388 57.89222 +11.757221 57.897217 +11.795555 58.006104 +11.801388 58.026382 +11.800554 58.038055 +11.799166 58.043884 +11.79361 58.04805 +11.776667 58.053143 +11.776667 58.059441 +11.79611 58.095276 +11.837221 58.154716 +11.870277 58.191109 +11.880833 58.199997 +11.884722 58.205276 +11.88611 58.211937 +11.798054 58.318329 +11.734999 58.328331 +11.723331 58.328888 +11.622776 58.276108 +11.607498 58.262772 +11.594721 58.255272 +11.53611 58.23027 +11.526388 58.230553 +11.515833 58.231941 +11.495277 58.236107 +11.405554 58.261108 +11.384165 58.311943 +11.238333 58.346939 +11.201387 58.399437 +11.235554 58.505272 +11.254166 58.551109 +11.257221 58.556938 +11.266388 58.579437 +11.26111 58.632217 +11.259443 58.637772 +11.252222 58.653053 +11.247776 58.657494 +11.210278 58.679718 +11.180832 58.70916 +11.178055 58.713882 +11.176943 58.730827 +11.181665 58.747772 +11.200832 58.769997 +11.218054 58.784164 +11.229166 58.792221 +11.233889 58.796944 +11.236111 58.803604 +11.233055 58.833054 +11.231388 58.845276 +11.194166 58.917496 +11.166666 58.924438 +11.131943 58.935272 +11.123055 58.938332 +11.115833 58.941383 +11.106943 58.949997 +11.113333 59.003609 +11.119165 59.015831 +11.127499 59.026382 +11.166388 59.064438 +11.172499 59.068604 +11.186666 59.074997 +11.204166 59.079437 +11.265554 59.093887 +11.314999 59.101387 +11.324999 59.099159 +11.338333 59.091942 +11.349998 59.084442 +11.373333 59.050827 +11.401667 59.012772 +11.419443 58.989716 +11.427082 58.985786 +11.429192 58.98764 +11.423054 58.926666 +11.422777 58.920273 +11.424999 58.903053 +11.426109 58.897217 +11.427776 58.893051 +11.431944 58.888611 +11.439165 58.885277 +11.450832 58.883888 +11.463055 58.883606 +11.496666 58.88472 +11.585833 58.89666 +11.599968 58.899185 +11.621387 58.904716 +11.626665 58.909164 +11.75111 59.090271 +11.753054 59.097221 +11.751944 59.102776 +11.746387 59.112778 +11.742222 59.117493 +11.739443 59.122498 +11.739443 59.12722 +11.750832 59.174438 +11.754444 59.188049 +11.759165 59.200829 +11.764721 59.211662 +11.769547 59.217537 +11.784721 59.23027 +11.792288 59.236641 +11.795277 59.239166 +11.798332 59.245277 +11.798887 59.257774 +11.796944 59.275276 +11.790833 59.303329 +11.783054 59.324715 +11.739166 59.429718 +11.667776 59.59166 +11.666248 59.595482 +11.756388 59.635551 +11.764166 59.638329 +11.781666 59.642776 +11.811666 59.646942 +11.820555 59.648888 +11.828333 59.651939 +11.896387 59.695 +11.900833 59.701111 +11.902777 59.707771 +11.903332 59.720276 +11.903055 59.738327 +11.898848 59.772469 +11.896387 59.784721 +11.891109 59.794716 +11.886665 59.799164 +11.881109 59.803886 +11.869444 59.811661 +11.81596 59.8461 +11.852777 59.861382 +11.875832 59.869995 +11.956944 59.896942 +11.968054 59.897774 +11.98 59.896111 +11.998055 59.890549 +12.008333 59.888611 +12.034166 59.886108 +12.107222 59.885826 +12.129721 59.88694 +12.139999 59.888329 +12.163055 59.896942 +12.191944 59.910271 +12.310276 59.968887 +12.32361 59.976387 +12.461943 60.063606 +12.476944 60.076385 +12.489166 60.098328 +12.494165 60.111107 +12.496387 60.11805 +12.498333 60.124718 +12.502777 60.144722 +12.5075 60.169441 +12.508055 60.175552 +12.508333 60.181938 +12.507776 60.193604 +12.504444 60.210548 +12.527777 60.33416 +12.537777 60.343887 +12.571943 60.378052 +12.589722 60.399162 +12.5975 60.424995 +12.602777 60.442772 +12.607498 60.462494 +12.608055 60.468605 +12.605833 60.479996 +12.594444 60.516937 +12.5875 60.526665 +12.505833 60.629997 +12.424999 60.710274 +12.38611 60.750832 +12.378887 60.760277 +12.364721 60.779442 +12.353611 60.799721 +12.35111 60.804718 +12.336111 60.835831 +12.308611 60.887215 +12.271944 60.946106 +12.245554 60.973053 +12.23361 60.980827 +12.217222 60.99305 +12.212776 60.997498 +12.209999 61.002495 +12.215555 61.006943 +12.2225 61.010826 +12.247776 61.018608 +12.294167 61.029442 +12.388054 61.050552 +12.407776 61.053886 +12.432499 61.054443 +12.458055 61.053886 +12.500277 61.050827 +12.567221 61.04805 +12.602221 61.049721 +12.621944 61.053055 +12.637825 61.057541 +12.670277 61.087776 +12.772221 61.200829 +12.796665 61.244995 +12.83111 61.312218 +12.85611 61.362495 +12.773888 61.414719 +12.529999 61.566109 +12.523054 61.567215 +12.481388 61.569443 +12.468332 61.569717 +12.444721 61.568604 +12.430277 61.569443 +12.406666 61.573326 +12.392776 61.580551 +12.144444 61.717499 +12.124443 61.728607 +12.159443 61.844444 +12.169998 61.878609 +12.181665 61.912498 +12.200277 61.963333 +12.214998 62.006104 +12.25861 62.142494 +12.294617 62.258217 +12.295832 62.261665 +12.291666 62.272499 +12.271387 62.308052 +12.256388 62.327217 +12.245344 62.337982 +12.209999 62.389999 +12.19972 62.404716 +12.184444 62.423882 +12.172222 62.437775 +12.149166 62.460274 +12.084721 62.52916 +12.047499 62.589996 +12.046665 62.665276 +12.072777 62.715828 +12.089443 62.749443 +12.066666 62.803055 +12.050278 62.838882 +12.028889 62.892494 +12.058332 62.91861 +12.113333 62.967216 +12.15111 62.999443 +12.16861 63.015831 +12.144165 63.045273 +12.036943 63.173882 +12.027491 63.182449 +11.936388 63.272217 +11.998888 63.323883 +12.078333 63.388329 +12.13722 63.436661 +12.195 63.485275 +12.17861 63.512215 +12.139444 63.58416 +12.153889 63.594994 +12.346666 63.728882 +12.473055 63.833328 +12.530832 63.872772 +12.633888 63.942772 +12.681944 63.967216 +12.794443 64.007217 +12.846943 64.025269 +12.938055 64.053329 +12.988333 64.064438 +13.032221 64.071106 +13.135555 64.083603 +13.193609 64.089996 +13.23 64.093048 +13.291388 64.086655 +13.981667 64.013046 +13.988333 64.018051 +14.146666 64.173874 +14.154722 64.185822 +14.151388 64.333603 +14.149721 64.344986 +14.116388 64.470551 +14.032499 64.488052 +13.900833 64.507492 +13.820276 64.529434 +13.68222 64.571106 +13.663332 64.577209 +13.662498 64.582764 +13.664999 64.589722 +13.676943 64.607773 +13.696943 64.62944 +13.707499 64.639709 +13.725571 64.652267 +13.832777 64.733322 +13.879166 64.771103 +13.955832 64.835541 +14.091389 64.949158 +14.235277 65.048874 +14.296438 65.102127 +14.308832 65.115234 +14.319443 65.12999 +14.329166 65.149719 +14.35611 65.208603 +14.368889 65.246658 +14.493055 65.313599 +14.494444 65.358887 +14.49361 65.376389 +14.495277 65.446381 +14.497221 65.516098 +14.500555 65.585831 +14.532221 65.696106 +14.535 65.702774 +14.539444 65.708878 +14.565277 65.736374 +14.588055 65.756943 +14.603888 65.773331 +14.621387 65.797211 +14.631666 65.816666 +14.634722 65.826935 +14.608889 65.876389 +14.580276 65.931107 +14.569443 65.949432 +14.540554 66.007492 +14.534721 66.025269 +14.519165 66.078888 +14.509165 66.114716 +14.504999 66.132492 +14.717777 66.140549 +14.981388 66.149155 +15.025276 66.149994 +15.468054 66.283875 +15.446854 66.321381 +15.400555 66.406937 +15.371387 66.461655 +15.362778 66.479996 +15.527777 66.558044 +15.625832 66.60582 +15.73111 66.684998 +16.009998 66.890823 +16.353886 67.017776 +16.40583 67.16333 +16.399166 67.177765 +16.361385 67.237778 +16.337498 67.260818 +16.261944 67.305542 +16.220554 67.329987 +16.20472 67.337494 +16.161663 67.35582 +16.138611 67.367493 +16.111111 67.383606 +16.104164 67.387772 +16.089722 67.401657 +16.086941 67.406662 +16.085831 67.411652 +16.192219 67.5 +16.206108 67.501663 +16.3825 67.515549 +16.403332 67.529999 +16.508331 67.609161 +16.570274 67.656937 +16.576942 67.665543 +16.588055 67.68222 +16.620277 67.732208 +16.684719 67.832214 +16.726944 67.899155 +17.188332 68.030273 +17.234547 68.062103 +17.252583 68.07457 +17.273609 68.090546 +17.592499 68.029709 +17.648888 68.01416 +17.680275 68.00444 +17.743332 67.984711 +17.801941 67.964157 +17.82 67.95694 +17.831108 67.953598 +17.858055 67.948608 +17.884163 67.945541 +17.93972 67.997772 +18.135555 68.150269 +18.155277 68.166107 +18.103886 68.280823 +18.085831 68.317764 +18.069443 68.354431 +18.053333 68.391098 +18.04583 68.409439 +18.058052 68.439987 +18.081665 68.490829 +18.090832 68.507767 +18.099541 68.508926 +18.149441 68.515274 +18.358055 68.539154 +18.611942 68.475266 +18.952221 68.487778 +19.41333 68.419434 +19.543888 68.399719 +19.71722 68.372772 +19.860554 68.349991 +19.898331 68.341385 +19.923885 68.336655 +19.937775 68.337494 +19.948055 68.34082 +19.956665 68.344711 +19.964165 68.349716 +19.976665 68.361374 +20.006664 68.381104 +20.030277 68.394989 +20.048054 68.40332 +20.075832 68.414719 +20.167221 68.443878 +20.175831 68.448044 +20.198608 68.462769 +20.208611 68.47583 +20.211109 68.482208 +20.088055 68.501663 +19.956387 68.543884 +20.063053 68.583054 +20.177219 68.646942 +20.202499 68.662216 +20.238331 68.691376 +20.313889 68.754715 +20.350277 68.786652 +20.31472 68.928329 +20.238888 68.968597 +20.096943 69.042221 +20.535275 69.056381 +20.580929 69.060303 +20.604164 69.053055 +20.650063 69.043793 +20.744164 69.031097 +20.791664 69.023331 +20.846386 69.011932 +20.866665 69.00499 +20.884441 68.997498 +20.908886 68.98555 +20.928608 68.973053 +20.932777 68.968323 +20.938889 68.958328 +20.938332 68.952774 +20.93111 68.946381 +20.915554 68.939438 +20.888885 68.925827 +20.883053 68.91333 +20.882774 68.907776 +20.888611 68.898041 +20.895275 68.8936 +20.904163 68.889999 +20.915276 68.886658 +20.944721 68.881378 +20.959442 68.87999 +20.990833 68.87944 +21.024719 68.877487 +21.058887 68.873322 +21.081387 68.866653 +21.207775 68.819717 +21.216663 68.816101 +21.420555 68.724152 +21.448608 68.691101 +21.452774 68.686661 +21.465553 68.678055 +21.487499 68.671387 +21.500832 68.66832 +21.550552 68.661652 +21.585278 68.6586 +21.601109 68.656097 +21.623055 68.649429 +21.642776 68.642487 +21.701664 68.620819 +21.710278 68.617218 +21.714165 68.612488 +21.711109 68.606384 +21.710552 68.600555 +21.71833 68.59111 +21.735554 68.583603 +21.7575 68.576935 +21.773331 68.574432 +0 1 +1 2 +2 3 +3 4 +4 5 +5 6 +6 7 +7 8 +8 9 +9 10 +10 11 +11 12 +12 13 +13 14 +14 15 +15 16 +16 17 +17 18 +18 19 +19 20 +20 21 +21 22 +22 23 +23 24 +24 25 +25 26 +26 27 +27 28 +28 29 +29 30 +30 31 +31 32 +32 33 +33 34 +34 35 +35 36 +36 37 +37 38 +38 39 +39 40 +40 41 +41 42 +42 43 +43 44 +44 45 +45 46 +46 47 +47 48 +48 49 +49 50 +50 51 +51 52 +52 53 +53 54 +54 55 +55 56 +56 57 +57 58 +58 59 +59 60 +60 61 +61 62 +62 0 +63 64 +64 65 +65 66 +66 67 +67 68 +68 69 +69 70 +70 71 +71 72 +72 73 +73 74 +74 75 +75 76 +76 77 +77 78 +78 79 +79 80 +80 81 +81 82 +82 83 +83 84 +84 85 +85 86 +86 87 +87 88 +88 89 +89 90 +90 91 +91 92 +92 93 +93 94 +94 95 +95 96 +96 97 +97 98 +98 99 +99 100 +100 101 +101 102 +102 103 +103 104 +104 105 +105 106 +106 107 +107 108 +108 109 +109 110 +110 111 +111 112 +112 113 +113 114 +114 115 +115 116 +116 117 +117 118 +118 119 +119 120 +120 121 +121 122 +122 123 +123 124 +124 125 +125 126 +126 127 +127 128 +128 129 +129 130 +130 131 +131 132 +132 133 +133 134 +134 135 +135 136 +136 137 +137 138 +138 139 +139 63 +140 141 +141 142 +142 143 +143 144 +144 145 +145 146 +146 147 +147 148 +148 149 +149 150 +150 151 +151 152 +152 153 +153 154 +154 155 +155 156 +156 157 +157 158 +158 159 +159 160 +160 161 +161 162 +162 163 +163 164 +164 165 +165 166 +166 167 +167 168 +168 140 +169 170 +170 171 +171 172 +172 173 +173 174 +174 175 +175 176 +176 177 +177 178 +178 179 +179 180 +180 181 +181 182 +182 183 +183 184 +184 185 +185 186 +186 187 +187 188 +188 189 +189 190 +190 169 +191 192 +192 193 +193 194 +194 195 +195 196 +196 197 +197 198 +198 199 +199 191 +200 201 +201 202 +202 203 +203 204 +204 205 +205 206 +206 207 +207 208 +208 209 +209 210 +210 211 +211 212 +212 213 +213 214 +214 215 +215 216 +216 217 +217 218 +218 219 +219 220 +220 221 +221 222 +222 223 +223 224 +224 225 +225 226 +226 227 +227 228 +228 229 +229 200 +230 231 +231 232 +232 233 +233 234 +234 235 +235 236 +236 237 +237 238 +238 239 +239 240 +240 241 +241 242 +242 243 +243 244 +244 245 +245 230 +246 247 +247 248 +248 249 +249 250 +250 251 +251 252 +252 253 +253 254 +254 255 +255 256 +256 257 +257 258 +258 259 +259 260 +260 261 +261 262 +262 263 +263 264 +264 265 +265 266 +266 267 +267 268 +268 269 +269 246 +270 271 +271 272 +272 273 +273 274 +274 275 +275 276 +276 277 +277 278 +278 279 +279 280 +280 281 +281 282 +282 283 +283 284 +284 285 +285 286 +286 270 +287 288 +288 289 +289 290 +290 291 +291 292 +292 293 +293 294 +294 295 +295 296 +296 297 +297 298 +298 299 +299 300 +300 301 +301 302 +302 287 +303 304 +304 305 +305 306 +306 307 +307 308 +308 309 +309 310 +310 311 +311 312 +312 313 +313 314 +314 315 +315 316 +316 317 +317 318 +318 319 +319 320 +320 321 +321 322 +322 303 +323 324 +324 325 +325 326 +326 327 +327 328 +328 329 +329 330 +330 331 +331 332 +332 333 +333 334 +334 335 +335 336 +336 337 +337 338 +338 339 +339 340 +340 341 +341 342 +342 343 +343 344 +344 345 +345 346 +346 323 +347 348 +348 349 +349 350 +350 351 +351 352 +352 353 +353 354 +354 355 +355 356 +356 357 +357 358 +358 359 +359 360 +360 361 +361 362 +362 363 +363 347 +364 365 +365 366 +366 367 +367 368 +368 369 +369 370 +370 371 +371 372 +372 373 +373 374 +374 375 +375 376 +376 377 +377 378 +378 379 +379 380 +380 381 +381 382 +382 383 +383 384 +384 385 +385 386 +386 387 +387 388 +388 364 +389 390 +390 391 +391 392 +392 393 +393 394 +394 395 +395 396 +396 397 +397 398 +398 399 +399 400 +400 401 +401 402 +402 403 +403 404 +404 405 +405 406 +406 407 +407 389 +408 409 +409 410 +410 411 +411 412 +412 413 +413 414 +414 415 +415 416 +416 417 +417 418 +418 419 +419 420 +420 421 +421 408 +422 423 +423 424 +424 425 +425 426 +426 427 +427 428 +428 429 +429 430 +430 431 +431 432 +432 433 +433 434 +434 435 +435 436 +436 437 +437 438 +438 439 +439 440 +440 441 +441 442 +442 422 +443 444 +444 445 +445 446 +446 447 +447 448 +448 449 +449 450 +450 451 +451 452 +452 453 +453 454 +454 455 +455 456 +456 457 +457 443 +458 459 +459 460 +460 461 +461 462 +462 463 +463 464 +464 465 +465 466 +466 467 +467 468 +468 469 +469 470 +470 471 +471 472 +472 473 +473 474 +474 475 +475 476 +476 477 +477 478 +478 479 +479 480 +480 481 +481 482 +482 483 +483 484 +484 485 +485 486 +486 487 +487 488 +488 489 +489 490 +490 491 +491 492 +492 493 +493 494 +494 495 +495 496 +496 497 +497 498 +498 499 +499 500 +500 501 +501 502 +502 503 +503 504 +504 505 +505 506 +506 507 +507 508 +508 509 +509 510 +510 511 +511 512 +512 513 +513 514 +514 515 +515 516 +516 517 +517 518 +518 519 +519 520 +520 521 +521 522 +522 523 +523 524 +524 525 +525 526 +526 527 +527 528 +528 529 +529 530 +530 531 +531 532 +532 533 +533 534 +534 535 +535 536 +536 537 +537 538 +538 539 +539 540 +540 541 +541 542 +542 543 +543 544 +544 545 +545 546 +546 547 +547 548 +548 549 +549 550 +550 551 +551 552 +552 553 +553 554 +554 555 +555 556 +556 557 +557 558 +558 559 +559 560 +560 561 +561 562 +562 563 +563 564 +564 565 +565 566 +566 567 +567 568 +568 569 +569 570 +570 571 +571 572 +572 573 +573 574 +574 575 +575 576 +576 577 +577 578 +578 579 +579 580 +580 581 +581 582 +582 583 +583 584 +584 585 +585 586 +586 587 +587 588 +588 589 +589 590 +590 591 +591 592 +592 593 +593 594 +594 595 +595 596 +596 597 +597 598 +598 599 +599 600 +600 601 +601 602 +602 603 +603 604 +604 605 +605 606 +606 607 +607 608 +608 609 +609 610 +610 611 +611 612 +612 613 +613 614 +614 615 +615 616 +616 617 +617 618 +618 619 +619 620 +620 621 +621 622 +622 623 +623 624 +624 625 +625 626 +626 627 +627 628 +628 629 +629 630 +630 631 +631 632 +632 633 +633 634 +634 635 +635 636 +636 637 +637 638 +638 639 +639 640 +640 641 +641 642 +642 643 +643 644 +644 645 +645 646 +646 647 +647 648 +648 649 +649 650 +650 651 +651 652 +652 653 +653 654 +654 655 +655 656 +656 657 +657 658 +658 659 +659 660 +660 661 +661 662 +662 663 +663 664 +664 665 +665 666 +666 667 +667 668 +668 669 +669 670 +670 671 +671 672 +672 673 +673 674 +674 675 +675 676 +676 677 +677 678 +678 679 +679 680 +680 681 +681 682 +682 683 +683 684 +684 685 +685 686 +686 687 +687 688 +688 689 +689 690 +690 691 +691 692 +692 693 +693 694 +694 695 +695 696 +696 697 +697 698 +698 699 +699 700 +700 701 +701 702 +702 703 +703 704 +704 705 +705 706 +706 707 +707 708 +708 709 +709 710 +710 711 +711 712 +712 713 +713 714 +714 715 +715 716 +716 717 +717 718 +718 719 +719 720 +720 721 +721 722 +722 723 +723 724 +724 725 +725 726 +726 727 +727 728 +728 729 +729 730 +730 731 +731 732 +732 733 +733 734 +734 735 +735 736 +736 737 +737 738 +738 739 +739 740 +740 741 +741 742 +742 743 +743 744 +744 745 +745 746 +746 747 +747 748 +748 749 +749 750 +750 751 +751 752 +752 753 +753 754 +754 755 +755 756 +756 757 +757 758 +758 759 +759 760 +760 761 +761 762 +762 763 +763 764 +764 765 +765 766 +766 767 +767 768 +768 769 +769 770 +770 771 +771 772 +772 773 +773 774 +774 775 +775 776 +776 777 +777 778 +778 779 +779 780 +780 781 +781 782 +782 783 +783 784 +784 785 +785 786 +786 787 +787 788 +788 789 +789 790 +790 791 +791 792 +792 793 +793 794 +794 795 +795 796 +796 797 +797 798 +798 799 +799 800 +800 801 +801 802 +802 803 +803 804 +804 805 +805 806 +806 807 +807 808 +808 809 +809 810 +810 811 +811 812 +812 813 +813 814 +814 815 +815 816 +816 817 +817 818 +818 819 +819 820 +820 821 +821 822 +822 823 +823 824 +824 825 +825 826 +826 827 +827 828 +828 829 +829 830 +830 831 +831 832 +832 833 +833 834 +834 835 +835 836 +836 837 +837 838 +838 839 +839 840 +840 841 +841 842 +842 843 +843 844 +844 845 +845 846 +846 847 +847 848 +848 849 +849 850 +850 851 +851 852 +852 853 +853 854 +854 855 +855 856 +856 857 +857 858 +858 859 +859 860 +860 861 +861 862 +862 863 +863 864 +864 865 +865 866 +866 867 +867 868 +868 869 +869 870 +870 871 +871 872 +872 873 +873 874 +874 875 +875 876 +876 877 +877 878 +878 879 +879 880 +880 881 +881 882 +882 883 +883 884 +884 885 +885 886 +886 887 +887 888 +888 889 +889 890 +890 891 +891 892 +892 893 +893 894 +894 895 +895 896 +896 897 +897 898 +898 899 +899 900 +900 901 +901 902 +902 903 +903 904 +904 905 +905 906 +906 907 +907 908 +908 909 +909 910 +910 911 +911 912 +912 913 +913 914 +914 915 +915 916 +916 917 +917 918 +918 919 +919 920 +920 921 +921 922 +922 923 +923 924 +924 925 +925 926 +926 927 +927 928 +928 929 +929 930 +930 931 +931 932 +932 933 +933 934 +934 935 +935 936 +936 937 +937 938 +938 939 +939 940 +940 941 +941 942 +942 943 +943 944 +944 945 +945 946 +946 947 +947 948 +948 949 +949 950 +950 951 +951 952 +952 953 +953 954 +954 955 +955 956 +956 957 +957 958 +958 959 +959 960 +960 961 +961 962 +962 963 +963 964 +964 965 +965 966 +966 967 +967 968 +968 969 +969 970 +970 971 +971 972 +972 973 +973 974 +974 975 +975 976 +976 977 +977 978 +978 979 +979 980 +980 981 +981 982 +982 983 +983 984 +984 985 +985 986 +986 987 +987 988 +988 989 +989 990 +990 991 +991 992 +992 993 +993 994 +994 995 +995 996 +996 997 +997 998 +998 999 +999 1000 +1000 1001 +1001 1002 +1002 1003 +1003 1004 +1004 1005 +1005 1006 +1006 1007 +1007 1008 +1008 1009 +1009 1010 +1010 1011 +1011 1012 +1012 1013 +1013 1014 +1014 1015 +1015 1016 +1016 1017 +1017 1018 +1018 1019 +1019 1020 +1020 1021 +1021 1022 +1022 1023 +1023 1024 +1024 1025 +1025 1026 +1026 1027 +1027 1028 +1028 1029 +1029 1030 +1030 1031 +1031 1032 +1032 1033 +1033 1034 +1034 1035 +1035 1036 +1036 1037 +1037 1038 +1038 1039 +1039 1040 +1040 1041 +1041 1042 +1042 1043 +1043 1044 +1044 1045 +1045 1046 +1046 1047 +1047 1048 +1048 1049 +1049 1050 +1050 1051 +1051 1052 +1052 1053 +1053 1054 +1054 1055 +1055 1056 +1056 1057 +1057 1058 +1058 1059 +1059 1060 +1060 1061 +1061 1062 +1062 1063 +1063 1064 +1064 1065 +1065 1066 +1066 1067 +1067 1068 +1068 1069 +1069 1070 +1070 1071 +1071 1072 +1072 1073 +1073 1074 +1074 1075 +1075 1076 +1076 1077 +1077 1078 +1078 1079 +1079 1080 +1080 1081 +1081 1082 +1082 1083 +1083 1084 +1084 1085 +1085 1086 +1086 1087 +1087 1088 +1088 1089 +1089 1090 +1090 1091 +1091 1092 +1092 1093 +1093 1094 +1094 1095 +1095 1096 +1096 1097 +1097 1098 +1098 1099 +1099 1100 +1100 1101 +1101 1102 +1102 1103 +1103 1104 +1104 1105 +1105 1106 +1106 1107 +1107 1108 +1108 1109 +1109 1110 +1110 1111 +1111 1112 +1112 1113 +1113 1114 +1114 1115 +1115 1116 +1116 1117 +1117 1118 +1118 1119 +1119 1120 +1120 1121 +1121 1122 +1122 1123 +1123 1124 +1124 1125 +1125 1126 +1126 1127 +1127 1128 +1128 1129 +1129 1130 +1130 1131 +1131 1132 +1132 1133 +1133 1134 +1134 1135 +1135 1136 +1136 1137 +1137 1138 +1138 1139 +1139 1140 +1140 1141 +1141 1142 +1142 1143 +1143 1144 +1144 1145 +1145 1146 +1146 1147 +1147 1148 +1148 1149 +1149 1150 +1150 1151 +1151 1152 +1152 1153 +1153 1154 +1154 1155 +1155 1156 +1156 1157 +1157 1158 +1158 1159 +1159 1160 +1160 1161 +1161 1162 +1162 1163 +1163 1164 +1164 1165 +1165 1166 +1166 1167 +1167 1168 +1168 1169 +1169 1170 +1170 1171 +1171 1172 +1172 1173 +1173 1174 +1174 1175 +1175 1176 +1176 1177 +1177 1178 +1178 1179 +1179 1180 +1180 1181 +1181 1182 +1182 1183 +1183 1184 +1184 1185 +1185 1186 +1186 1187 +1187 1188 +1188 1189 +1189 1190 +1190 1191 +1191 1192 +1192 1193 +1193 1194 +1194 1195 +1195 1196 +1196 1197 +1197 1198 +1198 1199 +1199 1200 +1200 1201 +1201 1202 +1202 1203 +1203 1204 +1204 1205 +1205 1206 +1206 1207 +1207 1208 +1208 1209 +1209 1210 +1210 1211 +1211 1212 +1212 1213 +1213 1214 +1214 1215 +1215 1216 +1216 1217 +1217 1218 +1218 1219 +1219 1220 +1220 1221 +1221 1222 +1222 1223 +1223 1224 +1224 1225 +1225 1226 +1226 1227 +1227 1228 +1228 1229 +1229 1230 +1230 1231 +1231 1232 +1232 1233 +1233 1234 +1234 1235 +1235 1236 +1236 1237 +1237 1238 +1238 1239 +1239 1240 +1240 1241 +1241 1242 +1242 1243 +1243 1244 +1244 1245 +1245 1246 +1246 1247 +1247 1248 +1248 1249 +1249 1250 +1250 1251 +1251 1252 +1252 1253 +1253 1254 +1254 1255 +1255 1256 +1256 1257 +1257 1258 +1258 1259 +1259 1260 +1260 1261 +1261 1262 +1262 1263 +1263 1264 +1264 1265 +1265 1266 +1266 1267 +1267 1268 +1268 1269 +1269 1270 +1270 1271 +1271 1272 +1272 1273 +1273 1274 +1274 1275 +1275 1276 +1276 1277 +1277 1278 +1278 1279 +1279 1280 +1280 1281 +1281 1282 +1282 1283 +1283 1284 +1284 1285 +1285 1286 +1286 1287 +1287 1288 +1288 1289 +1289 1290 +1290 1291 +1291 1292 +1292 1293 +1293 1294 +1294 1295 +1295 1296 +1296 1297 +1297 1298 +1298 1299 +1299 1300 +1300 1301 +1301 1302 +1302 1303 +1303 1304 +1304 1305 +1305 1306 +1306 1307 +1307 1308 +1308 1309 +1309 1310 +1310 1311 +1311 1312 +1312 1313 +1313 1314 +1314 1315 +1315 1316 +1316 1317 +1317 1318 +1318 1319 +1319 1320 +1320 1321 +1321 1322 +1322 1323 +1323 1324 +1324 1325 +1325 1326 +1326 1327 +1327 1328 +1328 1329 +1329 1330 +1330 1331 +1331 1332 +1332 1333 +1333 1334 +1334 1335 +1335 1336 +1336 1337 +1337 1338 +1338 1339 +1339 1340 +1340 1341 +1341 1342 +1342 1343 +1343 1344 +1344 1345 +1345 1346 +1346 1347 +1347 1348 +1348 1349 +1349 1350 +1350 1351 +1351 1352 +1352 1353 +1353 1354 +1354 1355 +1355 1356 +1356 1357 +1357 1358 +1358 1359 +1359 1360 +1360 1361 +1361 1362 +1362 1363 +1363 1364 +1364 1365 +1365 1366 +1366 1367 +1367 1368 +1368 1369 +1369 1370 +1370 1371 +1371 1372 +1372 1373 +1373 1374 +1374 1375 +1375 1376 +1376 1377 +1377 1378 +1378 1379 +1379 1380 +1380 1381 +1381 1382 +1382 1383 +1383 1384 +1384 1385 +1385 1386 +1386 1387 +1387 1388 +1388 1389 +1389 1390 +1390 1391 +1391 1392 +1392 1393 +1393 1394 +1394 1395 +1395 1396 +1396 1397 +1397 1398 +1398 1399 +1399 1400 +1400 1401 +1401 1402 +1402 1403 +1403 1404 +1404 1405 +1405 1406 +1406 1407 +1407 1408 +1408 1409 +1409 1410 +1410 1411 +1411 1412 +1412 1413 +1413 1414 +1414 1415 +1415 1416 +1416 1417 +1417 1418 +1418 1419 +1419 1420 +1420 1421 +1421 1422 +1422 1423 +1423 1424 +1424 1425 +1425 1426 +1426 1427 +1427 1428 +1428 1429 +1429 1430 +1430 1431 +1431 1432 +1432 1433 +1433 1434 +1434 1435 +1435 1436 +1436 1437 +1437 1438 +1438 1439 +1439 1440 +1440 1441 +1441 1442 +1442 1443 +1443 1444 +1444 1445 +1445 1446 +1446 1447 +1447 1448 +1448 1449 +1449 1450 +1450 1451 +1451 1452 +1452 1453 +1453 1454 +1454 1455 +1455 1456 +1456 1457 +1457 1458 +1458 1459 +1459 1460 +1460 1461 +1461 1462 +1462 1463 +1463 1464 +1464 1465 +1465 1466 +1466 1467 +1467 1468 +1468 1469 +1469 1470 +1470 1471 +1471 1472 +1472 1473 +1473 1474 +1474 1475 +1475 1476 +1476 1477 +1477 1478 +1478 1479 +1479 1480 +1480 1481 +1481 1482 +1482 1483 +1483 1484 +1484 1485 +1485 1486 +1486 1487 +1487 1488 +1488 1489 +1489 1490 +1490 1491 +1491 1492 +1492 1493 +1493 1494 +1494 1495 +1495 1496 +1496 1497 +1497 1498 +1498 1499 +1499 1500 +1500 1501 +1501 1502 +1502 1503 +1503 1504 +1504 1505 +1505 1506 +1506 1507 +1507 1508 +1508 1509 +1509 1510 +1510 1511 +1511 1512 +1512 1513 +1513 1514 +1514 1515 +1515 1516 +1516 1517 +1517 1518 +1518 1519 +1519 1520 +1520 1521 +1521 1522 +1522 1523 +1523 1524 +1524 1525 +1525 1526 +1526 1527 +1527 1528 +1528 1529 +1529 1530 +1530 1531 +1531 1532 +1532 1533 +1533 1534 +1534 1535 +1535 1536 +1536 1537 +1537 1538 +1538 1539 +1539 1540 +1540 1541 +1541 1542 +1542 1543 +1543 1544 +1544 1545 +1545 1546 +1546 1547 +1547 1548 +1548 1549 +1549 1550 +1550 1551 +1551 1552 +1552 1553 +1553 1554 +1554 1555 +1555 1556 +1556 1557 +1557 1558 +1558 1559 +1559 1560 +1560 1561 +1561 1562 +1562 1563 +1563 1564 +1564 1565 +1565 1566 +1566 1567 +1567 1568 +1568 1569 +1569 1570 +1570 1571 +1571 1572 +1572 1573 +1573 1574 +1574 1575 +1575 1576 +1576 1577 +1577 1578 +1578 1579 +1579 1580 +1580 1581 +1581 1582 +1582 1583 +1583 1584 +1584 1585 +1585 1586 +1586 1587 +1587 1588 +1588 1589 +1589 1590 +1590 1591 +1591 1592 +1592 1593 +1593 1594 +1594 1595 +1595 1596 +1596 1597 +1597 1598 +1598 1599 +1599 1600 +1600 1601 +1601 1602 +1602 1603 +1603 1604 +1604 1605 +1605 1606 +1606 1607 +1607 1608 +1608 1609 +1609 1610 +1610 1611 +1611 1612 +1612 1613 +1613 1614 +1614 1615 +1615 1616 +1616 1617 +1617 1618 +1618 1619 +1619 1620 +1620 1621 +1621 1622 +1622 1623 +1623 1624 +1624 1625 +1625 1626 +1626 1627 +1627 1628 +1628 1629 +1629 1630 +1630 1631 +1631 1632 +1632 1633 +1633 1634 +1634 1635 +1635 1636 +1636 1637 +1637 1638 +1638 1639 +1639 1640 +1640 1641 +1641 1642 +1642 1643 +1643 1644 +1644 1645 +1645 1646 +1646 1647 +1647 1648 +1648 1649 +1649 1650 +1650 1651 +1651 1652 +1652 1653 +1653 1654 +1654 1655 +1655 1656 +1656 1657 +1657 1658 +1658 1659 +1659 1660 +1660 1661 +1661 1662 +1662 1663 +1663 1664 +1664 1665 +1665 1666 +1666 1667 +1667 1668 +1668 1669 +1669 1670 +1670 1671 +1671 1672 +1672 1673 +1673 1674 +1674 1675 +1675 1676 +1676 1677 +1677 1678 +1678 1679 +1679 1680 +1680 1681 +1681 1682 +1682 1683 +1683 1684 +1684 1685 +1685 1686 +1686 1687 +1687 1688 +1688 1689 +1689 1690 +1690 1691 +1691 1692 +1692 1693 +1693 1694 +1694 1695 +1695 1696 +1696 1697 +1697 1698 +1698 1699 +1699 1700 +1700 1701 +1701 1702 +1702 1703 +1703 1704 +1704 1705 +1705 1706 +1706 1707 +1707 1708 +1708 1709 +1709 1710 +1710 1711 +1711 1712 +1712 1713 +1713 1714 +1714 1715 +1715 1716 +1716 1717 +1717 1718 +1718 1719 +1719 1720 +1720 1721 +1721 1722 +1722 1723 +1723 1724 +1724 1725 +1725 1726 +1726 1727 +1727 1728 +1728 1729 +1729 1730 +1730 1731 +1731 1732 +1732 1733 +1733 1734 +1734 1735 +1735 1736 +1736 1737 +1737 1738 +1738 1739 +1739 1740 +1740 1741 +1741 1742 +1742 1743 +1743 1744 +1744 1745 +1745 1746 +1746 1747 +1747 1748 +1748 1749 +1749 1750 +1750 1751 +1751 1752 +1752 1753 +1753 1754 +1754 1755 +1755 1756 +1756 1757 +1757 1758 +1758 1759 +1759 1760 +1760 1761 +1761 1762 +1762 1763 +1763 1764 +1764 1765 +1765 1766 +1766 1767 +1767 1768 +1768 1769 +1769 1770 +1770 1771 +1771 1772 +1772 1773 +1773 1774 +1774 1775 +1775 1776 +1776 1777 +1777 1778 +1778 1779 +1779 1780 +1780 1781 +1781 1782 +1782 1783 +1783 1784 +1784 1785 +1785 1786 +1786 1787 +1787 1788 +1788 1789 +1789 1790 +1790 1791 +1791 1792 +1792 1793 +1793 1794 +1794 1795 +1795 1796 +1796 1797 +1797 1798 +1798 1799 +1799 1800 +1800 1801 +1801 1802 +1802 1803 +1803 1804 +1804 1805 +1805 1806 +1806 1807 +1807 1808 +1808 1809 +1809 1810 +1810 1811 +1811 1812 +1812 1813 +1813 1814 +1814 1815 +1815 1816 +1816 1817 +1817 1818 +1818 1819 +1819 1820 +1820 1821 +1821 1822 +1822 1823 +1823 1824 +1824 1825 +1825 1826 +1826 1827 +1827 1828 +1828 1829 +1829 1830 +1830 1831 +1831 1832 +1832 1833 +1833 1834 +1834 1835 +1835 1836 +1836 1837 +1837 1838 +1838 1839 +1839 1840 +1840 1841 +1841 1842 +1842 1843 +1843 1844 +1844 1845 +1845 1846 +1846 1847 +1847 1848 +1848 1849 +1849 1850 +1850 1851 +1851 1852 +1852 1853 +1853 1854 +1854 1855 +1855 1856 +1856 1857 +1857 1858 +1858 1859 +1859 1860 +1860 1861 +1861 1862 +1862 1863 +1863 1864 +1864 1865 +1865 1866 +1866 1867 +1867 1868 +1868 1869 +1869 1870 +1870 1871 +1871 1872 +1872 1873 +1873 1874 +1874 1875 +1875 1876 +1876 1877 +1877 1878 +1878 1879 +1879 1880 +1880 1881 +1881 1882 +1882 1883 +1883 1884 +1884 1885 +1885 1886 +1886 1887 +1887 1888 +1888 1889 +1889 1890 +1890 1891 +1891 1892 +1892 1893 +1893 1894 +1894 1895 +1895 1896 +1896 1897 +1897 1898 +1898 1899 +1899 1900 +1900 1901 +1901 1902 +1902 1903 +1903 1904 +1904 1905 +1905 1906 +1906 1907 +1907 1908 +1908 1909 +1909 1910 +1910 1911 +1911 1912 +1912 1913 +1913 1914 +1914 1915 +1915 1916 +1916 1917 +1917 1918 +1918 1919 +1919 1920 +1920 1921 +1921 1922 +1922 1923 +1923 1924 +1924 1925 +1925 1926 +1926 1927 +1927 1928 +1928 1929 +1929 1930 +1930 1931 +1931 1932 +1932 1933 +1933 1934 +1934 1935 +1935 1936 +1936 1937 +1937 1938 +1938 1939 +1939 1940 +1940 1941 +1941 1942 +1942 1943 +1943 1944 +1944 1945 +1945 1946 +1946 1947 +1947 1948 +1948 1949 +1949 1950 +1950 1951 +1951 1952 +1952 1953 +1953 1954 +1954 1955 +1955 1956 +1956 1957 +1957 1958 +1958 1959 +1959 1960 +1960 1961 +1961 1962 +1962 1963 +1963 1964 +1964 1965 +1965 1966 +1966 1967 +1967 1968 +1968 1969 +1969 1970 +1970 1971 +1971 1972 +1972 1973 +1973 1974 +1974 1975 +1975 1976 +1976 1977 +1977 1978 +1978 1979 +1979 1980 +1980 1981 +1981 1982 +1982 1983 +1983 1984 +1984 1985 +1985 1986 +1986 1987 +1987 1988 +1988 1989 +1989 1990 +1990 1991 +1991 1992 +1992 1993 +1993 1994 +1994 1995 +1995 1996 +1996 1997 +1997 1998 +1998 1999 +1999 2000 +2000 2001 +2001 2002 +2002 2003 +2003 2004 +2004 2005 +2005 2006 +2006 2007 +2007 2008 +2008 2009 +2009 2010 +2010 2011 +2011 2012 +2012 2013 +2013 2014 +2014 2015 +2015 2016 +2016 2017 +2017 2018 +2018 2019 +2019 2020 +2020 2021 +2021 2022 +2022 2023 +2023 2024 +2024 2025 +2025 2026 +2026 2027 +2027 2028 +2028 2029 +2029 2030 +2030 2031 +2031 2032 +2032 2033 +2033 2034 +2034 2035 +2035 2036 +2036 2037 +2037 2038 +2038 2039 +2039 2040 +2040 2041 +2041 2042 +2042 2043 +2043 2044 +2044 2045 +2045 2046 +2046 2047 +2047 2048 +2048 2049 +2049 2050 +2050 2051 +2051 2052 +2052 2053 +2053 2054 +2054 2055 +2055 2056 +2056 2057 +2057 2058 +2058 2059 +2059 2060 +2060 2061 +2061 2062 +2062 2063 +2063 2064 +2064 2065 +2065 2066 +2066 2067 +2067 2068 +2068 2069 +2069 2070 +2070 2071 +2071 2072 +2072 2073 +2073 2074 +2074 2075 +2075 2076 +2076 2077 +2077 2078 +2078 2079 +2079 2080 +2080 2081 +2081 2082 +2082 2083 +2083 2084 +2084 2085 +2085 2086 +2086 2087 +2087 2088 +2088 2089 +2089 2090 +2090 2091 +2091 2092 +2092 2093 +2093 2094 +2094 2095 +2095 2096 +2096 2097 +2097 2098 +2098 2099 +2099 2100 +2100 2101 +2101 2102 +2102 2103 +2103 2104 +2104 2105 +2105 2106 +2106 2107 +2107 2108 +2108 2109 +2109 2110 +2110 2111 +2111 2112 +2112 2113 +2113 2114 +2114 2115 +2115 2116 +2116 2117 +2117 2118 +2118 2119 +2119 2120 +2120 2121 +2121 2122 +2122 2123 +2123 2124 +2124 2125 +2125 2126 +2126 2127 +2127 2128 +2128 2129 +2129 2130 +2130 2131 +2131 2132 +2132 2133 +2133 2134 +2134 2135 +2135 2136 +2136 2137 +2137 2138 +2138 2139 +2139 2140 +2140 2141 +2141 2142 +2142 2143 +2143 2144 +2144 2145 +2145 2146 +2146 2147 +2147 2148 +2148 2149 +2149 2150 +2150 2151 +2151 2152 +2152 2153 +2153 2154 +2154 2155 +2155 2156 +2156 2157 +2157 2158 +2158 2159 +2159 2160 +2160 2161 +2161 2162 +2162 2163 +2163 2164 +2164 2165 +2165 2166 +2166 2167 +2167 2168 +2168 2169 +2169 2170 +2170 2171 +2171 2172 +2172 2173 +2173 2174 +2174 2175 +2175 2176 +2176 2177 +2177 2178 +2178 2179 +2179 2180 +2180 2181 +2181 2182 +2182 2183 +2183 2184 +2184 2185 +2185 2186 +2186 2187 +2187 2188 +2188 2189 +2189 2190 +2190 2191 +2191 2192 +2192 2193 +2193 2194 +2194 2195 +2195 2196 +2196 2197 +2197 2198 +2198 2199 +2199 2200 +2200 2201 +2201 2202 +2202 2203 +2203 2204 +2204 2205 +2205 2206 +2206 2207 +2207 2208 +2208 2209 +2209 2210 +2210 2211 +2211 2212 +2212 2213 +2213 2214 +2214 2215 +2215 2216 +2216 2217 +2217 2218 +2218 2219 +2219 2220 +2220 2221 +2221 2222 +2222 2223 +2223 2224 +2224 2225 +2225 2226 +2226 2227 +2227 2228 +2228 2229 +2229 2230 +2230 2231 +2231 2232 +2232 2233 +2233 2234 +2234 2235 +2235 2236 +2236 2237 +2237 2238 +2238 2239 +2239 2240 +2240 2241 +2241 2242 +2242 2243 +2243 2244 +2244 2245 +2245 2246 +2246 2247 +2247 2248 +2248 2249 +2249 2250 +2250 2251 +2251 2252 +2252 2253 +2253 2254 +2254 2255 +2255 2256 +2256 2257 +2257 2258 +2258 2259 +2259 2260 +2260 2261 +2261 2262 +2262 2263 +2263 2264 +2264 2265 +2265 2266 +2266 2267 +2267 2268 +2268 2269 +2269 2270 +2270 2271 +2271 2272 +2272 2273 +2273 2274 +2274 2275 +2275 2276 +2276 2277 +2277 2278 +2278 2279 +2279 2280 +2280 2281 +2281 2282 +2282 2283 +2283 2284 +2284 2285 +2285 2286 +2286 2287 +2287 2288 +2288 2289 +2289 2290 +2290 2291 +2291 2292 +2292 2293 +2293 2294 +2294 2295 +2295 2296 +2296 2297 +2297 2298 +2298 2299 +2299 2300 +2300 2301 +2301 2302 +2302 2303 +2303 2304 +2304 2305 +2305 2306 +2306 2307 +2307 2308 +2308 2309 +2309 2310 +2310 2311 +2311 2312 +2312 2313 +2313 2314 +2314 2315 +2315 2316 +2316 2317 +2317 2318 +2318 2319 +2319 2320 +2320 2321 +2321 2322 +2322 2323 +2323 2324 +2324 2325 +2325 2326 +2326 2327 +2327 2328 +2328 2329 +2329 2330 +2330 2331 +2331 2332 +2332 2333 +2333 2334 +2334 2335 +2335 2336 +2336 2337 +2337 2338 +2338 2339 +2339 2340 +2340 2341 +2341 2342 +2342 2343 +2343 2344 +2344 2345 +2345 2346 +2346 2347 +2347 2348 +2348 2349 +2349 2350 +2350 2351 +2351 2352 +2352 2353 +2353 2354 +2354 2355 +2355 2356 +2356 2357 +2357 2358 +2358 2359 +2359 2360 +2360 2361 +2361 2362 +2362 2363 +2363 2364 +2364 2365 +2365 2366 +2366 2367 +2367 2368 +2368 2369 +2369 2370 +2370 2371 +2371 2372 +2372 2373 +2373 2374 +2374 2375 +2375 2376 +2376 2377 +2377 2378 +2378 2379 +2379 2380 +2380 2381 +2381 2382 +2382 2383 +2383 2384 +2384 2385 +2385 2386 +2386 2387 +2387 2388 +2388 2389 +2389 2390 +2390 2391 +2391 2392 +2392 2393 +2393 2394 +2394 2395 +2395 2396 +2396 2397 +2397 2398 +2398 2399 +2399 2400 +2400 2401 +2401 2402 +2402 2403 +2403 2404 +2404 2405 +2405 2406 +2406 2407 +2407 2408 +2408 2409 +2409 2410 +2410 2411 +2411 2412 +2412 2413 +2413 2414 +2414 2415 +2415 2416 +2416 2417 +2417 2418 +2418 2419 +2419 2420 +2420 2421 +2421 2422 +2422 2423 +2423 2424 +2424 2425 +2425 2426 +2426 2427 +2427 2428 +2428 2429 +2429 2430 +2430 2431 +2431 2432 +2432 2433 +2433 2434 +2434 2435 +2435 2436 +2436 2437 +2437 2438 +2438 2439 +2439 2440 +2440 2441 +2441 2442 +2442 2443 +2443 2444 +2444 2445 +2445 2446 +2446 2447 +2447 2448 +2448 2449 +2449 2450 +2450 2451 +2451 2452 +2452 2453 +2453 2454 +2454 2455 +2455 2456 +2456 2457 +2457 2458 +2458 2459 +2459 2460 +2460 2461 +2461 2462 +2462 2463 +2463 2464 +2464 2465 +2465 2466 +2466 2467 +2467 2468 +2468 2469 +2469 2470 +2470 2471 +2471 2472 +2472 2473 +2473 2474 +2474 2475 +2475 2476 +2476 2477 +2477 2478 +2478 2479 +2479 2480 +2480 2481 +2481 2482 +2482 2483 +2483 2484 +2484 2485 +2485 2486 +2486 2487 +2487 2488 +2488 2489 +2489 2490 +2490 2491 +2491 2492 +2492 2493 +2493 2494 +2494 2495 +2495 2496 +2496 2497 +2497 2498 +2498 2499 +2499 2500 +2500 2501 +2501 2502 +2502 2503 +2503 2504 +2504 2505 +2505 2506 +2506 2507 +2507 2508 +2508 2509 +2509 2510 +2510 2511 +2511 2512 +2512 2513 +2513 2514 +2514 2515 +2515 2516 +2516 2517 +2517 2518 +2518 2519 +2519 2520 +2520 2521 +2521 2522 +2522 2523 +2523 2524 +2524 2525 +2525 2526 +2526 2527 +2527 2528 +2528 2529 +2529 2530 +2530 2531 +2531 2532 +2532 2533 +2533 2534 +2534 2535 +2535 2536 +2536 2537 +2537 2538 +2538 2539 +2539 2540 +2540 2541 +2541 2542 +2542 2543 +2543 2544 +2544 2545 +2545 2546 +2546 2547 +2547 2548 +2548 2549 +2549 2550 +2550 2551 +2551 2552 +2552 2553 +2553 2554 +2554 2555 +2555 2556 +2556 2557 +2557 2558 +2558 2559 +2559 2560 +2560 2561 +2561 2562 +2562 2563 +2563 2564 +2564 2565 +2565 2566 +2566 2567 +2567 2568 +2568 2569 +2569 2570 +2570 2571 +2571 2572 +2572 2573 +2573 2574 +2574 2575 +2575 2576 +2576 2577 +2577 2578 +2578 2579 +2579 2580 +2580 2581 +2581 2582 +2582 2583 +2583 2584 +2584 2585 +2585 2586 +2586 2587 +2587 2588 +2588 2589 +2589 2590 +2590 2591 +2591 2592 +2592 2593 +2593 2594 +2594 2595 +2595 2596 +2596 2597 +2597 2598 +2598 2599 +2599 2600 +2600 2601 +2601 2602 +2602 2603 +2603 2604 +2604 2605 +2605 2606 +2606 2607 +2607 2608 +2608 2609 +2609 2610 +2610 2611 +2611 2612 +2612 2613 +2613 2614 +2614 2615 +2615 2616 +2616 2617 +2617 2618 +2618 458 From 18a3c53c2d3340f94e72ed459c775a0e145f82b9 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 19 Aug 2023 18:56:51 +0200 Subject: [PATCH 088/128] Triangles: WIP + more tests --- src/db/db/dbTriangles.h | 7 +++- src/db/unit_tests/dbTrianglesTests.cc | 56 ++++++++++++++++++++++++++- 2 files changed, 61 insertions(+), 2 deletions(-) diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index b87efe9513..3524069d68 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -145,7 +145,12 @@ class DB_PUBLIC Triangles * @brief Creates a refined Delaunay triangulation for the given region * * The database unit should be chosen in a way that target area values are "in the order of 1". - * The algorithm becomes numerically unstable area constraints below 1e-4. + * For inputs featuring acute angles (angles < ~25 degree), the parameters should defined a min + * edge length ("min_length"). + * "min_length" should be at least 1e-4. If a min edge length is given, the max area constaints + * may not be satisfied. + * + * Edges in the input should not be shorter than 1e-4. */ void triangulate (const db::Region ®ion, const TriangulateParameters ¶meters, double dbu = 1.0); diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index f471ce602f..7340e5a5e9 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -779,7 +779,7 @@ TEST(triangulate2) EXPECT_EQ (tri.check (false), true); // for debugging: - // tri.dump ("debug.gds", true); + // tri.dump ("debug.gds"); size_t n_skinny = 0; for (auto t = tri.begin (); t != tri.end (); ++t) { @@ -793,3 +793,57 @@ TEST(triangulate2) EXPECT_GT (tri.num_triangles (), size_t (29000)); EXPECT_LT (tri.num_triangles (), size_t (30000)); } + +TEST(triangulate3) +{ + double dbu = 0.0001; + + double star1 = 9.0, star2 = 5.0; + double r = 1.0; + int n = 100; + + auto dbu_trans = db::CplxTrans (dbu).inverted (); + + std::vector contour1, contour2; + for (int i = 0; i < n; ++i) { + double a = -M_PI * 2.0 * double (i) / double (n); // "-" for clockwise orientation + double rr, x, y; + rr = r * (1.0 + 0.4 * cos (star1 * a)); + x = rr * cos (a); + y = rr * sin (a); + contour1.push_back (dbu_trans * db::DPoint (x, y)); + rr = r * (0.1 + 0.03 * cos (star2 * a)); + x = rr * cos (a); + y = rr * sin (a); + contour2.push_back (dbu_trans * db::DPoint (x, y)); + } + + db::Region rg; + + db::SimplePolygon sp1; + sp1.assign_hull (contour1.begin (), contour1.end ()); + db::SimplePolygon sp2; + sp2.assign_hull (contour2.begin (), contour2.end ()); + + rg = db::Region (sp1) - db::Region (sp2); + + db::Triangles::TriangulateParameters param; + param.min_b = 1.0; + param.max_area = 0.01; + + db::Triangles tri; + tri.triangulate (rg, param, dbu); + + EXPECT_EQ (tri.check (false), true); + + // for debugging: + tri.dump ("debug.gds"); + + for (auto t = tri.begin (); t != tri.end (); ++t) { + EXPECT_LE (t->area (), param.max_area); + EXPECT_GE (t->b (), param.min_b); + } + + EXPECT_GT (tri.num_triangles (), size_t (1250)); + EXPECT_LT (tri.num_triangles (), size_t (1300)); +} From dfe6699ef95f3c5298bde0e9ca89e18512f0d750 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 19 Aug 2023 19:24:56 +0200 Subject: [PATCH 089/128] Triangles: some cleanup --- src/db/db/dbTriangle.h | 28 +++--- src/db/db/dbTriangles.cc | 28 +++--- src/db/db/dbTriangles.h | 34 +++---- src/db/unit_tests/dbTriangleTests.cc | 135 ++++++++++++++------------ src/db/unit_tests/dbTrianglesTests.cc | 72 +++++++++----- 5 files changed, 162 insertions(+), 135 deletions(-) diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index e4a3815a35..bf9bea8fe9 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -76,7 +76,7 @@ class DB_PUBLIC Vertex /** * @brief Returns 1 is the point is inside the circle, 0 if on the circle and -1 if outside - * @@@ TODO: Move to db::DPoint + * TODO: Move to db::DPoint */ static int in_circle (const db::DPoint &point, const db::DPoint ¢er, double radius); @@ -159,6 +159,7 @@ class DB_PUBLIC TriangleEdge }; TriangleEdge (); + TriangleEdge (Vertex *v1, Vertex *v2); Vertex *v1 () const { return mp_v1; } Vertex *v2 () const { return mp_v2; } @@ -166,11 +167,7 @@ class DB_PUBLIC TriangleEdge void reverse () { std::swap (mp_v1, mp_v2); - - Triangle *l = mp_left; - Triangle *r = mp_right; - mp_left = r; - mp_right = l; + std::swap (mp_left, mp_right); } Triangle *left () const { return mp_left; } @@ -209,7 +206,7 @@ class DB_PUBLIC TriangleEdge * @brief Returns the distance of the given point to the edge * * The distance is the minimum distance of the point to one point from the edge. - * @@@ TODO: Move to db::DEdge + * TODO: Move to db::DEdge */ static double distance (const db::DEdge &e, const db::DPoint &p); @@ -228,7 +225,7 @@ class DB_PUBLIC TriangleEdge * * "crosses" is true, if both edges share at least one point which is not an endpoint * of one of the edges. - * @@@ TODO: Move to db::DEdge + * TODO: Move to db::DEdge */ static bool crosses (const db::DEdge &e, const db::DEdge &other); @@ -257,7 +254,7 @@ class DB_PUBLIC TriangleEdge /** * @brief Returns a value indicating whether this edge crosses the other one * "crosses" is true, if both edges share at least one point. - * @@@ TODO: Move to db::DEdge + * TODO: Move to db::DEdge */ static bool crosses_including (const db::DEdge &e, const db::DEdge &other); @@ -281,7 +278,7 @@ class DB_PUBLIC TriangleEdge /** * @brief Gets the intersection point - * @@@ TODO: Move to db::DEdge + * TODO: Move to db::DEdge */ static db::DPoint intersection_point (const db::DEdge &e, const DEdge &other); @@ -303,7 +300,7 @@ class DB_PUBLIC TriangleEdge /** * @brief Returns a value indicating whether the point is on the edge - * @@@ TODO: Move to db::DEdge + * TODO: Move to db::DEdge */ static bool point_on (const db::DEdge &edge, const db::DPoint &point); @@ -319,7 +316,7 @@ class DB_PUBLIC TriangleEdge * @brief Gets the side the point is on * * -1 is for "left", 0 is "on" and +1 is "right" - * @@@ TODO: correct to same definition as db::Edge (negative) + * TODO: correct to same definition as db::Edge (negative) */ static int side_of (const db::DEdge &e, const db::DPoint &point) { @@ -330,7 +327,7 @@ class DB_PUBLIC TriangleEdge * @brief Gets the side the point is on * * -1 is for "left", 0 is "on" and +1 is "right" - * @@@ TODO: correct to same definition as db::Edge (negative) + * TODO: correct to same definition as db::Edge (negative) */ int side_of (const db::DPoint &p) const { @@ -390,10 +387,7 @@ class DB_PUBLIC TriangleEdge */ bool has_triangle (const Triangle *t) const; - // --- exposed for test purposes only --- - - TriangleEdge (Vertex *v1, Vertex *v2); - +protected: void unlink (); void link (); diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 727c671286..92add33909 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -42,7 +42,7 @@ Triangles::Triangles () Triangles::~Triangles () { while (! mp_triangles.empty ()) { - remove (mp_triangles.begin ().operator-> ()); + remove_triangle (mp_triangles.begin ().operator-> ()); } } @@ -89,7 +89,7 @@ Triangles::create_triangle (TriangleEdge *e1, TriangleEdge *e2, TriangleEdge *e3 } void -Triangles::remove (db::Triangle *tri) +Triangles::remove_triangle (db::Triangle *tri) { db::TriangleEdge *edges [3]; for (int i = 0; i < 3; ++i) { @@ -627,7 +627,7 @@ Triangles::split_triangle (db::Triangle *t, db::Vertex *vertex, std::list &tris, db: } for (auto t = tris.begin (); t != tris.end (); ++t) { - remove (*t); + remove_triangle (*t); } std::vector fixed_edges; @@ -738,7 +738,7 @@ Triangles::remove_outside_vertex (db::Vertex *vertex, std::list (), new_triangles_out); @@ -831,7 +831,7 @@ Triangles::remove_inside_vertex (db::Vertex *vertex, std::list &tris, const std::ve } ++m_flips; - tl_assert (! is_illegal_edge (s12)); // @@@ remove later! + tl_assert (! is_illegal_edge (s12)); // TODO: remove later! for (int i = 0; i < 3; ++i) { db::TriangleEdge *s1 = t1->edge (i); @@ -963,8 +963,8 @@ Triangles::flip (TriangleEdge *edge) db::Triangle *t2_new = create_triangle (s_new, t1_sext2, t2_sext2); t2_new->set_outside (outside); - remove (t1); - remove (t2); + remove_triangle (t1); + remove_triangle (t2); return std::make_pair (std::make_pair (t1_new, t2_new), s_new); } @@ -1292,8 +1292,8 @@ Triangles::join_edges (std::vector &edges) t2->unlink (); db::Triangle *tri = create_triangle (tedge1, tedge2, new_edge); tri->set_outside (t1->is_outside ()); - remove (t1); - remove (t2); + remove_triangle (t1); + remove_triangle (t2); } edges [i - 1] = new_edge; @@ -1398,7 +1398,7 @@ Triangles::remove_outside_triangles () } for (auto t = to_remove.begin (); t != to_remove.end (); ++t) { - remove (*t); + remove_triangle (*t); } } @@ -1494,8 +1494,8 @@ Triangles::triangulate (const db::Region ®ion, const TriangulateParameters &p new_triangles.push_back (t.operator-> ()); } - // @@@ TODO: break if iteration gets stuck - while (nloop < parameters.max_iterations) { // @@@ + // TODO: break if iteration gets stuck + while (nloop < parameters.max_iterations) { ++nloop; if (tl::verbosity () >= parameters.base_verbosity + 10) { diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index 3524069d68..0e54508b81 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -154,9 +154,23 @@ class DB_PUBLIC Triangles */ void triangulate (const db::Region ®ion, const TriangulateParameters ¶meters, double dbu = 1.0); + /** + * @brief Statistics: number of flips (fixing) + */ + size_t flips () const + { + return m_flips; + } - // -- exposed for testing purposes -- + /** + * @brief Statistics: number of hops (searching) + */ + size_t hops () const + { + return m_hops; + } +protected: /** * @brief Checks the triangle graph for consistency * This method is for testing purposes mainly. @@ -262,22 +276,6 @@ class DB_PUBLIC Triangles */ static bool is_illegal_edge (db::TriangleEdge *edge); - /** - * @brief Statistics: number of flips (fixing) - */ - size_t flips () const - { - return m_flips; - } - - /** - * @brief Statistics: number of hops (searching) - */ - size_t hops () const - { - return m_hops; - } - // NOTE: these functions are SLOW and intended to test purposes only std::vector find_touching (const db::DBox &box) const; std::vector find_inside_circle (const db::DPoint ¢er, double radius) const; @@ -296,7 +294,7 @@ class DB_PUBLIC Triangles db::Vertex *create_vertex (const db::DPoint &pt); db::TriangleEdge *create_edge (db::Vertex *v1, db::Vertex *v2); db::Triangle *create_triangle (db::TriangleEdge *e1, db::TriangleEdge *e2, db::TriangleEdge *e3); - void remove (db::Triangle *tri); + void remove_triangle (db::Triangle *tri); void remove_outside_vertex (db::Vertex *vertex, std::list > *new_triangles = 0); void remove_inside_vertex (db::Vertex *vertex, std::list > *new_triangles_out = 0); diff --git a/src/db/unit_tests/dbTriangleTests.cc b/src/db/unit_tests/dbTriangleTests.cc index 263d9ca07b..fb6aba5311 100644 --- a/src/db/unit_tests/dbTriangleTests.cc +++ b/src/db/unit_tests/dbTriangleTests.cc @@ -26,6 +26,19 @@ #include +class TestableTriangleEdge + : public db::TriangleEdge +{ +public: + using db::TriangleEdge::TriangleEdge; + using db::TriangleEdge::link; + using db::TriangleEdge::unlink; + + TestableTriangleEdge (db::Vertex *v1, db::Vertex *v2) + : db::TriangleEdge (v1, v2) + { } +}; + // Tests for Vertex class TEST(Vertex_basic) @@ -76,13 +89,13 @@ TEST(Vertex_edge_registration) db::Vertex v2 (1, 2); db::Vertex v3 (2, 1); - std::unique_ptr e1 (new db::TriangleEdge (&v1, &v2)); + std::unique_ptr e1 (new TestableTriangleEdge (&v1, &v2)); e1->link (); EXPECT_EQ (edges_from_vertex (v1), "((0, 0), (1, 2))"); EXPECT_EQ (edges_from_vertex (v2), "((0, 0), (1, 2))"); EXPECT_EQ (edges_from_vertex (v3), ""); - std::unique_ptr e2 (new db::TriangleEdge (&v2, &v3)); + std::unique_ptr e2 (new TestableTriangleEdge (&v2, &v3)); e2->link (); EXPECT_EQ (edges_from_vertex (v1), "((0, 0), (1, 2))"); EXPECT_EQ (edges_from_vertex (v2), "((0, 0), (1, 2)), ((1, 2), (2, 1))"); @@ -109,11 +122,11 @@ TEST(Vertex_triangles) db::Vertex v4 (-1, 2); EXPECT_EQ (triangles_from_vertex (v1), ""); - std::unique_ptr e1 (new db::TriangleEdge (&v1, &v2)); + std::unique_ptr e1 (new TestableTriangleEdge (&v1, &v2)); e1->link (); - std::unique_ptr e2 (new db::TriangleEdge (&v2, &v3)); + std::unique_ptr e2 (new TestableTriangleEdge (&v2, &v3)); e2->link (); - std::unique_ptr e3 (new db::TriangleEdge (&v3, &v1)); + std::unique_ptr e3 (new TestableTriangleEdge (&v3, &v1)); e3->link (); std::unique_ptr tri (new db::Triangle (e1.get (), e2.get (), e3.get ())); @@ -121,9 +134,9 @@ TEST(Vertex_triangles) EXPECT_EQ (triangles_from_vertex (v2), "((0, 0), (1, 2), (2, 1))"); EXPECT_EQ (triangles_from_vertex (v3), "((0, 0), (1, 2), (2, 1))"); - std::unique_ptr e4 (new db::TriangleEdge (&v1, &v4)); + std::unique_ptr e4 (new TestableTriangleEdge (&v1, &v4)); e4->link (); - std::unique_ptr e5 (new db::TriangleEdge (&v2, &v4)); + std::unique_ptr e5 (new TestableTriangleEdge (&v2, &v4)); e5->link (); std::unique_ptr tri2 (new db::Triangle (e1.get (), e4.get (), e5.get ())); EXPECT_EQ (triangles_from_vertex (v1), "((0, 0), (-1, 2), (1, 2)), ((0, 0), (1, 2), (2, 1))"); @@ -146,9 +159,9 @@ TEST(Triangle_basic) db::Vertex v2 (1, 2); db::Vertex v3 (2, 1); - db::TriangleEdge s1 (&v1, &v2); - db::TriangleEdge s2 (&v2, &v3); - db::TriangleEdge s3 (&v3, &v1); + TestableTriangleEdge s1 (&v1, &v2); + TestableTriangleEdge s2 (&v2, &v3); + TestableTriangleEdge s3 (&v3, &v1); EXPECT_EQ (s1.v1 () == &v1, true); EXPECT_EQ (s2.v2 () == &v3, true); @@ -161,9 +174,9 @@ TEST(Triangle_basic) EXPECT_EQ (tri.edge (3) == &s1, true); // ordering - db::TriangleEdge s11 (&v1, &v2); - db::TriangleEdge s12 (&v3, &v2); - db::TriangleEdge s13 (&v1, &v3); + TestableTriangleEdge s11 (&v1, &v2); + TestableTriangleEdge s12 (&v3, &v2); + TestableTriangleEdge s13 (&v1, &v3); db::Triangle tri2 (&s11, &s12, &s13); EXPECT_EQ (tri2.to_string (), "((0, 0), (1, 2), (2, 1))"); @@ -194,9 +207,9 @@ TEST(Triangle_find_segment_with) db::Vertex v2 (1, 2); db::Vertex v3 (2, 1); - db::TriangleEdge s1 (&v1, &v2); - db::TriangleEdge s2 (&v2, &v3); - db::TriangleEdge s3 (&v3, &v1); + TestableTriangleEdge s1 (&v1, &v2); + TestableTriangleEdge s2 (&v2, &v3); + TestableTriangleEdge s3 (&v3, &v1); db::Triangle tri (&s1, &s2, &s3); @@ -210,9 +223,9 @@ TEST(Triangle_ext_vertex) db::Vertex v2 (1, 2); db::Vertex v3 (2, 1); - db::TriangleEdge s1 (&v1, &v2); - db::TriangleEdge s2 (&v2, &v3); - db::TriangleEdge s3 (&v3, &v1); + TestableTriangleEdge s1 (&v1, &v2); + TestableTriangleEdge s2 (&v2, &v3); + TestableTriangleEdge s3 (&v3, &v1); db::Triangle tri (&s1, &s2, &s3); @@ -226,9 +239,9 @@ TEST(Triangle_opposite_vertex) db::Vertex v2 (1, 2); db::Vertex v3 (2, 1); - db::TriangleEdge s1 (&v1, &v2); - db::TriangleEdge s2 (&v2, &v3); - db::TriangleEdge s3 (&v3, &v1); + TestableTriangleEdge s1 (&v1, &v2); + TestableTriangleEdge s2 (&v2, &v3); + TestableTriangleEdge s3 (&v3, &v1); db::Triangle tri (&s1, &s2, &s3); @@ -242,9 +255,9 @@ TEST(Triangle_opposite_edge) db::Vertex v2 (1, 2); db::Vertex v3 (2, 1); - db::TriangleEdge s1 (&v1, &v2); - db::TriangleEdge s2 (&v2, &v3); - db::TriangleEdge s3 (&v3, &v1); + TestableTriangleEdge s1 (&v1, &v2); + TestableTriangleEdge s2 (&v2, &v3); + TestableTriangleEdge s3 (&v3, &v1); db::Triangle tri (&s1, &s2, &s3); @@ -258,9 +271,9 @@ TEST(Triangle_contains) db::Vertex v2 (1, 2); db::Vertex v3 (2, 1); - db::TriangleEdge s1 (&v1, &v2); - db::TriangleEdge s2 (&v2, &v3); - db::TriangleEdge s3 (&v3, &v1); + TestableTriangleEdge s1 (&v1, &v2); + TestableTriangleEdge s2 (&v2, &v3); + TestableTriangleEdge s3 (&v3, &v1); { db::Triangle tri (&s1, &s2, &s3); @@ -294,9 +307,9 @@ TEST(Triangle_circumcircle) db::Vertex v2 (1, 2); db::Vertex v3 (2, 1); - db::TriangleEdge s1 (&v1, &v2); - db::TriangleEdge s2 (&v2, &v3); - db::TriangleEdge s3 (&v3, &v1); + TestableTriangleEdge s1 (&v1, &v2); + TestableTriangleEdge s2 (&v2, &v3); + TestableTriangleEdge s3 (&v3, &v1); db::Triangle tri (&s1, &s2, &s3); @@ -321,7 +334,7 @@ TEST(TriangleEdge_basic) db::Vertex v1; db::Vertex v2 (1, 0.5); - db::TriangleEdge edge (&v1, &v2); + TestableTriangleEdge edge (&v1, &v2); EXPECT_EQ (edge.to_string (), "((0, 0), (1, 0.5))"); EXPECT_EQ (edge.is_segment (), false); @@ -343,14 +356,14 @@ TEST(TriangleEdge_triangles) db::Vertex v3 (2, 1); db::Vertex v4 (-1, 2); - std::unique_ptr e1 (new db::TriangleEdge (&v1, &v2)); - std::unique_ptr e2 (new db::TriangleEdge (&v2, &v3)); - std::unique_ptr e3 (new db::TriangleEdge (&v3, &v1)); + std::unique_ptr e1 (new TestableTriangleEdge (&v1, &v2)); + std::unique_ptr e2 (new TestableTriangleEdge (&v2, &v3)); + std::unique_ptr e3 (new TestableTriangleEdge (&v3, &v1)); std::unique_ptr tri (new db::Triangle (e1.get (), e2.get (), e3.get ())); - std::unique_ptr e4 (new db::TriangleEdge (&v1, &v4)); - std::unique_ptr e5 (new db::TriangleEdge (&v2, &v4)); + std::unique_ptr e4 (new TestableTriangleEdge (&v1, &v4)); + std::unique_ptr e5 (new TestableTriangleEdge (&v2, &v4)); std::unique_ptr tri2 (new db::Triangle (e1.get (), e4.get (), e5.get ())); EXPECT_EQ (e1->is_outside (), false); @@ -382,7 +395,7 @@ TEST(TriangleEdge_side_of) db::Vertex v1; db::Vertex v2 (1, 0.5); - db::TriangleEdge edge (&v1, &v2); + TestableTriangleEdge edge (&v1, &v2); EXPECT_EQ (edge.to_string (), "((0, 0), (1, 0.5))"); EXPECT_EQ (edge.side_of (db::Vertex (0, 0)), 0) @@ -394,7 +407,7 @@ TEST(TriangleEdge_side_of) db::Vertex v3 (1, 0); db::Vertex v4 (0, 1); - db::TriangleEdge edge2 (&v3, &v4); + TestableTriangleEdge edge2 (&v3, &v4); EXPECT_EQ (edge2.side_of (db::Vertex(0.2, 0.2)), -1); } @@ -417,26 +430,26 @@ TEST(TriangleEdge_crosses) { VertexHeap heap; - db::TriangleEdge s1 (heap.make_vertex (0, 0), heap.make_vertex (1, 0.5)); - EXPECT_EQ (s1.crosses (db::TriangleEdge (heap.make_vertex (-1, -0.5), heap.make_vertex(1, -0.5))), false); - EXPECT_EQ (s1.crosses (db::TriangleEdge (heap.make_vertex (-1, 0), heap.make_vertex(1, 0))), false); // only cuts - EXPECT_EQ (s1.crosses (db::TriangleEdge (heap.make_vertex (-1, 0.5), heap.make_vertex(1, 0.5))), false); - EXPECT_EQ (s1.crosses (db::TriangleEdge (heap.make_vertex (-1, 0.5), heap.make_vertex(2, 0.5))), false); - EXPECT_EQ (s1.crosses (db::TriangleEdge (heap.make_vertex (-1, 0.25), heap.make_vertex(2, 0.25))), true); - EXPECT_EQ (s1.crosses (db::TriangleEdge (heap.make_vertex (-1, 0.5), heap.make_vertex(-0.1, 0.5))), false); - EXPECT_EQ (s1.crosses (db::TriangleEdge (heap.make_vertex (-1, 0.6), heap.make_vertex(0, 0.6))), false); - EXPECT_EQ (s1.crosses (db::TriangleEdge (heap.make_vertex (-1, 1), heap.make_vertex(1, 1))), false); - - EXPECT_EQ (s1.crosses_including (db::TriangleEdge (heap.make_vertex (-1, -0.5), heap.make_vertex(1, -0.5))), false); - EXPECT_EQ (s1.crosses_including (db::TriangleEdge (heap.make_vertex (-1, 0), heap.make_vertex(1, 0))), true); // only cuts - EXPECT_EQ (s1.crosses_including (db::TriangleEdge (heap.make_vertex (-1, 0.25), heap.make_vertex(2, 0.25))), true); + TestableTriangleEdge s1 (heap.make_vertex (0, 0), heap.make_vertex (1, 0.5)); + EXPECT_EQ (s1.crosses (TestableTriangleEdge (heap.make_vertex (-1, -0.5), heap.make_vertex(1, -0.5))), false); + EXPECT_EQ (s1.crosses (TestableTriangleEdge (heap.make_vertex (-1, 0), heap.make_vertex(1, 0))), false); // only cuts + EXPECT_EQ (s1.crosses (TestableTriangleEdge (heap.make_vertex (-1, 0.5), heap.make_vertex(1, 0.5))), false); + EXPECT_EQ (s1.crosses (TestableTriangleEdge (heap.make_vertex (-1, 0.5), heap.make_vertex(2, 0.5))), false); + EXPECT_EQ (s1.crosses (TestableTriangleEdge (heap.make_vertex (-1, 0.25), heap.make_vertex(2, 0.25))), true); + EXPECT_EQ (s1.crosses (TestableTriangleEdge (heap.make_vertex (-1, 0.5), heap.make_vertex(-0.1, 0.5))), false); + EXPECT_EQ (s1.crosses (TestableTriangleEdge (heap.make_vertex (-1, 0.6), heap.make_vertex(0, 0.6))), false); + EXPECT_EQ (s1.crosses (TestableTriangleEdge (heap.make_vertex (-1, 1), heap.make_vertex(1, 1))), false); + + EXPECT_EQ (s1.crosses_including (TestableTriangleEdge (heap.make_vertex (-1, -0.5), heap.make_vertex(1, -0.5))), false); + EXPECT_EQ (s1.crosses_including (TestableTriangleEdge (heap.make_vertex (-1, 0), heap.make_vertex(1, 0))), true); // only cuts + EXPECT_EQ (s1.crosses_including (TestableTriangleEdge (heap.make_vertex (-1, 0.25), heap.make_vertex(2, 0.25))), true); } TEST(TriangleEdge_point_on) { VertexHeap heap; - db::TriangleEdge s1 (heap.make_vertex (0, 0), heap.make_vertex (1, 0.5)); + TestableTriangleEdge s1 (heap.make_vertex (0, 0), heap.make_vertex (1, 0.5)); EXPECT_EQ (s1.point_on (db::DPoint (0, 0)), false); // endpoints are not "on" EXPECT_EQ (s1.point_on (db::DPoint (0, -0.5)), false); EXPECT_EQ (s1.point_on (db::DPoint (0.5, 0)), false); @@ -450,8 +463,8 @@ TEST(TriangleEdge_intersection_point) { VertexHeap heap; - db::TriangleEdge s1 (heap.make_vertex (0, 0), heap.make_vertex (1, 0.5)); - EXPECT_EQ (s1.intersection_point (db::TriangleEdge (heap.make_vertex (-1, 0.25), heap.make_vertex (2, 0.25))).to_string (), "0.5,0.25"); + TestableTriangleEdge s1 (heap.make_vertex (0, 0), heap.make_vertex (1, 0.5)); + EXPECT_EQ (s1.intersection_point (TestableTriangleEdge (heap.make_vertex (-1, 0.25), heap.make_vertex (2, 0.25))).to_string (), "0.5,0.25"); } TEST(TriangleEdge_can_flip) @@ -460,11 +473,11 @@ TEST(TriangleEdge_can_flip) db::Vertex v2 (0, 0); db::Vertex v3 (1, 0); db::Vertex v4 (0.5, 1); - db::TriangleEdge s1 (&v1, &v2); - db::TriangleEdge s2 (&v1, &v3); - db::TriangleEdge s3 (&v2, &v3); - db::TriangleEdge s4 (&v2, &v4); - db::TriangleEdge s5 (&v3, &v4); + TestableTriangleEdge s1 (&v1, &v2); + TestableTriangleEdge s2 (&v1, &v3); + TestableTriangleEdge s3 (&v2, &v3); + TestableTriangleEdge s4 (&v2, &v4); + TestableTriangleEdge s5 (&v3, &v4); db::Triangle t1 (&s1, &s2, &s3); db::Triangle t2 (&s3, &s4, &s5); EXPECT_EQ (s3.left () == &t2, true); @@ -485,7 +498,7 @@ TEST(TriangleEdge_distance) db::Vertex v1 (0, 0); db::Vertex v2 (1, 0); - db::TriangleEdge seg (&v1, &v2); + TestableTriangleEdge seg (&v1, &v2); EXPECT_EQ (seg.distance (db::DPoint (0, 0)), 0); EXPECT_EQ (seg.distance (db::DPoint (0, 1)), 1); EXPECT_EQ (seg.distance (db::DPoint (1, 2)), 2); diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index 7340e5a5e9..9f27f7f2e3 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -32,9 +32,31 @@ #include #include +class TestableTriangles + : public db::Triangles +{ +public: + using db::Triangles::Triangles; + using db::Triangles::check; + using db::Triangles::dump; + using db::Triangles::flip; + using db::Triangles::insert_point; + using db::Triangles::search_edges_crossing; + using db::Triangles::find_edge_for_points; + using db::Triangles::find_points_around; + using db::Triangles::find_inside_circle; + using db::Triangles::create_constrained_delaunay; + using db::Triangles::is_illegal_edge; + using db::Triangles::find_vertex_for_point; + using db::Triangles::remove; + using db::Triangles::ensure_edge; + using db::Triangles::constrain; + using db::Triangles::remove_outside_triangles; +}; + TEST(basic) { - db::Triangles tris; + TestableTriangles tris; tris.init_box (db::DBox (1, 0, 5, 4)); EXPECT_EQ (tris.bbox ().to_string (), "(1,0;5,4)"); @@ -45,7 +67,7 @@ TEST(basic) TEST(flip) { - db::Triangles tris; + TestableTriangles tris; tris.init_box (db::DBox (0, 0, 1, 1)); EXPECT_EQ (tris.to_string (), "((0, 0), (0, 1), (1, 0)), ((0, 1), (1, 1), (1, 0))"); @@ -66,7 +88,7 @@ TEST(flip) TEST(insert) { - db::Triangles tris; + TestableTriangles tris; tris.init_box (db::DBox (0, 0, 1, 1)); tris.insert_point (0.2, 0.2); @@ -76,7 +98,7 @@ TEST(insert) TEST(split_segment) { - db::Triangles tris; + TestableTriangles tris; tris.init_box (db::DBox (0, 0, 1, 1)); tris.insert_point (0.5, 0.5); @@ -86,7 +108,7 @@ TEST(split_segment) TEST(insert_vertex_twice) { - db::Triangles tris; + TestableTriangles tris; tris.init_box (db::DBox (0, 0, 1, 1)); tris.insert_point (0.5, 0.5); @@ -98,7 +120,7 @@ TEST(insert_vertex_twice) TEST(insert_vertex_convex) { - db::Triangles tris; + TestableTriangles tris; tris.insert_point (0.2, 0.2); tris.insert_point (0.2, 0.8); tris.insert_point (0.6, 0.5); @@ -110,7 +132,7 @@ TEST(insert_vertex_convex) TEST(insert_vertex_convex2) { - db::Triangles tris; + TestableTriangles tris; tris.insert_point (0.25, 0.1); tris.insert_point (0.1, 0.4); tris.insert_point (0.4, 0.15); @@ -121,7 +143,7 @@ TEST(insert_vertex_convex2) TEST(insert_vertex_convex3) { - db::Triangles tris; + TestableTriangles tris; tris.insert_point (0.25, 0.5); tris.insert_point (0.25, 0.55); tris.insert_point (0.15, 0.8); @@ -132,7 +154,7 @@ TEST(insert_vertex_convex3) TEST(search_edges_crossing) { - db::Triangles tris; + TestableTriangles tris; db::Vertex *v1 = tris.insert_point (0.2, 0.2); db::Vertex *v2 = tris.insert_point (0.2, 0.8); db::Vertex *v3 = tris.insert_point (0.6, 0.5); @@ -169,7 +191,7 @@ TEST(illegal_edge1) db::Triangle t2 (&ee1, &e2, &ee2); - EXPECT_EQ (db::Triangles::is_illegal_edge (&e2), true); + EXPECT_EQ (TestableTriangles::is_illegal_edge (&e2), true); } { @@ -185,7 +207,7 @@ TEST(illegal_edge1) db::Triangle t2 (&ee1, &ee2, &e1); - EXPECT_EQ (db::Triangles::is_illegal_edge (&e2), false); + EXPECT_EQ (TestableTriangles::is_illegal_edge (&e2), false); } } @@ -209,7 +231,7 @@ TEST(illegal_edge2) db::Triangle t2 (&ee1, &ee2, &e2); - EXPECT_EQ (db::Triangles::is_illegal_edge (&e2), false); + EXPECT_EQ (TestableTriangles::is_illegal_edge (&e2), false); } { @@ -225,7 +247,7 @@ TEST(illegal_edge2) db::Triangle t2 (&ee1, &ee2, &e1); - EXPECT_EQ (db::Triangles::is_illegal_edge (&e1), false); + EXPECT_EQ (TestableTriangles::is_illegal_edge (&e1), false); } } @@ -249,7 +271,7 @@ TEST(insert_many) { srand (0); - db::Triangles tris; + TestableTriangles tris; double res = 65536.0; db::DBox bbox; @@ -274,7 +296,7 @@ TEST(heavy_insert) srand (l); tl::info << "." << tl::noendl; - db::Triangles tris; + TestableTriangles tris; double res = 128.0; unsigned int n = rand () % 190 + 10; @@ -330,7 +352,7 @@ TEST(heavy_remove) srand (l); tl::info << "." << tl::noendl; - db::Triangles tris; + TestableTriangles tris; double res = 128.0; unsigned int n = rand () % 190 + 10; @@ -379,7 +401,7 @@ TEST(ensure_edge) { srand (0); - db::Triangles tris; + TestableTriangles tris; double res = 128.0; db::DEdge ee[] = { @@ -445,7 +467,7 @@ TEST(constrain) { srand (0); - db::Triangles tris; + TestableTriangles tris; double res = 128.0; db::DEdge ee[] = { @@ -509,7 +531,7 @@ TEST(heavy_constrain) srand (l); tl::info << "." << tl::noendl; - db::Triangles tris; + TestableTriangles tris; double res = 128.0; db::DEdge ee[] = { @@ -579,7 +601,7 @@ TEST(heavy_find_point_around) srand (l); tl::info << "." << tl::noendl; - db::Triangles tris; + TestableTriangles tris; double res = 128.0; unsigned int n = rand () % 190 + 10; @@ -626,7 +648,7 @@ TEST(create_constrained_delaunay) r -= r2; - db::Triangles tri; + TestableTriangles tri; tri.create_constrained_delaunay (r); tri.remove_outside_triangles (); @@ -657,7 +679,7 @@ TEST(triangulate) param.min_b = 1.2; param.max_area = 1.0; - db::Triangles tri; + TestableTriangles tri; tri.triangulate (r, param, 0.001); EXPECT_EQ (tri.check (), true); @@ -773,7 +795,7 @@ TEST(triangulate2) param.max_area = 0.1; param.min_length = 0.001; - db::Triangles tri; + TestableTriangles tri; tri.triangulate (r, param, dbu); EXPECT_EQ (tri.check (false), true); @@ -831,13 +853,13 @@ TEST(triangulate3) param.min_b = 1.0; param.max_area = 0.01; - db::Triangles tri; + TestableTriangles tri; tri.triangulate (rg, param, dbu); EXPECT_EQ (tri.check (false), true); // for debugging: - tri.dump ("debug.gds"); + // tri.dump ("debug.gds"); for (auto t = tri.begin (); t != tri.end (); ++t) { EXPECT_LE (t->area (), param.max_area); From e416c04a1ca9998ccc9d669a05e531f3453c609d Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 19 Aug 2023 20:40:15 +0200 Subject: [PATCH 090/128] Triangles: enhanced API --- src/db/db/dbTriangles.cc | 73 ++++++++++++++++++++++++++++++++++------ src/db/db/dbTriangles.h | 22 ++++++++++++ 2 files changed, 84 insertions(+), 11 deletions(-) diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 92add33909..6f4e928f5c 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -1414,6 +1414,23 @@ Triangles::clear () m_id = 0; } +template +void +Triangles::make_contours (const Poly &poly, const Trans &trans, std::vector > &edge_contours) +{ + edge_contours.push_back (std::vector ()); + for (auto pt = poly.begin_hull (); pt != poly.end_hull (); ++pt) { + edge_contours.back ().push_back (insert_point (trans * *pt)); + } + + for (unsigned int h = 0; h < poly.holes (); ++h) { + edge_contours.push_back (std::vector ()); + for (auto pt = poly.begin_hole (h); pt != poly.end_hole (h); ++pt) { + edge_contours.back ().push_back (insert_point (trans * *pt)); + } + } +} + void Triangles::create_constrained_delaunay (const db::Region ®ion, double dbu) { @@ -1421,21 +1438,32 @@ Triangles::create_constrained_delaunay (const db::Region ®ion, double dbu) std::vector > edge_contours; + db::CplxTrans trans (dbu); for (auto p = region.begin_merged (); ! p.at_end (); ++p) { + make_contours (*p, trans, edge_contours); + } - edge_contours.push_back (std::vector ()); - for (auto pt = p->begin_hull (); pt != p->end_hull (); ++pt) { - edge_contours.back ().push_back (insert_point (db::DPoint (*pt) * dbu)); - } + constrain (edge_contours); +} - for (unsigned int h = 0; h < p->holes (); ++h) { - edge_contours.push_back (std::vector ()); - for (auto pt = p->begin_hole (h); pt != p->end_hole (h); ++pt) { - edge_contours.back ().push_back (insert_point (db::DPoint (*pt) * dbu)); - } - } +void +Triangles::create_constrained_delaunay (const db::Polygon &p, double dbu) +{ + clear (); - } + std::vector > edge_contours; + make_contours (p, db::CplxTrans (dbu), edge_contours); + + constrain (edge_contours); +} + +void +Triangles::create_constrained_delaunay (const db::DPolygon &p) +{ + clear (); + + std::vector > edge_contours; + make_contours (p, db::DUnitTrans (), edge_contours); constrain (edge_contours); } @@ -1479,7 +1507,30 @@ Triangles::triangulate (const db::Region ®ion, const TriangulateParameters &p tl::SelfTimer timer (tl::verbosity () > parameters.base_verbosity, "Triangles::triangulate"); create_constrained_delaunay (region, dbu); + refine (parameters); +} + +void +Triangles::triangulate (const db::Polygon &poly, const TriangulateParameters ¶meters, double dbu) +{ + tl::SelfTimer timer (tl::verbosity () > parameters.base_verbosity, "Triangles::triangulate"); + + create_constrained_delaunay (poly, dbu); + refine (parameters); +} +void +Triangles::triangulate (const db::DPolygon &poly, const TriangulateParameters ¶meters) +{ + tl::SelfTimer timer (tl::verbosity () > parameters.base_verbosity, "Triangles::triangulate"); + + create_constrained_delaunay (poly); + refine (parameters); +} + +void +Triangles::refine (const TriangulateParameters ¶meters) +{ if (parameters.min_b < db::epsilon && parameters.max_area < db::epsilon && parameters.max_area_border < db::epsilon) { // no refinement requested - we're done. diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index 0e54508b81..26bb8d88ca 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -154,6 +154,16 @@ class DB_PUBLIC Triangles */ void triangulate (const db::Region ®ion, const TriangulateParameters ¶meters, double dbu = 1.0); + /** + * @brief Triangulates a polygon + */ + void triangulate (const db::Polygon &poly, const TriangulateParameters ¶meters, double dbu = 1.0); + + /** + * @brief Triangulates a floating-point polygon + */ + void triangulate (const db::DPolygon &poly, const TriangulateParameters ¶meters); + /** * @brief Statistics: number of flips (fixing) */ @@ -271,6 +281,16 @@ class DB_PUBLIC Triangles */ void create_constrained_delaunay (const db::Region ®ion, double dbu = 1.0); + /** + * @brief Creates a constrained Delaunay triangulation from the given Polygon + */ + void create_constrained_delaunay (const db::Polygon &poly, double dbu = 1.0); + + /** + * @brief Creates a constrained Delaunay triangulation from the given DPolygon + */ + void create_constrained_delaunay (const db::DPolygon &poly); + /** * @brief Returns a value indicating whether the edge is "illegal" (violates the Delaunay criterion) */ @@ -312,6 +332,8 @@ class DB_PUBLIC Triangles void insert_new_vertex(db::Vertex *vertex, std::list > *new_triangles_out); std::vector ensure_edge_inner (db::Vertex *from, db::Vertex *to); void join_edges (std::vector &edges); + void refine (const TriangulateParameters ¶m); + template void make_contours (const Poly &poly, const Trans &trans, std::vector > &contours); }; } From 5de45000db63101abae9621e548bf4a11dc374d9 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 19 Aug 2023 21:50:05 +0200 Subject: [PATCH 091/128] Triangles: integration into Region processor --- src/db/db/dbRegionProcessors.cc | 32 ++++++++++++++++++++++ src/db/db/dbRegionProcessors.h | 23 ++++++++++++++++ src/db/db/gsiDeclDbRegion.cc | 47 +++++++++++++++++++++++++++++++++ 3 files changed, 102 insertions(+) diff --git a/src/db/db/dbRegionProcessors.cc b/src/db/db/dbRegionProcessors.cc index 5931bf3dab..f6c1ee9ade 100644 --- a/src/db/db/dbRegionProcessors.cc +++ b/src/db/db/dbRegionProcessors.cc @@ -211,4 +211,36 @@ bool PolygonSizer::result_is_merged () const return (m_dx < 0 && m_dy < 0); } +// ----------------------------------------------------------------------------------- +// TriangulationProcessor implementation + +// some typical value to translate the values into "order of 1" +const double triangulation_dbu = 0.001; + +TriangulationProcessor::TriangulationProcessor (double max_area, double min_b) +{ + m_param.max_area = max_area; + m_param.base_verbosity = 40; + m_param.min_length = 2 * triangulation_dbu; + m_param.min_b = min_b; +} + +void +TriangulationProcessor::process (const db::Polygon &poly, std::vector &result) const +{ + db::Triangles tri; + tri.triangulate (poly, m_param, triangulation_dbu); + + db::Point pts [3]; + auto dbu_trans = db::CplxTrans (triangulation_dbu).inverted (); + + for (auto t = tri.begin (); t != tri.end (); ++t) { + for (int i = 0; i < 3; ++i) { + pts [i] = dbu_trans * *t->vertex (i); + } + result.push_back (db::Polygon ()); + result.back ().assign_hull (pts + 0, pts + 3); + } +} + } diff --git a/src/db/db/dbRegionProcessors.h b/src/db/db/dbRegionProcessors.h index 4bd9781936..864289f004 100644 --- a/src/db/db/dbRegionProcessors.h +++ b/src/db/db/dbRegionProcessors.h @@ -28,6 +28,7 @@ #include "dbRegionDelegate.h" #include "dbPolygonTools.h" #include "dbEdgesUtils.h" +#include "dbTriangles.h" namespace db { @@ -405,6 +406,28 @@ class DB_PUBLIC PolygonSizer unsigned int m_mode; }; +/** + * @brief A triangulation processor + */ +class DB_PUBLIC TriangulationProcessor + : public db::PolygonProcessorBase +{ +public: + TriangulationProcessor (double max_area = 0.0, double min_b = 1.0); + + void process (const db::Polygon &poly, std::vector &result) const; + + virtual const TransformationReducer *vars () const { return &m_vars; } + virtual bool result_is_merged () const { return false; } + virtual bool result_must_not_be_merged () const { return false; } + virtual bool requires_raw_input () const { return false; } + virtual bool wants_variants () const { return true; } + +private: + db::Triangles::TriangulateParameters m_param; + db::MagnificationReducer m_vars; +}; + /** * @brief Computes the Minkowski sum between the polygons and the given object * The object can be Edge, Polygon, Box and std::vector diff --git a/src/db/db/gsiDeclDbRegion.cc b/src/db/db/gsiDeclDbRegion.cc index b8c2813eac..04c7b3261c 100644 --- a/src/db/db/gsiDeclDbRegion.cc +++ b/src/db/db/gsiDeclDbRegion.cc @@ -235,6 +235,22 @@ static void insert_si2 (db::Region *r, db::RecursiveShapeIterator si, db::ICplxT } } +static db::Region delaunay (const db::Region *r) +{ + db::TriangulationProcessor tri (0.0, 0.0); + db::Region res = r->processed (tri); + res.set_merged_semantics (false); + return res; +} + +static db::Region refined_delaunay (const db::Region *r, double max_area, double min_b) +{ + db::TriangulationProcessor tri (max_area, min_b); + db::Region res = r->processed (tri); + res.set_merged_semantics (false); + return res; +} + static db::Region minkowski_sum_pe (const db::Region *r, const db::Edge &e) { return r->processed (db::minkowski_sum_computation (e)); @@ -2327,6 +2343,37 @@ Class decl_Region (decl_dbShapeCollection, "db", "Region", "\n" "This method has been introduced in version 0.26." ) + + method_ext ("delaunay", &delaunay, + "@brief Computes a constrained Delaunay triangulation from the given region\n" + "\n" + "@return A new region holding the triangles of the constrained Delaunay triangulation.\n" + "\n" + "Note that the result is a region in raw mode as otherwise the triangles are likely to get " + "merged later on.\n" + "\n" + "This method has been introduced in version 0.29." + ) + + method_ext ("delaunay", &refined_delaunay, gsi::arg ("max_area"), gsi::arg ("min_b", 1.0), + "@brief Computes a refined, constrained Delaunay triangulation from the given region\n" + "\n" + "@return A new region holding the triangles of the refined, constrained Delaunay triangulation.\n" + "\n" + "Refinement is implemented by Chew's second algorithm. A maximum area can be given. Triangles " + "larger than this area will be split. In addition 'skinny' triangles will be resolved where " + "possible. 'skinny' is defined in terms of shortest edge to circumcircle radius ratio (b). " + "A minimum number for b can be given. The default of 1.0 corresponds to a minimum angle of 30 degree " + "and is usually a good choice. The algorithm is stable up to roughly 1.2 which corresponds to " + "a minimum angle of abouth 37 degree.\n" + "\n" + "The area value is given in terms of DBU units. Picking a value of 0.0 for area and min b will " + "make the implementation skip the refinement step. In that case, the results are identical to " + "the standard constrained Delaunay triangulation.\n" + "\n" + "Note that the result is a region in raw mode as otherwise the triangles are likely to get " + "merged later on.\n" + "\n" + "This method has been introduced in version 0.29." + ) + method_ext ("minkowski_sum|#minkowsky_sum", &minkowski_sum_pe, gsi::arg ("e"), "@brief Compute the Minkowski sum of the region and an edge\n" "\n" From 1b60adf6c1e8b5c6c946b52e5f6b5ff8dcb0b1c1 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 20 Aug 2023 10:19:11 +0200 Subject: [PATCH 092/128] WIP --- src/db/db/dbRegionProcessors.cc | 11 ++++--- src/db/db/dbTriangles.cc | 40 +++++++++++++++-------- src/db/db/dbTriangles.h | 10 +++--- src/db/unit_tests/dbTrianglesTests.cc | 47 +++++++++++++++++++++++++-- 4 files changed, 83 insertions(+), 25 deletions(-) diff --git a/src/db/db/dbRegionProcessors.cc b/src/db/db/dbRegionProcessors.cc index f6c1ee9ade..959e1528ce 100644 --- a/src/db/db/dbRegionProcessors.cc +++ b/src/db/db/dbRegionProcessors.cc @@ -219,7 +219,7 @@ const double triangulation_dbu = 0.001; TriangulationProcessor::TriangulationProcessor (double max_area, double min_b) { - m_param.max_area = max_area; + m_param.max_area = max_area * triangulation_dbu * triangulation_dbu; m_param.base_verbosity = 40; m_param.min_length = 2 * triangulation_dbu; m_param.min_b = min_b; @@ -228,15 +228,18 @@ TriangulationProcessor::TriangulationProcessor (double max_area, double min_b) void TriangulationProcessor::process (const db::Polygon &poly, std::vector &result) const { + // NOTE: we center the polygon for better numerical stability + db::CplxTrans trans = db::CplxTrans (triangulation_dbu) * db::ICplxTrans (db::Trans (db::Point () - poly.box ().center ())); + db::Triangles tri; - tri.triangulate (poly, m_param, triangulation_dbu); + tri.triangulate (poly, m_param, trans); db::Point pts [3]; - auto dbu_trans = db::CplxTrans (triangulation_dbu).inverted (); + auto trans_inv = trans.inverted (); for (auto t = tri.begin (); t != tri.end (); ++t) { for (int i = 0; i < 3; ++i) { - pts [i] = dbu_trans * *t->vertex (i); + pts [i] = trans_inv * *t->vertex (i); } result.push_back (db::Polygon ()); result.back ().assign_hull (pts + 0, pts + 3); diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 6f4e928f5c..b30a524f1e 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -415,7 +415,7 @@ Triangles::find_closest_edge (const db::DPoint &p, db::Vertex *vstart, bool insi size_t n = m_vertex_heap.size (); size_t m = n; - // A sample heuristics that takes a sqrt(N) sample from the + // A simple heuristics that takes a sqrt(N) sample from the // vertexes to find a good starting point vstart = mp_triangles.begin ()->vertex (0); @@ -1432,13 +1432,12 @@ Triangles::make_contours (const Poly &poly, const Trans &trans, std::vector > edge_contours; - db::CplxTrans trans (dbu); for (auto p = region.begin_merged (); ! p.at_end (); ++p) { make_contours (*p, trans, edge_contours); } @@ -1447,12 +1446,12 @@ Triangles::create_constrained_delaunay (const db::Region ®ion, double dbu) } void -Triangles::create_constrained_delaunay (const db::Polygon &p, double dbu) +Triangles::create_constrained_delaunay (const db::Polygon &p, const CplxTrans &trans) { clear (); std::vector > edge_contours; - make_contours (p, db::CplxTrans (dbu), edge_contours); + make_contours (p, trans, edge_contours); constrain (edge_contours); } @@ -1506,7 +1505,16 @@ Triangles::triangulate (const db::Region ®ion, const TriangulateParameters &p { tl::SelfTimer timer (tl::verbosity () > parameters.base_verbosity, "Triangles::triangulate"); - create_constrained_delaunay (region, dbu); + create_constrained_delaunay (region, db::CplxTrans (dbu)); + refine (parameters); +} + +void +Triangles::triangulate (const db::Region ®ion, const TriangulateParameters ¶meters, const db::CplxTrans &trans) +{ + tl::SelfTimer timer (tl::verbosity () > parameters.base_verbosity, "Triangles::triangulate"); + + create_constrained_delaunay (region, trans); refine (parameters); } @@ -1515,7 +1523,16 @@ Triangles::triangulate (const db::Polygon &poly, const TriangulateParameters &pa { tl::SelfTimer timer (tl::verbosity () > parameters.base_verbosity, "Triangles::triangulate"); - create_constrained_delaunay (poly, dbu); + create_constrained_delaunay (poly, db::CplxTrans (dbu)); + refine (parameters); +} + +void +Triangles::triangulate (const db::Polygon &poly, const TriangulateParameters ¶meters, const db::CplxTrans &trans) +{ + tl::SelfTimer timer (tl::verbosity () > parameters.base_verbosity, "Triangles::triangulate"); + + create_constrained_delaunay (poly, trans); refine (parameters); } @@ -1582,13 +1599,10 @@ Triangles::refine (const TriangulateParameters ¶meters) if ((*t)->contains (center) >= 0) { - // heuristics #1: never insert a point into a triangle with more than one segments - if (t->get ()->num_segments () <= 1) { - if (tl::verbosity () >= parameters.base_verbosity + 20) { - tl::info << "Inserting in-triangle center " << center.to_string () << " of " << (*t)->to_string (true); - } - insert_point (center, &new_triangles); + if (tl::verbosity () >= parameters.base_verbosity + 20) { + tl::info << "Inserting in-triangle center " << center.to_string () << " of " << (*t)->to_string (true); } + insert_point (center, &new_triangles); } else { diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index 26bb8d88ca..403d0afe4c 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -154,10 +154,10 @@ class DB_PUBLIC Triangles */ void triangulate (const db::Region ®ion, const TriangulateParameters ¶meters, double dbu = 1.0); - /** - * @brief Triangulates a polygon - */ + // more versions void triangulate (const db::Polygon &poly, const TriangulateParameters ¶meters, double dbu = 1.0); + void triangulate (const db::Region ®ion, const TriangulateParameters ¶meters, const db::CplxTrans &trans = db::CplxTrans ()); + void triangulate (const db::Polygon &poly, const TriangulateParameters ¶meters, const db::CplxTrans &trans = db::CplxTrans ()); /** * @brief Triangulates a floating-point polygon @@ -279,12 +279,12 @@ class DB_PUBLIC Triangles /** * @brief Creates a constrained Delaunay triangulation from the given Region */ - void create_constrained_delaunay (const db::Region ®ion, double dbu = 1.0); + void create_constrained_delaunay (const db::Region ®ion, const db::CplxTrans &trans = db::CplxTrans ()); /** * @brief Creates a constrained Delaunay triangulation from the given Polygon */ - void create_constrained_delaunay (const db::Polygon &poly, double dbu = 1.0); + void create_constrained_delaunay (const db::Polygon &poly, const db::CplxTrans &trans = db::CplxTrans ()); /** * @brief Creates a constrained Delaunay triangulation from the given DPolygon diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index 9f27f7f2e3..a9d9e8a8c3 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -665,7 +665,7 @@ TEST(create_constrained_delaunay) "((0, 1000), (200, 800), (200, 200))"); } -TEST(triangulate) +TEST(triangulate_basic) { db::Region r; r.insert (db::Box (0, 0, 10000, 10000)); @@ -765,7 +765,7 @@ void read_polygons (const std::string &path, db::Region ®ion, double dbu) } } -TEST(triangulate2) +TEST(triangulate_geo) { double dbu = 0.001; @@ -816,7 +816,7 @@ TEST(triangulate2) EXPECT_LT (tri.num_triangles (), size_t (30000)); } -TEST(triangulate3) +TEST(triangulate_analytic) { double dbu = 0.0001; @@ -869,3 +869,44 @@ TEST(triangulate3) EXPECT_GT (tri.num_triangles (), size_t (1250)); EXPECT_LT (tri.num_triangles (), size_t (1300)); } + +TEST(triangulate_problematic) +{ + db::DPoint contour[] = { + db::DPoint (129145.00000, -30060.80000), + db::DPoint (129145.00000, -28769.50000), + db::DPoint (129159.50000, -28754.90000), + db::DPoint (129159.60000, -28754.80000), + db::DPoint (129159.50000, -28754.70000), + db::DPoint (129366.32200, -28547.90000), + db::DPoint (130958.54600, -26955.84600), + db::DPoint (131046.25000, -27043.55000), + db::DPoint (130152.15000, -27937.65000), + db::DPoint (130152.15000, -30060.80000) + }; + + db::DPolygon poly; + poly.assign_hull (contour + 0, contour + sizeof (contour) / sizeof (contour[0])); + + db::Triangles::TriangulateParameters param; + param.min_b = 1.0; + param.max_area = 10000.0; + param.min_length = 0.002; + + TestableTriangles tri; + tri.triangulate (poly, param); + + EXPECT_EQ (tri.check (false), true); + + // for debugging: + // tri.dump ("debug.gds"); + + for (auto t = tri.begin (); t != tri.end (); ++t) { + EXPECT_LE (t->area (), param.max_area); + EXPECT_GE (t->b (), param.min_b); + } + + EXPECT_GT (tri.num_triangles (), size_t (1250)); + EXPECT_LT (tri.num_triangles (), size_t (1300)); +} + From 83243f06bebaf1a861d188b95fd485cecd914704 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 20 Aug 2023 16:48:58 +0200 Subject: [PATCH 093/128] Triangles: solving a numerical issue --- src/db/db/dbTriangles.cc | 8 +++++++- src/db/unit_tests/dbTrianglesTests.cc | 10 +++++----- 2 files changed, 12 insertions(+), 6 deletions(-) diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index b30a524f1e..42e7ae0f72 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -470,7 +470,7 @@ Triangles::find_closest_edge (const db::DPoint &p, db::Vertex *vstart, bool insi double ds = (*e)->distance (p); - if (d < 0.0 || ds < d) { + if (d < 0.0) { d = ds; edge = *e; @@ -494,6 +494,12 @@ Triangles::find_closest_edge (const db::DPoint &p, db::Vertex *vstart, bool insi } } + } else if (ds < d) { + + d = ds; + edge = *e; + vnext = edge->other (v); + } } diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index a9d9e8a8c3..45eee96121 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -875,8 +875,8 @@ TEST(triangulate_problematic) db::DPoint contour[] = { db::DPoint (129145.00000, -30060.80000), db::DPoint (129145.00000, -28769.50000), - db::DPoint (129159.50000, -28754.90000), - db::DPoint (129159.60000, -28754.80000), + db::DPoint (129159.50000, -28754.90000), // this is a very short edge <-- from here. + db::DPoint (129159.60000, -28754.80000), // <-- to here. db::DPoint (129159.50000, -28754.70000), db::DPoint (129366.32200, -28547.90000), db::DPoint (130958.54600, -26955.84600), @@ -890,7 +890,7 @@ TEST(triangulate_problematic) db::Triangles::TriangulateParameters param; param.min_b = 1.0; - param.max_area = 10000.0; + param.max_area = 100000.0; param.min_length = 0.002; TestableTriangles tri; @@ -906,7 +906,7 @@ TEST(triangulate_problematic) EXPECT_GE (t->b (), param.min_b); } - EXPECT_GT (tri.num_triangles (), size_t (1250)); - EXPECT_LT (tri.num_triangles (), size_t (1300)); + EXPECT_GT (tri.num_triangles (), size_t (470)); + EXPECT_LT (tri.num_triangles (), size_t (490)); } From 4e8c83e7b66ff71e519b34b0ea0e7b650d66f53d Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 20 Aug 2023 22:31:45 +0200 Subject: [PATCH 094/128] Fixed a build error. --- src/db/db/dbTriangles.cc | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 42e7ae0f72..4261233dca 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -1315,7 +1315,7 @@ Triangles::join_edges (std::vector &edges) void Triangles::constrain (const std::vector > &contours) { - assert (! m_is_constrained); + tl_assert (! m_is_constrained); std::vector > > resolved_edges; From 5941ee688ac76a7b4f4f47e77e3276f903b18053 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 20 Aug 2023 22:33:06 +0200 Subject: [PATCH 095/128] Fixed a build error. --- src/db/db/dbTriangles.cc | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 4261233dca..2b519210c6 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -1085,7 +1085,7 @@ Triangles::fill_concave_corners (const std::vector &edges) } - if (not any_connected) { + if (! any_connected) { break; } From d01589c26ce182231b21661aa74a388d19697c44 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 20 Aug 2023 22:52:24 +0200 Subject: [PATCH 096/128] Fixed a build issue --- src/db/unit_tests/dbTriangleTests.cc | 1 + 1 file changed, 1 insertion(+) diff --git a/src/db/unit_tests/dbTriangleTests.cc b/src/db/unit_tests/dbTriangleTests.cc index fb6aba5311..3fcf703c18 100644 --- a/src/db/unit_tests/dbTriangleTests.cc +++ b/src/db/unit_tests/dbTriangleTests.cc @@ -25,6 +25,7 @@ #include "tlUnitTest.h" #include +#include class TestableTriangleEdge : public db::TriangleEdge From aef2979896fc19c8c1bdd64301d76724913f4f3a Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 20 Aug 2023 23:32:12 +0200 Subject: [PATCH 097/128] Fixed unit tests --- src/db/unit_tests/dbLayoutTests.cc | 2 +- src/db/unit_tests/dbVectorTests.cc | 8 ++++---- 2 files changed, 5 insertions(+), 5 deletions(-) diff --git a/src/db/unit_tests/dbLayoutTests.cc b/src/db/unit_tests/dbLayoutTests.cc index 27183b0b60..c213209a52 100644 --- a/src/db/unit_tests/dbLayoutTests.cc +++ b/src/db/unit_tests/dbLayoutTests.cc @@ -482,7 +482,7 @@ TEST(4) el.layer_properties_dirty = false; EXPECT_EQ (g.get_layer_maybe (db::LayerProperties (42, 17)), -1); EXPECT_EQ (el.layer_properties_dirty, false); - // always true: EXPECT_EQ (g.get_layer (db::LayerProperties (42, 17)) >= 0, true); + g.get_layer (db::LayerProperties (42, 17)); EXPECT_EQ (el.layer_properties_dirty, true); // new layer got inserted } diff --git a/src/db/unit_tests/dbVectorTests.cc b/src/db/unit_tests/dbVectorTests.cc index 9f43619208..999ee0f127 100644 --- a/src/db/unit_tests/dbVectorTests.cc +++ b/src/db/unit_tests/dbVectorTests.cc @@ -142,9 +142,9 @@ TEST(6) EXPECT_EQ (db::vprod_with_sign (db::Vector (1000000000, 0), db::Vector (1000000000, -1)).second, -1); EXPECT_EQ (db::sprod_sign (db::DVector (0, 100000.0000), db::DVector (100000.0000, 0)), 0); - EXPECT_EQ (db::sprod_sign (db::DVector (0, 100000.0000), db::DVector (100000.0000, 1e-7)), 0); + EXPECT_EQ (db::sprod_sign (db::DVector (0, 100000.0000), db::DVector (100000.0000, 1e-11)), 0); EXPECT_EQ (db::sprod_sign (db::DVector (0, 100000.0000), db::DVector (100000.0000, 0.0001)), 1); - EXPECT_EQ (db::sprod_sign (db::DVector (0, 100000.0000), db::DVector (100000.0000, -1e-7)), 0); + EXPECT_EQ (db::sprod_sign (db::DVector (0, 100000.0000), db::DVector (100000.0000, -1e-11)), 0); EXPECT_EQ (db::sprod_sign (db::DVector (0, 100000.0000), db::DVector (100000.0000, -0.0001)), -1); EXPECT_EQ (db::sprod_sign (db::DVector (100000.0000, 0), db::DVector (0, 100000.0000)), 0); EXPECT_EQ (db::sprod_sign (db::DVector (100000.0000, 0), db::DVector (0.0001, 100000.0000)), 1); @@ -157,9 +157,9 @@ TEST(6) EXPECT_EQ (db::vprod_sign (db::DVector (100000.0000, 0), db::DVector (100000.0000, -0.0001)), -1); EXPECT_EQ (db::sprod_with_sign (db::DVector (0, 100000.0000), db::DVector (100000.0000, 0)).second, 0); - EXPECT_EQ (db::sprod_with_sign (db::DVector (0, 100000.0000), db::DVector (100000.0000, 1e-7)).second, 0); + EXPECT_EQ (db::sprod_with_sign (db::DVector (0, 100000.0000), db::DVector (100000.0000, 1e-11)).second, 0); EXPECT_EQ (db::sprod_with_sign (db::DVector (0, 100000.0000), db::DVector (100000.0000, 0.0001)).second, 1); - EXPECT_EQ (db::sprod_with_sign (db::DVector (0, 100000.0000), db::DVector (100000.0000, -1e-7)).second, 0); + EXPECT_EQ (db::sprod_with_sign (db::DVector (0, 100000.0000), db::DVector (100000.0000, -1e-11)).second, 0); EXPECT_EQ (db::sprod_with_sign (db::DVector (0, 100000.0000), db::DVector (100000.0000, -0.0001)).second, -1); EXPECT_EQ (db::sprod_with_sign (db::DVector (100000.0000, 0), db::DVector (0, 100000.0000)).second, 0); EXPECT_EQ (db::sprod_with_sign (db::DVector (100000.0000, 0), db::DVector (0.0001, 100000.0000)).second, 1); From 9153763a1cdd3b79123c8f428c303fa3aaa75092 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Tue, 22 Aug 2023 23:27:10 +0200 Subject: [PATCH 098/128] Fixing Windows build - template point and vector are fully inlined and 'to_string' function pointer for SFINAE creates duplicate symboles --- src/db/db/dbPoint.h | 220 ++++++++++---------------- src/db/db/dbVector.h | 360 ++++++++++++++++--------------------------- 2 files changed, 208 insertions(+), 372 deletions(-) diff --git a/src/db/db/dbPoint.h b/src/db/db/dbPoint.h index ca281f0807..a3d44bfa63 100644 --- a/src/db/db/dbPoint.h +++ b/src/db/db/dbPoint.h @@ -47,7 +47,7 @@ class ArrayRepository; */ template -class DB_PUBLIC_TEMPLATE point +class DB_PUBLIC point { public: typedef C coord_type; @@ -131,27 +131,48 @@ class DB_PUBLIC_TEMPLATE point /** * @brief Add to operation */ - point &operator+= (const vector &v); + point &operator+= (const vector &v) + { + m_x += v.x (); + m_y += v.y (); + return *this; + } /** * @brief method version of operator+ (mainly for automation purposes) */ - point add (const vector &v) const; + point add (const vector &v) const + { + point r (*this); + r += v; + return r; + } /** * @brief Subtract from operation */ - point &operator-= (const vector &v); + point &operator-= (const vector &v) + { + m_x -= v.x (); + m_y -= v.y (); + return *this; + } /** * @brief method version of operator- (mainly for automation purposes) */ - point subtract (const vector &v) const; + point subtract (const vector &v) const + { + return *this - v; + } /** * @brief method version of operator- (mainly for automation purposes) */ - vector subtract (const point &p) const; + vector subtract (const point &p) const + { + return *this - p; + } /** * @brief "less" comparison operator @@ -159,17 +180,26 @@ class DB_PUBLIC_TEMPLATE point * This operator is provided to establish a sorting * order */ - bool operator< (const point &p) const; + bool operator< (const point &p) const + { + return m_y < p.m_y || (m_y == p.m_y && m_x < p.m_x); + } /** * @brief Equality test operator */ - bool operator== (const point &p) const; + bool operator== (const point &p) const + { + return m_x == p.m_x && m_y == p.m_y; + } /** * @brief Inequality test operator */ - bool operator!= (const point &p) const; + bool operator!= (const point &p) const + { + return !operator== (p); + } /** * @brief Const transform @@ -181,7 +211,10 @@ class DB_PUBLIC_TEMPLATE point * @return The transformed point */ template - point transformed (const Tr &t) const; + point transformed (const Tr &t) const + { + return t (*this); + } /** * @brief In-place transformation @@ -193,27 +226,43 @@ class DB_PUBLIC_TEMPLATE point * @return The transformed point */ template - point &transform (const Tr &t); + point &transform (const Tr &t) + { + *this = t (*this); + return *this; + } /** * @brief Accessor to the x coordinate */ - C x () const; + C x () const + { + return m_x; + } /** * @brief Accessor to the y coordinate */ - C y () const; + C y () const + { + return m_y; + } /** * @brief Write accessor to the x coordinate */ - void set_x (C _x); + void set_x (C _x) + { + m_x = _x; + } /** * @brief Write accessor to the y coordinate */ - void set_y (C _y); + void set_y (C _y) + { + m_y = _y; + } /** * @brief Scaling self by some factor @@ -313,7 +362,10 @@ class DB_PUBLIC_TEMPLATE point /** * @brief Fuzzy comparison of points */ - bool equal (const point &p) const; + bool equal (const point &p) const + { + return coord_traits::equal (x (), p.x ()) && coord_traits::equal (y (), p.y ()); + } /** * @brief Fuzzy comparison of points for inequality @@ -326,7 +378,16 @@ class DB_PUBLIC_TEMPLATE point /** * @brief Fuzzy "less" comparison of points */ - bool less (const point &p) const; + bool less (const point &p) const + { + if (! coord_traits::equal (y (), p.y ())) { + return y () < p.y (); + } + if (! coord_traits::equal (x (), p.x ())) { + return x () < p.x (); + } + return false; + } /** * @brief The (dummy) translation operator @@ -350,131 +411,6 @@ class DB_PUBLIC_TEMPLATE point C m_x, m_y; }; -template -inline point & -point::operator+= (const vector &v) -{ - m_x += v.x (); - m_y += v.y (); - return *this; -} - -template -inline point -point::add (const vector &v) const -{ - point r (*this); - r += v; - return r; -} - -template -inline point & -point::operator-= (const vector &v) -{ - m_x -= v.x (); - m_y -= v.y (); - return *this; -} - -template -inline point -point::subtract (const vector &v) const -{ - return *this - v; -} - -template -inline vector -point::subtract (const point &p) const -{ - return *this - p; -} - -template -inline bool -point::operator< (const point &p) const -{ - return m_y < p.m_y || (m_y == p.m_y && m_x < p.m_x); -} - -template -inline bool -point::less (const point &p) const -{ - if (! coord_traits::equal (y (), p.y ())) { - return y () < p.y (); - } - if (! coord_traits::equal (x (), p.x ())) { - return x () < p.x (); - } - return false; -} - -template -inline bool -point::operator== (const point &p) const -{ - return m_x == p.m_x && m_y == p.m_y; -} - -template -inline bool -point::equal (const point &p) const -{ - return coord_traits::equal (x (), p.x ()) && coord_traits::equal (y (), p.y ()); -} - -template -inline bool -point::operator!= (const point &p) const -{ - return !operator== (p); -} - -template template -inline point -point::transformed (const Tr &t) const -{ - return t (*this); -} - -template template -inline point & -point::transform (const Tr &t) -{ - *this = t (*this); - return *this; -} - -template -inline C -point::x () const -{ - return m_x; -} - -template -inline C -point::y () const -{ - return m_y; -} - -template -inline void -point::set_x (C _x) -{ - m_x = _x; -} - -template -inline void -point::set_y (C _y) -{ - m_y = _y; -} - template inline point operator* (const db::point &p, double s) diff --git a/src/db/db/dbVector.h b/src/db/db/dbVector.h index 7f7e9c1540..87faa90fab 100644 --- a/src/db/db/dbVector.h +++ b/src/db/db/dbVector.h @@ -45,7 +45,7 @@ template class point; */ template -class DB_PUBLIC_TEMPLATE vector +class DB_PUBLIC vector { public: typedef C coord_type; @@ -171,22 +171,42 @@ class DB_PUBLIC_TEMPLATE vector /** * @brief Add to operation */ - vector &operator+= (const vector &p); + vector &operator+= (const vector &p) + { + m_x += p.x (); + m_y += p.y (); + return *this; + } /** * @brief method version of operator+ (mainly for automation purposes) */ - vector add (const vector &p) const; + vector add (const vector &p) const + { + vector r (*this); + r += p; + return r; + } /** * @brief Subtract from operation */ - vector &operator-= (const vector &p); + vector &operator-= (const vector &p) + { + m_x -= p.x (); + m_y -= p.y (); + return *this; + } /** * @brief method version of operator- (mainly for automation purposes) */ - vector subtract (const vector &p) const; + vector subtract (const vector &p) const + { + vector r (*this); + r -= p; + return r; + } /** * @brief "less" comparison operator @@ -194,17 +214,26 @@ class DB_PUBLIC_TEMPLATE vector * This operator is provided to establish a sorting * order */ - bool operator< (const vector &p) const; + bool operator< (const vector &p) const + { + return m_y < p.m_y || (m_y == p.m_y && m_x < p.m_x); + } /** * @brief Equality test operator */ - bool operator== (const vector &p) const; + bool operator== (const vector &p) const + { + return m_x == p.m_x && m_y == p.m_y; + } /** * @brief Inequality test operator */ - bool operator!= (const vector &p) const; + bool operator!= (const vector &p) const + { + return !operator== (p); + } /** * @brief Const transform @@ -217,7 +246,10 @@ class DB_PUBLIC_TEMPLATE vector * @return The transformed vector */ template - vector transformed (const Tr &t) const; + vector transformed (const Tr &t) const + { + return t (vector (*this)); + } /** * @brief In-place transformation @@ -229,32 +261,51 @@ class DB_PUBLIC_TEMPLATE vector * @return The transformed vector */ template - vector &transform (const Tr &t); + vector &transform (const Tr &t) + { + *this = vector (t (*this)); + return *this; + } /** * @brief Accessor to the x coordinate */ - C x () const; + C x () const + { + return m_x; + } /** * @brief Accessor to the y coordinate */ - C y () const; + C y () const + { + return m_y; + } /** * @brief Write accessor to the x coordinate */ - void set_x (C _x); + void set_x (C _x) + { + m_x = _x; + } /** * @brief Write accessor to the y coordinate */ - void set_y (C _y); + void set_y (C _y) + { + m_y = _y; + } /** * @brief Fuzzy comparison of vectors */ - bool equal (const vector &p) const; + bool equal (const vector &p) const + { + return coord_traits::equal (x (), p.x ()) && coord_traits::equal (y (), p.y ()); + } /** * @brief Fuzzy comparison of vectors for inequality @@ -267,31 +318,56 @@ class DB_PUBLIC_TEMPLATE vector /** * @brief Fuzzy "less" comparison of vectors */ - bool less (const vector &p) const; + bool less (const vector &p) const + { + if (! coord_traits::equal (y (), p.y ())) { + return y () < p.y (); + } + if (! coord_traits::equal (x (), p.x ())) { + return x () < p.x (); + } + return false; + } /** * @brief Scaling by some factor * * To avoid round effects, the result vector is of double coordinate type. */ - vector operator* (double s) const; + vector operator* (double s) const + { + return vector (m_x * s, m_y * s); + } /** * @brief Scaling by some factor */ - vector operator* (long s) const; + vector operator* (long s) const + { + return vector (m_x * s, m_y * s); + } /** * @brief Scaling self by some factor * * Scaling by a double value in general involves rounding when the coordinate type is integer. */ - vector operator*= (double s); + vector operator*= (double s) + { + m_x = coord_traits::rounded (m_x * s); + m_y = coord_traits::rounded (m_y * s); + return *this; + } /** * @brief Scaling self by some integer factor */ - vector operator*= (long s); + vector operator*= (long s) + { + m_x *= s; + m_y *= s; + return *this; + } /** * @brief Division by some divisor. @@ -300,32 +376,60 @@ class DB_PUBLIC_TEMPLATE vector * with the coord_traits scheme. */ - vector &operator/= (double s); + vector &operator/= (double s) + { + double mult = 1.0 / static_cast(s); + *this *= mult; + return *this; + } /** * @brief Dividing self by some integer divisor */ - vector &operator/= (long s); + vector &operator/= (long s) + { + double mult = 1.0 / static_cast(s); + *this *= mult; + return *this; + } /** * @brief The euclidian length */ - distance_type length () const; + distance_type length () const + { + double ddx (x ()); + double ddy (y ()); + return coord_traits::rounded_distance (sqrt (ddx * ddx + ddy * ddy)); + } /** * @brief The euclidian length of the vector */ - double double_length () const; + double double_length () const + { + double ddx (x ()); + double ddy (y ()); + return sqrt (ddx * ddx + ddy * ddy); + } /** * @brief The square euclidian length of the vector */ - area_type sq_length () const; + area_type sq_length () const + { + return coord_traits::sq_length (0, 0, x (), y ()); + } /** * @brief The square of the euclidian length of the vector */ - double sq_double_length () const; + double sq_double_length () const + { + double ddx (x ()); + double ddy (y ()); + return ddx * ddx + ddy * ddy; + } /** * @brief String conversion @@ -349,140 +453,6 @@ class DB_PUBLIC_TEMPLATE vector C m_x, m_y; }; -template -inline vector & -vector::operator+= (const vector &p) -{ - m_x += p.x (); - m_y += p.y (); - return *this; -} - -template -inline vector -vector::add (const vector &p) const -{ - vector r (*this); - r += p; - return r; -} - -template -inline vector & -vector::operator-= (const vector &p) -{ - m_x -= p.x (); - m_y -= p.y (); - return *this; -} - -template -inline vector -vector::subtract (const vector &p) const -{ - vector r (*this); - r -= p; - return r; -} - -template -inline bool -vector::operator< (const vector &p) const -{ - return m_y < p.m_y || (m_y == p.m_y && m_x < p.m_x); -} - -template -inline bool -vector::less (const vector &p) const -{ - if (! coord_traits::equal (y (), p.y ())) { - return y () < p.y (); - } - if (! coord_traits::equal (x (), p.x ())) { - return x () < p.x (); - } - return false; -} - -template -inline bool -vector::operator== (const vector &p) const -{ - return m_x == p.m_x && m_y == p.m_y; -} - -template -inline bool -vector::equal (const vector &p) const -{ - return coord_traits::equal (x (), p.x ()) && coord_traits::equal (y (), p.y ()); -} - -template -inline bool -vector::operator!= (const vector &p) const -{ - return !operator== (p); -} - -template template -inline vector -vector::transformed (const Tr &t) const -{ - return t (vector (*this)); -} - -template template -inline vector & -vector::transform (const Tr &t) -{ - *this = vector (t (*this)); - return *this; -} - -template -inline C -vector::x () const -{ - return m_x; -} - -template -inline C -vector::y () const -{ - return m_y; -} - -template -inline void -vector::set_x (C _x) -{ - m_x = _x; -} - -template -inline void -vector::set_y (C _y) -{ - m_y = _y; -} - -template -inline vector -vector::operator* (double s) const -{ - return vector (m_x * s, m_y * s); -} - -template -inline vector -vector::operator* (long s) const -{ - return vector (m_x * s, m_y * s); -} - template inline vector operator/ (const db::vector &p, Number s) @@ -491,76 +461,6 @@ operator/ (const db::vector &p, Number s) return vector (p.x () * mult, p.y () * mult); } -template -inline vector & -vector::operator/= (double s) -{ - double mult = 1.0 / static_cast(s); - *this *= mult; - return *this; -} - -template -inline vector & -vector::operator/= (long s) -{ - double mult = 1.0 / static_cast(s); - *this *= mult; - return *this; -} - -template -inline vector -vector::operator*= (double s) -{ - m_x = coord_traits::rounded (m_x * s); - m_y = coord_traits::rounded (m_y * s); - return *this; -} - -template -inline vector -vector::operator*= (long s) -{ - m_x *= s; - m_y *= s; - return *this; -} - -template -inline typename vector::distance_type -vector::length () const -{ - double ddx (x ()); - double ddy (y ()); - return coord_traits::rounded_distance (sqrt (ddx * ddx + ddy * ddy)); -} - -template -inline double -vector::double_length () const -{ - double ddx (x ()); - double ddy (y ()); - return sqrt (ddx * ddx + ddy * ddy); -} - -template -inline typename vector::area_type -vector::sq_length () const -{ - return coord_traits::sq_length (0, 0, x (), y ()); -} - -template -inline double -vector::sq_double_length () const -{ - double ddx (x ()); - double ddy (y ()); - return ddx * ddx + ddy * ddy; -} - /** * @brief The binary + operator (addition of vectors) * From 6027510c194529207e2f22017f1898e548647d86 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Wed, 23 Aug 2023 00:03:59 +0200 Subject: [PATCH 099/128] Fixing Windows build --- src/db/db/dbPoint.h | 196 +++++++++++++++++--------------------------- 1 file changed, 74 insertions(+), 122 deletions(-) diff --git a/src/db/db/dbPoint.h b/src/db/db/dbPoint.h index a3d44bfa63..ae8ff86384 100644 --- a/src/db/db/dbPoint.h +++ b/src/db/db/dbPoint.h @@ -270,12 +270,22 @@ class DB_PUBLIC point * Scaling involves rounding which in our case is simply handled * with the coord_traits scheme. */ - point &operator*= (double s); + point &operator*= (double s) + { + m_x = coord_traits::rounded (m_x * s); + m_y = coord_traits::rounded (m_y * s); + return *this; + } /** * @brief Scaling self by some integer factor */ - point &operator*= (long s); + point &operator*= (long s) + { + m_x = coord_traits::rounded (m_x * s); + m_y = coord_traits::rounded (m_y * s); + return *this; + } /** * @brief Division by some divisor. @@ -284,62 +294,114 @@ class DB_PUBLIC point * with the coord_traits scheme. */ - point &operator/= (double s); + point &operator/= (double s) + { + double mult = 1.0 / static_cast(s); + *this *= mult; + return *this; + } /** * @brief Dividing self by some integer divisor */ - point &operator/= (long s); + point &operator/= (long s) + { + double mult = 1.0 / static_cast(s); + *this *= mult; + return *this; + } /** * @brief The euclidian distance to another point * * @param d The other to compute the distance to. */ - distance_type distance (const point &p) const; + distance_type distance (const point &p) const + { + double ddx (p.x ()); + double ddy (p.y ()); + ddx -= double (x ()); + ddy -= double (y ()); + return coord_traits::rounded_distance (sqrt (ddx * ddx + ddy * ddy)); + } /** * @brief The euclidian distance of the point to (0,0) */ - distance_type distance () const; + distance_type distance () const + { + double ddx (x ()); + double ddy (y ()); + return coord_traits::rounded_distance (sqrt (ddx * ddx + ddy * ddy)); + } /** * @brief The euclidian distance to another point as double value * * @param d The other to compute the distance to. */ - double double_distance (const point &p) const; + double double_distance (const point &p) const + { + double ddx (p.x ()); + double ddy (p.y ()); + ddx -= double (x ()); + ddy -= double (y ()); + return sqrt (ddx * ddx + ddy * ddy); + } /** * @brief The euclidian distance of the point to (0,0) as double value */ - double double_distance () const; + double double_distance () const + { + double ddx (x ()); + double ddy (y ()); + return sqrt (ddx * ddx + ddy * ddy); + } /** * @brief The square euclidian distance to another point * * @param d The other to compute the distance to. */ - area_type sq_distance (const point &p) const; + area_type sq_distance (const point &p) const + { + return coord_traits::sq_length (p.x (), p.y (), x (), y ()); + } /** * @brief The square euclidian distance to point (0,0) * * @param d The other to compute the distance to. */ - area_type sq_distance () const; + area_type sq_distance () const + { + return coord_traits::sq_length (0, 0, x (), y ()); + } /** * @brief The square of the euclidian distance to another point as double value * * @param d The other to compute the distance to. */ - double sq_double_distance (const point &p) const; + double sq_double_distance (const point &p) const + { + double ddx (p.x ()); + double ddy (p.y ()); + ddx -= double (x ()); + ddy -= double (y ()); + return ddx * ddx + ddy * ddy; + } /** * @brief The square of the euclidian distance of the point to (0,0) as double value */ - double sq_double_distance () const; + double sq_double_distance () const + { + double ddx (x ()); + double ddy (y ()); + return ddx * ddx + ddy * ddy; + } /** * @brief String conversion @@ -454,116 +516,6 @@ operator/ (const db::point &p, Number s) return point (p.x () * mult, p.y () * mult); } -template -inline point & -point::operator/= (double s) -{ - double mult = 1.0 / static_cast(s); - *this *= mult; - return *this; -} - -template -inline point & -point::operator/= (long s) -{ - double mult = 1.0 / static_cast(s); - *this *= mult; - return *this; -} - -template -inline point & -point::operator*= (double s) -{ - m_x = coord_traits::rounded (m_x * s); - m_y = coord_traits::rounded (m_y * s); - return *this; -} - -template -inline point & -point::operator*= (long s) -{ - m_x = coord_traits::rounded (m_x * s); - m_y = coord_traits::rounded (m_y * s); - return *this; -} - -template -inline typename point::distance_type -point::distance (const point &p) const -{ - double ddx (p.x ()); - double ddy (p.y ()); - ddx -= double (x ()); - ddy -= double (y ()); - return coord_traits::rounded_distance (sqrt (ddx * ddx + ddy * ddy)); -} - -template -inline typename point::distance_type -point::distance () const -{ - double ddx (x ()); - double ddy (y ()); - return coord_traits::rounded_distance (sqrt (ddx * ddx + ddy * ddy)); -} - -template -inline double -point::double_distance (const point &p) const -{ - double ddx (p.x ()); - double ddy (p.y ()); - ddx -= double (x ()); - ddy -= double (y ()); - return sqrt (ddx * ddx + ddy * ddy); -} - -template -inline double -point::double_distance () const -{ - double ddx (x ()); - double ddy (y ()); - return sqrt (ddx * ddx + ddy * ddy); -} - -template -inline typename point::area_type -point::sq_distance (const point &p) const -{ - return coord_traits::sq_length (p.x (), p.y (), x (), y ()); -} - -template -inline typename point::area_type -point::sq_distance () const -{ - return coord_traits::sq_length (0, 0, x (), y ()); -} - -template -inline double -point::sq_double_distance (const point &p) const -{ - double ddx (p.x ()); - double ddy (p.y ()); - ddx -= double (x ()); - ddy -= double (y ()); - return ddx * ddx + ddy * ddy; -} - -template -inline double -point ::sq_double_distance () const -{ - double ddx (x ()); - double ddy (y ()); - return ddx * ddx + ddy * ddy; -} - /** * @brief The binary + operator (addition point and vector) * From 3313f5588e9611a343dd58047be1806db81db319 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Wed, 23 Aug 2023 20:33:41 +0200 Subject: [PATCH 100/128] Trying to fix more Windows build issues --- src/db/db/dbPoint.cc | 9 +++++++++ src/db/db/dbVector.cc | 9 +++++++++ 2 files changed, 18 insertions(+) diff --git a/src/db/db/dbPoint.cc b/src/db/db/dbPoint.cc index 97641e812e..468ae0da8a 100644 --- a/src/db/db/dbPoint.cc +++ b/src/db/db/dbPoint.cc @@ -55,6 +55,15 @@ namespace { } +namespace db +{ + +// instantiations +template class point; +template class point; + +} + namespace tl { diff --git a/src/db/db/dbVector.cc b/src/db/db/dbVector.cc index 2ef408a5d9..f401ba3036 100644 --- a/src/db/db/dbVector.cc +++ b/src/db/db/dbVector.cc @@ -55,6 +55,15 @@ namespace { } +namespace db +{ + +// instantiations +template class vector; +template class vector; + +} + namespace tl { From 8ac4113abc39419c7749ece5c80419183576ab8d Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Wed, 23 Aug 2023 20:39:03 +0200 Subject: [PATCH 101/128] Further trying to fix Windows builds --- src/db/db/dbPoint.cc | 1 + 1 file changed, 1 insertion(+) diff --git a/src/db/db/dbPoint.cc b/src/db/db/dbPoint.cc index 468ae0da8a..e138ac6a3d 100644 --- a/src/db/db/dbPoint.cc +++ b/src/db/db/dbPoint.cc @@ -22,6 +22,7 @@ #include "dbPoint.h" +#include "dbVector.h" // ---------------------------------------------------------------- // Implementation of the custom extractors From 5075cad46acded58d1ab643aa6db5c3e487d6bbe Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Wed, 23 Aug 2023 20:43:58 +0200 Subject: [PATCH 102/128] Further trying to fix Windows builds --- src/db/db/dbVector.cc | 1 + 1 file changed, 1 insertion(+) diff --git a/src/db/db/dbVector.cc b/src/db/db/dbVector.cc index f401ba3036..ece84502c9 100644 --- a/src/db/db/dbVector.cc +++ b/src/db/db/dbVector.cc @@ -22,6 +22,7 @@ #include "dbVector.h" +#include "dbPoint.h" // ---------------------------------------------------------------- // Implementation of the custom extractors From 87fcbbecfa4ece16a665d329312ab0cfdf48d779 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Wed, 23 Aug 2023 21:47:06 +0200 Subject: [PATCH 103/128] Fixed some includes which where not there --- src/db/db/dbTriangle.h | 5 +++++ src/db/db/dbTriangles.cc | 3 +++ src/db/db/dbTriangles.h | 5 +++++ 3 files changed, 13 insertions(+) diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index bf9bea8fe9..11bd2f3e37 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -32,6 +32,11 @@ #include "tlObjectCollection.h" #include "tlList.h" +#include +#include +#include +#include + namespace db { diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index 2b519210c6..ad6a5b0a46 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -29,6 +29,9 @@ #include "tlTimer.h" #include +#include +#include +#include namespace db { diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index 403d0afe4c..62a24acf25 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -33,6 +33,11 @@ #include "tlObjectCollection.h" #include "tlStableVector.h" +#include +#include +#include +#include + namespace db { From b1d8234b613fed54bdb22824fc5283d2d33e10ae Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Thu, 19 Oct 2023 23:03:46 +0200 Subject: [PATCH 104/128] Trying to fix fails on Windows --- src/pymod/distutils_src/pya/__init__.py | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/src/pymod/distutils_src/pya/__init__.py b/src/pymod/distutils_src/pya/__init__.py index a822c61774..83207e91d2 100644 --- a/src/pymod/distutils_src/pya/__init__.py +++ b/src/pymod/distutils_src/pya/__init__.py @@ -4,6 +4,8 @@ from klayout.pya import * from klayout.db.pcell_declaration_helper import * +from klayout.db.pcell_declaration_helper import __all__ as _all_added1 +__all__ += _all_added1 # establish the PCellDeclarationHelper using the mixin provided by _pcell_declaration_helper class PCellDeclarationHelper(_PCellDeclarationHelperMixin, PCellDeclaration): @@ -19,3 +21,5 @@ def _make_default_trans(self): if k.startswith("Type"): setattr(PCellDeclarationHelper, k, getattr(PCellParameterDeclaration, k)) +__all__ += [ "PCellDeclarationHelper" ] + From 6127dd1dd6448dde9152eef3e422ac60546f195f Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 17 Dec 2023 22:03:02 +0100 Subject: [PATCH 105/128] Generalization of the ucrt build script --- scripts/deploy-win-ucrt64.sh | 22 ++++++++++++++++------ 1 file changed, 16 insertions(+), 6 deletions(-) diff --git a/scripts/deploy-win-ucrt64.sh b/scripts/deploy-win-ucrt64.sh index 973b79a315..72e8eaa891 100644 --- a/scripts/deploy-win-ucrt64.sh +++ b/scripts/deploy-win-ucrt64.sh @@ -26,7 +26,6 @@ fi pwd=$(pwd) -enable64bit=1 args="" suffix="" @@ -42,7 +41,7 @@ while [ "$1" != "" ]; do echo "Options:" echo " -s Binary suffix" echo "" - echo "By default, both 32 and 64 bit builds are performed" + echo "Only 64 bit builds are performed." exit 0 elif [ "$1" = "-s" ]; then shift @@ -67,9 +66,7 @@ if [ "$KLAYOUT_BUILD_IN_PROGRESS" == "" ]; then # Run ourself in UCRT64 system for the win64 build - if [ "$enable64bit" != "0" ]; then - MSYSTEM=UCRT64 bash --login -c "cd $pwd ; $self" - fi + MSYSTEM=UCRT64 bash --login -c "cd $pwd ; $self" exit 0 @@ -79,9 +76,20 @@ fi # Actual build branch if [ "$MSYSTEM" == "UCRT64" ]; then + arch=win64-ucrt ucrt_inst=/ucrt64 - ucrt_vssdk="C:/Program Files (x86)/Windows Kits/10/Redist/10.0.22621.0/ucrt/DLLs/x64" + + shopt -s nullglob + ucrt_vssdk=(/c/Program\ Files\ \(x86\)/Windows\ Kits/10/Redist/10.0.*) + shopt -u nullglob + ucrt_vssdk=${ucrt_vssdk[0]} + if [ "$ucrt_vssdk" = "" ]; then + echo "ERROR: ucrt64 DLLs not found" + exit 1 + fi + ucrt_vssdk=$(cygpath -w "${a[0]}") + else echo "ERROR: not in ucrt64 system." fi @@ -105,6 +113,8 @@ echo " version = $KLAYOUT_VERSION" echo " build args = $KLAYOUT_BUILD_ARGS" echo " suffix = $KLAYOUT_BUILD_SUFFIX" echo "" +echo " UCRT libs = $ucrt_vssdk" +echo "" rm -rf $target ./build.sh -python $python -ruby $ruby -bin $target -build $build -j2$KLAYOUT_BUILD_ARGS From 8865840c2957dd0dd6d502cc177f28d1579f08a0 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sun, 17 Dec 2023 22:04:05 +0100 Subject: [PATCH 106/128] Bug fix in build script --- scripts/deploy-win-ucrt64.sh | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/scripts/deploy-win-ucrt64.sh b/scripts/deploy-win-ucrt64.sh index 72e8eaa891..c1dc8b74df 100644 --- a/scripts/deploy-win-ucrt64.sh +++ b/scripts/deploy-win-ucrt64.sh @@ -88,7 +88,7 @@ if [ "$MSYSTEM" == "UCRT64" ]; then echo "ERROR: ucrt64 DLLs not found" exit 1 fi - ucrt_vssdk=$(cygpath -w "${a[0]}") + ucrt_vssdk=$(cygpath -w "$ucrt_vssdk") else echo "ERROR: not in ucrt64 system." From da3452aa172945cddc58337b5f61825a96f03c1d Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Mon, 18 Dec 2023 00:13:32 +0100 Subject: [PATCH 107/128] Enhancing dependency analysis --- scripts/deploy-win-ucrt64.sh | 20 +++++++++++--------- 1 file changed, 11 insertions(+), 9 deletions(-) diff --git a/scripts/deploy-win-ucrt64.sh b/scripts/deploy-win-ucrt64.sh index c1dc8b74df..f95ac87ea8 100644 --- a/scripts/deploy-win-ucrt64.sh +++ b/scripts/deploy-win-ucrt64.sh @@ -246,24 +246,26 @@ while [ "$new_libs" != "" ]; do echo "Analyzing dependencies of $new_libs .." # Analyze the dependencies of our components and add the corresponding libraries from $ucrt_inst/bin - libs="" + tmp_libs=.tmp-libs.txt + rm -f $tmp_libs + echo "" >$tmp_libs for l in $new_libs; do - libs1=$(objdump -p $l | grep "DLL Name:" | sort -u | sed 's/.*DLL Name: *//') - libs="$libs $libs1" + echo -n "." + objdump -p $l | grep "DLL Name:" | sed 's/.*DLL Name: *//' >>$tmp_libs done - new_libs="" + echo "" + new_libs=$(cat $tmp_libs | sort -u) + rm -f $tmp_libs for l in $libs; do if [ -e $ucrt_inst/bin/$l ] && ! [ -e $l ]; then - echo "Copying binary installation partial $ucrt_inst/bin/$l -> $target/$l" + echo "Copying binary installation partial $ucrt_inst/bin/$l -> $l" cp $ucrt_inst/bin/$l $l new_libs="$new_libs $l" elif [ -e "${ucrt_vssdk}/$l" ] && ! [ -e "$target/$l" ]; then - echo "Copying binary installation partial $ucrt_inst/bin/$l -> $target/$l" - cp "${ucrt_vssdk}/${l}" "$target/$l" + echo "Copying binary installation partial $ucrt_inst/bin/$l -> $l" + cp "${ucrt_vssdk}/${l}" "$l" new_libs="$new_libs $l" - elif ! [ -e C:/windows/system32/$l ] && ! [ -e "$pwd/bin/$l" ]; then - echo "NOT FOUND $l" fi done From 9efe4e9e71e5028809368feb17e841f6d97df634 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Mon, 18 Dec 2023 00:21:39 +0100 Subject: [PATCH 108/128] Bugfixed dependency analysis --- scripts/deploy-win-ucrt64.sh | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/scripts/deploy-win-ucrt64.sh b/scripts/deploy-win-ucrt64.sh index f95ac87ea8..6c5b919a8d 100644 --- a/scripts/deploy-win-ucrt64.sh +++ b/scripts/deploy-win-ucrt64.sh @@ -254,8 +254,9 @@ while [ "$new_libs" != "" ]; do objdump -p $l | grep "DLL Name:" | sed 's/.*DLL Name: *//' >>$tmp_libs done echo "" - new_libs=$(cat $tmp_libs | sort -u) + libs=$(cat $tmp_libs | sort -u) rm -f $tmp_libs + new_libs="" for l in $libs; do if [ -e $ucrt_inst/bin/$l ] && ! [ -e $l ]; then From 4c057c1c9fbfd97727bf5623acf080c9bf7729cb Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Mon, 18 Dec 2023 00:25:00 +0100 Subject: [PATCH 109/128] Bugfixed dependency analysis --- scripts/deploy-win-ucrt64.sh | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/scripts/deploy-win-ucrt64.sh b/scripts/deploy-win-ucrt64.sh index 6c5b919a8d..6b864150ec 100644 --- a/scripts/deploy-win-ucrt64.sh +++ b/scripts/deploy-win-ucrt64.sh @@ -263,7 +263,7 @@ while [ "$new_libs" != "" ]; do echo "Copying binary installation partial $ucrt_inst/bin/$l -> $l" cp $ucrt_inst/bin/$l $l new_libs="$new_libs $l" - elif [ -e "${ucrt_vssdk}/$l" ] && ! [ -e "$target/$l" ]; then + elif [ -e "${ucrt_vssdk}/$l" ] && ! [ -e $l ]; then echo "Copying binary installation partial $ucrt_inst/bin/$l -> $l" cp "${ucrt_vssdk}/${l}" "$l" new_libs="$new_libs $l" From 92d04d2e1519a2f10396602802e061bcf0ac1df4 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 23 Dec 2023 18:25:17 +0100 Subject: [PATCH 110/128] Fixed some merge issues --- src/pymod/unit_tests/pymod_tests.cc | 4 ---- 1 file changed, 4 deletions(-) diff --git a/src/pymod/unit_tests/pymod_tests.cc b/src/pymod/unit_tests/pymod_tests.cc index ab8c4bad10..dd5c4f0929 100644 --- a/src/pymod/unit_tests/pymod_tests.cc +++ b/src/pymod/unit_tests/pymod_tests.cc @@ -35,10 +35,6 @@ #define STRINGIFY(s) _STRINGIFY(s) #define _STRINGIFY(s) #s -#include "tlUnitTest.h" -#include "tlStream.h" -#include "tlEnv.h" - int run_pymodtest (tl::TestBase *_this, const std::string &fn) { std::string pypath = STRINGIFY (PYTHONPATH); From 2db378b8720cc392592c7a3bf7e7d34e6cdbbcf4 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 23 Dec 2023 18:28:56 +0100 Subject: [PATCH 111/128] Fixed a merge issue --- src/pymod/unit_tests/pymod_tests.cc | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/pymod/unit_tests/pymod_tests.cc b/src/pymod/unit_tests/pymod_tests.cc index dd5c4f0929..fee3600e4f 100644 --- a/src/pymod/unit_tests/pymod_tests.cc +++ b/src/pymod/unit_tests/pymod_tests.cc @@ -37,7 +37,7 @@ int run_pymodtest (tl::TestBase *_this, const std::string &fn) { - std::string pypath = STRINGIFY (PYTHONPATH); + static std::string pypath = tl::combine_path (tl::get_inst_path (), "pymod"); tl::set_env ("PYTHONPATH", pypath); tl::info << "PYTHONPATH=" << pypath; From b128ffc70b76743e8bf4372a70e706911200461c Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Sat, 23 Dec 2023 21:44:06 +0100 Subject: [PATCH 112/128] Avoid macro IDE events during update of the recent properties list (that is a problem when script errors are present) --- src/edt/edt/edtRecentConfigurationPage.cc | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/src/edt/edt/edtRecentConfigurationPage.cc b/src/edt/edt/edtRecentConfigurationPage.cc index 1d889b4a64..f5e512561c 100644 --- a/src/edt/edt/edtRecentConfigurationPage.cc +++ b/src/edt/edt/edtRecentConfigurationPage.cc @@ -27,6 +27,7 @@ #include "layDispatcher.h" #include "layLayoutViewBase.h" #include "layLayerTreeModel.h" +#include "layBusy.h" #include "dbLibraryManager.h" #include "dbLibrary.h" #include "tlLog.h" @@ -275,7 +276,12 @@ RecentConfigurationPage::render_to (QTreeWidgetItem *item, int column, const std if (pcid.first) { const db::PCellDeclaration *pc_decl = lib->layout ().pcell_declaration (pcid.second); if (pc_decl) { - item->setText (column, tl::to_qstring (pc_decl->get_display_name (pc_decl->map_parameters (pcp)))); + lay::BusySection busy; // do not trigger macro IDE breakpoints and exception handling + try { + item->setText (column, tl::to_qstring (pc_decl->get_display_name (pc_decl->map_parameters (pcp)))); + } catch (tl::Exception &ex) { + item->setText (column, tl::to_qstring (std::string ("ERROR: ") + tl::to_quoted_string (ex.msg ()))); + } break; } } From 702bcbe92445ee7e5fe2b9ffbfc63f8303ebee60 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Tue, 26 Dec 2023 18:56:04 +0100 Subject: [PATCH 113/128] WIP: keyword arguments (for now: Python) + transformation alignment pya.CplxTrans and pya.Trans are good classes for testing the ability to resolve arguments through keyword parameters. Keyword parameters are introduced to substitute positional arguments. --- src/db/db/gsiDeclDbTrans.cc | 49 +- src/gsi/gsi/gsi.pro | 4 +- src/gsi/gsi/gsiExpression.cc | 875 +----------------------------- src/gsi/gsi/gsiMethods.cc | 145 ++++- src/gsi/gsi/gsiVariantArgs.cc | 928 ++++++++++++++++++++++++++++++++ src/gsi/gsi/gsiVariantArgs.h | 81 +++ src/pya/pya/pyaCallables.cc | 266 ++++++--- src/pya/pya/pyaCallables.h | 5 +- src/pya/pya/pyaHelpers.cc | 2 +- src/pya/pya/pyaMarshal.cc | 6 +- src/pya/pya/pyaMarshal.h | 2 +- src/pya/pya/pyaModule.cc | 10 +- src/pya/pya/pyaObject.cc | 2 +- src/pya/pya/pyaSignalHandler.cc | 2 +- src/pya/unit_tests/pyaTests.cc | 1 + testdata/python/kwargs.py | 209 +++++++ 16 files changed, 1597 insertions(+), 990 deletions(-) create mode 100644 src/gsi/gsi/gsiVariantArgs.cc create mode 100644 src/gsi/gsi/gsiVariantArgs.h create mode 100644 testdata/python/kwargs.py diff --git a/src/db/db/gsiDeclDbTrans.cc b/src/db/db/gsiDeclDbTrans.cc index 24e2f831c6..44cb7c5237 100644 --- a/src/db/db/gsiDeclDbTrans.cc +++ b/src/db/db/gsiDeclDbTrans.cc @@ -159,7 +159,7 @@ struct trans_defs "@param c The original transformation\n" "@param u The Additional displacement\n" ) + - constructor ("new", &new_cxy, arg ("c"), arg ("x"), arg ("y"), + constructor ("new", &new_cxy, arg ("c"), arg ("x", 0), arg ("y", 0), "@brief Creates a transformation from another transformation plus a displacement\n" "\n" "Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates " @@ -172,7 +172,7 @@ struct trans_defs "@param x The Additional displacement (x)\n" "@param y The Additional displacement (y)\n" ) + - constructor ("new", &new_rmu, arg ("rot"), arg ("mirr", false), arg ("u", displacement_type ()), + constructor ("new", &new_rmu, arg ("rot", 0), arg ("mirrx", false), arg ("u", displacement_type ()), "@brief Creates a transformation using angle and mirror flag\n" "\n" "The sequence of operations is: mirroring at x axis,\n" @@ -182,7 +182,7 @@ struct trans_defs "@param mirrx True, if mirrored at x axis\n" "@param u The displacement\n" ) + - constructor ("new", &new_rmxy, arg ("rot"), arg ("mirr"), arg ("x"), arg ("y"), + constructor ("new", &new_rmxy, arg ("rot", 0), arg ("mirrx", false), arg ("x", 0), arg ("y", 0), "@brief Creates a transformation using angle and mirror flag and two coordinate values for displacement\n" "\n" "The sequence of operations is: mirroring at x axis,\n" @@ -569,7 +569,7 @@ struct cplx_trans_defs return new C (C (u) * C (mag) * c); } - static C *new_cmxy (const C &c, double mag, coord_type x, coord_type y) + static C *new_cmxy (const C &c, double mag, target_coord_type x, target_coord_type y) { return new C (C (displacement_type (x, y)) * C (mag) * c); } @@ -584,29 +584,24 @@ struct cplx_trans_defs return new C (u); } - static C *new_t (const simple_trans_type &t) + static C *new_tm (const simple_trans_type &t, double mag) { - return new C (t, 1.0, 1.0); + return new C (t, 1.0, mag); } - static C *new_tm (const simple_trans_type &t, double m) + static C *new_m (double mag) { - return new C (t, 1.0, m); + return new C (mag); } - static C *new_m (double m) + static C *new_mrmu (double mag, double r, bool mirrx, const displacement_type &u) { - return new C (m); + return new C (mag, r, mirrx, u); } - static C *new_mrmu (double mag, double r, bool m, const displacement_type &u) + static C *new_mrmxy (double mag, double r, bool mirrx, target_coord_type x, target_coord_type y) { - return new C (mag, r, m, u); - } - - static C *new_mrmxy (double mag, double r, bool m, target_coord_type x, target_coord_type y) - { - return new C (mag, r, m, displacement_type (x, y)); + return new C (mag, r, mirrx, displacement_type (x, y)); } static simple_trans_type s_trans (const C *cplx_trans) @@ -650,7 +645,7 @@ struct cplx_trans_defs constructor ("new", &new_v, "@brief Creates a unit transformation\n" ) + - constructor ("new", &new_cmu, arg ("c"), arg ("m", 1.0), arg ("u", displacement_type ()), + constructor ("new", &new_cmu, arg ("c"), arg ("mag", 1.0), arg ("u", displacement_type ()), "@brief Creates a transformation from another transformation plus a magnification and displacement\n" "\n" "Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates " @@ -662,7 +657,7 @@ struct cplx_trans_defs "@param c The original transformation\n" "@param u The Additional displacement\n" ) + - constructor ("new", &new_cmxy, arg ("c"), arg ("m"), arg ("x"), arg ("y"), + constructor ("new", &new_cmxy, arg ("c"), arg ("mag", 1.0), arg ("x", 0), arg ("y", 0), "@brief Creates a transformation from another transformation plus a magnification and displacement\n" "\n" "Creates a new transformation from a existing transformation. This constructor is provided for creating duplicates " @@ -684,21 +679,11 @@ struct cplx_trans_defs "@param x The x displacement\n" "@param y The y displacement\n" ) + - constructor ("new", &new_m, arg ("m"), - "@brief Creates a transformation from a magnification\n" - "\n" - "Creates a magnifying transformation without displacement and rotation given the magnification m." - ) + - constructor ("new", &new_tm, arg ("t"), arg ("m"), + constructor ("new", &new_tm, arg ("t"), arg ("mag", 1.0), "@brief Creates a transformation from a simple transformation and a magnification\n" "\n" "Creates a magnifying transformation from a simple transformation and a magnification." ) + - constructor ("new", &new_t, arg ("t"), - "@brief Creates a transformation from a simple transformation alone\n" - "\n" - "Creates a magnifying transformation from a simple transformation and a magnification of 1.0." - ) + constructor ("new", &new_u, arg ("u"), "@brief Creates a transformation from a displacement\n" "\n" @@ -706,7 +691,7 @@ struct cplx_trans_defs "\n" "This method has been added in version 0.25." ) + - constructor ("new", &new_mrmu, arg ("mag"), arg ("rot"), arg ("mirrx"), arg ("u"), + constructor ("new", &new_mrmu, arg ("mag", 1.0), arg ("rot", 0.0), arg ("mirrx", false), arg ("u", displacement_type ()), "@brief Creates a transformation using magnification, angle, mirror flag and displacement\n" "\n" "The sequence of operations is: magnification, mirroring at x axis,\n" @@ -717,7 +702,7 @@ struct cplx_trans_defs "@param mirrx True, if mirrored at x axis\n" "@param u The displacement\n" ) + - constructor ("new", &new_mrmxy, arg ("mag"), arg ("rot"), arg ("mirrx"), arg ("x"), arg ("y"), + constructor ("new", &new_mrmxy, arg ("mag", 1.0), arg ("rot", 0.0), arg ("mirrx", false), arg ("x", 0), arg ("y", 0), "@brief Creates a transformation using magnification, angle, mirror flag and displacement\n" "\n" "The sequence of operations is: magnification, mirroring at x axis,\n" diff --git a/src/gsi/gsi/gsi.pro b/src/gsi/gsi/gsi.pro index 83cf1217b7..57686e4482 100644 --- a/src/gsi/gsi/gsi.pro +++ b/src/gsi/gsi/gsi.pro @@ -22,6 +22,7 @@ SOURCES = \ gsiTypes.cc \ gsiSignals.cc \ gsiObjectHolder.cc \ + gsiVariantArgs.cc HEADERS = \ gsiCallback.h \ @@ -43,7 +44,8 @@ HEADERS = \ gsiSignals.h \ gsiTypes.h \ gsiObjectHolder.h \ - gsiCommon.h + gsiCommon.h \ + gsiVariantArgs.h # Note: unlike other modules, the tl declarations have to go here # since gsi is dependent on tl diff --git a/src/gsi/gsi/gsiExpression.cc b/src/gsi/gsi/gsiExpression.cc index 11045a6dfe..2c2980c6e4 100644 --- a/src/gsi/gsi/gsiExpression.cc +++ b/src/gsi/gsi/gsiExpression.cc @@ -24,6 +24,7 @@ #include "gsiDecl.h" #include "gsiExpression.h" #include "gsiObjectHolder.h" +#include "gsiVariantArgs.h" #include "tlExpression.h" #include "tlLog.h" @@ -252,874 +253,6 @@ void *get_object_raw (tl::Variant &var) return obj; } -// ------------------------------------------------------------------- -// Test if an argument can be converted to the given type - -bool test_arg (const gsi::ArgType &atype, const tl::Variant &arg, bool loose); - -template -struct test_arg_func -{ - void operator () (bool *ret, const tl::Variant &arg, const gsi::ArgType & /*atype*/, bool /*loose*/) - { - *ret = arg.can_convert_to (); - } -}; - -template <> -struct test_arg_func -{ - void operator () (bool *ret, const tl::Variant & /*arg*/, const gsi::ArgType & /*atype*/, bool /*loose*/) - { - *ret = true; - } -}; - -template <> -struct test_arg_func -{ - void operator () (bool *ret, const tl::Variant &arg, const gsi::ArgType &atype, bool loose) - { - // allow nil of pointers - if ((atype.is_ptr () || atype.is_cptr ()) && arg.is_nil ()) { - *ret = true; - return; - } - - if (arg.is_list ()) { - - // we may implicitly convert an array into a constructor call of a target object - - // for now we only check whether the number of arguments is compatible with the array given. - - int n = int (arg.size ()); - - *ret = false; - for (gsi::ClassBase::method_iterator c = atype.cls ()->begin_constructors (); c != atype.cls ()->end_constructors (); ++c) { - if ((*c)->compatible_with_num_args (n)) { - *ret = true; - break; - } - } - - return; - - } - - if (! arg.is_user ()) { - *ret = false; - return; - } - - const tl::VariantUserClassBase *cls = arg.user_cls (); - if (! cls) { - *ret = false; - } else if (! cls->gsi_cls ()->is_derived_from (atype.cls ()) && (! loose || ! cls->gsi_cls ()->can_convert_to(atype.cls ()))) { - *ret = false; - } else if ((atype.is_ref () || atype.is_ptr ()) && cls->is_const ()) { - *ret = false; - } else { - *ret = true; - } - } -}; - -template <> -struct test_arg_func -{ - void operator () (bool *ret, const tl::Variant &arg, const gsi::ArgType &atype, bool loose) - { - if (! arg.is_list ()) { - *ret = false; - return; - } - - tl_assert (atype.inner () != 0); - const ArgType &ainner = *atype.inner (); - - *ret = true; - for (tl::Variant::const_iterator v = arg.begin (); v != arg.end () && *ret; ++v) { - if (! test_arg (ainner, *v, loose)) { - *ret = false; - } - } - } -}; - -template <> -struct test_arg_func -{ - void operator () (bool *ret, const tl::Variant &arg, const gsi::ArgType &atype, bool loose) - { - // Note: delegating that to the function avoids "injected class name used as template template expression" warning - if (! arg.is_array ()) { - *ret = false; - return; - } - - tl_assert (atype.inner () != 0); - tl_assert (atype.inner_k () != 0); - const ArgType &ainner = *atype.inner (); - const ArgType &ainner_k = *atype.inner_k (); - - if (! arg.is_list ()) { - *ret = false; - return; - } - - *ret = true; - for (tl::Variant::const_array_iterator a = arg.begin_array (); a != arg.end_array () && *ret; ++a) { - if (! test_arg (ainner_k, a->first, loose)) { - *ret = false; - } else if (! test_arg (ainner, a->second, loose)) { - *ret = false; - } - } - } -}; - -bool -test_arg (const gsi::ArgType &atype, const tl::Variant &arg, bool loose) -{ - // for const X * or X *, nil is an allowed value - if ((atype.is_cptr () || atype.is_ptr ()) && arg.is_nil ()) { - return true; - } - - bool ret = false; - gsi::do_on_type () (atype.type (), &ret, arg, atype, loose); - return ret; -} - -// ------------------------------------------------------------------- -// Variant to C conversion - -template -struct var2c -{ - static R get (const tl::Variant &rval) - { - return rval.to (); - } -}; - -template <> -struct var2c -{ - static const tl::Variant &get (const tl::Variant &rval) - { - return rval; - } -}; - -// --------------------------------------------------------------------- -// Serialization helpers - -/** - * @brief An adaptor for a vector which uses the tl::Variant's list perspective - */ -class VariantBasedVectorAdaptorIterator - : public gsi::VectorAdaptorIterator -{ -public: - VariantBasedVectorAdaptorIterator (tl::Variant::iterator b, tl::Variant::iterator e, const gsi::ArgType *ainner); - - virtual void get (SerialArgs &w, tl::Heap &heap) const; - virtual bool at_end () const; - virtual void inc (); - -private: - tl::Variant::iterator m_b, m_e; - const gsi::ArgType *mp_ainner; -}; - -/** - * @brief An adaptor for a vector which uses the tl::Variant's list perspective - */ -class VariantBasedVectorAdaptor - : public gsi::VectorAdaptor -{ -public: - VariantBasedVectorAdaptor (tl::Variant *var, const gsi::ArgType *ainner); - - virtual VectorAdaptorIterator *create_iterator () const; - virtual void push (SerialArgs &r, tl::Heap &heap); - virtual void clear (); - virtual size_t size () const; - virtual size_t serial_size () const; - -private: - const gsi::ArgType *mp_ainner; - tl::Variant *mp_var; -}; - -/** - * @brief An adaptor for a map which uses the tl::Variant's array perspective - */ -class VariantBasedMapAdaptorIterator - : public gsi::MapAdaptorIterator -{ -public: - VariantBasedMapAdaptorIterator (tl::Variant::array_iterator b, tl::Variant::array_iterator e, const gsi::ArgType *ainner, const gsi::ArgType *ainner_k); - - virtual void get (SerialArgs &w, tl::Heap &heap) const; - virtual bool at_end () const; - virtual void inc (); - -private: - tl::Variant::array_iterator m_b, m_e; - const gsi::ArgType *mp_ainner, *mp_ainner_k; -}; - -/** - * @brief An adaptor for a vector which uses the tl::Variant's list perspective - */ -class VariantBasedMapAdaptor - : public gsi::MapAdaptor -{ -public: - VariantBasedMapAdaptor (tl::Variant *var, const gsi::ArgType *ainner, const gsi::ArgType *ainner_k); - - virtual MapAdaptorIterator *create_iterator () const; - virtual void insert (SerialArgs &r, tl::Heap &heap); - virtual void clear (); - virtual size_t size () const; - virtual size_t serial_size () const; - -private: - const gsi::ArgType *mp_ainner, *mp_ainner_k; - tl::Variant *mp_var; -}; - -// --------------------------------------------------------------------- -// Writer function for serialization - -/** - * @brief Serialization of POD types - */ -template -struct writer -{ - void operator() (gsi::SerialArgs *aa, tl::Variant *arg, const gsi::ArgType &atype, tl::Heap *heap) - { - if (arg->is_nil () && atype.type () != gsi::T_var) { - - if (! (atype.is_ptr () || atype.is_cptr ())) { - throw tl::Exception (tl::to_string (tr ("Arguments of reference or direct type cannot be passed nil"))); - } else if (atype.is_ptr ()) { - aa->write ((R *)0); - } else { - aa->write ((const R *)0); - } - - } else { - - if (atype.is_ref () || atype.is_ptr ()) { - - // TODO: morph the variant to the requested type and pass its pointer (requires a non-const reference for arg) - // -> we would have a reference that can modify the argument (out parameter). - R *v = new R (var2c::get (*arg)); - heap->push (v); - - aa->write (v); - - } else if (atype.is_cref ()) { - // Note: POD's are written as copies for const refs, so we can pass a temporary here: - // (avoids having to create a temp object) - aa->write (var2c::get (*arg)); - } else if (atype.is_cptr ()) { - // Note: POD's are written as copies for const ptrs, so we can pass a temporary here: - // (avoids having to create a temp object) - R r = var2c::get (*arg); - aa->write (&r); - } else { - aa->write (var2c::get (*arg)); - } - - } - } -}; - -/** - * @brief Serialization for strings - */ -template <> -struct writer -{ - void operator() (gsi::SerialArgs *aa, tl::Variant *arg, const gsi::ArgType &atype, tl::Heap *) - { - // Cannot pass ownership currently - tl_assert (!atype.pass_obj ()); - - if (arg->is_nil ()) { - - if (! (atype.is_ptr () || atype.is_cptr ())) { - // nil is treated as an empty string for references - aa->write ((void *)new StringAdaptorImpl (std::string ())); - } else { - aa->write ((void *)0); - } - - } else { - - // TODO: morph the variant to the requested type and pass its pointer (requires a non-const reference for arg) - // -> we would have a reference that can modify the argument (out parameter). - // NOTE: by convention we pass the ownership to the receiver for adaptors. - aa->write ((void *)new StringAdaptorImpl (arg->to_string ())); - - } - } -}; - -/** - * @brief Specialization for Variant - */ -template <> -struct writer -{ - void operator() (gsi::SerialArgs *aa, tl::Variant *arg, const gsi::ArgType &, tl::Heap *) - { - // TODO: clarify: is nil a zero-pointer to a variant or a pointer to a "nil" variant? - // NOTE: by convention we pass the ownership to the receiver for adaptors. - aa->write ((void *)new VariantAdaptorImpl (arg)); - } -}; - -/** - * @brief Specialization for Vectors - */ -template <> -struct writer -{ - void operator() (gsi::SerialArgs *aa, tl::Variant *arg, const gsi::ArgType &atype, tl::Heap *) - { - if (arg->is_nil ()) { - if (! (atype.is_ptr () || atype.is_cptr ())) { - throw tl::Exception (tl::to_string (tr ("Arguments of reference or direct type cannot be passed nil"))); - } else { - aa->write ((void *)0); - } - } else { - tl_assert (atype.inner () != 0); - aa->write ((void *)new VariantBasedVectorAdaptor (arg, atype.inner ())); - } - } -}; - -/** - * @brief Specialization for Maps - */ -template <> -struct writer -{ - void operator() (gsi::SerialArgs *aa, tl::Variant *arg, const gsi::ArgType &atype, tl::Heap *) - { - if (arg->is_nil ()) { - if (! (atype.is_ptr () || atype.is_cptr ())) { - throw tl::Exception (tl::to_string (tr ("Arguments of reference or direct type cannot be passed nil"))); - } else { - aa->write ((void *)0); - } - } else { - tl_assert (atype.inner () != 0); - tl_assert (atype.inner_k () != 0); - aa->write ((void *)new VariantBasedMapAdaptor (arg, atype.inner (), atype.inner_k ())); - } - } -}; - -/** - * @brief Specialization for void - */ -template <> -struct writer -{ - void operator() (gsi::SerialArgs *, tl::Variant *, const gsi::ArgType &, tl::Heap *) - { - // nothing - void type won't be serialized - } -}; - -void push_args (gsi::SerialArgs &arglist, const tl::Variant &args, const gsi::MethodBase *meth, tl::Heap *heap); - -/** - * @brief Specialization for void - */ -template <> -struct writer -{ - void operator() (gsi::SerialArgs *aa, tl::Variant *arg, const gsi::ArgType &atype, tl::Heap *heap) - { - if (arg->is_nil ()) { - - if (atype.is_ref () || atype.is_cref ()) { - throw tl::Exception (tl::to_string (tr ("Cannot pass nil to reference parameters"))); - } else if (! atype.is_cptr () && ! atype.is_ptr ()) { - throw tl::Exception (tl::to_string (tr ("Cannot pass nil to direct parameters"))); - } - - aa->write ((void *) 0); - - } else if (arg->is_list ()) { - - // we may implicitly convert an array into a constructor call of a target object - - // for now we only check whether the number of arguments is compatible with the array given. - - int n = int (arg->size ()); - const gsi::MethodBase *meth = 0; - for (gsi::ClassBase::method_iterator c = atype.cls ()->begin_constructors (); c != atype.cls ()->end_constructors (); ++c) { - if ((*c)->compatible_with_num_args (n)) { - meth = *c; - break; - } - } - - if (!meth) { - throw tl::Exception (tl::to_string (tr ("No constructor of %s available that takes %d arguments (implicit call from tuple)")), atype.cls ()->name (), n); - } - - // implicit call of constructor - gsi::SerialArgs retlist (meth->retsize ()); - gsi::SerialArgs arglist (meth->argsize ()); - - push_args (arglist, *arg, meth, heap); - - meth->call (0, arglist, retlist); - - void *new_obj = retlist.read (*heap); - if (new_obj && (atype.is_ptr () || atype.is_cptr () || atype.is_ref () || atype.is_cref ())) { - // For pointers or refs, ownership over these objects is not transferred. - // Hence we have to keep them on the heap. - // TODO: what if the called method takes ownership using keep()? - heap->push (new gsi::ObjectHolder (atype.cls (), new_obj)); - } - - aa->write (new_obj); - - } else { - - if (! arg->is_user ()) { - throw tl::Exception (tl::sprintf (tl::to_string (tr ("Unexpected object type (expected argument of class %s)")), atype.cls ()->name ())); - } - - const tl::VariantUserClassBase *cls = arg->user_cls (); - if (!cls) { - throw tl::Exception (tl::sprintf (tl::to_string (tr ("Unexpected object type (expected argument of class %s)")), atype.cls ()->name ())); - } - if (cls->is_const () && (atype.is_ref () || atype.is_ptr ())) { - throw tl::Exception (tl::sprintf (tl::to_string (tr ("Cannot pass a const reference of class %s to a non-const reference or pointer parameter")), atype.cls ()->name ())); - } - - if (atype.is_ref () || atype.is_cref () || atype.is_ptr () || atype.is_cptr ()) { - - if (cls->gsi_cls ()->is_derived_from (atype.cls ())) { - - if (cls->gsi_cls ()->adapted_type_info ()) { - // resolved adapted type - aa->write ((void *) cls->gsi_cls ()->adapted_from_obj (get_object (*arg))); - } else { - aa->write (get_object (*arg)); - } - - } else if ((atype.is_cref () || atype.is_cptr ()) && cls->gsi_cls ()->can_convert_to (atype.cls ())) { - - // We can convert objects for cref and cptr, but ownership over these objects is not transferred. - // Hence we have to keep them on the heap. - void *new_obj = atype.cls ()->create_obj_from (cls->gsi_cls (), get_object (*arg)); - heap->push (new gsi::ObjectHolder (atype.cls (), new_obj)); - aa->write (new_obj); - - } else { - throw tl::Exception (tl::sprintf (tl::to_string (tr ("Unexpected object type (expected argument of class %s)")), atype.cls ()->name ())); - } - - } else { - - if (cls->gsi_cls ()->is_derived_from (atype.cls ())) { - - if (cls->gsi_cls ()->adapted_type_info ()) { - aa->write (cls->gsi_cls ()->create_adapted_from_obj (get_object (*arg))); - } else { - aa->write ((void *) cls->gsi_cls ()->clone (get_object (*arg))); - } - - } else if (cls->gsi_cls ()->can_convert_to (atype.cls ())) { - - aa->write (atype.cls ()->create_obj_from (cls->gsi_cls (), get_object (*arg))); - - } else { - throw tl::Exception (tl::sprintf (tl::to_string (tr ("Unexpected object type (expected argument of class %s)")), atype.cls ()->name ())); - } - - } - - } - - } -}; - -void push_args (gsi::SerialArgs &arglist, const tl::Variant &args, const gsi::MethodBase *meth, tl::Heap *heap) -{ - int n = int (args.size ()); - int narg = 0; - - for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); a != meth->end_arguments () && narg < n; ++a, ++narg) { - try { - // Note: this const_cast is ugly, but it will basically enable "out" parameters - // TODO: clean this up. - gsi::do_on_type () (a->type (), &arglist, const_cast ((args.get_list ().begin () + narg).operator-> ()), *a, heap); - } catch (tl::Exception &ex) { - std::string msg = ex.msg () + tl::sprintf (tl::to_string (tr (" (argument '%s')")), a->spec ()->name ()); - throw tl::Exception (msg); - } - } -} - -// --------------------------------------------------------------------- -// Reader function for serialization - -/** - * @brief A reader function - */ -template -struct reader -{ - void - operator() (tl::Variant *out, gsi::SerialArgs *rr, const gsi::ArgType &atype, tl::Heap *heap) - { - if (atype.is_ref ()) { - *out = rr->template read (*heap); - } else if (atype.is_cref ()) { - *out = rr->template read (*heap); - } else if (atype.is_ptr ()) { - R *p = rr->template read (*heap); - if (p == 0) { - *out = tl::Variant (); - } else { - *out = *p; - } - } else if (atype.is_cptr ()) { - const R *p = rr->template read (*heap); - if (p == 0) { - *out = tl::Variant (); - } else { - *out = *p; - } - } else { - *out = rr->template read (*heap); - } - } -}; - -/** - * @brief A reader specialization for void * - */ -template <> -struct reader -{ - void - operator() (tl::Variant *out, gsi::SerialArgs *rr, const gsi::ArgType &atype, tl::Heap *heap) - { - tl_assert (!atype.is_ref ()); - tl_assert (!atype.is_cref ()); - tl_assert (!atype.is_ptr ()); - tl_assert (!atype.is_cptr ()); - *out = size_t (rr->read (*heap)); - } -}; - -/** - * @brief A reader specialization for strings - */ -template <> -struct reader -{ - void - operator() (tl::Variant *out, gsi::SerialArgs *rr, const gsi::ArgType &, tl::Heap *heap) - { - std::unique_ptr a ((StringAdaptor *) rr->read(*heap)); - if (!a.get ()) { - *out = tl::Variant (); - } else { - *out = tl::Variant (std::string (a->c_str (), a->size ())); - } - } -}; - -/** - * @brief A reader specialization for variants - */ -template <> -struct reader -{ - void - operator() (tl::Variant *out, gsi::SerialArgs *rr, const gsi::ArgType &, tl::Heap *heap) - { - std::unique_ptr a ((VariantAdaptor *) rr->read(*heap)); - if (!a.get ()) { - *out = tl::Variant (); - } else { - *out = a->var (); - } - } -}; - -/** - * @brief A reader specialization for maps - */ -template <> -struct reader -{ - void - operator() (tl::Variant *out, gsi::SerialArgs *rr, const gsi::ArgType &atype, tl::Heap *heap) - { - std::unique_ptr a ((MapAdaptor *) rr->read(*heap)); - if (!a.get ()) { - *out = tl::Variant (); - } else { - tl_assert (atype.inner () != 0); - tl_assert (atype.inner_k () != 0); - VariantBasedMapAdaptor t (out, atype.inner (), atype.inner_k ()); - a->copy_to (&t, *heap); - } - } -}; - -/** - * @brief A reader specialization for const char * - */ -template <> -struct reader -{ - void - operator() (tl::Variant *out, gsi::SerialArgs *rr, const gsi::ArgType &atype, tl::Heap *heap) - { - std::unique_ptr a ((VectorAdaptor *) rr->read(*heap)); - if (!a.get ()) { - *out = tl::Variant (); - } else { - tl_assert (atype.inner () != 0); - VariantBasedVectorAdaptor t (out, atype.inner ()); - a->copy_to (&t, *heap); - } - } -}; - -/** - * @brief A reader specialization for objects - */ -template <> -struct reader -{ - void - operator() (tl::Variant *out, gsi::SerialArgs *rr, const gsi::ArgType &atype, tl::Heap *heap) - { - void *obj = rr->read (*heap); - - bool is_const = atype.is_cptr () || atype.is_cref (); - bool owner = true; - if (atype.is_ptr () || atype.is_cptr () || atype.is_ref () || atype.is_cref ()) { - owner = atype.pass_obj (); - } - bool can_destroy = atype.is_ptr () || owner; - - const gsi::ClassBase *clsact = atype.cls ()->subclass_decl (obj); - tl_assert (clsact != 0); - - if (obj == 0) { - - *out = tl::Variant (); - - } else if (!clsact->adapted_type_info () && clsact->is_managed ()) { - - // gsi::ObjectBase-based objects can be managed by reference since they - // provide a tl::Object through the proxy. - - *out = tl::Variant (); - - const tl::VariantUserClassBase *cls = clsact->var_cls (atype.is_cref () || atype.is_cptr ()); - tl_assert (cls != 0); - - Proxy *proxy = clsact->gsi_object (obj)->find_client (); - if (proxy) { - - out->set_user_ref (proxy, cls, false); - - } else { - - // establish a new proxy - proxy = new Proxy (clsact); - proxy->set (obj, owner, is_const, can_destroy); - - out->set_user_ref (proxy, cls, owner); - - } - - } else { - - const tl::VariantUserClassBase *cls = 0; - - if (clsact->adapted_type_info ()) { - // create an adaptor from an adapted type - if (owner) { - obj = clsact->create_from_adapted_consume (obj); - } else { - obj = clsact->create_from_adapted (obj); - } - cls = clsact->var_cls (false); - } else { - cls = clsact->var_cls (is_const); - } - - tl_assert (cls != 0); - *out = tl::Variant (); - - // consider prefer_copy - if (! owner && atype.prefer_copy () && !clsact->is_managed () && clsact->can_copy ()) { - obj = clsact->clone (obj); - owner = true; - } - - out->set_user (obj, cls, owner); - - } - } -}; - -/** - * @brief A reader specialization for new objects - */ -template <> -struct reader -{ - void - operator() (tl::Variant *, gsi::SerialArgs *, const gsi::ArgType &, tl::Heap *) - { - // nothing - void type won't be serialized - } -}; - -// --------------------------------------------------------------------- -// VariantBasedVectorAdaptorIterator implementation - -VariantBasedVectorAdaptorIterator::VariantBasedVectorAdaptorIterator (tl::Variant::iterator b, tl::Variant::iterator e, const gsi::ArgType *ainner) - : m_b (b), m_e (e), mp_ainner (ainner) -{ - // .. nothing yet .. -} - -void VariantBasedVectorAdaptorIterator::get (SerialArgs &w, tl::Heap &heap) const -{ - gsi::do_on_type () (mp_ainner->type (), &w, &*m_b, *mp_ainner, &heap); -} - -bool VariantBasedVectorAdaptorIterator::at_end () const -{ - return m_b == m_e; -} - -void VariantBasedVectorAdaptorIterator::inc () -{ - ++m_b; -} - -// --------------------------------------------------------------------- -// VariantBasedVectorAdaptor implementation - -VariantBasedVectorAdaptor::VariantBasedVectorAdaptor (tl::Variant *var, const gsi::ArgType *ainner) - : mp_ainner (ainner), mp_var (var) -{ -} - -VectorAdaptorIterator *VariantBasedVectorAdaptor::create_iterator () const -{ - return new VariantBasedVectorAdaptorIterator (mp_var->begin (), mp_var->end (), mp_ainner); -} - -void VariantBasedVectorAdaptor::push (SerialArgs &r, tl::Heap &heap) -{ - tl::Variant member; - gsi::do_on_type () (mp_ainner->type (), &member, &r, *mp_ainner, &heap); - mp_var->push (member); -} - -void VariantBasedVectorAdaptor::clear () -{ - mp_var->set_list (); -} - -size_t VariantBasedVectorAdaptor::size () const -{ - return mp_var->size (); -} - -size_t VariantBasedVectorAdaptor::serial_size () const -{ - return mp_ainner->size (); -} - -// --------------------------------------------------------------------- -// VariantBasedMapAdaptorIterator implementation - -VariantBasedMapAdaptorIterator::VariantBasedMapAdaptorIterator (tl::Variant::array_iterator b, tl::Variant::array_iterator e, const gsi::ArgType *ainner, const gsi::ArgType *ainner_k) - : m_b (b), m_e (e), mp_ainner (ainner), mp_ainner_k (ainner_k) -{ - // .. nothing yet .. -} - -void VariantBasedMapAdaptorIterator::get (SerialArgs &w, tl::Heap &heap) const -{ - // Note: the const_cast is ugly but in this context we won't modify the variant given as the key. - // And it lets us keep the interface tidy. - gsi::do_on_type () (mp_ainner_k->type (), &w, const_cast (&m_b->first), *mp_ainner_k, &heap); - gsi::do_on_type () (mp_ainner->type (), &w, &m_b->second, *mp_ainner, &heap); -} - -bool VariantBasedMapAdaptorIterator::at_end () const -{ - return m_b == m_e; -} - -void VariantBasedMapAdaptorIterator::inc () -{ - ++m_b; -} - -// --------------------------------------------------------------------- -// VariantBasedMapAdaptor implementation - -VariantBasedMapAdaptor::VariantBasedMapAdaptor (tl::Variant *var, const gsi::ArgType *ainner, const gsi::ArgType *ainner_k) - : mp_ainner (ainner), mp_ainner_k (ainner_k), mp_var (var) -{ -} - -MapAdaptorIterator *VariantBasedMapAdaptor::create_iterator () const -{ - return new VariantBasedMapAdaptorIterator (mp_var->begin_array (), mp_var->end_array (), mp_ainner, mp_ainner_k); -} - -void VariantBasedMapAdaptor::insert (SerialArgs &r, tl::Heap &heap) -{ - tl::Variant k, v; - gsi::do_on_type () (mp_ainner_k->type (), &k, &r, *mp_ainner_k, &heap); - gsi::do_on_type () (mp_ainner->type (), &v, &r, *mp_ainner, &heap); - mp_var->insert (k, v); -} - -void VariantBasedMapAdaptor::clear () -{ - mp_var->set_array (); -} - -size_t VariantBasedMapAdaptor::size () const -{ - return mp_var->array_size (); -} - -size_t VariantBasedMapAdaptor::serial_size () const -{ - return mp_ainner_k->size () + mp_ainner->size (); -} - // --------------------------------------------------------------------- // Implementation of initialize_expressions @@ -1671,7 +804,7 @@ VariantUserClassImpl::execute_gsi (const tl::ExpressionParserContext & /*context int sc = 0; int i = 0; for (gsi::MethodBase::argument_iterator a = (*m)->begin_arguments (); is_valid && i < int (args.size ()) && a != (*m)->end_arguments (); ++a, ++i) { - if (test_arg (*a, args [i], false /*strict*/)) { + if (gsi::test_arg (*a, args [i], false /*strict*/)) { ++sc; } else if (test_arg (*a, args [i], true /*loose*/)) { // non-scoring match @@ -1747,7 +880,7 @@ VariantUserClassImpl::execute_gsi (const tl::ExpressionParserContext & /*context try { // Note: this const_cast is ugly, but it will basically enable "out" parameters // TODO: clean this up. - gsi::do_on_type () (a->type (), &arglist, const_cast (&args [narg]), *a, &heap); + gsi::push_arg (arglist, *a, const_cast (args [narg]), &heap); } catch (tl::Exception &ex) { std::string msg = ex.msg () + tl::sprintf (tl::to_string (tr (" (argument '%s')")), a->spec ()->name ()); throw tl::Exception (msg); @@ -1764,7 +897,7 @@ VariantUserClassImpl::execute_gsi (const tl::ExpressionParserContext & /*context } else { out = tl::Variant (); try { - gsi::do_on_type () (meth->ret_type ().type (), &out, &retlist, meth->ret_type (), &heap); + gsi::pull_arg (retlist, meth->ret_type (), out, &heap); } catch (tl::Exception &ex) { std::string msg = ex.msg () + tl::to_string (tr (" (return value)")); throw tl::Exception (msg); diff --git a/src/gsi/gsi/gsiMethods.cc b/src/gsi/gsi/gsiMethods.cc index 9f6100b22a..717ce03890 100644 --- a/src/gsi/gsi/gsiMethods.cc +++ b/src/gsi/gsi/gsiMethods.cc @@ -132,16 +132,132 @@ void MethodBase::parse_name (const std::string &name) } } +static std::string +type_to_s (const gsi::ArgType &a, bool for_return) +{ + std::string s; + switch (a.type ()) { + case gsi::T_void_ptr: + s += "void *"; break; + case gsi::T_void: + s += "void"; break; + case gsi::T_bool: + s += "bool"; break; + case gsi::T_char: + s += "char"; break; + case gsi::T_schar: + s += "signed char"; break; + case gsi::T_uchar: + s += "unsigned char"; break; + case gsi::T_short: + s += "short"; break; + case gsi::T_ushort: + s += "unsigned short"; break; + case gsi::T_int: + s += "int"; break; +#if defined(HAVE_64BIT_COORD) + case gsi::T_int128: + s += "int128"; break; +#endif + case gsi::T_uint: + s += "unsigned int"; break; + case gsi::T_long: + s += "long"; break; + case gsi::T_ulong: + s += "unsigned long"; break; + case gsi::T_longlong: + s += "long long"; break; + case gsi::T_ulonglong: + s += "unsigned long long"; break; + case gsi::T_double: + s += "double"; break; + case gsi::T_float: + s += "float"; break; + case gsi::T_string: + s += "string"; break; + case gsi::T_byte_array: + s += "bytes"; break; + case gsi::T_var: + s += "variant"; break; + case gsi::T_object: + if (a.is_cptr () || (! for_return && a.is_cref ())) { + s = "const "; + } + if (a.pass_obj ()) { + s += "new "; + } + s += a.cls () ? a.cls ()->qname () : "?"; + break; + case gsi::T_vector: + if (a.inner ()) { + s += type_to_s (*a.inner (), false); + } + s += "[]"; + break; + case gsi::T_map: + s += "map<"; + if (a.inner_k ()) { + s += type_to_s (*a.inner_k (), false); + } + s += ","; + if (a.inner ()) { + s += type_to_s (*a.inner (), false); + } + s += ">"; + break; + } + if (a.is_cptr () || a.is_ptr ()) { + s += " ptr"; + } + return s; +} + +static std::string +method_attributes (const gsi::MethodBase *method) +{ + std::string r; + if (method->is_signal ()) { + if (! r.empty ()) { + r += ","; + } + r += "signal"; + } + if (method->is_callback ()) { + if (! r.empty ()) { + r += ","; + } + r += "virtual"; + } + if (method->is_static ()) { + if (! r.empty ()) { + r += ","; + } + r += "static"; + } + if (method->is_const ()) { + if (! r.empty ()) { + r += ","; + } + r += "const"; + } + if (method->ret_type ().is_iter ()) { + if (! r.empty ()) { + r += ","; + } + r += "iter"; + } + return r; +} + std::string MethodBase::to_string () const { - std::string res; - - if (is_static ()) { - res += "static "; + std::string res = method_attributes (this); + if (! res.empty ()) { + res += " "; } - res += ret_type ().to_string (); + res += type_to_s (ret_type (), true); res += " "; if (m_method_synonyms.size () == 1) { @@ -155,7 +271,24 @@ MethodBase::to_string () const if (a != begin_arguments ()) { res += ", "; } - res += a->to_string (); + res += type_to_s (*a, false); + if (! a->spec ()->name ().empty ()) { + res += " "; + res += a->spec ()->name (); + } + if (a->spec ()->has_default ()) { + res += " = "; + if (! a->spec ()->init_doc ().empty ()) { + res += a->spec ()->init_doc (); + } else { + try { + res += a->spec ()->default_value ().to_string (); + } catch (tl::Exception &) { + res += "?"; + } + } + + } } res += ")"; diff --git a/src/gsi/gsi/gsiVariantArgs.cc b/src/gsi/gsi/gsiVariantArgs.cc new file mode 100644 index 0000000000..7a5d8b0382 --- /dev/null +++ b/src/gsi/gsi/gsiVariantArgs.cc @@ -0,0 +1,928 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + + +#include "gsiVariantArgs.h" +#include "gsiTypes.h" +#include "gsiSerialisation.h" +#include "gsiClassBase.h" +#include "gsiObjectHolder.h" + +#include "tlVariant.h" +#include "tlHeap.h" + +namespace gsi +{ + +// ------------------------------------------------------------------- + +/** + * @brief Fetches the final object pointer from a tl::Variant + */ +inline void *get_object (tl::Variant &var) +{ + return var.to_user (); +} + +// ------------------------------------------------------------------- +// Test if an argument can be converted to the given type + +bool test_arg (const gsi::ArgType &atype, const tl::Variant &arg, bool loose); + +template +struct test_arg_func +{ + void operator () (bool *ret, const tl::Variant &arg, const gsi::ArgType & /*atype*/, bool /*loose*/) + { + *ret = arg.can_convert_to (); + } +}; + +template <> +struct test_arg_func +{ + void operator () (bool *ret, const tl::Variant & /*arg*/, const gsi::ArgType & /*atype*/, bool /*loose*/) + { + *ret = true; + } +}; + +template <> +struct test_arg_func +{ + void operator () (bool *ret, const tl::Variant &arg, const gsi::ArgType &atype, bool loose) + { + // allow nil of pointers + if ((atype.is_ptr () || atype.is_cptr ()) && arg.is_nil ()) { + *ret = true; + return; + } + + if (arg.is_list ()) { + + // we may implicitly convert an array into a constructor call of a target object - + // for now we only check whether the number of arguments is compatible with the array given. + + int n = int (arg.size ()); + + *ret = false; + for (gsi::ClassBase::method_iterator c = atype.cls ()->begin_constructors (); c != atype.cls ()->end_constructors (); ++c) { + if ((*c)->compatible_with_num_args (n)) { + *ret = true; + break; + } + } + + return; + + } + + if (! arg.is_user ()) { + *ret = false; + return; + } + + const tl::VariantUserClassBase *cls = arg.user_cls (); + if (! cls) { + *ret = false; + } else if (! cls->gsi_cls ()->is_derived_from (atype.cls ()) && (! loose || ! cls->gsi_cls ()->can_convert_to(atype.cls ()))) { + *ret = false; + } else if ((atype.is_ref () || atype.is_ptr ()) && cls->is_const ()) { + *ret = false; + } else { + *ret = true; + } + } +}; + +template <> +struct test_arg_func +{ + void operator () (bool *ret, const tl::Variant &arg, const gsi::ArgType &atype, bool loose) + { + if (! arg.is_list ()) { + *ret = false; + return; + } + + tl_assert (atype.inner () != 0); + const ArgType &ainner = *atype.inner (); + + *ret = true; + for (tl::Variant::const_iterator v = arg.begin (); v != arg.end () && *ret; ++v) { + if (! test_arg (ainner, *v, loose)) { + *ret = false; + } + } + } +}; + +template <> +struct test_arg_func +{ + void operator () (bool *ret, const tl::Variant &arg, const gsi::ArgType &atype, bool loose) + { + // Note: delegating that to the function avoids "injected class name used as template template expression" warning + if (! arg.is_array ()) { + *ret = false; + return; + } + + tl_assert (atype.inner () != 0); + tl_assert (atype.inner_k () != 0); + const ArgType &ainner = *atype.inner (); + const ArgType &ainner_k = *atype.inner_k (); + + if (! arg.is_list ()) { + *ret = false; + return; + } + + *ret = true; + for (tl::Variant::const_array_iterator a = arg.begin_array (); a != arg.end_array () && *ret; ++a) { + if (! test_arg (ainner_k, a->first, loose)) { + *ret = false; + } else if (! test_arg (ainner, a->second, loose)) { + *ret = false; + } + } + } +}; + +bool +test_arg (const gsi::ArgType &atype, const tl::Variant &arg, bool loose) +{ + // for const X * or X *, nil is an allowed value + if ((atype.is_cptr () || atype.is_ptr ()) && arg.is_nil ()) { + return true; + } + + bool ret = false; + gsi::do_on_type () (atype.type (), &ret, arg, atype, loose); + return ret; +} + +// ------------------------------------------------------------------- +// Variant to C conversion + +template +struct var2c +{ + static R get (const tl::Variant &rval) + { + return rval.to (); + } +}; + +template <> +struct var2c +{ + static const tl::Variant &get (const tl::Variant &rval) + { + return rval; + } +}; + +// --------------------------------------------------------------------- +// Serialization helpers + +/** + * @brief An adaptor for a vector which uses the tl::Variant's list perspective + */ +class VariantBasedVectorAdaptorIterator + : public gsi::VectorAdaptorIterator +{ +public: + VariantBasedVectorAdaptorIterator (tl::Variant::iterator b, tl::Variant::iterator e, const gsi::ArgType *ainner); + + virtual void get (SerialArgs &w, tl::Heap &heap) const; + virtual bool at_end () const; + virtual void inc (); + +private: + tl::Variant::iterator m_b, m_e; + const gsi::ArgType *mp_ainner; +}; + +/** + * @brief An adaptor for a vector which uses the tl::Variant's list perspective + */ +class VariantBasedVectorAdaptor + : public gsi::VectorAdaptor +{ +public: + VariantBasedVectorAdaptor (tl::Variant *var, const gsi::ArgType *ainner); + + virtual VectorAdaptorIterator *create_iterator () const; + virtual void push (SerialArgs &r, tl::Heap &heap); + virtual void clear (); + virtual size_t size () const; + virtual size_t serial_size () const; + +private: + const gsi::ArgType *mp_ainner; + tl::Variant *mp_var; +}; + +/** + * @brief An adaptor for a map which uses the tl::Variant's array perspective + */ +class VariantBasedMapAdaptorIterator + : public gsi::MapAdaptorIterator +{ +public: + VariantBasedMapAdaptorIterator (tl::Variant::array_iterator b, tl::Variant::array_iterator e, const gsi::ArgType *ainner, const gsi::ArgType *ainner_k); + + virtual void get (SerialArgs &w, tl::Heap &heap) const; + virtual bool at_end () const; + virtual void inc (); + +private: + tl::Variant::array_iterator m_b, m_e; + const gsi::ArgType *mp_ainner, *mp_ainner_k; +}; + +/** + * @brief An adaptor for a vector which uses the tl::Variant's list perspective + */ +class VariantBasedMapAdaptor + : public gsi::MapAdaptor +{ +public: + VariantBasedMapAdaptor (tl::Variant *var, const gsi::ArgType *ainner, const gsi::ArgType *ainner_k); + + virtual MapAdaptorIterator *create_iterator () const; + virtual void insert (SerialArgs &r, tl::Heap &heap); + virtual void clear (); + virtual size_t size () const; + virtual size_t serial_size () const; + +private: + const gsi::ArgType *mp_ainner, *mp_ainner_k; + tl::Variant *mp_var; +}; + +// --------------------------------------------------------------------- +// Writer function for serialization + +/** + * @brief Serialization of POD types + */ +template +struct writer +{ + void operator() (gsi::SerialArgs *aa, tl::Variant *arg, const gsi::ArgType &atype, tl::Heap *heap) + { + if (arg->is_nil () && atype.type () != gsi::T_var) { + + if (! (atype.is_ptr () || atype.is_cptr ())) { + throw tl::Exception (tl::to_string (tr ("Arguments of reference or direct type cannot be passed nil"))); + } else if (atype.is_ptr ()) { + aa->write ((R *)0); + } else { + aa->write ((const R *)0); + } + + } else { + + if (atype.is_ref () || atype.is_ptr ()) { + + // TODO: morph the variant to the requested type and pass its pointer (requires a non-const reference for arg) + // -> we would have a reference that can modify the argument (out parameter). + R *v = new R (var2c::get (*arg)); + heap->push (v); + + aa->write (v); + + } else if (atype.is_cref ()) { + // Note: POD's are written as copies for const refs, so we can pass a temporary here: + // (avoids having to create a temp object) + aa->write (var2c::get (*arg)); + } else if (atype.is_cptr ()) { + // Note: POD's are written as copies for const ptrs, so we can pass a temporary here: + // (avoids having to create a temp object) + R r = var2c::get (*arg); + aa->write (&r); + } else { + aa->write (var2c::get (*arg)); + } + + } + } +}; + +/** + * @brief Serialization for strings + */ +template <> +struct writer +{ + void operator() (gsi::SerialArgs *aa, tl::Variant *arg, const gsi::ArgType &atype, tl::Heap *) + { + // Cannot pass ownership currently + tl_assert (!atype.pass_obj ()); + + if (arg->is_nil ()) { + + if (! (atype.is_ptr () || atype.is_cptr ())) { + // nil is treated as an empty string for references + aa->write ((void *)new StringAdaptorImpl (std::string ())); + } else { + aa->write ((void *)0); + } + + } else { + + // TODO: morph the variant to the requested type and pass its pointer (requires a non-const reference for arg) + // -> we would have a reference that can modify the argument (out parameter). + // NOTE: by convention we pass the ownership to the receiver for adaptors. + aa->write ((void *)new StringAdaptorImpl (arg->to_string ())); + + } + } +}; + +/** + * @brief Specialization for Variant + */ +template <> +struct writer +{ + void operator() (gsi::SerialArgs *aa, tl::Variant *arg, const gsi::ArgType &, tl::Heap *) + { + // TODO: clarify: is nil a zero-pointer to a variant or a pointer to a "nil" variant? + // NOTE: by convention we pass the ownership to the receiver for adaptors. + aa->write ((void *)new VariantAdaptorImpl (arg)); + } +}; + +/** + * @brief Specialization for Vectors + */ +template <> +struct writer +{ + void operator() (gsi::SerialArgs *aa, tl::Variant *arg, const gsi::ArgType &atype, tl::Heap *) + { + if (arg->is_nil ()) { + if (! (atype.is_ptr () || atype.is_cptr ())) { + throw tl::Exception (tl::to_string (tr ("Arguments of reference or direct type cannot be passed nil"))); + } else { + aa->write ((void *)0); + } + } else { + tl_assert (atype.inner () != 0); + aa->write ((void *)new VariantBasedVectorAdaptor (arg, atype.inner ())); + } + } +}; + +/** + * @brief Specialization for Maps + */ +template <> +struct writer +{ + void operator() (gsi::SerialArgs *aa, tl::Variant *arg, const gsi::ArgType &atype, tl::Heap *) + { + if (arg->is_nil ()) { + if (! (atype.is_ptr () || atype.is_cptr ())) { + throw tl::Exception (tl::to_string (tr ("Arguments of reference or direct type cannot be passed nil"))); + } else { + aa->write ((void *)0); + } + } else { + tl_assert (atype.inner () != 0); + tl_assert (atype.inner_k () != 0); + aa->write ((void *)new VariantBasedMapAdaptor (arg, atype.inner (), atype.inner_k ())); + } + } +}; + +/** + * @brief Specialization for void + */ +template <> +struct writer +{ + void operator() (gsi::SerialArgs *, tl::Variant *, const gsi::ArgType &, tl::Heap *) + { + // nothing - void type won't be serialized + } +}; + +void push_args (gsi::SerialArgs &arglist, const tl::Variant &args, const gsi::MethodBase *meth, tl::Heap *heap); + +/** + * @brief Specialization for void + */ +template <> +struct writer +{ + void operator() (gsi::SerialArgs *aa, tl::Variant *arg, const gsi::ArgType &atype, tl::Heap *heap) + { + if (arg->is_nil ()) { + + if (atype.is_ref () || atype.is_cref ()) { + throw tl::Exception (tl::to_string (tr ("Cannot pass nil to reference parameters"))); + } else if (! atype.is_cptr () && ! atype.is_ptr ()) { + throw tl::Exception (tl::to_string (tr ("Cannot pass nil to direct parameters"))); + } + + aa->write ((void *) 0); + + } else if (arg->is_list ()) { + + // we may implicitly convert an array into a constructor call of a target object - + // for now we only check whether the number of arguments is compatible with the array given. + + int n = int (arg->size ()); + const gsi::MethodBase *meth = 0; + for (gsi::ClassBase::method_iterator c = atype.cls ()->begin_constructors (); c != atype.cls ()->end_constructors (); ++c) { + if ((*c)->compatible_with_num_args (n)) { + meth = *c; + break; + } + } + + if (!meth) { + throw tl::Exception (tl::to_string (tr ("No constructor of %s available that takes %d arguments (implicit call from tuple)")), atype.cls ()->name (), n); + } + + // implicit call of constructor + gsi::SerialArgs retlist (meth->retsize ()); + gsi::SerialArgs arglist (meth->argsize ()); + + push_args (arglist, *arg, meth, heap); + + meth->call (0, arglist, retlist); + + void *new_obj = retlist.read (*heap); + if (new_obj && (atype.is_ptr () || atype.is_cptr () || atype.is_ref () || atype.is_cref ())) { + // For pointers or refs, ownership over these objects is not transferred. + // Hence we have to keep them on the heap. + // TODO: what if the called method takes ownership using keep()? + heap->push (new gsi::ObjectHolder (atype.cls (), new_obj)); + } + + aa->write (new_obj); + + } else { + + if (! arg->is_user ()) { + throw tl::Exception (tl::sprintf (tl::to_string (tr ("Unexpected object type (expected argument of class %s)")), atype.cls ()->name ())); + } + + const tl::VariantUserClassBase *cls = arg->user_cls (); + if (!cls) { + throw tl::Exception (tl::sprintf (tl::to_string (tr ("Unexpected object type (expected argument of class %s)")), atype.cls ()->name ())); + } + if (cls->is_const () && (atype.is_ref () || atype.is_ptr ())) { + throw tl::Exception (tl::sprintf (tl::to_string (tr ("Cannot pass a const reference of class %s to a non-const reference or pointer parameter")), atype.cls ()->name ())); + } + + if (atype.is_ref () || atype.is_cref () || atype.is_ptr () || atype.is_cptr ()) { + + if (cls->gsi_cls ()->is_derived_from (atype.cls ())) { + + if (cls->gsi_cls ()->adapted_type_info ()) { + // resolved adapted type + aa->write ((void *) cls->gsi_cls ()->adapted_from_obj (get_object (*arg))); + } else { + aa->write (get_object (*arg)); + } + + } else if ((atype.is_cref () || atype.is_cptr ()) && cls->gsi_cls ()->can_convert_to (atype.cls ())) { + + // We can convert objects for cref and cptr, but ownership over these objects is not transferred. + // Hence we have to keep them on the heap. + void *new_obj = atype.cls ()->create_obj_from (cls->gsi_cls (), get_object (*arg)); + heap->push (new gsi::ObjectHolder (atype.cls (), new_obj)); + aa->write (new_obj); + + } else { + throw tl::Exception (tl::sprintf (tl::to_string (tr ("Unexpected object type (expected argument of class %s)")), atype.cls ()->name ())); + } + + } else { + + if (cls->gsi_cls ()->is_derived_from (atype.cls ())) { + + if (cls->gsi_cls ()->adapted_type_info ()) { + aa->write (cls->gsi_cls ()->create_adapted_from_obj (get_object (*arg))); + } else { + aa->write ((void *) cls->gsi_cls ()->clone (get_object (*arg))); + } + + } else if (cls->gsi_cls ()->can_convert_to (atype.cls ())) { + + aa->write (atype.cls ()->create_obj_from (cls->gsi_cls (), get_object (*arg))); + + } else { + throw tl::Exception (tl::sprintf (tl::to_string (tr ("Unexpected object type (expected argument of class %s)")), atype.cls ()->name ())); + } + + } + + } + + } +}; + +void push_arg (gsi::SerialArgs &arglist, const ArgType &atype, tl::Variant &arg, tl::Heap *heap) +{ + gsi::do_on_type () (atype.type (), &arglist, &arg, atype, heap); +} + +void push_args (gsi::SerialArgs &arglist, const tl::Variant &args, const gsi::MethodBase *meth, tl::Heap *heap) +{ + int n = int (args.size ()); + int narg = 0; + + for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); a != meth->end_arguments () && narg < n; ++a, ++narg) { + try { + // Note: this const_cast is ugly, but it will basically enable "out" parameters + // TODO: clean this up. + gsi::do_on_type () (a->type (), &arglist, const_cast ((args.get_list ().begin () + narg).operator-> ()), *a, heap); + } catch (tl::Exception &ex) { + std::string msg = ex.msg () + tl::sprintf (tl::to_string (tr (" (argument '%s')")), a->spec ()->name ()); + throw tl::Exception (msg); + } + } +} + +// --------------------------------------------------------------------- +// Reader function for serialization + +/** + * @brief A reader function + */ +template +struct reader +{ + void + operator() (tl::Variant *out, gsi::SerialArgs *rr, const gsi::ArgType &atype, tl::Heap *heap) + { + if (atype.is_ref ()) { + *out = rr->template read (*heap); + } else if (atype.is_cref ()) { + *out = rr->template read (*heap); + } else if (atype.is_ptr ()) { + R *p = rr->template read (*heap); + if (p == 0) { + *out = tl::Variant (); + } else { + *out = *p; + } + } else if (atype.is_cptr ()) { + const R *p = rr->template read (*heap); + if (p == 0) { + *out = tl::Variant (); + } else { + *out = *p; + } + } else { + *out = rr->template read (*heap); + } + } +}; + +/** + * @brief A reader specialization for void * + */ +template <> +struct reader +{ + void + operator() (tl::Variant *out, gsi::SerialArgs *rr, const gsi::ArgType &atype, tl::Heap *heap) + { + tl_assert (!atype.is_ref ()); + tl_assert (!atype.is_cref ()); + tl_assert (!atype.is_ptr ()); + tl_assert (!atype.is_cptr ()); + *out = size_t (rr->read (*heap)); + } +}; + +/** + * @brief A reader specialization for strings + */ +template <> +struct reader +{ + void + operator() (tl::Variant *out, gsi::SerialArgs *rr, const gsi::ArgType &, tl::Heap *heap) + { + std::unique_ptr a ((StringAdaptor *) rr->read(*heap)); + if (!a.get ()) { + *out = tl::Variant (); + } else { + *out = tl::Variant (std::string (a->c_str (), a->size ())); + } + } +}; + +/** + * @brief A reader specialization for variants + */ +template <> +struct reader +{ + void + operator() (tl::Variant *out, gsi::SerialArgs *rr, const gsi::ArgType &, tl::Heap *heap) + { + std::unique_ptr a ((VariantAdaptor *) rr->read(*heap)); + if (!a.get ()) { + *out = tl::Variant (); + } else { + *out = a->var (); + } + } +}; + +/** + * @brief A reader specialization for maps + */ +template <> +struct reader +{ + void + operator() (tl::Variant *out, gsi::SerialArgs *rr, const gsi::ArgType &atype, tl::Heap *heap) + { + std::unique_ptr a ((MapAdaptor *) rr->read(*heap)); + if (!a.get ()) { + *out = tl::Variant (); + } else { + tl_assert (atype.inner () != 0); + tl_assert (atype.inner_k () != 0); + VariantBasedMapAdaptor t (out, atype.inner (), atype.inner_k ()); + a->copy_to (&t, *heap); + } + } +}; + +/** + * @brief A reader specialization for const char * + */ +template <> +struct reader +{ + void + operator() (tl::Variant *out, gsi::SerialArgs *rr, const gsi::ArgType &atype, tl::Heap *heap) + { + std::unique_ptr a ((VectorAdaptor *) rr->read(*heap)); + if (!a.get ()) { + *out = tl::Variant (); + } else { + tl_assert (atype.inner () != 0); + VariantBasedVectorAdaptor t (out, atype.inner ()); + a->copy_to (&t, *heap); + } + } +}; + +/** + * @brief A reader specialization for objects + */ +template <> +struct reader +{ + void + operator() (tl::Variant *out, gsi::SerialArgs *rr, const gsi::ArgType &atype, tl::Heap *heap) + { + void *obj = rr->read (*heap); + + bool is_const = atype.is_cptr () || atype.is_cref (); + bool owner = true; + if (atype.is_ptr () || atype.is_cptr () || atype.is_ref () || atype.is_cref ()) { + owner = atype.pass_obj (); + } + bool can_destroy = atype.is_ptr () || owner; + + const gsi::ClassBase *clsact = atype.cls ()->subclass_decl (obj); + tl_assert (clsact != 0); + + if (obj == 0) { + + *out = tl::Variant (); + + } else if (!clsact->adapted_type_info () && clsact->is_managed ()) { + + // gsi::ObjectBase-based objects can be managed by reference since they + // provide a tl::Object through the proxy. + + *out = tl::Variant (); + + const tl::VariantUserClassBase *cls = clsact->var_cls (atype.is_cref () || atype.is_cptr ()); + tl_assert (cls != 0); + + Proxy *proxy = clsact->gsi_object (obj)->find_client (); + if (proxy) { + + out->set_user_ref (proxy, cls, false); + + } else { + + // establish a new proxy + proxy = new Proxy (clsact); + proxy->set (obj, owner, is_const, can_destroy); + + out->set_user_ref (proxy, cls, owner); + + } + + } else { + + const tl::VariantUserClassBase *cls = 0; + + if (clsact->adapted_type_info ()) { + // create an adaptor from an adapted type + if (owner) { + obj = clsact->create_from_adapted_consume (obj); + } else { + obj = clsact->create_from_adapted (obj); + } + cls = clsact->var_cls (false); + } else { + cls = clsact->var_cls (is_const); + } + + tl_assert (cls != 0); + *out = tl::Variant (); + + // consider prefer_copy + if (! owner && atype.prefer_copy () && !clsact->is_managed () && clsact->can_copy ()) { + obj = clsact->clone (obj); + owner = true; + } + + out->set_user (obj, cls, owner); + + } + } +}; + +/** + * @brief A reader specialization for new objects + */ +template <> +struct reader +{ + void + operator() (tl::Variant *, gsi::SerialArgs *, const gsi::ArgType &, tl::Heap *) + { + // nothing - void type won't be serialized + } +}; + +// --------------------------------------------------------------------- +// VariantBasedVectorAdaptorIterator implementation + +VariantBasedVectorAdaptorIterator::VariantBasedVectorAdaptorIterator (tl::Variant::iterator b, tl::Variant::iterator e, const gsi::ArgType *ainner) + : m_b (b), m_e (e), mp_ainner (ainner) +{ + // .. nothing yet .. +} + +void VariantBasedVectorAdaptorIterator::get (SerialArgs &w, tl::Heap &heap) const +{ + gsi::do_on_type () (mp_ainner->type (), &w, &*m_b, *mp_ainner, &heap); +} + +bool VariantBasedVectorAdaptorIterator::at_end () const +{ + return m_b == m_e; +} + +void VariantBasedVectorAdaptorIterator::inc () +{ + ++m_b; +} + +// --------------------------------------------------------------------- +// VariantBasedVectorAdaptor implementation + +VariantBasedVectorAdaptor::VariantBasedVectorAdaptor (tl::Variant *var, const gsi::ArgType *ainner) + : mp_ainner (ainner), mp_var (var) +{ +} + +VectorAdaptorIterator *VariantBasedVectorAdaptor::create_iterator () const +{ + return new VariantBasedVectorAdaptorIterator (mp_var->begin (), mp_var->end (), mp_ainner); +} + +void VariantBasedVectorAdaptor::push (SerialArgs &r, tl::Heap &heap) +{ + tl::Variant member; + gsi::do_on_type () (mp_ainner->type (), &member, &r, *mp_ainner, &heap); + mp_var->push (member); +} + +void VariantBasedVectorAdaptor::clear () +{ + mp_var->set_list (); +} + +size_t VariantBasedVectorAdaptor::size () const +{ + return mp_var->size (); +} + +size_t VariantBasedVectorAdaptor::serial_size () const +{ + return mp_ainner->size (); +} + +// --------------------------------------------------------------------- +// VariantBasedMapAdaptorIterator implementation + +VariantBasedMapAdaptorIterator::VariantBasedMapAdaptorIterator (tl::Variant::array_iterator b, tl::Variant::array_iterator e, const gsi::ArgType *ainner, const gsi::ArgType *ainner_k) + : m_b (b), m_e (e), mp_ainner (ainner), mp_ainner_k (ainner_k) +{ + // .. nothing yet .. +} + +void VariantBasedMapAdaptorIterator::get (SerialArgs &w, tl::Heap &heap) const +{ + // Note: the const_cast is ugly but in this context we won't modify the variant given as the key. + // And it lets us keep the interface tidy. + gsi::do_on_type () (mp_ainner_k->type (), &w, const_cast (&m_b->first), *mp_ainner_k, &heap); + gsi::do_on_type () (mp_ainner->type (), &w, &m_b->second, *mp_ainner, &heap); +} + +bool VariantBasedMapAdaptorIterator::at_end () const +{ + return m_b == m_e; +} + +void VariantBasedMapAdaptorIterator::inc () +{ + ++m_b; +} + +// --------------------------------------------------------------------- +// VariantBasedMapAdaptor implementation + +VariantBasedMapAdaptor::VariantBasedMapAdaptor (tl::Variant *var, const gsi::ArgType *ainner, const gsi::ArgType *ainner_k) + : mp_ainner (ainner), mp_ainner_k (ainner_k), mp_var (var) +{ +} + +MapAdaptorIterator *VariantBasedMapAdaptor::create_iterator () const +{ + return new VariantBasedMapAdaptorIterator (mp_var->begin_array (), mp_var->end_array (), mp_ainner, mp_ainner_k); +} + +void VariantBasedMapAdaptor::insert (SerialArgs &r, tl::Heap &heap) +{ + tl::Variant k, v; + gsi::do_on_type () (mp_ainner_k->type (), &k, &r, *mp_ainner_k, &heap); + gsi::do_on_type () (mp_ainner->type (), &v, &r, *mp_ainner, &heap); + mp_var->insert (k, v); +} + +void VariantBasedMapAdaptor::clear () +{ + mp_var->set_array (); +} + +size_t VariantBasedMapAdaptor::size () const +{ + return mp_var->array_size (); +} + +size_t VariantBasedMapAdaptor::serial_size () const +{ + return mp_ainner_k->size () + mp_ainner->size (); +} + +// --------------------------------------------------------------------- +// pop_arg implementation + +void +pull_arg (gsi::SerialArgs &retlist, const gsi::ArgType &atype, tl::Variant &arg_out, tl::Heap *heap) +{ + gsi::do_on_type () (atype.type (), &arg_out, &retlist, atype, heap); +} + +} diff --git a/src/gsi/gsi/gsiVariantArgs.h b/src/gsi/gsi/gsiVariantArgs.h new file mode 100644 index 0000000000..6bd2361a33 --- /dev/null +++ b/src/gsi/gsi/gsiVariantArgs.h @@ -0,0 +1,81 @@ + +/* + + KLayout Layout Viewer + Copyright (C) 2006-2023 Matthias Koefferlein + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +*/ + + +#ifndef HDR_gsiVariantArgs +#define HDR_gsiVariantArgs + +#include "gsiCommon.h" +#include "gsiSerialisation.h" +#include "gsiTypes.h" + +namespace tl +{ + class Heap; + class Variant; +} + +namespace gsi +{ + +class SerialArgs; +class ArgType; + +/** + * @brief Pushes a variant on the serialization stack + * + * This also involves expanding of arrays into objects by calling the constructor. + * + * @param arglist The serialization stack to push the argument to + * @param atype The argument type + * @param arg The argument to push (may be modified if 'out' parameter) + * @param heap The heap + */ +GSI_PUBLIC void push_arg (gsi::SerialArgs &arglist, const gsi::ArgType &atype, tl::Variant &arg, tl::Heap *heap); + +/** + * @brief Pulls a variant from the serialization stack + * + * This function will pull the next argument from the bottom of the serialization stack + * and remove it from the stack. + * + * @param retlist The serialization stack + * @param atype The argument type + * @param arg_out Receives the value + * @param heap The heap + */ +GSI_PUBLIC void pull_arg (gsi::SerialArgs &retlist, const gsi::ArgType &atype, tl::Variant &arg_out, tl::Heap *heap); + +/** + * @brief Tests if the argument can be passed to a specific type + * @param atype The argument type + * @param arg The value to pass to it + * @param loose true for loose checking + * + * @return True, if the argument can be passed + */ +GSI_PUBLIC bool test_arg (const gsi::ArgType &atype, const tl::Variant &arg, bool loose); + +} + +#endif + diff --git a/src/pya/pya/pyaCallables.cc b/src/pya/pya/pyaCallables.cc index f63f219769..d35f8bff96 100644 --- a/src/pya/pya/pyaCallables.cc +++ b/src/pya/pya/pyaCallables.cc @@ -27,7 +27,9 @@ #include "pyaMarshal.h" #include "pyaConvert.h" #include "pyaUtils.h" + #include "gsiMethods.h" +#include "gsiVariantArgs.h" namespace pya { @@ -178,15 +180,97 @@ get_return_value (PYAObjectBase *self, gsi::SerialArgs &retlist, const gsi::Meth } else { - ret = pop_arg (meth->ret_type (), retlist, self, heap).release (); + ret = pull_arg (meth->ret_type (), retlist, self, heap).release (); } return ret; } +inline int +num_args (const gsi::MethodBase *m) +{ + return int (m->end_arguments () - m->begin_arguments ()); +} + +static bool +compatible_with_args (const gsi::MethodBase *m, int argc, PyObject *kwargs) +{ + int nargs = num_args (m); + + if (argc >= nargs) { + // no more arguments to consider + return argc == nargs && (kwargs == NULL || PyDict_Size (kwargs) == 0); + } + + if (kwargs != NULL) { + + int nkwargs = int (PyDict_Size (kwargs)); + int kwargs_taken = 0; + + while (argc < nargs) { + const gsi::ArgType &atype = m->begin_arguments () [argc]; + pya::PythonPtr py_arg = PyDict_GetItemString (kwargs, atype.spec ()->name ().c_str ()); + if (! py_arg) { + if (! atype.spec ()->has_default ()) { + return false; + } + } else { + ++kwargs_taken; + } + ++argc; + } + + // matches if all keyword arguments are taken + return kwargs_taken == nkwargs; + + } else { + + while (argc < nargs) { + const gsi::ArgType &atype = m->begin_arguments () [argc]; + if (! atype.spec ()->has_default ()) { + return false; + } + ++argc; + } + + return true; + + } +} + +static std::string +describe_overload (const gsi::MethodBase *m, int argc, PyObject *kwargs) +{ + std::string res = m->to_string (); + if (compatible_with_args (m, argc, kwargs)) { + res += " " + tl::to_string (tr ("[match candidate]")); + } + return res; +} + +static std::string +describe_overloads (const MethodTable *mt, int mid, int argc, PyObject *kwargs) +{ + std::string res; + for (auto m = mt->begin (mid); m != mt->end (mid); ++m) { + res += std::string (" ") + describe_overload (*m, argc, kwargs) + "\n"; + } + return res; +} + +static PyObject * +get_kwarg (const gsi::ArgType &atype, PyObject *kwargs) +{ + if (kwargs != NULL) { + return PyDict_GetItemString (kwargs, atype.spec ()->name ().c_str ()); + } else { + return NULL; + } +} + static const gsi::MethodBase * -match_method (int mid, PyObject *self, PyObject *args, bool strict) +match_method (int mid, PyObject *self, PyObject *args, PyObject *kwargs, bool strict) { const gsi::ClassBase *cls_decl = 0; @@ -226,7 +310,7 @@ match_method (int mid, PyObject *self, PyObject *args, bool strict) // ignore callbacks - } else if ((*m)->compatible_with_num_args (argc)) { + } else if (compatible_with_args (*m, argc, kwargs)) { ++candidates; meth = *m; @@ -237,28 +321,11 @@ match_method (int mid, PyObject *self, PyObject *args, bool strict) // no candidate -> error if (! meth) { - if (! strict) { return 0; + } else { + throw tl::TypeError (tl::to_string (tr ("Can't match arguments. Variants are:\n")) + describe_overloads (mt, mid, argc, kwargs)); } - - std::set nargs; - for (MethodTableEntry::method_iterator m = mt->begin (mid); m != mt->end (mid); ++m) { - if (! (*m)->is_callback ()) { - nargs.insert (std::distance ((*m)->begin_arguments (), (*m)->end_arguments ())); - } - } - - std::string nargs_s; - for (std::set::const_iterator na = nargs.begin (); na != nargs.end (); ++na) { - if (na != nargs.begin ()) { - nargs_s += "/"; - } - nargs_s += tl::to_string (*na); - } - - throw tl::Exception (tl::sprintf (tl::to_string (tr ("Invalid number of arguments (got %d, expected %s)")), argc, nargs_s)); - } // more than one candidate -> refine by checking the arguments @@ -274,14 +341,18 @@ match_method (int mid, PyObject *self, PyObject *args, bool strict) if (! (*m)->is_callback ()) { // check arguments (count and type) - bool is_valid = (*m)->compatible_with_num_args (argc); + + bool is_valid = compatible_with_args (*m, argc, kwargs); + int sc = 0; int i = 0; - for (gsi::MethodBase::argument_iterator a = (*m)->begin_arguments (); is_valid && i < argc && a != (*m)->end_arguments (); ++a, ++i) { - PyObject *arg = is_tuple ? PyTuple_GetItem (args, i) : PyList_GetItem (args, i); - if (test_arg (*a, arg, false /*strict*/)) { + for (gsi::MethodBase::argument_iterator a = (*m)->begin_arguments (); is_valid && a != (*m)->end_arguments (); ++a, ++i) { + PythonPtr arg (i >= argc ? get_kwarg (*a, kwargs) : (is_tuple ? PyTuple_GetItem (args, i) : PyList_GetItem (args, i))); + if (! arg) { + is_valid = a->spec ()->has_default (); + } else if (test_arg (*a, arg.get (), false /*strict*/)) { ++sc; - } else if (test_arg (*a, arg, true /*loose*/)) { + } else if (test_arg (*a, arg.get (), true /*loose*/)) { // non-scoring match } else { is_valid = false; @@ -306,12 +377,17 @@ match_method (int mid, PyObject *self, PyObject *args, bool strict) if (is_valid) { - // otherwise take the candidate with the better score - if (candidates > 0 && sc > score) { - candidates = 1; - meth = *m; - score = sc; - } else if (candidates == 0 || sc == score) { + // otherwise take the candidate with the better score or the least number of arguments (faster) + if (candidates > 0) { + if (sc > score || (sc == score && num_args (meth) > num_args (*m))) { + candidates = 1; + meth = *m; + score = sc; + } else if (sc == score && num_args (meth) == num_args (*m)) { + ++candidates; + meth = *m; + } + } else { ++candidates; meth = *m; score = sc; @@ -327,9 +403,9 @@ match_method (int mid, PyObject *self, PyObject *args, bool strict) // one candidate, but needs checking whether compatibility is given - this avoid having to route NotImplemented over TypeError exceptions later int i = 0; - for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); i < argc && a != meth->end_arguments (); ++a, ++i) { - PyObject *arg = is_tuple ? PyTuple_GetItem (args, i) : PyList_GetItem (args, i); - if (! test_arg (*a, arg, true /*loose*/)) { + for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); a != meth->end_arguments (); ++a, ++i) { + PythonPtr arg (i >= argc ? get_kwarg (*a, kwargs) : (is_tuple ? PyTuple_GetItem (args, i) : PyList_GetItem (args, i))); + if (arg && ! test_arg (*a, arg.get (), true /*loose*/)) { return 0; } } @@ -340,7 +416,7 @@ match_method (int mid, PyObject *self, PyObject *args, bool strict) if (! strict || mt->fallback_not_implemented (mid)) { return 0; } else { - throw tl::TypeError (tl::to_string (tr ("No overload with matching arguments"))); + throw tl::TypeError (tl::to_string (tr ("No overload with matching arguments. Variants are:\n")) + describe_overloads (mt, mid, argc, kwargs)); } } @@ -348,7 +424,7 @@ match_method (int mid, PyObject *self, PyObject *args, bool strict) if (! strict || mt->fallback_not_implemented (mid)) { return 0; } else { - throw tl::TypeError (tl::to_string (tr ("Ambiguous overload variants - multiple method declarations match arguments"))); + throw tl::TypeError (tl::to_string (tr ("Ambiguous overload variants - multiple method declarations match arguments. Variants are:\n")) + describe_overloads (mt, mid, argc, kwargs)); } } @@ -611,16 +687,64 @@ special_method_impl (gsi::MethodBase::special_method_type smt, PyObject *self, P } void -push_args (gsi::SerialArgs &arglist, const gsi::MethodBase *meth, PyObject *args, tl::Heap &heap) +push_args (gsi::SerialArgs &arglist, const gsi::MethodBase *meth, PyObject *args, PyObject *kwargs, tl::Heap &heap) { bool is_tuple = PyTuple_Check (args); - int i = 0; + int iarg = 0; int argc = args == NULL ? 0 : (is_tuple ? int (PyTuple_Size (args)) : int (PyList_Size (args))); + int kwargs_taken = 0; + int nkwargs = kwargs == NULL ? 0 : int (PyDict_Size (kwargs)); try { - for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); i < argc && a != meth->end_arguments (); ++a, ++i) { - push_arg (*a, arglist, is_tuple ? PyTuple_GetItem (args, i) : PyList_GetItem (args, i), heap); + for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); a != meth->end_arguments (); ++a, ++iarg) { + PythonPtr arg (iarg >= argc ? get_kwarg (*a, kwargs) : (is_tuple ? PyTuple_GetItem (args, iarg) : PyList_GetItem (args, iarg))); + if (! arg) { + if (a->spec ()->has_default ()) { + if (kwargs_taken == nkwargs) { + // leave it to the consumer to establish the default values (that is faster) + break; + } + tl::Variant def_value = a->spec ()->default_value (); + gsi::push_arg (arglist, *a, def_value, &heap); + } else { + throw tl::Exception (tl::to_string ("No argument provided (positional or keyword) and no default value available")); + } + } else { + if (iarg >= argc) { + ++kwargs_taken; + } + push_arg (*a, arglist, arg.get (), heap); + } + } + + if (kwargs_taken != nkwargs) { + + // check if there are any left-over keyword parameters with unknown names + + pya::PythonRef keys (PyDict_Keys (kwargs)); + + std::set valid_names; + for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); a != meth->end_arguments (); ++a) { + valid_names.insert (a->spec ()->name ()); + } + + std::set invalid_names; + for (int i = int (PyList_Size (keys.get ())); i > 0; ) { + --i; + std::string k = python2c (PyList_GetItem (keys.get (), i)); + if (valid_names.find (k) == valid_names.end ()) { + invalid_names.insert (k); + } + } + + if (invalid_names.size () > 1) { + std::string names_str = tl::join (invalid_names.begin (), invalid_names.end (), ", "); + throw tl::Exception (tl::to_string (tr ("Unknown keyword parameters: ")) + names_str); + } else if (invalid_names.size () == 1) { + throw tl::Exception (tl::to_string (tr ("Unknown keyword parameter: ")) + *invalid_names.begin ()); + } + } } catch (tl::Exception &ex) { @@ -628,19 +752,26 @@ push_args (gsi::SerialArgs &arglist, const gsi::MethodBase *meth, PyObject *args // In case of an error upon write, pop the arguments to clean them up. // Without this, there is a risk to keep dead objects on the stack. for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); a != meth->end_arguments () && arglist; ++a) { - pop_arg (*a, arglist, 0, heap); + pull_arg (*a, arglist, 0, heap); } - std::string msg; - const gsi::ArgSpecBase *arg_spec = meth->begin_arguments () [i].spec (); + if (iarg < num_args (meth)) { + + // attach argument information to the error message if available + + std::string msg; + const gsi::ArgSpecBase *arg_spec = meth->begin_arguments () [iarg].spec (); + + if (arg_spec && ! arg_spec->name ().empty ()) { + msg = tl::sprintf (tl::to_string (tr ("%s for argument #%d ('%s')")), ex.basic_msg (), iarg + 1, arg_spec->name ()); + } else { + msg = tl::sprintf (tl::to_string (tr ("%s for argument #%d")), ex.basic_msg (), iarg + 1); + } + + ex.set_basic_msg (msg); - if (arg_spec && ! arg_spec->name ().empty ()) { - msg = tl::sprintf (tl::to_string (tr ("%s for argument #%d ('%s')")), ex.basic_msg (), i + 1, arg_spec->name ()); - } else { - msg = tl::sprintf (tl::to_string (tr ("%s for argument #%d")), ex.basic_msg (), i + 1); } - ex.set_basic_msg (msg); throw; } catch (...) { @@ -648,7 +779,7 @@ push_args (gsi::SerialArgs &arglist, const gsi::MethodBase *meth, PyObject *args // In case of an error upon write, pop the arguments to clean them up. // Without this, there is a risk to keep dead objects on the stack. for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); a != meth->end_arguments () && arglist; ++a) { - pop_arg (*a, arglist, 0, heap); + pull_arg (*a, arglist, 0, heap); } throw; @@ -657,13 +788,13 @@ push_args (gsi::SerialArgs &arglist, const gsi::MethodBase *meth, PyObject *args } static PyObject * -method_adaptor (int mid, PyObject *self, PyObject *args) +method_adaptor (int mid, PyObject *self, PyObject *args, PyObject *kwargs) { PyObject *ret = NULL; PYA_TRY - const gsi::MethodBase *meth = match_method (mid, self, args, true); + const gsi::MethodBase *meth = match_method (mid, self, args, kwargs, true); // method is not implemented if (! meth) { @@ -703,7 +834,7 @@ method_adaptor (int mid, PyObject *self, PyObject *args) gsi::SerialArgs retlist (meth->retsize ()); gsi::SerialArgs arglist (meth->argsize ()); - push_args (arglist, meth, args, heap); + push_args (arglist, meth, args, kwargs, heap); meth->call (obj, arglist, retlist); @@ -770,7 +901,7 @@ property_setter_adaptor (int mid, PyObject *self, PyObject *args) * @brief __init__ implementation (bound to method ith id 'mid') */ static PyObject * -method_init_adaptor (int mid, PyObject *self, PyObject *args) +method_init_adaptor (int mid, PyObject *self, PyObject *args, PyObject *kwargs) { PYA_TRY @@ -782,7 +913,10 @@ method_init_adaptor (int mid, PyObject *self, PyObject *args) } int argc = PyTuple_Check (args) ? int (PyTuple_Size (args)) : int (PyList_Size (args)); - const gsi::MethodBase *meth = match_method (mid, self, args, argc > 0 || ! p->cls_decl ()->can_default_create ()); + bool has_kwargs = kwargs != NULL && PyDict_Size (kwargs) > 0; + bool strict_matching = argc > 0 || has_kwargs || ! p->cls_decl ()->can_default_create (); + + const gsi::MethodBase *meth = match_method (mid, self, args, kwargs, strict_matching); if (meth && meth->smt () == gsi::MethodBase::None) { @@ -791,7 +925,7 @@ method_init_adaptor (int mid, PyObject *self, PyObject *args) gsi::SerialArgs retlist (meth->retsize ()); gsi::SerialArgs arglist (meth->argsize ()); - push_args (arglist, meth, args, heap); + push_args (arglist, meth, args, kwargs, heap); meth->call (0, arglist, retlist); @@ -979,8 +1113,8 @@ property_setter_impl (int mid, PyObject *self, PyObject *value) } if (is_valid) { - ++candidates; meth = *m; + ++candidates; } } @@ -1075,12 +1209,12 @@ property_setter_func (PyObject *self, PyObject *value, void *closure) // Adaptor arrays template -PyObject *method_adaptor (PyObject *self, PyObject *args) +PyObject *method_adaptor (PyObject *self, PyObject *args, PyObject *kwargs) { - return method_adaptor (N, self, args); + return method_adaptor (N, self, args, kwargs); } -static py_func_ptr_t method_adaptors [] = +static py_func_with_kw_ptr_t method_adaptors [] = { &method_adaptor<0x000>, &method_adaptor<0x001>, &method_adaptor<0x002>, &method_adaptor<0x003>, &method_adaptor<0x004>, &method_adaptor<0x005>, &method_adaptor<0x006>, &method_adaptor<0x007>, &method_adaptor<0x008>, &method_adaptor<0x009>, &method_adaptor<0x00a>, &method_adaptor<0x00b>, &method_adaptor<0x00c>, &method_adaptor<0x00d>, &method_adaptor<0x00e>, &method_adaptor<0x00f>, @@ -1244,7 +1378,7 @@ static py_func_ptr_t method_adaptors [] = &method_adaptor<0x4f8>, &method_adaptor<0x4f9>, &method_adaptor<0x4fa>, &method_adaptor<0x4fb>, &method_adaptor<0x4fc>, &method_adaptor<0x4fd>, &method_adaptor<0x4fe>, &method_adaptor<0x4ff>, }; -py_func_ptr_t get_method_adaptor (int n) +py_func_with_kw_ptr_t get_method_adaptor (int n) { tl_assert (n >= 0 && n < int (sizeof (method_adaptors) / sizeof (method_adaptors [0]))); return method_adaptors [n]; @@ -1603,12 +1737,12 @@ py_func_ptr_t get_property_setter_adaptor (int n) } template -PyObject *method_init_adaptor (PyObject *self, PyObject *args) +PyObject *method_init_adaptor (PyObject *self, PyObject *args, PyObject *kwargs) { - return method_init_adaptor (N, self, args); + return method_init_adaptor (N, self, args, kwargs); } -static py_func_ptr_t method_init_adaptors [] = +static py_func_with_kw_ptr_t method_init_adaptors [] = { &method_init_adaptor<0x000>, &method_init_adaptor<0x001>, &method_init_adaptor<0x002>, &method_init_adaptor<0x003>, &method_init_adaptor<0x004>, &method_init_adaptor<0x005>, &method_init_adaptor<0x006>, &method_init_adaptor<0x007>, &method_init_adaptor<0x008>, &method_init_adaptor<0x009>, &method_init_adaptor<0x00a>, &method_init_adaptor<0x00b>, &method_init_adaptor<0x00c>, &method_init_adaptor<0x00d>, &method_init_adaptor<0x00e>, &method_init_adaptor<0x00f>, @@ -1740,7 +1874,7 @@ static py_func_ptr_t method_init_adaptors [] = &method_init_adaptor<0x3f8>, &method_init_adaptor<0x3f9>, &method_init_adaptor<0x3fa>, &method_init_adaptor<0x3fb>, &method_init_adaptor<0x3fc>, &method_init_adaptor<0x3fd>, &method_init_adaptor<0x3fe>, &method_init_adaptor<0x3ff>, }; -py_func_ptr_t get_method_init_adaptor (int n) +py_func_with_kw_ptr_t get_method_init_adaptor (int n) { tl_assert (n >= 0 && n < int (sizeof (method_init_adaptors) / sizeof (method_init_adaptors [0]))); return method_init_adaptors [n]; diff --git a/src/pya/pya/pyaCallables.h b/src/pya/pya/pyaCallables.h index 2610c60326..1d19f70e5f 100644 --- a/src/pya/pya/pyaCallables.h +++ b/src/pya/pya/pyaCallables.h @@ -39,12 +39,13 @@ PyObject *object_default_le_impl (PyObject *self, PyObject *args); PyObject *object_default_gt_impl (PyObject *self, PyObject *args); PyObject *object_default_deepcopy_impl (PyObject *self, PyObject *args); +typedef PyObject *(*py_func_with_kw_ptr_t) (PyObject *, PyObject *, PyObject *); typedef PyObject *(*py_func_ptr_t) (PyObject *, PyObject *); -py_func_ptr_t get_method_adaptor (int n); +py_func_with_kw_ptr_t get_method_adaptor (int n); py_func_ptr_t get_property_getter_adaptor (int n); py_func_ptr_t get_property_setter_adaptor (int n); -py_func_ptr_t get_method_init_adaptor (int n); +py_func_with_kw_ptr_t get_method_init_adaptor (int n); inline void *make_closure (int mid_getter, int mid_setter) { diff --git a/src/pya/pya/pyaHelpers.cc b/src/pya/pya/pyaHelpers.cc index c8aa44c600..e85727d2ce 100644 --- a/src/pya/pya/pyaHelpers.cc +++ b/src/pya/pya/pyaHelpers.cc @@ -379,7 +379,7 @@ pya_plain_iterator_next (PyObject *self) gsi::SerialArgs args (iter->iter->serial_size ()); iter->iter->get (args); - PythonRef obj = pop_arg (*iter->value_type, args, 0, heap); + PythonRef obj = pull_arg (*iter->value_type, args, 0, heap); return obj.release (); } diff --git a/src/pya/pya/pyaMarshal.cc b/src/pya/pya/pyaMarshal.cc index 38c659e4d7..ad658fc837 100644 --- a/src/pya/pya/pyaMarshal.cc +++ b/src/pya/pya/pyaMarshal.cc @@ -32,7 +32,7 @@ namespace pya { -void push_args (gsi::SerialArgs &arglist, const gsi::MethodBase *meth, PyObject *args, tl::Heap &heap); +void push_args (gsi::SerialArgs &arglist, const gsi::MethodBase *meth, PyObject *args, PyObject *kwargs, tl::Heap &heap); // ------------------------------------------------------------------- // Serialization adaptors for strings, variants, vectors and maps @@ -508,7 +508,7 @@ struct writer gsi::SerialArgs retlist (meth->retsize ()); gsi::SerialArgs arglist (meth->argsize ()); - push_args (arglist, meth, arg, *heap); + push_args (arglist, meth, arg, NULL, *heap); meth->call (0, arglist, retlist); @@ -862,7 +862,7 @@ struct reader }; PythonRef -pop_arg (const gsi::ArgType &atype, gsi::SerialArgs &aserial, PYAObjectBase *self, tl::Heap &heap) +pull_arg (const gsi::ArgType &atype, gsi::SerialArgs &aserial, PYAObjectBase *self, tl::Heap &heap) { PythonRef ret; gsi::do_on_type () (atype.type (), &aserial, &ret, self, atype, &heap); diff --git a/src/pya/pya/pyaMarshal.h b/src/pya/pya/pyaMarshal.h index 9306dbd950..a698d14d54 100644 --- a/src/pya/pya/pyaMarshal.h +++ b/src/pya/pya/pyaMarshal.h @@ -58,7 +58,7 @@ push_arg (const gsi::ArgType &atype, gsi::SerialArgs &aserial, PyObject *arg, tl * @param self The self object of the method call (for shortcut evaluation to return self if possible) * @return The deserialized object (a new reference) */ -PythonRef pop_arg (const gsi::ArgType &atype, gsi::SerialArgs &aserial, PYAObjectBase *self, tl::Heap &heap); +PythonRef pull_arg (const gsi::ArgType &atype, gsi::SerialArgs &aserial, PYAObjectBase *self, tl::Heap &heap); /** * @brief Tests whether the given object is compatible with the given type diff --git a/src/pya/pya/pyaModule.cc b/src/pya/pya/pyaModule.cc index f6e5b32f62..ce95f1593f 100644 --- a/src/pya/pya/pyaModule.cc +++ b/src/pya/pya/pyaModule.cc @@ -517,12 +517,12 @@ class PythonClassGenerator // Special handling needed as the memo argument needs to be ignored method->ml_meth = &object_default_deepcopy_impl; } else if (mt->is_init (mid)) { - method->ml_meth = (PyCFunction) get_method_init_adaptor (mid); + method->ml_meth = reinterpret_cast (get_method_init_adaptor (mid)); } else { - method->ml_meth = (PyCFunction) get_method_adaptor (mid); + method->ml_meth = reinterpret_cast (get_method_adaptor (mid)); } method->ml_doc = mp_module->make_string (doc); - method->ml_flags = METH_VARARGS; + method->ml_flags = METH_VARARGS | METH_KEYWORDS; PythonRef attr = PythonRef (PyDescr_NewMethod (type, method)); set_type_attr (type, name, attr); @@ -531,9 +531,9 @@ class PythonClassGenerator PyMethodDef *method = mp_module->make_method_def (); method->ml_name = mp_module->make_string (name); - method->ml_meth = (PyCFunction) get_method_adaptor (mid); + method->ml_meth = reinterpret_cast (get_method_adaptor (mid)); method->ml_doc = mp_module->make_string (doc); - method->ml_flags = METH_VARARGS | METH_CLASS; + method->ml_flags = METH_VARARGS | METH_KEYWORDS | METH_CLASS; PythonRef attr = PythonRef (PyDescr_NewClassMethod (type, method)); set_type_attr (type, name, attr); diff --git a/src/pya/pya/pyaObject.cc b/src/pya/pya/pyaObject.cc index 86f9272ccf..4899e0c39a 100644 --- a/src/pya/pya/pyaObject.cc +++ b/src/pya/pya/pyaObject.cc @@ -145,7 +145,7 @@ Callee::call (int id, gsi::SerialArgs &args, gsi::SerialArgs &ret) const // TODO: callbacks with default arguments? for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); args && a != meth->end_arguments (); ++a) { - PyTuple_SetItem (argv.get (), arg4self + (a - meth->begin_arguments ()), pop_arg (*a, args, 0, heap).release ()); + PyTuple_SetItem (argv.get (), arg4self + (a - meth->begin_arguments ()), pull_arg (*a, args, 0, heap).release ()); } PythonRef result (PyObject_CallObject (callable.get (), argv.get ())); diff --git a/src/pya/pya/pyaSignalHandler.cc b/src/pya/pya/pyaSignalHandler.cc index 53ff51f8f2..bc635c294f 100644 --- a/src/pya/pya/pyaSignalHandler.cc +++ b/src/pya/pya/pyaSignalHandler.cc @@ -130,7 +130,7 @@ void SignalHandler::call (const gsi::MethodBase *meth, gsi::SerialArgs &args, gs int args_avail = int (std::distance (meth->begin_arguments (), meth->end_arguments ())); PythonRef argv (PyTuple_New (args_avail)); for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); args && a != meth->end_arguments (); ++a) { - PyTuple_SetItem (argv.get (), int (a - meth->begin_arguments ()), pop_arg (*a, args, 0, heap).release ()); + PyTuple_SetItem (argv.get (), int (a - meth->begin_arguments ()), pull_arg (*a, args, 0, heap).release ()); } // NOTE: in case one event handler deletes the object, it's safer to first collect the handlers and diff --git a/src/pya/unit_tests/pyaTests.cc b/src/pya/unit_tests/pyaTests.cc index 1da344769a..69edf6cd36 100644 --- a/src/pya/unit_tests/pyaTests.cc +++ b/src/pya/unit_tests/pyaTests.cc @@ -96,6 +96,7 @@ void run_pythontest (tl::TestBase *_this, const std::string &fn) #define PYTHONTEST(n, file) \ TEST(n) { run_pythontest(_this, file); } +PYTHONTEST (kwargs, "kwargs.py") PYTHONTEST (dbLayoutTest, "dbLayoutTest.py") PYTHONTEST (dbRegionTest, "dbRegionTest.py") PYTHONTEST (dbReaders, "dbReaders.py") diff --git a/testdata/python/kwargs.py b/testdata/python/kwargs.py new file mode 100644 index 0000000000..8f30b95d98 --- /dev/null +++ b/testdata/python/kwargs.py @@ -0,0 +1,209 @@ +# KLayout Layout Viewer +# Copyright (C) 2006-2023 Matthias Koefferlein +# +# This program is free software; you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation; either version 2 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + + +import pya +import unittest + +# NOTE: pya.CplxTrans and pya.Trans and good test cases +# for the keyword arguments feature + +class KWArgsTest(unittest.TestCase): + + def test_1(self): + + t = pya.CplxTrans() + self.assertEqual(str(t), "r0 *1 0,0") + + t = pya.CplxTrans(1.5) + self.assertEqual(str(t), "r0 *1.5 0,0") + + t = pya.CplxTrans(1, 2) + self.assertEqual(str(t), "r0 *1 1,2") + + t = pya.CplxTrans(1, y = 2) + self.assertEqual(str(t), "r0 *1 1,2") + + t = pya.CplxTrans(x = 1, y = 2) + self.assertEqual(str(t), "r0 *1 1,2") + + t = pya.CplxTrans(u = pya.DVector(1, 2)) + self.assertEqual(str(t), "r0 *1 1,2") + + t = pya.CplxTrans(pya.DVector(1, 2)) + self.assertEqual(str(t), "r0 *1 1,2") + + t = pya.CplxTrans(u = pya.Vector(1, 2)) + self.assertEqual(str(t), "r0 *1 1,2") + + t = pya.CplxTrans(u = (1, 2)) + self.assertEqual(str(t), "r0 *1 1,2") + + t = pya.CplxTrans(mag = 1.5) + self.assertEqual(str(t), "r0 *1.5 0,0") + + t = pya.CplxTrans(1.5, 45, True, 1, 2) + self.assertEqual(str(t), "m22.5 *1.5 1,2") + + t = pya.CplxTrans(1.5, 45, True, pya.DVector(1, 2)) + self.assertEqual(str(t), "m22.5 *1.5 1,2") + + t = pya.CplxTrans(1.5, x = 1, y = 2, mirrx = True, rot = 45) + self.assertEqual(str(t), "m22.5 *1.5 1,2") + + t = pya.CplxTrans(pya.CplxTrans.M0) + self.assertEqual(str(t), "m0 *1 0,0") + + t = pya.CplxTrans(pya.CplxTrans.M0, u = pya.DVector(1, 2)) + self.assertEqual(str(t), "m0 *1 1,2") + + t = pya.CplxTrans(pya.CplxTrans.M0, mag = 1.5, u = pya.DVector(1, 2)) + self.assertEqual(str(t), "m0 *1.5 1,2") + + t = pya.CplxTrans(pya.CplxTrans.M0, 1.5, pya.DVector(1, 2)) + self.assertEqual(str(t), "m0 *1.5 1,2") + + t = pya.CplxTrans(pya.CplxTrans.M0, mag = 1.5, x = 1, y = 2) + self.assertEqual(str(t), "m0 *1.5 1,2") + + t = pya.CplxTrans(pya.CplxTrans.M0, 1.5, 1, 2) + self.assertEqual(str(t), "m0 *1.5 1,2") + + t = pya.CplxTrans(pya.VCplxTrans.M0) + self.assertEqual(str(t), "m0 *1 0,0") + + t = pya.CplxTrans(pya.ICplxTrans.M0) + self.assertEqual(str(t), "m0 *1 0,0") + + t = pya.CplxTrans(pya.DCplxTrans.M0) + self.assertEqual(str(t), "m0 *1 0,0") + + t = pya.CplxTrans(pya.Trans.M0) + self.assertEqual(str(t), "m0 *1 0,0") + + t = pya.CplxTrans(pya.Trans.M0, 1.5) + self.assertEqual(str(t), "m0 *1.5 0,0") + + t = pya.CplxTrans(pya.Trans.M0, mag = 1.5) + self.assertEqual(str(t), "m0 *1.5 0,0") + + t = pya.CplxTrans(t = pya.Trans.M0, mag = 1.5) + self.assertEqual(str(t), "m0 *1.5 0,0") + + t = pya.CplxTrans() + t.disp = (1, 2) + self.assertEqual(str(t), "r0 *1 1,2") + + t = pya.ICplxTrans(15, 25) + self.assertEqual(t.to_s(dbu = 0.01), "r0 *1 0.15000,0.25000") + + + def test_2(self): + + t = pya.Trans(pya.Trans.M0, 1, 2) + self.assertEqual(str(t), "m0 1,2") + + t = pya.Trans(pya.Trans.M0, x = 1, y = 2) + self.assertEqual(str(t), "m0 1,2") + + t = pya.Trans(pya.Trans.M0, pya.Vector(1, 2)) + self.assertEqual(str(t), "m0 1,2") + + t = pya.Trans(pya.Trans.M0, u = pya.Vector(1, 2)) + self.assertEqual(str(t), "m0 1,2") + + t = pya.Trans(rot = 3, mirrx = True) + self.assertEqual(str(t), "m135 0,0") + + t = pya.Trans(rot = 3, mirrx = True, x = 1, y = 2) + self.assertEqual(str(t), "m135 1,2") + + t = pya.Trans(3, True, 1, 2) + self.assertEqual(str(t), "m135 1,2") + + t = pya.Trans(3, True, pya.Vector(1, 2)) + self.assertEqual(str(t), "m135 1,2") + + t = pya.Trans(rot = 3, mirrx = True, u = pya.Vector(1, 2)) + self.assertEqual(str(t), "m135 1,2") + + t = pya.Trans() + self.assertEqual(str(t), "r0 0,0") + + t = pya.Trans(pya.DTrans.M0) + self.assertEqual(str(t), "m0 0,0") + + t = pya.Trans(pya.DTrans.M0, 1, 2) + self.assertEqual(str(t), "m0 1,2") + + t = pya.Trans(pya.DTrans.M0, x = 1, y = 2) + self.assertEqual(str(t), "m0 1,2") + + t = pya.Trans(c = pya.DTrans.M0, x = 1, y = 2) + self.assertEqual(str(t), "m0 1,2") + + t = pya.Trans(pya.Vector(1, 2)) + self.assertEqual(str(t), "r0 1,2") + + t = pya.Trans(1, 2) + self.assertEqual(str(t), "r0 1,2") + + + def test_3(self): + + try: + t = pya.CplxTrans(1.5, 2.5) + t.to_s(dbu = "17") + self.assertEqual(True, False) + except Exception as ex: + self.assertEqual(str(ex), "Value cannot be converted to a floating-point value for argument #2 ('dbu') in CplxTrans.to_s") + + try: + t = pya.CplxTrans("17") + self.assertEqual(True, False) + except Exception as ex: + self.assertEqual(str(ex).find("No overload with matching arguments."), 0) + + try: + t = pya.CplxTrans(uu = 17) + self.assertEqual(True, False) + except Exception as ex: + self.assertEqual(str(ex).find("Can't match arguments."), 0) + + try: + t = pya.CplxTrans(u = "17") + self.assertEqual(True, False) + except Exception as ex: + self.assertEqual(str(ex).find("No overload with matching arguments."), 0) + + try: + t = pya.Trans("17") + self.assertEqual(True, False) + except Exception as ex: + self.assertEqual(str(ex).find("No overload with matching arguments."), 0) + + +# run unit tests +if __name__ == '__main__': + suite = unittest.TestSuite() + # NOTE: Use this instead of loadTestsfromTestCase to select a specific test: + # suite.addTest(KWArgsTest("test_26")) + suite = unittest.TestLoader().loadTestsFromTestCase(KWArgsTest) + + if not unittest.TextTestRunner(verbosity = 1).run(suite).wasSuccessful(): + sys.exit(1) + From 8f9b904d87d9151e1f5d36b0e228beed5a5ff6ea Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Wed, 27 Dec 2023 22:17:39 +0100 Subject: [PATCH 114/128] WIP: keyword arguments for Ruby --- src/rba/rba/rba.cc | 250 +++++++++++++++++++++++++++------ src/rba/rba/rbaInspector.cc | 2 +- src/rba/rba/rbaInternal.cc | 4 +- src/rba/rba/rbaMarshal.cc | 8 +- src/rba/rba/rbaMarshal.h | 2 +- src/rba/unit_tests/rbaTests.cc | 1 + testdata/ruby/kwargs.rb | 216 ++++++++++++++++++++++++++++ 7 files changed, 430 insertions(+), 53 deletions(-) create mode 100644 testdata/ruby/kwargs.rb diff --git a/src/rba/rba/rba.cc b/src/rba/rba/rba.cc index 48e843f5c9..bc40e237cd 100644 --- a/src/rba/rba/rba.cc +++ b/src/rba/rba/rba.cc @@ -26,6 +26,7 @@ #include "gsiExpression.h" #include "gsiSignals.h" #include "gsiInspector.h" +#include "gsiVariantArgs.h" #include "tlString.h" #include "tlInternational.h" #include "tlException.h" @@ -163,6 +164,24 @@ RubyStackTraceProvider::stack_depth () } #endif +// ------------------------------------------------------------------- + +static inline int +num_args (const gsi::MethodBase *m) +{ + return int (m->end_arguments () - m->begin_arguments ()); +} + +static VALUE +get_kwarg (const gsi::ArgType &atype, VALUE kwargs) +{ + if (kwargs != Qnil) { + return rb_hash_lookup2 (kwargs, rb_id2sym (rb_intern (atype.spec ()->name ().c_str ())), Qnil); + } else { + return Qnil; + } +} + // ------------------------------------------------------------------- // The lookup table for the method overload resolution @@ -277,15 +296,19 @@ class MethodTableEntry return m_methods.end (); } - const gsi::MethodBase *get_variant (int argc, VALUE *argv, bool block_given, bool is_ctor, bool is_static, bool is_const) const + const gsi::MethodBase *get_variant (int argc, VALUE *argv, VALUE kwargs, bool block_given, bool is_ctor, bool is_static, bool is_const) const { // caching can't work for arrays or hashes - in this case, give up - for (int i = 0; i < argc; ++i) { + bool nocache = (kwargs != Qnil); + + for (int i = 0; i < argc && ! nocache; ++i) { int t = TYPE (argv[i]); - if (t == T_ARRAY || t == T_HASH) { - return find_variant (argc, argv, block_given, is_ctor, is_static, is_const); - } + nocache = (t == T_ARRAY || t == T_HASH); + } + + if (nocache) { + return find_variant (argc, argv, kwargs, block_given, is_ctor, is_static, is_const); } // try to find the variant in the cache @@ -296,13 +319,79 @@ class MethodTableEntry return v->second; } - const gsi::MethodBase *meth = find_variant (argc, argv, block_given, is_ctor, is_static, is_const); + const gsi::MethodBase *meth = find_variant (argc, argv, kwargs, block_given, is_ctor, is_static, is_const); m_variants[key] = meth; return meth; } private: - const gsi::MethodBase *find_variant (int argc, VALUE *argv, bool block_given, bool is_ctor, bool is_static, bool is_const) const + static bool + compatible_with_args (const gsi::MethodBase *m, int argc, VALUE kwargs) + { + int nargs = num_args (m); + + if (argc >= nargs) { + // no more arguments to consider + return argc == nargs && (kwargs == Qnil || rb_hash_size_num (kwargs) == 0); + } + + if (kwargs != Qnil) { + + int nkwargs = int (rb_hash_size_num (kwargs)); + int kwargs_taken = 0; + + while (argc < nargs) { + const gsi::ArgType &atype = m->begin_arguments () [argc]; + VALUE rb_arg = rb_hash_lookup2 (kwargs, rb_id2sym (rb_intern (atype.spec ()->name ().c_str ())), Qnil); + if (rb_arg == Qnil) { + if (! atype.spec ()->has_default ()) { + return false; + } + } else { + ++kwargs_taken; + } + ++argc; + } + + // matches if all keyword arguments are taken + return kwargs_taken == nkwargs; + + } else { + + while (argc < nargs) { + const gsi::ArgType &atype = m->begin_arguments () [argc]; + if (! atype.spec ()->has_default ()) { + return false; + } + ++argc; + } + + return true; + + } + } + + static std::string + describe_overload (const gsi::MethodBase *m, int argc, VALUE kwargs) + { + std::string res = m->to_string (); + if (compatible_with_args (m, argc, kwargs)) { + res += " " + tl::to_string (tr ("[match candidate]")); + } + return res; + } + + std::string + describe_overloads (int argc, VALUE kwargs) const + { + std::string res; + for (auto m = begin (); m != end (); ++m) { + res += std::string (" ") + describe_overload (*m, argc, kwargs) + "\n"; + } + return res; + } + + const gsi::MethodBase *find_variant (int argc, VALUE *argv, VALUE kwargs, bool block_given, bool is_ctor, bool is_static, bool is_const) const { // get number of candidates by argument count const gsi::MethodBase *meth = 0; @@ -334,7 +423,7 @@ class MethodTableEntry // ignore callbacks - } else if ((*m)->compatible_with_num_args (argc)) { + } else if (compatible_with_args (*m, argc, kwargs)) { ++candidates; meth = *m; @@ -344,7 +433,7 @@ class MethodTableEntry } // no method found, but the ctor was requested - implement that method as replacement for the default "initialize" - if (! meth && argc == 0 && is_ctor) { + if (! meth && argc == 0 && is_ctor && kwargs == Qnil) { return 0; } @@ -366,7 +455,7 @@ class MethodTableEntry nargs_s += tl::to_string (*na); } - throw tl::Exception (tl::sprintf (tl::to_string (tr ("Invalid number of arguments (got %d, expected %s)")), argc, nargs_s)); + throw tl::Exception (tl::to_string (tr ("Can't match arguments. Variants are:\n")) + describe_overloads (argc, kwargs)); } @@ -383,13 +472,16 @@ class MethodTableEntry if (! (*m)->is_callback () && ! (*m)->is_signal ()) { // check arguments (count and type) - bool is_valid = (*m)->compatible_with_num_args (argc); + bool is_valid = compatible_with_args (*m, argc, kwargs); int sc = 0; - VALUE *av = argv; - for (gsi::MethodBase::argument_iterator a = (*m)->begin_arguments (); is_valid && av < argv + argc && a != (*m)->end_arguments (); ++a, ++av) { - if (test_arg (*a, *av, false /*strict*/)) { + int i = 0; + for (gsi::MethodBase::argument_iterator a = (*m)->begin_arguments (); is_valid && a != (*m)->end_arguments (); ++a, ++i) { + VALUE arg = i >= argc ? get_kwarg (*a, kwargs) : argv[i]; + if (arg == Qnil) { + is_valid = a->spec ()->has_default (); + } else if (test_arg (*a, arg, false /*strict*/)) { ++sc; - } else if (test_arg (*a, *av, true /*loose*/)) { + } else if (test_arg (*a, arg, true /*loose*/)) { // non-scoring match } else { is_valid = false; @@ -414,12 +506,17 @@ class MethodTableEntry if (is_valid) { - // otherwise take the candidate with the better score - if (candidates > 0 && sc > score) { - candidates = 1; - meth = *m; - score = sc; - } else if (candidates == 0 || sc == score) { + // otherwise take the candidate with the better score or the least number of arguments (faster) + if (candidates > 0) { + if (sc > score || (sc == score && num_args (meth) > num_args (*m))) { + candidates = 1; + meth = *m; + score = sc; + } else if (sc == score && num_args (meth) == num_args (*m)) { + ++candidates; + meth = *m; + } + } else { ++candidates; meth = *m; score = sc; @@ -434,11 +531,11 @@ class MethodTableEntry } if (! meth) { - throw tl::Exception (tl::to_string (tr ("No overload with matching arguments"))); + throw tl::TypeError (tl::to_string (tr ("No overload with matching arguments. Variants are:\n")) + describe_overloads (argc, kwargs)); } if (candidates > 1) { - throw tl::Exception (tl::to_string (tr ("Ambiguous overload variants - multiple method declarations match arguments"))); + throw tl::TypeError (tl::to_string (tr ("Ambiguous overload variants - multiple method declarations match arguments. Variants are:\n")) + describe_overloads (argc, kwargs)); } if (is_const && ! meth->is_const ()) { @@ -943,16 +1040,64 @@ static gsi::ArgType create_void_type () static gsi::ArgType s_void_type = create_void_type (); +static int get_kwargs_keys (VALUE key, VALUE, VALUE arg) +{ + std::set *names = reinterpret_cast *> (arg); + names->insert (ruby2c (key)); + + return ST_CONTINUE; +} + void -push_args (gsi::SerialArgs &arglist, const gsi::MethodBase *meth, VALUE *argv, int argc, tl::Heap &heap) +push_args (gsi::SerialArgs &arglist, const gsi::MethodBase *meth, VALUE *argv, int argc, VALUE kwargs, tl::Heap &heap) { - int i = 0; + int iarg = 0; + int kwargs_taken = 0; + int nkwargs = kwargs == Qnil ? 0 : int (rb_hash_size_num (kwargs)); try { - VALUE *av = argv; - for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); a != meth->end_arguments () && av < argv + argc; ++a, ++av, ++i) { - push_arg (*a, arglist, *av, heap); + for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); a != meth->end_arguments (); ++a, ++iarg) { + + VALUE arg = iarg >= argc ? get_kwarg (*a, kwargs) : argv[iarg]; + if (arg == Qnil) { + if (a->spec ()->has_default ()) { + if (kwargs_taken == nkwargs) { + // leave it to the consumer to establish the default values (that is faster) + break; + } + tl::Variant def_value = a->spec ()->default_value (); + gsi::push_arg (arglist, *a, def_value, &heap); + } else { + throw tl::Exception (tl::to_string ("No argument provided (positional or keyword) and no default value available")); + } + } else { + if (iarg >= argc) { + ++kwargs_taken; + } + push_arg (*a, arglist, arg, heap); + } + + } + + if (kwargs_taken != nkwargs) { + + // check if there are any left-over keyword parameters with unknown names + + std::set invalid_names; + rb_hash_foreach (kwargs, &get_kwargs_keys, reinterpret_cast (&invalid_names)); + + for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); a != meth->end_arguments (); ++a) { + invalid_names.erase (a->spec ()->name ()); + } + + if (invalid_names.size () > 1) { + std::string names_str = tl::join (invalid_names.begin (), invalid_names.end (), ", "); + throw tl::Exception (tl::to_string (tr ("Unknown keyword parameters: ")) + names_str); + } else if (invalid_names.size () == 1) { + throw tl::Exception (tl::to_string (tr ("Unknown keyword parameter: ")) + *invalid_names.begin ()); + } + } } catch (tl::Exception &ex) { @@ -960,28 +1105,34 @@ push_args (gsi::SerialArgs &arglist, const gsi::MethodBase *meth, VALUE *argv, i // In case of an error upon write, pop the arguments to clean them up. // Without this, there is a risk to keep dead objects on the stack. for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); a != meth->end_arguments () && arglist; ++a) { - pop_arg (*a, 0, arglist, heap); + pull_arg (*a, 0, arglist, heap); } - const gsi::ArgSpecBase *arg_spec = meth->begin_arguments () [i].spec (); + if (iarg < num_args (meth)) { + + const gsi::ArgSpecBase *arg_spec = meth->begin_arguments () [iarg].spec (); + + std::string msg; + if (arg_spec && ! arg_spec->name ().empty ()) { + msg = tl::sprintf (tl::to_string (tr ("%s for argument #%d ('%s')")), ex.basic_msg (), iarg + 1, arg_spec->name ()); + } else { + msg = tl::sprintf (tl::to_string (tr ("%s for argument #%d")), ex.basic_msg (), iarg + 1); + } + + tl::Exception new_ex (msg); + new_ex.set_first_chance (ex.first_chance ()); + throw new_ex; - std::string msg; - if (arg_spec && ! arg_spec->name ().empty ()) { - msg = tl::sprintf (tl::to_string (tr ("%s for argument #%d ('%s')")), ex.basic_msg (), i + 1, arg_spec->name ()); } else { - msg = tl::sprintf (tl::to_string (tr ("%s for argument #%d")), ex.basic_msg (), i + 1); + throw; } - tl::Exception new_ex (msg); - new_ex.set_first_chance (ex.first_chance ()); - throw new_ex; - } catch (...) { // In case of an error upon write, pop the arguments to clean them up. // Without this, there is a risk to keep dead objects on the stack. for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); a != meth->end_arguments () && arglist; ++a) { - pop_arg (*a, 0, arglist, heap); + pull_arg (*a, 0, arglist, heap); } throw; @@ -996,6 +1147,15 @@ method_adaptor (int mid, int argc, VALUE *argv, VALUE self, bool ctor) RBA_TRY + VALUE kwargs = Qnil; + bool check_last = true; +#if HAVE_RUBY_VERSION_CODE>=20700 + check_last = rb_keyword_given_p (); +#endif + if (check_last && argc > 0 && RB_TYPE_P (argv[argc - 1], T_HASH)) { + kwargs = argv[--argc]; + } + tl::Heap heap; const gsi::ClassBase *cls_decl; @@ -1027,7 +1187,7 @@ method_adaptor (int mid, int argc, VALUE *argv, VALUE self, bool ctor) } - const gsi::MethodBase *meth = mt->entry (mid).get_variant (argc, argv, rb_block_given_p (), ctor, p == 0, p != 0 && p->const_ref ()); + const gsi::MethodBase *meth = mt->entry (mid).get_variant (argc, argv, kwargs, rb_block_given_p (), ctor, p == 0, p != 0 && p->const_ref ()); if (! meth) { @@ -1070,7 +1230,7 @@ method_adaptor (int mid, int argc, VALUE *argv, VALUE self, bool ctor) { gsi::SerialArgs arglist (meth->argsize ()); - push_args (arglist, meth, argv, argc, heap); + push_args (arglist, meth, argv, argc, kwargs, heap); meth->call (0, arglist, retlist); } @@ -1124,7 +1284,7 @@ method_adaptor (int mid, int argc, VALUE *argv, VALUE self, bool ctor) { gsi::SerialArgs arglist (meth->argsize ()); - push_args (arglist, meth, argv, argc, heap); + push_args (arglist, meth, argv, argc, kwargs, heap); meth->call (obj, arglist, retlist); } @@ -1143,7 +1303,7 @@ method_adaptor (int mid, int argc, VALUE *argv, VALUE self, bool ctor) rr.reset (); iter->get (rr); - VALUE value = pop_arg (meth->ret_type (), p, rr, heap); + VALUE value = pull_arg (meth->ret_type (), p, rr, heap); rba_yield_checked (value); iter->inc (); @@ -1163,7 +1323,7 @@ method_adaptor (int mid, int argc, VALUE *argv, VALUE self, bool ctor) } else { - ret = pop_arg (meth->ret_type (), p, retlist, heap); + ret = pull_arg (meth->ret_type (), p, retlist, heap); } @@ -1834,7 +1994,7 @@ class RubyClassGenerator gsi::SerialArgs arglist (c->meth->argsize ()); c->meth->call (0, arglist, retlist); tl::Heap heap; - VALUE ret = pop_arg (c->meth->ret_type (), 0, retlist, heap); + VALUE ret = pull_arg (c->meth->ret_type (), 0, retlist, heap); rb_define_const (c->klass, c->name.c_str (), ret); } catch (tl::Exception &ex) { diff --git a/src/rba/rba/rbaInspector.cc b/src/rba/rba/rbaInspector.cc index 6a6926b06b..1359d77c56 100644 --- a/src/rba/rba/rbaInspector.cc +++ b/src/rba/rba/rbaInspector.cc @@ -416,7 +416,7 @@ class RBADataInspector meth->call (obj, arglist, retlist); tl::Heap heap; - return pop_arg (meth->ret_type (), p, retlist, heap); + return pull_arg (meth->ret_type (), p, retlist, heap); } diff --git a/src/rba/rba/rbaInternal.cc b/src/rba/rba/rbaInternal.cc index 6f51b83b2a..cc33995989 100644 --- a/src/rba/rba/rbaInternal.cc +++ b/src/rba/rba/rbaInternal.cc @@ -250,7 +250,7 @@ Proxy::call (int id, gsi::SerialArgs &args, gsi::SerialArgs &ret) const // TODO: callbacks with default arguments? for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); args && a != meth->end_arguments (); ++a) { - rb_ary_push (argv, pop_arg (*a, 0, args, heap)); + rb_ary_push (argv, pull_arg (*a, 0, args, heap)); } VALUE rb_ret = rba_funcall2_checked (m_self, mid, RARRAY_LEN (argv), RARRAY_PTR (argv)); @@ -827,7 +827,7 @@ void SignalHandler::call (const gsi::MethodBase *meth, gsi::SerialArgs &args, gs // TODO: signals with default arguments? for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); args && a != meth->end_arguments (); ++a) { - rb_ary_push (argv, pop_arg (*a, 0, args, heap)); + rb_ary_push (argv, pull_arg (*a, 0, args, heap)); } // call the signal handlers ... the last one will deliver the return value diff --git a/src/rba/rba/rbaMarshal.cc b/src/rba/rba/rbaMarshal.cc index d7ee41c188..4d73580a62 100644 --- a/src/rba/rba/rbaMarshal.cc +++ b/src/rba/rba/rbaMarshal.cc @@ -34,7 +34,7 @@ namespace rba { -void push_args (gsi::SerialArgs &arglist, const gsi::MethodBase *meth, VALUE *argv, int argc, tl::Heap &heap); +void push_args (gsi::SerialArgs &arglist, const gsi::MethodBase *meth, VALUE *argv, int argc, VALUE kwargs, tl::Heap &heap); // ------------------------------------------------------------------- // Serialization adaptors for strings, variants, vectors and maps @@ -521,7 +521,7 @@ struct writer gsi::SerialArgs retlist (meth->retsize ()); gsi::SerialArgs arglist (meth->argsize ()); - push_args (arglist, meth, RARRAY_PTR (arg), n, *heap); + push_args (arglist, meth, RARRAY_PTR (arg), n, Qnil, *heap); meth->call (0, arglist, retlist); @@ -1026,10 +1026,10 @@ size_t RubyBasedMapAdaptor::serial_size () const } // ------------------------------------------------------------------- -// Pops an argument from the call or return stack +// Pulls an argument from the front of an argument queue VALUE -pop_arg (const gsi::ArgType &atype, Proxy *self, gsi::SerialArgs &aserial, tl::Heap &heap) +pull_arg (const gsi::ArgType &atype, Proxy *self, gsi::SerialArgs &aserial, tl::Heap &heap) { VALUE ret = Qnil; gsi::do_on_type () (atype.type (), &aserial, &ret, self, atype, &heap); diff --git a/src/rba/rba/rbaMarshal.h b/src/rba/rba/rbaMarshal.h index 7fd69fb907..4b4bba50ca 100644 --- a/src/rba/rba/rbaMarshal.h +++ b/src/rba/rba/rbaMarshal.h @@ -41,7 +41,7 @@ class Proxy; * * "self" is a reference to the object that the method is called on or 0 if there is no such object. */ -VALUE pop_arg (const gsi::ArgType &atype, Proxy *self, gsi::SerialArgs &aserial, tl::Heap &heap); +VALUE pull_arg (const gsi::ArgType &atype, Proxy *self, gsi::SerialArgs &aserial, tl::Heap &heap); /** * @brief Pushes an argument on the call or return stack diff --git a/src/rba/unit_tests/rbaTests.cc b/src/rba/unit_tests/rbaTests.cc index b5c5f4162f..16a3b7fd63 100644 --- a/src/rba/unit_tests/rbaTests.cc +++ b/src/rba/unit_tests/rbaTests.cc @@ -91,6 +91,7 @@ void run_rubytest (tl::TestBase * /*_this*/, const std::string &fn) #define RUBYTEST(n, file) \ TEST(n) { run_rubytest(_this, file); } +RUBYTEST (kwargsTest, "kwargs.rb") RUBYTEST (antTest, "antTest.rb") RUBYTEST (dbBooleanTest, "dbBooleanTest.rb") RUBYTEST (dbBoxTest, "dbBoxTest.rb") diff --git a/testdata/ruby/kwargs.rb b/testdata/ruby/kwargs.rb new file mode 100644 index 0000000000..9a52cfc06e --- /dev/null +++ b/testdata/ruby/kwargs.rb @@ -0,0 +1,216 @@ +# encoding: UTF-8 + +# KLayout Layout Viewer +# Copyright (C) 2006-2023 Matthias Koefferlein +# +# This program is free software; you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation; either version 2 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + +if !$:.member?(File::dirname($0)) + $:.push(File::dirname($0)) +end + +load("test_prologue.rb") + + +# NOTE: RBA::CplxTrans and RBA::Trans and good test cases +# for the keyword arguments feature + +class KWArgs_TestClass < TestBase + + def test_1 + + t = RBA::CplxTrans::new() + assert_equal(t.to_s, "r0 *1 0,0") + + t = RBA::CplxTrans::new(1.5) + assert_equal(t.to_s, "r0 *1.5 0,0") + + t = RBA::CplxTrans::new(1, 2) + assert_equal(t.to_s, "r0 *1 1,2") + + t = RBA::CplxTrans::new(1, y: 2) + assert_equal(t.to_s, "r0 *1 1,2") + + t = RBA::CplxTrans::new(x: 1, y: 2) + assert_equal(t.to_s, "r0 *1 1,2") + + t = RBA::CplxTrans::new(u: RBA::DVector::new(1, 2)) + assert_equal(t.to_s, "r0 *1 1,2") + + t = RBA::CplxTrans::new(RBA::DVector::new(1, 2)) + assert_equal(t.to_s, "r0 *1 1,2") + + t = RBA::CplxTrans::new(u: RBA::Vector::new(1, 2)) + assert_equal(t.to_s, "r0 *1 1,2") + + t = RBA::CplxTrans::new(u: [1, 2]) + assert_equal(t.to_s, "r0 *1 1,2") + + t = RBA::CplxTrans::new(mag: 1.5) + assert_equal(t.to_s, "r0 *1.5 0,0") + + t = RBA::CplxTrans::new(1.5, 45, true, 1, 2) + assert_equal(t.to_s, "m22.5 *1.5 1,2") + + t = RBA::CplxTrans::new(1.5, 45, true, RBA::DVector::new(1, 2)) + assert_equal(t.to_s, "m22.5 *1.5 1,2") + + t = RBA::CplxTrans::new(1.5, x: 1, y: 2, mirrx: true, rot: 45) + assert_equal(t.to_s, "m22.5 *1.5 1,2") + + t = RBA::CplxTrans::new(RBA::CplxTrans::M0) + assert_equal(t.to_s, "m0 *1 0,0") + + t = RBA::CplxTrans::new(RBA::CplxTrans::M0, u: RBA::DVector::new(1, 2)) + assert_equal(t.to_s, "m0 *1 1,2") + + t = RBA::CplxTrans::new(RBA::CplxTrans::M0, mag: 1.5, u: RBA::DVector::new(1, 2)) + assert_equal(t.to_s, "m0 *1.5 1,2") + + t = RBA::CplxTrans::new(RBA::CplxTrans::M0, 1.5, RBA::DVector::new(1, 2)) + assert_equal(t.to_s, "m0 *1.5 1,2") + + t = RBA::CplxTrans::new(RBA::CplxTrans::M0, mag: 1.5, x: 1, y: 2) + assert_equal(t.to_s, "m0 *1.5 1,2") + + t = RBA::CplxTrans::new(RBA::CplxTrans::M0, 1.5, 1, 2) + assert_equal(t.to_s, "m0 *1.5 1,2") + + t = RBA::CplxTrans::new(RBA::VCplxTrans::M0) + assert_equal(t.to_s, "m0 *1 0,0") + + t = RBA::CplxTrans::new(RBA::ICplxTrans::M0) + assert_equal(t.to_s, "m0 *1 0,0") + + t = RBA::CplxTrans::new(RBA::DCplxTrans::M0) + assert_equal(t.to_s, "m0 *1 0,0") + + t = RBA::CplxTrans::new(RBA::Trans::M0) + assert_equal(t.to_s, "m0 *1 0,0") + + t = RBA::CplxTrans::new(RBA::Trans::M0, 1.5) + assert_equal(t.to_s, "m0 *1.5 0,0") + + t = RBA::CplxTrans::new(RBA::Trans::M0, mag: 1.5) + assert_equal(t.to_s, "m0 *1.5 0,0") + + t = RBA::CplxTrans::new(t: RBA::Trans::M0, mag: 1.5) + assert_equal(t.to_s, "m0 *1.5 0,0") + + t = RBA::CplxTrans::new + t.disp = [1, 2] + assert_equal(t.to_s, "r0 *1 1,2") + + t = RBA::ICplxTrans::new(15, 25) + assert_equal(t.to_s(dbu: 0.01), "r0 *1 0.15000,0.25000") + + end + + def test_2 + + t = RBA::Trans::new(RBA::Trans::M0, 1, 2) + assert_equal(t.to_s, "m0 1,2") + + t = RBA::Trans::new(RBA::Trans::M0, x: 1, y: 2) + assert_equal(t.to_s, "m0 1,2") + + t = RBA::Trans::new(RBA::Trans::M0, RBA::Vector::new(1, 2)) + assert_equal(t.to_s, "m0 1,2") + + t = RBA::Trans::new(RBA::Trans::M0, u: RBA::Vector::new(1, 2)) + assert_equal(t.to_s, "m0 1,2") + + t = RBA::Trans::new(rot: 3, mirrx: true) + assert_equal(t.to_s, "m135 0,0") + + t = RBA::Trans::new(rot: 3, mirrx: true, x: 1, y: 2) + assert_equal(t.to_s, "m135 1,2") + + t = RBA::Trans::new(3, true, 1, 2) + assert_equal(t.to_s, "m135 1,2") + + t = RBA::Trans::new(3, true, RBA::Vector::new(1, 2)) + assert_equal(t.to_s, "m135 1,2") + + t = RBA::Trans::new(rot: 3, mirrx: true, u: RBA::Vector::new(1, 2)) + assert_equal(t.to_s, "m135 1,2") + + t = RBA::Trans::new + assert_equal(t.to_s, "r0 0,0") + + t = RBA::Trans::new(RBA::DTrans::M0) + assert_equal(t.to_s, "m0 0,0") + + t = RBA::Trans::new(RBA::DTrans::M0, 1, 2) + assert_equal(t.to_s, "m0 1,2") + + t = RBA::Trans::new(RBA::DTrans::M0, x: 1, y: 2) + assert_equal(t.to_s, "m0 1,2") + + t = RBA::Trans::new(c: RBA::DTrans::M0, x: 1, y: 2) + assert_equal(t.to_s, "m0 1,2") + + t = RBA::Trans::new(RBA::Vector::new(1, 2)) + assert_equal(t.to_s, "r0 1,2") + + t = RBA::Trans::new(1, 2) + assert_equal(t.to_s, "r0 1,2") + + end + + def test_3 + + begin + t = RBA::CplxTrans::new(1.5, 2.5) + t.to_s(dbu: "17") + assert_equal(true, false) + rescue => ex + assert_equal(ex.to_s, "TypeError: no implicit conversion to float from string for argument #2 ('dbu') in CplxTrans::to_s") + end + + begin + t = RBA::CplxTrans::new("17") + assert_equal(true, false) + rescue => ex + assert_equal(ex.to_s.index("No overload with matching arguments."), 0) + end + + begin + t = RBA::CplxTrans::new(uu: 17) + assert_equal(true, false) + rescue => ex + assert_equal(ex.to_s.index("Can't match arguments."), 0) + end + + begin + t = RBA::CplxTrans::new(u: "17") + assert_equal(true, false) + rescue => ex + assert_equal(ex.to_s.index("No overload with matching arguments."), 0) + end + + begin + t = RBA::Trans::new("17") + assert_equal(true, false) + rescue => ex + assert_equal(ex.to_s.index("No overload with matching arguments."), 0) + end + + end + +end + +load("test_epilogue.rb") + From 940ef5319af961a5b801ae4738c88585a22989b7 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Wed, 27 Dec 2023 22:56:11 +0100 Subject: [PATCH 115/128] WIP: refinement of Python and Ruby support for keyword arguments. --- src/gsi/gsi/gsiMethods.cc | 4 ++-- src/pya/pya/pyaCallables.cc | 10 +++++++++- src/rba/rba/rba.cc | 22 +++++++++++++++++----- testdata/python/kwargs.py | 8 ++++++++ testdata/ruby/kwargs.rb | 9 +++++++++ testdata/ruby/tlTest.rb | 4 ++-- 6 files changed, 47 insertions(+), 10 deletions(-) diff --git a/src/gsi/gsi/gsiMethods.cc b/src/gsi/gsi/gsiMethods.cc index 717ce03890..95a02b5cab 100644 --- a/src/gsi/gsi/gsiMethods.cc +++ b/src/gsi/gsi/gsiMethods.cc @@ -195,7 +195,7 @@ type_to_s (const gsi::ArgType &a, bool for_return) s += "[]"; break; case gsi::T_map: - s += "map<"; + s += "map<"; if (a.inner_k ()) { s += type_to_s (*a.inner_k (), false); } @@ -203,7 +203,7 @@ type_to_s (const gsi::ArgType &a, bool for_return) if (a.inner ()) { s += type_to_s (*a.inner (), false); } - s += ">"; + s += ">"; break; } if (a.is_cptr () || a.is_ptr ()) { diff --git a/src/pya/pya/pyaCallables.cc b/src/pya/pya/pyaCallables.cc index d35f8bff96..3ab826f9cf 100644 --- a/src/pya/pya/pyaCallables.cc +++ b/src/pya/pya/pyaCallables.cc @@ -708,7 +708,7 @@ push_args (gsi::SerialArgs &arglist, const gsi::MethodBase *meth, PyObject *args tl::Variant def_value = a->spec ()->default_value (); gsi::push_arg (arglist, *a, def_value, &heap); } else { - throw tl::Exception (tl::to_string ("No argument provided (positional or keyword) and no default value available")); + throw tl::Exception (tl::to_string (tr ("No argument provided (positional or keyword) and no default value available"))); } } else { if (iarg >= argc) { @@ -809,6 +809,10 @@ method_adaptor (int mid, PyObject *self, PyObject *args, PyObject *kwargs) // handle special methods if (meth->smt () != gsi::MethodBase::None) { + if (kwargs != NULL && PyDict_Size (kwargs) > 0) { + throw tl::Exception (tl::to_string (tr ("Keyword arguments not permitted"))); + } + ret = special_method_impl (meth->smt (), self, args); } else { @@ -936,6 +940,10 @@ method_init_adaptor (int mid, PyObject *self, PyObject *args, PyObject *kwargs) } else { + if (kwargs != NULL && PyDict_Size (kwargs) > 0) { + throw tl::Exception (tl::to_string (tr ("Keyword arguments not permitted"))); + } + // No action required - the object is default-created later once it is really required. if (! PyArg_ParseTuple (args, "")) { return NULL; diff --git a/src/rba/rba/rba.cc b/src/rba/rba/rba.cc index bc40e237cd..04e0f37f26 100644 --- a/src/rba/rba/rba.cc +++ b/src/rba/rba/rba.cc @@ -176,9 +176,9 @@ static VALUE get_kwarg (const gsi::ArgType &atype, VALUE kwargs) { if (kwargs != Qnil) { - return rb_hash_lookup2 (kwargs, rb_id2sym (rb_intern (atype.spec ()->name ().c_str ())), Qnil); + return rb_hash_lookup2 (kwargs, rb_id2sym (rb_intern (atype.spec ()->name ().c_str ())), Qundef); } else { - return Qnil; + return Qundef; } } @@ -477,7 +477,7 @@ class MethodTableEntry int i = 0; for (gsi::MethodBase::argument_iterator a = (*m)->begin_arguments (); is_valid && a != (*m)->end_arguments (); ++a, ++i) { VALUE arg = i >= argc ? get_kwarg (*a, kwargs) : argv[i]; - if (arg == Qnil) { + if (arg == Qundef) { is_valid = a->spec ()->has_default (); } else if (test_arg (*a, arg, false /*strict*/)) { ++sc; @@ -1060,7 +1060,7 @@ push_args (gsi::SerialArgs &arglist, const gsi::MethodBase *meth, VALUE *argv, i for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); a != meth->end_arguments (); ++a, ++iarg) { VALUE arg = iarg >= argc ? get_kwarg (*a, kwargs) : argv[iarg]; - if (arg == Qnil) { + if (arg == Qundef) { if (a->spec ()->has_default ()) { if (kwargs_taken == nkwargs) { // leave it to the consumer to establish the default values (that is faster) @@ -1069,7 +1069,7 @@ push_args (gsi::SerialArgs &arglist, const gsi::MethodBase *meth, VALUE *argv, i tl::Variant def_value = a->spec ()->default_value (); gsi::push_arg (arglist, *a, def_value, &heap); } else { - throw tl::Exception (tl::to_string ("No argument provided (positional or keyword) and no default value available")); + throw tl::Exception (tl::to_string (tr ("No argument provided (positional or keyword) and no default value available"))); } } else { if (iarg >= argc) { @@ -1195,10 +1195,18 @@ method_adaptor (int mid, int argc, VALUE *argv, VALUE self, bool ctor) } else if (meth->smt () != gsi::MethodBase::None) { + if (kwargs != Qnil && rb_hash_size_num (kwargs) > 0) { + throw tl::Exception (tl::to_string (tr ("Keyword arguments not permitted"))); + } + ret = special_method_impl (meth, argc, argv, self, ctor); } else if (meth->is_signal ()) { + if (kwargs != Qnil && rb_hash_size_num (kwargs) > 0) { + throw tl::Exception (tl::to_string (tr ("Keyword arguments not permitted on events"))); + } + if (p) { static ID id_set = rb_intern ("set"); @@ -1245,6 +1253,10 @@ method_adaptor (int mid, int argc, VALUE *argv, VALUE self, bool ctor) // calling an iterator method without block -> deliver an enumerator using "to_enum" + if (kwargs != Qnil && rb_hash_size_num (kwargs) > 0) { + throw tl::Exception (tl::to_string (tr ("Keyword arguments not permitted on enumerators"))); + } + static ID id_to_enum = rb_intern ("to_enum"); VALUE method_sym = ID2SYM (rb_intern (meth->primary_name ().c_str ())); diff --git a/testdata/python/kwargs.py b/testdata/python/kwargs.py index 8f30b95d98..23bd878002 100644 --- a/testdata/python/kwargs.py +++ b/testdata/python/kwargs.py @@ -172,6 +172,14 @@ def test_3(self): except Exception as ex: self.assertEqual(str(ex), "Value cannot be converted to a floating-point value for argument #2 ('dbu') in CplxTrans.to_s") + try: + t = pya.CplxTrans(1.5, 2.5) + tt = pya.CplxTrans() + tt.assign(other = t) + self.assertEqual(True, False) + except Exception as ex: + self.assertEqual(str(ex), "Keyword arguments not permitted in CplxTrans.assign") + try: t = pya.CplxTrans("17") self.assertEqual(True, False) diff --git a/testdata/ruby/kwargs.rb b/testdata/ruby/kwargs.rb index 9a52cfc06e..4299aab9c5 100644 --- a/testdata/ruby/kwargs.rb +++ b/testdata/ruby/kwargs.rb @@ -180,6 +180,15 @@ def test_3 assert_equal(ex.to_s, "TypeError: no implicit conversion to float from string for argument #2 ('dbu') in CplxTrans::to_s") end + begin + t = RBA::CplxTrans::new(1.5, 2.5) + tt = RBA::CplxTrans::new + tt.assign(other: t) + assert_equal(true, false) + rescue => ex + assert_equal(ex.to_s, "Keyword arguments not permitted in CplxTrans::assign") + end + begin t = RBA::CplxTrans::new("17") assert_equal(true, false) diff --git a/testdata/ruby/tlTest.rb b/testdata/ruby/tlTest.rb index 8980b2ec56..6a6f996d64 100644 --- a/testdata/ruby/tlTest.rb +++ b/testdata/ruby/tlTest.rb @@ -301,10 +301,10 @@ def test_4_Recipe assert_equal(my_recipe.name, "rba_test_recipe") assert_equal(my_recipe.description, "description") - g = my_recipe.generator("A" => 6, "B" => 7.0) + g = my_recipe.generator({ "A" => 6, "B" => 7.0 }) assert_equal(g, "rba_test_recipe: A=#6,B=##7") assert_equal("%g" % RBA::Recipe::make(g), "42") - assert_equal("%g" % RBA::Recipe::make(g, "C" => 1.5).to_s, "63") + assert_equal("%g" % RBA::Recipe::make(g, { "C" => 1.5 }).to_s, "63") my_recipe._destroy my_recipe = nil From 4a4db5ea6eed4399fe8e9707d8066449e88e4860 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Thu, 28 Dec 2023 00:55:05 +0100 Subject: [PATCH 116/128] [consider merging] Avoids a segfault This happens when an expression returns a class object and that is converted to a string. --- src/tl/tl/tlVariant.cc | 16 ++++++++++++++-- 1 file changed, 14 insertions(+), 2 deletions(-) diff --git a/src/tl/tl/tlVariant.cc b/src/tl/tl/tlVariant.cc index 2360b9ee76..b25a6bbf81 100644 --- a/src/tl/tl/tlVariant.cc +++ b/src/tl/tl/tlVariant.cc @@ -1815,9 +1815,21 @@ Variant::to_string () const } else if (m_type == t_id) { r = "[id" + tl::to_string (m_var.m_id) + "]"; } else if (m_type == t_user) { - r = m_var.mp_user.cls->to_string (m_var.mp_user.object); + void *obj = m_var.mp_user.object; + if (obj) { + r = m_var.mp_user.cls->to_string (obj); + } else { + r = "[class "; + r += m_var.mp_user.cls->name (); + r += "]"; + } } else if (m_type == t_user_ref) { - r = m_var.mp_user_ref.cls->to_string (m_var.mp_user_ref.cls->deref_proxy_const (reinterpret_cast (m_var.mp_user_ref.ptr)->get ())); + const void *obj = m_var.mp_user_ref.cls->deref_proxy_const (reinterpret_cast (m_var.mp_user_ref.ptr)->get ()); + if (obj) { + r = m_var.mp_user_ref.cls->to_string (obj); + } else { + r = "[null]"; + } } else { r = "[unknown]"; } From f685fe3adf7d668d0612445d8cfd70d32795e7e3 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Thu, 28 Dec 2023 01:03:21 +0100 Subject: [PATCH 117/128] WIP: keyword arguments for expressions --- src/ant/ant/antObject.cc | 2 +- src/db/db/dbLayoutQuery.cc | 2 +- src/db/db/dbLoadLayoutOptions.cc | 4 +- src/db/db/dbSaveLayoutOptions.cc | 4 +- src/db/db/dbTilingProcessor.cc | 6 +- src/gsi/gsi/gsiClass.h | 2 +- src/gsi/gsi/gsiExpression.cc | 223 ++++++++++++++++---- src/gsi/gsi/gsiExpression.h | 4 +- src/gsi/unit_tests/gsiExpressionTests.cc | 31 ++- src/laybasic/laybasic/layLayerProperties.cc | 2 +- src/rba/rba/rba.cc | 4 +- src/tl/tl/tlExpression.cc | 97 ++++++--- src/tl/tl/tlExpression.h | 30 ++- src/tl/unit_tests/tlExpressionTests.cc | 22 +- 14 files changed, 326 insertions(+), 107 deletions(-) diff --git a/src/ant/ant/antObject.cc b/src/ant/ant/antObject.cc index 3a299e9ffd..abdf04b2c7 100644 --- a/src/ant/ant/antObject.cc +++ b/src/ant/ant/antObject.cc @@ -431,7 +431,7 @@ class AnnotationEvalFunction // .. nothing yet .. } - void execute (const tl::ExpressionParserContext &context, tl::Variant &out, const std::vector &vv) const + void execute (const tl::ExpressionParserContext &context, tl::Variant &out, const std::vector &vv, const std::map * /*kwargs*/) const { if (vv.size () != 0) { throw tl::EvalError (tl::to_string (tr ("Annotation function must not have arguments")), context); diff --git a/src/db/db/dbLayoutQuery.cc b/src/db/db/dbLayoutQuery.cc index 2a31533406..1b9c4ae5b4 100644 --- a/src/db/db/dbLayoutQuery.cc +++ b/src/db/db/dbLayoutQuery.cc @@ -2194,7 +2194,7 @@ class FilterStateFunction // .. nothing yet .. } - void execute (const tl::ExpressionParserContext &context, tl::Variant &out, const std::vector &args) const + void execute (const tl::ExpressionParserContext &context, tl::Variant &out, const std::vector &args, const std::map * /*kwargs*/) const { if (args.size () > 0) { throw tl::EvalError (tl::to_string (tr ("Query function does not allow parameters")), context); diff --git a/src/db/db/dbLoadLayoutOptions.cc b/src/db/db/dbLoadLayoutOptions.cc index ae8b4b4dd2..8618103fcf 100644 --- a/src/db/db/dbLoadLayoutOptions.cc +++ b/src/db/db/dbLoadLayoutOptions.cc @@ -133,7 +133,7 @@ namespace db args.push_back (value); } tl::ExpressionParserContext context; - ref.user_cls ()->eval_cls ()->execute (context, out, ref, m, args); + ref.user_cls ()->eval_cls ()->execute (context, out, ref, m, args, 0); ref = out; @@ -160,7 +160,7 @@ namespace db std::vector args; tl::ExpressionParserContext context; - ref.user_cls ()->eval_cls ()->execute (context, out, ref, m, args); + ref.user_cls ()->eval_cls ()->execute (context, out, ref, m, args, 0); ref = out; diff --git a/src/db/db/dbSaveLayoutOptions.cc b/src/db/db/dbSaveLayoutOptions.cc index d900300272..0207e4abb4 100644 --- a/src/db/db/dbSaveLayoutOptions.cc +++ b/src/db/db/dbSaveLayoutOptions.cc @@ -138,7 +138,7 @@ SaveLayoutOptions::set_option_by_name (const std::string &method, const tl::Vari tl::Variant out; std::vector args; args.push_back (value); - eval_cls->execute (context, out, options_ref, method + "=", args); + eval_cls->execute (context, out, options_ref, method + "=", args, 0); } tl::Variant @@ -151,7 +151,7 @@ SaveLayoutOptions::get_option_by_name (const std::string &method) tl::Variant out; std::vector args; - eval_cls->execute (context, out, options_ref, method, args); + eval_cls->execute (context, out, options_ref, method, args, 0); return out; } diff --git a/src/db/db/dbTilingProcessor.cc b/src/db/db/dbTilingProcessor.cc index da234d4cfa..93f99c65ac 100644 --- a/src/db/db/dbTilingProcessor.cc +++ b/src/db/db/dbTilingProcessor.cc @@ -487,7 +487,7 @@ class TilingProcessorReceiverFunction // .. nothing yet .. } - void execute (const tl::ExpressionParserContext & /*context*/, tl::Variant &out, const std::vector &args) const + void execute (const tl::ExpressionParserContext & /*context*/, tl::Variant &out, const std::vector &args, const std::map * /*kwargs*/) const { out = mp_proc->receiver (args); } @@ -506,7 +506,7 @@ class TilingProcessorOutputFunction // .. nothing yet .. } - void execute (const tl::ExpressionParserContext & /*context*/, tl::Variant & /*out*/, const std::vector &args) const + void execute (const tl::ExpressionParserContext & /*context*/, tl::Variant & /*out*/, const std::vector &args, const std::map * /*kwargs*/) const { mp_proc->put (m_ix, m_iy, m_tile_box, args); } @@ -526,7 +526,7 @@ class TilingProcessorCountFunction // .. nothing yet .. } - void execute (const tl::ExpressionParserContext & /*context*/, tl::Variant & /*out*/, const std::vector & /*args*/) const + void execute (const tl::ExpressionParserContext & /*context*/, tl::Variant & /*out*/, const std::vector & /*args*/, const std::map * /*kwargs*/) const { // TODO: ... implement .. } diff --git a/src/gsi/gsi/gsiClass.h b/src/gsi/gsi/gsiClass.h index 4e66990427..a9a87ea7da 100644 --- a/src/gsi/gsi/gsiClass.h +++ b/src/gsi/gsi/gsiClass.h @@ -84,7 +84,7 @@ template struct _var_user_to_string_impl; template struct _var_user_to_string_impl { - static std::string call (const T *a, const VariantUserClassImpl * /*delegate*/) { return a->to_string (); } + static std::string call (const T *a, const VariantUserClassImpl * /*delegate*/) { return a ? a->to_string () : std::string (); } }; template diff --git a/src/gsi/gsi/gsiExpression.cc b/src/gsi/gsi/gsiExpression.cc index 2c2980c6e4..fd8b7fde36 100644 --- a/src/gsi/gsi/gsiExpression.cc +++ b/src/gsi/gsi/gsiExpression.cc @@ -266,9 +266,15 @@ class EvalClassFunction // .. nothing yet .. } - void execute (const tl::ExpressionParserContext & /*context*/, tl::Variant &out, const std::vector &args) const + bool supports_keyword_parameters () const { - if (! args.empty ()) { + // for future extensions + return true; + } + + void execute (const tl::ExpressionParserContext & /*context*/, tl::Variant &out, const std::vector &args, const std::map *kwargs) const + { + if (! args.empty () || kwargs) { throw tl::Exception (tl::to_string (tr ("Class '%s' is not a function - use 'new' to create a new object")), mp_var_cls->name ()); } out = tl::Variant ((void *) 0, mp_var_cls, false); @@ -532,12 +538,12 @@ VariantUserClassImpl::to_double_impl (void *obj) const } void -VariantUserClassImpl::execute (const tl::ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args) const +VariantUserClassImpl::execute (const tl::ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args, const std::map *kwargs) const { if (mp_object_cls == 0 && method == "is_a") { - if (args.size () != 1) { - throw tl::EvalError (tl::to_string (tr ("'is_a' method requires exactly one argument")), context); + if (args.size () != 1 || kwargs) { + throw tl::EvalError (tl::to_string (tr ("'is_a' method requires exactly one argument (no keyword arguments)")), context); } bool ret = false; @@ -550,7 +556,7 @@ VariantUserClassImpl::execute (const tl::ExpressionParserContext &context, tl::V out = ret; - } else if (mp_object_cls != 0 && method == "new" && args.size () == 0) { + } else if (mp_object_cls != 0 && method == "new" && args.size () == 0 && ! kwargs) { void *obj = mp_cls->create (); if (obj) { @@ -574,8 +580,8 @@ VariantUserClassImpl::execute (const tl::ExpressionParserContext &context, tl::V } else if (mp_object_cls == 0 && method == "dup") { - if (args.size () != 0) { - throw tl::EvalError (tl::to_string (tr ("'dup' method does not allow arguments")), context); + if (args.size () != 0 || kwargs) { + throw tl::EvalError (tl::to_string (tr ("'dup' method does not allow arguments (no keyword arguments)")), context); } void *obj = mp_cls->create (); @@ -602,7 +608,7 @@ VariantUserClassImpl::execute (const tl::ExpressionParserContext &context, tl::V } else { try { - execute_gsi (context, out, object, method, args); + execute_gsi (context, out, object, method, args, kwargs); } catch (tl::EvalError &) { throw; } catch (tl::Exception &ex) { @@ -709,8 +715,92 @@ static const gsi::ClassBase *find_class_scope (const gsi::ClassBase *cls, const return 0; } +inline int +num_args (const gsi::MethodBase *m) +{ + return int (m->end_arguments () - m->begin_arguments ()); +} + +static bool +compatible_with_args (const gsi::MethodBase *m, int argc, const std::map *kwargs) +{ + int nargs = num_args (m); + + if (argc >= nargs) { + // no more arguments to consider + return argc == nargs && (! kwargs || kwargs->empty ()); + } + + if (kwargs) { + + int nkwargs = int (kwargs->size ()); + int kwargs_taken = 0; + + while (argc < nargs) { + const gsi::ArgType &atype = m->begin_arguments () [argc]; + auto i = kwargs->find (atype.spec ()->name ()); + if (i == kwargs->end ()) { + if (! atype.spec ()->has_default ()) { + return false; + } + } else { + ++kwargs_taken; + } + ++argc; + } + + // matches if all keyword arguments are taken + return kwargs_taken == nkwargs; + + } else { + + while (argc < nargs) { + const gsi::ArgType &atype = m->begin_arguments () [argc]; + if (! atype.spec ()->has_default ()) { + return false; + } + ++argc; + } + + return true; + + } +} + +static std::string +describe_overload (const gsi::MethodBase *m, int argc, const std::map *kwargs) +{ + std::string res = m->to_string (); + if (compatible_with_args (m, argc, kwargs)) { + res += " " + tl::to_string (tr ("[match candidate]")); + } + return res; +} + +static std::string +describe_overloads (const ExpressionMethodTable *mt, int mid, int argc, const std::map *kwargs) +{ + std::string res; + for (auto m = mt->begin (mid); m != mt->end (mid); ++m) { + res += std::string (" ") + describe_overload (*m, argc, kwargs) + "\n"; + } + return res; +} + +static const tl::Variant * +get_kwarg (const gsi::ArgType &atype, const std::map *kwargs) +{ + if (kwargs) { + auto i = kwargs->find (atype.spec ()->name ()); + if (i != kwargs->end ()) { + return &i->second; + } + } + return 0; +} + void -VariantUserClassImpl::execute_gsi (const tl::ExpressionParserContext & /*context*/, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args) const +VariantUserClassImpl::execute_gsi (const tl::ExpressionParserContext & /*context*/, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args, const std::map *kwargs) const { tl_assert (object.is_user ()); @@ -762,7 +852,7 @@ VariantUserClassImpl::execute_gsi (const tl::ExpressionParserContext & /*context throw tl::Exception (tl::sprintf (tl::to_string (tr ("Signals are not supported inside expressions (event %s)")), method.c_str ())); } else if ((*m)->is_callback()) { // ignore callbacks - } else if ((*m)->compatible_with_num_args ((unsigned int) args.size ())) { + } else if (compatible_with_args (*m, int (args.size ()), kwargs)) { ++candidates; meth = *m; } @@ -771,20 +861,7 @@ VariantUserClassImpl::execute_gsi (const tl::ExpressionParserContext & /*context // no candidate -> error if (! meth) { - - std::set nargs; - for (ExpressionMethodTableEntry::method_iterator m = mt->begin (mid); m != mt->end (mid); ++m) { - nargs.insert (std::distance ((*m)->begin_arguments (), (*m)->end_arguments ())); - } - std::string nargs_s; - for (std::set::const_iterator na = nargs.begin (); na != nargs.end (); ++na) { - if (na != nargs.begin ()) { - nargs_s += "/"; - } - nargs_s += tl::to_string (*na); - } - - throw tl::Exception (tl::sprintf (tl::to_string (tr ("Invalid number of arguments for method %s, class %s (got %d, expected %s)")), method.c_str (), mp_cls->name (), int (args.size ()), nargs_s)); + throw tl::Exception (tl::to_string (tr ("Can't match arguments. Variants are:\n")) + describe_overloads (mt, mid, int (args.size ()), kwargs)); } // more than one candidate -> refine by checking the arguments @@ -800,13 +877,16 @@ VariantUserClassImpl::execute_gsi (const tl::ExpressionParserContext & /*context if (! (*m)->is_callback () && ! (*m)->is_signal ()) { // check arguments (count and type) - bool is_valid = (*m)->compatible_with_num_args ((unsigned int) args.size ()); + bool is_valid = compatible_with_args (*m, (int) args.size (), kwargs); int sc = 0; int i = 0; - for (gsi::MethodBase::argument_iterator a = (*m)->begin_arguments (); is_valid && i < int (args.size ()) && a != (*m)->end_arguments (); ++a, ++i) { - if (gsi::test_arg (*a, args [i], false /*strict*/)) { + for (gsi::MethodBase::argument_iterator a = (*m)->begin_arguments (); is_valid && a != (*m)->end_arguments (); ++a, ++i) { + const tl::Variant *arg = i >= int (args.size ()) ? get_kwarg (*a, kwargs) : &args[i]; + if (! arg) { + is_valid = a->spec ()->has_default (); + } else if (gsi::test_arg (*a, *arg, false /*strict*/)) { ++sc; - } else if (test_arg (*a, args [i], true /*loose*/)) { + } else if (test_arg (*a, *arg, true /*loose*/)) { // non-scoring match } else { is_valid = false; @@ -831,12 +911,17 @@ VariantUserClassImpl::execute_gsi (const tl::ExpressionParserContext & /*context if (is_valid) { - // otherwise take the candidate with the better score - if (candidates > 0 && sc > score) { - candidates = 1; - meth = *m; - score = sc; - } else if (candidates == 0 || sc == score) { + // otherwise take the candidate with the better score or the least number of arguments (faster) + if (candidates > 0) { + if (sc > score || (sc == score && num_args (meth) > num_args (*m))) { + candidates = 1; + meth = *m; + score = sc; + } else if (sc == score && num_args (meth) == num_args (*m)) { + ++candidates; + meth = *m; + } + } else { ++candidates; meth = *m; score = sc; @@ -851,11 +936,11 @@ VariantUserClassImpl::execute_gsi (const tl::ExpressionParserContext & /*context } if (! meth) { - throw tl::Exception (tl::sprintf (tl::to_string (tr ("No method with matching arguments for method %s, class %s")), method.c_str (), mp_cls->name ())); + throw tl::Exception (tl::to_string (tr ("No overload with matching arguments. Variants are:\n")) + describe_overloads (mt, mid, int (args.size ()), kwargs)); } if (candidates > 1) { - throw tl::Exception (tl::sprintf (tl::to_string (tr ("Ambiguous overload variants for method %s, class %s - multiple method declarations match arguments")), method.c_str (), mp_cls->name ())); + throw tl::Exception (tl::to_string (tr ("Ambiguous overload variants - multiple method declarations match arguments. Variants are:\n")) + describe_overloads (mt, mid, int (args.size ()), kwargs)); } if (m_is_const && ! meth->is_const ()) { @@ -869,22 +954,76 @@ VariantUserClassImpl::execute_gsi (const tl::ExpressionParserContext & /*context } else if (meth->smt () != gsi::MethodBase::None) { + if (kwargs) { + throw tl::Exception (tl::to_string (tr ("Keyword arguments not permitted"))); + } + out = special_method_impl (meth->smt (), object, args); } else { gsi::SerialArgs arglist (meth->argsize ()); tl::Heap heap; - size_t narg = 0; - for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); a != meth->end_arguments () && narg < args.size (); ++a, ++narg) { + + int iarg = 0; + int kwargs_taken = 0; + int nkwargs = kwargs ? int (kwargs->size ()) : 0; + + for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); a != meth->end_arguments (); ++a, ++iarg) { + try { - // Note: this const_cast is ugly, but it will basically enable "out" parameters - // TODO: clean this up. - gsi::push_arg (arglist, *a, const_cast (args [narg]), &heap); + + const tl::Variant *arg = iarg >= int (args.size ()) ? get_kwarg (*a, kwargs) : &args[iarg]; + if (! arg) { + if (a->spec ()->has_default ()) { + if (kwargs_taken == nkwargs) { + // leave it to the consumer to establish the default values (that is faster) + break; + } + tl::Variant def_value = a->spec ()->default_value (); + gsi::push_arg (arglist, *a, def_value, &heap); + } else { + throw tl::Exception (tl::to_string ("No argument provided (positional or keyword) and no default value available")); + } + } else { + if (iarg >= int (args.size ())) { + ++kwargs_taken; + } + // Note: this const_cast is ugly, but it will basically enable "out" parameters + // TODO: clean this up. + gsi::push_arg (arglist, *a, const_cast (*arg), &heap); + } + } catch (tl::Exception &ex) { std::string msg = ex.msg () + tl::sprintf (tl::to_string (tr (" (argument '%s')")), a->spec ()->name ()); throw tl::Exception (msg); } + + } + + if (kwargs_taken != nkwargs) { + + // check if there are any left-over keyword parameters with unknown names + + std::set valid_names; + for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); a != meth->end_arguments (); ++a) { + valid_names.insert (a->spec ()->name ()); + } + + std::set invalid_names; + for (auto i = kwargs->begin (); i != kwargs->end (); ++i) { + if (valid_names.find (i->first) == valid_names.end ()) { + invalid_names.insert (i->first); + } + } + + if (invalid_names.size () > 1) { + std::string names_str = tl::join (invalid_names.begin (), invalid_names.end (), ", "); + throw tl::Exception (tl::to_string (tr ("Unknown keyword parameters: ")) + names_str); + } else if (invalid_names.size () == 1) { + throw tl::Exception (tl::to_string (tr ("Unknown keyword parameter: ")) + *invalid_names.begin ()); + } + } SerialArgs retlist (meth->retsize ()); diff --git a/src/gsi/gsi/gsiExpression.h b/src/gsi/gsi/gsiExpression.h index 4e70e93e92..d0876b93ac 100644 --- a/src/gsi/gsi/gsiExpression.h +++ b/src/gsi/gsi/gsiExpression.h @@ -55,7 +55,7 @@ class GSI_PUBLIC VariantUserClassImpl int to_int_impl (void *) const; double to_double_impl (void *) const; - virtual void execute (const tl::ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args) const; + virtual void execute (const tl::ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args, const std::map *kwargs) const; void initialize (const gsi::ClassBase *cls, const tl::VariantUserClassBase *self, const tl::VariantUserClassBase *object_cls, bool is_const); @@ -64,7 +64,7 @@ class GSI_PUBLIC VariantUserClassImpl const tl::VariantUserClassBase *mp_self, *mp_object_cls; bool m_is_const; - virtual void execute_gsi (const tl::ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args) const; + virtual void execute_gsi (const tl::ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args, const std::map *kwargs = 0) const; bool has_method (const std::string &method) const; }; diff --git a/src/gsi/unit_tests/gsiExpressionTests.cc b/src/gsi/unit_tests/gsiExpressionTests.cc index 1bfdf1013b..58a393ef20 100644 --- a/src/gsi/unit_tests/gsiExpressionTests.cc +++ b/src/gsi/unit_tests/gsiExpressionTests.cc @@ -564,7 +564,7 @@ class CollectFunction : public tl::EvalFunction { public: - virtual void execute (const tl::ExpressionParserContext & /*context*/, tl::Variant &out, const std::vector &args) const + virtual void execute (const tl::ExpressionParserContext & /*context*/, tl::Variant &out, const std::vector &args, const std::map * /*kwargs*/) const { out = tl::Variant (); if (args.size () > 0) { @@ -623,3 +623,32 @@ TEST(11) v = e.parse ("var b = Trans.new(1)*Trans.new(Vector.new(10, 20))").execute (); EXPECT_EQ (v.to_string (), std::string ("r90 -20,10")); } + +TEST(12) +{ + // Keyword arguments are best tested on transformations, here CplxTrans + + tl::Eval e; + tl::Variant v; + + v = e.parse ("var t = CplxTrans.new()").execute (); + EXPECT_EQ (v.to_string (), std::string ("r0 *1 0,0")); + v = e.parse ("var t = CplxTrans.new(1.5)").execute (); + EXPECT_EQ (v.to_string (), std::string ("r0 *1.5 0,0")); + v = e.parse ("var t = CplxTrans.new(1, 2)").execute (); + EXPECT_EQ (v.to_string (), std::string ("r0 *1 1,2")); + v = e.parse ("var t = CplxTrans.new(1, y=2)").execute (); + EXPECT_EQ (v.to_string (), std::string ("r0 *1 1,2")); + v = e.parse ("var t = CplxTrans.new(x=1, y=2)").execute (); + EXPECT_EQ (v.to_string (), std::string ("r0 *1 1,2")); + v = e.parse ("var t = CplxTrans.new(u=DVector.new(1, 2))").execute (); + EXPECT_EQ (v.to_string (), std::string ("r0 *1 1,2")); + v = e.parse ("var t = CplxTrans.new(DVector.new(1, 2))").execute (); + EXPECT_EQ (v.to_string (), std::string ("r0 *1 1,2")); + v = e.parse ("var t = CplxTrans.new(u=Vector.new(1, 2))").execute (); + EXPECT_EQ (v.to_string (), std::string ("r0 *1 1,2")); + v = e.parse ("var t = CplxTrans.new(u=[1, 2])").execute (); + EXPECT_EQ (v.to_string (), std::string ("r0 *1 1,2")); + v = e.parse ("var t = CplxTrans.new(mag=1.5)").execute (); + EXPECT_EQ (v.to_string (), std::string ("r0 *1.5 0,0")); +} diff --git a/src/laybasic/laybasic/layLayerProperties.cc b/src/laybasic/laybasic/layLayerProperties.cc index 3175306f51..73d5fb2498 100644 --- a/src/laybasic/laybasic/layLayerProperties.cc +++ b/src/laybasic/laybasic/layLayerProperties.cc @@ -436,7 +436,7 @@ class LayerSourceEvalFunction // .. nothing yet .. } - void execute (const tl::ExpressionParserContext &context, tl::Variant &out, const std::vector &vv) const + void execute (const tl::ExpressionParserContext &context, tl::Variant &out, const std::vector &vv, const std::map * /*kwargs*/) const { if (vv.size () != 0) { throw tl::EvalError (tl::to_string (tr ("Layer source function must not have arguments")), context); diff --git a/src/rba/rba/rba.cc b/src/rba/rba/rba.cc index 04e0f37f26..990c6c8db3 100644 --- a/src/rba/rba/rba.cc +++ b/src/rba/rba/rba.cc @@ -531,11 +531,11 @@ class MethodTableEntry } if (! meth) { - throw tl::TypeError (tl::to_string (tr ("No overload with matching arguments. Variants are:\n")) + describe_overloads (argc, kwargs)); + throw tl::Exception (tl::to_string (tr ("No overload with matching arguments. Variants are:\n")) + describe_overloads (argc, kwargs)); } if (candidates > 1) { - throw tl::TypeError (tl::to_string (tr ("Ambiguous overload variants - multiple method declarations match arguments. Variants are:\n")) + describe_overloads (argc, kwargs)); + throw tl::Exception (tl::to_string (tr ("Ambiguous overload variants - multiple method declarations match arguments. Variants are:\n")) + describe_overloads (argc, kwargs)); } if (is_const && ! meth->is_const ()) { diff --git a/src/tl/tl/tlExpression.cc b/src/tl/tl/tlExpression.cc index ec3757f34a..eed1cc73af 100644 --- a/src/tl/tl/tlExpression.cc +++ b/src/tl/tl/tlExpression.cc @@ -306,12 +306,12 @@ class TL_PUBLIC ListClass : public EvalClass { public: - void execute (const ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args) const + void execute (const ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args, const std::map *kwargs) const { if (method == "push") { - if (args.size () != 1) { - throw EvalError (tl::to_string (tr ("'push' method expects one argument")), context); + if (args.size () != 1 || kwargs) { + throw EvalError (tl::to_string (tr ("'push' method expects one argument (keyword arguments not permitted)")), context); } object.push (args [0]); @@ -319,7 +319,7 @@ class TL_PUBLIC ListClass } else if (method == "size") { - if (args.size () != 0) { + if (args.size () != 0 || kwargs) { throw EvalError (tl::to_string (tr ("'size' method does not accept an argument")), context); } @@ -343,12 +343,12 @@ class TL_PUBLIC ArrayClass : public EvalClass { public: - void execute (const ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args) const + void execute (const ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args, const std::map *kwargs) const { if (method == "insert") { - if (args.size () != 2) { - throw EvalError (tl::to_string (tr ("'insert' method expects two arguments")), context); + if (args.size () != 2 || kwargs) { + throw EvalError (tl::to_string (tr ("'insert' method expects two arguments (keyword arguments not permitted)")), context); } object.insert (args [0], args [1]); @@ -356,7 +356,7 @@ class TL_PUBLIC ArrayClass } else if (method == "size") { - if (args.size () != 0) { + if (args.size () != 0 || kwargs) { throw EvalError (tl::to_string (tr ("'size' method does not accept an argument")), context); } @@ -364,7 +364,7 @@ class TL_PUBLIC ArrayClass } else if (method == "keys") { - if (args.size () != 0) { + if (args.size () != 0 || kwargs) { throw EvalError (tl::to_string (tr ("'keys' method does not accept an argument")), context); } @@ -375,7 +375,7 @@ class TL_PUBLIC ArrayClass } else if (method == "values") { - if (args.size () != 0) { + if (args.size () != 0 || kwargs) { throw EvalError (tl::to_string (tr ("'keys' method does not accept an argument")), context); } @@ -411,7 +411,7 @@ ExpressionNode::ExpressionNode (const ExpressionParserContext &context, size_t c } ExpressionNode::ExpressionNode (const ExpressionNode &other, const tl::Expression *expr) - : m_context (other.m_context) + : m_context (other.m_context), m_name (other.m_name) { m_context.set_expr (expr); m_c.reserve (other.m_c.size ()); @@ -517,7 +517,7 @@ class TL_PUBLIC LessExpressionNode tl::Variant o; std::vector vv; vv.push_back (*b); - c->execute (m_context, o, v.get (), "<", vv); + c->execute (m_context, o, v.get (), "<", vv, 0); v.swap (o); } else { @@ -567,7 +567,7 @@ class TL_PUBLIC LessOrEqualExpressionNode tl::Variant o; std::vector vv; vv.push_back (*b); - c->execute (m_context, o, v.get (), "<=", vv); + c->execute (m_context, o, v.get (), "<=", vv, 0); v.swap (o); } else { @@ -617,7 +617,7 @@ class TL_PUBLIC GreaterExpressionNode tl::Variant o; std::vector vv; vv.push_back (*b); - c->execute (m_context, o, v.get (), ">", vv); + c->execute (m_context, o, v.get (), ">", vv, 0); v.swap (o); } else { @@ -667,7 +667,7 @@ class TL_PUBLIC GreaterOrEqualExpressionNode tl::Variant o; std::vector vv; vv.push_back (*b); - c->execute (m_context, o, v.get (), ">=", vv); + c->execute (m_context, o, v.get (), ">=", vv, 0); v.swap (o); } else { @@ -717,7 +717,7 @@ class TL_PUBLIC EqualExpressionNode tl::Variant o; std::vector vv; vv.push_back (*b); - c->execute (m_context, o, v.get (), "==", vv); + c->execute (m_context, o, v.get (), "==", vv, 0); v.swap (o); } else { @@ -767,7 +767,7 @@ class TL_PUBLIC NotEqualExpressionNode tl::Variant o; std::vector vv; vv.push_back (*b); - c->execute (m_context, o, v.get (), "!=", vv); + c->execute (m_context, o, v.get (), "!=", vv, 0); v.swap (o); } else { @@ -817,7 +817,7 @@ class TL_PUBLIC MatchExpressionNode tl::Variant o; std::vector vv; vv.push_back (*b); - c->execute (m_context, o, v.get (), "~", vv); + c->execute (m_context, o, v.get (), "~", vv, 0); v.swap (o); mp_eval->match_substrings ().clear (); @@ -914,7 +914,7 @@ class TL_PUBLIC NoMatchExpressionNode tl::Variant o; std::vector vv; vv.push_back (*b); - c->execute (m_context, o, v.get (), "!~", vv); + c->execute (m_context, o, v.get (), "!~", vv, 0); v.swap (o); } else { @@ -1085,7 +1085,7 @@ class TL_PUBLIC ShiftLeftExpressionNode tl::Variant o; std::vector vv; vv.push_back (*b); - c->execute (m_context, o, v.get (), "<<", vv); + c->execute (m_context, o, v.get (), "<<", vv, 0); v.swap (o); } else if (v->is_longlong ()) { @@ -1141,7 +1141,7 @@ class TL_PUBLIC ShiftRightExpressionNode tl::Variant o; std::vector vv; vv.push_back (*b); - c->execute (m_context, o, v.get (), ">>", vv); + c->execute (m_context, o, v.get (), ">>", vv, 0); v.swap (o); } else if (v->is_longlong ()) { @@ -1197,7 +1197,7 @@ class TL_PUBLIC PlusExpressionNode tl::Variant o; std::vector vv; vv.push_back (*b); - c->execute (m_context, o, v.get (), "+", vv); + c->execute (m_context, o, v.get (), "+", vv, 0); v.swap (o); } else if (v->is_a_string () || b->is_a_string ()) { @@ -1259,7 +1259,7 @@ class TL_PUBLIC MinusExpressionNode tl::Variant o; std::vector vv; vv.push_back (*b); - c->execute (m_context, o, v.get (), "-", vv); + c->execute (m_context, o, v.get (), "-", vv, 0); v.swap (o); } else if (v->is_double () || b->is_double ()) { @@ -1319,7 +1319,7 @@ class TL_PUBLIC StarExpressionNode tl::Variant o; std::vector vv; vv.push_back (*b); - c->execute (m_context, o, v.get (), "*", vv); + c->execute (m_context, o, v.get (), "*", vv, 0); v.swap (o); } else if (v->is_a_string ()) { @@ -1409,7 +1409,7 @@ class TL_PUBLIC SlashExpressionNode tl::Variant o; std::vector vv; vv.push_back (*b); - c->execute (m_context, o, v.get (), "/", vv); + c->execute (m_context, o, v.get (), "/", vv, 0); v.swap (o); } else if (v->is_double () || b->is_double ()) { @@ -1493,7 +1493,7 @@ class TL_PUBLIC PercentExpressionNode tl::Variant o; std::vector vv; vv.push_back (*b); - c->execute (m_context, o, v.get (), "%", vv); + c->execute (m_context, o, v.get (), "%", vv, 0); v.swap (o); } else if (v->is_ulonglong () || b->is_ulonglong ()) { @@ -1565,7 +1565,7 @@ class TL_PUBLIC AmpersandExpressionNode tl::Variant o; std::vector vv; vv.push_back (*b); - c->execute (m_context, o, v.get (), "&", vv); + c->execute (m_context, o, v.get (), "&", vv, 0); v.swap (o); } else if (v->is_ulonglong () || b->is_ulonglong ()) { @@ -1621,7 +1621,7 @@ class TL_PUBLIC PipeExpressionNode tl::Variant o; std::vector vv; vv.push_back (*b); - c->execute (m_context, o, v.get (), "|", vv); + c->execute (m_context, o, v.get (), "|", vv, 0); v.swap (o); } else if (v->is_ulonglong () || b->is_ulonglong ()) { @@ -1677,7 +1677,7 @@ class TL_PUBLIC AcuteExpressionNode tl::Variant o; std::vector vv; vv.push_back (*b); - c->execute (m_context, o, v.get (), "^", vv); + c->execute (m_context, o, v.get (), "^", vv, 0); v.swap (o); } else if (v->is_ulonglong () || b->is_ulonglong ()) { @@ -1733,7 +1733,7 @@ class TL_PUBLIC IndexExpressionNode tl::Variant o; std::vector vv; vv.push_back (*e); - c->execute (m_context, o, v.get (), "[]", vv); + c->execute (m_context, o, v.get (), "[]", vv, 0); v.swap (o); } else if (v->is_list ()) { @@ -2025,11 +2025,17 @@ class TL_PUBLIC MethodExpressionNode m_c[0]->execute (v); std::vector vv; + std::map kwargs; + vv.reserve (m_c.size () - 1); for (std::vector::const_iterator c = m_c.begin () + 1; c != m_c.end (); ++c) { EvalTarget a; (*c)->execute (a); - vv.push_back (*a); + if (! (*c)->name ().empty ()) { + kwargs [(*c)->name ()] = *a; + } else { + vv.push_back (*a); + } } const EvalClass *c = 0; @@ -2048,7 +2054,7 @@ class TL_PUBLIC MethodExpressionNode } tl::Variant o; - c->execute (m_context, o, v.get (), m_method, vv); + c->execute (m_context, o, v.get (), m_method, vv, kwargs.empty () ? 0 : &kwargs); v.swap (o); } @@ -2188,16 +2194,26 @@ class TL_PUBLIC StaticFunctionExpressionNode void execute (EvalTarget &v) const { std::vector vv; + std::map kwargs; + vv.reserve (m_c.size ()); for (std::vector::const_iterator c = m_c.begin (); c != m_c.end (); ++c) { EvalTarget a; (*c)->execute (a); - vv.push_back (*a); + if ((*c)->name ().empty ()) { + vv.push_back (*a); + } else { + kwargs[(*c)->name ()] = *a; + } + } + + if (! kwargs.empty () && ! mp_func->supports_keyword_parameters ()) { + throw EvalError (tl::to_string (tr ("Keyword parameters not permitted")), m_context); } tl::Variant o; - mp_func->execute (m_context, o, vv); + mp_func->execute (m_context, o, vv, kwargs.empty () ? 0 : &kwargs); v.swap (o); } @@ -2939,7 +2955,7 @@ class EvalStaticFunction ms_functions.erase (m_name); } - void execute (const ExpressionParserContext &context, tl::Variant &out, const std::vector &args) const + void execute (const ExpressionParserContext &context, tl::Variant &out, const std::vector &args, const std::map * /*kwargs*/) const { m_func (context, out, args); } @@ -3556,8 +3572,19 @@ Eval::eval_suffix (ExpressionParserContext &ex, std::unique_ptr do { + tl::Extractor exn = ex; + std::string n; + if (exn.try_read_word (n, "_") && exn.test ("=")) { + // keyword parameter -> read name again to skip it + ex.read_word (n, "_"); + ex.expect ("="); + } else { + n.clear (); + } + std::unique_ptr a; eval_assign (ex, a); + a->set_name (n); m->add_child (a.release ()); if (ex.test (")")) { diff --git a/src/tl/tl/tlExpression.h b/src/tl/tl/tlExpression.h index 24d93403eb..681e12498d 100644 --- a/src/tl/tl/tlExpression.h +++ b/src/tl/tl/tlExpression.h @@ -186,7 +186,25 @@ class TL_PUBLIC ExpressionNode /** * @brief Add a child node */ - void add_child (ExpressionNode *node); + void add_child (ExpressionNode *node); + + /** + * @brief Gets the name + * + * The name is used for named arguments for example. + */ + const std::string &name () const + { + return m_name; + } + + /** + * @brief Sets the name + */ + void set_name (const std::string &name) + { + m_name = name; + } /** * @brief Execute the node @@ -201,6 +219,7 @@ class TL_PUBLIC ExpressionNode protected: std::vector m_c; ExpressionParserContext m_context; + std::string m_name; /** * @brief Sets the expression parent @@ -244,7 +263,7 @@ class TL_PUBLIC EvalClass * * If no method of this kind exists, the implementation may throw a NoMethodError. */ - virtual void execute (const ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args) const = 0; + virtual void execute (const ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args, const std::map *kwargs) const = 0; }; /** @@ -263,6 +282,11 @@ class TL_PUBLIC EvalFunction */ virtual ~EvalFunction () { } + /** + * @brief Specifies whether keyword parameters are supported + */ + virtual bool supports_keyword_parameters () const { return false; } + /** * @brief The actual execution method * @@ -270,7 +294,7 @@ class TL_PUBLIC EvalFunction * @param args The arguments of the method * @return The return value */ - virtual void execute (const ExpressionParserContext &context, tl::Variant &out, const std::vector &args) const = 0; + virtual void execute (const ExpressionParserContext &context, tl::Variant &out, const std::vector &args, const std::map *kwargs) const = 0; }; /** diff --git a/src/tl/unit_tests/tlExpressionTests.cc b/src/tl/unit_tests/tlExpressionTests.cc index 834a729442..6ccda85987 100644 --- a/src/tl/unit_tests/tlExpressionTests.cc +++ b/src/tl/unit_tests/tlExpressionTests.cc @@ -445,7 +445,7 @@ class Edge class BoxClassClass : public tl::VariantUserClassBase, private tl::EvalClass { public: - virtual void execute (const tl::ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args) const; + virtual void execute (const tl::ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args, const std::map *kwargs) const; virtual void *create () const { tl_assert (false); } virtual void destroy (void *) const { tl_assert (false); } @@ -473,7 +473,7 @@ BoxClassClass BoxClassClass::instance; class BoxClass : public tl::VariantUserClassImpl, private tl::EvalClass { public: - virtual void execute (const tl::ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args) const; + virtual void execute (const tl::ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args, const std::map *kwargs) const; virtual const tl::EvalClass *eval_cls () const { return this; } static BoxClass instance; @@ -481,7 +481,7 @@ class BoxClass : public tl::VariantUserClassImpl, private tl::EvalClass BoxClass BoxClass::instance; -void BoxClass::execute (const tl::ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args) const +void BoxClass::execute (const tl::ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args, const std::map * /*kwargs*/) const { if (method == "width") { out = object.to_user ().width (); @@ -501,7 +501,7 @@ void BoxClass::execute (const tl::ExpressionParserContext &context, tl::Variant } } -void BoxClassClass::execute (const tl::ExpressionParserContext &context, tl::Variant &out, tl::Variant & /*object*/, const std::string &method, const std::vector &args) const +void BoxClassClass::execute (const tl::ExpressionParserContext &context, tl::Variant &out, tl::Variant & /*object*/, const std::string &method, const std::vector &args, const std::map * /*kwargs*/) const { if (method == "new") { out = tl::Variant (new Box (args[0].to_long(), args[1].to_long(), args[2].to_long(), args[3].to_long()), &BoxClass::instance, true); @@ -513,7 +513,7 @@ void BoxClassClass::execute (const tl::ExpressionParserContext &context, tl::Var class EdgeClassClass : public tl::VariantUserClassBase, private tl::EvalClass { public: - virtual void execute (const tl::ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args) const; + virtual void execute (const tl::ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args, const std::map *kwargs) const; virtual void *create () const { tl_assert (false); } virtual void destroy (void *) const { tl_assert (false); } @@ -541,7 +541,7 @@ EdgeClassClass EdgeClassClass::instance; class EdgeClass : public tl::VariantUserClassImpl, private tl::EvalClass { public: - virtual void execute (const tl::ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args) const + virtual void execute (const tl::ExpressionParserContext &context, tl::Variant &out, tl::Variant &object, const std::string &method, const std::vector &args, const std::map * /*kwargs*/) const { if (method == "dx") { out = object.to_user ().dx (); @@ -566,7 +566,7 @@ class EdgeClass : public tl::VariantUserClassImpl, private tl::EvalClass EdgeClass EdgeClass::instance; void -EdgeClassClass::execute (const tl::ExpressionParserContext &context, tl::Variant &out, tl::Variant & /*object*/, const std::string &method, const std::vector &args) const +EdgeClassClass::execute (const tl::ExpressionParserContext &context, tl::Variant &out, tl::Variant & /*object*/, const std::string &method, const std::vector &args, const std::map * /*kwargs*/) const { if (method == "new") { out = tl::Variant (new Edge (args[0].to_long(), args[1].to_long(), args[2].to_long(), args[3].to_long()), &EdgeClass::instance, true); @@ -996,7 +996,7 @@ class F0 : public tl::EvalFunction { public: - void execute (const tl::ExpressionParserContext &, tl::Variant &out, const std::vector &) const + void execute (const tl::ExpressionParserContext &, tl::Variant &out, const std::vector &, const std::map *) const { out = tl::Variant (17); } @@ -1006,7 +1006,7 @@ class F1 : public tl::EvalFunction { public: - void execute (const tl::ExpressionParserContext &, tl::Variant &out, const std::vector &vv) const + void execute (const tl::ExpressionParserContext &, tl::Variant &out, const std::vector &vv, const std::map *) const { out = tl::Variant (vv[0].to_long() + 1); } @@ -1016,7 +1016,7 @@ class F2 : public tl::EvalFunction { public: - void execute (const tl::ExpressionParserContext &, tl::Variant &out, const std::vector &vv) const + void execute (const tl::ExpressionParserContext &, tl::Variant &out, const std::vector &vv, const std::map *) const { out = tl::Variant (vv[0].to_long() + 2); } @@ -1026,7 +1026,7 @@ class F3 : public tl::EvalFunction { public: - void execute (const tl::ExpressionParserContext &, tl::Variant &out, const std::vector &vv) const + void execute (const tl::ExpressionParserContext &, tl::Variant &out, const std::vector &vv, const std::map *) const { out = tl::Variant (vv[0].to_long() + 3); } From e2ba78185c8b40bee51bfc5c77bb75d362420961 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Thu, 28 Dec 2023 19:44:44 +0100 Subject: [PATCH 118/128] Tests for GSI kwargs, test framework enhanced to print the total number of tests --- src/gsi/unit_tests/gsiExpressionTests.cc | 120 +++++++++++++++++++++++ src/unit_tests/unit_test_main.cc | 14 +++ testdata/python/kwargs.py | 6 -- testdata/ruby/kwargs.rb | 7 -- 4 files changed, 134 insertions(+), 13 deletions(-) diff --git a/src/gsi/unit_tests/gsiExpressionTests.cc b/src/gsi/unit_tests/gsiExpressionTests.cc index 58a393ef20..8b5514e351 100644 --- a/src/gsi/unit_tests/gsiExpressionTests.cc +++ b/src/gsi/unit_tests/gsiExpressionTests.cc @@ -651,4 +651,124 @@ TEST(12) EXPECT_EQ (v.to_string (), std::string ("r0 *1 1,2")); v = e.parse ("var t = CplxTrans.new(mag=1.5)").execute (); EXPECT_EQ (v.to_string (), std::string ("r0 *1.5 0,0")); + v = e.parse ("var t = CplxTrans.new(1.5, 45, true, 1, 2)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m22.5 *1.5 1,2")); + v = e.parse ("var t = CplxTrans.new(1.5, 45, true, DVector.new(1, 2))").execute (); + EXPECT_EQ (v.to_string (), std::string ("m22.5 *1.5 1,2")); + v = e.parse ("var t = CplxTrans.new(1.5, x=1, y=2, mirrx=true, rot=45)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m22.5 *1.5 1,2")); + v = e.parse ("var t = CplxTrans.new(CplxTrans.M0)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 *1 0,0")); + v = e.parse ("var t = CplxTrans.new(CplxTrans.M0, u=DVector.new(1, 2))").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 *1 1,2")); + v = e.parse ("var t = CplxTrans.new(CplxTrans.M0, mag=1.5, u=DVector.new(1, 2))").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 *1.5 1,2")); + v = e.parse ("var t = CplxTrans.new(CplxTrans.M0, 1.5, DVector.new(1, 2))").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 *1.5 1,2")); + v = e.parse ("var t = CplxTrans.new(CplxTrans.M0, mag=1.5, x=1, y=2)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 *1.5 1,2")); + v = e.parse ("var t = CplxTrans.new(CplxTrans.M0, 1.5, 1, 2)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 *1.5 1,2")); + v = e.parse ("var t = CplxTrans.new(VCplxTrans.M0)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 *1 0,0")); + v = e.parse ("var t = CplxTrans.new(ICplxTrans.M0)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 *1 0,0")); + v = e.parse ("var t = CplxTrans.new(DCplxTrans.M0)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 *1 0,0")); + v = e.parse ("var t = CplxTrans.new(Trans.M0)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 *1 0,0")); + v = e.parse ("var t = CplxTrans.new(Trans.M0, 1.5)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 *1.5 0,0")); + v = e.parse ("var t = CplxTrans.new(Trans.M0, mag=1.5)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 *1.5 0,0")); + v = e.parse ("var t = CplxTrans.new(t = Trans.M0, mag=1.5)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 *1.5 0,0")); + v = e.parse ("var t = CplxTrans.new(); t.disp=[1,2]; t").execute (); + EXPECT_EQ (v.to_string (), std::string ("r0 *1 1,2")); + v = e.parse ("var t = ICplxTrans.new(15, 25); t.to_s(dbu=0.01)").execute (); + EXPECT_EQ (v.to_string (), std::string ("r0 *1 0.15000,0.25000")); +} + +TEST(13) +{ + // Keyword arguments are best tested on transformations, here Trans + + tl::Eval e; + tl::Variant v; + + v = e.parse ("var t = Trans.new(Trans.M0, 1, 2)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 1,2")); + v = e.parse ("var t = Trans.new(Trans.M0, x = 1, y = 2)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 1,2")); + v = e.parse ("var t = Trans.new(Trans.M0, Vector.new(1, 2))").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 1,2")); + v = e.parse ("var t = Trans.new(Trans.M0, u=Vector.new(1, 2))").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 1,2")); + v = e.parse ("var t = Trans.new(rot=3, mirrx=true)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m135 0,0")); + v = e.parse ("var t = Trans.new(rot=3, mirrx=true, x=1, y=2)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m135 1,2")); + v = e.parse ("var t = Trans.new(3, true, 1, 2)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m135 1,2")); + v = e.parse ("var t = Trans.new(3, true, Vector.new(1, 2))").execute (); + EXPECT_EQ (v.to_string (), std::string ("m135 1,2")); + v = e.parse ("var t = Trans.new(rot=3, mirrx=true, u=Vector.new(1, 2))").execute (); + EXPECT_EQ (v.to_string (), std::string ("m135 1,2")); + v = e.parse ("var t = Trans.new()").execute (); + EXPECT_EQ (v.to_string (), std::string ("r0 0,0")); + v = e.parse ("var t = Trans.new(DTrans.M0)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 0,0")); + v = e.parse ("var t = Trans.new(DTrans.M0, 1, 2)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 1,2")); + v = e.parse ("var t = Trans.new(DTrans.M0, x=1, y=2)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 1,2")); + v = e.parse ("var t = Trans.new(c = DTrans.M0, x=1, y=2)").execute (); + EXPECT_EQ (v.to_string (), std::string ("m0 1,2")); + v = e.parse ("var t = Trans.new(Vector.new(1, 2))").execute (); + EXPECT_EQ (v.to_string (), std::string ("r0 1,2")); + v = e.parse ("var t = Trans.new(1, 2)").execute (); + EXPECT_EQ (v.to_string (), std::string ("r0 1,2")); +} + +TEST(14) +{ + // Keyword arguments and errors + + tl::Eval e; + tl::Variant v; + + try { + v = e.parse("var t = CplxTrans.new(1.5, 2.5); t.to_s(dbu='abc')").execute(); + EXPECT_EQ (true, false); + } catch (tl::Exception &ex) { + EXPECT_EQ (ex.msg (), "Unexpected text after numeric value: '...abc' (argument 'dbu') at position 34 (...to_s(dbu='abc'))"); + } + + try { + v = e.parse("var t = CplxTrans.new(1.5, 2.5); var tt = CplxTrans.new(); t.assign(other=t)").execute(); + EXPECT_EQ (true, false); + } catch (tl::Exception &ex) { + EXPECT_EQ (ex.msg ().find ("Keyword arguments not permitted at position 60 (...assign(other=t))"), 0); + } + + try { + v = e.parse("var t = CplxTrans.new('abc');").execute(); + EXPECT_EQ (true, false); + } catch (tl::Exception &ex) { + EXPECT_EQ (ex.msg ().find ("No overload with matching arguments. Variants are:"), 0); + } + + try { + v = e.parse("var t = CplxTrans.new(uu=17);").execute(); + EXPECT_EQ (true, false); + } catch (tl::Exception &ex) { + EXPECT_EQ (ex.msg ().find ("Can't match arguments. Variants are:"), 0); + } + + try { + v = e.parse("var t = CplxTrans.new(u='17');").execute(); + EXPECT_EQ (true, false); + } catch (tl::Exception &ex) { + EXPECT_EQ (ex.msg ().find ("No overload with matching arguments. Variants are:"), 0); + } } diff --git a/src/unit_tests/unit_test_main.cc b/src/unit_tests/unit_test_main.cc index 3e40ebdf38..40c711d5b7 100644 --- a/src/unit_tests/unit_test_main.cc +++ b/src/unit_tests/unit_test_main.cc @@ -222,6 +222,7 @@ run_tests (const std::vector &selected_tests, bool editable, boo std::vector failed_tests_e, failed_tests_ne; int skipped_ne = 0, skipped_e = 0; std::vector skipped_tests_e, skipped_tests_ne; + int successful_ne = 0, successful_e = 0; for (int e = 0; e < 2; ++e) { @@ -242,6 +243,7 @@ run_tests (const std::vector &selected_tests, bool editable, boo std::vector failed_tests; int skipped = 0; std::vector skipped_tests; + int successful = 0; tl::Timer timer; @@ -292,6 +294,8 @@ run_tests (const std::vector &selected_tests, bool editable, boo ut::noctrl << "Memory: " << timer.memory_size () / 1024 << "k"; ut::ctrl << ""; + ++successful; + } catch (tl::CancelException &) { ut::ctrl << ""; @@ -335,6 +339,8 @@ run_tests (const std::vector &selected_tests, bool editable, boo ut::noctrl << tl::replicate ("=", ut::TestConsole::instance ()->real_columns ()); ut::noctrl << "Summary"; + tl::info << "Executed " << (successful + failed) << " test(s) in " << mode << " mode."; + if (skipped > 0) { if (e == 0) { skipped_tests_ne = skipped_tests; @@ -359,6 +365,12 @@ run_tests (const std::vector &selected_tests, bool editable, boo tl::info << "All tests passed in " << mode << " mode."; } + if (e == 0) { + successful_ne = successful; + } else { + successful_e = successful; + } + ut::ctrl << ""; ut::noctrl << "Total time: " << timer.sec_wall () << "s (wall) " << timer.sec_user () << "s (user) " << timer.sec_sys () << "s (sys)"; @@ -421,6 +433,8 @@ run_tests (const std::vector &selected_tests, bool editable, boo ut::ctrl << ""; + tl::info << "Executed " << (successful_e + failed_e + successful_ne + failed_ne) << " test(s)"; + if (skipped_e + skipped_ne > 0) { if (non_editable) { tl::warn << "Skipped in non-editable mode"; diff --git a/testdata/python/kwargs.py b/testdata/python/kwargs.py index 23bd878002..25269acf19 100644 --- a/testdata/python/kwargs.py +++ b/testdata/python/kwargs.py @@ -198,12 +198,6 @@ def test_3(self): except Exception as ex: self.assertEqual(str(ex).find("No overload with matching arguments."), 0) - try: - t = pya.Trans("17") - self.assertEqual(True, False) - except Exception as ex: - self.assertEqual(str(ex).find("No overload with matching arguments."), 0) - # run unit tests if __name__ == '__main__': diff --git a/testdata/ruby/kwargs.rb b/testdata/ruby/kwargs.rb index 4299aab9c5..24d9870bfb 100644 --- a/testdata/ruby/kwargs.rb +++ b/testdata/ruby/kwargs.rb @@ -210,13 +210,6 @@ def test_3 assert_equal(ex.to_s.index("No overload with matching arguments."), 0) end - begin - t = RBA::Trans::new("17") - assert_equal(true, false) - rescue => ex - assert_equal(ex.to_s.index("No overload with matching arguments."), 0) - end - end end From 61d99f99201572e02be808939284d0bf70084f13 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Thu, 28 Dec 2023 20:44:34 +0100 Subject: [PATCH 119/128] Keyword arguments: Doc updates --- src/doc/doc/about/expressions.xml | 33 ++++++++++++++++++------ src/doc/doc/programming/python.xml | 15 +++++++++++ src/doc/doc/programming/ruby_binding.xml | 16 ++++++++++++ 3 files changed, 56 insertions(+), 8 deletions(-) diff --git a/src/doc/doc/about/expressions.xml b/src/doc/doc/about/expressions.xml index 939f07040c..f7e405c48c 100644 --- a/src/doc/doc/about/expressions.xml +++ b/src/doc/doc/about/expressions.xml @@ -4,9 +4,11 @@ About Expressions + Expressions + Expression Syntax

- Beside a ruby programming API, KLayout provides support for simple expressions in some places. + Beside a ruby and Python programming API, KLayout provides support for simple expressions in some places. In particular this feature is employed to generate dynamic strings, for example when deriving the label text for a ruler.

@@ -161,17 +163,14 @@ Box.new(-10, 0, 90, 60).width mentioned in the class documentation. Setter methods like "box_with=" can be used as targets in assignments, i.e.

-
-shape.box_width = 20
-
+
shape.box_width = 20
-

Boolean predicates (like "is_box?") are used without the question mark because that is reserved +

+ Boolean predicates (like "is_box?") are used without the question mark because that is reserved for the decision operator (".. ? .. : .."):

-
-shape.is_box
-
+
shape.is_box

Concatenation of expressions

@@ -179,6 +178,24 @@ shape.is_box The semicolon separates two expressions. The value of that compound expression is the value of the last one.

+

Keyword arguments

+ +

+ Most methods support keyword arguments similar to Python. For example you can write: +

+ +
CplxTrans.new(rot = 45.0)
+ +

+ This is more explicit than writing the individual arguments and allows giving + one argument without having to insert the default values for the previous ones. +

+ +

+ Keyword arguments are not supported for the built-in functions such as "sqrt" and + a few built-in methods. +

+

Variables

diff --git a/src/doc/doc/programming/python.xml b/src/doc/doc/programming/python.xml index 6eb8449d63..9389c848b9 100644 --- a/src/doc/doc/programming/python.xml +++ b/src/doc/doc/programming/python.xml @@ -217,6 +217,21 @@ for edge in edges: +

  • Keyword arguments: + +

    Most methods support keyword arguments, for example:

    + +
    # a 45 degree rotation
    +t = pya.CplxTrans(rot = 45)
    + +

    + Exceptions are some built-in methods like "assign". Keyword arguments can be used + when the non-optional arguments are specified either as positional or other keyword + arguments. +

    + +
  • +
  • Standard protocols:

    "x.to_s()" is available as "str(x)" too.

    diff --git a/src/doc/doc/programming/ruby_binding.xml b/src/doc/doc/programming/ruby_binding.xml index 655f395de6..8a6cb782c1 100644 --- a/src/doc/doc/programming/ruby_binding.xml +++ b/src/doc/doc/programming/ruby_binding.xml @@ -408,6 +408,22 @@ A::new.f(x) omitted, the default value is used instead.

    +

    Keyword arguments

    + +

    + Starting with version 3, Ruby supports "real" keyword arguments. + Keyword arguments are supported for most methods with the exception of a few built-in ones such as "assign". + Keyword arguments can be used when the other, non-optional arguments are given either by + positional arguments or other keyword arguments. +

    + +

    + Keyword arguments are somewhat more expressive and allow a shorter notation. For example, + to instantiate a 45 degree rotation, you can write: +

    + +
    t = RBA::CplxTrans::new(rot: 45)
    +

    Implicit conversions

    String arguments

    From 11fbad01049963240800931a513013406d4127c8 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Thu, 28 Dec 2023 21:35:14 +0100 Subject: [PATCH 120/128] eliminating some unnamed arguments --- src/db/db/gsiDeclDbCell.cc | 10 +++++----- src/db/db/gsiDeclDbEdgePair.cc | 2 +- src/db/db/gsiDeclDbGlyphs.cc | 2 +- src/db/db/gsiDeclDbLayoutToNetlist.cc | 6 +++--- src/db/db/gsiDeclDbNetlist.cc | 10 +++++----- src/db/db/gsiDeclDbReader.cc | 2 +- src/db/db/gsiDeclDbRecursiveShapeIterator.cc | 2 +- src/db/db/gsiDeclDbShape.cc | 2 +- src/gsi/gsi/gsiDeclInternal.cc | 12 +++++++++--- src/lay/lay/gsiDeclLayApplication.cc | 4 ++-- src/lay/lay/gsiDeclLayMainWindow.cc | 2 +- src/laybasic/laybasic/gsiDeclLayLayers.cc | 4 ++-- src/laybasic/laybasic/gsiDeclLayLayoutViewBase.cc | 4 ++-- src/layui/layui/gsiDeclLayDialogs.cc | 4 ++-- src/plugins/streamers/cif/db_plugin/gsiDeclDbCIF.cc | 8 ++++---- .../streamers/gds2/db_plugin/gsiDeclDbGDS2.cc | 6 +++--- .../streamers/oasis/db_plugin/gsiDeclDbOASIS.cc | 6 +++--- src/rdb/rdb/gsiDeclRdb.cc | 2 +- 18 files changed, 47 insertions(+), 41 deletions(-) diff --git a/src/db/db/gsiDeclDbCell.cc b/src/db/db/gsiDeclDbCell.cc index dc93cf15a9..487c97157e 100644 --- a/src/db/db/gsiDeclDbCell.cc +++ b/src/db/db/gsiDeclDbCell.cc @@ -4036,7 +4036,7 @@ Class decl_Instance ("db", "Instance", "\n" "This const version of the \\parent_cell method has been introduced in version 0.25.\n" ) + - gsi::method_ext ("parent_cell=", &set_parent_cell_ptr, + gsi::method_ext ("parent_cell=", &set_parent_cell_ptr, gsi::arg ("new_parent"), "@brief Moves the instance to a different cell\n" "\n" "Both the current and the target cell must live in the same layout.\n" @@ -4343,7 +4343,7 @@ Class decl_Instance ("db", "Instance", "@brief Gets the complex transformation of the instance or the first instance in the array\n" "This method is always valid compared to \\trans, since simple transformations can be expressed as complex transformations as well." ) + - gsi::method_ext ("cplx_trans=", &inst_set_cplx_trans, + gsi::method_ext ("cplx_trans=", &inst_set_cplx_trans, gsi::arg ("t"), "@brief Sets the complex transformation of the instance or the first instance in the array\n" "\n" "This method has been introduced in version 0.23." @@ -4352,7 +4352,7 @@ Class decl_Instance ("db", "Instance", "@brief Gets the transformation of the instance or the first instance in the array\n" "The transformation returned is only valid if the array does not represent a complex transformation array" ) + - gsi::method_ext ("trans=", &inst_set_trans, + gsi::method_ext ("trans=", &inst_set_trans, gsi::arg ("t"), "@brief Sets the transformation of the instance or the first instance in the array\n" "\n" "This method has been introduced in version 0.23." @@ -4364,7 +4364,7 @@ Class decl_Instance ("db", "Instance", "\n" "This method has been introduced in version 0.25.\n" ) + - gsi::method_ext ("dcplx_trans=|cplx_trans=", &inst_set_dcplx_trans, + gsi::method_ext ("dcplx_trans=|cplx_trans=", &inst_set_dcplx_trans, gsi::arg ("t"), "@brief Sets the complex transformation of the instance or the first instance in the array (in micrometer units)\n" "This method sets the transformation the same way as \\cplx_trans=, but the displacement of this transformation is given in " "micrometer units. It is internally translated into database units.\n" @@ -4378,7 +4378,7 @@ Class decl_Instance ("db", "Instance", "\n" "This method has been introduced in version 0.25.\n" ) + - gsi::method_ext ("dtrans=|trans=", &inst_set_dtrans, + gsi::method_ext ("dtrans=|trans=", &inst_set_dtrans, gsi::arg ("t"), "@brief Sets the transformation of the instance or the first instance in the array (in micrometer units)\n" "This method sets the transformation the same way as \\cplx_trans=, but the displacement of this transformation is given in " "micrometer units. It is internally translated into database units.\n" diff --git a/src/db/db/gsiDeclDbEdgePair.cc b/src/db/db/gsiDeclDbEdgePair.cc index 4fb90d7632..378fb0a279 100644 --- a/src/db/db/gsiDeclDbEdgePair.cc +++ b/src/db/db/gsiDeclDbEdgePair.cc @@ -97,7 +97,7 @@ struct edge_pair_defs "\n" "Symmetric edge pairs have been introduced in version 0.27.\n" ) + - method ("symmetric=", &C::set_symmetric, + method ("symmetric=", &C::set_symmetric, gsi::arg ("flag"), "@brief Sets a value indicating whether the edge pair is symmetric\n" "See \\symmetric? for a description of this attribute.\n" "\n" diff --git a/src/db/db/gsiDeclDbGlyphs.cc b/src/db/db/gsiDeclDbGlyphs.cc index de68068e4e..c39dcf74fa 100644 --- a/src/db/db/gsiDeclDbGlyphs.cc +++ b/src/db/db/gsiDeclDbGlyphs.cc @@ -173,7 +173,7 @@ Class decl_TextGenerator ("db", "TextGenerator", "@brief Gets the default text generator (a standard font)\n" "This method delivers the default generator or nil if no such generator is installed." ) + - method ("set_font_paths", &db::TextGenerator::set_font_paths, + method ("set_font_paths", &db::TextGenerator::set_font_paths, gsi::arg ("paths"), "@brief Sets the paths where to look for font files\n" "This function sets the paths where to look for font files. After setting such a path, each font found will render a " "specific generator. The generator can be found under the font file's name. As the text generator is also the basis " diff --git a/src/db/db/gsiDeclDbLayoutToNetlist.cc b/src/db/db/gsiDeclDbLayoutToNetlist.cc index 3d29e8e680..16237cdc7e 100644 --- a/src/db/db/gsiDeclDbLayoutToNetlist.cc +++ b/src/db/db/gsiDeclDbLayoutToNetlist.cc @@ -289,13 +289,13 @@ Class decl_dbLayoutToNetlist ("db", "LayoutToNetlist", gsi::method ("name", (const std::string &(db::LayoutToNetlist::*) () const) &db::LayoutToNetlist::name, "@brief Gets the name of the database\n" ) + - gsi::method ("name=", &db::LayoutToNetlist::set_name, + gsi::method ("name=", &db::LayoutToNetlist::set_name, gsi::arg ("name"), "@brief Sets the name of the database\n" ) + gsi::method ("description", (const std::string &(db::LayoutToNetlist::*) () const) &db::LayoutToNetlist::name, "@brief Gets the description of the database\n" ) + - gsi::method ("description=", &db::LayoutToNetlist::set_name, + gsi::method ("description=", &db::LayoutToNetlist::set_name, gsi::arg ("description"), "@brief Sets the description of the database\n" ) + gsi::method ("filename", &db::LayoutToNetlist::filename, @@ -306,7 +306,7 @@ Class decl_dbLayoutToNetlist ("db", "LayoutToNetlist", "@brief Gets the original file name of the database\n" "The original filename is the layout file from which the netlist DB was created." ) + - gsi::method ("original_file=", &db::LayoutToNetlist::set_original_file, + gsi::method ("original_file=", &db::LayoutToNetlist::set_original_file, gsi::arg ("path"), "@brief Sets the original file name of the database\n" ) + gsi::method ("layer_name", (std::string (db::LayoutToNetlist::*) (const db::ShapeCollection ®ion) const) &db::LayoutToNetlist::name, gsi::arg ("l"), diff --git a/src/db/db/gsiDeclDbNetlist.cc b/src/db/db/gsiDeclDbNetlist.cc index 29f2e7396f..55828ab47f 100644 --- a/src/db/db/gsiDeclDbNetlist.cc +++ b/src/db/db/gsiDeclDbNetlist.cc @@ -276,7 +276,7 @@ Class decl_dbDevice (decl_dbNetlistObject, "db", "Device", "@brief Gets the device abstract for this device instance.\n" "See \\DeviceAbstract for more details.\n" ) + - gsi::method ("device_abstract=", &db::Device::set_device_abstract, + gsi::method ("device_abstract=", &db::Device::set_device_abstract, gsi::arg ("device_abstract"), "@hide\n" "Provided for test purposes mainly. Be careful with pointers!" ) + @@ -838,7 +838,7 @@ Class decl_dbDeviceParameterDefinition ("db", "De "For parameters in micrometers - for example W and L of MOS devices - this factor can be set to 1e-6 to reflect " "the unit." ) + - gsi::method ("si_scaling=", &db::DeviceParameterDefinition::set_si_scaling, + gsi::method ("si_scaling=", &db::DeviceParameterDefinition::set_si_scaling, gsi::arg ("flag"), "@brief Sets the scaling factor to SI units.\n" "\n" "This setter has been added in version 0.28.6." @@ -850,7 +850,7 @@ Class decl_dbDeviceParameterDefinition ("db", "De "\n" "This attribute has been added in version 0.28.6." ) + - gsi::method ("geo_scaling_exponent=", &db::DeviceParameterDefinition::set_geo_scaling_exponent, + gsi::method ("geo_scaling_exponent=", &db::DeviceParameterDefinition::set_geo_scaling_exponent, gsi::arg ("expo"), "@brief Sets the geometry scaling exponent.\n" "See \\geo_scaling_exponent for details.\n" "\n" @@ -1979,7 +1979,7 @@ Class decl_dbNetlist ("db", "Netlist", "@brief Flattens all circuits of the netlist\n" "After calling this method, only the top circuits will remain." ) + - gsi::method ("flatten_circuits", &db::Netlist::flatten_circuits, + gsi::method ("flatten_circuits", &db::Netlist::flatten_circuits, gsi::arg ("circuits"), "@brief Flattens all given circuits of the netlist\n" "This method is equivalent to calling \\flatten_circuit for all given circuits, but more efficient.\n" "\n" @@ -2333,7 +2333,7 @@ Class db_NetlistSpiceWriter (db_NetlistWriter, "db", "Ne gsi::constructor ("new", &new_spice_writer, "@brief Creates a new writer without delegate.\n" ) + - gsi::constructor ("new", &new_spice_writer2, + gsi::constructor ("new", &new_spice_writer2, gsi::arg ("delegate"), "@brief Creates a new writer with a delegate.\n" ) + gsi::method ("use_net_names=", &db::NetlistSpiceWriter::set_use_net_names, gsi::arg ("f"), diff --git a/src/db/db/gsiDeclDbReader.cc b/src/db/db/gsiDeclDbReader.cc index 3cef034d3b..d0d030e76b 100644 --- a/src/db/db/gsiDeclDbReader.cc +++ b/src/db/db/gsiDeclDbReader.cc @@ -319,7 +319,7 @@ namespace gsi gsi::method ("clear", &db::LayerMap::clear, "@brief Clears the map\n" ) + - gsi::method ("from_string", &db::LayerMap::from_string_file_format, + gsi::method ("from_string", &db::LayerMap::from_string_file_format, gsi::arg ("s"), "@brief Creates a layer map from the given string\n" "The format of the string is that used in layer mapping files: one mapping entry " "per line, comments are allowed using '#' or '//'. The format of each line is that " diff --git a/src/db/db/gsiDeclDbRecursiveShapeIterator.cc b/src/db/db/gsiDeclDbRecursiveShapeIterator.cc index 8470739032..f549f53b62 100644 --- a/src/db/db/gsiDeclDbRecursiveShapeIterator.cc +++ b/src/db/db/gsiDeclDbRecursiveShapeIterator.cc @@ -396,7 +396,7 @@ Class decl_RecursiveShapeIterator ("db", "RecursiveS "\n" "This method has been introduced in version 0.27.\n" ) + - gsi::method_ext ("global_dtrans=", &si_set_global_dtrans, + gsi::method_ext ("global_dtrans=", &si_set_global_dtrans, gsi::arg ("t"), "@brief Sets the global transformation to apply to all shapes delivered (transformation in micrometer units)\n" "The global transformation will be applied to all shapes delivered by biasing the \"trans\" attribute.\n" "The search regions apply to the coordinate space after global transformation.\n" diff --git a/src/db/db/gsiDeclDbShape.cc b/src/db/db/gsiDeclDbShape.cc index 9c446c3fa3..2837d00bf6 100644 --- a/src/db/db/gsiDeclDbShape.cc +++ b/src/db/db/gsiDeclDbShape.cc @@ -1151,7 +1151,7 @@ Class decl_Shape ("db", "Shape", "\n" "The \\Layout object can be used to retrieve the actual properties associated with the ID." ) + - gsi::method_ext ("prop_id=", &set_prop_id, + gsi::method_ext ("prop_id=", &set_prop_id, gsi::arg ("id"), "@brief Sets the properties ID of this shape\n" "\n" "The \\Layout object can be used to retrieve an ID for a given set of properties. " diff --git a/src/gsi/gsi/gsiDeclInternal.cc b/src/gsi/gsi/gsiDeclInternal.cc index f7a4f84eb7..d6cb2aeb8c 100644 --- a/src/gsi/gsi/gsiDeclInternal.cc +++ b/src/gsi/gsi/gsiDeclInternal.cc @@ -158,10 +158,10 @@ Class decl_ArgType ("tl", "ArgType", "@brief Returns the name for this argument or an empty string if the argument is not named\n" "Applies to arguments only. This method has been introduced in version 0.24." ) + - gsi::method ("==", &ArgType::operator==, + gsi::method ("==", &ArgType::operator==, gsi::arg ("other"), "@brief Equality of two types\n" ) + - gsi::method ("!=", &ArgType::operator!=, + gsi::method ("!=", &ArgType::operator!=, gsi::arg ("other"), "@brief Inequality of two types\n" ), "@hide" @@ -230,7 +230,7 @@ Class decl_Method ("tl", "Method", "\n" "This method has been introduced in version 0.24." ) + - gsi::method ("accepts_num_args", &MethodBase::compatible_with_num_args, + gsi::method ("accepts_num_args", &MethodBase::compatible_with_num_args, gsi::arg ("n"), "@brief True, if this method is compatible with the given number of arguments\n" "\n" "This method has been introduced in version 0.24." @@ -276,6 +276,12 @@ Class decl_Method ("tl", "Method", "\n" "This method has been introduced in version 0.24." ) + + gsi::method ("to_s", &MethodBase::to_string, + "@brief Describes the method\n" + "This attribute returns a string description of the method and its signature.\n" + "\n" + "This method has been introduced in version 0.29." + ) + gsi::method ("doc", &MethodBase::doc, "@brief The documentation string for this method\n" ), diff --git a/src/lay/lay/gsiDeclLayApplication.cc b/src/lay/lay/gsiDeclLayApplication.cc index 7cd660f6b6..4550d7395e 100644 --- a/src/lay/lay/gsiDeclLayApplication.cc +++ b/src/lay/lay/gsiDeclLayApplication.cc @@ -98,8 +98,8 @@ template static gsi::Methods application_methods () { return - method ("crash_me", &crash_me, "@hide") + - method ("symname", &lay::get_symbol_name_from_address, "@hide") + + method ("crash_me", &crash_me, gsi::arg ("mode"), "@hide") + + method ("symname", &lay::get_symbol_name_from_address, gsi::arg ("mod_name"), gsi::arg ("addr"), "@hide") + method ("is_editable?", &C::is_editable, "@brief Returns true if the application is in editable mode\n" ) + diff --git a/src/lay/lay/gsiDeclLayMainWindow.cc b/src/lay/lay/gsiDeclLayMainWindow.cc index e6faed12b0..323ae33ead 100644 --- a/src/lay/lay/gsiDeclLayMainWindow.cc +++ b/src/lay/lay/gsiDeclLayMainWindow.cc @@ -433,7 +433,7 @@ Class decl_MainWindow (QT_EXTERNAL_BASE (QMainWindow) "lay", "M "\n" "This method has been introduced in version 0.27.\n" ) + - gsi::method_ext ("set_menu_items_hidden", &set_menu_items_hidden, + gsi::method_ext ("set_menu_items_hidden", &set_menu_items_hidden, gsi::arg ("flags"), "@brief sets the flags indicating whether menu items are hidden\n" "This method allows hiding certain menu items. It takes a hash with hidden flags vs. menu item paths. " "\n" diff --git a/src/laybasic/laybasic/gsiDeclLayLayers.cc b/src/laybasic/laybasic/gsiDeclLayLayers.cc index e7b9caf9cd..a9bed7105d 100644 --- a/src/laybasic/laybasic/gsiDeclLayLayers.cc +++ b/src/laybasic/laybasic/gsiDeclLayLayers.cc @@ -1028,7 +1028,7 @@ Class decl_LayerProperties ("lay", "LayerProperties", "\n" "This method has been introduced in version 0.22." ) + - method_ext ("lower_hier_level_mode", &get_lower_hier_level_mode, + method_ext ("lower_hier_level_mode", &get_lower_hier_level_mode, gsi::arg ("real"), "@brief Gets the mode for the lower hierarchy level.\n" "@param real If true, the computed value is returned, otherwise the local node value\n" "\n" @@ -1036,7 +1036,7 @@ Class decl_LayerProperties ("lay", "LayerProperties", "\n" "This method has been introduced in version 0.20.\n" ) + - method_ext ("lower_hier_level_mode", &get_lower_hier_level_mode_1, + method_ext ("lower_hier_level_mode", &get_lower_hier_level_mode_1, "@brief Gets the mode for the lower hierarchy level.\n" "\n" "This method is a convenience method for \"lower_hier_level_mode(true)\"\n" diff --git a/src/laybasic/laybasic/gsiDeclLayLayoutViewBase.cc b/src/laybasic/laybasic/gsiDeclLayLayoutViewBase.cc index 5e9af3dd0c..66feac047f 100644 --- a/src/laybasic/laybasic/gsiDeclLayLayoutViewBase.cc +++ b/src/laybasic/laybasic/gsiDeclLayLayoutViewBase.cc @@ -955,7 +955,7 @@ LAYBASIC_PUBLIC Class decl_LayoutViewBase ("lay", "LayoutVi "\n" "@param props The layer properties object to initialize." ) + - gsi::method ("switch_mode", static_cast (&lay::LayoutViewBase::switch_mode), + gsi::method ("switch_mode", static_cast (&lay::LayoutViewBase::switch_mode), gsi::arg ("mode"), "@brief Switches the mode.\n" "\n" "See \\mode_name about a method to get the name of the current mode and \\mode_names for a method " @@ -1136,7 +1136,7 @@ LAYBASIC_PUBLIC Class decl_LayoutViewBase ("lay", "LayoutVi "Show the layout in full depth down to the deepest level of hierarchy. " "This method may cause a redraw." ) + - gsi::method ("resize", static_cast (&lay::LayoutViewBase::resize), + gsi::method ("resize", static_cast (&lay::LayoutViewBase::resize), gsi::arg ("w"), gsi::arg ("h"), "@brief Resizes the layout view to the given dimension\n" "\n" "This method has been made available in all builds in 0.28.\n" diff --git a/src/layui/layui/gsiDeclLayDialogs.cc b/src/layui/layui/gsiDeclLayDialogs.cc index 5856739974..df2e15ad86 100644 --- a/src/layui/layui/gsiDeclLayDialogs.cc +++ b/src/layui/layui/gsiDeclLayDialogs.cc @@ -387,7 +387,7 @@ Class decl_BrowserSource ("lay", "BrowserSource_Native", #endif gsi::method ("next_topic", &lay::BrowserSource::next_topic, gsi::arg ("url")) + gsi::method ("prev_topic", &lay::BrowserSource::prev_topic, gsi::arg ("url")) + - gsi::method ("get", &lay::BrowserSource::get), + gsi::method ("get", &lay::BrowserSource::get, gsi::arg ("url")), "@hide\n@alias BrowserSource" ); @@ -398,7 +398,7 @@ Class &laybasicdecl_BrowserSource () } Class decl_BrowserSourceStub ("lay", "BrowserSource", - gsi::constructor ("new|#new_html", &new_html, + gsi::constructor ("new|#new_html", &new_html, gsi::arg ("html"), "@brief Constructs a BrowserSource object with a default HTML string\n" "\n" "The default HTML string is sent when no specific implementation is provided.\n" diff --git a/src/plugins/streamers/cif/db_plugin/gsiDeclDbCIF.cc b/src/plugins/streamers/cif/db_plugin/gsiDeclDbCIF.cc index 303c2da98c..6aeaed7bac 100644 --- a/src/plugins/streamers/cif/db_plugin/gsiDeclDbCIF.cc +++ b/src/plugins/streamers/cif/db_plugin/gsiDeclDbCIF.cc @@ -167,7 +167,7 @@ gsi::ClassExt cif_reader_options ( "\n" "This method has been added in version 0.25.3." ) + - gsi::method_ext ("cif_wire_mode=", &set_cif_wire_mode, + gsi::method_ext ("cif_wire_mode=", &set_cif_wire_mode, gsi::arg ("mode"), "@brief How to read 'W' objects\n" "\n" "This property specifies how to read 'W' (wire) objects.\n" @@ -179,7 +179,7 @@ gsi::ClassExt cif_reader_options ( "See \\cif_wire_mode= method for a description of this mode." "\nThis property has been added in version 0.21 and was renamed to cif_wire_mode in 0.25.\n" ) + - gsi::method_ext ("cif_dbu=", &set_cif_dbu, + gsi::method_ext ("cif_dbu=", &set_cif_dbu, gsi::arg ("dbu"), "@brief Specifies the database unit which the reader uses and produces\n" "\nThis property has been added in version 0.21.\n" ) + @@ -217,7 +217,7 @@ static bool get_cif_blank_separator (const db::SaveLayoutOptions *options) // extend lay::SaveLayoutOptions with the CIF options static gsi::ClassExt cif_writer_options ( - gsi::method_ext ("cif_dummy_calls=", &set_cif_dummy_calls, + gsi::method_ext ("cif_dummy_calls=", &set_cif_dummy_calls, gsi::arg ("flag"), "@brief Sets a flag indicating whether dummy calls shall be written\n" "If this property is set to true, dummy calls will be written in the top level entity " "of the CIF file calling every top cell.\n" @@ -230,7 +230,7 @@ gsi::ClassExt cif_writer_options ( "\nThis property has been added in version 0.23.10.\n" "\nThe predicate version (cif_blank_separator?) has been added in version 0.25.1.\n" ) + - gsi::method_ext ("cif_blank_separator=", &set_cif_blank_separator, + gsi::method_ext ("cif_blank_separator=", &set_cif_blank_separator, gsi::arg ("flag"), "@brief Sets a flag indicating whether blanks shall be used as x/y separator characters\n" "If this property is set to true, the x and y coordinates are separated with blank characters " "rather than comma characters." diff --git a/src/plugins/streamers/gds2/db_plugin/gsiDeclDbGDS2.cc b/src/plugins/streamers/gds2/db_plugin/gsiDeclDbGDS2.cc index 5bb0c2bb8d..3ad23c45b8 100644 --- a/src/plugins/streamers/gds2/db_plugin/gsiDeclDbGDS2.cc +++ b/src/plugins/streamers/gds2/db_plugin/gsiDeclDbGDS2.cc @@ -300,7 +300,7 @@ static bool get_gds2_allow_big_records (const db::LoadLayoutOptions *options) // extend lay::LoadLayoutOptions with the GDS2 options static gsi::ClassExt gds2_reader_options ( - gsi::method_ext ("gds2_box_mode=", &set_gds2_box_mode, + gsi::method_ext ("gds2_box_mode=", &set_gds2_box_mode, gsi::arg ("mode"), "@brief Sets a value specifying how to treat BOX records\n" "This property specifies how BOX records are treated.\n" "Allowed values are 0 (ignore), 1 (treat as rectangles), 2 (treat as boundaries) or 3 (treat as errors). The default is 1.\n" @@ -311,7 +311,7 @@ gsi::ClassExt gds2_reader_options ( "See \\gds2_box_mode= method for a description of this mode." "\nThis property has been added in version 0.18.\n" ) + - gsi::method_ext ("gds2_allow_multi_xy_records=", &set_gds2_allow_multi_xy_records, + gsi::method_ext ("gds2_allow_multi_xy_records=", &set_gds2_allow_multi_xy_records, gsi::arg ("flag"), "@brief Allows the use of multiple XY records in BOUNDARY elements for unlimited large polygons\n" "\n" "Setting this property to true allows big polygons that span over multiple XY records.\n" @@ -323,7 +323,7 @@ gsi::ClassExt gds2_reader_options ( "See \\gds2_allow_multi_xy_records= method for a description of this property." "\nThis property has been added in version 0.18.\n" ) + - gsi::method_ext ("gds2_allow_big_records=", &set_gds2_allow_big_records, + gsi::method_ext ("gds2_allow_big_records=", &set_gds2_allow_big_records, gsi::arg ("flag"), "@brief Allows big records with more than 32767 bytes\n" "\n" "Setting this property to true allows larger records by treating the record length as unsigned short, which for example " diff --git a/src/plugins/streamers/oasis/db_plugin/gsiDeclDbOASIS.cc b/src/plugins/streamers/oasis/db_plugin/gsiDeclDbOASIS.cc index dbdf952ce9..563f469631 100644 --- a/src/plugins/streamers/oasis/db_plugin/gsiDeclDbOASIS.cc +++ b/src/plugins/streamers/oasis/db_plugin/gsiDeclDbOASIS.cc @@ -56,7 +56,7 @@ static int get_oasis_expect_strict_mode (const db::LoadLayoutOptions *options) // extend lay::LoadLayoutOptions with the OASIS options static gsi::ClassExt oasis_reader_options ( - gsi::method_ext ("oasis_read_all_properties=", &set_oasis_read_all_properties, + gsi::method_ext ("oasis_read_all_properties=", &set_oasis_read_all_properties, gsi::arg ("flag"), // this method is mainly provided as access point for the generic interface "@hide" ) + @@ -64,7 +64,7 @@ gsi::ClassExt oasis_reader_options ( // this method is mainly provided as access point for the generic interface "@hide" ) + - gsi::method_ext ("oasis_expect_strict_mode=", &set_oasis_expect_strict_mode, + gsi::method_ext ("oasis_expect_strict_mode=", &set_oasis_expect_strict_mode, gsi::arg ("flag"), // this method is mainly provided as access point for the generic interface "@hide" ) + @@ -270,7 +270,7 @@ gsi::ClassExt oasis_writer_options ( "\n" "This method has been introduced in version 0.24." ) + - gsi::method_ext ("oasis_write_std_properties_ext=", &set_oasis_write_std_properties_ext, + gsi::method_ext ("oasis_write_std_properties_ext=", &set_oasis_write_std_properties_ext, gsi::arg ("flag"), // this method is mainly provided as access point for the generic interface "@hide" ) + diff --git a/src/rdb/rdb/gsiDeclRdb.cc b/src/rdb/rdb/gsiDeclRdb.cc index 0b67f6ce4f..173d7f19ff 100644 --- a/src/rdb/rdb/gsiDeclRdb.cc +++ b/src/rdb/rdb/gsiDeclRdb.cc @@ -819,7 +819,7 @@ Class decl_RdbItem ("rdb", "RdbItem", "\n" "This method has been added in version 0.28." ) + - gsi::method ("image=", static_cast (&rdb::Item::set_image), + gsi::method ("image=", static_cast (&rdb::Item::set_image), gsi::arg ("buffer"), "@brief Sets the attached image from a PixelBuffer object\n" "\n" "This method has been added in version 0.28." From 6ceb77cf73d207261311ff52b3572d0389b9210d Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Thu, 28 Dec 2023 21:53:38 +0100 Subject: [PATCH 121/128] Trying to fix the ambiguity issue in Ruby < 3.0 with hash arguments vs. keyword arguments --- .../drc/built-in-macros/drc_interpreters.lym | 6 ++--- src/gsi/gsi/gsiDeclTl.cc | 22 +++++++++++++++++-- .../lvs/built-in-macros/lvs_interpreters.lym | 6 ++--- .../built-in-macros/d25_interpreters.lym | 6 ++--- testdata/ruby/tlTest.rb | 4 ++-- 5 files changed, 31 insertions(+), 13 deletions(-) diff --git a/src/drc/drc/built-in-macros/drc_interpreters.lym b/src/drc/drc/built-in-macros/drc_interpreters.lym index 720b7e963c..fbcdd00912 100644 --- a/src/drc/drc/built-in-macros/drc_interpreters.lym +++ b/src/drc/drc/built-in-macros/drc_interpreters.lym @@ -91,7 +91,7 @@ module DRC macro = RBA::Macro::macro_by_path(script) macro || raise("Can't find DRC script #{script} - unable to re-run") - DRCExecutable::new(macro, @interpreter, self.generator("script" => script), params["rdb_index"]) + DRCExecutable::new(macro, @interpreter, self.generator({ "script" => script }, 0), params["rdb_index"]) end @@ -128,7 +128,7 @@ module DRC # Implements the execute method def executable(macro) - DRCExecutable::new(macro, self, @recipe.generator("script" => macro.path)) + DRCExecutable::new(macro, self, @recipe.generator({"script" => macro.path}, 0)) end end @@ -155,7 +155,7 @@ module DRC # Implements the execute method def executable(macro) - DRCExecutable::new(macro, self, @recipe.generator("script" => macro.path)) + DRCExecutable::new(macro, self, @recipe.generator({ "script" => macro.path }, 0)) end end diff --git a/src/gsi/gsi/gsiDeclTl.cc b/src/gsi/gsi/gsiDeclTl.cc index 3f427ae6c8..0b891508f4 100644 --- a/src/gsi/gsi/gsiDeclTl.cc +++ b/src/gsi/gsi/gsiDeclTl.cc @@ -693,6 +693,16 @@ static Recipe_Impl *make_recipe (const std::string &name, const std::string &des return new Recipe_Impl (name, description); } +static tl::Variant make_impl (Recipe_Impl *recipe, const std::string &generator, const std::map &add_params, int /*dummy*/) +{ + return recipe->make (generator, add_params); +} + +std::string generator_impl (Recipe_Impl *recipe, const std::map ¶ms, int /*dummy*/) +{ + return recipe->generator (params); +} + Class decl_Recipe_Impl ("tl", "Recipe", gsi::constructor ("new", &make_recipe, gsi::arg ("name"), gsi::arg ("description", std::string (), "\"\""), "@brief Creates a new recipe object with the given name and (optional) description" @@ -703,15 +713,23 @@ Class decl_Recipe_Impl ("tl", "Recipe", gsi::method ("description", &Recipe_Impl::description, "@brief Gets the description of the recipe." ) + - gsi::method ("make", &Recipe_Impl::make, gsi::arg ("generator"), gsi::arg ("add_params", std::map (), "{}"), + gsi::method_ext ("make", &make_impl, gsi::arg ("generator"), gsi::arg ("add_params", std::map (), "{}"), gsi::arg ("dummy", 0), "@brief Executes the recipe given by the generator string.\n" "The generator string is the one delivered with \\generator.\n" "Additional parameters can be passed in \"add_params\". They have lower priority than the parameters " "kept inside the generator string." + "\n" + "The dummy argument has been added in version 0.29 and disambiguates between keyword parameters " + "and a single hash argument in Ruby. This is required for Ruby versions before 'real keywords'. Simply " + "add this parameter with any value.\n" ) + - gsi::method ("generator", &Recipe_Impl::generator, gsi::arg ("params"), + gsi::method_ext ("generator", &generator_impl, gsi::arg ("params"), gsi::arg ("dummy", 0), "@brief Delivers the generator string from the given parameters.\n" "The generator string can be used with \\make to re-run the recipe." + "\n" + "The dummy argument has been added in version 0.29 and disambiguates between keyword parameters " + "and a single hash argument in Ruby. This is required for Ruby versions before 'real keywords'. Simply " + "add this parameter with any value.\n" ) + gsi::callback ("executable", &Recipe_Impl::executable, &Recipe_Impl::executable_cb, gsi::arg ("params"), "@brief Reimplement this method to provide an executable object for the actual implementation.\n" diff --git a/src/lvs/lvs/built-in-macros/lvs_interpreters.lym b/src/lvs/lvs/built-in-macros/lvs_interpreters.lym index 2aaf6f1fa8..73ff49907f 100644 --- a/src/lvs/lvs/built-in-macros/lvs_interpreters.lym +++ b/src/lvs/lvs/built-in-macros/lvs_interpreters.lym @@ -91,7 +91,7 @@ module LVS macro = RBA::Macro::macro_by_path(script) macro || raise("Can't find LVS script #{script} - unable to re-run") - LVSExecutable::new(macro, @interpreter, self.generator("script" => script), params["l2ndb_index"]) + LVSExecutable::new(macro, @interpreter, self.generator({ "script" => script }, 0), params["l2ndb_index"]) end @@ -128,7 +128,7 @@ module LVS # Implements the execute method def executable(macro) - LVSExecutable::new(macro, self, @recipe.generator("script" => macro.path)) + LVSExecutable::new(macro, self, @recipe.generator({ "script" => macro.path }, 0)) end end @@ -155,7 +155,7 @@ module LVS # Implements the execute method def executable(macro) - LVSExecutable::new(macro, self, @recipe.generator("script" => macro.path)) + LVSExecutable::new(macro, self, @recipe.generator({ "script" => macro.path }, 0)) end end diff --git a/src/plugins/tools/view_25d/lay_plugin/built-in-macros/d25_interpreters.lym b/src/plugins/tools/view_25d/lay_plugin/built-in-macros/d25_interpreters.lym index fd8e1bca5c..5d0e4ff611 100644 --- a/src/plugins/tools/view_25d/lay_plugin/built-in-macros/d25_interpreters.lym +++ b/src/plugins/tools/view_25d/lay_plugin/built-in-macros/d25_interpreters.lym @@ -92,7 +92,7 @@ module D25 macro = RBA::Macro::macro_by_path(script) macro || raise("Can't find D25 script #{script} - unable to re-run") - D25Executable::new(macro, @interpreter, self.generator("script" => script)) + D25Executable::new(macro, @interpreter, self.generator({ "script" => script }, 0)) end @@ -129,7 +129,7 @@ module D25 # Implements the execute method def executable(macro) - D25Executable::new(macro, self, @recipe.generator("script" => macro.path)) + D25Executable::new(macro, self, @recipe.generator({ "script" => macro.path }, 0)) end end @@ -156,7 +156,7 @@ module D25 # Implements the execute method def executable(macro) - D25Executable::new(macro, self, @recipe.generator("script" => macro.path)) + D25Executable::new(macro, self, @recipe.generator({ "script" => macro.path }, 0)) end end diff --git a/testdata/ruby/tlTest.rb b/testdata/ruby/tlTest.rb index 6a6f996d64..a77b8ae758 100644 --- a/testdata/ruby/tlTest.rb +++ b/testdata/ruby/tlTest.rb @@ -301,10 +301,10 @@ def test_4_Recipe assert_equal(my_recipe.name, "rba_test_recipe") assert_equal(my_recipe.description, "description") - g = my_recipe.generator({ "A" => 6, "B" => 7.0 }) + g = my_recipe.generator({ "A" => 6, "B" => 7.0 }, 0) assert_equal(g, "rba_test_recipe: A=#6,B=##7") assert_equal("%g" % RBA::Recipe::make(g), "42") - assert_equal("%g" % RBA::Recipe::make(g, { "C" => 1.5 }).to_s, "63") + assert_equal("%g" % RBA::Recipe::make(g, { "C" => 1.5 }, 0).to_s, "63") my_recipe._destroy my_recipe = nil From 775c331baedf2c11ee5f9fb8dc0ba3fe2fcd9d28 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Thu, 28 Dec 2023 22:33:47 +0100 Subject: [PATCH 122/128] Fixing an unit test --- src/gsi/gsi/gsiDeclTl.cc | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/src/gsi/gsi/gsiDeclTl.cc b/src/gsi/gsi/gsiDeclTl.cc index 0b891508f4..e170b4847d 100644 --- a/src/gsi/gsi/gsiDeclTl.cc +++ b/src/gsi/gsi/gsiDeclTl.cc @@ -693,9 +693,9 @@ static Recipe_Impl *make_recipe (const std::string &name, const std::string &des return new Recipe_Impl (name, description); } -static tl::Variant make_impl (Recipe_Impl *recipe, const std::string &generator, const std::map &add_params, int /*dummy*/) +static tl::Variant make_impl (const std::string &generator, const std::map &add_params, int /*dummy*/) { - return recipe->make (generator, add_params); + return Recipe_Impl::make (generator, add_params); } std::string generator_impl (Recipe_Impl *recipe, const std::map ¶ms, int /*dummy*/) @@ -713,7 +713,7 @@ Class decl_Recipe_Impl ("tl", "Recipe", gsi::method ("description", &Recipe_Impl::description, "@brief Gets the description of the recipe." ) + - gsi::method_ext ("make", &make_impl, gsi::arg ("generator"), gsi::arg ("add_params", std::map (), "{}"), gsi::arg ("dummy", 0), + gsi::method ("make", &make_impl, gsi::arg ("generator"), gsi::arg ("add_params", std::map (), "{}"), gsi::arg ("dummy", 0), "@brief Executes the recipe given by the generator string.\n" "The generator string is the one delivered with \\generator.\n" "Additional parameters can be passed in \"add_params\". They have lower priority than the parameters " From 0b64241e13e21d273fd6d576461bdf76e3ac7460 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Thu, 28 Dec 2023 22:42:49 +0100 Subject: [PATCH 123/128] Generalizing implementation for more Ruby versions. --- src/rba/rba/rba.cc | 16 ++++++++-------- 1 file changed, 8 insertions(+), 8 deletions(-) diff --git a/src/rba/rba/rba.cc b/src/rba/rba/rba.cc index 990c6c8db3..f4aa28ab36 100644 --- a/src/rba/rba/rba.cc +++ b/src/rba/rba/rba.cc @@ -176,7 +176,7 @@ static VALUE get_kwarg (const gsi::ArgType &atype, VALUE kwargs) { if (kwargs != Qnil) { - return rb_hash_lookup2 (kwargs, rb_id2sym (rb_intern (atype.spec ()->name ().c_str ())), Qundef); + return rb_hash_lookup2 (kwargs, ID2SYM (rb_intern (atype.spec ()->name ().c_str ())), Qundef); } else { return Qundef; } @@ -332,17 +332,17 @@ class MethodTableEntry if (argc >= nargs) { // no more arguments to consider - return argc == nargs && (kwargs == Qnil || rb_hash_size_num (kwargs) == 0); + return argc == nargs && (kwargs == Qnil || RHASH_SIZE (kwargs) == 0); } if (kwargs != Qnil) { - int nkwargs = int (rb_hash_size_num (kwargs)); + int nkwargs = int (RHASH_SIZE (kwargs)); int kwargs_taken = 0; while (argc < nargs) { const gsi::ArgType &atype = m->begin_arguments () [argc]; - VALUE rb_arg = rb_hash_lookup2 (kwargs, rb_id2sym (rb_intern (atype.spec ()->name ().c_str ())), Qnil); + VALUE rb_arg = rb_hash_lookup2 (kwargs, ID2SYM (rb_intern (atype.spec ()->name ().c_str ())), Qnil); if (rb_arg == Qnil) { if (! atype.spec ()->has_default ()) { return false; @@ -1053,7 +1053,7 @@ push_args (gsi::SerialArgs &arglist, const gsi::MethodBase *meth, VALUE *argv, i { int iarg = 0; int kwargs_taken = 0; - int nkwargs = kwargs == Qnil ? 0 : int (rb_hash_size_num (kwargs)); + int nkwargs = kwargs == Qnil ? 0 : int (RHASH_SIZE (kwargs)); try { @@ -1195,7 +1195,7 @@ method_adaptor (int mid, int argc, VALUE *argv, VALUE self, bool ctor) } else if (meth->smt () != gsi::MethodBase::None) { - if (kwargs != Qnil && rb_hash_size_num (kwargs) > 0) { + if (kwargs != Qnil && RHASH_SIZE (kwargs) > 0) { throw tl::Exception (tl::to_string (tr ("Keyword arguments not permitted"))); } @@ -1203,7 +1203,7 @@ method_adaptor (int mid, int argc, VALUE *argv, VALUE self, bool ctor) } else if (meth->is_signal ()) { - if (kwargs != Qnil && rb_hash_size_num (kwargs) > 0) { + if (kwargs != Qnil && RHASH_SIZE (kwargs) > 0) { throw tl::Exception (tl::to_string (tr ("Keyword arguments not permitted on events"))); } @@ -1253,7 +1253,7 @@ method_adaptor (int mid, int argc, VALUE *argv, VALUE self, bool ctor) // calling an iterator method without block -> deliver an enumerator using "to_enum" - if (kwargs != Qnil && rb_hash_size_num (kwargs) > 0) { + if (kwargs != Qnil && RHASH_SIZE (kwargs) > 0) { throw tl::Exception (tl::to_string (tr ("Keyword arguments not permitted on enumerators"))); } From b37002cf7f30eb9d1afb0b9dd7585659217971d7 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Thu, 28 Dec 2023 23:39:07 +0100 Subject: [PATCH 124/128] Compatibility with Ruby 2.0 --- src/rba/rba/rba.cc | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/rba/rba/rba.cc b/src/rba/rba/rba.cc index f4aa28ab36..c453bfc658 100644 --- a/src/rba/rba/rba.cc +++ b/src/rba/rba/rba.cc @@ -1085,7 +1085,7 @@ push_args (gsi::SerialArgs &arglist, const gsi::MethodBase *meth, VALUE *argv, i // check if there are any left-over keyword parameters with unknown names std::set invalid_names; - rb_hash_foreach (kwargs, &get_kwargs_keys, reinterpret_cast (&invalid_names)); + rb_hash_foreach (kwargs, (int (*)(...)) &get_kwargs_keys, (VALUE) &invalid_names); for (gsi::MethodBase::argument_iterator a = meth->begin_arguments (); a != meth->end_arguments (); ++a) { invalid_names.erase (a->spec ()->name ()); From f335ab69af5acb3c93bf289215f1763089b16735 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Fri, 29 Dec 2023 23:00:06 +0100 Subject: [PATCH 125/128] More compatibility with Ruby <2.7 --- .../drc/built-in-macros/drc_interpreters.lym | 6 +-- src/gsi/gsi/gsiDeclTl.cc | 16 ++------ .../lvs/built-in-macros/lvs_interpreters.lym | 6 +-- .../built-in-macros/d25_interpreters.lym | 6 +-- src/rba/rba/rba.cc | 39 ++++++++++++++----- testdata/ruby/tlTest.rb | 4 +- 6 files changed, 45 insertions(+), 32 deletions(-) diff --git a/src/drc/drc/built-in-macros/drc_interpreters.lym b/src/drc/drc/built-in-macros/drc_interpreters.lym index fbcdd00912..720b7e963c 100644 --- a/src/drc/drc/built-in-macros/drc_interpreters.lym +++ b/src/drc/drc/built-in-macros/drc_interpreters.lym @@ -91,7 +91,7 @@ module DRC macro = RBA::Macro::macro_by_path(script) macro || raise("Can't find DRC script #{script} - unable to re-run") - DRCExecutable::new(macro, @interpreter, self.generator({ "script" => script }, 0), params["rdb_index"]) + DRCExecutable::new(macro, @interpreter, self.generator("script" => script), params["rdb_index"]) end @@ -128,7 +128,7 @@ module DRC # Implements the execute method def executable(macro) - DRCExecutable::new(macro, self, @recipe.generator({"script" => macro.path}, 0)) + DRCExecutable::new(macro, self, @recipe.generator("script" => macro.path)) end end @@ -155,7 +155,7 @@ module DRC # Implements the execute method def executable(macro) - DRCExecutable::new(macro, self, @recipe.generator({ "script" => macro.path }, 0)) + DRCExecutable::new(macro, self, @recipe.generator("script" => macro.path)) end end diff --git a/src/gsi/gsi/gsiDeclTl.cc b/src/gsi/gsi/gsiDeclTl.cc index e170b4847d..11890f591e 100644 --- a/src/gsi/gsi/gsiDeclTl.cc +++ b/src/gsi/gsi/gsiDeclTl.cc @@ -693,12 +693,12 @@ static Recipe_Impl *make_recipe (const std::string &name, const std::string &des return new Recipe_Impl (name, description); } -static tl::Variant make_impl (const std::string &generator, const std::map &add_params, int /*dummy*/) +static tl::Variant make_impl (const std::string &generator, const std::map &add_params) { return Recipe_Impl::make (generator, add_params); } -std::string generator_impl (Recipe_Impl *recipe, const std::map ¶ms, int /*dummy*/) +std::string generator_impl (Recipe_Impl *recipe, const std::map ¶ms) { return recipe->generator (params); } @@ -713,23 +713,15 @@ Class decl_Recipe_Impl ("tl", "Recipe", gsi::method ("description", &Recipe_Impl::description, "@brief Gets the description of the recipe." ) + - gsi::method ("make", &make_impl, gsi::arg ("generator"), gsi::arg ("add_params", std::map (), "{}"), gsi::arg ("dummy", 0), + gsi::method ("make", &make_impl, gsi::arg ("generator"), gsi::arg ("add_params", std::map (), "{}"), "@brief Executes the recipe given by the generator string.\n" "The generator string is the one delivered with \\generator.\n" "Additional parameters can be passed in \"add_params\". They have lower priority than the parameters " "kept inside the generator string." - "\n" - "The dummy argument has been added in version 0.29 and disambiguates between keyword parameters " - "and a single hash argument in Ruby. This is required for Ruby versions before 'real keywords'. Simply " - "add this parameter with any value.\n" ) + - gsi::method_ext ("generator", &generator_impl, gsi::arg ("params"), gsi::arg ("dummy", 0), + gsi::method_ext ("generator", &generator_impl, gsi::arg ("params"), "@brief Delivers the generator string from the given parameters.\n" "The generator string can be used with \\make to re-run the recipe." - "\n" - "The dummy argument has been added in version 0.29 and disambiguates between keyword parameters " - "and a single hash argument in Ruby. This is required for Ruby versions before 'real keywords'. Simply " - "add this parameter with any value.\n" ) + gsi::callback ("executable", &Recipe_Impl::executable, &Recipe_Impl::executable_cb, gsi::arg ("params"), "@brief Reimplement this method to provide an executable object for the actual implementation.\n" diff --git a/src/lvs/lvs/built-in-macros/lvs_interpreters.lym b/src/lvs/lvs/built-in-macros/lvs_interpreters.lym index 73ff49907f..2aaf6f1fa8 100644 --- a/src/lvs/lvs/built-in-macros/lvs_interpreters.lym +++ b/src/lvs/lvs/built-in-macros/lvs_interpreters.lym @@ -91,7 +91,7 @@ module LVS macro = RBA::Macro::macro_by_path(script) macro || raise("Can't find LVS script #{script} - unable to re-run") - LVSExecutable::new(macro, @interpreter, self.generator({ "script" => script }, 0), params["l2ndb_index"]) + LVSExecutable::new(macro, @interpreter, self.generator("script" => script), params["l2ndb_index"]) end @@ -128,7 +128,7 @@ module LVS # Implements the execute method def executable(macro) - LVSExecutable::new(macro, self, @recipe.generator({ "script" => macro.path }, 0)) + LVSExecutable::new(macro, self, @recipe.generator("script" => macro.path)) end end @@ -155,7 +155,7 @@ module LVS # Implements the execute method def executable(macro) - LVSExecutable::new(macro, self, @recipe.generator({ "script" => macro.path }, 0)) + LVSExecutable::new(macro, self, @recipe.generator("script" => macro.path)) end end diff --git a/src/plugins/tools/view_25d/lay_plugin/built-in-macros/d25_interpreters.lym b/src/plugins/tools/view_25d/lay_plugin/built-in-macros/d25_interpreters.lym index 5d0e4ff611..fd8e1bca5c 100644 --- a/src/plugins/tools/view_25d/lay_plugin/built-in-macros/d25_interpreters.lym +++ b/src/plugins/tools/view_25d/lay_plugin/built-in-macros/d25_interpreters.lym @@ -92,7 +92,7 @@ module D25 macro = RBA::Macro::macro_by_path(script) macro || raise("Can't find D25 script #{script} - unable to re-run") - D25Executable::new(macro, @interpreter, self.generator({ "script" => script }, 0)) + D25Executable::new(macro, @interpreter, self.generator("script" => script)) end @@ -129,7 +129,7 @@ module D25 # Implements the execute method def executable(macro) - D25Executable::new(macro, self, @recipe.generator({ "script" => macro.path }, 0)) + D25Executable::new(macro, self, @recipe.generator("script" => macro.path)) end end @@ -156,7 +156,7 @@ module D25 # Implements the execute method def executable(macro) - D25Executable::new(macro, self, @recipe.generator({ "script" => macro.path }, 0)) + D25Executable::new(macro, self, @recipe.generator("script" => macro.path)) end end diff --git a/src/rba/rba/rba.cc b/src/rba/rba/rba.cc index c453bfc658..ecb2675d45 100644 --- a/src/rba/rba/rba.cc +++ b/src/rba/rba/rba.cc @@ -1147,15 +1147,6 @@ method_adaptor (int mid, int argc, VALUE *argv, VALUE self, bool ctor) RBA_TRY - VALUE kwargs = Qnil; - bool check_last = true; -#if HAVE_RUBY_VERSION_CODE>=20700 - check_last = rb_keyword_given_p (); -#endif - if (check_last && argc > 0 && RB_TYPE_P (argv[argc - 1], T_HASH)) { - kwargs = argv[--argc]; - } - tl::Heap heap; const gsi::ClassBase *cls_decl; @@ -1187,6 +1178,36 @@ method_adaptor (int mid, int argc, VALUE *argv, VALUE self, bool ctor) } + // Check for keyword arguments .. + + VALUE kwargs = Qnil; + bool check_last = true; +#if HAVE_RUBY_VERSION_CODE>=20700 + check_last = rb_keyword_given_p (); +#endif + + // This is a heuristics to distinguish methods that are potential candidates for + // accepting a keyword argument. Problem is that Ruby confuses function calls with + // keyword arguments with arguments that take a single hash argument. + // We accept only methods here as candidates that do not have a last argument which + // is a map. + // For compatibility we do this check also for Ruby >=2.7 which supports rb_keyword_given_p. + if (check_last) { + const MethodTableEntry &e = mt->entry (mid); + for (auto m = e.begin (); m != e.end () && check_last; ++m) { + auto a = (*m)->end_arguments (); + if (a != (*m)->begin_arguments () && (--a)->type () == gsi::T_map) { + check_last = false; + } + } + } + + if (check_last && argc > 0 && RB_TYPE_P (argv[argc - 1], T_HASH)) { + kwargs = argv[--argc]; + } + + // Identify the matching variant + const gsi::MethodBase *meth = mt->entry (mid).get_variant (argc, argv, kwargs, rb_block_given_p (), ctor, p == 0, p != 0 && p->const_ref ()); if (! meth) { diff --git a/testdata/ruby/tlTest.rb b/testdata/ruby/tlTest.rb index a77b8ae758..8980b2ec56 100644 --- a/testdata/ruby/tlTest.rb +++ b/testdata/ruby/tlTest.rb @@ -301,10 +301,10 @@ def test_4_Recipe assert_equal(my_recipe.name, "rba_test_recipe") assert_equal(my_recipe.description, "description") - g = my_recipe.generator({ "A" => 6, "B" => 7.0 }, 0) + g = my_recipe.generator("A" => 6, "B" => 7.0) assert_equal(g, "rba_test_recipe: A=#6,B=##7") assert_equal("%g" % RBA::Recipe::make(g), "42") - assert_equal("%g" % RBA::Recipe::make(g, { "C" => 1.5 }, 0).to_s, "63") + assert_equal("%g" % RBA::Recipe::make(g, "C" => 1.5).to_s, "63") my_recipe._destroy my_recipe = nil From 36f531685c8036f5dc39a19f0a0252a951879211 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Fri, 29 Dec 2023 23:18:07 +0100 Subject: [PATCH 126/128] Fixed a test fail when private test data is not available --- src/plugins/streamers/oasis/unit_tests/dbOASISReaderTests.cc | 2 ++ src/tl/tl/tlUnitTest.cc | 1 + 2 files changed, 3 insertions(+) diff --git a/src/plugins/streamers/oasis/unit_tests/dbOASISReaderTests.cc b/src/plugins/streamers/oasis/unit_tests/dbOASISReaderTests.cc index 3ef9f1dfe0..9ecbf39375 100644 --- a/src/plugins/streamers/oasis/unit_tests/dbOASISReaderTests.cc +++ b/src/plugins/streamers/oasis/unit_tests/dbOASISReaderTests.cc @@ -595,6 +595,8 @@ TEST(Bug_1474) db::OASISReader reader (file); reader.read (layout); EXPECT_EQ (false, true); + } catch (tl::CancelException &ex) { + // Seen when private test data is not installed } catch (tl::Exception &ex) { EXPECT_EQ (ex.msg (), "Cell named ADDHX2 with ID 4 was already given name SEDFFTRX2 (position=763169, cell=)"); } diff --git a/src/tl/tl/tlUnitTest.cc b/src/tl/tl/tlUnitTest.cc index f6f1ef3d3b..40497ecc83 100644 --- a/src/tl/tl/tlUnitTest.cc +++ b/src/tl/tl/tlUnitTest.cc @@ -104,6 +104,7 @@ std::string testdata_private () std::string pp = tl::combine_path (tl::testsrc (), "private"); pp = tl::combine_path (pp, "testdata"); if (! tl::file_exists (pp)) { + tl::warn << "Cancelling test as private test data is not available."; throw tl::CancelException (); } return pp; From c09f84919ada0863ff01f8cf9c32b0700aed6a9b Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Fri, 29 Dec 2023 23:21:08 +0100 Subject: [PATCH 127/128] Skip one test if no private test data --- src/plugins/streamers/oasis/unit_tests/dbOASISReaderTests.cc | 1 + 1 file changed, 1 insertion(+) diff --git a/src/plugins/streamers/oasis/unit_tests/dbOASISReaderTests.cc b/src/plugins/streamers/oasis/unit_tests/dbOASISReaderTests.cc index 9ecbf39375..6449db3aaa 100644 --- a/src/plugins/streamers/oasis/unit_tests/dbOASISReaderTests.cc +++ b/src/plugins/streamers/oasis/unit_tests/dbOASISReaderTests.cc @@ -597,6 +597,7 @@ TEST(Bug_1474) EXPECT_EQ (false, true); } catch (tl::CancelException &ex) { // Seen when private test data is not installed + throw; } catch (tl::Exception &ex) { EXPECT_EQ (ex.msg (), "Cell named ADDHX2 with ID 4 was already given name SEDFFTRX2 (position=763169, cell=)"); } From 2b4a583f051eeee1ea7000109180c4caf8505db2 Mon Sep 17 00:00:00 2001 From: Matthias Koefferlein Date: Mon, 1 Jan 2024 17:27:59 +0100 Subject: [PATCH 128/128] Update copyright year --- build.sh | 2 +- scripts/mkqtdecl.sh | 2 +- scripts/mkqtdecl_common/c++.treetop | 2 +- scripts/mkqtdecl_common/cpp_classes.rb | 2 +- scripts/mkqtdecl_common/cpp_parser_classes.rb | 2 +- scripts/mkqtdecl_common/dump.rb | 2 +- .../mkqtdecl_common/mkqtdecl_extract_ambigous_methods.rb | 2 +- scripts/mkqtdecl_common/mkqtdecl_extract_nc_pointers.rb | 2 +- .../mkqtdecl_common/mkqtdecl_extract_potential_factories.rb | 2 +- scripts/mkqtdecl_common/mkqtdecl_extract_props.rb | 2 +- scripts/mkqtdecl_common/mkqtdecl_extract_signals.rb | 2 +- scripts/mkqtdecl_common/parse.rb | 2 +- scripts/mkqtdecl_common/produce.rb | 6 +++--- scripts/mkqtdecl_common/reader_ext.rb | 2 +- scripts/pyqrc.py | 2 +- setup.py | 2 +- src/ant/ant/antCommon.h | 2 +- src/ant/ant/antConfig.cc | 2 +- src/ant/ant/antConfig.h | 2 +- src/ant/ant/antConfigPage.cc | 2 +- src/ant/ant/antConfigPage.h | 2 +- src/ant/ant/antForceLink.cc | 2 +- src/ant/ant/antForceLink.h | 2 +- src/ant/ant/antObject.cc | 2 +- src/ant/ant/antObject.h | 2 +- src/ant/ant/antPlugin.cc | 2 +- src/ant/ant/antPlugin.h | 2 +- src/ant/ant/antPropertiesPage.cc | 2 +- src/ant/ant/antPropertiesPage.h | 2 +- src/ant/ant/antService.cc | 2 +- src/ant/ant/antService.h | 2 +- src/ant/ant/antTemplate.cc | 2 +- src/ant/ant/antTemplate.h | 2 +- src/ant/ant/gsiDeclAnt.cc | 2 +- src/ant/unit_tests/antBasicTests.cc | 2 +- src/buddies/src/bd/bdCommon.h | 2 +- src/buddies/src/bd/bdConverterMain.cc | 2 +- src/buddies/src/bd/bdConverterMain.h | 2 +- src/buddies/src/bd/bdInit.cc | 2 +- src/buddies/src/bd/bdInit.h | 2 +- src/buddies/src/bd/bdReaderOptions.cc | 2 +- src/buddies/src/bd/bdReaderOptions.h | 2 +- src/buddies/src/bd/bdWriterOptions.cc | 2 +- src/buddies/src/bd/bdWriterOptions.h | 2 +- src/buddies/src/bd/main.cc | 2 +- src/buddies/src/bd/strm2cif.cc | 2 +- src/buddies/src/bd/strm2dxf.cc | 2 +- src/buddies/src/bd/strm2gds.cc | 2 +- src/buddies/src/bd/strm2gdstxt.cc | 2 +- src/buddies/src/bd/strm2mag.cc | 2 +- src/buddies/src/bd/strm2oas.cc | 2 +- src/buddies/src/bd/strm2txt.cc | 2 +- src/buddies/src/bd/strmclip.cc | 2 +- src/buddies/src/bd/strmcmp.cc | 2 +- src/buddies/src/bd/strmrun.cc | 2 +- src/buddies/src/bd/strmxor.cc | 2 +- src/buddies/unit_tests/bdBasicTests.cc | 2 +- src/buddies/unit_tests/bdConverterTests.cc | 2 +- src/buddies/unit_tests/bdStrm2txtTests.cc | 2 +- src/buddies/unit_tests/bdStrmclipTests.cc | 2 +- src/buddies/unit_tests/bdStrmcmpTests.cc | 2 +- src/buddies/unit_tests/bdStrmrunTests.cc | 2 +- src/buddies/unit_tests/bdStrmxorTests.cc | 2 +- src/buddies/unit_tests/buddies_main.cc | 2 +- src/db/db/dbArray.cc | 2 +- src/db/db/dbArray.h | 2 +- src/db/db/dbAsIfFlatEdgePairs.cc | 2 +- src/db/db/dbAsIfFlatEdgePairs.h | 2 +- src/db/db/dbAsIfFlatEdges.cc | 2 +- src/db/db/dbAsIfFlatEdges.h | 2 +- src/db/db/dbAsIfFlatRegion.cc | 2 +- src/db/db/dbAsIfFlatRegion.h | 2 +- src/db/db/dbAsIfFlatTexts.cc | 2 +- src/db/db/dbAsIfFlatTexts.h | 2 +- src/db/db/dbBox.cc | 2 +- src/db/db/dbBox.h | 2 +- src/db/db/dbBoxConvert.cc | 2 +- src/db/db/dbBoxConvert.h | 2 +- src/db/db/dbBoxScanner.cc | 2 +- src/db/db/dbBoxScanner.h | 2 +- src/db/db/dbBoxTree.h | 2 +- src/db/db/dbCell.cc | 2 +- src/db/db/dbCell.h | 2 +- src/db/db/dbCellGraphUtils.cc | 2 +- src/db/db/dbCellGraphUtils.h | 2 +- src/db/db/dbCellHullGenerator.cc | 2 +- src/db/db/dbCellHullGenerator.h | 2 +- src/db/db/dbCellInst.cc | 2 +- src/db/db/dbCellInst.h | 2 +- src/db/db/dbCellMapping.cc | 2 +- src/db/db/dbCellMapping.h | 2 +- src/db/db/dbCellVariants.cc | 2 +- src/db/db/dbCellVariants.h | 2 +- src/db/db/dbCircuit.cc | 2 +- src/db/db/dbCircuit.h | 2 +- src/db/db/dbClip.cc | 2 +- src/db/db/dbClip.h | 2 +- src/db/db/dbClipboard.cc | 2 +- src/db/db/dbClipboard.h | 2 +- src/db/db/dbClipboardData.cc | 2 +- src/db/db/dbClipboardData.h | 2 +- src/db/db/dbColdProxy.cc | 2 +- src/db/db/dbColdProxy.h | 2 +- src/db/db/dbCommon.h | 2 +- src/db/db/dbCommonReader.cc | 2 +- src/db/db/dbCommonReader.h | 2 +- src/db/db/dbCompoundOperation.cc | 2 +- src/db/db/dbCompoundOperation.h | 2 +- src/db/db/dbConverters.cc | 2 +- src/db/db/dbConverters.h | 2 +- src/db/db/dbDeepEdgePairs.cc | 2 +- src/db/db/dbDeepEdgePairs.h | 2 +- src/db/db/dbDeepEdges.cc | 2 +- src/db/db/dbDeepEdges.h | 2 +- src/db/db/dbDeepRegion.cc | 2 +- src/db/db/dbDeepRegion.h | 2 +- src/db/db/dbDeepShapeStore.cc | 2 +- src/db/db/dbDeepShapeStore.h | 2 +- src/db/db/dbDeepTexts.cc | 2 +- src/db/db/dbDeepTexts.h | 2 +- src/db/db/dbDevice.cc | 2 +- src/db/db/dbDevice.h | 2 +- src/db/db/dbDeviceAbstract.cc | 2 +- src/db/db/dbDeviceAbstract.h | 2 +- src/db/db/dbDeviceClass.cc | 2 +- src/db/db/dbDeviceClass.h | 2 +- src/db/db/dbEdge.cc | 2 +- src/db/db/dbEdge.h | 2 +- src/db/db/dbEdgeBoolean.cc | 2 +- src/db/db/dbEdgeBoolean.h | 2 +- src/db/db/dbEdgePair.cc | 2 +- src/db/db/dbEdgePair.h | 2 +- src/db/db/dbEdgePairFilters.cc | 2 +- src/db/db/dbEdgePairFilters.h | 2 +- src/db/db/dbEdgePairRelations.cc | 2 +- src/db/db/dbEdgePairRelations.h | 2 +- src/db/db/dbEdgePairs.cc | 2 +- src/db/db/dbEdgePairs.h | 2 +- src/db/db/dbEdgePairsDelegate.cc | 2 +- src/db/db/dbEdgePairsDelegate.h | 2 +- src/db/db/dbEdgeProcessor.cc | 2 +- src/db/db/dbEdgeProcessor.h | 2 +- src/db/db/dbEdges.cc | 2 +- src/db/db/dbEdges.h | 2 +- src/db/db/dbEdgesDelegate.cc | 2 +- src/db/db/dbEdgesDelegate.h | 2 +- src/db/db/dbEdgesLocalOperations.cc | 2 +- src/db/db/dbEdgesLocalOperations.h | 2 +- src/db/db/dbEdgesToContours.cc | 2 +- src/db/db/dbEdgesToContours.h | 2 +- src/db/db/dbEdgesUtils.cc | 2 +- src/db/db/dbEdgesUtils.h | 2 +- src/db/db/dbEmptyEdgePairs.cc | 2 +- src/db/db/dbEmptyEdgePairs.h | 2 +- src/db/db/dbEmptyEdges.cc | 2 +- src/db/db/dbEmptyEdges.h | 2 +- src/db/db/dbEmptyRegion.cc | 2 +- src/db/db/dbEmptyRegion.h | 2 +- src/db/db/dbEmptyTexts.cc | 2 +- src/db/db/dbEmptyTexts.h | 2 +- src/db/db/dbFillTool.cc | 2 +- src/db/db/dbFillTool.h | 2 +- src/db/db/dbFlatEdgePairs.cc | 2 +- src/db/db/dbFlatEdgePairs.h | 2 +- src/db/db/dbFlatEdges.cc | 2 +- src/db/db/dbFlatEdges.h | 2 +- src/db/db/dbFlatRegion.cc | 2 +- src/db/db/dbFlatRegion.h | 2 +- src/db/db/dbFlatTexts.cc | 2 +- src/db/db/dbFlatTexts.h | 2 +- src/db/db/dbForceLink.cc | 2 +- src/db/db/dbForceLink.h | 2 +- src/db/db/dbFuzzyCellMapping.cc | 2 +- src/db/db/dbFuzzyCellMapping.h | 2 +- src/db/db/dbGenericShapeIterator.cc | 2 +- src/db/db/dbGenericShapeIterator.h | 2 +- src/db/db/dbGlyphs.cc | 2 +- src/db/db/dbGlyphs.h | 2 +- src/db/db/dbHash.h | 2 +- src/db/db/dbHershey.cc | 2 +- src/db/db/dbHershey.h | 2 +- src/db/db/dbHersheyFont.h | 2 +- src/db/db/dbHierNetworkProcessor.cc | 2 +- src/db/db/dbHierNetworkProcessor.h | 2 +- src/db/db/dbHierProcessor.cc | 2 +- src/db/db/dbHierProcessor.h | 2 +- src/db/db/dbHierarchyBuilder.cc | 2 +- src/db/db/dbHierarchyBuilder.h | 2 +- src/db/db/dbInit.cc | 2 +- src/db/db/dbInit.h | 2 +- src/db/db/dbInstElement.cc | 2 +- src/db/db/dbInstElement.h | 2 +- src/db/db/dbInstances.cc | 2 +- src/db/db/dbInstances.h | 2 +- src/db/db/dbLayer.h | 2 +- src/db/db/dbLayerMapping.cc | 2 +- src/db/db/dbLayerMapping.h | 2 +- src/db/db/dbLayerProperties.cc | 2 +- src/db/db/dbLayerProperties.h | 2 +- src/db/db/dbLayout.cc | 2 +- src/db/db/dbLayout.h | 2 +- src/db/db/dbLayoutContextHandler.cc | 2 +- src/db/db/dbLayoutContextHandler.h | 2 +- src/db/db/dbLayoutDiff.cc | 2 +- src/db/db/dbLayoutDiff.h | 2 +- src/db/db/dbLayoutLayers.cc | 2 +- src/db/db/dbLayoutLayers.h | 2 +- src/db/db/dbLayoutQuery.cc | 2 +- src/db/db/dbLayoutQuery.h | 2 +- src/db/db/dbLayoutStateModel.cc | 2 +- src/db/db/dbLayoutStateModel.h | 2 +- src/db/db/dbLayoutToNetlist.cc | 2 +- src/db/db/dbLayoutToNetlist.h | 2 +- src/db/db/dbLayoutToNetlistEnums.h | 2 +- src/db/db/dbLayoutToNetlistFormatDefs.cc | 2 +- src/db/db/dbLayoutToNetlistFormatDefs.h | 2 +- src/db/db/dbLayoutToNetlistReader.cc | 2 +- src/db/db/dbLayoutToNetlistReader.h | 2 +- src/db/db/dbLayoutToNetlistWriter.cc | 2 +- src/db/db/dbLayoutToNetlistWriter.h | 2 +- src/db/db/dbLayoutUtils.cc | 2 +- src/db/db/dbLayoutUtils.h | 2 +- src/db/db/dbLayoutVsSchematic.cc | 2 +- src/db/db/dbLayoutVsSchematic.h | 2 +- src/db/db/dbLayoutVsSchematicFormatDefs.cc | 2 +- src/db/db/dbLayoutVsSchematicFormatDefs.h | 2 +- src/db/db/dbLayoutVsSchematicReader.cc | 2 +- src/db/db/dbLayoutVsSchematicReader.h | 2 +- src/db/db/dbLayoutVsSchematicWriter.cc | 2 +- src/db/db/dbLayoutVsSchematicWriter.h | 2 +- src/db/db/dbLibrary.cc | 2 +- src/db/db/dbLibrary.h | 2 +- src/db/db/dbLibraryManager.cc | 2 +- src/db/db/dbLibraryManager.h | 2 +- src/db/db/dbLibraryProxy.cc | 2 +- src/db/db/dbLibraryProxy.h | 2 +- src/db/db/dbLoadLayoutOptions.cc | 2 +- src/db/db/dbLoadLayoutOptions.h | 2 +- src/db/db/dbLocalOperation.cc | 2 +- src/db/db/dbLocalOperation.h | 2 +- src/db/db/dbLocalOperationUtils.cc | 2 +- src/db/db/dbLocalOperationUtils.h | 2 +- src/db/db/dbLog.cc | 2 +- src/db/db/dbLog.h | 2 +- src/db/db/dbManager.cc | 2 +- src/db/db/dbManager.h | 2 +- src/db/db/dbMatrix.cc | 2 +- src/db/db/dbMatrix.h | 2 +- src/db/db/dbMemStatistics.cc | 2 +- src/db/db/dbMemStatistics.h | 2 +- src/db/db/dbMetaInfo.h | 2 +- src/db/db/dbMutableEdgePairs.cc | 2 +- src/db/db/dbMutableEdgePairs.h | 2 +- src/db/db/dbMutableEdges.cc | 2 +- src/db/db/dbMutableEdges.h | 2 +- src/db/db/dbMutableRegion.cc | 2 +- src/db/db/dbMutableRegion.h | 2 +- src/db/db/dbMutableTexts.cc | 2 +- src/db/db/dbMutableTexts.h | 2 +- src/db/db/dbNamedLayerReader.cc | 2 +- src/db/db/dbNamedLayerReader.h | 2 +- src/db/db/dbNet.cc | 2 +- src/db/db/dbNet.h | 2 +- src/db/db/dbNetShape.cc | 2 +- src/db/db/dbNetShape.h | 2 +- src/db/db/dbNetlist.cc | 2 +- src/db/db/dbNetlist.h | 2 +- src/db/db/dbNetlistCompare.cc | 2 +- src/db/db/dbNetlistCompare.h | 2 +- src/db/db/dbNetlistCompareCore.cc | 2 +- src/db/db/dbNetlistCompareCore.h | 2 +- src/db/db/dbNetlistCompareGraph.cc | 2 +- src/db/db/dbNetlistCompareGraph.h | 2 +- src/db/db/dbNetlistCompareUtils.cc | 2 +- src/db/db/dbNetlistCompareUtils.h | 2 +- src/db/db/dbNetlistCrossReference.cc | 2 +- src/db/db/dbNetlistCrossReference.h | 2 +- src/db/db/dbNetlistDeviceClasses.cc | 2 +- src/db/db/dbNetlistDeviceClasses.h | 2 +- src/db/db/dbNetlistDeviceExtractor.cc | 2 +- src/db/db/dbNetlistDeviceExtractor.h | 2 +- src/db/db/dbNetlistDeviceExtractorClasses.cc | 2 +- src/db/db/dbNetlistDeviceExtractorClasses.h | 2 +- src/db/db/dbNetlistExtractor.cc | 2 +- src/db/db/dbNetlistExtractor.h | 2 +- src/db/db/dbNetlistObject.cc | 2 +- src/db/db/dbNetlistObject.h | 2 +- src/db/db/dbNetlistReader.cc | 2 +- src/db/db/dbNetlistReader.h | 2 +- src/db/db/dbNetlistSpiceReader.cc | 2 +- src/db/db/dbNetlistSpiceReader.h | 2 +- src/db/db/dbNetlistSpiceReaderDelegate.cc | 2 +- src/db/db/dbNetlistSpiceReaderDelegate.h | 2 +- src/db/db/dbNetlistSpiceReaderExpressionParser.cc | 2 +- src/db/db/dbNetlistSpiceReaderExpressionParser.h | 2 +- src/db/db/dbNetlistSpiceWriter.cc | 2 +- src/db/db/dbNetlistSpiceWriter.h | 2 +- src/db/db/dbNetlistUtils.h | 2 +- src/db/db/dbNetlistWriter.cc | 2 +- src/db/db/dbNetlistWriter.h | 2 +- src/db/db/dbObject.cc | 2 +- src/db/db/dbObject.h | 2 +- src/db/db/dbObjectTag.h | 2 +- src/db/db/dbObjectWithProperties.h | 2 +- src/db/db/dbOriginalLayerEdgePairs.cc | 2 +- src/db/db/dbOriginalLayerEdgePairs.h | 2 +- src/db/db/dbOriginalLayerEdges.cc | 2 +- src/db/db/dbOriginalLayerEdges.h | 2 +- src/db/db/dbOriginalLayerRegion.cc | 2 +- src/db/db/dbOriginalLayerRegion.h | 2 +- src/db/db/dbOriginalLayerTexts.cc | 2 +- src/db/db/dbOriginalLayerTexts.h | 2 +- src/db/db/dbPCellDeclaration.cc | 2 +- src/db/db/dbPCellDeclaration.h | 2 +- src/db/db/dbPCellHeader.cc | 2 +- src/db/db/dbPCellHeader.h | 2 +- src/db/db/dbPCellVariant.cc | 2 +- src/db/db/dbPCellVariant.h | 2 +- src/db/db/dbPath.cc | 2 +- src/db/db/dbPath.h | 2 +- src/db/db/dbPin.cc | 2 +- src/db/db/dbPin.h | 2 +- src/db/db/dbPlugin.cc | 2 +- src/db/db/dbPlugin.h | 2 +- src/db/db/dbPoint.cc | 2 +- src/db/db/dbPoint.h | 2 +- src/db/db/dbPolygon.cc | 2 +- src/db/db/dbPolygon.h | 2 +- src/db/db/dbPolygonGenerators.cc | 2 +- src/db/db/dbPolygonGenerators.h | 2 +- src/db/db/dbPolygonTools.cc | 2 +- src/db/db/dbPolygonTools.h | 2 +- src/db/db/dbPropertiesRepository.cc | 2 +- src/db/db/dbPropertiesRepository.h | 2 +- src/db/db/dbPropertyConstraint.h | 2 +- src/db/db/dbReader.cc | 2 +- src/db/db/dbReader.h | 2 +- src/db/db/dbRecursiveInstanceIterator.cc | 2 +- src/db/db/dbRecursiveInstanceIterator.h | 2 +- src/db/db/dbRecursiveShapeIterator.cc | 2 +- src/db/db/dbRecursiveShapeIterator.h | 2 +- src/db/db/dbRegion.cc | 2 +- src/db/db/dbRegion.h | 2 +- src/db/db/dbRegionCheckUtils.cc | 2 +- src/db/db/dbRegionCheckUtils.h | 2 +- src/db/db/dbRegionDelegate.cc | 2 +- src/db/db/dbRegionDelegate.h | 2 +- src/db/db/dbRegionLocalOperations.cc | 2 +- src/db/db/dbRegionLocalOperations.h | 2 +- src/db/db/dbRegionProcessors.cc | 2 +- src/db/db/dbRegionProcessors.h | 2 +- src/db/db/dbRegionUtils.cc | 2 +- src/db/db/dbRegionUtils.h | 2 +- src/db/db/dbSaveLayoutOptions.cc | 2 +- src/db/db/dbSaveLayoutOptions.h | 2 +- src/db/db/dbShape.cc | 2 +- src/db/db/dbShape.h | 2 +- src/db/db/dbShapeCollection.cc | 2 +- src/db/db/dbShapeCollection.h | 2 +- src/db/db/dbShapeCollectionUtils.cc | 2 +- src/db/db/dbShapeCollectionUtils.h | 2 +- src/db/db/dbShapeFlags.cc | 2 +- src/db/db/dbShapeFlags.h | 2 +- src/db/db/dbShapeIterator.cc | 2 +- src/db/db/dbShapeProcessor.cc | 2 +- src/db/db/dbShapeProcessor.h | 2 +- src/db/db/dbShapeRepository.h | 2 +- src/db/db/dbShapes.cc | 2 +- src/db/db/dbShapes.h | 2 +- src/db/db/dbShapes2.cc | 2 +- src/db/db/dbShapes2.h | 2 +- src/db/db/dbShapes3.cc | 2 +- src/db/db/dbStatic.cc | 2 +- src/db/db/dbStatic.h | 2 +- src/db/db/dbStream.cc | 2 +- src/db/db/dbStream.h | 2 +- src/db/db/dbStreamLayers.cc | 2 +- src/db/db/dbStreamLayers.h | 2 +- src/db/db/dbSubCircuit.cc | 2 +- src/db/db/dbSubCircuit.h | 2 +- src/db/db/dbTechnology.cc | 2 +- src/db/db/dbTechnology.h | 2 +- src/db/db/dbTestSupport.cc | 2 +- src/db/db/dbTestSupport.h | 2 +- src/db/db/dbText.cc | 2 +- src/db/db/dbText.h | 2 +- src/db/db/dbTextWriter.cc | 2 +- src/db/db/dbTextWriter.h | 2 +- src/db/db/dbTexts.cc | 2 +- src/db/db/dbTexts.h | 2 +- src/db/db/dbTextsDelegate.cc | 2 +- src/db/db/dbTextsDelegate.h | 2 +- src/db/db/dbTextsUtils.cc | 2 +- src/db/db/dbTextsUtils.h | 2 +- src/db/db/dbTilingProcessor.cc | 2 +- src/db/db/dbTilingProcessor.h | 2 +- src/db/db/dbTrans.cc | 2 +- src/db/db/dbTrans.h | 2 +- src/db/db/dbTriangle.cc | 2 +- src/db/db/dbTriangle.h | 2 +- src/db/db/dbTriangles.cc | 2 +- src/db/db/dbTriangles.h | 2 +- src/db/db/dbTypes.h | 2 +- src/db/db/dbUserObject.cc | 2 +- src/db/db/dbUserObject.h | 2 +- src/db/db/dbUtils.cc | 2 +- src/db/db/dbUtils.h | 2 +- src/db/db/dbVariableWidthPath.cc | 2 +- src/db/db/dbVariableWidthPath.h | 2 +- src/db/db/dbVector.cc | 2 +- src/db/db/dbVector.h | 2 +- src/db/db/dbWriter.cc | 2 +- src/db/db/dbWriter.h | 2 +- src/db/db/dbWriterTools.cc | 2 +- src/db/db/dbWriterTools.h | 2 +- src/db/db/gsiDeclDbBox.cc | 2 +- src/db/db/gsiDeclDbCell.cc | 2 +- src/db/db/gsiDeclDbCellMapping.cc | 2 +- src/db/db/gsiDeclDbCommonStreamOptions.cc | 2 +- src/db/db/gsiDeclDbCompoundOperation.cc | 2 +- src/db/db/gsiDeclDbContainerHelpers.h | 2 +- src/db/db/gsiDeclDbDeepShapeStore.cc | 2 +- src/db/db/gsiDeclDbEdge.cc | 2 +- src/db/db/gsiDeclDbEdgePair.cc | 2 +- src/db/db/gsiDeclDbEdgePairs.cc | 2 +- src/db/db/gsiDeclDbEdgeProcessor.cc | 2 +- src/db/db/gsiDeclDbEdges.cc | 2 +- src/db/db/gsiDeclDbGlyphs.cc | 2 +- src/db/db/gsiDeclDbHelpers.h | 2 +- src/db/db/gsiDeclDbHierNetworkProcessor.cc | 2 +- src/db/db/gsiDeclDbInstElement.cc | 2 +- src/db/db/gsiDeclDbLayerMapping.cc | 2 +- src/db/db/gsiDeclDbLayout.cc | 2 +- src/db/db/gsiDeclDbLayoutDiff.cc | 2 +- src/db/db/gsiDeclDbLayoutQuery.cc | 2 +- src/db/db/gsiDeclDbLayoutToNetlist.cc | 2 +- src/db/db/gsiDeclDbLayoutUtils.cc | 2 +- src/db/db/gsiDeclDbLayoutVsSchematic.cc | 2 +- src/db/db/gsiDeclDbLibrary.cc | 2 +- src/db/db/gsiDeclDbLog.cc | 2 +- src/db/db/gsiDeclDbManager.cc | 2 +- src/db/db/gsiDeclDbMatrix.cc | 2 +- src/db/db/gsiDeclDbMetaInfo.cc | 2 +- src/db/db/gsiDeclDbMetaInfo.h | 2 +- src/db/db/gsiDeclDbNetlist.cc | 2 +- src/db/db/gsiDeclDbNetlistCompare.cc | 2 +- src/db/db/gsiDeclDbNetlistCrossReference.cc | 2 +- src/db/db/gsiDeclDbNetlistDeviceClasses.cc | 2 +- src/db/db/gsiDeclDbNetlistDeviceExtractor.cc | 2 +- src/db/db/gsiDeclDbPath.cc | 2 +- src/db/db/gsiDeclDbPoint.cc | 2 +- src/db/db/gsiDeclDbPolygon.cc | 2 +- src/db/db/gsiDeclDbReader.cc | 2 +- src/db/db/gsiDeclDbRecursiveInstanceIterator.cc | 2 +- src/db/db/gsiDeclDbRecursiveShapeIterator.cc | 2 +- src/db/db/gsiDeclDbRegion.cc | 2 +- src/db/db/gsiDeclDbShape.cc | 2 +- src/db/db/gsiDeclDbShapeCollection.cc | 2 +- src/db/db/gsiDeclDbShapeProcessor.cc | 2 +- src/db/db/gsiDeclDbShapes.cc | 2 +- src/db/db/gsiDeclDbTechnologies.cc | 2 +- src/db/db/gsiDeclDbText.cc | 2 +- src/db/db/gsiDeclDbTexts.cc | 2 +- src/db/db/gsiDeclDbTilingProcessor.cc | 2 +- src/db/db/gsiDeclDbTrans.cc | 2 +- src/db/db/gsiDeclDbUtils.cc | 2 +- src/db/db/gsiDeclDbVector.cc | 2 +- src/db/unit_tests/dbArrayTests.cc | 2 +- src/db/unit_tests/dbAsIfFlatRegionTests.cc | 2 +- src/db/unit_tests/dbBoxScannerTests.cc | 2 +- src/db/unit_tests/dbBoxTests.cc | 2 +- src/db/unit_tests/dbBoxTreeTests.cc | 2 +- src/db/unit_tests/dbCellGraphUtilsTests.cc | 2 +- src/db/unit_tests/dbCellHullGeneratorTests.cc | 2 +- src/db/unit_tests/dbCellMappingTests.cc | 2 +- src/db/unit_tests/dbCellTests.cc | 2 +- src/db/unit_tests/dbCellVariantsTests.cc | 2 +- src/db/unit_tests/dbClipTests.cc | 2 +- src/db/unit_tests/dbCompoundOperationTests.cc | 2 +- src/db/unit_tests/dbDeepEdgePairsTests.cc | 2 +- src/db/unit_tests/dbDeepEdgesTests.cc | 2 +- src/db/unit_tests/dbDeepRegionTests.cc | 2 +- src/db/unit_tests/dbDeepShapeStoreTests.cc | 2 +- src/db/unit_tests/dbDeepTextsTests.cc | 2 +- src/db/unit_tests/dbEdgePairRelationsTests.cc | 2 +- src/db/unit_tests/dbEdgePairTests.cc | 2 +- src/db/unit_tests/dbEdgePairsTests.cc | 2 +- src/db/unit_tests/dbEdgeProcessorTests.cc | 2 +- src/db/unit_tests/dbEdgeTests.cc | 2 +- src/db/unit_tests/dbEdgesTests.cc | 2 +- src/db/unit_tests/dbEdgesToContoursTests.cc | 2 +- src/db/unit_tests/dbEdgesUtilsTests.cc | 2 +- src/db/unit_tests/dbExpressionTests.cc | 2 +- src/db/unit_tests/dbFillToolTests.cc | 2 +- src/db/unit_tests/dbHierNetsProcessorTests.cc | 2 +- src/db/unit_tests/dbHierNetworkProcessorTests.cc | 2 +- src/db/unit_tests/dbHierProcessorTests.cc | 2 +- src/db/unit_tests/dbHierarchyBuilderTests.cc | 2 +- src/db/unit_tests/dbLayerMappingTests.cc | 2 +- src/db/unit_tests/dbLayerTests.cc | 2 +- src/db/unit_tests/dbLayoutDiffTests.cc | 2 +- src/db/unit_tests/dbLayoutQueryTests.cc | 2 +- src/db/unit_tests/dbLayoutTests.cc | 2 +- src/db/unit_tests/dbLayoutToNetlistReaderTests.cc | 2 +- src/db/unit_tests/dbLayoutToNetlistTests.cc | 2 +- src/db/unit_tests/dbLayoutToNetlistWriterTests.cc | 2 +- src/db/unit_tests/dbLayoutUtilsTests.cc | 2 +- src/db/unit_tests/dbLayoutVsSchematicTests.cc | 2 +- src/db/unit_tests/dbLibrariesTests.cc | 2 +- src/db/unit_tests/dbLoadLayoutOptionsTests.cc | 2 +- src/db/unit_tests/dbLogTests.cc | 2 +- src/db/unit_tests/dbMatrixTests.cc | 2 +- src/db/unit_tests/dbNetShapeTests.cc | 2 +- src/db/unit_tests/dbNetlistCompareTests.cc | 2 +- src/db/unit_tests/dbNetlistDeviceClassesTests.cc | 2 +- src/db/unit_tests/dbNetlistDeviceExtractorTests.cc | 2 +- src/db/unit_tests/dbNetlistExtractorTests.cc | 2 +- src/db/unit_tests/dbNetlistReaderTests.cc | 2 +- src/db/unit_tests/dbNetlistTests.cc | 2 +- src/db/unit_tests/dbNetlistWriterTests.cc | 2 +- src/db/unit_tests/dbObjectTests.cc | 2 +- src/db/unit_tests/dbPCellsTests.cc | 2 +- src/db/unit_tests/dbPathTests.cc | 2 +- src/db/unit_tests/dbPointTests.cc | 2 +- src/db/unit_tests/dbPolygonTests.cc | 2 +- src/db/unit_tests/dbPolygonToolsTests.cc | 2 +- src/db/unit_tests/dbPropertiesRepositoryTests.cc | 2 +- src/db/unit_tests/dbRecursiveInstanceIteratorTests.cc | 2 +- src/db/unit_tests/dbRecursiveShapeIteratorTests.cc | 2 +- src/db/unit_tests/dbRegionCheckUtilsTests.cc | 2 +- src/db/unit_tests/dbRegionTests.cc | 2 +- src/db/unit_tests/dbSaveLayoutOptionsTests.cc | 2 +- src/db/unit_tests/dbShapeArrayTests.cc | 2 +- src/db/unit_tests/dbShapeRepositoryTests.cc | 2 +- src/db/unit_tests/dbShapeTests.cc | 2 +- src/db/unit_tests/dbShapesTests.cc | 2 +- src/db/unit_tests/dbStreamLayerTests.cc | 2 +- src/db/unit_tests/dbTechnologyTests.cc | 2 +- src/db/unit_tests/dbTextTests.cc | 2 +- src/db/unit_tests/dbTextsTests.cc | 2 +- src/db/unit_tests/dbTilingProcessorTests.cc | 2 +- src/db/unit_tests/dbTransTests.cc | 2 +- src/db/unit_tests/dbTriangleTests.cc | 2 +- src/db/unit_tests/dbTrianglesTests.cc | 2 +- src/db/unit_tests/dbUtilsTests.cc | 2 +- src/db/unit_tests/dbVariableWidthPathTests.cc | 2 +- src/db/unit_tests/dbVectorTests.cc | 2 +- src/db/unit_tests/dbWriterTools.cc | 2 +- src/doc/docCommon.h | 2 +- src/doc/docForceLink.cc | 2 +- src/doc/docForceLink.h | 2 +- src/drc/drc/drcCommon.h | 2 +- src/drc/drc/drcForceLink.cc | 2 +- src/drc/drc/drcForceLink.h | 2 +- src/drc/unit_tests/drcBasicTests.cc | 2 +- src/drc/unit_tests/drcGenericTests.cc | 2 +- src/drc/unit_tests/drcSimpleTests.cc | 2 +- src/drc/unit_tests/drcSuiteTests.cc | 2 +- src/edt/edt/edtCommon.h | 2 +- src/edt/edt/edtConfig.cc | 2 +- src/edt/edt/edtConfig.h | 2 +- src/edt/edt/edtDialogs.cc | 2 +- src/edt/edt/edtDialogs.h | 2 +- src/edt/edt/edtDistribute.cc | 2 +- src/edt/edt/edtDistribute.h | 2 +- src/edt/edt/edtEditorOptionsPages.cc | 2 +- src/edt/edt/edtEditorOptionsPages.h | 2 +- src/edt/edt/edtForceLink.cc | 2 +- src/edt/edt/edtForceLink.h | 2 +- src/edt/edt/edtInstPropertiesPage.cc | 2 +- src/edt/edt/edtInstPropertiesPage.h | 2 +- src/edt/edt/edtMainService.cc | 2 +- src/edt/edt/edtMainService.h | 2 +- src/edt/edt/edtPCellParametersPage.cc | 2 +- src/edt/edt/edtPCellParametersPage.h | 2 +- src/edt/edt/edtPartialService.cc | 2 +- src/edt/edt/edtPartialService.h | 2 +- src/edt/edt/edtPlugin.cc | 2 +- src/edt/edt/edtPlugin.h | 2 +- src/edt/edt/edtPropertiesPageUtils.cc | 2 +- src/edt/edt/edtPropertiesPageUtils.h | 2 +- src/edt/edt/edtPropertiesPages.cc | 2 +- src/edt/edt/edtPropertiesPages.h | 2 +- src/edt/edt/edtRecentConfigurationPage.cc | 2 +- src/edt/edt/edtRecentConfigurationPage.h | 2 +- src/edt/edt/edtService.cc | 2 +- src/edt/edt/edtService.h | 2 +- src/edt/edt/edtServiceImpl.cc | 2 +- src/edt/edt/edtServiceImpl.h | 2 +- src/edt/edt/edtUtils.cc | 2 +- src/edt/edt/edtUtils.h | 2 +- src/edt/edt/gsiDeclEdt.cc | 2 +- src/edt/unit_tests/edtBasicTests.cc | 2 +- src/edt/unit_tests/edtDistributeTests.cc | 2 +- src/fontgen/fontgen.cc | 2 +- src/gsi/gsi/gsi.cc | 2 +- src/gsi/gsi/gsi.h | 2 +- src/gsi/gsi/gsiCallback.h | 2 +- src/gsi/gsi/gsiCallbackVar.h | 2 +- src/gsi/gsi/gsiClass.cc | 2 +- src/gsi/gsi/gsiClass.h | 2 +- src/gsi/gsi/gsiClassBase.cc | 2 +- src/gsi/gsi/gsiClassBase.h | 2 +- src/gsi/gsi/gsiCommon.h | 2 +- src/gsi/gsi/gsiDecl.h | 2 +- src/gsi/gsi/gsiDeclBasic.cc | 2 +- src/gsi/gsi/gsiDeclBasic.h | 2 +- src/gsi/gsi/gsiDeclInternal.cc | 2 +- src/gsi/gsi/gsiDeclTl.cc | 2 +- src/gsi/gsi/gsiDeclTlPixelBuffer.cc | 2 +- src/gsi/gsi/gsiEnums.h | 2 +- src/gsi/gsi/gsiExpression.cc | 2 +- src/gsi/gsi/gsiExpression.h | 2 +- src/gsi/gsi/gsiExternalMain.cc | 2 +- src/gsi/gsi/gsiExternalMain.h | 2 +- src/gsi/gsi/gsiInspector.cc | 2 +- src/gsi/gsi/gsiInspector.h | 2 +- src/gsi/gsi/gsiInterpreter.cc | 2 +- src/gsi/gsi/gsiInterpreter.h | 2 +- src/gsi/gsi/gsiIterators.h | 2 +- src/gsi/gsi/gsiMethods.cc | 2 +- src/gsi/gsi/gsiMethods.h | 2 +- src/gsi/gsi/gsiMethodsVar.h | 2 +- src/gsi/gsi/gsiObject.cc | 2 +- src/gsi/gsi/gsiObject.h | 2 +- src/gsi/gsi/gsiObjectHolder.cc | 2 +- src/gsi/gsi/gsiObjectHolder.h | 2 +- src/gsi/gsi/gsiSerialisation.cc | 2 +- src/gsi/gsi/gsiSerialisation.h | 2 +- src/gsi/gsi/gsiSignals.cc | 2 +- src/gsi/gsi/gsiSignals.h | 2 +- src/gsi/gsi/gsiTypes.cc | 2 +- src/gsi/gsi/gsiTypes.h | 2 +- src/gsi/gsi/gsiVariantArgs.cc | 2 +- src/gsi/gsi/gsiVariantArgs.h | 2 +- src/gsi/gsi_test/gsiTest.cc | 2 +- src/gsi/gsi_test/gsiTest.h | 2 +- src/gsi/gsi_test/gsiTestForceLink.h | 2 +- src/gsi/unit_tests/gsiExpressionTests.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQAbstractItemModel.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQAbstractListModel.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQAbstractTableModel.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQBasicTimer.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQBuffer.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQByteArrayMatcher.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQChildEvent.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQCoreApplication.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQCryptographicHash.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQDataStream.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQDate.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQDateTime.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQDir.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQDynamicPropertyChangeEvent.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQEasingCurve.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQEvent.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQEventLoop.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQFactoryInterface.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQFile.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQFileInfo.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQFileSystemWatcher.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQIODevice.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQLibrary.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQLibraryInfo.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQLine.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQLineF.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQLocale.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQMargins.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQMetaClassInfo.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQMetaEnum.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQMetaMethod.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQMetaObject.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQMetaProperty.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQMetaType.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQMimeData.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQModelIndex.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQMutex.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQObject.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQPersistentModelIndex.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQPluginLoader.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQPoint.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQPointF.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQProcess.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQProcessEnvironment.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQReadLocker.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQReadWriteLock.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQRect.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQRectF.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQRegExp.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQResource.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQSemaphore.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQSettings.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQSignalMapper.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQSize.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQSizeF.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQSocketNotifier.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQStringMatcher.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQSysInfo.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQSystemLocale.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQTemporaryFile.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQTextCodec.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQTextCodec_ConverterState.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQTextDecoder.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQTextEncoder.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQTextStream.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQThread.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQTime.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQTimeLine.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQTimer.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQTimerEvent.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQTranslator.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQUrl.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQWaitCondition.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQWriteLocker.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQt.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQtCoreAdd.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQt_1.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQt_2.cc | 2 +- src/gsiqt/qt4/QtCore/gsiDeclQt_3.cc | 2 +- src/gsiqt/qt4/QtCore/gsiQtExternals.h | 2 +- src/gsiqt/qt4/QtDesigner/gsiDeclQAbstractFormBuilder.cc | 2 +- src/gsiqt/qt4/QtDesigner/gsiDeclQFormBuilder.cc | 2 +- src/gsiqt/qt4/QtDesigner/gsiQtExternals.h | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQAbstractButton.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQAbstractGraphicsShapeItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQAbstractItemDelegate.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQAbstractItemView.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQAbstractPageSetupDialog.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQAbstractPrintDialog.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQAbstractProxyModel.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQAbstractScrollArea.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQAbstractSlider.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQAbstractSpinBox.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQAbstractTextDocumentLayout.cc | 2 +- .../gsiDeclQAbstractTextDocumentLayout_PaintContext.cc | 2 +- .../QtGui/gsiDeclQAbstractTextDocumentLayout_Selection.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQAbstractUndoItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQAccessible.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQAccessibleApplication.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQAccessibleEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQAccessibleInterface.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQAccessibleObject.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQAccessibleWidget.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQAction.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQActionEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQActionGroup.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQApplication.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQBitmap.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQBoxLayout.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQBrush.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQButtonGroup.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQCDEStyle.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQCalendarWidget.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQCheckBox.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQCleanlooksStyle.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQClipboard.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQClipboardEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQCloseEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQColor.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQColorDialog.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQColormap.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQColumnView.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQComboBox.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQCommandLinkButton.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQCommonStyle.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQCompleter.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQConicalGradient.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQContextMenuEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQCursor.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQDataWidgetMapper.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQDateEdit.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQDateTimeEdit.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQDesktopServices.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQDesktopWidget.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQDial.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQDialog.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQDialogButtonBox.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQDirIterator.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQDirModel.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQDockWidget.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQDoubleSpinBox.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQDoubleValidator.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQDrag.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQDragEnterEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQDragLeaveEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQDragMoveEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQDragResponseEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQDropEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQErrorMessage.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQFileDialog.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQFileIconProvider.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQFileOpenEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQFileSystemModel.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQFocusEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQFocusFrame.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQFont.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQFontComboBox.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQFontDatabase.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQFontDialog.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQFontInfo.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQFontMetrics.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQFontMetricsF.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQFormLayout.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQFrame.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGesture.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGestureEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGestureRecognizer.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGradient.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsAnchor.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsAnchorLayout.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsBlurEffect.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsColorizeEffect.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsDropShadowEffect.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsEffect.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsEllipseItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsGridLayout.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsItemAnimation.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsItemGroup.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsLayout.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsLayoutItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsLineItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsLinearLayout.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsObject.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsOpacityEffect.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsPathItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsPixmapItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsPolygonItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsProxyWidget.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsRectItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsRotation.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsScale.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsScene.cc | 2 +- .../qt4/QtGui/gsiDeclQGraphicsSceneContextMenuEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneDragDropEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneHelpEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneHoverEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneMouseEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneMoveEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneResizeEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneWheelEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSimpleTextItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsTextItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsTransform.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsView.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGraphicsWidget.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGridLayout.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQGroupBox.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQHBoxLayout.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQHeaderView.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQHelpEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQHideEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQHoverEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQIcon.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQIconDragEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQIconEngine.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQIconEnginePlugin.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQIconEnginePluginV2.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQIconEngineV2.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQImage.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQImageIOHandler.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQImageIOPlugin.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQImageReader.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQImageTextKeyLang.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQImageWriter.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQInputContext.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQInputContextFactory.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQInputContextPlugin.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQInputDialog.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQInputEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQInputMethodEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQInputMethodEvent_Attribute.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQIntValidator.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQItemDelegate.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQItemEditorCreatorBase.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQItemEditorFactory.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQItemSelection.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQItemSelectionModel.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQItemSelectionRange.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQKeyEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQKeySequence.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQLCDNumber.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQLabel.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQLayout.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQLayoutItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQLineEdit.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQLinearGradient.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQListView.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQListWidget.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQListWidgetItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQMainWindow.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQMatrix.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQMatrix4x4.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQMdiArea.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQMdiSubWindow.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQMenu.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQMenuBar.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQMessageBox.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQMimeSource.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQMotifStyle.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQMouseEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQMoveEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQMovie.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPageSetupDialog.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPaintDevice.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPaintEngine.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPaintEngineState.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPaintEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPainter.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPainterPath.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPainterPathStroker.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPainterPath_Element.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPalette.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPanGesture.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPen.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPicture.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPinchGesture.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPixmap.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPixmapCache.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPlainTextDocumentLayout.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPlainTextEdit.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPlastiqueStyle.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPolygon.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPolygonF.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPrintDialog.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPrintEngine.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPrintPreviewDialog.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPrintPreviewWidget.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPrinter.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPrinterInfo.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQProgressBar.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQProgressDialog.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQPushButton.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQQuaternion.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQRadialGradient.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQRadioButton.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQRegExpValidator.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQRegion.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQResizeEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQRubberBand.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQScrollArea.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQScrollBar.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQShortcut.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQShortcutEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQShowEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQSizeGrip.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQSizePolicy.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQSlider.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQSortFilterProxyModel.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQSound.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQSpacerItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQSpinBox.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQSplashScreen.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQSplitter.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQSplitterHandle.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStackedLayout.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStackedWidget.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStandardItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStandardItemModel.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStatusBar.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStatusTipEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStringListModel.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyle.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleFactory.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleHintReturn.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleHintReturnMask.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleHintReturnVariant.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOption.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionButton.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionComboBox.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionComplex.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionDockWidget.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionFocusRect.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionFrame.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionFrameV2.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionFrameV3.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionGraphicsItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionGroupBox.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionHeader.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionMenuItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionProgressBar.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionProgressBarV2.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionQ3DockWindow.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionQ3ListView.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionQ3ListViewItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionRubberBand.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionSizeGrip.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionSlider.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionSpinBox.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTab.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabBarBase.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabBarBaseV2.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabV2.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabV3.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabWidgetFrame.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTitleBar.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionToolBar.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionToolBox.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionToolBoxV2.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionToolButton.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionViewItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionViewItemV2.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionViewItemV3.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionViewItemV4.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStylePainter.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStylePlugin.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQStyledItemDelegate.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQSwipeGesture.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQSyntaxHighlighter.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQSystemTrayIcon.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTabBar.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTabWidget.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTableView.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTableWidget.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTableWidgetItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTableWidgetSelectionRange.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTabletEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTapAndHoldGesture.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTapGesture.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextBlock.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextBlockFormat.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextBlockGroup.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextBlockUserData.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextBlock_Iterator.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextBrowser.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextCharFormat.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextCursor.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextDocument.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextDocumentFragment.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextDocumentWriter.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextEdit.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextEdit_ExtraSelection.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextFormat.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextFragment.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextFrame.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextFrameFormat.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextFrame_Iterator.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextImageFormat.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextInlineObject.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextLayout.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextLayout_FormatRange.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextLength.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextLine.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextList.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextListFormat.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextObject.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextObjectInterface.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextOption.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextOption_Tab.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextTable.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextTableCell.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextTableCellFormat.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTextTableFormat.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTimeEdit.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQToolBar.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQToolBarChangeEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQToolBox.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQToolButton.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQToolTip.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTouchEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTouchEvent_TouchPoint.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTransform.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTreeView.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTreeWidget.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTreeWidgetItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQTreeWidgetItemIterator.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQUndoCommand.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQUndoGroup.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQUndoStack.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQUndoView.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQUnixPrintWidget.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQVBoxLayout.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQValidator.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQVector2D.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQVector3D.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQVector4D.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQWhatsThis.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQWhatsThisClickedEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQWheelEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQWidget.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQWidgetAction.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQWidgetItem.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQWindowStateChangeEvent.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQWindowsStyle.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQWizard.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQWizardPage.cc | 2 +- src/gsiqt/qt4/QtGui/gsiDeclQtGuiAdd.cc | 2 +- src/gsiqt/qt4/QtGui/gsiQtExternals.h | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQAbstractNetworkCache.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQAbstractSocket.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQAuthenticator.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQFtp.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQHostAddress.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQHostInfo.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQIPv6Address.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQLocalServer.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQLocalSocket.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkAccessManager.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkAddressEntry.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkCacheMetaData.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkCookie.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkCookieJar.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkDiskCache.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkInterface.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkProxy.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkProxyFactory.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkProxyQuery.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkReply.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkRequest.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQSsl.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQSslCertificate.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQSslCipher.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQSslConfiguration.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQSslError.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQSslKey.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQSslSocket.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQTcpServer.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQTcpSocket.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQUdpSocket.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQUrlInfo.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiDeclQtNetworkAdd.cc | 2 +- src/gsiqt/qt4/QtNetwork/gsiQtExternals.h | 2 +- src/gsiqt/qt4/QtSql/gsiDeclQSql.cc | 2 +- src/gsiqt/qt4/QtSql/gsiDeclQSqlDatabase.cc | 2 +- src/gsiqt/qt4/QtSql/gsiDeclQSqlDriver.cc | 2 +- src/gsiqt/qt4/QtSql/gsiDeclQSqlDriverCreatorBase.cc | 2 +- src/gsiqt/qt4/QtSql/gsiDeclQSqlError.cc | 2 +- src/gsiqt/qt4/QtSql/gsiDeclQSqlField.cc | 2 +- src/gsiqt/qt4/QtSql/gsiDeclQSqlIndex.cc | 2 +- src/gsiqt/qt4/QtSql/gsiDeclQSqlQuery.cc | 2 +- src/gsiqt/qt4/QtSql/gsiDeclQSqlQueryModel.cc | 2 +- src/gsiqt/qt4/QtSql/gsiDeclQSqlRecord.cc | 2 +- src/gsiqt/qt4/QtSql/gsiDeclQSqlRelation.cc | 2 +- src/gsiqt/qt4/QtSql/gsiDeclQSqlRelationalTableModel.cc | 2 +- src/gsiqt/qt4/QtSql/gsiDeclQSqlResult.cc | 2 +- src/gsiqt/qt4/QtSql/gsiDeclQSqlTableModel.cc | 2 +- src/gsiqt/qt4/QtSql/gsiQtExternals.h | 2 +- src/gsiqt/qt4/QtUiTools/gsiDeclQUiLoader.cc | 2 +- src/gsiqt/qt4/QtUiTools/gsiQtExternals.h | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQDomAttr.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQDomCDATASection.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQDomCharacterData.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQDomComment.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQDomDocument.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQDomDocumentFragment.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQDomDocumentType.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQDomElement.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQDomEntity.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQDomEntityReference.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQDomImplementation.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQDomNamedNodeMap.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQDomNode.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQDomNodeList.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQDomNotation.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQDomProcessingInstruction.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQDomText.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQXmlAttributes.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQXmlContentHandler.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQXmlDTDHandler.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQXmlDeclHandler.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQXmlDefaultHandler.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQXmlEntityResolver.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQXmlErrorHandler.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQXmlInputSource.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQXmlLexicalHandler.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQXmlLocator.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQXmlNamespaceSupport.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQXmlParseException.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQXmlReader.cc | 2 +- src/gsiqt/qt4/QtXml/gsiDeclQXmlSimpleReader.cc | 2 +- src/gsiqt/qt4/QtXml/gsiQtExternals.h | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQAbstractAnimation.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQAbstractEventDispatcher.cc | 2 +- .../qt5/QtCore/gsiDeclQAbstractEventDispatcher_TimerInfo.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQAbstractItemModel.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQAbstractListModel.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQAbstractNativeEventFilter.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQAbstractProxyModel.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQAbstractState.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQAbstractTableModel.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQAbstractTransition.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQAnimationDriver.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQAnimationGroup.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQAssociativeIterable.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQBasicMutex.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQBasicTimer.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQBuffer.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQByteArrayDataPtr.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQByteArrayMatcher.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQChildEvent.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQCollator.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQCollatorSortKey.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQCommandLineOption.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQCommandLineParser.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQCoreApplication.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQCryptographicHash.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQDataStream.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQDate.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQDateTime.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQDeadlineTimer.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQDebug.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQDebugStateSaver.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQDeferredDeleteEvent.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQDir.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQDirIterator.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQDynamicPropertyChangeEvent.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQEasingCurve.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQElapsedTimer.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQEvent.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQEventLoop.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQEventLoopLocker.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQEventTransition.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQFactoryInterface.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQFile.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQFileDevice.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQFileInfo.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQFileSelector.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQFileSystemWatcher.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQFinalState.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQHistoryState.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQIODevice.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQIdentityProxyModel.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQItemSelection.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQItemSelectionModel.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQItemSelectionRange.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQJsonArray.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQJsonArray_Const_iterator.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQJsonArray_Iterator.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQJsonDocument.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQJsonObject.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQJsonObject_Const_iterator.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQJsonObject_Iterator.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQJsonParseError.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQJsonValue.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQJsonValuePtr.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQJsonValueRef.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQJsonValueRefPtr.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQLibrary.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQLibraryInfo.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQLine.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQLineF.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQLocale.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQLockFile.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQLoggingCategory.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQMapDataBase.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQMapNodeBase.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQMargins.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQMarginsF.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQMessageAuthenticationCode.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQMessageLogContext.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQMessageLogger.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQMetaClassInfo.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQMetaEnum.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQMetaMethod.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQMetaObject.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQMetaObject_Connection.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQMetaProperty.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQMetaType.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQMimeData.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQMimeDatabase.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQMimeType.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQModelIndex.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQMutex.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQNoDebug.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQObject.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQOperatingSystemVersion.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQParallelAnimationGroup.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQPauseAnimation.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQPersistentModelIndex.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQPluginLoader.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQPoint.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQPointF.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQProcess.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQProcessEnvironment.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQPropertyAnimation.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQRandomGenerator.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQRandomGenerator64.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQReadLocker.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQReadWriteLock.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQRect.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQRectF.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQRegExp.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQRegularExpression.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQRegularExpressionMatch.cc | 2 +- .../qt5/QtCore/gsiDeclQRegularExpressionMatchIterator.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQResource.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQRunnable.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQSaveFile.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQSemaphore.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQSemaphoreReleaser.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQSequentialAnimationGroup.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQSequentialIterable.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQSettings.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQSharedMemory.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQSignalBlocker.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQSignalMapper.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQSignalTransition.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQSize.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQSizeF.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQSocketNotifier.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQSortFilterProxyModel.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQStandardPaths.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQState.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQStateMachine.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQStateMachine_SignalEvent.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQStateMachine_WrappedEvent.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQStaticPlugin.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQStorageInfo.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQStringDataPtr.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQStringListModel.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQStringMatcher.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQSysInfo.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQSystemSemaphore.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQTemporaryDir.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQTemporaryFile.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQTextBoundaryFinder.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQTextCodec.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQTextCodec_ConverterState.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQTextDecoder.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQTextEncoder.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQTextStream.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQThread.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQThreadPool.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQTime.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQTimeLine.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQTimeZone.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQTimeZone_OffsetData.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQTimer.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQTimerEvent.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQTranslator.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQUrl.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQUrlQuery.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQVariantAnimation.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQVersionNumber.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQWaitCondition.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQWriteLocker.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamAttribute.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamAttributes.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamEntityDeclaration.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamEntityResolver.cc | 2 +- .../qt5/QtCore/gsiDeclQXmlStreamNamespaceDeclaration.cc | 2 +- .../qt5/QtCore/gsiDeclQXmlStreamNotationDeclaration.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamReader.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamStringRef.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamWriter.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQt.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQtCoreAdd.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQt_1.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQt_2.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQt_3.cc | 2 +- src/gsiqt/qt5/QtCore/gsiDeclQt_4.cc | 2 +- src/gsiqt/qt5/QtCore/gsiQtExternals.h | 2 +- .../qt5/QtDesigner/gsiDeclQAbstractExtensionFactory.cc | 2 +- .../qt5/QtDesigner/gsiDeclQAbstractExtensionManager.cc | 2 +- src/gsiqt/qt5/QtDesigner/gsiDeclQAbstractFormBuilder.cc | 2 +- src/gsiqt/qt5/QtDesigner/gsiDeclQFormBuilder.cc | 2 +- src/gsiqt/qt5/QtDesigner/gsiQtExternals.h | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQAbstractTextDocumentLayout.cc | 2 +- .../gsiDeclQAbstractTextDocumentLayout_PaintContext.cc | 2 +- .../QtGui/gsiDeclQAbstractTextDocumentLayout_Selection.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQAbstractUndoItem.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQAccessible.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQAccessibleActionInterface.cc | 2 +- .../qt5/QtGui/gsiDeclQAccessibleEditableTextInterface.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQAccessibleEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQAccessibleImageInterface.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQAccessibleInterface.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQAccessibleObject.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQAccessibleStateChangeEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTableCellInterface.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTableInterface.cc | 2 +- .../qt5/QtGui/gsiDeclQAccessibleTableModelChangeEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextCursorEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextInsertEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextInterface.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextRemoveEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextSelectionEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextUpdateEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQAccessibleValueChangeEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQAccessibleValueInterface.cc | 2 +- .../qt5/QtGui/gsiDeclQAccessible_ActivationObserver.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQAccessible_State.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQActionEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQApplicationStateChangeEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQBackingStore.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQBitmap.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQBrush.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQClipboard.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQCloseEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQColor.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQConicalGradient.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQContextMenuEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQCursor.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQDesktopServices.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQDoubleValidator.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQDrag.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQDragEnterEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQDragLeaveEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQDragMoveEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQDropEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQEnterEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQExposeEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQFileOpenEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQFocusEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQFont.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQFontDatabase.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQFontInfo.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQFontMetrics.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQFontMetricsF.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQGenericPlugin.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQGenericPluginFactory.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQGlyphRun.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQGradient.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQGuiApplication.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQHelpEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQHideEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQHoverEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQIcon.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQIconDragEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQIconEngine.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQIconEnginePlugin.cc | 2 +- .../qt5/QtGui/gsiDeclQIconEngine_AvailableSizesArgument.cc | 2 +- .../qt5/QtGui/gsiDeclQIconEngine_ScaledPixmapArgument.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQImage.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQImageIOHandler.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQImageIOPlugin.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQImageReader.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQImageWriter.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQInputEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQInputMethod.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQInputMethodEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQInputMethodEvent_Attribute.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQInputMethodQueryEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQIntValidator.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQKeyEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQKeySequence.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQLinearGradient.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQMatrix.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQMatrix4x4.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQMouseEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQMoveEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQMovie.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQNativeGestureEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQOffscreenSurface.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPageLayout.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPageSize.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPagedPaintDevice.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPagedPaintDevice_Margins.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPaintDevice.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPaintDeviceWindow.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPaintEngine.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPaintEngineState.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPaintEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPainter.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPainterPath.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPainterPathStroker.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPainterPath_Element.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPainter_PixmapFragment.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPalette.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPdfWriter.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPen.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPicture.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPictureFormatPlugin.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPixelFormat.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPixmap.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPixmapCache.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPlatformSurfaceEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPointingDeviceUniqueId.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPolygon.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQPolygonF.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQQuaternion.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQRadialGradient.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQRasterWindow.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQRawFont.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQRegExpValidator.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQRegion.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQRegularExpressionValidator.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQResizeEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQRgba64.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQScreen.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQScreenOrientationChangeEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQScrollEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQScrollPrepareEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQSessionManager.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQShortcutEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQShowEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQStandardItem.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQStandardItemModel.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQStaticText.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQStatusTipEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQStyleHints.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQSurface.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQSurfaceFormat.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQSyntaxHighlighter.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTabletEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextBlock.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextBlockFormat.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextBlockGroup.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextBlockUserData.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextBlock_Iterator.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextCharFormat.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextCursor.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextDocument.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextDocumentFragment.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextDocumentWriter.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextFormat.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextFragment.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextFrame.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextFrameFormat.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextFrame_Iterator.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextImageFormat.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextInlineObject.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextItem.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextLayout.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextLayout_FormatRange.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextLength.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextLine.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextList.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextListFormat.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextObject.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextObjectInterface.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextOption.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextOption_Tab.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextTable.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextTableCell.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextTableCellFormat.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTextTableFormat.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQToolBarChangeEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTouchDevice.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTouchEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTouchEvent_TouchPoint.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQTransform.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQValidator.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQVector2D.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQVector3D.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQVector4D.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQWhatsThisClickedEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQWheelEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQWindow.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQWindowStateChangeEvent.cc | 2 +- src/gsiqt/qt5/QtGui/gsiDeclQtGuiAdd.cc | 2 +- src/gsiqt/qt5/QtGui/gsiQtExternals.h | 2 +- .../qt5/QtMultimedia/gsiDeclQAbstractAudioDeviceInfo.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioInput.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioOutput.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoBuffer.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoFilter.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoSurface.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQAudio.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioBuffer.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoder.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoderControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDeviceInfo.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioEncoderSettings.cc | 2 +- .../qt5/QtMultimedia/gsiDeclQAudioEncoderSettingsControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioFormat.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInput.cc | 2 +- .../qt5/QtMultimedia/gsiDeclQAudioInputSelectorControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutput.cc | 2 +- .../qt5/QtMultimedia/gsiDeclQAudioOutputSelectorControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioProbe.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRecorder.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRoleControl.cc | 2 +- .../qt5/QtMultimedia/gsiDeclQAudioSystemFactoryInterface.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioSystemPlugin.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQCamera.cc | 2 +- .../gsiDeclQCameraCaptureBufferFormatControl.cc | 2 +- .../QtMultimedia/gsiDeclQCameraCaptureDestinationControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposure.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposureControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFeedbackControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFlashControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocus.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocusControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocusZone.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCapture.cc | 2 +- .../qt5/QtMultimedia/gsiDeclQCameraImageCaptureControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessing.cc | 2 +- .../QtMultimedia/gsiDeclQCameraImageProcessingControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraInfo.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraInfoControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraLocksControl.cc | 2 +- .../qt5/QtMultimedia/gsiDeclQCameraViewfinderSettings.cc | 2 +- .../QtMultimedia/gsiDeclQCameraViewfinderSettingsControl.cc | 2 +- .../gsiDeclQCameraViewfinderSettingsControl2.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraZoomControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQCamera_FrameRateRange.cc | 2 +- .../qt5/QtMultimedia/gsiDeclQCustomAudioRoleControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQGraphicsVideoItem.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQImageEncoderControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQImageEncoderSettings.cc | 2 +- .../qt5/QtMultimedia/gsiDeclQMediaAudioProbeControl.cc | 2 +- .../qt5/QtMultimedia/gsiDeclQMediaAvailabilityControl.cc | 2 +- .../qt5/QtMultimedia/gsiDeclQMediaBindableInterface.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaContainerControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaContent.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaControl.cc | 2 +- .../qt5/QtMultimedia/gsiDeclQMediaGaplessPlaybackControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaMetaData.cc | 2 +- .../qt5/QtMultimedia/gsiDeclQMediaNetworkAccessControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaObject.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayer.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayerControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlaylist.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorder.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorderControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaResource.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaService.cc | 2 +- .../QtMultimedia/gsiDeclQMediaServiceCameraInfoInterface.cc | 2 +- .../gsiDeclQMediaServiceDefaultDeviceInterface.cc | 2 +- .../QtMultimedia/gsiDeclQMediaServiceFeaturesInterface.cc | 2 +- .../gsiDeclQMediaServiceProviderFactoryInterface.cc | 2 +- .../qt5/QtMultimedia/gsiDeclQMediaServiceProviderHint.cc | 2 +- .../qt5/QtMultimedia/gsiDeclQMediaServiceProviderPlugin.cc | 2 +- .../gsiDeclQMediaServiceSupportedDevicesInterface.cc | 2 +- .../gsiDeclQMediaServiceSupportedFormatsInterface.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaStreamsControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaTimeInterval.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaTimeRange.cc | 2 +- .../qt5/QtMultimedia/gsiDeclQMediaVideoProbeControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataReaderControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataWriterControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQMultimedia.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioData.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioDataControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTuner.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTunerControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQSound.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQSoundEffect.cc | 2 +- .../qt5/QtMultimedia/gsiDeclQVideoDeviceSelectorControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoEncoderSettings.cc | 2 +- .../qt5/QtMultimedia/gsiDeclQVideoEncoderSettingsControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoFilterRunnable.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoFrame.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoProbe.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoRendererControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoSurfaceFormat.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWidget.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWindowControl.cc | 2 +- src/gsiqt/qt5/QtMultimedia/gsiQtExternals.h | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQAbstractNetworkCache.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQAbstractSocket.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQAuthenticator.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQDnsDomainNameRecord.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQDnsHostAddressRecord.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQDnsLookup.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQDnsMailExchangeRecord.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQDnsServiceRecord.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQDnsTextRecord.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQDtls.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier.cc | 2 +- .../gsiDeclQDtlsClientVerifier_GeneratorParameters.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsError.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQHostAddress.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQHostInfo.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQHstsPolicy.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQHttpMultiPart.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQHttpPart.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQIPv6Address.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQLocalServer.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQLocalSocket.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAccessManager.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAddressEntry.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkCacheMetaData.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkConfiguration.cc | 2 +- .../qt5/QtNetwork/gsiDeclQNetworkConfigurationManager.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkCookie.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkCookieJar.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDatagram.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDiskCache.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkInterface.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxy.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxyFactory.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxyQuery.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkReply.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkRequest.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkSession.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQPasswordDigestor.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQSsl.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQSslCertificate.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQSslCertificateExtension.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQSslCipher.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQSslConfiguration.cc | 2 +- .../qt5/QtNetwork/gsiDeclQSslDiffieHellmanParameters.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQSslEllipticCurve.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQSslError.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQSslKey.cc | 2 +- .../qt5/QtNetwork/gsiDeclQSslPreSharedKeyAuthenticator.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQSslSocket.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQTcpServer.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQTcpSocket.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQUdpSocket.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiDeclQtNetworkAdd.cc | 2 +- src/gsiqt/qt5/QtNetwork/gsiQtExternals.h | 2 +- src/gsiqt/qt5/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc | 2 +- src/gsiqt/qt5/QtPrintSupport/gsiDeclQPageSetupDialog.cc | 2 +- src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintDialog.cc | 2 +- src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintEngine.cc | 2 +- src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc | 2 +- src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc | 2 +- src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrinter.cc | 2 +- src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrinterInfo.cc | 2 +- src/gsiqt/qt5/QtPrintSupport/gsiQtExternals.h | 2 +- src/gsiqt/qt5/QtSql/gsiDeclQSql.cc | 2 +- src/gsiqt/qt5/QtSql/gsiDeclQSqlDatabase.cc | 2 +- src/gsiqt/qt5/QtSql/gsiDeclQSqlDriver.cc | 2 +- src/gsiqt/qt5/QtSql/gsiDeclQSqlDriverCreatorBase.cc | 2 +- src/gsiqt/qt5/QtSql/gsiDeclQSqlError.cc | 2 +- src/gsiqt/qt5/QtSql/gsiDeclQSqlField.cc | 2 +- src/gsiqt/qt5/QtSql/gsiDeclQSqlIndex.cc | 2 +- src/gsiqt/qt5/QtSql/gsiDeclQSqlQuery.cc | 2 +- src/gsiqt/qt5/QtSql/gsiDeclQSqlQueryModel.cc | 2 +- src/gsiqt/qt5/QtSql/gsiDeclQSqlRecord.cc | 2 +- src/gsiqt/qt5/QtSql/gsiDeclQSqlRelation.cc | 2 +- src/gsiqt/qt5/QtSql/gsiDeclQSqlRelationalTableModel.cc | 2 +- src/gsiqt/qt5/QtSql/gsiDeclQSqlResult.cc | 2 +- src/gsiqt/qt5/QtSql/gsiDeclQSqlTableModel.cc | 2 +- src/gsiqt/qt5/QtSql/gsiQtExternals.h | 2 +- src/gsiqt/qt5/QtSvg/gsiDeclQGraphicsSvgItem.cc | 2 +- src/gsiqt/qt5/QtSvg/gsiDeclQSvgGenerator.cc | 2 +- src/gsiqt/qt5/QtSvg/gsiDeclQSvgRenderer.cc | 2 +- src/gsiqt/qt5/QtSvg/gsiDeclQSvgWidget.cc | 2 +- src/gsiqt/qt5/QtSvg/gsiQtExternals.h | 2 +- src/gsiqt/qt5/QtUiTools/gsiDeclQUiLoader.cc | 2 +- src/gsiqt/qt5/QtUiTools/gsiQtExternals.h | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractButton.cc | 2 +- .../qt5/QtWidgets/gsiDeclQAbstractGraphicsShapeItem.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractItemDelegate.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractItemView.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractScrollArea.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractSlider.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractSpinBox.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQAccessibleWidget.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQAction.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQActionGroup.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQApplication.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQBoxLayout.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQButtonGroup.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQCalendarWidget.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQCheckBox.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQColorDialog.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQColormap.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQColumnView.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQComboBox.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQCommandLinkButton.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQCommonStyle.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQCompleter.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQDataWidgetMapper.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQDateEdit.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQDateTimeEdit.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQDesktopWidget.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQDial.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQDialog.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQDialogButtonBox.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQDirModel.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQDockWidget.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQDoubleSpinBox.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQErrorMessage.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQFileDialog.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQFileIconProvider.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQFileSystemModel.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQFocusFrame.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQFontComboBox.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQFontDialog.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQFormLayout.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQFormLayout_TakeRowResult.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQFrame.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGesture.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGestureEvent.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGestureRecognizer.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsAnchor.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsAnchorLayout.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsBlurEffect.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsColorizeEffect.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsDropShadowEffect.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsEffect.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsEllipseItem.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsGridLayout.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItem.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItemAnimation.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItemGroup.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLayout.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLayoutItem.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLineItem.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLinearLayout.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsObject.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsOpacityEffect.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPathItem.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPixmapItem.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPolygonItem.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsProxyWidget.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsRectItem.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsRotation.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScale.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScene.cc | 2 +- .../qt5/QtWidgets/gsiDeclQGraphicsSceneContextMenuEvent.cc | 2 +- .../qt5/QtWidgets/gsiDeclQGraphicsSceneDragDropEvent.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneEvent.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneHelpEvent.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneHoverEvent.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneMouseEvent.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneMoveEvent.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneResizeEvent.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneWheelEvent.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSimpleTextItem.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsTextItem.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsTransform.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsView.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsWidget.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGridLayout.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQGroupBox.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQHBoxLayout.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQHeaderView.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQInputDialog.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQItemDelegate.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQItemEditorCreatorBase.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQItemEditorFactory.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQKeySequenceEdit.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQLCDNumber.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQLabel.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQLayout.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQLayoutItem.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQLineEdit.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQListView.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQListWidget.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQListWidgetItem.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQMainWindow.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQMdiArea.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQMdiSubWindow.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQMenu.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQMenuBar.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQMessageBox.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQPanGesture.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQPinchGesture.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextDocumentLayout.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextEdit.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQProgressBar.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQProgressDialog.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQPushButton.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQRadioButton.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQRubberBand.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQScrollArea.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQScrollBar.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQScroller.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQScrollerProperties.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQShortcut.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQSizeGrip.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQSizePolicy.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQSlider.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQSpacerItem.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQSpinBox.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQSplashScreen.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQSplitter.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQSplitterHandle.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStackedLayout.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStackedWidget.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStatusBar.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyle.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleFactory.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleHintReturn.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleHintReturnMask.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleHintReturnVariant.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOption.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionButton.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionComboBox.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionComplex.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionDockWidget.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionFocusRect.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionFrame.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionGraphicsItem.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionGroupBox.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionHeader.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionMenuItem.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionProgressBar.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionRubberBand.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionSizeGrip.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionSlider.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionSpinBox.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionTab.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionTabBarBase.cc | 2 +- .../qt5/QtWidgets/gsiDeclQStyleOptionTabWidgetFrame.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionTitleBar.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionToolBar.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionToolBox.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionToolButton.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionViewItem.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStylePainter.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStylePlugin.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQStyledItemDelegate.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQSwipeGesture.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQSystemTrayIcon.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQTabBar.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQTabWidget.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQTableView.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQTableWidget.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQTableWidgetItem.cc | 2 +- .../qt5/QtWidgets/gsiDeclQTableWidgetSelectionRange.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQTapAndHoldGesture.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQTapGesture.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQTextBrowser.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQTextEdit.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQTextEdit_ExtraSelection.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQTimeEdit.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQToolBar.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQToolBox.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQToolButton.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQToolTip.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQTreeView.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQTreeWidget.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQTreeWidgetItem.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQTreeWidgetItemIterator.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQUndoCommand.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQUndoGroup.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQUndoStack.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQUndoView.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQVBoxLayout.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQWhatsThis.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQWidget.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQWidgetAction.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQWidgetItem.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQWizard.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQWizardPage.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiDeclQtWidgetsAdd.cc | 2 +- src/gsiqt/qt5/QtWidgets/gsiQtExternals.h | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQDomAttr.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQDomCDATASection.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQDomCharacterData.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQDomComment.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQDomDocument.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQDomDocumentFragment.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQDomDocumentType.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQDomElement.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQDomEntity.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQDomEntityReference.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQDomImplementation.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQDomNamedNodeMap.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQDomNode.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQDomNodeList.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQDomNotation.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQDomProcessingInstruction.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQDomText.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQXmlAttributes.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQXmlContentHandler.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQXmlDTDHandler.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQXmlDeclHandler.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQXmlDefaultHandler.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQXmlEntityResolver.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQXmlErrorHandler.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQXmlInputSource.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQXmlLexicalHandler.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQXmlLocator.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQXmlNamespaceSupport.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQXmlParseException.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQXmlReader.cc | 2 +- src/gsiqt/qt5/QtXml/gsiDeclQXmlSimpleReader.cc | 2 +- src/gsiqt/qt5/QtXml/gsiQtExternals.h | 2 +- .../qt5/QtXmlPatterns/gsiDeclQAbstractMessageHandler.cc | 2 +- src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractUriResolver.cc | 2 +- src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractXmlNodeModel.cc | 2 +- src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractXmlReceiver.cc | 2 +- src/gsiqt/qt5/QtXmlPatterns/gsiDeclQSimpleXmlNodeModel.cc | 2 +- src/gsiqt/qt5/QtXmlPatterns/gsiDeclQSourceLocation.cc | 2 +- src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlFormatter.cc | 2 +- src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlItem.cc | 2 +- src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlName.cc | 2 +- src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlNamePool.cc | 2 +- src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlNodeModelIndex.cc | 2 +- src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlQuery.cc | 2 +- src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlResultItems.cc | 2 +- src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlSchema.cc | 2 +- src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlSchemaValidator.cc | 2 +- src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlSerializer.cc | 2 +- src/gsiqt/qt5/QtXmlPatterns/gsiDeclQtXmlPatternsAdd.cc | 2 +- src/gsiqt/qt5/QtXmlPatterns/gsiQtExternals.h | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQAbstractAnimation.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQAbstractEventDispatcher.cc | 2 +- .../qt6/QtCore/gsiDeclQAbstractEventDispatcher_TimerInfo.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQAbstractItemModel.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQAbstractListModel.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQAbstractNativeEventFilter.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQAbstractProxyModel.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQAbstractTableModel.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQAdoptSharedDataTag.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQAnimationDriver.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQAnimationGroup.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQAnyStringView.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQBasicMutex.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQBasicTimer.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQBindingStatus.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQBuffer.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQByteArrayMatcher.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQCalendar.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQCalendar_SystemId.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQCalendar_YearMonthDay.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQChildEvent.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQCollator.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQCollatorSortKey.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQCommandLineOption.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQCommandLineParser.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQConcatenateTablesProxyModel.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQCoreApplication.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQCryptographicHash.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQDataStream.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQDate.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQDateTime.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQDeadlineTimer.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQDebug.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQDebugStateSaver.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQDeferredDeleteEvent.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQDir.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQDirIterator.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQDynamicPropertyChangeEvent.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQEasingCurve.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQElapsedTimer.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQEvent.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQEventLoop.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQEventLoopLocker.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQFactoryInterface.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQFile.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQFileDevice.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQFileInfo.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQFileSelector.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQFileSystemWatcher.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQIODevice.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQIODeviceBase.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQIdentityProxyModel.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQItemSelection.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQItemSelectionModel.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQItemSelectionRange.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQJsonArray.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQJsonArray_Iterator.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQJsonDocument.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQJsonObject.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQJsonObject_Iterator.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQJsonParseError.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQJsonValue.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQJsonValueRef.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQKeyCombination.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQLibrary.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQLibraryInfo.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQLine.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQLineF.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQLocale.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQLockFile.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQLoggingCategory.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMargins.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMarginsF.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMessageAuthenticationCode.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMessageLogContext.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMessageLogger.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMetaAssociation.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMetaClassInfo.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMetaContainer.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMetaEnum.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMetaMethod.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMetaObject.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMetaObject_Connection.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMetaObject_Data.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMetaObject_SuperData.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMetaProperty.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMetaSequence.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMetaType.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMethodRawArguments.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMimeData.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMimeDatabase.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMimeType.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQModelIndex.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQModelRoleData.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQModelRoleDataSpan.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQMutex.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQNoDebug.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQObject.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQOperatingSystemVersion.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQParallelAnimationGroup.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQPartialOrdering.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQPauseAnimation.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQPersistentModelIndex.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQPluginLoader.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQPluginMetaData.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQPoint.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQPointF.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQProcess.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQProcessEnvironment.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQPropertyAnimation.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQPropertyBindingError.cc | 2 +- .../qt6/QtCore/gsiDeclQPropertyBindingSourceLocation.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQPropertyNotifier.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQPropertyObserver.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQPropertyObserverBase.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQPropertyProxyBindingData.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQRandomGenerator.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQRandomGenerator64.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQReadLocker.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQReadWriteLock.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQRect.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQRectF.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQRecursiveMutex.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQRegularExpression.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQRegularExpressionMatch.cc | 2 +- .../qt6/QtCore/gsiDeclQRegularExpressionMatchIterator.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQResource.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQRunnable.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQSaveFile.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQSemaphore.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQSemaphoreReleaser.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQSequentialAnimationGroup.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQSettings.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQSharedMemory.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQSignalBlocker.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQSignalMapper.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQSize.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQSizeF.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQSocketDescriptor.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQSocketNotifier.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQSortFilterProxyModel.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQStandardPaths.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQStorageInfo.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQStringConverter.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQStringConverterBase.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQStringConverterBase_State.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQStringDecoder.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQStringEncoder.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQStringListModel.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQStringMatcher.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQSysInfo.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQSystemSemaphore.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQTemporaryDir.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQTemporaryFile.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQTextBoundaryFinder.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQTextStream.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQThread.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQThreadPool.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQTime.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQTimeLine.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQTimeZone.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQTimeZone_OffsetData.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQTimer.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQTimerEvent.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQTranslator.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQTransposeProxyModel.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQTypeRevision.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQUrl.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQUrlQuery.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQVariantAnimation.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQVersionNumber.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQWaitCondition.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQWriteLocker.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamAttribute.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamAttributes.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamEntityDeclaration.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamEntityResolver.cc | 2 +- .../qt6/QtCore/gsiDeclQXmlStreamNamespaceDeclaration.cc | 2 +- .../qt6/QtCore/gsiDeclQXmlStreamNotationDeclaration.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamReader.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamWriter.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQt.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQtCoreAdd.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQt_1.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQt_2.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQt_3.cc | 2 +- src/gsiqt/qt6/QtCore/gsiDeclQt_4.cc | 2 +- src/gsiqt/qt6/QtCore/gsiQtExternals.h | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiDeclQBinaryJson.cc | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiDeclQRegExp.cc | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextCodec.cc | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextDecoder.cc | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextEncoder.cc | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlAttributes.cc | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlContentHandler.cc | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlDTDHandler.cc | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlDeclHandler.cc | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlDefaultHandler.cc | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlEntityResolver.cc | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlErrorHandler.cc | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlInputSource.cc | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlLexicalHandler.cc | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlLocator.cc | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlNamespaceSupport.cc | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlParseException.cc | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlReader.cc | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlSimpleReader.cc | 2 +- src/gsiqt/qt6/QtCore5Compat/gsiQtExternals.h | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAbstractFileIconProvider.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAbstractTextDocumentLayout.cc | 2 +- .../gsiDeclQAbstractTextDocumentLayout_PaintContext.cc | 2 +- .../QtGui/gsiDeclQAbstractTextDocumentLayout_Selection.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAbstractUndoItem.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAccessible.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAccessibleActionInterface.cc | 2 +- .../qt6/QtGui/gsiDeclQAccessibleEditableTextInterface.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAccessibleEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAccessibleHyperlinkInterface.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAccessibleImageInterface.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAccessibleInterface.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAccessibleObject.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAccessibleStateChangeEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTableCellInterface.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTableInterface.cc | 2 +- .../qt6/QtGui/gsiDeclQAccessibleTableModelChangeEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextCursorEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextInsertEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextInterface.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextRemoveEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextSelectionEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextUpdateEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAccessibleValueChangeEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAccessibleValueInterface.cc | 2 +- .../qt6/QtGui/gsiDeclQAccessible_ActivationObserver.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAccessible_State.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQAction.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQActionEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQActionGroup.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQApplicationStateChangeEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQBackingStore.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQBitmap.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQBrush.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQClipboard.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQCloseEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQColor.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQColorSpace.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQColorTransform.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQConicalGradient.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQContextMenuEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQCursor.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQDesktopServices.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQDoubleValidator.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQDrag.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQDragEnterEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQDragLeaveEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQDragMoveEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQDropEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQEnterEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQEventPoint.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQExposeEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQFileOpenEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQFileSystemModel.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQFocusEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQFont.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQFontDatabase.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQFontInfo.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQFontMetrics.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQFontMetricsF.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQGenericPlugin.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQGenericPluginFactory.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQGlyphRun.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQGradient.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQGradient_QGradientData.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQGuiApplication.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQHelpEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQHideEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQHoverEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQIcon.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQIconDragEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQIconEngine.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQIconEnginePlugin.cc | 2 +- .../qt6/QtGui/gsiDeclQIconEngine_ScaledPixmapArgument.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQImage.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQImageIOHandler.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQImageIOPlugin.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQImageReader.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQImageWriter.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQInputDevice.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQInputEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQInputMethod.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQInputMethodEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQInputMethodQueryEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQIntValidator.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQKeyEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQKeySequence.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQLinearGradient.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQMatrix4x4.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQMouseEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQMoveEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQMovie.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQNativeGestureEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQOffscreenSurface.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPageLayout.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPageRanges.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPageRanges_Range.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPageSize.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPagedPaintDevice.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPaintDevice.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPaintDeviceWindow.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPaintEngine.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPaintEngineState.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPaintEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPainter.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPainterPath.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPainterPathStroker.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPainterPath_Element.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPainter_PixmapFragment.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPalette.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPdfWriter.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPen.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPicture.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPixelFormat.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPixmap.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPixmapCache.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPlatformSurfaceEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPointerEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPointingDevice.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPointingDeviceUniqueId.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPolygon.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQPolygonF.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQQuaternion.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQRadialGradient.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQRasterWindow.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQRawFont.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQRegion.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQRegularExpressionValidator.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQResizeEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQRgba64.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQScreen.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQScreenOrientationChangeEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQScrollEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQScrollPrepareEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQSessionManager.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQShortcut.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQShortcutEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQShowEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQSinglePointEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQStandardItem.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQStandardItemModel.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQStaticText.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQStatusTipEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQStyleHints.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQSurface.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQSurfaceFormat.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQSyntaxHighlighter.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTabletEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextBlock.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextBlockFormat.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextBlockGroup.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextBlockUserData.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextBlock_Iterator.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextCharFormat.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextCursor.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextDocument.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextDocumentFragment.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextDocumentWriter.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextFormat.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextFragment.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextFrame.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextFrameFormat.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextFrame_Iterator.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextImageFormat.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextInlineObject.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextItem.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextLayout.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextLayout_FormatRange.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextLength.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextLine.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextList.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextListFormat.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextObject.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextObjectInterface.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextOption.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextOption_Tab.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextTable.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextTableCell.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextTableCellFormat.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTextTableFormat.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQToolBarChangeEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTouchEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQTransform.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQUndoCommand.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQUndoGroup.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQUndoStack.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQValidator.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQVector2D.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQVector3D.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQVector4D.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQWhatsThisClickedEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQWheelEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQWindow.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQWindowStateChangeEvent.cc | 2 +- src/gsiqt/qt6/QtGui/gsiDeclQtGuiAdd.cc | 2 +- src/gsiqt/qt6/QtGui/gsiQtExternals.h | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQAudio.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioBuffer.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioDecoder.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioDevice.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioFormat.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioInput.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioOutput.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioSink.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioSource.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQCamera.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQCameraDevice.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQCameraFormat.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQImageCapture.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaCaptureSession.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaDevices.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaFormat.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaMetaData.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaPlayer.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaRecorder.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaTimeRange.cc | 2 +- .../qt6/QtMultimedia/gsiDeclQMediaTimeRange_Interval.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQSoundEffect.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrame.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrameFormat.cc | 2 +- .../qt6/QtMultimedia/gsiDeclQVideoFrame_PaintOptions.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoSink.cc | 2 +- src/gsiqt/qt6/QtMultimedia/gsiQtExternals.h | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQAbstractNetworkCache.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQAbstractSocket.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQAuthenticator.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQDnsDomainNameRecord.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQDnsHostAddressRecord.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQDnsLookup.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQDnsMailExchangeRecord.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQDnsServiceRecord.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQDnsTextRecord.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQDtls.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQDtlsClientVerifier.cc | 2 +- .../gsiDeclQDtlsClientVerifier_GeneratorParameters.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQDtlsError.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQHostAddress.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQHostInfo.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQHstsPolicy.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQHttp2Configuration.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQHttpMultiPart.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQHttpPart.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQIPv6Address.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQLocalServer.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQLocalSocket.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAccessManager.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAddressEntry.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkCacheMetaData.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkCookie.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkCookieJar.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkDatagram.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkDiskCache.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkInformation.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkInterface.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkProxy.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkProxyFactory.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkProxyQuery.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkReply.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkRequest.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQOcspCertificateStatus.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQOcspRevocationReason.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQPasswordDigestor.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQSsl.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQSslCertificate.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQSslCertificateExtension.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQSslCipher.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQSslConfiguration.cc | 2 +- .../qt6/QtNetwork/gsiDeclQSslDiffieHellmanParameters.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQSslEllipticCurve.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQSslError.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQSslKey.cc | 2 +- .../qt6/QtNetwork/gsiDeclQSslPreSharedKeyAuthenticator.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQSslSocket.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQTcpServer.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQTcpSocket.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQUdpSocket.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiDeclQtNetworkAdd.cc | 2 +- src/gsiqt/qt6/QtNetwork/gsiQtExternals.h | 2 +- src/gsiqt/qt6/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc | 2 +- src/gsiqt/qt6/QtPrintSupport/gsiDeclQPageSetupDialog.cc | 2 +- src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintDialog.cc | 2 +- src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintEngine.cc | 2 +- src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc | 2 +- src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc | 2 +- src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrinter.cc | 2 +- src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrinterInfo.cc | 2 +- src/gsiqt/qt6/QtPrintSupport/gsiQtExternals.h | 2 +- src/gsiqt/qt6/QtSql/gsiDeclQSql.cc | 2 +- src/gsiqt/qt6/QtSql/gsiDeclQSqlDatabase.cc | 2 +- src/gsiqt/qt6/QtSql/gsiDeclQSqlDriver.cc | 2 +- src/gsiqt/qt6/QtSql/gsiDeclQSqlDriverCreatorBase.cc | 2 +- src/gsiqt/qt6/QtSql/gsiDeclQSqlError.cc | 2 +- src/gsiqt/qt6/QtSql/gsiDeclQSqlField.cc | 2 +- src/gsiqt/qt6/QtSql/gsiDeclQSqlIndex.cc | 2 +- src/gsiqt/qt6/QtSql/gsiDeclQSqlQuery.cc | 2 +- src/gsiqt/qt6/QtSql/gsiDeclQSqlQueryModel.cc | 2 +- src/gsiqt/qt6/QtSql/gsiDeclQSqlRecord.cc | 2 +- src/gsiqt/qt6/QtSql/gsiDeclQSqlRelation.cc | 2 +- src/gsiqt/qt6/QtSql/gsiDeclQSqlRelationalTableModel.cc | 2 +- src/gsiqt/qt6/QtSql/gsiDeclQSqlResult.cc | 2 +- src/gsiqt/qt6/QtSql/gsiDeclQSqlTableModel.cc | 2 +- src/gsiqt/qt6/QtSql/gsiQtExternals.h | 2 +- src/gsiqt/qt6/QtSvg/gsiDeclQSvgGenerator.cc | 2 +- src/gsiqt/qt6/QtSvg/gsiDeclQSvgRenderer.cc | 2 +- src/gsiqt/qt6/QtSvg/gsiQtExternals.h | 2 +- src/gsiqt/qt6/QtUiTools/gsiDeclQUiLoader.cc | 2 +- src/gsiqt/qt6/QtUiTools/gsiQtExternals.h | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractButton.cc | 2 +- .../qt6/QtWidgets/gsiDeclQAbstractGraphicsShapeItem.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractItemDelegate.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractItemView.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractScrollArea.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractSlider.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractSpinBox.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQAccessibleWidget.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQApplication.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQBoxLayout.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQButtonGroup.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQCalendarWidget.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQCheckBox.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQColorDialog.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQColormap.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQColumnView.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQComboBox.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQCommandLinkButton.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQCommonStyle.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQCompleter.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQDataWidgetMapper.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQDateEdit.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQDateTimeEdit.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQDial.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQDialog.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQDialogButtonBox.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQDockWidget.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQDoubleSpinBox.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQErrorMessage.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQFileDialog.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQFileIconProvider.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQFocusFrame.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQFontComboBox.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQFontDialog.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQFormLayout.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQFormLayout_TakeRowResult.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQFrame.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGesture.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGestureEvent.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGestureRecognizer.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsAnchor.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsAnchorLayout.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsBlurEffect.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsColorizeEffect.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsDropShadowEffect.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsEffect.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsEllipseItem.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsGridLayout.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsItem.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsItemAnimation.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsItemGroup.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsLayout.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsLayoutItem.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsLineItem.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsLinearLayout.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsObject.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsOpacityEffect.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsPathItem.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsPixmapItem.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsPolygonItem.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsProxyWidget.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsRectItem.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsRotation.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsScale.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsScene.cc | 2 +- .../qt6/QtWidgets/gsiDeclQGraphicsSceneContextMenuEvent.cc | 2 +- .../qt6/QtWidgets/gsiDeclQGraphicsSceneDragDropEvent.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneEvent.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneHelpEvent.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneHoverEvent.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneMouseEvent.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneMoveEvent.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneResizeEvent.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneWheelEvent.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSimpleTextItem.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsTextItem.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsTransform.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsView.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsWidget.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGridLayout.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQGroupBox.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQHBoxLayout.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQHeaderView.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQInputDialog.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQItemDelegate.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQItemEditorCreatorBase.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQItemEditorFactory.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQKeySequenceEdit.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQLCDNumber.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQLabel.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQLayout.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQLayoutItem.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQLineEdit.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQListView.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQListWidget.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQListWidgetItem.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQMainWindow.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQMdiArea.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQMdiSubWindow.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQMenu.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQMenuBar.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQMessageBox.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQPanGesture.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQPinchGesture.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQPlainTextDocumentLayout.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQPlainTextEdit.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQProgressBar.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQProgressDialog.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQPushButton.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQRadioButton.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQRubberBand.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQScrollArea.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQScrollBar.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQScroller.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQScrollerProperties.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQSizeGrip.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQSizePolicy.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQSlider.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQSpacerItem.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQSpinBox.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQSplashScreen.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQSplitter.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQSplitterHandle.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStackedLayout.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStackedWidget.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStatusBar.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyle.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleFactory.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleHintReturn.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleHintReturnMask.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleHintReturnVariant.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOption.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionButton.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionComboBox.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionComplex.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionDockWidget.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionFocusRect.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionFrame.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionGraphicsItem.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionGroupBox.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionHeader.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionHeaderV2.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionMenuItem.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionProgressBar.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionRubberBand.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionSizeGrip.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionSlider.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionSpinBox.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionTab.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionTabBarBase.cc | 2 +- .../qt6/QtWidgets/gsiDeclQStyleOptionTabWidgetFrame.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionTitleBar.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionToolBar.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionToolBox.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionToolButton.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionViewItem.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStylePainter.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStylePlugin.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQStyledItemDelegate.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQSwipeGesture.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQSystemTrayIcon.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTabBar.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTabWidget.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTableView.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTableWidget.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTableWidgetItem.cc | 2 +- .../qt6/QtWidgets/gsiDeclQTableWidgetSelectionRange.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTapAndHoldGesture.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTapGesture.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTextBrowser.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTextEdit.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTextEdit_ExtraSelection.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTimeEdit.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQToolBar.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQToolBox.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQToolButton.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQToolTip.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTreeView.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTreeWidget.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTreeWidgetItem.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQTreeWidgetItemIterator.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQUndoView.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQVBoxLayout.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQWhatsThis.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQWidget.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQWidgetAction.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQWidgetItem.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQWizard.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQWizardPage.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiDeclQtWidgetsAdd.cc | 2 +- src/gsiqt/qt6/QtWidgets/gsiQtExternals.h | 2 +- src/gsiqt/qt6/QtXml/gsiDeclQDomAttr.cc | 2 +- src/gsiqt/qt6/QtXml/gsiDeclQDomCDATASection.cc | 2 +- src/gsiqt/qt6/QtXml/gsiDeclQDomCharacterData.cc | 2 +- src/gsiqt/qt6/QtXml/gsiDeclQDomComment.cc | 2 +- src/gsiqt/qt6/QtXml/gsiDeclQDomDocument.cc | 2 +- src/gsiqt/qt6/QtXml/gsiDeclQDomDocumentFragment.cc | 2 +- src/gsiqt/qt6/QtXml/gsiDeclQDomDocumentType.cc | 2 +- src/gsiqt/qt6/QtXml/gsiDeclQDomElement.cc | 2 +- src/gsiqt/qt6/QtXml/gsiDeclQDomEntity.cc | 2 +- src/gsiqt/qt6/QtXml/gsiDeclQDomEntityReference.cc | 2 +- src/gsiqt/qt6/QtXml/gsiDeclQDomImplementation.cc | 2 +- src/gsiqt/qt6/QtXml/gsiDeclQDomNamedNodeMap.cc | 2 +- src/gsiqt/qt6/QtXml/gsiDeclQDomNode.cc | 2 +- src/gsiqt/qt6/QtXml/gsiDeclQDomNodeList.cc | 2 +- src/gsiqt/qt6/QtXml/gsiDeclQDomNotation.cc | 2 +- src/gsiqt/qt6/QtXml/gsiDeclQDomProcessingInstruction.cc | 2 +- src/gsiqt/qt6/QtXml/gsiDeclQDomText.cc | 2 +- src/gsiqt/qt6/QtXml/gsiQtExternals.h | 2 +- src/gsiqt/qtbasic/gsiDeclQtAllTypeTraits.h | 2 +- src/gsiqt/qtbasic/gsiQt.cc | 2 +- src/gsiqt/qtbasic/gsiQt.h | 2 +- src/gsiqt/qtbasic/gsiQtBasicCommon.h | 2 +- src/gsiqt/qtbasic/gsiQtCore5CompatExternals.h | 2 +- src/gsiqt/qtbasic/gsiQtCoreExternals.h | 2 +- src/gsiqt/qtbasic/gsiQtDesignerExternals.h | 2 +- src/gsiqt/qtbasic/gsiQtGuiExternals.h | 2 +- src/gsiqt/qtbasic/gsiQtHelper.cc | 2 +- src/gsiqt/qtbasic/gsiQtHelper.h | 2 +- src/gsiqt/qtbasic/gsiQtMultimediaExternals.h | 2 +- src/gsiqt/qtbasic/gsiQtNetworkExternals.h | 2 +- src/gsiqt/qtbasic/gsiQtPrintSupportExternals.h | 2 +- src/gsiqt/qtbasic/gsiQtSqlExternals.h | 2 +- src/gsiqt/qtbasic/gsiQtSvgExternals.h | 2 +- src/gsiqt/qtbasic/gsiQtUiToolsExternals.h | 2 +- src/gsiqt/qtbasic/gsiQtWidgetsExternals.h | 2 +- src/gsiqt/qtbasic/gsiQtXmlExternals.h | 2 +- src/gsiqt/qtbasic/gsiQtXmlPatternsExternals.h | 2 +- src/gtfui/gtfUiDialog.cc | 2 +- src/gtfui/gtfUiDialog.h | 2 +- src/gtfui/gtfui.cc | 2 +- src/icons/iconsCommon.h | 2 +- src/icons/iconsForceLink.cc | 2 +- src/icons/iconsForceLink.h | 2 +- src/img/img/gsiDeclImg.cc | 2 +- src/img/img/imgCommon.h | 2 +- src/img/img/imgForceLink.cc | 2 +- src/img/img/imgForceLink.h | 2 +- src/img/img/imgLandmarksDialog.cc | 2 +- src/img/img/imgLandmarksDialog.h | 2 +- src/img/img/imgNavigator.cc | 2 +- src/img/img/imgNavigator.h | 2 +- src/img/img/imgObject.cc | 2 +- src/img/img/imgObject.h | 2 +- src/img/img/imgPlugin.cc | 2 +- src/img/img/imgPlugin.h | 2 +- src/img/img/imgPropertiesPage.cc | 2 +- src/img/img/imgPropertiesPage.h | 2 +- src/img/img/imgService.cc | 2 +- src/img/img/imgService.h | 2 +- src/img/img/imgStream.cc | 2 +- src/img/img/imgStream.h | 2 +- src/img/img/imgWidgets.cc | 2 +- src/img/img/imgWidgets.h | 2 +- src/img/unit_tests/imgFile.cc | 2 +- src/img/unit_tests/imgObject.cc | 2 +- src/klayout_main/klayout_main/klayout.cc | 2 +- src/klayout_main/tests/klayout_main_tests.cc | 2 +- src/lay/lay/gsiDeclLayApplication.cc | 2 +- src/lay/lay/gsiDeclLayHelpDialog.cc | 2 +- src/lay/lay/gsiDeclLayMainWindow.cc | 2 +- src/lay/lay/layApplication.cc | 2 +- src/lay/lay/layApplication.h | 2 +- src/lay/lay/layClipDialog.cc | 2 +- src/lay/lay/layClipDialog.h | 2 +- src/lay/lay/layCommon.h | 2 +- src/lay/lay/layConfig.h | 2 +- src/lay/lay/layControlWidgetStack.cc | 2 +- src/lay/lay/layControlWidgetStack.h | 2 +- src/lay/lay/layCrashMessage.cc | 2 +- src/lay/lay/layCrashMessage.h | 2 +- src/lay/lay/layEnhancedTabBar.cc | 2 +- src/lay/lay/layEnhancedTabBar.h | 2 +- src/lay/lay/layFillDialog.cc | 2 +- src/lay/lay/layFillDialog.h | 2 +- src/lay/lay/layFontController.cc | 2 +- src/lay/lay/layFontController.h | 2 +- src/lay/lay/layForceLink.cc | 2 +- src/lay/lay/layForceLink.h | 2 +- src/lay/lay/layGSIHelpProvider.cc | 2 +- src/lay/lay/layGSIHelpProvider.h | 2 +- src/lay/lay/layHelpAboutDialog.cc | 2 +- src/lay/lay/layHelpAboutDialog.h | 2 +- src/lay/lay/layHelpDialog.cc | 2 +- src/lay/lay/layHelpDialog.h | 2 +- src/lay/lay/layHelpProvider.cc | 2 +- src/lay/lay/layHelpProvider.h | 2 +- src/lay/lay/layHelpSource.cc | 2 +- src/lay/lay/layHelpSource.h | 2 +- src/lay/lay/layInit.cc | 2 +- src/lay/lay/layInit.h | 2 +- src/lay/lay/layLibraryController.cc | 2 +- src/lay/lay/layLibraryController.h | 2 +- src/lay/lay/layLogViewerDialog.cc | 2 +- src/lay/lay/layLogViewerDialog.h | 2 +- src/lay/lay/layMacroController.cc | 2 +- src/lay/lay/layMacroController.h | 2 +- src/lay/lay/layMacroEditorDialog.cc | 2 +- src/lay/lay/layMacroEditorDialog.h | 2 +- src/lay/lay/layMacroEditorPage.cc | 2 +- src/lay/lay/layMacroEditorPage.h | 2 +- src/lay/lay/layMacroEditorSetupPage.cc | 2 +- src/lay/lay/layMacroEditorSetupPage.h | 2 +- src/lay/lay/layMacroEditorTree.cc | 2 +- src/lay/lay/layMacroEditorTree.h | 2 +- src/lay/lay/layMacroPropertiesDialog.cc | 2 +- src/lay/lay/layMacroPropertiesDialog.h | 2 +- src/lay/lay/layMacroVariableView.cc | 2 +- src/lay/lay/layMacroVariableView.h | 2 +- src/lay/lay/layMainConfigPages.cc | 2 +- src/lay/lay/layMainConfigPages.h | 2 +- src/lay/lay/layMainWindow.cc | 2 +- src/lay/lay/layMainWindow.h | 2 +- src/lay/lay/layNavigator.cc | 2 +- src/lay/lay/layNavigator.h | 2 +- src/lay/lay/layPasswordDialog.cc | 2 +- src/lay/lay/layPasswordDialog.h | 2 +- src/lay/lay/layProgress.cc | 2 +- src/lay/lay/layProgress.h | 2 +- src/lay/lay/layProgressDialog.cc | 2 +- src/lay/lay/layProgressDialog.h | 2 +- src/lay/lay/layProgressWidget.cc | 2 +- src/lay/lay/layProgressWidget.h | 2 +- src/lay/lay/layReaderErrorForm.cc | 2 +- src/lay/lay/layReaderErrorForm.h | 2 +- src/lay/lay/layResourceHelpProvider.cc | 2 +- src/lay/lay/layResourceHelpProvider.h | 2 +- src/lay/lay/layRuntimeErrorForm.cc | 2 +- src/lay/lay/layRuntimeErrorForm.h | 2 +- src/lay/lay/laySalt.cc | 2 +- src/lay/lay/laySalt.h | 2 +- src/lay/lay/laySaltController.cc | 2 +- src/lay/lay/laySaltController.h | 2 +- src/lay/lay/laySaltDownloadManager.cc | 2 +- src/lay/lay/laySaltDownloadManager.h | 2 +- src/lay/lay/laySaltGrain.cc | 2 +- src/lay/lay/laySaltGrain.h | 2 +- src/lay/lay/laySaltGrainDetailsTextWidget.cc | 2 +- src/lay/lay/laySaltGrainDetailsTextWidget.h | 2 +- src/lay/lay/laySaltGrainPropertiesDialog.cc | 2 +- src/lay/lay/laySaltGrainPropertiesDialog.h | 2 +- src/lay/lay/laySaltGrains.cc | 2 +- src/lay/lay/laySaltGrains.h | 2 +- src/lay/lay/laySaltManagerDialog.cc | 2 +- src/lay/lay/laySaltManagerDialog.h | 2 +- src/lay/lay/laySaltModel.cc | 2 +- src/lay/lay/laySaltModel.h | 2 +- src/lay/lay/laySaltParsedURL.cc | 2 +- src/lay/lay/laySaltParsedURL.h | 2 +- src/lay/lay/laySearchReplaceConfigPage.cc | 2 +- src/lay/lay/laySearchReplaceConfigPage.h | 2 +- src/lay/lay/laySearchReplaceDialog.cc | 2 +- src/lay/lay/laySearchReplaceDialog.h | 2 +- src/lay/lay/laySearchReplacePlugin.cc | 2 +- src/lay/lay/laySearchReplacePropertiesWidgets.cc | 2 +- src/lay/lay/laySearchReplacePropertiesWidgets.h | 2 +- src/lay/lay/laySession.cc | 2 +- src/lay/lay/laySession.h | 2 +- src/lay/lay/laySettingsForm.cc | 2 +- src/lay/lay/laySettingsForm.h | 2 +- src/lay/lay/laySignalHandler.cc | 2 +- src/lay/lay/laySignalHandler.h | 2 +- src/lay/lay/laySystemPaths.cc | 2 +- src/lay/lay/laySystemPaths.h | 2 +- src/lay/lay/layTechSetupDialog.cc | 2 +- src/lay/lay/layTechSetupDialog.h | 2 +- src/lay/lay/layTechnologyController.cc | 2 +- src/lay/lay/layTechnologyController.h | 2 +- src/lay/lay/layTextProgress.cc | 2 +- src/lay/lay/layTextProgress.h | 2 +- src/lay/lay/layTextProgressDelegate.cc | 2 +- src/lay/lay/layTextProgressDelegate.h | 2 +- src/lay/lay/layVersion.cc | 2 +- src/lay/lay/layVersion.h | 2 +- src/lay/lay/layViewWidgetStack.cc | 2 +- src/lay/lay/layViewWidgetStack.h | 2 +- src/lay/unit_tests/layHelpIndexTest.cc | 2 +- src/lay/unit_tests/laySalt.cc | 2 +- src/lay/unit_tests/laySaltParsedURLTests.cc | 2 +- src/lay/unit_tests/laySessionTests.cc | 2 +- src/laybasic/laybasic/gsiDeclLayLayers.cc | 2 +- src/laybasic/laybasic/gsiDeclLayLayoutViewBase.cc | 2 +- src/laybasic/laybasic/gsiDeclLayMarker.cc | 2 +- src/laybasic/laybasic/gsiDeclLayMenu.cc | 2 +- src/laybasic/laybasic/gsiDeclLayPlugin.cc | 2 +- src/laybasic/laybasic/gsiDeclLayRdbAdded.cc | 2 +- src/laybasic/laybasic/gsiDeclLayTlAdded.cc | 2 +- src/laybasic/laybasic/gtf.cc | 2 +- src/laybasic/laybasic/gtf.h | 2 +- src/laybasic/laybasic/gtfdummy.cc | 2 +- src/laybasic/laybasic/layAbstractMenu.cc | 2 +- src/laybasic/laybasic/layAbstractMenu.h | 2 +- src/laybasic/laybasic/layAnnotationShapes.cc | 2 +- src/laybasic/laybasic/layAnnotationShapes.h | 2 +- src/laybasic/laybasic/layBitmap.cc | 2 +- src/laybasic/laybasic/layBitmap.h | 2 +- src/laybasic/laybasic/layBitmapRenderer.cc | 2 +- src/laybasic/laybasic/layBitmapRenderer.h | 2 +- src/laybasic/laybasic/layBitmapsToImage.cc | 2 +- src/laybasic/laybasic/layBitmapsToImage.h | 2 +- src/laybasic/laybasic/layBookmarkList.cc | 2 +- src/laybasic/laybasic/layBookmarkList.h | 2 +- src/laybasic/laybasic/layCanvasPlane.cc | 2 +- src/laybasic/laybasic/layCanvasPlane.h | 2 +- src/laybasic/laybasic/layCellView.cc | 2 +- src/laybasic/laybasic/layCellView.h | 2 +- src/laybasic/laybasic/layColorPalette.cc | 2 +- src/laybasic/laybasic/layColorPalette.h | 2 +- src/laybasic/laybasic/layConverters.cc | 2 +- src/laybasic/laybasic/layConverters.h | 2 +- src/laybasic/laybasic/layCursor.cc | 2 +- src/laybasic/laybasic/layCursor.h | 2 +- src/laybasic/laybasic/layDispatcher.cc | 2 +- src/laybasic/laybasic/layDispatcher.h | 2 +- src/laybasic/laybasic/layDisplayState.cc | 2 +- src/laybasic/laybasic/layDisplayState.h | 2 +- src/laybasic/laybasic/layDitherPattern.cc | 2 +- src/laybasic/laybasic/layDitherPattern.h | 2 +- src/laybasic/laybasic/layDragDropData.cc | 2 +- src/laybasic/laybasic/layDragDropData.h | 2 +- src/laybasic/laybasic/layDrawing.cc | 2 +- src/laybasic/laybasic/layDrawing.h | 2 +- src/laybasic/laybasic/layEditable.cc | 2 +- src/laybasic/laybasic/layEditable.h | 2 +- src/laybasic/laybasic/layEditorServiceBase.cc | 2 +- src/laybasic/laybasic/layEditorServiceBase.h | 2 +- src/laybasic/laybasic/layFinder.cc | 2 +- src/laybasic/laybasic/layFinder.h | 2 +- src/laybasic/laybasic/layFixedFont.cc | 2 +- src/laybasic/laybasic/layLayerProperties.cc | 2 +- src/laybasic/laybasic/layLayerProperties.h | 2 +- src/laybasic/laybasic/layLayoutCanvas.cc | 2 +- src/laybasic/laybasic/layLayoutCanvas.h | 2 +- src/laybasic/laybasic/layLayoutViewBase.cc | 2 +- src/laybasic/laybasic/layLayoutViewBase.h | 2 +- src/laybasic/laybasic/layLayoutViewConfig.cc | 2 +- src/laybasic/laybasic/layLineStylePalette.cc | 2 +- src/laybasic/laybasic/layLineStylePalette.h | 2 +- src/laybasic/laybasic/layLineStyles.cc | 2 +- src/laybasic/laybasic/layLineStyles.h | 2 +- src/laybasic/laybasic/layMargin.cc | 2 +- src/laybasic/laybasic/layMargin.h | 2 +- src/laybasic/laybasic/layMarker.cc | 2 +- src/laybasic/laybasic/layMarker.h | 2 +- src/laybasic/laybasic/layMouseTracker.cc | 2 +- src/laybasic/laybasic/layMouseTracker.h | 2 +- src/laybasic/laybasic/layMove.cc | 2 +- src/laybasic/laybasic/layMove.h | 2 +- src/laybasic/laybasic/layNativePlugin.cc | 2 +- src/laybasic/laybasic/layNativePlugin.h | 2 +- src/laybasic/laybasic/layNetColorizer.cc | 2 +- src/laybasic/laybasic/layNetColorizer.h | 2 +- src/laybasic/laybasic/layObjectInstPath.cc | 2 +- src/laybasic/laybasic/layObjectInstPath.h | 2 +- src/laybasic/laybasic/layParsedLayerSource.cc | 2 +- src/laybasic/laybasic/layParsedLayerSource.h | 2 +- src/laybasic/laybasic/layPixelBufferPainter.cc | 2 +- src/laybasic/laybasic/layPixelBufferPainter.h | 2 +- src/laybasic/laybasic/layPlugin.cc | 2 +- src/laybasic/laybasic/layPlugin.h | 2 +- src/laybasic/laybasic/layPluginConfigPage.cc | 2 +- src/laybasic/laybasic/layPluginConfigPage.h | 2 +- src/laybasic/laybasic/layProperties.cc | 2 +- src/laybasic/laybasic/layProperties.h | 2 +- src/laybasic/laybasic/layRedrawLayerInfo.cc | 2 +- src/laybasic/laybasic/layRedrawLayerInfo.h | 2 +- src/laybasic/laybasic/layRedrawThread.cc | 2 +- src/laybasic/laybasic/layRedrawThread.h | 2 +- src/laybasic/laybasic/layRedrawThreadCanvas.cc | 2 +- src/laybasic/laybasic/layRedrawThreadCanvas.h | 2 +- src/laybasic/laybasic/layRedrawThreadWorker.cc | 2 +- src/laybasic/laybasic/layRedrawThreadWorker.h | 2 +- src/laybasic/laybasic/layRenderer.cc | 2 +- src/laybasic/laybasic/layRenderer.h | 2 +- src/laybasic/laybasic/layRubberBox.cc | 2 +- src/laybasic/laybasic/layRubberBox.h | 2 +- src/laybasic/laybasic/laySelector.cc | 2 +- src/laybasic/laybasic/laySelector.h | 2 +- src/laybasic/laybasic/laySnap.cc | 2 +- src/laybasic/laybasic/laySnap.h | 2 +- src/laybasic/laybasic/layStipplePalette.cc | 2 +- src/laybasic/laybasic/layStipplePalette.h | 2 +- src/laybasic/laybasic/layStream.cc | 2 +- src/laybasic/laybasic/layStream.h | 2 +- src/laybasic/laybasic/layTextInfo.cc | 2 +- src/laybasic/laybasic/layTextInfo.h | 2 +- src/laybasic/laybasic/layUtils.cc | 2 +- src/laybasic/laybasic/layUtils.h | 2 +- src/laybasic/laybasic/layViewObject.cc | 2 +- src/laybasic/laybasic/layViewObject.h | 2 +- src/laybasic/laybasic/layViewOp.cc | 2 +- src/laybasic/laybasic/layViewOp.h | 2 +- src/laybasic/laybasic/layViewport.cc | 2 +- src/laybasic/laybasic/layViewport.h | 2 +- src/laybasic/laybasic/layZoomBox.cc | 2 +- src/laybasic/laybasic/layZoomBox.h | 2 +- src/laybasic/laybasic/laybasicCommon.h | 2 +- src/laybasic/laybasic/laybasicConfig.h | 2 +- src/laybasic/laybasic/laybasicForceLink.cc | 2 +- src/laybasic/laybasic/laybasicForceLink.h | 2 +- src/laybasic/unit_tests/layAbstractMenuTests.cc | 2 +- src/laybasic/unit_tests/layAnnotationShapes.cc | 2 +- src/laybasic/unit_tests/layBitmap.cc | 2 +- src/laybasic/unit_tests/layBitmapsToImage.cc | 2 +- src/laybasic/unit_tests/layLayerProperties.cc | 2 +- src/laybasic/unit_tests/layMarginTests.cc | 2 +- src/laybasic/unit_tests/layParsedLayerSource.cc | 2 +- src/laybasic/unit_tests/layRenderer.cc | 2 +- src/laybasic/unit_tests/laySnapTests.cc | 2 +- src/laybasic/unit_tests/layTextInfoTests.cc | 2 +- src/layui/layui/gsiDeclLayDialogs.cc | 2 +- src/layui/layui/gsiDeclLayNetlistBrowserDialog.cc | 2 +- src/layui/layui/gsiDeclLayStream.cc | 2 +- src/layui/layui/layBackgroundAwareTreeStyle.cc | 2 +- src/layui/layui/layBackgroundAwareTreeStyle.h | 2 +- src/layui/layui/layBookmarkManagementForm.cc | 2 +- src/layui/layui/layBookmarkManagementForm.h | 2 +- src/layui/layui/layBookmarksView.cc | 2 +- src/layui/layui/layBookmarksView.h | 2 +- src/layui/layui/layBrowseInstancesForm.cc | 2 +- src/layui/layui/layBrowseInstancesForm.h | 2 +- src/layui/layui/layBrowseShapesForm.cc | 2 +- src/layui/layui/layBrowseShapesForm.h | 2 +- src/layui/layui/layBrowser.cc | 2 +- src/layui/layui/layBrowser.h | 2 +- src/layui/layui/layBrowserDialog.cc | 2 +- src/layui/layui/layBrowserDialog.h | 2 +- src/layui/layui/layBrowserPanel.cc | 2 +- src/layui/layui/layBrowserPanel.h | 2 +- src/layui/layui/layBusy.cc | 2 +- src/layui/layui/layBusy.h | 2 +- src/layui/layui/layCellSelectionForm.cc | 2 +- src/layui/layui/layCellSelectionForm.h | 2 +- src/layui/layui/layCellTreeModel.cc | 2 +- src/layui/layui/layCellTreeModel.h | 2 +- src/layui/layui/layConfigurationDialog.cc | 2 +- src/layui/layui/layConfigurationDialog.h | 2 +- src/layui/layui/layDialogs.cc | 2 +- src/layui/layui/layDialogs.h | 2 +- src/layui/layui/layEditLineStyleWidget.cc | 2 +- src/layui/layui/layEditLineStyleWidget.h | 2 +- src/layui/layui/layEditLineStylesForm.cc | 2 +- src/layui/layui/layEditLineStylesForm.h | 2 +- src/layui/layui/layEditStippleWidget.cc | 2 +- src/layui/layui/layEditStippleWidget.h | 2 +- src/layui/layui/layEditStipplesForm.cc | 2 +- src/layui/layui/layEditStipplesForm.h | 2 +- src/layui/layui/layEditorOptionsFrame.cc | 2 +- src/layui/layui/layEditorOptionsFrame.h | 2 +- src/layui/layui/layEditorOptionsPage.cc | 2 +- src/layui/layui/layEditorOptionsPage.h | 2 +- src/layui/layui/layEditorOptionsPages.cc | 2 +- src/layui/layui/layEditorOptionsPages.h | 2 +- src/layui/layui/layFileDialog.cc | 2 +- src/layui/layui/layFileDialog.h | 2 +- src/layui/layui/layGenericSyntaxHighlighter.cc | 2 +- src/layui/layui/layGenericSyntaxHighlighter.h | 2 +- src/layui/layui/layHierarchyControlPanel.cc | 2 +- src/layui/layui/layHierarchyControlPanel.h | 2 +- src/layui/layui/layIndexedNetlistModel.cc | 2 +- src/layui/layui/layIndexedNetlistModel.h | 2 +- src/layui/layui/layItemDelegates.cc | 2 +- src/layui/layui/layItemDelegates.h | 2 +- src/layui/layui/layLayerControlPanel.cc | 2 +- src/layui/layui/layLayerControlPanel.h | 2 +- src/layui/layui/layLayerMappingWidget.cc | 2 +- src/layui/layui/layLayerMappingWidget.h | 2 +- src/layui/layui/layLayerToolbox.cc | 2 +- src/layui/layui/layLayerToolbox.h | 2 +- src/layui/layui/layLayerTreeModel.cc | 2 +- src/layui/layui/layLayerTreeModel.h | 2 +- src/layui/layui/layLayoutPropertiesForm.cc | 2 +- src/layui/layui/layLayoutPropertiesForm.h | 2 +- src/layui/layui/layLayoutStatisticsForm.cc | 2 +- src/layui/layui/layLayoutStatisticsForm.h | 2 +- src/layui/layui/layLayoutViewConfigPages.cc | 2 +- src/layui/layui/layLayoutViewConfigPages.h | 2 +- src/layui/layui/layLayoutViewFunctions.cc | 2 +- src/layui/layui/layLayoutViewFunctions.h | 2 +- src/layui/layui/layLibrariesView.cc | 2 +- src/layui/layui/layLibrariesView.h | 2 +- src/layui/layui/layLoadLayoutOptionsDialog.cc | 2 +- src/layui/layui/layLoadLayoutOptionsDialog.h | 2 +- src/layui/layui/layNetExportDialog.cc | 2 +- src/layui/layui/layNetExportDialog.h | 2 +- src/layui/layui/layNetInfoDialog.cc | 2 +- src/layui/layui/layNetInfoDialog.h | 2 +- src/layui/layui/layNetlistBrowser.cc | 2 +- src/layui/layui/layNetlistBrowser.h | 2 +- src/layui/layui/layNetlistBrowserDialog.cc | 2 +- src/layui/layui/layNetlistBrowserDialog.h | 2 +- src/layui/layui/layNetlistBrowserModel.cc | 2 +- src/layui/layui/layNetlistBrowserModel.h | 2 +- src/layui/layui/layNetlistBrowserPage.cc | 2 +- src/layui/layui/layNetlistBrowserPage.h | 2 +- src/layui/layui/layNetlistBrowserTreeModel.cc | 2 +- src/layui/layui/layNetlistBrowserTreeModel.h | 2 +- src/layui/layui/layNetlistCrossReferenceModel.cc | 2 +- src/layui/layui/layNetlistCrossReferenceModel.h | 2 +- src/layui/layui/layNetlistLogModel.cc | 2 +- src/layui/layui/layNetlistLogModel.h | 2 +- src/layui/layui/layPropertiesDialog.cc | 2 +- src/layui/layui/layPropertiesDialog.h | 2 +- src/layui/layui/layQtTools.cc | 2 +- src/layui/layui/layQtTools.h | 2 +- src/layui/layui/laySaveLayoutOptionsDialog.cc | 2 +- src/layui/layui/laySaveLayoutOptionsDialog.h | 2 +- src/layui/layui/laySelectCellViewForm.cc | 2 +- src/layui/layui/laySelectCellViewForm.h | 2 +- src/layui/layui/laySelectLineStyleForm.cc | 2 +- src/layui/layui/laySelectLineStyleForm.h | 2 +- src/layui/layui/laySelectStippleForm.cc | 2 +- src/layui/layui/laySelectStippleForm.h | 2 +- src/layui/layui/layTechnology.cc | 2 +- src/layui/layui/layTechnology.h | 2 +- src/layui/layui/layTipDialog.cc | 2 +- src/layui/layui/layTipDialog.h | 2 +- src/layui/layui/layWidgets.cc | 2 +- src/layui/layui/layWidgets.h | 2 +- src/layui/layui/layuiCommon.h | 2 +- src/layui/layui/layuiForceLink.cc | 2 +- src/layui/layui/layuiForceLink.h | 2 +- src/layui/layui/rdbInfoWidget.cc | 2 +- src/layui/layui/rdbInfoWidget.h | 2 +- src/layui/layui/rdbMarkerBrowser.cc | 2 +- src/layui/layui/rdbMarkerBrowser.h | 2 +- src/layui/layui/rdbMarkerBrowserDialog.cc | 2 +- src/layui/layui/rdbMarkerBrowserDialog.h | 2 +- src/layui/layui/rdbMarkerBrowserPage.cc | 2 +- src/layui/layui/rdbMarkerBrowserPage.h | 2 +- src/layui/unit_tests/layNetlistBrowserModelTests.cc | 2 +- src/layui/unit_tests/layNetlistBrowserTreeModelTests.cc | 2 +- src/layview/layview/gsiDeclLayAdditional.cc | 2 +- src/layview/layview/gsiDeclLayLayoutView_noqt.cc | 2 +- src/layview/layview/gsiDeclLayLayoutView_qt.cc | 2 +- src/layview/layview/layGridNet.cc | 2 +- src/layview/layview/layGridNet.h | 2 +- src/layview/layview/layGridNetConfigPage.cc | 2 +- src/layview/layview/layGridNetConfigPage.h | 2 +- src/layview/layview/layLayoutView.h | 2 +- src/layview/layview/layLayoutView_noqt.cc | 2 +- src/layview/layview/layLayoutView_noqt.h | 2 +- src/layview/layview/layLayoutView_qt.cc | 2 +- src/layview/layview/layLayoutView_qt.h | 2 +- src/layview/layview/layviewCommon.h | 2 +- src/layview/layview/layviewForceLink.cc | 2 +- src/layview/layview/layviewForceLink.h | 2 +- src/layview/unit_tests/layLayoutViewTests.cc | 2 +- src/lib/lib/libBasic.cc | 2 +- src/lib/lib/libBasicArc.cc | 2 +- src/lib/lib/libBasicArc.h | 2 +- src/lib/lib/libBasicCircle.cc | 2 +- src/lib/lib/libBasicCircle.h | 2 +- src/lib/lib/libBasicDonut.cc | 2 +- src/lib/lib/libBasicDonut.h | 2 +- src/lib/lib/libBasicEllipse.cc | 2 +- src/lib/lib/libBasicEllipse.h | 2 +- src/lib/lib/libBasicPie.cc | 2 +- src/lib/lib/libBasicPie.h | 2 +- src/lib/lib/libBasicRoundPath.cc | 2 +- src/lib/lib/libBasicRoundPath.h | 2 +- src/lib/lib/libBasicRoundPolygon.cc | 2 +- src/lib/lib/libBasicRoundPolygon.h | 2 +- src/lib/lib/libBasicStrokedPolygon.cc | 2 +- src/lib/lib/libBasicStrokedPolygon.h | 2 +- src/lib/lib/libBasicText.cc | 2 +- src/lib/lib/libBasicText.h | 2 +- src/lib/lib/libCommon.h | 2 +- src/lib/lib/libForceLink.cc | 2 +- src/lib/lib/libForceLink.h | 2 +- src/lib/unit_tests/libBasicTests.cc | 2 +- src/lvs/lvs/lvsCommon.h | 2 +- src/lvs/lvs/lvsForceLink.cc | 2 +- src/lvs/lvs/lvsForceLink.h | 2 +- src/lvs/unit_tests/lvsBasicTests.cc | 2 +- src/lvs/unit_tests/lvsSimpleTests.cc | 2 +- src/lvs/unit_tests/lvsTests.cc | 2 +- src/lym/lym/gsiDeclLymMacro.cc | 2 +- src/lym/lym/lymCommon.h | 2 +- src/lym/lym/lymForceLink.cc | 2 +- src/lym/lym/lymForceLink.h | 2 +- src/lym/lym/lymMacro.cc | 2 +- src/lym/lym/lymMacro.h | 2 +- src/lym/lym/lymMacroCollection.cc | 2 +- src/lym/lym/lymMacroCollection.h | 2 +- src/lym/lym/lymMacroInterpreter.cc | 2 +- src/lym/lym/lymMacroInterpreter.h | 2 +- src/plugins/common/dbPluginCommon.h | 2 +- src/plugins/common/layPluginCommon.h | 2 +- src/plugins/streamers/cif/db_plugin/dbCIF.cc | 2 +- src/plugins/streamers/cif/db_plugin/dbCIF.h | 2 +- src/plugins/streamers/cif/db_plugin/dbCIFFormat.h | 2 +- src/plugins/streamers/cif/db_plugin/dbCIFReader.cc | 2 +- src/plugins/streamers/cif/db_plugin/dbCIFReader.h | 2 +- src/plugins/streamers/cif/db_plugin/dbCIFWriter.cc | 2 +- src/plugins/streamers/cif/db_plugin/dbCIFWriter.h | 2 +- src/plugins/streamers/cif/db_plugin/gsiDeclDbCIF.cc | 2 +- src/plugins/streamers/cif/lay_plugin/layCIFReaderPlugin.cc | 2 +- src/plugins/streamers/cif/lay_plugin/layCIFReaderPlugin.h | 2 +- src/plugins/streamers/cif/lay_plugin/layCIFWriterPlugin.cc | 2 +- src/plugins/streamers/cif/lay_plugin/layCIFWriterPlugin.h | 2 +- src/plugins/streamers/cif/unit_tests/dbCIFReader.cc | 2 +- .../streamers/common/lay_plugin/layCommonReaderPlugin.cc | 2 +- .../streamers/common/lay_plugin/layCommonReaderPlugin.h | 2 +- src/plugins/streamers/dxf/db_plugin/dbDXF.cc | 2 +- src/plugins/streamers/dxf/db_plugin/dbDXF.h | 2 +- src/plugins/streamers/dxf/db_plugin/dbDXFFormat.h | 2 +- src/plugins/streamers/dxf/db_plugin/dbDXFReader.cc | 2 +- src/plugins/streamers/dxf/db_plugin/dbDXFReader.h | 2 +- src/plugins/streamers/dxf/db_plugin/dbDXFWriter.cc | 2 +- src/plugins/streamers/dxf/db_plugin/dbDXFWriter.h | 2 +- src/plugins/streamers/dxf/db_plugin/gsiDeclDbDXF.cc | 2 +- src/plugins/streamers/dxf/lay_plugin/layDXFReaderPlugin.cc | 2 +- src/plugins/streamers/dxf/lay_plugin/layDXFReaderPlugin.h | 2 +- src/plugins/streamers/dxf/lay_plugin/layDXFWriterPlugin.cc | 2 +- src/plugins/streamers/dxf/lay_plugin/layDXFWriterPlugin.h | 2 +- src/plugins/streamers/dxf/unit_tests/dbDXFReaderTests.cc | 2 +- src/plugins/streamers/dxf/unit_tests/dbDXFWriterTests.cc | 2 +- .../streamers/gds2/db_plugin/contrib/dbGDS2Converter.cc | 2 +- .../streamers/gds2/db_plugin/contrib/dbGDS2Converter.h | 2 +- src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2Text.cc | 2 +- .../streamers/gds2/db_plugin/contrib/dbGDS2TextReader.cc | 2 +- .../streamers/gds2/db_plugin/contrib/dbGDS2TextReader.h | 2 +- .../streamers/gds2/db_plugin/contrib/dbGDS2TextWriter.cc | 2 +- .../streamers/gds2/db_plugin/contrib/dbGDS2TextWriter.h | 2 +- src/plugins/streamers/gds2/db_plugin/dbGDS2.cc | 2 +- src/plugins/streamers/gds2/db_plugin/dbGDS2.h | 2 +- src/plugins/streamers/gds2/db_plugin/dbGDS2Format.h | 2 +- src/plugins/streamers/gds2/db_plugin/dbGDS2Reader.cc | 2 +- src/plugins/streamers/gds2/db_plugin/dbGDS2Reader.h | 2 +- src/plugins/streamers/gds2/db_plugin/dbGDS2ReaderBase.cc | 2 +- src/plugins/streamers/gds2/db_plugin/dbGDS2ReaderBase.h | 2 +- src/plugins/streamers/gds2/db_plugin/dbGDS2Writer.cc | 2 +- src/plugins/streamers/gds2/db_plugin/dbGDS2Writer.h | 2 +- src/plugins/streamers/gds2/db_plugin/dbGDS2WriterBase.cc | 2 +- src/plugins/streamers/gds2/db_plugin/dbGDS2WriterBase.h | 2 +- src/plugins/streamers/gds2/db_plugin/gsiDeclDbGDS2.cc | 2 +- .../streamers/gds2/lay_plugin/layGDS2ReaderPlugin.cc | 2 +- src/plugins/streamers/gds2/lay_plugin/layGDS2ReaderPlugin.h | 2 +- .../streamers/gds2/lay_plugin/layGDS2WriterPlugin.cc | 2 +- src/plugins/streamers/gds2/lay_plugin/layGDS2WriterPlugin.h | 2 +- src/plugins/streamers/gds2/unit_tests/dbGDS2Reader.cc | 2 +- src/plugins/streamers/gds2/unit_tests/dbGDS2Writer.cc | 2 +- src/plugins/streamers/lefdef/db_plugin/dbDEFImporter.cc | 2 +- src/plugins/streamers/lefdef/db_plugin/dbDEFImporter.h | 2 +- src/plugins/streamers/lefdef/db_plugin/dbLEFDEFImporter.cc | 2 +- src/plugins/streamers/lefdef/db_plugin/dbLEFDEFImporter.h | 2 +- src/plugins/streamers/lefdef/db_plugin/dbLEFDEFPlugin.cc | 2 +- src/plugins/streamers/lefdef/db_plugin/dbLEFImporter.cc | 2 +- src/plugins/streamers/lefdef/db_plugin/dbLEFImporter.h | 2 +- src/plugins/streamers/lefdef/db_plugin/gsiDeclDbLEFDEF.cc | 2 +- src/plugins/streamers/lefdef/lay_plugin/layLEFDEFImport.cc | 2 +- .../streamers/lefdef/lay_plugin/layLEFDEFImportDialogs.cc | 2 +- .../streamers/lefdef/lay_plugin/layLEFDEFImportDialogs.h | 2 +- src/plugins/streamers/lefdef/lay_plugin/layLEFDEFPlugin.cc | 2 +- .../streamers/lefdef/unit_tests/dbLEFDEFImportTests.cc | 2 +- .../lefdef/unit_tests/dbLEFDEFReaderOptionsTests.cc | 2 +- src/plugins/streamers/magic/db_plugin/dbMAG.cc | 2 +- src/plugins/streamers/magic/db_plugin/dbMAG.h | 2 +- src/plugins/streamers/magic/db_plugin/dbMAGFormat.h | 2 +- src/plugins/streamers/magic/db_plugin/dbMAGReader.cc | 2 +- src/plugins/streamers/magic/db_plugin/dbMAGReader.h | 2 +- src/plugins/streamers/magic/db_plugin/dbMAGWriter.cc | 2 +- src/plugins/streamers/magic/db_plugin/dbMAGWriter.h | 2 +- src/plugins/streamers/magic/db_plugin/gsiDeclDbMAG.cc | 2 +- .../streamers/magic/lay_plugin/layMAGReaderPlugin.cc | 2 +- src/plugins/streamers/magic/lay_plugin/layMAGReaderPlugin.h | 2 +- .../streamers/magic/lay_plugin/layMAGWriterPlugin.cc | 2 +- src/plugins/streamers/magic/lay_plugin/layMAGWriterPlugin.h | 2 +- src/plugins/streamers/magic/unit_tests/dbMAGReader.cc | 2 +- src/plugins/streamers/oasis/db_plugin/dbOASIS.cc | 2 +- src/plugins/streamers/oasis/db_plugin/dbOASIS.h | 2 +- src/plugins/streamers/oasis/db_plugin/dbOASISFormat.h | 2 +- src/plugins/streamers/oasis/db_plugin/dbOASISReader.cc | 2 +- src/plugins/streamers/oasis/db_plugin/dbOASISReader.h | 2 +- src/plugins/streamers/oasis/db_plugin/dbOASISWriter.cc | 2 +- src/plugins/streamers/oasis/db_plugin/dbOASISWriter.h | 2 +- src/plugins/streamers/oasis/db_plugin/gsiDeclDbOASIS.cc | 2 +- .../streamers/oasis/lay_plugin/layOASISReaderPlugin.cc | 2 +- .../streamers/oasis/lay_plugin/layOASISReaderPlugin.h | 2 +- .../streamers/oasis/lay_plugin/layOASISWriterPlugin.cc | 2 +- .../streamers/oasis/lay_plugin/layOASISWriterPlugin.h | 2 +- .../streamers/oasis/unit_tests/dbOASISReaderTests.cc | 2 +- .../streamers/oasis/unit_tests/dbOASISWriter2Tests.cc | 2 +- .../streamers/oasis/unit_tests/dbOASISWriterTests.cc | 2 +- .../streamers/pcb/db_plugin/dbGerberDrillFileReader.cc | 2 +- .../streamers/pcb/db_plugin/dbGerberDrillFileReader.h | 2 +- src/plugins/streamers/pcb/db_plugin/dbGerberImportData.cc | 2 +- src/plugins/streamers/pcb/db_plugin/dbGerberImportData.h | 2 +- src/plugins/streamers/pcb/db_plugin/dbGerberImporter.cc | 2 +- src/plugins/streamers/pcb/db_plugin/dbGerberImporter.h | 2 +- src/plugins/streamers/pcb/db_plugin/dbRS274XApertures.cc | 2 +- src/plugins/streamers/pcb/db_plugin/dbRS274XApertures.h | 2 +- src/plugins/streamers/pcb/db_plugin/dbRS274XReader.cc | 2 +- src/plugins/streamers/pcb/db_plugin/dbRS274XReader.h | 2 +- src/plugins/streamers/pcb/lay_plugin/layGerberImport.cc | 2 +- .../streamers/pcb/lay_plugin/layGerberImportDialog.cc | 2 +- .../streamers/pcb/lay_plugin/layGerberImportDialog.h | 2 +- src/plugins/streamers/pcb/unit_tests/dbGerberImport.cc | 2 +- .../tools/bool/lay_plugin/layBooleanOperationsDialogs.cc | 2 +- .../tools/bool/lay_plugin/layBooleanOperationsDialogs.h | 2 +- .../tools/bool/lay_plugin/layBooleanOperationsPlugin.cc | 2 +- src/plugins/tools/diff/lay_plugin/layDiffPlugin.cc | 2 +- src/plugins/tools/diff/lay_plugin/layDiffToolDialog.cc | 2 +- src/plugins/tools/diff/lay_plugin/layDiffToolDialog.h | 2 +- src/plugins/tools/import/lay_plugin/layStreamImport.cc | 2 +- .../tools/import/lay_plugin/layStreamImportDialog.cc | 2 +- src/plugins/tools/import/lay_plugin/layStreamImportDialog.h | 2 +- src/plugins/tools/import/lay_plugin/layStreamImporter.cc | 2 +- src/plugins/tools/import/lay_plugin/layStreamImporter.h | 2 +- src/plugins/tools/net_tracer/db_plugin/dbNetTracer.cc | 2 +- src/plugins/tools/net_tracer/db_plugin/dbNetTracer.h | 2 +- src/plugins/tools/net_tracer/db_plugin/dbNetTracerIO.cc | 2 +- src/plugins/tools/net_tracer/db_plugin/dbNetTracerIO.h | 2 +- src/plugins/tools/net_tracer/db_plugin/dbNetTracerPlugin.cc | 2 +- .../tools/net_tracer/db_plugin/gsiDeclDbNetTracer.cc | 2 +- .../tools/net_tracer/lay_plugin/layNetTracerConfig.cc | 2 +- .../tools/net_tracer/lay_plugin/layNetTracerConfig.h | 2 +- .../net_tracer/lay_plugin/layNetTracerConnectivityEditor.cc | 2 +- .../net_tracer/lay_plugin/layNetTracerConnectivityEditor.h | 2 +- .../tools/net_tracer/lay_plugin/layNetTracerDialog.cc | 2 +- .../tools/net_tracer/lay_plugin/layNetTracerDialog.h | 2 +- .../tools/net_tracer/lay_plugin/layNetTracerPlugin.cc | 2 +- .../lay_plugin/layNetTracerTechComponentEditor.cc | 2 +- .../net_tracer/lay_plugin/layNetTracerTechComponentEditor.h | 2 +- src/plugins/tools/net_tracer/unit_tests/dbNetTracerTests.cc | 2 +- src/plugins/tools/net_tracer/unit_tests/dbTraceAllNets.cc | 2 +- src/plugins/tools/view_25d/lay_plugin/gsiDeclLayD25View.cc | 2 +- src/plugins/tools/view_25d/lay_plugin/layD25Camera.cc | 2 +- src/plugins/tools/view_25d/lay_plugin/layD25Camera.h | 2 +- src/plugins/tools/view_25d/lay_plugin/layD25MemChunks.cc | 2 +- src/plugins/tools/view_25d/lay_plugin/layD25MemChunks.h | 2 +- src/plugins/tools/view_25d/lay_plugin/layD25Plugin.cc | 2 +- src/plugins/tools/view_25d/lay_plugin/layD25View.cc | 2 +- src/plugins/tools/view_25d/lay_plugin/layD25View.h | 2 +- src/plugins/tools/view_25d/lay_plugin/layD25ViewUtils.cc | 2 +- src/plugins/tools/view_25d/lay_plugin/layD25ViewUtils.h | 2 +- src/plugins/tools/view_25d/lay_plugin/layD25ViewWidget.cc | 2 +- src/plugins/tools/view_25d/lay_plugin/layD25ViewWidget.h | 2 +- src/plugins/tools/view_25d/lay_plugin/layXORPlugin.cc | 2 +- src/plugins/tools/view_25d/unit_tests/layD25CameraTests.cc | 2 +- .../tools/view_25d/unit_tests/layD25MemChunksTests.cc | 2 +- .../tools/view_25d/unit_tests/layD25ViewUtilsTests.cc | 2 +- src/plugins/tools/xor/lay_plugin/layXORPlugin.cc | 2 +- src/plugins/tools/xor/lay_plugin/layXORProgress.cc | 2 +- src/plugins/tools/xor/lay_plugin/layXORProgress.h | 2 +- src/plugins/tools/xor/lay_plugin/layXORToolDialog.cc | 2 +- src/plugins/tools/xor/lay_plugin/layXORToolDialog.h | 2 +- src/pya/pya/gsiDeclPya.cc | 2 +- src/pya/pya/pya.cc | 2 +- src/pya/pya/pya.h | 2 +- src/pya/pya/pyaCallables.cc | 2 +- src/pya/pya/pyaCallables.h | 2 +- src/pya/pya/pyaCommon.h | 2 +- src/pya/pya/pyaConvert.cc | 2 +- src/pya/pya/pyaConvert.h | 2 +- src/pya/pya/pyaHelpers.cc | 2 +- src/pya/pya/pyaHelpers.h | 2 +- src/pya/pya/pyaInspector.cc | 2 +- src/pya/pya/pyaInspector.h | 2 +- src/pya/pya/pyaInternal.cc | 2 +- src/pya/pya/pyaInternal.h | 2 +- src/pya/pya/pyaMarshal.cc | 2 +- src/pya/pya/pyaMarshal.h | 2 +- src/pya/pya/pyaModule.cc | 2 +- src/pya/pya/pyaModule.h | 2 +- src/pya/pya/pyaObject.cc | 2 +- src/pya/pya/pyaObject.h | 2 +- src/pya/pya/pyaRefs.cc | 2 +- src/pya/pya/pyaRefs.h | 2 +- src/pya/pya/pyaSignalHandler.cc | 2 +- src/pya/pya/pyaSignalHandler.h | 2 +- src/pya/pya/pyaStatusChangedListener.cc | 2 +- src/pya/pya/pyaStatusChangedListener.h | 2 +- src/pya/pya/pyaUtils.cc | 2 +- src/pya/pya/pyaUtils.h | 2 +- src/pya/unit_tests/pyaTests.cc | 2 +- src/pyastub/pya.cc | 2 +- src/pyastub/pya.h | 2 +- src/pyastub/pyaCommon.h | 2 +- src/pymod/QtCore/QtCoreMain.cc | 2 +- src/pymod/QtCore/QtCoreMain.h | 2 +- src/pymod/QtCore5Compat/QtCore5CompatMain.cc | 2 +- src/pymod/QtCore5Compat/QtCore5CompatMain.h | 2 +- src/pymod/QtDesigner/QtDesignerMain.cc | 2 +- src/pymod/QtDesigner/QtDesignerMain.h | 2 +- src/pymod/QtGui/QtGuiMain.cc | 2 +- src/pymod/QtGui/QtGuiMain.h | 2 +- src/pymod/QtMultimedia/QtMultimediaMain.cc | 2 +- src/pymod/QtMultimedia/QtMultimediaMain.h | 2 +- src/pymod/QtNetwork/QtNetworkMain.cc | 2 +- src/pymod/QtNetwork/QtNetworkMain.h | 2 +- src/pymod/QtPrintSupport/QtPrintSupportMain.cc | 2 +- src/pymod/QtPrintSupport/QtPrintSupportMain.h | 2 +- src/pymod/QtSql/QtSqlMain.cc | 2 +- src/pymod/QtSql/QtSqlMain.h | 2 +- src/pymod/QtSvg/QtSvgMain.cc | 2 +- src/pymod/QtSvg/QtSvgMain.h | 2 +- src/pymod/QtUiTools/QtUiToolsMain.cc | 2 +- src/pymod/QtUiTools/QtUiToolsMain.h | 2 +- src/pymod/QtWidgets/QtWidgetsMain.cc | 2 +- src/pymod/QtWidgets/QtWidgetsMain.h | 2 +- src/pymod/QtXml/QtXmlMain.cc | 2 +- src/pymod/QtXml/QtXmlMain.h | 2 +- src/pymod/QtXmlPatterns/QtXmlPatternsMain.cc | 2 +- src/pymod/QtXmlPatterns/QtXmlPatternsMain.h | 2 +- src/pymod/ant/antMain.cc | 2 +- src/pymod/ant/antMain.h | 2 +- src/pymod/bridge_sample/bridge_sample.cc | 2 +- src/pymod/db/dbMain.cc | 2 +- src/pymod/db/dbMain.h | 2 +- src/pymod/edt/edtMain.cc | 2 +- src/pymod/edt/edtMain.h | 2 +- src/pymod/img/imgMain.cc | 2 +- src/pymod/img/imgMain.h | 2 +- src/pymod/lay/layMain.cc | 2 +- src/pymod/lay/layMain.h | 2 +- src/pymod/lib/libMain.cc | 2 +- src/pymod/lib/libMain.h | 2 +- src/pymod/lym/lymMain.cc | 2 +- src/pymod/lym/lymMain.h | 2 +- src/pymod/pya/pyaMain.cc | 2 +- src/pymod/pymodHelper.h | 2 +- src/pymod/rdb/rdbMain.cc | 2 +- src/pymod/rdb/rdbMain.h | 2 +- src/pymod/tl/tlMain.cc | 2 +- src/pymod/unit_tests/pymod_tests.cc | 2 +- src/rba/rba/rba.cc | 2 +- src/rba/rba/rba.h | 2 +- src/rba/rba/rbaCommon.h | 2 +- src/rba/rba/rbaConvert.cc | 2 +- src/rba/rba/rbaConvert.h | 2 +- src/rba/rba/rbaInspector.cc | 2 +- src/rba/rba/rbaInspector.h | 2 +- src/rba/rba/rbaInternal.cc | 2 +- src/rba/rba/rbaInternal.h | 2 +- src/rba/rba/rbaMarshal.cc | 2 +- src/rba/rba/rbaMarshal.h | 2 +- src/rba/rba/rbaUtils.cc | 2 +- src/rba/rba/rbaUtils.h | 2 +- src/rba/unit_tests/rbaTests.cc | 2 +- src/rbastub/rba.cc | 2 +- src/rbastub/rba.h | 2 +- src/rbastub/rbaCommon.h | 2 +- src/rdb/rdb/gsiDeclRdb.cc | 2 +- src/rdb/rdb/rdb.cc | 2 +- src/rdb/rdb/rdb.h | 2 +- src/rdb/rdb/rdbCommon.h | 2 +- src/rdb/rdb/rdbFile.cc | 2 +- src/rdb/rdb/rdbForceLink.cc | 2 +- src/rdb/rdb/rdbForceLink.h | 2 +- src/rdb/rdb/rdbRVEReader.cc | 2 +- src/rdb/rdb/rdbReader.cc | 2 +- src/rdb/rdb/rdbReader.h | 2 +- src/rdb/rdb/rdbTiledRdbOutputReceiver.cc | 2 +- src/rdb/rdb/rdbTiledRdbOutputReceiver.h | 2 +- src/rdb/rdb/rdbUtils.cc | 2 +- src/rdb/rdb/rdbUtils.h | 2 +- src/rdb/unit_tests/rdbRVEReaderTests.cc | 2 +- src/rdb/unit_tests/rdbTests.cc | 2 +- src/tl/tl/tlArch.cc | 2 +- src/tl/tl/tlArch.h | 2 +- src/tl/tl/tlAssert.cc | 2 +- src/tl/tl/tlAssert.h | 2 +- src/tl/tl/tlBase64.cc | 2 +- src/tl/tl/tlBase64.h | 2 +- src/tl/tl/tlClassRegistry.cc | 2 +- src/tl/tl/tlClassRegistry.h | 2 +- src/tl/tl/tlColor.cc | 2 +- src/tl/tl/tlColor.h | 2 +- src/tl/tl/tlCommandLineParser.cc | 2 +- src/tl/tl/tlCommandLineParser.h | 2 +- src/tl/tl/tlCommon.h | 2 +- src/tl/tl/tlCopyOnWrite.cc | 2 +- src/tl/tl/tlCopyOnWrite.h | 2 +- src/tl/tl/tlCpp.h | 2 +- src/tl/tl/tlDataMapping.cc | 2 +- src/tl/tl/tlDataMapping.h | 2 +- src/tl/tl/tlDeferredExecution.cc | 2 +- src/tl/tl/tlDeferredExecution.h | 2 +- src/tl/tl/tlDeferredExecutionQt.cc | 2 +- src/tl/tl/tlDeferredExecutionQt.h | 2 +- src/tl/tl/tlDeflate.cc | 2 +- src/tl/tl/tlDeflate.h | 2 +- src/tl/tl/tlDefs.h | 2 +- src/tl/tl/tlEnv.cc | 2 +- src/tl/tl/tlEnv.h | 2 +- src/tl/tl/tlEquivalenceClusters.cc | 2 +- src/tl/tl/tlEquivalenceClusters.h | 2 +- src/tl/tl/tlEvents.cc | 2 +- src/tl/tl/tlEvents.h | 2 +- src/tl/tl/tlEventsVar.h | 2 +- src/tl/tl/tlException.cc | 2 +- src/tl/tl/tlException.h | 2 +- src/tl/tl/tlExceptions.cc | 2 +- src/tl/tl/tlExceptions.h | 2 +- src/tl/tl/tlExpression.cc | 2 +- src/tl/tl/tlExpression.h | 2 +- src/tl/tl/tlFileSystemWatcher.cc | 2 +- src/tl/tl/tlFileSystemWatcher.h | 2 +- src/tl/tl/tlFileUtils.cc | 2 +- src/tl/tl/tlFileUtils.h | 2 +- src/tl/tl/tlFixedVector.h | 2 +- src/tl/tl/tlGit.cc | 2 +- src/tl/tl/tlGit.h | 2 +- src/tl/tl/tlGlobPattern.cc | 2 +- src/tl/tl/tlGlobPattern.h | 2 +- src/tl/tl/tlHeap.cc | 2 +- src/tl/tl/tlHeap.h | 2 +- src/tl/tl/tlHttpStream.cc | 2 +- src/tl/tl/tlHttpStream.h | 2 +- src/tl/tl/tlHttpStreamCurl.cc | 2 +- src/tl/tl/tlHttpStreamCurl.h | 2 +- src/tl/tl/tlHttpStreamNoQt.cc | 2 +- src/tl/tl/tlHttpStreamQt.cc | 2 +- src/tl/tl/tlHttpStreamQt.h | 2 +- src/tl/tl/tlInclude.cc | 2 +- src/tl/tl/tlInclude.h | 2 +- src/tl/tl/tlInt128Support.cc | 2 +- src/tl/tl/tlInt128Support.h | 2 +- src/tl/tl/tlInternational.cc | 2 +- src/tl/tl/tlInternational.h | 2 +- src/tl/tl/tlIntervalMap.h | 2 +- src/tl/tl/tlIntervalSet.h | 2 +- src/tl/tl/tlIteratorUtils.h | 2 +- src/tl/tl/tlKDTree.h | 2 +- src/tl/tl/tlList.cc | 2 +- src/tl/tl/tlList.h | 2 +- src/tl/tl/tlLog.cc | 2 +- src/tl/tl/tlLog.h | 2 +- src/tl/tl/tlLongInt.cc | 2 +- src/tl/tl/tlLongInt.h | 2 +- src/tl/tl/tlMath.h | 2 +- src/tl/tl/tlObject.cc | 2 +- src/tl/tl/tlObject.h | 2 +- src/tl/tl/tlObjectCollection.h | 2 +- src/tl/tl/tlPixelBuffer.cc | 2 +- src/tl/tl/tlPixelBuffer.h | 2 +- src/tl/tl/tlProgress.cc | 2 +- src/tl/tl/tlProgress.h | 2 +- src/tl/tl/tlRecipe.cc | 2 +- src/tl/tl/tlRecipe.h | 2 +- src/tl/tl/tlResources.cc | 2 +- src/tl/tl/tlResources.h | 2 +- src/tl/tl/tlReuseVector.h | 2 +- src/tl/tl/tlSList.cc | 2 +- src/tl/tl/tlSList.h | 2 +- src/tl/tl/tlScriptError.cc | 2 +- src/tl/tl/tlScriptError.h | 2 +- src/tl/tl/tlSelect.h | 2 +- src/tl/tl/tlSleep.cc | 2 +- src/tl/tl/tlSleep.h | 2 +- src/tl/tl/tlStableVector.h | 2 +- src/tl/tl/tlStaticObjects.cc | 2 +- src/tl/tl/tlStaticObjects.h | 2 +- src/tl/tl/tlStream.cc | 2 +- src/tl/tl/tlStream.h | 2 +- src/tl/tl/tlString.cc | 2 +- src/tl/tl/tlString.h | 2 +- src/tl/tl/tlStringEx.h | 2 +- src/tl/tl/tlThreadedWorkers.cc | 2 +- src/tl/tl/tlThreadedWorkers.h | 2 +- src/tl/tl/tlThreads.cc | 2 +- src/tl/tl/tlThreads.h | 2 +- src/tl/tl/tlTimer.cc | 2 +- src/tl/tl/tlTimer.h | 2 +- src/tl/tl/tlTypeTraits.h | 2 +- src/tl/tl/tlUniqueId.cc | 2 +- src/tl/tl/tlUniqueId.h | 2 +- src/tl/tl/tlUniqueName.cc | 2 +- src/tl/tl/tlUniqueName.h | 2 +- src/tl/tl/tlUnitTest.cc | 2 +- src/tl/tl/tlUnitTest.h | 2 +- src/tl/tl/tlUri.cc | 2 +- src/tl/tl/tlUri.h | 2 +- src/tl/tl/tlUtils.h | 2 +- src/tl/tl/tlVariant.cc | 2 +- src/tl/tl/tlVariant.h | 2 +- src/tl/tl/tlVariantUserClasses.h | 2 +- src/tl/tl/tlVector.cc | 2 +- src/tl/tl/tlVector.h | 2 +- src/tl/tl/tlWebDAV.cc | 2 +- src/tl/tl/tlWebDAV.h | 2 +- src/tl/tl/tlXMLParser.cc | 2 +- src/tl/tl/tlXMLParser.h | 2 +- src/tl/tl/tlXMLWriter.cc | 2 +- src/tl/tl/tlXMLWriter.h | 2 +- src/tl/unit_tests/tlAlgorithmTests.cc | 2 +- src/tl/unit_tests/tlBase64Tests.cc | 2 +- src/tl/unit_tests/tlClassRegistryTests.cc | 2 +- src/tl/unit_tests/tlColorTests.cc | 2 +- src/tl/unit_tests/tlCommandLineParserTests.cc | 2 +- src/tl/unit_tests/tlCopyOnWriteTests.cc | 2 +- src/tl/unit_tests/tlDataMappingTests.cc | 2 +- src/tl/unit_tests/tlDeferredExecutionTests.cc | 2 +- src/tl/unit_tests/tlDeflateTests.cc | 2 +- src/tl/unit_tests/tlEnvTests.cc | 2 +- src/tl/unit_tests/tlEquivalenceClustersTests.cc | 2 +- src/tl/unit_tests/tlEventsTests.cc | 2 +- src/tl/unit_tests/tlExpressionTests.cc | 2 +- src/tl/unit_tests/tlFileSystemWatcherTests.cc | 2 +- src/tl/unit_tests/tlFileUtilsTests.cc | 2 +- src/tl/unit_tests/tlGitTests.cc | 2 +- src/tl/unit_tests/tlGlobPatternTests.cc | 2 +- src/tl/unit_tests/tlHttpStreamTests.cc | 2 +- src/tl/unit_tests/tlIncludeTests.cc | 2 +- src/tl/unit_tests/tlInt128SupportTests.cc | 2 +- src/tl/unit_tests/tlIntervalMapTests.cc | 2 +- src/tl/unit_tests/tlIntervalSetTests.cc | 2 +- src/tl/unit_tests/tlKDTreeTests.cc | 2 +- src/tl/unit_tests/tlListTests.cc | 2 +- src/tl/unit_tests/tlLongIntTests.cc | 2 +- src/tl/unit_tests/tlMathTests.cc | 2 +- src/tl/unit_tests/tlObjectTests.cc | 2 +- src/tl/unit_tests/tlPixelBufferTests.cc | 2 +- src/tl/unit_tests/tlRecipeTests.cc | 2 +- src/tl/unit_tests/tlResourcesTests.cc | 2 +- src/tl/unit_tests/tlReuseVectorTests.cc | 2 +- src/tl/unit_tests/tlSListTests.cc | 2 +- src/tl/unit_tests/tlStableVectorTests.cc | 2 +- src/tl/unit_tests/tlStreamTests.cc | 2 +- src/tl/unit_tests/tlStringTests.cc | 2 +- src/tl/unit_tests/tlThreadedWorkersTests.cc | 2 +- src/tl/unit_tests/tlThreadsTests.cc | 2 +- src/tl/unit_tests/tlUniqueIdTests.cc | 2 +- src/tl/unit_tests/tlUniqueNameTests.cc | 2 +- src/tl/unit_tests/tlUriTests.cc | 2 +- src/tl/unit_tests/tlUtilsTests.cc | 2 +- src/tl/unit_tests/tlVariantTests.cc | 2 +- src/tl/unit_tests/tlWebDAVTests.cc | 2 +- src/tl/unit_tests/tlXMLParserTests.cc | 2 +- src/unit_tests/unit_test_main.cc | 2 +- src/unit_tests/utTestConsole.cc | 2 +- src/unit_tests/utTestConsole.h | 2 +- src/version/version.h | 4 ++-- testdata/buddies/buddies.rb | 2 +- testdata/klayout_main/main.rb | 2 +- testdata/pymod/bridge.py | 2 +- testdata/pymod/import_QtCore.py | 2 +- testdata/pymod/import_QtCore5Compat.py | 2 +- testdata/pymod/import_QtDesigner.py | 2 +- testdata/pymod/import_QtGui.py | 2 +- testdata/pymod/import_QtGui_Qt6.py | 2 +- testdata/pymod/import_QtMultimedia.py | 2 +- testdata/pymod/import_QtNetwork.py | 2 +- testdata/pymod/import_QtPrintSupport.py | 2 +- testdata/pymod/import_QtSql.py | 2 +- testdata/pymod/import_QtSvg.py | 2 +- testdata/pymod/import_QtSvg_Qt6.py | 2 +- testdata/pymod/import_QtUiTools.py | 2 +- testdata/pymod/import_QtWidgets.py | 2 +- testdata/pymod/import_QtWidgets_Qt6.py | 2 +- testdata/pymod/import_QtXml.py | 2 +- testdata/pymod/import_QtXmlPatterns.py | 2 +- testdata/pymod/import_db.py | 2 +- testdata/pymod/import_lay.py | 2 +- testdata/pymod/import_lib.py | 2 +- testdata/pymod/import_rdb.py | 2 +- testdata/pymod/import_tl.py | 2 +- testdata/pymod/issue1327.py | 2 +- testdata/pymod/klayout_db_tests.py | 2 +- testdata/python/basic.py | 2 +- testdata/python/dbLayoutTest.py | 2 +- testdata/python/dbLayoutToNetlist.py | 2 +- testdata/python/dbLayoutVsSchematic.py | 2 +- testdata/python/dbNetlistCrossReference.py | 2 +- testdata/python/dbPCells.py | 2 +- testdata/python/dbPolygonTest.py | 2 +- testdata/python/dbReaders.py | 2 +- testdata/python/dbRegionTest.py | 2 +- testdata/python/dbTransTest.py | 2 +- testdata/python/kwargs.py | 2 +- testdata/python/layLayers.py | 2 +- testdata/python/layObjects.py | 2 +- testdata/python/layPixelBuffer.py | 2 +- testdata/python/qtbinding.py | 2 +- testdata/python/tlTest.py | 2 +- testdata/ruby/antTest.rb | 2 +- testdata/ruby/basic.rb | 2 +- testdata/ruby/dbBooleanTest.rb | 2 +- testdata/ruby/dbBoxTest.rb | 2 +- testdata/ruby/dbCellInstArrayTest.rb | 2 +- testdata/ruby/dbCellMapping.rb | 2 +- testdata/ruby/dbCellTests.rb | 2 +- testdata/ruby/dbEdgePairTest.rb | 2 +- testdata/ruby/dbEdgePairsTest.rb | 2 +- testdata/ruby/dbEdgeTest.rb | 2 +- testdata/ruby/dbEdgesTest.rb | 2 +- testdata/ruby/dbGlyphs.rb | 2 +- testdata/ruby/dbInstElementTest.rb | 2 +- testdata/ruby/dbInstanceTest.rb | 2 +- testdata/ruby/dbLayerMapping.rb | 2 +- testdata/ruby/dbLayoutDiff.rb | 2 +- testdata/ruby/dbLayoutQuery.rb | 2 +- testdata/ruby/dbLayoutTests1.rb | 2 +- testdata/ruby/dbLayoutTests2.rb | 2 +- testdata/ruby/dbLayoutToNetlist.rb | 2 +- testdata/ruby/dbLayoutVsSchematic.rb | 2 +- testdata/ruby/dbLibrary.rb | 2 +- testdata/ruby/dbLogTest.rb | 2 +- testdata/ruby/dbMatrix.rb | 2 +- testdata/ruby/dbNetlist.rb | 2 +- testdata/ruby/dbNetlistCrossReference.rb | 2 +- testdata/ruby/dbNetlistDeviceClasses.rb | 2 +- testdata/ruby/dbNetlistDeviceExtractors.rb | 2 +- testdata/ruby/dbNetlistReaderTests.rb | 2 +- testdata/ruby/dbNetlistWriterTests.rb | 2 +- testdata/ruby/dbPCells.rb | 2 +- testdata/ruby/dbPathTest.rb | 2 +- testdata/ruby/dbPointTest.rb | 2 +- testdata/ruby/dbPolygonTest.rb | 2 +- testdata/ruby/dbReaders.rb | 2 +- testdata/ruby/dbRecursiveInstanceIterator.rb | 2 +- testdata/ruby/dbRecursiveShapeIterator.rb | 2 +- testdata/ruby/dbRegionTest.rb | 2 +- testdata/ruby/dbShapesTest.rb | 2 +- testdata/ruby/dbSimplePolygonTest.rb | 2 +- testdata/ruby/dbTechnologies.rb | 2 +- testdata/ruby/dbTextTest.rb | 2 +- testdata/ruby/dbTextsTest.rb | 2 +- testdata/ruby/dbTilingProcessorTest.rb | 2 +- testdata/ruby/dbTransTest.rb | 2 +- testdata/ruby/dbUtilsTests.rb | 2 +- testdata/ruby/dbVectorTest.rb | 2 +- testdata/ruby/edtTest.rb | 2 +- testdata/ruby/extNetTracer.rb | 2 +- testdata/ruby/imgObject.rb | 2 +- testdata/ruby/kwargs.rb | 2 +- testdata/ruby/layLayers.rb | 2 +- testdata/ruby/layLayoutView.rb | 2 +- testdata/ruby/layMacro.rb | 2 +- testdata/ruby/layMarkers.rb | 2 +- testdata/ruby/layMenuTest.rb | 2 +- testdata/ruby/layPixelBuffer.rb | 2 +- testdata/ruby/laySaveLayoutOptions.rb | 2 +- testdata/ruby/laySession.rb | 2 +- testdata/ruby/qtbinding.rb | 2 +- testdata/ruby/rdbTest.rb | 2 +- testdata/ruby/tlTest.rb | 2 +- 3730 files changed, 3733 insertions(+), 3733 deletions(-) diff --git a/build.sh b/build.sh index e6d0d096f6..3ff3e5b516 100755 --- a/build.sh +++ b/build.sh @@ -2,7 +2,7 @@ # # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/scripts/mkqtdecl.sh b/scripts/mkqtdecl.sh index e7cd01d289..04b31f8406 100755 --- a/scripts/mkqtdecl.sh +++ b/scripts/mkqtdecl.sh @@ -21,7 +21,7 @@ # ./scripts/mkqtdecl.sh -h # # -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/scripts/mkqtdecl_common/c++.treetop b/scripts/mkqtdecl_common/c++.treetop index bb68f79bd5..2ae2335e52 100644 --- a/scripts/mkqtdecl_common/c++.treetop +++ b/scripts/mkqtdecl_common/c++.treetop @@ -1,5 +1,5 @@ # -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/scripts/mkqtdecl_common/cpp_classes.rb b/scripts/mkqtdecl_common/cpp_classes.rb index dbbb079be8..05dc3f5433 100644 --- a/scripts/mkqtdecl_common/cpp_classes.rb +++ b/scripts/mkqtdecl_common/cpp_classes.rb @@ -1,5 +1,5 @@ # -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/scripts/mkqtdecl_common/cpp_parser_classes.rb b/scripts/mkqtdecl_common/cpp_parser_classes.rb index be164864cc..31631e235f 100644 --- a/scripts/mkqtdecl_common/cpp_parser_classes.rb +++ b/scripts/mkqtdecl_common/cpp_parser_classes.rb @@ -1,5 +1,5 @@ # -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/scripts/mkqtdecl_common/dump.rb b/scripts/mkqtdecl_common/dump.rb index 14867e0c25..b446decc15 100755 --- a/scripts/mkqtdecl_common/dump.rb +++ b/scripts/mkqtdecl_common/dump.rb @@ -1,7 +1,7 @@ #!/usr/bin/env ruby # -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/scripts/mkqtdecl_common/mkqtdecl_extract_ambigous_methods.rb b/scripts/mkqtdecl_common/mkqtdecl_extract_ambigous_methods.rb index 82c1684f38..82a4fda537 100644 --- a/scripts/mkqtdecl_common/mkqtdecl_extract_ambigous_methods.rb +++ b/scripts/mkqtdecl_common/mkqtdecl_extract_ambigous_methods.rb @@ -1,6 +1,6 @@ # -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/scripts/mkqtdecl_common/mkqtdecl_extract_nc_pointers.rb b/scripts/mkqtdecl_common/mkqtdecl_extract_nc_pointers.rb index 391f85022a..4ac1d1a9b4 100644 --- a/scripts/mkqtdecl_common/mkqtdecl_extract_nc_pointers.rb +++ b/scripts/mkqtdecl_common/mkqtdecl_extract_nc_pointers.rb @@ -1,6 +1,6 @@ # -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/scripts/mkqtdecl_common/mkqtdecl_extract_potential_factories.rb b/scripts/mkqtdecl_common/mkqtdecl_extract_potential_factories.rb index 71f00c765a..4c980cf12f 100644 --- a/scripts/mkqtdecl_common/mkqtdecl_extract_potential_factories.rb +++ b/scripts/mkqtdecl_common/mkqtdecl_extract_potential_factories.rb @@ -1,6 +1,6 @@ # -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/scripts/mkqtdecl_common/mkqtdecl_extract_props.rb b/scripts/mkqtdecl_common/mkqtdecl_extract_props.rb index 7aa485c7a5..67cf4d766d 100644 --- a/scripts/mkqtdecl_common/mkqtdecl_extract_props.rb +++ b/scripts/mkqtdecl_common/mkqtdecl_extract_props.rb @@ -1,6 +1,6 @@ # -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/scripts/mkqtdecl_common/mkqtdecl_extract_signals.rb b/scripts/mkqtdecl_common/mkqtdecl_extract_signals.rb index 92bcb93cbf..4f3a7e5c15 100644 --- a/scripts/mkqtdecl_common/mkqtdecl_extract_signals.rb +++ b/scripts/mkqtdecl_common/mkqtdecl_extract_signals.rb @@ -1,6 +1,6 @@ # -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/scripts/mkqtdecl_common/parse.rb b/scripts/mkqtdecl_common/parse.rb index 578577af36..4eea7f96f2 100755 --- a/scripts/mkqtdecl_common/parse.rb +++ b/scripts/mkqtdecl_common/parse.rb @@ -1,7 +1,7 @@ #!/usr/bin/env ruby # -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/scripts/mkqtdecl_common/produce.rb b/scripts/mkqtdecl_common/produce.rb index bb95857082..bf62d4c244 100755 --- a/scripts/mkqtdecl_common/produce.rb +++ b/scripts/mkqtdecl_common/produce.rb @@ -1,7 +1,7 @@ #!/usr/bin/env ruby # -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by @@ -1509,7 +1509,7 @@ def produce_cpp_from_decl(conf, decl_obj) /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by @@ -3072,7 +3072,7 @@ def produce_externals /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/scripts/mkqtdecl_common/reader_ext.rb b/scripts/mkqtdecl_common/reader_ext.rb index b2ca297763..57f54677a6 100644 --- a/scripts/mkqtdecl_common/reader_ext.rb +++ b/scripts/mkqtdecl_common/reader_ext.rb @@ -1,6 +1,6 @@ # -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/scripts/pyqrc.py b/scripts/pyqrc.py index 2ce82858c5..7dd91d35e3 100755 --- a/scripts/pyqrc.py +++ b/scripts/pyqrc.py @@ -74,7 +74,7 @@ def write(self, file): /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/setup.py b/setup.py index 8828cf32b7..c7cb8b3475 100644 --- a/setup.py +++ b/setup.py @@ -3,7 +3,7 @@ KLayout standalone Python module setup script - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/ant/ant/antCommon.h b/src/ant/ant/antCommon.h index 09933f891b..d5c0e5aed5 100644 --- a/src/ant/ant/antCommon.h +++ b/src/ant/ant/antCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/ant/ant/antConfig.cc b/src/ant/ant/antConfig.cc index c9550df0ff..36576b00a5 100644 --- a/src/ant/ant/antConfig.cc +++ b/src/ant/ant/antConfig.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/ant/ant/antConfig.h b/src/ant/ant/antConfig.h index 1c4f642feb..7e0b59131a 100644 --- a/src/ant/ant/antConfig.h +++ b/src/ant/ant/antConfig.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/ant/ant/antConfigPage.cc b/src/ant/ant/antConfigPage.cc index 88406baf40..dc556391b8 100644 --- a/src/ant/ant/antConfigPage.cc +++ b/src/ant/ant/antConfigPage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/ant/ant/antConfigPage.h b/src/ant/ant/antConfigPage.h index 23be88da43..5831744b19 100644 --- a/src/ant/ant/antConfigPage.h +++ b/src/ant/ant/antConfigPage.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/ant/ant/antForceLink.cc b/src/ant/ant/antForceLink.cc index 4048a3e10d..e039f43aeb 100644 --- a/src/ant/ant/antForceLink.cc +++ b/src/ant/ant/antForceLink.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/ant/ant/antForceLink.h b/src/ant/ant/antForceLink.h index 19c5a85651..b997246755 100644 --- a/src/ant/ant/antForceLink.h +++ b/src/ant/ant/antForceLink.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/ant/ant/antObject.cc b/src/ant/ant/antObject.cc index abdf04b2c7..808c9ba19e 100644 --- a/src/ant/ant/antObject.cc +++ b/src/ant/ant/antObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/ant/ant/antObject.h b/src/ant/ant/antObject.h index 4a2d25038f..bd9451617b 100644 --- a/src/ant/ant/antObject.h +++ b/src/ant/ant/antObject.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/ant/ant/antPlugin.cc b/src/ant/ant/antPlugin.cc index c5c6b5ad12..86a14d11ad 100644 --- a/src/ant/ant/antPlugin.cc +++ b/src/ant/ant/antPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/ant/ant/antPlugin.h b/src/ant/ant/antPlugin.h index 62758c8726..93f8c6f61a 100644 --- a/src/ant/ant/antPlugin.h +++ b/src/ant/ant/antPlugin.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/ant/ant/antPropertiesPage.cc b/src/ant/ant/antPropertiesPage.cc index 23e00e6c14..fb06d7b9ab 100644 --- a/src/ant/ant/antPropertiesPage.cc +++ b/src/ant/ant/antPropertiesPage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/ant/ant/antPropertiesPage.h b/src/ant/ant/antPropertiesPage.h index 4593b3b188..1d6bcad795 100644 --- a/src/ant/ant/antPropertiesPage.h +++ b/src/ant/ant/antPropertiesPage.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/ant/ant/antService.cc b/src/ant/ant/antService.cc index 95754b5c53..f7506bea69 100644 --- a/src/ant/ant/antService.cc +++ b/src/ant/ant/antService.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/ant/ant/antService.h b/src/ant/ant/antService.h index ee37b3da49..eaf6647268 100644 --- a/src/ant/ant/antService.h +++ b/src/ant/ant/antService.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/ant/ant/antTemplate.cc b/src/ant/ant/antTemplate.cc index 1ad8f3309f..6b62c012ad 100644 --- a/src/ant/ant/antTemplate.cc +++ b/src/ant/ant/antTemplate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/ant/ant/antTemplate.h b/src/ant/ant/antTemplate.h index 5576fdcd51..f589cc91ea 100644 --- a/src/ant/ant/antTemplate.h +++ b/src/ant/ant/antTemplate.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/ant/ant/gsiDeclAnt.cc b/src/ant/ant/gsiDeclAnt.cc index 96698c6d5e..d7e7093183 100644 --- a/src/ant/ant/gsiDeclAnt.cc +++ b/src/ant/ant/gsiDeclAnt.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/ant/unit_tests/antBasicTests.cc b/src/ant/unit_tests/antBasicTests.cc index 8302fb1c4f..35d0739d3c 100644 --- a/src/ant/unit_tests/antBasicTests.cc +++ b/src/ant/unit_tests/antBasicTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/bdCommon.h b/src/buddies/src/bd/bdCommon.h index 27687232bc..24c75678cf 100644 --- a/src/buddies/src/bd/bdCommon.h +++ b/src/buddies/src/bd/bdCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/bdConverterMain.cc b/src/buddies/src/bd/bdConverterMain.cc index 13ee26229b..b25467e6dd 100644 --- a/src/buddies/src/bd/bdConverterMain.cc +++ b/src/buddies/src/bd/bdConverterMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/bdConverterMain.h b/src/buddies/src/bd/bdConverterMain.h index 18ec057283..a653644da9 100644 --- a/src/buddies/src/bd/bdConverterMain.h +++ b/src/buddies/src/bd/bdConverterMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/bdInit.cc b/src/buddies/src/bd/bdInit.cc index 6a8d30e7a2..25248ca829 100644 --- a/src/buddies/src/bd/bdInit.cc +++ b/src/buddies/src/bd/bdInit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/bdInit.h b/src/buddies/src/bd/bdInit.h index 29c201c99a..0142f08baa 100644 --- a/src/buddies/src/bd/bdInit.h +++ b/src/buddies/src/bd/bdInit.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/bdReaderOptions.cc b/src/buddies/src/bd/bdReaderOptions.cc index 448febe1ff..ebeaaf8703 100644 --- a/src/buddies/src/bd/bdReaderOptions.cc +++ b/src/buddies/src/bd/bdReaderOptions.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/bdReaderOptions.h b/src/buddies/src/bd/bdReaderOptions.h index 1ca6e8dcd7..62a4ac189c 100644 --- a/src/buddies/src/bd/bdReaderOptions.h +++ b/src/buddies/src/bd/bdReaderOptions.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/bdWriterOptions.cc b/src/buddies/src/bd/bdWriterOptions.cc index c8be61c036..a18e75e871 100644 --- a/src/buddies/src/bd/bdWriterOptions.cc +++ b/src/buddies/src/bd/bdWriterOptions.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/bdWriterOptions.h b/src/buddies/src/bd/bdWriterOptions.h index 2ab33d0f3c..7fdb64a957 100644 --- a/src/buddies/src/bd/bdWriterOptions.h +++ b/src/buddies/src/bd/bdWriterOptions.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/main.cc b/src/buddies/src/bd/main.cc index 28e68d8ef4..79c2589963 100644 --- a/src/buddies/src/bd/main.cc +++ b/src/buddies/src/bd/main.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/strm2cif.cc b/src/buddies/src/bd/strm2cif.cc index 538c9f4da8..79cf72043d 100644 --- a/src/buddies/src/bd/strm2cif.cc +++ b/src/buddies/src/bd/strm2cif.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/strm2dxf.cc b/src/buddies/src/bd/strm2dxf.cc index 42f6f40d6f..9d0cf765ff 100644 --- a/src/buddies/src/bd/strm2dxf.cc +++ b/src/buddies/src/bd/strm2dxf.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/strm2gds.cc b/src/buddies/src/bd/strm2gds.cc index d80c20d877..22044615f4 100644 --- a/src/buddies/src/bd/strm2gds.cc +++ b/src/buddies/src/bd/strm2gds.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/strm2gdstxt.cc b/src/buddies/src/bd/strm2gdstxt.cc index 7b91092f39..39376c336d 100644 --- a/src/buddies/src/bd/strm2gdstxt.cc +++ b/src/buddies/src/bd/strm2gdstxt.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/strm2mag.cc b/src/buddies/src/bd/strm2mag.cc index 77ff1ec9bb..30f6ca6c3f 100644 --- a/src/buddies/src/bd/strm2mag.cc +++ b/src/buddies/src/bd/strm2mag.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/strm2oas.cc b/src/buddies/src/bd/strm2oas.cc index 03a7a501f7..3b4d0e9d42 100644 --- a/src/buddies/src/bd/strm2oas.cc +++ b/src/buddies/src/bd/strm2oas.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/strm2txt.cc b/src/buddies/src/bd/strm2txt.cc index da1dda0d29..f121212088 100644 --- a/src/buddies/src/bd/strm2txt.cc +++ b/src/buddies/src/bd/strm2txt.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/strmclip.cc b/src/buddies/src/bd/strmclip.cc index 1f8d1afd38..ea7bb2cfce 100644 --- a/src/buddies/src/bd/strmclip.cc +++ b/src/buddies/src/bd/strmclip.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/strmcmp.cc b/src/buddies/src/bd/strmcmp.cc index aefcefe6fb..6c87983b33 100644 --- a/src/buddies/src/bd/strmcmp.cc +++ b/src/buddies/src/bd/strmcmp.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/strmrun.cc b/src/buddies/src/bd/strmrun.cc index e512f7c7af..2dc90dc5d9 100644 --- a/src/buddies/src/bd/strmrun.cc +++ b/src/buddies/src/bd/strmrun.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/src/bd/strmxor.cc b/src/buddies/src/bd/strmxor.cc index a6d8487e66..9bd72e8604 100644 --- a/src/buddies/src/bd/strmxor.cc +++ b/src/buddies/src/bd/strmxor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/unit_tests/bdBasicTests.cc b/src/buddies/unit_tests/bdBasicTests.cc index 620c86a844..5e67484092 100644 --- a/src/buddies/unit_tests/bdBasicTests.cc +++ b/src/buddies/unit_tests/bdBasicTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/unit_tests/bdConverterTests.cc b/src/buddies/unit_tests/bdConverterTests.cc index df0c80078c..1ed468f890 100644 --- a/src/buddies/unit_tests/bdConverterTests.cc +++ b/src/buddies/unit_tests/bdConverterTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/unit_tests/bdStrm2txtTests.cc b/src/buddies/unit_tests/bdStrm2txtTests.cc index e54af3962f..b5f777f9dc 100644 --- a/src/buddies/unit_tests/bdStrm2txtTests.cc +++ b/src/buddies/unit_tests/bdStrm2txtTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/unit_tests/bdStrmclipTests.cc b/src/buddies/unit_tests/bdStrmclipTests.cc index 2d161c1585..6062cc8949 100644 --- a/src/buddies/unit_tests/bdStrmclipTests.cc +++ b/src/buddies/unit_tests/bdStrmclipTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/unit_tests/bdStrmcmpTests.cc b/src/buddies/unit_tests/bdStrmcmpTests.cc index c6bda61bde..57ffe03ba2 100644 --- a/src/buddies/unit_tests/bdStrmcmpTests.cc +++ b/src/buddies/unit_tests/bdStrmcmpTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/unit_tests/bdStrmrunTests.cc b/src/buddies/unit_tests/bdStrmrunTests.cc index cb1d4f1f60..3f3b81ef5a 100644 --- a/src/buddies/unit_tests/bdStrmrunTests.cc +++ b/src/buddies/unit_tests/bdStrmrunTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/unit_tests/bdStrmxorTests.cc b/src/buddies/unit_tests/bdStrmxorTests.cc index 677454be3f..fd446c997d 100644 --- a/src/buddies/unit_tests/bdStrmxorTests.cc +++ b/src/buddies/unit_tests/bdStrmxorTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/buddies/unit_tests/buddies_main.cc b/src/buddies/unit_tests/buddies_main.cc index ae9b446e9f..9e3a9d17d9 100644 --- a/src/buddies/unit_tests/buddies_main.cc +++ b/src/buddies/unit_tests/buddies_main.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbArray.cc b/src/db/db/dbArray.cc index 111488f93d..f1feb151f3 100644 --- a/src/db/db/dbArray.cc +++ b/src/db/db/dbArray.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbArray.h b/src/db/db/dbArray.h index fa8b902e52..9df328e6d1 100644 --- a/src/db/db/dbArray.h +++ b/src/db/db/dbArray.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbAsIfFlatEdgePairs.cc b/src/db/db/dbAsIfFlatEdgePairs.cc index 0508981fbf..cf9c3621b0 100644 --- a/src/db/db/dbAsIfFlatEdgePairs.cc +++ b/src/db/db/dbAsIfFlatEdgePairs.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbAsIfFlatEdgePairs.h b/src/db/db/dbAsIfFlatEdgePairs.h index 9ecfe3a171..29f18f6f14 100644 --- a/src/db/db/dbAsIfFlatEdgePairs.h +++ b/src/db/db/dbAsIfFlatEdgePairs.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbAsIfFlatEdges.cc b/src/db/db/dbAsIfFlatEdges.cc index 071e0eeda0..e4a482fe2d 100644 --- a/src/db/db/dbAsIfFlatEdges.cc +++ b/src/db/db/dbAsIfFlatEdges.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbAsIfFlatEdges.h b/src/db/db/dbAsIfFlatEdges.h index fabce19ac0..b1f9a07d4e 100644 --- a/src/db/db/dbAsIfFlatEdges.h +++ b/src/db/db/dbAsIfFlatEdges.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbAsIfFlatRegion.cc b/src/db/db/dbAsIfFlatRegion.cc index f225dab46c..54f0b4f3b0 100644 --- a/src/db/db/dbAsIfFlatRegion.cc +++ b/src/db/db/dbAsIfFlatRegion.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbAsIfFlatRegion.h b/src/db/db/dbAsIfFlatRegion.h index 0473dceffa..5f7ecd2036 100644 --- a/src/db/db/dbAsIfFlatRegion.h +++ b/src/db/db/dbAsIfFlatRegion.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbAsIfFlatTexts.cc b/src/db/db/dbAsIfFlatTexts.cc index 386090cbe4..0e38590a6a 100644 --- a/src/db/db/dbAsIfFlatTexts.cc +++ b/src/db/db/dbAsIfFlatTexts.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbAsIfFlatTexts.h b/src/db/db/dbAsIfFlatTexts.h index cb0963646a..ffff931e16 100644 --- a/src/db/db/dbAsIfFlatTexts.h +++ b/src/db/db/dbAsIfFlatTexts.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbBox.cc b/src/db/db/dbBox.cc index 3b36dbb6ee..a86fac050d 100644 --- a/src/db/db/dbBox.cc +++ b/src/db/db/dbBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbBox.h b/src/db/db/dbBox.h index 790b8a1bd1..27612a2496 100644 --- a/src/db/db/dbBox.h +++ b/src/db/db/dbBox.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbBoxConvert.cc b/src/db/db/dbBoxConvert.cc index 3d6eff7738..3d7e2945e0 100644 --- a/src/db/db/dbBoxConvert.cc +++ b/src/db/db/dbBoxConvert.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbBoxConvert.h b/src/db/db/dbBoxConvert.h index 3877b8a74d..3ce4b00991 100644 --- a/src/db/db/dbBoxConvert.h +++ b/src/db/db/dbBoxConvert.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbBoxScanner.cc b/src/db/db/dbBoxScanner.cc index 2f7f6427bf..3e3986c822 100644 --- a/src/db/db/dbBoxScanner.cc +++ b/src/db/db/dbBoxScanner.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbBoxScanner.h b/src/db/db/dbBoxScanner.h index d329316f4c..bcdb9fd02d 100644 --- a/src/db/db/dbBoxScanner.h +++ b/src/db/db/dbBoxScanner.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbBoxTree.h b/src/db/db/dbBoxTree.h index d59bb03d44..b8bbea6dbe 100644 --- a/src/db/db/dbBoxTree.h +++ b/src/db/db/dbBoxTree.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbCell.cc b/src/db/db/dbCell.cc index 5c9780a189..e5a87ca9aa 100644 --- a/src/db/db/dbCell.cc +++ b/src/db/db/dbCell.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbCell.h b/src/db/db/dbCell.h index 0d74ae1abb..916650a675 100644 --- a/src/db/db/dbCell.h +++ b/src/db/db/dbCell.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbCellGraphUtils.cc b/src/db/db/dbCellGraphUtils.cc index 48979f78da..37336ca4e7 100644 --- a/src/db/db/dbCellGraphUtils.cc +++ b/src/db/db/dbCellGraphUtils.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbCellGraphUtils.h b/src/db/db/dbCellGraphUtils.h index b3affcc81e..2063b0ab93 100644 --- a/src/db/db/dbCellGraphUtils.h +++ b/src/db/db/dbCellGraphUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbCellHullGenerator.cc b/src/db/db/dbCellHullGenerator.cc index d822f2eb73..20e128f1f3 100644 --- a/src/db/db/dbCellHullGenerator.cc +++ b/src/db/db/dbCellHullGenerator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbCellHullGenerator.h b/src/db/db/dbCellHullGenerator.h index dc461225d3..a9b6fab6d8 100644 --- a/src/db/db/dbCellHullGenerator.h +++ b/src/db/db/dbCellHullGenerator.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbCellInst.cc b/src/db/db/dbCellInst.cc index 92504935ce..e1136ae234 100644 --- a/src/db/db/dbCellInst.cc +++ b/src/db/db/dbCellInst.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbCellInst.h b/src/db/db/dbCellInst.h index 24a9a73fc5..11bd7198fd 100644 --- a/src/db/db/dbCellInst.h +++ b/src/db/db/dbCellInst.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbCellMapping.cc b/src/db/db/dbCellMapping.cc index de115e6295..a5fd402f61 100644 --- a/src/db/db/dbCellMapping.cc +++ b/src/db/db/dbCellMapping.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbCellMapping.h b/src/db/db/dbCellMapping.h index b2a75dda20..343fade7e1 100644 --- a/src/db/db/dbCellMapping.h +++ b/src/db/db/dbCellMapping.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbCellVariants.cc b/src/db/db/dbCellVariants.cc index 5a4b1ff838..d1135c30a9 100644 --- a/src/db/db/dbCellVariants.cc +++ b/src/db/db/dbCellVariants.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbCellVariants.h b/src/db/db/dbCellVariants.h index a1a871c1d4..bfec942cdb 100644 --- a/src/db/db/dbCellVariants.h +++ b/src/db/db/dbCellVariants.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbCircuit.cc b/src/db/db/dbCircuit.cc index 10022a34e1..aaca632c8f 100644 --- a/src/db/db/dbCircuit.cc +++ b/src/db/db/dbCircuit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbCircuit.h b/src/db/db/dbCircuit.h index 22253a78cc..1e0f0a9568 100644 --- a/src/db/db/dbCircuit.h +++ b/src/db/db/dbCircuit.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbClip.cc b/src/db/db/dbClip.cc index c572839921..cfec675e16 100644 --- a/src/db/db/dbClip.cc +++ b/src/db/db/dbClip.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbClip.h b/src/db/db/dbClip.h index 03f6e4673e..dad62c7b5f 100644 --- a/src/db/db/dbClip.h +++ b/src/db/db/dbClip.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbClipboard.cc b/src/db/db/dbClipboard.cc index 9c19c85e52..fdcc93ed93 100644 --- a/src/db/db/dbClipboard.cc +++ b/src/db/db/dbClipboard.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbClipboard.h b/src/db/db/dbClipboard.h index 21693c515a..9ae0e41a22 100644 --- a/src/db/db/dbClipboard.h +++ b/src/db/db/dbClipboard.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbClipboardData.cc b/src/db/db/dbClipboardData.cc index c8ade46afe..2d1f86fb4b 100644 --- a/src/db/db/dbClipboardData.cc +++ b/src/db/db/dbClipboardData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbClipboardData.h b/src/db/db/dbClipboardData.h index ab2bb4a678..3648f1aa73 100644 --- a/src/db/db/dbClipboardData.h +++ b/src/db/db/dbClipboardData.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbColdProxy.cc b/src/db/db/dbColdProxy.cc index 8cc57aacd8..c56c8e9512 100644 --- a/src/db/db/dbColdProxy.cc +++ b/src/db/db/dbColdProxy.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbColdProxy.h b/src/db/db/dbColdProxy.h index 5c642a9a11..8d05db0244 100644 --- a/src/db/db/dbColdProxy.h +++ b/src/db/db/dbColdProxy.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbCommon.h b/src/db/db/dbCommon.h index 62af265e4c..e6dac60d72 100644 --- a/src/db/db/dbCommon.h +++ b/src/db/db/dbCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbCommonReader.cc b/src/db/db/dbCommonReader.cc index 15599a1f50..64eb1d85f5 100644 --- a/src/db/db/dbCommonReader.cc +++ b/src/db/db/dbCommonReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbCommonReader.h b/src/db/db/dbCommonReader.h index b95b0e87d1..45afd6cc56 100644 --- a/src/db/db/dbCommonReader.h +++ b/src/db/db/dbCommonReader.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbCompoundOperation.cc b/src/db/db/dbCompoundOperation.cc index 2601d98ec1..21e23c1c48 100644 --- a/src/db/db/dbCompoundOperation.cc +++ b/src/db/db/dbCompoundOperation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbCompoundOperation.h b/src/db/db/dbCompoundOperation.h index 39c2de4899..9047b8e092 100644 --- a/src/db/db/dbCompoundOperation.h +++ b/src/db/db/dbCompoundOperation.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbConverters.cc b/src/db/db/dbConverters.cc index 114356472f..60d331cab0 100644 --- a/src/db/db/dbConverters.cc +++ b/src/db/db/dbConverters.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbConverters.h b/src/db/db/dbConverters.h index 614b1d6e6e..2403f6c21f 100644 --- a/src/db/db/dbConverters.h +++ b/src/db/db/dbConverters.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbDeepEdgePairs.cc b/src/db/db/dbDeepEdgePairs.cc index 62f3ff6ca9..d19a08fa22 100644 --- a/src/db/db/dbDeepEdgePairs.cc +++ b/src/db/db/dbDeepEdgePairs.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbDeepEdgePairs.h b/src/db/db/dbDeepEdgePairs.h index ee1076ae25..ccc73a762f 100644 --- a/src/db/db/dbDeepEdgePairs.h +++ b/src/db/db/dbDeepEdgePairs.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbDeepEdges.cc b/src/db/db/dbDeepEdges.cc index d81032b0ba..5a28122078 100644 --- a/src/db/db/dbDeepEdges.cc +++ b/src/db/db/dbDeepEdges.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbDeepEdges.h b/src/db/db/dbDeepEdges.h index bdd7ea947e..0578d704b5 100644 --- a/src/db/db/dbDeepEdges.h +++ b/src/db/db/dbDeepEdges.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbDeepRegion.cc b/src/db/db/dbDeepRegion.cc index 11780bfd61..ceb7cf0a96 100644 --- a/src/db/db/dbDeepRegion.cc +++ b/src/db/db/dbDeepRegion.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbDeepRegion.h b/src/db/db/dbDeepRegion.h index cc05259b7a..1bef5efb18 100644 --- a/src/db/db/dbDeepRegion.h +++ b/src/db/db/dbDeepRegion.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbDeepShapeStore.cc b/src/db/db/dbDeepShapeStore.cc index 70005e136c..02a33fcaa2 100644 --- a/src/db/db/dbDeepShapeStore.cc +++ b/src/db/db/dbDeepShapeStore.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbDeepShapeStore.h b/src/db/db/dbDeepShapeStore.h index ab2f2336b9..3073e4ab48 100644 --- a/src/db/db/dbDeepShapeStore.h +++ b/src/db/db/dbDeepShapeStore.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbDeepTexts.cc b/src/db/db/dbDeepTexts.cc index 6845964f49..f328452eaa 100644 --- a/src/db/db/dbDeepTexts.cc +++ b/src/db/db/dbDeepTexts.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbDeepTexts.h b/src/db/db/dbDeepTexts.h index d139147ad3..1bd5bb66c5 100644 --- a/src/db/db/dbDeepTexts.h +++ b/src/db/db/dbDeepTexts.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbDevice.cc b/src/db/db/dbDevice.cc index 959088e292..193ede50d1 100644 --- a/src/db/db/dbDevice.cc +++ b/src/db/db/dbDevice.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbDevice.h b/src/db/db/dbDevice.h index 39c8be90fa..d1007dfa27 100644 --- a/src/db/db/dbDevice.h +++ b/src/db/db/dbDevice.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbDeviceAbstract.cc b/src/db/db/dbDeviceAbstract.cc index 89223f3432..68c66be4c1 100644 --- a/src/db/db/dbDeviceAbstract.cc +++ b/src/db/db/dbDeviceAbstract.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbDeviceAbstract.h b/src/db/db/dbDeviceAbstract.h index 817e76f99e..736273fc5a 100644 --- a/src/db/db/dbDeviceAbstract.h +++ b/src/db/db/dbDeviceAbstract.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbDeviceClass.cc b/src/db/db/dbDeviceClass.cc index 3a37559786..ce4d1497cf 100644 --- a/src/db/db/dbDeviceClass.cc +++ b/src/db/db/dbDeviceClass.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbDeviceClass.h b/src/db/db/dbDeviceClass.h index 697cfd5450..419436fe83 100644 --- a/src/db/db/dbDeviceClass.h +++ b/src/db/db/dbDeviceClass.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdge.cc b/src/db/db/dbEdge.cc index c6c91077fc..cd145bd300 100644 --- a/src/db/db/dbEdge.cc +++ b/src/db/db/dbEdge.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdge.h b/src/db/db/dbEdge.h index 28fe0ee43c..aa222c2d14 100644 --- a/src/db/db/dbEdge.h +++ b/src/db/db/dbEdge.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgeBoolean.cc b/src/db/db/dbEdgeBoolean.cc index d3dd3c40d9..f1a0b72b13 100644 --- a/src/db/db/dbEdgeBoolean.cc +++ b/src/db/db/dbEdgeBoolean.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgeBoolean.h b/src/db/db/dbEdgeBoolean.h index 6f10973f41..11c4e6ed73 100644 --- a/src/db/db/dbEdgeBoolean.h +++ b/src/db/db/dbEdgeBoolean.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgePair.cc b/src/db/db/dbEdgePair.cc index 80e212cbfd..f9920696e1 100644 --- a/src/db/db/dbEdgePair.cc +++ b/src/db/db/dbEdgePair.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgePair.h b/src/db/db/dbEdgePair.h index f41601e090..9f4955cbf3 100644 --- a/src/db/db/dbEdgePair.h +++ b/src/db/db/dbEdgePair.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgePairFilters.cc b/src/db/db/dbEdgePairFilters.cc index 7205e37ee7..8e5aa30085 100644 --- a/src/db/db/dbEdgePairFilters.cc +++ b/src/db/db/dbEdgePairFilters.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgePairFilters.h b/src/db/db/dbEdgePairFilters.h index 6fcdfcb485..5b4a252643 100644 --- a/src/db/db/dbEdgePairFilters.h +++ b/src/db/db/dbEdgePairFilters.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgePairRelations.cc b/src/db/db/dbEdgePairRelations.cc index ca71d97c43..4875b29b4c 100644 --- a/src/db/db/dbEdgePairRelations.cc +++ b/src/db/db/dbEdgePairRelations.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgePairRelations.h b/src/db/db/dbEdgePairRelations.h index 6a4041764f..99b5aec6cb 100644 --- a/src/db/db/dbEdgePairRelations.h +++ b/src/db/db/dbEdgePairRelations.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgePairs.cc b/src/db/db/dbEdgePairs.cc index 0509afccb8..0451006ef8 100644 --- a/src/db/db/dbEdgePairs.cc +++ b/src/db/db/dbEdgePairs.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgePairs.h b/src/db/db/dbEdgePairs.h index 7a0e07495c..38e32d499a 100644 --- a/src/db/db/dbEdgePairs.h +++ b/src/db/db/dbEdgePairs.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgePairsDelegate.cc b/src/db/db/dbEdgePairsDelegate.cc index a7867c6910..b34ba9c19c 100644 --- a/src/db/db/dbEdgePairsDelegate.cc +++ b/src/db/db/dbEdgePairsDelegate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgePairsDelegate.h b/src/db/db/dbEdgePairsDelegate.h index 6cdf92e5cf..32fa03670e 100644 --- a/src/db/db/dbEdgePairsDelegate.h +++ b/src/db/db/dbEdgePairsDelegate.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgeProcessor.cc b/src/db/db/dbEdgeProcessor.cc index 287ee022e2..9f1c3f11fa 100644 --- a/src/db/db/dbEdgeProcessor.cc +++ b/src/db/db/dbEdgeProcessor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgeProcessor.h b/src/db/db/dbEdgeProcessor.h index 3238c09eec..a6fb2a6808 100644 --- a/src/db/db/dbEdgeProcessor.h +++ b/src/db/db/dbEdgeProcessor.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdges.cc b/src/db/db/dbEdges.cc index 75a00b6f77..e5a6cf0076 100644 --- a/src/db/db/dbEdges.cc +++ b/src/db/db/dbEdges.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdges.h b/src/db/db/dbEdges.h index d5bf8d116d..e5317f20d9 100644 --- a/src/db/db/dbEdges.h +++ b/src/db/db/dbEdges.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgesDelegate.cc b/src/db/db/dbEdgesDelegate.cc index 1b2e19e282..eb72dc4d54 100644 --- a/src/db/db/dbEdgesDelegate.cc +++ b/src/db/db/dbEdgesDelegate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgesDelegate.h b/src/db/db/dbEdgesDelegate.h index 182700bae1..919ba5b8a2 100644 --- a/src/db/db/dbEdgesDelegate.h +++ b/src/db/db/dbEdgesDelegate.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgesLocalOperations.cc b/src/db/db/dbEdgesLocalOperations.cc index 9a43060a77..e201df8b5a 100644 --- a/src/db/db/dbEdgesLocalOperations.cc +++ b/src/db/db/dbEdgesLocalOperations.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgesLocalOperations.h b/src/db/db/dbEdgesLocalOperations.h index a57a2e020c..9a5f9bdc4d 100644 --- a/src/db/db/dbEdgesLocalOperations.h +++ b/src/db/db/dbEdgesLocalOperations.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgesToContours.cc b/src/db/db/dbEdgesToContours.cc index 7eb64c1225..e7bbbd4006 100644 --- a/src/db/db/dbEdgesToContours.cc +++ b/src/db/db/dbEdgesToContours.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgesToContours.h b/src/db/db/dbEdgesToContours.h index c8b3663757..b463a4dbc0 100644 --- a/src/db/db/dbEdgesToContours.h +++ b/src/db/db/dbEdgesToContours.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgesUtils.cc b/src/db/db/dbEdgesUtils.cc index 09b9e17c21..686cce8c9b 100644 --- a/src/db/db/dbEdgesUtils.cc +++ b/src/db/db/dbEdgesUtils.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEdgesUtils.h b/src/db/db/dbEdgesUtils.h index 14c888f362..939cd61405 100644 --- a/src/db/db/dbEdgesUtils.h +++ b/src/db/db/dbEdgesUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEmptyEdgePairs.cc b/src/db/db/dbEmptyEdgePairs.cc index d16cca139e..d9468ef93d 100644 --- a/src/db/db/dbEmptyEdgePairs.cc +++ b/src/db/db/dbEmptyEdgePairs.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEmptyEdgePairs.h b/src/db/db/dbEmptyEdgePairs.h index dee797a248..6680ec6a3d 100644 --- a/src/db/db/dbEmptyEdgePairs.h +++ b/src/db/db/dbEmptyEdgePairs.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEmptyEdges.cc b/src/db/db/dbEmptyEdges.cc index b17f7f52c2..ff0155dcf9 100644 --- a/src/db/db/dbEmptyEdges.cc +++ b/src/db/db/dbEmptyEdges.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEmptyEdges.h b/src/db/db/dbEmptyEdges.h index 3e1574fe74..92bab33796 100644 --- a/src/db/db/dbEmptyEdges.h +++ b/src/db/db/dbEmptyEdges.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEmptyRegion.cc b/src/db/db/dbEmptyRegion.cc index b647d57d5d..49f87313be 100644 --- a/src/db/db/dbEmptyRegion.cc +++ b/src/db/db/dbEmptyRegion.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEmptyRegion.h b/src/db/db/dbEmptyRegion.h index c1f04e0f2b..874945a7b7 100644 --- a/src/db/db/dbEmptyRegion.h +++ b/src/db/db/dbEmptyRegion.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEmptyTexts.cc b/src/db/db/dbEmptyTexts.cc index 7e63d1c5d5..1211d9cda7 100644 --- a/src/db/db/dbEmptyTexts.cc +++ b/src/db/db/dbEmptyTexts.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbEmptyTexts.h b/src/db/db/dbEmptyTexts.h index 903d58972b..c224dadaa2 100644 --- a/src/db/db/dbEmptyTexts.h +++ b/src/db/db/dbEmptyTexts.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbFillTool.cc b/src/db/db/dbFillTool.cc index 5e2fba441b..4d0fe64110 100644 --- a/src/db/db/dbFillTool.cc +++ b/src/db/db/dbFillTool.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbFillTool.h b/src/db/db/dbFillTool.h index e53df56540..d53f51b9df 100644 --- a/src/db/db/dbFillTool.h +++ b/src/db/db/dbFillTool.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbFlatEdgePairs.cc b/src/db/db/dbFlatEdgePairs.cc index a376f11939..e1a961be5b 100644 --- a/src/db/db/dbFlatEdgePairs.cc +++ b/src/db/db/dbFlatEdgePairs.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbFlatEdgePairs.h b/src/db/db/dbFlatEdgePairs.h index f6a9c4d3c3..c67e0e30de 100644 --- a/src/db/db/dbFlatEdgePairs.h +++ b/src/db/db/dbFlatEdgePairs.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbFlatEdges.cc b/src/db/db/dbFlatEdges.cc index 5e386c4318..085bb255f0 100644 --- a/src/db/db/dbFlatEdges.cc +++ b/src/db/db/dbFlatEdges.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbFlatEdges.h b/src/db/db/dbFlatEdges.h index 826b4a83b5..50f2b0a4aa 100644 --- a/src/db/db/dbFlatEdges.h +++ b/src/db/db/dbFlatEdges.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbFlatRegion.cc b/src/db/db/dbFlatRegion.cc index db411328b9..d96bb8a22d 100644 --- a/src/db/db/dbFlatRegion.cc +++ b/src/db/db/dbFlatRegion.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbFlatRegion.h b/src/db/db/dbFlatRegion.h index f11f20a531..d89e53173d 100644 --- a/src/db/db/dbFlatRegion.h +++ b/src/db/db/dbFlatRegion.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbFlatTexts.cc b/src/db/db/dbFlatTexts.cc index 26a718116c..635426b013 100644 --- a/src/db/db/dbFlatTexts.cc +++ b/src/db/db/dbFlatTexts.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbFlatTexts.h b/src/db/db/dbFlatTexts.h index dde68500a7..5d8be22658 100644 --- a/src/db/db/dbFlatTexts.h +++ b/src/db/db/dbFlatTexts.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbForceLink.cc b/src/db/db/dbForceLink.cc index ad9e60d8cb..2938714cd9 100644 --- a/src/db/db/dbForceLink.cc +++ b/src/db/db/dbForceLink.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbForceLink.h b/src/db/db/dbForceLink.h index 768aae7244..911c3689ee 100644 --- a/src/db/db/dbForceLink.h +++ b/src/db/db/dbForceLink.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbFuzzyCellMapping.cc b/src/db/db/dbFuzzyCellMapping.cc index bcd9a55842..336f8588e8 100644 --- a/src/db/db/dbFuzzyCellMapping.cc +++ b/src/db/db/dbFuzzyCellMapping.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbFuzzyCellMapping.h b/src/db/db/dbFuzzyCellMapping.h index 55373ed980..e8ddb0d79e 100644 --- a/src/db/db/dbFuzzyCellMapping.h +++ b/src/db/db/dbFuzzyCellMapping.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbGenericShapeIterator.cc b/src/db/db/dbGenericShapeIterator.cc index 17f80a961c..16f225f410 100644 --- a/src/db/db/dbGenericShapeIterator.cc +++ b/src/db/db/dbGenericShapeIterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbGenericShapeIterator.h b/src/db/db/dbGenericShapeIterator.h index d396b80fd9..c4abf65a73 100644 --- a/src/db/db/dbGenericShapeIterator.h +++ b/src/db/db/dbGenericShapeIterator.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbGlyphs.cc b/src/db/db/dbGlyphs.cc index 03b11b433d..9974f9074f 100644 --- a/src/db/db/dbGlyphs.cc +++ b/src/db/db/dbGlyphs.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbGlyphs.h b/src/db/db/dbGlyphs.h index 9a15dacdc9..936e87c109 100644 --- a/src/db/db/dbGlyphs.h +++ b/src/db/db/dbGlyphs.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbHash.h b/src/db/db/dbHash.h index 2e7803b8e1..e8a484fd97 100644 --- a/src/db/db/dbHash.h +++ b/src/db/db/dbHash.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbHershey.cc b/src/db/db/dbHershey.cc index 7e862d4a2d..f7b68aab7e 100644 --- a/src/db/db/dbHershey.cc +++ b/src/db/db/dbHershey.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbHershey.h b/src/db/db/dbHershey.h index f747bb1868..b86faea221 100644 --- a/src/db/db/dbHershey.h +++ b/src/db/db/dbHershey.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbHersheyFont.h b/src/db/db/dbHersheyFont.h index f01c9c0048..80ec790935 100644 --- a/src/db/db/dbHersheyFont.h +++ b/src/db/db/dbHersheyFont.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbHierNetworkProcessor.cc b/src/db/db/dbHierNetworkProcessor.cc index 7817fd5279..066d8eeb05 100644 --- a/src/db/db/dbHierNetworkProcessor.cc +++ b/src/db/db/dbHierNetworkProcessor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbHierNetworkProcessor.h b/src/db/db/dbHierNetworkProcessor.h index f528967c60..13c557d647 100644 --- a/src/db/db/dbHierNetworkProcessor.h +++ b/src/db/db/dbHierNetworkProcessor.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbHierProcessor.cc b/src/db/db/dbHierProcessor.cc index bf6cea0167..75e1ad5b2e 100644 --- a/src/db/db/dbHierProcessor.cc +++ b/src/db/db/dbHierProcessor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbHierProcessor.h b/src/db/db/dbHierProcessor.h index cffd05ee8c..bd7e1c34e2 100644 --- a/src/db/db/dbHierProcessor.h +++ b/src/db/db/dbHierProcessor.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbHierarchyBuilder.cc b/src/db/db/dbHierarchyBuilder.cc index c83e5acc45..bbfd1d68e5 100644 --- a/src/db/db/dbHierarchyBuilder.cc +++ b/src/db/db/dbHierarchyBuilder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbHierarchyBuilder.h b/src/db/db/dbHierarchyBuilder.h index b3f2104efe..70c76b2fee 100644 --- a/src/db/db/dbHierarchyBuilder.h +++ b/src/db/db/dbHierarchyBuilder.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbInit.cc b/src/db/db/dbInit.cc index 23d7acede4..ecaa5cbbe1 100644 --- a/src/db/db/dbInit.cc +++ b/src/db/db/dbInit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbInit.h b/src/db/db/dbInit.h index dece832cb0..e38e42f3d8 100644 --- a/src/db/db/dbInit.h +++ b/src/db/db/dbInit.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbInstElement.cc b/src/db/db/dbInstElement.cc index eec047f0dc..8d3b93817f 100644 --- a/src/db/db/dbInstElement.cc +++ b/src/db/db/dbInstElement.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbInstElement.h b/src/db/db/dbInstElement.h index f755ac12b6..ed1b747505 100644 --- a/src/db/db/dbInstElement.h +++ b/src/db/db/dbInstElement.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbInstances.cc b/src/db/db/dbInstances.cc index 1ed3aa44ff..4f1a8ca548 100644 --- a/src/db/db/dbInstances.cc +++ b/src/db/db/dbInstances.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbInstances.h b/src/db/db/dbInstances.h index 60c2a2a696..595a5f7d0a 100644 --- a/src/db/db/dbInstances.h +++ b/src/db/db/dbInstances.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayer.h b/src/db/db/dbLayer.h index 5a8629bb6a..909faa5b6d 100644 --- a/src/db/db/dbLayer.h +++ b/src/db/db/dbLayer.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayerMapping.cc b/src/db/db/dbLayerMapping.cc index eb536df3fe..122002c54e 100644 --- a/src/db/db/dbLayerMapping.cc +++ b/src/db/db/dbLayerMapping.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayerMapping.h b/src/db/db/dbLayerMapping.h index 57f2889014..b1ad42f5ce 100644 --- a/src/db/db/dbLayerMapping.h +++ b/src/db/db/dbLayerMapping.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayerProperties.cc b/src/db/db/dbLayerProperties.cc index c227df42d2..0dc669c4be 100644 --- a/src/db/db/dbLayerProperties.cc +++ b/src/db/db/dbLayerProperties.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayerProperties.h b/src/db/db/dbLayerProperties.h index 1853938167..4145d02186 100644 --- a/src/db/db/dbLayerProperties.h +++ b/src/db/db/dbLayerProperties.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayout.cc b/src/db/db/dbLayout.cc index 16bb73473f..8ab1e87172 100644 --- a/src/db/db/dbLayout.cc +++ b/src/db/db/dbLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayout.h b/src/db/db/dbLayout.h index d85c5976fa..7d2598da6d 100644 --- a/src/db/db/dbLayout.h +++ b/src/db/db/dbLayout.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutContextHandler.cc b/src/db/db/dbLayoutContextHandler.cc index 291c5164b6..b4450dda85 100644 --- a/src/db/db/dbLayoutContextHandler.cc +++ b/src/db/db/dbLayoutContextHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutContextHandler.h b/src/db/db/dbLayoutContextHandler.h index ade82904d0..29a867a208 100644 --- a/src/db/db/dbLayoutContextHandler.h +++ b/src/db/db/dbLayoutContextHandler.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutDiff.cc b/src/db/db/dbLayoutDiff.cc index be1e005e7b..bc35d4c62c 100644 --- a/src/db/db/dbLayoutDiff.cc +++ b/src/db/db/dbLayoutDiff.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutDiff.h b/src/db/db/dbLayoutDiff.h index 56f0114b6f..ce39f5988f 100644 --- a/src/db/db/dbLayoutDiff.h +++ b/src/db/db/dbLayoutDiff.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutLayers.cc b/src/db/db/dbLayoutLayers.cc index 9be8cf84c4..c4c5eef1e9 100644 --- a/src/db/db/dbLayoutLayers.cc +++ b/src/db/db/dbLayoutLayers.cc @@ -2,7 +2,7 @@ /* KLayoutLayers LayoutLayers Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutLayers.h b/src/db/db/dbLayoutLayers.h index 4832f36738..371fa70077 100644 --- a/src/db/db/dbLayoutLayers.h +++ b/src/db/db/dbLayoutLayers.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutQuery.cc b/src/db/db/dbLayoutQuery.cc index 1b9c4ae5b4..57e64f73d4 100644 --- a/src/db/db/dbLayoutQuery.cc +++ b/src/db/db/dbLayoutQuery.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutQuery.h b/src/db/db/dbLayoutQuery.h index abd7afbfd7..9a3c311345 100644 --- a/src/db/db/dbLayoutQuery.h +++ b/src/db/db/dbLayoutQuery.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutStateModel.cc b/src/db/db/dbLayoutStateModel.cc index 473a1a5d36..4bc02d822a 100644 --- a/src/db/db/dbLayoutStateModel.cc +++ b/src/db/db/dbLayoutStateModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutStateModel.h b/src/db/db/dbLayoutStateModel.h index 08f20a67f7..281298b74a 100644 --- a/src/db/db/dbLayoutStateModel.h +++ b/src/db/db/dbLayoutStateModel.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutToNetlist.cc b/src/db/db/dbLayoutToNetlist.cc index ae2972a1ba..62d2dc2875 100644 --- a/src/db/db/dbLayoutToNetlist.cc +++ b/src/db/db/dbLayoutToNetlist.cc @@ -3,7 +3,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutToNetlist.h b/src/db/db/dbLayoutToNetlist.h index bfa07f98e1..4934501940 100644 --- a/src/db/db/dbLayoutToNetlist.h +++ b/src/db/db/dbLayoutToNetlist.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutToNetlistEnums.h b/src/db/db/dbLayoutToNetlistEnums.h index 708426294a..29125edfee 100644 --- a/src/db/db/dbLayoutToNetlistEnums.h +++ b/src/db/db/dbLayoutToNetlistEnums.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutToNetlistFormatDefs.cc b/src/db/db/dbLayoutToNetlistFormatDefs.cc index 3c54a06d87..87be9c00fe 100644 --- a/src/db/db/dbLayoutToNetlistFormatDefs.cc +++ b/src/db/db/dbLayoutToNetlistFormatDefs.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutToNetlistFormatDefs.h b/src/db/db/dbLayoutToNetlistFormatDefs.h index 8f5ec1d7cf..35c41f630a 100644 --- a/src/db/db/dbLayoutToNetlistFormatDefs.h +++ b/src/db/db/dbLayoutToNetlistFormatDefs.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutToNetlistReader.cc b/src/db/db/dbLayoutToNetlistReader.cc index 365e9d8282..369cad5360 100644 --- a/src/db/db/dbLayoutToNetlistReader.cc +++ b/src/db/db/dbLayoutToNetlistReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutToNetlistReader.h b/src/db/db/dbLayoutToNetlistReader.h index fcb8eb245b..67e6887a6d 100644 --- a/src/db/db/dbLayoutToNetlistReader.h +++ b/src/db/db/dbLayoutToNetlistReader.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutToNetlistWriter.cc b/src/db/db/dbLayoutToNetlistWriter.cc index b188d7876a..86cbba3cb3 100644 --- a/src/db/db/dbLayoutToNetlistWriter.cc +++ b/src/db/db/dbLayoutToNetlistWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutToNetlistWriter.h b/src/db/db/dbLayoutToNetlistWriter.h index 26434e06b7..88cf2ac78e 100644 --- a/src/db/db/dbLayoutToNetlistWriter.h +++ b/src/db/db/dbLayoutToNetlistWriter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutUtils.cc b/src/db/db/dbLayoutUtils.cc index ef45cc2fb2..1c4a7e0d10 100644 --- a/src/db/db/dbLayoutUtils.cc +++ b/src/db/db/dbLayoutUtils.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutUtils.h b/src/db/db/dbLayoutUtils.h index fed5457c38..c4d06c2393 100644 --- a/src/db/db/dbLayoutUtils.h +++ b/src/db/db/dbLayoutUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutVsSchematic.cc b/src/db/db/dbLayoutVsSchematic.cc index 930ef30167..c385bc9448 100644 --- a/src/db/db/dbLayoutVsSchematic.cc +++ b/src/db/db/dbLayoutVsSchematic.cc @@ -3,7 +3,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutVsSchematic.h b/src/db/db/dbLayoutVsSchematic.h index 99d048d2ae..4783e48806 100644 --- a/src/db/db/dbLayoutVsSchematic.h +++ b/src/db/db/dbLayoutVsSchematic.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutVsSchematicFormatDefs.cc b/src/db/db/dbLayoutVsSchematicFormatDefs.cc index 12f88601ec..fdf5848beb 100644 --- a/src/db/db/dbLayoutVsSchematicFormatDefs.cc +++ b/src/db/db/dbLayoutVsSchematicFormatDefs.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutVsSchematicFormatDefs.h b/src/db/db/dbLayoutVsSchematicFormatDefs.h index 80abceaac0..ef3081bbcc 100644 --- a/src/db/db/dbLayoutVsSchematicFormatDefs.h +++ b/src/db/db/dbLayoutVsSchematicFormatDefs.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutVsSchematicReader.cc b/src/db/db/dbLayoutVsSchematicReader.cc index f486a19eb8..2dc0d344fe 100644 --- a/src/db/db/dbLayoutVsSchematicReader.cc +++ b/src/db/db/dbLayoutVsSchematicReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutVsSchematicReader.h b/src/db/db/dbLayoutVsSchematicReader.h index 7e0e98c362..27a1f3c0f2 100644 --- a/src/db/db/dbLayoutVsSchematicReader.h +++ b/src/db/db/dbLayoutVsSchematicReader.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutVsSchematicWriter.cc b/src/db/db/dbLayoutVsSchematicWriter.cc index 9c100da4f7..06772d208f 100644 --- a/src/db/db/dbLayoutVsSchematicWriter.cc +++ b/src/db/db/dbLayoutVsSchematicWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLayoutVsSchematicWriter.h b/src/db/db/dbLayoutVsSchematicWriter.h index 9311a3c006..8a33f03621 100644 --- a/src/db/db/dbLayoutVsSchematicWriter.h +++ b/src/db/db/dbLayoutVsSchematicWriter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLibrary.cc b/src/db/db/dbLibrary.cc index 59acfa95f7..fdec8109a3 100644 --- a/src/db/db/dbLibrary.cc +++ b/src/db/db/dbLibrary.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLibrary.h b/src/db/db/dbLibrary.h index 9809da34a5..b119bb3dda 100644 --- a/src/db/db/dbLibrary.h +++ b/src/db/db/dbLibrary.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLibraryManager.cc b/src/db/db/dbLibraryManager.cc index 6597999628..3e9e37b478 100644 --- a/src/db/db/dbLibraryManager.cc +++ b/src/db/db/dbLibraryManager.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLibraryManager.h b/src/db/db/dbLibraryManager.h index 7ed757c770..47e8be5535 100644 --- a/src/db/db/dbLibraryManager.h +++ b/src/db/db/dbLibraryManager.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLibraryProxy.cc b/src/db/db/dbLibraryProxy.cc index 7afa8ce246..1bb78a8a7a 100644 --- a/src/db/db/dbLibraryProxy.cc +++ b/src/db/db/dbLibraryProxy.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLibraryProxy.h b/src/db/db/dbLibraryProxy.h index 7b5028d21c..618b42ad59 100644 --- a/src/db/db/dbLibraryProxy.h +++ b/src/db/db/dbLibraryProxy.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLoadLayoutOptions.cc b/src/db/db/dbLoadLayoutOptions.cc index 8618103fcf..3058fac09b 100644 --- a/src/db/db/dbLoadLayoutOptions.cc +++ b/src/db/db/dbLoadLayoutOptions.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLoadLayoutOptions.h b/src/db/db/dbLoadLayoutOptions.h index c9cf1e5280..1fd6229120 100644 --- a/src/db/db/dbLoadLayoutOptions.h +++ b/src/db/db/dbLoadLayoutOptions.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLocalOperation.cc b/src/db/db/dbLocalOperation.cc index 5e7a98d1d5..48961bf32d 100644 --- a/src/db/db/dbLocalOperation.cc +++ b/src/db/db/dbLocalOperation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLocalOperation.h b/src/db/db/dbLocalOperation.h index 96dee16564..470273b013 100644 --- a/src/db/db/dbLocalOperation.h +++ b/src/db/db/dbLocalOperation.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLocalOperationUtils.cc b/src/db/db/dbLocalOperationUtils.cc index e280eabee5..eff3c1b14f 100644 --- a/src/db/db/dbLocalOperationUtils.cc +++ b/src/db/db/dbLocalOperationUtils.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLocalOperationUtils.h b/src/db/db/dbLocalOperationUtils.h index f93e8c67bd..1c7d339427 100644 --- a/src/db/db/dbLocalOperationUtils.h +++ b/src/db/db/dbLocalOperationUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLog.cc b/src/db/db/dbLog.cc index acc295813f..a99f2a864e 100644 --- a/src/db/db/dbLog.cc +++ b/src/db/db/dbLog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbLog.h b/src/db/db/dbLog.h index ff11f528e8..2963624e7a 100644 --- a/src/db/db/dbLog.h +++ b/src/db/db/dbLog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbManager.cc b/src/db/db/dbManager.cc index 54c3617e8b..499abaef72 100644 --- a/src/db/db/dbManager.cc +++ b/src/db/db/dbManager.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbManager.h b/src/db/db/dbManager.h index f66548e394..fbeb8b1222 100644 --- a/src/db/db/dbManager.h +++ b/src/db/db/dbManager.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbMatrix.cc b/src/db/db/dbMatrix.cc index 67afc13b54..724624cefc 100644 --- a/src/db/db/dbMatrix.cc +++ b/src/db/db/dbMatrix.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbMatrix.h b/src/db/db/dbMatrix.h index e9e1b838c7..205252a7d5 100644 --- a/src/db/db/dbMatrix.h +++ b/src/db/db/dbMatrix.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbMemStatistics.cc b/src/db/db/dbMemStatistics.cc index 6c627c8f5b..096a5f3c6d 100644 --- a/src/db/db/dbMemStatistics.cc +++ b/src/db/db/dbMemStatistics.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbMemStatistics.h b/src/db/db/dbMemStatistics.h index 6e997222db..da9514dbec 100644 --- a/src/db/db/dbMemStatistics.h +++ b/src/db/db/dbMemStatistics.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbMetaInfo.h b/src/db/db/dbMetaInfo.h index 50de042917..3002bcbdd7 100644 --- a/src/db/db/dbMetaInfo.h +++ b/src/db/db/dbMetaInfo.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbMutableEdgePairs.cc b/src/db/db/dbMutableEdgePairs.cc index 4a437c1e1e..cd0e234baf 100644 --- a/src/db/db/dbMutableEdgePairs.cc +++ b/src/db/db/dbMutableEdgePairs.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbMutableEdgePairs.h b/src/db/db/dbMutableEdgePairs.h index 3da6b3ab35..36340f149f 100644 --- a/src/db/db/dbMutableEdgePairs.h +++ b/src/db/db/dbMutableEdgePairs.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbMutableEdges.cc b/src/db/db/dbMutableEdges.cc index 2ce7efc410..33fb54fa61 100644 --- a/src/db/db/dbMutableEdges.cc +++ b/src/db/db/dbMutableEdges.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbMutableEdges.h b/src/db/db/dbMutableEdges.h index 40b0979998..d60fd6ae45 100644 --- a/src/db/db/dbMutableEdges.h +++ b/src/db/db/dbMutableEdges.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbMutableRegion.cc b/src/db/db/dbMutableRegion.cc index 2b4042d021..2ffb7c297a 100644 --- a/src/db/db/dbMutableRegion.cc +++ b/src/db/db/dbMutableRegion.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbMutableRegion.h b/src/db/db/dbMutableRegion.h index c6d8d0ab38..fe35061c8a 100644 --- a/src/db/db/dbMutableRegion.h +++ b/src/db/db/dbMutableRegion.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbMutableTexts.cc b/src/db/db/dbMutableTexts.cc index e3fa3a0585..f66943826d 100644 --- a/src/db/db/dbMutableTexts.cc +++ b/src/db/db/dbMutableTexts.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbMutableTexts.h b/src/db/db/dbMutableTexts.h index a6d77fb264..8ad58e5e4c 100644 --- a/src/db/db/dbMutableTexts.h +++ b/src/db/db/dbMutableTexts.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNamedLayerReader.cc b/src/db/db/dbNamedLayerReader.cc index b3de40c67c..428b4c31be 100644 --- a/src/db/db/dbNamedLayerReader.cc +++ b/src/db/db/dbNamedLayerReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNamedLayerReader.h b/src/db/db/dbNamedLayerReader.h index 9ddec7d523..60221fc3cd 100644 --- a/src/db/db/dbNamedLayerReader.h +++ b/src/db/db/dbNamedLayerReader.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNet.cc b/src/db/db/dbNet.cc index c46fc7fae8..be06ce6520 100644 --- a/src/db/db/dbNet.cc +++ b/src/db/db/dbNet.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNet.h b/src/db/db/dbNet.h index d76e2b6768..6ed5a86f1b 100644 --- a/src/db/db/dbNet.h +++ b/src/db/db/dbNet.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetShape.cc b/src/db/db/dbNetShape.cc index 7a212c4e81..3c46a87d9d 100644 --- a/src/db/db/dbNetShape.cc +++ b/src/db/db/dbNetShape.cc @@ -1,7 +1,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetShape.h b/src/db/db/dbNetShape.h index 652578c877..f15e922755 100644 --- a/src/db/db/dbNetShape.h +++ b/src/db/db/dbNetShape.h @@ -1,7 +1,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlist.cc b/src/db/db/dbNetlist.cc index 147a69370d..9c7c724baa 100644 --- a/src/db/db/dbNetlist.cc +++ b/src/db/db/dbNetlist.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlist.h b/src/db/db/dbNetlist.h index 1a096c9a1a..397417d041 100644 --- a/src/db/db/dbNetlist.h +++ b/src/db/db/dbNetlist.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistCompare.cc b/src/db/db/dbNetlistCompare.cc index e628dcfb07..6040ba4a84 100644 --- a/src/db/db/dbNetlistCompare.cc +++ b/src/db/db/dbNetlistCompare.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistCompare.h b/src/db/db/dbNetlistCompare.h index 9c775982fb..0dff2e0599 100644 --- a/src/db/db/dbNetlistCompare.h +++ b/src/db/db/dbNetlistCompare.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistCompareCore.cc b/src/db/db/dbNetlistCompareCore.cc index e4e61deea0..9e8abaef5a 100644 --- a/src/db/db/dbNetlistCompareCore.cc +++ b/src/db/db/dbNetlistCompareCore.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistCompareCore.h b/src/db/db/dbNetlistCompareCore.h index 39935ccb4e..8feff4a9a1 100644 --- a/src/db/db/dbNetlistCompareCore.h +++ b/src/db/db/dbNetlistCompareCore.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistCompareGraph.cc b/src/db/db/dbNetlistCompareGraph.cc index 7d0f4c1dc0..21303f1e20 100644 --- a/src/db/db/dbNetlistCompareGraph.cc +++ b/src/db/db/dbNetlistCompareGraph.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistCompareGraph.h b/src/db/db/dbNetlistCompareGraph.h index be6d6bb384..575d312d4c 100644 --- a/src/db/db/dbNetlistCompareGraph.h +++ b/src/db/db/dbNetlistCompareGraph.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistCompareUtils.cc b/src/db/db/dbNetlistCompareUtils.cc index 18f4f4fb36..b4b50b9ca7 100644 --- a/src/db/db/dbNetlistCompareUtils.cc +++ b/src/db/db/dbNetlistCompareUtils.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistCompareUtils.h b/src/db/db/dbNetlistCompareUtils.h index a1ff0e6fa3..bb4bd2948c 100644 --- a/src/db/db/dbNetlistCompareUtils.h +++ b/src/db/db/dbNetlistCompareUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistCrossReference.cc b/src/db/db/dbNetlistCrossReference.cc index 37598df5c7..e2d98a8348 100644 --- a/src/db/db/dbNetlistCrossReference.cc +++ b/src/db/db/dbNetlistCrossReference.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistCrossReference.h b/src/db/db/dbNetlistCrossReference.h index aec52a8ed5..7655779b8f 100644 --- a/src/db/db/dbNetlistCrossReference.h +++ b/src/db/db/dbNetlistCrossReference.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistDeviceClasses.cc b/src/db/db/dbNetlistDeviceClasses.cc index de9436339e..2a1fa95736 100644 --- a/src/db/db/dbNetlistDeviceClasses.cc +++ b/src/db/db/dbNetlistDeviceClasses.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistDeviceClasses.h b/src/db/db/dbNetlistDeviceClasses.h index 99cafe0f97..79b409baa8 100644 --- a/src/db/db/dbNetlistDeviceClasses.h +++ b/src/db/db/dbNetlistDeviceClasses.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistDeviceExtractor.cc b/src/db/db/dbNetlistDeviceExtractor.cc index 7d627695e3..6e4bc6ae29 100644 --- a/src/db/db/dbNetlistDeviceExtractor.cc +++ b/src/db/db/dbNetlistDeviceExtractor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistDeviceExtractor.h b/src/db/db/dbNetlistDeviceExtractor.h index d12369f7d1..d5648319b4 100644 --- a/src/db/db/dbNetlistDeviceExtractor.h +++ b/src/db/db/dbNetlistDeviceExtractor.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistDeviceExtractorClasses.cc b/src/db/db/dbNetlistDeviceExtractorClasses.cc index ba723fa19f..0ef9a074be 100644 --- a/src/db/db/dbNetlistDeviceExtractorClasses.cc +++ b/src/db/db/dbNetlistDeviceExtractorClasses.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistDeviceExtractorClasses.h b/src/db/db/dbNetlistDeviceExtractorClasses.h index 5713e11b3f..d6da87ccb8 100644 --- a/src/db/db/dbNetlistDeviceExtractorClasses.h +++ b/src/db/db/dbNetlistDeviceExtractorClasses.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistExtractor.cc b/src/db/db/dbNetlistExtractor.cc index f216308747..ddcef72c2f 100644 --- a/src/db/db/dbNetlistExtractor.cc +++ b/src/db/db/dbNetlistExtractor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistExtractor.h b/src/db/db/dbNetlistExtractor.h index 3f8d8915b6..18d7fed012 100644 --- a/src/db/db/dbNetlistExtractor.h +++ b/src/db/db/dbNetlistExtractor.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistObject.cc b/src/db/db/dbNetlistObject.cc index 4ce70bca62..9df0f3055b 100644 --- a/src/db/db/dbNetlistObject.cc +++ b/src/db/db/dbNetlistObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistObject.h b/src/db/db/dbNetlistObject.h index d2d03187fd..aeff3f1f4f 100644 --- a/src/db/db/dbNetlistObject.h +++ b/src/db/db/dbNetlistObject.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistReader.cc b/src/db/db/dbNetlistReader.cc index a758a5d042..1999e316b7 100644 --- a/src/db/db/dbNetlistReader.cc +++ b/src/db/db/dbNetlistReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistReader.h b/src/db/db/dbNetlistReader.h index e3c7f86362..71fb6ae9fa 100644 --- a/src/db/db/dbNetlistReader.h +++ b/src/db/db/dbNetlistReader.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistSpiceReader.cc b/src/db/db/dbNetlistSpiceReader.cc index 1cd64f18e6..2ad1c14e4a 100644 --- a/src/db/db/dbNetlistSpiceReader.cc +++ b/src/db/db/dbNetlistSpiceReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistSpiceReader.h b/src/db/db/dbNetlistSpiceReader.h index 0af71c44fc..e76efff22c 100644 --- a/src/db/db/dbNetlistSpiceReader.h +++ b/src/db/db/dbNetlistSpiceReader.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistSpiceReaderDelegate.cc b/src/db/db/dbNetlistSpiceReaderDelegate.cc index 88d559050a..15196cf289 100644 --- a/src/db/db/dbNetlistSpiceReaderDelegate.cc +++ b/src/db/db/dbNetlistSpiceReaderDelegate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistSpiceReaderDelegate.h b/src/db/db/dbNetlistSpiceReaderDelegate.h index 75e47824f2..f0d9901f36 100644 --- a/src/db/db/dbNetlistSpiceReaderDelegate.h +++ b/src/db/db/dbNetlistSpiceReaderDelegate.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistSpiceReaderExpressionParser.cc b/src/db/db/dbNetlistSpiceReaderExpressionParser.cc index dcfd46332f..a4e18c9d1c 100644 --- a/src/db/db/dbNetlistSpiceReaderExpressionParser.cc +++ b/src/db/db/dbNetlistSpiceReaderExpressionParser.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistSpiceReaderExpressionParser.h b/src/db/db/dbNetlistSpiceReaderExpressionParser.h index 8227885879..c683257db4 100644 --- a/src/db/db/dbNetlistSpiceReaderExpressionParser.h +++ b/src/db/db/dbNetlistSpiceReaderExpressionParser.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistSpiceWriter.cc b/src/db/db/dbNetlistSpiceWriter.cc index 233cb50540..551400078a 100644 --- a/src/db/db/dbNetlistSpiceWriter.cc +++ b/src/db/db/dbNetlistSpiceWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistSpiceWriter.h b/src/db/db/dbNetlistSpiceWriter.h index 3bc39f62b0..cb7780768d 100644 --- a/src/db/db/dbNetlistSpiceWriter.h +++ b/src/db/db/dbNetlistSpiceWriter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistUtils.h b/src/db/db/dbNetlistUtils.h index 95b913e4b4..948e9d0833 100644 --- a/src/db/db/dbNetlistUtils.h +++ b/src/db/db/dbNetlistUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistWriter.cc b/src/db/db/dbNetlistWriter.cc index bb28a7c4e9..1edb12092a 100644 --- a/src/db/db/dbNetlistWriter.cc +++ b/src/db/db/dbNetlistWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbNetlistWriter.h b/src/db/db/dbNetlistWriter.h index 9b2d527d2f..4b07bbd1d4 100644 --- a/src/db/db/dbNetlistWriter.h +++ b/src/db/db/dbNetlistWriter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbObject.cc b/src/db/db/dbObject.cc index 703bf411e5..9f5c778913 100644 --- a/src/db/db/dbObject.cc +++ b/src/db/db/dbObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbObject.h b/src/db/db/dbObject.h index 291688da57..58c378734d 100644 --- a/src/db/db/dbObject.h +++ b/src/db/db/dbObject.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbObjectTag.h b/src/db/db/dbObjectTag.h index 9b5bf0970c..fa62e5daf4 100644 --- a/src/db/db/dbObjectTag.h +++ b/src/db/db/dbObjectTag.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbObjectWithProperties.h b/src/db/db/dbObjectWithProperties.h index 7b1d46c05d..139b5d546b 100644 --- a/src/db/db/dbObjectWithProperties.h +++ b/src/db/db/dbObjectWithProperties.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbOriginalLayerEdgePairs.cc b/src/db/db/dbOriginalLayerEdgePairs.cc index b1c9ec1b00..9aeb25eada 100644 --- a/src/db/db/dbOriginalLayerEdgePairs.cc +++ b/src/db/db/dbOriginalLayerEdgePairs.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbOriginalLayerEdgePairs.h b/src/db/db/dbOriginalLayerEdgePairs.h index 9800c7485c..001059b88a 100644 --- a/src/db/db/dbOriginalLayerEdgePairs.h +++ b/src/db/db/dbOriginalLayerEdgePairs.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbOriginalLayerEdges.cc b/src/db/db/dbOriginalLayerEdges.cc index b088d299c1..952d668e0c 100644 --- a/src/db/db/dbOriginalLayerEdges.cc +++ b/src/db/db/dbOriginalLayerEdges.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbOriginalLayerEdges.h b/src/db/db/dbOriginalLayerEdges.h index 2136042b2a..0284e935a1 100644 --- a/src/db/db/dbOriginalLayerEdges.h +++ b/src/db/db/dbOriginalLayerEdges.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbOriginalLayerRegion.cc b/src/db/db/dbOriginalLayerRegion.cc index e4773219e2..44f22c604a 100644 --- a/src/db/db/dbOriginalLayerRegion.cc +++ b/src/db/db/dbOriginalLayerRegion.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbOriginalLayerRegion.h b/src/db/db/dbOriginalLayerRegion.h index 8019cc7c87..82a0fcd619 100644 --- a/src/db/db/dbOriginalLayerRegion.h +++ b/src/db/db/dbOriginalLayerRegion.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbOriginalLayerTexts.cc b/src/db/db/dbOriginalLayerTexts.cc index dbc0e068da..b933c14409 100644 --- a/src/db/db/dbOriginalLayerTexts.cc +++ b/src/db/db/dbOriginalLayerTexts.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbOriginalLayerTexts.h b/src/db/db/dbOriginalLayerTexts.h index d823e6103b..fb4935b709 100644 --- a/src/db/db/dbOriginalLayerTexts.h +++ b/src/db/db/dbOriginalLayerTexts.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPCellDeclaration.cc b/src/db/db/dbPCellDeclaration.cc index 4f7ee854dc..c8eb70963e 100644 --- a/src/db/db/dbPCellDeclaration.cc +++ b/src/db/db/dbPCellDeclaration.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPCellDeclaration.h b/src/db/db/dbPCellDeclaration.h index 4e879de7de..08e0586834 100644 --- a/src/db/db/dbPCellDeclaration.h +++ b/src/db/db/dbPCellDeclaration.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPCellHeader.cc b/src/db/db/dbPCellHeader.cc index af782d15f7..c20f06653e 100644 --- a/src/db/db/dbPCellHeader.cc +++ b/src/db/db/dbPCellHeader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPCellHeader.h b/src/db/db/dbPCellHeader.h index f1f2a5f688..26d29c42ce 100644 --- a/src/db/db/dbPCellHeader.h +++ b/src/db/db/dbPCellHeader.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPCellVariant.cc b/src/db/db/dbPCellVariant.cc index e5660daf0e..7c83a612a2 100644 --- a/src/db/db/dbPCellVariant.cc +++ b/src/db/db/dbPCellVariant.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPCellVariant.h b/src/db/db/dbPCellVariant.h index 3a96734263..aca119a095 100644 --- a/src/db/db/dbPCellVariant.h +++ b/src/db/db/dbPCellVariant.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPath.cc b/src/db/db/dbPath.cc index f1d5be16ea..8b4968676f 100644 --- a/src/db/db/dbPath.cc +++ b/src/db/db/dbPath.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPath.h b/src/db/db/dbPath.h index d715862ad4..d30bb5b29d 100644 --- a/src/db/db/dbPath.h +++ b/src/db/db/dbPath.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPin.cc b/src/db/db/dbPin.cc index ff82d0d757..72900f1d5e 100644 --- a/src/db/db/dbPin.cc +++ b/src/db/db/dbPin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPin.h b/src/db/db/dbPin.h index 3fa1be9ea9..5169f74dd0 100644 --- a/src/db/db/dbPin.h +++ b/src/db/db/dbPin.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPlugin.cc b/src/db/db/dbPlugin.cc index 10717e7407..138a1efff3 100644 --- a/src/db/db/dbPlugin.cc +++ b/src/db/db/dbPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPlugin.h b/src/db/db/dbPlugin.h index 96d77ec6f9..fbf43e9e7f 100644 --- a/src/db/db/dbPlugin.h +++ b/src/db/db/dbPlugin.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPoint.cc b/src/db/db/dbPoint.cc index e138ac6a3d..328b79a6ab 100644 --- a/src/db/db/dbPoint.cc +++ b/src/db/db/dbPoint.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPoint.h b/src/db/db/dbPoint.h index ae8ff86384..9b77006779 100644 --- a/src/db/db/dbPoint.h +++ b/src/db/db/dbPoint.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPolygon.cc b/src/db/db/dbPolygon.cc index e1b8edbc86..7c2cedd93e 100644 --- a/src/db/db/dbPolygon.cc +++ b/src/db/db/dbPolygon.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPolygon.h b/src/db/db/dbPolygon.h index 0b3a1f6035..68e758f618 100644 --- a/src/db/db/dbPolygon.h +++ b/src/db/db/dbPolygon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPolygonGenerators.cc b/src/db/db/dbPolygonGenerators.cc index e14934415c..ec72e55b58 100644 --- a/src/db/db/dbPolygonGenerators.cc +++ b/src/db/db/dbPolygonGenerators.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPolygonGenerators.h b/src/db/db/dbPolygonGenerators.h index d074a78ea9..d56bc99d73 100644 --- a/src/db/db/dbPolygonGenerators.h +++ b/src/db/db/dbPolygonGenerators.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPolygonTools.cc b/src/db/db/dbPolygonTools.cc index 9a11356d62..a59b039038 100644 --- a/src/db/db/dbPolygonTools.cc +++ b/src/db/db/dbPolygonTools.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPolygonTools.h b/src/db/db/dbPolygonTools.h index d7d67c88e9..e931aa54ed 100644 --- a/src/db/db/dbPolygonTools.h +++ b/src/db/db/dbPolygonTools.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPropertiesRepository.cc b/src/db/db/dbPropertiesRepository.cc index 99d688d609..3f3d10049c 100644 --- a/src/db/db/dbPropertiesRepository.cc +++ b/src/db/db/dbPropertiesRepository.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPropertiesRepository.h b/src/db/db/dbPropertiesRepository.h index 1a3a3d11ed..0fe9c4b9ec 100644 --- a/src/db/db/dbPropertiesRepository.h +++ b/src/db/db/dbPropertiesRepository.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbPropertyConstraint.h b/src/db/db/dbPropertyConstraint.h index b59a4f7a85..a1df554fa9 100644 --- a/src/db/db/dbPropertyConstraint.h +++ b/src/db/db/dbPropertyConstraint.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbReader.cc b/src/db/db/dbReader.cc index eac88d2ab4..a5b10cd164 100644 --- a/src/db/db/dbReader.cc +++ b/src/db/db/dbReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbReader.h b/src/db/db/dbReader.h index b861b53856..dc278e19f3 100644 --- a/src/db/db/dbReader.h +++ b/src/db/db/dbReader.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbRecursiveInstanceIterator.cc b/src/db/db/dbRecursiveInstanceIterator.cc index d4a6b6affb..2b9efb3d0a 100644 --- a/src/db/db/dbRecursiveInstanceIterator.cc +++ b/src/db/db/dbRecursiveInstanceIterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbRecursiveInstanceIterator.h b/src/db/db/dbRecursiveInstanceIterator.h index cfd1b16852..dd06c5cf55 100644 --- a/src/db/db/dbRecursiveInstanceIterator.h +++ b/src/db/db/dbRecursiveInstanceIterator.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbRecursiveShapeIterator.cc b/src/db/db/dbRecursiveShapeIterator.cc index 979ab6d789..9a8f6052f2 100644 --- a/src/db/db/dbRecursiveShapeIterator.cc +++ b/src/db/db/dbRecursiveShapeIterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbRecursiveShapeIterator.h b/src/db/db/dbRecursiveShapeIterator.h index 281a7ce82c..43f913b1a6 100644 --- a/src/db/db/dbRecursiveShapeIterator.h +++ b/src/db/db/dbRecursiveShapeIterator.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbRegion.cc b/src/db/db/dbRegion.cc index 943e5e1374..7310476988 100644 --- a/src/db/db/dbRegion.cc +++ b/src/db/db/dbRegion.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbRegion.h b/src/db/db/dbRegion.h index 47e687d16c..ee62f4390c 100644 --- a/src/db/db/dbRegion.h +++ b/src/db/db/dbRegion.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbRegionCheckUtils.cc b/src/db/db/dbRegionCheckUtils.cc index 41ecdd35a3..8b7dbf2493 100644 --- a/src/db/db/dbRegionCheckUtils.cc +++ b/src/db/db/dbRegionCheckUtils.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbRegionCheckUtils.h b/src/db/db/dbRegionCheckUtils.h index b2a55fd84c..fad0dfabbf 100644 --- a/src/db/db/dbRegionCheckUtils.h +++ b/src/db/db/dbRegionCheckUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbRegionDelegate.cc b/src/db/db/dbRegionDelegate.cc index 3d8bd30015..1422605d0b 100644 --- a/src/db/db/dbRegionDelegate.cc +++ b/src/db/db/dbRegionDelegate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbRegionDelegate.h b/src/db/db/dbRegionDelegate.h index 1b701f26d6..ab8597646c 100644 --- a/src/db/db/dbRegionDelegate.h +++ b/src/db/db/dbRegionDelegate.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbRegionLocalOperations.cc b/src/db/db/dbRegionLocalOperations.cc index 915763b5da..bd82acc6f6 100644 --- a/src/db/db/dbRegionLocalOperations.cc +++ b/src/db/db/dbRegionLocalOperations.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbRegionLocalOperations.h b/src/db/db/dbRegionLocalOperations.h index b1ffc8785b..90e91053e4 100644 --- a/src/db/db/dbRegionLocalOperations.h +++ b/src/db/db/dbRegionLocalOperations.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbRegionProcessors.cc b/src/db/db/dbRegionProcessors.cc index b808555b8a..ce809ac932 100644 --- a/src/db/db/dbRegionProcessors.cc +++ b/src/db/db/dbRegionProcessors.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbRegionProcessors.h b/src/db/db/dbRegionProcessors.h index 3ec8ad895b..74f1a51001 100644 --- a/src/db/db/dbRegionProcessors.h +++ b/src/db/db/dbRegionProcessors.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbRegionUtils.cc b/src/db/db/dbRegionUtils.cc index 0445ebc9f3..5084c03328 100644 --- a/src/db/db/dbRegionUtils.cc +++ b/src/db/db/dbRegionUtils.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbRegionUtils.h b/src/db/db/dbRegionUtils.h index 71fd00daf9..0b410b1106 100644 --- a/src/db/db/dbRegionUtils.h +++ b/src/db/db/dbRegionUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbSaveLayoutOptions.cc b/src/db/db/dbSaveLayoutOptions.cc index 0207e4abb4..cdd5cc480b 100644 --- a/src/db/db/dbSaveLayoutOptions.cc +++ b/src/db/db/dbSaveLayoutOptions.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbSaveLayoutOptions.h b/src/db/db/dbSaveLayoutOptions.h index 0b6f1bcee4..409ea1b5f8 100644 --- a/src/db/db/dbSaveLayoutOptions.h +++ b/src/db/db/dbSaveLayoutOptions.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbShape.cc b/src/db/db/dbShape.cc index 35a08eae1f..47fc28776c 100644 --- a/src/db/db/dbShape.cc +++ b/src/db/db/dbShape.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbShape.h b/src/db/db/dbShape.h index 64c1eef8d3..5ab336667f 100644 --- a/src/db/db/dbShape.h +++ b/src/db/db/dbShape.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbShapeCollection.cc b/src/db/db/dbShapeCollection.cc index ba1eb224b6..d0591f9d3a 100644 --- a/src/db/db/dbShapeCollection.cc +++ b/src/db/db/dbShapeCollection.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbShapeCollection.h b/src/db/db/dbShapeCollection.h index a036e0887d..43493efa79 100644 --- a/src/db/db/dbShapeCollection.h +++ b/src/db/db/dbShapeCollection.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbShapeCollectionUtils.cc b/src/db/db/dbShapeCollectionUtils.cc index 919f4d1184..4080cfa214 100644 --- a/src/db/db/dbShapeCollectionUtils.cc +++ b/src/db/db/dbShapeCollectionUtils.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbShapeCollectionUtils.h b/src/db/db/dbShapeCollectionUtils.h index 954efc628b..0d2a448f90 100644 --- a/src/db/db/dbShapeCollectionUtils.h +++ b/src/db/db/dbShapeCollectionUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbShapeFlags.cc b/src/db/db/dbShapeFlags.cc index 8bc1f5baed..73734e020b 100644 --- a/src/db/db/dbShapeFlags.cc +++ b/src/db/db/dbShapeFlags.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbShapeFlags.h b/src/db/db/dbShapeFlags.h index 700a104e55..79534a985a 100644 --- a/src/db/db/dbShapeFlags.h +++ b/src/db/db/dbShapeFlags.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbShapeIterator.cc b/src/db/db/dbShapeIterator.cc index aef1512584..11826a80b6 100644 --- a/src/db/db/dbShapeIterator.cc +++ b/src/db/db/dbShapeIterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbShapeProcessor.cc b/src/db/db/dbShapeProcessor.cc index 9e11d942da..518aaa9e7e 100644 --- a/src/db/db/dbShapeProcessor.cc +++ b/src/db/db/dbShapeProcessor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbShapeProcessor.h b/src/db/db/dbShapeProcessor.h index 95f939ab06..a7afde10c1 100644 --- a/src/db/db/dbShapeProcessor.h +++ b/src/db/db/dbShapeProcessor.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbShapeRepository.h b/src/db/db/dbShapeRepository.h index d3aa10ab5c..ebb1becb23 100644 --- a/src/db/db/dbShapeRepository.h +++ b/src/db/db/dbShapeRepository.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbShapes.cc b/src/db/db/dbShapes.cc index 48736115dc..5f6003757d 100644 --- a/src/db/db/dbShapes.cc +++ b/src/db/db/dbShapes.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbShapes.h b/src/db/db/dbShapes.h index bffb083151..c331a3f649 100644 --- a/src/db/db/dbShapes.h +++ b/src/db/db/dbShapes.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbShapes2.cc b/src/db/db/dbShapes2.cc index 39534f6463..5d740bdf93 100644 --- a/src/db/db/dbShapes2.cc +++ b/src/db/db/dbShapes2.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbShapes2.h b/src/db/db/dbShapes2.h index 3a51d6f105..83094f88d1 100644 --- a/src/db/db/dbShapes2.h +++ b/src/db/db/dbShapes2.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbShapes3.cc b/src/db/db/dbShapes3.cc index 62055554e9..82dbc43f2a 100644 --- a/src/db/db/dbShapes3.cc +++ b/src/db/db/dbShapes3.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbStatic.cc b/src/db/db/dbStatic.cc index 9da62f00e9..5d311e42a9 100644 --- a/src/db/db/dbStatic.cc +++ b/src/db/db/dbStatic.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbStatic.h b/src/db/db/dbStatic.h index 9a92ee41e8..0ac5c9279b 100644 --- a/src/db/db/dbStatic.h +++ b/src/db/db/dbStatic.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbStream.cc b/src/db/db/dbStream.cc index 4795925447..3d7cf935d9 100644 --- a/src/db/db/dbStream.cc +++ b/src/db/db/dbStream.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbStream.h b/src/db/db/dbStream.h index c6542dd949..06ce1755dd 100644 --- a/src/db/db/dbStream.h +++ b/src/db/db/dbStream.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbStreamLayers.cc b/src/db/db/dbStreamLayers.cc index f5b146cd16..63e65a0812 100644 --- a/src/db/db/dbStreamLayers.cc +++ b/src/db/db/dbStreamLayers.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbStreamLayers.h b/src/db/db/dbStreamLayers.h index c0a227c70f..0456358b7c 100644 --- a/src/db/db/dbStreamLayers.h +++ b/src/db/db/dbStreamLayers.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbSubCircuit.cc b/src/db/db/dbSubCircuit.cc index bd1047727d..d57ed384f4 100644 --- a/src/db/db/dbSubCircuit.cc +++ b/src/db/db/dbSubCircuit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbSubCircuit.h b/src/db/db/dbSubCircuit.h index 618b8f230b..9f0ddd6a11 100644 --- a/src/db/db/dbSubCircuit.h +++ b/src/db/db/dbSubCircuit.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTechnology.cc b/src/db/db/dbTechnology.cc index ad4eb63cf8..2801b29e10 100644 --- a/src/db/db/dbTechnology.cc +++ b/src/db/db/dbTechnology.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTechnology.h b/src/db/db/dbTechnology.h index 9327b6d2dc..2f8c88d760 100644 --- a/src/db/db/dbTechnology.h +++ b/src/db/db/dbTechnology.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTestSupport.cc b/src/db/db/dbTestSupport.cc index 125b4702e2..c93757909f 100644 --- a/src/db/db/dbTestSupport.cc +++ b/src/db/db/dbTestSupport.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTestSupport.h b/src/db/db/dbTestSupport.h index a876152794..4963b2ec4a 100644 --- a/src/db/db/dbTestSupport.h +++ b/src/db/db/dbTestSupport.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbText.cc b/src/db/db/dbText.cc index cde9f90375..4bd2bbf7d6 100644 --- a/src/db/db/dbText.cc +++ b/src/db/db/dbText.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbText.h b/src/db/db/dbText.h index ffff84e07d..6ad6a43de4 100644 --- a/src/db/db/dbText.h +++ b/src/db/db/dbText.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTextWriter.cc b/src/db/db/dbTextWriter.cc index a13a82d766..4276756021 100644 --- a/src/db/db/dbTextWriter.cc +++ b/src/db/db/dbTextWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTextWriter.h b/src/db/db/dbTextWriter.h index a29fbcc2a0..f08678337d 100644 --- a/src/db/db/dbTextWriter.h +++ b/src/db/db/dbTextWriter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTexts.cc b/src/db/db/dbTexts.cc index 2a8d8ee196..31d6ae0a8b 100644 --- a/src/db/db/dbTexts.cc +++ b/src/db/db/dbTexts.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTexts.h b/src/db/db/dbTexts.h index bc18827088..3ed3cf1f85 100644 --- a/src/db/db/dbTexts.h +++ b/src/db/db/dbTexts.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTextsDelegate.cc b/src/db/db/dbTextsDelegate.cc index bf4a6320fd..d4ad3cfa58 100644 --- a/src/db/db/dbTextsDelegate.cc +++ b/src/db/db/dbTextsDelegate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTextsDelegate.h b/src/db/db/dbTextsDelegate.h index 726714dad6..6a818cec58 100644 --- a/src/db/db/dbTextsDelegate.h +++ b/src/db/db/dbTextsDelegate.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTextsUtils.cc b/src/db/db/dbTextsUtils.cc index 3b2888190e..1149bd1620 100644 --- a/src/db/db/dbTextsUtils.cc +++ b/src/db/db/dbTextsUtils.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTextsUtils.h b/src/db/db/dbTextsUtils.h index 9324b6919b..d46da88844 100644 --- a/src/db/db/dbTextsUtils.h +++ b/src/db/db/dbTextsUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTilingProcessor.cc b/src/db/db/dbTilingProcessor.cc index 93f99c65ac..26e016fc29 100644 --- a/src/db/db/dbTilingProcessor.cc +++ b/src/db/db/dbTilingProcessor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTilingProcessor.h b/src/db/db/dbTilingProcessor.h index e7bfe765e9..f877247c9f 100644 --- a/src/db/db/dbTilingProcessor.h +++ b/src/db/db/dbTilingProcessor.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTrans.cc b/src/db/db/dbTrans.cc index 0da4bb7d3b..deedb19582 100644 --- a/src/db/db/dbTrans.cc +++ b/src/db/db/dbTrans.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTrans.h b/src/db/db/dbTrans.h index d6b87272df..58352e4fe9 100644 --- a/src/db/db/dbTrans.h +++ b/src/db/db/dbTrans.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTriangle.cc b/src/db/db/dbTriangle.cc index 210414b9b4..09a6cd20dc 100644 --- a/src/db/db/dbTriangle.cc +++ b/src/db/db/dbTriangle.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTriangle.h b/src/db/db/dbTriangle.h index 11bd2f3e37..63b5bc0f2c 100644 --- a/src/db/db/dbTriangle.h +++ b/src/db/db/dbTriangle.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTriangles.cc b/src/db/db/dbTriangles.cc index ad6a5b0a46..8968e9ad49 100644 --- a/src/db/db/dbTriangles.cc +++ b/src/db/db/dbTriangles.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTriangles.h b/src/db/db/dbTriangles.h index 62a24acf25..0b9afed4ea 100644 --- a/src/db/db/dbTriangles.h +++ b/src/db/db/dbTriangles.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbTypes.h b/src/db/db/dbTypes.h index 82498c67e3..7922ec6b84 100644 --- a/src/db/db/dbTypes.h +++ b/src/db/db/dbTypes.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbUserObject.cc b/src/db/db/dbUserObject.cc index ecdce334da..39542e4c80 100644 --- a/src/db/db/dbUserObject.cc +++ b/src/db/db/dbUserObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbUserObject.h b/src/db/db/dbUserObject.h index 04eab53224..339b9d9df7 100644 --- a/src/db/db/dbUserObject.h +++ b/src/db/db/dbUserObject.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbUtils.cc b/src/db/db/dbUtils.cc index 0cb362f938..c08ee72658 100644 --- a/src/db/db/dbUtils.cc +++ b/src/db/db/dbUtils.cc @@ -1,7 +1,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbUtils.h b/src/db/db/dbUtils.h index cb9a6280cc..702a3fdfee 100644 --- a/src/db/db/dbUtils.h +++ b/src/db/db/dbUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbVariableWidthPath.cc b/src/db/db/dbVariableWidthPath.cc index 6910e05d2e..a5115d3a4a 100644 --- a/src/db/db/dbVariableWidthPath.cc +++ b/src/db/db/dbVariableWidthPath.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbVariableWidthPath.h b/src/db/db/dbVariableWidthPath.h index dfae56d450..c3a43f7fc8 100644 --- a/src/db/db/dbVariableWidthPath.h +++ b/src/db/db/dbVariableWidthPath.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbVector.cc b/src/db/db/dbVector.cc index ece84502c9..0446f69e3a 100644 --- a/src/db/db/dbVector.cc +++ b/src/db/db/dbVector.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbVector.h b/src/db/db/dbVector.h index 87faa90fab..080aebde7e 100644 --- a/src/db/db/dbVector.h +++ b/src/db/db/dbVector.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbWriter.cc b/src/db/db/dbWriter.cc index 96b75c2b3f..94e6c6473d 100644 --- a/src/db/db/dbWriter.cc +++ b/src/db/db/dbWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbWriter.h b/src/db/db/dbWriter.h index 44c854e6e0..529744502f 100644 --- a/src/db/db/dbWriter.h +++ b/src/db/db/dbWriter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbWriterTools.cc b/src/db/db/dbWriterTools.cc index 20184cb3ea..a7627f78c7 100644 --- a/src/db/db/dbWriterTools.cc +++ b/src/db/db/dbWriterTools.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/dbWriterTools.h b/src/db/db/dbWriterTools.h index 9abef70f24..c549555ea2 100644 --- a/src/db/db/dbWriterTools.h +++ b/src/db/db/dbWriterTools.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbBox.cc b/src/db/db/gsiDeclDbBox.cc index ab6b02db2b..50dc0d8835 100644 --- a/src/db/db/gsiDeclDbBox.cc +++ b/src/db/db/gsiDeclDbBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbCell.cc b/src/db/db/gsiDeclDbCell.cc index 487c97157e..4a65a4a91a 100644 --- a/src/db/db/gsiDeclDbCell.cc +++ b/src/db/db/gsiDeclDbCell.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbCellMapping.cc b/src/db/db/gsiDeclDbCellMapping.cc index a35e6ae55d..d042c30b23 100644 --- a/src/db/db/gsiDeclDbCellMapping.cc +++ b/src/db/db/gsiDeclDbCellMapping.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbCommonStreamOptions.cc b/src/db/db/gsiDeclDbCommonStreamOptions.cc index 3294c1419b..1bc0281efd 100644 --- a/src/db/db/gsiDeclDbCommonStreamOptions.cc +++ b/src/db/db/gsiDeclDbCommonStreamOptions.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbCompoundOperation.cc b/src/db/db/gsiDeclDbCompoundOperation.cc index 9271ba64fd..dd88ca6d25 100644 --- a/src/db/db/gsiDeclDbCompoundOperation.cc +++ b/src/db/db/gsiDeclDbCompoundOperation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbContainerHelpers.h b/src/db/db/gsiDeclDbContainerHelpers.h index a2d4fe9612..e16e91be8b 100644 --- a/src/db/db/gsiDeclDbContainerHelpers.h +++ b/src/db/db/gsiDeclDbContainerHelpers.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbDeepShapeStore.cc b/src/db/db/gsiDeclDbDeepShapeStore.cc index ca4197deff..a80c84848b 100644 --- a/src/db/db/gsiDeclDbDeepShapeStore.cc +++ b/src/db/db/gsiDeclDbDeepShapeStore.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbEdge.cc b/src/db/db/gsiDeclDbEdge.cc index 405b38f2c2..1abff31454 100644 --- a/src/db/db/gsiDeclDbEdge.cc +++ b/src/db/db/gsiDeclDbEdge.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbEdgePair.cc b/src/db/db/gsiDeclDbEdgePair.cc index 378fb0a279..071158558c 100644 --- a/src/db/db/gsiDeclDbEdgePair.cc +++ b/src/db/db/gsiDeclDbEdgePair.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbEdgePairs.cc b/src/db/db/gsiDeclDbEdgePairs.cc index 0c44c95b16..870991c4dc 100644 --- a/src/db/db/gsiDeclDbEdgePairs.cc +++ b/src/db/db/gsiDeclDbEdgePairs.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbEdgeProcessor.cc b/src/db/db/gsiDeclDbEdgeProcessor.cc index 4f4cfbea37..3543366e3c 100644 --- a/src/db/db/gsiDeclDbEdgeProcessor.cc +++ b/src/db/db/gsiDeclDbEdgeProcessor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbEdges.cc b/src/db/db/gsiDeclDbEdges.cc index f1abfe6205..718b6d16b8 100644 --- a/src/db/db/gsiDeclDbEdges.cc +++ b/src/db/db/gsiDeclDbEdges.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbGlyphs.cc b/src/db/db/gsiDeclDbGlyphs.cc index c39dcf74fa..36d5adbc94 100644 --- a/src/db/db/gsiDeclDbGlyphs.cc +++ b/src/db/db/gsiDeclDbGlyphs.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbHelpers.h b/src/db/db/gsiDeclDbHelpers.h index f307803fe9..32586fcb80 100644 --- a/src/db/db/gsiDeclDbHelpers.h +++ b/src/db/db/gsiDeclDbHelpers.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbHierNetworkProcessor.cc b/src/db/db/gsiDeclDbHierNetworkProcessor.cc index 0fce9d6f32..7e05ccbeb6 100644 --- a/src/db/db/gsiDeclDbHierNetworkProcessor.cc +++ b/src/db/db/gsiDeclDbHierNetworkProcessor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbInstElement.cc b/src/db/db/gsiDeclDbInstElement.cc index 4002625d87..cf6b6e12d0 100644 --- a/src/db/db/gsiDeclDbInstElement.cc +++ b/src/db/db/gsiDeclDbInstElement.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbLayerMapping.cc b/src/db/db/gsiDeclDbLayerMapping.cc index 4095e39681..5db9bfce33 100644 --- a/src/db/db/gsiDeclDbLayerMapping.cc +++ b/src/db/db/gsiDeclDbLayerMapping.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbLayout.cc b/src/db/db/gsiDeclDbLayout.cc index 2493e3b813..d85fe36873 100644 --- a/src/db/db/gsiDeclDbLayout.cc +++ b/src/db/db/gsiDeclDbLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbLayoutDiff.cc b/src/db/db/gsiDeclDbLayoutDiff.cc index 1ed1335ca2..84ac3217e1 100644 --- a/src/db/db/gsiDeclDbLayoutDiff.cc +++ b/src/db/db/gsiDeclDbLayoutDiff.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbLayoutQuery.cc b/src/db/db/gsiDeclDbLayoutQuery.cc index 399b7b84f5..c7271f1323 100644 --- a/src/db/db/gsiDeclDbLayoutQuery.cc +++ b/src/db/db/gsiDeclDbLayoutQuery.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbLayoutToNetlist.cc b/src/db/db/gsiDeclDbLayoutToNetlist.cc index 16237cdc7e..a71ae0eaa4 100644 --- a/src/db/db/gsiDeclDbLayoutToNetlist.cc +++ b/src/db/db/gsiDeclDbLayoutToNetlist.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbLayoutUtils.cc b/src/db/db/gsiDeclDbLayoutUtils.cc index 701fd97fec..114bd01785 100644 --- a/src/db/db/gsiDeclDbLayoutUtils.cc +++ b/src/db/db/gsiDeclDbLayoutUtils.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbLayoutVsSchematic.cc b/src/db/db/gsiDeclDbLayoutVsSchematic.cc index 308d695a0b..9c9ac2aea0 100644 --- a/src/db/db/gsiDeclDbLayoutVsSchematic.cc +++ b/src/db/db/gsiDeclDbLayoutVsSchematic.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbLibrary.cc b/src/db/db/gsiDeclDbLibrary.cc index 6dc75a6360..8f739a5eef 100644 --- a/src/db/db/gsiDeclDbLibrary.cc +++ b/src/db/db/gsiDeclDbLibrary.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbLog.cc b/src/db/db/gsiDeclDbLog.cc index d03be1bc3e..96e44aa6c2 100644 --- a/src/db/db/gsiDeclDbLog.cc +++ b/src/db/db/gsiDeclDbLog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbManager.cc b/src/db/db/gsiDeclDbManager.cc index f253fbb51e..cbd80e1beb 100644 --- a/src/db/db/gsiDeclDbManager.cc +++ b/src/db/db/gsiDeclDbManager.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbMatrix.cc b/src/db/db/gsiDeclDbMatrix.cc index 324433742d..cd1be88e21 100644 --- a/src/db/db/gsiDeclDbMatrix.cc +++ b/src/db/db/gsiDeclDbMatrix.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbMetaInfo.cc b/src/db/db/gsiDeclDbMetaInfo.cc index ef760d4384..62ad48b895 100644 --- a/src/db/db/gsiDeclDbMetaInfo.cc +++ b/src/db/db/gsiDeclDbMetaInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbMetaInfo.h b/src/db/db/gsiDeclDbMetaInfo.h index 84bbadc0a1..29d5f0041d 100644 --- a/src/db/db/gsiDeclDbMetaInfo.h +++ b/src/db/db/gsiDeclDbMetaInfo.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbNetlist.cc b/src/db/db/gsiDeclDbNetlist.cc index 55828ab47f..a1163ae29f 100644 --- a/src/db/db/gsiDeclDbNetlist.cc +++ b/src/db/db/gsiDeclDbNetlist.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbNetlistCompare.cc b/src/db/db/gsiDeclDbNetlistCompare.cc index 23cd7de6ec..f367492242 100644 --- a/src/db/db/gsiDeclDbNetlistCompare.cc +++ b/src/db/db/gsiDeclDbNetlistCompare.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbNetlistCrossReference.cc b/src/db/db/gsiDeclDbNetlistCrossReference.cc index 99795b7ab9..6323a14d4a 100644 --- a/src/db/db/gsiDeclDbNetlistCrossReference.cc +++ b/src/db/db/gsiDeclDbNetlistCrossReference.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbNetlistDeviceClasses.cc b/src/db/db/gsiDeclDbNetlistDeviceClasses.cc index 9b74c54fea..fab1479822 100644 --- a/src/db/db/gsiDeclDbNetlistDeviceClasses.cc +++ b/src/db/db/gsiDeclDbNetlistDeviceClasses.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbNetlistDeviceExtractor.cc b/src/db/db/gsiDeclDbNetlistDeviceExtractor.cc index c7a214dca0..3429c28239 100644 --- a/src/db/db/gsiDeclDbNetlistDeviceExtractor.cc +++ b/src/db/db/gsiDeclDbNetlistDeviceExtractor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbPath.cc b/src/db/db/gsiDeclDbPath.cc index 4244df1338..1f8bc9b458 100644 --- a/src/db/db/gsiDeclDbPath.cc +++ b/src/db/db/gsiDeclDbPath.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbPoint.cc b/src/db/db/gsiDeclDbPoint.cc index df1a946681..34de7a1ad2 100644 --- a/src/db/db/gsiDeclDbPoint.cc +++ b/src/db/db/gsiDeclDbPoint.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbPolygon.cc b/src/db/db/gsiDeclDbPolygon.cc index 0fb9a0dc1d..417351c162 100644 --- a/src/db/db/gsiDeclDbPolygon.cc +++ b/src/db/db/gsiDeclDbPolygon.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbReader.cc b/src/db/db/gsiDeclDbReader.cc index d0d030e76b..7d588a524a 100644 --- a/src/db/db/gsiDeclDbReader.cc +++ b/src/db/db/gsiDeclDbReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbRecursiveInstanceIterator.cc b/src/db/db/gsiDeclDbRecursiveInstanceIterator.cc index 4f098e0b75..b6aca2bd45 100644 --- a/src/db/db/gsiDeclDbRecursiveInstanceIterator.cc +++ b/src/db/db/gsiDeclDbRecursiveInstanceIterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbRecursiveShapeIterator.cc b/src/db/db/gsiDeclDbRecursiveShapeIterator.cc index f549f53b62..bc702af0f9 100644 --- a/src/db/db/gsiDeclDbRecursiveShapeIterator.cc +++ b/src/db/db/gsiDeclDbRecursiveShapeIterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbRegion.cc b/src/db/db/gsiDeclDbRegion.cc index de62bf4632..43b8095534 100644 --- a/src/db/db/gsiDeclDbRegion.cc +++ b/src/db/db/gsiDeclDbRegion.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbShape.cc b/src/db/db/gsiDeclDbShape.cc index 2837d00bf6..c6671d9b7e 100644 --- a/src/db/db/gsiDeclDbShape.cc +++ b/src/db/db/gsiDeclDbShape.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbShapeCollection.cc b/src/db/db/gsiDeclDbShapeCollection.cc index 2b4686a9a8..0fb83c2459 100644 --- a/src/db/db/gsiDeclDbShapeCollection.cc +++ b/src/db/db/gsiDeclDbShapeCollection.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbShapeProcessor.cc b/src/db/db/gsiDeclDbShapeProcessor.cc index c5ab76f811..ba0d695f84 100644 --- a/src/db/db/gsiDeclDbShapeProcessor.cc +++ b/src/db/db/gsiDeclDbShapeProcessor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbShapes.cc b/src/db/db/gsiDeclDbShapes.cc index 33f1a90c53..f2334f33b2 100644 --- a/src/db/db/gsiDeclDbShapes.cc +++ b/src/db/db/gsiDeclDbShapes.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbTechnologies.cc b/src/db/db/gsiDeclDbTechnologies.cc index 81bc2ca483..2a7fa7167c 100644 --- a/src/db/db/gsiDeclDbTechnologies.cc +++ b/src/db/db/gsiDeclDbTechnologies.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbText.cc b/src/db/db/gsiDeclDbText.cc index 167dee412a..a823cecc83 100644 --- a/src/db/db/gsiDeclDbText.cc +++ b/src/db/db/gsiDeclDbText.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbTexts.cc b/src/db/db/gsiDeclDbTexts.cc index c3cf07812f..b105c5d82a 100644 --- a/src/db/db/gsiDeclDbTexts.cc +++ b/src/db/db/gsiDeclDbTexts.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbTilingProcessor.cc b/src/db/db/gsiDeclDbTilingProcessor.cc index e599f00a70..8a560b02ed 100644 --- a/src/db/db/gsiDeclDbTilingProcessor.cc +++ b/src/db/db/gsiDeclDbTilingProcessor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbTrans.cc b/src/db/db/gsiDeclDbTrans.cc index 44cb7c5237..31fd48eb23 100644 --- a/src/db/db/gsiDeclDbTrans.cc +++ b/src/db/db/gsiDeclDbTrans.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbUtils.cc b/src/db/db/gsiDeclDbUtils.cc index 8e571c2793..996cd3c49b 100644 --- a/src/db/db/gsiDeclDbUtils.cc +++ b/src/db/db/gsiDeclDbUtils.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/db/gsiDeclDbVector.cc b/src/db/db/gsiDeclDbVector.cc index 3fb2e69401..605bb7c94b 100644 --- a/src/db/db/gsiDeclDbVector.cc +++ b/src/db/db/gsiDeclDbVector.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbArrayTests.cc b/src/db/unit_tests/dbArrayTests.cc index 493d9f6ea5..834202f5d6 100644 --- a/src/db/unit_tests/dbArrayTests.cc +++ b/src/db/unit_tests/dbArrayTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbAsIfFlatRegionTests.cc b/src/db/unit_tests/dbAsIfFlatRegionTests.cc index ce9845813d..e966e65975 100644 --- a/src/db/unit_tests/dbAsIfFlatRegionTests.cc +++ b/src/db/unit_tests/dbAsIfFlatRegionTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbBoxScannerTests.cc b/src/db/unit_tests/dbBoxScannerTests.cc index 9d772f340a..ad4ad10a6f 100644 --- a/src/db/unit_tests/dbBoxScannerTests.cc +++ b/src/db/unit_tests/dbBoxScannerTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbBoxTests.cc b/src/db/unit_tests/dbBoxTests.cc index 0cdfb6ca99..7b42d0cfdf 100644 --- a/src/db/unit_tests/dbBoxTests.cc +++ b/src/db/unit_tests/dbBoxTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbBoxTreeTests.cc b/src/db/unit_tests/dbBoxTreeTests.cc index 9f2944ee30..d429a88213 100644 --- a/src/db/unit_tests/dbBoxTreeTests.cc +++ b/src/db/unit_tests/dbBoxTreeTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbCellGraphUtilsTests.cc b/src/db/unit_tests/dbCellGraphUtilsTests.cc index 0d12e210c8..e5630fb2b3 100644 --- a/src/db/unit_tests/dbCellGraphUtilsTests.cc +++ b/src/db/unit_tests/dbCellGraphUtilsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbCellHullGeneratorTests.cc b/src/db/unit_tests/dbCellHullGeneratorTests.cc index 0b1d850f51..386d98fedd 100644 --- a/src/db/unit_tests/dbCellHullGeneratorTests.cc +++ b/src/db/unit_tests/dbCellHullGeneratorTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbCellMappingTests.cc b/src/db/unit_tests/dbCellMappingTests.cc index 512c71d2ef..052939dfb5 100644 --- a/src/db/unit_tests/dbCellMappingTests.cc +++ b/src/db/unit_tests/dbCellMappingTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbCellTests.cc b/src/db/unit_tests/dbCellTests.cc index 799b52edb6..5715d10531 100644 --- a/src/db/unit_tests/dbCellTests.cc +++ b/src/db/unit_tests/dbCellTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbCellVariantsTests.cc b/src/db/unit_tests/dbCellVariantsTests.cc index a508f2a25b..d87056255e 100644 --- a/src/db/unit_tests/dbCellVariantsTests.cc +++ b/src/db/unit_tests/dbCellVariantsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbClipTests.cc b/src/db/unit_tests/dbClipTests.cc index 0c40596085..5a7112b988 100644 --- a/src/db/unit_tests/dbClipTests.cc +++ b/src/db/unit_tests/dbClipTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbCompoundOperationTests.cc b/src/db/unit_tests/dbCompoundOperationTests.cc index 30384bc268..95b790268f 100644 --- a/src/db/unit_tests/dbCompoundOperationTests.cc +++ b/src/db/unit_tests/dbCompoundOperationTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbDeepEdgePairsTests.cc b/src/db/unit_tests/dbDeepEdgePairsTests.cc index 96881f7699..b77bf6d745 100644 --- a/src/db/unit_tests/dbDeepEdgePairsTests.cc +++ b/src/db/unit_tests/dbDeepEdgePairsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbDeepEdgesTests.cc b/src/db/unit_tests/dbDeepEdgesTests.cc index 783ceb326d..1d9f245945 100644 --- a/src/db/unit_tests/dbDeepEdgesTests.cc +++ b/src/db/unit_tests/dbDeepEdgesTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbDeepRegionTests.cc b/src/db/unit_tests/dbDeepRegionTests.cc index 3583dc2792..1037dc1c7f 100644 --- a/src/db/unit_tests/dbDeepRegionTests.cc +++ b/src/db/unit_tests/dbDeepRegionTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbDeepShapeStoreTests.cc b/src/db/unit_tests/dbDeepShapeStoreTests.cc index 7aa8b6f763..e585c50e86 100644 --- a/src/db/unit_tests/dbDeepShapeStoreTests.cc +++ b/src/db/unit_tests/dbDeepShapeStoreTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbDeepTextsTests.cc b/src/db/unit_tests/dbDeepTextsTests.cc index 27184bbf4a..3b2e048e18 100644 --- a/src/db/unit_tests/dbDeepTextsTests.cc +++ b/src/db/unit_tests/dbDeepTextsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbEdgePairRelationsTests.cc b/src/db/unit_tests/dbEdgePairRelationsTests.cc index 6f6e848034..c0b3f918f0 100644 --- a/src/db/unit_tests/dbEdgePairRelationsTests.cc +++ b/src/db/unit_tests/dbEdgePairRelationsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbEdgePairTests.cc b/src/db/unit_tests/dbEdgePairTests.cc index 40d0ca2e95..e5bd50b15f 100644 --- a/src/db/unit_tests/dbEdgePairTests.cc +++ b/src/db/unit_tests/dbEdgePairTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbEdgePairsTests.cc b/src/db/unit_tests/dbEdgePairsTests.cc index 05664c543d..1e42dc5746 100644 --- a/src/db/unit_tests/dbEdgePairsTests.cc +++ b/src/db/unit_tests/dbEdgePairsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbEdgeProcessorTests.cc b/src/db/unit_tests/dbEdgeProcessorTests.cc index ccadcd57eb..bdb155a138 100644 --- a/src/db/unit_tests/dbEdgeProcessorTests.cc +++ b/src/db/unit_tests/dbEdgeProcessorTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbEdgeTests.cc b/src/db/unit_tests/dbEdgeTests.cc index 3a614e376f..b63609f83b 100644 --- a/src/db/unit_tests/dbEdgeTests.cc +++ b/src/db/unit_tests/dbEdgeTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbEdgesTests.cc b/src/db/unit_tests/dbEdgesTests.cc index 0108c7de0a..132aec5e10 100644 --- a/src/db/unit_tests/dbEdgesTests.cc +++ b/src/db/unit_tests/dbEdgesTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbEdgesToContoursTests.cc b/src/db/unit_tests/dbEdgesToContoursTests.cc index 9383294c80..a76db67544 100644 --- a/src/db/unit_tests/dbEdgesToContoursTests.cc +++ b/src/db/unit_tests/dbEdgesToContoursTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbEdgesUtilsTests.cc b/src/db/unit_tests/dbEdgesUtilsTests.cc index 3cee915014..86a0ad53d1 100644 --- a/src/db/unit_tests/dbEdgesUtilsTests.cc +++ b/src/db/unit_tests/dbEdgesUtilsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbExpressionTests.cc b/src/db/unit_tests/dbExpressionTests.cc index 649ba3ab12..955e374e6c 100644 --- a/src/db/unit_tests/dbExpressionTests.cc +++ b/src/db/unit_tests/dbExpressionTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbFillToolTests.cc b/src/db/unit_tests/dbFillToolTests.cc index 3447929ade..87826ed84e 100644 --- a/src/db/unit_tests/dbFillToolTests.cc +++ b/src/db/unit_tests/dbFillToolTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbHierNetsProcessorTests.cc b/src/db/unit_tests/dbHierNetsProcessorTests.cc index ce947ade3c..4f9a6fbb0f 100644 --- a/src/db/unit_tests/dbHierNetsProcessorTests.cc +++ b/src/db/unit_tests/dbHierNetsProcessorTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbHierNetworkProcessorTests.cc b/src/db/unit_tests/dbHierNetworkProcessorTests.cc index 3ffc51ee76..7ad05b9a34 100644 --- a/src/db/unit_tests/dbHierNetworkProcessorTests.cc +++ b/src/db/unit_tests/dbHierNetworkProcessorTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbHierProcessorTests.cc b/src/db/unit_tests/dbHierProcessorTests.cc index 36fe6b9045..23833d2ff2 100644 --- a/src/db/unit_tests/dbHierProcessorTests.cc +++ b/src/db/unit_tests/dbHierProcessorTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbHierarchyBuilderTests.cc b/src/db/unit_tests/dbHierarchyBuilderTests.cc index 8f4cd26d59..459bf68f5b 100644 --- a/src/db/unit_tests/dbHierarchyBuilderTests.cc +++ b/src/db/unit_tests/dbHierarchyBuilderTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbLayerMappingTests.cc b/src/db/unit_tests/dbLayerMappingTests.cc index 88a2a8fac5..992c173568 100644 --- a/src/db/unit_tests/dbLayerMappingTests.cc +++ b/src/db/unit_tests/dbLayerMappingTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbLayerTests.cc b/src/db/unit_tests/dbLayerTests.cc index 12ca87bcae..7827eb9f6d 100644 --- a/src/db/unit_tests/dbLayerTests.cc +++ b/src/db/unit_tests/dbLayerTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbLayoutDiffTests.cc b/src/db/unit_tests/dbLayoutDiffTests.cc index cedee284d5..87ef5f1bae 100644 --- a/src/db/unit_tests/dbLayoutDiffTests.cc +++ b/src/db/unit_tests/dbLayoutDiffTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbLayoutQueryTests.cc b/src/db/unit_tests/dbLayoutQueryTests.cc index 6681aecb31..5600f97d6f 100644 --- a/src/db/unit_tests/dbLayoutQueryTests.cc +++ b/src/db/unit_tests/dbLayoutQueryTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbLayoutTests.cc b/src/db/unit_tests/dbLayoutTests.cc index a8759bb4c8..73fa63e369 100644 --- a/src/db/unit_tests/dbLayoutTests.cc +++ b/src/db/unit_tests/dbLayoutTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbLayoutToNetlistReaderTests.cc b/src/db/unit_tests/dbLayoutToNetlistReaderTests.cc index 1fd37692f0..4b04f724e5 100644 --- a/src/db/unit_tests/dbLayoutToNetlistReaderTests.cc +++ b/src/db/unit_tests/dbLayoutToNetlistReaderTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbLayoutToNetlistTests.cc b/src/db/unit_tests/dbLayoutToNetlistTests.cc index 9401731673..89d3bb33a1 100644 --- a/src/db/unit_tests/dbLayoutToNetlistTests.cc +++ b/src/db/unit_tests/dbLayoutToNetlistTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbLayoutToNetlistWriterTests.cc b/src/db/unit_tests/dbLayoutToNetlistWriterTests.cc index 9acaab77d7..879cf05373 100644 --- a/src/db/unit_tests/dbLayoutToNetlistWriterTests.cc +++ b/src/db/unit_tests/dbLayoutToNetlistWriterTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbLayoutUtilsTests.cc b/src/db/unit_tests/dbLayoutUtilsTests.cc index ba455b1de0..ce0a352c28 100644 --- a/src/db/unit_tests/dbLayoutUtilsTests.cc +++ b/src/db/unit_tests/dbLayoutUtilsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbLayoutVsSchematicTests.cc b/src/db/unit_tests/dbLayoutVsSchematicTests.cc index 965e61a582..a3ebdcfcad 100644 --- a/src/db/unit_tests/dbLayoutVsSchematicTests.cc +++ b/src/db/unit_tests/dbLayoutVsSchematicTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbLibrariesTests.cc b/src/db/unit_tests/dbLibrariesTests.cc index 97b6dd56bf..2a4367455f 100644 --- a/src/db/unit_tests/dbLibrariesTests.cc +++ b/src/db/unit_tests/dbLibrariesTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbLoadLayoutOptionsTests.cc b/src/db/unit_tests/dbLoadLayoutOptionsTests.cc index ab26caf1b8..120416e014 100644 --- a/src/db/unit_tests/dbLoadLayoutOptionsTests.cc +++ b/src/db/unit_tests/dbLoadLayoutOptionsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbLogTests.cc b/src/db/unit_tests/dbLogTests.cc index 03b2941f6a..b73ffc3fd3 100644 --- a/src/db/unit_tests/dbLogTests.cc +++ b/src/db/unit_tests/dbLogTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbMatrixTests.cc b/src/db/unit_tests/dbMatrixTests.cc index 3c72448338..cb087cb939 100644 --- a/src/db/unit_tests/dbMatrixTests.cc +++ b/src/db/unit_tests/dbMatrixTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbNetShapeTests.cc b/src/db/unit_tests/dbNetShapeTests.cc index bfa5a890e1..943116b691 100644 --- a/src/db/unit_tests/dbNetShapeTests.cc +++ b/src/db/unit_tests/dbNetShapeTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbNetlistCompareTests.cc b/src/db/unit_tests/dbNetlistCompareTests.cc index 0eb1e4b6ae..6d75f7be3b 100644 --- a/src/db/unit_tests/dbNetlistCompareTests.cc +++ b/src/db/unit_tests/dbNetlistCompareTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbNetlistDeviceClassesTests.cc b/src/db/unit_tests/dbNetlistDeviceClassesTests.cc index cee4aa3dec..6018dccad9 100644 --- a/src/db/unit_tests/dbNetlistDeviceClassesTests.cc +++ b/src/db/unit_tests/dbNetlistDeviceClassesTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbNetlistDeviceExtractorTests.cc b/src/db/unit_tests/dbNetlistDeviceExtractorTests.cc index 751d892c89..2b7cea996c 100644 --- a/src/db/unit_tests/dbNetlistDeviceExtractorTests.cc +++ b/src/db/unit_tests/dbNetlistDeviceExtractorTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbNetlistExtractorTests.cc b/src/db/unit_tests/dbNetlistExtractorTests.cc index 26493a5f3a..9161691029 100644 --- a/src/db/unit_tests/dbNetlistExtractorTests.cc +++ b/src/db/unit_tests/dbNetlistExtractorTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbNetlistReaderTests.cc b/src/db/unit_tests/dbNetlistReaderTests.cc index a2da1d6ce3..c571065a34 100644 --- a/src/db/unit_tests/dbNetlistReaderTests.cc +++ b/src/db/unit_tests/dbNetlistReaderTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbNetlistTests.cc b/src/db/unit_tests/dbNetlistTests.cc index 093f428b98..dbc8b8e9a7 100644 --- a/src/db/unit_tests/dbNetlistTests.cc +++ b/src/db/unit_tests/dbNetlistTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbNetlistWriterTests.cc b/src/db/unit_tests/dbNetlistWriterTests.cc index 08bf40f39e..fbe838f01c 100644 --- a/src/db/unit_tests/dbNetlistWriterTests.cc +++ b/src/db/unit_tests/dbNetlistWriterTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbObjectTests.cc b/src/db/unit_tests/dbObjectTests.cc index b669a45db5..4826fbaf7e 100644 --- a/src/db/unit_tests/dbObjectTests.cc +++ b/src/db/unit_tests/dbObjectTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbPCellsTests.cc b/src/db/unit_tests/dbPCellsTests.cc index 9d4b0c8958..26d8e32603 100644 --- a/src/db/unit_tests/dbPCellsTests.cc +++ b/src/db/unit_tests/dbPCellsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbPathTests.cc b/src/db/unit_tests/dbPathTests.cc index 8de2c0c174..12685ba059 100644 --- a/src/db/unit_tests/dbPathTests.cc +++ b/src/db/unit_tests/dbPathTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbPointTests.cc b/src/db/unit_tests/dbPointTests.cc index b89fc7adbc..65cfd604b4 100644 --- a/src/db/unit_tests/dbPointTests.cc +++ b/src/db/unit_tests/dbPointTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbPolygonTests.cc b/src/db/unit_tests/dbPolygonTests.cc index 000b50f025..b60f2dc837 100644 --- a/src/db/unit_tests/dbPolygonTests.cc +++ b/src/db/unit_tests/dbPolygonTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbPolygonToolsTests.cc b/src/db/unit_tests/dbPolygonToolsTests.cc index ba8a1a71d9..6a7ff53c52 100644 --- a/src/db/unit_tests/dbPolygonToolsTests.cc +++ b/src/db/unit_tests/dbPolygonToolsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbPropertiesRepositoryTests.cc b/src/db/unit_tests/dbPropertiesRepositoryTests.cc index 018ef9ae10..a81214b37b 100644 --- a/src/db/unit_tests/dbPropertiesRepositoryTests.cc +++ b/src/db/unit_tests/dbPropertiesRepositoryTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbRecursiveInstanceIteratorTests.cc b/src/db/unit_tests/dbRecursiveInstanceIteratorTests.cc index 07cb5fa269..9671e5a3c9 100644 --- a/src/db/unit_tests/dbRecursiveInstanceIteratorTests.cc +++ b/src/db/unit_tests/dbRecursiveInstanceIteratorTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbRecursiveShapeIteratorTests.cc b/src/db/unit_tests/dbRecursiveShapeIteratorTests.cc index fcfa62dc38..c89af7605a 100644 --- a/src/db/unit_tests/dbRecursiveShapeIteratorTests.cc +++ b/src/db/unit_tests/dbRecursiveShapeIteratorTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbRegionCheckUtilsTests.cc b/src/db/unit_tests/dbRegionCheckUtilsTests.cc index 874b661478..898910e212 100644 --- a/src/db/unit_tests/dbRegionCheckUtilsTests.cc +++ b/src/db/unit_tests/dbRegionCheckUtilsTests.cc @@ -3,7 +3,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbRegionTests.cc b/src/db/unit_tests/dbRegionTests.cc index 5aff932126..554f25956e 100644 --- a/src/db/unit_tests/dbRegionTests.cc +++ b/src/db/unit_tests/dbRegionTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbSaveLayoutOptionsTests.cc b/src/db/unit_tests/dbSaveLayoutOptionsTests.cc index becf6b8c44..976fde4411 100644 --- a/src/db/unit_tests/dbSaveLayoutOptionsTests.cc +++ b/src/db/unit_tests/dbSaveLayoutOptionsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbShapeArrayTests.cc b/src/db/unit_tests/dbShapeArrayTests.cc index a3caee9a0b..94323031f0 100644 --- a/src/db/unit_tests/dbShapeArrayTests.cc +++ b/src/db/unit_tests/dbShapeArrayTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbShapeRepositoryTests.cc b/src/db/unit_tests/dbShapeRepositoryTests.cc index d961c302b7..3951539341 100644 --- a/src/db/unit_tests/dbShapeRepositoryTests.cc +++ b/src/db/unit_tests/dbShapeRepositoryTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbShapeTests.cc b/src/db/unit_tests/dbShapeTests.cc index 1a8f5ae2d1..b6f8b514cb 100644 --- a/src/db/unit_tests/dbShapeTests.cc +++ b/src/db/unit_tests/dbShapeTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbShapesTests.cc b/src/db/unit_tests/dbShapesTests.cc index b18e02bf3b..df11468401 100644 --- a/src/db/unit_tests/dbShapesTests.cc +++ b/src/db/unit_tests/dbShapesTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbStreamLayerTests.cc b/src/db/unit_tests/dbStreamLayerTests.cc index b653d10422..aef4fd1bda 100644 --- a/src/db/unit_tests/dbStreamLayerTests.cc +++ b/src/db/unit_tests/dbStreamLayerTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbTechnologyTests.cc b/src/db/unit_tests/dbTechnologyTests.cc index d924a74831..62329658d7 100644 --- a/src/db/unit_tests/dbTechnologyTests.cc +++ b/src/db/unit_tests/dbTechnologyTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbTextTests.cc b/src/db/unit_tests/dbTextTests.cc index e8fdc762d2..97adc5ebf8 100644 --- a/src/db/unit_tests/dbTextTests.cc +++ b/src/db/unit_tests/dbTextTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbTextsTests.cc b/src/db/unit_tests/dbTextsTests.cc index 41d9e72fef..ffc139c259 100644 --- a/src/db/unit_tests/dbTextsTests.cc +++ b/src/db/unit_tests/dbTextsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbTilingProcessorTests.cc b/src/db/unit_tests/dbTilingProcessorTests.cc index e13f654391..96a9e150a0 100644 --- a/src/db/unit_tests/dbTilingProcessorTests.cc +++ b/src/db/unit_tests/dbTilingProcessorTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbTransTests.cc b/src/db/unit_tests/dbTransTests.cc index 387962df09..85f9a51884 100644 --- a/src/db/unit_tests/dbTransTests.cc +++ b/src/db/unit_tests/dbTransTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbTriangleTests.cc b/src/db/unit_tests/dbTriangleTests.cc index 3fcf703c18..bd774bcb10 100644 --- a/src/db/unit_tests/dbTriangleTests.cc +++ b/src/db/unit_tests/dbTriangleTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbTrianglesTests.cc b/src/db/unit_tests/dbTrianglesTests.cc index 45eee96121..27d7eb4ecb 100644 --- a/src/db/unit_tests/dbTrianglesTests.cc +++ b/src/db/unit_tests/dbTrianglesTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbUtilsTests.cc b/src/db/unit_tests/dbUtilsTests.cc index c4485322c8..866658069b 100644 --- a/src/db/unit_tests/dbUtilsTests.cc +++ b/src/db/unit_tests/dbUtilsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbVariableWidthPathTests.cc b/src/db/unit_tests/dbVariableWidthPathTests.cc index 5938beb915..1c7ddd2195 100644 --- a/src/db/unit_tests/dbVariableWidthPathTests.cc +++ b/src/db/unit_tests/dbVariableWidthPathTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbVectorTests.cc b/src/db/unit_tests/dbVectorTests.cc index 999ee0f127..b03ece6d9d 100644 --- a/src/db/unit_tests/dbVectorTests.cc +++ b/src/db/unit_tests/dbVectorTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/db/unit_tests/dbWriterTools.cc b/src/db/unit_tests/dbWriterTools.cc index ae2a1c006c..70168fd327 100644 --- a/src/db/unit_tests/dbWriterTools.cc +++ b/src/db/unit_tests/dbWriterTools.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/doc/docCommon.h b/src/doc/docCommon.h index c9bde70b6b..c9d565afcb 100644 --- a/src/doc/docCommon.h +++ b/src/doc/docCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/doc/docForceLink.cc b/src/doc/docForceLink.cc index 296613d0fd..ee038de7ae 100644 --- a/src/doc/docForceLink.cc +++ b/src/doc/docForceLink.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/doc/docForceLink.h b/src/doc/docForceLink.h index 0b1ac6c050..c1c4a9fe3e 100644 --- a/src/doc/docForceLink.h +++ b/src/doc/docForceLink.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/drc/drc/drcCommon.h b/src/drc/drc/drcCommon.h index 3f6bb89de4..4640fb4120 100644 --- a/src/drc/drc/drcCommon.h +++ b/src/drc/drc/drcCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/drc/drc/drcForceLink.cc b/src/drc/drc/drcForceLink.cc index 79ddd1b48a..e5adb55255 100644 --- a/src/drc/drc/drcForceLink.cc +++ b/src/drc/drc/drcForceLink.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/drc/drc/drcForceLink.h b/src/drc/drc/drcForceLink.h index db17c14bb8..b63a2125a6 100644 --- a/src/drc/drc/drcForceLink.h +++ b/src/drc/drc/drcForceLink.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/drc/unit_tests/drcBasicTests.cc b/src/drc/unit_tests/drcBasicTests.cc index fb7b94a10d..56bc17f232 100644 --- a/src/drc/unit_tests/drcBasicTests.cc +++ b/src/drc/unit_tests/drcBasicTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/drc/unit_tests/drcGenericTests.cc b/src/drc/unit_tests/drcGenericTests.cc index abbc0ab792..ea278ef845 100644 --- a/src/drc/unit_tests/drcGenericTests.cc +++ b/src/drc/unit_tests/drcGenericTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/drc/unit_tests/drcSimpleTests.cc b/src/drc/unit_tests/drcSimpleTests.cc index 01254fabfa..62d6201680 100644 --- a/src/drc/unit_tests/drcSimpleTests.cc +++ b/src/drc/unit_tests/drcSimpleTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/drc/unit_tests/drcSuiteTests.cc b/src/drc/unit_tests/drcSuiteTests.cc index 3d94397d0d..48ea8e15cc 100644 --- a/src/drc/unit_tests/drcSuiteTests.cc +++ b/src/drc/unit_tests/drcSuiteTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtCommon.h b/src/edt/edt/edtCommon.h index 32f19f05ed..8459079a23 100644 --- a/src/edt/edt/edtCommon.h +++ b/src/edt/edt/edtCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtConfig.cc b/src/edt/edt/edtConfig.cc index 50be8b6c58..e00c5391c2 100644 --- a/src/edt/edt/edtConfig.cc +++ b/src/edt/edt/edtConfig.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtConfig.h b/src/edt/edt/edtConfig.h index 36862a8ea2..32e8454b96 100644 --- a/src/edt/edt/edtConfig.h +++ b/src/edt/edt/edtConfig.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtDialogs.cc b/src/edt/edt/edtDialogs.cc index 941991498d..5519eba149 100644 --- a/src/edt/edt/edtDialogs.cc +++ b/src/edt/edt/edtDialogs.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtDialogs.h b/src/edt/edt/edtDialogs.h index 4f53c468e0..cba8e52142 100644 --- a/src/edt/edt/edtDialogs.h +++ b/src/edt/edt/edtDialogs.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtDistribute.cc b/src/edt/edt/edtDistribute.cc index 6e519b29a8..5875bfc938 100644 --- a/src/edt/edt/edtDistribute.cc +++ b/src/edt/edt/edtDistribute.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtDistribute.h b/src/edt/edt/edtDistribute.h index 9a14ff6166..cef2ab29fa 100644 --- a/src/edt/edt/edtDistribute.h +++ b/src/edt/edt/edtDistribute.h @@ -1,7 +1,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtEditorOptionsPages.cc b/src/edt/edt/edtEditorOptionsPages.cc index 74a364b5b9..e0fd474917 100644 --- a/src/edt/edt/edtEditorOptionsPages.cc +++ b/src/edt/edt/edtEditorOptionsPages.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtEditorOptionsPages.h b/src/edt/edt/edtEditorOptionsPages.h index a6debbc950..b3c529cb63 100644 --- a/src/edt/edt/edtEditorOptionsPages.h +++ b/src/edt/edt/edtEditorOptionsPages.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtForceLink.cc b/src/edt/edt/edtForceLink.cc index 9f626f7f2b..252506f4fa 100644 --- a/src/edt/edt/edtForceLink.cc +++ b/src/edt/edt/edtForceLink.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtForceLink.h b/src/edt/edt/edtForceLink.h index 369ae6c5ac..b70a581f5d 100644 --- a/src/edt/edt/edtForceLink.h +++ b/src/edt/edt/edtForceLink.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtInstPropertiesPage.cc b/src/edt/edt/edtInstPropertiesPage.cc index b05699e470..a0e34a875d 100644 --- a/src/edt/edt/edtInstPropertiesPage.cc +++ b/src/edt/edt/edtInstPropertiesPage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtInstPropertiesPage.h b/src/edt/edt/edtInstPropertiesPage.h index ebfc1fd3e2..713dff3286 100644 --- a/src/edt/edt/edtInstPropertiesPage.h +++ b/src/edt/edt/edtInstPropertiesPage.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtMainService.cc b/src/edt/edt/edtMainService.cc index 6f9be98889..e85f213d2c 100644 --- a/src/edt/edt/edtMainService.cc +++ b/src/edt/edt/edtMainService.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtMainService.h b/src/edt/edt/edtMainService.h index b2f7fc8739..3afc3aabbe 100644 --- a/src/edt/edt/edtMainService.h +++ b/src/edt/edt/edtMainService.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtPCellParametersPage.cc b/src/edt/edt/edtPCellParametersPage.cc index 6605323bcb..a79b6a1d15 100644 --- a/src/edt/edt/edtPCellParametersPage.cc +++ b/src/edt/edt/edtPCellParametersPage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtPCellParametersPage.h b/src/edt/edt/edtPCellParametersPage.h index 7a17ff38ca..e16179dffd 100644 --- a/src/edt/edt/edtPCellParametersPage.h +++ b/src/edt/edt/edtPCellParametersPage.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtPartialService.cc b/src/edt/edt/edtPartialService.cc index 634e5546ed..c614d7334f 100644 --- a/src/edt/edt/edtPartialService.cc +++ b/src/edt/edt/edtPartialService.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtPartialService.h b/src/edt/edt/edtPartialService.h index 113cac0f5b..645267a309 100644 --- a/src/edt/edt/edtPartialService.h +++ b/src/edt/edt/edtPartialService.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtPlugin.cc b/src/edt/edt/edtPlugin.cc index a23055a27b..c0a12ee26a 100644 --- a/src/edt/edt/edtPlugin.cc +++ b/src/edt/edt/edtPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtPlugin.h b/src/edt/edt/edtPlugin.h index a1fb66e639..47e896740c 100644 --- a/src/edt/edt/edtPlugin.h +++ b/src/edt/edt/edtPlugin.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtPropertiesPageUtils.cc b/src/edt/edt/edtPropertiesPageUtils.cc index cd96f632a2..38ceb65b9f 100644 --- a/src/edt/edt/edtPropertiesPageUtils.cc +++ b/src/edt/edt/edtPropertiesPageUtils.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtPropertiesPageUtils.h b/src/edt/edt/edtPropertiesPageUtils.h index fb9550cdb7..e11d33d938 100644 --- a/src/edt/edt/edtPropertiesPageUtils.h +++ b/src/edt/edt/edtPropertiesPageUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtPropertiesPages.cc b/src/edt/edt/edtPropertiesPages.cc index fb524c205b..a47c941af1 100644 --- a/src/edt/edt/edtPropertiesPages.cc +++ b/src/edt/edt/edtPropertiesPages.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtPropertiesPages.h b/src/edt/edt/edtPropertiesPages.h index 534f440206..ae3ffbd2e5 100644 --- a/src/edt/edt/edtPropertiesPages.h +++ b/src/edt/edt/edtPropertiesPages.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtRecentConfigurationPage.cc b/src/edt/edt/edtRecentConfigurationPage.cc index f5e512561c..f7e4dfa408 100644 --- a/src/edt/edt/edtRecentConfigurationPage.cc +++ b/src/edt/edt/edtRecentConfigurationPage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtRecentConfigurationPage.h b/src/edt/edt/edtRecentConfigurationPage.h index cd0f084e1d..8ec392cabc 100644 --- a/src/edt/edt/edtRecentConfigurationPage.h +++ b/src/edt/edt/edtRecentConfigurationPage.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtService.cc b/src/edt/edt/edtService.cc index 3d022b2440..26ebfccd3d 100644 --- a/src/edt/edt/edtService.cc +++ b/src/edt/edt/edtService.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtService.h b/src/edt/edt/edtService.h index bc09bed4b2..1f8f879995 100644 --- a/src/edt/edt/edtService.h +++ b/src/edt/edt/edtService.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtServiceImpl.cc b/src/edt/edt/edtServiceImpl.cc index 6426057183..2fec150e4f 100644 --- a/src/edt/edt/edtServiceImpl.cc +++ b/src/edt/edt/edtServiceImpl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtServiceImpl.h b/src/edt/edt/edtServiceImpl.h index 8fe8399b78..d799aa8ee4 100644 --- a/src/edt/edt/edtServiceImpl.h +++ b/src/edt/edt/edtServiceImpl.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtUtils.cc b/src/edt/edt/edtUtils.cc index f8259ffefe..bcae4ea72e 100644 --- a/src/edt/edt/edtUtils.cc +++ b/src/edt/edt/edtUtils.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/edtUtils.h b/src/edt/edt/edtUtils.h index 2a4f0073b5..17470054d6 100644 --- a/src/edt/edt/edtUtils.h +++ b/src/edt/edt/edtUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/edt/gsiDeclEdt.cc b/src/edt/edt/gsiDeclEdt.cc index 5630d8ca46..a7558e917d 100644 --- a/src/edt/edt/gsiDeclEdt.cc +++ b/src/edt/edt/gsiDeclEdt.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/unit_tests/edtBasicTests.cc b/src/edt/unit_tests/edtBasicTests.cc index 8e645518d2..fc194d01e0 100644 --- a/src/edt/unit_tests/edtBasicTests.cc +++ b/src/edt/unit_tests/edtBasicTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/edt/unit_tests/edtDistributeTests.cc b/src/edt/unit_tests/edtDistributeTests.cc index 152bc3757c..452c58c4e6 100644 --- a/src/edt/unit_tests/edtDistributeTests.cc +++ b/src/edt/unit_tests/edtDistributeTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/fontgen/fontgen.cc b/src/fontgen/fontgen.cc index 4ccdff213b..607a84f9c0 100644 --- a/src/fontgen/fontgen.cc +++ b/src/fontgen/fontgen.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsi.cc b/src/gsi/gsi/gsi.cc index e68ed17a06..fe879f8874 100644 --- a/src/gsi/gsi/gsi.cc +++ b/src/gsi/gsi/gsi.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsi.h b/src/gsi/gsi/gsi.h index c7dec3dd34..e1be477f1d 100644 --- a/src/gsi/gsi/gsi.h +++ b/src/gsi/gsi/gsi.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiCallback.h b/src/gsi/gsi/gsiCallback.h index 593cbda202..e30593663d 100644 --- a/src/gsi/gsi/gsiCallback.h +++ b/src/gsi/gsi/gsiCallback.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiCallbackVar.h b/src/gsi/gsi/gsiCallbackVar.h index 87e8aed8ca..a24087300b 100644 --- a/src/gsi/gsi/gsiCallbackVar.h +++ b/src/gsi/gsi/gsiCallbackVar.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiClass.cc b/src/gsi/gsi/gsiClass.cc index 280645d1e8..86455979fa 100644 --- a/src/gsi/gsi/gsiClass.cc +++ b/src/gsi/gsi/gsiClass.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiClass.h b/src/gsi/gsi/gsiClass.h index a9a87ea7da..a1cf185870 100644 --- a/src/gsi/gsi/gsiClass.h +++ b/src/gsi/gsi/gsiClass.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiClassBase.cc b/src/gsi/gsi/gsiClassBase.cc index 2d7696c28c..2f5f2061a2 100644 --- a/src/gsi/gsi/gsiClassBase.cc +++ b/src/gsi/gsi/gsiClassBase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiClassBase.h b/src/gsi/gsi/gsiClassBase.h index a33e338519..fd3a285c1a 100644 --- a/src/gsi/gsi/gsiClassBase.h +++ b/src/gsi/gsi/gsiClassBase.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiCommon.h b/src/gsi/gsi/gsiCommon.h index 4243f14892..1353928578 100644 --- a/src/gsi/gsi/gsiCommon.h +++ b/src/gsi/gsi/gsiCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiDecl.h b/src/gsi/gsi/gsiDecl.h index 13e39525a2..f9f3e3575f 100644 --- a/src/gsi/gsi/gsiDecl.h +++ b/src/gsi/gsi/gsiDecl.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiDeclBasic.cc b/src/gsi/gsi/gsiDeclBasic.cc index f36daa26b1..9346ebeb68 100644 --- a/src/gsi/gsi/gsiDeclBasic.cc +++ b/src/gsi/gsi/gsiDeclBasic.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiDeclBasic.h b/src/gsi/gsi/gsiDeclBasic.h index 3be43e98dd..7154bfee1c 100644 --- a/src/gsi/gsi/gsiDeclBasic.h +++ b/src/gsi/gsi/gsiDeclBasic.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiDeclInternal.cc b/src/gsi/gsi/gsiDeclInternal.cc index d6cb2aeb8c..bf2004fde2 100644 --- a/src/gsi/gsi/gsiDeclInternal.cc +++ b/src/gsi/gsi/gsiDeclInternal.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiDeclTl.cc b/src/gsi/gsi/gsiDeclTl.cc index 11890f591e..c3deae5368 100644 --- a/src/gsi/gsi/gsiDeclTl.cc +++ b/src/gsi/gsi/gsiDeclTl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiDeclTlPixelBuffer.cc b/src/gsi/gsi/gsiDeclTlPixelBuffer.cc index a2d61c90da..80bc727e18 100644 --- a/src/gsi/gsi/gsiDeclTlPixelBuffer.cc +++ b/src/gsi/gsi/gsiDeclTlPixelBuffer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiEnums.h b/src/gsi/gsi/gsiEnums.h index abe2eb2b5b..e778578ac6 100644 --- a/src/gsi/gsi/gsiEnums.h +++ b/src/gsi/gsi/gsiEnums.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiExpression.cc b/src/gsi/gsi/gsiExpression.cc index fd8b7fde36..3c7da56949 100644 --- a/src/gsi/gsi/gsiExpression.cc +++ b/src/gsi/gsi/gsiExpression.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiExpression.h b/src/gsi/gsi/gsiExpression.h index d0876b93ac..07fba2768b 100644 --- a/src/gsi/gsi/gsiExpression.h +++ b/src/gsi/gsi/gsiExpression.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiExternalMain.cc b/src/gsi/gsi/gsiExternalMain.cc index b711b23d8c..0275c28c5f 100644 --- a/src/gsi/gsi/gsiExternalMain.cc +++ b/src/gsi/gsi/gsiExternalMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiExternalMain.h b/src/gsi/gsi/gsiExternalMain.h index a66831abd4..b87a1e2568 100644 --- a/src/gsi/gsi/gsiExternalMain.h +++ b/src/gsi/gsi/gsiExternalMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiInspector.cc b/src/gsi/gsi/gsiInspector.cc index 24fda1a3ca..72f5122f7d 100644 --- a/src/gsi/gsi/gsiInspector.cc +++ b/src/gsi/gsi/gsiInspector.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiInspector.h b/src/gsi/gsi/gsiInspector.h index 744f2dec61..fa27d2461b 100644 --- a/src/gsi/gsi/gsiInspector.h +++ b/src/gsi/gsi/gsiInspector.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiInterpreter.cc b/src/gsi/gsi/gsiInterpreter.cc index 688eb63dac..51f9ad34a7 100644 --- a/src/gsi/gsi/gsiInterpreter.cc +++ b/src/gsi/gsi/gsiInterpreter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiInterpreter.h b/src/gsi/gsi/gsiInterpreter.h index 9cd074dc21..0568b2cc25 100644 --- a/src/gsi/gsi/gsiInterpreter.h +++ b/src/gsi/gsi/gsiInterpreter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiIterators.h b/src/gsi/gsi/gsiIterators.h index 3a56ad8302..81f0977e78 100644 --- a/src/gsi/gsi/gsiIterators.h +++ b/src/gsi/gsi/gsiIterators.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiMethods.cc b/src/gsi/gsi/gsiMethods.cc index 95a02b5cab..bc5d837350 100644 --- a/src/gsi/gsi/gsiMethods.cc +++ b/src/gsi/gsi/gsiMethods.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiMethods.h b/src/gsi/gsi/gsiMethods.h index 5a2ae8d78f..e807ad955f 100644 --- a/src/gsi/gsi/gsiMethods.h +++ b/src/gsi/gsi/gsiMethods.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiMethodsVar.h b/src/gsi/gsi/gsiMethodsVar.h index 649ac09069..5a9b4dc004 100644 --- a/src/gsi/gsi/gsiMethodsVar.h +++ b/src/gsi/gsi/gsiMethodsVar.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiObject.cc b/src/gsi/gsi/gsiObject.cc index 5e22182597..11989bd5e7 100644 --- a/src/gsi/gsi/gsiObject.cc +++ b/src/gsi/gsi/gsiObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiObject.h b/src/gsi/gsi/gsiObject.h index afc3c96cec..cae83e7aae 100644 --- a/src/gsi/gsi/gsiObject.h +++ b/src/gsi/gsi/gsiObject.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiObjectHolder.cc b/src/gsi/gsi/gsiObjectHolder.cc index 8f5b3f4942..73d823c115 100644 --- a/src/gsi/gsi/gsiObjectHolder.cc +++ b/src/gsi/gsi/gsiObjectHolder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiObjectHolder.h b/src/gsi/gsi/gsiObjectHolder.h index 0fb3432958..234f5d2dc5 100644 --- a/src/gsi/gsi/gsiObjectHolder.h +++ b/src/gsi/gsi/gsiObjectHolder.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiSerialisation.cc b/src/gsi/gsi/gsiSerialisation.cc index 1744e567c4..0091baa04c 100644 --- a/src/gsi/gsi/gsiSerialisation.cc +++ b/src/gsi/gsi/gsiSerialisation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiSerialisation.h b/src/gsi/gsi/gsiSerialisation.h index 28d8a628ca..2eda0d47a9 100644 --- a/src/gsi/gsi/gsiSerialisation.h +++ b/src/gsi/gsi/gsiSerialisation.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiSignals.cc b/src/gsi/gsi/gsiSignals.cc index 08a80b7d7f..fe68587b72 100644 --- a/src/gsi/gsi/gsiSignals.cc +++ b/src/gsi/gsi/gsiSignals.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiSignals.h b/src/gsi/gsi/gsiSignals.h index b946f8ee18..b86a6cc7ec 100644 --- a/src/gsi/gsi/gsiSignals.h +++ b/src/gsi/gsi/gsiSignals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiTypes.cc b/src/gsi/gsi/gsiTypes.cc index ec8ae548a1..9da9440373 100644 --- a/src/gsi/gsi/gsiTypes.cc +++ b/src/gsi/gsi/gsiTypes.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiTypes.h b/src/gsi/gsi/gsiTypes.h index cd5946bcfb..cf02ea3913 100644 --- a/src/gsi/gsi/gsiTypes.h +++ b/src/gsi/gsi/gsiTypes.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiVariantArgs.cc b/src/gsi/gsi/gsiVariantArgs.cc index 7a5d8b0382..8429f352ef 100644 --- a/src/gsi/gsi/gsiVariantArgs.cc +++ b/src/gsi/gsi/gsiVariantArgs.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi/gsiVariantArgs.h b/src/gsi/gsi/gsiVariantArgs.h index 6bd2361a33..0a8ddbafe5 100644 --- a/src/gsi/gsi/gsiVariantArgs.h +++ b/src/gsi/gsi/gsiVariantArgs.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi_test/gsiTest.cc b/src/gsi/gsi_test/gsiTest.cc index 370f055f28..ee75058a19 100644 --- a/src/gsi/gsi_test/gsiTest.cc +++ b/src/gsi/gsi_test/gsiTest.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi_test/gsiTest.h b/src/gsi/gsi_test/gsiTest.h index fe7f47b540..98151fc3f4 100644 --- a/src/gsi/gsi_test/gsiTest.h +++ b/src/gsi/gsi_test/gsiTest.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/gsi_test/gsiTestForceLink.h b/src/gsi/gsi_test/gsiTestForceLink.h index d66bb89911..2188b5014f 100644 --- a/src/gsi/gsi_test/gsiTestForceLink.h +++ b/src/gsi/gsi_test/gsiTestForceLink.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsi/unit_tests/gsiExpressionTests.cc b/src/gsi/unit_tests/gsiExpressionTests.cc index 8b5514e351..4aba5c9171 100644 --- a/src/gsi/unit_tests/gsiExpressionTests.cc +++ b/src/gsi/unit_tests/gsiExpressionTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQAbstractItemModel.cc b/src/gsiqt/qt4/QtCore/gsiDeclQAbstractItemModel.cc index 24c606a61f..38ffafca18 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQAbstractItemModel.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQAbstractItemModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQAbstractListModel.cc b/src/gsiqt/qt4/QtCore/gsiDeclQAbstractListModel.cc index 589bfaf0fd..e107e14ec6 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQAbstractListModel.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQAbstractListModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQAbstractTableModel.cc b/src/gsiqt/qt4/QtCore/gsiDeclQAbstractTableModel.cc index 6d77ac0696..8911bde7dc 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQAbstractTableModel.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQAbstractTableModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQBasicTimer.cc b/src/gsiqt/qt4/QtCore/gsiDeclQBasicTimer.cc index 28d6c9a568..94d2d1e99d 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQBasicTimer.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQBasicTimer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQBuffer.cc b/src/gsiqt/qt4/QtCore/gsiDeclQBuffer.cc index a8639834a8..33a5d20fbf 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQBuffer.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQBuffer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQByteArrayMatcher.cc b/src/gsiqt/qt4/QtCore/gsiDeclQByteArrayMatcher.cc index 7351e9755f..1080f5402b 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQByteArrayMatcher.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQByteArrayMatcher.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQChildEvent.cc b/src/gsiqt/qt4/QtCore/gsiDeclQChildEvent.cc index 9b4b97143a..2ee70e21d1 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQChildEvent.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQChildEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQCoreApplication.cc b/src/gsiqt/qt4/QtCore/gsiDeclQCoreApplication.cc index cbd550d0bc..8569c46f7d 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQCoreApplication.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQCoreApplication.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQCryptographicHash.cc b/src/gsiqt/qt4/QtCore/gsiDeclQCryptographicHash.cc index 2ddc9ce7c9..c1be25aaae 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQCryptographicHash.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQCryptographicHash.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQDataStream.cc b/src/gsiqt/qt4/QtCore/gsiDeclQDataStream.cc index a45777afff..28b975da32 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQDataStream.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQDataStream.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQDate.cc b/src/gsiqt/qt4/QtCore/gsiDeclQDate.cc index 451bb0ded2..63e7ded8c1 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQDate.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQDate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQDateTime.cc b/src/gsiqt/qt4/QtCore/gsiDeclQDateTime.cc index 004a3df924..639305eb5e 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQDateTime.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQDateTime.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQDir.cc b/src/gsiqt/qt4/QtCore/gsiDeclQDir.cc index 5d249fe9aa..1608cb861e 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQDir.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQDir.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQDynamicPropertyChangeEvent.cc b/src/gsiqt/qt4/QtCore/gsiDeclQDynamicPropertyChangeEvent.cc index a8281af301..443a7592db 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQDynamicPropertyChangeEvent.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQDynamicPropertyChangeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQEasingCurve.cc b/src/gsiqt/qt4/QtCore/gsiDeclQEasingCurve.cc index f0c07bae03..5cfb69b778 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQEasingCurve.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQEasingCurve.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQEvent.cc b/src/gsiqt/qt4/QtCore/gsiDeclQEvent.cc index fbc69c9cc2..15977b766c 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQEvent.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQEventLoop.cc b/src/gsiqt/qt4/QtCore/gsiDeclQEventLoop.cc index 99425a601f..65b371fab7 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQEventLoop.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQEventLoop.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQFactoryInterface.cc b/src/gsiqt/qt4/QtCore/gsiDeclQFactoryInterface.cc index e473ab7e4b..2bac84d262 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQFactoryInterface.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQFactoryInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQFile.cc b/src/gsiqt/qt4/QtCore/gsiDeclQFile.cc index 951e54fa95..b2df362fc2 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQFile.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQFile.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQFileInfo.cc b/src/gsiqt/qt4/QtCore/gsiDeclQFileInfo.cc index c0986feecd..b76041977c 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQFileInfo.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQFileInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQFileSystemWatcher.cc b/src/gsiqt/qt4/QtCore/gsiDeclQFileSystemWatcher.cc index 577639147d..582f9cae1c 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQFileSystemWatcher.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQFileSystemWatcher.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQIODevice.cc b/src/gsiqt/qt4/QtCore/gsiDeclQIODevice.cc index e54f0b253b..e88281a93e 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQIODevice.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQIODevice.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQLibrary.cc b/src/gsiqt/qt4/QtCore/gsiDeclQLibrary.cc index 5c749478bd..97c6c6ad99 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQLibrary.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQLibrary.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQLibraryInfo.cc b/src/gsiqt/qt4/QtCore/gsiDeclQLibraryInfo.cc index b7d2776978..4c8ecca12c 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQLibraryInfo.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQLibraryInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQLine.cc b/src/gsiqt/qt4/QtCore/gsiDeclQLine.cc index 8dfb09b877..3e2559fb74 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQLine.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQLine.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQLineF.cc b/src/gsiqt/qt4/QtCore/gsiDeclQLineF.cc index 6e33aa1ae6..b1a79a1f06 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQLineF.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQLineF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQLocale.cc b/src/gsiqt/qt4/QtCore/gsiDeclQLocale.cc index 00137c2b1f..14291ea094 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQLocale.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQLocale.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQMargins.cc b/src/gsiqt/qt4/QtCore/gsiDeclQMargins.cc index 6b04de2fa1..3fb537cff0 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQMargins.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQMargins.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQMetaClassInfo.cc b/src/gsiqt/qt4/QtCore/gsiDeclQMetaClassInfo.cc index 3e6b40e726..0028541fd5 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQMetaClassInfo.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQMetaClassInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQMetaEnum.cc b/src/gsiqt/qt4/QtCore/gsiDeclQMetaEnum.cc index 736b19d390..e781633054 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQMetaEnum.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQMetaEnum.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQMetaMethod.cc b/src/gsiqt/qt4/QtCore/gsiDeclQMetaMethod.cc index d9b228d56b..cc65a1504a 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQMetaMethod.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQMetaMethod.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQMetaObject.cc b/src/gsiqt/qt4/QtCore/gsiDeclQMetaObject.cc index 1fe3201e9e..2b526a73a2 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQMetaObject.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQMetaObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQMetaProperty.cc b/src/gsiqt/qt4/QtCore/gsiDeclQMetaProperty.cc index 984fd6aceb..2e2a3f7247 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQMetaProperty.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQMetaProperty.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQMetaType.cc b/src/gsiqt/qt4/QtCore/gsiDeclQMetaType.cc index 2f0b1c42a3..8c0931cc27 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQMetaType.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQMetaType.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQMimeData.cc b/src/gsiqt/qt4/QtCore/gsiDeclQMimeData.cc index 249982a7c4..ceb81b0324 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQMimeData.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQMimeData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQModelIndex.cc b/src/gsiqt/qt4/QtCore/gsiDeclQModelIndex.cc index 4754f799bb..0ec1ac8402 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQModelIndex.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQModelIndex.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQMutex.cc b/src/gsiqt/qt4/QtCore/gsiDeclQMutex.cc index cc11d3d9ca..dad9fa58ae 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQMutex.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQMutex.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQObject.cc b/src/gsiqt/qt4/QtCore/gsiDeclQObject.cc index 2ab3add1e3..39c035503d 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQObject.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQPersistentModelIndex.cc b/src/gsiqt/qt4/QtCore/gsiDeclQPersistentModelIndex.cc index 37fe13b2ff..28b55c11af 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQPersistentModelIndex.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQPersistentModelIndex.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQPluginLoader.cc b/src/gsiqt/qt4/QtCore/gsiDeclQPluginLoader.cc index f2fa4da1ee..f8547e7a6c 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQPluginLoader.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQPluginLoader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQPoint.cc b/src/gsiqt/qt4/QtCore/gsiDeclQPoint.cc index 06da9794c3..292ac6741b 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQPoint.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQPoint.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQPointF.cc b/src/gsiqt/qt4/QtCore/gsiDeclQPointF.cc index e31edfb59f..3d441b9e09 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQPointF.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQPointF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQProcess.cc b/src/gsiqt/qt4/QtCore/gsiDeclQProcess.cc index fbc7944fab..aa4cd079a2 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQProcess.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQProcess.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQProcessEnvironment.cc b/src/gsiqt/qt4/QtCore/gsiDeclQProcessEnvironment.cc index 2775ed5e2a..4136ccf910 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQProcessEnvironment.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQProcessEnvironment.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQReadLocker.cc b/src/gsiqt/qt4/QtCore/gsiDeclQReadLocker.cc index 30ef20bd63..83c5ef3692 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQReadLocker.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQReadLocker.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQReadWriteLock.cc b/src/gsiqt/qt4/QtCore/gsiDeclQReadWriteLock.cc index ea8fab619c..0415820100 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQReadWriteLock.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQReadWriteLock.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQRect.cc b/src/gsiqt/qt4/QtCore/gsiDeclQRect.cc index 5ec0a2a3e7..3968bf0f29 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQRect.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQRect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQRectF.cc b/src/gsiqt/qt4/QtCore/gsiDeclQRectF.cc index 6477f0266e..c6ed160eb2 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQRectF.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQRectF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQRegExp.cc b/src/gsiqt/qt4/QtCore/gsiDeclQRegExp.cc index 781412a697..42d9480158 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQRegExp.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQRegExp.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQResource.cc b/src/gsiqt/qt4/QtCore/gsiDeclQResource.cc index 8463906612..f76108be2e 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQResource.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQResource.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQSemaphore.cc b/src/gsiqt/qt4/QtCore/gsiDeclQSemaphore.cc index 1adcf840b9..c4afb095c2 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQSemaphore.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQSemaphore.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQSettings.cc b/src/gsiqt/qt4/QtCore/gsiDeclQSettings.cc index dd18281e4b..8ebad4f008 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQSettings.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQSettings.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQSignalMapper.cc b/src/gsiqt/qt4/QtCore/gsiDeclQSignalMapper.cc index 03e753f54a..5ab5268b57 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQSignalMapper.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQSignalMapper.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQSize.cc b/src/gsiqt/qt4/QtCore/gsiDeclQSize.cc index 97611752f4..4b6858fa2d 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQSize.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQSize.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQSizeF.cc b/src/gsiqt/qt4/QtCore/gsiDeclQSizeF.cc index 47c471bef6..d22b94276f 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQSizeF.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQSizeF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQSocketNotifier.cc b/src/gsiqt/qt4/QtCore/gsiDeclQSocketNotifier.cc index 36e1959e6e..421ad33806 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQSocketNotifier.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQSocketNotifier.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQStringMatcher.cc b/src/gsiqt/qt4/QtCore/gsiDeclQStringMatcher.cc index 897cac40d2..980eefdc36 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQStringMatcher.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQStringMatcher.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQSysInfo.cc b/src/gsiqt/qt4/QtCore/gsiDeclQSysInfo.cc index a97de3de2e..67278e4e73 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQSysInfo.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQSysInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQSystemLocale.cc b/src/gsiqt/qt4/QtCore/gsiDeclQSystemLocale.cc index f8dab0f154..f1000cd9cc 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQSystemLocale.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQSystemLocale.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQTemporaryFile.cc b/src/gsiqt/qt4/QtCore/gsiDeclQTemporaryFile.cc index 79a54ee6b7..fb625377cb 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQTemporaryFile.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQTemporaryFile.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQTextCodec.cc b/src/gsiqt/qt4/QtCore/gsiDeclQTextCodec.cc index 9c228e50d0..faf71274f2 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQTextCodec.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQTextCodec.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQTextCodec_ConverterState.cc b/src/gsiqt/qt4/QtCore/gsiDeclQTextCodec_ConverterState.cc index 0e15533707..fc9344288e 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQTextCodec_ConverterState.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQTextCodec_ConverterState.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQTextDecoder.cc b/src/gsiqt/qt4/QtCore/gsiDeclQTextDecoder.cc index e760578d7d..a87383b3cd 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQTextDecoder.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQTextDecoder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQTextEncoder.cc b/src/gsiqt/qt4/QtCore/gsiDeclQTextEncoder.cc index cfd8d6ee9c..32ac93c73c 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQTextEncoder.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQTextEncoder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQTextStream.cc b/src/gsiqt/qt4/QtCore/gsiDeclQTextStream.cc index 3f5395ae76..baa67d4125 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQTextStream.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQTextStream.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQThread.cc b/src/gsiqt/qt4/QtCore/gsiDeclQThread.cc index e09e9e69cc..f8c24d7d97 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQThread.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQThread.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQTime.cc b/src/gsiqt/qt4/QtCore/gsiDeclQTime.cc index b40fad7c6b..fc548d84a7 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQTime.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQTime.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQTimeLine.cc b/src/gsiqt/qt4/QtCore/gsiDeclQTimeLine.cc index f24e28d6d0..1e92ec53ee 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQTimeLine.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQTimeLine.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQTimer.cc b/src/gsiqt/qt4/QtCore/gsiDeclQTimer.cc index b8aaa1bc80..34c04b01d5 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQTimer.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQTimer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQTimerEvent.cc b/src/gsiqt/qt4/QtCore/gsiDeclQTimerEvent.cc index ce898d6b96..8d2a48537a 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQTimerEvent.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQTimerEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQTranslator.cc b/src/gsiqt/qt4/QtCore/gsiDeclQTranslator.cc index 3f89c4322f..a68e8cef41 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQTranslator.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQTranslator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQUrl.cc b/src/gsiqt/qt4/QtCore/gsiDeclQUrl.cc index e2e69d0e19..2f71ed6e28 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQUrl.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQUrl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQWaitCondition.cc b/src/gsiqt/qt4/QtCore/gsiDeclQWaitCondition.cc index 728498abd7..43696bcbe7 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQWaitCondition.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQWaitCondition.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQWriteLocker.cc b/src/gsiqt/qt4/QtCore/gsiDeclQWriteLocker.cc index b3af8ad58a..81bccbcc1d 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQWriteLocker.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQWriteLocker.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQt.cc b/src/gsiqt/qt4/QtCore/gsiDeclQt.cc index 5a0aa2a6e9..d69e5cbeb3 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQt.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQt.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQtCoreAdd.cc b/src/gsiqt/qt4/QtCore/gsiDeclQtCoreAdd.cc index 125034741c..928cda781b 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQtCoreAdd.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQtCoreAdd.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQt_1.cc b/src/gsiqt/qt4/QtCore/gsiDeclQt_1.cc index 202df9bc09..11e0f8b662 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQt_1.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQt_1.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQt_2.cc b/src/gsiqt/qt4/QtCore/gsiDeclQt_2.cc index 12b54e9c84..5a84e00850 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQt_2.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQt_2.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiDeclQt_3.cc b/src/gsiqt/qt4/QtCore/gsiDeclQt_3.cc index 19387d5747..4c095e7858 100644 --- a/src/gsiqt/qt4/QtCore/gsiDeclQt_3.cc +++ b/src/gsiqt/qt4/QtCore/gsiDeclQt_3.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtCore/gsiQtExternals.h b/src/gsiqt/qt4/QtCore/gsiQtExternals.h index 28305d623b..46c2557533 100644 --- a/src/gsiqt/qt4/QtCore/gsiQtExternals.h +++ b/src/gsiqt/qt4/QtCore/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtDesigner/gsiDeclQAbstractFormBuilder.cc b/src/gsiqt/qt4/QtDesigner/gsiDeclQAbstractFormBuilder.cc index dbce81db80..cd5fa76b17 100644 --- a/src/gsiqt/qt4/QtDesigner/gsiDeclQAbstractFormBuilder.cc +++ b/src/gsiqt/qt4/QtDesigner/gsiDeclQAbstractFormBuilder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtDesigner/gsiDeclQFormBuilder.cc b/src/gsiqt/qt4/QtDesigner/gsiDeclQFormBuilder.cc index b0bdd6912a..6ee3d4d245 100644 --- a/src/gsiqt/qt4/QtDesigner/gsiDeclQFormBuilder.cc +++ b/src/gsiqt/qt4/QtDesigner/gsiDeclQFormBuilder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtDesigner/gsiQtExternals.h b/src/gsiqt/qt4/QtDesigner/gsiQtExternals.h index 3fb0da04de..280e189c78 100644 --- a/src/gsiqt/qt4/QtDesigner/gsiQtExternals.h +++ b/src/gsiqt/qt4/QtDesigner/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractButton.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractButton.cc index d1fd5917a8..fe1e717c15 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractButton.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractGraphicsShapeItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractGraphicsShapeItem.cc index 6ceca73246..d132091584 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractGraphicsShapeItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractGraphicsShapeItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractItemDelegate.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractItemDelegate.cc index fb8b714d7a..1a369bafd4 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractItemDelegate.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractItemDelegate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractItemView.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractItemView.cc index 13983f44f7..2daad9dff8 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractItemView.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractItemView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractPageSetupDialog.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractPageSetupDialog.cc index fc2990357a..bc3f3f659d 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractPageSetupDialog.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractPageSetupDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractPrintDialog.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractPrintDialog.cc index fa31551e19..074ea6198a 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractPrintDialog.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractPrintDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractProxyModel.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractProxyModel.cc index 5891416da4..89735cac0e 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractProxyModel.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractProxyModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractScrollArea.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractScrollArea.cc index da862ce86b..d0e7dfaa71 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractScrollArea.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractScrollArea.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractSlider.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractSlider.cc index 53fdeeb4fa..f59a623e4e 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractSlider.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractSlider.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractSpinBox.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractSpinBox.cc index 436e82d1e0..1c4fef691a 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractSpinBox.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractSpinBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractTextDocumentLayout.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractTextDocumentLayout.cc index d41c5bdd82..de4caac8c0 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractTextDocumentLayout.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractTextDocumentLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractTextDocumentLayout_PaintContext.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractTextDocumentLayout_PaintContext.cc index 756fe15129..75034da8a7 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractTextDocumentLayout_PaintContext.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractTextDocumentLayout_PaintContext.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractTextDocumentLayout_Selection.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractTextDocumentLayout_Selection.cc index cc40e22fe2..b03edd0ea7 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractTextDocumentLayout_Selection.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractTextDocumentLayout_Selection.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractUndoItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractUndoItem.cc index 9faff8d4df..f2ab9ea0cd 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAbstractUndoItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAbstractUndoItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAccessible.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAccessible.cc index 0a80fa8235..e0ab6ce1b0 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAccessible.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAccessible.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAccessibleApplication.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAccessibleApplication.cc index ae04580add..fccc41ec61 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAccessibleApplication.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAccessibleApplication.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAccessibleEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAccessibleEvent.cc index 52e5c62d31..dd2ae81c7b 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAccessibleEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAccessibleEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAccessibleInterface.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAccessibleInterface.cc index ef65dc6998..0da26d3098 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAccessibleInterface.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAccessibleInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAccessibleObject.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAccessibleObject.cc index 94709ec8d6..057a9c050b 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAccessibleObject.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAccessibleObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAccessibleWidget.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAccessibleWidget.cc index bbe71b9b08..3627b6396e 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAccessibleWidget.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAccessibleWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQAction.cc b/src/gsiqt/qt4/QtGui/gsiDeclQAction.cc index baff69b340..8237c145ab 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQAction.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQAction.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQActionEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQActionEvent.cc index 9f97169d46..43f04d311d 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQActionEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQActionEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQActionGroup.cc b/src/gsiqt/qt4/QtGui/gsiDeclQActionGroup.cc index 69c95770ef..9280ab6c30 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQActionGroup.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQActionGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQApplication.cc b/src/gsiqt/qt4/QtGui/gsiDeclQApplication.cc index 22df21e962..5c7673c12c 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQApplication.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQApplication.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQBitmap.cc b/src/gsiqt/qt4/QtGui/gsiDeclQBitmap.cc index fd4bb46f73..8d6a5a58e6 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQBitmap.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQBitmap.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQBoxLayout.cc b/src/gsiqt/qt4/QtGui/gsiDeclQBoxLayout.cc index 4b298b2478..7b0d8528e5 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQBoxLayout.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQBoxLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQBrush.cc b/src/gsiqt/qt4/QtGui/gsiDeclQBrush.cc index 28dfb45cb7..7c15e0e920 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQBrush.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQBrush.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQButtonGroup.cc b/src/gsiqt/qt4/QtGui/gsiDeclQButtonGroup.cc index 7cc01bbf91..e1d4a45328 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQButtonGroup.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQButtonGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQCDEStyle.cc b/src/gsiqt/qt4/QtGui/gsiDeclQCDEStyle.cc index 888b7a00b5..7fc7f9c03b 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQCDEStyle.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQCDEStyle.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQCalendarWidget.cc b/src/gsiqt/qt4/QtGui/gsiDeclQCalendarWidget.cc index fa49d4c1b4..8155f6ea21 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQCalendarWidget.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQCalendarWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQCheckBox.cc b/src/gsiqt/qt4/QtGui/gsiDeclQCheckBox.cc index 02abd1bb6e..0756c1237a 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQCheckBox.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQCheckBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQCleanlooksStyle.cc b/src/gsiqt/qt4/QtGui/gsiDeclQCleanlooksStyle.cc index 9ed5221b7e..684d9a4da1 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQCleanlooksStyle.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQCleanlooksStyle.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQClipboard.cc b/src/gsiqt/qt4/QtGui/gsiDeclQClipboard.cc index 8a02c66062..96636b45c7 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQClipboard.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQClipboard.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQClipboardEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQClipboardEvent.cc index 6bd1746d01..af0a460601 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQClipboardEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQClipboardEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQCloseEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQCloseEvent.cc index b6714494a6..199bc49a2b 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQCloseEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQCloseEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQColor.cc b/src/gsiqt/qt4/QtGui/gsiDeclQColor.cc index ff35dab3cf..f8a618a9c2 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQColor.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQColor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQColorDialog.cc b/src/gsiqt/qt4/QtGui/gsiDeclQColorDialog.cc index c54e3f84a5..492a0c5c41 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQColorDialog.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQColorDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQColormap.cc b/src/gsiqt/qt4/QtGui/gsiDeclQColormap.cc index ca8f9b04cb..90cc534c33 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQColormap.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQColormap.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQColumnView.cc b/src/gsiqt/qt4/QtGui/gsiDeclQColumnView.cc index 9048230902..595310842c 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQColumnView.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQColumnView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQComboBox.cc b/src/gsiqt/qt4/QtGui/gsiDeclQComboBox.cc index 39734eba01..3af29221cd 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQComboBox.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQComboBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQCommandLinkButton.cc b/src/gsiqt/qt4/QtGui/gsiDeclQCommandLinkButton.cc index a749fb3e68..5fca042e69 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQCommandLinkButton.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQCommandLinkButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQCommonStyle.cc b/src/gsiqt/qt4/QtGui/gsiDeclQCommonStyle.cc index bcc8377021..bdeb7ef40b 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQCommonStyle.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQCommonStyle.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQCompleter.cc b/src/gsiqt/qt4/QtGui/gsiDeclQCompleter.cc index f433951fcc..216ea777d2 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQCompleter.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQCompleter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQConicalGradient.cc b/src/gsiqt/qt4/QtGui/gsiDeclQConicalGradient.cc index 47e51fbf0c..e5a4aec22d 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQConicalGradient.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQConicalGradient.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQContextMenuEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQContextMenuEvent.cc index 335b80f288..1c44e2ee8e 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQContextMenuEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQContextMenuEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQCursor.cc b/src/gsiqt/qt4/QtGui/gsiDeclQCursor.cc index e5941335de..2bf96219f6 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQCursor.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQCursor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQDataWidgetMapper.cc b/src/gsiqt/qt4/QtGui/gsiDeclQDataWidgetMapper.cc index a8b2594685..b546abeeec 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQDataWidgetMapper.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQDataWidgetMapper.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQDateEdit.cc b/src/gsiqt/qt4/QtGui/gsiDeclQDateEdit.cc index db920aebeb..c684fc1e89 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQDateEdit.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQDateEdit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQDateTimeEdit.cc b/src/gsiqt/qt4/QtGui/gsiDeclQDateTimeEdit.cc index 3bb967fb7e..2e4cee442a 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQDateTimeEdit.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQDateTimeEdit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQDesktopServices.cc b/src/gsiqt/qt4/QtGui/gsiDeclQDesktopServices.cc index 481339bdb1..75eeaddbd3 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQDesktopServices.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQDesktopServices.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQDesktopWidget.cc b/src/gsiqt/qt4/QtGui/gsiDeclQDesktopWidget.cc index 4b1a032824..d84a15bafb 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQDesktopWidget.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQDesktopWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQDial.cc b/src/gsiqt/qt4/QtGui/gsiDeclQDial.cc index a77c786b96..49f4a2bf6f 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQDial.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQDial.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQDialog.cc b/src/gsiqt/qt4/QtGui/gsiDeclQDialog.cc index 874850f572..2f65691690 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQDialog.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQDialogButtonBox.cc b/src/gsiqt/qt4/QtGui/gsiDeclQDialogButtonBox.cc index ab0dbbed30..870d87369f 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQDialogButtonBox.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQDialogButtonBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQDirIterator.cc b/src/gsiqt/qt4/QtGui/gsiDeclQDirIterator.cc index ce9db77d0b..ae0d4fbdda 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQDirIterator.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQDirIterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQDirModel.cc b/src/gsiqt/qt4/QtGui/gsiDeclQDirModel.cc index 806e967a45..88a5f16460 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQDirModel.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQDirModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQDockWidget.cc b/src/gsiqt/qt4/QtGui/gsiDeclQDockWidget.cc index dd5dcb0a8f..a4f787e178 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQDockWidget.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQDockWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQDoubleSpinBox.cc b/src/gsiqt/qt4/QtGui/gsiDeclQDoubleSpinBox.cc index 6a993af0fe..64610f8df0 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQDoubleSpinBox.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQDoubleSpinBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQDoubleValidator.cc b/src/gsiqt/qt4/QtGui/gsiDeclQDoubleValidator.cc index de5e4a006f..ed8b3db34d 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQDoubleValidator.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQDoubleValidator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQDrag.cc b/src/gsiqt/qt4/QtGui/gsiDeclQDrag.cc index ad8f079f13..5725dc7f3e 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQDrag.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQDrag.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQDragEnterEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQDragEnterEvent.cc index e3d912ebb0..53169f0757 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQDragEnterEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQDragEnterEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQDragLeaveEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQDragLeaveEvent.cc index f7d328d0b5..8ffe19eba3 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQDragLeaveEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQDragLeaveEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQDragMoveEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQDragMoveEvent.cc index 1a73d35112..68008b0233 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQDragMoveEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQDragMoveEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQDragResponseEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQDragResponseEvent.cc index 272541d0d2..ee4dd5e099 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQDragResponseEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQDragResponseEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQDropEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQDropEvent.cc index 21725f6258..946bee08db 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQDropEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQDropEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQErrorMessage.cc b/src/gsiqt/qt4/QtGui/gsiDeclQErrorMessage.cc index 65833a5542..bff673fbd8 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQErrorMessage.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQErrorMessage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQFileDialog.cc b/src/gsiqt/qt4/QtGui/gsiDeclQFileDialog.cc index 52648dc276..21e0d56db2 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQFileDialog.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQFileDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQFileIconProvider.cc b/src/gsiqt/qt4/QtGui/gsiDeclQFileIconProvider.cc index 553a39eb5b..8771bf0df3 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQFileIconProvider.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQFileIconProvider.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQFileOpenEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQFileOpenEvent.cc index fe8052af8a..c044c845ce 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQFileOpenEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQFileOpenEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQFileSystemModel.cc b/src/gsiqt/qt4/QtGui/gsiDeclQFileSystemModel.cc index 0fd78e88b3..2fbb846d3d 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQFileSystemModel.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQFileSystemModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQFocusEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQFocusEvent.cc index 323e1894e4..0c349485a1 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQFocusEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQFocusEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQFocusFrame.cc b/src/gsiqt/qt4/QtGui/gsiDeclQFocusFrame.cc index d93695f160..f8b81dff2b 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQFocusFrame.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQFocusFrame.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQFont.cc b/src/gsiqt/qt4/QtGui/gsiDeclQFont.cc index 98aa4fb207..f4b3e3723d 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQFont.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQFont.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQFontComboBox.cc b/src/gsiqt/qt4/QtGui/gsiDeclQFontComboBox.cc index 06679717b9..d778530f26 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQFontComboBox.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQFontComboBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQFontDatabase.cc b/src/gsiqt/qt4/QtGui/gsiDeclQFontDatabase.cc index 8d9ab7dbf9..c4eefc7669 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQFontDatabase.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQFontDatabase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQFontDialog.cc b/src/gsiqt/qt4/QtGui/gsiDeclQFontDialog.cc index d607f80c21..1406596091 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQFontDialog.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQFontDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQFontInfo.cc b/src/gsiqt/qt4/QtGui/gsiDeclQFontInfo.cc index 4fc4310a3f..1f35ed422d 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQFontInfo.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQFontInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQFontMetrics.cc b/src/gsiqt/qt4/QtGui/gsiDeclQFontMetrics.cc index c131036f50..33da8d8936 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQFontMetrics.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQFontMetrics.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQFontMetricsF.cc b/src/gsiqt/qt4/QtGui/gsiDeclQFontMetricsF.cc index 590fb8595d..12c1954377 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQFontMetricsF.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQFontMetricsF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQFormLayout.cc b/src/gsiqt/qt4/QtGui/gsiDeclQFormLayout.cc index 27915200d7..ba9316d999 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQFormLayout.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQFormLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQFrame.cc b/src/gsiqt/qt4/QtGui/gsiDeclQFrame.cc index 035c18780e..b6edcd0889 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQFrame.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQFrame.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGesture.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGesture.cc index 393250f496..e817141569 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGesture.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGesture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGestureEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGestureEvent.cc index ea796974d7..f6e79ed5bf 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGestureEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGestureEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGestureRecognizer.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGestureRecognizer.cc index d8dcd29090..6c030fc1ee 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGestureRecognizer.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGestureRecognizer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGradient.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGradient.cc index f25571ad55..9336bbb060 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGradient.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGradient.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsAnchor.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsAnchor.cc index 679fb898a1..cbb42ae48c 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsAnchor.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsAnchor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsAnchorLayout.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsAnchorLayout.cc index 29fe2f8f9f..c69aca0b9f 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsAnchorLayout.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsAnchorLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsBlurEffect.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsBlurEffect.cc index a0588aaa8c..0229649d06 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsBlurEffect.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsBlurEffect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsColorizeEffect.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsColorizeEffect.cc index 6038341959..c0eccb1c96 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsColorizeEffect.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsColorizeEffect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsDropShadowEffect.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsDropShadowEffect.cc index a7c2f11c2d..bd512626ee 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsDropShadowEffect.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsDropShadowEffect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsEffect.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsEffect.cc index d9ff0af0e9..0be1206fe9 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsEffect.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsEffect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsEllipseItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsEllipseItem.cc index 0f2ab74be2..17b00c63f2 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsEllipseItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsEllipseItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsGridLayout.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsGridLayout.cc index 002afa8f69..151e32be25 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsGridLayout.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsGridLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsItem.cc index a124177470..71dbd0b4ca 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsItemAnimation.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsItemAnimation.cc index 6f05b0cbba..f76cfaf854 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsItemAnimation.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsItemAnimation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsItemGroup.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsItemGroup.cc index b7df11f193..ba3074e354 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsItemGroup.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsItemGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsLayout.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsLayout.cc index 8b445d4ab0..edf2d1af12 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsLayout.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsLayoutItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsLayoutItem.cc index 5d01f98cf9..2543f3c949 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsLayoutItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsLayoutItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsLineItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsLineItem.cc index 21125f963c..6a021c3031 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsLineItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsLineItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsLinearLayout.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsLinearLayout.cc index 5317f811e7..532546767b 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsLinearLayout.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsLinearLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsObject.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsObject.cc index 1afa424142..5f9a2278af 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsObject.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsOpacityEffect.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsOpacityEffect.cc index 4eca5195c9..5f15cecec6 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsOpacityEffect.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsOpacityEffect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsPathItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsPathItem.cc index c970dfc51d..bc36c61ac3 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsPathItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsPathItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsPixmapItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsPixmapItem.cc index d981175150..b4fd51c66c 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsPixmapItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsPixmapItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsPolygonItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsPolygonItem.cc index 2adf600eaf..0e25f17c34 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsPolygonItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsPolygonItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsProxyWidget.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsProxyWidget.cc index 6a7794cd62..99eb8cb877 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsProxyWidget.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsProxyWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsRectItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsRectItem.cc index c4cefa85d8..0d1768051e 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsRectItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsRectItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsRotation.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsRotation.cc index acee50ff1b..59e39ad873 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsRotation.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsRotation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsScale.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsScale.cc index 542c565e0e..939df81e2f 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsScale.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsScale.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsScene.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsScene.cc index fdda86411c..05f7c2bfd0 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsScene.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsScene.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneContextMenuEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneContextMenuEvent.cc index 532fac1f43..caa4ba2e6a 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneContextMenuEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneContextMenuEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneDragDropEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneDragDropEvent.cc index 35f7b1da58..9c048f6639 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneDragDropEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneDragDropEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneEvent.cc index 4d70ff1fec..aa0df2b544 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneHelpEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneHelpEvent.cc index e49e9004a7..fff0fd0742 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneHelpEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneHelpEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneHoverEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneHoverEvent.cc index 16f1b72cd5..8d049d2a1f 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneHoverEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneHoverEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneMouseEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneMouseEvent.cc index 2cfa825a33..429e67c559 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneMouseEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneMouseEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneMoveEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneMoveEvent.cc index fc93e204c3..2dd5316c27 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneMoveEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneMoveEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneResizeEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneResizeEvent.cc index b634c111ce..74e326fe68 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneResizeEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneResizeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneWheelEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneWheelEvent.cc index a82b705476..622fcc0441 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneWheelEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSceneWheelEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSimpleTextItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSimpleTextItem.cc index e941db78e4..cf8b7bcb7d 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSimpleTextItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsSimpleTextItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsTextItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsTextItem.cc index d380721489..8bf11bf8ca 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsTextItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsTextItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsTransform.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsTransform.cc index 22deea3353..7ba267922b 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsTransform.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsTransform.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsView.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsView.cc index e54be72ff6..1606bd2534 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsView.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsWidget.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsWidget.cc index 250d86605a..d46857d34c 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsWidget.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGraphicsWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGridLayout.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGridLayout.cc index 85619e3c57..247dc50017 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGridLayout.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGridLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQGroupBox.cc b/src/gsiqt/qt4/QtGui/gsiDeclQGroupBox.cc index 2b99a76dd1..b9b14dd676 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQGroupBox.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQGroupBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQHBoxLayout.cc b/src/gsiqt/qt4/QtGui/gsiDeclQHBoxLayout.cc index b0e43c69d2..7c53329c64 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQHBoxLayout.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQHBoxLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQHeaderView.cc b/src/gsiqt/qt4/QtGui/gsiDeclQHeaderView.cc index 9d3a3bec52..d5d2cf9d24 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQHeaderView.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQHeaderView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQHelpEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQHelpEvent.cc index a31673ccd6..688b9a2b2b 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQHelpEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQHelpEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQHideEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQHideEvent.cc index 462f7f17ae..57b7ab0f29 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQHideEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQHideEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQHoverEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQHoverEvent.cc index c0d93ac634..80823ae6b9 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQHoverEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQHoverEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQIcon.cc b/src/gsiqt/qt4/QtGui/gsiDeclQIcon.cc index 896b80b765..a1863b99bd 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQIcon.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQIcon.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQIconDragEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQIconDragEvent.cc index 28ecdb692f..90dc58bf3a 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQIconDragEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQIconDragEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQIconEngine.cc b/src/gsiqt/qt4/QtGui/gsiDeclQIconEngine.cc index 780f1578ed..9505cfe6f6 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQIconEngine.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQIconEngine.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQIconEnginePlugin.cc b/src/gsiqt/qt4/QtGui/gsiDeclQIconEnginePlugin.cc index e037d5ff9b..ed16fb85a9 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQIconEnginePlugin.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQIconEnginePlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQIconEnginePluginV2.cc b/src/gsiqt/qt4/QtGui/gsiDeclQIconEnginePluginV2.cc index 9a24263b18..d61d3a1541 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQIconEnginePluginV2.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQIconEnginePluginV2.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQIconEngineV2.cc b/src/gsiqt/qt4/QtGui/gsiDeclQIconEngineV2.cc index 5af3ae4643..c5e8ebbfb0 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQIconEngineV2.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQIconEngineV2.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQImage.cc b/src/gsiqt/qt4/QtGui/gsiDeclQImage.cc index 28de3679af..0597687946 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQImage.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQImage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQImageIOHandler.cc b/src/gsiqt/qt4/QtGui/gsiDeclQImageIOHandler.cc index 72c9fd6324..6c9fb8d0a4 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQImageIOHandler.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQImageIOHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQImageIOPlugin.cc b/src/gsiqt/qt4/QtGui/gsiDeclQImageIOPlugin.cc index e6646ca16d..d84cc8fac2 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQImageIOPlugin.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQImageIOPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQImageReader.cc b/src/gsiqt/qt4/QtGui/gsiDeclQImageReader.cc index 35b55a0e4c..50539c845f 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQImageReader.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQImageReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQImageTextKeyLang.cc b/src/gsiqt/qt4/QtGui/gsiDeclQImageTextKeyLang.cc index d699c4b1ee..4bdef652a9 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQImageTextKeyLang.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQImageTextKeyLang.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQImageWriter.cc b/src/gsiqt/qt4/QtGui/gsiDeclQImageWriter.cc index 824cf251eb..685fed8caa 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQImageWriter.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQImageWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQInputContext.cc b/src/gsiqt/qt4/QtGui/gsiDeclQInputContext.cc index 66b61cb401..591dbf926c 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQInputContext.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQInputContext.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQInputContextFactory.cc b/src/gsiqt/qt4/QtGui/gsiDeclQInputContextFactory.cc index 8d450cfeea..1563fcc6b1 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQInputContextFactory.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQInputContextFactory.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQInputContextPlugin.cc b/src/gsiqt/qt4/QtGui/gsiDeclQInputContextPlugin.cc index 838bd57331..653a4f1463 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQInputContextPlugin.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQInputContextPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQInputDialog.cc b/src/gsiqt/qt4/QtGui/gsiDeclQInputDialog.cc index 1f867ca507..630c83fa3c 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQInputDialog.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQInputDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQInputEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQInputEvent.cc index 209feac2e7..c2f918ea6f 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQInputEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQInputEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQInputMethodEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQInputMethodEvent.cc index c01fa13054..fb16e2b1ac 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQInputMethodEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQInputMethodEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQInputMethodEvent_Attribute.cc b/src/gsiqt/qt4/QtGui/gsiDeclQInputMethodEvent_Attribute.cc index 8b07e2e277..2031b9be4f 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQInputMethodEvent_Attribute.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQInputMethodEvent_Attribute.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQIntValidator.cc b/src/gsiqt/qt4/QtGui/gsiDeclQIntValidator.cc index b225f48a3d..21d6f89f12 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQIntValidator.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQIntValidator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQItemDelegate.cc b/src/gsiqt/qt4/QtGui/gsiDeclQItemDelegate.cc index b744514c83..ed5485a4e4 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQItemDelegate.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQItemDelegate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQItemEditorCreatorBase.cc b/src/gsiqt/qt4/QtGui/gsiDeclQItemEditorCreatorBase.cc index 68e22971f0..efe15f9211 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQItemEditorCreatorBase.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQItemEditorCreatorBase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQItemEditorFactory.cc b/src/gsiqt/qt4/QtGui/gsiDeclQItemEditorFactory.cc index 6c439dd98c..9f8f7436fe 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQItemEditorFactory.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQItemEditorFactory.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQItemSelection.cc b/src/gsiqt/qt4/QtGui/gsiDeclQItemSelection.cc index da3e26882c..018c053537 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQItemSelection.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQItemSelection.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQItemSelectionModel.cc b/src/gsiqt/qt4/QtGui/gsiDeclQItemSelectionModel.cc index 613228f3b3..bf0cfaa26b 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQItemSelectionModel.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQItemSelectionModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQItemSelectionRange.cc b/src/gsiqt/qt4/QtGui/gsiDeclQItemSelectionRange.cc index cfd6760cc5..807d1e2a05 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQItemSelectionRange.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQItemSelectionRange.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQKeyEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQKeyEvent.cc index 700eb93b32..b40044ca1a 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQKeyEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQKeyEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQKeySequence.cc b/src/gsiqt/qt4/QtGui/gsiDeclQKeySequence.cc index 38a8083411..7492ac4e72 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQKeySequence.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQKeySequence.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQLCDNumber.cc b/src/gsiqt/qt4/QtGui/gsiDeclQLCDNumber.cc index fd4922c7c3..98e79311bc 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQLCDNumber.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQLCDNumber.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQLabel.cc b/src/gsiqt/qt4/QtGui/gsiDeclQLabel.cc index ef9e196666..fc2285a252 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQLabel.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQLabel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQLayout.cc b/src/gsiqt/qt4/QtGui/gsiDeclQLayout.cc index 3b0fd93942..bc6a405133 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQLayout.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQLayoutItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQLayoutItem.cc index d7d437c6cb..379614f863 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQLayoutItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQLayoutItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQLineEdit.cc b/src/gsiqt/qt4/QtGui/gsiDeclQLineEdit.cc index 213440b32c..2888d8431c 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQLineEdit.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQLineEdit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQLinearGradient.cc b/src/gsiqt/qt4/QtGui/gsiDeclQLinearGradient.cc index 7591ffd32b..3ef06dff6e 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQLinearGradient.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQLinearGradient.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQListView.cc b/src/gsiqt/qt4/QtGui/gsiDeclQListView.cc index 76c3ed422b..9dd1da2ba0 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQListView.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQListView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQListWidget.cc b/src/gsiqt/qt4/QtGui/gsiDeclQListWidget.cc index bef23ee97e..09dde5ddc0 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQListWidget.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQListWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQListWidgetItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQListWidgetItem.cc index b03aa49629..3364e177e6 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQListWidgetItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQListWidgetItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQMainWindow.cc b/src/gsiqt/qt4/QtGui/gsiDeclQMainWindow.cc index c188e02775..de70aea81b 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQMainWindow.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQMainWindow.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQMatrix.cc b/src/gsiqt/qt4/QtGui/gsiDeclQMatrix.cc index 5bff7a06db..19f7d018a8 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQMatrix.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQMatrix.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQMatrix4x4.cc b/src/gsiqt/qt4/QtGui/gsiDeclQMatrix4x4.cc index 50fc248189..cb91d04b65 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQMatrix4x4.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQMatrix4x4.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQMdiArea.cc b/src/gsiqt/qt4/QtGui/gsiDeclQMdiArea.cc index e01cf5cb02..9b47a937d6 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQMdiArea.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQMdiArea.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQMdiSubWindow.cc b/src/gsiqt/qt4/QtGui/gsiDeclQMdiSubWindow.cc index fb479e5168..ec0c526bfa 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQMdiSubWindow.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQMdiSubWindow.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQMenu.cc b/src/gsiqt/qt4/QtGui/gsiDeclQMenu.cc index 0c20a76308..81e58ea624 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQMenu.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQMenu.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQMenuBar.cc b/src/gsiqt/qt4/QtGui/gsiDeclQMenuBar.cc index 16bcebaad4..e6c1a54ee5 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQMenuBar.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQMenuBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQMessageBox.cc b/src/gsiqt/qt4/QtGui/gsiDeclQMessageBox.cc index 6a1a6ca317..ece2f22147 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQMessageBox.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQMessageBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQMimeSource.cc b/src/gsiqt/qt4/QtGui/gsiDeclQMimeSource.cc index 343a7011cb..4eb97332d2 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQMimeSource.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQMimeSource.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQMotifStyle.cc b/src/gsiqt/qt4/QtGui/gsiDeclQMotifStyle.cc index 1a3de95d02..878b172500 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQMotifStyle.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQMotifStyle.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQMouseEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQMouseEvent.cc index 2fd6a91851..35f694b53e 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQMouseEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQMouseEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQMoveEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQMoveEvent.cc index b0ff4955af..21e365dcf3 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQMoveEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQMoveEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQMovie.cc b/src/gsiqt/qt4/QtGui/gsiDeclQMovie.cc index 2cdc39cbbb..d1454ae555 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQMovie.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQMovie.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPageSetupDialog.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPageSetupDialog.cc index 87af6f85fd..042cdcf4ce 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPageSetupDialog.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPageSetupDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPaintDevice.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPaintDevice.cc index 65fd632407..86a274a597 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPaintDevice.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPaintDevice.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPaintEngine.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPaintEngine.cc index f0e1a313fe..0e8634a54a 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPaintEngine.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPaintEngine.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPaintEngineState.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPaintEngineState.cc index 174ece6d77..46f63df504 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPaintEngineState.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPaintEngineState.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPaintEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPaintEvent.cc index 4bb0491c6a..4931fd8f91 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPaintEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPaintEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPainter.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPainter.cc index 2763c5a6e4..dc2488dfc0 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPainter.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPainter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPainterPath.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPainterPath.cc index 0321527c09..0b10caac86 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPainterPath.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPainterPath.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPainterPathStroker.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPainterPathStroker.cc index 347b507233..209eb265ce 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPainterPathStroker.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPainterPathStroker.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPainterPath_Element.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPainterPath_Element.cc index efe6f33a94..2a943cac0c 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPainterPath_Element.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPainterPath_Element.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPalette.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPalette.cc index c6656fb661..ebc76f4493 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPalette.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPalette.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPanGesture.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPanGesture.cc index 18267dedfc..695b43d0d3 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPanGesture.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPanGesture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPen.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPen.cc index 4d19de1d66..c198906628 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPen.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPen.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPicture.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPicture.cc index fd07cfafcb..9a9de9b2f3 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPicture.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPicture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPinchGesture.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPinchGesture.cc index 143d97988e..6f1dd70ddc 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPinchGesture.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPinchGesture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPixmap.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPixmap.cc index 753dce01c4..35404efacd 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPixmap.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPixmap.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPixmapCache.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPixmapCache.cc index 2c9f449e1c..6fd62e5a38 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPixmapCache.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPixmapCache.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPlainTextDocumentLayout.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPlainTextDocumentLayout.cc index d7ab8a74a9..b53b102ce3 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPlainTextDocumentLayout.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPlainTextDocumentLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPlainTextEdit.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPlainTextEdit.cc index 9fa01543d1..ea9e1407e4 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPlainTextEdit.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPlainTextEdit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPlastiqueStyle.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPlastiqueStyle.cc index 87c5c4e65e..52d1ea5474 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPlastiqueStyle.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPlastiqueStyle.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPolygon.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPolygon.cc index 8529c84142..12ad4f0c71 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPolygon.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPolygon.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPolygonF.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPolygonF.cc index 701acc18b6..1b9d1e96e3 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPolygonF.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPolygonF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPrintDialog.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPrintDialog.cc index ed9d2ef096..c2077996cb 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPrintDialog.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPrintDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPrintEngine.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPrintEngine.cc index 179c5e5dc8..80c9f52725 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPrintEngine.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPrintEngine.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPrintPreviewDialog.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPrintPreviewDialog.cc index 4598f33169..64d2328511 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPrintPreviewDialog.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPrintPreviewDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPrintPreviewWidget.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPrintPreviewWidget.cc index 08bdcf511c..5f6c263a8c 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPrintPreviewWidget.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPrintPreviewWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPrinter.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPrinter.cc index 0524c40e67..ef1efeb27f 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPrinter.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPrinter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPrinterInfo.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPrinterInfo.cc index ad04f07eac..e8c1728025 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPrinterInfo.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPrinterInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQProgressBar.cc b/src/gsiqt/qt4/QtGui/gsiDeclQProgressBar.cc index d55ab18128..f6c55e9b43 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQProgressBar.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQProgressBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQProgressDialog.cc b/src/gsiqt/qt4/QtGui/gsiDeclQProgressDialog.cc index 08f3cf1da3..e310d7bc6e 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQProgressDialog.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQProgressDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQPushButton.cc b/src/gsiqt/qt4/QtGui/gsiDeclQPushButton.cc index 0c1dca8d16..5d9a7f689b 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQPushButton.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQPushButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQQuaternion.cc b/src/gsiqt/qt4/QtGui/gsiDeclQQuaternion.cc index 45441aef14..c9d07f8850 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQQuaternion.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQQuaternion.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQRadialGradient.cc b/src/gsiqt/qt4/QtGui/gsiDeclQRadialGradient.cc index 43eda89cc8..eec6b12ef0 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQRadialGradient.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQRadialGradient.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQRadioButton.cc b/src/gsiqt/qt4/QtGui/gsiDeclQRadioButton.cc index 4738517304..d35e19c121 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQRadioButton.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQRadioButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQRegExpValidator.cc b/src/gsiqt/qt4/QtGui/gsiDeclQRegExpValidator.cc index 7a0c0028c5..120505e5dd 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQRegExpValidator.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQRegExpValidator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQRegion.cc b/src/gsiqt/qt4/QtGui/gsiDeclQRegion.cc index 7f5802a32c..94d2995d21 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQRegion.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQRegion.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQResizeEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQResizeEvent.cc index 9bf8078015..17c3ad0cc4 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQResizeEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQResizeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQRubberBand.cc b/src/gsiqt/qt4/QtGui/gsiDeclQRubberBand.cc index 6401e28f0a..1cc66e9b4d 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQRubberBand.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQRubberBand.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQScrollArea.cc b/src/gsiqt/qt4/QtGui/gsiDeclQScrollArea.cc index 421ea8ae4d..5d95682c44 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQScrollArea.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQScrollArea.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQScrollBar.cc b/src/gsiqt/qt4/QtGui/gsiDeclQScrollBar.cc index ab56b6b603..8792e627df 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQScrollBar.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQScrollBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQShortcut.cc b/src/gsiqt/qt4/QtGui/gsiDeclQShortcut.cc index 21ae5d1fab..7b00586578 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQShortcut.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQShortcut.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQShortcutEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQShortcutEvent.cc index 6f38b89bad..e08a420343 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQShortcutEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQShortcutEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQShowEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQShowEvent.cc index 1c0a728194..e9be52a4eb 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQShowEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQShowEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQSizeGrip.cc b/src/gsiqt/qt4/QtGui/gsiDeclQSizeGrip.cc index c980b56342..cf671ec92c 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQSizeGrip.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQSizeGrip.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQSizePolicy.cc b/src/gsiqt/qt4/QtGui/gsiDeclQSizePolicy.cc index 809d36a7e8..849ad38914 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQSizePolicy.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQSizePolicy.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQSlider.cc b/src/gsiqt/qt4/QtGui/gsiDeclQSlider.cc index 219c5da28c..c731175a9d 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQSlider.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQSlider.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQSortFilterProxyModel.cc b/src/gsiqt/qt4/QtGui/gsiDeclQSortFilterProxyModel.cc index 8d1ef7a395..7c4c414880 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQSortFilterProxyModel.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQSortFilterProxyModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQSound.cc b/src/gsiqt/qt4/QtGui/gsiDeclQSound.cc index f00b0b066f..2e29d4e2f0 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQSound.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQSound.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQSpacerItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQSpacerItem.cc index c17dfa1f89..8eb0e389fe 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQSpacerItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQSpacerItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQSpinBox.cc b/src/gsiqt/qt4/QtGui/gsiDeclQSpinBox.cc index c35a7c4d93..dae4977a0f 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQSpinBox.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQSpinBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQSplashScreen.cc b/src/gsiqt/qt4/QtGui/gsiDeclQSplashScreen.cc index c2a2ff38ca..d1340abb4f 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQSplashScreen.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQSplashScreen.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQSplitter.cc b/src/gsiqt/qt4/QtGui/gsiDeclQSplitter.cc index cf1236ac3b..3e397121d3 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQSplitter.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQSplitter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQSplitterHandle.cc b/src/gsiqt/qt4/QtGui/gsiDeclQSplitterHandle.cc index c24a666b16..aee1f0fba9 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQSplitterHandle.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQSplitterHandle.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStackedLayout.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStackedLayout.cc index a02a74672a..d9470f1a2c 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStackedLayout.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStackedLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStackedWidget.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStackedWidget.cc index 3559db6166..9ba4f71272 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStackedWidget.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStackedWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStandardItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStandardItem.cc index 754ba79fbc..23c6b236f5 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStandardItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStandardItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStandardItemModel.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStandardItemModel.cc index 6e8019a923..42ed198c4f 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStandardItemModel.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStandardItemModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStatusBar.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStatusBar.cc index 2452a4e4ae..06024b7e4b 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStatusBar.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStatusBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStatusTipEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStatusTipEvent.cc index f5d4253da6..47f2441cb1 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStatusTipEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStatusTipEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStringListModel.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStringListModel.cc index b79b1aa8a4..e79505438e 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStringListModel.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStringListModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyle.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyle.cc index 4152c9772a..0cf27e77aa 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyle.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyle.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleFactory.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleFactory.cc index 4b9e3236ac..f968780017 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleFactory.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleFactory.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleHintReturn.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleHintReturn.cc index 6f96845603..9d2a88b479 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleHintReturn.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleHintReturn.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleHintReturnMask.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleHintReturnMask.cc index 681a57e75e..30d0cfce2b 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleHintReturnMask.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleHintReturnMask.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleHintReturnVariant.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleHintReturnVariant.cc index 0298853ee0..75b36a6e25 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleHintReturnVariant.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleHintReturnVariant.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOption.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOption.cc index 08d9267d60..5124fdd87a 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOption.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOption.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionButton.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionButton.cc index ada42f7384..13a87254b3 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionButton.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionComboBox.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionComboBox.cc index dad19246b6..f013344c7a 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionComboBox.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionComboBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionComplex.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionComplex.cc index 85c485af08..813818a9f9 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionComplex.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionComplex.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionDockWidget.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionDockWidget.cc index 00595808a6..41bcd87f26 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionDockWidget.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionDockWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionFocusRect.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionFocusRect.cc index 2d38376d10..df867cd527 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionFocusRect.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionFocusRect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionFrame.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionFrame.cc index fb7d06cfca..de034493ac 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionFrame.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionFrame.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionFrameV2.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionFrameV2.cc index b6a8243131..f7b45f00ca 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionFrameV2.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionFrameV2.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionFrameV3.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionFrameV3.cc index 9fb225358d..8922cd2c41 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionFrameV3.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionFrameV3.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionGraphicsItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionGraphicsItem.cc index 70bb0a676f..546b8366d6 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionGraphicsItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionGraphicsItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionGroupBox.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionGroupBox.cc index 587ff23226..429afc5155 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionGroupBox.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionGroupBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionHeader.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionHeader.cc index 5e3c85a62b..5a08410630 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionHeader.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionHeader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionMenuItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionMenuItem.cc index 2417b21929..0ed3c7f9ac 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionMenuItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionMenuItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionProgressBar.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionProgressBar.cc index 2d70fdfadd..3bc540faf2 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionProgressBar.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionProgressBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionProgressBarV2.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionProgressBarV2.cc index d7eca519ab..6283c298cc 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionProgressBarV2.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionProgressBarV2.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionQ3DockWindow.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionQ3DockWindow.cc index 7b7904c9ed..28c8987ba8 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionQ3DockWindow.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionQ3DockWindow.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionQ3ListView.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionQ3ListView.cc index 38ae60f37f..7930850ec8 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionQ3ListView.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionQ3ListView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionQ3ListViewItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionQ3ListViewItem.cc index 19aac743de..e24370676a 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionQ3ListViewItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionQ3ListViewItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionRubberBand.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionRubberBand.cc index 03cb3a213b..a2e16252fc 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionRubberBand.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionRubberBand.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionSizeGrip.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionSizeGrip.cc index 1dd94d6e6f..5ef521e5d9 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionSizeGrip.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionSizeGrip.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionSlider.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionSlider.cc index 7f9d0afaad..12f0b2bbf9 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionSlider.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionSlider.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionSpinBox.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionSpinBox.cc index 2c0607c879..d036e49f80 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionSpinBox.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionSpinBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTab.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTab.cc index dcb08fa9d7..79af19b1bb 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTab.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTab.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabBarBase.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabBarBase.cc index cdcaf3c393..4d278b2b35 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabBarBase.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabBarBase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabBarBaseV2.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabBarBaseV2.cc index ed9df2f654..6b843de98d 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabBarBaseV2.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabBarBaseV2.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabV2.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabV2.cc index 809a23e936..df10df6d69 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabV2.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabV2.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabV3.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabV3.cc index 5649a745ab..536704b1d7 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabV3.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabV3.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabWidgetFrame.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabWidgetFrame.cc index f280d7437d..e53d204443 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabWidgetFrame.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTabWidgetFrame.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTitleBar.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTitleBar.cc index 62bf6b3b06..7f85c2c175 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTitleBar.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionTitleBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionToolBar.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionToolBar.cc index d0c6f84859..cef6458e4c 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionToolBar.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionToolBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionToolBox.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionToolBox.cc index bac4edc255..ed4255fd58 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionToolBox.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionToolBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionToolBoxV2.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionToolBoxV2.cc index c908f2d840..d8faa52cb1 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionToolBoxV2.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionToolBoxV2.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionToolButton.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionToolButton.cc index 2fbc44f30b..da75449098 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionToolButton.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionToolButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionViewItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionViewItem.cc index 55473e8d39..6df93a9346 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionViewItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionViewItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionViewItemV2.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionViewItemV2.cc index b366e89aac..fffea98f86 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionViewItemV2.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionViewItemV2.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionViewItemV3.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionViewItemV3.cc index ced04f31a3..066542e8a7 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionViewItemV3.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionViewItemV3.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionViewItemV4.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionViewItemV4.cc index 06b91c9b7c..0a785cc6d6 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionViewItemV4.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyleOptionViewItemV4.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStylePainter.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStylePainter.cc index eb6c31dc31..2a047de447 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStylePainter.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStylePainter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStylePlugin.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStylePlugin.cc index de2a42f222..a1337aeea7 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStylePlugin.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStylePlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQStyledItemDelegate.cc b/src/gsiqt/qt4/QtGui/gsiDeclQStyledItemDelegate.cc index 676e1e8503..0e003842ed 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQStyledItemDelegate.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQStyledItemDelegate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQSwipeGesture.cc b/src/gsiqt/qt4/QtGui/gsiDeclQSwipeGesture.cc index af1f9af752..99396c75e1 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQSwipeGesture.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQSwipeGesture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQSyntaxHighlighter.cc b/src/gsiqt/qt4/QtGui/gsiDeclQSyntaxHighlighter.cc index d6deb60e1d..72cd65f310 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQSyntaxHighlighter.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQSyntaxHighlighter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQSystemTrayIcon.cc b/src/gsiqt/qt4/QtGui/gsiDeclQSystemTrayIcon.cc index d3cdfb24d9..02ff090ddd 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQSystemTrayIcon.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQSystemTrayIcon.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTabBar.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTabBar.cc index 459d3d8db9..2cf99ba57b 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTabBar.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTabBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTabWidget.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTabWidget.cc index 46796e2416..3cac15c381 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTabWidget.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTabWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTableView.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTableView.cc index 27e18dd1de..a076e7afaa 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTableView.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTableView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTableWidget.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTableWidget.cc index 821a688a54..dec9ba37b0 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTableWidget.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTableWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTableWidgetItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTableWidgetItem.cc index 4cebb230a5..e0df5ed483 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTableWidgetItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTableWidgetItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTableWidgetSelectionRange.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTableWidgetSelectionRange.cc index 99ad29e7ea..1535a4ad14 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTableWidgetSelectionRange.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTableWidgetSelectionRange.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTabletEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTabletEvent.cc index ca0fbfc3d3..f4ff9ce1d6 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTabletEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTabletEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTapAndHoldGesture.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTapAndHoldGesture.cc index c2a9252644..5ab403fd3c 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTapAndHoldGesture.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTapAndHoldGesture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTapGesture.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTapGesture.cc index 30263cdec4..37e787f984 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTapGesture.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTapGesture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextBlock.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextBlock.cc index 25c22a09c8..76a3b6fafa 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextBlock.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextBlock.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextBlockFormat.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextBlockFormat.cc index 3709b30ffa..4550a10d75 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextBlockFormat.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextBlockFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextBlockGroup.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextBlockGroup.cc index 29f5409370..b44ed5ca41 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextBlockGroup.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextBlockGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextBlockUserData.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextBlockUserData.cc index eef35af1b5..5cc811e25a 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextBlockUserData.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextBlockUserData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextBlock_Iterator.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextBlock_Iterator.cc index bf63d7469b..bde1885362 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextBlock_Iterator.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextBlock_Iterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextBrowser.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextBrowser.cc index fceae4f314..7d964c4d1d 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextBrowser.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextBrowser.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextCharFormat.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextCharFormat.cc index 61badf012d..18d9a0e416 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextCharFormat.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextCharFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextCursor.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextCursor.cc index ad2b32277e..4d7b33a3aa 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextCursor.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextCursor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextDocument.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextDocument.cc index 7fed9a25a2..73638834c2 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextDocument.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextDocument.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextDocumentFragment.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextDocumentFragment.cc index 209880302d..de3402fb60 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextDocumentFragment.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextDocumentFragment.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextDocumentWriter.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextDocumentWriter.cc index 29d7bb954e..29ccd49a92 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextDocumentWriter.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextDocumentWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextEdit.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextEdit.cc index b255ab26b5..ef2830c74f 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextEdit.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextEdit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextEdit_ExtraSelection.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextEdit_ExtraSelection.cc index 62843bbbeb..87268d7059 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextEdit_ExtraSelection.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextEdit_ExtraSelection.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextFormat.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextFormat.cc index 4afa9f6630..0db185473f 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextFormat.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextFragment.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextFragment.cc index 4ccc2432fd..6efe967753 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextFragment.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextFragment.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextFrame.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextFrame.cc index 566aa7f3ae..0b8896be3c 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextFrame.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextFrame.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextFrameFormat.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextFrameFormat.cc index 0a9667b948..922d5633d6 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextFrameFormat.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextFrameFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextFrame_Iterator.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextFrame_Iterator.cc index 3cf7de35fb..9242c46b1e 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextFrame_Iterator.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextFrame_Iterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextImageFormat.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextImageFormat.cc index 2f140632d9..3dc8fce991 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextImageFormat.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextImageFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextInlineObject.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextInlineObject.cc index 2be4362c04..0e2f9d5833 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextInlineObject.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextInlineObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextItem.cc index 59d81e7710..58c4eb91d6 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextLayout.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextLayout.cc index 65f5960e0e..64eb1c497f 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextLayout.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextLayout_FormatRange.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextLayout_FormatRange.cc index 32d4a163cc..3ff1ffabcc 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextLayout_FormatRange.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextLayout_FormatRange.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextLength.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextLength.cc index 889c833931..c029cbc92d 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextLength.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextLength.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextLine.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextLine.cc index c2b6490dfe..d11296aca0 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextLine.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextLine.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextList.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextList.cc index 06b7c5acd5..7bef8b0c92 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextList.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextList.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextListFormat.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextListFormat.cc index 2b484bf14a..9af06835bf 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextListFormat.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextListFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextObject.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextObject.cc index 337bb20652..f971d16bb1 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextObject.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextObjectInterface.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextObjectInterface.cc index 90f5ce7000..9cfe56eaf5 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextObjectInterface.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextObjectInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextOption.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextOption.cc index 6af7dc7f3f..5a1d85095e 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextOption.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextOption.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextOption_Tab.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextOption_Tab.cc index 86f247fb3c..3b0c21bbe2 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextOption_Tab.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextOption_Tab.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextTable.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextTable.cc index 4ceb0a1e69..516420e1a0 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextTable.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextTable.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextTableCell.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextTableCell.cc index d229ba29d7..859389ad78 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextTableCell.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextTableCell.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextTableCellFormat.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextTableCellFormat.cc index 6b42b73d7a..89294c8a3f 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextTableCellFormat.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextTableCellFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTextTableFormat.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTextTableFormat.cc index bf1d152a38..5b550c010b 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTextTableFormat.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTextTableFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTimeEdit.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTimeEdit.cc index 026ca32a71..e30f5cba17 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTimeEdit.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTimeEdit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQToolBar.cc b/src/gsiqt/qt4/QtGui/gsiDeclQToolBar.cc index afb5e3c407..cb6bedae14 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQToolBar.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQToolBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQToolBarChangeEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQToolBarChangeEvent.cc index c6767f943d..83a041b4c7 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQToolBarChangeEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQToolBarChangeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQToolBox.cc b/src/gsiqt/qt4/QtGui/gsiDeclQToolBox.cc index 7fc0af7bda..5f6c632894 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQToolBox.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQToolBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQToolButton.cc b/src/gsiqt/qt4/QtGui/gsiDeclQToolButton.cc index a62aae92b6..fef65dd296 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQToolButton.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQToolButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQToolTip.cc b/src/gsiqt/qt4/QtGui/gsiDeclQToolTip.cc index c180ccf643..8831f4c552 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQToolTip.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQToolTip.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTouchEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTouchEvent.cc index 37eaf77320..f734a9aff5 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTouchEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTouchEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTouchEvent_TouchPoint.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTouchEvent_TouchPoint.cc index 60729d71ab..4ff9bca3d9 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTouchEvent_TouchPoint.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTouchEvent_TouchPoint.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTransform.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTransform.cc index b415e1b4cb..6fdd036991 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTransform.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTransform.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTreeView.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTreeView.cc index ca1177ff16..9ca1b26fe9 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTreeView.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTreeView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTreeWidget.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTreeWidget.cc index 3c9056e09f..13f0957e19 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTreeWidget.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTreeWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTreeWidgetItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTreeWidgetItem.cc index 2315712b7a..95cf3c02aa 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTreeWidgetItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTreeWidgetItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQTreeWidgetItemIterator.cc b/src/gsiqt/qt4/QtGui/gsiDeclQTreeWidgetItemIterator.cc index 2ea04cad76..651ae50360 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQTreeWidgetItemIterator.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQTreeWidgetItemIterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQUndoCommand.cc b/src/gsiqt/qt4/QtGui/gsiDeclQUndoCommand.cc index 3d33dad23e..9893c86624 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQUndoCommand.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQUndoCommand.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQUndoGroup.cc b/src/gsiqt/qt4/QtGui/gsiDeclQUndoGroup.cc index eb8b19f407..b7fd619a0d 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQUndoGroup.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQUndoGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQUndoStack.cc b/src/gsiqt/qt4/QtGui/gsiDeclQUndoStack.cc index 0af4bf5c4a..9a59ddaca3 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQUndoStack.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQUndoStack.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQUndoView.cc b/src/gsiqt/qt4/QtGui/gsiDeclQUndoView.cc index 0179305849..93118dcc35 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQUndoView.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQUndoView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQUnixPrintWidget.cc b/src/gsiqt/qt4/QtGui/gsiDeclQUnixPrintWidget.cc index 45653da129..8f654a078c 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQUnixPrintWidget.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQUnixPrintWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQVBoxLayout.cc b/src/gsiqt/qt4/QtGui/gsiDeclQVBoxLayout.cc index 456d0c178d..2086870a8d 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQVBoxLayout.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQVBoxLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQValidator.cc b/src/gsiqt/qt4/QtGui/gsiDeclQValidator.cc index 760d1c03a1..35bcb9bb61 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQValidator.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQValidator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQVector2D.cc b/src/gsiqt/qt4/QtGui/gsiDeclQVector2D.cc index e62165ee26..1d4beb1714 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQVector2D.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQVector2D.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQVector3D.cc b/src/gsiqt/qt4/QtGui/gsiDeclQVector3D.cc index 1207cde370..50bee646cd 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQVector3D.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQVector3D.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQVector4D.cc b/src/gsiqt/qt4/QtGui/gsiDeclQVector4D.cc index 171d3e4f46..8b26257c81 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQVector4D.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQVector4D.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQWhatsThis.cc b/src/gsiqt/qt4/QtGui/gsiDeclQWhatsThis.cc index 2e5d201df8..a30a2b886a 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQWhatsThis.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQWhatsThis.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQWhatsThisClickedEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQWhatsThisClickedEvent.cc index 44e302be6e..be8bc46546 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQWhatsThisClickedEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQWhatsThisClickedEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQWheelEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQWheelEvent.cc index 1a3b800578..e802ef3afa 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQWheelEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQWheelEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQWidget.cc b/src/gsiqt/qt4/QtGui/gsiDeclQWidget.cc index 053a50496e..ea0296d728 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQWidget.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQWidgetAction.cc b/src/gsiqt/qt4/QtGui/gsiDeclQWidgetAction.cc index 613f5f1973..13d2d31ae6 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQWidgetAction.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQWidgetAction.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQWidgetItem.cc b/src/gsiqt/qt4/QtGui/gsiDeclQWidgetItem.cc index 4f0ec66f15..a55ab34840 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQWidgetItem.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQWidgetItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQWindowStateChangeEvent.cc b/src/gsiqt/qt4/QtGui/gsiDeclQWindowStateChangeEvent.cc index ecebded095..3f380063f2 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQWindowStateChangeEvent.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQWindowStateChangeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQWindowsStyle.cc b/src/gsiqt/qt4/QtGui/gsiDeclQWindowsStyle.cc index d3ff9eef62..0f2349d3f6 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQWindowsStyle.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQWindowsStyle.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQWizard.cc b/src/gsiqt/qt4/QtGui/gsiDeclQWizard.cc index 16acb6491f..b87ca575dc 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQWizard.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQWizard.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQWizardPage.cc b/src/gsiqt/qt4/QtGui/gsiDeclQWizardPage.cc index e59777aecc..12807c29a9 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQWizardPage.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQWizardPage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiDeclQtGuiAdd.cc b/src/gsiqt/qt4/QtGui/gsiDeclQtGuiAdd.cc index c881241788..abd6b940d3 100644 --- a/src/gsiqt/qt4/QtGui/gsiDeclQtGuiAdd.cc +++ b/src/gsiqt/qt4/QtGui/gsiDeclQtGuiAdd.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtGui/gsiQtExternals.h b/src/gsiqt/qt4/QtGui/gsiQtExternals.h index 17d53fc549..1d5bea5489 100644 --- a/src/gsiqt/qt4/QtGui/gsiQtExternals.h +++ b/src/gsiqt/qt4/QtGui/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQAbstractNetworkCache.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQAbstractNetworkCache.cc index 9be955be8e..ab4ea3cdbf 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQAbstractNetworkCache.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQAbstractNetworkCache.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQAbstractSocket.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQAbstractSocket.cc index 853b94069d..d26c671d6c 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQAbstractSocket.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQAbstractSocket.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQAuthenticator.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQAuthenticator.cc index 131261525a..669c576521 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQAuthenticator.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQAuthenticator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQFtp.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQFtp.cc index 5dc35f5d66..e6a02ffc74 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQFtp.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQFtp.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQHostAddress.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQHostAddress.cc index 3cb32ed57a..30f73f127f 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQHostAddress.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQHostAddress.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQHostInfo.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQHostInfo.cc index 27731283e4..e7729993df 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQHostInfo.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQHostInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQIPv6Address.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQIPv6Address.cc index 322f56daf3..24e8014496 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQIPv6Address.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQIPv6Address.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQLocalServer.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQLocalServer.cc index 8b520acb40..a0d3b9d82f 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQLocalServer.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQLocalServer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQLocalSocket.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQLocalSocket.cc index aa3ce50698..0d3410007d 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQLocalSocket.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQLocalSocket.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkAccessManager.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkAccessManager.cc index d4de4ac8f1..f411616151 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkAccessManager.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkAccessManager.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkAddressEntry.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkAddressEntry.cc index 35d1378f28..ca4630ab70 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkAddressEntry.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkAddressEntry.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkCacheMetaData.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkCacheMetaData.cc index 991098336b..22bf8313f8 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkCacheMetaData.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkCacheMetaData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkCookie.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkCookie.cc index 66e038cec1..3548cc9dd5 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkCookie.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkCookie.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkCookieJar.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkCookieJar.cc index 3b871b16b9..a48dc722f1 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkCookieJar.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkCookieJar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkDiskCache.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkDiskCache.cc index 37d14049cc..43a3de04c3 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkDiskCache.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkDiskCache.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkInterface.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkInterface.cc index 99d14b2166..cd26b87fba 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkInterface.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkProxy.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkProxy.cc index f617562bde..caf7055b7f 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkProxy.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkProxy.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkProxyFactory.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkProxyFactory.cc index bc93b91909..34771fcea5 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkProxyFactory.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkProxyFactory.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkProxyQuery.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkProxyQuery.cc index f65ebf4078..2e5a1838b4 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkProxyQuery.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkProxyQuery.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkReply.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkReply.cc index 27a8fa1497..d5063e3d41 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkReply.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkReply.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkRequest.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkRequest.cc index 5e910fa2de..3ef349c383 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkRequest.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQNetworkRequest.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQSsl.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQSsl.cc index c9eb6b6a5f..d48ed64bcb 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQSsl.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQSsl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQSslCertificate.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQSslCertificate.cc index 776935dee8..2a438cfc05 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQSslCertificate.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQSslCertificate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQSslCipher.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQSslCipher.cc index 2c4a9c3f5d..5cf2f5baf3 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQSslCipher.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQSslCipher.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQSslConfiguration.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQSslConfiguration.cc index eb2d289b03..be7805e61d 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQSslConfiguration.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQSslConfiguration.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQSslError.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQSslError.cc index 2536ee7d41..cf587e8235 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQSslError.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQSslError.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQSslKey.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQSslKey.cc index 0c449c90fe..61485b455b 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQSslKey.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQSslKey.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQSslSocket.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQSslSocket.cc index 55c69bbb08..2e9c808859 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQSslSocket.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQSslSocket.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQTcpServer.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQTcpServer.cc index d1309b50ee..312e376ef3 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQTcpServer.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQTcpServer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQTcpSocket.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQTcpSocket.cc index c01119d652..16172cd11f 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQTcpSocket.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQTcpSocket.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQUdpSocket.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQUdpSocket.cc index 405ee7a61d..a061632f24 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQUdpSocket.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQUdpSocket.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQUrlInfo.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQUrlInfo.cc index 3137e36367..e15f216332 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQUrlInfo.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQUrlInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiDeclQtNetworkAdd.cc b/src/gsiqt/qt4/QtNetwork/gsiDeclQtNetworkAdd.cc index 9efedcf210..611bc44159 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiDeclQtNetworkAdd.cc +++ b/src/gsiqt/qt4/QtNetwork/gsiDeclQtNetworkAdd.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtNetwork/gsiQtExternals.h b/src/gsiqt/qt4/QtNetwork/gsiQtExternals.h index 47f6d19c93..ce474780d2 100644 --- a/src/gsiqt/qt4/QtNetwork/gsiQtExternals.h +++ b/src/gsiqt/qt4/QtNetwork/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtSql/gsiDeclQSql.cc b/src/gsiqt/qt4/QtSql/gsiDeclQSql.cc index 140b93cdab..c4eeaafd06 100644 --- a/src/gsiqt/qt4/QtSql/gsiDeclQSql.cc +++ b/src/gsiqt/qt4/QtSql/gsiDeclQSql.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtSql/gsiDeclQSqlDatabase.cc b/src/gsiqt/qt4/QtSql/gsiDeclQSqlDatabase.cc index 56b34b9258..20d2cff2c8 100644 --- a/src/gsiqt/qt4/QtSql/gsiDeclQSqlDatabase.cc +++ b/src/gsiqt/qt4/QtSql/gsiDeclQSqlDatabase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtSql/gsiDeclQSqlDriver.cc b/src/gsiqt/qt4/QtSql/gsiDeclQSqlDriver.cc index 1caf9dea08..39e3da3eb7 100644 --- a/src/gsiqt/qt4/QtSql/gsiDeclQSqlDriver.cc +++ b/src/gsiqt/qt4/QtSql/gsiDeclQSqlDriver.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtSql/gsiDeclQSqlDriverCreatorBase.cc b/src/gsiqt/qt4/QtSql/gsiDeclQSqlDriverCreatorBase.cc index da8b44af48..4e08b2c480 100644 --- a/src/gsiqt/qt4/QtSql/gsiDeclQSqlDriverCreatorBase.cc +++ b/src/gsiqt/qt4/QtSql/gsiDeclQSqlDriverCreatorBase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtSql/gsiDeclQSqlError.cc b/src/gsiqt/qt4/QtSql/gsiDeclQSqlError.cc index 29238d2ac1..24a3712ce6 100644 --- a/src/gsiqt/qt4/QtSql/gsiDeclQSqlError.cc +++ b/src/gsiqt/qt4/QtSql/gsiDeclQSqlError.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtSql/gsiDeclQSqlField.cc b/src/gsiqt/qt4/QtSql/gsiDeclQSqlField.cc index 634c3badec..740a0775e8 100644 --- a/src/gsiqt/qt4/QtSql/gsiDeclQSqlField.cc +++ b/src/gsiqt/qt4/QtSql/gsiDeclQSqlField.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtSql/gsiDeclQSqlIndex.cc b/src/gsiqt/qt4/QtSql/gsiDeclQSqlIndex.cc index 29e97abe63..b6043f5874 100644 --- a/src/gsiqt/qt4/QtSql/gsiDeclQSqlIndex.cc +++ b/src/gsiqt/qt4/QtSql/gsiDeclQSqlIndex.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtSql/gsiDeclQSqlQuery.cc b/src/gsiqt/qt4/QtSql/gsiDeclQSqlQuery.cc index 9ec6454fd0..c572dedd25 100644 --- a/src/gsiqt/qt4/QtSql/gsiDeclQSqlQuery.cc +++ b/src/gsiqt/qt4/QtSql/gsiDeclQSqlQuery.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtSql/gsiDeclQSqlQueryModel.cc b/src/gsiqt/qt4/QtSql/gsiDeclQSqlQueryModel.cc index 3cffe4c766..f3074ce862 100644 --- a/src/gsiqt/qt4/QtSql/gsiDeclQSqlQueryModel.cc +++ b/src/gsiqt/qt4/QtSql/gsiDeclQSqlQueryModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtSql/gsiDeclQSqlRecord.cc b/src/gsiqt/qt4/QtSql/gsiDeclQSqlRecord.cc index a3312b9728..72df8148f8 100644 --- a/src/gsiqt/qt4/QtSql/gsiDeclQSqlRecord.cc +++ b/src/gsiqt/qt4/QtSql/gsiDeclQSqlRecord.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtSql/gsiDeclQSqlRelation.cc b/src/gsiqt/qt4/QtSql/gsiDeclQSqlRelation.cc index b55d2812d6..25ac6a8f06 100644 --- a/src/gsiqt/qt4/QtSql/gsiDeclQSqlRelation.cc +++ b/src/gsiqt/qt4/QtSql/gsiDeclQSqlRelation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtSql/gsiDeclQSqlRelationalTableModel.cc b/src/gsiqt/qt4/QtSql/gsiDeclQSqlRelationalTableModel.cc index e785b62a81..ea54cb6bc6 100644 --- a/src/gsiqt/qt4/QtSql/gsiDeclQSqlRelationalTableModel.cc +++ b/src/gsiqt/qt4/QtSql/gsiDeclQSqlRelationalTableModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtSql/gsiDeclQSqlResult.cc b/src/gsiqt/qt4/QtSql/gsiDeclQSqlResult.cc index 4a5f6c061d..8b9b283e74 100644 --- a/src/gsiqt/qt4/QtSql/gsiDeclQSqlResult.cc +++ b/src/gsiqt/qt4/QtSql/gsiDeclQSqlResult.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtSql/gsiDeclQSqlTableModel.cc b/src/gsiqt/qt4/QtSql/gsiDeclQSqlTableModel.cc index 61e9d4946b..bb4149f58b 100644 --- a/src/gsiqt/qt4/QtSql/gsiDeclQSqlTableModel.cc +++ b/src/gsiqt/qt4/QtSql/gsiDeclQSqlTableModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtSql/gsiQtExternals.h b/src/gsiqt/qt4/QtSql/gsiQtExternals.h index eff330c9b3..f822c608f4 100644 --- a/src/gsiqt/qt4/QtSql/gsiQtExternals.h +++ b/src/gsiqt/qt4/QtSql/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtUiTools/gsiDeclQUiLoader.cc b/src/gsiqt/qt4/QtUiTools/gsiDeclQUiLoader.cc index 0c6f2887ca..5212273cdb 100644 --- a/src/gsiqt/qt4/QtUiTools/gsiDeclQUiLoader.cc +++ b/src/gsiqt/qt4/QtUiTools/gsiDeclQUiLoader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtUiTools/gsiQtExternals.h b/src/gsiqt/qt4/QtUiTools/gsiQtExternals.h index 757bb33a3f..635e73941d 100644 --- a/src/gsiqt/qt4/QtUiTools/gsiQtExternals.h +++ b/src/gsiqt/qt4/QtUiTools/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQDomAttr.cc b/src/gsiqt/qt4/QtXml/gsiDeclQDomAttr.cc index 0971b9cc44..85a097d7f3 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQDomAttr.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQDomAttr.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQDomCDATASection.cc b/src/gsiqt/qt4/QtXml/gsiDeclQDomCDATASection.cc index dcb8ad0c8e..49e79d55e8 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQDomCDATASection.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQDomCDATASection.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQDomCharacterData.cc b/src/gsiqt/qt4/QtXml/gsiDeclQDomCharacterData.cc index 40b3852b81..7a5571945e 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQDomCharacterData.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQDomCharacterData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQDomComment.cc b/src/gsiqt/qt4/QtXml/gsiDeclQDomComment.cc index 22d60443a9..52ca2604e1 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQDomComment.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQDomComment.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQDomDocument.cc b/src/gsiqt/qt4/QtXml/gsiDeclQDomDocument.cc index 65afdb4dfb..6367edf74a 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQDomDocument.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQDomDocument.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQDomDocumentFragment.cc b/src/gsiqt/qt4/QtXml/gsiDeclQDomDocumentFragment.cc index bad101cb3b..210bd1e3d1 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQDomDocumentFragment.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQDomDocumentFragment.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQDomDocumentType.cc b/src/gsiqt/qt4/QtXml/gsiDeclQDomDocumentType.cc index 01564b967f..f26151499d 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQDomDocumentType.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQDomDocumentType.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQDomElement.cc b/src/gsiqt/qt4/QtXml/gsiDeclQDomElement.cc index 740576b742..4166ab262d 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQDomElement.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQDomElement.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQDomEntity.cc b/src/gsiqt/qt4/QtXml/gsiDeclQDomEntity.cc index 08fb853555..b78e8f9718 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQDomEntity.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQDomEntity.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQDomEntityReference.cc b/src/gsiqt/qt4/QtXml/gsiDeclQDomEntityReference.cc index ea6e1570dc..72cfc369ef 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQDomEntityReference.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQDomEntityReference.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQDomImplementation.cc b/src/gsiqt/qt4/QtXml/gsiDeclQDomImplementation.cc index 6f14ca61ce..96f223e0d4 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQDomImplementation.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQDomImplementation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQDomNamedNodeMap.cc b/src/gsiqt/qt4/QtXml/gsiDeclQDomNamedNodeMap.cc index 8d5e8dc8ef..97f776e7e5 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQDomNamedNodeMap.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQDomNamedNodeMap.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQDomNode.cc b/src/gsiqt/qt4/QtXml/gsiDeclQDomNode.cc index df5fb1342b..bbfe34b1c4 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQDomNode.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQDomNode.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQDomNodeList.cc b/src/gsiqt/qt4/QtXml/gsiDeclQDomNodeList.cc index 27b8dfcc9a..cbd49e3a29 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQDomNodeList.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQDomNodeList.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQDomNotation.cc b/src/gsiqt/qt4/QtXml/gsiDeclQDomNotation.cc index dcfbf5a7e7..b907dc8c0c 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQDomNotation.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQDomNotation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQDomProcessingInstruction.cc b/src/gsiqt/qt4/QtXml/gsiDeclQDomProcessingInstruction.cc index b22f762ae5..f0b6153324 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQDomProcessingInstruction.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQDomProcessingInstruction.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQDomText.cc b/src/gsiqt/qt4/QtXml/gsiDeclQDomText.cc index ef0cb442d4..0bc765b5de 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQDomText.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQDomText.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQXmlAttributes.cc b/src/gsiqt/qt4/QtXml/gsiDeclQXmlAttributes.cc index 3442d0d854..4b25093037 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQXmlAttributes.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQXmlAttributes.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQXmlContentHandler.cc b/src/gsiqt/qt4/QtXml/gsiDeclQXmlContentHandler.cc index efc181c5e2..febfd1ab23 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQXmlContentHandler.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQXmlContentHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQXmlDTDHandler.cc b/src/gsiqt/qt4/QtXml/gsiDeclQXmlDTDHandler.cc index 5add7866b5..0e93de529e 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQXmlDTDHandler.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQXmlDTDHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQXmlDeclHandler.cc b/src/gsiqt/qt4/QtXml/gsiDeclQXmlDeclHandler.cc index b561af3086..4c048e15cf 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQXmlDeclHandler.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQXmlDeclHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQXmlDefaultHandler.cc b/src/gsiqt/qt4/QtXml/gsiDeclQXmlDefaultHandler.cc index 3a5064a924..7b0a3e47a4 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQXmlDefaultHandler.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQXmlDefaultHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQXmlEntityResolver.cc b/src/gsiqt/qt4/QtXml/gsiDeclQXmlEntityResolver.cc index 4e5e043942..9dc972eb52 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQXmlEntityResolver.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQXmlEntityResolver.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQXmlErrorHandler.cc b/src/gsiqt/qt4/QtXml/gsiDeclQXmlErrorHandler.cc index 84c1fdc5c1..aefc89c904 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQXmlErrorHandler.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQXmlErrorHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQXmlInputSource.cc b/src/gsiqt/qt4/QtXml/gsiDeclQXmlInputSource.cc index ef4901986b..a6d86c1ca1 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQXmlInputSource.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQXmlInputSource.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQXmlLexicalHandler.cc b/src/gsiqt/qt4/QtXml/gsiDeclQXmlLexicalHandler.cc index 2cf7b41e9f..1889bb88a5 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQXmlLexicalHandler.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQXmlLexicalHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQXmlLocator.cc b/src/gsiqt/qt4/QtXml/gsiDeclQXmlLocator.cc index 7102f874b7..af2e24a2e0 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQXmlLocator.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQXmlLocator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQXmlNamespaceSupport.cc b/src/gsiqt/qt4/QtXml/gsiDeclQXmlNamespaceSupport.cc index 60fa8dca30..01d79ebcb8 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQXmlNamespaceSupport.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQXmlNamespaceSupport.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQXmlParseException.cc b/src/gsiqt/qt4/QtXml/gsiDeclQXmlParseException.cc index ba9a01ef12..a32c468fb6 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQXmlParseException.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQXmlParseException.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQXmlReader.cc b/src/gsiqt/qt4/QtXml/gsiDeclQXmlReader.cc index a355206e9d..c88088b6be 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQXmlReader.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQXmlReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiDeclQXmlSimpleReader.cc b/src/gsiqt/qt4/QtXml/gsiDeclQXmlSimpleReader.cc index 91b7dafbc5..1ee83baef6 100644 --- a/src/gsiqt/qt4/QtXml/gsiDeclQXmlSimpleReader.cc +++ b/src/gsiqt/qt4/QtXml/gsiDeclQXmlSimpleReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt4/QtXml/gsiQtExternals.h b/src/gsiqt/qt4/QtXml/gsiQtExternals.h index 825944bf5a..f01b0d54d1 100644 --- a/src/gsiqt/qt4/QtXml/gsiQtExternals.h +++ b/src/gsiqt/qt4/QtXml/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractAnimation.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractAnimation.cc index cc84aba827..0619f34a65 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractAnimation.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractAnimation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractEventDispatcher.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractEventDispatcher.cc index f7dbd3212c..06e44d7190 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractEventDispatcher.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractEventDispatcher.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractEventDispatcher_TimerInfo.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractEventDispatcher_TimerInfo.cc index 9248cdf547..9967484fa6 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractEventDispatcher_TimerInfo.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractEventDispatcher_TimerInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractItemModel.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractItemModel.cc index 4633766e5c..6ddcfd6460 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractItemModel.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractItemModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractListModel.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractListModel.cc index 29992e272e..368693b11f 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractListModel.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractListModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractNativeEventFilter.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractNativeEventFilter.cc index 1a792d2a73..c23619b639 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractNativeEventFilter.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractNativeEventFilter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractProxyModel.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractProxyModel.cc index 2e20a2e2fb..e3624e7f60 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractProxyModel.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractProxyModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractState.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractState.cc index ace67670f0..af1f19914d 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractState.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractState.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractTableModel.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractTableModel.cc index 5c9ed1b929..995c8441f2 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractTableModel.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractTableModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractTransition.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractTransition.cc index 81b97d30bc..7c1224f190 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAbstractTransition.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAbstractTransition.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAnimationDriver.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAnimationDriver.cc index 178afbfb48..6ec4347591 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAnimationDriver.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAnimationDriver.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAnimationGroup.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAnimationGroup.cc index 44be6ef46e..0e6ff7798a 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAnimationGroup.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAnimationGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQAssociativeIterable.cc b/src/gsiqt/qt5/QtCore/gsiDeclQAssociativeIterable.cc index d3b7ebefb1..8303d0b374 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQAssociativeIterable.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQAssociativeIterable.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQBasicMutex.cc b/src/gsiqt/qt5/QtCore/gsiDeclQBasicMutex.cc index e09111b108..ab53538ce7 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQBasicMutex.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQBasicMutex.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQBasicTimer.cc b/src/gsiqt/qt5/QtCore/gsiDeclQBasicTimer.cc index 1af1458bc6..ba32cc8a8d 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQBasicTimer.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQBasicTimer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQBuffer.cc b/src/gsiqt/qt5/QtCore/gsiDeclQBuffer.cc index 02e158307e..c8a3d9f15e 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQBuffer.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQBuffer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQByteArrayDataPtr.cc b/src/gsiqt/qt5/QtCore/gsiDeclQByteArrayDataPtr.cc index 3bee103c05..7bf4d0827e 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQByteArrayDataPtr.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQByteArrayDataPtr.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQByteArrayMatcher.cc b/src/gsiqt/qt5/QtCore/gsiDeclQByteArrayMatcher.cc index 2f611a7cec..1d65cc70d7 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQByteArrayMatcher.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQByteArrayMatcher.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQChildEvent.cc b/src/gsiqt/qt5/QtCore/gsiDeclQChildEvent.cc index 274b7aa5fd..46617cbb05 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQChildEvent.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQChildEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQCollator.cc b/src/gsiqt/qt5/QtCore/gsiDeclQCollator.cc index cb6c36d3eb..88d7abad64 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQCollator.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQCollator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQCollatorSortKey.cc b/src/gsiqt/qt5/QtCore/gsiDeclQCollatorSortKey.cc index 106a34ea74..aedf57d1b9 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQCollatorSortKey.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQCollatorSortKey.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQCommandLineOption.cc b/src/gsiqt/qt5/QtCore/gsiDeclQCommandLineOption.cc index 202e2bf4ef..acf1ac00b3 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQCommandLineOption.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQCommandLineOption.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQCommandLineParser.cc b/src/gsiqt/qt5/QtCore/gsiDeclQCommandLineParser.cc index 6263d18c0c..7e4620790e 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQCommandLineParser.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQCommandLineParser.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQCoreApplication.cc b/src/gsiqt/qt5/QtCore/gsiDeclQCoreApplication.cc index 2879cab385..0cc32a30f9 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQCoreApplication.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQCoreApplication.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQCryptographicHash.cc b/src/gsiqt/qt5/QtCore/gsiDeclQCryptographicHash.cc index c2f11941ae..7bd79f5fb5 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQCryptographicHash.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQCryptographicHash.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQDataStream.cc b/src/gsiqt/qt5/QtCore/gsiDeclQDataStream.cc index 3047ad3408..324f53ff65 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQDataStream.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQDataStream.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQDate.cc b/src/gsiqt/qt5/QtCore/gsiDeclQDate.cc index 6a4a38e81f..673086bcf6 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQDate.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQDate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQDateTime.cc b/src/gsiqt/qt5/QtCore/gsiDeclQDateTime.cc index 965a12a95e..315878037f 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQDateTime.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQDateTime.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQDeadlineTimer.cc b/src/gsiqt/qt5/QtCore/gsiDeclQDeadlineTimer.cc index ef3baec08a..b2e2cd0f25 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQDeadlineTimer.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQDeadlineTimer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQDebug.cc b/src/gsiqt/qt5/QtCore/gsiDeclQDebug.cc index a3d043c055..98067de8d8 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQDebug.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQDebug.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQDebugStateSaver.cc b/src/gsiqt/qt5/QtCore/gsiDeclQDebugStateSaver.cc index ac7841afb1..2c3995741d 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQDebugStateSaver.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQDebugStateSaver.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQDeferredDeleteEvent.cc b/src/gsiqt/qt5/QtCore/gsiDeclQDeferredDeleteEvent.cc index c49013cc94..6682052de2 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQDeferredDeleteEvent.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQDeferredDeleteEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQDir.cc b/src/gsiqt/qt5/QtCore/gsiDeclQDir.cc index 019e6ac7ea..ba34f1de3f 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQDir.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQDir.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQDirIterator.cc b/src/gsiqt/qt5/QtCore/gsiDeclQDirIterator.cc index 9d5035a50c..67392365ec 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQDirIterator.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQDirIterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQDynamicPropertyChangeEvent.cc b/src/gsiqt/qt5/QtCore/gsiDeclQDynamicPropertyChangeEvent.cc index 945f689837..63275e2393 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQDynamicPropertyChangeEvent.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQDynamicPropertyChangeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQEasingCurve.cc b/src/gsiqt/qt5/QtCore/gsiDeclQEasingCurve.cc index 38d497744d..0c439724e1 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQEasingCurve.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQEasingCurve.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQElapsedTimer.cc b/src/gsiqt/qt5/QtCore/gsiDeclQElapsedTimer.cc index 776b29595e..a2bd848e1c 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQElapsedTimer.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQElapsedTimer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQEvent.cc b/src/gsiqt/qt5/QtCore/gsiDeclQEvent.cc index 22df93288f..f21f10a69f 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQEvent.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQEventLoop.cc b/src/gsiqt/qt5/QtCore/gsiDeclQEventLoop.cc index 8dffd647c7..98d9522bc8 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQEventLoop.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQEventLoop.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQEventLoopLocker.cc b/src/gsiqt/qt5/QtCore/gsiDeclQEventLoopLocker.cc index 237b36e5ed..cf251bd15d 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQEventLoopLocker.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQEventLoopLocker.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQEventTransition.cc b/src/gsiqt/qt5/QtCore/gsiDeclQEventTransition.cc index 226de8e7f4..b91b9d71fa 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQEventTransition.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQEventTransition.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQFactoryInterface.cc b/src/gsiqt/qt5/QtCore/gsiDeclQFactoryInterface.cc index e473ab7e4b..2bac84d262 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQFactoryInterface.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQFactoryInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQFile.cc b/src/gsiqt/qt5/QtCore/gsiDeclQFile.cc index 98948d9021..93a7f64446 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQFile.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQFile.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQFileDevice.cc b/src/gsiqt/qt5/QtCore/gsiDeclQFileDevice.cc index f3efee5064..c06d95c78d 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQFileDevice.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQFileDevice.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQFileInfo.cc b/src/gsiqt/qt5/QtCore/gsiDeclQFileInfo.cc index 02c0efd40b..76c5398316 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQFileInfo.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQFileInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQFileSelector.cc b/src/gsiqt/qt5/QtCore/gsiDeclQFileSelector.cc index 34f0e62dbd..1970498819 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQFileSelector.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQFileSelector.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQFileSystemWatcher.cc b/src/gsiqt/qt5/QtCore/gsiDeclQFileSystemWatcher.cc index 481e3cf438..893251d8ae 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQFileSystemWatcher.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQFileSystemWatcher.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQFinalState.cc b/src/gsiqt/qt5/QtCore/gsiDeclQFinalState.cc index fa27898574..9124a38f79 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQFinalState.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQFinalState.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQHistoryState.cc b/src/gsiqt/qt5/QtCore/gsiDeclQHistoryState.cc index 2ed398f1c1..ec3245a938 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQHistoryState.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQHistoryState.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQIODevice.cc b/src/gsiqt/qt5/QtCore/gsiDeclQIODevice.cc index b61014e08d..587277fe44 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQIODevice.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQIODevice.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQIdentityProxyModel.cc b/src/gsiqt/qt5/QtCore/gsiDeclQIdentityProxyModel.cc index 2a2345dd9a..5e1ed594a3 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQIdentityProxyModel.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQIdentityProxyModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQItemSelection.cc b/src/gsiqt/qt5/QtCore/gsiDeclQItemSelection.cc index ee0b26b11e..c48fe7df0b 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQItemSelection.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQItemSelection.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQItemSelectionModel.cc b/src/gsiqt/qt5/QtCore/gsiDeclQItemSelectionModel.cc index 1357fc54b3..8120e99009 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQItemSelectionModel.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQItemSelectionModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQItemSelectionRange.cc b/src/gsiqt/qt5/QtCore/gsiDeclQItemSelectionRange.cc index a5caf99cff..31299edf46 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQItemSelectionRange.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQItemSelectionRange.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQJsonArray.cc b/src/gsiqt/qt5/QtCore/gsiDeclQJsonArray.cc index a5778c7b2e..56c56342cd 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQJsonArray.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQJsonArray.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQJsonArray_Const_iterator.cc b/src/gsiqt/qt5/QtCore/gsiDeclQJsonArray_Const_iterator.cc index ccdc3eb36f..0348f923fc 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQJsonArray_Const_iterator.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQJsonArray_Const_iterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQJsonArray_Iterator.cc b/src/gsiqt/qt5/QtCore/gsiDeclQJsonArray_Iterator.cc index e660b1f929..00256c0b72 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQJsonArray_Iterator.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQJsonArray_Iterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQJsonDocument.cc b/src/gsiqt/qt5/QtCore/gsiDeclQJsonDocument.cc index 20824a23a9..04d7845a51 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQJsonDocument.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQJsonDocument.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQJsonObject.cc b/src/gsiqt/qt5/QtCore/gsiDeclQJsonObject.cc index 5e1b2eada2..d666bfab6b 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQJsonObject.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQJsonObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQJsonObject_Const_iterator.cc b/src/gsiqt/qt5/QtCore/gsiDeclQJsonObject_Const_iterator.cc index 6753778c95..8acfdbac34 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQJsonObject_Const_iterator.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQJsonObject_Const_iterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQJsonObject_Iterator.cc b/src/gsiqt/qt5/QtCore/gsiDeclQJsonObject_Iterator.cc index 3b2054b27f..5260bfc772 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQJsonObject_Iterator.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQJsonObject_Iterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQJsonParseError.cc b/src/gsiqt/qt5/QtCore/gsiDeclQJsonParseError.cc index 7e359b67d9..ee76f56399 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQJsonParseError.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQJsonParseError.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQJsonValue.cc b/src/gsiqt/qt5/QtCore/gsiDeclQJsonValue.cc index 57944ec2d7..4b4c8fd007 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQJsonValue.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQJsonValue.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQJsonValuePtr.cc b/src/gsiqt/qt5/QtCore/gsiDeclQJsonValuePtr.cc index 46bce8ada1..caf17ef464 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQJsonValuePtr.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQJsonValuePtr.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQJsonValueRef.cc b/src/gsiqt/qt5/QtCore/gsiDeclQJsonValueRef.cc index 3672893ef5..6b59014879 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQJsonValueRef.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQJsonValueRef.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQJsonValueRefPtr.cc b/src/gsiqt/qt5/QtCore/gsiDeclQJsonValueRefPtr.cc index 1056643a14..de5d081876 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQJsonValueRefPtr.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQJsonValueRefPtr.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQLibrary.cc b/src/gsiqt/qt5/QtCore/gsiDeclQLibrary.cc index 6df127c4a0..5448e531d0 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQLibrary.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQLibrary.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQLibraryInfo.cc b/src/gsiqt/qt5/QtCore/gsiDeclQLibraryInfo.cc index b24485f3a6..95ac4944d9 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQLibraryInfo.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQLibraryInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQLine.cc b/src/gsiqt/qt5/QtCore/gsiDeclQLine.cc index dbc0cba6ad..e9c2b04d6a 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQLine.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQLine.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQLineF.cc b/src/gsiqt/qt5/QtCore/gsiDeclQLineF.cc index 10c53458d8..5e036a620f 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQLineF.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQLineF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQLocale.cc b/src/gsiqt/qt5/QtCore/gsiDeclQLocale.cc index 28d2debb1d..dad9ae51e2 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQLocale.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQLocale.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQLockFile.cc b/src/gsiqt/qt5/QtCore/gsiDeclQLockFile.cc index dd0c41d219..af35af46f0 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQLockFile.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQLockFile.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQLoggingCategory.cc b/src/gsiqt/qt5/QtCore/gsiDeclQLoggingCategory.cc index b05f37b77b..24540b5546 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQLoggingCategory.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQLoggingCategory.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMapDataBase.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMapDataBase.cc index 29d3f6a8bd..0c0bf52ad1 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMapDataBase.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMapDataBase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMapNodeBase.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMapNodeBase.cc index 085fc37326..e68ce1dbb5 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMapNodeBase.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMapNodeBase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMargins.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMargins.cc index e6e245d174..17416d2e0c 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMargins.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMargins.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMarginsF.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMarginsF.cc index 501189df10..082bba067b 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMarginsF.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMarginsF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMessageAuthenticationCode.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMessageAuthenticationCode.cc index 48f9d3303c..c2214f6c6d 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMessageAuthenticationCode.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMessageAuthenticationCode.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMessageLogContext.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMessageLogContext.cc index c6b97cc8e3..862a2f2db6 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMessageLogContext.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMessageLogContext.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMessageLogger.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMessageLogger.cc index 1ad8786bc6..d7fe857035 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMessageLogger.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMessageLogger.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMetaClassInfo.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMetaClassInfo.cc index 3e6b40e726..0028541fd5 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMetaClassInfo.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMetaClassInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMetaEnum.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMetaEnum.cc index ecf5e8e367..156029f77e 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMetaEnum.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMetaEnum.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMetaMethod.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMetaMethod.cc index 146edf1253..898f3d2d5b 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMetaMethod.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMetaMethod.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMetaObject.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMetaObject.cc index b4adb75387..61a5e11dc9 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMetaObject.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMetaObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMetaObject_Connection.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMetaObject_Connection.cc index 0467662f58..4383f253d7 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMetaObject_Connection.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMetaObject_Connection.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMetaProperty.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMetaProperty.cc index f0f5a03889..d0d377ba4f 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMetaProperty.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMetaProperty.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMetaType.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMetaType.cc index eb1a9766a7..14a9c7757a 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMetaType.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMetaType.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMimeData.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMimeData.cc index 8ce3952e61..cd34b61df2 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMimeData.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMimeData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMimeDatabase.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMimeDatabase.cc index 95da1e4cab..a77d998402 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMimeDatabase.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMimeDatabase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMimeType.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMimeType.cc index ea05086dea..984f917f69 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMimeType.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMimeType.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQModelIndex.cc b/src/gsiqt/qt5/QtCore/gsiDeclQModelIndex.cc index 225eb4774c..8248b748d4 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQModelIndex.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQModelIndex.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQMutex.cc b/src/gsiqt/qt5/QtCore/gsiDeclQMutex.cc index e1b9558f77..85a2a9cde1 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQMutex.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQMutex.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQNoDebug.cc b/src/gsiqt/qt5/QtCore/gsiDeclQNoDebug.cc index 8d8e38f373..ad3718b23a 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQNoDebug.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQNoDebug.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQObject.cc b/src/gsiqt/qt5/QtCore/gsiDeclQObject.cc index 77bf0c21b9..adb922e7a4 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQObject.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQOperatingSystemVersion.cc b/src/gsiqt/qt5/QtCore/gsiDeclQOperatingSystemVersion.cc index c1191c9c4a..818293963d 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQOperatingSystemVersion.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQOperatingSystemVersion.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQParallelAnimationGroup.cc b/src/gsiqt/qt5/QtCore/gsiDeclQParallelAnimationGroup.cc index d3dd3f0d1a..6efb28475b 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQParallelAnimationGroup.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQParallelAnimationGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQPauseAnimation.cc b/src/gsiqt/qt5/QtCore/gsiDeclQPauseAnimation.cc index 985cad8905..701165ead2 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQPauseAnimation.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQPauseAnimation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQPersistentModelIndex.cc b/src/gsiqt/qt5/QtCore/gsiDeclQPersistentModelIndex.cc index 3ff2f7107d..0301f5293a 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQPersistentModelIndex.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQPersistentModelIndex.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQPluginLoader.cc b/src/gsiqt/qt5/QtCore/gsiDeclQPluginLoader.cc index c602c1716f..1d81f187f3 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQPluginLoader.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQPluginLoader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQPoint.cc b/src/gsiqt/qt5/QtCore/gsiDeclQPoint.cc index 9d5d5c22f1..b7e293229c 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQPoint.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQPoint.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQPointF.cc b/src/gsiqt/qt5/QtCore/gsiDeclQPointF.cc index 4a02d472f9..ccfdcb26dc 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQPointF.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQPointF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQProcess.cc b/src/gsiqt/qt5/QtCore/gsiDeclQProcess.cc index 3b07b3dfec..e9c1917495 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQProcess.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQProcess.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQProcessEnvironment.cc b/src/gsiqt/qt5/QtCore/gsiDeclQProcessEnvironment.cc index 48bc890879..76943a11b2 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQProcessEnvironment.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQProcessEnvironment.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQPropertyAnimation.cc b/src/gsiqt/qt5/QtCore/gsiDeclQPropertyAnimation.cc index a10c996116..c4526d6172 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQPropertyAnimation.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQPropertyAnimation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQRandomGenerator.cc b/src/gsiqt/qt5/QtCore/gsiDeclQRandomGenerator.cc index 6712b63f19..3ffa7c33f0 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQRandomGenerator.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQRandomGenerator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQRandomGenerator64.cc b/src/gsiqt/qt5/QtCore/gsiDeclQRandomGenerator64.cc index 9143d76d56..bc6ae632f4 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQRandomGenerator64.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQRandomGenerator64.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQReadLocker.cc b/src/gsiqt/qt5/QtCore/gsiDeclQReadLocker.cc index 30ef20bd63..83c5ef3692 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQReadLocker.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQReadLocker.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQReadWriteLock.cc b/src/gsiqt/qt5/QtCore/gsiDeclQReadWriteLock.cc index 8dc3e71387..ec37517b7f 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQReadWriteLock.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQReadWriteLock.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQRect.cc b/src/gsiqt/qt5/QtCore/gsiDeclQRect.cc index 4f8819edbf..6053ac7785 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQRect.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQRect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQRectF.cc b/src/gsiqt/qt5/QtCore/gsiDeclQRectF.cc index 910be50f68..0ebc7aeea0 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQRectF.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQRectF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQRegExp.cc b/src/gsiqt/qt5/QtCore/gsiDeclQRegExp.cc index 1eb9c108b7..5647f4376d 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQRegExp.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQRegExp.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQRegularExpression.cc b/src/gsiqt/qt5/QtCore/gsiDeclQRegularExpression.cc index 3f1160aec4..65825e1bcc 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQRegularExpression.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQRegularExpression.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQRegularExpressionMatch.cc b/src/gsiqt/qt5/QtCore/gsiDeclQRegularExpressionMatch.cc index 14a167c304..fc778d3b25 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQRegularExpressionMatch.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQRegularExpressionMatch.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQRegularExpressionMatchIterator.cc b/src/gsiqt/qt5/QtCore/gsiDeclQRegularExpressionMatchIterator.cc index 15fbff7919..adc88c1ce8 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQRegularExpressionMatchIterator.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQRegularExpressionMatchIterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQResource.cc b/src/gsiqt/qt5/QtCore/gsiDeclQResource.cc index 5bcb3bf80e..b9db172f03 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQResource.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQResource.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQRunnable.cc b/src/gsiqt/qt5/QtCore/gsiDeclQRunnable.cc index 3a2bade634..f50bf4eca2 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQRunnable.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQRunnable.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSaveFile.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSaveFile.cc index 2a695c16d7..6dbfbdfb68 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSaveFile.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSaveFile.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSemaphore.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSemaphore.cc index 1adcf840b9..c4afb095c2 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSemaphore.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSemaphore.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSemaphoreReleaser.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSemaphoreReleaser.cc index dee49befa9..94032e24cc 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSemaphoreReleaser.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSemaphoreReleaser.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSequentialAnimationGroup.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSequentialAnimationGroup.cc index bf76def5e0..16248ea42f 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSequentialAnimationGroup.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSequentialAnimationGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSequentialIterable.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSequentialIterable.cc index fc4f201ab2..d7dd654ff8 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSequentialIterable.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSequentialIterable.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSettings.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSettings.cc index d76e7d5636..bde017ff77 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSettings.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSettings.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSharedMemory.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSharedMemory.cc index 4ac8752d81..c0c33fade2 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSharedMemory.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSharedMemory.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSignalBlocker.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSignalBlocker.cc index cd20c201e1..35113243ad 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSignalBlocker.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSignalBlocker.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSignalMapper.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSignalMapper.cc index 03c6542cf5..34c954cb8b 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSignalMapper.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSignalMapper.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSignalTransition.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSignalTransition.cc index 1ca21530e2..8b18747a09 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSignalTransition.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSignalTransition.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSize.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSize.cc index 1bc0591b72..9763c56e87 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSize.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSize.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSizeF.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSizeF.cc index b958631a6f..910c1c3cbb 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSizeF.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSizeF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSocketNotifier.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSocketNotifier.cc index 1abeb8da27..a2d5155d05 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSocketNotifier.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSocketNotifier.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSortFilterProxyModel.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSortFilterProxyModel.cc index 2cd370b1bc..490dcf9df0 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSortFilterProxyModel.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSortFilterProxyModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQStandardPaths.cc b/src/gsiqt/qt5/QtCore/gsiDeclQStandardPaths.cc index 81547e816a..7f5ebcc20e 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQStandardPaths.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQStandardPaths.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQState.cc b/src/gsiqt/qt5/QtCore/gsiDeclQState.cc index 26732e337f..ed6d120c0d 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQState.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQState.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQStateMachine.cc b/src/gsiqt/qt5/QtCore/gsiDeclQStateMachine.cc index 5df7f6c79f..6cccf55772 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQStateMachine.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQStateMachine.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQStateMachine_SignalEvent.cc b/src/gsiqt/qt5/QtCore/gsiDeclQStateMachine_SignalEvent.cc index a468bfe80d..4fb92761d9 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQStateMachine_SignalEvent.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQStateMachine_SignalEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQStateMachine_WrappedEvent.cc b/src/gsiqt/qt5/QtCore/gsiDeclQStateMachine_WrappedEvent.cc index 52309902c3..773f126153 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQStateMachine_WrappedEvent.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQStateMachine_WrappedEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQStaticPlugin.cc b/src/gsiqt/qt5/QtCore/gsiDeclQStaticPlugin.cc index 7ef45a3102..f649f96d01 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQStaticPlugin.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQStaticPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQStorageInfo.cc b/src/gsiqt/qt5/QtCore/gsiDeclQStorageInfo.cc index b4469741ab..2c9feafc8d 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQStorageInfo.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQStorageInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQStringDataPtr.cc b/src/gsiqt/qt5/QtCore/gsiDeclQStringDataPtr.cc index c2323b44cc..c40cc0792c 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQStringDataPtr.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQStringDataPtr.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQStringListModel.cc b/src/gsiqt/qt5/QtCore/gsiDeclQStringListModel.cc index f84f9ebfb0..c8acd8feb2 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQStringListModel.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQStringListModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQStringMatcher.cc b/src/gsiqt/qt5/QtCore/gsiDeclQStringMatcher.cc index 897cac40d2..980eefdc36 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQStringMatcher.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQStringMatcher.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSysInfo.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSysInfo.cc index c8a3824f3c..6f6af6b089 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSysInfo.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSysInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQSystemSemaphore.cc b/src/gsiqt/qt5/QtCore/gsiDeclQSystemSemaphore.cc index 318972c1a7..6342bb5575 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQSystemSemaphore.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQSystemSemaphore.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTemporaryDir.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTemporaryDir.cc index d31996c92b..62cad98c69 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTemporaryDir.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTemporaryDir.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTemporaryFile.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTemporaryFile.cc index 494fad3566..99ec20db31 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTemporaryFile.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTemporaryFile.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTextBoundaryFinder.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTextBoundaryFinder.cc index cd8ed399d2..80e518b249 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTextBoundaryFinder.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTextBoundaryFinder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTextCodec.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTextCodec.cc index 95de6c778e..be50465166 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTextCodec.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTextCodec.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTextCodec_ConverterState.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTextCodec_ConverterState.cc index 0e15533707..fc9344288e 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTextCodec_ConverterState.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTextCodec_ConverterState.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTextDecoder.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTextDecoder.cc index bca344f0f9..27c9d030ba 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTextDecoder.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTextDecoder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTextEncoder.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTextEncoder.cc index efc19ce4ea..6acf1c5ff9 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTextEncoder.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTextEncoder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTextStream.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTextStream.cc index 87c3e9aec5..128692f107 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTextStream.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTextStream.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQThread.cc b/src/gsiqt/qt5/QtCore/gsiDeclQThread.cc index 99d35eef77..11acda302a 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQThread.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQThread.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQThreadPool.cc b/src/gsiqt/qt5/QtCore/gsiDeclQThreadPool.cc index 4c4ae9c038..a4ea7657a2 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQThreadPool.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQThreadPool.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTime.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTime.cc index 4fee1ece16..f8867e745f 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTime.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTime.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTimeLine.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTimeLine.cc index 888562480a..21b0410ee2 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTimeLine.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTimeLine.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTimeZone.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTimeZone.cc index 254ce037a2..80ebde9fa3 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTimeZone.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTimeZone.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTimeZone_OffsetData.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTimeZone_OffsetData.cc index ba210a15f3..dfff990cc6 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTimeZone_OffsetData.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTimeZone_OffsetData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTimer.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTimer.cc index 0beca34470..6152b4bbf4 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTimer.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTimer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTimerEvent.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTimerEvent.cc index 28ca2f5518..8ff5e66c4e 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTimerEvent.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTimerEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQTranslator.cc b/src/gsiqt/qt5/QtCore/gsiDeclQTranslator.cc index 6358ff4289..243b82206b 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQTranslator.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQTranslator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQUrl.cc b/src/gsiqt/qt5/QtCore/gsiDeclQUrl.cc index f513cabee6..32a608326b 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQUrl.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQUrl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQUrlQuery.cc b/src/gsiqt/qt5/QtCore/gsiDeclQUrlQuery.cc index 3dbd2a6c89..aabb2f7bb1 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQUrlQuery.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQUrlQuery.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQVariantAnimation.cc b/src/gsiqt/qt5/QtCore/gsiDeclQVariantAnimation.cc index cfc2ce496f..a7252c3341 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQVariantAnimation.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQVariantAnimation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQVersionNumber.cc b/src/gsiqt/qt5/QtCore/gsiDeclQVersionNumber.cc index 1febc60704..b295957e23 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQVersionNumber.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQVersionNumber.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQWaitCondition.cc b/src/gsiqt/qt5/QtCore/gsiDeclQWaitCondition.cc index 339f6d5623..15c048eb26 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQWaitCondition.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQWaitCondition.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQWriteLocker.cc b/src/gsiqt/qt5/QtCore/gsiDeclQWriteLocker.cc index b3af8ad58a..81bccbcc1d 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQWriteLocker.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQWriteLocker.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamAttribute.cc b/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamAttribute.cc index acd44267f4..a12272519a 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamAttribute.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamAttribute.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamAttributes.cc b/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamAttributes.cc index f5285be629..34af64adc6 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamAttributes.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamAttributes.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamEntityDeclaration.cc b/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamEntityDeclaration.cc index bcaacc8f49..1491328aaf 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamEntityDeclaration.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamEntityDeclaration.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamEntityResolver.cc b/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamEntityResolver.cc index 9292d77903..b40ca96156 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamEntityResolver.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamEntityResolver.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamNamespaceDeclaration.cc b/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamNamespaceDeclaration.cc index 0e5f8a0b5f..49184eff8b 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamNamespaceDeclaration.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamNamespaceDeclaration.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamNotationDeclaration.cc b/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamNotationDeclaration.cc index 6806a6df53..d390b5c1c1 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamNotationDeclaration.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamNotationDeclaration.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamReader.cc b/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamReader.cc index 22affbd203..fb6bb360f9 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamReader.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamStringRef.cc b/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamStringRef.cc index c61459cbfc..8de4db8d23 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamStringRef.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamStringRef.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamWriter.cc b/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamWriter.cc index 565aaa58ac..b02e489f9c 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamWriter.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQXmlStreamWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQt.cc b/src/gsiqt/qt5/QtCore/gsiDeclQt.cc index 8ee54106a1..3b755d530d 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQt.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQt.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQtCoreAdd.cc b/src/gsiqt/qt5/QtCore/gsiDeclQtCoreAdd.cc index 973180d517..0ea0191e69 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQtCoreAdd.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQtCoreAdd.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQt_1.cc b/src/gsiqt/qt5/QtCore/gsiDeclQt_1.cc index 6e7e38e42a..47e3cbff49 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQt_1.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQt_1.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQt_2.cc b/src/gsiqt/qt5/QtCore/gsiDeclQt_2.cc index b23c299b35..7fff8e39d4 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQt_2.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQt_2.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQt_3.cc b/src/gsiqt/qt5/QtCore/gsiDeclQt_3.cc index ed4d3ebcdf..385ca58232 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQt_3.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQt_3.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiDeclQt_4.cc b/src/gsiqt/qt5/QtCore/gsiDeclQt_4.cc index ca13d61568..8def608fea 100644 --- a/src/gsiqt/qt5/QtCore/gsiDeclQt_4.cc +++ b/src/gsiqt/qt5/QtCore/gsiDeclQt_4.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtCore/gsiQtExternals.h b/src/gsiqt/qt5/QtCore/gsiQtExternals.h index 7c0ca5b31a..6e77520e74 100644 --- a/src/gsiqt/qt5/QtCore/gsiQtExternals.h +++ b/src/gsiqt/qt5/QtCore/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtDesigner/gsiDeclQAbstractExtensionFactory.cc b/src/gsiqt/qt5/QtDesigner/gsiDeclQAbstractExtensionFactory.cc index 51bf739fd7..1746f86924 100644 --- a/src/gsiqt/qt5/QtDesigner/gsiDeclQAbstractExtensionFactory.cc +++ b/src/gsiqt/qt5/QtDesigner/gsiDeclQAbstractExtensionFactory.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtDesigner/gsiDeclQAbstractExtensionManager.cc b/src/gsiqt/qt5/QtDesigner/gsiDeclQAbstractExtensionManager.cc index dccb7366de..7eaf22209d 100644 --- a/src/gsiqt/qt5/QtDesigner/gsiDeclQAbstractExtensionManager.cc +++ b/src/gsiqt/qt5/QtDesigner/gsiDeclQAbstractExtensionManager.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtDesigner/gsiDeclQAbstractFormBuilder.cc b/src/gsiqt/qt5/QtDesigner/gsiDeclQAbstractFormBuilder.cc index 593ee3eb90..a9b6032f56 100644 --- a/src/gsiqt/qt5/QtDesigner/gsiDeclQAbstractFormBuilder.cc +++ b/src/gsiqt/qt5/QtDesigner/gsiDeclQAbstractFormBuilder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtDesigner/gsiDeclQFormBuilder.cc b/src/gsiqt/qt5/QtDesigner/gsiDeclQFormBuilder.cc index b0bdd6912a..6ee3d4d245 100644 --- a/src/gsiqt/qt5/QtDesigner/gsiDeclQFormBuilder.cc +++ b/src/gsiqt/qt5/QtDesigner/gsiDeclQFormBuilder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtDesigner/gsiQtExternals.h b/src/gsiqt/qt5/QtDesigner/gsiQtExternals.h index 3fb0da04de..280e189c78 100644 --- a/src/gsiqt/qt5/QtDesigner/gsiQtExternals.h +++ b/src/gsiqt/qt5/QtDesigner/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAbstractTextDocumentLayout.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAbstractTextDocumentLayout.cc index 9253732362..0e62cccc0f 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAbstractTextDocumentLayout.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAbstractTextDocumentLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAbstractTextDocumentLayout_PaintContext.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAbstractTextDocumentLayout_PaintContext.cc index 756fe15129..75034da8a7 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAbstractTextDocumentLayout_PaintContext.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAbstractTextDocumentLayout_PaintContext.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAbstractTextDocumentLayout_Selection.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAbstractTextDocumentLayout_Selection.cc index cc40e22fe2..b03edd0ea7 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAbstractTextDocumentLayout_Selection.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAbstractTextDocumentLayout_Selection.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAbstractUndoItem.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAbstractUndoItem.cc index 9faff8d4df..f2ab9ea0cd 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAbstractUndoItem.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAbstractUndoItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessible.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessible.cc index 6e42a187b2..ee81180899 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessible.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessible.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleActionInterface.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleActionInterface.cc index 81c00ddd31..b578da8a73 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleActionInterface.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleActionInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleEditableTextInterface.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleEditableTextInterface.cc index d38fc08bbb..3b417eea7c 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleEditableTextInterface.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleEditableTextInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleEvent.cc index 825b495081..c1418935c0 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleImageInterface.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleImageInterface.cc index 952a191557..75e973d835 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleImageInterface.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleImageInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleInterface.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleInterface.cc index 8712663f63..7543140b2d 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleInterface.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleObject.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleObject.cc index 70fde02e47..0321d27dab 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleObject.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleStateChangeEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleStateChangeEvent.cc index 4cd2f4dc47..13205450a3 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleStateChangeEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleStateChangeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTableCellInterface.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTableCellInterface.cc index 216582eaa0..e22e2304ef 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTableCellInterface.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTableCellInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTableInterface.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTableInterface.cc index 41d5e9c7d2..da353cc7c6 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTableInterface.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTableInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTableModelChangeEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTableModelChangeEvent.cc index d3dd43a7a4..e254ea6f17 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTableModelChangeEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTableModelChangeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextCursorEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextCursorEvent.cc index 1fe2b91119..a1658dc127 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextCursorEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextCursorEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextInsertEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextInsertEvent.cc index cd708a7e56..c528815b84 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextInsertEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextInsertEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextInterface.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextInterface.cc index 6c5c8ad40f..ce9a0f51c9 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextInterface.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextRemoveEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextRemoveEvent.cc index 47c87dd32f..d33641c460 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextRemoveEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextRemoveEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextSelectionEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextSelectionEvent.cc index 9b8120c958..8d9fc6e1d1 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextSelectionEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextSelectionEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextUpdateEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextUpdateEvent.cc index ee60c305aa..8d1387698e 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextUpdateEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleTextUpdateEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleValueChangeEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleValueChangeEvent.cc index b7cc9af26e..dcee8f6780 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleValueChangeEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleValueChangeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleValueInterface.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleValueInterface.cc index 2421acdc9d..f58549ae54 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleValueInterface.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessibleValueInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessible_ActivationObserver.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessible_ActivationObserver.cc index e9962d1f14..8a36c789ce 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessible_ActivationObserver.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessible_ActivationObserver.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQAccessible_State.cc b/src/gsiqt/qt5/QtGui/gsiDeclQAccessible_State.cc index fbb697952f..73c6395c6c 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQAccessible_State.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQAccessible_State.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQActionEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQActionEvent.cc index c441e58f08..c23fa69f5e 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQActionEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQActionEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQApplicationStateChangeEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQApplicationStateChangeEvent.cc index 0489ebb83c..4b58bb5182 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQApplicationStateChangeEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQApplicationStateChangeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQBackingStore.cc b/src/gsiqt/qt5/QtGui/gsiDeclQBackingStore.cc index e45170759b..9ac713cb94 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQBackingStore.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQBackingStore.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQBitmap.cc b/src/gsiqt/qt5/QtGui/gsiDeclQBitmap.cc index a9a2ad4c15..5dfbedf2d2 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQBitmap.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQBitmap.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQBrush.cc b/src/gsiqt/qt5/QtGui/gsiDeclQBrush.cc index 679130989b..acd1f9a135 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQBrush.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQBrush.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQClipboard.cc b/src/gsiqt/qt5/QtGui/gsiDeclQClipboard.cc index f00b16930d..89da6598fd 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQClipboard.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQClipboard.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQCloseEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQCloseEvent.cc index 46dd06526e..cfa76510c3 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQCloseEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQCloseEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQColor.cc b/src/gsiqt/qt5/QtGui/gsiDeclQColor.cc index 1b40df9f4d..7b6f2ec188 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQColor.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQColor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQConicalGradient.cc b/src/gsiqt/qt5/QtGui/gsiDeclQConicalGradient.cc index 47e51fbf0c..e5a4aec22d 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQConicalGradient.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQConicalGradient.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQContextMenuEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQContextMenuEvent.cc index 6be03625b5..9356a49759 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQContextMenuEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQContextMenuEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQCursor.cc b/src/gsiqt/qt5/QtGui/gsiDeclQCursor.cc index f60e9cf586..7ea6ef23f5 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQCursor.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQCursor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQDesktopServices.cc b/src/gsiqt/qt5/QtGui/gsiDeclQDesktopServices.cc index 2de5946d96..b25b973db7 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQDesktopServices.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQDesktopServices.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQDoubleValidator.cc b/src/gsiqt/qt5/QtGui/gsiDeclQDoubleValidator.cc index 8832115b6d..77a03ef9e4 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQDoubleValidator.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQDoubleValidator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQDrag.cc b/src/gsiqt/qt5/QtGui/gsiDeclQDrag.cc index 998b071b45..cdd956e438 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQDrag.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQDrag.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQDragEnterEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQDragEnterEvent.cc index 9ee96d78ee..fa3d8956a7 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQDragEnterEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQDragEnterEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQDragLeaveEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQDragLeaveEvent.cc index adf261dd31..10cb44338a 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQDragLeaveEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQDragLeaveEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQDragMoveEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQDragMoveEvent.cc index 455e689bb8..296adddf22 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQDragMoveEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQDragMoveEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQDropEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQDropEvent.cc index 6a14c91b7e..f2d3bede7a 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQDropEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQDropEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQEnterEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQEnterEvent.cc index e36826dab4..2801037f38 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQEnterEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQEnterEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQExposeEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQExposeEvent.cc index 36933e8f19..073cf542c1 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQExposeEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQExposeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQFileOpenEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQFileOpenEvent.cc index 53128e3e7e..20039e8f2b 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQFileOpenEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQFileOpenEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQFocusEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQFocusEvent.cc index c532a481b9..8f667df6dd 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQFocusEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQFocusEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQFont.cc b/src/gsiqt/qt5/QtGui/gsiDeclQFont.cc index 0563eeec76..2004d288f5 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQFont.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQFont.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQFontDatabase.cc b/src/gsiqt/qt5/QtGui/gsiDeclQFontDatabase.cc index 292800bfdb..bc501d9ecf 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQFontDatabase.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQFontDatabase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQFontInfo.cc b/src/gsiqt/qt5/QtGui/gsiDeclQFontInfo.cc index d40b20c706..04cedf6ad7 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQFontInfo.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQFontInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQFontMetrics.cc b/src/gsiqt/qt5/QtGui/gsiDeclQFontMetrics.cc index de1323def2..c3e46b1456 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQFontMetrics.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQFontMetrics.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQFontMetricsF.cc b/src/gsiqt/qt5/QtGui/gsiDeclQFontMetricsF.cc index 288b4c27f4..58c44a5313 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQFontMetricsF.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQFontMetricsF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQGenericPlugin.cc b/src/gsiqt/qt5/QtGui/gsiDeclQGenericPlugin.cc index b3b3e3927e..c456fde94c 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQGenericPlugin.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQGenericPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQGenericPluginFactory.cc b/src/gsiqt/qt5/QtGui/gsiDeclQGenericPluginFactory.cc index 76c191df7b..035f60b032 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQGenericPluginFactory.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQGenericPluginFactory.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQGlyphRun.cc b/src/gsiqt/qt5/QtGui/gsiDeclQGlyphRun.cc index a45d961038..fb8c1e817e 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQGlyphRun.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQGlyphRun.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQGradient.cc b/src/gsiqt/qt5/QtGui/gsiDeclQGradient.cc index 26fd344555..e7dc9543b9 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQGradient.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQGradient.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQGuiApplication.cc b/src/gsiqt/qt5/QtGui/gsiDeclQGuiApplication.cc index 50a0c25350..70a820d5c9 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQGuiApplication.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQGuiApplication.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQHelpEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQHelpEvent.cc index 579ed6f209..35ea48abad 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQHelpEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQHelpEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQHideEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQHideEvent.cc index b748d7c980..cb31d6a2b5 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQHideEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQHideEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQHoverEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQHoverEvent.cc index 38ae8cf869..a8249f44dc 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQHoverEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQHoverEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQIcon.cc b/src/gsiqt/qt5/QtGui/gsiDeclQIcon.cc index 705254a2e0..abb396c518 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQIcon.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQIcon.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQIconDragEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQIconDragEvent.cc index fddaa8b0e4..4a5867e2bb 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQIconDragEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQIconDragEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQIconEngine.cc b/src/gsiqt/qt5/QtGui/gsiDeclQIconEngine.cc index a116008194..3ba4e552e0 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQIconEngine.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQIconEngine.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQIconEnginePlugin.cc b/src/gsiqt/qt5/QtGui/gsiDeclQIconEnginePlugin.cc index 50f16017d2..94082909c7 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQIconEnginePlugin.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQIconEnginePlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQIconEngine_AvailableSizesArgument.cc b/src/gsiqt/qt5/QtGui/gsiDeclQIconEngine_AvailableSizesArgument.cc index fdb7550143..a3523925ee 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQIconEngine_AvailableSizesArgument.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQIconEngine_AvailableSizesArgument.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQIconEngine_ScaledPixmapArgument.cc b/src/gsiqt/qt5/QtGui/gsiDeclQIconEngine_ScaledPixmapArgument.cc index cc75508ddd..7697693bef 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQIconEngine_ScaledPixmapArgument.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQIconEngine_ScaledPixmapArgument.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQImage.cc b/src/gsiqt/qt5/QtGui/gsiDeclQImage.cc index 2c41ace01c..75619070cb 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQImage.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQImage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQImageIOHandler.cc b/src/gsiqt/qt5/QtGui/gsiDeclQImageIOHandler.cc index 323e3507ed..e6571e0cba 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQImageIOHandler.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQImageIOHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQImageIOPlugin.cc b/src/gsiqt/qt5/QtGui/gsiDeclQImageIOPlugin.cc index 1a3b332bc5..dc3375bb54 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQImageIOPlugin.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQImageIOPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQImageReader.cc b/src/gsiqt/qt5/QtGui/gsiDeclQImageReader.cc index 4a93fef4d6..421c652820 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQImageReader.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQImageReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQImageWriter.cc b/src/gsiqt/qt5/QtGui/gsiDeclQImageWriter.cc index 4c7843ead0..cafe3a9faa 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQImageWriter.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQImageWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQInputEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQInputEvent.cc index b9f9e29c4b..7f3ed3b2f2 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQInputEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQInputEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQInputMethod.cc b/src/gsiqt/qt5/QtGui/gsiDeclQInputMethod.cc index f2772e0502..717c6aa2c8 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQInputMethod.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQInputMethod.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQInputMethodEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQInputMethodEvent.cc index 95f0a6b6fe..0716eb7b5c 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQInputMethodEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQInputMethodEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQInputMethodEvent_Attribute.cc b/src/gsiqt/qt5/QtGui/gsiDeclQInputMethodEvent_Attribute.cc index 4b00b52d34..1c0c659e3f 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQInputMethodEvent_Attribute.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQInputMethodEvent_Attribute.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQInputMethodQueryEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQInputMethodQueryEvent.cc index e06a2d7dc7..b63be8e87a 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQInputMethodQueryEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQInputMethodQueryEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQIntValidator.cc b/src/gsiqt/qt5/QtGui/gsiDeclQIntValidator.cc index a765be58b4..aaf98017fa 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQIntValidator.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQIntValidator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQKeyEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQKeyEvent.cc index c7ca0332f9..df3f0acc69 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQKeyEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQKeyEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQKeySequence.cc b/src/gsiqt/qt5/QtGui/gsiDeclQKeySequence.cc index eb3dbe2473..426c495523 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQKeySequence.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQKeySequence.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQLinearGradient.cc b/src/gsiqt/qt5/QtGui/gsiDeclQLinearGradient.cc index 7591ffd32b..3ef06dff6e 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQLinearGradient.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQLinearGradient.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQMatrix.cc b/src/gsiqt/qt5/QtGui/gsiDeclQMatrix.cc index f034a533b6..81c4bab75a 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQMatrix.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQMatrix.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQMatrix4x4.cc b/src/gsiqt/qt5/QtGui/gsiDeclQMatrix4x4.cc index 108ce6cc47..75a59eb46f 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQMatrix4x4.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQMatrix4x4.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQMouseEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQMouseEvent.cc index 967fd54251..c2d9c7677f 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQMouseEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQMouseEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQMoveEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQMoveEvent.cc index 6bbc49d943..28df264c2b 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQMoveEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQMoveEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQMovie.cc b/src/gsiqt/qt5/QtGui/gsiDeclQMovie.cc index 0434153c85..322e12e630 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQMovie.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQMovie.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQNativeGestureEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQNativeGestureEvent.cc index df7bb4a7a3..e64c63ad14 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQNativeGestureEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQNativeGestureEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQOffscreenSurface.cc b/src/gsiqt/qt5/QtGui/gsiDeclQOffscreenSurface.cc index 27795567ed..d6a61527f3 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQOffscreenSurface.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQOffscreenSurface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPageLayout.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPageLayout.cc index edf03cde4a..04bd701054 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPageLayout.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPageLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPageSize.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPageSize.cc index 6057a94f4d..de927bebfe 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPageSize.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPageSize.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPagedPaintDevice.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPagedPaintDevice.cc index 2be140bd3b..3ff55202d9 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPagedPaintDevice.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPagedPaintDevice.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPagedPaintDevice_Margins.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPagedPaintDevice_Margins.cc index 7be53e0104..85ffaf21f5 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPagedPaintDevice_Margins.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPagedPaintDevice_Margins.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPaintDevice.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPaintDevice.cc index 169c571736..7fb40e0eff 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPaintDevice.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPaintDevice.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPaintDeviceWindow.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPaintDeviceWindow.cc index 3453f3ee04..a850058985 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPaintDeviceWindow.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPaintDeviceWindow.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPaintEngine.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPaintEngine.cc index 81fc0024f4..f56f65bf2d 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPaintEngine.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPaintEngine.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPaintEngineState.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPaintEngineState.cc index 174ece6d77..46f63df504 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPaintEngineState.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPaintEngineState.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPaintEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPaintEvent.cc index a1df7d6d43..eb6a233abc 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPaintEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPaintEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPainter.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPainter.cc index 2dbf64afab..c3d72e85a0 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPainter.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPainter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPainterPath.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPainterPath.cc index 95f069bbfa..ce66f14cfe 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPainterPath.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPainterPath.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPainterPathStroker.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPainterPathStroker.cc index 049d85366e..def5a60066 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPainterPathStroker.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPainterPathStroker.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPainterPath_Element.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPainterPath_Element.cc index efe6f33a94..2a943cac0c 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPainterPath_Element.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPainterPath_Element.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPainter_PixmapFragment.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPainter_PixmapFragment.cc index e6882c597a..61c7a93a59 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPainter_PixmapFragment.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPainter_PixmapFragment.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPalette.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPalette.cc index c8e457e4cb..32698e1900 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPalette.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPalette.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPdfWriter.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPdfWriter.cc index 9a132dea8d..188d43478f 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPdfWriter.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPdfWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPen.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPen.cc index b419baf244..f613c8663a 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPen.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPen.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPicture.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPicture.cc index 8da6b38a1b..9ccba57ea9 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPicture.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPicture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPictureFormatPlugin.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPictureFormatPlugin.cc index 1159c437c3..884b9f1fa1 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPictureFormatPlugin.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPictureFormatPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPixelFormat.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPixelFormat.cc index 778ad116a7..8dc66f3cff 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPixelFormat.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPixelFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPixmap.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPixmap.cc index 7aa2144945..665a3ed8dd 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPixmap.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPixmap.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPixmapCache.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPixmapCache.cc index 2c9f449e1c..6fd62e5a38 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPixmapCache.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPixmapCache.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPlatformSurfaceEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPlatformSurfaceEvent.cc index b2fce16e9b..fc7c631393 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPlatformSurfaceEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPlatformSurfaceEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPointingDeviceUniqueId.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPointingDeviceUniqueId.cc index 05a166d09c..5289a8e6cd 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPointingDeviceUniqueId.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPointingDeviceUniqueId.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPolygon.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPolygon.cc index cb089c4216..367a1fab26 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPolygon.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPolygon.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQPolygonF.cc b/src/gsiqt/qt5/QtGui/gsiDeclQPolygonF.cc index 88849836de..d2aec364f1 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQPolygonF.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQPolygonF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQQuaternion.cc b/src/gsiqt/qt5/QtGui/gsiDeclQQuaternion.cc index 6d952053cd..785b70c7d3 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQQuaternion.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQQuaternion.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQRadialGradient.cc b/src/gsiqt/qt5/QtGui/gsiDeclQRadialGradient.cc index 9ef8749d05..a4f2555dfd 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQRadialGradient.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQRadialGradient.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQRasterWindow.cc b/src/gsiqt/qt5/QtGui/gsiDeclQRasterWindow.cc index 10537a1fd3..51b7bdfbb2 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQRasterWindow.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQRasterWindow.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQRawFont.cc b/src/gsiqt/qt5/QtGui/gsiDeclQRawFont.cc index 6386c2c8e1..764212c925 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQRawFont.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQRawFont.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQRegExpValidator.cc b/src/gsiqt/qt5/QtGui/gsiDeclQRegExpValidator.cc index 8e511faa37..358f52cbb2 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQRegExpValidator.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQRegExpValidator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQRegion.cc b/src/gsiqt/qt5/QtGui/gsiDeclQRegion.cc index a53294f760..361d3b9cdf 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQRegion.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQRegion.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQRegularExpressionValidator.cc b/src/gsiqt/qt5/QtGui/gsiDeclQRegularExpressionValidator.cc index 46c4d6375a..956886c6a9 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQRegularExpressionValidator.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQRegularExpressionValidator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQResizeEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQResizeEvent.cc index d933b9ce11..53fe743e4e 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQResizeEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQResizeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQRgba64.cc b/src/gsiqt/qt5/QtGui/gsiDeclQRgba64.cc index ade7950b10..284079b568 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQRgba64.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQRgba64.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQScreen.cc b/src/gsiqt/qt5/QtGui/gsiDeclQScreen.cc index 0a00b6fb91..98c1a6561c 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQScreen.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQScreen.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQScreenOrientationChangeEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQScreenOrientationChangeEvent.cc index 706a42aab1..f8f83396db 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQScreenOrientationChangeEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQScreenOrientationChangeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQScrollEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQScrollEvent.cc index fd2d933f93..99581a6c1e 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQScrollEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQScrollEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQScrollPrepareEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQScrollPrepareEvent.cc index e15f914399..6147768196 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQScrollPrepareEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQScrollPrepareEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQSessionManager.cc b/src/gsiqt/qt5/QtGui/gsiDeclQSessionManager.cc index 361558c6b5..242ab4bb05 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQSessionManager.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQSessionManager.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQShortcutEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQShortcutEvent.cc index 579d939d7b..c3bd101c52 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQShortcutEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQShortcutEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQShowEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQShowEvent.cc index 6d30a82aa7..5cf6f0f7cd 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQShowEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQShowEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQStandardItem.cc b/src/gsiqt/qt5/QtGui/gsiDeclQStandardItem.cc index b32f7f4c31..26d776f95e 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQStandardItem.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQStandardItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQStandardItemModel.cc b/src/gsiqt/qt5/QtGui/gsiDeclQStandardItemModel.cc index 47e60c3fa5..e4e12a9206 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQStandardItemModel.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQStandardItemModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQStaticText.cc b/src/gsiqt/qt5/QtGui/gsiDeclQStaticText.cc index 595da556ac..72cba55462 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQStaticText.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQStaticText.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQStatusTipEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQStatusTipEvent.cc index a83023beea..6768b48f47 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQStatusTipEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQStatusTipEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQStyleHints.cc b/src/gsiqt/qt5/QtGui/gsiDeclQStyleHints.cc index c68a3f2b0f..2f037e4918 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQStyleHints.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQStyleHints.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQSurface.cc b/src/gsiqt/qt5/QtGui/gsiDeclQSurface.cc index 5b2feeb852..103e13a5be 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQSurface.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQSurface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQSurfaceFormat.cc b/src/gsiqt/qt5/QtGui/gsiDeclQSurfaceFormat.cc index d04e6cd3af..e064e71d36 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQSurfaceFormat.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQSurfaceFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQSyntaxHighlighter.cc b/src/gsiqt/qt5/QtGui/gsiDeclQSyntaxHighlighter.cc index dc4e858f74..eecac2f4f8 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQSyntaxHighlighter.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQSyntaxHighlighter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTabletEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTabletEvent.cc index 036e899bcd..49f9968d4a 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTabletEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTabletEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextBlock.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextBlock.cc index 1217106439..6b5157e160 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextBlock.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextBlock.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockFormat.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockFormat.cc index 4414ebdbaa..9b3dfe99a8 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockFormat.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockGroup.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockGroup.cc index 12565dc11e..dd1a0142f0 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockGroup.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockUserData.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockUserData.cc index eef35af1b5..5cc811e25a 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockUserData.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextBlockUserData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextBlock_Iterator.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextBlock_Iterator.cc index bf63d7469b..bde1885362 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextBlock_Iterator.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextBlock_Iterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextCharFormat.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextCharFormat.cc index 12e84cb66f..f9ead7fea8 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextCharFormat.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextCharFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextCursor.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextCursor.cc index e485a726ad..061385da77 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextCursor.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextCursor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextDocument.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextDocument.cc index 64d4d71c0f..47a7a2e086 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextDocument.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextDocument.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextDocumentFragment.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextDocumentFragment.cc index c72a4e2dc9..ba8c9550bc 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextDocumentFragment.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextDocumentFragment.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextDocumentWriter.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextDocumentWriter.cc index 29d7bb954e..29ccd49a92 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextDocumentWriter.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextDocumentWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextFormat.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextFormat.cc index 915d03bfd7..1caaf83413 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextFormat.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextFragment.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextFragment.cc index e12f8a7b38..56fb9e898f 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextFragment.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextFragment.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextFrame.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextFrame.cc index fc9f4a992b..bd8f5c64d9 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextFrame.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextFrame.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextFrameFormat.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextFrameFormat.cc index 0a9667b948..922d5633d6 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextFrameFormat.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextFrameFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextFrame_Iterator.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextFrame_Iterator.cc index 3cf7de35fb..9242c46b1e 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextFrame_Iterator.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextFrame_Iterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextImageFormat.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextImageFormat.cc index 641365fcb7..4134d4d480 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextImageFormat.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextImageFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextInlineObject.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextInlineObject.cc index 2be4362c04..0e2f9d5833 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextInlineObject.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextInlineObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextItem.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextItem.cc index 59d81e7710..58c4eb91d6 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextItem.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextLayout.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextLayout.cc index 18fa61b05c..b13b72b611 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextLayout.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextLayout_FormatRange.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextLayout_FormatRange.cc index 32d4a163cc..3ff1ffabcc 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextLayout_FormatRange.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextLayout_FormatRange.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextLength.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextLength.cc index 889c833931..c029cbc92d 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextLength.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextLength.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextLine.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextLine.cc index f2d58b2a93..307ac57782 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextLine.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextLine.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextList.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextList.cc index eb95f4564b..e425cf1aa5 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextList.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextList.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextListFormat.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextListFormat.cc index 576b9e880f..2ec3c65ebe 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextListFormat.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextListFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextObject.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextObject.cc index 31fdc09962..255473af83 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextObject.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextObjectInterface.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextObjectInterface.cc index 90f5ce7000..9cfe56eaf5 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextObjectInterface.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextObjectInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextOption.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextOption.cc index 850f2f5e51..c5fc03c550 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextOption.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextOption.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextOption_Tab.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextOption_Tab.cc index 75b41f25d7..44ebc2e1c4 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextOption_Tab.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextOption_Tab.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextTable.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextTable.cc index fc1155713f..677f669c9b 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextTable.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextTable.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextTableCell.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextTableCell.cc index d229ba29d7..859389ad78 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextTableCell.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextTableCell.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextTableCellFormat.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextTableCellFormat.cc index 6b42b73d7a..89294c8a3f 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextTableCellFormat.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextTableCellFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTextTableFormat.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTextTableFormat.cc index bf1d152a38..5b550c010b 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTextTableFormat.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTextTableFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQToolBarChangeEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQToolBarChangeEvent.cc index 00acf185c2..2a9e11110a 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQToolBarChangeEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQToolBarChangeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTouchDevice.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTouchDevice.cc index 0d491a9ded..78c8866050 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTouchDevice.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTouchDevice.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTouchEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTouchEvent.cc index b7220f47e3..e00b466911 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTouchEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTouchEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTouchEvent_TouchPoint.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTouchEvent_TouchPoint.cc index 65872a65e2..9bcb788765 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTouchEvent_TouchPoint.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTouchEvent_TouchPoint.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQTransform.cc b/src/gsiqt/qt5/QtGui/gsiDeclQTransform.cc index 84b089e899..819bb14476 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQTransform.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQTransform.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQValidator.cc b/src/gsiqt/qt5/QtGui/gsiDeclQValidator.cc index d6727e2c17..dc4a61cfc5 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQValidator.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQValidator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQVector2D.cc b/src/gsiqt/qt5/QtGui/gsiDeclQVector2D.cc index f968b78f5d..f6313fb9b0 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQVector2D.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQVector2D.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQVector3D.cc b/src/gsiqt/qt5/QtGui/gsiDeclQVector3D.cc index a5f019e22c..78b6bb3e0a 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQVector3D.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQVector3D.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQVector4D.cc b/src/gsiqt/qt5/QtGui/gsiDeclQVector4D.cc index a96933fb3b..60f094c9c4 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQVector4D.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQVector4D.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQWhatsThisClickedEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQWhatsThisClickedEvent.cc index c5a20e097c..2e59c1d64c 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQWhatsThisClickedEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQWhatsThisClickedEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQWheelEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQWheelEvent.cc index ebd4d154a9..a3a4b0e53c 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQWheelEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQWheelEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQWindow.cc b/src/gsiqt/qt5/QtGui/gsiDeclQWindow.cc index 5e87218a57..efe857c611 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQWindow.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQWindow.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQWindowStateChangeEvent.cc b/src/gsiqt/qt5/QtGui/gsiDeclQWindowStateChangeEvent.cc index e7d14f7696..da4bfc511e 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQWindowStateChangeEvent.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQWindowStateChangeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiDeclQtGuiAdd.cc b/src/gsiqt/qt5/QtGui/gsiDeclQtGuiAdd.cc index bd738b78d2..10d3caf53f 100644 --- a/src/gsiqt/qt5/QtGui/gsiDeclQtGuiAdd.cc +++ b/src/gsiqt/qt5/QtGui/gsiDeclQtGuiAdd.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtGui/gsiQtExternals.h b/src/gsiqt/qt5/QtGui/gsiQtExternals.h index 30b923013d..1f270b9445 100644 --- a/src/gsiqt/qt5/QtGui/gsiQtExternals.h +++ b/src/gsiqt/qt5/QtGui/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioDeviceInfo.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioDeviceInfo.cc index d85bf89ffe..7694e93a36 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioDeviceInfo.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioDeviceInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioInput.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioInput.cc index 0c19ce0392..3e5ec3a4c4 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioInput.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioInput.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioOutput.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioOutput.cc index 6cac15b39a..380ed71e48 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioOutput.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractAudioOutput.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoBuffer.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoBuffer.cc index 8f39fe8570..64648dd69b 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoBuffer.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoBuffer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoFilter.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoFilter.cc index a6441addbf..8c8754063c 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoFilter.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoFilter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoSurface.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoSurface.cc index fc569552e2..8620206bdb 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoSurface.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAbstractVideoSurface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudio.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudio.cc index 221602afbe..b346a3c570 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudio.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudio.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioBuffer.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioBuffer.cc index df13f1b681..8f6a46e5ba 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioBuffer.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioBuffer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoder.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoder.cc index b61e0e20fa..1f7a2e6852 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoder.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoderControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoderControl.cc index 700529eaff..9f01415dfa 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoderControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDecoderControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDeviceInfo.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDeviceInfo.cc index 62fe05d686..a27f2e278f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDeviceInfo.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioDeviceInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioEncoderSettings.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioEncoderSettings.cc index 16ba3dfcd2..200ed1533e 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioEncoderSettings.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioEncoderSettings.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioEncoderSettingsControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioEncoderSettingsControl.cc index 750964acf8..0d23f6ecae 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioEncoderSettingsControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioEncoderSettingsControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioFormat.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioFormat.cc index 77134987e5..69e4b38f13 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioFormat.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInput.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInput.cc index 5d25990834..dca330a861 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInput.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInput.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInputSelectorControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInputSelectorControl.cc index 48fcd6a63a..4a2ea884ea 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInputSelectorControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioInputSelectorControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutput.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutput.cc index 74de58b84c..fe0fc3c2b5 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutput.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutput.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutputSelectorControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutputSelectorControl.cc index c6098d3569..23cc574228 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutputSelectorControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioOutputSelectorControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioProbe.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioProbe.cc index 5846f388b6..58e4cc825f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioProbe.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioProbe.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRecorder.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRecorder.cc index 2037522f4f..746000dd75 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRecorder.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRecorder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRoleControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRoleControl.cc index a478924858..c8c3d7e168 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRoleControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioRoleControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioSystemFactoryInterface.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioSystemFactoryInterface.cc index 411f810422..0713515d70 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioSystemFactoryInterface.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioSystemFactoryInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioSystemPlugin.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioSystemPlugin.cc index d8eed00524..7caada7430 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioSystemPlugin.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQAudioSystemPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCamera.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCamera.cc index c4e7de7d2b..2f964b8cd4 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCamera.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCamera.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureBufferFormatControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureBufferFormatControl.cc index 626fbf9447..ff13110b84 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureBufferFormatControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureBufferFormatControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureDestinationControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureDestinationControl.cc index db50dcb95e..c25f6f0b1a 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureDestinationControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraCaptureDestinationControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraControl.cc index 13b2c97857..f76ef833ab 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposure.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposure.cc index 7a010a5a25..6c96ee933f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposure.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposure.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposureControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposureControl.cc index 2f9aee216c..d70317486f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposureControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraExposureControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFeedbackControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFeedbackControl.cc index e86c952bf6..3d4699273a 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFeedbackControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFeedbackControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFlashControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFlashControl.cc index b912d8a53f..1e5ff1f8ff 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFlashControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFlashControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocus.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocus.cc index 94f444e47d..437ccda86b 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocus.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocus.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocusControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocusControl.cc index 7b8188189f..d187568d54 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocusControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocusControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocusZone.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocusZone.cc index a41be9f6ce..ac84f643db 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocusZone.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraFocusZone.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCapture.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCapture.cc index 75b54852a9..221363620b 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCapture.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCapture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCaptureControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCaptureControl.cc index d31c7bb074..bc9fb7ed87 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCaptureControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageCaptureControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessing.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessing.cc index 12ab6f3660..cdd10dc5d0 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessing.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessing.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessingControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessingControl.cc index 52891e9ad9..d51cd3aba3 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessingControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraImageProcessingControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraInfo.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraInfo.cc index 08a8c41dd7..11dd04eb40 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraInfo.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraInfoControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraInfoControl.cc index 53b0ddec59..e3f506e084 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraInfoControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraInfoControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraLocksControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraLocksControl.cc index b27ef7b659..c123d48cd8 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraLocksControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraLocksControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettings.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettings.cc index 1a57d9d62d..2bee16c4fe 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettings.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettings.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl.cc index 90a001849c..3ff86b76e2 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl2.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl2.cc index 18d3cd517d..2f3cb44465 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl2.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraViewfinderSettingsControl2.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraZoomControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraZoomControl.cc index 94079c8ab7..fc41daec86 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraZoomControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCameraZoomControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCamera_FrameRateRange.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCamera_FrameRateRange.cc index 68ba8960e5..84521a0f1f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCamera_FrameRateRange.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCamera_FrameRateRange.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCustomAudioRoleControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCustomAudioRoleControl.cc index 02585c9d06..b696a944c4 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQCustomAudioRoleControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQCustomAudioRoleControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQGraphicsVideoItem.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQGraphicsVideoItem.cc index a1c1542875..97380fe874 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQGraphicsVideoItem.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQGraphicsVideoItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQImageEncoderControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQImageEncoderControl.cc index d8cc78aa7b..a9f83d94ea 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQImageEncoderControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQImageEncoderControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQImageEncoderSettings.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQImageEncoderSettings.cc index 399b286937..87ae7a0b66 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQImageEncoderSettings.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQImageEncoderSettings.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAudioProbeControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAudioProbeControl.cc index 842f7e4795..11fa8add1d 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAudioProbeControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAudioProbeControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAvailabilityControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAvailabilityControl.cc index 0d85058681..f4dc76cb24 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAvailabilityControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaAvailabilityControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaBindableInterface.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaBindableInterface.cc index 2e048062eb..d0887b9583 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaBindableInterface.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaBindableInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaContainerControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaContainerControl.cc index f70f168aca..7f308745b9 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaContainerControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaContainerControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaContent.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaContent.cc index 650f1dc844..f7526ce1c7 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaContent.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaContent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaControl.cc index ed24d5299b..c658117f66 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaGaplessPlaybackControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaGaplessPlaybackControl.cc index b04361a3d9..ae581a291a 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaGaplessPlaybackControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaGaplessPlaybackControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaMetaData.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaMetaData.cc index 59a812fb03..2f5993aed6 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaMetaData.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaMetaData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaNetworkAccessControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaNetworkAccessControl.cc index 08b265f420..58c004ee04 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaNetworkAccessControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaNetworkAccessControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaObject.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaObject.cc index b7d64d02ee..34044e838e 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaObject.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayer.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayer.cc index 10eb13408f..b132482d8b 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayer.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayerControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayerControl.cc index 6ebb04fb5b..c641a97f37 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayerControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlayerControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlaylist.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlaylist.cc index 4495cc406b..97126d5462 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlaylist.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaPlaylist.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorder.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorder.cc index 37c3767cb1..b8b6eeeb04 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorder.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorderControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorderControl.cc index a0f4c6f5ed..37d008576f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorderControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaRecorderControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaResource.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaResource.cc index 2bae1dcc1d..bbfd7da323 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaResource.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaResource.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaService.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaService.cc index bf3ddcf874..59cebff562 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaService.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaService.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceCameraInfoInterface.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceCameraInfoInterface.cc index b6d68a410c..f9848c0e21 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceCameraInfoInterface.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceCameraInfoInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceDefaultDeviceInterface.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceDefaultDeviceInterface.cc index df310d6963..895e838a4f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceDefaultDeviceInterface.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceDefaultDeviceInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceFeaturesInterface.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceFeaturesInterface.cc index ca577a2967..4dad1cd47b 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceFeaturesInterface.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceFeaturesInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderFactoryInterface.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderFactoryInterface.cc index f6cde896d8..4e18b26afa 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderFactoryInterface.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderFactoryInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderHint.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderHint.cc index 385846c8f7..1052332133 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderHint.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderHint.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderPlugin.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderPlugin.cc index 97098a95ca..cc3b8ef972 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderPlugin.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceProviderPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceSupportedDevicesInterface.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceSupportedDevicesInterface.cc index a1dad7b3c8..827369a7a6 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceSupportedDevicesInterface.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceSupportedDevicesInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceSupportedFormatsInterface.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceSupportedFormatsInterface.cc index d3ae47b918..368910985a 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceSupportedFormatsInterface.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaServiceSupportedFormatsInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaStreamsControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaStreamsControl.cc index 759be4c51f..6f7af7e59f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaStreamsControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaStreamsControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaTimeInterval.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaTimeInterval.cc index 2a0de0ad99..03e9c912af 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaTimeInterval.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaTimeInterval.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaTimeRange.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaTimeRange.cc index 23fce231f2..504d3758f4 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaTimeRange.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaTimeRange.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaVideoProbeControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaVideoProbeControl.cc index 5d536caaba..99c7c0d22e 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaVideoProbeControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMediaVideoProbeControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataReaderControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataReaderControl.cc index 56e4ee2ac5..b039e70258 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataReaderControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataReaderControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataWriterControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataWriterControl.cc index 0d3a874bab..099a5bf52a 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataWriterControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMetaDataWriterControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMultimedia.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMultimedia.cc index 8b25e47e51..f34e68322f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQMultimedia.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQMultimedia.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioData.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioData.cc index 81c0981d2f..0dfe1e3ab3 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioData.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioDataControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioDataControl.cc index 6988e44323..dcfb1c2700 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioDataControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioDataControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTuner.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTuner.cc index ef61226577..f6d76e0163 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTuner.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTuner.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTunerControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTunerControl.cc index 63f55e980f..cdb9fbd2aa 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTunerControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQRadioTunerControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQSound.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQSound.cc index 740f598c62..882923da72 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQSound.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQSound.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQSoundEffect.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQSoundEffect.cc index 3b40fa7b86..a0d7f104a7 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQSoundEffect.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQSoundEffect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoDeviceSelectorControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoDeviceSelectorControl.cc index 2c8bfda3e4..497504a432 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoDeviceSelectorControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoDeviceSelectorControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoEncoderSettings.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoEncoderSettings.cc index 756ec7c4a3..cbbee38ae1 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoEncoderSettings.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoEncoderSettings.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoEncoderSettingsControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoEncoderSettingsControl.cc index 69cd381946..3a3a94cfa6 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoEncoderSettingsControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoEncoderSettingsControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoFilterRunnable.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoFilterRunnable.cc index 7fa0e2a983..813545f99c 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoFilterRunnable.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoFilterRunnable.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoFrame.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoFrame.cc index 7d2c85028c..95d0b82d0c 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoFrame.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoFrame.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoProbe.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoProbe.cc index 93b0ca27e6..afbfe4fc85 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoProbe.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoProbe.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoRendererControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoRendererControl.cc index 01744ecdcc..37e6cba459 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoRendererControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoRendererControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoSurfaceFormat.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoSurfaceFormat.cc index b45d657619..0d28370807 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoSurfaceFormat.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoSurfaceFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWidget.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWidget.cc index 01f4306500..fe84e39f23 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWidget.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWindowControl.cc b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWindowControl.cc index eaafec0dc8..2b0faf755f 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWindowControl.cc +++ b/src/gsiqt/qt5/QtMultimedia/gsiDeclQVideoWindowControl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtMultimedia/gsiQtExternals.h b/src/gsiqt/qt5/QtMultimedia/gsiQtExternals.h index 5f53266472..97155c84d9 100644 --- a/src/gsiqt/qt5/QtMultimedia/gsiQtExternals.h +++ b/src/gsiqt/qt5/QtMultimedia/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQAbstractNetworkCache.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQAbstractNetworkCache.cc index 1554de1b0e..6aab07e0dd 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQAbstractNetworkCache.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQAbstractNetworkCache.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQAbstractSocket.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQAbstractSocket.cc index 9882b009c9..7537fdf4cc 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQAbstractSocket.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQAbstractSocket.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQAuthenticator.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQAuthenticator.cc index 9920598f58..d020562059 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQAuthenticator.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQAuthenticator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsDomainNameRecord.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsDomainNameRecord.cc index 2eab52dfc1..bba9f3fb8f 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsDomainNameRecord.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsDomainNameRecord.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsHostAddressRecord.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsHostAddressRecord.cc index 03be8a4003..555a81385b 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsHostAddressRecord.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsHostAddressRecord.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsLookup.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsLookup.cc index aaecb15b31..4801d48744 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsLookup.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsLookup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsMailExchangeRecord.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsMailExchangeRecord.cc index a2b9e46dbb..31a779a428 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsMailExchangeRecord.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsMailExchangeRecord.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsServiceRecord.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsServiceRecord.cc index e8e0f1f633..9241960a39 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsServiceRecord.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsServiceRecord.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsTextRecord.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsTextRecord.cc index f184e4357d..42f9a44583 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsTextRecord.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQDnsTextRecord.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQDtls.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQDtls.cc index 8b24e7764c..28d66257b4 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQDtls.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQDtls.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier.cc index 54f9ecc7f8..aebe49ff49 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier_GeneratorParameters.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier_GeneratorParameters.cc index b78e9a7768..c223264ba3 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier_GeneratorParameters.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsClientVerifier_GeneratorParameters.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsError.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsError.cc index bef6edf4e8..bf4a945a5c 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsError.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQDtlsError.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQHostAddress.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQHostAddress.cc index 3045ccc0fb..7a8b475c4b 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQHostAddress.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQHostAddress.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQHostInfo.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQHostInfo.cc index 74ce8770bc..0ec3e99ac5 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQHostInfo.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQHostInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQHstsPolicy.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQHstsPolicy.cc index de98fe1c65..c782229850 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQHstsPolicy.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQHstsPolicy.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQHttpMultiPart.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQHttpMultiPart.cc index 122774ec83..d0aa3c0208 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQHttpMultiPart.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQHttpMultiPart.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQHttpPart.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQHttpPart.cc index e5da4f759a..55abc67aaa 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQHttpPart.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQHttpPart.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQIPv6Address.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQIPv6Address.cc index 322f56daf3..24e8014496 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQIPv6Address.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQIPv6Address.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQLocalServer.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQLocalServer.cc index 9bc3fd6b78..d3c4982a86 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQLocalServer.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQLocalServer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQLocalSocket.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQLocalSocket.cc index 0984038bb4..5eeb32b7f9 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQLocalSocket.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQLocalSocket.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAccessManager.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAccessManager.cc index f867fbfd13..ab04bd72b1 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAccessManager.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAccessManager.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAddressEntry.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAddressEntry.cc index fe5e098e03..1e5b532b07 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAddressEntry.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkAddressEntry.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkCacheMetaData.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkCacheMetaData.cc index 98a3b63302..c7d902faa0 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkCacheMetaData.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkCacheMetaData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkConfiguration.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkConfiguration.cc index 5b3e127324..fa429a0e77 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkConfiguration.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkConfiguration.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkConfigurationManager.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkConfigurationManager.cc index 188dc6d174..0a5e187c89 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkConfigurationManager.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkConfigurationManager.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkCookie.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkCookie.cc index 7ae45888d8..cb820540e7 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkCookie.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkCookie.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkCookieJar.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkCookieJar.cc index 4726157718..b5e96bab05 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkCookieJar.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkCookieJar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDatagram.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDatagram.cc index 04cd36b94f..3e2c93783a 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDatagram.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDatagram.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDiskCache.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDiskCache.cc index 9715498bae..18994e083b 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDiskCache.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkDiskCache.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkInterface.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkInterface.cc index 454c382dfe..12ac13750c 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkInterface.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxy.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxy.cc index bf34fc2ff8..6fd8f568c2 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxy.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxy.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxyFactory.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxyFactory.cc index 545a72ce8b..a999016b87 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxyFactory.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxyFactory.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxyQuery.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxyQuery.cc index 3d004e3985..18d18a4b2f 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxyQuery.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkProxyQuery.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkReply.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkReply.cc index 9dc3f45724..e16c888b66 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkReply.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkReply.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkRequest.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkRequest.cc index bfc64c9b8c..0473359a1d 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkRequest.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkRequest.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkSession.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkSession.cc index 40f9e99f81..10fe9e3590 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkSession.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQNetworkSession.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQPasswordDigestor.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQPasswordDigestor.cc index 00aae0bbb2..3425adc257 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQPasswordDigestor.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQPasswordDigestor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQSsl.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQSsl.cc index 1e2692e67b..e16f4437b6 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQSsl.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQSsl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslCertificate.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslCertificate.cc index 16297fa9f5..1c0b239605 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslCertificate.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslCertificate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslCertificateExtension.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslCertificateExtension.cc index 52c1868b57..cd5ecd6b61 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslCertificateExtension.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslCertificateExtension.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslCipher.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslCipher.cc index 16a3285084..ed199f9e36 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslCipher.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslCipher.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslConfiguration.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslConfiguration.cc index ef57985db3..b4a140f97c 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslConfiguration.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslConfiguration.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslDiffieHellmanParameters.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslDiffieHellmanParameters.cc index d52035a164..1f2b58ad96 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslDiffieHellmanParameters.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslDiffieHellmanParameters.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslEllipticCurve.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslEllipticCurve.cc index 1b3e29ab9d..4fc98a759b 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslEllipticCurve.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslEllipticCurve.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslError.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslError.cc index 652e4303e9..96b911fc52 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslError.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslError.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslKey.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslKey.cc index 18b53974c1..1fe409cf37 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslKey.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslKey.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslPreSharedKeyAuthenticator.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslPreSharedKeyAuthenticator.cc index 66cd3dbaee..48ca1cab62 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslPreSharedKeyAuthenticator.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslPreSharedKeyAuthenticator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslSocket.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslSocket.cc index 8167376688..0c49b5974c 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQSslSocket.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQSslSocket.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQTcpServer.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQTcpServer.cc index 5eebc6dafa..a9b239116e 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQTcpServer.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQTcpServer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQTcpSocket.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQTcpSocket.cc index 5f96efbbe8..cfa506dcf5 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQTcpSocket.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQTcpSocket.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQUdpSocket.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQUdpSocket.cc index a15c1ada7d..22055b6c9a 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQUdpSocket.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQUdpSocket.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiDeclQtNetworkAdd.cc b/src/gsiqt/qt5/QtNetwork/gsiDeclQtNetworkAdd.cc index 16044e39cb..e64e1775b1 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiDeclQtNetworkAdd.cc +++ b/src/gsiqt/qt5/QtNetwork/gsiDeclQtNetworkAdd.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtNetwork/gsiQtExternals.h b/src/gsiqt/qt5/QtNetwork/gsiQtExternals.h index dddd07724b..6244bcca0a 100644 --- a/src/gsiqt/qt5/QtNetwork/gsiQtExternals.h +++ b/src/gsiqt/qt5/QtNetwork/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc index c921b6dc23..5cde874bad 100644 --- a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc +++ b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPageSetupDialog.cc b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPageSetupDialog.cc index 4dac06b94c..b5238fd24f 100644 --- a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPageSetupDialog.cc +++ b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPageSetupDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintDialog.cc b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintDialog.cc index 6785f19b23..787ee35343 100644 --- a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintDialog.cc +++ b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintEngine.cc b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintEngine.cc index 690566a1bc..a8d97711d4 100644 --- a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintEngine.cc +++ b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintEngine.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc index 60d13099d3..3033b4b8c6 100644 --- a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc +++ b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc index 5d3c625d66..204c7d0edf 100644 --- a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc +++ b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrinter.cc b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrinter.cc index 27edb44eab..38f1284ca3 100644 --- a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrinter.cc +++ b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrinter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrinterInfo.cc b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrinterInfo.cc index 8385f996f3..93d803c5bf 100644 --- a/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrinterInfo.cc +++ b/src/gsiqt/qt5/QtPrintSupport/gsiDeclQPrinterInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtPrintSupport/gsiQtExternals.h b/src/gsiqt/qt5/QtPrintSupport/gsiQtExternals.h index ef9f95f9c5..bf5341ce51 100644 --- a/src/gsiqt/qt5/QtPrintSupport/gsiQtExternals.h +++ b/src/gsiqt/qt5/QtPrintSupport/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSql.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSql.cc index 140b93cdab..c4eeaafd06 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSql.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSql.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlDatabase.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlDatabase.cc index 56b34b9258..20d2cff2c8 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlDatabase.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlDatabase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlDriver.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlDriver.cc index bc82f188a6..ed8243b916 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlDriver.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlDriver.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlDriverCreatorBase.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlDriverCreatorBase.cc index da8b44af48..4e08b2c480 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlDriverCreatorBase.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlDriverCreatorBase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlError.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlError.cc index fcb304dea3..4b16dca4c7 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlError.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlError.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlField.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlField.cc index 35031b3d7c..e705e2c85b 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlField.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlField.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlIndex.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlIndex.cc index 29e97abe63..b6043f5874 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlIndex.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlIndex.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlQuery.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlQuery.cc index 95dbb07561..b498af7ea5 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlQuery.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlQuery.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlQueryModel.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlQueryModel.cc index 907dc7e99b..f2cbb66e3e 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlQueryModel.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlQueryModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlRecord.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlRecord.cc index 4978862d94..d42b8b6c64 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlRecord.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlRecord.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlRelation.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlRelation.cc index 266240cc29..1efaa31c95 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlRelation.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlRelation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlRelationalTableModel.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlRelationalTableModel.cc index 3407b05aa2..2e897ecf9a 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlRelationalTableModel.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlRelationalTableModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlResult.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlResult.cc index 080b36b571..4f3755e8cc 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlResult.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlResult.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtSql/gsiDeclQSqlTableModel.cc b/src/gsiqt/qt5/QtSql/gsiDeclQSqlTableModel.cc index 599c5a8839..55a211d59e 100644 --- a/src/gsiqt/qt5/QtSql/gsiDeclQSqlTableModel.cc +++ b/src/gsiqt/qt5/QtSql/gsiDeclQSqlTableModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtSql/gsiQtExternals.h b/src/gsiqt/qt5/QtSql/gsiQtExternals.h index eff330c9b3..f822c608f4 100644 --- a/src/gsiqt/qt5/QtSql/gsiQtExternals.h +++ b/src/gsiqt/qt5/QtSql/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtSvg/gsiDeclQGraphicsSvgItem.cc b/src/gsiqt/qt5/QtSvg/gsiDeclQGraphicsSvgItem.cc index 55f6bda6d5..af73cafc96 100644 --- a/src/gsiqt/qt5/QtSvg/gsiDeclQGraphicsSvgItem.cc +++ b/src/gsiqt/qt5/QtSvg/gsiDeclQGraphicsSvgItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtSvg/gsiDeclQSvgGenerator.cc b/src/gsiqt/qt5/QtSvg/gsiDeclQSvgGenerator.cc index 4b4501a5e8..15ea5b4f97 100644 --- a/src/gsiqt/qt5/QtSvg/gsiDeclQSvgGenerator.cc +++ b/src/gsiqt/qt5/QtSvg/gsiDeclQSvgGenerator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtSvg/gsiDeclQSvgRenderer.cc b/src/gsiqt/qt5/QtSvg/gsiDeclQSvgRenderer.cc index a43cedfa38..e5dc4f99e1 100644 --- a/src/gsiqt/qt5/QtSvg/gsiDeclQSvgRenderer.cc +++ b/src/gsiqt/qt5/QtSvg/gsiDeclQSvgRenderer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtSvg/gsiDeclQSvgWidget.cc b/src/gsiqt/qt5/QtSvg/gsiDeclQSvgWidget.cc index 5c19379fc8..b434df1833 100644 --- a/src/gsiqt/qt5/QtSvg/gsiDeclQSvgWidget.cc +++ b/src/gsiqt/qt5/QtSvg/gsiDeclQSvgWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtSvg/gsiQtExternals.h b/src/gsiqt/qt5/QtSvg/gsiQtExternals.h index e003333b73..269334cb15 100644 --- a/src/gsiqt/qt5/QtSvg/gsiQtExternals.h +++ b/src/gsiqt/qt5/QtSvg/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtUiTools/gsiDeclQUiLoader.cc b/src/gsiqt/qt5/QtUiTools/gsiDeclQUiLoader.cc index c65fea1cc1..64b17cdcab 100644 --- a/src/gsiqt/qt5/QtUiTools/gsiDeclQUiLoader.cc +++ b/src/gsiqt/qt5/QtUiTools/gsiDeclQUiLoader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtUiTools/gsiQtExternals.h b/src/gsiqt/qt5/QtUiTools/gsiQtExternals.h index 757bb33a3f..635e73941d 100644 --- a/src/gsiqt/qt5/QtUiTools/gsiQtExternals.h +++ b/src/gsiqt/qt5/QtUiTools/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractButton.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractButton.cc index bef6cf3613..0d1b7d9acf 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractButton.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractGraphicsShapeItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractGraphicsShapeItem.cc index b2b1f5ce59..7fbcd7330d 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractGraphicsShapeItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractGraphicsShapeItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractItemDelegate.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractItemDelegate.cc index 16218d5e4c..47b8686452 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractItemDelegate.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractItemDelegate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractItemView.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractItemView.cc index 11e76c6af6..f67c459f34 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractItemView.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractItemView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractScrollArea.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractScrollArea.cc index a43f46b242..47888f0f91 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractScrollArea.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractScrollArea.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractSlider.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractSlider.cc index 9d15a2fbaf..22b5ad1fe7 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractSlider.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractSlider.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractSpinBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractSpinBox.cc index 48ef2de57d..b287d576f8 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractSpinBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQAbstractSpinBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQAccessibleWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQAccessibleWidget.cc index 0c8b42f64e..4791164775 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQAccessibleWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQAccessibleWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQAction.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQAction.cc index cdf809b636..f1ff50ecc4 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQAction.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQAction.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQActionGroup.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQActionGroup.cc index 3abd6f01ed..b602d7d2af 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQActionGroup.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQActionGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQApplication.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQApplication.cc index 893edb4ab0..b741603f15 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQApplication.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQApplication.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQBoxLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQBoxLayout.cc index ec954a2aaf..593c80f70b 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQBoxLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQBoxLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQButtonGroup.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQButtonGroup.cc index 5b296af9d8..273a0ee392 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQButtonGroup.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQButtonGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQCalendarWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQCalendarWidget.cc index 72d6fe130c..baac771551 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQCalendarWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQCalendarWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQCheckBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQCheckBox.cc index aa37fe5f11..a8077dadc2 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQCheckBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQCheckBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQColorDialog.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQColorDialog.cc index 929c178af0..4a8404d9e1 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQColorDialog.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQColorDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQColormap.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQColormap.cc index e4bfd353fc..749f147686 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQColormap.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQColormap.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQColumnView.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQColumnView.cc index 4a808c3c18..f3238d130d 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQColumnView.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQColumnView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQComboBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQComboBox.cc index 9011991612..89b05bdd4f 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQComboBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQComboBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQCommandLinkButton.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQCommandLinkButton.cc index b9fcb624ba..dfdfa44db8 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQCommandLinkButton.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQCommandLinkButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQCommonStyle.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQCommonStyle.cc index a543b045d2..27f9ad3418 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQCommonStyle.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQCommonStyle.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQCompleter.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQCompleter.cc index 903594fa0a..aca1af8574 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQCompleter.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQCompleter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDataWidgetMapper.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDataWidgetMapper.cc index 92a3e3edb1..33f5af76c0 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDataWidgetMapper.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDataWidgetMapper.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDateEdit.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDateEdit.cc index 772cdd5962..d2db6d0c47 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDateEdit.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDateEdit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDateTimeEdit.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDateTimeEdit.cc index 94826d7785..4704dc7762 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDateTimeEdit.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDateTimeEdit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDesktopWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDesktopWidget.cc index 2368e5915c..3825ef42ec 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDesktopWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDesktopWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDial.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDial.cc index 4492613ee9..3ca9cee8e5 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDial.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDial.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDialog.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDialog.cc index 6fd5e77dbd..cffb27f959 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDialog.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDialogButtonBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDialogButtonBox.cc index df4c5b2e30..8c89358d3c 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDialogButtonBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDialogButtonBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDirModel.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDirModel.cc index a315dc4a20..c5a1c726aa 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDirModel.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDirModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDockWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDockWidget.cc index 0e49bd79ce..f6ac47a4fd 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDockWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDockWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQDoubleSpinBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQDoubleSpinBox.cc index 2a176501fc..34f45b5e0e 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQDoubleSpinBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQDoubleSpinBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQErrorMessage.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQErrorMessage.cc index 175960ffa0..f6b3b6332a 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQErrorMessage.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQErrorMessage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQFileDialog.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQFileDialog.cc index ce0b426b96..2d13fab077 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQFileDialog.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQFileDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQFileIconProvider.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQFileIconProvider.cc index 9a2e8edabb..e597542e0b 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQFileIconProvider.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQFileIconProvider.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQFileSystemModel.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQFileSystemModel.cc index 813bc7f0ec..6bebe5cc34 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQFileSystemModel.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQFileSystemModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQFocusFrame.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQFocusFrame.cc index 88c9382c80..cd4901f3fc 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQFocusFrame.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQFocusFrame.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQFontComboBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQFontComboBox.cc index 5190d949fe..ce889d3fe0 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQFontComboBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQFontComboBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQFontDialog.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQFontDialog.cc index 7d363d9615..9590106fe2 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQFontDialog.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQFontDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQFormLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQFormLayout.cc index a6f0845b1c..18d6cf6335 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQFormLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQFormLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQFormLayout_TakeRowResult.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQFormLayout_TakeRowResult.cc index c164bcd867..b49ec14212 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQFormLayout_TakeRowResult.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQFormLayout_TakeRowResult.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQFrame.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQFrame.cc index d0072da728..9d26aa2925 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQFrame.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQFrame.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGesture.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGesture.cc index a3bdfbfdf8..e22d0d8794 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGesture.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGesture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGestureEvent.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGestureEvent.cc index 2975e3fd0c..64551570a7 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGestureEvent.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGestureEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGestureRecognizer.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGestureRecognizer.cc index b81cb3f6ec..fc86a1d86f 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGestureRecognizer.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGestureRecognizer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsAnchor.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsAnchor.cc index 96b30b023e..10ecc02a9a 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsAnchor.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsAnchor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsAnchorLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsAnchorLayout.cc index 02c4c52aea..272ba39cb1 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsAnchorLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsAnchorLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsBlurEffect.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsBlurEffect.cc index 7c9a298771..e3fc8485d0 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsBlurEffect.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsBlurEffect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsColorizeEffect.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsColorizeEffect.cc index ad24364357..e5ab969bb2 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsColorizeEffect.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsColorizeEffect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsDropShadowEffect.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsDropShadowEffect.cc index e735654268..072ac36608 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsDropShadowEffect.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsDropShadowEffect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsEffect.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsEffect.cc index caca62138c..4381ac659d 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsEffect.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsEffect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsEllipseItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsEllipseItem.cc index adf9fd891d..3bd776c128 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsEllipseItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsEllipseItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsGridLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsGridLayout.cc index 5414e3e6e5..a2d9927bad 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsGridLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsGridLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItem.cc index 476ff3b9f5..b1cc6b8ab9 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItemAnimation.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItemAnimation.cc index 48e81b6956..2bb259da1b 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItemAnimation.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItemAnimation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItemGroup.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItemGroup.cc index 90a2c06de4..92cac7a2b9 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItemGroup.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsItemGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLayout.cc index 6d2b2d4a8f..34b2597a53 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLayoutItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLayoutItem.cc index e8106fd41d..0c534b40f8 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLayoutItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLayoutItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLineItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLineItem.cc index 8afb5e19e6..87fc474c64 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLineItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLineItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLinearLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLinearLayout.cc index e197cfa18a..a5e0dab8e2 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLinearLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsLinearLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsObject.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsObject.cc index 4de03c832d..6e214aef72 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsObject.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsOpacityEffect.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsOpacityEffect.cc index 9849f72418..e3305c28bd 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsOpacityEffect.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsOpacityEffect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPathItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPathItem.cc index a16182d92c..618adf0d03 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPathItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPathItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPixmapItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPixmapItem.cc index 654ca287be..ab668da2a6 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPixmapItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPixmapItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPolygonItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPolygonItem.cc index 0e6cb3fb25..ffed0268cc 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPolygonItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsPolygonItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsProxyWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsProxyWidget.cc index d2b95f5dac..5a69c5d3f1 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsProxyWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsProxyWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsRectItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsRectItem.cc index 5b9db46be1..764aabdbba 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsRectItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsRectItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsRotation.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsRotation.cc index ad564442a9..e497b3ebe2 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsRotation.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsRotation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScale.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScale.cc index 2e5ba8e608..8d938746f3 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScale.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScale.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScene.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScene.cc index 97ee18a030..090bf212d4 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScene.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsScene.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneContextMenuEvent.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneContextMenuEvent.cc index f76eeb9d94..e63e90d3b4 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneContextMenuEvent.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneContextMenuEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneDragDropEvent.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneDragDropEvent.cc index 4d8756d718..c285817064 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneDragDropEvent.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneDragDropEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneEvent.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneEvent.cc index d8fa63d181..beb35cd2ae 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneEvent.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneHelpEvent.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneHelpEvent.cc index 3f83e5970e..96127462fb 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneHelpEvent.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneHelpEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneHoverEvent.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneHoverEvent.cc index 2ea2b766c8..24c167e974 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneHoverEvent.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneHoverEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneMouseEvent.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneMouseEvent.cc index e026ae2ede..d0f7b038ed 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneMouseEvent.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneMouseEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneMoveEvent.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneMoveEvent.cc index bb0d4897ed..d0962355b8 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneMoveEvent.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneMoveEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneResizeEvent.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneResizeEvent.cc index 4a65ba534e..1a4bc717ea 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneResizeEvent.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneResizeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneWheelEvent.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneWheelEvent.cc index 7f34239b68..15bc4a892a 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneWheelEvent.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSceneWheelEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSimpleTextItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSimpleTextItem.cc index b5d4daf07e..022507b401 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSimpleTextItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsSimpleTextItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsTextItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsTextItem.cc index 16e9b5919b..5ffdb2e870 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsTextItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsTextItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsTransform.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsTransform.cc index 12a3c08ef5..3735d87064 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsTransform.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsTransform.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsView.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsView.cc index 62c4295bca..54133be8d8 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsView.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsWidget.cc index 6980dd7d01..7faad83f55 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGraphicsWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGridLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGridLayout.cc index f447405c98..226e3fc34e 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGridLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGridLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQGroupBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQGroupBox.cc index d6bdaee688..3540317bc3 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQGroupBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQGroupBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQHBoxLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQHBoxLayout.cc index e9af1e484c..3795f8057d 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQHBoxLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQHBoxLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQHeaderView.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQHeaderView.cc index 2309062262..cfc91a7604 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQHeaderView.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQHeaderView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQInputDialog.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQInputDialog.cc index 9ceffa2139..729f18f174 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQInputDialog.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQInputDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQItemDelegate.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQItemDelegate.cc index b569b90d96..42574fe025 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQItemDelegate.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQItemDelegate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQItemEditorCreatorBase.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQItemEditorCreatorBase.cc index f3b0dd8646..2a7b505486 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQItemEditorCreatorBase.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQItemEditorCreatorBase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQItemEditorFactory.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQItemEditorFactory.cc index d61e64d411..c88492c6e2 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQItemEditorFactory.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQItemEditorFactory.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQKeySequenceEdit.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQKeySequenceEdit.cc index 00aaeb600e..7530c61107 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQKeySequenceEdit.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQKeySequenceEdit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQLCDNumber.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQLCDNumber.cc index 41d6bce97f..e0cdfc1a22 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQLCDNumber.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQLCDNumber.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQLabel.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQLabel.cc index 170eaba415..3accdef88f 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQLabel.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQLabel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQLayout.cc index 7172b43f54..fba8c046c5 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQLayoutItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQLayoutItem.cc index f406cd24af..2272a3220d 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQLayoutItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQLayoutItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQLineEdit.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQLineEdit.cc index e2b2e92538..15f13f267b 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQLineEdit.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQLineEdit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQListView.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQListView.cc index c30c25482c..9ca969543d 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQListView.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQListView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQListWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQListWidget.cc index b91d52b86f..81d9f3a89d 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQListWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQListWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQListWidgetItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQListWidgetItem.cc index d229e3004e..4dc9469036 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQListWidgetItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQListWidgetItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQMainWindow.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQMainWindow.cc index 9b2940680f..e3126692f4 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQMainWindow.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQMainWindow.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQMdiArea.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQMdiArea.cc index 78c6f732a2..09687bf248 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQMdiArea.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQMdiArea.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQMdiSubWindow.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQMdiSubWindow.cc index 7360be2e74..efede9aab0 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQMdiSubWindow.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQMdiSubWindow.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQMenu.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQMenu.cc index a06e6ded2a..1ee0f5afde 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQMenu.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQMenu.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQMenuBar.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQMenuBar.cc index ebe8e2e521..7a255c20dd 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQMenuBar.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQMenuBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQMessageBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQMessageBox.cc index ae56913201..40236ddecc 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQMessageBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQMessageBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQPanGesture.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQPanGesture.cc index d030715a25..57a3013792 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQPanGesture.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQPanGesture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQPinchGesture.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQPinchGesture.cc index ff46aca595..a73be5b63f 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQPinchGesture.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQPinchGesture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextDocumentLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextDocumentLayout.cc index 8ea158bc87..51f64968c1 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextDocumentLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextDocumentLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextEdit.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextEdit.cc index ce13802ed9..68f183294b 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextEdit.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQPlainTextEdit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQProgressBar.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQProgressBar.cc index 00be183b3b..29455e4cec 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQProgressBar.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQProgressBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQProgressDialog.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQProgressDialog.cc index b33220f7c6..473d54eaaf 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQProgressDialog.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQProgressDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQPushButton.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQPushButton.cc index 7b13b104fa..ac47ba73fe 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQPushButton.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQPushButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQRadioButton.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQRadioButton.cc index d6e2d8750c..1393fcc97d 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQRadioButton.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQRadioButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQRubberBand.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQRubberBand.cc index 0430fb9bbf..926b5a1425 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQRubberBand.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQRubberBand.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQScrollArea.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQScrollArea.cc index 6ca34e82f3..ffe756b3a2 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQScrollArea.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQScrollArea.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQScrollBar.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQScrollBar.cc index 793661fa5f..28eed5a31f 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQScrollBar.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQScrollBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQScroller.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQScroller.cc index 84a68eaf12..eca9d29686 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQScroller.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQScroller.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQScrollerProperties.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQScrollerProperties.cc index d30e0dd48f..51c7d0f337 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQScrollerProperties.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQScrollerProperties.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQShortcut.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQShortcut.cc index acceb0cfb8..6dbb75ec26 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQShortcut.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQShortcut.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQSizeGrip.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQSizeGrip.cc index 1872bb62c2..921c5c9452 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQSizeGrip.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQSizeGrip.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQSizePolicy.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQSizePolicy.cc index ea6c144b6b..3236ee21ae 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQSizePolicy.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQSizePolicy.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQSlider.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQSlider.cc index 2e6a97c12e..ca0ef024a4 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQSlider.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQSlider.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQSpacerItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQSpacerItem.cc index 4a847b4429..b410ae35f6 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQSpacerItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQSpacerItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQSpinBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQSpinBox.cc index 6e1529d73a..9998c21dd0 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQSpinBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQSpinBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQSplashScreen.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQSplashScreen.cc index c292c904fd..99f39dc343 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQSplashScreen.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQSplashScreen.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQSplitter.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQSplitter.cc index 2fda9e65d5..f80b6cd6f5 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQSplitter.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQSplitter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQSplitterHandle.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQSplitterHandle.cc index 6425576a8d..fbfa9f15d9 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQSplitterHandle.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQSplitterHandle.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStackedLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStackedLayout.cc index fb2e05119e..ab742219ef 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStackedLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStackedLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStackedWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStackedWidget.cc index 7484bddeeb..1a4b396f03 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStackedWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStackedWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStatusBar.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStatusBar.cc index a01e42bc52..969c1e4b2a 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStatusBar.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStatusBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyle.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyle.cc index fa65efc5f9..f12cde59a1 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyle.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyle.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleFactory.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleFactory.cc index a70ccaac22..72a39967f8 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleFactory.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleFactory.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleHintReturn.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleHintReturn.cc index 611549cb6a..7052824bba 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleHintReturn.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleHintReturn.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleHintReturnMask.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleHintReturnMask.cc index a449ab93e8..c61498d48b 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleHintReturnMask.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleHintReturnMask.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleHintReturnVariant.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleHintReturnVariant.cc index 1567356cae..a58fb0d1c4 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleHintReturnVariant.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleHintReturnVariant.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOption.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOption.cc index 0cbf0cd365..81a10926a7 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOption.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOption.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionButton.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionButton.cc index dbd028d2a7..b3296d7042 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionButton.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionComboBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionComboBox.cc index 0f93c23b63..ea09d4c26d 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionComboBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionComboBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionComplex.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionComplex.cc index 621ef738fe..5f422f9748 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionComplex.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionComplex.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionDockWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionDockWidget.cc index 76300c7f1d..1bf63861a4 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionDockWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionDockWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionFocusRect.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionFocusRect.cc index f0b065da2d..a842e4365a 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionFocusRect.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionFocusRect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionFrame.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionFrame.cc index f4f879d704..c03d049620 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionFrame.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionFrame.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionGraphicsItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionGraphicsItem.cc index b699ff170c..edb63be436 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionGraphicsItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionGraphicsItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionGroupBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionGroupBox.cc index 1c92fe684e..742c229228 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionGroupBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionGroupBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionHeader.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionHeader.cc index 5c3d94356b..7d5ff50cdc 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionHeader.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionHeader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionMenuItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionMenuItem.cc index 56b087bf00..51867e60ec 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionMenuItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionMenuItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionProgressBar.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionProgressBar.cc index 77a86d0aa3..0b58926128 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionProgressBar.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionProgressBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionRubberBand.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionRubberBand.cc index 8d490ad4bc..7e29bc996e 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionRubberBand.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionRubberBand.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionSizeGrip.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionSizeGrip.cc index 1f36bfa98f..4998054fcb 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionSizeGrip.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionSizeGrip.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionSlider.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionSlider.cc index d6fed31e64..7aaddb2e4b 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionSlider.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionSlider.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionSpinBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionSpinBox.cc index 6a134201aa..70ccd07add 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionSpinBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionSpinBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionTab.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionTab.cc index 8e420d1073..b199128ae6 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionTab.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionTab.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionTabBarBase.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionTabBarBase.cc index 060ed8507e..baa4a12cee 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionTabBarBase.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionTabBarBase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionTabWidgetFrame.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionTabWidgetFrame.cc index 45603d0e58..4a677d07cf 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionTabWidgetFrame.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionTabWidgetFrame.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionTitleBar.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionTitleBar.cc index aeb766317f..8ccb05a483 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionTitleBar.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionTitleBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionToolBar.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionToolBar.cc index 453867530d..4b5bec87a0 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionToolBar.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionToolBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionToolBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionToolBox.cc index 11ed1011d8..804f9c3e56 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionToolBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionToolBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionToolButton.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionToolButton.cc index e59cfe42a3..8ac566f4d1 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionToolButton.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionToolButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionViewItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionViewItem.cc index 16d1d6a82f..f694f28af1 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionViewItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyleOptionViewItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStylePainter.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStylePainter.cc index 732e62b100..cfd50799e8 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStylePainter.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStylePainter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStylePlugin.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStylePlugin.cc index ab4b3f5156..9818df24b2 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStylePlugin.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStylePlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyledItemDelegate.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyledItemDelegate.cc index d22884a837..8c9a27f4bd 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQStyledItemDelegate.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQStyledItemDelegate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQSwipeGesture.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQSwipeGesture.cc index 9225018421..b3b4626d33 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQSwipeGesture.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQSwipeGesture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQSystemTrayIcon.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQSystemTrayIcon.cc index 95da9b45ee..49c71d55cb 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQSystemTrayIcon.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQSystemTrayIcon.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTabBar.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTabBar.cc index 619119f197..4eb1b908d4 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTabBar.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTabBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTabWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTabWidget.cc index 54c0fe3f54..b02b77091f 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTabWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTabWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTableView.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTableView.cc index c439b59037..78bbb2a7ee 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTableView.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTableView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTableWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTableWidget.cc index 36c0673d2e..f67b595630 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTableWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTableWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTableWidgetItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTableWidgetItem.cc index cbf786e0df..d1fbdf084a 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTableWidgetItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTableWidgetItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTableWidgetSelectionRange.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTableWidgetSelectionRange.cc index 16d3703d47..bd29448b08 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTableWidgetSelectionRange.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTableWidgetSelectionRange.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTapAndHoldGesture.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTapAndHoldGesture.cc index 2eec299c48..d3712e7762 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTapAndHoldGesture.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTapAndHoldGesture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTapGesture.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTapGesture.cc index afd452a943..33c124a465 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTapGesture.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTapGesture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTextBrowser.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTextBrowser.cc index a3b98c52db..5c00bb5eda 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTextBrowser.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTextBrowser.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTextEdit.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTextEdit.cc index ddaf62a717..bfdccb2f66 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTextEdit.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTextEdit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTextEdit_ExtraSelection.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTextEdit_ExtraSelection.cc index c7c4da5fa2..3193172898 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTextEdit_ExtraSelection.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTextEdit_ExtraSelection.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTimeEdit.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTimeEdit.cc index f3caddc00a..bdb44645f6 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTimeEdit.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTimeEdit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQToolBar.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQToolBar.cc index 2d970b8a3f..4c55436db1 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQToolBar.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQToolBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQToolBox.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQToolBox.cc index 6855d32410..c737aa54e5 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQToolBox.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQToolBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQToolButton.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQToolButton.cc index 407c721d5c..521e03fbc8 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQToolButton.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQToolButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQToolTip.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQToolTip.cc index dc9b13e4de..c4f3c84b1f 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQToolTip.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQToolTip.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeView.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeView.cc index 61025571c4..da885f5b30 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeView.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeWidget.cc index ca1f7c546c..ba3f802d8f 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeWidgetItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeWidgetItem.cc index 047c274c69..fca2f9eb49 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeWidgetItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeWidgetItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeWidgetItemIterator.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeWidgetItemIterator.cc index 55052e4039..6ebb985408 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeWidgetItemIterator.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQTreeWidgetItemIterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoCommand.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoCommand.cc index 2244b61baa..7658112331 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoCommand.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoCommand.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoGroup.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoGroup.cc index a7060c6bd6..c7e64b7380 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoGroup.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoStack.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoStack.cc index e80b33f8dc..00383d767a 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoStack.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoStack.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoView.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoView.cc index 96a882f49f..7478698478 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoView.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQUndoView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQVBoxLayout.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQVBoxLayout.cc index 2830ce17b4..eabec12273 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQVBoxLayout.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQVBoxLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQWhatsThis.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQWhatsThis.cc index 67612232b0..c37cb13013 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQWhatsThis.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQWhatsThis.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQWidget.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQWidget.cc index d9893f0bb9..89e93cf8ce 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQWidget.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQWidgetAction.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQWidgetAction.cc index b91099262d..39feb5a78e 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQWidgetAction.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQWidgetAction.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQWidgetItem.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQWidgetItem.cc index 132624eee3..8a20877333 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQWidgetItem.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQWidgetItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQWizard.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQWizard.cc index becfd7e811..a55af1d8f0 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQWizard.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQWizard.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQWizardPage.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQWizardPage.cc index ec84d155a9..f529e4a980 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQWizardPage.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQWizardPage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiDeclQtWidgetsAdd.cc b/src/gsiqt/qt5/QtWidgets/gsiDeclQtWidgetsAdd.cc index c980d34e88..d22e44832e 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiDeclQtWidgetsAdd.cc +++ b/src/gsiqt/qt5/QtWidgets/gsiDeclQtWidgetsAdd.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtWidgets/gsiQtExternals.h b/src/gsiqt/qt5/QtWidgets/gsiQtExternals.h index 1247a6cf4e..e84189bbb3 100644 --- a/src/gsiqt/qt5/QtWidgets/gsiQtExternals.h +++ b/src/gsiqt/qt5/QtWidgets/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQDomAttr.cc b/src/gsiqt/qt5/QtXml/gsiDeclQDomAttr.cc index 0971b9cc44..85a097d7f3 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQDomAttr.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQDomAttr.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQDomCDATASection.cc b/src/gsiqt/qt5/QtXml/gsiDeclQDomCDATASection.cc index dcb8ad0c8e..49e79d55e8 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQDomCDATASection.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQDomCDATASection.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQDomCharacterData.cc b/src/gsiqt/qt5/QtXml/gsiDeclQDomCharacterData.cc index eab103ab60..fed76339a9 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQDomCharacterData.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQDomCharacterData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQDomComment.cc b/src/gsiqt/qt5/QtXml/gsiDeclQDomComment.cc index 22d60443a9..52ca2604e1 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQDomComment.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQDomComment.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQDomDocument.cc b/src/gsiqt/qt5/QtXml/gsiDeclQDomDocument.cc index d2badff1c7..3db1284db1 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQDomDocument.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQDomDocument.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQDomDocumentFragment.cc b/src/gsiqt/qt5/QtXml/gsiDeclQDomDocumentFragment.cc index bad101cb3b..210bd1e3d1 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQDomDocumentFragment.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQDomDocumentFragment.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQDomDocumentType.cc b/src/gsiqt/qt5/QtXml/gsiDeclQDomDocumentType.cc index 01564b967f..f26151499d 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQDomDocumentType.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQDomDocumentType.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQDomElement.cc b/src/gsiqt/qt5/QtXml/gsiDeclQDomElement.cc index 740576b742..4166ab262d 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQDomElement.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQDomElement.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQDomEntity.cc b/src/gsiqt/qt5/QtXml/gsiDeclQDomEntity.cc index 08fb853555..b78e8f9718 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQDomEntity.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQDomEntity.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQDomEntityReference.cc b/src/gsiqt/qt5/QtXml/gsiDeclQDomEntityReference.cc index ea6e1570dc..72cfc369ef 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQDomEntityReference.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQDomEntityReference.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQDomImplementation.cc b/src/gsiqt/qt5/QtXml/gsiDeclQDomImplementation.cc index 6f14ca61ce..96f223e0d4 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQDomImplementation.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQDomImplementation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQDomNamedNodeMap.cc b/src/gsiqt/qt5/QtXml/gsiDeclQDomNamedNodeMap.cc index ebdb7243ec..84123eb1eb 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQDomNamedNodeMap.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQDomNamedNodeMap.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQDomNode.cc b/src/gsiqt/qt5/QtXml/gsiDeclQDomNode.cc index a3600e8c55..ecf8c715d9 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQDomNode.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQDomNode.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQDomNodeList.cc b/src/gsiqt/qt5/QtXml/gsiDeclQDomNodeList.cc index 4b74916224..222ec355ae 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQDomNodeList.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQDomNodeList.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQDomNotation.cc b/src/gsiqt/qt5/QtXml/gsiDeclQDomNotation.cc index dcfbf5a7e7..b907dc8c0c 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQDomNotation.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQDomNotation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQDomProcessingInstruction.cc b/src/gsiqt/qt5/QtXml/gsiDeclQDomProcessingInstruction.cc index b22f762ae5..f0b6153324 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQDomProcessingInstruction.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQDomProcessingInstruction.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQDomText.cc b/src/gsiqt/qt5/QtXml/gsiDeclQDomText.cc index ef0cb442d4..0bc765b5de 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQDomText.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQDomText.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQXmlAttributes.cc b/src/gsiqt/qt5/QtXml/gsiDeclQXmlAttributes.cc index b4c1107347..39b2e97ed5 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQXmlAttributes.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQXmlAttributes.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQXmlContentHandler.cc b/src/gsiqt/qt5/QtXml/gsiDeclQXmlContentHandler.cc index efc181c5e2..febfd1ab23 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQXmlContentHandler.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQXmlContentHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQXmlDTDHandler.cc b/src/gsiqt/qt5/QtXml/gsiDeclQXmlDTDHandler.cc index 5add7866b5..0e93de529e 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQXmlDTDHandler.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQXmlDTDHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQXmlDeclHandler.cc b/src/gsiqt/qt5/QtXml/gsiDeclQXmlDeclHandler.cc index b561af3086..4c048e15cf 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQXmlDeclHandler.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQXmlDeclHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQXmlDefaultHandler.cc b/src/gsiqt/qt5/QtXml/gsiDeclQXmlDefaultHandler.cc index 3a5064a924..7b0a3e47a4 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQXmlDefaultHandler.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQXmlDefaultHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQXmlEntityResolver.cc b/src/gsiqt/qt5/QtXml/gsiDeclQXmlEntityResolver.cc index 4e5e043942..9dc972eb52 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQXmlEntityResolver.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQXmlEntityResolver.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQXmlErrorHandler.cc b/src/gsiqt/qt5/QtXml/gsiDeclQXmlErrorHandler.cc index 84c1fdc5c1..aefc89c904 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQXmlErrorHandler.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQXmlErrorHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQXmlInputSource.cc b/src/gsiqt/qt5/QtXml/gsiDeclQXmlInputSource.cc index ef4901986b..a6d86c1ca1 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQXmlInputSource.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQXmlInputSource.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQXmlLexicalHandler.cc b/src/gsiqt/qt5/QtXml/gsiDeclQXmlLexicalHandler.cc index 2cf7b41e9f..1889bb88a5 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQXmlLexicalHandler.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQXmlLexicalHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQXmlLocator.cc b/src/gsiqt/qt5/QtXml/gsiDeclQXmlLocator.cc index 7102f874b7..af2e24a2e0 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQXmlLocator.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQXmlLocator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQXmlNamespaceSupport.cc b/src/gsiqt/qt5/QtXml/gsiDeclQXmlNamespaceSupport.cc index 60fa8dca30..01d79ebcb8 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQXmlNamespaceSupport.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQXmlNamespaceSupport.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQXmlParseException.cc b/src/gsiqt/qt5/QtXml/gsiDeclQXmlParseException.cc index ba9a01ef12..a32c468fb6 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQXmlParseException.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQXmlParseException.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQXmlReader.cc b/src/gsiqt/qt5/QtXml/gsiDeclQXmlReader.cc index 1696b1b7f4..6f5fc2e85e 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQXmlReader.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQXmlReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiDeclQXmlSimpleReader.cc b/src/gsiqt/qt5/QtXml/gsiDeclQXmlSimpleReader.cc index 42aa8c85b6..e5d636afbf 100644 --- a/src/gsiqt/qt5/QtXml/gsiDeclQXmlSimpleReader.cc +++ b/src/gsiqt/qt5/QtXml/gsiDeclQXmlSimpleReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXml/gsiQtExternals.h b/src/gsiqt/qt5/QtXml/gsiQtExternals.h index 825944bf5a..f01b0d54d1 100644 --- a/src/gsiqt/qt5/QtXml/gsiQtExternals.h +++ b/src/gsiqt/qt5/QtXml/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractMessageHandler.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractMessageHandler.cc index 5a1c0e2b2d..bbfc6f5103 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractMessageHandler.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractMessageHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractUriResolver.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractUriResolver.cc index 5c596996f4..62e8261bdd 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractUriResolver.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractUriResolver.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractXmlNodeModel.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractXmlNodeModel.cc index 7554ec54c0..2b7661e5b8 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractXmlNodeModel.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractXmlNodeModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractXmlReceiver.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractXmlReceiver.cc index e531111f12..f9bc83db16 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractXmlReceiver.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQAbstractXmlReceiver.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQSimpleXmlNodeModel.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQSimpleXmlNodeModel.cc index 8879d7d5b1..fe69499a3d 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQSimpleXmlNodeModel.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQSimpleXmlNodeModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQSourceLocation.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQSourceLocation.cc index 2cb1830634..39131d348d 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQSourceLocation.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQSourceLocation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlFormatter.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlFormatter.cc index 3b867e8291..282a730d90 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlFormatter.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlFormatter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlItem.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlItem.cc index 9cb6e87aed..0cc6b7ceee 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlItem.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlName.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlName.cc index ba9d329e2e..3b2165269a 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlName.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlName.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlNamePool.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlNamePool.cc index 12900f5e8a..fb74fabd5f 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlNamePool.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlNamePool.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlNodeModelIndex.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlNodeModelIndex.cc index 536bf7eb13..d7fcfdab72 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlNodeModelIndex.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlNodeModelIndex.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlQuery.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlQuery.cc index fca5d8bb42..f43eaf298d 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlQuery.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlQuery.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlResultItems.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlResultItems.cc index e28b140511..94aa26aae5 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlResultItems.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlResultItems.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlSchema.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlSchema.cc index 21693590af..341fdc20af 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlSchema.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlSchema.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlSchemaValidator.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlSchemaValidator.cc index 335e0d8128..ef487cd6b3 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlSchemaValidator.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlSchemaValidator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlSerializer.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlSerializer.cc index bfb51e1763..c567751744 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlSerializer.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQXmlSerializer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQtXmlPatternsAdd.cc b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQtXmlPatternsAdd.cc index 825dac918b..2b198c6352 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQtXmlPatternsAdd.cc +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiDeclQtXmlPatternsAdd.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt5/QtXmlPatterns/gsiQtExternals.h b/src/gsiqt/qt5/QtXmlPatterns/gsiQtExternals.h index bb66e946d0..786d7bc4e0 100644 --- a/src/gsiqt/qt5/QtXmlPatterns/gsiQtExternals.h +++ b/src/gsiqt/qt5/QtXmlPatterns/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQAbstractAnimation.cc b/src/gsiqt/qt6/QtCore/gsiDeclQAbstractAnimation.cc index 905cca9d94..8e47426fdb 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQAbstractAnimation.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQAbstractAnimation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQAbstractEventDispatcher.cc b/src/gsiqt/qt6/QtCore/gsiDeclQAbstractEventDispatcher.cc index 6a4a7dfb71..37ba3edcf8 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQAbstractEventDispatcher.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQAbstractEventDispatcher.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQAbstractEventDispatcher_TimerInfo.cc b/src/gsiqt/qt6/QtCore/gsiDeclQAbstractEventDispatcher_TimerInfo.cc index 9248cdf547..9967484fa6 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQAbstractEventDispatcher_TimerInfo.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQAbstractEventDispatcher_TimerInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQAbstractItemModel.cc b/src/gsiqt/qt6/QtCore/gsiDeclQAbstractItemModel.cc index 7282fe557f..335385f700 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQAbstractItemModel.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQAbstractItemModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQAbstractListModel.cc b/src/gsiqt/qt6/QtCore/gsiDeclQAbstractListModel.cc index 09663f6238..8d616a7cfb 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQAbstractListModel.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQAbstractListModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQAbstractNativeEventFilter.cc b/src/gsiqt/qt6/QtCore/gsiDeclQAbstractNativeEventFilter.cc index 40035acc03..b8c873bd46 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQAbstractNativeEventFilter.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQAbstractNativeEventFilter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQAbstractProxyModel.cc b/src/gsiqt/qt6/QtCore/gsiDeclQAbstractProxyModel.cc index c1e764e0b2..76cd817a93 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQAbstractProxyModel.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQAbstractProxyModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQAbstractTableModel.cc b/src/gsiqt/qt6/QtCore/gsiDeclQAbstractTableModel.cc index f4cb18fd2a..fb2de9b33e 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQAbstractTableModel.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQAbstractTableModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQAdoptSharedDataTag.cc b/src/gsiqt/qt6/QtCore/gsiDeclQAdoptSharedDataTag.cc index 9ee6fd83bd..008db15614 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQAdoptSharedDataTag.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQAdoptSharedDataTag.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQAnimationDriver.cc b/src/gsiqt/qt6/QtCore/gsiDeclQAnimationDriver.cc index 9e65456c2b..3faf4fcaf0 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQAnimationDriver.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQAnimationDriver.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQAnimationGroup.cc b/src/gsiqt/qt6/QtCore/gsiDeclQAnimationGroup.cc index 9b4bc983c4..f59061411e 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQAnimationGroup.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQAnimationGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQAnyStringView.cc b/src/gsiqt/qt6/QtCore/gsiDeclQAnyStringView.cc index 7f6aa51d0b..8e6834bf97 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQAnyStringView.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQAnyStringView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQBasicMutex.cc b/src/gsiqt/qt6/QtCore/gsiDeclQBasicMutex.cc index e4a14db0d4..5c6941f533 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQBasicMutex.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQBasicMutex.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQBasicTimer.cc b/src/gsiqt/qt6/QtCore/gsiDeclQBasicTimer.cc index ed2a7d2e5c..cb26ecd794 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQBasicTimer.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQBasicTimer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQBindingStatus.cc b/src/gsiqt/qt6/QtCore/gsiDeclQBindingStatus.cc index 32e7c6bf21..a6b0146088 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQBindingStatus.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQBindingStatus.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQBuffer.cc b/src/gsiqt/qt6/QtCore/gsiDeclQBuffer.cc index bb44dfba3f..4a10f980ff 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQBuffer.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQBuffer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQByteArrayMatcher.cc b/src/gsiqt/qt6/QtCore/gsiDeclQByteArrayMatcher.cc index eacb1ca645..8cd269e8a0 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQByteArrayMatcher.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQByteArrayMatcher.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQCalendar.cc b/src/gsiqt/qt6/QtCore/gsiDeclQCalendar.cc index bdacb955ba..8a987c90e9 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQCalendar.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQCalendar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQCalendar_SystemId.cc b/src/gsiqt/qt6/QtCore/gsiDeclQCalendar_SystemId.cc index 5b0d5619c1..32321a8b11 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQCalendar_SystemId.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQCalendar_SystemId.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQCalendar_YearMonthDay.cc b/src/gsiqt/qt6/QtCore/gsiDeclQCalendar_YearMonthDay.cc index 6ef3596315..c431ca53cc 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQCalendar_YearMonthDay.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQCalendar_YearMonthDay.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQChildEvent.cc b/src/gsiqt/qt6/QtCore/gsiDeclQChildEvent.cc index bc1bcf12b6..9630562cd7 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQChildEvent.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQChildEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQCollator.cc b/src/gsiqt/qt6/QtCore/gsiDeclQCollator.cc index 6ac3006470..7aed3f0220 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQCollator.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQCollator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQCollatorSortKey.cc b/src/gsiqt/qt6/QtCore/gsiDeclQCollatorSortKey.cc index 7dd00aefe4..f530debffa 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQCollatorSortKey.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQCollatorSortKey.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQCommandLineOption.cc b/src/gsiqt/qt6/QtCore/gsiDeclQCommandLineOption.cc index b0ed027375..09ea6d88ce 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQCommandLineOption.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQCommandLineOption.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQCommandLineParser.cc b/src/gsiqt/qt6/QtCore/gsiDeclQCommandLineParser.cc index bf1cbf3ade..4f6f2c8380 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQCommandLineParser.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQCommandLineParser.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQConcatenateTablesProxyModel.cc b/src/gsiqt/qt6/QtCore/gsiDeclQConcatenateTablesProxyModel.cc index 4dbd555265..9d661e7a18 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQConcatenateTablesProxyModel.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQConcatenateTablesProxyModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQCoreApplication.cc b/src/gsiqt/qt6/QtCore/gsiDeclQCoreApplication.cc index cf03e02dae..7c9d52e909 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQCoreApplication.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQCoreApplication.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQCryptographicHash.cc b/src/gsiqt/qt6/QtCore/gsiDeclQCryptographicHash.cc index 0c38cc4385..4922729100 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQCryptographicHash.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQCryptographicHash.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQDataStream.cc b/src/gsiqt/qt6/QtCore/gsiDeclQDataStream.cc index 0e9c392da7..bd998b3cba 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQDataStream.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQDataStream.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQDate.cc b/src/gsiqt/qt6/QtCore/gsiDeclQDate.cc index 3f20ddcfa1..764ff7e022 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQDate.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQDate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQDateTime.cc b/src/gsiqt/qt6/QtCore/gsiDeclQDateTime.cc index b20fdfe2ba..bee11a3802 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQDateTime.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQDateTime.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQDeadlineTimer.cc b/src/gsiqt/qt6/QtCore/gsiDeclQDeadlineTimer.cc index ef3baec08a..b2e2cd0f25 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQDeadlineTimer.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQDeadlineTimer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQDebug.cc b/src/gsiqt/qt6/QtCore/gsiDeclQDebug.cc index 6b44726cf6..f253f05d6f 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQDebug.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQDebug.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQDebugStateSaver.cc b/src/gsiqt/qt6/QtCore/gsiDeclQDebugStateSaver.cc index ac7841afb1..2c3995741d 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQDebugStateSaver.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQDebugStateSaver.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQDeferredDeleteEvent.cc b/src/gsiqt/qt6/QtCore/gsiDeclQDeferredDeleteEvent.cc index c59bf76097..023f507934 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQDeferredDeleteEvent.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQDeferredDeleteEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQDir.cc b/src/gsiqt/qt6/QtCore/gsiDeclQDir.cc index cedf28c61f..0aad94a688 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQDir.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQDir.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQDirIterator.cc b/src/gsiqt/qt6/QtCore/gsiDeclQDirIterator.cc index 9d5035a50c..67392365ec 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQDirIterator.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQDirIterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQDynamicPropertyChangeEvent.cc b/src/gsiqt/qt6/QtCore/gsiDeclQDynamicPropertyChangeEvent.cc index 361db2a982..b8f89fd4b8 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQDynamicPropertyChangeEvent.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQDynamicPropertyChangeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQEasingCurve.cc b/src/gsiqt/qt6/QtCore/gsiDeclQEasingCurve.cc index 09e6f350b3..fa59e629ce 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQEasingCurve.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQEasingCurve.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQElapsedTimer.cc b/src/gsiqt/qt6/QtCore/gsiDeclQElapsedTimer.cc index ff28d9af3b..a29ee88fe1 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQElapsedTimer.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQElapsedTimer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQEvent.cc b/src/gsiqt/qt6/QtCore/gsiDeclQEvent.cc index 32aaf193db..9c7cb1361e 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQEvent.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQEventLoop.cc b/src/gsiqt/qt6/QtCore/gsiDeclQEventLoop.cc index 65acd24dcc..dadc3b8a02 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQEventLoop.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQEventLoop.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQEventLoopLocker.cc b/src/gsiqt/qt6/QtCore/gsiDeclQEventLoopLocker.cc index 237b36e5ed..cf251bd15d 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQEventLoopLocker.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQEventLoopLocker.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQFactoryInterface.cc b/src/gsiqt/qt6/QtCore/gsiDeclQFactoryInterface.cc index e473ab7e4b..2bac84d262 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQFactoryInterface.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQFactoryInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQFile.cc b/src/gsiqt/qt6/QtCore/gsiDeclQFile.cc index a75f3ebb37..428afb6416 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQFile.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQFile.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQFileDevice.cc b/src/gsiqt/qt6/QtCore/gsiDeclQFileDevice.cc index 5e8eaba91c..4e22119ff1 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQFileDevice.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQFileDevice.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQFileInfo.cc b/src/gsiqt/qt6/QtCore/gsiDeclQFileInfo.cc index 7658da9a3e..99d3543c6f 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQFileInfo.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQFileInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQFileSelector.cc b/src/gsiqt/qt6/QtCore/gsiDeclQFileSelector.cc index 53489c204b..0702783084 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQFileSelector.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQFileSelector.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQFileSystemWatcher.cc b/src/gsiqt/qt6/QtCore/gsiDeclQFileSystemWatcher.cc index 2178a61b29..584bb9c07b 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQFileSystemWatcher.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQFileSystemWatcher.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQIODevice.cc b/src/gsiqt/qt6/QtCore/gsiDeclQIODevice.cc index 99fa7e53eb..63ab097438 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQIODevice.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQIODevice.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQIODeviceBase.cc b/src/gsiqt/qt6/QtCore/gsiDeclQIODeviceBase.cc index d5a043d1fa..5479f4ccec 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQIODeviceBase.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQIODeviceBase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQIdentityProxyModel.cc b/src/gsiqt/qt6/QtCore/gsiDeclQIdentityProxyModel.cc index 3b79a4bddb..80ff7fd7de 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQIdentityProxyModel.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQIdentityProxyModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQItemSelection.cc b/src/gsiqt/qt6/QtCore/gsiDeclQItemSelection.cc index c970f73767..4821998327 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQItemSelection.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQItemSelection.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQItemSelectionModel.cc b/src/gsiqt/qt6/QtCore/gsiDeclQItemSelectionModel.cc index 9c03a527e3..a945dc6a47 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQItemSelectionModel.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQItemSelectionModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQItemSelectionRange.cc b/src/gsiqt/qt6/QtCore/gsiDeclQItemSelectionRange.cc index 9d6d0dd986..006fc64b06 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQItemSelectionRange.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQItemSelectionRange.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQJsonArray.cc b/src/gsiqt/qt6/QtCore/gsiDeclQJsonArray.cc index 9b70903b23..1cec2b6adb 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQJsonArray.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQJsonArray.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQJsonArray_Iterator.cc b/src/gsiqt/qt6/QtCore/gsiDeclQJsonArray_Iterator.cc index f0110dcd9b..b31bedebf0 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQJsonArray_Iterator.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQJsonArray_Iterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQJsonDocument.cc b/src/gsiqt/qt6/QtCore/gsiDeclQJsonDocument.cc index 17d7875a35..1c729a7469 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQJsonDocument.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQJsonDocument.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQJsonObject.cc b/src/gsiqt/qt6/QtCore/gsiDeclQJsonObject.cc index 9a53f2d42b..6e44130618 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQJsonObject.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQJsonObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQJsonObject_Iterator.cc b/src/gsiqt/qt6/QtCore/gsiDeclQJsonObject_Iterator.cc index dff28b68f7..1e4a487535 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQJsonObject_Iterator.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQJsonObject_Iterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQJsonParseError.cc b/src/gsiqt/qt6/QtCore/gsiDeclQJsonParseError.cc index 7e359b67d9..ee76f56399 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQJsonParseError.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQJsonParseError.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQJsonValue.cc b/src/gsiqt/qt6/QtCore/gsiDeclQJsonValue.cc index 8ae12f3c7e..c8f9d1e1db 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQJsonValue.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQJsonValue.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQJsonValueRef.cc b/src/gsiqt/qt6/QtCore/gsiDeclQJsonValueRef.cc index 684c62509b..bbcd7336cb 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQJsonValueRef.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQJsonValueRef.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQKeyCombination.cc b/src/gsiqt/qt6/QtCore/gsiDeclQKeyCombination.cc index 70604bf4d3..caa2038f32 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQKeyCombination.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQKeyCombination.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQLibrary.cc b/src/gsiqt/qt6/QtCore/gsiDeclQLibrary.cc index 9f1263d81e..215451b77c 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQLibrary.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQLibrary.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQLibraryInfo.cc b/src/gsiqt/qt6/QtCore/gsiDeclQLibraryInfo.cc index ebce804292..583de69962 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQLibraryInfo.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQLibraryInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQLine.cc b/src/gsiqt/qt6/QtCore/gsiDeclQLine.cc index dbc0cba6ad..e9c2b04d6a 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQLine.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQLine.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQLineF.cc b/src/gsiqt/qt6/QtCore/gsiDeclQLineF.cc index 13e4231639..8e680ff3f9 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQLineF.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQLineF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQLocale.cc b/src/gsiqt/qt6/QtCore/gsiDeclQLocale.cc index 645a24107c..1f874c769a 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQLocale.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQLocale.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQLockFile.cc b/src/gsiqt/qt6/QtCore/gsiDeclQLockFile.cc index c72e6c8aa7..cfa90a34cb 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQLockFile.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQLockFile.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQLoggingCategory.cc b/src/gsiqt/qt6/QtCore/gsiDeclQLoggingCategory.cc index 82c13111a0..4a072de5ed 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQLoggingCategory.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQLoggingCategory.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMargins.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMargins.cc index 697b32fe9e..b24bb53f3a 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMargins.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMargins.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMarginsF.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMarginsF.cc index a9cca2b688..12c5696e13 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMarginsF.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMarginsF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMessageAuthenticationCode.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMessageAuthenticationCode.cc index 5d07fc9ccd..78eb441824 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMessageAuthenticationCode.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMessageAuthenticationCode.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMessageLogContext.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMessageLogContext.cc index c6b97cc8e3..862a2f2db6 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMessageLogContext.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMessageLogContext.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMessageLogger.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMessageLogger.cc index f1aef9ef6c..dc5a3d241f 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMessageLogger.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMessageLogger.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMetaAssociation.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMetaAssociation.cc index c4ca903d40..1c2de62d44 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMetaAssociation.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMetaAssociation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMetaClassInfo.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMetaClassInfo.cc index 3e6b40e726..0028541fd5 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMetaClassInfo.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMetaClassInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMetaContainer.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMetaContainer.cc index 1c6c190ffd..942511b29c 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMetaContainer.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMetaContainer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMetaEnum.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMetaEnum.cc index ecf5e8e367..156029f77e 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMetaEnum.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMetaEnum.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMetaMethod.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMetaMethod.cc index 3b6e9f99e3..974768df86 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMetaMethod.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMetaMethod.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMetaObject.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMetaObject.cc index fd829c1c57..924611a72d 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMetaObject.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMetaObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMetaObject_Connection.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMetaObject_Connection.cc index e6571a60f1..1f0709e6b6 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMetaObject_Connection.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMetaObject_Connection.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMetaObject_Data.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMetaObject_Data.cc index 440993a4c1..e3a1e13375 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMetaObject_Data.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMetaObject_Data.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMetaObject_SuperData.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMetaObject_SuperData.cc index b36cf8a260..240ce7795a 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMetaObject_SuperData.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMetaObject_SuperData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMetaProperty.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMetaProperty.cc index 568a42cfde..9e9d5036a5 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMetaProperty.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMetaProperty.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMetaSequence.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMetaSequence.cc index 136f37329b..30ba965380 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMetaSequence.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMetaSequence.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMetaType.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMetaType.cc index f3afaca5ef..a19f0e64db 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMetaType.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMetaType.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMethodRawArguments.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMethodRawArguments.cc index 60a4afe7a0..e29225df4d 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMethodRawArguments.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMethodRawArguments.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMimeData.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMimeData.cc index 300393b504..c2bce5d706 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMimeData.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMimeData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMimeDatabase.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMimeDatabase.cc index 95da1e4cab..a77d998402 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMimeDatabase.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMimeDatabase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMimeType.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMimeType.cc index ea05086dea..984f917f69 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMimeType.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMimeType.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQModelIndex.cc b/src/gsiqt/qt6/QtCore/gsiDeclQModelIndex.cc index 43b6793cde..07f25198e9 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQModelIndex.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQModelIndex.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQModelRoleData.cc b/src/gsiqt/qt6/QtCore/gsiDeclQModelRoleData.cc index f3451338bb..95a82c977a 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQModelRoleData.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQModelRoleData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQModelRoleDataSpan.cc b/src/gsiqt/qt6/QtCore/gsiDeclQModelRoleDataSpan.cc index bc5a492189..d31c8ad593 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQModelRoleDataSpan.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQModelRoleDataSpan.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQMutex.cc b/src/gsiqt/qt6/QtCore/gsiDeclQMutex.cc index ca60d80892..d0488082bb 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQMutex.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQMutex.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQNoDebug.cc b/src/gsiqt/qt6/QtCore/gsiDeclQNoDebug.cc index 384af8f078..fe3d53941f 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQNoDebug.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQNoDebug.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQObject.cc b/src/gsiqt/qt6/QtCore/gsiDeclQObject.cc index f4a89d1447..85ac91b3b5 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQObject.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQOperatingSystemVersion.cc b/src/gsiqt/qt6/QtCore/gsiDeclQOperatingSystemVersion.cc index df82e5bcfd..27476e8f51 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQOperatingSystemVersion.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQOperatingSystemVersion.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQParallelAnimationGroup.cc b/src/gsiqt/qt6/QtCore/gsiDeclQParallelAnimationGroup.cc index 7550ec4e5f..8fa31cd64e 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQParallelAnimationGroup.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQParallelAnimationGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQPartialOrdering.cc b/src/gsiqt/qt6/QtCore/gsiDeclQPartialOrdering.cc index a45c56a3ed..84c9bd2c89 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQPartialOrdering.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQPartialOrdering.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQPauseAnimation.cc b/src/gsiqt/qt6/QtCore/gsiDeclQPauseAnimation.cc index 06e09f901f..dc587199a6 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQPauseAnimation.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQPauseAnimation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQPersistentModelIndex.cc b/src/gsiqt/qt6/QtCore/gsiDeclQPersistentModelIndex.cc index 0e44713a9a..3c312d0d19 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQPersistentModelIndex.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQPersistentModelIndex.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQPluginLoader.cc b/src/gsiqt/qt6/QtCore/gsiDeclQPluginLoader.cc index 493654addf..e95bdd3ae8 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQPluginLoader.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQPluginLoader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQPluginMetaData.cc b/src/gsiqt/qt6/QtCore/gsiDeclQPluginMetaData.cc index fbbb4c5fad..382c3d935f 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQPluginMetaData.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQPluginMetaData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQPoint.cc b/src/gsiqt/qt6/QtCore/gsiDeclQPoint.cc index 66a4d73a43..06e9392f0a 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQPoint.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQPoint.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQPointF.cc b/src/gsiqt/qt6/QtCore/gsiDeclQPointF.cc index eba32f6a13..0b1cc2dfab 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQPointF.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQPointF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQProcess.cc b/src/gsiqt/qt6/QtCore/gsiDeclQProcess.cc index 716883d1f2..9d40d5a564 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQProcess.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQProcess.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQProcessEnvironment.cc b/src/gsiqt/qt6/QtCore/gsiDeclQProcessEnvironment.cc index 48bc890879..76943a11b2 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQProcessEnvironment.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQProcessEnvironment.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQPropertyAnimation.cc b/src/gsiqt/qt6/QtCore/gsiDeclQPropertyAnimation.cc index ff0bd74cdd..1cf8903095 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQPropertyAnimation.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQPropertyAnimation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQPropertyBindingError.cc b/src/gsiqt/qt6/QtCore/gsiDeclQPropertyBindingError.cc index a6d3601609..d1e0043642 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQPropertyBindingError.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQPropertyBindingError.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQPropertyBindingSourceLocation.cc b/src/gsiqt/qt6/QtCore/gsiDeclQPropertyBindingSourceLocation.cc index 48eaf988c1..11a52d344f 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQPropertyBindingSourceLocation.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQPropertyBindingSourceLocation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQPropertyNotifier.cc b/src/gsiqt/qt6/QtCore/gsiDeclQPropertyNotifier.cc index 2b04a7a9b7..1f3e4fb394 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQPropertyNotifier.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQPropertyNotifier.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQPropertyObserver.cc b/src/gsiqt/qt6/QtCore/gsiDeclQPropertyObserver.cc index 1d66289053..35e3832cdd 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQPropertyObserver.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQPropertyObserver.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQPropertyObserverBase.cc b/src/gsiqt/qt6/QtCore/gsiDeclQPropertyObserverBase.cc index 3beab9fab4..df0b8b3a73 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQPropertyObserverBase.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQPropertyObserverBase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQPropertyProxyBindingData.cc b/src/gsiqt/qt6/QtCore/gsiDeclQPropertyProxyBindingData.cc index e783d18790..4dd5541ee7 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQPropertyProxyBindingData.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQPropertyProxyBindingData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQRandomGenerator.cc b/src/gsiqt/qt6/QtCore/gsiDeclQRandomGenerator.cc index e6401468e0..96e2cff14c 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQRandomGenerator.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQRandomGenerator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQRandomGenerator64.cc b/src/gsiqt/qt6/QtCore/gsiDeclQRandomGenerator64.cc index 9143d76d56..bc6ae632f4 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQRandomGenerator64.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQRandomGenerator64.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQReadLocker.cc b/src/gsiqt/qt6/QtCore/gsiDeclQReadLocker.cc index 30ef20bd63..83c5ef3692 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQReadLocker.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQReadLocker.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQReadWriteLock.cc b/src/gsiqt/qt6/QtCore/gsiDeclQReadWriteLock.cc index 8dc3e71387..ec37517b7f 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQReadWriteLock.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQReadWriteLock.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQRect.cc b/src/gsiqt/qt6/QtCore/gsiDeclQRect.cc index 5614341b00..8725498406 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQRect.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQRect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQRectF.cc b/src/gsiqt/qt6/QtCore/gsiDeclQRectF.cc index 0aa58539c6..74457a9a46 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQRectF.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQRectF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQRecursiveMutex.cc b/src/gsiqt/qt6/QtCore/gsiDeclQRecursiveMutex.cc index 1515218405..9fadaee828 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQRecursiveMutex.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQRecursiveMutex.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQRegularExpression.cc b/src/gsiqt/qt6/QtCore/gsiDeclQRegularExpression.cc index c95df12286..0d2674f29c 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQRegularExpression.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQRegularExpression.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQRegularExpressionMatch.cc b/src/gsiqt/qt6/QtCore/gsiDeclQRegularExpressionMatch.cc index a313cfa360..f67eb633d0 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQRegularExpressionMatch.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQRegularExpressionMatch.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQRegularExpressionMatchIterator.cc b/src/gsiqt/qt6/QtCore/gsiDeclQRegularExpressionMatchIterator.cc index 15fbff7919..adc88c1ce8 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQRegularExpressionMatchIterator.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQRegularExpressionMatchIterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQResource.cc b/src/gsiqt/qt6/QtCore/gsiDeclQResource.cc index 5d48de24aa..220dd14a59 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQResource.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQResource.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQRunnable.cc b/src/gsiqt/qt6/QtCore/gsiDeclQRunnable.cc index 581440fb31..7507b95947 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQRunnable.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQRunnable.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQSaveFile.cc b/src/gsiqt/qt6/QtCore/gsiDeclQSaveFile.cc index 4901bff143..dcb5e9c64a 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQSaveFile.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQSaveFile.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQSemaphore.cc b/src/gsiqt/qt6/QtCore/gsiDeclQSemaphore.cc index 1adcf840b9..c4afb095c2 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQSemaphore.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQSemaphore.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQSemaphoreReleaser.cc b/src/gsiqt/qt6/QtCore/gsiDeclQSemaphoreReleaser.cc index dee49befa9..94032e24cc 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQSemaphoreReleaser.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQSemaphoreReleaser.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQSequentialAnimationGroup.cc b/src/gsiqt/qt6/QtCore/gsiDeclQSequentialAnimationGroup.cc index 344cfecb45..53af3d04dd 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQSequentialAnimationGroup.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQSequentialAnimationGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQSettings.cc b/src/gsiqt/qt6/QtCore/gsiDeclQSettings.cc index ad9f7245f3..26e0f766ad 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQSettings.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQSettings.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQSharedMemory.cc b/src/gsiqt/qt6/QtCore/gsiDeclQSharedMemory.cc index 5b47a4f82e..ad72630e4c 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQSharedMemory.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQSharedMemory.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQSignalBlocker.cc b/src/gsiqt/qt6/QtCore/gsiDeclQSignalBlocker.cc index cd20c201e1..35113243ad 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQSignalBlocker.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQSignalBlocker.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQSignalMapper.cc b/src/gsiqt/qt6/QtCore/gsiDeclQSignalMapper.cc index 7cd8641103..7c7241cbe9 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQSignalMapper.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQSignalMapper.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQSize.cc b/src/gsiqt/qt6/QtCore/gsiDeclQSize.cc index 8ebe0edc6e..0701dc08c3 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQSize.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQSize.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQSizeF.cc b/src/gsiqt/qt6/QtCore/gsiDeclQSizeF.cc index a548cc8177..c2df92947f 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQSizeF.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQSizeF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQSocketDescriptor.cc b/src/gsiqt/qt6/QtCore/gsiDeclQSocketDescriptor.cc index 97aeb61ad5..1e0ed010e3 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQSocketDescriptor.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQSocketDescriptor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQSocketNotifier.cc b/src/gsiqt/qt6/QtCore/gsiDeclQSocketNotifier.cc index 5e67bcb488..e123672444 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQSocketNotifier.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQSocketNotifier.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQSortFilterProxyModel.cc b/src/gsiqt/qt6/QtCore/gsiDeclQSortFilterProxyModel.cc index 25651eed06..2b69914552 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQSortFilterProxyModel.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQSortFilterProxyModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQStandardPaths.cc b/src/gsiqt/qt6/QtCore/gsiDeclQStandardPaths.cc index 9da03d7376..0b76ec28ba 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQStandardPaths.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQStandardPaths.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQStorageInfo.cc b/src/gsiqt/qt6/QtCore/gsiDeclQStorageInfo.cc index 9a296ca948..ec8f24733c 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQStorageInfo.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQStorageInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQStringConverter.cc b/src/gsiqt/qt6/QtCore/gsiDeclQStringConverter.cc index bdb1b72b0c..fb2204c765 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQStringConverter.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQStringConverter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQStringConverterBase.cc b/src/gsiqt/qt6/QtCore/gsiDeclQStringConverterBase.cc index d0f3570f18..41c7d20756 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQStringConverterBase.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQStringConverterBase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQStringConverterBase_State.cc b/src/gsiqt/qt6/QtCore/gsiDeclQStringConverterBase_State.cc index b134b8a0af..b2eecb617b 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQStringConverterBase_State.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQStringConverterBase_State.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQStringDecoder.cc b/src/gsiqt/qt6/QtCore/gsiDeclQStringDecoder.cc index 54ff612d4c..f0eb670805 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQStringDecoder.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQStringDecoder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQStringEncoder.cc b/src/gsiqt/qt6/QtCore/gsiDeclQStringEncoder.cc index d427b50090..6ff81d3c19 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQStringEncoder.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQStringEncoder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQStringListModel.cc b/src/gsiqt/qt6/QtCore/gsiDeclQStringListModel.cc index 81bdd08451..e2f3004eb5 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQStringListModel.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQStringListModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQStringMatcher.cc b/src/gsiqt/qt6/QtCore/gsiDeclQStringMatcher.cc index 7b94fa606a..e4d9147abe 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQStringMatcher.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQStringMatcher.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQSysInfo.cc b/src/gsiqt/qt6/QtCore/gsiDeclQSysInfo.cc index 0141c2bc58..9116a0bb0d 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQSysInfo.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQSysInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQSystemSemaphore.cc b/src/gsiqt/qt6/QtCore/gsiDeclQSystemSemaphore.cc index 3747a121a3..c0319a007a 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQSystemSemaphore.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQSystemSemaphore.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQTemporaryDir.cc b/src/gsiqt/qt6/QtCore/gsiDeclQTemporaryDir.cc index d31996c92b..62cad98c69 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQTemporaryDir.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQTemporaryDir.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQTemporaryFile.cc b/src/gsiqt/qt6/QtCore/gsiDeclQTemporaryFile.cc index 5e3df2bfbf..65a4bbb594 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQTemporaryFile.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQTemporaryFile.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQTextBoundaryFinder.cc b/src/gsiqt/qt6/QtCore/gsiDeclQTextBoundaryFinder.cc index 7a893b02f6..45d899a3cc 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQTextBoundaryFinder.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQTextBoundaryFinder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQTextStream.cc b/src/gsiqt/qt6/QtCore/gsiDeclQTextStream.cc index 12d4642c74..2f432f2ee9 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQTextStream.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQTextStream.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQThread.cc b/src/gsiqt/qt6/QtCore/gsiDeclQThread.cc index 9281c849aa..116932108f 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQThread.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQThread.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQThreadPool.cc b/src/gsiqt/qt6/QtCore/gsiDeclQThreadPool.cc index ce87a83819..51fd142a4e 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQThreadPool.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQThreadPool.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQTime.cc b/src/gsiqt/qt6/QtCore/gsiDeclQTime.cc index ae1718f57f..7e61bd8649 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQTime.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQTime.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQTimeLine.cc b/src/gsiqt/qt6/QtCore/gsiDeclQTimeLine.cc index 50c3e996de..a7f76dbeef 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQTimeLine.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQTimeLine.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQTimeZone.cc b/src/gsiqt/qt6/QtCore/gsiDeclQTimeZone.cc index 6ca66f0c83..ddbd33e76e 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQTimeZone.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQTimeZone.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQTimeZone_OffsetData.cc b/src/gsiqt/qt6/QtCore/gsiDeclQTimeZone_OffsetData.cc index ba210a15f3..dfff990cc6 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQTimeZone_OffsetData.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQTimeZone_OffsetData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQTimer.cc b/src/gsiqt/qt6/QtCore/gsiDeclQTimer.cc index 63ecd1de03..eb2fa220bf 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQTimer.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQTimer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQTimerEvent.cc b/src/gsiqt/qt6/QtCore/gsiDeclQTimerEvent.cc index b24b03d9ef..5535de0e1e 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQTimerEvent.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQTimerEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQTranslator.cc b/src/gsiqt/qt6/QtCore/gsiDeclQTranslator.cc index a1e910f16a..e0d29b24e0 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQTranslator.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQTranslator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQTransposeProxyModel.cc b/src/gsiqt/qt6/QtCore/gsiDeclQTransposeProxyModel.cc index d49e1f95ce..e67dc7b294 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQTransposeProxyModel.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQTransposeProxyModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQTypeRevision.cc b/src/gsiqt/qt6/QtCore/gsiDeclQTypeRevision.cc index 367a3e6065..cb45aca927 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQTypeRevision.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQTypeRevision.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQUrl.cc b/src/gsiqt/qt6/QtCore/gsiDeclQUrl.cc index fbf24dfa8b..8b3fe395e7 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQUrl.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQUrl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQUrlQuery.cc b/src/gsiqt/qt6/QtCore/gsiDeclQUrlQuery.cc index b891e4d267..c9365aaa23 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQUrlQuery.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQUrlQuery.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQVariantAnimation.cc b/src/gsiqt/qt6/QtCore/gsiDeclQVariantAnimation.cc index 81ae89ad8c..42ea37c965 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQVariantAnimation.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQVariantAnimation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQVersionNumber.cc b/src/gsiqt/qt6/QtCore/gsiDeclQVersionNumber.cc index 658336d9c5..7009d2356b 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQVersionNumber.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQVersionNumber.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQWaitCondition.cc b/src/gsiqt/qt6/QtCore/gsiDeclQWaitCondition.cc index 18d0e740e6..f8341aa43c 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQWaitCondition.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQWaitCondition.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQWriteLocker.cc b/src/gsiqt/qt6/QtCore/gsiDeclQWriteLocker.cc index b3af8ad58a..81bccbcc1d 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQWriteLocker.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQWriteLocker.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamAttribute.cc b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamAttribute.cc index 626b6dc773..ee51ded3d8 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamAttribute.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamAttribute.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamAttributes.cc b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamAttributes.cc index cc8fe0cc7c..94ee9eaa3e 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamAttributes.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamAttributes.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamEntityDeclaration.cc b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamEntityDeclaration.cc index 48eda5bd22..432c2a8846 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamEntityDeclaration.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamEntityDeclaration.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamEntityResolver.cc b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamEntityResolver.cc index 9292d77903..b40ca96156 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamEntityResolver.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamEntityResolver.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamNamespaceDeclaration.cc b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamNamespaceDeclaration.cc index 68e3d31a58..c21f472486 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamNamespaceDeclaration.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamNamespaceDeclaration.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamNotationDeclaration.cc b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamNotationDeclaration.cc index c2c4d479f3..233bd00658 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamNotationDeclaration.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamNotationDeclaration.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamReader.cc b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamReader.cc index 82b64fc792..9c82b7a33f 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamReader.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamWriter.cc b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamWriter.cc index 6e308bb0ff..b59d8991c8 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamWriter.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQXmlStreamWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQt.cc b/src/gsiqt/qt6/QtCore/gsiDeclQt.cc index f178806aec..03ad80b724 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQt.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQt.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQtCoreAdd.cc b/src/gsiqt/qt6/QtCore/gsiDeclQtCoreAdd.cc index 149adc02b7..449e63f61b 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQtCoreAdd.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQtCoreAdd.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQt_1.cc b/src/gsiqt/qt6/QtCore/gsiDeclQt_1.cc index 0b101076e7..b3da4b06a7 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQt_1.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQt_1.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQt_2.cc b/src/gsiqt/qt6/QtCore/gsiDeclQt_2.cc index ea4f8d7450..df0b4e55a8 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQt_2.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQt_2.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQt_3.cc b/src/gsiqt/qt6/QtCore/gsiDeclQt_3.cc index b01d6bf8b9..cd1c6605d1 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQt_3.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQt_3.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiDeclQt_4.cc b/src/gsiqt/qt6/QtCore/gsiDeclQt_4.cc index beac5ffc8c..51084c900e 100644 --- a/src/gsiqt/qt6/QtCore/gsiDeclQt_4.cc +++ b/src/gsiqt/qt6/QtCore/gsiDeclQt_4.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore/gsiQtExternals.h b/src/gsiqt/qt6/QtCore/gsiQtExternals.h index 5855ed7a27..35c5bb6560 100644 --- a/src/gsiqt/qt6/QtCore/gsiQtExternals.h +++ b/src/gsiqt/qt6/QtCore/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQBinaryJson.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQBinaryJson.cc index 49e787a6e8..061634c69d 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQBinaryJson.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQBinaryJson.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQRegExp.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQRegExp.cc index 39a202293e..af84011ef9 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQRegExp.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQRegExp.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextCodec.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextCodec.cc index 0701693c3d..fc9fac324f 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextCodec.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextCodec.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextDecoder.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextDecoder.cc index 77fc673260..f020c16bf6 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextDecoder.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextDecoder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextEncoder.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextEncoder.cc index 628b0b4727..aa3b958582 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextEncoder.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQTextEncoder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlAttributes.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlAttributes.cc index c911c3d2f2..48b60ec7f4 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlAttributes.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlAttributes.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlContentHandler.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlContentHandler.cc index a7cd0dd67d..afcf385958 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlContentHandler.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlContentHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlDTDHandler.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlDTDHandler.cc index 61e00e5d91..a781f3f83f 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlDTDHandler.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlDTDHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlDeclHandler.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlDeclHandler.cc index c82fc3a727..ff6c3ae102 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlDeclHandler.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlDeclHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlDefaultHandler.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlDefaultHandler.cc index dcb3811dfb..1aaef4616d 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlDefaultHandler.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlDefaultHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlEntityResolver.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlEntityResolver.cc index 31a6565a13..3414c7b4e7 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlEntityResolver.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlEntityResolver.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlErrorHandler.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlErrorHandler.cc index f7b45c4542..00d5486782 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlErrorHandler.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlErrorHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlInputSource.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlInputSource.cc index 535d956ab6..ed91c82365 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlInputSource.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlInputSource.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlLexicalHandler.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlLexicalHandler.cc index 5da1efadab..a52cc14faa 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlLexicalHandler.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlLexicalHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlLocator.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlLocator.cc index 8ffa8d8521..f6f23b7eee 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlLocator.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlLocator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlNamespaceSupport.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlNamespaceSupport.cc index ae2a9bdb96..9deeef0f82 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlNamespaceSupport.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlNamespaceSupport.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlParseException.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlParseException.cc index 3072c903a8..4f8ddd92bc 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlParseException.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlParseException.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlReader.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlReader.cc index 42605c1747..effdd94e4d 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlReader.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlSimpleReader.cc b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlSimpleReader.cc index 36caf1f288..d7f6ce93ed 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlSimpleReader.cc +++ b/src/gsiqt/qt6/QtCore5Compat/gsiDeclQXmlSimpleReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtCore5Compat/gsiQtExternals.h b/src/gsiqt/qt6/QtCore5Compat/gsiQtExternals.h index 24b9f0af3d..cc5846afb2 100644 --- a/src/gsiqt/qt6/QtCore5Compat/gsiQtExternals.h +++ b/src/gsiqt/qt6/QtCore5Compat/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAbstractFileIconProvider.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAbstractFileIconProvider.cc index 57956afc50..ec11febaea 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAbstractFileIconProvider.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAbstractFileIconProvider.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAbstractTextDocumentLayout.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAbstractTextDocumentLayout.cc index e0bdc29ad7..dd9e75133b 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAbstractTextDocumentLayout.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAbstractTextDocumentLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAbstractTextDocumentLayout_PaintContext.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAbstractTextDocumentLayout_PaintContext.cc index 756fe15129..75034da8a7 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAbstractTextDocumentLayout_PaintContext.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAbstractTextDocumentLayout_PaintContext.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAbstractTextDocumentLayout_Selection.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAbstractTextDocumentLayout_Selection.cc index cc40e22fe2..b03edd0ea7 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAbstractTextDocumentLayout_Selection.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAbstractTextDocumentLayout_Selection.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAbstractUndoItem.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAbstractUndoItem.cc index 9faff8d4df..f2ab9ea0cd 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAbstractUndoItem.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAbstractUndoItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessible.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessible.cc index 85f50ba700..972e9b4c1c 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessible.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessible.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleActionInterface.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleActionInterface.cc index 1b286bd872..89a85e014e 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleActionInterface.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleActionInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleEditableTextInterface.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleEditableTextInterface.cc index d38fc08bbb..3b417eea7c 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleEditableTextInterface.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleEditableTextInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleEvent.cc index 825b495081..c1418935c0 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleHyperlinkInterface.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleHyperlinkInterface.cc index cbcf723600..d1a92615a4 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleHyperlinkInterface.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleHyperlinkInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleImageInterface.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleImageInterface.cc index 952a191557..75e973d835 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleImageInterface.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleImageInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleInterface.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleInterface.cc index 8e0a6067b3..fb89420011 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleInterface.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleObject.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleObject.cc index e431e5bdf3..7c1d373059 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleObject.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleStateChangeEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleStateChangeEvent.cc index 4cd2f4dc47..13205450a3 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleStateChangeEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleStateChangeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTableCellInterface.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTableCellInterface.cc index 216582eaa0..e22e2304ef 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTableCellInterface.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTableCellInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTableInterface.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTableInterface.cc index 41d5e9c7d2..da353cc7c6 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTableInterface.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTableInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTableModelChangeEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTableModelChangeEvent.cc index d3dd43a7a4..e254ea6f17 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTableModelChangeEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTableModelChangeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextCursorEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextCursorEvent.cc index 1fe2b91119..a1658dc127 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextCursorEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextCursorEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextInsertEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextInsertEvent.cc index cd708a7e56..c528815b84 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextInsertEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextInsertEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextInterface.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextInterface.cc index 6c5c8ad40f..ce9a0f51c9 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextInterface.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextRemoveEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextRemoveEvent.cc index 47c87dd32f..d33641c460 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextRemoveEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextRemoveEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextSelectionEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextSelectionEvent.cc index 9b8120c958..8d9fc6e1d1 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextSelectionEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextSelectionEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextUpdateEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextUpdateEvent.cc index ee60c305aa..8d1387698e 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextUpdateEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleTextUpdateEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleValueChangeEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleValueChangeEvent.cc index b7cc9af26e..dcee8f6780 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleValueChangeEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleValueChangeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleValueInterface.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleValueInterface.cc index 2421acdc9d..f58549ae54 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleValueInterface.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessibleValueInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessible_ActivationObserver.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessible_ActivationObserver.cc index e9962d1f14..8a36c789ce 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessible_ActivationObserver.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessible_ActivationObserver.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAccessible_State.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAccessible_State.cc index 73f98af1e6..4e7d36089e 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAccessible_State.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAccessible_State.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQAction.cc b/src/gsiqt/qt6/QtGui/gsiDeclQAction.cc index 348df5d7a9..d15be2130c 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQAction.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQAction.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQActionEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQActionEvent.cc index cc321c3137..8b110df88f 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQActionEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQActionEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQActionGroup.cc b/src/gsiqt/qt6/QtGui/gsiDeclQActionGroup.cc index 6da65ba9fa..255e0983d2 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQActionGroup.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQActionGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQApplicationStateChangeEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQApplicationStateChangeEvent.cc index 0b6070b480..4aeb5ea8aa 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQApplicationStateChangeEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQApplicationStateChangeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQBackingStore.cc b/src/gsiqt/qt6/QtGui/gsiDeclQBackingStore.cc index e45170759b..9ac713cb94 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQBackingStore.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQBackingStore.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQBitmap.cc b/src/gsiqt/qt6/QtGui/gsiDeclQBitmap.cc index af3699b9c8..83a6af9ab3 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQBitmap.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQBitmap.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQBrush.cc b/src/gsiqt/qt6/QtGui/gsiDeclQBrush.cc index 5d12da2b34..ea48e2a8a3 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQBrush.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQBrush.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQClipboard.cc b/src/gsiqt/qt6/QtGui/gsiDeclQClipboard.cc index 9009d600b4..1d8172ca32 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQClipboard.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQClipboard.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQCloseEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQCloseEvent.cc index e51d35b204..25e273ba5f 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQCloseEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQCloseEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQColor.cc b/src/gsiqt/qt6/QtGui/gsiDeclQColor.cc index ad19e08c03..7f049d3320 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQColor.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQColor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQColorSpace.cc b/src/gsiqt/qt6/QtGui/gsiDeclQColorSpace.cc index 53bd0cf60e..61ca60dfdf 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQColorSpace.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQColorSpace.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQColorTransform.cc b/src/gsiqt/qt6/QtGui/gsiDeclQColorTransform.cc index bf88ed1f95..70feb7e380 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQColorTransform.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQColorTransform.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQConicalGradient.cc b/src/gsiqt/qt6/QtGui/gsiDeclQConicalGradient.cc index 47e51fbf0c..e5a4aec22d 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQConicalGradient.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQConicalGradient.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQContextMenuEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQContextMenuEvent.cc index baa79b28d8..9b3d497577 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQContextMenuEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQContextMenuEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQCursor.cc b/src/gsiqt/qt6/QtGui/gsiDeclQCursor.cc index e4ef5e86a2..ac77f86fe5 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQCursor.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQCursor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQDesktopServices.cc b/src/gsiqt/qt6/QtGui/gsiDeclQDesktopServices.cc index 2de5946d96..b25b973db7 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQDesktopServices.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQDesktopServices.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQDoubleValidator.cc b/src/gsiqt/qt6/QtGui/gsiDeclQDoubleValidator.cc index 6265be805a..8e6c84d265 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQDoubleValidator.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQDoubleValidator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQDrag.cc b/src/gsiqt/qt6/QtGui/gsiDeclQDrag.cc index 28ac9eea2a..3a1feaedc4 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQDrag.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQDrag.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQDragEnterEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQDragEnterEvent.cc index 720d9b52f7..15afd9abf2 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQDragEnterEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQDragEnterEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQDragLeaveEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQDragLeaveEvent.cc index 05a52054c3..37fc0e3982 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQDragLeaveEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQDragLeaveEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQDragMoveEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQDragMoveEvent.cc index 6a8182d0a6..576a6d1c26 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQDragMoveEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQDragMoveEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQDropEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQDropEvent.cc index e5da7aa59b..a1a6f361bf 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQDropEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQDropEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQEnterEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQEnterEvent.cc index 1a5be969a7..43d333f460 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQEnterEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQEnterEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQEventPoint.cc b/src/gsiqt/qt6/QtGui/gsiDeclQEventPoint.cc index 0f0bb0f738..71b8dd6d66 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQEventPoint.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQEventPoint.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQExposeEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQExposeEvent.cc index abd88b4bb8..7b32555485 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQExposeEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQExposeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQFileOpenEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQFileOpenEvent.cc index da75354ef9..21b5356bf9 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQFileOpenEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQFileOpenEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQFileSystemModel.cc b/src/gsiqt/qt6/QtGui/gsiDeclQFileSystemModel.cc index 24cc3435d3..82f2ca5957 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQFileSystemModel.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQFileSystemModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQFocusEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQFocusEvent.cc index bb3ada893a..34d13216ef 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQFocusEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQFocusEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQFont.cc b/src/gsiqt/qt6/QtGui/gsiDeclQFont.cc index 6830b132a7..6e97885d57 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQFont.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQFont.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQFontDatabase.cc b/src/gsiqt/qt6/QtGui/gsiDeclQFontDatabase.cc index f030b1e01b..298437b554 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQFontDatabase.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQFontDatabase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQFontInfo.cc b/src/gsiqt/qt6/QtGui/gsiDeclQFontInfo.cc index f7dc3e3726..5660a4e33e 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQFontInfo.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQFontInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQFontMetrics.cc b/src/gsiqt/qt6/QtGui/gsiDeclQFontMetrics.cc index ec6dd99fdc..f537fe7603 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQFontMetrics.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQFontMetrics.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQFontMetricsF.cc b/src/gsiqt/qt6/QtGui/gsiDeclQFontMetricsF.cc index ebc9589514..b5677282ec 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQFontMetricsF.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQFontMetricsF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQGenericPlugin.cc b/src/gsiqt/qt6/QtGui/gsiDeclQGenericPlugin.cc index 12de05189d..af73d0304b 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQGenericPlugin.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQGenericPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQGenericPluginFactory.cc b/src/gsiqt/qt6/QtGui/gsiDeclQGenericPluginFactory.cc index 76c191df7b..035f60b032 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQGenericPluginFactory.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQGenericPluginFactory.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQGlyphRun.cc b/src/gsiqt/qt6/QtGui/gsiDeclQGlyphRun.cc index b1cf6dfb36..2da4d50560 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQGlyphRun.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQGlyphRun.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQGradient.cc b/src/gsiqt/qt6/QtGui/gsiDeclQGradient.cc index d0da7f6d05..fc0006e24b 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQGradient.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQGradient.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQGradient_QGradientData.cc b/src/gsiqt/qt6/QtGui/gsiDeclQGradient_QGradientData.cc index 867d9510f4..8ca69f971e 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQGradient_QGradientData.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQGradient_QGradientData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQGuiApplication.cc b/src/gsiqt/qt6/QtGui/gsiDeclQGuiApplication.cc index fd9b7aef3a..3f16ee3e6b 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQGuiApplication.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQGuiApplication.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQHelpEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQHelpEvent.cc index 73aa0f0956..b385150beb 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQHelpEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQHelpEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQHideEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQHideEvent.cc index 261423d40d..25318acbac 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQHideEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQHideEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQHoverEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQHoverEvent.cc index 2287d82a89..17ba753607 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQHoverEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQHoverEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQIcon.cc b/src/gsiqt/qt6/QtGui/gsiDeclQIcon.cc index 29fde8e31a..f6ae56da13 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQIcon.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQIcon.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQIconDragEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQIconDragEvent.cc index 5ad92b2324..ddd7c48a95 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQIconDragEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQIconDragEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQIconEngine.cc b/src/gsiqt/qt6/QtGui/gsiDeclQIconEngine.cc index aced1c39b4..a207066681 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQIconEngine.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQIconEngine.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQIconEnginePlugin.cc b/src/gsiqt/qt6/QtGui/gsiDeclQIconEnginePlugin.cc index 29142397aa..e7ca8a6a8c 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQIconEnginePlugin.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQIconEnginePlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQIconEngine_ScaledPixmapArgument.cc b/src/gsiqt/qt6/QtGui/gsiDeclQIconEngine_ScaledPixmapArgument.cc index cc75508ddd..7697693bef 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQIconEngine_ScaledPixmapArgument.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQIconEngine_ScaledPixmapArgument.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQImage.cc b/src/gsiqt/qt6/QtGui/gsiDeclQImage.cc index 49c3b4716c..5d018472a8 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQImage.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQImage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQImageIOHandler.cc b/src/gsiqt/qt6/QtGui/gsiDeclQImageIOHandler.cc index b37372a074..6d676e5f11 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQImageIOHandler.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQImageIOHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQImageIOPlugin.cc b/src/gsiqt/qt6/QtGui/gsiDeclQImageIOPlugin.cc index 441b91cd45..040c174044 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQImageIOPlugin.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQImageIOPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQImageReader.cc b/src/gsiqt/qt6/QtGui/gsiDeclQImageReader.cc index 5216b9e570..b36ec65b86 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQImageReader.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQImageReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQImageWriter.cc b/src/gsiqt/qt6/QtGui/gsiDeclQImageWriter.cc index 1d1109c438..7906ae2b0e 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQImageWriter.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQImageWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQInputDevice.cc b/src/gsiqt/qt6/QtGui/gsiDeclQInputDevice.cc index 10f85d4f50..c3ae192060 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQInputDevice.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQInputDevice.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQInputEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQInputEvent.cc index dbbaa19429..085cc8d35f 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQInputEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQInputEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQInputMethod.cc b/src/gsiqt/qt6/QtGui/gsiDeclQInputMethod.cc index c627a95d19..e48658786b 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQInputMethod.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQInputMethod.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQInputMethodEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQInputMethodEvent.cc index ce922080f3..8ee2ad037b 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQInputMethodEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQInputMethodEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQInputMethodQueryEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQInputMethodQueryEvent.cc index 18614f272f..fb7f7471c2 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQInputMethodQueryEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQInputMethodQueryEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQIntValidator.cc b/src/gsiqt/qt6/QtGui/gsiDeclQIntValidator.cc index 0366fce6c2..dc92d92a78 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQIntValidator.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQIntValidator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQKeyEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQKeyEvent.cc index 625c2b1175..21cee34724 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQKeyEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQKeyEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQKeySequence.cc b/src/gsiqt/qt6/QtGui/gsiDeclQKeySequence.cc index 2b64ff005b..2acebe0203 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQKeySequence.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQKeySequence.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQLinearGradient.cc b/src/gsiqt/qt6/QtGui/gsiDeclQLinearGradient.cc index 7591ffd32b..3ef06dff6e 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQLinearGradient.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQLinearGradient.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQMatrix4x4.cc b/src/gsiqt/qt6/QtGui/gsiDeclQMatrix4x4.cc index 4ec03076f3..acc2774ea2 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQMatrix4x4.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQMatrix4x4.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQMouseEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQMouseEvent.cc index 5bdb990d72..80c7a5bbe0 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQMouseEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQMouseEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQMoveEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQMoveEvent.cc index 55fabfe2f0..9c2bd39d1f 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQMoveEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQMoveEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQMovie.cc b/src/gsiqt/qt6/QtGui/gsiDeclQMovie.cc index 14601ce485..7561e891e7 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQMovie.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQMovie.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQNativeGestureEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQNativeGestureEvent.cc index 5f1c7332de..42b8563667 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQNativeGestureEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQNativeGestureEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQOffscreenSurface.cc b/src/gsiqt/qt6/QtGui/gsiDeclQOffscreenSurface.cc index 6d429b6e20..85c5908e92 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQOffscreenSurface.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQOffscreenSurface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPageLayout.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPageLayout.cc index 30259d7de6..90aebdf09a 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPageLayout.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPageLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPageRanges.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPageRanges.cc index 63a1d1c8d4..ac0e68a099 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPageRanges.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPageRanges.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPageRanges_Range.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPageRanges_Range.cc index 4421cfea0a..1b709e76d2 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPageRanges_Range.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPageRanges_Range.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPageSize.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPageSize.cc index c80be610d8..1339dfebd7 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPageSize.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPageSize.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPagedPaintDevice.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPagedPaintDevice.cc index d6ed955e5a..a1cd633896 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPagedPaintDevice.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPagedPaintDevice.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPaintDevice.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPaintDevice.cc index edf6ffaea9..5c8de31d00 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPaintDevice.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPaintDevice.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPaintDeviceWindow.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPaintDeviceWindow.cc index 70ca07dbbf..3e713abd30 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPaintDeviceWindow.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPaintDeviceWindow.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPaintEngine.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPaintEngine.cc index 9cb288af84..f8bffa982a 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPaintEngine.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPaintEngine.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPaintEngineState.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPaintEngineState.cc index 003cfa9cc5..9068dc50fb 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPaintEngineState.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPaintEngineState.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPaintEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPaintEvent.cc index c0c6981ee2..6f96d136b3 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPaintEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPaintEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPainter.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPainter.cc index ddc07f0b58..6d6bf3a41d 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPainter.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPainter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPainterPath.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPainterPath.cc index 5960cfd57e..e89a8519f9 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPainterPath.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPainterPath.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPainterPathStroker.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPainterPathStroker.cc index cc652d9909..69555f0633 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPainterPathStroker.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPainterPathStroker.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPainterPath_Element.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPainterPath_Element.cc index efe6f33a94..2a943cac0c 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPainterPath_Element.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPainterPath_Element.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPainter_PixmapFragment.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPainter_PixmapFragment.cc index e6882c597a..61c7a93a59 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPainter_PixmapFragment.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPainter_PixmapFragment.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPalette.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPalette.cc index 9754fcd64c..07d0caae19 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPalette.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPalette.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPdfWriter.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPdfWriter.cc index 33a4d7cdce..123735f59e 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPdfWriter.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPdfWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPen.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPen.cc index 13f64b2228..4e946dc71d 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPen.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPen.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPicture.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPicture.cc index 1c5775564b..9e6ca3abc0 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPicture.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPicture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPixelFormat.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPixelFormat.cc index 778ad116a7..8dc66f3cff 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPixelFormat.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPixelFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPixmap.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPixmap.cc index 633f67f1c1..cbad530044 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPixmap.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPixmap.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPixmapCache.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPixmapCache.cc index af5b53a6c6..73387ed25b 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPixmapCache.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPixmapCache.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPlatformSurfaceEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPlatformSurfaceEvent.cc index f64a322e55..5031b60e5b 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPlatformSurfaceEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPlatformSurfaceEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPointerEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPointerEvent.cc index d2e492615a..b28a5b7f99 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPointerEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPointerEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPointingDevice.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPointingDevice.cc index df50b7466d..bea91a270f 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPointingDevice.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPointingDevice.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPointingDeviceUniqueId.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPointingDeviceUniqueId.cc index e29f882b1c..b50bf45d0b 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPointingDeviceUniqueId.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPointingDeviceUniqueId.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPolygon.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPolygon.cc index ecc8d682f7..5f06f297bd 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPolygon.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPolygon.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQPolygonF.cc b/src/gsiqt/qt6/QtGui/gsiDeclQPolygonF.cc index d4dbfbf495..90ea5c3d97 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQPolygonF.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQPolygonF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQQuaternion.cc b/src/gsiqt/qt6/QtGui/gsiDeclQQuaternion.cc index 615a8c478c..0501a5b2ce 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQQuaternion.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQQuaternion.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQRadialGradient.cc b/src/gsiqt/qt6/QtGui/gsiDeclQRadialGradient.cc index 9ef8749d05..a4f2555dfd 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQRadialGradient.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQRadialGradient.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQRasterWindow.cc b/src/gsiqt/qt6/QtGui/gsiDeclQRasterWindow.cc index 63b1a671a6..c00dcc9453 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQRasterWindow.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQRasterWindow.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQRawFont.cc b/src/gsiqt/qt6/QtGui/gsiDeclQRawFont.cc index e05c8acbcd..bb6d600d50 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQRawFont.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQRawFont.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQRegion.cc b/src/gsiqt/qt6/QtGui/gsiDeclQRegion.cc index 09ecf3288b..9fbce4ff43 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQRegion.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQRegion.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQRegularExpressionValidator.cc b/src/gsiqt/qt6/QtGui/gsiDeclQRegularExpressionValidator.cc index c2338843b2..99d9eff0ba 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQRegularExpressionValidator.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQRegularExpressionValidator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQResizeEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQResizeEvent.cc index 10a9c7db69..01edf62bc2 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQResizeEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQResizeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQRgba64.cc b/src/gsiqt/qt6/QtGui/gsiDeclQRgba64.cc index eca7707182..147dfa7709 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQRgba64.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQRgba64.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQScreen.cc b/src/gsiqt/qt6/QtGui/gsiDeclQScreen.cc index cc52879b4b..fbb6ffd20f 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQScreen.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQScreen.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQScreenOrientationChangeEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQScreenOrientationChangeEvent.cc index d88e90c471..4206ab63a8 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQScreenOrientationChangeEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQScreenOrientationChangeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQScrollEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQScrollEvent.cc index 51d5a07ae7..e64d57b23a 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQScrollEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQScrollEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQScrollPrepareEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQScrollPrepareEvent.cc index 678e34e090..a0fae89f4c 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQScrollPrepareEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQScrollPrepareEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQSessionManager.cc b/src/gsiqt/qt6/QtGui/gsiDeclQSessionManager.cc index d759c38ade..2d1b8c78a5 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQSessionManager.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQSessionManager.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQShortcut.cc b/src/gsiqt/qt6/QtGui/gsiDeclQShortcut.cc index 04efb7547f..54d824d9e0 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQShortcut.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQShortcut.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQShortcutEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQShortcutEvent.cc index 5fba2de97b..3d5c09e079 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQShortcutEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQShortcutEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQShowEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQShowEvent.cc index 3e798acea1..586154be5f 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQShowEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQShowEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQSinglePointEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQSinglePointEvent.cc index d1c7763412..b44681bc59 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQSinglePointEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQSinglePointEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQStandardItem.cc b/src/gsiqt/qt6/QtGui/gsiDeclQStandardItem.cc index c9bda9431f..5fc6f08697 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQStandardItem.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQStandardItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQStandardItemModel.cc b/src/gsiqt/qt6/QtGui/gsiDeclQStandardItemModel.cc index 21ea24d328..e5bb6deabf 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQStandardItemModel.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQStandardItemModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQStaticText.cc b/src/gsiqt/qt6/QtGui/gsiDeclQStaticText.cc index 595da556ac..72cba55462 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQStaticText.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQStaticText.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQStatusTipEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQStatusTipEvent.cc index 74a414af67..d3f74519f5 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQStatusTipEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQStatusTipEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQStyleHints.cc b/src/gsiqt/qt6/QtGui/gsiDeclQStyleHints.cc index 3c46fc479c..6e67848003 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQStyleHints.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQStyleHints.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQSurface.cc b/src/gsiqt/qt6/QtGui/gsiDeclQSurface.cc index 54eeec3d1d..43118e4e16 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQSurface.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQSurface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQSurfaceFormat.cc b/src/gsiqt/qt6/QtGui/gsiDeclQSurfaceFormat.cc index d4e8e7e104..49ebdd75a8 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQSurfaceFormat.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQSurfaceFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQSyntaxHighlighter.cc b/src/gsiqt/qt6/QtGui/gsiDeclQSyntaxHighlighter.cc index c93b226e01..632f0e6377 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQSyntaxHighlighter.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQSyntaxHighlighter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTabletEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTabletEvent.cc index e06c79d955..b50afc3a11 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTabletEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTabletEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextBlock.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextBlock.cc index 811afadf1f..512e28bb6f 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextBlock.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextBlock.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextBlockFormat.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextBlockFormat.cc index 0533143e83..eecfcda608 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextBlockFormat.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextBlockFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextBlockGroup.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextBlockGroup.cc index 5a1d86ffa6..3421b2ca84 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextBlockGroup.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextBlockGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextBlockUserData.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextBlockUserData.cc index eef35af1b5..5cc811e25a 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextBlockUserData.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextBlockUserData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextBlock_Iterator.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextBlock_Iterator.cc index 0eecef049d..3392d97130 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextBlock_Iterator.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextBlock_Iterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextCharFormat.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextCharFormat.cc index 7c5b7ae70b..ef2f6cd8d2 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextCharFormat.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextCharFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextCursor.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextCursor.cc index e485a726ad..061385da77 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextCursor.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextCursor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextDocument.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextDocument.cc index 624994991c..80e29f0594 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextDocument.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextDocument.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextDocumentFragment.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextDocumentFragment.cc index 44ceb16fc1..39ad458a21 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextDocumentFragment.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextDocumentFragment.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextDocumentWriter.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextDocumentWriter.cc index 23649cf6e2..c2c5ff86fe 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextDocumentWriter.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextDocumentWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextFormat.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextFormat.cc index 881bfc4148..61349e2216 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextFormat.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextFragment.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextFragment.cc index e12f8a7b38..56fb9e898f 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextFragment.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextFragment.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextFrame.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextFrame.cc index 926c3de282..e71f89855e 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextFrame.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextFrame.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextFrameFormat.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextFrameFormat.cc index 0a9667b948..922d5633d6 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextFrameFormat.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextFrameFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextFrame_Iterator.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextFrame_Iterator.cc index fdb462a8cd..ac9481c24b 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextFrame_Iterator.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextFrame_Iterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextImageFormat.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextImageFormat.cc index 641365fcb7..4134d4d480 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextImageFormat.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextImageFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextInlineObject.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextInlineObject.cc index 2be4362c04..0e2f9d5833 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextInlineObject.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextInlineObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextItem.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextItem.cc index 59d81e7710..58c4eb91d6 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextItem.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextLayout.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextLayout.cc index bf01b2c270..2f812474fc 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextLayout.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextLayout_FormatRange.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextLayout_FormatRange.cc index 32d4a163cc..3ff1ffabcc 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextLayout_FormatRange.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextLayout_FormatRange.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextLength.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextLength.cc index 889c833931..c029cbc92d 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextLength.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextLength.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextLine.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextLine.cc index 6719a3df5f..753aafb7f5 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextLine.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextLine.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextList.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextList.cc index ea41b4d9b5..0367410359 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextList.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextList.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextListFormat.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextListFormat.cc index 576b9e880f..2ec3c65ebe 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextListFormat.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextListFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextObject.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextObject.cc index 1274bc4158..cef27a3dd7 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextObject.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextObjectInterface.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextObjectInterface.cc index 90f5ce7000..9cfe56eaf5 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextObjectInterface.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextObjectInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextOption.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextOption.cc index 0d98bfffd2..f105fe379d 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextOption.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextOption.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextOption_Tab.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextOption_Tab.cc index 75b41f25d7..44ebc2e1c4 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextOption_Tab.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextOption_Tab.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextTable.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextTable.cc index e011b64f72..dbe9b85660 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextTable.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextTable.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextTableCell.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextTableCell.cc index d229ba29d7..859389ad78 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextTableCell.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextTableCell.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextTableCellFormat.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextTableCellFormat.cc index ce44730009..b97550e9f2 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextTableCellFormat.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextTableCellFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTextTableFormat.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTextTableFormat.cc index db1ce043dc..be8b300243 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTextTableFormat.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTextTableFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQToolBarChangeEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQToolBarChangeEvent.cc index 2647b2df0d..a14f067fe5 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQToolBarChangeEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQToolBarChangeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTouchEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTouchEvent.cc index e65eb32669..52095632cc 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTouchEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTouchEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQTransform.cc b/src/gsiqt/qt6/QtGui/gsiDeclQTransform.cc index 061c1bc3c0..56f13fc9a8 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQTransform.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQTransform.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQUndoCommand.cc b/src/gsiqt/qt6/QtGui/gsiDeclQUndoCommand.cc index 3b23e9897c..04eafefa29 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQUndoCommand.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQUndoCommand.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQUndoGroup.cc b/src/gsiqt/qt6/QtGui/gsiDeclQUndoGroup.cc index 8a3ced3a35..111b4f259b 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQUndoGroup.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQUndoGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQUndoStack.cc b/src/gsiqt/qt6/QtGui/gsiDeclQUndoStack.cc index c85496448a..9d8e51c2af 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQUndoStack.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQUndoStack.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQValidator.cc b/src/gsiqt/qt6/QtGui/gsiDeclQValidator.cc index ad4bc4d3ce..dd417aebeb 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQValidator.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQValidator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQVector2D.cc b/src/gsiqt/qt6/QtGui/gsiDeclQVector2D.cc index fdf47e808c..b39884a65a 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQVector2D.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQVector2D.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQVector3D.cc b/src/gsiqt/qt6/QtGui/gsiDeclQVector3D.cc index 0d4339e0fb..5b3b48f940 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQVector3D.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQVector3D.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQVector4D.cc b/src/gsiqt/qt6/QtGui/gsiDeclQVector4D.cc index dadb0a35af..ee80f6a394 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQVector4D.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQVector4D.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQWhatsThisClickedEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQWhatsThisClickedEvent.cc index 9835f93170..fc926254a8 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQWhatsThisClickedEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQWhatsThisClickedEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQWheelEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQWheelEvent.cc index 6965df031a..004968c714 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQWheelEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQWheelEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQWindow.cc b/src/gsiqt/qt6/QtGui/gsiDeclQWindow.cc index 8d694e1044..1a531eeff3 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQWindow.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQWindow.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQWindowStateChangeEvent.cc b/src/gsiqt/qt6/QtGui/gsiDeclQWindowStateChangeEvent.cc index 370f14e9f3..143b210f77 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQWindowStateChangeEvent.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQWindowStateChangeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiDeclQtGuiAdd.cc b/src/gsiqt/qt6/QtGui/gsiDeclQtGuiAdd.cc index bd738b78d2..10d3caf53f 100644 --- a/src/gsiqt/qt6/QtGui/gsiDeclQtGuiAdd.cc +++ b/src/gsiqt/qt6/QtGui/gsiDeclQtGuiAdd.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtGui/gsiQtExternals.h b/src/gsiqt/qt6/QtGui/gsiQtExternals.h index b5a7f3e7f2..91cc954911 100644 --- a/src/gsiqt/qt6/QtGui/gsiQtExternals.h +++ b/src/gsiqt/qt6/QtGui/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudio.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudio.cc index 83702f704b..6bf61a4466 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudio.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudio.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioBuffer.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioBuffer.cc index 52b9356797..b6b382346d 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioBuffer.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioBuffer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioDecoder.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioDecoder.cc index 0fbf150683..0572197d33 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioDecoder.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioDecoder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioDevice.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioDevice.cc index 457401f249..36565f5a31 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioDevice.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioDevice.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioFormat.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioFormat.cc index e8de79cc0d..45cd64ba86 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioFormat.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioInput.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioInput.cc index b068d8b13e..ad0c5cc842 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioInput.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioInput.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioOutput.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioOutput.cc index b514bddc2a..c6d76791db 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioOutput.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioOutput.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioSink.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioSink.cc index e19273f5bc..2b572ed910 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioSink.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioSink.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioSource.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioSource.cc index c421cb5771..31f884e04a 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioSource.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQAudioSource.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQCamera.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQCamera.cc index 396a903754..22256710fc 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQCamera.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQCamera.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQCameraDevice.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQCameraDevice.cc index 0fc171fcb7..45cadf6b41 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQCameraDevice.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQCameraDevice.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQCameraFormat.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQCameraFormat.cc index 8e106f4473..aaf6e3f3e3 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQCameraFormat.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQCameraFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQImageCapture.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQImageCapture.cc index 580f933d23..ca28d1aea3 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQImageCapture.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQImageCapture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaCaptureSession.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaCaptureSession.cc index 5863f40cc5..a1e2064ab4 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaCaptureSession.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaCaptureSession.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaDevices.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaDevices.cc index 080798328f..780176c27a 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaDevices.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaDevices.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaFormat.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaFormat.cc index 279312a0c5..5741cf1b37 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaFormat.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaMetaData.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaMetaData.cc index 80924a0793..d4d3c4ac3d 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaMetaData.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaMetaData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaPlayer.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaPlayer.cc index 1273533638..52b219e545 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaPlayer.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaPlayer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaRecorder.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaRecorder.cc index 51b28d4136..55711295f1 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaRecorder.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaRecorder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaTimeRange.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaTimeRange.cc index a30265936e..32f559df81 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaTimeRange.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaTimeRange.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaTimeRange_Interval.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaTimeRange_Interval.cc index af0e5f36af..4d3d2b4785 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaTimeRange_Interval.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQMediaTimeRange_Interval.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQSoundEffect.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQSoundEffect.cc index 76f335fecd..ea6f1a519a 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQSoundEffect.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQSoundEffect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrame.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrame.cc index 1f5bd83c04..7994433fbd 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrame.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrame.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrameFormat.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrameFormat.cc index 779f75a3e2..f058dbd4de 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrameFormat.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrameFormat.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrame_PaintOptions.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrame_PaintOptions.cc index 008718af0d..c14be9f3da 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrame_PaintOptions.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoFrame_PaintOptions.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoSink.cc b/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoSink.cc index 0db664e232..ce0b61b01e 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoSink.cc +++ b/src/gsiqt/qt6/QtMultimedia/gsiDeclQVideoSink.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtMultimedia/gsiQtExternals.h b/src/gsiqt/qt6/QtMultimedia/gsiQtExternals.h index 46beb66b79..f3efd64cfe 100644 --- a/src/gsiqt/qt6/QtMultimedia/gsiQtExternals.h +++ b/src/gsiqt/qt6/QtMultimedia/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQAbstractNetworkCache.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQAbstractNetworkCache.cc index 1022d711b5..6ca7077f7a 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQAbstractNetworkCache.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQAbstractNetworkCache.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQAbstractSocket.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQAbstractSocket.cc index ffc37f3616..7825fb858d 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQAbstractSocket.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQAbstractSocket.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQAuthenticator.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQAuthenticator.cc index dcc11e5aab..6e0eac237c 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQAuthenticator.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQAuthenticator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsDomainNameRecord.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsDomainNameRecord.cc index 2eab52dfc1..bba9f3fb8f 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsDomainNameRecord.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsDomainNameRecord.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsHostAddressRecord.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsHostAddressRecord.cc index 03be8a4003..555a81385b 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsHostAddressRecord.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsHostAddressRecord.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsLookup.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsLookup.cc index 2e2594c970..cb902e6508 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsLookup.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsLookup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsMailExchangeRecord.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsMailExchangeRecord.cc index a2b9e46dbb..31a779a428 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsMailExchangeRecord.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsMailExchangeRecord.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsServiceRecord.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsServiceRecord.cc index e8e0f1f633..9241960a39 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsServiceRecord.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsServiceRecord.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsTextRecord.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsTextRecord.cc index f184e4357d..42f9a44583 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsTextRecord.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQDnsTextRecord.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQDtls.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQDtls.cc index 01ea497d06..24c8701ef5 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQDtls.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQDtls.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQDtlsClientVerifier.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQDtlsClientVerifier.cc index d466c28775..d9033ea0c9 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQDtlsClientVerifier.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQDtlsClientVerifier.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQDtlsClientVerifier_GeneratorParameters.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQDtlsClientVerifier_GeneratorParameters.cc index b78e9a7768..c223264ba3 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQDtlsClientVerifier_GeneratorParameters.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQDtlsClientVerifier_GeneratorParameters.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQDtlsError.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQDtlsError.cc index 23005ba7aa..b66a2bf5ad 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQDtlsError.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQDtlsError.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQHostAddress.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQHostAddress.cc index bfa311183d..2d884ffa5a 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQHostAddress.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQHostAddress.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQHostInfo.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQHostInfo.cc index 74ce8770bc..0ec3e99ac5 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQHostInfo.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQHostInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQHstsPolicy.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQHstsPolicy.cc index ed9cc5f524..7a3711670f 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQHstsPolicy.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQHstsPolicy.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQHttp2Configuration.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQHttp2Configuration.cc index 717ca89516..68a773c562 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQHttp2Configuration.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQHttp2Configuration.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQHttpMultiPart.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQHttpMultiPart.cc index d551e67642..56d020bb82 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQHttpMultiPart.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQHttpMultiPart.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQHttpPart.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQHttpPart.cc index e5da4f759a..55abc67aaa 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQHttpPart.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQHttpPart.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQIPv6Address.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQIPv6Address.cc index 322f56daf3..24e8014496 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQIPv6Address.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQIPv6Address.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQLocalServer.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQLocalServer.cc index c60158fc2a..d5d7b60643 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQLocalServer.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQLocalServer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQLocalSocket.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQLocalSocket.cc index 8275814ee3..186c0454e6 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQLocalSocket.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQLocalSocket.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAccessManager.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAccessManager.cc index 994044a87e..7a04c9691e 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAccessManager.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAccessManager.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAddressEntry.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAddressEntry.cc index fe5e098e03..1e5b532b07 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAddressEntry.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkAddressEntry.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkCacheMetaData.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkCacheMetaData.cc index 98a3b63302..c7d902faa0 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkCacheMetaData.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkCacheMetaData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkCookie.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkCookie.cc index c7dff23c2a..8e16749ae7 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkCookie.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkCookie.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkCookieJar.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkCookieJar.cc index aed3466b5e..2da9a56992 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkCookieJar.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkCookieJar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkDatagram.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkDatagram.cc index 04cd36b94f..3e2c93783a 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkDatagram.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkDatagram.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkDiskCache.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkDiskCache.cc index 279a4cedf0..7460cf19b4 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkDiskCache.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkDiskCache.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkInformation.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkInformation.cc index 9b587b37f3..02e292ba29 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkInformation.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkInformation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkInterface.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkInterface.cc index 454c382dfe..12ac13750c 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkInterface.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkInterface.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkProxy.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkProxy.cc index bf34fc2ff8..6fd8f568c2 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkProxy.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkProxy.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkProxyFactory.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkProxyFactory.cc index 545a72ce8b..a999016b87 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkProxyFactory.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkProxyFactory.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkProxyQuery.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkProxyQuery.cc index 2df47ba94e..0495d3d2e6 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkProxyQuery.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkProxyQuery.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkReply.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkReply.cc index b2859703de..fc8efc725e 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkReply.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkReply.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkRequest.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkRequest.cc index 76e3a506f5..c01165b276 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkRequest.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQNetworkRequest.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQOcspCertificateStatus.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQOcspCertificateStatus.cc index f97487cdbc..a39e76d2ec 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQOcspCertificateStatus.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQOcspCertificateStatus.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQOcspRevocationReason.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQOcspRevocationReason.cc index 2b569528a0..5a1a6aa0be 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQOcspRevocationReason.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQOcspRevocationReason.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQPasswordDigestor.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQPasswordDigestor.cc index 00aae0bbb2..3425adc257 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQPasswordDigestor.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQPasswordDigestor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQSsl.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQSsl.cc index 1a7c878071..65f0f39bf7 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQSsl.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQSsl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslCertificate.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslCertificate.cc index d2b70d3bad..6e3a8f08be 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslCertificate.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslCertificate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslCertificateExtension.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslCertificateExtension.cc index 52c1868b57..cd5ecd6b61 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslCertificateExtension.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslCertificateExtension.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslCipher.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslCipher.cc index 16a3285084..ed199f9e36 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslCipher.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslCipher.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslConfiguration.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslConfiguration.cc index 069ee8f21d..d593d82f79 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslConfiguration.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslConfiguration.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslDiffieHellmanParameters.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslDiffieHellmanParameters.cc index a652c9e01a..479a9fde8b 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslDiffieHellmanParameters.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslDiffieHellmanParameters.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslEllipticCurve.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslEllipticCurve.cc index 45912c99e0..baea1d3e69 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslEllipticCurve.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslEllipticCurve.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslError.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslError.cc index d568a362c4..b9da8de16d 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslError.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslError.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslKey.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslKey.cc index 18b53974c1..1fe409cf37 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslKey.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslKey.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslPreSharedKeyAuthenticator.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslPreSharedKeyAuthenticator.cc index 150cdb743d..7fb92588ed 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslPreSharedKeyAuthenticator.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslPreSharedKeyAuthenticator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslSocket.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslSocket.cc index 9c9c34f996..eb7ba42666 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQSslSocket.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQSslSocket.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQTcpServer.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQTcpServer.cc index 490e65e8fb..bbbc08a930 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQTcpServer.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQTcpServer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQTcpSocket.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQTcpSocket.cc index 7a2f518361..30a2f6c3e2 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQTcpSocket.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQTcpSocket.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQUdpSocket.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQUdpSocket.cc index 4489812bc5..4fbc866505 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQUdpSocket.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQUdpSocket.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiDeclQtNetworkAdd.cc b/src/gsiqt/qt6/QtNetwork/gsiDeclQtNetworkAdd.cc index 16044e39cb..e64e1775b1 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiDeclQtNetworkAdd.cc +++ b/src/gsiqt/qt6/QtNetwork/gsiDeclQtNetworkAdd.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtNetwork/gsiQtExternals.h b/src/gsiqt/qt6/QtNetwork/gsiQtExternals.h index f2ed9ef8bb..a6f0f80cec 100644 --- a/src/gsiqt/qt6/QtNetwork/gsiQtExternals.h +++ b/src/gsiqt/qt6/QtNetwork/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc index 33d2b06fcf..7ee97d2f19 100644 --- a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc +++ b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQAbstractPrintDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPageSetupDialog.cc b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPageSetupDialog.cc index 26c8414415..59ccd0cc0a 100644 --- a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPageSetupDialog.cc +++ b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPageSetupDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintDialog.cc b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintDialog.cc index b1bbf0456d..e8c4b7f21a 100644 --- a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintDialog.cc +++ b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintEngine.cc b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintEngine.cc index 690566a1bc..a8d97711d4 100644 --- a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintEngine.cc +++ b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintEngine.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc index 602efc779b..9416f21d29 100644 --- a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc +++ b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc index 5b7a9ab33d..7634ba2b44 100644 --- a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc +++ b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrintPreviewWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrinter.cc b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrinter.cc index 727c764b22..bf820260d3 100644 --- a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrinter.cc +++ b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrinter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrinterInfo.cc b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrinterInfo.cc index 8b4823ac0c..ef50a31df5 100644 --- a/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrinterInfo.cc +++ b/src/gsiqt/qt6/QtPrintSupport/gsiDeclQPrinterInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtPrintSupport/gsiQtExternals.h b/src/gsiqt/qt6/QtPrintSupport/gsiQtExternals.h index ef9f95f9c5..bf5341ce51 100644 --- a/src/gsiqt/qt6/QtPrintSupport/gsiQtExternals.h +++ b/src/gsiqt/qt6/QtPrintSupport/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtSql/gsiDeclQSql.cc b/src/gsiqt/qt6/QtSql/gsiDeclQSql.cc index 140b93cdab..c4eeaafd06 100644 --- a/src/gsiqt/qt6/QtSql/gsiDeclQSql.cc +++ b/src/gsiqt/qt6/QtSql/gsiDeclQSql.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtSql/gsiDeclQSqlDatabase.cc b/src/gsiqt/qt6/QtSql/gsiDeclQSqlDatabase.cc index fb20ceb3cc..bf2f8a2369 100644 --- a/src/gsiqt/qt6/QtSql/gsiDeclQSqlDatabase.cc +++ b/src/gsiqt/qt6/QtSql/gsiDeclQSqlDatabase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtSql/gsiDeclQSqlDriver.cc b/src/gsiqt/qt6/QtSql/gsiDeclQSqlDriver.cc index a73fa753e1..298132f3f3 100644 --- a/src/gsiqt/qt6/QtSql/gsiDeclQSqlDriver.cc +++ b/src/gsiqt/qt6/QtSql/gsiDeclQSqlDriver.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtSql/gsiDeclQSqlDriverCreatorBase.cc b/src/gsiqt/qt6/QtSql/gsiDeclQSqlDriverCreatorBase.cc index da8b44af48..4e08b2c480 100644 --- a/src/gsiqt/qt6/QtSql/gsiDeclQSqlDriverCreatorBase.cc +++ b/src/gsiqt/qt6/QtSql/gsiDeclQSqlDriverCreatorBase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtSql/gsiDeclQSqlError.cc b/src/gsiqt/qt6/QtSql/gsiDeclQSqlError.cc index 2dcb176594..a124582d3a 100644 --- a/src/gsiqt/qt6/QtSql/gsiDeclQSqlError.cc +++ b/src/gsiqt/qt6/QtSql/gsiDeclQSqlError.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtSql/gsiDeclQSqlField.cc b/src/gsiqt/qt6/QtSql/gsiDeclQSqlField.cc index bec3f1d458..929d19ef3b 100644 --- a/src/gsiqt/qt6/QtSql/gsiDeclQSqlField.cc +++ b/src/gsiqt/qt6/QtSql/gsiDeclQSqlField.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtSql/gsiDeclQSqlIndex.cc b/src/gsiqt/qt6/QtSql/gsiDeclQSqlIndex.cc index 29e97abe63..b6043f5874 100644 --- a/src/gsiqt/qt6/QtSql/gsiDeclQSqlIndex.cc +++ b/src/gsiqt/qt6/QtSql/gsiDeclQSqlIndex.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtSql/gsiDeclQSqlQuery.cc b/src/gsiqt/qt6/QtSql/gsiDeclQSqlQuery.cc index 8c39239da3..25202294b6 100644 --- a/src/gsiqt/qt6/QtSql/gsiDeclQSqlQuery.cc +++ b/src/gsiqt/qt6/QtSql/gsiDeclQSqlQuery.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtSql/gsiDeclQSqlQueryModel.cc b/src/gsiqt/qt6/QtSql/gsiDeclQSqlQueryModel.cc index 8cf6766639..c070dab41c 100644 --- a/src/gsiqt/qt6/QtSql/gsiDeclQSqlQueryModel.cc +++ b/src/gsiqt/qt6/QtSql/gsiDeclQSqlQueryModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtSql/gsiDeclQSqlRecord.cc b/src/gsiqt/qt6/QtSql/gsiDeclQSqlRecord.cc index 4978862d94..d42b8b6c64 100644 --- a/src/gsiqt/qt6/QtSql/gsiDeclQSqlRecord.cc +++ b/src/gsiqt/qt6/QtSql/gsiDeclQSqlRecord.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtSql/gsiDeclQSqlRelation.cc b/src/gsiqt/qt6/QtSql/gsiDeclQSqlRelation.cc index 266240cc29..1efaa31c95 100644 --- a/src/gsiqt/qt6/QtSql/gsiDeclQSqlRelation.cc +++ b/src/gsiqt/qt6/QtSql/gsiDeclQSqlRelation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtSql/gsiDeclQSqlRelationalTableModel.cc b/src/gsiqt/qt6/QtSql/gsiDeclQSqlRelationalTableModel.cc index 6f9ad15835..05e0643f3a 100644 --- a/src/gsiqt/qt6/QtSql/gsiDeclQSqlRelationalTableModel.cc +++ b/src/gsiqt/qt6/QtSql/gsiDeclQSqlRelationalTableModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtSql/gsiDeclQSqlResult.cc b/src/gsiqt/qt6/QtSql/gsiDeclQSqlResult.cc index af246e403d..756c882e54 100644 --- a/src/gsiqt/qt6/QtSql/gsiDeclQSqlResult.cc +++ b/src/gsiqt/qt6/QtSql/gsiDeclQSqlResult.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtSql/gsiDeclQSqlTableModel.cc b/src/gsiqt/qt6/QtSql/gsiDeclQSqlTableModel.cc index 443c3f27ad..864d6f0ed1 100644 --- a/src/gsiqt/qt6/QtSql/gsiDeclQSqlTableModel.cc +++ b/src/gsiqt/qt6/QtSql/gsiDeclQSqlTableModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtSql/gsiQtExternals.h b/src/gsiqt/qt6/QtSql/gsiQtExternals.h index eff330c9b3..f822c608f4 100644 --- a/src/gsiqt/qt6/QtSql/gsiQtExternals.h +++ b/src/gsiqt/qt6/QtSql/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtSvg/gsiDeclQSvgGenerator.cc b/src/gsiqt/qt6/QtSvg/gsiDeclQSvgGenerator.cc index 4b4501a5e8..15ea5b4f97 100644 --- a/src/gsiqt/qt6/QtSvg/gsiDeclQSvgGenerator.cc +++ b/src/gsiqt/qt6/QtSvg/gsiDeclQSvgGenerator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtSvg/gsiDeclQSvgRenderer.cc b/src/gsiqt/qt6/QtSvg/gsiDeclQSvgRenderer.cc index d458d9564d..229be0210a 100644 --- a/src/gsiqt/qt6/QtSvg/gsiDeclQSvgRenderer.cc +++ b/src/gsiqt/qt6/QtSvg/gsiDeclQSvgRenderer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtSvg/gsiQtExternals.h b/src/gsiqt/qt6/QtSvg/gsiQtExternals.h index a1417053b5..244ac77eac 100644 --- a/src/gsiqt/qt6/QtSvg/gsiQtExternals.h +++ b/src/gsiqt/qt6/QtSvg/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtUiTools/gsiDeclQUiLoader.cc b/src/gsiqt/qt6/QtUiTools/gsiDeclQUiLoader.cc index cb2ec7cbb6..5d1ea7f4e7 100644 --- a/src/gsiqt/qt6/QtUiTools/gsiDeclQUiLoader.cc +++ b/src/gsiqt/qt6/QtUiTools/gsiDeclQUiLoader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtUiTools/gsiQtExternals.h b/src/gsiqt/qt6/QtUiTools/gsiQtExternals.h index 757bb33a3f..635e73941d 100644 --- a/src/gsiqt/qt6/QtUiTools/gsiQtExternals.h +++ b/src/gsiqt/qt6/QtUiTools/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractButton.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractButton.cc index d535348017..22305c964b 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractButton.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractGraphicsShapeItem.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractGraphicsShapeItem.cc index 3cd0db6f35..4458bbbc8f 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractGraphicsShapeItem.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractGraphicsShapeItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractItemDelegate.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractItemDelegate.cc index 973c99d9d3..79eb0d1f7d 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractItemDelegate.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractItemDelegate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractItemView.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractItemView.cc index 35a8e16b40..76ce68958d 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractItemView.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractItemView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractScrollArea.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractScrollArea.cc index ee4983a191..a9d15bd058 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractScrollArea.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractScrollArea.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractSlider.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractSlider.cc index 3918a6389d..b9517ed57b 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractSlider.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractSlider.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractSpinBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractSpinBox.cc index 0bc20f9eb3..73bd0baeb6 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractSpinBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQAbstractSpinBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQAccessibleWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQAccessibleWidget.cc index dc3956b936..5f77647c03 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQAccessibleWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQAccessibleWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQApplication.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQApplication.cc index f71f4029c8..0f5dccfed4 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQApplication.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQApplication.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQBoxLayout.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQBoxLayout.cc index e74c734c06..31585db6d8 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQBoxLayout.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQBoxLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQButtonGroup.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQButtonGroup.cc index 13c71765e7..a5777b6f7c 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQButtonGroup.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQButtonGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQCalendarWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQCalendarWidget.cc index 044ab49251..f9487b596f 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQCalendarWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQCalendarWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQCheckBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQCheckBox.cc index 209db22c8e..6f36283c71 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQCheckBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQCheckBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQColorDialog.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQColorDialog.cc index f6ca949ece..924f7a3794 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQColorDialog.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQColorDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQColormap.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQColormap.cc index a12cebe3ff..da9ae29ed0 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQColormap.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQColormap.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQColumnView.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQColumnView.cc index f3c6477d8f..d90cca6eb0 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQColumnView.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQColumnView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQComboBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQComboBox.cc index 392b2c3503..08df54addd 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQComboBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQComboBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQCommandLinkButton.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQCommandLinkButton.cc index 3f106e6b2c..d730b10c56 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQCommandLinkButton.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQCommandLinkButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQCommonStyle.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQCommonStyle.cc index dbbf77cd91..58ddf15752 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQCommonStyle.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQCommonStyle.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQCompleter.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQCompleter.cc index 6d7a92ceb0..9c630a20c8 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQCompleter.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQCompleter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQDataWidgetMapper.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQDataWidgetMapper.cc index 64d5a3d9f1..e40f616870 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQDataWidgetMapper.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQDataWidgetMapper.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQDateEdit.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQDateEdit.cc index df8d545d87..720c7c972d 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQDateEdit.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQDateEdit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQDateTimeEdit.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQDateTimeEdit.cc index 3bdd86a6d1..2b3e2bfc41 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQDateTimeEdit.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQDateTimeEdit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQDial.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQDial.cc index 46443769c4..a48165382a 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQDial.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQDial.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQDialog.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQDialog.cc index 665147a0de..e163571917 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQDialog.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQDialogButtonBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQDialogButtonBox.cc index 3171ad6e5c..d343754d8f 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQDialogButtonBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQDialogButtonBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQDockWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQDockWidget.cc index f525c437e6..8329143293 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQDockWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQDockWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQDoubleSpinBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQDoubleSpinBox.cc index b6abb64fc8..94d9307fd0 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQDoubleSpinBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQDoubleSpinBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQErrorMessage.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQErrorMessage.cc index 4a8c8e7971..2ebc658b03 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQErrorMessage.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQErrorMessage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQFileDialog.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQFileDialog.cc index 0865407879..10bf641fff 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQFileDialog.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQFileDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQFileIconProvider.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQFileIconProvider.cc index a8786864fa..f71e28beab 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQFileIconProvider.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQFileIconProvider.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQFocusFrame.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQFocusFrame.cc index a6c10ced95..e5617672a1 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQFocusFrame.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQFocusFrame.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQFontComboBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQFontComboBox.cc index 685db5556e..6bf01e7a06 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQFontComboBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQFontComboBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQFontDialog.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQFontDialog.cc index a4e1c93483..1af6cdd526 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQFontDialog.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQFontDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQFormLayout.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQFormLayout.cc index 7d8f6fa532..87180adf7a 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQFormLayout.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQFormLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQFormLayout_TakeRowResult.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQFormLayout_TakeRowResult.cc index c164bcd867..b49ec14212 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQFormLayout_TakeRowResult.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQFormLayout_TakeRowResult.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQFrame.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQFrame.cc index e8812fdf6e..3999ddc3fa 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQFrame.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQFrame.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGesture.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGesture.cc index fe23e502e2..ad82a0a3ad 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGesture.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGesture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGestureEvent.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGestureEvent.cc index 77afc17195..90a35e9398 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGestureEvent.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGestureEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGestureRecognizer.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGestureRecognizer.cc index b81cb3f6ec..fc86a1d86f 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGestureRecognizer.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGestureRecognizer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsAnchor.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsAnchor.cc index 196ab4a4ca..1b2a4203bc 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsAnchor.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsAnchor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsAnchorLayout.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsAnchorLayout.cc index 023cf28356..221e23c186 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsAnchorLayout.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsAnchorLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsBlurEffect.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsBlurEffect.cc index afc9aa5cf2..789c0d097d 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsBlurEffect.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsBlurEffect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsColorizeEffect.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsColorizeEffect.cc index 51c7b6038d..209ddf4fd4 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsColorizeEffect.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsColorizeEffect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsDropShadowEffect.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsDropShadowEffect.cc index b560895d3d..71bec21da4 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsDropShadowEffect.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsDropShadowEffect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsEffect.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsEffect.cc index 3fb6acd5f1..f0ca94a3d8 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsEffect.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsEffect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsEllipseItem.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsEllipseItem.cc index 9b44e2b4ec..868cea3f0e 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsEllipseItem.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsEllipseItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsGridLayout.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsGridLayout.cc index 71f5416ac8..9163262574 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsGridLayout.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsGridLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsItem.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsItem.cc index 84c939dbec..9b11c644bb 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsItem.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsItemAnimation.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsItemAnimation.cc index 08b7da05a3..bc75d21222 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsItemAnimation.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsItemAnimation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsItemGroup.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsItemGroup.cc index ccdadf9571..f74d9cf5d5 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsItemGroup.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsItemGroup.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsLayout.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsLayout.cc index 3616f365f6..59df189339 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsLayout.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsLayoutItem.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsLayoutItem.cc index 62a292ec09..6f56b46515 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsLayoutItem.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsLayoutItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsLineItem.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsLineItem.cc index 738e48c894..967573c389 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsLineItem.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsLineItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsLinearLayout.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsLinearLayout.cc index 629195369d..e0704339fc 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsLinearLayout.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsLinearLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsObject.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsObject.cc index 37d761f24c..9ce0dadd81 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsObject.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsOpacityEffect.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsOpacityEffect.cc index 4944dc24fe..a38495c962 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsOpacityEffect.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsOpacityEffect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsPathItem.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsPathItem.cc index c013eb093c..c7393c2949 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsPathItem.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsPathItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsPixmapItem.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsPixmapItem.cc index 4b3c8ea2ee..23047fd682 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsPixmapItem.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsPixmapItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsPolygonItem.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsPolygonItem.cc index cb8d1caa3a..4a8e3ee0e4 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsPolygonItem.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsPolygonItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsProxyWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsProxyWidget.cc index 8651639b75..18f187ec25 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsProxyWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsProxyWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsRectItem.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsRectItem.cc index c6289e00e8..b3d9601385 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsRectItem.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsRectItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsRotation.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsRotation.cc index 31ac2bb318..7930f3524a 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsRotation.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsRotation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsScale.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsScale.cc index 172c2ae980..911ac5c091 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsScale.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsScale.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsScene.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsScene.cc index c34f3ef124..ce7c7d9661 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsScene.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsScene.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneContextMenuEvent.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneContextMenuEvent.cc index 719b6644e8..f7776a5faa 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneContextMenuEvent.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneContextMenuEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneDragDropEvent.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneDragDropEvent.cc index 606e787912..f609d8d170 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneDragDropEvent.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneDragDropEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneEvent.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneEvent.cc index 85ea3fe683..c1ca3af9f7 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneEvent.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneHelpEvent.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneHelpEvent.cc index 76219b3a0b..7f8b2f2ed3 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneHelpEvent.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneHelpEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneHoverEvent.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneHoverEvent.cc index 1cfe2e9596..26496deace 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneHoverEvent.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneHoverEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneMouseEvent.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneMouseEvent.cc index eb378d4e5c..f09c4a8c9f 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneMouseEvent.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneMouseEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneMoveEvent.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneMoveEvent.cc index 791d0560f2..10a293dab6 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneMoveEvent.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneMoveEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneResizeEvent.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneResizeEvent.cc index 76e7b47cba..0eb7a7e2aa 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneResizeEvent.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneResizeEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneWheelEvent.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneWheelEvent.cc index 3be010a298..ee8f2a3a64 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneWheelEvent.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSceneWheelEvent.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSimpleTextItem.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSimpleTextItem.cc index 10352c18d5..b7e6d72719 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSimpleTextItem.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsSimpleTextItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsTextItem.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsTextItem.cc index 9c745263da..62874d783f 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsTextItem.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsTextItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsTransform.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsTransform.cc index d8f345e5b8..8b3c7ac847 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsTransform.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsTransform.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsView.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsView.cc index ec2ee8f57f..4ee41ad9c5 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsView.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsWidget.cc index 3d0e48dc00..79ce54075d 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGraphicsWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGridLayout.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGridLayout.cc index 0aea1e4be6..4e7c95b90d 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGridLayout.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGridLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQGroupBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQGroupBox.cc index d51dc734f0..5c9ca57324 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQGroupBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQGroupBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQHBoxLayout.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQHBoxLayout.cc index 1bb8ed9ddc..140ecf6ef3 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQHBoxLayout.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQHBoxLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQHeaderView.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQHeaderView.cc index 5bf522be2b..4052f88afb 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQHeaderView.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQHeaderView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQInputDialog.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQInputDialog.cc index 99b43da09d..cbbf9e689e 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQInputDialog.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQInputDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQItemDelegate.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQItemDelegate.cc index 0193fbb0b0..57fb58409e 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQItemDelegate.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQItemDelegate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQItemEditorCreatorBase.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQItemEditorCreatorBase.cc index f3b0dd8646..2a7b505486 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQItemEditorCreatorBase.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQItemEditorCreatorBase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQItemEditorFactory.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQItemEditorFactory.cc index d61e64d411..c88492c6e2 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQItemEditorFactory.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQItemEditorFactory.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQKeySequenceEdit.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQKeySequenceEdit.cc index ab82de67c9..b09e9e8e41 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQKeySequenceEdit.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQKeySequenceEdit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQLCDNumber.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQLCDNumber.cc index 0e2f23a56f..085306dfcb 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQLCDNumber.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQLCDNumber.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQLabel.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQLabel.cc index ab09d2e592..f663f45a75 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQLabel.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQLabel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQLayout.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQLayout.cc index 3cc82a5044..f5d25007c4 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQLayout.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQLayoutItem.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQLayoutItem.cc index c0424f84f3..12f01d9402 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQLayoutItem.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQLayoutItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQLineEdit.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQLineEdit.cc index 1942a5279a..fbe79a6b47 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQLineEdit.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQLineEdit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQListView.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQListView.cc index 0ea5256975..e6ca8f67d6 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQListView.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQListView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQListWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQListWidget.cc index 9f1ea54662..8b09305201 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQListWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQListWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQListWidgetItem.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQListWidgetItem.cc index 265bc46cdd..c9ab64feb7 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQListWidgetItem.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQListWidgetItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQMainWindow.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQMainWindow.cc index b4a233178f..491c4906b0 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQMainWindow.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQMainWindow.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQMdiArea.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQMdiArea.cc index ad68693fe4..6f75a4d5f3 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQMdiArea.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQMdiArea.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQMdiSubWindow.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQMdiSubWindow.cc index 97de5e2a88..a0347e8e93 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQMdiSubWindow.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQMdiSubWindow.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQMenu.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQMenu.cc index d4c36a905d..0998a5d4bc 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQMenu.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQMenu.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQMenuBar.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQMenuBar.cc index ffa8bd5c92..a8760953d9 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQMenuBar.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQMenuBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQMessageBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQMessageBox.cc index 4bc375bf65..2cdda07206 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQMessageBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQMessageBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQPanGesture.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQPanGesture.cc index f3980e0f3b..7a917df6b0 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQPanGesture.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQPanGesture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQPinchGesture.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQPinchGesture.cc index 632bfd2fcf..103975e93c 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQPinchGesture.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQPinchGesture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQPlainTextDocumentLayout.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQPlainTextDocumentLayout.cc index d1fbedd077..a2ff08d48e 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQPlainTextDocumentLayout.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQPlainTextDocumentLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQPlainTextEdit.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQPlainTextEdit.cc index 9f9ae2126e..354b287e56 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQPlainTextEdit.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQPlainTextEdit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQProgressBar.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQProgressBar.cc index d82959c753..66e1ed84de 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQProgressBar.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQProgressBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQProgressDialog.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQProgressDialog.cc index e31b873f55..c2b5047af9 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQProgressDialog.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQProgressDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQPushButton.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQPushButton.cc index cf13c68a3b..e17b97816d 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQPushButton.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQPushButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQRadioButton.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQRadioButton.cc index 2945cf6e91..4911efe4a3 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQRadioButton.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQRadioButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQRubberBand.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQRubberBand.cc index c3e970b620..83ca9854e3 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQRubberBand.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQRubberBand.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQScrollArea.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQScrollArea.cc index 76b9105ee9..85348a047b 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQScrollArea.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQScrollArea.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQScrollBar.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQScrollBar.cc index 73433b19fb..41683ec859 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQScrollBar.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQScrollBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQScroller.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQScroller.cc index 69072974bc..7128964f0e 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQScroller.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQScroller.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQScrollerProperties.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQScrollerProperties.cc index d30e0dd48f..51c7d0f337 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQScrollerProperties.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQScrollerProperties.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQSizeGrip.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQSizeGrip.cc index bc81ea10ce..9cea36b1b7 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQSizeGrip.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQSizeGrip.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQSizePolicy.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQSizePolicy.cc index ea6c144b6b..3236ee21ae 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQSizePolicy.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQSizePolicy.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQSlider.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQSlider.cc index f7204d1fa7..7fce7d891c 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQSlider.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQSlider.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQSpacerItem.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQSpacerItem.cc index 3d8b22de41..b061b8754f 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQSpacerItem.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQSpacerItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQSpinBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQSpinBox.cc index 3a969b346b..3837486b5a 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQSpinBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQSpinBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQSplashScreen.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQSplashScreen.cc index d621cdffcd..3a3f8475a7 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQSplashScreen.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQSplashScreen.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQSplitter.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQSplitter.cc index 939a3036d2..28db4b6184 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQSplitter.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQSplitter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQSplitterHandle.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQSplitterHandle.cc index 46c75aaf28..a626ee94da 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQSplitterHandle.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQSplitterHandle.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStackedLayout.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStackedLayout.cc index b3faad2065..7dce16dcb6 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStackedLayout.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStackedLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStackedWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStackedWidget.cc index 5fb7e33a84..d9098d0e62 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStackedWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStackedWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStatusBar.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStatusBar.cc index d117801e6b..490fd8c1a1 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStatusBar.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStatusBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyle.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyle.cc index f2aaf4b5fc..630bdf8d45 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyle.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyle.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleFactory.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleFactory.cc index a70ccaac22..72a39967f8 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleFactory.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleFactory.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleHintReturn.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleHintReturn.cc index 611549cb6a..7052824bba 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleHintReturn.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleHintReturn.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleHintReturnMask.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleHintReturnMask.cc index a449ab93e8..c61498d48b 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleHintReturnMask.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleHintReturnMask.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleHintReturnVariant.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleHintReturnVariant.cc index 1567356cae..a58fb0d1c4 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleHintReturnVariant.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleHintReturnVariant.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOption.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOption.cc index 8c26e1ffa0..5829e902f9 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOption.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOption.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionButton.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionButton.cc index d364bca427..399c7a6026 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionButton.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionComboBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionComboBox.cc index e2e268b0f2..3b04afbaec 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionComboBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionComboBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionComplex.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionComplex.cc index addafa7abc..3cceb5b416 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionComplex.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionComplex.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionDockWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionDockWidget.cc index bcfa63da6d..d5962d5efe 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionDockWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionDockWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionFocusRect.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionFocusRect.cc index 3e492d836a..de0cac4a34 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionFocusRect.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionFocusRect.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionFrame.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionFrame.cc index b9814124dd..29a1f81238 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionFrame.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionFrame.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionGraphicsItem.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionGraphicsItem.cc index 1be2cd0c29..9c56c19dbb 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionGraphicsItem.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionGraphicsItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionGroupBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionGroupBox.cc index a1476e71c1..b9ba897f87 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionGroupBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionGroupBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionHeader.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionHeader.cc index e7a8ccf59c..3accfc3791 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionHeader.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionHeader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionHeaderV2.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionHeaderV2.cc index 7687f731c1..4f53509a73 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionHeaderV2.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionHeaderV2.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionMenuItem.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionMenuItem.cc index 7216ee0c23..3eb2274221 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionMenuItem.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionMenuItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionProgressBar.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionProgressBar.cc index abe35f3bd1..8ab320f2a2 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionProgressBar.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionProgressBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionRubberBand.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionRubberBand.cc index b8227a1f80..909b49ca77 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionRubberBand.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionRubberBand.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionSizeGrip.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionSizeGrip.cc index 6ab7a3f79b..f6ad667e79 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionSizeGrip.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionSizeGrip.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionSlider.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionSlider.cc index e0324b7c95..004dc6d773 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionSlider.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionSlider.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionSpinBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionSpinBox.cc index 6e4ab2ecbd..66c32d0bf3 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionSpinBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionSpinBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionTab.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionTab.cc index 4d42e2a53a..11f943eaf0 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionTab.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionTab.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionTabBarBase.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionTabBarBase.cc index c7c96d4e66..55e29b0b2f 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionTabBarBase.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionTabBarBase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionTabWidgetFrame.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionTabWidgetFrame.cc index dace43fa65..afe75f27bc 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionTabWidgetFrame.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionTabWidgetFrame.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionTitleBar.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionTitleBar.cc index 666d333677..105ecd65b5 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionTitleBar.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionTitleBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionToolBar.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionToolBar.cc index b8b9d348a7..b40744d4e3 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionToolBar.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionToolBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionToolBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionToolBox.cc index 7172323e95..eb45ae6095 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionToolBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionToolBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionToolButton.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionToolButton.cc index 1ee43dc2ae..503cd13bb7 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionToolButton.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionToolButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionViewItem.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionViewItem.cc index 7839149a8b..0aa72b8ec9 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionViewItem.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyleOptionViewItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStylePainter.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStylePainter.cc index 682552401f..b03a03335e 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStylePainter.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStylePainter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStylePlugin.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStylePlugin.cc index b4df362e85..f6a5ae9112 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStylePlugin.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStylePlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyledItemDelegate.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyledItemDelegate.cc index 9ab5cb914f..6a5ca62fd6 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQStyledItemDelegate.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQStyledItemDelegate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQSwipeGesture.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQSwipeGesture.cc index db17b61c8f..f7b0de5967 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQSwipeGesture.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQSwipeGesture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQSystemTrayIcon.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQSystemTrayIcon.cc index 64906282ae..1647e380af 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQSystemTrayIcon.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQSystemTrayIcon.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTabBar.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTabBar.cc index 5b4f2b8fe8..eadb8b9820 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTabBar.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTabBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTabWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTabWidget.cc index 17ba9d3820..49dc854c3b 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTabWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTabWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTableView.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTableView.cc index cb63aa0287..c22e263a09 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTableView.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTableView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTableWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTableWidget.cc index 94709e81aa..542245c29d 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTableWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTableWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTableWidgetItem.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTableWidgetItem.cc index 3a471239d1..a624b1bfb1 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTableWidgetItem.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTableWidgetItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTableWidgetSelectionRange.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTableWidgetSelectionRange.cc index 2d876a63e6..7ab0a61bbc 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTableWidgetSelectionRange.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTableWidgetSelectionRange.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTapAndHoldGesture.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTapAndHoldGesture.cc index 7adbc5c3e0..d01adb42aa 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTapAndHoldGesture.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTapAndHoldGesture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTapGesture.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTapGesture.cc index 55729710e3..36cdd301fe 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTapGesture.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTapGesture.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTextBrowser.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTextBrowser.cc index fcc4a85381..af5cd67a6c 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTextBrowser.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTextBrowser.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTextEdit.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTextEdit.cc index e91d278a89..b78b4f8cca 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTextEdit.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTextEdit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTextEdit_ExtraSelection.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTextEdit_ExtraSelection.cc index c7c4da5fa2..3193172898 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTextEdit_ExtraSelection.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTextEdit_ExtraSelection.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTimeEdit.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTimeEdit.cc index 2104e3a215..bc06f65686 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTimeEdit.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTimeEdit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQToolBar.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQToolBar.cc index 081f1a8f6a..6f1b349fb2 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQToolBar.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQToolBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQToolBox.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQToolBox.cc index 112080dca8..5f26b92c8c 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQToolBox.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQToolBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQToolButton.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQToolButton.cc index 0b7a0119cc..f09229b2f1 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQToolButton.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQToolButton.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQToolTip.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQToolTip.cc index 85a8bcd12f..17df4e1710 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQToolTip.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQToolTip.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeView.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeView.cc index 7b3fac71ef..cc70a5ed6a 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeView.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeWidget.cc index 5259b9d62e..99442f03a3 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeWidgetItem.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeWidgetItem.cc index 1039cf45fc..0fc9a85c59 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeWidgetItem.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeWidgetItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeWidgetItemIterator.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeWidgetItemIterator.cc index 55052e4039..6ebb985408 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeWidgetItemIterator.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQTreeWidgetItemIterator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQUndoView.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQUndoView.cc index f82e1b34a6..c0a50e95ad 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQUndoView.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQUndoView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQVBoxLayout.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQVBoxLayout.cc index 4f910a9d76..0e3eb56786 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQVBoxLayout.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQVBoxLayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQWhatsThis.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQWhatsThis.cc index 67612232b0..c37cb13013 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQWhatsThis.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQWhatsThis.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQWidget.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQWidget.cc index 90877c9fd3..3fa84d349e 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQWidget.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQWidgetAction.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQWidgetAction.cc index 3598fcdca4..6876418fc4 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQWidgetAction.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQWidgetAction.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQWidgetItem.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQWidgetItem.cc index eb1d5d6a4c..4201abae8f 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQWidgetItem.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQWidgetItem.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQWizard.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQWizard.cc index 70428e6532..550180f364 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQWizard.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQWizard.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQWizardPage.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQWizardPage.cc index 8b2c769e58..7fe0e1fd46 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQWizardPage.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQWizardPage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiDeclQtWidgetsAdd.cc b/src/gsiqt/qt6/QtWidgets/gsiDeclQtWidgetsAdd.cc index c980d34e88..d22e44832e 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiDeclQtWidgetsAdd.cc +++ b/src/gsiqt/qt6/QtWidgets/gsiDeclQtWidgetsAdd.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtWidgets/gsiQtExternals.h b/src/gsiqt/qt6/QtWidgets/gsiQtExternals.h index 4d5e34bcbc..3a3470c1eb 100644 --- a/src/gsiqt/qt6/QtWidgets/gsiQtExternals.h +++ b/src/gsiqt/qt6/QtWidgets/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtXml/gsiDeclQDomAttr.cc b/src/gsiqt/qt6/QtXml/gsiDeclQDomAttr.cc index 0971b9cc44..85a097d7f3 100644 --- a/src/gsiqt/qt6/QtXml/gsiDeclQDomAttr.cc +++ b/src/gsiqt/qt6/QtXml/gsiDeclQDomAttr.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtXml/gsiDeclQDomCDATASection.cc b/src/gsiqt/qt6/QtXml/gsiDeclQDomCDATASection.cc index dcb8ad0c8e..49e79d55e8 100644 --- a/src/gsiqt/qt6/QtXml/gsiDeclQDomCDATASection.cc +++ b/src/gsiqt/qt6/QtXml/gsiDeclQDomCDATASection.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtXml/gsiDeclQDomCharacterData.cc b/src/gsiqt/qt6/QtXml/gsiDeclQDomCharacterData.cc index eab103ab60..fed76339a9 100644 --- a/src/gsiqt/qt6/QtXml/gsiDeclQDomCharacterData.cc +++ b/src/gsiqt/qt6/QtXml/gsiDeclQDomCharacterData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtXml/gsiDeclQDomComment.cc b/src/gsiqt/qt6/QtXml/gsiDeclQDomComment.cc index 22d60443a9..52ca2604e1 100644 --- a/src/gsiqt/qt6/QtXml/gsiDeclQDomComment.cc +++ b/src/gsiqt/qt6/QtXml/gsiDeclQDomComment.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtXml/gsiDeclQDomDocument.cc b/src/gsiqt/qt6/QtXml/gsiDeclQDomDocument.cc index 7bbf578b36..8f9db32811 100644 --- a/src/gsiqt/qt6/QtXml/gsiDeclQDomDocument.cc +++ b/src/gsiqt/qt6/QtXml/gsiDeclQDomDocument.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtXml/gsiDeclQDomDocumentFragment.cc b/src/gsiqt/qt6/QtXml/gsiDeclQDomDocumentFragment.cc index bad101cb3b..210bd1e3d1 100644 --- a/src/gsiqt/qt6/QtXml/gsiDeclQDomDocumentFragment.cc +++ b/src/gsiqt/qt6/QtXml/gsiDeclQDomDocumentFragment.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtXml/gsiDeclQDomDocumentType.cc b/src/gsiqt/qt6/QtXml/gsiDeclQDomDocumentType.cc index 01564b967f..f26151499d 100644 --- a/src/gsiqt/qt6/QtXml/gsiDeclQDomDocumentType.cc +++ b/src/gsiqt/qt6/QtXml/gsiDeclQDomDocumentType.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtXml/gsiDeclQDomElement.cc b/src/gsiqt/qt6/QtXml/gsiDeclQDomElement.cc index 249a04635a..42f3d90d90 100644 --- a/src/gsiqt/qt6/QtXml/gsiDeclQDomElement.cc +++ b/src/gsiqt/qt6/QtXml/gsiDeclQDomElement.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtXml/gsiDeclQDomEntity.cc b/src/gsiqt/qt6/QtXml/gsiDeclQDomEntity.cc index 08fb853555..b78e8f9718 100644 --- a/src/gsiqt/qt6/QtXml/gsiDeclQDomEntity.cc +++ b/src/gsiqt/qt6/QtXml/gsiDeclQDomEntity.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtXml/gsiDeclQDomEntityReference.cc b/src/gsiqt/qt6/QtXml/gsiDeclQDomEntityReference.cc index ea6e1570dc..72cfc369ef 100644 --- a/src/gsiqt/qt6/QtXml/gsiDeclQDomEntityReference.cc +++ b/src/gsiqt/qt6/QtXml/gsiDeclQDomEntityReference.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtXml/gsiDeclQDomImplementation.cc b/src/gsiqt/qt6/QtXml/gsiDeclQDomImplementation.cc index 6f14ca61ce..96f223e0d4 100644 --- a/src/gsiqt/qt6/QtXml/gsiDeclQDomImplementation.cc +++ b/src/gsiqt/qt6/QtXml/gsiDeclQDomImplementation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtXml/gsiDeclQDomNamedNodeMap.cc b/src/gsiqt/qt6/QtXml/gsiDeclQDomNamedNodeMap.cc index ebdb7243ec..84123eb1eb 100644 --- a/src/gsiqt/qt6/QtXml/gsiDeclQDomNamedNodeMap.cc +++ b/src/gsiqt/qt6/QtXml/gsiDeclQDomNamedNodeMap.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtXml/gsiDeclQDomNode.cc b/src/gsiqt/qt6/QtXml/gsiDeclQDomNode.cc index e7f4a56570..72df02d3d6 100644 --- a/src/gsiqt/qt6/QtXml/gsiDeclQDomNode.cc +++ b/src/gsiqt/qt6/QtXml/gsiDeclQDomNode.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtXml/gsiDeclQDomNodeList.cc b/src/gsiqt/qt6/QtXml/gsiDeclQDomNodeList.cc index 4b74916224..222ec355ae 100644 --- a/src/gsiqt/qt6/QtXml/gsiDeclQDomNodeList.cc +++ b/src/gsiqt/qt6/QtXml/gsiDeclQDomNodeList.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtXml/gsiDeclQDomNotation.cc b/src/gsiqt/qt6/QtXml/gsiDeclQDomNotation.cc index dcfbf5a7e7..b907dc8c0c 100644 --- a/src/gsiqt/qt6/QtXml/gsiDeclQDomNotation.cc +++ b/src/gsiqt/qt6/QtXml/gsiDeclQDomNotation.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtXml/gsiDeclQDomProcessingInstruction.cc b/src/gsiqt/qt6/QtXml/gsiDeclQDomProcessingInstruction.cc index b22f762ae5..f0b6153324 100644 --- a/src/gsiqt/qt6/QtXml/gsiDeclQDomProcessingInstruction.cc +++ b/src/gsiqt/qt6/QtXml/gsiDeclQDomProcessingInstruction.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtXml/gsiDeclQDomText.cc b/src/gsiqt/qt6/QtXml/gsiDeclQDomText.cc index ef0cb442d4..0bc765b5de 100644 --- a/src/gsiqt/qt6/QtXml/gsiDeclQDomText.cc +++ b/src/gsiqt/qt6/QtXml/gsiDeclQDomText.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qt6/QtXml/gsiQtExternals.h b/src/gsiqt/qt6/QtXml/gsiQtExternals.h index d165c7a67a..f257a349bf 100644 --- a/src/gsiqt/qt6/QtXml/gsiQtExternals.h +++ b/src/gsiqt/qt6/QtXml/gsiQtExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qtbasic/gsiDeclQtAllTypeTraits.h b/src/gsiqt/qtbasic/gsiDeclQtAllTypeTraits.h index bd5313f0b0..e84faebd5b 100644 --- a/src/gsiqt/qtbasic/gsiDeclQtAllTypeTraits.h +++ b/src/gsiqt/qtbasic/gsiDeclQtAllTypeTraits.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qtbasic/gsiQt.cc b/src/gsiqt/qtbasic/gsiQt.cc index aa375dfcdf..f543d8e231 100644 --- a/src/gsiqt/qtbasic/gsiQt.cc +++ b/src/gsiqt/qtbasic/gsiQt.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qtbasic/gsiQt.h b/src/gsiqt/qtbasic/gsiQt.h index 55fa5d4b04..6218d65448 100644 --- a/src/gsiqt/qtbasic/gsiQt.h +++ b/src/gsiqt/qtbasic/gsiQt.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qtbasic/gsiQtBasicCommon.h b/src/gsiqt/qtbasic/gsiQtBasicCommon.h index a1c0e3230b..cd67e16a62 100644 --- a/src/gsiqt/qtbasic/gsiQtBasicCommon.h +++ b/src/gsiqt/qtbasic/gsiQtBasicCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qtbasic/gsiQtCore5CompatExternals.h b/src/gsiqt/qtbasic/gsiQtCore5CompatExternals.h index 52d3b6b031..c2205c5f6b 100644 --- a/src/gsiqt/qtbasic/gsiQtCore5CompatExternals.h +++ b/src/gsiqt/qtbasic/gsiQtCore5CompatExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qtbasic/gsiQtCoreExternals.h b/src/gsiqt/qtbasic/gsiQtCoreExternals.h index c5f9b72ddd..1e9029c4e8 100644 --- a/src/gsiqt/qtbasic/gsiQtCoreExternals.h +++ b/src/gsiqt/qtbasic/gsiQtCoreExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qtbasic/gsiQtDesignerExternals.h b/src/gsiqt/qtbasic/gsiQtDesignerExternals.h index 1c9c4962a4..891ab336ae 100644 --- a/src/gsiqt/qtbasic/gsiQtDesignerExternals.h +++ b/src/gsiqt/qtbasic/gsiQtDesignerExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qtbasic/gsiQtGuiExternals.h b/src/gsiqt/qtbasic/gsiQtGuiExternals.h index 9cb2bccc16..e1f01b496b 100644 --- a/src/gsiqt/qtbasic/gsiQtGuiExternals.h +++ b/src/gsiqt/qtbasic/gsiQtGuiExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qtbasic/gsiQtHelper.cc b/src/gsiqt/qtbasic/gsiQtHelper.cc index de382d49b4..41be8feca6 100644 --- a/src/gsiqt/qtbasic/gsiQtHelper.cc +++ b/src/gsiqt/qtbasic/gsiQtHelper.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qtbasic/gsiQtHelper.h b/src/gsiqt/qtbasic/gsiQtHelper.h index f8566a8758..d2a02e2486 100644 --- a/src/gsiqt/qtbasic/gsiQtHelper.h +++ b/src/gsiqt/qtbasic/gsiQtHelper.h @@ -1,7 +1,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qtbasic/gsiQtMultimediaExternals.h b/src/gsiqt/qtbasic/gsiQtMultimediaExternals.h index 50d2ede6c4..f321d8072a 100644 --- a/src/gsiqt/qtbasic/gsiQtMultimediaExternals.h +++ b/src/gsiqt/qtbasic/gsiQtMultimediaExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qtbasic/gsiQtNetworkExternals.h b/src/gsiqt/qtbasic/gsiQtNetworkExternals.h index 5677407044..b427ef30fe 100644 --- a/src/gsiqt/qtbasic/gsiQtNetworkExternals.h +++ b/src/gsiqt/qtbasic/gsiQtNetworkExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qtbasic/gsiQtPrintSupportExternals.h b/src/gsiqt/qtbasic/gsiQtPrintSupportExternals.h index f68b530482..97ae74aa31 100644 --- a/src/gsiqt/qtbasic/gsiQtPrintSupportExternals.h +++ b/src/gsiqt/qtbasic/gsiQtPrintSupportExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qtbasic/gsiQtSqlExternals.h b/src/gsiqt/qtbasic/gsiQtSqlExternals.h index 03616ffbc4..c8aa156b5d 100644 --- a/src/gsiqt/qtbasic/gsiQtSqlExternals.h +++ b/src/gsiqt/qtbasic/gsiQtSqlExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qtbasic/gsiQtSvgExternals.h b/src/gsiqt/qtbasic/gsiQtSvgExternals.h index 3491e03012..e5c123e246 100644 --- a/src/gsiqt/qtbasic/gsiQtSvgExternals.h +++ b/src/gsiqt/qtbasic/gsiQtSvgExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qtbasic/gsiQtUiToolsExternals.h b/src/gsiqt/qtbasic/gsiQtUiToolsExternals.h index 083992e078..79a22dbd18 100644 --- a/src/gsiqt/qtbasic/gsiQtUiToolsExternals.h +++ b/src/gsiqt/qtbasic/gsiQtUiToolsExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qtbasic/gsiQtWidgetsExternals.h b/src/gsiqt/qtbasic/gsiQtWidgetsExternals.h index 344859ddfa..0867c046ec 100644 --- a/src/gsiqt/qtbasic/gsiQtWidgetsExternals.h +++ b/src/gsiqt/qtbasic/gsiQtWidgetsExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qtbasic/gsiQtXmlExternals.h b/src/gsiqt/qtbasic/gsiQtXmlExternals.h index 4e3c32de3b..07b879c07c 100644 --- a/src/gsiqt/qtbasic/gsiQtXmlExternals.h +++ b/src/gsiqt/qtbasic/gsiQtXmlExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gsiqt/qtbasic/gsiQtXmlPatternsExternals.h b/src/gsiqt/qtbasic/gsiQtXmlPatternsExternals.h index e06275f12c..102ed146e4 100644 --- a/src/gsiqt/qtbasic/gsiQtXmlPatternsExternals.h +++ b/src/gsiqt/qtbasic/gsiQtXmlPatternsExternals.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gtfui/gtfUiDialog.cc b/src/gtfui/gtfUiDialog.cc index 27e4ad89da..aff5c08f3d 100644 --- a/src/gtfui/gtfUiDialog.cc +++ b/src/gtfui/gtfUiDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gtfui/gtfUiDialog.h b/src/gtfui/gtfUiDialog.h index ab17f84eb3..6a964c49c8 100644 --- a/src/gtfui/gtfUiDialog.h +++ b/src/gtfui/gtfUiDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/gtfui/gtfui.cc b/src/gtfui/gtfui.cc index 893a8cff3a..0cb3f7ae64 100644 --- a/src/gtfui/gtfui.cc +++ b/src/gtfui/gtfui.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/icons/iconsCommon.h b/src/icons/iconsCommon.h index 4348bcb90a..bd2b61b4b4 100644 --- a/src/icons/iconsCommon.h +++ b/src/icons/iconsCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/icons/iconsForceLink.cc b/src/icons/iconsForceLink.cc index 3943b91202..cfb6631493 100644 --- a/src/icons/iconsForceLink.cc +++ b/src/icons/iconsForceLink.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/icons/iconsForceLink.h b/src/icons/iconsForceLink.h index 045ac026a4..f26556c17c 100644 --- a/src/icons/iconsForceLink.h +++ b/src/icons/iconsForceLink.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/img/gsiDeclImg.cc b/src/img/img/gsiDeclImg.cc index 6199de34cc..1a0b8114f7 100644 --- a/src/img/img/gsiDeclImg.cc +++ b/src/img/img/gsiDeclImg.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/img/imgCommon.h b/src/img/img/imgCommon.h index 1c284ece86..16044ea5f4 100644 --- a/src/img/img/imgCommon.h +++ b/src/img/img/imgCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/img/imgForceLink.cc b/src/img/img/imgForceLink.cc index a7b17a8d81..bb01d80605 100644 --- a/src/img/img/imgForceLink.cc +++ b/src/img/img/imgForceLink.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/img/imgForceLink.h b/src/img/img/imgForceLink.h index 826cb0b039..837dda5ba9 100644 --- a/src/img/img/imgForceLink.h +++ b/src/img/img/imgForceLink.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/img/imgLandmarksDialog.cc b/src/img/img/imgLandmarksDialog.cc index cf9dff8514..95be3cbc03 100644 --- a/src/img/img/imgLandmarksDialog.cc +++ b/src/img/img/imgLandmarksDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/img/imgLandmarksDialog.h b/src/img/img/imgLandmarksDialog.h index 053ecd9399..6376f0d1b3 100644 --- a/src/img/img/imgLandmarksDialog.h +++ b/src/img/img/imgLandmarksDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/img/imgNavigator.cc b/src/img/img/imgNavigator.cc index bdf4b17165..3df0c85e51 100644 --- a/src/img/img/imgNavigator.cc +++ b/src/img/img/imgNavigator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/img/imgNavigator.h b/src/img/img/imgNavigator.h index d18effc317..a95410d986 100644 --- a/src/img/img/imgNavigator.h +++ b/src/img/img/imgNavigator.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/img/imgObject.cc b/src/img/img/imgObject.cc index 656dde1ecd..446340d7bd 100644 --- a/src/img/img/imgObject.cc +++ b/src/img/img/imgObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/img/imgObject.h b/src/img/img/imgObject.h index be81a3e549..0a2091288c 100644 --- a/src/img/img/imgObject.h +++ b/src/img/img/imgObject.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/img/imgPlugin.cc b/src/img/img/imgPlugin.cc index 577cd4c386..18e9ae92bd 100644 --- a/src/img/img/imgPlugin.cc +++ b/src/img/img/imgPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/img/imgPlugin.h b/src/img/img/imgPlugin.h index c774b82e3e..58aeb857f1 100644 --- a/src/img/img/imgPlugin.h +++ b/src/img/img/imgPlugin.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/img/imgPropertiesPage.cc b/src/img/img/imgPropertiesPage.cc index 9577317faf..77fa07eac5 100644 --- a/src/img/img/imgPropertiesPage.cc +++ b/src/img/img/imgPropertiesPage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/img/imgPropertiesPage.h b/src/img/img/imgPropertiesPage.h index fb19ccc11e..fb16d28694 100644 --- a/src/img/img/imgPropertiesPage.h +++ b/src/img/img/imgPropertiesPage.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/img/imgService.cc b/src/img/img/imgService.cc index a21a80f7ce..249e1a0f93 100644 --- a/src/img/img/imgService.cc +++ b/src/img/img/imgService.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/img/imgService.h b/src/img/img/imgService.h index 7151f5c6b5..7871b0b34c 100644 --- a/src/img/img/imgService.h +++ b/src/img/img/imgService.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/img/imgStream.cc b/src/img/img/imgStream.cc index 1f3490ad4a..13c9e2a210 100644 --- a/src/img/img/imgStream.cc +++ b/src/img/img/imgStream.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/img/imgStream.h b/src/img/img/imgStream.h index 019a94c10d..dae887a795 100644 --- a/src/img/img/imgStream.h +++ b/src/img/img/imgStream.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/img/imgWidgets.cc b/src/img/img/imgWidgets.cc index b1fedf5d24..e13fd60536 100644 --- a/src/img/img/imgWidgets.cc +++ b/src/img/img/imgWidgets.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/img/imgWidgets.h b/src/img/img/imgWidgets.h index b4be0e24b0..9b3fb6a89b 100644 --- a/src/img/img/imgWidgets.h +++ b/src/img/img/imgWidgets.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/unit_tests/imgFile.cc b/src/img/unit_tests/imgFile.cc index 834e95a79e..cedca7f882 100644 --- a/src/img/unit_tests/imgFile.cc +++ b/src/img/unit_tests/imgFile.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/img/unit_tests/imgObject.cc b/src/img/unit_tests/imgObject.cc index 183d6efcfb..b1f881eb69 100644 --- a/src/img/unit_tests/imgObject.cc +++ b/src/img/unit_tests/imgObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/klayout_main/klayout_main/klayout.cc b/src/klayout_main/klayout_main/klayout.cc index 401d9f9ccc..a20924cf49 100644 --- a/src/klayout_main/klayout_main/klayout.cc +++ b/src/klayout_main/klayout_main/klayout.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/klayout_main/tests/klayout_main_tests.cc b/src/klayout_main/tests/klayout_main_tests.cc index 4f46d43df7..b13df513f2 100644 --- a/src/klayout_main/tests/klayout_main_tests.cc +++ b/src/klayout_main/tests/klayout_main_tests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/gsiDeclLayApplication.cc b/src/lay/lay/gsiDeclLayApplication.cc index 4550d7395e..4b778d4b9d 100644 --- a/src/lay/lay/gsiDeclLayApplication.cc +++ b/src/lay/lay/gsiDeclLayApplication.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/gsiDeclLayHelpDialog.cc b/src/lay/lay/gsiDeclLayHelpDialog.cc index 56e7ac7001..c85dc225db 100644 --- a/src/lay/lay/gsiDeclLayHelpDialog.cc +++ b/src/lay/lay/gsiDeclLayHelpDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/gsiDeclLayMainWindow.cc b/src/lay/lay/gsiDeclLayMainWindow.cc index 323ae33ead..f7c57326df 100644 --- a/src/lay/lay/gsiDeclLayMainWindow.cc +++ b/src/lay/lay/gsiDeclLayMainWindow.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layApplication.cc b/src/lay/lay/layApplication.cc index 9757b94369..a087bab372 100644 --- a/src/lay/lay/layApplication.cc +++ b/src/lay/lay/layApplication.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layApplication.h b/src/lay/lay/layApplication.h index f7103c4197..da9f78637c 100644 --- a/src/lay/lay/layApplication.h +++ b/src/lay/lay/layApplication.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layClipDialog.cc b/src/lay/lay/layClipDialog.cc index 7ddf31d3c2..7a01e10a88 100644 --- a/src/lay/lay/layClipDialog.cc +++ b/src/lay/lay/layClipDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layClipDialog.h b/src/lay/lay/layClipDialog.h index f7892ec569..7556d9aaf4 100644 --- a/src/lay/lay/layClipDialog.h +++ b/src/lay/lay/layClipDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layCommon.h b/src/lay/lay/layCommon.h index e408939168..cab5e406ac 100644 --- a/src/lay/lay/layCommon.h +++ b/src/lay/lay/layCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layConfig.h b/src/lay/lay/layConfig.h index ad5adc6c8c..e5f32330c0 100644 --- a/src/lay/lay/layConfig.h +++ b/src/lay/lay/layConfig.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layControlWidgetStack.cc b/src/lay/lay/layControlWidgetStack.cc index 7bfedb0136..0e1a450555 100644 --- a/src/lay/lay/layControlWidgetStack.cc +++ b/src/lay/lay/layControlWidgetStack.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layControlWidgetStack.h b/src/lay/lay/layControlWidgetStack.h index c6b345d17e..f4e34d670a 100644 --- a/src/lay/lay/layControlWidgetStack.h +++ b/src/lay/lay/layControlWidgetStack.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layCrashMessage.cc b/src/lay/lay/layCrashMessage.cc index 6abff6979f..9ce2e9adba 100644 --- a/src/lay/lay/layCrashMessage.cc +++ b/src/lay/lay/layCrashMessage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layCrashMessage.h b/src/lay/lay/layCrashMessage.h index 8e62d5c5d5..c91f08f802 100644 --- a/src/lay/lay/layCrashMessage.h +++ b/src/lay/lay/layCrashMessage.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layEnhancedTabBar.cc b/src/lay/lay/layEnhancedTabBar.cc index c6f8f036ed..664d64b8c7 100644 --- a/src/lay/lay/layEnhancedTabBar.cc +++ b/src/lay/lay/layEnhancedTabBar.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layEnhancedTabBar.h b/src/lay/lay/layEnhancedTabBar.h index e9e52362b5..8a61d16dfa 100644 --- a/src/lay/lay/layEnhancedTabBar.h +++ b/src/lay/lay/layEnhancedTabBar.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layFillDialog.cc b/src/lay/lay/layFillDialog.cc index 119d60232d..e37bf4cce7 100644 --- a/src/lay/lay/layFillDialog.cc +++ b/src/lay/lay/layFillDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layFillDialog.h b/src/lay/lay/layFillDialog.h index 9885f79153..0f2a8a75ce 100644 --- a/src/lay/lay/layFillDialog.h +++ b/src/lay/lay/layFillDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layFontController.cc b/src/lay/lay/layFontController.cc index 0651dcbcd0..032731b769 100644 --- a/src/lay/lay/layFontController.cc +++ b/src/lay/lay/layFontController.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layFontController.h b/src/lay/lay/layFontController.h index 7cc0bcec18..4ada6410c2 100644 --- a/src/lay/lay/layFontController.h +++ b/src/lay/lay/layFontController.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layForceLink.cc b/src/lay/lay/layForceLink.cc index b10a286144..7ca6341a4c 100644 --- a/src/lay/lay/layForceLink.cc +++ b/src/lay/lay/layForceLink.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layForceLink.h b/src/lay/lay/layForceLink.h index 1c5acc4368..718576e629 100644 --- a/src/lay/lay/layForceLink.h +++ b/src/lay/lay/layForceLink.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layGSIHelpProvider.cc b/src/lay/lay/layGSIHelpProvider.cc index c79df181ff..7280517569 100644 --- a/src/lay/lay/layGSIHelpProvider.cc +++ b/src/lay/lay/layGSIHelpProvider.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layGSIHelpProvider.h b/src/lay/lay/layGSIHelpProvider.h index 9a11fb60cd..d7904f5a2a 100644 --- a/src/lay/lay/layGSIHelpProvider.h +++ b/src/lay/lay/layGSIHelpProvider.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layHelpAboutDialog.cc b/src/lay/lay/layHelpAboutDialog.cc index cdb26ee6e0..937ec8fbcc 100644 --- a/src/lay/lay/layHelpAboutDialog.cc +++ b/src/lay/lay/layHelpAboutDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layHelpAboutDialog.h b/src/lay/lay/layHelpAboutDialog.h index 90355f702c..7c78ada479 100644 --- a/src/lay/lay/layHelpAboutDialog.h +++ b/src/lay/lay/layHelpAboutDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layHelpDialog.cc b/src/lay/lay/layHelpDialog.cc index b0661aa2d3..ae37dcf658 100644 --- a/src/lay/lay/layHelpDialog.cc +++ b/src/lay/lay/layHelpDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layHelpDialog.h b/src/lay/lay/layHelpDialog.h index 68326e8c87..16d90ab9ab 100644 --- a/src/lay/lay/layHelpDialog.h +++ b/src/lay/lay/layHelpDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layHelpProvider.cc b/src/lay/lay/layHelpProvider.cc index e6eb04a003..2463249972 100644 --- a/src/lay/lay/layHelpProvider.cc +++ b/src/lay/lay/layHelpProvider.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layHelpProvider.h b/src/lay/lay/layHelpProvider.h index d5172dd728..00c7cda835 100644 --- a/src/lay/lay/layHelpProvider.h +++ b/src/lay/lay/layHelpProvider.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layHelpSource.cc b/src/lay/lay/layHelpSource.cc index 387cf274ed..e7b442735c 100644 --- a/src/lay/lay/layHelpSource.cc +++ b/src/lay/lay/layHelpSource.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layHelpSource.h b/src/lay/lay/layHelpSource.h index f687c17fda..db8761f3b8 100644 --- a/src/lay/lay/layHelpSource.h +++ b/src/lay/lay/layHelpSource.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layInit.cc b/src/lay/lay/layInit.cc index ec108ab79f..0036b39e6d 100644 --- a/src/lay/lay/layInit.cc +++ b/src/lay/lay/layInit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layInit.h b/src/lay/lay/layInit.h index e181cfa79c..f98c012362 100644 --- a/src/lay/lay/layInit.h +++ b/src/lay/lay/layInit.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layLibraryController.cc b/src/lay/lay/layLibraryController.cc index a07b857a13..fa6715ecbb 100644 --- a/src/lay/lay/layLibraryController.cc +++ b/src/lay/lay/layLibraryController.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layLibraryController.h b/src/lay/lay/layLibraryController.h index 8b426d53a0..f6065ea6ba 100644 --- a/src/lay/lay/layLibraryController.h +++ b/src/lay/lay/layLibraryController.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layLogViewerDialog.cc b/src/lay/lay/layLogViewerDialog.cc index f243544773..f2fb884c33 100644 --- a/src/lay/lay/layLogViewerDialog.cc +++ b/src/lay/lay/layLogViewerDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layLogViewerDialog.h b/src/lay/lay/layLogViewerDialog.h index 7057f857bd..a7b708bb51 100644 --- a/src/lay/lay/layLogViewerDialog.h +++ b/src/lay/lay/layLogViewerDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layMacroController.cc b/src/lay/lay/layMacroController.cc index 32bfd9b1ea..727a90a1ad 100644 --- a/src/lay/lay/layMacroController.cc +++ b/src/lay/lay/layMacroController.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layMacroController.h b/src/lay/lay/layMacroController.h index 26e4674e74..ad8517f2f3 100644 --- a/src/lay/lay/layMacroController.h +++ b/src/lay/lay/layMacroController.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layMacroEditorDialog.cc b/src/lay/lay/layMacroEditorDialog.cc index 788a7a8e31..bf7e5df7db 100644 --- a/src/lay/lay/layMacroEditorDialog.cc +++ b/src/lay/lay/layMacroEditorDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layMacroEditorDialog.h b/src/lay/lay/layMacroEditorDialog.h index 7dad91b4d8..7a0e2e2c5b 100644 --- a/src/lay/lay/layMacroEditorDialog.h +++ b/src/lay/lay/layMacroEditorDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layMacroEditorPage.cc b/src/lay/lay/layMacroEditorPage.cc index 2cb13c178c..b0818e6f49 100644 --- a/src/lay/lay/layMacroEditorPage.cc +++ b/src/lay/lay/layMacroEditorPage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layMacroEditorPage.h b/src/lay/lay/layMacroEditorPage.h index 3305d159de..20dedc1571 100644 --- a/src/lay/lay/layMacroEditorPage.h +++ b/src/lay/lay/layMacroEditorPage.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layMacroEditorSetupPage.cc b/src/lay/lay/layMacroEditorSetupPage.cc index d252d40398..7ee1a327f0 100644 --- a/src/lay/lay/layMacroEditorSetupPage.cc +++ b/src/lay/lay/layMacroEditorSetupPage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layMacroEditorSetupPage.h b/src/lay/lay/layMacroEditorSetupPage.h index f9e3523f5c..c7dab41814 100644 --- a/src/lay/lay/layMacroEditorSetupPage.h +++ b/src/lay/lay/layMacroEditorSetupPage.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layMacroEditorTree.cc b/src/lay/lay/layMacroEditorTree.cc index 6d65432f2a..207d7bdce0 100644 --- a/src/lay/lay/layMacroEditorTree.cc +++ b/src/lay/lay/layMacroEditorTree.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layMacroEditorTree.h b/src/lay/lay/layMacroEditorTree.h index 1a3c320810..6d7a916063 100644 --- a/src/lay/lay/layMacroEditorTree.h +++ b/src/lay/lay/layMacroEditorTree.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layMacroPropertiesDialog.cc b/src/lay/lay/layMacroPropertiesDialog.cc index 16c143b295..e9d4ced340 100644 --- a/src/lay/lay/layMacroPropertiesDialog.cc +++ b/src/lay/lay/layMacroPropertiesDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layMacroPropertiesDialog.h b/src/lay/lay/layMacroPropertiesDialog.h index a5619d9fbd..06cc06fc3e 100644 --- a/src/lay/lay/layMacroPropertiesDialog.h +++ b/src/lay/lay/layMacroPropertiesDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layMacroVariableView.cc b/src/lay/lay/layMacroVariableView.cc index bc93667fa8..20bac399c6 100644 --- a/src/lay/lay/layMacroVariableView.cc +++ b/src/lay/lay/layMacroVariableView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layMacroVariableView.h b/src/lay/lay/layMacroVariableView.h index 8550f32824..1cb39e5644 100644 --- a/src/lay/lay/layMacroVariableView.h +++ b/src/lay/lay/layMacroVariableView.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layMainConfigPages.cc b/src/lay/lay/layMainConfigPages.cc index c01f494fba..a7634e4e56 100644 --- a/src/lay/lay/layMainConfigPages.cc +++ b/src/lay/lay/layMainConfigPages.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layMainConfigPages.h b/src/lay/lay/layMainConfigPages.h index d222bfa558..27d014753f 100644 --- a/src/lay/lay/layMainConfigPages.h +++ b/src/lay/lay/layMainConfigPages.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layMainWindow.cc b/src/lay/lay/layMainWindow.cc index 52138e745b..1a1249ef16 100644 --- a/src/lay/lay/layMainWindow.cc +++ b/src/lay/lay/layMainWindow.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layMainWindow.h b/src/lay/lay/layMainWindow.h index 73fd6e5740..30d51af613 100644 --- a/src/lay/lay/layMainWindow.h +++ b/src/lay/lay/layMainWindow.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layNavigator.cc b/src/lay/lay/layNavigator.cc index 9103a8832c..be90d95299 100644 --- a/src/lay/lay/layNavigator.cc +++ b/src/lay/lay/layNavigator.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layNavigator.h b/src/lay/lay/layNavigator.h index a6b9a82826..8675c805b6 100644 --- a/src/lay/lay/layNavigator.h +++ b/src/lay/lay/layNavigator.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layPasswordDialog.cc b/src/lay/lay/layPasswordDialog.cc index 4b40e70523..c8b7341896 100644 --- a/src/lay/lay/layPasswordDialog.cc +++ b/src/lay/lay/layPasswordDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layPasswordDialog.h b/src/lay/lay/layPasswordDialog.h index 097a7fb0bd..cc2bd1989f 100644 --- a/src/lay/lay/layPasswordDialog.h +++ b/src/lay/lay/layPasswordDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layProgress.cc b/src/lay/lay/layProgress.cc index 57a2debb77..c67dc9b566 100644 --- a/src/lay/lay/layProgress.cc +++ b/src/lay/lay/layProgress.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layProgress.h b/src/lay/lay/layProgress.h index c07695108c..f2e1d400cb 100644 --- a/src/lay/lay/layProgress.h +++ b/src/lay/lay/layProgress.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layProgressDialog.cc b/src/lay/lay/layProgressDialog.cc index 074cada1e7..eae761fd19 100644 --- a/src/lay/lay/layProgressDialog.cc +++ b/src/lay/lay/layProgressDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layProgressDialog.h b/src/lay/lay/layProgressDialog.h index a917b21d63..19deb5c518 100644 --- a/src/lay/lay/layProgressDialog.h +++ b/src/lay/lay/layProgressDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layProgressWidget.cc b/src/lay/lay/layProgressWidget.cc index cf4a21844b..3633d1a814 100644 --- a/src/lay/lay/layProgressWidget.cc +++ b/src/lay/lay/layProgressWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layProgressWidget.h b/src/lay/lay/layProgressWidget.h index 51a5e39875..59a045ce33 100644 --- a/src/lay/lay/layProgressWidget.h +++ b/src/lay/lay/layProgressWidget.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layReaderErrorForm.cc b/src/lay/lay/layReaderErrorForm.cc index 0710632b9b..2d22385bc6 100644 --- a/src/lay/lay/layReaderErrorForm.cc +++ b/src/lay/lay/layReaderErrorForm.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layReaderErrorForm.h b/src/lay/lay/layReaderErrorForm.h index 7248518d12..0d75e92bab 100644 --- a/src/lay/lay/layReaderErrorForm.h +++ b/src/lay/lay/layReaderErrorForm.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layResourceHelpProvider.cc b/src/lay/lay/layResourceHelpProvider.cc index 0913a01584..4e5be5cf3b 100644 --- a/src/lay/lay/layResourceHelpProvider.cc +++ b/src/lay/lay/layResourceHelpProvider.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layResourceHelpProvider.h b/src/lay/lay/layResourceHelpProvider.h index 0904d7a5a3..8d5d7d8359 100644 --- a/src/lay/lay/layResourceHelpProvider.h +++ b/src/lay/lay/layResourceHelpProvider.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layRuntimeErrorForm.cc b/src/lay/lay/layRuntimeErrorForm.cc index 9bdc1f7803..36d1f43faf 100644 --- a/src/lay/lay/layRuntimeErrorForm.cc +++ b/src/lay/lay/layRuntimeErrorForm.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layRuntimeErrorForm.h b/src/lay/lay/layRuntimeErrorForm.h index 8f070fe600..44e6f96474 100644 --- a/src/lay/lay/layRuntimeErrorForm.h +++ b/src/lay/lay/layRuntimeErrorForm.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySalt.cc b/src/lay/lay/laySalt.cc index efb77844e1..9bd8a0de85 100644 --- a/src/lay/lay/laySalt.cc +++ b/src/lay/lay/laySalt.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySalt.h b/src/lay/lay/laySalt.h index 71c5a69d00..74876cdf73 100644 --- a/src/lay/lay/laySalt.h +++ b/src/lay/lay/laySalt.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySaltController.cc b/src/lay/lay/laySaltController.cc index 51b53ae663..7862bf4cca 100644 --- a/src/lay/lay/laySaltController.cc +++ b/src/lay/lay/laySaltController.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySaltController.h b/src/lay/lay/laySaltController.h index e09c3f2a0a..f91861ab67 100644 --- a/src/lay/lay/laySaltController.h +++ b/src/lay/lay/laySaltController.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySaltDownloadManager.cc b/src/lay/lay/laySaltDownloadManager.cc index 3dd9f37271..753781d573 100644 --- a/src/lay/lay/laySaltDownloadManager.cc +++ b/src/lay/lay/laySaltDownloadManager.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySaltDownloadManager.h b/src/lay/lay/laySaltDownloadManager.h index a81e0f9730..477555ada6 100644 --- a/src/lay/lay/laySaltDownloadManager.h +++ b/src/lay/lay/laySaltDownloadManager.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySaltGrain.cc b/src/lay/lay/laySaltGrain.cc index cd54e841f9..6139574b39 100644 --- a/src/lay/lay/laySaltGrain.cc +++ b/src/lay/lay/laySaltGrain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySaltGrain.h b/src/lay/lay/laySaltGrain.h index bf0f2ef90f..3cefe4c27f 100644 --- a/src/lay/lay/laySaltGrain.h +++ b/src/lay/lay/laySaltGrain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySaltGrainDetailsTextWidget.cc b/src/lay/lay/laySaltGrainDetailsTextWidget.cc index 28eb81c6a9..f26e1c5d72 100644 --- a/src/lay/lay/laySaltGrainDetailsTextWidget.cc +++ b/src/lay/lay/laySaltGrainDetailsTextWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySaltGrainDetailsTextWidget.h b/src/lay/lay/laySaltGrainDetailsTextWidget.h index 8d87c2909d..d0c795f411 100644 --- a/src/lay/lay/laySaltGrainDetailsTextWidget.h +++ b/src/lay/lay/laySaltGrainDetailsTextWidget.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySaltGrainPropertiesDialog.cc b/src/lay/lay/laySaltGrainPropertiesDialog.cc index 061eee1ca2..b2577ba14f 100644 --- a/src/lay/lay/laySaltGrainPropertiesDialog.cc +++ b/src/lay/lay/laySaltGrainPropertiesDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySaltGrainPropertiesDialog.h b/src/lay/lay/laySaltGrainPropertiesDialog.h index cc9dbd0187..7a2b331ab5 100644 --- a/src/lay/lay/laySaltGrainPropertiesDialog.h +++ b/src/lay/lay/laySaltGrainPropertiesDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySaltGrains.cc b/src/lay/lay/laySaltGrains.cc index 846d8052c1..482a787a9b 100644 --- a/src/lay/lay/laySaltGrains.cc +++ b/src/lay/lay/laySaltGrains.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySaltGrains.h b/src/lay/lay/laySaltGrains.h index c43e5fbafa..d12f34cb10 100644 --- a/src/lay/lay/laySaltGrains.h +++ b/src/lay/lay/laySaltGrains.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySaltManagerDialog.cc b/src/lay/lay/laySaltManagerDialog.cc index dd58ed13ee..65362f0e3c 100644 --- a/src/lay/lay/laySaltManagerDialog.cc +++ b/src/lay/lay/laySaltManagerDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySaltManagerDialog.h b/src/lay/lay/laySaltManagerDialog.h index dd899371b1..af518570c6 100644 --- a/src/lay/lay/laySaltManagerDialog.h +++ b/src/lay/lay/laySaltManagerDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySaltModel.cc b/src/lay/lay/laySaltModel.cc index 996b9ce143..35c0c69960 100644 --- a/src/lay/lay/laySaltModel.cc +++ b/src/lay/lay/laySaltModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySaltModel.h b/src/lay/lay/laySaltModel.h index a5108a2cf9..b07a34d5a1 100644 --- a/src/lay/lay/laySaltModel.h +++ b/src/lay/lay/laySaltModel.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySaltParsedURL.cc b/src/lay/lay/laySaltParsedURL.cc index 84e2c0850f..96270ba25d 100644 --- a/src/lay/lay/laySaltParsedURL.cc +++ b/src/lay/lay/laySaltParsedURL.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySaltParsedURL.h b/src/lay/lay/laySaltParsedURL.h index fd41bb42d2..1a8c0267ba 100644 --- a/src/lay/lay/laySaltParsedURL.h +++ b/src/lay/lay/laySaltParsedURL.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySearchReplaceConfigPage.cc b/src/lay/lay/laySearchReplaceConfigPage.cc index e0e93affb2..3df533749d 100644 --- a/src/lay/lay/laySearchReplaceConfigPage.cc +++ b/src/lay/lay/laySearchReplaceConfigPage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySearchReplaceConfigPage.h b/src/lay/lay/laySearchReplaceConfigPage.h index 032c8cfa70..a2ab75e672 100644 --- a/src/lay/lay/laySearchReplaceConfigPage.h +++ b/src/lay/lay/laySearchReplaceConfigPage.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySearchReplaceDialog.cc b/src/lay/lay/laySearchReplaceDialog.cc index 030b2b6a85..ec79fc1a3e 100644 --- a/src/lay/lay/laySearchReplaceDialog.cc +++ b/src/lay/lay/laySearchReplaceDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySearchReplaceDialog.h b/src/lay/lay/laySearchReplaceDialog.h index 1e942f2b5d..19823be47d 100644 --- a/src/lay/lay/laySearchReplaceDialog.h +++ b/src/lay/lay/laySearchReplaceDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySearchReplacePlugin.cc b/src/lay/lay/laySearchReplacePlugin.cc index ab88fc0914..3fdfcf9b0c 100644 --- a/src/lay/lay/laySearchReplacePlugin.cc +++ b/src/lay/lay/laySearchReplacePlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySearchReplacePropertiesWidgets.cc b/src/lay/lay/laySearchReplacePropertiesWidgets.cc index f82589b4e1..f83415cb81 100644 --- a/src/lay/lay/laySearchReplacePropertiesWidgets.cc +++ b/src/lay/lay/laySearchReplacePropertiesWidgets.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySearchReplacePropertiesWidgets.h b/src/lay/lay/laySearchReplacePropertiesWidgets.h index 1c68eba025..796cf40cf1 100644 --- a/src/lay/lay/laySearchReplacePropertiesWidgets.h +++ b/src/lay/lay/laySearchReplacePropertiesWidgets.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySession.cc b/src/lay/lay/laySession.cc index 5c2740fddf..bed76e2340 100644 --- a/src/lay/lay/laySession.cc +++ b/src/lay/lay/laySession.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySession.h b/src/lay/lay/laySession.h index 579498c02d..084d5a900d 100644 --- a/src/lay/lay/laySession.h +++ b/src/lay/lay/laySession.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySettingsForm.cc b/src/lay/lay/laySettingsForm.cc index 0474ea486d..0029477ddc 100644 --- a/src/lay/lay/laySettingsForm.cc +++ b/src/lay/lay/laySettingsForm.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySettingsForm.h b/src/lay/lay/laySettingsForm.h index aa889c1003..c0abc2dff7 100644 --- a/src/lay/lay/laySettingsForm.h +++ b/src/lay/lay/laySettingsForm.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySignalHandler.cc b/src/lay/lay/laySignalHandler.cc index 95dbe11755..671550e3f3 100644 --- a/src/lay/lay/laySignalHandler.cc +++ b/src/lay/lay/laySignalHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySignalHandler.h b/src/lay/lay/laySignalHandler.h index c4b4e2074b..176995f98f 100644 --- a/src/lay/lay/laySignalHandler.h +++ b/src/lay/lay/laySignalHandler.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySystemPaths.cc b/src/lay/lay/laySystemPaths.cc index 139bfcbcfb..83af8a002c 100644 --- a/src/lay/lay/laySystemPaths.cc +++ b/src/lay/lay/laySystemPaths.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/laySystemPaths.h b/src/lay/lay/laySystemPaths.h index 5b4e1d880c..15f5fe65b1 100644 --- a/src/lay/lay/laySystemPaths.h +++ b/src/lay/lay/laySystemPaths.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layTechSetupDialog.cc b/src/lay/lay/layTechSetupDialog.cc index 8700a9416f..4bcaa2ec36 100644 --- a/src/lay/lay/layTechSetupDialog.cc +++ b/src/lay/lay/layTechSetupDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layTechSetupDialog.h b/src/lay/lay/layTechSetupDialog.h index b28e733e4e..6c20a6dd1b 100644 --- a/src/lay/lay/layTechSetupDialog.h +++ b/src/lay/lay/layTechSetupDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layTechnologyController.cc b/src/lay/lay/layTechnologyController.cc index 7fcfb0f854..169afa3839 100644 --- a/src/lay/lay/layTechnologyController.cc +++ b/src/lay/lay/layTechnologyController.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layTechnologyController.h b/src/lay/lay/layTechnologyController.h index f783dc4de3..dc64de5fe8 100644 --- a/src/lay/lay/layTechnologyController.h +++ b/src/lay/lay/layTechnologyController.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layTextProgress.cc b/src/lay/lay/layTextProgress.cc index c4c2ae4a07..2005997c91 100644 --- a/src/lay/lay/layTextProgress.cc +++ b/src/lay/lay/layTextProgress.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layTextProgress.h b/src/lay/lay/layTextProgress.h index 70c936c489..2b624f54b7 100644 --- a/src/lay/lay/layTextProgress.h +++ b/src/lay/lay/layTextProgress.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layTextProgressDelegate.cc b/src/lay/lay/layTextProgressDelegate.cc index 8b0a92fc9e..be66ec6bf2 100644 --- a/src/lay/lay/layTextProgressDelegate.cc +++ b/src/lay/lay/layTextProgressDelegate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layTextProgressDelegate.h b/src/lay/lay/layTextProgressDelegate.h index 7a0507db05..e6e80f7d49 100644 --- a/src/lay/lay/layTextProgressDelegate.h +++ b/src/lay/lay/layTextProgressDelegate.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layVersion.cc b/src/lay/lay/layVersion.cc index 91e621f11f..c1dc62d676 100644 --- a/src/lay/lay/layVersion.cc +++ b/src/lay/lay/layVersion.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layVersion.h b/src/lay/lay/layVersion.h index 3a91641af2..d727b7a1fa 100644 --- a/src/lay/lay/layVersion.h +++ b/src/lay/lay/layVersion.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layViewWidgetStack.cc b/src/lay/lay/layViewWidgetStack.cc index 6ce69b41a9..6b19844bb5 100644 --- a/src/lay/lay/layViewWidgetStack.cc +++ b/src/lay/lay/layViewWidgetStack.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/lay/layViewWidgetStack.h b/src/lay/lay/layViewWidgetStack.h index b8fc7a211c..3450a122bc 100644 --- a/src/lay/lay/layViewWidgetStack.h +++ b/src/lay/lay/layViewWidgetStack.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/unit_tests/layHelpIndexTest.cc b/src/lay/unit_tests/layHelpIndexTest.cc index ce3e6ff486..3f613118c6 100644 --- a/src/lay/unit_tests/layHelpIndexTest.cc +++ b/src/lay/unit_tests/layHelpIndexTest.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/unit_tests/laySalt.cc b/src/lay/unit_tests/laySalt.cc index f7f7e2be3f..d063723de6 100644 --- a/src/lay/unit_tests/laySalt.cc +++ b/src/lay/unit_tests/laySalt.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/unit_tests/laySaltParsedURLTests.cc b/src/lay/unit_tests/laySaltParsedURLTests.cc index b4274b3fdb..f69b6939b2 100644 --- a/src/lay/unit_tests/laySaltParsedURLTests.cc +++ b/src/lay/unit_tests/laySaltParsedURLTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lay/unit_tests/laySessionTests.cc b/src/lay/unit_tests/laySessionTests.cc index 28d1e6b98f..3cf9d55455 100644 --- a/src/lay/unit_tests/laySessionTests.cc +++ b/src/lay/unit_tests/laySessionTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/gsiDeclLayLayers.cc b/src/laybasic/laybasic/gsiDeclLayLayers.cc index a9bed7105d..cecd4f8fac 100644 --- a/src/laybasic/laybasic/gsiDeclLayLayers.cc +++ b/src/laybasic/laybasic/gsiDeclLayLayers.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/gsiDeclLayLayoutViewBase.cc b/src/laybasic/laybasic/gsiDeclLayLayoutViewBase.cc index 66feac047f..8a495711ab 100644 --- a/src/laybasic/laybasic/gsiDeclLayLayoutViewBase.cc +++ b/src/laybasic/laybasic/gsiDeclLayLayoutViewBase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/gsiDeclLayMarker.cc b/src/laybasic/laybasic/gsiDeclLayMarker.cc index f23086b3fd..d79580349f 100644 --- a/src/laybasic/laybasic/gsiDeclLayMarker.cc +++ b/src/laybasic/laybasic/gsiDeclLayMarker.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/gsiDeclLayMenu.cc b/src/laybasic/laybasic/gsiDeclLayMenu.cc index 95851ef7f8..b4c07f4460 100644 --- a/src/laybasic/laybasic/gsiDeclLayMenu.cc +++ b/src/laybasic/laybasic/gsiDeclLayMenu.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/gsiDeclLayPlugin.cc b/src/laybasic/laybasic/gsiDeclLayPlugin.cc index 2ff01425c0..4fd611ae39 100644 --- a/src/laybasic/laybasic/gsiDeclLayPlugin.cc +++ b/src/laybasic/laybasic/gsiDeclLayPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/gsiDeclLayRdbAdded.cc b/src/laybasic/laybasic/gsiDeclLayRdbAdded.cc index f0ba6313df..ecf364dcb9 100644 --- a/src/laybasic/laybasic/gsiDeclLayRdbAdded.cc +++ b/src/laybasic/laybasic/gsiDeclLayRdbAdded.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/gsiDeclLayTlAdded.cc b/src/laybasic/laybasic/gsiDeclLayTlAdded.cc index e273e7e895..dcbe2397bc 100644 --- a/src/laybasic/laybasic/gsiDeclLayTlAdded.cc +++ b/src/laybasic/laybasic/gsiDeclLayTlAdded.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/gtf.cc b/src/laybasic/laybasic/gtf.cc index a719a7dcad..dccb9d81ed 100644 --- a/src/laybasic/laybasic/gtf.cc +++ b/src/laybasic/laybasic/gtf.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/gtf.h b/src/laybasic/laybasic/gtf.h index 9bc29caa32..8d042d6ff7 100644 --- a/src/laybasic/laybasic/gtf.h +++ b/src/laybasic/laybasic/gtf.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/gtfdummy.cc b/src/laybasic/laybasic/gtfdummy.cc index c0d07e6793..b6d1f5ecca 100644 --- a/src/laybasic/laybasic/gtfdummy.cc +++ b/src/laybasic/laybasic/gtfdummy.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layAbstractMenu.cc b/src/laybasic/laybasic/layAbstractMenu.cc index 14b55bf139..a63b4c49c2 100644 --- a/src/laybasic/laybasic/layAbstractMenu.cc +++ b/src/laybasic/laybasic/layAbstractMenu.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layAbstractMenu.h b/src/laybasic/laybasic/layAbstractMenu.h index 8c12e8d59d..272d8131a9 100644 --- a/src/laybasic/laybasic/layAbstractMenu.h +++ b/src/laybasic/laybasic/layAbstractMenu.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layAnnotationShapes.cc b/src/laybasic/laybasic/layAnnotationShapes.cc index da8a24b259..c2bee9ba6d 100644 --- a/src/laybasic/laybasic/layAnnotationShapes.cc +++ b/src/laybasic/laybasic/layAnnotationShapes.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layAnnotationShapes.h b/src/laybasic/laybasic/layAnnotationShapes.h index 4fffb8e780..7c9cc701a7 100644 --- a/src/laybasic/laybasic/layAnnotationShapes.h +++ b/src/laybasic/laybasic/layAnnotationShapes.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layBitmap.cc b/src/laybasic/laybasic/layBitmap.cc index 73725629b2..5e1abbde24 100644 --- a/src/laybasic/laybasic/layBitmap.cc +++ b/src/laybasic/laybasic/layBitmap.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layBitmap.h b/src/laybasic/laybasic/layBitmap.h index ac96af2b9c..0a1461b680 100644 --- a/src/laybasic/laybasic/layBitmap.h +++ b/src/laybasic/laybasic/layBitmap.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layBitmapRenderer.cc b/src/laybasic/laybasic/layBitmapRenderer.cc index c5289162fd..a3037ed951 100644 --- a/src/laybasic/laybasic/layBitmapRenderer.cc +++ b/src/laybasic/laybasic/layBitmapRenderer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layBitmapRenderer.h b/src/laybasic/laybasic/layBitmapRenderer.h index 598aaafe09..0076f65a0e 100644 --- a/src/laybasic/laybasic/layBitmapRenderer.h +++ b/src/laybasic/laybasic/layBitmapRenderer.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layBitmapsToImage.cc b/src/laybasic/laybasic/layBitmapsToImage.cc index 664f2c7628..3d00290fb2 100644 --- a/src/laybasic/laybasic/layBitmapsToImage.cc +++ b/src/laybasic/laybasic/layBitmapsToImage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layBitmapsToImage.h b/src/laybasic/laybasic/layBitmapsToImage.h index a0a6db75ad..57b61d130e 100644 --- a/src/laybasic/laybasic/layBitmapsToImage.h +++ b/src/laybasic/laybasic/layBitmapsToImage.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layBookmarkList.cc b/src/laybasic/laybasic/layBookmarkList.cc index e973d515da..a146ec8638 100644 --- a/src/laybasic/laybasic/layBookmarkList.cc +++ b/src/laybasic/laybasic/layBookmarkList.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layBookmarkList.h b/src/laybasic/laybasic/layBookmarkList.h index 119b9e4460..daca7f011d 100644 --- a/src/laybasic/laybasic/layBookmarkList.h +++ b/src/laybasic/laybasic/layBookmarkList.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layCanvasPlane.cc b/src/laybasic/laybasic/layCanvasPlane.cc index 7577a9267d..291af0559d 100644 --- a/src/laybasic/laybasic/layCanvasPlane.cc +++ b/src/laybasic/laybasic/layCanvasPlane.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layCanvasPlane.h b/src/laybasic/laybasic/layCanvasPlane.h index fd9e5886cb..5c3f3573ee 100644 --- a/src/laybasic/laybasic/layCanvasPlane.h +++ b/src/laybasic/laybasic/layCanvasPlane.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layCellView.cc b/src/laybasic/laybasic/layCellView.cc index 55c97743f0..07e9631766 100644 --- a/src/laybasic/laybasic/layCellView.cc +++ b/src/laybasic/laybasic/layCellView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layCellView.h b/src/laybasic/laybasic/layCellView.h index 7f350f6913..564602aaa8 100644 --- a/src/laybasic/laybasic/layCellView.h +++ b/src/laybasic/laybasic/layCellView.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layColorPalette.cc b/src/laybasic/laybasic/layColorPalette.cc index ca7239150c..1ac4c63c2c 100644 --- a/src/laybasic/laybasic/layColorPalette.cc +++ b/src/laybasic/laybasic/layColorPalette.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layColorPalette.h b/src/laybasic/laybasic/layColorPalette.h index 124b2811cc..d140e4c416 100644 --- a/src/laybasic/laybasic/layColorPalette.h +++ b/src/laybasic/laybasic/layColorPalette.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layConverters.cc b/src/laybasic/laybasic/layConverters.cc index d55bd449d6..96e85f5aee 100644 --- a/src/laybasic/laybasic/layConverters.cc +++ b/src/laybasic/laybasic/layConverters.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layConverters.h b/src/laybasic/laybasic/layConverters.h index 62de892f78..3f19ccfd77 100644 --- a/src/laybasic/laybasic/layConverters.h +++ b/src/laybasic/laybasic/layConverters.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layCursor.cc b/src/laybasic/laybasic/layCursor.cc index e530bab944..3c5a198244 100644 --- a/src/laybasic/laybasic/layCursor.cc +++ b/src/laybasic/laybasic/layCursor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layCursor.h b/src/laybasic/laybasic/layCursor.h index 2282668b95..c91b1d97d7 100644 --- a/src/laybasic/laybasic/layCursor.h +++ b/src/laybasic/laybasic/layCursor.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layDispatcher.cc b/src/laybasic/laybasic/layDispatcher.cc index 659f99babf..5422c4ab08 100644 --- a/src/laybasic/laybasic/layDispatcher.cc +++ b/src/laybasic/laybasic/layDispatcher.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layDispatcher.h b/src/laybasic/laybasic/layDispatcher.h index 4387f717da..d706fe6a08 100644 --- a/src/laybasic/laybasic/layDispatcher.h +++ b/src/laybasic/laybasic/layDispatcher.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layDisplayState.cc b/src/laybasic/laybasic/layDisplayState.cc index 19d207ffcb..f1f439ee05 100644 --- a/src/laybasic/laybasic/layDisplayState.cc +++ b/src/laybasic/laybasic/layDisplayState.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layDisplayState.h b/src/laybasic/laybasic/layDisplayState.h index a9be865f75..502d044ff2 100644 --- a/src/laybasic/laybasic/layDisplayState.h +++ b/src/laybasic/laybasic/layDisplayState.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layDitherPattern.cc b/src/laybasic/laybasic/layDitherPattern.cc index 53b14d052c..85e03915f8 100644 --- a/src/laybasic/laybasic/layDitherPattern.cc +++ b/src/laybasic/laybasic/layDitherPattern.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layDitherPattern.h b/src/laybasic/laybasic/layDitherPattern.h index 1fac7169cc..fb17cacce1 100644 --- a/src/laybasic/laybasic/layDitherPattern.h +++ b/src/laybasic/laybasic/layDitherPattern.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layDragDropData.cc b/src/laybasic/laybasic/layDragDropData.cc index ca6863c17f..d28ab12373 100644 --- a/src/laybasic/laybasic/layDragDropData.cc +++ b/src/laybasic/laybasic/layDragDropData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layDragDropData.h b/src/laybasic/laybasic/layDragDropData.h index 558b218236..f2eceb4671 100644 --- a/src/laybasic/laybasic/layDragDropData.h +++ b/src/laybasic/laybasic/layDragDropData.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layDrawing.cc b/src/laybasic/laybasic/layDrawing.cc index a85f6c802e..81a6f8201e 100644 --- a/src/laybasic/laybasic/layDrawing.cc +++ b/src/laybasic/laybasic/layDrawing.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layDrawing.h b/src/laybasic/laybasic/layDrawing.h index ef9fdf7d9f..14e9291193 100644 --- a/src/laybasic/laybasic/layDrawing.h +++ b/src/laybasic/laybasic/layDrawing.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layEditable.cc b/src/laybasic/laybasic/layEditable.cc index 4a3b0e3bf4..2476caddde 100644 --- a/src/laybasic/laybasic/layEditable.cc +++ b/src/laybasic/laybasic/layEditable.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layEditable.h b/src/laybasic/laybasic/layEditable.h index 0e24225357..77107a0d7b 100644 --- a/src/laybasic/laybasic/layEditable.h +++ b/src/laybasic/laybasic/layEditable.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layEditorServiceBase.cc b/src/laybasic/laybasic/layEditorServiceBase.cc index ea44746d38..f705d72166 100644 --- a/src/laybasic/laybasic/layEditorServiceBase.cc +++ b/src/laybasic/laybasic/layEditorServiceBase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layEditorServiceBase.h b/src/laybasic/laybasic/layEditorServiceBase.h index 36af9f8edc..561ebe555c 100644 --- a/src/laybasic/laybasic/layEditorServiceBase.h +++ b/src/laybasic/laybasic/layEditorServiceBase.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layFinder.cc b/src/laybasic/laybasic/layFinder.cc index 2e05f94636..52eac2dad1 100644 --- a/src/laybasic/laybasic/layFinder.cc +++ b/src/laybasic/laybasic/layFinder.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layFinder.h b/src/laybasic/laybasic/layFinder.h index 6ef4bc00be..0346f305b0 100644 --- a/src/laybasic/laybasic/layFinder.h +++ b/src/laybasic/laybasic/layFinder.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layFixedFont.cc b/src/laybasic/laybasic/layFixedFont.cc index b346e87aae..0bb18a82f0 100644 --- a/src/laybasic/laybasic/layFixedFont.cc +++ b/src/laybasic/laybasic/layFixedFont.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layLayerProperties.cc b/src/laybasic/laybasic/layLayerProperties.cc index 73d5fb2498..6663d43a17 100644 --- a/src/laybasic/laybasic/layLayerProperties.cc +++ b/src/laybasic/laybasic/layLayerProperties.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layLayerProperties.h b/src/laybasic/laybasic/layLayerProperties.h index 4318dbab1b..b9418eb97f 100644 --- a/src/laybasic/laybasic/layLayerProperties.h +++ b/src/laybasic/laybasic/layLayerProperties.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layLayoutCanvas.cc b/src/laybasic/laybasic/layLayoutCanvas.cc index 8b6a576969..78f17f1bc1 100644 --- a/src/laybasic/laybasic/layLayoutCanvas.cc +++ b/src/laybasic/laybasic/layLayoutCanvas.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layLayoutCanvas.h b/src/laybasic/laybasic/layLayoutCanvas.h index 938219763f..ae4655dc44 100644 --- a/src/laybasic/laybasic/layLayoutCanvas.h +++ b/src/laybasic/laybasic/layLayoutCanvas.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layLayoutViewBase.cc b/src/laybasic/laybasic/layLayoutViewBase.cc index ff7cec2273..108644c5e1 100644 --- a/src/laybasic/laybasic/layLayoutViewBase.cc +++ b/src/laybasic/laybasic/layLayoutViewBase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layLayoutViewBase.h b/src/laybasic/laybasic/layLayoutViewBase.h index fe826a2e01..903e2f1532 100644 --- a/src/laybasic/laybasic/layLayoutViewBase.h +++ b/src/laybasic/laybasic/layLayoutViewBase.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layLayoutViewConfig.cc b/src/laybasic/laybasic/layLayoutViewConfig.cc index 12441857d2..6956ea9e43 100644 --- a/src/laybasic/laybasic/layLayoutViewConfig.cc +++ b/src/laybasic/laybasic/layLayoutViewConfig.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layLineStylePalette.cc b/src/laybasic/laybasic/layLineStylePalette.cc index 4dcda7946e..0f1e2d5cc8 100644 --- a/src/laybasic/laybasic/layLineStylePalette.cc +++ b/src/laybasic/laybasic/layLineStylePalette.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layLineStylePalette.h b/src/laybasic/laybasic/layLineStylePalette.h index 131eeeae39..e7a68bf48f 100644 --- a/src/laybasic/laybasic/layLineStylePalette.h +++ b/src/laybasic/laybasic/layLineStylePalette.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layLineStyles.cc b/src/laybasic/laybasic/layLineStyles.cc index 06667092b8..2d5bb7d34f 100644 --- a/src/laybasic/laybasic/layLineStyles.cc +++ b/src/laybasic/laybasic/layLineStyles.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layLineStyles.h b/src/laybasic/laybasic/layLineStyles.h index b2317d5743..805db65a78 100644 --- a/src/laybasic/laybasic/layLineStyles.h +++ b/src/laybasic/laybasic/layLineStyles.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layMargin.cc b/src/laybasic/laybasic/layMargin.cc index f03b193d4a..3b007d14b4 100644 --- a/src/laybasic/laybasic/layMargin.cc +++ b/src/laybasic/laybasic/layMargin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layMargin.h b/src/laybasic/laybasic/layMargin.h index a971f0c473..d3d0d4bbf9 100644 --- a/src/laybasic/laybasic/layMargin.h +++ b/src/laybasic/laybasic/layMargin.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layMarker.cc b/src/laybasic/laybasic/layMarker.cc index 3092111d3c..ec05152c5e 100644 --- a/src/laybasic/laybasic/layMarker.cc +++ b/src/laybasic/laybasic/layMarker.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layMarker.h b/src/laybasic/laybasic/layMarker.h index 3fa54b4427..4dc705215b 100644 --- a/src/laybasic/laybasic/layMarker.h +++ b/src/laybasic/laybasic/layMarker.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layMouseTracker.cc b/src/laybasic/laybasic/layMouseTracker.cc index 93b9930fb6..4de45d0f30 100644 --- a/src/laybasic/laybasic/layMouseTracker.cc +++ b/src/laybasic/laybasic/layMouseTracker.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layMouseTracker.h b/src/laybasic/laybasic/layMouseTracker.h index b2ecbb27bb..983479eb05 100644 --- a/src/laybasic/laybasic/layMouseTracker.h +++ b/src/laybasic/laybasic/layMouseTracker.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layMove.cc b/src/laybasic/laybasic/layMove.cc index fb8dd5e9bb..ab6c4d6d6c 100644 --- a/src/laybasic/laybasic/layMove.cc +++ b/src/laybasic/laybasic/layMove.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layMove.h b/src/laybasic/laybasic/layMove.h index bed2a18cb7..8e3daf1246 100644 --- a/src/laybasic/laybasic/layMove.h +++ b/src/laybasic/laybasic/layMove.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layNativePlugin.cc b/src/laybasic/laybasic/layNativePlugin.cc index c26231e662..f443ce1408 100644 --- a/src/laybasic/laybasic/layNativePlugin.cc +++ b/src/laybasic/laybasic/layNativePlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layNativePlugin.h b/src/laybasic/laybasic/layNativePlugin.h index efe8582932..403ecb5298 100644 --- a/src/laybasic/laybasic/layNativePlugin.h +++ b/src/laybasic/laybasic/layNativePlugin.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layNetColorizer.cc b/src/laybasic/laybasic/layNetColorizer.cc index 78f9f22209..2caf169327 100644 --- a/src/laybasic/laybasic/layNetColorizer.cc +++ b/src/laybasic/laybasic/layNetColorizer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layNetColorizer.h b/src/laybasic/laybasic/layNetColorizer.h index f1664303c7..ff60c5c908 100644 --- a/src/laybasic/laybasic/layNetColorizer.h +++ b/src/laybasic/laybasic/layNetColorizer.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layObjectInstPath.cc b/src/laybasic/laybasic/layObjectInstPath.cc index 5663889707..2847266ee3 100644 --- a/src/laybasic/laybasic/layObjectInstPath.cc +++ b/src/laybasic/laybasic/layObjectInstPath.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layObjectInstPath.h b/src/laybasic/laybasic/layObjectInstPath.h index 3d1e21d867..f7822128d4 100644 --- a/src/laybasic/laybasic/layObjectInstPath.h +++ b/src/laybasic/laybasic/layObjectInstPath.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layParsedLayerSource.cc b/src/laybasic/laybasic/layParsedLayerSource.cc index 1206935d82..a8fd797177 100644 --- a/src/laybasic/laybasic/layParsedLayerSource.cc +++ b/src/laybasic/laybasic/layParsedLayerSource.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layParsedLayerSource.h b/src/laybasic/laybasic/layParsedLayerSource.h index ea284758ab..398ea2ef5f 100644 --- a/src/laybasic/laybasic/layParsedLayerSource.h +++ b/src/laybasic/laybasic/layParsedLayerSource.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layPixelBufferPainter.cc b/src/laybasic/laybasic/layPixelBufferPainter.cc index 0fde81d218..105a8f1864 100644 --- a/src/laybasic/laybasic/layPixelBufferPainter.cc +++ b/src/laybasic/laybasic/layPixelBufferPainter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layPixelBufferPainter.h b/src/laybasic/laybasic/layPixelBufferPainter.h index b8a3a827ee..99d2585f22 100644 --- a/src/laybasic/laybasic/layPixelBufferPainter.h +++ b/src/laybasic/laybasic/layPixelBufferPainter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layPlugin.cc b/src/laybasic/laybasic/layPlugin.cc index 410165edb6..94d7e974ea 100644 --- a/src/laybasic/laybasic/layPlugin.cc +++ b/src/laybasic/laybasic/layPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layPlugin.h b/src/laybasic/laybasic/layPlugin.h index c10dc67566..abf7a3ecdf 100644 --- a/src/laybasic/laybasic/layPlugin.h +++ b/src/laybasic/laybasic/layPlugin.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layPluginConfigPage.cc b/src/laybasic/laybasic/layPluginConfigPage.cc index 73e1f728f1..9ae7c2d647 100644 --- a/src/laybasic/laybasic/layPluginConfigPage.cc +++ b/src/laybasic/laybasic/layPluginConfigPage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layPluginConfigPage.h b/src/laybasic/laybasic/layPluginConfigPage.h index 93849bf5d6..bd2d47d5af 100644 --- a/src/laybasic/laybasic/layPluginConfigPage.h +++ b/src/laybasic/laybasic/layPluginConfigPage.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layProperties.cc b/src/laybasic/laybasic/layProperties.cc index 1ecb4803b8..23aab01b82 100644 --- a/src/laybasic/laybasic/layProperties.cc +++ b/src/laybasic/laybasic/layProperties.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layProperties.h b/src/laybasic/laybasic/layProperties.h index 1513c1978c..29bfca2156 100644 --- a/src/laybasic/laybasic/layProperties.h +++ b/src/laybasic/laybasic/layProperties.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layRedrawLayerInfo.cc b/src/laybasic/laybasic/layRedrawLayerInfo.cc index 5ea4cfdccb..06b21d2397 100644 --- a/src/laybasic/laybasic/layRedrawLayerInfo.cc +++ b/src/laybasic/laybasic/layRedrawLayerInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layRedrawLayerInfo.h b/src/laybasic/laybasic/layRedrawLayerInfo.h index 06df84ef49..318f8963c9 100644 --- a/src/laybasic/laybasic/layRedrawLayerInfo.h +++ b/src/laybasic/laybasic/layRedrawLayerInfo.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layRedrawThread.cc b/src/laybasic/laybasic/layRedrawThread.cc index adc9828ded..ecdd02b5bd 100644 --- a/src/laybasic/laybasic/layRedrawThread.cc +++ b/src/laybasic/laybasic/layRedrawThread.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layRedrawThread.h b/src/laybasic/laybasic/layRedrawThread.h index e0d9ad07bb..071372965f 100644 --- a/src/laybasic/laybasic/layRedrawThread.h +++ b/src/laybasic/laybasic/layRedrawThread.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layRedrawThreadCanvas.cc b/src/laybasic/laybasic/layRedrawThreadCanvas.cc index 39edcc95ca..a3a945a0ed 100644 --- a/src/laybasic/laybasic/layRedrawThreadCanvas.cc +++ b/src/laybasic/laybasic/layRedrawThreadCanvas.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layRedrawThreadCanvas.h b/src/laybasic/laybasic/layRedrawThreadCanvas.h index 45094f4a40..a88b9a8f02 100644 --- a/src/laybasic/laybasic/layRedrawThreadCanvas.h +++ b/src/laybasic/laybasic/layRedrawThreadCanvas.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layRedrawThreadWorker.cc b/src/laybasic/laybasic/layRedrawThreadWorker.cc index 8e868a5bc3..fe044faf09 100644 --- a/src/laybasic/laybasic/layRedrawThreadWorker.cc +++ b/src/laybasic/laybasic/layRedrawThreadWorker.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layRedrawThreadWorker.h b/src/laybasic/laybasic/layRedrawThreadWorker.h index 90f16b1855..376a20fdb0 100644 --- a/src/laybasic/laybasic/layRedrawThreadWorker.h +++ b/src/laybasic/laybasic/layRedrawThreadWorker.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layRenderer.cc b/src/laybasic/laybasic/layRenderer.cc index 8ad78895d3..6af40f40a5 100644 --- a/src/laybasic/laybasic/layRenderer.cc +++ b/src/laybasic/laybasic/layRenderer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layRenderer.h b/src/laybasic/laybasic/layRenderer.h index 2965650ecc..e3078fd025 100644 --- a/src/laybasic/laybasic/layRenderer.h +++ b/src/laybasic/laybasic/layRenderer.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layRubberBox.cc b/src/laybasic/laybasic/layRubberBox.cc index 8d0e16c0ce..6b4fb64cb1 100644 --- a/src/laybasic/laybasic/layRubberBox.cc +++ b/src/laybasic/laybasic/layRubberBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layRubberBox.h b/src/laybasic/laybasic/layRubberBox.h index c3eea6b5d7..472494cd1a 100644 --- a/src/laybasic/laybasic/layRubberBox.h +++ b/src/laybasic/laybasic/layRubberBox.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/laySelector.cc b/src/laybasic/laybasic/laySelector.cc index a1da080975..1593785039 100644 --- a/src/laybasic/laybasic/laySelector.cc +++ b/src/laybasic/laybasic/laySelector.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/laySelector.h b/src/laybasic/laybasic/laySelector.h index ef8e3b1adb..a477891588 100644 --- a/src/laybasic/laybasic/laySelector.h +++ b/src/laybasic/laybasic/laySelector.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/laySnap.cc b/src/laybasic/laybasic/laySnap.cc index d04f9395bb..212d396e37 100644 --- a/src/laybasic/laybasic/laySnap.cc +++ b/src/laybasic/laybasic/laySnap.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/laySnap.h b/src/laybasic/laybasic/laySnap.h index bb22a2be95..9acb18a844 100644 --- a/src/laybasic/laybasic/laySnap.h +++ b/src/laybasic/laybasic/laySnap.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layStipplePalette.cc b/src/laybasic/laybasic/layStipplePalette.cc index e68eb050a7..d57f2b7e68 100644 --- a/src/laybasic/laybasic/layStipplePalette.cc +++ b/src/laybasic/laybasic/layStipplePalette.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layStipplePalette.h b/src/laybasic/laybasic/layStipplePalette.h index a5039015ba..7663ef4be5 100644 --- a/src/laybasic/laybasic/layStipplePalette.h +++ b/src/laybasic/laybasic/layStipplePalette.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layStream.cc b/src/laybasic/laybasic/layStream.cc index 264b4821a6..12f3e19d14 100644 --- a/src/laybasic/laybasic/layStream.cc +++ b/src/laybasic/laybasic/layStream.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layStream.h b/src/laybasic/laybasic/layStream.h index a1256afc8d..4190fd3b09 100644 --- a/src/laybasic/laybasic/layStream.h +++ b/src/laybasic/laybasic/layStream.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layTextInfo.cc b/src/laybasic/laybasic/layTextInfo.cc index ab0534c885..a49afb7fcf 100644 --- a/src/laybasic/laybasic/layTextInfo.cc +++ b/src/laybasic/laybasic/layTextInfo.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layTextInfo.h b/src/laybasic/laybasic/layTextInfo.h index 98737cf734..a0a69d7b6f 100644 --- a/src/laybasic/laybasic/layTextInfo.h +++ b/src/laybasic/laybasic/layTextInfo.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layUtils.cc b/src/laybasic/laybasic/layUtils.cc index c26016dab5..d0b42cf3fd 100644 --- a/src/laybasic/laybasic/layUtils.cc +++ b/src/laybasic/laybasic/layUtils.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layUtils.h b/src/laybasic/laybasic/layUtils.h index 2c7e7c927e..d4d298c77a 100644 --- a/src/laybasic/laybasic/layUtils.h +++ b/src/laybasic/laybasic/layUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layViewObject.cc b/src/laybasic/laybasic/layViewObject.cc index 6b063476b9..0927fd2615 100644 --- a/src/laybasic/laybasic/layViewObject.cc +++ b/src/laybasic/laybasic/layViewObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layViewObject.h b/src/laybasic/laybasic/layViewObject.h index 70284c5320..76f9b51758 100644 --- a/src/laybasic/laybasic/layViewObject.h +++ b/src/laybasic/laybasic/layViewObject.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layViewOp.cc b/src/laybasic/laybasic/layViewOp.cc index c639bbdf3a..8852f1d949 100644 --- a/src/laybasic/laybasic/layViewOp.cc +++ b/src/laybasic/laybasic/layViewOp.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layViewOp.h b/src/laybasic/laybasic/layViewOp.h index b75c58cf08..7283c41572 100644 --- a/src/laybasic/laybasic/layViewOp.h +++ b/src/laybasic/laybasic/layViewOp.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layViewport.cc b/src/laybasic/laybasic/layViewport.cc index 8a92bad3ab..acc16a7404 100644 --- a/src/laybasic/laybasic/layViewport.cc +++ b/src/laybasic/laybasic/layViewport.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layViewport.h b/src/laybasic/laybasic/layViewport.h index 344bb52b80..6ad6434f11 100644 --- a/src/laybasic/laybasic/layViewport.h +++ b/src/laybasic/laybasic/layViewport.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layZoomBox.cc b/src/laybasic/laybasic/layZoomBox.cc index 3fc229c6a4..4e51cd3ae3 100644 --- a/src/laybasic/laybasic/layZoomBox.cc +++ b/src/laybasic/laybasic/layZoomBox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/layZoomBox.h b/src/laybasic/laybasic/layZoomBox.h index 3ee9429bd9..b387de06ac 100644 --- a/src/laybasic/laybasic/layZoomBox.h +++ b/src/laybasic/laybasic/layZoomBox.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/laybasicCommon.h b/src/laybasic/laybasic/laybasicCommon.h index 0ba5837f54..8e1d2c527e 100644 --- a/src/laybasic/laybasic/laybasicCommon.h +++ b/src/laybasic/laybasic/laybasicCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/laybasicConfig.h b/src/laybasic/laybasic/laybasicConfig.h index d96913beef..6fc5476695 100644 --- a/src/laybasic/laybasic/laybasicConfig.h +++ b/src/laybasic/laybasic/laybasicConfig.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/laybasicForceLink.cc b/src/laybasic/laybasic/laybasicForceLink.cc index f6ccbc940e..8eb32fc29a 100644 --- a/src/laybasic/laybasic/laybasicForceLink.cc +++ b/src/laybasic/laybasic/laybasicForceLink.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/laybasic/laybasicForceLink.h b/src/laybasic/laybasic/laybasicForceLink.h index 5c36402ff9..9f5d380334 100644 --- a/src/laybasic/laybasic/laybasicForceLink.h +++ b/src/laybasic/laybasic/laybasicForceLink.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/unit_tests/layAbstractMenuTests.cc b/src/laybasic/unit_tests/layAbstractMenuTests.cc index a555e48f1a..10b2628862 100644 --- a/src/laybasic/unit_tests/layAbstractMenuTests.cc +++ b/src/laybasic/unit_tests/layAbstractMenuTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/unit_tests/layAnnotationShapes.cc b/src/laybasic/unit_tests/layAnnotationShapes.cc index 0e42c35b47..c77ddb1222 100644 --- a/src/laybasic/unit_tests/layAnnotationShapes.cc +++ b/src/laybasic/unit_tests/layAnnotationShapes.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/unit_tests/layBitmap.cc b/src/laybasic/unit_tests/layBitmap.cc index d9f3c20991..72c76b2363 100644 --- a/src/laybasic/unit_tests/layBitmap.cc +++ b/src/laybasic/unit_tests/layBitmap.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/unit_tests/layBitmapsToImage.cc b/src/laybasic/unit_tests/layBitmapsToImage.cc index 88b8be0fdd..6e68e375c8 100644 --- a/src/laybasic/unit_tests/layBitmapsToImage.cc +++ b/src/laybasic/unit_tests/layBitmapsToImage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/unit_tests/layLayerProperties.cc b/src/laybasic/unit_tests/layLayerProperties.cc index 26e7ecb200..b1c92fa80d 100644 --- a/src/laybasic/unit_tests/layLayerProperties.cc +++ b/src/laybasic/unit_tests/layLayerProperties.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/unit_tests/layMarginTests.cc b/src/laybasic/unit_tests/layMarginTests.cc index 92693d4937..db0833e531 100644 --- a/src/laybasic/unit_tests/layMarginTests.cc +++ b/src/laybasic/unit_tests/layMarginTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/unit_tests/layParsedLayerSource.cc b/src/laybasic/unit_tests/layParsedLayerSource.cc index 883acdd1ed..6ecc4e5c7f 100644 --- a/src/laybasic/unit_tests/layParsedLayerSource.cc +++ b/src/laybasic/unit_tests/layParsedLayerSource.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/unit_tests/layRenderer.cc b/src/laybasic/unit_tests/layRenderer.cc index e17a06fb63..4f763cb704 100644 --- a/src/laybasic/unit_tests/layRenderer.cc +++ b/src/laybasic/unit_tests/layRenderer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/unit_tests/laySnapTests.cc b/src/laybasic/unit_tests/laySnapTests.cc index 690e2ae396..32572ea923 100644 --- a/src/laybasic/unit_tests/laySnapTests.cc +++ b/src/laybasic/unit_tests/laySnapTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/laybasic/unit_tests/layTextInfoTests.cc b/src/laybasic/unit_tests/layTextInfoTests.cc index ef30de4673..453d6839e8 100644 --- a/src/laybasic/unit_tests/layTextInfoTests.cc +++ b/src/laybasic/unit_tests/layTextInfoTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/gsiDeclLayDialogs.cc b/src/layui/layui/gsiDeclLayDialogs.cc index df2e15ad86..0c03c7d240 100644 --- a/src/layui/layui/gsiDeclLayDialogs.cc +++ b/src/layui/layui/gsiDeclLayDialogs.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/gsiDeclLayNetlistBrowserDialog.cc b/src/layui/layui/gsiDeclLayNetlistBrowserDialog.cc index eb8b876be2..4e9cae40fe 100644 --- a/src/layui/layui/gsiDeclLayNetlistBrowserDialog.cc +++ b/src/layui/layui/gsiDeclLayNetlistBrowserDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/gsiDeclLayStream.cc b/src/layui/layui/gsiDeclLayStream.cc index 432cfc48de..11ff2a42cc 100644 --- a/src/layui/layui/gsiDeclLayStream.cc +++ b/src/layui/layui/gsiDeclLayStream.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layBackgroundAwareTreeStyle.cc b/src/layui/layui/layBackgroundAwareTreeStyle.cc index c950dc0bb4..b542f43055 100644 --- a/src/layui/layui/layBackgroundAwareTreeStyle.cc +++ b/src/layui/layui/layBackgroundAwareTreeStyle.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layBackgroundAwareTreeStyle.h b/src/layui/layui/layBackgroundAwareTreeStyle.h index cd4371531d..7aa4746d9f 100644 --- a/src/layui/layui/layBackgroundAwareTreeStyle.h +++ b/src/layui/layui/layBackgroundAwareTreeStyle.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layBookmarkManagementForm.cc b/src/layui/layui/layBookmarkManagementForm.cc index e8da04db53..9c1c74c30c 100644 --- a/src/layui/layui/layBookmarkManagementForm.cc +++ b/src/layui/layui/layBookmarkManagementForm.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layBookmarkManagementForm.h b/src/layui/layui/layBookmarkManagementForm.h index 9a844b2974..3fd7e1e09f 100644 --- a/src/layui/layui/layBookmarkManagementForm.h +++ b/src/layui/layui/layBookmarkManagementForm.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layBookmarksView.cc b/src/layui/layui/layBookmarksView.cc index d64ec6cf35..c7d1b37216 100644 --- a/src/layui/layui/layBookmarksView.cc +++ b/src/layui/layui/layBookmarksView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layBookmarksView.h b/src/layui/layui/layBookmarksView.h index 47d865c748..d07c7a84e1 100644 --- a/src/layui/layui/layBookmarksView.h +++ b/src/layui/layui/layBookmarksView.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layBrowseInstancesForm.cc b/src/layui/layui/layBrowseInstancesForm.cc index 9caca2da6e..2656eb0939 100644 --- a/src/layui/layui/layBrowseInstancesForm.cc +++ b/src/layui/layui/layBrowseInstancesForm.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layBrowseInstancesForm.h b/src/layui/layui/layBrowseInstancesForm.h index d31aa3e58a..a3131b0f08 100644 --- a/src/layui/layui/layBrowseInstancesForm.h +++ b/src/layui/layui/layBrowseInstancesForm.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layBrowseShapesForm.cc b/src/layui/layui/layBrowseShapesForm.cc index 8ceb2063a7..93fd7acf89 100644 --- a/src/layui/layui/layBrowseShapesForm.cc +++ b/src/layui/layui/layBrowseShapesForm.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layBrowseShapesForm.h b/src/layui/layui/layBrowseShapesForm.h index 8cbf893635..a3db2c0963 100644 --- a/src/layui/layui/layBrowseShapesForm.h +++ b/src/layui/layui/layBrowseShapesForm.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layBrowser.cc b/src/layui/layui/layBrowser.cc index 32efa4244f..e47e56525a 100644 --- a/src/layui/layui/layBrowser.cc +++ b/src/layui/layui/layBrowser.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layBrowser.h b/src/layui/layui/layBrowser.h index 5854721f1c..03416ce20a 100644 --- a/src/layui/layui/layBrowser.h +++ b/src/layui/layui/layBrowser.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layBrowserDialog.cc b/src/layui/layui/layBrowserDialog.cc index 78b1088ba2..b16175c898 100644 --- a/src/layui/layui/layBrowserDialog.cc +++ b/src/layui/layui/layBrowserDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layBrowserDialog.h b/src/layui/layui/layBrowserDialog.h index 2c90ce8bbe..754363bf3f 100644 --- a/src/layui/layui/layBrowserDialog.h +++ b/src/layui/layui/layBrowserDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layBrowserPanel.cc b/src/layui/layui/layBrowserPanel.cc index b071cb348d..b1c5e55caf 100644 --- a/src/layui/layui/layBrowserPanel.cc +++ b/src/layui/layui/layBrowserPanel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layBrowserPanel.h b/src/layui/layui/layBrowserPanel.h index 272bbfb2e3..f43d1bef25 100644 --- a/src/layui/layui/layBrowserPanel.h +++ b/src/layui/layui/layBrowserPanel.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layBusy.cc b/src/layui/layui/layBusy.cc index 097151f4c3..3cb6e23649 100644 --- a/src/layui/layui/layBusy.cc +++ b/src/layui/layui/layBusy.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layBusy.h b/src/layui/layui/layBusy.h index 087020184b..b90f5e213f 100644 --- a/src/layui/layui/layBusy.h +++ b/src/layui/layui/layBusy.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layCellSelectionForm.cc b/src/layui/layui/layCellSelectionForm.cc index 75aa879eb6..5fc929455d 100644 --- a/src/layui/layui/layCellSelectionForm.cc +++ b/src/layui/layui/layCellSelectionForm.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layCellSelectionForm.h b/src/layui/layui/layCellSelectionForm.h index 24af7ba5ae..8c64e1dde6 100644 --- a/src/layui/layui/layCellSelectionForm.h +++ b/src/layui/layui/layCellSelectionForm.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layCellTreeModel.cc b/src/layui/layui/layCellTreeModel.cc index 323681ca5f..3d09f86e2a 100644 --- a/src/layui/layui/layCellTreeModel.cc +++ b/src/layui/layui/layCellTreeModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layCellTreeModel.h b/src/layui/layui/layCellTreeModel.h index fe907476fc..e9a15ac169 100644 --- a/src/layui/layui/layCellTreeModel.h +++ b/src/layui/layui/layCellTreeModel.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layConfigurationDialog.cc b/src/layui/layui/layConfigurationDialog.cc index b77118e07e..d269e66125 100644 --- a/src/layui/layui/layConfigurationDialog.cc +++ b/src/layui/layui/layConfigurationDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layConfigurationDialog.h b/src/layui/layui/layConfigurationDialog.h index 5b3904c2d7..6fd8eda389 100644 --- a/src/layui/layui/layConfigurationDialog.h +++ b/src/layui/layui/layConfigurationDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layDialogs.cc b/src/layui/layui/layDialogs.cc index b35d5bc11d..abd75cc2d7 100644 --- a/src/layui/layui/layDialogs.cc +++ b/src/layui/layui/layDialogs.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layDialogs.h b/src/layui/layui/layDialogs.h index 6cdd11b273..5aefa8a7c5 100644 --- a/src/layui/layui/layDialogs.h +++ b/src/layui/layui/layDialogs.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layEditLineStyleWidget.cc b/src/layui/layui/layEditLineStyleWidget.cc index 1672054e3f..6b40edb13b 100644 --- a/src/layui/layui/layEditLineStyleWidget.cc +++ b/src/layui/layui/layEditLineStyleWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layEditLineStyleWidget.h b/src/layui/layui/layEditLineStyleWidget.h index 049cafaa46..8a40ffbc34 100644 --- a/src/layui/layui/layEditLineStyleWidget.h +++ b/src/layui/layui/layEditLineStyleWidget.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layEditLineStylesForm.cc b/src/layui/layui/layEditLineStylesForm.cc index 67fcf7dcfb..95e123bb4f 100644 --- a/src/layui/layui/layEditLineStylesForm.cc +++ b/src/layui/layui/layEditLineStylesForm.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layEditLineStylesForm.h b/src/layui/layui/layEditLineStylesForm.h index 23c743df0c..47f9f4f08d 100644 --- a/src/layui/layui/layEditLineStylesForm.h +++ b/src/layui/layui/layEditLineStylesForm.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layEditStippleWidget.cc b/src/layui/layui/layEditStippleWidget.cc index e775540f8e..5f8788f9dc 100644 --- a/src/layui/layui/layEditStippleWidget.cc +++ b/src/layui/layui/layEditStippleWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layEditStippleWidget.h b/src/layui/layui/layEditStippleWidget.h index dad1688f18..405fc36e43 100644 --- a/src/layui/layui/layEditStippleWidget.h +++ b/src/layui/layui/layEditStippleWidget.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layEditStipplesForm.cc b/src/layui/layui/layEditStipplesForm.cc index 21feb17ccf..7494251bfd 100644 --- a/src/layui/layui/layEditStipplesForm.cc +++ b/src/layui/layui/layEditStipplesForm.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layEditStipplesForm.h b/src/layui/layui/layEditStipplesForm.h index 4b98815dd9..8417700f11 100644 --- a/src/layui/layui/layEditStipplesForm.h +++ b/src/layui/layui/layEditStipplesForm.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layEditorOptionsFrame.cc b/src/layui/layui/layEditorOptionsFrame.cc index fb013e56c4..df90fc91f0 100644 --- a/src/layui/layui/layEditorOptionsFrame.cc +++ b/src/layui/layui/layEditorOptionsFrame.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layEditorOptionsFrame.h b/src/layui/layui/layEditorOptionsFrame.h index ecf212cb0e..93a24ab09c 100644 --- a/src/layui/layui/layEditorOptionsFrame.h +++ b/src/layui/layui/layEditorOptionsFrame.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layEditorOptionsPage.cc b/src/layui/layui/layEditorOptionsPage.cc index 0ec040d3e3..8c403b975b 100644 --- a/src/layui/layui/layEditorOptionsPage.cc +++ b/src/layui/layui/layEditorOptionsPage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layEditorOptionsPage.h b/src/layui/layui/layEditorOptionsPage.h index 55b9dcac33..7b0a7f1bac 100644 --- a/src/layui/layui/layEditorOptionsPage.h +++ b/src/layui/layui/layEditorOptionsPage.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layEditorOptionsPages.cc b/src/layui/layui/layEditorOptionsPages.cc index 37976aece8..9e558978b2 100644 --- a/src/layui/layui/layEditorOptionsPages.cc +++ b/src/layui/layui/layEditorOptionsPages.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layEditorOptionsPages.h b/src/layui/layui/layEditorOptionsPages.h index 64787b500a..bdc37f5cf5 100644 --- a/src/layui/layui/layEditorOptionsPages.h +++ b/src/layui/layui/layEditorOptionsPages.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layFileDialog.cc b/src/layui/layui/layFileDialog.cc index 4e7280bcd9..6a031e9b71 100644 --- a/src/layui/layui/layFileDialog.cc +++ b/src/layui/layui/layFileDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layFileDialog.h b/src/layui/layui/layFileDialog.h index 823d23b273..36b9b620e8 100644 --- a/src/layui/layui/layFileDialog.h +++ b/src/layui/layui/layFileDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layGenericSyntaxHighlighter.cc b/src/layui/layui/layGenericSyntaxHighlighter.cc index 3a3cd7e75a..3890f643ba 100644 --- a/src/layui/layui/layGenericSyntaxHighlighter.cc +++ b/src/layui/layui/layGenericSyntaxHighlighter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layGenericSyntaxHighlighter.h b/src/layui/layui/layGenericSyntaxHighlighter.h index 35fef725b9..e78aba1e21 100644 --- a/src/layui/layui/layGenericSyntaxHighlighter.h +++ b/src/layui/layui/layGenericSyntaxHighlighter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layHierarchyControlPanel.cc b/src/layui/layui/layHierarchyControlPanel.cc index 3e74fb2e4b..417148bee8 100644 --- a/src/layui/layui/layHierarchyControlPanel.cc +++ b/src/layui/layui/layHierarchyControlPanel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layHierarchyControlPanel.h b/src/layui/layui/layHierarchyControlPanel.h index c6eaebb58a..6801728d8f 100644 --- a/src/layui/layui/layHierarchyControlPanel.h +++ b/src/layui/layui/layHierarchyControlPanel.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layIndexedNetlistModel.cc b/src/layui/layui/layIndexedNetlistModel.cc index 0e9b30792f..e6fa10a978 100644 --- a/src/layui/layui/layIndexedNetlistModel.cc +++ b/src/layui/layui/layIndexedNetlistModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layIndexedNetlistModel.h b/src/layui/layui/layIndexedNetlistModel.h index 0de3a947b1..104028464b 100644 --- a/src/layui/layui/layIndexedNetlistModel.h +++ b/src/layui/layui/layIndexedNetlistModel.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layItemDelegates.cc b/src/layui/layui/layItemDelegates.cc index b470722bf9..197a150a47 100644 --- a/src/layui/layui/layItemDelegates.cc +++ b/src/layui/layui/layItemDelegates.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layItemDelegates.h b/src/layui/layui/layItemDelegates.h index f832757c78..fc1bb5246b 100644 --- a/src/layui/layui/layItemDelegates.h +++ b/src/layui/layui/layItemDelegates.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layLayerControlPanel.cc b/src/layui/layui/layLayerControlPanel.cc index 6bc1a8262b..e5a41832b4 100644 --- a/src/layui/layui/layLayerControlPanel.cc +++ b/src/layui/layui/layLayerControlPanel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layLayerControlPanel.h b/src/layui/layui/layLayerControlPanel.h index 7a3c1dc5bc..390c2aea38 100644 --- a/src/layui/layui/layLayerControlPanel.h +++ b/src/layui/layui/layLayerControlPanel.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layLayerMappingWidget.cc b/src/layui/layui/layLayerMappingWidget.cc index abea50505e..059782ba13 100644 --- a/src/layui/layui/layLayerMappingWidget.cc +++ b/src/layui/layui/layLayerMappingWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layLayerMappingWidget.h b/src/layui/layui/layLayerMappingWidget.h index 8066716eb1..5e73c647b5 100644 --- a/src/layui/layui/layLayerMappingWidget.h +++ b/src/layui/layui/layLayerMappingWidget.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layLayerToolbox.cc b/src/layui/layui/layLayerToolbox.cc index 1d69a3cf95..54c19224ec 100644 --- a/src/layui/layui/layLayerToolbox.cc +++ b/src/layui/layui/layLayerToolbox.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layLayerToolbox.h b/src/layui/layui/layLayerToolbox.h index df671a5edd..5b3754fee8 100644 --- a/src/layui/layui/layLayerToolbox.h +++ b/src/layui/layui/layLayerToolbox.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layLayerTreeModel.cc b/src/layui/layui/layLayerTreeModel.cc index a8f733c61a..23bf41e8ae 100644 --- a/src/layui/layui/layLayerTreeModel.cc +++ b/src/layui/layui/layLayerTreeModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layLayerTreeModel.h b/src/layui/layui/layLayerTreeModel.h index 7071a2438f..9cf7f33942 100644 --- a/src/layui/layui/layLayerTreeModel.h +++ b/src/layui/layui/layLayerTreeModel.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layLayoutPropertiesForm.cc b/src/layui/layui/layLayoutPropertiesForm.cc index f247aea22f..12f5d148f4 100644 --- a/src/layui/layui/layLayoutPropertiesForm.cc +++ b/src/layui/layui/layLayoutPropertiesForm.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layLayoutPropertiesForm.h b/src/layui/layui/layLayoutPropertiesForm.h index a24ff40332..35e4a5a782 100644 --- a/src/layui/layui/layLayoutPropertiesForm.h +++ b/src/layui/layui/layLayoutPropertiesForm.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layLayoutStatisticsForm.cc b/src/layui/layui/layLayoutStatisticsForm.cc index 77c883bd25..2a5e5238ed 100644 --- a/src/layui/layui/layLayoutStatisticsForm.cc +++ b/src/layui/layui/layLayoutStatisticsForm.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layLayoutStatisticsForm.h b/src/layui/layui/layLayoutStatisticsForm.h index 60bf1ee07d..e8b715a81f 100644 --- a/src/layui/layui/layLayoutStatisticsForm.h +++ b/src/layui/layui/layLayoutStatisticsForm.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layLayoutViewConfigPages.cc b/src/layui/layui/layLayoutViewConfigPages.cc index ac7070ca5d..c7f57f806f 100644 --- a/src/layui/layui/layLayoutViewConfigPages.cc +++ b/src/layui/layui/layLayoutViewConfigPages.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layLayoutViewConfigPages.h b/src/layui/layui/layLayoutViewConfigPages.h index cd39d45dfd..ab6cbece6d 100644 --- a/src/layui/layui/layLayoutViewConfigPages.h +++ b/src/layui/layui/layLayoutViewConfigPages.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layLayoutViewFunctions.cc b/src/layui/layui/layLayoutViewFunctions.cc index ed6a600c53..4d09f325fe 100644 --- a/src/layui/layui/layLayoutViewFunctions.cc +++ b/src/layui/layui/layLayoutViewFunctions.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layLayoutViewFunctions.h b/src/layui/layui/layLayoutViewFunctions.h index 075b62395c..41b5b78385 100644 --- a/src/layui/layui/layLayoutViewFunctions.h +++ b/src/layui/layui/layLayoutViewFunctions.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layLibrariesView.cc b/src/layui/layui/layLibrariesView.cc index 8ade137a50..8b730d8d3d 100644 --- a/src/layui/layui/layLibrariesView.cc +++ b/src/layui/layui/layLibrariesView.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layLibrariesView.h b/src/layui/layui/layLibrariesView.h index da18746ff9..807cef25d1 100644 --- a/src/layui/layui/layLibrariesView.h +++ b/src/layui/layui/layLibrariesView.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layLoadLayoutOptionsDialog.cc b/src/layui/layui/layLoadLayoutOptionsDialog.cc index f20dbba2f3..7a8faa485b 100644 --- a/src/layui/layui/layLoadLayoutOptionsDialog.cc +++ b/src/layui/layui/layLoadLayoutOptionsDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layLoadLayoutOptionsDialog.h b/src/layui/layui/layLoadLayoutOptionsDialog.h index 9145ad5b8c..c60f8dbbd7 100644 --- a/src/layui/layui/layLoadLayoutOptionsDialog.h +++ b/src/layui/layui/layLoadLayoutOptionsDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layNetExportDialog.cc b/src/layui/layui/layNetExportDialog.cc index 43d13394a4..9ff7e33f85 100644 --- a/src/layui/layui/layNetExportDialog.cc +++ b/src/layui/layui/layNetExportDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layNetExportDialog.h b/src/layui/layui/layNetExportDialog.h index d6c1b9e9ec..ec9a70cb49 100644 --- a/src/layui/layui/layNetExportDialog.h +++ b/src/layui/layui/layNetExportDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layNetInfoDialog.cc b/src/layui/layui/layNetInfoDialog.cc index 3d3cc11d20..8ab5ff6ffb 100644 --- a/src/layui/layui/layNetInfoDialog.cc +++ b/src/layui/layui/layNetInfoDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layNetInfoDialog.h b/src/layui/layui/layNetInfoDialog.h index 847cf1fa79..635e2eb60a 100644 --- a/src/layui/layui/layNetInfoDialog.h +++ b/src/layui/layui/layNetInfoDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layNetlistBrowser.cc b/src/layui/layui/layNetlistBrowser.cc index 6d7b4967f6..84b23d5a98 100644 --- a/src/layui/layui/layNetlistBrowser.cc +++ b/src/layui/layui/layNetlistBrowser.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layNetlistBrowser.h b/src/layui/layui/layNetlistBrowser.h index 88606ea17d..56a7357a3e 100644 --- a/src/layui/layui/layNetlistBrowser.h +++ b/src/layui/layui/layNetlistBrowser.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layNetlistBrowserDialog.cc b/src/layui/layui/layNetlistBrowserDialog.cc index 10c798adb6..eb860859a6 100644 --- a/src/layui/layui/layNetlistBrowserDialog.cc +++ b/src/layui/layui/layNetlistBrowserDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layNetlistBrowserDialog.h b/src/layui/layui/layNetlistBrowserDialog.h index 912e8ef1a0..9108f26a19 100644 --- a/src/layui/layui/layNetlistBrowserDialog.h +++ b/src/layui/layui/layNetlistBrowserDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layNetlistBrowserModel.cc b/src/layui/layui/layNetlistBrowserModel.cc index 76eef5f4a5..f8347e2236 100644 --- a/src/layui/layui/layNetlistBrowserModel.cc +++ b/src/layui/layui/layNetlistBrowserModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layNetlistBrowserModel.h b/src/layui/layui/layNetlistBrowserModel.h index 1c03fca15a..d19bd3b489 100644 --- a/src/layui/layui/layNetlistBrowserModel.h +++ b/src/layui/layui/layNetlistBrowserModel.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layNetlistBrowserPage.cc b/src/layui/layui/layNetlistBrowserPage.cc index 3c24089ae8..d8a27bcf84 100644 --- a/src/layui/layui/layNetlistBrowserPage.cc +++ b/src/layui/layui/layNetlistBrowserPage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layNetlistBrowserPage.h b/src/layui/layui/layNetlistBrowserPage.h index ad29cdba97..5b7a057e4e 100644 --- a/src/layui/layui/layNetlistBrowserPage.h +++ b/src/layui/layui/layNetlistBrowserPage.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layNetlistBrowserTreeModel.cc b/src/layui/layui/layNetlistBrowserTreeModel.cc index 2c9d59dd1c..6314998ee5 100644 --- a/src/layui/layui/layNetlistBrowserTreeModel.cc +++ b/src/layui/layui/layNetlistBrowserTreeModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layNetlistBrowserTreeModel.h b/src/layui/layui/layNetlistBrowserTreeModel.h index 87960de2f8..1b6f4fb012 100644 --- a/src/layui/layui/layNetlistBrowserTreeModel.h +++ b/src/layui/layui/layNetlistBrowserTreeModel.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layNetlistCrossReferenceModel.cc b/src/layui/layui/layNetlistCrossReferenceModel.cc index ab14d48038..c37ed56918 100644 --- a/src/layui/layui/layNetlistCrossReferenceModel.cc +++ b/src/layui/layui/layNetlistCrossReferenceModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layNetlistCrossReferenceModel.h b/src/layui/layui/layNetlistCrossReferenceModel.h index 825485c821..976106bb6e 100644 --- a/src/layui/layui/layNetlistCrossReferenceModel.h +++ b/src/layui/layui/layNetlistCrossReferenceModel.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layNetlistLogModel.cc b/src/layui/layui/layNetlistLogModel.cc index 82784d6285..d869d5d834 100644 --- a/src/layui/layui/layNetlistLogModel.cc +++ b/src/layui/layui/layNetlistLogModel.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layNetlistLogModel.h b/src/layui/layui/layNetlistLogModel.h index 670cf389a2..c4b1f6ff77 100644 --- a/src/layui/layui/layNetlistLogModel.h +++ b/src/layui/layui/layNetlistLogModel.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layPropertiesDialog.cc b/src/layui/layui/layPropertiesDialog.cc index e37f31e948..8a0fbe2749 100644 --- a/src/layui/layui/layPropertiesDialog.cc +++ b/src/layui/layui/layPropertiesDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layPropertiesDialog.h b/src/layui/layui/layPropertiesDialog.h index a9a1fa087b..514f0d5029 100644 --- a/src/layui/layui/layPropertiesDialog.h +++ b/src/layui/layui/layPropertiesDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layQtTools.cc b/src/layui/layui/layQtTools.cc index 6a40c6713c..699a63f825 100644 --- a/src/layui/layui/layQtTools.cc +++ b/src/layui/layui/layQtTools.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layQtTools.h b/src/layui/layui/layQtTools.h index 987b7ea3a3..1bfaf3e8f3 100644 --- a/src/layui/layui/layQtTools.h +++ b/src/layui/layui/layQtTools.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/laySaveLayoutOptionsDialog.cc b/src/layui/layui/laySaveLayoutOptionsDialog.cc index 0e19d84777..f660492b5f 100644 --- a/src/layui/layui/laySaveLayoutOptionsDialog.cc +++ b/src/layui/layui/laySaveLayoutOptionsDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/laySaveLayoutOptionsDialog.h b/src/layui/layui/laySaveLayoutOptionsDialog.h index 7a2dd2c170..a72d1cbf73 100644 --- a/src/layui/layui/laySaveLayoutOptionsDialog.h +++ b/src/layui/layui/laySaveLayoutOptionsDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/laySelectCellViewForm.cc b/src/layui/layui/laySelectCellViewForm.cc index 05b314e12e..df7a521e53 100644 --- a/src/layui/layui/laySelectCellViewForm.cc +++ b/src/layui/layui/laySelectCellViewForm.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/laySelectCellViewForm.h b/src/layui/layui/laySelectCellViewForm.h index f01ffa5080..e89a6cca17 100644 --- a/src/layui/layui/laySelectCellViewForm.h +++ b/src/layui/layui/laySelectCellViewForm.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/laySelectLineStyleForm.cc b/src/layui/layui/laySelectLineStyleForm.cc index ae197b4e1f..1270045b5c 100644 --- a/src/layui/layui/laySelectLineStyleForm.cc +++ b/src/layui/layui/laySelectLineStyleForm.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/laySelectLineStyleForm.h b/src/layui/layui/laySelectLineStyleForm.h index d340e25b38..9bf180fbdf 100644 --- a/src/layui/layui/laySelectLineStyleForm.h +++ b/src/layui/layui/laySelectLineStyleForm.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/laySelectStippleForm.cc b/src/layui/layui/laySelectStippleForm.cc index 3e48e797a0..048f809b3f 100644 --- a/src/layui/layui/laySelectStippleForm.cc +++ b/src/layui/layui/laySelectStippleForm.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/laySelectStippleForm.h b/src/layui/layui/laySelectStippleForm.h index f6f8e6d501..13d26ac6fd 100644 --- a/src/layui/layui/laySelectStippleForm.h +++ b/src/layui/layui/laySelectStippleForm.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layTechnology.cc b/src/layui/layui/layTechnology.cc index 004ba46c19..73a5bf3380 100644 --- a/src/layui/layui/layTechnology.cc +++ b/src/layui/layui/layTechnology.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layTechnology.h b/src/layui/layui/layTechnology.h index 446dbc3224..897ad54577 100644 --- a/src/layui/layui/layTechnology.h +++ b/src/layui/layui/layTechnology.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layTipDialog.cc b/src/layui/layui/layTipDialog.cc index cd0aceb28b..2227ba9638 100644 --- a/src/layui/layui/layTipDialog.cc +++ b/src/layui/layui/layTipDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layTipDialog.h b/src/layui/layui/layTipDialog.h index 6b028d9454..44defea049 100644 --- a/src/layui/layui/layTipDialog.h +++ b/src/layui/layui/layTipDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layWidgets.cc b/src/layui/layui/layWidgets.cc index 06c6807dcd..cdc7a4e1bf 100644 --- a/src/layui/layui/layWidgets.cc +++ b/src/layui/layui/layWidgets.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layWidgets.h b/src/layui/layui/layWidgets.h index 787d171e5c..8cc0755e0a 100644 --- a/src/layui/layui/layWidgets.h +++ b/src/layui/layui/layWidgets.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layuiCommon.h b/src/layui/layui/layuiCommon.h index 509fb3fea7..75eaf77c61 100644 --- a/src/layui/layui/layuiCommon.h +++ b/src/layui/layui/layuiCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layuiForceLink.cc b/src/layui/layui/layuiForceLink.cc index 0f39d776ec..9f80205d3d 100644 --- a/src/layui/layui/layuiForceLink.cc +++ b/src/layui/layui/layuiForceLink.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/layuiForceLink.h b/src/layui/layui/layuiForceLink.h index e47e36d88b..2cd105cb09 100644 --- a/src/layui/layui/layuiForceLink.h +++ b/src/layui/layui/layuiForceLink.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/rdbInfoWidget.cc b/src/layui/layui/rdbInfoWidget.cc index a1036b9d22..aeef6878e8 100644 --- a/src/layui/layui/rdbInfoWidget.cc +++ b/src/layui/layui/rdbInfoWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/rdbInfoWidget.h b/src/layui/layui/rdbInfoWidget.h index 50a8b78568..6a885c7eb2 100644 --- a/src/layui/layui/rdbInfoWidget.h +++ b/src/layui/layui/rdbInfoWidget.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/rdbMarkerBrowser.cc b/src/layui/layui/rdbMarkerBrowser.cc index 95af622e73..f3d7e24e95 100644 --- a/src/layui/layui/rdbMarkerBrowser.cc +++ b/src/layui/layui/rdbMarkerBrowser.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/rdbMarkerBrowser.h b/src/layui/layui/rdbMarkerBrowser.h index 46f583d08d..da0227ea08 100644 --- a/src/layui/layui/rdbMarkerBrowser.h +++ b/src/layui/layui/rdbMarkerBrowser.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/rdbMarkerBrowserDialog.cc b/src/layui/layui/rdbMarkerBrowserDialog.cc index ccfa153868..4598037678 100644 --- a/src/layui/layui/rdbMarkerBrowserDialog.cc +++ b/src/layui/layui/rdbMarkerBrowserDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/rdbMarkerBrowserDialog.h b/src/layui/layui/rdbMarkerBrowserDialog.h index 56990e5e59..7988d6070e 100644 --- a/src/layui/layui/rdbMarkerBrowserDialog.h +++ b/src/layui/layui/rdbMarkerBrowserDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/rdbMarkerBrowserPage.cc b/src/layui/layui/rdbMarkerBrowserPage.cc index 0aff85df3f..38877fef2c 100644 --- a/src/layui/layui/rdbMarkerBrowserPage.cc +++ b/src/layui/layui/rdbMarkerBrowserPage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/layui/rdbMarkerBrowserPage.h b/src/layui/layui/rdbMarkerBrowserPage.h index d9c1cb080a..0c50bdde48 100644 --- a/src/layui/layui/rdbMarkerBrowserPage.h +++ b/src/layui/layui/rdbMarkerBrowserPage.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/unit_tests/layNetlistBrowserModelTests.cc b/src/layui/unit_tests/layNetlistBrowserModelTests.cc index cc29886d98..1ea5c21491 100644 --- a/src/layui/unit_tests/layNetlistBrowserModelTests.cc +++ b/src/layui/unit_tests/layNetlistBrowserModelTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layui/unit_tests/layNetlistBrowserTreeModelTests.cc b/src/layui/unit_tests/layNetlistBrowserTreeModelTests.cc index 6a75a9724e..5d296f09f7 100644 --- a/src/layui/unit_tests/layNetlistBrowserTreeModelTests.cc +++ b/src/layui/unit_tests/layNetlistBrowserTreeModelTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layview/layview/gsiDeclLayAdditional.cc b/src/layview/layview/gsiDeclLayAdditional.cc index 8b29adfc9b..ab19ce2506 100644 --- a/src/layview/layview/gsiDeclLayAdditional.cc +++ b/src/layview/layview/gsiDeclLayAdditional.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layview/layview/gsiDeclLayLayoutView_noqt.cc b/src/layview/layview/gsiDeclLayLayoutView_noqt.cc index 7bd31b42e2..6782dab5b0 100644 --- a/src/layview/layview/gsiDeclLayLayoutView_noqt.cc +++ b/src/layview/layview/gsiDeclLayLayoutView_noqt.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layview/layview/gsiDeclLayLayoutView_qt.cc b/src/layview/layview/gsiDeclLayLayoutView_qt.cc index 3a424485ca..8c8d045e17 100644 --- a/src/layview/layview/gsiDeclLayLayoutView_qt.cc +++ b/src/layview/layview/gsiDeclLayLayoutView_qt.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layview/layview/layGridNet.cc b/src/layview/layview/layGridNet.cc index 80dc35cf21..399dbbefec 100644 --- a/src/layview/layview/layGridNet.cc +++ b/src/layview/layview/layGridNet.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layview/layview/layGridNet.h b/src/layview/layview/layGridNet.h index 41e0171998..5878a0dddc 100644 --- a/src/layview/layview/layGridNet.h +++ b/src/layview/layview/layGridNet.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layview/layview/layGridNetConfigPage.cc b/src/layview/layview/layGridNetConfigPage.cc index 9886bd97c3..99485b5fa1 100644 --- a/src/layview/layview/layGridNetConfigPage.cc +++ b/src/layview/layview/layGridNetConfigPage.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layview/layview/layGridNetConfigPage.h b/src/layview/layview/layGridNetConfigPage.h index ca156c2e70..f077ec8c25 100644 --- a/src/layview/layview/layGridNetConfigPage.h +++ b/src/layview/layview/layGridNetConfigPage.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layview/layview/layLayoutView.h b/src/layview/layview/layLayoutView.h index f8bc23fbb9..39f73a0b65 100644 --- a/src/layview/layview/layLayoutView.h +++ b/src/layview/layview/layLayoutView.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layview/layview/layLayoutView_noqt.cc b/src/layview/layview/layLayoutView_noqt.cc index fd8e8b0281..967a4a74dd 100644 --- a/src/layview/layview/layLayoutView_noqt.cc +++ b/src/layview/layview/layLayoutView_noqt.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layview/layview/layLayoutView_noqt.h b/src/layview/layview/layLayoutView_noqt.h index bfabc2d6f2..37aba29854 100644 --- a/src/layview/layview/layLayoutView_noqt.h +++ b/src/layview/layview/layLayoutView_noqt.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layview/layview/layLayoutView_qt.cc b/src/layview/layview/layLayoutView_qt.cc index 3dfc11a627..e30283dba8 100644 --- a/src/layview/layview/layLayoutView_qt.cc +++ b/src/layview/layview/layLayoutView_qt.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layview/layview/layLayoutView_qt.h b/src/layview/layview/layLayoutView_qt.h index b956c9348b..4c626a6d69 100644 --- a/src/layview/layview/layLayoutView_qt.h +++ b/src/layview/layview/layLayoutView_qt.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layview/layview/layviewCommon.h b/src/layview/layview/layviewCommon.h index 3b15ffea8b..1a2e13ef4b 100644 --- a/src/layview/layview/layviewCommon.h +++ b/src/layview/layview/layviewCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layview/layview/layviewForceLink.cc b/src/layview/layview/layviewForceLink.cc index 12a590c2e5..1ab86605ae 100644 --- a/src/layview/layview/layviewForceLink.cc +++ b/src/layview/layview/layviewForceLink.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layview/layview/layviewForceLink.h b/src/layview/layview/layviewForceLink.h index d32a84ee19..c35dc7a0e8 100644 --- a/src/layview/layview/layviewForceLink.h +++ b/src/layview/layview/layviewForceLink.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/layview/unit_tests/layLayoutViewTests.cc b/src/layview/unit_tests/layLayoutViewTests.cc index 4665f42ae6..4b84218209 100644 --- a/src/layview/unit_tests/layLayoutViewTests.cc +++ b/src/layview/unit_tests/layLayoutViewTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libBasic.cc b/src/lib/lib/libBasic.cc index b35b955ec4..55756d8cd0 100644 --- a/src/lib/lib/libBasic.cc +++ b/src/lib/lib/libBasic.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libBasicArc.cc b/src/lib/lib/libBasicArc.cc index 6cb23bed38..9ce3989692 100644 --- a/src/lib/lib/libBasicArc.cc +++ b/src/lib/lib/libBasicArc.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libBasicArc.h b/src/lib/lib/libBasicArc.h index 6cfdca23a7..438d9453bd 100644 --- a/src/lib/lib/libBasicArc.h +++ b/src/lib/lib/libBasicArc.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libBasicCircle.cc b/src/lib/lib/libBasicCircle.cc index 068c0befac..e11f1a0f58 100644 --- a/src/lib/lib/libBasicCircle.cc +++ b/src/lib/lib/libBasicCircle.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libBasicCircle.h b/src/lib/lib/libBasicCircle.h index ad24dbc5aa..fb135b100f 100644 --- a/src/lib/lib/libBasicCircle.h +++ b/src/lib/lib/libBasicCircle.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libBasicDonut.cc b/src/lib/lib/libBasicDonut.cc index 3c849c1c7f..8a55f23b94 100644 --- a/src/lib/lib/libBasicDonut.cc +++ b/src/lib/lib/libBasicDonut.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libBasicDonut.h b/src/lib/lib/libBasicDonut.h index 9e7c702e1e..a792096974 100644 --- a/src/lib/lib/libBasicDonut.h +++ b/src/lib/lib/libBasicDonut.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libBasicEllipse.cc b/src/lib/lib/libBasicEllipse.cc index fa33daa314..1d834b214e 100644 --- a/src/lib/lib/libBasicEllipse.cc +++ b/src/lib/lib/libBasicEllipse.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libBasicEllipse.h b/src/lib/lib/libBasicEllipse.h index 2ebcef4d93..d2bb54f77c 100644 --- a/src/lib/lib/libBasicEllipse.h +++ b/src/lib/lib/libBasicEllipse.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libBasicPie.cc b/src/lib/lib/libBasicPie.cc index a3c056211a..68b056a214 100644 --- a/src/lib/lib/libBasicPie.cc +++ b/src/lib/lib/libBasicPie.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libBasicPie.h b/src/lib/lib/libBasicPie.h index 09b8965d1e..746670b16a 100644 --- a/src/lib/lib/libBasicPie.h +++ b/src/lib/lib/libBasicPie.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libBasicRoundPath.cc b/src/lib/lib/libBasicRoundPath.cc index d3bafeda6b..c88fcb31fe 100644 --- a/src/lib/lib/libBasicRoundPath.cc +++ b/src/lib/lib/libBasicRoundPath.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libBasicRoundPath.h b/src/lib/lib/libBasicRoundPath.h index 8fa74f6dfd..af1246abd7 100644 --- a/src/lib/lib/libBasicRoundPath.h +++ b/src/lib/lib/libBasicRoundPath.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libBasicRoundPolygon.cc b/src/lib/lib/libBasicRoundPolygon.cc index ef13735748..ca28a84a38 100644 --- a/src/lib/lib/libBasicRoundPolygon.cc +++ b/src/lib/lib/libBasicRoundPolygon.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libBasicRoundPolygon.h b/src/lib/lib/libBasicRoundPolygon.h index 72466c8769..117912cb3d 100644 --- a/src/lib/lib/libBasicRoundPolygon.h +++ b/src/lib/lib/libBasicRoundPolygon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libBasicStrokedPolygon.cc b/src/lib/lib/libBasicStrokedPolygon.cc index 76070c45bd..5004c1a51a 100644 --- a/src/lib/lib/libBasicStrokedPolygon.cc +++ b/src/lib/lib/libBasicStrokedPolygon.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libBasicStrokedPolygon.h b/src/lib/lib/libBasicStrokedPolygon.h index c75291fc33..0c0237382d 100644 --- a/src/lib/lib/libBasicStrokedPolygon.h +++ b/src/lib/lib/libBasicStrokedPolygon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libBasicText.cc b/src/lib/lib/libBasicText.cc index d9e7682318..6a61dbfa09 100644 --- a/src/lib/lib/libBasicText.cc +++ b/src/lib/lib/libBasicText.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libBasicText.h b/src/lib/lib/libBasicText.h index 8d6db9cb25..a596653b88 100644 --- a/src/lib/lib/libBasicText.h +++ b/src/lib/lib/libBasicText.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libCommon.h b/src/lib/lib/libCommon.h index 8d1f3f7d68..b88994d6b9 100644 --- a/src/lib/lib/libCommon.h +++ b/src/lib/lib/libCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libForceLink.cc b/src/lib/lib/libForceLink.cc index b860c3d265..afbec3713f 100644 --- a/src/lib/lib/libForceLink.cc +++ b/src/lib/lib/libForceLink.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/lib/libForceLink.h b/src/lib/lib/libForceLink.h index 826d2c1978..252a4ffc21 100644 --- a/src/lib/lib/libForceLink.h +++ b/src/lib/lib/libForceLink.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lib/unit_tests/libBasicTests.cc b/src/lib/unit_tests/libBasicTests.cc index 2452323c1c..427629c3da 100644 --- a/src/lib/unit_tests/libBasicTests.cc +++ b/src/lib/unit_tests/libBasicTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lvs/lvs/lvsCommon.h b/src/lvs/lvs/lvsCommon.h index 5e75e42232..1d3b33f964 100644 --- a/src/lvs/lvs/lvsCommon.h +++ b/src/lvs/lvs/lvsCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lvs/lvs/lvsForceLink.cc b/src/lvs/lvs/lvsForceLink.cc index 86d793a8c9..21a3900094 100644 --- a/src/lvs/lvs/lvsForceLink.cc +++ b/src/lvs/lvs/lvsForceLink.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lvs/lvs/lvsForceLink.h b/src/lvs/lvs/lvsForceLink.h index 3d00b848ae..c6499b9b63 100644 --- a/src/lvs/lvs/lvsForceLink.h +++ b/src/lvs/lvs/lvsForceLink.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lvs/unit_tests/lvsBasicTests.cc b/src/lvs/unit_tests/lvsBasicTests.cc index 09d4a5e45f..bac9118d4d 100644 --- a/src/lvs/unit_tests/lvsBasicTests.cc +++ b/src/lvs/unit_tests/lvsBasicTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lvs/unit_tests/lvsSimpleTests.cc b/src/lvs/unit_tests/lvsSimpleTests.cc index 7f000a3b6a..cde9e8f7f0 100644 --- a/src/lvs/unit_tests/lvsSimpleTests.cc +++ b/src/lvs/unit_tests/lvsSimpleTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lvs/unit_tests/lvsTests.cc b/src/lvs/unit_tests/lvsTests.cc index 53584222b2..40de5d8593 100644 --- a/src/lvs/unit_tests/lvsTests.cc +++ b/src/lvs/unit_tests/lvsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lym/lym/gsiDeclLymMacro.cc b/src/lym/lym/gsiDeclLymMacro.cc index ed40812bcf..381ba8a854 100644 --- a/src/lym/lym/gsiDeclLymMacro.cc +++ b/src/lym/lym/gsiDeclLymMacro.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lym/lym/lymCommon.h b/src/lym/lym/lymCommon.h index dd0654dd90..0b179ff6e1 100644 --- a/src/lym/lym/lymCommon.h +++ b/src/lym/lym/lymCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lym/lym/lymForceLink.cc b/src/lym/lym/lymForceLink.cc index adfd8eb6e7..dc0dd56fb4 100644 --- a/src/lym/lym/lymForceLink.cc +++ b/src/lym/lym/lymForceLink.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lym/lym/lymForceLink.h b/src/lym/lym/lymForceLink.h index 28bb9e5a30..5ba822cc57 100644 --- a/src/lym/lym/lymForceLink.h +++ b/src/lym/lym/lymForceLink.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lym/lym/lymMacro.cc b/src/lym/lym/lymMacro.cc index e6884cce1b..7c239a7576 100644 --- a/src/lym/lym/lymMacro.cc +++ b/src/lym/lym/lymMacro.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lym/lym/lymMacro.h b/src/lym/lym/lymMacro.h index 88af3159dd..756e2f83ba 100644 --- a/src/lym/lym/lymMacro.h +++ b/src/lym/lym/lymMacro.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lym/lym/lymMacroCollection.cc b/src/lym/lym/lymMacroCollection.cc index 4982ae1922..c40645dd82 100644 --- a/src/lym/lym/lymMacroCollection.cc +++ b/src/lym/lym/lymMacroCollection.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lym/lym/lymMacroCollection.h b/src/lym/lym/lymMacroCollection.h index 427f682626..31fde7e536 100644 --- a/src/lym/lym/lymMacroCollection.h +++ b/src/lym/lym/lymMacroCollection.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lym/lym/lymMacroInterpreter.cc b/src/lym/lym/lymMacroInterpreter.cc index e080223f24..d17ec85bcd 100644 --- a/src/lym/lym/lymMacroInterpreter.cc +++ b/src/lym/lym/lymMacroInterpreter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/lym/lym/lymMacroInterpreter.h b/src/lym/lym/lymMacroInterpreter.h index 32d1487647..f31027b7ab 100644 --- a/src/lym/lym/lymMacroInterpreter.h +++ b/src/lym/lym/lymMacroInterpreter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/common/dbPluginCommon.h b/src/plugins/common/dbPluginCommon.h index bafd7b81fc..f5b6d84db4 100644 --- a/src/plugins/common/dbPluginCommon.h +++ b/src/plugins/common/dbPluginCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/common/layPluginCommon.h b/src/plugins/common/layPluginCommon.h index 9905539488..a3e67355f6 100644 --- a/src/plugins/common/layPluginCommon.h +++ b/src/plugins/common/layPluginCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/cif/db_plugin/dbCIF.cc b/src/plugins/streamers/cif/db_plugin/dbCIF.cc index abf5f4edc7..ea3020c2cb 100644 --- a/src/plugins/streamers/cif/db_plugin/dbCIF.cc +++ b/src/plugins/streamers/cif/db_plugin/dbCIF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/cif/db_plugin/dbCIF.h b/src/plugins/streamers/cif/db_plugin/dbCIF.h index cca08fb69f..61a0e71f47 100644 --- a/src/plugins/streamers/cif/db_plugin/dbCIF.h +++ b/src/plugins/streamers/cif/db_plugin/dbCIF.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/cif/db_plugin/dbCIFFormat.h b/src/plugins/streamers/cif/db_plugin/dbCIFFormat.h index f61414adab..d86e1ccdb6 100644 --- a/src/plugins/streamers/cif/db_plugin/dbCIFFormat.h +++ b/src/plugins/streamers/cif/db_plugin/dbCIFFormat.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/cif/db_plugin/dbCIFReader.cc b/src/plugins/streamers/cif/db_plugin/dbCIFReader.cc index f24e04cdcb..00ce57f9a3 100644 --- a/src/plugins/streamers/cif/db_plugin/dbCIFReader.cc +++ b/src/plugins/streamers/cif/db_plugin/dbCIFReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/cif/db_plugin/dbCIFReader.h b/src/plugins/streamers/cif/db_plugin/dbCIFReader.h index a100495cb0..556b7a0a3b 100644 --- a/src/plugins/streamers/cif/db_plugin/dbCIFReader.h +++ b/src/plugins/streamers/cif/db_plugin/dbCIFReader.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/cif/db_plugin/dbCIFWriter.cc b/src/plugins/streamers/cif/db_plugin/dbCIFWriter.cc index 148fdb4231..9de0fc3751 100644 --- a/src/plugins/streamers/cif/db_plugin/dbCIFWriter.cc +++ b/src/plugins/streamers/cif/db_plugin/dbCIFWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/cif/db_plugin/dbCIFWriter.h b/src/plugins/streamers/cif/db_plugin/dbCIFWriter.h index cfd798c28e..a752b53ae7 100644 --- a/src/plugins/streamers/cif/db_plugin/dbCIFWriter.h +++ b/src/plugins/streamers/cif/db_plugin/dbCIFWriter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/cif/db_plugin/gsiDeclDbCIF.cc b/src/plugins/streamers/cif/db_plugin/gsiDeclDbCIF.cc index 6aeaed7bac..df4e8a3ab3 100644 --- a/src/plugins/streamers/cif/db_plugin/gsiDeclDbCIF.cc +++ b/src/plugins/streamers/cif/db_plugin/gsiDeclDbCIF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/cif/lay_plugin/layCIFReaderPlugin.cc b/src/plugins/streamers/cif/lay_plugin/layCIFReaderPlugin.cc index b6ed6a49f8..086f25d4f3 100644 --- a/src/plugins/streamers/cif/lay_plugin/layCIFReaderPlugin.cc +++ b/src/plugins/streamers/cif/lay_plugin/layCIFReaderPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/cif/lay_plugin/layCIFReaderPlugin.h b/src/plugins/streamers/cif/lay_plugin/layCIFReaderPlugin.h index 7c22eb7390..9c63e6296d 100644 --- a/src/plugins/streamers/cif/lay_plugin/layCIFReaderPlugin.h +++ b/src/plugins/streamers/cif/lay_plugin/layCIFReaderPlugin.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/cif/lay_plugin/layCIFWriterPlugin.cc b/src/plugins/streamers/cif/lay_plugin/layCIFWriterPlugin.cc index d25769c72b..916aa87407 100644 --- a/src/plugins/streamers/cif/lay_plugin/layCIFWriterPlugin.cc +++ b/src/plugins/streamers/cif/lay_plugin/layCIFWriterPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/cif/lay_plugin/layCIFWriterPlugin.h b/src/plugins/streamers/cif/lay_plugin/layCIFWriterPlugin.h index 7969104751..d2fa9cfe99 100644 --- a/src/plugins/streamers/cif/lay_plugin/layCIFWriterPlugin.h +++ b/src/plugins/streamers/cif/lay_plugin/layCIFWriterPlugin.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/cif/unit_tests/dbCIFReader.cc b/src/plugins/streamers/cif/unit_tests/dbCIFReader.cc index 51a89b0718..db6f6aca7b 100644 --- a/src/plugins/streamers/cif/unit_tests/dbCIFReader.cc +++ b/src/plugins/streamers/cif/unit_tests/dbCIFReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/common/lay_plugin/layCommonReaderPlugin.cc b/src/plugins/streamers/common/lay_plugin/layCommonReaderPlugin.cc index c5eaa6cf2b..e2b1a5176b 100644 --- a/src/plugins/streamers/common/lay_plugin/layCommonReaderPlugin.cc +++ b/src/plugins/streamers/common/lay_plugin/layCommonReaderPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/common/lay_plugin/layCommonReaderPlugin.h b/src/plugins/streamers/common/lay_plugin/layCommonReaderPlugin.h index 419d5dda36..35b2e2ad89 100644 --- a/src/plugins/streamers/common/lay_plugin/layCommonReaderPlugin.h +++ b/src/plugins/streamers/common/lay_plugin/layCommonReaderPlugin.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/dxf/db_plugin/dbDXF.cc b/src/plugins/streamers/dxf/db_plugin/dbDXF.cc index 3954d49169..53c4579275 100644 --- a/src/plugins/streamers/dxf/db_plugin/dbDXF.cc +++ b/src/plugins/streamers/dxf/db_plugin/dbDXF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/dxf/db_plugin/dbDXF.h b/src/plugins/streamers/dxf/db_plugin/dbDXF.h index f118596ce3..2496eaa2d6 100644 --- a/src/plugins/streamers/dxf/db_plugin/dbDXF.h +++ b/src/plugins/streamers/dxf/db_plugin/dbDXF.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/dxf/db_plugin/dbDXFFormat.h b/src/plugins/streamers/dxf/db_plugin/dbDXFFormat.h index 58bcad31f6..39a5ca87ef 100644 --- a/src/plugins/streamers/dxf/db_plugin/dbDXFFormat.h +++ b/src/plugins/streamers/dxf/db_plugin/dbDXFFormat.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/dxf/db_plugin/dbDXFReader.cc b/src/plugins/streamers/dxf/db_plugin/dbDXFReader.cc index 364e70a688..ec409cbf2b 100644 --- a/src/plugins/streamers/dxf/db_plugin/dbDXFReader.cc +++ b/src/plugins/streamers/dxf/db_plugin/dbDXFReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/dxf/db_plugin/dbDXFReader.h b/src/plugins/streamers/dxf/db_plugin/dbDXFReader.h index 6c9230af02..c2d5d4d768 100644 --- a/src/plugins/streamers/dxf/db_plugin/dbDXFReader.h +++ b/src/plugins/streamers/dxf/db_plugin/dbDXFReader.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/dxf/db_plugin/dbDXFWriter.cc b/src/plugins/streamers/dxf/db_plugin/dbDXFWriter.cc index 0e548af54e..31309405bb 100644 --- a/src/plugins/streamers/dxf/db_plugin/dbDXFWriter.cc +++ b/src/plugins/streamers/dxf/db_plugin/dbDXFWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/dxf/db_plugin/dbDXFWriter.h b/src/plugins/streamers/dxf/db_plugin/dbDXFWriter.h index c54cdeb1b5..69341f498e 100644 --- a/src/plugins/streamers/dxf/db_plugin/dbDXFWriter.h +++ b/src/plugins/streamers/dxf/db_plugin/dbDXFWriter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/dxf/db_plugin/gsiDeclDbDXF.cc b/src/plugins/streamers/dxf/db_plugin/gsiDeclDbDXF.cc index 71301dcb6b..fcd4ef8fca 100755 --- a/src/plugins/streamers/dxf/db_plugin/gsiDeclDbDXF.cc +++ b/src/plugins/streamers/dxf/db_plugin/gsiDeclDbDXF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/dxf/lay_plugin/layDXFReaderPlugin.cc b/src/plugins/streamers/dxf/lay_plugin/layDXFReaderPlugin.cc index d8aad27d75..6caa4ec4ab 100644 --- a/src/plugins/streamers/dxf/lay_plugin/layDXFReaderPlugin.cc +++ b/src/plugins/streamers/dxf/lay_plugin/layDXFReaderPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/dxf/lay_plugin/layDXFReaderPlugin.h b/src/plugins/streamers/dxf/lay_plugin/layDXFReaderPlugin.h index 41e627b563..c11ad744c5 100644 --- a/src/plugins/streamers/dxf/lay_plugin/layDXFReaderPlugin.h +++ b/src/plugins/streamers/dxf/lay_plugin/layDXFReaderPlugin.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/dxf/lay_plugin/layDXFWriterPlugin.cc b/src/plugins/streamers/dxf/lay_plugin/layDXFWriterPlugin.cc index ca93791a2b..f0b2715b1f 100644 --- a/src/plugins/streamers/dxf/lay_plugin/layDXFWriterPlugin.cc +++ b/src/plugins/streamers/dxf/lay_plugin/layDXFWriterPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/dxf/lay_plugin/layDXFWriterPlugin.h b/src/plugins/streamers/dxf/lay_plugin/layDXFWriterPlugin.h index 9ae67bc1e2..300a1cdd5b 100644 --- a/src/plugins/streamers/dxf/lay_plugin/layDXFWriterPlugin.h +++ b/src/plugins/streamers/dxf/lay_plugin/layDXFWriterPlugin.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/dxf/unit_tests/dbDXFReaderTests.cc b/src/plugins/streamers/dxf/unit_tests/dbDXFReaderTests.cc index 265e4bdff4..d38d5ed20b 100644 --- a/src/plugins/streamers/dxf/unit_tests/dbDXFReaderTests.cc +++ b/src/plugins/streamers/dxf/unit_tests/dbDXFReaderTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/dxf/unit_tests/dbDXFWriterTests.cc b/src/plugins/streamers/dxf/unit_tests/dbDXFWriterTests.cc index 987234b068..91c8e818e6 100644 --- a/src/plugins/streamers/dxf/unit_tests/dbDXFWriterTests.cc +++ b/src/plugins/streamers/dxf/unit_tests/dbDXFWriterTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2Converter.cc b/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2Converter.cc index fd3a254793..a46df4eeca 100644 --- a/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2Converter.cc +++ b/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2Converter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2Converter.h b/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2Converter.h index ac0b2f5245..3fbb5e1e31 100644 --- a/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2Converter.h +++ b/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2Converter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2Text.cc b/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2Text.cc index 95a421e0a9..9eed5b9e3d 100644 --- a/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2Text.cc +++ b/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2Text.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2TextReader.cc b/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2TextReader.cc index 0f8d537ae9..1fcc0605c6 100644 --- a/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2TextReader.cc +++ b/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2TextReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2TextReader.h b/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2TextReader.h index dbf32d3b80..6ac5431012 100644 --- a/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2TextReader.h +++ b/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2TextReader.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2TextWriter.cc b/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2TextWriter.cc index 054a50a960..8bd84b788a 100644 --- a/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2TextWriter.cc +++ b/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2TextWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2TextWriter.h b/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2TextWriter.h index ee82b40fc5..a8cf48c4fe 100644 --- a/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2TextWriter.h +++ b/src/plugins/streamers/gds2/db_plugin/contrib/dbGDS2TextWriter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/db_plugin/dbGDS2.cc b/src/plugins/streamers/gds2/db_plugin/dbGDS2.cc index 3ed9e49e5f..b4bdfa2f89 100644 --- a/src/plugins/streamers/gds2/db_plugin/dbGDS2.cc +++ b/src/plugins/streamers/gds2/db_plugin/dbGDS2.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/db_plugin/dbGDS2.h b/src/plugins/streamers/gds2/db_plugin/dbGDS2.h index 62baaaebda..7481b0afd3 100644 --- a/src/plugins/streamers/gds2/db_plugin/dbGDS2.h +++ b/src/plugins/streamers/gds2/db_plugin/dbGDS2.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/db_plugin/dbGDS2Format.h b/src/plugins/streamers/gds2/db_plugin/dbGDS2Format.h index da3d53d024..18f5c2fda1 100644 --- a/src/plugins/streamers/gds2/db_plugin/dbGDS2Format.h +++ b/src/plugins/streamers/gds2/db_plugin/dbGDS2Format.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/db_plugin/dbGDS2Reader.cc b/src/plugins/streamers/gds2/db_plugin/dbGDS2Reader.cc index 64253e5e04..3582bf32a2 100644 --- a/src/plugins/streamers/gds2/db_plugin/dbGDS2Reader.cc +++ b/src/plugins/streamers/gds2/db_plugin/dbGDS2Reader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/db_plugin/dbGDS2Reader.h b/src/plugins/streamers/gds2/db_plugin/dbGDS2Reader.h index 17eb2b5047..fe9ad2883d 100644 --- a/src/plugins/streamers/gds2/db_plugin/dbGDS2Reader.h +++ b/src/plugins/streamers/gds2/db_plugin/dbGDS2Reader.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/db_plugin/dbGDS2ReaderBase.cc b/src/plugins/streamers/gds2/db_plugin/dbGDS2ReaderBase.cc index ad6eed6077..6435fd011d 100644 --- a/src/plugins/streamers/gds2/db_plugin/dbGDS2ReaderBase.cc +++ b/src/plugins/streamers/gds2/db_plugin/dbGDS2ReaderBase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/db_plugin/dbGDS2ReaderBase.h b/src/plugins/streamers/gds2/db_plugin/dbGDS2ReaderBase.h index a3acfa3a66..0a1a30ee27 100644 --- a/src/plugins/streamers/gds2/db_plugin/dbGDS2ReaderBase.h +++ b/src/plugins/streamers/gds2/db_plugin/dbGDS2ReaderBase.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/db_plugin/dbGDS2Writer.cc b/src/plugins/streamers/gds2/db_plugin/dbGDS2Writer.cc index c1a77c1772..b5bcd26263 100644 --- a/src/plugins/streamers/gds2/db_plugin/dbGDS2Writer.cc +++ b/src/plugins/streamers/gds2/db_plugin/dbGDS2Writer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/db_plugin/dbGDS2Writer.h b/src/plugins/streamers/gds2/db_plugin/dbGDS2Writer.h index f4f4c7c404..51241636dd 100644 --- a/src/plugins/streamers/gds2/db_plugin/dbGDS2Writer.h +++ b/src/plugins/streamers/gds2/db_plugin/dbGDS2Writer.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/db_plugin/dbGDS2WriterBase.cc b/src/plugins/streamers/gds2/db_plugin/dbGDS2WriterBase.cc index 048ded3d6d..2b49a14918 100644 --- a/src/plugins/streamers/gds2/db_plugin/dbGDS2WriterBase.cc +++ b/src/plugins/streamers/gds2/db_plugin/dbGDS2WriterBase.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/db_plugin/dbGDS2WriterBase.h b/src/plugins/streamers/gds2/db_plugin/dbGDS2WriterBase.h index 94a4a81d53..a70f3e6266 100644 --- a/src/plugins/streamers/gds2/db_plugin/dbGDS2WriterBase.h +++ b/src/plugins/streamers/gds2/db_plugin/dbGDS2WriterBase.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/db_plugin/gsiDeclDbGDS2.cc b/src/plugins/streamers/gds2/db_plugin/gsiDeclDbGDS2.cc index 3ad23c45b8..9abb39b57e 100644 --- a/src/plugins/streamers/gds2/db_plugin/gsiDeclDbGDS2.cc +++ b/src/plugins/streamers/gds2/db_plugin/gsiDeclDbGDS2.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/lay_plugin/layGDS2ReaderPlugin.cc b/src/plugins/streamers/gds2/lay_plugin/layGDS2ReaderPlugin.cc index 6fda147c63..7c2349fca0 100644 --- a/src/plugins/streamers/gds2/lay_plugin/layGDS2ReaderPlugin.cc +++ b/src/plugins/streamers/gds2/lay_plugin/layGDS2ReaderPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/lay_plugin/layGDS2ReaderPlugin.h b/src/plugins/streamers/gds2/lay_plugin/layGDS2ReaderPlugin.h index 5609cf20c9..e1538651ef 100644 --- a/src/plugins/streamers/gds2/lay_plugin/layGDS2ReaderPlugin.h +++ b/src/plugins/streamers/gds2/lay_plugin/layGDS2ReaderPlugin.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/lay_plugin/layGDS2WriterPlugin.cc b/src/plugins/streamers/gds2/lay_plugin/layGDS2WriterPlugin.cc index 59a259d6bb..47c3134ee4 100644 --- a/src/plugins/streamers/gds2/lay_plugin/layGDS2WriterPlugin.cc +++ b/src/plugins/streamers/gds2/lay_plugin/layGDS2WriterPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/lay_plugin/layGDS2WriterPlugin.h b/src/plugins/streamers/gds2/lay_plugin/layGDS2WriterPlugin.h index 5f1577608c..4ae0563d9b 100644 --- a/src/plugins/streamers/gds2/lay_plugin/layGDS2WriterPlugin.h +++ b/src/plugins/streamers/gds2/lay_plugin/layGDS2WriterPlugin.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/unit_tests/dbGDS2Reader.cc b/src/plugins/streamers/gds2/unit_tests/dbGDS2Reader.cc index 33b2e3e2bd..4e3774736b 100644 --- a/src/plugins/streamers/gds2/unit_tests/dbGDS2Reader.cc +++ b/src/plugins/streamers/gds2/unit_tests/dbGDS2Reader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/gds2/unit_tests/dbGDS2Writer.cc b/src/plugins/streamers/gds2/unit_tests/dbGDS2Writer.cc index cae9825e74..a840ef810d 100644 --- a/src/plugins/streamers/gds2/unit_tests/dbGDS2Writer.cc +++ b/src/plugins/streamers/gds2/unit_tests/dbGDS2Writer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/lefdef/db_plugin/dbDEFImporter.cc b/src/plugins/streamers/lefdef/db_plugin/dbDEFImporter.cc index a733bcd952..4a35ba4c92 100644 --- a/src/plugins/streamers/lefdef/db_plugin/dbDEFImporter.cc +++ b/src/plugins/streamers/lefdef/db_plugin/dbDEFImporter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/lefdef/db_plugin/dbDEFImporter.h b/src/plugins/streamers/lefdef/db_plugin/dbDEFImporter.h index 1d9cfa70e6..43772e26b9 100644 --- a/src/plugins/streamers/lefdef/db_plugin/dbDEFImporter.h +++ b/src/plugins/streamers/lefdef/db_plugin/dbDEFImporter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/lefdef/db_plugin/dbLEFDEFImporter.cc b/src/plugins/streamers/lefdef/db_plugin/dbLEFDEFImporter.cc index 14cc5eef07..fc9df30801 100644 --- a/src/plugins/streamers/lefdef/db_plugin/dbLEFDEFImporter.cc +++ b/src/plugins/streamers/lefdef/db_plugin/dbLEFDEFImporter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/lefdef/db_plugin/dbLEFDEFImporter.h b/src/plugins/streamers/lefdef/db_plugin/dbLEFDEFImporter.h index 9de4f99e35..1a0cde6618 100644 --- a/src/plugins/streamers/lefdef/db_plugin/dbLEFDEFImporter.h +++ b/src/plugins/streamers/lefdef/db_plugin/dbLEFDEFImporter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/lefdef/db_plugin/dbLEFDEFPlugin.cc b/src/plugins/streamers/lefdef/db_plugin/dbLEFDEFPlugin.cc index 4d551936ff..b9f1e9dcb2 100644 --- a/src/plugins/streamers/lefdef/db_plugin/dbLEFDEFPlugin.cc +++ b/src/plugins/streamers/lefdef/db_plugin/dbLEFDEFPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/lefdef/db_plugin/dbLEFImporter.cc b/src/plugins/streamers/lefdef/db_plugin/dbLEFImporter.cc index d2f2ccebc5..1311b0b6d6 100644 --- a/src/plugins/streamers/lefdef/db_plugin/dbLEFImporter.cc +++ b/src/plugins/streamers/lefdef/db_plugin/dbLEFImporter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/lefdef/db_plugin/dbLEFImporter.h b/src/plugins/streamers/lefdef/db_plugin/dbLEFImporter.h index e07a8386db..0c9ad27910 100644 --- a/src/plugins/streamers/lefdef/db_plugin/dbLEFImporter.h +++ b/src/plugins/streamers/lefdef/db_plugin/dbLEFImporter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/lefdef/db_plugin/gsiDeclDbLEFDEF.cc b/src/plugins/streamers/lefdef/db_plugin/gsiDeclDbLEFDEF.cc index 1d2e685f10..41ca418190 100644 --- a/src/plugins/streamers/lefdef/db_plugin/gsiDeclDbLEFDEF.cc +++ b/src/plugins/streamers/lefdef/db_plugin/gsiDeclDbLEFDEF.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/lefdef/lay_plugin/layLEFDEFImport.cc b/src/plugins/streamers/lefdef/lay_plugin/layLEFDEFImport.cc index 49a703a83b..55a3f8e1b5 100644 --- a/src/plugins/streamers/lefdef/lay_plugin/layLEFDEFImport.cc +++ b/src/plugins/streamers/lefdef/lay_plugin/layLEFDEFImport.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/lefdef/lay_plugin/layLEFDEFImportDialogs.cc b/src/plugins/streamers/lefdef/lay_plugin/layLEFDEFImportDialogs.cc index e721d44585..fa1b7adbd4 100644 --- a/src/plugins/streamers/lefdef/lay_plugin/layLEFDEFImportDialogs.cc +++ b/src/plugins/streamers/lefdef/lay_plugin/layLEFDEFImportDialogs.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/lefdef/lay_plugin/layLEFDEFImportDialogs.h b/src/plugins/streamers/lefdef/lay_plugin/layLEFDEFImportDialogs.h index cf09507f8f..8dc2d70c5a 100644 --- a/src/plugins/streamers/lefdef/lay_plugin/layLEFDEFImportDialogs.h +++ b/src/plugins/streamers/lefdef/lay_plugin/layLEFDEFImportDialogs.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/lefdef/lay_plugin/layLEFDEFPlugin.cc b/src/plugins/streamers/lefdef/lay_plugin/layLEFDEFPlugin.cc index d7081d357f..348d696ef5 100644 --- a/src/plugins/streamers/lefdef/lay_plugin/layLEFDEFPlugin.cc +++ b/src/plugins/streamers/lefdef/lay_plugin/layLEFDEFPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/lefdef/unit_tests/dbLEFDEFImportTests.cc b/src/plugins/streamers/lefdef/unit_tests/dbLEFDEFImportTests.cc index d7b4f142d7..a795186ae8 100644 --- a/src/plugins/streamers/lefdef/unit_tests/dbLEFDEFImportTests.cc +++ b/src/plugins/streamers/lefdef/unit_tests/dbLEFDEFImportTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/lefdef/unit_tests/dbLEFDEFReaderOptionsTests.cc b/src/plugins/streamers/lefdef/unit_tests/dbLEFDEFReaderOptionsTests.cc index b462ac2367..048e65a275 100644 --- a/src/plugins/streamers/lefdef/unit_tests/dbLEFDEFReaderOptionsTests.cc +++ b/src/plugins/streamers/lefdef/unit_tests/dbLEFDEFReaderOptionsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/magic/db_plugin/dbMAG.cc b/src/plugins/streamers/magic/db_plugin/dbMAG.cc index 7a30a62224..bbe28ab4ca 100644 --- a/src/plugins/streamers/magic/db_plugin/dbMAG.cc +++ b/src/plugins/streamers/magic/db_plugin/dbMAG.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/magic/db_plugin/dbMAG.h b/src/plugins/streamers/magic/db_plugin/dbMAG.h index d41a89331d..f97cb72215 100644 --- a/src/plugins/streamers/magic/db_plugin/dbMAG.h +++ b/src/plugins/streamers/magic/db_plugin/dbMAG.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/magic/db_plugin/dbMAGFormat.h b/src/plugins/streamers/magic/db_plugin/dbMAGFormat.h index 6e4194d754..5792473bcc 100644 --- a/src/plugins/streamers/magic/db_plugin/dbMAGFormat.h +++ b/src/plugins/streamers/magic/db_plugin/dbMAGFormat.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/magic/db_plugin/dbMAGReader.cc b/src/plugins/streamers/magic/db_plugin/dbMAGReader.cc index 3346c6c6fe..b56e7916e0 100644 --- a/src/plugins/streamers/magic/db_plugin/dbMAGReader.cc +++ b/src/plugins/streamers/magic/db_plugin/dbMAGReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/magic/db_plugin/dbMAGReader.h b/src/plugins/streamers/magic/db_plugin/dbMAGReader.h index 069bfd2638..607e1fc279 100644 --- a/src/plugins/streamers/magic/db_plugin/dbMAGReader.h +++ b/src/plugins/streamers/magic/db_plugin/dbMAGReader.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/magic/db_plugin/dbMAGWriter.cc b/src/plugins/streamers/magic/db_plugin/dbMAGWriter.cc index a104e5fef6..5992b92633 100644 --- a/src/plugins/streamers/magic/db_plugin/dbMAGWriter.cc +++ b/src/plugins/streamers/magic/db_plugin/dbMAGWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/magic/db_plugin/dbMAGWriter.h b/src/plugins/streamers/magic/db_plugin/dbMAGWriter.h index 09d8e81c4e..7217a62500 100644 --- a/src/plugins/streamers/magic/db_plugin/dbMAGWriter.h +++ b/src/plugins/streamers/magic/db_plugin/dbMAGWriter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/magic/db_plugin/gsiDeclDbMAG.cc b/src/plugins/streamers/magic/db_plugin/gsiDeclDbMAG.cc index 0deb5e5117..2788ce8e89 100644 --- a/src/plugins/streamers/magic/db_plugin/gsiDeclDbMAG.cc +++ b/src/plugins/streamers/magic/db_plugin/gsiDeclDbMAG.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/magic/lay_plugin/layMAGReaderPlugin.cc b/src/plugins/streamers/magic/lay_plugin/layMAGReaderPlugin.cc index aa2dd563a0..3203c7bc47 100644 --- a/src/plugins/streamers/magic/lay_plugin/layMAGReaderPlugin.cc +++ b/src/plugins/streamers/magic/lay_plugin/layMAGReaderPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/magic/lay_plugin/layMAGReaderPlugin.h b/src/plugins/streamers/magic/lay_plugin/layMAGReaderPlugin.h index 1458b2e74b..98a1a3cc04 100644 --- a/src/plugins/streamers/magic/lay_plugin/layMAGReaderPlugin.h +++ b/src/plugins/streamers/magic/lay_plugin/layMAGReaderPlugin.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/magic/lay_plugin/layMAGWriterPlugin.cc b/src/plugins/streamers/magic/lay_plugin/layMAGWriterPlugin.cc index 27e83cc70d..2bb7c51d70 100644 --- a/src/plugins/streamers/magic/lay_plugin/layMAGWriterPlugin.cc +++ b/src/plugins/streamers/magic/lay_plugin/layMAGWriterPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/magic/lay_plugin/layMAGWriterPlugin.h b/src/plugins/streamers/magic/lay_plugin/layMAGWriterPlugin.h index b2f55b8b78..3e133f2bf3 100644 --- a/src/plugins/streamers/magic/lay_plugin/layMAGWriterPlugin.h +++ b/src/plugins/streamers/magic/lay_plugin/layMAGWriterPlugin.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/magic/unit_tests/dbMAGReader.cc b/src/plugins/streamers/magic/unit_tests/dbMAGReader.cc index d8e0c75013..53bab88327 100644 --- a/src/plugins/streamers/magic/unit_tests/dbMAGReader.cc +++ b/src/plugins/streamers/magic/unit_tests/dbMAGReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/oasis/db_plugin/dbOASIS.cc b/src/plugins/streamers/oasis/db_plugin/dbOASIS.cc index a89456ef1b..ddcb884d3e 100644 --- a/src/plugins/streamers/oasis/db_plugin/dbOASIS.cc +++ b/src/plugins/streamers/oasis/db_plugin/dbOASIS.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/oasis/db_plugin/dbOASIS.h b/src/plugins/streamers/oasis/db_plugin/dbOASIS.h index f8f592dd21..4adbe01950 100644 --- a/src/plugins/streamers/oasis/db_plugin/dbOASIS.h +++ b/src/plugins/streamers/oasis/db_plugin/dbOASIS.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/oasis/db_plugin/dbOASISFormat.h b/src/plugins/streamers/oasis/db_plugin/dbOASISFormat.h index 12e68c3de1..b4936dbad9 100644 --- a/src/plugins/streamers/oasis/db_plugin/dbOASISFormat.h +++ b/src/plugins/streamers/oasis/db_plugin/dbOASISFormat.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/oasis/db_plugin/dbOASISReader.cc b/src/plugins/streamers/oasis/db_plugin/dbOASISReader.cc index d87c74e6c8..1f7ab2b936 100644 --- a/src/plugins/streamers/oasis/db_plugin/dbOASISReader.cc +++ b/src/plugins/streamers/oasis/db_plugin/dbOASISReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/oasis/db_plugin/dbOASISReader.h b/src/plugins/streamers/oasis/db_plugin/dbOASISReader.h index 3e9ee8bf9d..68a60f8443 100644 --- a/src/plugins/streamers/oasis/db_plugin/dbOASISReader.h +++ b/src/plugins/streamers/oasis/db_plugin/dbOASISReader.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/oasis/db_plugin/dbOASISWriter.cc b/src/plugins/streamers/oasis/db_plugin/dbOASISWriter.cc index 57847406ae..fa93a540d1 100644 --- a/src/plugins/streamers/oasis/db_plugin/dbOASISWriter.cc +++ b/src/plugins/streamers/oasis/db_plugin/dbOASISWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/oasis/db_plugin/dbOASISWriter.h b/src/plugins/streamers/oasis/db_plugin/dbOASISWriter.h index 0dd3195154..f0595220d9 100644 --- a/src/plugins/streamers/oasis/db_plugin/dbOASISWriter.h +++ b/src/plugins/streamers/oasis/db_plugin/dbOASISWriter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/oasis/db_plugin/gsiDeclDbOASIS.cc b/src/plugins/streamers/oasis/db_plugin/gsiDeclDbOASIS.cc index 563f469631..ee22d3fa54 100644 --- a/src/plugins/streamers/oasis/db_plugin/gsiDeclDbOASIS.cc +++ b/src/plugins/streamers/oasis/db_plugin/gsiDeclDbOASIS.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/oasis/lay_plugin/layOASISReaderPlugin.cc b/src/plugins/streamers/oasis/lay_plugin/layOASISReaderPlugin.cc index 8131a3882a..ff07fb0ef4 100644 --- a/src/plugins/streamers/oasis/lay_plugin/layOASISReaderPlugin.cc +++ b/src/plugins/streamers/oasis/lay_plugin/layOASISReaderPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/oasis/lay_plugin/layOASISReaderPlugin.h b/src/plugins/streamers/oasis/lay_plugin/layOASISReaderPlugin.h index 7d20ddedca..bea9f0ece7 100644 --- a/src/plugins/streamers/oasis/lay_plugin/layOASISReaderPlugin.h +++ b/src/plugins/streamers/oasis/lay_plugin/layOASISReaderPlugin.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/oasis/lay_plugin/layOASISWriterPlugin.cc b/src/plugins/streamers/oasis/lay_plugin/layOASISWriterPlugin.cc index 422330a04b..034cd79b29 100644 --- a/src/plugins/streamers/oasis/lay_plugin/layOASISWriterPlugin.cc +++ b/src/plugins/streamers/oasis/lay_plugin/layOASISWriterPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/oasis/lay_plugin/layOASISWriterPlugin.h b/src/plugins/streamers/oasis/lay_plugin/layOASISWriterPlugin.h index e02bc1bf83..5219fdb4d2 100644 --- a/src/plugins/streamers/oasis/lay_plugin/layOASISWriterPlugin.h +++ b/src/plugins/streamers/oasis/lay_plugin/layOASISWriterPlugin.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/oasis/unit_tests/dbOASISReaderTests.cc b/src/plugins/streamers/oasis/unit_tests/dbOASISReaderTests.cc index 6449db3aaa..b87a413c19 100644 --- a/src/plugins/streamers/oasis/unit_tests/dbOASISReaderTests.cc +++ b/src/plugins/streamers/oasis/unit_tests/dbOASISReaderTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/oasis/unit_tests/dbOASISWriter2Tests.cc b/src/plugins/streamers/oasis/unit_tests/dbOASISWriter2Tests.cc index be88072c80..bef1e89013 100644 --- a/src/plugins/streamers/oasis/unit_tests/dbOASISWriter2Tests.cc +++ b/src/plugins/streamers/oasis/unit_tests/dbOASISWriter2Tests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/oasis/unit_tests/dbOASISWriterTests.cc b/src/plugins/streamers/oasis/unit_tests/dbOASISWriterTests.cc index a78292db22..551b270774 100644 --- a/src/plugins/streamers/oasis/unit_tests/dbOASISWriterTests.cc +++ b/src/plugins/streamers/oasis/unit_tests/dbOASISWriterTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/pcb/db_plugin/dbGerberDrillFileReader.cc b/src/plugins/streamers/pcb/db_plugin/dbGerberDrillFileReader.cc index 2c11e83e54..6efbaf9ece 100644 --- a/src/plugins/streamers/pcb/db_plugin/dbGerberDrillFileReader.cc +++ b/src/plugins/streamers/pcb/db_plugin/dbGerberDrillFileReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/pcb/db_plugin/dbGerberDrillFileReader.h b/src/plugins/streamers/pcb/db_plugin/dbGerberDrillFileReader.h index dd313e47be..48ecbfb9d3 100644 --- a/src/plugins/streamers/pcb/db_plugin/dbGerberDrillFileReader.h +++ b/src/plugins/streamers/pcb/db_plugin/dbGerberDrillFileReader.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/pcb/db_plugin/dbGerberImportData.cc b/src/plugins/streamers/pcb/db_plugin/dbGerberImportData.cc index 23fccc55b4..00b04b1644 100644 --- a/src/plugins/streamers/pcb/db_plugin/dbGerberImportData.cc +++ b/src/plugins/streamers/pcb/db_plugin/dbGerberImportData.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/pcb/db_plugin/dbGerberImportData.h b/src/plugins/streamers/pcb/db_plugin/dbGerberImportData.h index ff1a57b130..3424ef157f 100644 --- a/src/plugins/streamers/pcb/db_plugin/dbGerberImportData.h +++ b/src/plugins/streamers/pcb/db_plugin/dbGerberImportData.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/pcb/db_plugin/dbGerberImporter.cc b/src/plugins/streamers/pcb/db_plugin/dbGerberImporter.cc index 69e79f597e..4f11022cf9 100644 --- a/src/plugins/streamers/pcb/db_plugin/dbGerberImporter.cc +++ b/src/plugins/streamers/pcb/db_plugin/dbGerberImporter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/pcb/db_plugin/dbGerberImporter.h b/src/plugins/streamers/pcb/db_plugin/dbGerberImporter.h index fbcaa70b63..6cf026bbb5 100644 --- a/src/plugins/streamers/pcb/db_plugin/dbGerberImporter.h +++ b/src/plugins/streamers/pcb/db_plugin/dbGerberImporter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/pcb/db_plugin/dbRS274XApertures.cc b/src/plugins/streamers/pcb/db_plugin/dbRS274XApertures.cc index 0fd47285cf..258f97ba59 100644 --- a/src/plugins/streamers/pcb/db_plugin/dbRS274XApertures.cc +++ b/src/plugins/streamers/pcb/db_plugin/dbRS274XApertures.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/pcb/db_plugin/dbRS274XApertures.h b/src/plugins/streamers/pcb/db_plugin/dbRS274XApertures.h index ffdbe3bac8..360f5467fd 100644 --- a/src/plugins/streamers/pcb/db_plugin/dbRS274XApertures.h +++ b/src/plugins/streamers/pcb/db_plugin/dbRS274XApertures.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/pcb/db_plugin/dbRS274XReader.cc b/src/plugins/streamers/pcb/db_plugin/dbRS274XReader.cc index 08ed3da707..5b9aab5b40 100644 --- a/src/plugins/streamers/pcb/db_plugin/dbRS274XReader.cc +++ b/src/plugins/streamers/pcb/db_plugin/dbRS274XReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/pcb/db_plugin/dbRS274XReader.h b/src/plugins/streamers/pcb/db_plugin/dbRS274XReader.h index 9023a2c6cd..d7bd4fa4eb 100644 --- a/src/plugins/streamers/pcb/db_plugin/dbRS274XReader.h +++ b/src/plugins/streamers/pcb/db_plugin/dbRS274XReader.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/pcb/lay_plugin/layGerberImport.cc b/src/plugins/streamers/pcb/lay_plugin/layGerberImport.cc index 13d8a1e7aa..bfe487697a 100644 --- a/src/plugins/streamers/pcb/lay_plugin/layGerberImport.cc +++ b/src/plugins/streamers/pcb/lay_plugin/layGerberImport.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/pcb/lay_plugin/layGerberImportDialog.cc b/src/plugins/streamers/pcb/lay_plugin/layGerberImportDialog.cc index b11f8723ff..e36b051c52 100644 --- a/src/plugins/streamers/pcb/lay_plugin/layGerberImportDialog.cc +++ b/src/plugins/streamers/pcb/lay_plugin/layGerberImportDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/pcb/lay_plugin/layGerberImportDialog.h b/src/plugins/streamers/pcb/lay_plugin/layGerberImportDialog.h index 1d4df7f835..e63f1a2ea3 100644 --- a/src/plugins/streamers/pcb/lay_plugin/layGerberImportDialog.h +++ b/src/plugins/streamers/pcb/lay_plugin/layGerberImportDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/streamers/pcb/unit_tests/dbGerberImport.cc b/src/plugins/streamers/pcb/unit_tests/dbGerberImport.cc index 54e65d1021..ea4bb68ac0 100644 --- a/src/plugins/streamers/pcb/unit_tests/dbGerberImport.cc +++ b/src/plugins/streamers/pcb/unit_tests/dbGerberImport.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/bool/lay_plugin/layBooleanOperationsDialogs.cc b/src/plugins/tools/bool/lay_plugin/layBooleanOperationsDialogs.cc index 97be31061f..7625f5bf0d 100644 --- a/src/plugins/tools/bool/lay_plugin/layBooleanOperationsDialogs.cc +++ b/src/plugins/tools/bool/lay_plugin/layBooleanOperationsDialogs.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/bool/lay_plugin/layBooleanOperationsDialogs.h b/src/plugins/tools/bool/lay_plugin/layBooleanOperationsDialogs.h index f77d289931..67cfc74e39 100644 --- a/src/plugins/tools/bool/lay_plugin/layBooleanOperationsDialogs.h +++ b/src/plugins/tools/bool/lay_plugin/layBooleanOperationsDialogs.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/bool/lay_plugin/layBooleanOperationsPlugin.cc b/src/plugins/tools/bool/lay_plugin/layBooleanOperationsPlugin.cc index 550357b329..0df53db334 100644 --- a/src/plugins/tools/bool/lay_plugin/layBooleanOperationsPlugin.cc +++ b/src/plugins/tools/bool/lay_plugin/layBooleanOperationsPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/diff/lay_plugin/layDiffPlugin.cc b/src/plugins/tools/diff/lay_plugin/layDiffPlugin.cc index 45a37db9f5..e9d654b717 100644 --- a/src/plugins/tools/diff/lay_plugin/layDiffPlugin.cc +++ b/src/plugins/tools/diff/lay_plugin/layDiffPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/diff/lay_plugin/layDiffToolDialog.cc b/src/plugins/tools/diff/lay_plugin/layDiffToolDialog.cc index 5ae9dcafbb..5d0b6ace15 100644 --- a/src/plugins/tools/diff/lay_plugin/layDiffToolDialog.cc +++ b/src/plugins/tools/diff/lay_plugin/layDiffToolDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/diff/lay_plugin/layDiffToolDialog.h b/src/plugins/tools/diff/lay_plugin/layDiffToolDialog.h index f7cc8bb609..73242a4021 100644 --- a/src/plugins/tools/diff/lay_plugin/layDiffToolDialog.h +++ b/src/plugins/tools/diff/lay_plugin/layDiffToolDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/import/lay_plugin/layStreamImport.cc b/src/plugins/tools/import/lay_plugin/layStreamImport.cc index e221041505..62c345e4da 100644 --- a/src/plugins/tools/import/lay_plugin/layStreamImport.cc +++ b/src/plugins/tools/import/lay_plugin/layStreamImport.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/import/lay_plugin/layStreamImportDialog.cc b/src/plugins/tools/import/lay_plugin/layStreamImportDialog.cc index c23ab5057b..3f5e7841d7 100644 --- a/src/plugins/tools/import/lay_plugin/layStreamImportDialog.cc +++ b/src/plugins/tools/import/lay_plugin/layStreamImportDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/import/lay_plugin/layStreamImportDialog.h b/src/plugins/tools/import/lay_plugin/layStreamImportDialog.h index 3935207c49..d380d7d5aa 100644 --- a/src/plugins/tools/import/lay_plugin/layStreamImportDialog.h +++ b/src/plugins/tools/import/lay_plugin/layStreamImportDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/import/lay_plugin/layStreamImporter.cc b/src/plugins/tools/import/lay_plugin/layStreamImporter.cc index 663e4b07ca..192888c412 100644 --- a/src/plugins/tools/import/lay_plugin/layStreamImporter.cc +++ b/src/plugins/tools/import/lay_plugin/layStreamImporter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/import/lay_plugin/layStreamImporter.h b/src/plugins/tools/import/lay_plugin/layStreamImporter.h index 4d365d35a8..e6a66901c4 100644 --- a/src/plugins/tools/import/lay_plugin/layStreamImporter.h +++ b/src/plugins/tools/import/lay_plugin/layStreamImporter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/net_tracer/db_plugin/dbNetTracer.cc b/src/plugins/tools/net_tracer/db_plugin/dbNetTracer.cc index 776f6c07dd..5e5fb1e542 100644 --- a/src/plugins/tools/net_tracer/db_plugin/dbNetTracer.cc +++ b/src/plugins/tools/net_tracer/db_plugin/dbNetTracer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/net_tracer/db_plugin/dbNetTracer.h b/src/plugins/tools/net_tracer/db_plugin/dbNetTracer.h index 83c7a35344..ced069d807 100644 --- a/src/plugins/tools/net_tracer/db_plugin/dbNetTracer.h +++ b/src/plugins/tools/net_tracer/db_plugin/dbNetTracer.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/net_tracer/db_plugin/dbNetTracerIO.cc b/src/plugins/tools/net_tracer/db_plugin/dbNetTracerIO.cc index 132f9e5a33..e912737334 100644 --- a/src/plugins/tools/net_tracer/db_plugin/dbNetTracerIO.cc +++ b/src/plugins/tools/net_tracer/db_plugin/dbNetTracerIO.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/net_tracer/db_plugin/dbNetTracerIO.h b/src/plugins/tools/net_tracer/db_plugin/dbNetTracerIO.h index e8f7a8d9c5..3cd635d94a 100644 --- a/src/plugins/tools/net_tracer/db_plugin/dbNetTracerIO.h +++ b/src/plugins/tools/net_tracer/db_plugin/dbNetTracerIO.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/net_tracer/db_plugin/dbNetTracerPlugin.cc b/src/plugins/tools/net_tracer/db_plugin/dbNetTracerPlugin.cc index d5ad41a845..1967f7bb04 100644 --- a/src/plugins/tools/net_tracer/db_plugin/dbNetTracerPlugin.cc +++ b/src/plugins/tools/net_tracer/db_plugin/dbNetTracerPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/net_tracer/db_plugin/gsiDeclDbNetTracer.cc b/src/plugins/tools/net_tracer/db_plugin/gsiDeclDbNetTracer.cc index f9bc8c693d..379ffc4120 100644 --- a/src/plugins/tools/net_tracer/db_plugin/gsiDeclDbNetTracer.cc +++ b/src/plugins/tools/net_tracer/db_plugin/gsiDeclDbNetTracer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/net_tracer/lay_plugin/layNetTracerConfig.cc b/src/plugins/tools/net_tracer/lay_plugin/layNetTracerConfig.cc index 22ecf0939e..ff7e163a3f 100644 --- a/src/plugins/tools/net_tracer/lay_plugin/layNetTracerConfig.cc +++ b/src/plugins/tools/net_tracer/lay_plugin/layNetTracerConfig.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/net_tracer/lay_plugin/layNetTracerConfig.h b/src/plugins/tools/net_tracer/lay_plugin/layNetTracerConfig.h index 7bc38af436..3843c71747 100644 --- a/src/plugins/tools/net_tracer/lay_plugin/layNetTracerConfig.h +++ b/src/plugins/tools/net_tracer/lay_plugin/layNetTracerConfig.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/net_tracer/lay_plugin/layNetTracerConnectivityEditor.cc b/src/plugins/tools/net_tracer/lay_plugin/layNetTracerConnectivityEditor.cc index 41f5e94ef9..414beac413 100644 --- a/src/plugins/tools/net_tracer/lay_plugin/layNetTracerConnectivityEditor.cc +++ b/src/plugins/tools/net_tracer/lay_plugin/layNetTracerConnectivityEditor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/net_tracer/lay_plugin/layNetTracerConnectivityEditor.h b/src/plugins/tools/net_tracer/lay_plugin/layNetTracerConnectivityEditor.h index 617ce3c0d9..655d3d6ccb 100644 --- a/src/plugins/tools/net_tracer/lay_plugin/layNetTracerConnectivityEditor.h +++ b/src/plugins/tools/net_tracer/lay_plugin/layNetTracerConnectivityEditor.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/net_tracer/lay_plugin/layNetTracerDialog.cc b/src/plugins/tools/net_tracer/lay_plugin/layNetTracerDialog.cc index a3fba85bc5..c786a9ab0c 100644 --- a/src/plugins/tools/net_tracer/lay_plugin/layNetTracerDialog.cc +++ b/src/plugins/tools/net_tracer/lay_plugin/layNetTracerDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/net_tracer/lay_plugin/layNetTracerDialog.h b/src/plugins/tools/net_tracer/lay_plugin/layNetTracerDialog.h index 61306de667..e22838a653 100644 --- a/src/plugins/tools/net_tracer/lay_plugin/layNetTracerDialog.h +++ b/src/plugins/tools/net_tracer/lay_plugin/layNetTracerDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/net_tracer/lay_plugin/layNetTracerPlugin.cc b/src/plugins/tools/net_tracer/lay_plugin/layNetTracerPlugin.cc index 08d9abd202..6fce534d72 100644 --- a/src/plugins/tools/net_tracer/lay_plugin/layNetTracerPlugin.cc +++ b/src/plugins/tools/net_tracer/lay_plugin/layNetTracerPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/net_tracer/lay_plugin/layNetTracerTechComponentEditor.cc b/src/plugins/tools/net_tracer/lay_plugin/layNetTracerTechComponentEditor.cc index 30db925d75..51f8ea1ab7 100644 --- a/src/plugins/tools/net_tracer/lay_plugin/layNetTracerTechComponentEditor.cc +++ b/src/plugins/tools/net_tracer/lay_plugin/layNetTracerTechComponentEditor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/net_tracer/lay_plugin/layNetTracerTechComponentEditor.h b/src/plugins/tools/net_tracer/lay_plugin/layNetTracerTechComponentEditor.h index 1e4022a5a1..c2a6d5e816 100644 --- a/src/plugins/tools/net_tracer/lay_plugin/layNetTracerTechComponentEditor.h +++ b/src/plugins/tools/net_tracer/lay_plugin/layNetTracerTechComponentEditor.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/net_tracer/unit_tests/dbNetTracerTests.cc b/src/plugins/tools/net_tracer/unit_tests/dbNetTracerTests.cc index 852560683d..730a76cd94 100644 --- a/src/plugins/tools/net_tracer/unit_tests/dbNetTracerTests.cc +++ b/src/plugins/tools/net_tracer/unit_tests/dbNetTracerTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/net_tracer/unit_tests/dbTraceAllNets.cc b/src/plugins/tools/net_tracer/unit_tests/dbTraceAllNets.cc index cf894f5384..d0289aecee 100644 --- a/src/plugins/tools/net_tracer/unit_tests/dbTraceAllNets.cc +++ b/src/plugins/tools/net_tracer/unit_tests/dbTraceAllNets.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/view_25d/lay_plugin/gsiDeclLayD25View.cc b/src/plugins/tools/view_25d/lay_plugin/gsiDeclLayD25View.cc index c414d7061c..4a88921517 100644 --- a/src/plugins/tools/view_25d/lay_plugin/gsiDeclLayD25View.cc +++ b/src/plugins/tools/view_25d/lay_plugin/gsiDeclLayD25View.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/view_25d/lay_plugin/layD25Camera.cc b/src/plugins/tools/view_25d/lay_plugin/layD25Camera.cc index 164ce39e44..0e93f7b4d5 100644 --- a/src/plugins/tools/view_25d/lay_plugin/layD25Camera.cc +++ b/src/plugins/tools/view_25d/lay_plugin/layD25Camera.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/view_25d/lay_plugin/layD25Camera.h b/src/plugins/tools/view_25d/lay_plugin/layD25Camera.h index 5f6edc30de..d57f41ed4d 100644 --- a/src/plugins/tools/view_25d/lay_plugin/layD25Camera.h +++ b/src/plugins/tools/view_25d/lay_plugin/layD25Camera.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/view_25d/lay_plugin/layD25MemChunks.cc b/src/plugins/tools/view_25d/lay_plugin/layD25MemChunks.cc index 5352f7e823..c55c7d082c 100644 --- a/src/plugins/tools/view_25d/lay_plugin/layD25MemChunks.cc +++ b/src/plugins/tools/view_25d/lay_plugin/layD25MemChunks.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/view_25d/lay_plugin/layD25MemChunks.h b/src/plugins/tools/view_25d/lay_plugin/layD25MemChunks.h index 2a2763fe7b..c8ef12873b 100644 --- a/src/plugins/tools/view_25d/lay_plugin/layD25MemChunks.h +++ b/src/plugins/tools/view_25d/lay_plugin/layD25MemChunks.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/view_25d/lay_plugin/layD25Plugin.cc b/src/plugins/tools/view_25d/lay_plugin/layD25Plugin.cc index c58e8b71ee..884ad9b9e5 100644 --- a/src/plugins/tools/view_25d/lay_plugin/layD25Plugin.cc +++ b/src/plugins/tools/view_25d/lay_plugin/layD25Plugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/view_25d/lay_plugin/layD25View.cc b/src/plugins/tools/view_25d/lay_plugin/layD25View.cc index 9f99ae6d84..856392a7da 100644 --- a/src/plugins/tools/view_25d/lay_plugin/layD25View.cc +++ b/src/plugins/tools/view_25d/lay_plugin/layD25View.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/view_25d/lay_plugin/layD25View.h b/src/plugins/tools/view_25d/lay_plugin/layD25View.h index 64f59bb5a4..8e130b7655 100644 --- a/src/plugins/tools/view_25d/lay_plugin/layD25View.h +++ b/src/plugins/tools/view_25d/lay_plugin/layD25View.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/view_25d/lay_plugin/layD25ViewUtils.cc b/src/plugins/tools/view_25d/lay_plugin/layD25ViewUtils.cc index b98aec7629..dbbd3a4362 100644 --- a/src/plugins/tools/view_25d/lay_plugin/layD25ViewUtils.cc +++ b/src/plugins/tools/view_25d/lay_plugin/layD25ViewUtils.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/view_25d/lay_plugin/layD25ViewUtils.h b/src/plugins/tools/view_25d/lay_plugin/layD25ViewUtils.h index 2bf48368b3..f09a7b430c 100644 --- a/src/plugins/tools/view_25d/lay_plugin/layD25ViewUtils.h +++ b/src/plugins/tools/view_25d/lay_plugin/layD25ViewUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/view_25d/lay_plugin/layD25ViewWidget.cc b/src/plugins/tools/view_25d/lay_plugin/layD25ViewWidget.cc index ba970f42f5..64329722f5 100644 --- a/src/plugins/tools/view_25d/lay_plugin/layD25ViewWidget.cc +++ b/src/plugins/tools/view_25d/lay_plugin/layD25ViewWidget.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/view_25d/lay_plugin/layD25ViewWidget.h b/src/plugins/tools/view_25d/lay_plugin/layD25ViewWidget.h index 335d860438..f91a6c6bc0 100644 --- a/src/plugins/tools/view_25d/lay_plugin/layD25ViewWidget.h +++ b/src/plugins/tools/view_25d/lay_plugin/layD25ViewWidget.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/view_25d/lay_plugin/layXORPlugin.cc b/src/plugins/tools/view_25d/lay_plugin/layXORPlugin.cc index 2346d7ed61..f0d3d8ffe3 100644 --- a/src/plugins/tools/view_25d/lay_plugin/layXORPlugin.cc +++ b/src/plugins/tools/view_25d/lay_plugin/layXORPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/view_25d/unit_tests/layD25CameraTests.cc b/src/plugins/tools/view_25d/unit_tests/layD25CameraTests.cc index 7006f22e67..f8290fe622 100644 --- a/src/plugins/tools/view_25d/unit_tests/layD25CameraTests.cc +++ b/src/plugins/tools/view_25d/unit_tests/layD25CameraTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/view_25d/unit_tests/layD25MemChunksTests.cc b/src/plugins/tools/view_25d/unit_tests/layD25MemChunksTests.cc index 7d43bb1255..23720aa6a0 100644 --- a/src/plugins/tools/view_25d/unit_tests/layD25MemChunksTests.cc +++ b/src/plugins/tools/view_25d/unit_tests/layD25MemChunksTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/view_25d/unit_tests/layD25ViewUtilsTests.cc b/src/plugins/tools/view_25d/unit_tests/layD25ViewUtilsTests.cc index 46d7935352..7a4a042e24 100644 --- a/src/plugins/tools/view_25d/unit_tests/layD25ViewUtilsTests.cc +++ b/src/plugins/tools/view_25d/unit_tests/layD25ViewUtilsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/xor/lay_plugin/layXORPlugin.cc b/src/plugins/tools/xor/lay_plugin/layXORPlugin.cc index 89dd69408d..f530d55473 100644 --- a/src/plugins/tools/xor/lay_plugin/layXORPlugin.cc +++ b/src/plugins/tools/xor/lay_plugin/layXORPlugin.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/xor/lay_plugin/layXORProgress.cc b/src/plugins/tools/xor/lay_plugin/layXORProgress.cc index 6f0e37ca8b..68af6ab7f0 100644 --- a/src/plugins/tools/xor/lay_plugin/layXORProgress.cc +++ b/src/plugins/tools/xor/lay_plugin/layXORProgress.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/xor/lay_plugin/layXORProgress.h b/src/plugins/tools/xor/lay_plugin/layXORProgress.h index 1b5a3ccefe..f8899da543 100644 --- a/src/plugins/tools/xor/lay_plugin/layXORProgress.h +++ b/src/plugins/tools/xor/lay_plugin/layXORProgress.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/xor/lay_plugin/layXORToolDialog.cc b/src/plugins/tools/xor/lay_plugin/layXORToolDialog.cc index 3cdb94b831..d78cbc9cfe 100644 --- a/src/plugins/tools/xor/lay_plugin/layXORToolDialog.cc +++ b/src/plugins/tools/xor/lay_plugin/layXORToolDialog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/plugins/tools/xor/lay_plugin/layXORToolDialog.h b/src/plugins/tools/xor/lay_plugin/layXORToolDialog.h index 2c16dcdf36..956178792e 100644 --- a/src/plugins/tools/xor/lay_plugin/layXORToolDialog.h +++ b/src/plugins/tools/xor/lay_plugin/layXORToolDialog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/gsiDeclPya.cc b/src/pya/pya/gsiDeclPya.cc index 079df012fa..d947bf2f97 100644 --- a/src/pya/pya/gsiDeclPya.cc +++ b/src/pya/pya/gsiDeclPya.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pya.cc b/src/pya/pya/pya.cc index a8d2787d8c..afd10082bf 100644 --- a/src/pya/pya/pya.cc +++ b/src/pya/pya/pya.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pya.h b/src/pya/pya/pya.h index c48bad5870..217c872304 100644 --- a/src/pya/pya/pya.h +++ b/src/pya/pya/pya.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaCallables.cc b/src/pya/pya/pyaCallables.cc index 3ab826f9cf..72e4eb7d2a 100644 --- a/src/pya/pya/pyaCallables.cc +++ b/src/pya/pya/pyaCallables.cc @@ -1,7 +1,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaCallables.h b/src/pya/pya/pyaCallables.h index 1d19f70e5f..40ea233269 100644 --- a/src/pya/pya/pyaCallables.h +++ b/src/pya/pya/pyaCallables.h @@ -1,7 +1,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaCommon.h b/src/pya/pya/pyaCommon.h index e4b9a1d93f..3660f0cf74 100644 --- a/src/pya/pya/pyaCommon.h +++ b/src/pya/pya/pyaCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaConvert.cc b/src/pya/pya/pyaConvert.cc index 321da4122e..d80af95e94 100644 --- a/src/pya/pya/pyaConvert.cc +++ b/src/pya/pya/pyaConvert.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaConvert.h b/src/pya/pya/pyaConvert.h index 260e4fd212..41186115fa 100644 --- a/src/pya/pya/pyaConvert.h +++ b/src/pya/pya/pyaConvert.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaHelpers.cc b/src/pya/pya/pyaHelpers.cc index e85727d2ce..28509870d3 100644 --- a/src/pya/pya/pyaHelpers.cc +++ b/src/pya/pya/pyaHelpers.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaHelpers.h b/src/pya/pya/pyaHelpers.h index 89ccf9585d..17cf9a23a1 100644 --- a/src/pya/pya/pyaHelpers.h +++ b/src/pya/pya/pyaHelpers.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaInspector.cc b/src/pya/pya/pyaInspector.cc index 0c547145e0..a7544bea89 100644 --- a/src/pya/pya/pyaInspector.cc +++ b/src/pya/pya/pyaInspector.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaInspector.h b/src/pya/pya/pyaInspector.h index 0b35ab147d..3849270239 100644 --- a/src/pya/pya/pyaInspector.h +++ b/src/pya/pya/pyaInspector.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaInternal.cc b/src/pya/pya/pyaInternal.cc index 433c032201..c3353dc1fb 100644 --- a/src/pya/pya/pyaInternal.cc +++ b/src/pya/pya/pyaInternal.cc @@ -1,7 +1,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaInternal.h b/src/pya/pya/pyaInternal.h index 8ecffd25d1..f8d45396e7 100644 --- a/src/pya/pya/pyaInternal.h +++ b/src/pya/pya/pyaInternal.h @@ -1,7 +1,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaMarshal.cc b/src/pya/pya/pyaMarshal.cc index ad658fc837..41cc134c00 100644 --- a/src/pya/pya/pyaMarshal.cc +++ b/src/pya/pya/pyaMarshal.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaMarshal.h b/src/pya/pya/pyaMarshal.h index a698d14d54..ea61acaef3 100644 --- a/src/pya/pya/pyaMarshal.h +++ b/src/pya/pya/pyaMarshal.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaModule.cc b/src/pya/pya/pyaModule.cc index ce95f1593f..30452d6694 100644 --- a/src/pya/pya/pyaModule.cc +++ b/src/pya/pya/pyaModule.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaModule.h b/src/pya/pya/pyaModule.h index eb196a64d7..0adcc95861 100644 --- a/src/pya/pya/pyaModule.h +++ b/src/pya/pya/pyaModule.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaObject.cc b/src/pya/pya/pyaObject.cc index 4899e0c39a..3887ed3a31 100644 --- a/src/pya/pya/pyaObject.cc +++ b/src/pya/pya/pyaObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaObject.h b/src/pya/pya/pyaObject.h index e27a0730f2..96febf155c 100644 --- a/src/pya/pya/pyaObject.h +++ b/src/pya/pya/pyaObject.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaRefs.cc b/src/pya/pya/pyaRefs.cc index 536a5829e0..49dc7049f0 100644 --- a/src/pya/pya/pyaRefs.cc +++ b/src/pya/pya/pyaRefs.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaRefs.h b/src/pya/pya/pyaRefs.h index 86668960fc..460aa7b372 100644 --- a/src/pya/pya/pyaRefs.h +++ b/src/pya/pya/pyaRefs.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaSignalHandler.cc b/src/pya/pya/pyaSignalHandler.cc index bc635c294f..c2fe86231a 100644 --- a/src/pya/pya/pyaSignalHandler.cc +++ b/src/pya/pya/pyaSignalHandler.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaSignalHandler.h b/src/pya/pya/pyaSignalHandler.h index 8a6dd8dbd3..b8f13812c5 100644 --- a/src/pya/pya/pyaSignalHandler.h +++ b/src/pya/pya/pyaSignalHandler.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaStatusChangedListener.cc b/src/pya/pya/pyaStatusChangedListener.cc index de41b82e00..f8c5a25b6f 100644 --- a/src/pya/pya/pyaStatusChangedListener.cc +++ b/src/pya/pya/pyaStatusChangedListener.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaStatusChangedListener.h b/src/pya/pya/pyaStatusChangedListener.h index a49b56481a..07cf38115f 100644 --- a/src/pya/pya/pyaStatusChangedListener.h +++ b/src/pya/pya/pyaStatusChangedListener.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaUtils.cc b/src/pya/pya/pyaUtils.cc index 65f1d7678e..d367923ffc 100644 --- a/src/pya/pya/pyaUtils.cc +++ b/src/pya/pya/pyaUtils.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/pya/pyaUtils.h b/src/pya/pya/pyaUtils.h index 822a705b48..1a55f7d259 100644 --- a/src/pya/pya/pyaUtils.h +++ b/src/pya/pya/pyaUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pya/unit_tests/pyaTests.cc b/src/pya/unit_tests/pyaTests.cc index 69edf6cd36..d14c393cd0 100644 --- a/src/pya/unit_tests/pyaTests.cc +++ b/src/pya/unit_tests/pyaTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pyastub/pya.cc b/src/pyastub/pya.cc index e752bd85ba..13d600a05e 100644 --- a/src/pyastub/pya.cc +++ b/src/pyastub/pya.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pyastub/pya.h b/src/pyastub/pya.h index c1bf931d88..21f6460f25 100644 --- a/src/pyastub/pya.h +++ b/src/pyastub/pya.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pyastub/pyaCommon.h b/src/pyastub/pyaCommon.h index 99021c887f..40e8becc1d 100644 --- a/src/pyastub/pyaCommon.h +++ b/src/pyastub/pyaCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtCore/QtCoreMain.cc b/src/pymod/QtCore/QtCoreMain.cc index 8d47c6675a..c9857125ee 100644 --- a/src/pymod/QtCore/QtCoreMain.cc +++ b/src/pymod/QtCore/QtCoreMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtCore/QtCoreMain.h b/src/pymod/QtCore/QtCoreMain.h index 6123fd4149..e3e615ba9f 100644 --- a/src/pymod/QtCore/QtCoreMain.h +++ b/src/pymod/QtCore/QtCoreMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtCore5Compat/QtCore5CompatMain.cc b/src/pymod/QtCore5Compat/QtCore5CompatMain.cc index 7fca785c8c..2c8cf9a218 100644 --- a/src/pymod/QtCore5Compat/QtCore5CompatMain.cc +++ b/src/pymod/QtCore5Compat/QtCore5CompatMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtCore5Compat/QtCore5CompatMain.h b/src/pymod/QtCore5Compat/QtCore5CompatMain.h index d4ff15247a..3aaaf75ac5 100644 --- a/src/pymod/QtCore5Compat/QtCore5CompatMain.h +++ b/src/pymod/QtCore5Compat/QtCore5CompatMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtDesigner/QtDesignerMain.cc b/src/pymod/QtDesigner/QtDesignerMain.cc index 84fdb7502e..fc4890dc74 100644 --- a/src/pymod/QtDesigner/QtDesignerMain.cc +++ b/src/pymod/QtDesigner/QtDesignerMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtDesigner/QtDesignerMain.h b/src/pymod/QtDesigner/QtDesignerMain.h index 9f56641613..f008cd7d53 100644 --- a/src/pymod/QtDesigner/QtDesignerMain.h +++ b/src/pymod/QtDesigner/QtDesignerMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtGui/QtGuiMain.cc b/src/pymod/QtGui/QtGuiMain.cc index ac9cc87b5a..0e8b8fca5a 100644 --- a/src/pymod/QtGui/QtGuiMain.cc +++ b/src/pymod/QtGui/QtGuiMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtGui/QtGuiMain.h b/src/pymod/QtGui/QtGuiMain.h index c53d0f641f..45ce4b4b3d 100644 --- a/src/pymod/QtGui/QtGuiMain.h +++ b/src/pymod/QtGui/QtGuiMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtMultimedia/QtMultimediaMain.cc b/src/pymod/QtMultimedia/QtMultimediaMain.cc index b0996f5192..8a0b9c882b 100644 --- a/src/pymod/QtMultimedia/QtMultimediaMain.cc +++ b/src/pymod/QtMultimedia/QtMultimediaMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtMultimedia/QtMultimediaMain.h b/src/pymod/QtMultimedia/QtMultimediaMain.h index eef8d36d63..94827defbc 100644 --- a/src/pymod/QtMultimedia/QtMultimediaMain.h +++ b/src/pymod/QtMultimedia/QtMultimediaMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtNetwork/QtNetworkMain.cc b/src/pymod/QtNetwork/QtNetworkMain.cc index 75b0bb8bd7..0fdf9bc616 100644 --- a/src/pymod/QtNetwork/QtNetworkMain.cc +++ b/src/pymod/QtNetwork/QtNetworkMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtNetwork/QtNetworkMain.h b/src/pymod/QtNetwork/QtNetworkMain.h index 1060a4a81b..5eee18480c 100644 --- a/src/pymod/QtNetwork/QtNetworkMain.h +++ b/src/pymod/QtNetwork/QtNetworkMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtPrintSupport/QtPrintSupportMain.cc b/src/pymod/QtPrintSupport/QtPrintSupportMain.cc index 3cdfe418cc..e1eb1fb929 100644 --- a/src/pymod/QtPrintSupport/QtPrintSupportMain.cc +++ b/src/pymod/QtPrintSupport/QtPrintSupportMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtPrintSupport/QtPrintSupportMain.h b/src/pymod/QtPrintSupport/QtPrintSupportMain.h index f759353818..7bdfe91bcc 100644 --- a/src/pymod/QtPrintSupport/QtPrintSupportMain.h +++ b/src/pymod/QtPrintSupport/QtPrintSupportMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtSql/QtSqlMain.cc b/src/pymod/QtSql/QtSqlMain.cc index 1883472dc0..3161c1fad4 100644 --- a/src/pymod/QtSql/QtSqlMain.cc +++ b/src/pymod/QtSql/QtSqlMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtSql/QtSqlMain.h b/src/pymod/QtSql/QtSqlMain.h index 4e70d2ae58..a5ad2d0d9a 100644 --- a/src/pymod/QtSql/QtSqlMain.h +++ b/src/pymod/QtSql/QtSqlMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtSvg/QtSvgMain.cc b/src/pymod/QtSvg/QtSvgMain.cc index de369342b0..4f68129ad9 100644 --- a/src/pymod/QtSvg/QtSvgMain.cc +++ b/src/pymod/QtSvg/QtSvgMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtSvg/QtSvgMain.h b/src/pymod/QtSvg/QtSvgMain.h index 61a07497da..29cd4a9520 100644 --- a/src/pymod/QtSvg/QtSvgMain.h +++ b/src/pymod/QtSvg/QtSvgMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtUiTools/QtUiToolsMain.cc b/src/pymod/QtUiTools/QtUiToolsMain.cc index 5b4cedbdda..32036466ab 100644 --- a/src/pymod/QtUiTools/QtUiToolsMain.cc +++ b/src/pymod/QtUiTools/QtUiToolsMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtUiTools/QtUiToolsMain.h b/src/pymod/QtUiTools/QtUiToolsMain.h index 9395560b4d..1d0ef59309 100644 --- a/src/pymod/QtUiTools/QtUiToolsMain.h +++ b/src/pymod/QtUiTools/QtUiToolsMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtWidgets/QtWidgetsMain.cc b/src/pymod/QtWidgets/QtWidgetsMain.cc index 59f5a9abd6..c5d7d445de 100644 --- a/src/pymod/QtWidgets/QtWidgetsMain.cc +++ b/src/pymod/QtWidgets/QtWidgetsMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtWidgets/QtWidgetsMain.h b/src/pymod/QtWidgets/QtWidgetsMain.h index a7e073dd40..dc11908797 100644 --- a/src/pymod/QtWidgets/QtWidgetsMain.h +++ b/src/pymod/QtWidgets/QtWidgetsMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtXml/QtXmlMain.cc b/src/pymod/QtXml/QtXmlMain.cc index 376797d23f..9851b534ff 100644 --- a/src/pymod/QtXml/QtXmlMain.cc +++ b/src/pymod/QtXml/QtXmlMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtXml/QtXmlMain.h b/src/pymod/QtXml/QtXmlMain.h index c37ca9cb95..f77ffd9ff6 100644 --- a/src/pymod/QtXml/QtXmlMain.h +++ b/src/pymod/QtXml/QtXmlMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtXmlPatterns/QtXmlPatternsMain.cc b/src/pymod/QtXmlPatterns/QtXmlPatternsMain.cc index 60f2203a32..007cb4e967 100644 --- a/src/pymod/QtXmlPatterns/QtXmlPatternsMain.cc +++ b/src/pymod/QtXmlPatterns/QtXmlPatternsMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/QtXmlPatterns/QtXmlPatternsMain.h b/src/pymod/QtXmlPatterns/QtXmlPatternsMain.h index faceffe975..43469fab33 100644 --- a/src/pymod/QtXmlPatterns/QtXmlPatternsMain.h +++ b/src/pymod/QtXmlPatterns/QtXmlPatternsMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/ant/antMain.cc b/src/pymod/ant/antMain.cc index 431e6b41a9..12abb7f7f0 100644 --- a/src/pymod/ant/antMain.cc +++ b/src/pymod/ant/antMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/ant/antMain.h b/src/pymod/ant/antMain.h index d81d76d277..25813c8753 100644 --- a/src/pymod/ant/antMain.h +++ b/src/pymod/ant/antMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/bridge_sample/bridge_sample.cc b/src/pymod/bridge_sample/bridge_sample.cc index b8fd58c8c2..c2b942d06a 100644 --- a/src/pymod/bridge_sample/bridge_sample.cc +++ b/src/pymod/bridge_sample/bridge_sample.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/db/dbMain.cc b/src/pymod/db/dbMain.cc index da8d20f040..a31beb203d 100644 --- a/src/pymod/db/dbMain.cc +++ b/src/pymod/db/dbMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/db/dbMain.h b/src/pymod/db/dbMain.h index a1e04eacd6..92517241a4 100644 --- a/src/pymod/db/dbMain.h +++ b/src/pymod/db/dbMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/edt/edtMain.cc b/src/pymod/edt/edtMain.cc index de5201d2a0..ea5c331145 100644 --- a/src/pymod/edt/edtMain.cc +++ b/src/pymod/edt/edtMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/edt/edtMain.h b/src/pymod/edt/edtMain.h index ccfd2cb2a2..8078f97e3e 100644 --- a/src/pymod/edt/edtMain.h +++ b/src/pymod/edt/edtMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/img/imgMain.cc b/src/pymod/img/imgMain.cc index 866144459c..ea01ccc4e4 100644 --- a/src/pymod/img/imgMain.cc +++ b/src/pymod/img/imgMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/img/imgMain.h b/src/pymod/img/imgMain.h index 627e610c5b..005cb59309 100644 --- a/src/pymod/img/imgMain.h +++ b/src/pymod/img/imgMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/lay/layMain.cc b/src/pymod/lay/layMain.cc index f36cee5e48..b02ed3f681 100644 --- a/src/pymod/lay/layMain.cc +++ b/src/pymod/lay/layMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/lay/layMain.h b/src/pymod/lay/layMain.h index e9e16751ea..3bda7a5b0c 100644 --- a/src/pymod/lay/layMain.h +++ b/src/pymod/lay/layMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/lib/libMain.cc b/src/pymod/lib/libMain.cc index 6315b5dba1..5d31d50af6 100644 --- a/src/pymod/lib/libMain.cc +++ b/src/pymod/lib/libMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/lib/libMain.h b/src/pymod/lib/libMain.h index 9b62feae9f..0dc0291c9e 100644 --- a/src/pymod/lib/libMain.h +++ b/src/pymod/lib/libMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/lym/lymMain.cc b/src/pymod/lym/lymMain.cc index a32e1ad609..9dc98613cb 100644 --- a/src/pymod/lym/lymMain.cc +++ b/src/pymod/lym/lymMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/lym/lymMain.h b/src/pymod/lym/lymMain.h index a55de524ad..9fb47399d5 100644 --- a/src/pymod/lym/lymMain.h +++ b/src/pymod/lym/lymMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/pya/pyaMain.cc b/src/pymod/pya/pyaMain.cc index f6ec0ad102..fb5abbe6bf 100644 --- a/src/pymod/pya/pyaMain.cc +++ b/src/pymod/pya/pyaMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/pymodHelper.h b/src/pymod/pymodHelper.h index 8f21489c23..55bc56185a 100644 --- a/src/pymod/pymodHelper.h +++ b/src/pymod/pymodHelper.h @@ -3,7 +3,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/rdb/rdbMain.cc b/src/pymod/rdb/rdbMain.cc index ffcfe2e750..c5e804badb 100644 --- a/src/pymod/rdb/rdbMain.cc +++ b/src/pymod/rdb/rdbMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/rdb/rdbMain.h b/src/pymod/rdb/rdbMain.h index 344cb11a90..0734f8717c 100644 --- a/src/pymod/rdb/rdbMain.h +++ b/src/pymod/rdb/rdbMain.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/tl/tlMain.cc b/src/pymod/tl/tlMain.cc index 69dc460c08..f9603c18dc 100644 --- a/src/pymod/tl/tlMain.cc +++ b/src/pymod/tl/tlMain.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/pymod/unit_tests/pymod_tests.cc b/src/pymod/unit_tests/pymod_tests.cc index fee3600e4f..1f2b06de97 100644 --- a/src/pymod/unit_tests/pymod_tests.cc +++ b/src/pymod/unit_tests/pymod_tests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rba/rba/rba.cc b/src/rba/rba/rba.cc index ecb2675d45..a4df7f04be 100644 --- a/src/rba/rba/rba.cc +++ b/src/rba/rba/rba.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rba/rba/rba.h b/src/rba/rba/rba.h index 21535e9863..9205637b28 100644 --- a/src/rba/rba/rba.h +++ b/src/rba/rba/rba.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rba/rba/rbaCommon.h b/src/rba/rba/rbaCommon.h index 50660751ad..78a2c0b898 100644 --- a/src/rba/rba/rbaCommon.h +++ b/src/rba/rba/rbaCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rba/rba/rbaConvert.cc b/src/rba/rba/rbaConvert.cc index 130bcb2d16..b803b64509 100644 --- a/src/rba/rba/rbaConvert.cc +++ b/src/rba/rba/rbaConvert.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rba/rba/rbaConvert.h b/src/rba/rba/rbaConvert.h index 4a3dcccab0..452e0c434e 100644 --- a/src/rba/rba/rbaConvert.h +++ b/src/rba/rba/rbaConvert.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rba/rba/rbaInspector.cc b/src/rba/rba/rbaInspector.cc index 1359d77c56..2c4a53241c 100644 --- a/src/rba/rba/rbaInspector.cc +++ b/src/rba/rba/rbaInspector.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rba/rba/rbaInspector.h b/src/rba/rba/rbaInspector.h index 26bd35e263..9e6b844f02 100644 --- a/src/rba/rba/rbaInspector.h +++ b/src/rba/rba/rbaInspector.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rba/rba/rbaInternal.cc b/src/rba/rba/rbaInternal.cc index cc33995989..bc045d5739 100644 --- a/src/rba/rba/rbaInternal.cc +++ b/src/rba/rba/rbaInternal.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rba/rba/rbaInternal.h b/src/rba/rba/rbaInternal.h index b0c2f2a199..0a1ccd1acb 100644 --- a/src/rba/rba/rbaInternal.h +++ b/src/rba/rba/rbaInternal.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rba/rba/rbaMarshal.cc b/src/rba/rba/rbaMarshal.cc index 4d73580a62..5cacd22e16 100644 --- a/src/rba/rba/rbaMarshal.cc +++ b/src/rba/rba/rbaMarshal.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rba/rba/rbaMarshal.h b/src/rba/rba/rbaMarshal.h index 4b4bba50ca..9e8ea4e076 100644 --- a/src/rba/rba/rbaMarshal.h +++ b/src/rba/rba/rbaMarshal.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rba/rba/rbaUtils.cc b/src/rba/rba/rbaUtils.cc index 894f06a4fd..ab9383ba94 100644 --- a/src/rba/rba/rbaUtils.cc +++ b/src/rba/rba/rbaUtils.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rba/rba/rbaUtils.h b/src/rba/rba/rbaUtils.h index 85c3751268..3105f1dfc4 100644 --- a/src/rba/rba/rbaUtils.h +++ b/src/rba/rba/rbaUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rba/unit_tests/rbaTests.cc b/src/rba/unit_tests/rbaTests.cc index 16a3b7fd63..a64b2c417a 100644 --- a/src/rba/unit_tests/rbaTests.cc +++ b/src/rba/unit_tests/rbaTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rbastub/rba.cc b/src/rbastub/rba.cc index e42c34a345..28843dab93 100644 --- a/src/rbastub/rba.cc +++ b/src/rbastub/rba.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rbastub/rba.h b/src/rbastub/rba.h index b178e1cf0d..11a6073193 100644 --- a/src/rbastub/rba.h +++ b/src/rbastub/rba.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rbastub/rbaCommon.h b/src/rbastub/rbaCommon.h index 50660751ad..78a2c0b898 100644 --- a/src/rbastub/rbaCommon.h +++ b/src/rbastub/rbaCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rdb/rdb/gsiDeclRdb.cc b/src/rdb/rdb/gsiDeclRdb.cc index 173d7f19ff..00392affaf 100644 --- a/src/rdb/rdb/gsiDeclRdb.cc +++ b/src/rdb/rdb/gsiDeclRdb.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rdb/rdb/rdb.cc b/src/rdb/rdb/rdb.cc index 0c38bba860..887383198a 100644 --- a/src/rdb/rdb/rdb.cc +++ b/src/rdb/rdb/rdb.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rdb/rdb/rdb.h b/src/rdb/rdb/rdb.h index f27f257ae0..a7859f60e9 100644 --- a/src/rdb/rdb/rdb.h +++ b/src/rdb/rdb/rdb.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rdb/rdb/rdbCommon.h b/src/rdb/rdb/rdbCommon.h index bfe17f290d..5a2922d246 100644 --- a/src/rdb/rdb/rdbCommon.h +++ b/src/rdb/rdb/rdbCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rdb/rdb/rdbFile.cc b/src/rdb/rdb/rdbFile.cc index fb4726466b..b845cfb92e 100644 --- a/src/rdb/rdb/rdbFile.cc +++ b/src/rdb/rdb/rdbFile.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rdb/rdb/rdbForceLink.cc b/src/rdb/rdb/rdbForceLink.cc index 114ed63eca..d8bab3e4db 100644 --- a/src/rdb/rdb/rdbForceLink.cc +++ b/src/rdb/rdb/rdbForceLink.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rdb/rdb/rdbForceLink.h b/src/rdb/rdb/rdbForceLink.h index b954c793ec..88e617dfec 100644 --- a/src/rdb/rdb/rdbForceLink.h +++ b/src/rdb/rdb/rdbForceLink.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rdb/rdb/rdbRVEReader.cc b/src/rdb/rdb/rdbRVEReader.cc index 9c57a75159..96ddd466be 100644 --- a/src/rdb/rdb/rdbRVEReader.cc +++ b/src/rdb/rdb/rdbRVEReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rdb/rdb/rdbReader.cc b/src/rdb/rdb/rdbReader.cc index ff9c24e3f7..766bc93b71 100644 --- a/src/rdb/rdb/rdbReader.cc +++ b/src/rdb/rdb/rdbReader.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rdb/rdb/rdbReader.h b/src/rdb/rdb/rdbReader.h index e1368af1d6..5a0a011ea8 100644 --- a/src/rdb/rdb/rdbReader.h +++ b/src/rdb/rdb/rdbReader.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rdb/rdb/rdbTiledRdbOutputReceiver.cc b/src/rdb/rdb/rdbTiledRdbOutputReceiver.cc index 8511c0f99a..f31b8086f4 100644 --- a/src/rdb/rdb/rdbTiledRdbOutputReceiver.cc +++ b/src/rdb/rdb/rdbTiledRdbOutputReceiver.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rdb/rdb/rdbTiledRdbOutputReceiver.h b/src/rdb/rdb/rdbTiledRdbOutputReceiver.h index ce4de13718..b707cb0935 100644 --- a/src/rdb/rdb/rdbTiledRdbOutputReceiver.h +++ b/src/rdb/rdb/rdbTiledRdbOutputReceiver.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rdb/rdb/rdbUtils.cc b/src/rdb/rdb/rdbUtils.cc index c55b0d9c18..766d431838 100644 --- a/src/rdb/rdb/rdbUtils.cc +++ b/src/rdb/rdb/rdbUtils.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rdb/rdb/rdbUtils.h b/src/rdb/rdb/rdbUtils.h index fc105459b9..0bc56e97cb 100644 --- a/src/rdb/rdb/rdbUtils.h +++ b/src/rdb/rdb/rdbUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rdb/unit_tests/rdbRVEReaderTests.cc b/src/rdb/unit_tests/rdbRVEReaderTests.cc index 612ad28e7b..4a22a8e2ee 100644 --- a/src/rdb/unit_tests/rdbRVEReaderTests.cc +++ b/src/rdb/unit_tests/rdbRVEReaderTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/rdb/unit_tests/rdbTests.cc b/src/rdb/unit_tests/rdbTests.cc index 69c73365c1..55e78c1f92 100644 --- a/src/rdb/unit_tests/rdbTests.cc +++ b/src/rdb/unit_tests/rdbTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlArch.cc b/src/tl/tl/tlArch.cc index bec205f030..08cabff1bf 100644 --- a/src/tl/tl/tlArch.cc +++ b/src/tl/tl/tlArch.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlArch.h b/src/tl/tl/tlArch.h index 50816f7ce7..e3d657efaf 100644 --- a/src/tl/tl/tlArch.h +++ b/src/tl/tl/tlArch.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlAssert.cc b/src/tl/tl/tlAssert.cc index 77acd17d27..41ec9bc079 100644 --- a/src/tl/tl/tlAssert.cc +++ b/src/tl/tl/tlAssert.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlAssert.h b/src/tl/tl/tlAssert.h index d5e9148170..2b21c04791 100644 --- a/src/tl/tl/tlAssert.h +++ b/src/tl/tl/tlAssert.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlBase64.cc b/src/tl/tl/tlBase64.cc index e3283ec4fb..2cd5692144 100644 --- a/src/tl/tl/tlBase64.cc +++ b/src/tl/tl/tlBase64.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlBase64.h b/src/tl/tl/tlBase64.h index e2f8977953..19616534ec 100644 --- a/src/tl/tl/tlBase64.h +++ b/src/tl/tl/tlBase64.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlClassRegistry.cc b/src/tl/tl/tlClassRegistry.cc index 49834d6751..0849ade0ef 100644 --- a/src/tl/tl/tlClassRegistry.cc +++ b/src/tl/tl/tlClassRegistry.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlClassRegistry.h b/src/tl/tl/tlClassRegistry.h index 2c98be76fe..dcd12cdf80 100644 --- a/src/tl/tl/tlClassRegistry.h +++ b/src/tl/tl/tlClassRegistry.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlColor.cc b/src/tl/tl/tlColor.cc index c719181b04..9644b8e3c5 100644 --- a/src/tl/tl/tlColor.cc +++ b/src/tl/tl/tlColor.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlColor.h b/src/tl/tl/tlColor.h index c1e8048737..5c101aa049 100644 --- a/src/tl/tl/tlColor.h +++ b/src/tl/tl/tlColor.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlCommandLineParser.cc b/src/tl/tl/tlCommandLineParser.cc index 1d85cfe1f3..ab98df04b4 100644 --- a/src/tl/tl/tlCommandLineParser.cc +++ b/src/tl/tl/tlCommandLineParser.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlCommandLineParser.h b/src/tl/tl/tlCommandLineParser.h index 1d596cbd4f..35b0c139a5 100644 --- a/src/tl/tl/tlCommandLineParser.h +++ b/src/tl/tl/tlCommandLineParser.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlCommon.h b/src/tl/tl/tlCommon.h index 3ab0d66568..ae92159c9f 100644 --- a/src/tl/tl/tlCommon.h +++ b/src/tl/tl/tlCommon.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlCopyOnWrite.cc b/src/tl/tl/tlCopyOnWrite.cc index 7ae38f6809..7ee0f1b86a 100644 --- a/src/tl/tl/tlCopyOnWrite.cc +++ b/src/tl/tl/tlCopyOnWrite.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlCopyOnWrite.h b/src/tl/tl/tlCopyOnWrite.h index 772df9800c..735b34d58a 100644 --- a/src/tl/tl/tlCopyOnWrite.h +++ b/src/tl/tl/tlCopyOnWrite.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlCpp.h b/src/tl/tl/tlCpp.h index 581afae9ea..dfe63fb0e2 100644 --- a/src/tl/tl/tlCpp.h +++ b/src/tl/tl/tlCpp.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlDataMapping.cc b/src/tl/tl/tlDataMapping.cc index 38acd9cab1..74130d5809 100644 --- a/src/tl/tl/tlDataMapping.cc +++ b/src/tl/tl/tlDataMapping.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlDataMapping.h b/src/tl/tl/tlDataMapping.h index f08cf1561c..fa7e74723f 100644 --- a/src/tl/tl/tlDataMapping.h +++ b/src/tl/tl/tlDataMapping.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlDeferredExecution.cc b/src/tl/tl/tlDeferredExecution.cc index 46a95bdecd..a7b6419800 100644 --- a/src/tl/tl/tlDeferredExecution.cc +++ b/src/tl/tl/tlDeferredExecution.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlDeferredExecution.h b/src/tl/tl/tlDeferredExecution.h index 431d88d904..bf2e7c8cdc 100644 --- a/src/tl/tl/tlDeferredExecution.h +++ b/src/tl/tl/tlDeferredExecution.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlDeferredExecutionQt.cc b/src/tl/tl/tlDeferredExecutionQt.cc index ac0668f96b..3a7ac2d891 100644 --- a/src/tl/tl/tlDeferredExecutionQt.cc +++ b/src/tl/tl/tlDeferredExecutionQt.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlDeferredExecutionQt.h b/src/tl/tl/tlDeferredExecutionQt.h index 004e50e099..c4f4cbf765 100644 --- a/src/tl/tl/tlDeferredExecutionQt.h +++ b/src/tl/tl/tlDeferredExecutionQt.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlDeflate.cc b/src/tl/tl/tlDeflate.cc index f617225a66..a747b51fa9 100644 --- a/src/tl/tl/tlDeflate.cc +++ b/src/tl/tl/tlDeflate.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlDeflate.h b/src/tl/tl/tlDeflate.h index 0fa1081538..7b46092fdd 100644 --- a/src/tl/tl/tlDeflate.h +++ b/src/tl/tl/tlDeflate.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlDefs.h b/src/tl/tl/tlDefs.h index 3518edede5..e11dc414de 100644 --- a/src/tl/tl/tlDefs.h +++ b/src/tl/tl/tlDefs.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlEnv.cc b/src/tl/tl/tlEnv.cc index d701ec5d6f..afbfaff931 100644 --- a/src/tl/tl/tlEnv.cc +++ b/src/tl/tl/tlEnv.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlEnv.h b/src/tl/tl/tlEnv.h index 392f9e7ad8..069b7e28d4 100644 --- a/src/tl/tl/tlEnv.h +++ b/src/tl/tl/tlEnv.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlEquivalenceClusters.cc b/src/tl/tl/tlEquivalenceClusters.cc index 8f030a6b6d..9a54048698 100644 --- a/src/tl/tl/tlEquivalenceClusters.cc +++ b/src/tl/tl/tlEquivalenceClusters.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlEquivalenceClusters.h b/src/tl/tl/tlEquivalenceClusters.h index 6fd2397f39..260eed63bf 100644 --- a/src/tl/tl/tlEquivalenceClusters.h +++ b/src/tl/tl/tlEquivalenceClusters.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlEvents.cc b/src/tl/tl/tlEvents.cc index 2c1d04f57a..3a8757d7a0 100644 --- a/src/tl/tl/tlEvents.cc +++ b/src/tl/tl/tlEvents.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlEvents.h b/src/tl/tl/tlEvents.h index b7e1765c26..a523e1a8ff 100644 --- a/src/tl/tl/tlEvents.h +++ b/src/tl/tl/tlEvents.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlEventsVar.h b/src/tl/tl/tlEventsVar.h index 4e9fb2be15..7dc8151e9d 100644 --- a/src/tl/tl/tlEventsVar.h +++ b/src/tl/tl/tlEventsVar.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlException.cc b/src/tl/tl/tlException.cc index a5c870cfba..55c82f3e6b 100644 --- a/src/tl/tl/tlException.cc +++ b/src/tl/tl/tlException.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlException.h b/src/tl/tl/tlException.h index afebf5a6e9..5ac29be0c2 100644 --- a/src/tl/tl/tlException.h +++ b/src/tl/tl/tlException.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlExceptions.cc b/src/tl/tl/tlExceptions.cc index 014e86f181..98d1987cff 100644 --- a/src/tl/tl/tlExceptions.cc +++ b/src/tl/tl/tlExceptions.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlExceptions.h b/src/tl/tl/tlExceptions.h index 0696d7845a..8e76d102f8 100644 --- a/src/tl/tl/tlExceptions.h +++ b/src/tl/tl/tlExceptions.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlExpression.cc b/src/tl/tl/tlExpression.cc index eed1cc73af..dea3d086a1 100644 --- a/src/tl/tl/tlExpression.cc +++ b/src/tl/tl/tlExpression.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlExpression.h b/src/tl/tl/tlExpression.h index 681e12498d..9c7d84d4e0 100644 --- a/src/tl/tl/tlExpression.h +++ b/src/tl/tl/tlExpression.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlFileSystemWatcher.cc b/src/tl/tl/tlFileSystemWatcher.cc index 59219547d1..569cf26fc0 100644 --- a/src/tl/tl/tlFileSystemWatcher.cc +++ b/src/tl/tl/tlFileSystemWatcher.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlFileSystemWatcher.h b/src/tl/tl/tlFileSystemWatcher.h index d7435c2615..5f7027c718 100644 --- a/src/tl/tl/tlFileSystemWatcher.h +++ b/src/tl/tl/tlFileSystemWatcher.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlFileUtils.cc b/src/tl/tl/tlFileUtils.cc index 30a14ee92d..34aff09ae3 100644 --- a/src/tl/tl/tlFileUtils.cc +++ b/src/tl/tl/tlFileUtils.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlFileUtils.h b/src/tl/tl/tlFileUtils.h index 58bfbe44ec..09eb9cd22e 100644 --- a/src/tl/tl/tlFileUtils.h +++ b/src/tl/tl/tlFileUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlFixedVector.h b/src/tl/tl/tlFixedVector.h index 3dc8976e2c..8ab9ef9471 100644 --- a/src/tl/tl/tlFixedVector.h +++ b/src/tl/tl/tlFixedVector.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlGit.cc b/src/tl/tl/tlGit.cc index 118b1d1885..3e749e6337 100644 --- a/src/tl/tl/tlGit.cc +++ b/src/tl/tl/tlGit.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlGit.h b/src/tl/tl/tlGit.h index a99d304499..e2d8cbe573 100644 --- a/src/tl/tl/tlGit.h +++ b/src/tl/tl/tlGit.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlGlobPattern.cc b/src/tl/tl/tlGlobPattern.cc index 61f7e821c5..52c14d18f8 100644 --- a/src/tl/tl/tlGlobPattern.cc +++ b/src/tl/tl/tlGlobPattern.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlGlobPattern.h b/src/tl/tl/tlGlobPattern.h index ceb64c9001..0217aee800 100644 --- a/src/tl/tl/tlGlobPattern.h +++ b/src/tl/tl/tlGlobPattern.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlHeap.cc b/src/tl/tl/tlHeap.cc index 10b325bf86..8490ca9f44 100644 --- a/src/tl/tl/tlHeap.cc +++ b/src/tl/tl/tlHeap.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlHeap.h b/src/tl/tl/tlHeap.h index a378c2714a..3f53d17556 100644 --- a/src/tl/tl/tlHeap.h +++ b/src/tl/tl/tlHeap.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlHttpStream.cc b/src/tl/tl/tlHttpStream.cc index d764b9bf7d..d02b437e3e 100644 --- a/src/tl/tl/tlHttpStream.cc +++ b/src/tl/tl/tlHttpStream.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlHttpStream.h b/src/tl/tl/tlHttpStream.h index af177fd228..a85dc33483 100644 --- a/src/tl/tl/tlHttpStream.h +++ b/src/tl/tl/tlHttpStream.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlHttpStreamCurl.cc b/src/tl/tl/tlHttpStreamCurl.cc index b59df65856..b797487f43 100644 --- a/src/tl/tl/tlHttpStreamCurl.cc +++ b/src/tl/tl/tlHttpStreamCurl.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlHttpStreamCurl.h b/src/tl/tl/tlHttpStreamCurl.h index d143267da5..0944e835be 100644 --- a/src/tl/tl/tlHttpStreamCurl.h +++ b/src/tl/tl/tlHttpStreamCurl.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlHttpStreamNoQt.cc b/src/tl/tl/tlHttpStreamNoQt.cc index 4a0c54920d..fecbae993e 100644 --- a/src/tl/tl/tlHttpStreamNoQt.cc +++ b/src/tl/tl/tlHttpStreamNoQt.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlHttpStreamQt.cc b/src/tl/tl/tlHttpStreamQt.cc index 0090d75235..019caeb910 100644 --- a/src/tl/tl/tlHttpStreamQt.cc +++ b/src/tl/tl/tlHttpStreamQt.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlHttpStreamQt.h b/src/tl/tl/tlHttpStreamQt.h index a979767355..69fc1e8dc8 100644 --- a/src/tl/tl/tlHttpStreamQt.h +++ b/src/tl/tl/tlHttpStreamQt.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlInclude.cc b/src/tl/tl/tlInclude.cc index 4d2fc5a098..453a9759b9 100644 --- a/src/tl/tl/tlInclude.cc +++ b/src/tl/tl/tlInclude.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlInclude.h b/src/tl/tl/tlInclude.h index 687dd950ef..23b37301da 100644 --- a/src/tl/tl/tlInclude.h +++ b/src/tl/tl/tlInclude.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlInt128Support.cc b/src/tl/tl/tlInt128Support.cc index 42f1152e9e..85df71787b 100644 --- a/src/tl/tl/tlInt128Support.cc +++ b/src/tl/tl/tlInt128Support.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlInt128Support.h b/src/tl/tl/tlInt128Support.h index 7d4a7cda02..ef65b46dc3 100644 --- a/src/tl/tl/tlInt128Support.h +++ b/src/tl/tl/tlInt128Support.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlInternational.cc b/src/tl/tl/tlInternational.cc index 54904e4b10..b51ed03cc7 100644 --- a/src/tl/tl/tlInternational.cc +++ b/src/tl/tl/tlInternational.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlInternational.h b/src/tl/tl/tlInternational.h index 928cf1d165..cc843b8c19 100644 --- a/src/tl/tl/tlInternational.h +++ b/src/tl/tl/tlInternational.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlIntervalMap.h b/src/tl/tl/tlIntervalMap.h index ee432093d8..4cee90d008 100644 --- a/src/tl/tl/tlIntervalMap.h +++ b/src/tl/tl/tlIntervalMap.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlIntervalSet.h b/src/tl/tl/tlIntervalSet.h index fdb43c8c8f..541ce36fec 100644 --- a/src/tl/tl/tlIntervalSet.h +++ b/src/tl/tl/tlIntervalSet.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlIteratorUtils.h b/src/tl/tl/tlIteratorUtils.h index c2f749428d..bf8bb824e6 100644 --- a/src/tl/tl/tlIteratorUtils.h +++ b/src/tl/tl/tlIteratorUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlKDTree.h b/src/tl/tl/tlKDTree.h index 9bf497fa00..4bfbceec6a 100644 --- a/src/tl/tl/tlKDTree.h +++ b/src/tl/tl/tlKDTree.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlList.cc b/src/tl/tl/tlList.cc index 8518be5e53..326c5eb553 100644 --- a/src/tl/tl/tlList.cc +++ b/src/tl/tl/tlList.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlList.h b/src/tl/tl/tlList.h index 029686428a..2d5b572a06 100644 --- a/src/tl/tl/tlList.h +++ b/src/tl/tl/tlList.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlLog.cc b/src/tl/tl/tlLog.cc index 1bb3d7b51c..4fcd7226c5 100644 --- a/src/tl/tl/tlLog.cc +++ b/src/tl/tl/tlLog.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlLog.h b/src/tl/tl/tlLog.h index 8bec8a31c0..f1dc7d584f 100644 --- a/src/tl/tl/tlLog.h +++ b/src/tl/tl/tlLog.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlLongInt.cc b/src/tl/tl/tlLongInt.cc index 71a03ee3d4..0d3e2f2767 100644 --- a/src/tl/tl/tlLongInt.cc +++ b/src/tl/tl/tlLongInt.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlLongInt.h b/src/tl/tl/tlLongInt.h index 04429af53b..60ade21a5b 100644 --- a/src/tl/tl/tlLongInt.h +++ b/src/tl/tl/tlLongInt.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlMath.h b/src/tl/tl/tlMath.h index e1362796dc..4cf8210cad 100644 --- a/src/tl/tl/tlMath.h +++ b/src/tl/tl/tlMath.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlObject.cc b/src/tl/tl/tlObject.cc index cd80a5a901..b28b0958a7 100644 --- a/src/tl/tl/tlObject.cc +++ b/src/tl/tl/tlObject.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlObject.h b/src/tl/tl/tlObject.h index 62e258d6df..9bea96ed4d 100644 --- a/src/tl/tl/tlObject.h +++ b/src/tl/tl/tlObject.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlObjectCollection.h b/src/tl/tl/tlObjectCollection.h index f782f994b4..878e09dabe 100644 --- a/src/tl/tl/tlObjectCollection.h +++ b/src/tl/tl/tlObjectCollection.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlPixelBuffer.cc b/src/tl/tl/tlPixelBuffer.cc index 9de8f1d6e6..bc7b256d03 100644 --- a/src/tl/tl/tlPixelBuffer.cc +++ b/src/tl/tl/tlPixelBuffer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlPixelBuffer.h b/src/tl/tl/tlPixelBuffer.h index 457ec122c1..6651a0d3b9 100644 --- a/src/tl/tl/tlPixelBuffer.h +++ b/src/tl/tl/tlPixelBuffer.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlProgress.cc b/src/tl/tl/tlProgress.cc index eff1deffd3..94267db1bc 100644 --- a/src/tl/tl/tlProgress.cc +++ b/src/tl/tl/tlProgress.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlProgress.h b/src/tl/tl/tlProgress.h index a90c82abda..36b460a339 100644 --- a/src/tl/tl/tlProgress.h +++ b/src/tl/tl/tlProgress.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlRecipe.cc b/src/tl/tl/tlRecipe.cc index a53bd59e35..2b80846f71 100644 --- a/src/tl/tl/tlRecipe.cc +++ b/src/tl/tl/tlRecipe.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlRecipe.h b/src/tl/tl/tlRecipe.h index 6e2d37abd4..3506748a2e 100644 --- a/src/tl/tl/tlRecipe.h +++ b/src/tl/tl/tlRecipe.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlResources.cc b/src/tl/tl/tlResources.cc index 979dac0b5c..39c3847d3b 100644 --- a/src/tl/tl/tlResources.cc +++ b/src/tl/tl/tlResources.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlResources.h b/src/tl/tl/tlResources.h index 0fb8e70464..908502bbc7 100644 --- a/src/tl/tl/tlResources.h +++ b/src/tl/tl/tlResources.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlReuseVector.h b/src/tl/tl/tlReuseVector.h index 407400812b..5110720c0e 100644 --- a/src/tl/tl/tlReuseVector.h +++ b/src/tl/tl/tlReuseVector.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlSList.cc b/src/tl/tl/tlSList.cc index 14e8aa6305..3e1e640bbb 100644 --- a/src/tl/tl/tlSList.cc +++ b/src/tl/tl/tlSList.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlSList.h b/src/tl/tl/tlSList.h index 3e717221fe..1e7fa21a72 100644 --- a/src/tl/tl/tlSList.h +++ b/src/tl/tl/tlSList.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlScriptError.cc b/src/tl/tl/tlScriptError.cc index aae4e56f91..b511a2ff64 100644 --- a/src/tl/tl/tlScriptError.cc +++ b/src/tl/tl/tlScriptError.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlScriptError.h b/src/tl/tl/tlScriptError.h index 6a20652938..268e0c24a5 100644 --- a/src/tl/tl/tlScriptError.h +++ b/src/tl/tl/tlScriptError.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlSelect.h b/src/tl/tl/tlSelect.h index f37c2a8c25..bba806a473 100644 --- a/src/tl/tl/tlSelect.h +++ b/src/tl/tl/tlSelect.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlSleep.cc b/src/tl/tl/tlSleep.cc index e150b8d84a..e55ee3ba5c 100644 --- a/src/tl/tl/tlSleep.cc +++ b/src/tl/tl/tlSleep.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlSleep.h b/src/tl/tl/tlSleep.h index bb4063a65c..b035bcb689 100644 --- a/src/tl/tl/tlSleep.h +++ b/src/tl/tl/tlSleep.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlStableVector.h b/src/tl/tl/tlStableVector.h index fb09e84e0a..f843ca4209 100644 --- a/src/tl/tl/tlStableVector.h +++ b/src/tl/tl/tlStableVector.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlStaticObjects.cc b/src/tl/tl/tlStaticObjects.cc index 47e0016525..a2e6c2d621 100644 --- a/src/tl/tl/tlStaticObjects.cc +++ b/src/tl/tl/tlStaticObjects.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlStaticObjects.h b/src/tl/tl/tlStaticObjects.h index 085b85f814..04a0d1c899 100644 --- a/src/tl/tl/tlStaticObjects.h +++ b/src/tl/tl/tlStaticObjects.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlStream.cc b/src/tl/tl/tlStream.cc index 3b35ade25a..dc57b3a980 100644 --- a/src/tl/tl/tlStream.cc +++ b/src/tl/tl/tlStream.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlStream.h b/src/tl/tl/tlStream.h index 9c1309ad28..2412c46639 100644 --- a/src/tl/tl/tlStream.h +++ b/src/tl/tl/tlStream.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlString.cc b/src/tl/tl/tlString.cc index 90758df1ca..ab327c00fe 100644 --- a/src/tl/tl/tlString.cc +++ b/src/tl/tl/tlString.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlString.h b/src/tl/tl/tlString.h index 33bc0413b9..8af7926a30 100644 --- a/src/tl/tl/tlString.h +++ b/src/tl/tl/tlString.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlStringEx.h b/src/tl/tl/tlStringEx.h index cc5bc59a70..84a3dd3feb 100644 --- a/src/tl/tl/tlStringEx.h +++ b/src/tl/tl/tlStringEx.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlThreadedWorkers.cc b/src/tl/tl/tlThreadedWorkers.cc index 09a333b452..d9ab7aadfd 100644 --- a/src/tl/tl/tlThreadedWorkers.cc +++ b/src/tl/tl/tlThreadedWorkers.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlThreadedWorkers.h b/src/tl/tl/tlThreadedWorkers.h index 713988823d..e29697715a 100644 --- a/src/tl/tl/tlThreadedWorkers.h +++ b/src/tl/tl/tlThreadedWorkers.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlThreads.cc b/src/tl/tl/tlThreads.cc index d4242baa14..4b99f24b6e 100644 --- a/src/tl/tl/tlThreads.cc +++ b/src/tl/tl/tlThreads.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlThreads.h b/src/tl/tl/tlThreads.h index 834e47807f..ed89644a60 100644 --- a/src/tl/tl/tlThreads.h +++ b/src/tl/tl/tlThreads.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlTimer.cc b/src/tl/tl/tlTimer.cc index e4f5ed571b..f39c5911e0 100644 --- a/src/tl/tl/tlTimer.cc +++ b/src/tl/tl/tlTimer.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlTimer.h b/src/tl/tl/tlTimer.h index 7bb667c5e9..138c8e2005 100644 --- a/src/tl/tl/tlTimer.h +++ b/src/tl/tl/tlTimer.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlTypeTraits.h b/src/tl/tl/tlTypeTraits.h index 671b39d270..b51d3bb439 100644 --- a/src/tl/tl/tlTypeTraits.h +++ b/src/tl/tl/tlTypeTraits.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlUniqueId.cc b/src/tl/tl/tlUniqueId.cc index 58b1e7781d..ea0fa2aee4 100644 --- a/src/tl/tl/tlUniqueId.cc +++ b/src/tl/tl/tlUniqueId.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlUniqueId.h b/src/tl/tl/tlUniqueId.h index 77b8fe5a53..47da2b5d00 100644 --- a/src/tl/tl/tlUniqueId.h +++ b/src/tl/tl/tlUniqueId.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlUniqueName.cc b/src/tl/tl/tlUniqueName.cc index 5d6523acdb..26cab1e593 100644 --- a/src/tl/tl/tlUniqueName.cc +++ b/src/tl/tl/tlUniqueName.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlUniqueName.h b/src/tl/tl/tlUniqueName.h index 70ac0d7191..3f9caa1e6b 100644 --- a/src/tl/tl/tlUniqueName.h +++ b/src/tl/tl/tlUniqueName.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlUnitTest.cc b/src/tl/tl/tlUnitTest.cc index 40497ecc83..f7fc9d0e7d 100644 --- a/src/tl/tl/tlUnitTest.cc +++ b/src/tl/tl/tlUnitTest.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlUnitTest.h b/src/tl/tl/tlUnitTest.h index 2b234dde7a..e6c7e4661d 100644 --- a/src/tl/tl/tlUnitTest.h +++ b/src/tl/tl/tlUnitTest.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlUri.cc b/src/tl/tl/tlUri.cc index c416e1e8de..854d75a82e 100644 --- a/src/tl/tl/tlUri.cc +++ b/src/tl/tl/tlUri.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlUri.h b/src/tl/tl/tlUri.h index 3b1419a9eb..fedb468fbe 100644 --- a/src/tl/tl/tlUri.h +++ b/src/tl/tl/tlUri.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlUtils.h b/src/tl/tl/tlUtils.h index b13d80a4ce..2a2df5f4a1 100644 --- a/src/tl/tl/tlUtils.h +++ b/src/tl/tl/tlUtils.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlVariant.cc b/src/tl/tl/tlVariant.cc index b25a6bbf81..4ceacfb4bb 100644 --- a/src/tl/tl/tlVariant.cc +++ b/src/tl/tl/tlVariant.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlVariant.h b/src/tl/tl/tlVariant.h index 8bd4100de5..4b12a892a4 100644 --- a/src/tl/tl/tlVariant.h +++ b/src/tl/tl/tlVariant.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlVariantUserClasses.h b/src/tl/tl/tlVariantUserClasses.h index 0e79403d31..1a5232d0ac 100644 --- a/src/tl/tl/tlVariantUserClasses.h +++ b/src/tl/tl/tlVariantUserClasses.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlVector.cc b/src/tl/tl/tlVector.cc index e8996dec05..c49934e6b4 100644 --- a/src/tl/tl/tlVector.cc +++ b/src/tl/tl/tlVector.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlVector.h b/src/tl/tl/tlVector.h index a109d61ee6..bec069aa04 100644 --- a/src/tl/tl/tlVector.h +++ b/src/tl/tl/tlVector.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlWebDAV.cc b/src/tl/tl/tlWebDAV.cc index 92017554db..76734ca595 100644 --- a/src/tl/tl/tlWebDAV.cc +++ b/src/tl/tl/tlWebDAV.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlWebDAV.h b/src/tl/tl/tlWebDAV.h index 7a63f6a367..577f649e98 100644 --- a/src/tl/tl/tlWebDAV.h +++ b/src/tl/tl/tlWebDAV.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlXMLParser.cc b/src/tl/tl/tlXMLParser.cc index 0236741405..7bf20e599a 100644 --- a/src/tl/tl/tlXMLParser.cc +++ b/src/tl/tl/tlXMLParser.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlXMLParser.h b/src/tl/tl/tlXMLParser.h index d0787b4257..2262172289 100644 --- a/src/tl/tl/tlXMLParser.h +++ b/src/tl/tl/tlXMLParser.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlXMLWriter.cc b/src/tl/tl/tlXMLWriter.cc index 2da5eb6d63..1fdbeac1ab 100644 --- a/src/tl/tl/tlXMLWriter.cc +++ b/src/tl/tl/tlXMLWriter.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/tl/tlXMLWriter.h b/src/tl/tl/tlXMLWriter.h index 7bf7dab589..3bc7182713 100644 --- a/src/tl/tl/tlXMLWriter.h +++ b/src/tl/tl/tlXMLWriter.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlAlgorithmTests.cc b/src/tl/unit_tests/tlAlgorithmTests.cc index 47298df6d7..b48350b9a3 100644 --- a/src/tl/unit_tests/tlAlgorithmTests.cc +++ b/src/tl/unit_tests/tlAlgorithmTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlBase64Tests.cc b/src/tl/unit_tests/tlBase64Tests.cc index f0ca3d9813..afbaa9ac32 100644 --- a/src/tl/unit_tests/tlBase64Tests.cc +++ b/src/tl/unit_tests/tlBase64Tests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlClassRegistryTests.cc b/src/tl/unit_tests/tlClassRegistryTests.cc index ba6708a7b9..9aaff9aca0 100644 --- a/src/tl/unit_tests/tlClassRegistryTests.cc +++ b/src/tl/unit_tests/tlClassRegistryTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlColorTests.cc b/src/tl/unit_tests/tlColorTests.cc index 3de48e5a61..4684435e6a 100644 --- a/src/tl/unit_tests/tlColorTests.cc +++ b/src/tl/unit_tests/tlColorTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlCommandLineParserTests.cc b/src/tl/unit_tests/tlCommandLineParserTests.cc index 93261dd6fb..c05d10eb32 100644 --- a/src/tl/unit_tests/tlCommandLineParserTests.cc +++ b/src/tl/unit_tests/tlCommandLineParserTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlCopyOnWriteTests.cc b/src/tl/unit_tests/tlCopyOnWriteTests.cc index a538ff0d99..4d4d69e73f 100644 --- a/src/tl/unit_tests/tlCopyOnWriteTests.cc +++ b/src/tl/unit_tests/tlCopyOnWriteTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlDataMappingTests.cc b/src/tl/unit_tests/tlDataMappingTests.cc index f17d37619e..a976039403 100644 --- a/src/tl/unit_tests/tlDataMappingTests.cc +++ b/src/tl/unit_tests/tlDataMappingTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlDeferredExecutionTests.cc b/src/tl/unit_tests/tlDeferredExecutionTests.cc index 823afbff5c..769d110117 100644 --- a/src/tl/unit_tests/tlDeferredExecutionTests.cc +++ b/src/tl/unit_tests/tlDeferredExecutionTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlDeflateTests.cc b/src/tl/unit_tests/tlDeflateTests.cc index 39e88690d5..cac2e016ee 100644 --- a/src/tl/unit_tests/tlDeflateTests.cc +++ b/src/tl/unit_tests/tlDeflateTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlEnvTests.cc b/src/tl/unit_tests/tlEnvTests.cc index 46a0f0364b..3e63d56f2e 100644 --- a/src/tl/unit_tests/tlEnvTests.cc +++ b/src/tl/unit_tests/tlEnvTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlEquivalenceClustersTests.cc b/src/tl/unit_tests/tlEquivalenceClustersTests.cc index 2f2d977e66..f89628bd8e 100644 --- a/src/tl/unit_tests/tlEquivalenceClustersTests.cc +++ b/src/tl/unit_tests/tlEquivalenceClustersTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlEventsTests.cc b/src/tl/unit_tests/tlEventsTests.cc index 526543847a..1cce3dccea 100644 --- a/src/tl/unit_tests/tlEventsTests.cc +++ b/src/tl/unit_tests/tlEventsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlExpressionTests.cc b/src/tl/unit_tests/tlExpressionTests.cc index 6ccda85987..a547d7c7de 100644 --- a/src/tl/unit_tests/tlExpressionTests.cc +++ b/src/tl/unit_tests/tlExpressionTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlFileSystemWatcherTests.cc b/src/tl/unit_tests/tlFileSystemWatcherTests.cc index 5d6f8bea6a..4e317f0496 100644 --- a/src/tl/unit_tests/tlFileSystemWatcherTests.cc +++ b/src/tl/unit_tests/tlFileSystemWatcherTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlFileUtilsTests.cc b/src/tl/unit_tests/tlFileUtilsTests.cc index 6683278b18..21d080e837 100644 --- a/src/tl/unit_tests/tlFileUtilsTests.cc +++ b/src/tl/unit_tests/tlFileUtilsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlGitTests.cc b/src/tl/unit_tests/tlGitTests.cc index df51035b3f..57fc2ea622 100644 --- a/src/tl/unit_tests/tlGitTests.cc +++ b/src/tl/unit_tests/tlGitTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlGlobPatternTests.cc b/src/tl/unit_tests/tlGlobPatternTests.cc index 7c71ca8c91..ee959c1516 100644 --- a/src/tl/unit_tests/tlGlobPatternTests.cc +++ b/src/tl/unit_tests/tlGlobPatternTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlHttpStreamTests.cc b/src/tl/unit_tests/tlHttpStreamTests.cc index bdae370418..e05c7e5fe0 100644 --- a/src/tl/unit_tests/tlHttpStreamTests.cc +++ b/src/tl/unit_tests/tlHttpStreamTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlIncludeTests.cc b/src/tl/unit_tests/tlIncludeTests.cc index 07d30c50c0..e8fef07565 100644 --- a/src/tl/unit_tests/tlIncludeTests.cc +++ b/src/tl/unit_tests/tlIncludeTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlInt128SupportTests.cc b/src/tl/unit_tests/tlInt128SupportTests.cc index 0651ec50c8..82de4f8a47 100644 --- a/src/tl/unit_tests/tlInt128SupportTests.cc +++ b/src/tl/unit_tests/tlInt128SupportTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlIntervalMapTests.cc b/src/tl/unit_tests/tlIntervalMapTests.cc index 4bf3727371..9234e97dd9 100644 --- a/src/tl/unit_tests/tlIntervalMapTests.cc +++ b/src/tl/unit_tests/tlIntervalMapTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlIntervalSetTests.cc b/src/tl/unit_tests/tlIntervalSetTests.cc index 31602c747f..d2161014c3 100644 --- a/src/tl/unit_tests/tlIntervalSetTests.cc +++ b/src/tl/unit_tests/tlIntervalSetTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlKDTreeTests.cc b/src/tl/unit_tests/tlKDTreeTests.cc index d21eb62ff5..e2ace279a5 100644 --- a/src/tl/unit_tests/tlKDTreeTests.cc +++ b/src/tl/unit_tests/tlKDTreeTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlListTests.cc b/src/tl/unit_tests/tlListTests.cc index 5c4c0816ed..06567205dc 100644 --- a/src/tl/unit_tests/tlListTests.cc +++ b/src/tl/unit_tests/tlListTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlLongIntTests.cc b/src/tl/unit_tests/tlLongIntTests.cc index cb39707daa..e724cc00b4 100644 --- a/src/tl/unit_tests/tlLongIntTests.cc +++ b/src/tl/unit_tests/tlLongIntTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlMathTests.cc b/src/tl/unit_tests/tlMathTests.cc index 2de4ae5ebd..81c939809d 100644 --- a/src/tl/unit_tests/tlMathTests.cc +++ b/src/tl/unit_tests/tlMathTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlObjectTests.cc b/src/tl/unit_tests/tlObjectTests.cc index e504b3a803..d4b5653d33 100644 --- a/src/tl/unit_tests/tlObjectTests.cc +++ b/src/tl/unit_tests/tlObjectTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlPixelBufferTests.cc b/src/tl/unit_tests/tlPixelBufferTests.cc index 4f063796f0..78578e082b 100644 --- a/src/tl/unit_tests/tlPixelBufferTests.cc +++ b/src/tl/unit_tests/tlPixelBufferTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlRecipeTests.cc b/src/tl/unit_tests/tlRecipeTests.cc index 4d6463a825..e0801d9d81 100644 --- a/src/tl/unit_tests/tlRecipeTests.cc +++ b/src/tl/unit_tests/tlRecipeTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlResourcesTests.cc b/src/tl/unit_tests/tlResourcesTests.cc index 2c27a5f92b..d1142bd422 100644 --- a/src/tl/unit_tests/tlResourcesTests.cc +++ b/src/tl/unit_tests/tlResourcesTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlReuseVectorTests.cc b/src/tl/unit_tests/tlReuseVectorTests.cc index a8a1820805..dcd01cdd1d 100644 --- a/src/tl/unit_tests/tlReuseVectorTests.cc +++ b/src/tl/unit_tests/tlReuseVectorTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlSListTests.cc b/src/tl/unit_tests/tlSListTests.cc index 194983cfa2..bcf27f1545 100644 --- a/src/tl/unit_tests/tlSListTests.cc +++ b/src/tl/unit_tests/tlSListTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlStableVectorTests.cc b/src/tl/unit_tests/tlStableVectorTests.cc index 49cfc0eb27..a45172a007 100644 --- a/src/tl/unit_tests/tlStableVectorTests.cc +++ b/src/tl/unit_tests/tlStableVectorTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlStreamTests.cc b/src/tl/unit_tests/tlStreamTests.cc index 37196956d5..e51a7d4c40 100644 --- a/src/tl/unit_tests/tlStreamTests.cc +++ b/src/tl/unit_tests/tlStreamTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlStringTests.cc b/src/tl/unit_tests/tlStringTests.cc index 958880e431..e6078ec3a1 100644 --- a/src/tl/unit_tests/tlStringTests.cc +++ b/src/tl/unit_tests/tlStringTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlThreadedWorkersTests.cc b/src/tl/unit_tests/tlThreadedWorkersTests.cc index b31ed9ed8e..c43fd994b7 100644 --- a/src/tl/unit_tests/tlThreadedWorkersTests.cc +++ b/src/tl/unit_tests/tlThreadedWorkersTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlThreadsTests.cc b/src/tl/unit_tests/tlThreadsTests.cc index f181133337..a6535b6240 100644 --- a/src/tl/unit_tests/tlThreadsTests.cc +++ b/src/tl/unit_tests/tlThreadsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlUniqueIdTests.cc b/src/tl/unit_tests/tlUniqueIdTests.cc index 021c696e83..e06cd8e5a5 100644 --- a/src/tl/unit_tests/tlUniqueIdTests.cc +++ b/src/tl/unit_tests/tlUniqueIdTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlUniqueNameTests.cc b/src/tl/unit_tests/tlUniqueNameTests.cc index 8a95555c05..a106b64c17 100644 --- a/src/tl/unit_tests/tlUniqueNameTests.cc +++ b/src/tl/unit_tests/tlUniqueNameTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlUriTests.cc b/src/tl/unit_tests/tlUriTests.cc index ae50e05775..d61dbd02a2 100644 --- a/src/tl/unit_tests/tlUriTests.cc +++ b/src/tl/unit_tests/tlUriTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlUtilsTests.cc b/src/tl/unit_tests/tlUtilsTests.cc index 53acaf6520..c2187efd00 100644 --- a/src/tl/unit_tests/tlUtilsTests.cc +++ b/src/tl/unit_tests/tlUtilsTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlVariantTests.cc b/src/tl/unit_tests/tlVariantTests.cc index 2a0a62a990..3ff19545d3 100644 --- a/src/tl/unit_tests/tlVariantTests.cc +++ b/src/tl/unit_tests/tlVariantTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlWebDAVTests.cc b/src/tl/unit_tests/tlWebDAVTests.cc index 1093b9742d..6d2948e7f1 100644 --- a/src/tl/unit_tests/tlWebDAVTests.cc +++ b/src/tl/unit_tests/tlWebDAVTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/tl/unit_tests/tlXMLParserTests.cc b/src/tl/unit_tests/tlXMLParserTests.cc index e37602ba4d..14d338b1ce 100644 --- a/src/tl/unit_tests/tlXMLParserTests.cc +++ b/src/tl/unit_tests/tlXMLParserTests.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/unit_tests/unit_test_main.cc b/src/unit_tests/unit_test_main.cc index 40c711d5b7..3055225a76 100644 --- a/src/unit_tests/unit_test_main.cc +++ b/src/unit_tests/unit_test_main.cc @@ -3,7 +3,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/unit_tests/utTestConsole.cc b/src/unit_tests/utTestConsole.cc index 714c82e587..602eebc303 100644 --- a/src/unit_tests/utTestConsole.cc +++ b/src/unit_tests/utTestConsole.cc @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/unit_tests/utTestConsole.h b/src/unit_tests/utTestConsole.h index c21a174936..41c5eb167c 100644 --- a/src/unit_tests/utTestConsole.h +++ b/src/unit_tests/utTestConsole.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by diff --git a/src/version/version.h b/src/version/version.h index c6a92ef487..0cd71df6d9 100644 --- a/src/version/version.h +++ b/src/version/version.h @@ -2,7 +2,7 @@ /* KLayout Layout Viewer - Copyright (C) 2006-2023 Matthias Koefferlein + Copyright (C) 2006-2024 Matthias Koefferlein This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by @@ -52,7 +52,7 @@ const char *prg_about_text = "For feedback and bug reports mail to: contact@klayout.de\n" "\n" "\n" - "Copyright (C) 2006-2023 Matthias K\303\266fferlein\n" + "Copyright (C) 2006-2024 Matthias K\303\266fferlein\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" diff --git a/testdata/buddies/buddies.rb b/testdata/buddies/buddies.rb index 3577a1855b..1dd58f8514 100644 --- a/testdata/buddies/buddies.rb +++ b/testdata/buddies/buddies.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/klayout_main/main.rb b/testdata/klayout_main/main.rb index 7b452d376a..cd3f9b8670 100644 --- a/testdata/klayout_main/main.rb +++ b/testdata/klayout_main/main.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/bridge.py b/testdata/pymod/bridge.py index 1a55e46564..59215db8c2 100755 --- a/testdata/pymod/bridge.py +++ b/testdata/pymod/bridge.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_QtCore.py b/testdata/pymod/import_QtCore.py index 9484e76225..ee5e613f30 100755 --- a/testdata/pymod/import_QtCore.py +++ b/testdata/pymod/import_QtCore.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_QtCore5Compat.py b/testdata/pymod/import_QtCore5Compat.py index ead6aa8420..58e9dd2911 100755 --- a/testdata/pymod/import_QtCore5Compat.py +++ b/testdata/pymod/import_QtCore5Compat.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_QtDesigner.py b/testdata/pymod/import_QtDesigner.py index 6297f346ce..f3df3a01af 100755 --- a/testdata/pymod/import_QtDesigner.py +++ b/testdata/pymod/import_QtDesigner.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_QtGui.py b/testdata/pymod/import_QtGui.py index 1412b3bf46..27fad4bd48 100755 --- a/testdata/pymod/import_QtGui.py +++ b/testdata/pymod/import_QtGui.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_QtGui_Qt6.py b/testdata/pymod/import_QtGui_Qt6.py index 9ad8c30488..087dd8cb79 100755 --- a/testdata/pymod/import_QtGui_Qt6.py +++ b/testdata/pymod/import_QtGui_Qt6.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_QtMultimedia.py b/testdata/pymod/import_QtMultimedia.py index 81ac077d49..391f0a27cf 100755 --- a/testdata/pymod/import_QtMultimedia.py +++ b/testdata/pymod/import_QtMultimedia.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_QtNetwork.py b/testdata/pymod/import_QtNetwork.py index 9d45185b1e..10fcabf4f6 100755 --- a/testdata/pymod/import_QtNetwork.py +++ b/testdata/pymod/import_QtNetwork.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_QtPrintSupport.py b/testdata/pymod/import_QtPrintSupport.py index 489d667e9a..17a8374025 100755 --- a/testdata/pymod/import_QtPrintSupport.py +++ b/testdata/pymod/import_QtPrintSupport.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_QtSql.py b/testdata/pymod/import_QtSql.py index 0f98aeea3c..11eafb9dca 100755 --- a/testdata/pymod/import_QtSql.py +++ b/testdata/pymod/import_QtSql.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_QtSvg.py b/testdata/pymod/import_QtSvg.py index 33977d61f9..55d7f8d6dc 100755 --- a/testdata/pymod/import_QtSvg.py +++ b/testdata/pymod/import_QtSvg.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_QtSvg_Qt6.py b/testdata/pymod/import_QtSvg_Qt6.py index 8705010c55..c2400f6d35 100755 --- a/testdata/pymod/import_QtSvg_Qt6.py +++ b/testdata/pymod/import_QtSvg_Qt6.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_QtUiTools.py b/testdata/pymod/import_QtUiTools.py index d2da06b325..fe6ee7de92 100755 --- a/testdata/pymod/import_QtUiTools.py +++ b/testdata/pymod/import_QtUiTools.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_QtWidgets.py b/testdata/pymod/import_QtWidgets.py index 866e318244..54197e2fd6 100755 --- a/testdata/pymod/import_QtWidgets.py +++ b/testdata/pymod/import_QtWidgets.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_QtWidgets_Qt6.py b/testdata/pymod/import_QtWidgets_Qt6.py index 30661698e5..7e879f2928 100755 --- a/testdata/pymod/import_QtWidgets_Qt6.py +++ b/testdata/pymod/import_QtWidgets_Qt6.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_QtXml.py b/testdata/pymod/import_QtXml.py index a8d1fd1768..8c351d6e87 100755 --- a/testdata/pymod/import_QtXml.py +++ b/testdata/pymod/import_QtXml.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_QtXmlPatterns.py b/testdata/pymod/import_QtXmlPatterns.py index 5fbb2b05cf..a953f6b312 100755 --- a/testdata/pymod/import_QtXmlPatterns.py +++ b/testdata/pymod/import_QtXmlPatterns.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_db.py b/testdata/pymod/import_db.py index 154bd7198a..b75b7251d4 100755 --- a/testdata/pymod/import_db.py +++ b/testdata/pymod/import_db.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_lay.py b/testdata/pymod/import_lay.py index 13488ddab2..0d65f0d329 100755 --- a/testdata/pymod/import_lay.py +++ b/testdata/pymod/import_lay.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_lib.py b/testdata/pymod/import_lib.py index 857b3f206d..bdfa57d944 100755 --- a/testdata/pymod/import_lib.py +++ b/testdata/pymod/import_lib.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_rdb.py b/testdata/pymod/import_rdb.py index 7995cd7785..38aa3b5a96 100755 --- a/testdata/pymod/import_rdb.py +++ b/testdata/pymod/import_rdb.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/import_tl.py b/testdata/pymod/import_tl.py index 9bc5584312..92171ae9d6 100755 --- a/testdata/pymod/import_tl.py +++ b/testdata/pymod/import_tl.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/issue1327.py b/testdata/pymod/issue1327.py index b6a4fbed51..dbe4a8d548 100755 --- a/testdata/pymod/issue1327.py +++ b/testdata/pymod/issue1327.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/pymod/klayout_db_tests.py b/testdata/pymod/klayout_db_tests.py index 725cde5418..601b659358 100644 --- a/testdata/pymod/klayout_db_tests.py +++ b/testdata/pymod/klayout_db_tests.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/python/basic.py b/testdata/python/basic.py index c301628ada..9449894670 100644 --- a/testdata/python/basic.py +++ b/testdata/python/basic.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/python/dbLayoutTest.py b/testdata/python/dbLayoutTest.py index ae3bcee8b4..b0e535b7a4 100644 --- a/testdata/python/dbLayoutTest.py +++ b/testdata/python/dbLayoutTest.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/python/dbLayoutToNetlist.py b/testdata/python/dbLayoutToNetlist.py index 87760f8cee..78da9dfbc4 100644 --- a/testdata/python/dbLayoutToNetlist.py +++ b/testdata/python/dbLayoutToNetlist.py @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/python/dbLayoutVsSchematic.py b/testdata/python/dbLayoutVsSchematic.py index d512c300bc..4ece4376e2 100644 --- a/testdata/python/dbLayoutVsSchematic.py +++ b/testdata/python/dbLayoutVsSchematic.py @@ -2,7 +2,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/python/dbNetlistCrossReference.py b/testdata/python/dbNetlistCrossReference.py index a07faa625d..2db7d79c17 100644 --- a/testdata/python/dbNetlistCrossReference.py +++ b/testdata/python/dbNetlistCrossReference.py @@ -2,7 +2,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/python/dbPCells.py b/testdata/python/dbPCells.py index e51c648fd3..a68880477d 100644 --- a/testdata/python/dbPCells.py +++ b/testdata/python/dbPCells.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/python/dbPolygonTest.py b/testdata/python/dbPolygonTest.py index feab569e6c..ec1c4a3b6d 100644 --- a/testdata/python/dbPolygonTest.py +++ b/testdata/python/dbPolygonTest.py @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/python/dbReaders.py b/testdata/python/dbReaders.py index 035fc41537..1f14aee208 100644 --- a/testdata/python/dbReaders.py +++ b/testdata/python/dbReaders.py @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/python/dbRegionTest.py b/testdata/python/dbRegionTest.py index 508aefca60..7a2e3af3c7 100644 --- a/testdata/python/dbRegionTest.py +++ b/testdata/python/dbRegionTest.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/python/dbTransTest.py b/testdata/python/dbTransTest.py index 0bbfc095f1..c82b344dac 100644 --- a/testdata/python/dbTransTest.py +++ b/testdata/python/dbTransTest.py @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/python/kwargs.py b/testdata/python/kwargs.py index 25269acf19..c8d4ff08ba 100644 --- a/testdata/python/kwargs.py +++ b/testdata/python/kwargs.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/python/layLayers.py b/testdata/python/layLayers.py index cee938a6a1..ce70a2bbce 100644 --- a/testdata/python/layLayers.py +++ b/testdata/python/layLayers.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/python/layObjects.py b/testdata/python/layObjects.py index ae4f5d5a3a..695621ec67 100644 --- a/testdata/python/layObjects.py +++ b/testdata/python/layObjects.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/python/layPixelBuffer.py b/testdata/python/layPixelBuffer.py index 6ee8c3d280..1d33aa235c 100644 --- a/testdata/python/layPixelBuffer.py +++ b/testdata/python/layPixelBuffer.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/python/qtbinding.py b/testdata/python/qtbinding.py index 6cf7776a0d..2cabdc98f0 100644 --- a/testdata/python/qtbinding.py +++ b/testdata/python/qtbinding.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/python/tlTest.py b/testdata/python/tlTest.py index 5e0355205d..01a620a6a5 100644 --- a/testdata/python/tlTest.py +++ b/testdata/python/tlTest.py @@ -1,5 +1,5 @@ # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/antTest.rb b/testdata/ruby/antTest.rb index bd103df112..baf56285a9 100644 --- a/testdata/ruby/antTest.rb +++ b/testdata/ruby/antTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/basic.rb b/testdata/ruby/basic.rb index 27754dc330..38707103a9 100644 --- a/testdata/ruby/basic.rb +++ b/testdata/ruby/basic.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbBooleanTest.rb b/testdata/ruby/dbBooleanTest.rb index 96a9d6f4e9..0d6c02788e 100644 --- a/testdata/ruby/dbBooleanTest.rb +++ b/testdata/ruby/dbBooleanTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbBoxTest.rb b/testdata/ruby/dbBoxTest.rb index 8310b649ce..8e9a916e91 100644 --- a/testdata/ruby/dbBoxTest.rb +++ b/testdata/ruby/dbBoxTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbCellInstArrayTest.rb b/testdata/ruby/dbCellInstArrayTest.rb index cddc20bee1..c6eac218be 100644 --- a/testdata/ruby/dbCellInstArrayTest.rb +++ b/testdata/ruby/dbCellInstArrayTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbCellMapping.rb b/testdata/ruby/dbCellMapping.rb index 56d7d77d0f..19dc8206ad 100644 --- a/testdata/ruby/dbCellMapping.rb +++ b/testdata/ruby/dbCellMapping.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbCellTests.rb b/testdata/ruby/dbCellTests.rb index 31d99e45b0..2111ed3888 100644 --- a/testdata/ruby/dbCellTests.rb +++ b/testdata/ruby/dbCellTests.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbEdgePairTest.rb b/testdata/ruby/dbEdgePairTest.rb index 3fa8c757f8..68ea708d06 100644 --- a/testdata/ruby/dbEdgePairTest.rb +++ b/testdata/ruby/dbEdgePairTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbEdgePairsTest.rb b/testdata/ruby/dbEdgePairsTest.rb index a2097bfc01..fa1ccad3c8 100644 --- a/testdata/ruby/dbEdgePairsTest.rb +++ b/testdata/ruby/dbEdgePairsTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbEdgeTest.rb b/testdata/ruby/dbEdgeTest.rb index ee0c81a5e7..c5a98f8a9e 100644 --- a/testdata/ruby/dbEdgeTest.rb +++ b/testdata/ruby/dbEdgeTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbEdgesTest.rb b/testdata/ruby/dbEdgesTest.rb index bd4817fa9e..1a0910a9df 100644 --- a/testdata/ruby/dbEdgesTest.rb +++ b/testdata/ruby/dbEdgesTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbGlyphs.rb b/testdata/ruby/dbGlyphs.rb index 3a1c1248e9..18baae12a8 100644 --- a/testdata/ruby/dbGlyphs.rb +++ b/testdata/ruby/dbGlyphs.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbInstElementTest.rb b/testdata/ruby/dbInstElementTest.rb index 160f88fbe8..f83e335deb 100644 --- a/testdata/ruby/dbInstElementTest.rb +++ b/testdata/ruby/dbInstElementTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbInstanceTest.rb b/testdata/ruby/dbInstanceTest.rb index e05f6c1ad8..9e2cf3e451 100644 --- a/testdata/ruby/dbInstanceTest.rb +++ b/testdata/ruby/dbInstanceTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbLayerMapping.rb b/testdata/ruby/dbLayerMapping.rb index ab48e04db0..98c9c44087 100644 --- a/testdata/ruby/dbLayerMapping.rb +++ b/testdata/ruby/dbLayerMapping.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbLayoutDiff.rb b/testdata/ruby/dbLayoutDiff.rb index 2fc6d7d959..4e48fb331d 100644 --- a/testdata/ruby/dbLayoutDiff.rb +++ b/testdata/ruby/dbLayoutDiff.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbLayoutQuery.rb b/testdata/ruby/dbLayoutQuery.rb index 1b95b9f94b..7485f4b990 100644 --- a/testdata/ruby/dbLayoutQuery.rb +++ b/testdata/ruby/dbLayoutQuery.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbLayoutTests1.rb b/testdata/ruby/dbLayoutTests1.rb index 61a0aa0b70..25c8bb7de1 100644 --- a/testdata/ruby/dbLayoutTests1.rb +++ b/testdata/ruby/dbLayoutTests1.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbLayoutTests2.rb b/testdata/ruby/dbLayoutTests2.rb index cde153ac32..b5dbb9a50a 100644 --- a/testdata/ruby/dbLayoutTests2.rb +++ b/testdata/ruby/dbLayoutTests2.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbLayoutToNetlist.rb b/testdata/ruby/dbLayoutToNetlist.rb index e5404b5478..a4885ac306 100644 --- a/testdata/ruby/dbLayoutToNetlist.rb +++ b/testdata/ruby/dbLayoutToNetlist.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbLayoutVsSchematic.rb b/testdata/ruby/dbLayoutVsSchematic.rb index 9dddffb07c..913cdeca41 100644 --- a/testdata/ruby/dbLayoutVsSchematic.rb +++ b/testdata/ruby/dbLayoutVsSchematic.rb @@ -2,7 +2,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbLibrary.rb b/testdata/ruby/dbLibrary.rb index 3391d8b639..44d27c1acc 100644 --- a/testdata/ruby/dbLibrary.rb +++ b/testdata/ruby/dbLibrary.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbLogTest.rb b/testdata/ruby/dbLogTest.rb index f53e00f730..2e5808f523 100644 --- a/testdata/ruby/dbLogTest.rb +++ b/testdata/ruby/dbLogTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbMatrix.rb b/testdata/ruby/dbMatrix.rb index ebb35f2886..e33fd35f25 100644 --- a/testdata/ruby/dbMatrix.rb +++ b/testdata/ruby/dbMatrix.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbNetlist.rb b/testdata/ruby/dbNetlist.rb index 738b574333..1ceb1331c5 100644 --- a/testdata/ruby/dbNetlist.rb +++ b/testdata/ruby/dbNetlist.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbNetlistCrossReference.rb b/testdata/ruby/dbNetlistCrossReference.rb index 6df2b337bb..07b10c4a64 100644 --- a/testdata/ruby/dbNetlistCrossReference.rb +++ b/testdata/ruby/dbNetlistCrossReference.rb @@ -2,7 +2,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbNetlistDeviceClasses.rb b/testdata/ruby/dbNetlistDeviceClasses.rb index 73240cd8d2..2244fdaa8c 100644 --- a/testdata/ruby/dbNetlistDeviceClasses.rb +++ b/testdata/ruby/dbNetlistDeviceClasses.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbNetlistDeviceExtractors.rb b/testdata/ruby/dbNetlistDeviceExtractors.rb index d4d7023a34..b22bb71b8f 100644 --- a/testdata/ruby/dbNetlistDeviceExtractors.rb +++ b/testdata/ruby/dbNetlistDeviceExtractors.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbNetlistReaderTests.rb b/testdata/ruby/dbNetlistReaderTests.rb index 5080d93733..a2956a8247 100644 --- a/testdata/ruby/dbNetlistReaderTests.rb +++ b/testdata/ruby/dbNetlistReaderTests.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbNetlistWriterTests.rb b/testdata/ruby/dbNetlistWriterTests.rb index ba67fe5715..6280b8917b 100644 --- a/testdata/ruby/dbNetlistWriterTests.rb +++ b/testdata/ruby/dbNetlistWriterTests.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbPCells.rb b/testdata/ruby/dbPCells.rb index 7f1ee0b5a2..ac96c68d3a 100644 --- a/testdata/ruby/dbPCells.rb +++ b/testdata/ruby/dbPCells.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbPathTest.rb b/testdata/ruby/dbPathTest.rb index e0f71bff6d..8d1b949b9e 100644 --- a/testdata/ruby/dbPathTest.rb +++ b/testdata/ruby/dbPathTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbPointTest.rb b/testdata/ruby/dbPointTest.rb index 77e156e195..248ae939bc 100644 --- a/testdata/ruby/dbPointTest.rb +++ b/testdata/ruby/dbPointTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbPolygonTest.rb b/testdata/ruby/dbPolygonTest.rb index 5d6911b735..bdd290f010 100644 --- a/testdata/ruby/dbPolygonTest.rb +++ b/testdata/ruby/dbPolygonTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbReaders.rb b/testdata/ruby/dbReaders.rb index 13d9097ab7..eafcd51bf4 100644 --- a/testdata/ruby/dbReaders.rb +++ b/testdata/ruby/dbReaders.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbRecursiveInstanceIterator.rb b/testdata/ruby/dbRecursiveInstanceIterator.rb index 87cb36c06f..f068feff27 100644 --- a/testdata/ruby/dbRecursiveInstanceIterator.rb +++ b/testdata/ruby/dbRecursiveInstanceIterator.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbRecursiveShapeIterator.rb b/testdata/ruby/dbRecursiveShapeIterator.rb index 24a73b0ca6..29724541c0 100644 --- a/testdata/ruby/dbRecursiveShapeIterator.rb +++ b/testdata/ruby/dbRecursiveShapeIterator.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbRegionTest.rb b/testdata/ruby/dbRegionTest.rb index 173abc6835..de204bc3d0 100644 --- a/testdata/ruby/dbRegionTest.rb +++ b/testdata/ruby/dbRegionTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbShapesTest.rb b/testdata/ruby/dbShapesTest.rb index 3b6f9b7a28..3417c8688b 100644 --- a/testdata/ruby/dbShapesTest.rb +++ b/testdata/ruby/dbShapesTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbSimplePolygonTest.rb b/testdata/ruby/dbSimplePolygonTest.rb index 794f88ea09..f0a6212b70 100644 --- a/testdata/ruby/dbSimplePolygonTest.rb +++ b/testdata/ruby/dbSimplePolygonTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbTechnologies.rb b/testdata/ruby/dbTechnologies.rb index d4f6e9a66d..23b9322914 100644 --- a/testdata/ruby/dbTechnologies.rb +++ b/testdata/ruby/dbTechnologies.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbTextTest.rb b/testdata/ruby/dbTextTest.rb index 55610d2791..99d9551ad6 100644 --- a/testdata/ruby/dbTextTest.rb +++ b/testdata/ruby/dbTextTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbTextsTest.rb b/testdata/ruby/dbTextsTest.rb index c313c82239..7b9a65288d 100644 --- a/testdata/ruby/dbTextsTest.rb +++ b/testdata/ruby/dbTextsTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbTilingProcessorTest.rb b/testdata/ruby/dbTilingProcessorTest.rb index 48917fb952..7ed2a8c06b 100644 --- a/testdata/ruby/dbTilingProcessorTest.rb +++ b/testdata/ruby/dbTilingProcessorTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbTransTest.rb b/testdata/ruby/dbTransTest.rb index 051b57cc7e..a778b07cba 100644 --- a/testdata/ruby/dbTransTest.rb +++ b/testdata/ruby/dbTransTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbUtilsTests.rb b/testdata/ruby/dbUtilsTests.rb index 46ccdecdc0..0a1ae57ff2 100644 --- a/testdata/ruby/dbUtilsTests.rb +++ b/testdata/ruby/dbUtilsTests.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/dbVectorTest.rb b/testdata/ruby/dbVectorTest.rb index 553b998c7f..05d939ab22 100644 --- a/testdata/ruby/dbVectorTest.rb +++ b/testdata/ruby/dbVectorTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/edtTest.rb b/testdata/ruby/edtTest.rb index e22679a505..6ba44e8251 100644 --- a/testdata/ruby/edtTest.rb +++ b/testdata/ruby/edtTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/extNetTracer.rb b/testdata/ruby/extNetTracer.rb index 82ed2c4f9e..c368e93016 100644 --- a/testdata/ruby/extNetTracer.rb +++ b/testdata/ruby/extNetTracer.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/imgObject.rb b/testdata/ruby/imgObject.rb index df598f5f11..6b7898bb0b 100644 --- a/testdata/ruby/imgObject.rb +++ b/testdata/ruby/imgObject.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/kwargs.rb b/testdata/ruby/kwargs.rb index 24d9870bfb..56dd83d92a 100644 --- a/testdata/ruby/kwargs.rb +++ b/testdata/ruby/kwargs.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/layLayers.rb b/testdata/ruby/layLayers.rb index 1f08758a99..e213d26b40 100644 --- a/testdata/ruby/layLayers.rb +++ b/testdata/ruby/layLayers.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/layLayoutView.rb b/testdata/ruby/layLayoutView.rb index 664d411c5f..b6aa899dd1 100644 --- a/testdata/ruby/layLayoutView.rb +++ b/testdata/ruby/layLayoutView.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/layMacro.rb b/testdata/ruby/layMacro.rb index 2517cb580b..e2f012d2c4 100644 --- a/testdata/ruby/layMacro.rb +++ b/testdata/ruby/layMacro.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/layMarkers.rb b/testdata/ruby/layMarkers.rb index dbf3da33c8..0947994a7a 100644 --- a/testdata/ruby/layMarkers.rb +++ b/testdata/ruby/layMarkers.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/layMenuTest.rb b/testdata/ruby/layMenuTest.rb index 6a71d1ac61..888646ff6d 100644 --- a/testdata/ruby/layMenuTest.rb +++ b/testdata/ruby/layMenuTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/layPixelBuffer.rb b/testdata/ruby/layPixelBuffer.rb index 3f37b173c0..a8ed37f8de 100644 --- a/testdata/ruby/layPixelBuffer.rb +++ b/testdata/ruby/layPixelBuffer.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/laySaveLayoutOptions.rb b/testdata/ruby/laySaveLayoutOptions.rb index 9925e056a2..4d4cda993d 100644 --- a/testdata/ruby/laySaveLayoutOptions.rb +++ b/testdata/ruby/laySaveLayoutOptions.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/laySession.rb b/testdata/ruby/laySession.rb index 99c921551e..01e84c3496 100644 --- a/testdata/ruby/laySession.rb +++ b/testdata/ruby/laySession.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/qtbinding.rb b/testdata/ruby/qtbinding.rb index 4ee73ace91..de4ebaac82 100644 --- a/testdata/ruby/qtbinding.rb +++ b/testdata/ruby/qtbinding.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/rdbTest.rb b/testdata/ruby/rdbTest.rb index 8de47ac34a..e6e1ace7d5 100644 --- a/testdata/ruby/rdbTest.rb +++ b/testdata/ruby/rdbTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by diff --git a/testdata/ruby/tlTest.rb b/testdata/ruby/tlTest.rb index 8980b2ec56..e2acc863d5 100644 --- a/testdata/ruby/tlTest.rb +++ b/testdata/ruby/tlTest.rb @@ -1,7 +1,7 @@ # encoding: UTF-8 # KLayout Layout Viewer -# Copyright (C) 2006-2023 Matthias Koefferlein +# Copyright (C) 2006-2024 Matthias Koefferlein # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by